diff --git a/.obsidian/community-plugins.json b/.obsidian/community-plugins.json index 01b022a8..eabd7fed 100644 --- a/.obsidian/community-plugins.json +++ b/.obsidian/community-plugins.json @@ -39,5 +39,6 @@ "taskbone-ocr-plugin", "obsidian-journey-plugin", "link-favicon", - "matter" + "matter", + "longform" ] \ No newline at end of file diff --git a/.obsidian/plugins/cooklang-obsidian/main.js b/.obsidian/plugins/cooklang-obsidian/main.js index c98bbb7f..dfad53d7 100644 --- a/.obsidian/plugins/cooklang-obsidian/main.js +++ b/.obsidian/plugins/cooklang-obsidian/main.js @@ -34,6 +34,8 @@ function __awaiter(thisArg, _arguments, P, generator) { var codemirror = CodeMirror; +var commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {}; + function createCommonjsModule(fn) { var module = { exports: {} }; return fn(module, module.exports), module.exports; @@ -53,295 +55,3591 @@ CodeMirror.defineMode("cook", function() { var sol = stream.sol() || state.afterSection; var eol = stream.eol(); - state.afterSection = false; + state.afterSection = false; + + if (sol) { + if (state.nextMultiline) { + state.inMultiline = true; + state.nextMultiline = false; + } else { + state.position = null; + } + } + + if (eol && ! state.nextMultiline) { + state.inMultiline = false; + state.position = null; + } + + if (sol) { + while(stream.eatSpace()) {} + } + + var ch = stream.next(); + + + if (sol && ch === ">") { + if (stream.eat(">")) { + state.position = "metadata-key"; + return "metadata" + } + } + if(state.position === "metadata"); + else if(state.position === "metadata-key") { + if(ch === ':') state.position = "metadata"; + } + else { + if (ch === "-") { + if (stream.eat("-")) { + stream.skipToEnd(); + return "comment"; + } + } + + if (stream.match(/\[-.+?-\]/)) + return "comment"; + + if(stream.match(/^@([^@#~]+?(?={))/)) + return "ingredient"; + else if(stream.match(/^@(.+?\b)/)) + return "ingredient"; + + if(stream.match(/^#([^@#~]+?(?={))/)) + return "cookware"; + else if(stream.match(/^#(.+?\b)/)) + return "cookware"; + + if(ch === '~'){ + state.position = "timer"; + return "formatting"; + } + if(ch === '{'){ + if(state.position != "timer") state.position = "measurement"; + return "formatting"; + } + if(ch === '}'){ + state.position = null; + return "formatting"; + } + if(ch === '%' && (state.position === "measurement" || state.position === "timer")){ + state.position = "unit"; + return "formatting"; + } + } + + return state.position; + }, + + startState: function() { + return { + formatting : false, + nextMultiline : false, // Is the next line multiline value + inMultiline : false, // Is the current line a multiline value + afterSection : false // Did we just open a section + }; + } + + }; +}); + +CodeMirror.defineMIME("text/x-cook", "cook"); +CodeMirror.defineMIME("text/x-cooklang", "cook"); + +}); +}); + +var cooklang = createCommonjsModule(function (module, exports) { +Object.defineProperty(exports, "__esModule", { value: true }); +exports.Metadata = exports.Timer = exports.Cookware = exports.Ingredient = exports.Step = exports.Recipe = void 0; +const COMMENT_REGEX = /(--.*)|(\[-(.|\n)+?-\])/g; +const INGREDIENT_REGEX = /@(?:([^@#~]+?)(?:{(.*?)}|{\s*}))|@((?:[^@#~\s])+)/; +const COOKWARE_REGEX = /#(?:([^@#~]+?)(?:{\s*}))|#((?:[^@#~\s])+)/; +const TIMER_REGEX = /~([^@#~]*){([0-9]+(?:[\/|\.][0-9]+)?)%(.+?)}/; +const METADATA_REGEX = /^>>\s*(.*?):\s*(.*)$/; +// a base class containing the raw string +class base { + constructor(s) { + if (s instanceof Array) + this.raw = s[0]; + else if (typeof s === 'string') + this.raw = s; + else if ('raw' in s) + this.raw = s.raw; + } +} +class Recipe extends base { + constructor(s) { + var _a, _b; + super(s); + this.metadata = []; + this.ingredients = []; + this.cookware = []; + this.timers = []; + this.steps = []; + (_b = (_a = s === null || s === void 0 ? void 0 : s.replace(COMMENT_REGEX, '')) === null || _a === void 0 ? void 0 : _a.split('\n')) === null || _b === void 0 ? void 0 : _b.forEach(line => { + if (line.trim()) { + let l = new Step(line); + if (l.line.length != 0) { + if (l.line.length == 1 && l.line[0] instanceof Metadata) { + this.metadata.push(l.line[0]); + } + else { + l.line.forEach(b => { + if (b instanceof Ingredient) + this.ingredients.push(b); + else if (b instanceof Cookware) + this.cookware.push(b); + else if (b instanceof Timer) + this.timers.push(b); + }); + this.steps.push(l); + } + } + } + }); + } + calculateTotalTime() { + return this.timers.reduce((a, b) => a + (b.seconds || 0), 0); + } +} +exports.Recipe = Recipe; +// a single recipe step +class Step extends base { + constructor(s) { + super(s); + this.line = []; + if (s && typeof s === 'string') + this.line = this.parseLine(s); + else if (s) { + if ('line' in s) + this.line = s.line; + if ('image' in s) + this.image = s.image; + } + } + // parse a single line + parseLine(s) { + let match; + let b; + let line = []; + // if it's a metadata line, return that + if (match = METADATA_REGEX.exec(s)) { + return [new Metadata(match)]; + } + // if it has an ingredient, pull that out + else if (match = INGREDIENT_REGEX.exec(s)) { + b = new Ingredient(match); + } + // if it has an item of cookware, pull that out + else if (match = COOKWARE_REGEX.exec(s)) { + b = new Cookware(match); + } + // if it has a timer, pull that out + else if (match = TIMER_REGEX.exec(s)) { + b = new Timer(match); + } + // if we found something (ingredient, cookware, timer) + if (b && b.raw) { + // split the string up to get the string left and right of what we found + const split = s.split(b.raw); + // if the line doesn't start with what we matched, we need to parse the left side + if (!s.startsWith(b.raw)) + line.unshift(...this.parseLine(split[0])); + // add what we matched in the middle + line.push(b); + // if the line doesn't end with what we matched, we need to parse the right side + if (!s.endsWith(b.raw)) + line.push(...this.parseLine(split[1])); + return line; + } + // if it doesn't match any regular expressions, just return the whole string + return [s]; + } +} +exports.Step = Step; +// ingredients +class Ingredient extends base { + constructor(s) { + var _a; + super(s); + if (s instanceof Array || typeof s === 'string') { + const match = s instanceof Array ? s : INGREDIENT_REGEX.exec(s); + if (!match || match.length != 4) + throw `error parsing ingredient: '${s}'`; + this.name = (match[1] || match[3]).trim(); + const attrs = (_a = match[2]) === null || _a === void 0 ? void 0 : _a.split('%'); + this.amount = attrs && attrs.length > 0 ? attrs[0].trim() : "1"; + if (!this.amount) + this.amount = "1"; + this.quantity = this.amount ? stringToNumber(this.amount) : 1; + this.units = attrs && attrs.length > 1 ? attrs[1].trim() : ""; + } + else { + if ('name' in s) + this.name = s.name; + if ('amount' in s) + this.amount = s.amount; + if ('quantity' in s) + this.quantity = s.quantity; + if ('units' in s) + this.units = s.units; + } + } +} +exports.Ingredient = Ingredient; +// cookware +class Cookware extends base { + constructor(s) { + super(s); + if (s instanceof Array || typeof s === 'string') { + const match = s instanceof Array ? s : COOKWARE_REGEX.exec(s); + if (!match || match.length != 3) + throw `error parsing cookware: '${s}'`; + this.name = (match[1] || match[2]).trim(); + } + else { + if ('name' in s) + this.name = s.name; + } + } +} +exports.Cookware = Cookware; +// timer +class Timer extends base { + constructor(s) { + super(s); + if (s instanceof Array || typeof s === 'string') { + const match = s instanceof Array ? s : TIMER_REGEX.exec(s); + if (!match || match.length != 4) + throw `error parsing timer: '${s}'`; + this.name = match[1] ? match[1].trim() : ""; + this.amount = match[2] ? match[2].trim() : 0; + this.units = match[3] ? match[3].trim() : ""; + this.quantity = this.amount ? stringToNumber(this.amount) : 0; + this.seconds = Timer.getSeconds(this.quantity, this.units); + } + else { + if ('name' in s) + this.name = s.name; + if ('amount' in s) + this.amount = s.amount; + if ('quantity' in s) + this.quantity = s.quantity; + if ('units' in s) + this.units = s.units; + if ('seconds' in s) + this.seconds = s.seconds; + } + } + static getSeconds(amount, unit = 'm') { + let time = 0; + if (amount > 0) { + if (unit.toLowerCase().startsWith('s')) { + time = amount; + } + else if (unit.toLowerCase().startsWith('m')) { + time = amount * 60; + } + else if (unit.toLowerCase().startsWith('h')) { + time = amount * 60 * 60; + } + } + return time; + } +} +exports.Timer = Timer; +function stringToNumber(s) { + let amount = 0; + if (parseFloat(s) + '' == s) + amount = parseFloat(s); + else if (s.includes('/')) { + const split = s.split('/'); + if (split.length == 2) { + const num = parseFloat(split[0].trim()); + const den = parseFloat(split[1].trim()); + if (num + '' == split[0].trim() && den + '' == split[1].trim()) { + amount = num / den; + } + else + amount = NaN; + } + } + else + amount = NaN; + return amount; +} +// metadata +class Metadata extends base { + constructor(s) { + super(s); + if (s instanceof Array || typeof s === 'string') { + const match = s instanceof Array ? s : METADATA_REGEX.exec(s); + if (!match || match.length != 3) + throw `error parsing metadata: '${s}'`; + this.key = match[1].trim(); + this.value = match[2].trim(); + } + else { + if ('key' in s) + this.key = s.key; + if ('value' in s) + this.value = s.value; + } + } +} +exports.Metadata = Metadata; +}); + +/*! + * howler.js v2.2.3 + * howlerjs.com + * + * (c) 2013-2020, James Simpson of GoldFire Studios + * goldfirestudios.com + * + * MIT License + */ + +var howler = createCommonjsModule(function (module, exports) { +(function() { + + /** Global Methods **/ + /***************************************************************************/ + + /** + * Create the global controller. All contained methods and properties apply + * to all sounds that are currently playing or will be in the future. + */ + var HowlerGlobal = function() { + this.init(); + }; + HowlerGlobal.prototype = { + /** + * Initialize the global Howler object. + * @return {Howler} + */ + init: function() { + var self = this || Howler; + + // Create a global ID counter. + self._counter = 1000; + + // Pool of unlocked HTML5 Audio objects. + self._html5AudioPool = []; + self.html5PoolSize = 10; + + // Internal properties. + self._codecs = {}; + self._howls = []; + self._muted = false; + self._volume = 1; + self._canPlayEvent = 'canplaythrough'; + self._navigator = (typeof window !== 'undefined' && window.navigator) ? window.navigator : null; + + // Public properties. + self.masterGain = null; + self.noAudio = false; + self.usingWebAudio = true; + self.autoSuspend = true; + self.ctx = null; + + // Set to false to disable the auto audio unlocker. + self.autoUnlock = true; + + // Setup the various state values for global tracking. + self._setup(); + + return self; + }, + + /** + * Get/set the global volume for all sounds. + * @param {Float} vol Volume from 0.0 to 1.0. + * @return {Howler/Float} Returns self or current volume. + */ + volume: function(vol) { + var self = this || Howler; + vol = parseFloat(vol); + + // If we don't have an AudioContext created yet, run the setup. + if (!self.ctx) { + setupAudioContext(); + } + + if (typeof vol !== 'undefined' && vol >= 0 && vol <= 1) { + self._volume = vol; + + // Don't update any of the nodes if we are muted. + if (self._muted) { + return self; + } + + // When using Web Audio, we just need to adjust the master gain. + if (self.usingWebAudio) { + self.masterGain.gain.setValueAtTime(vol, Howler.ctx.currentTime); + } + + // Loop through and change volume for all HTML5 audio nodes. + for (var i=0; i=0; i--) { + self._howls[i].unload(); + } + + // Create a new AudioContext to make sure it is fully reset. + if (self.usingWebAudio && self.ctx && typeof self.ctx.close !== 'undefined') { + self.ctx.close(); + self.ctx = null; + setupAudioContext(); + } + + return self; + }, + + /** + * Check for codec support of specific extension. + * @param {String} ext Audio file extention. + * @return {Boolean} + */ + codecs: function(ext) { + return (this || Howler)._codecs[ext.replace(/^x-/, '')]; + }, + + /** + * Setup various state values for global tracking. + * @return {Howler} + */ + _setup: function() { + var self = this || Howler; + + // Keeps track of the suspend/resume state of the AudioContext. + self.state = self.ctx ? self.ctx.state || 'suspended' : 'suspended'; + + // Automatically begin the 30-second suspend process + self._autoSuspend(); + + // Check if audio is available. + if (!self.usingWebAudio) { + // No audio is available on this system if noAudio is set to true. + if (typeof Audio !== 'undefined') { + try { + var test = new Audio(); + + // Check if the canplaythrough event is available. + if (typeof test.oncanplaythrough === 'undefined') { + self._canPlayEvent = 'canplay'; + } + } catch(e) { + self.noAudio = true; + } + } else { + self.noAudio = true; + } + } + + // Test to make sure audio isn't disabled in Internet Explorer. + try { + var test = new Audio(); + if (test.muted) { + self.noAudio = true; + } + } catch (e) {} + + // Check for supported codecs. + if (!self.noAudio) { + self._setupCodecs(); + } + + return self; + }, + + /** + * Check for browser support for various codecs and cache the results. + * @return {Howler} + */ + _setupCodecs: function() { + var self = this || Howler; + var audioTest = null; + + // Must wrap in a try/catch because IE11 in server mode throws an error. + try { + audioTest = (typeof Audio !== 'undefined') ? new Audio() : null; + } catch (err) { + return self; + } + + if (!audioTest || typeof audioTest.canPlayType !== 'function') { + return self; + } + + var mpegTest = audioTest.canPlayType('audio/mpeg;').replace(/^no$/, ''); + + // Opera version <33 has mixed MP3 support, so we need to check for and block it. + var ua = self._navigator ? self._navigator.userAgent : ''; + var checkOpera = ua.match(/OPR\/([0-6].)/g); + var isOldOpera = (checkOpera && parseInt(checkOpera[0].split('/')[1], 10) < 33); + var checkSafari = ua.indexOf('Safari') !== -1 && ua.indexOf('Chrome') === -1; + var safariVersion = ua.match(/Version\/(.*?) /); + var isOldSafari = (checkSafari && safariVersion && parseInt(safariVersion[1], 10) < 15); + + self._codecs = { + mp3: !!(!isOldOpera && (mpegTest || audioTest.canPlayType('audio/mp3;').replace(/^no$/, ''))), + mpeg: !!mpegTest, + opus: !!audioTest.canPlayType('audio/ogg; codecs="opus"').replace(/^no$/, ''), + ogg: !!audioTest.canPlayType('audio/ogg; codecs="vorbis"').replace(/^no$/, ''), + oga: !!audioTest.canPlayType('audio/ogg; codecs="vorbis"').replace(/^no$/, ''), + wav: !!(audioTest.canPlayType('audio/wav; codecs="1"') || audioTest.canPlayType('audio/wav')).replace(/^no$/, ''), + aac: !!audioTest.canPlayType('audio/aac;').replace(/^no$/, ''), + caf: !!audioTest.canPlayType('audio/x-caf;').replace(/^no$/, ''), + m4a: !!(audioTest.canPlayType('audio/x-m4a;') || audioTest.canPlayType('audio/m4a;') || audioTest.canPlayType('audio/aac;')).replace(/^no$/, ''), + m4b: !!(audioTest.canPlayType('audio/x-m4b;') || audioTest.canPlayType('audio/m4b;') || audioTest.canPlayType('audio/aac;')).replace(/^no$/, ''), + mp4: !!(audioTest.canPlayType('audio/x-mp4;') || audioTest.canPlayType('audio/mp4;') || audioTest.canPlayType('audio/aac;')).replace(/^no$/, ''), + weba: !!(!isOldSafari && audioTest.canPlayType('audio/webm; codecs="vorbis"').replace(/^no$/, '')), + webm: !!(!isOldSafari && audioTest.canPlayType('audio/webm; codecs="vorbis"').replace(/^no$/, '')), + dolby: !!audioTest.canPlayType('audio/mp4; codecs="ec-3"').replace(/^no$/, ''), + flac: !!(audioTest.canPlayType('audio/x-flac;') || audioTest.canPlayType('audio/flac;')).replace(/^no$/, '') + }; + + return self; + }, + + /** + * Some browsers/devices will only allow audio to be played after a user interaction. + * Attempt to automatically unlock audio on the first user interaction. + * Concept from: http://paulbakaus.com/tutorials/html5/web-audio-on-ios/ + * @return {Howler} + */ + _unlockAudio: function() { + var self = this || Howler; + + // Only run this if Web Audio is supported and it hasn't already been unlocked. + if (self._audioUnlocked || !self.ctx) { + return; + } + + self._audioUnlocked = false; + self.autoUnlock = false; + + // Some mobile devices/platforms have distortion issues when opening/closing tabs and/or web views. + // Bugs in the browser (especially Mobile Safari) can cause the sampleRate to change from 44100 to 48000. + // By calling Howler.unload(), we create a new AudioContext with the correct sampleRate. + if (!self._mobileUnloaded && self.ctx.sampleRate !== 44100) { + self._mobileUnloaded = true; + self.unload(); + } + + // Scratch buffer for enabling iOS to dispose of web audio buffers correctly, as per: + // http://stackoverflow.com/questions/24119684 + self._scratchBuffer = self.ctx.createBuffer(1, 1, 22050); + + // Call this method on touch start to create and play a buffer, + // then check if the audio actually played to determine if + // audio has now been unlocked on iOS, Android, etc. + var unlock = function(e) { + // Create a pool of unlocked HTML5 Audio objects that can + // be used for playing sounds without user interaction. HTML5 + // Audio objects must be individually unlocked, as opposed + // to the WebAudio API which only needs a single activation. + // This must occur before WebAudio setup or the source.onended + // event will not fire. + while (self._html5AudioPool.length < self.html5PoolSize) { + try { + var audioNode = new Audio(); + + // Mark this Audio object as unlocked to ensure it can get returned + // to the unlocked pool when released. + audioNode._unlocked = true; + + // Add the audio node to the pool. + self._releaseHtml5Audio(audioNode); + } catch (e) { + self.noAudio = true; + break; + } + } + + // Loop through any assigned audio nodes and unlock them. + for (var i=0; i= 55. + if (typeof self.ctx.resume === 'function') { + self.ctx.resume(); + } + + // Setup a timeout to check that we are unlocked on the next event loop. + source.onended = function() { + source.disconnect(0); + + // Update the unlocked state and prevent this check from happening again. + self._audioUnlocked = true; + + // Remove the touch start listener. + document.removeEventListener('touchstart', unlock, true); + document.removeEventListener('touchend', unlock, true); + document.removeEventListener('click', unlock, true); + document.removeEventListener('keydown', unlock, true); + + // Let all sounds know that audio has been unlocked. + for (var i=0; i 0 ? sound._seek : self._sprite[sprite][0] / 1000); + var duration = Math.max(0, ((self._sprite[sprite][0] + self._sprite[sprite][1]) / 1000) - seek); + var timeout = (duration * 1000) / Math.abs(sound._rate); + var start = self._sprite[sprite][0] / 1000; + var stop = (self._sprite[sprite][0] + self._sprite[sprite][1]) / 1000; + sound._sprite = sprite; + + // Mark the sound as ended instantly so that this async playback + // doesn't get grabbed by another call to play while this one waits to start. + sound._ended = false; + + // Update the parameters of the sound. + var setParams = function() { + sound._paused = false; + sound._seek = seek; + sound._start = start; + sound._stop = stop; + sound._loop = !!(sound._loop || self._sprite[sprite][2]); + }; + + // End the sound instantly if seek is at the end. + if (seek >= stop) { + self._ended(sound); + return; + } + + // Begin the actual playback. + var node = sound._node; + if (self._webAudio) { + // Fire this when the sound is ready to play to begin Web Audio playback. + var playWebAudio = function() { + self._playLock = false; + setParams(); + self._refreshBuffer(sound); + + // Setup the playback params. + var vol = (sound._muted || self._muted) ? 0 : sound._volume; + node.gain.setValueAtTime(vol, Howler.ctx.currentTime); + sound._playStart = Howler.ctx.currentTime; + + // Play the sound using the supported method. + if (typeof node.bufferSource.start === 'undefined') { + sound._loop ? node.bufferSource.noteGrainOn(0, seek, 86400) : node.bufferSource.noteGrainOn(0, seek, duration); + } else { + sound._loop ? node.bufferSource.start(0, seek, 86400) : node.bufferSource.start(0, seek, duration); + } + + // Start a new timer if none is present. + if (timeout !== Infinity) { + self._endTimers[sound._id] = setTimeout(self._ended.bind(self, sound), timeout); + } + + if (!internal) { + setTimeout(function() { + self._emit('play', sound._id); + self._loadQueue(); + }, 0); + } + }; + + if (Howler.state === 'running' && Howler.ctx.state !== 'interrupted') { + playWebAudio(); + } else { + self._playLock = true; + + // Wait for the audio context to resume before playing. + self.once('resume', playWebAudio); + + // Cancel the end timer. + self._clearTimer(sound._id); + } + } else { + // Fire this when the sound is ready to play to begin HTML5 Audio playback. + var playHtml5 = function() { + node.currentTime = seek; + node.muted = sound._muted || self._muted || Howler._muted || node.muted; + node.volume = sound._volume * Howler.volume(); + node.playbackRate = sound._rate; + + // Some browsers will throw an error if this is called without user interaction. + try { + var play = node.play(); + + // Support older browsers that don't support promises, and thus don't have this issue. + if (play && typeof Promise !== 'undefined' && (play instanceof Promise || typeof play.then === 'function')) { + // Implements a lock to prevent DOMException: The play() request was interrupted by a call to pause(). + self._playLock = true; + + // Set param values immediately. + setParams(); + + // Releases the lock and executes queued actions. + play + .then(function() { + self._playLock = false; + node._unlocked = true; + if (!internal) { + self._emit('play', sound._id); + } else { + self._loadQueue(); + } + }) + .catch(function() { + self._playLock = false; + self._emit('playerror', sound._id, 'Playback was unable to start. This is most commonly an issue ' + + 'on mobile devices and Chrome where playback was not within a user interaction.'); + + // Reset the ended and paused values. + sound._ended = true; + sound._paused = true; + }); + } else if (!internal) { + self._playLock = false; + setParams(); + self._emit('play', sound._id); + } + + // Setting rate before playing won't work in IE, so we set it again here. + node.playbackRate = sound._rate; + + // If the node is still paused, then we can assume there was a playback issue. + if (node.paused) { + self._emit('playerror', sound._id, 'Playback was unable to start. This is most commonly an issue ' + + 'on mobile devices and Chrome where playback was not within a user interaction.'); + return; + } + + // Setup the end timer on sprites or listen for the ended event. + if (sprite !== '__default' || sound._loop) { + self._endTimers[sound._id] = setTimeout(self._ended.bind(self, sound), timeout); + } else { + self._endTimers[sound._id] = function() { + // Fire ended on this audio node. + self._ended(sound); + + // Clear this listener. + node.removeEventListener('ended', self._endTimers[sound._id], false); + }; + node.addEventListener('ended', self._endTimers[sound._id], false); + } + } catch (err) { + self._emit('playerror', sound._id, err); + } + }; + + // If this is streaming audio, make sure the src is set and load again. + if (node.src === 'data:audio/wav;base64,UklGRigAAABXQVZFZm10IBIAAAABAAEARKwAAIhYAQACABAAAABkYXRhAgAAAAEA') { + node.src = self._src; + node.load(); + } + + // Play immediately if ready, or wait for the 'canplaythrough'e vent. + var loadedNoReadyState = (window && window.ejecta) || (!node.readyState && Howler._navigator.isCocoonJS); + if (node.readyState >= 3 || loadedNoReadyState) { + playHtml5(); + } else { + self._playLock = true; + self._state = 'loading'; + + var listener = function() { + self._state = 'loaded'; + + // Begin playback. + playHtml5(); + + // Clear this listener. + node.removeEventListener(Howler._canPlayEvent, listener, false); + }; + node.addEventListener(Howler._canPlayEvent, listener, false); + + // Cancel the end timer. + self._clearTimer(sound._id); + } + } + + return sound._id; + }, + + /** + * Pause playback and save current position. + * @param {Number} id The sound ID (empty to pause all in group). + * @return {Howl} + */ + pause: function(id) { + var self = this; + + // If the sound hasn't loaded or a play() promise is pending, add it to the load queue to pause when capable. + if (self._state !== 'loaded' || self._playLock) { + self._queue.push({ + event: 'pause', + action: function() { + self.pause(id); + } + }); + + return self; + } + + // If no id is passed, get all ID's to be paused. + var ids = self._getSoundIds(id); + + for (var i=0; i Returns the group's volume value. + * volume(id) -> Returns the sound id's current volume. + * volume(vol) -> Sets the volume of all sounds in this Howl group. + * volume(vol, id) -> Sets the volume of passed sound id. + * @return {Howl/Number} Returns self or current volume. + */ + volume: function() { + var self = this; + var args = arguments; + var vol, id; + + // Determine the values based on arguments. + if (args.length === 0) { + // Return the value of the groups' volume. + return self._volume; + } else if (args.length === 1 || args.length === 2 && typeof args[1] === 'undefined') { + // First check if this is an ID, and if not, assume it is a new volume. + var ids = self._getSoundIds(); + var index = ids.indexOf(args[0]); + if (index >= 0) { + id = parseInt(args[0], 10); + } else { + vol = parseFloat(args[0]); + } + } else if (args.length >= 2) { + vol = parseFloat(args[0]); + id = parseInt(args[1], 10); + } + + // Update the volume or return the current volume. + var sound; + if (typeof vol !== 'undefined' && vol >= 0 && vol <= 1) { + // If the sound hasn't loaded, add it to the load queue to change volume when capable. + if (self._state !== 'loaded'|| self._playLock) { + self._queue.push({ + event: 'volume', + action: function() { + self.volume.apply(self, args); + } + }); + + return self; + } + + // Set the group volume. + if (typeof id === 'undefined') { + self._volume = vol; + } + + // Update one or all volumes. + id = self._getSoundIds(id); + for (var i=0; i 0) ? len / steps : len); + var lastTick = Date.now(); + + // Store the value being faded to. + sound._fadeTo = to; + + // Update the volume value on each interval tick. + sound._interval = setInterval(function() { + // Update the volume based on the time since the last tick. + var tick = (Date.now() - lastTick) / len; + lastTick = Date.now(); + vol += diff * tick; + + // Round to within 2 decimal points. + vol = Math.round(vol * 100) / 100; + + // Make sure the volume is in the right bounds. + if (diff < 0) { + vol = Math.max(to, vol); + } else { + vol = Math.min(to, vol); + } + + // Change the volume. + if (self._webAudio) { + sound._volume = vol; + } else { + self.volume(vol, sound._id, true); + } + + // Set the group's volume. + if (isGroup) { + self._volume = vol; + } + + // When the fade is complete, stop it and fire event. + if ((to < from && vol <= to) || (to > from && vol >= to)) { + clearInterval(sound._interval); + sound._interval = null; + sound._fadeTo = null; + self.volume(to, sound._id); + self._emit('fade', sound._id); + } + }, stepLen); + }, + + /** + * Internal method that stops the currently playing fade when + * a new fade starts, volume is changed or the sound is stopped. + * @param {Number} id The sound id. + * @return {Howl} + */ + _stopFade: function(id) { + var self = this; + var sound = self._soundById(id); + + if (sound && sound._interval) { + if (self._webAudio) { + sound._node.gain.cancelScheduledValues(Howler.ctx.currentTime); + } + + clearInterval(sound._interval); + sound._interval = null; + self.volume(sound._fadeTo, id); + sound._fadeTo = null; + self._emit('fade', id); + } + + return self; + }, + + /** + * Get/set the loop parameter on a sound. This method can optionally take 0, 1 or 2 arguments. + * loop() -> Returns the group's loop value. + * loop(id) -> Returns the sound id's loop value. + * loop(loop) -> Sets the loop value for all sounds in this Howl group. + * loop(loop, id) -> Sets the loop value of passed sound id. + * @return {Howl/Boolean} Returns self or current loop value. + */ + loop: function() { + var self = this; + var args = arguments; + var loop, id, sound; + + // Determine the values for loop and id. + if (args.length === 0) { + // Return the grou's loop value. + return self._loop; + } else if (args.length === 1) { + if (typeof args[0] === 'boolean') { + loop = args[0]; + self._loop = loop; + } else { + // Return this sound's loop value. + sound = self._soundById(parseInt(args[0], 10)); + return sound ? sound._loop : false; + } + } else if (args.length === 2) { + loop = args[0]; + id = parseInt(args[1], 10); + } + + // If no id is passed, get all ID's to be looped. + var ids = self._getSoundIds(id); + for (var i=0; i Returns the first sound node's current playback rate. + * rate(id) -> Returns the sound id's current playback rate. + * rate(rate) -> Sets the playback rate of all sounds in this Howl group. + * rate(rate, id) -> Sets the playback rate of passed sound id. + * @return {Howl/Number} Returns self or the current playback rate. + */ + rate: function() { + var self = this; + var args = arguments; + var rate, id; + + // Determine the values based on arguments. + if (args.length === 0) { + // We will simply return the current rate of the first node. + id = self._sounds[0]._id; + } else if (args.length === 1) { + // First check if this is an ID, and if not, assume it is a new rate value. + var ids = self._getSoundIds(); + var index = ids.indexOf(args[0]); + if (index >= 0) { + id = parseInt(args[0], 10); + } else { + rate = parseFloat(args[0]); + } + } else if (args.length === 2) { + rate = parseFloat(args[0]); + id = parseInt(args[1], 10); + } + + // Update the playback rate or return the current value. + var sound; + if (typeof rate === 'number') { + // If the sound hasn't loaded, add it to the load queue to change playback rate when capable. + if (self._state !== 'loaded' || self._playLock) { + self._queue.push({ + event: 'rate', + action: function() { + self.rate.apply(self, args); + } + }); + + return self; + } + + // Set the group rate. + if (typeof id === 'undefined') { + self._rate = rate; + } + + // Update one or all volumes. + id = self._getSoundIds(id); + for (var i=0; i Returns the first sound node's current seek position. + * seek(id) -> Returns the sound id's current seek position. + * seek(seek) -> Sets the seek position of the first sound node. + * seek(seek, id) -> Sets the seek position of passed sound id. + * @return {Howl/Number} Returns self or the current seek position. + */ + seek: function() { + var self = this; + var args = arguments; + var seek, id; + + // Determine the values based on arguments. + if (args.length === 0) { + // We will simply return the current position of the first node. + if (self._sounds.length) { + id = self._sounds[0]._id; + } + } else if (args.length === 1) { + // First check if this is an ID, and if not, assume it is a new seek position. + var ids = self._getSoundIds(); + var index = ids.indexOf(args[0]); + if (index >= 0) { + id = parseInt(args[0], 10); + } else if (self._sounds.length) { + id = self._sounds[0]._id; + seek = parseFloat(args[0]); + } + } else if (args.length === 2) { + seek = parseFloat(args[0]); + id = parseInt(args[1], 10); + } + + // If there is no ID, bail out. + if (typeof id === 'undefined') { + return 0; + } + + // If the sound hasn't loaded, add it to the load queue to seek when capable. + if (typeof seek === 'number' && (self._state !== 'loaded' || self._playLock)) { + self._queue.push({ + event: 'seek', + action: function() { + self.seek.apply(self, args); + } + }); + + return self; + } + + // Get the sound. + var sound = self._soundById(id); + + if (sound) { + if (typeof seek === 'number' && seek >= 0) { + // Pause the sound and update position for restarting playback. + var playing = self.playing(id); + if (playing) { + self.pause(id, true); + } + + // Move the position of the track and cancel timer. + sound._seek = seek; + sound._ended = false; + self._clearTimer(id); + + // Update the seek position for HTML5 Audio. + if (!self._webAudio && sound._node && !isNaN(sound._node.duration)) { + sound._node.currentTime = seek; + } + + // Seek and emit when ready. + var seekAndEmit = function() { + // Restart the playback if the sound was playing. + if (playing) { + self.play(id, true); + } + + self._emit('seek', id); + }; + + // Wait for the play lock to be unset before emitting (HTML5 Audio). + if (playing && !self._webAudio) { + var emitSeek = function() { + if (!self._playLock) { + seekAndEmit(); + } else { + setTimeout(emitSeek, 0); + } + }; + setTimeout(emitSeek, 0); + } else { + seekAndEmit(); + } + } else { + if (self._webAudio) { + var realTime = self.playing(id) ? Howler.ctx.currentTime - sound._playStart : 0; + var rateSeek = sound._rateSeek ? sound._rateSeek - sound._seek : 0; + return sound._seek + (rateSeek + realTime * Math.abs(sound._rate)); + } else { + return sound._node.currentTime; + } + } + } + + return self; + }, + + /** + * Check if a specific sound is currently playing or not (if id is provided), or check if at least one of the sounds in the group is playing or not. + * @param {Number} id The sound id to check. If none is passed, the whole sound group is checked. + * @return {Boolean} True if playing and false if not. + */ + playing: function(id) { + var self = this; + + // Check the passed sound ID (if any). + if (typeof id === 'number') { + var sound = self._soundById(id); + return sound ? !sound._paused : false; + } + + // Otherwise, loop through all sounds and check if any are playing. + for (var i=0; i= 0) { + Howler._howls.splice(index, 1); + } + + // Delete this sound from the cache (if no other Howl is using it). + var remCache = true; + for (i=0; i= 0) { + remCache = false; + break; + } + } + + if (cache && remCache) { + delete cache[self._src]; + } + + // Clear global errors. + Howler.noAudio = false; + + // Clear out `self`. + self._state = 'unloaded'; + self._sounds = []; + self = null; + + return null; + }, + + /** + * Listen to a custom event. + * @param {String} event Event name. + * @param {Function} fn Listener to call. + * @param {Number} id (optional) Only listen to events for this sound. + * @param {Number} once (INTERNAL) Marks event to fire only once. + * @return {Howl} + */ + on: function(event, fn, id, once) { + var self = this; + var events = self['_on' + event]; + + if (typeof fn === 'function') { + events.push(once ? {id: id, fn: fn, once: once} : {id: id, fn: fn}); + } + + return self; + }, + + /** + * Remove a custom event. Call without parameters to remove all events. + * @param {String} event Event name. + * @param {Function} fn Listener to remove. Leave empty to remove all. + * @param {Number} id (optional) Only remove events for this sound. + * @return {Howl} + */ + off: function(event, fn, id) { + var self = this; + var events = self['_on' + event]; + var i = 0; + + // Allow passing just an event and ID. + if (typeof fn === 'number') { + id = fn; + fn = null; + } + + if (fn || id) { + // Loop through event store and remove the passed function. + for (i=0; i=0; i--) { + // Only fire the listener if the correct ID is used. + if (!events[i].id || events[i].id === id || event === 'load') { + setTimeout(function(fn) { + fn.call(this, id, msg); + }.bind(self, events[i].fn), 0); + + // If this event was setup with `once`, remove it. + if (events[i].once) { + self.off(event, events[i].fn, events[i].id); + } + } + } + + // Pass the event type into load queue so that it can continue stepping. + self._loadQueue(event); + + return self; + }, + + /** + * Queue of actions initiated before the sound has loaded. + * These will be called in sequence, with the next only firing + * after the previous has finished executing (even if async like play). + * @return {Howl} + */ + _loadQueue: function(event) { + var self = this; + + if (self._queue.length > 0) { + var task = self._queue[0]; + + // Remove this task if a matching event was passed. + if (task.event === event) { + self._queue.shift(); + self._loadQueue(); + } + + // Run the task if no event type is passed. + if (!event) { + task.action(); + } + } + + return self; + }, + + /** + * Fired when playback ends at the end of the duration. + * @param {Sound} sound The sound object to work with. + * @return {Howl} + */ + _ended: function(sound) { + var self = this; + var sprite = sound._sprite; + + // If we are using IE and there was network latency we may be clipping + // audio before it completes playing. Lets check the node to make sure it + // believes it has completed, before ending the playback. + if (!self._webAudio && sound._node && !sound._node.paused && !sound._node.ended && sound._node.currentTime < sound._stop) { + setTimeout(self._ended.bind(self, sound), 100); + return self; + } + + // Should this sound loop? + var loop = !!(sound._loop || self._sprite[sprite][2]); + + // Fire the ended event. + self._emit('end', sound._id); + + // Restart the playback for HTML5 Audio loop. + if (!self._webAudio && loop) { + self.stop(sound._id, true).play(sound._id); + } + + // Restart this timer if on a Web Audio loop. + if (self._webAudio && loop) { + self._emit('play', sound._id); + sound._seek = sound._start || 0; + sound._rateSeek = 0; + sound._playStart = Howler.ctx.currentTime; + + var timeout = ((sound._stop - sound._start) * 1000) / Math.abs(sound._rate); + self._endTimers[sound._id] = setTimeout(self._ended.bind(self, sound), timeout); + } + + // Mark the node as paused. + if (self._webAudio && !loop) { + sound._paused = true; + sound._ended = true; + sound._seek = sound._start || 0; + sound._rateSeek = 0; + self._clearTimer(sound._id); + + // Clean up the buffer source. + self._cleanBuffer(sound._node); + + // Attempt to auto-suspend AudioContext if no sounds are still playing. + Howler._autoSuspend(); + } + + // When using a sprite, end the track. + if (!self._webAudio && !loop) { + self.stop(sound._id, true); + } + + return self; + }, + + /** + * Clear the end timer for a sound playback. + * @param {Number} id The sound ID. + * @return {Howl} + */ + _clearTimer: function(id) { + var self = this; + + if (self._endTimers[id]) { + // Clear the timeout or remove the ended listener. + if (typeof self._endTimers[id] !== 'function') { + clearTimeout(self._endTimers[id]); + } else { + var sound = self._soundById(id); + if (sound && sound._node) { + sound._node.removeEventListener('ended', self._endTimers[id], false); + } + } + + delete self._endTimers[id]; + } + + return self; + }, + + /** + * Return the sound identified by this ID, or return null. + * @param {Number} id Sound ID + * @return {Object} Sound object or null. + */ + _soundById: function(id) { + var self = this; + + // Loop through all sounds and find the one with this ID. + for (var i=0; i=0; i--) { + if (cnt <= limit) { + return; + } + + if (self._sounds[i]._ended) { + // Disconnect the audio source when using Web Audio. + if (self._webAudio && self._sounds[i]._node) { + self._sounds[i]._node.disconnect(0); + } + + // Remove sounds until we have the pool size. + self._sounds.splice(i, 1); + cnt--; + } + } + }, + + /** + * Get all ID's from the sounds pool. + * @param {Number} id Only return one ID if one is passed. + * @return {Array} Array of IDs. + */ + _getSoundIds: function(id) { + var self = this; + + if (typeof id === 'undefined') { + var ids = []; + for (var i=0; i= 0; + + if (Howler._scratchBuffer && node.bufferSource) { + node.bufferSource.onended = null; + node.bufferSource.disconnect(0); + if (isIOS) { + try { node.bufferSource.buffer = Howler._scratchBuffer; } catch(e) {} + } + } + node.bufferSource = null; + + return self; + }, + + /** + * Set the source to a 0-second silence to stop any downloading (except in IE). + * @param {Object} node Audio node to clear. + */ + _clearSound: function(node) { + var checkIE = /MSIE |Trident\//.test(Howler._navigator && Howler._navigator.userAgent); + if (!checkIE) { + node.src = 'data:audio/wav;base64,UklGRigAAABXQVZFZm10IBIAAAABAAEARKwAAIhYAQACABAAAABkYXRhAgAAAAEA'; + } + } + }; + + /** Single Sound Methods **/ + /***************************************************************************/ + + /** + * Setup the sound object, which each node attached to a Howl group is contained in. + * @param {Object} howl The Howl parent group. + */ + var Sound = function(howl) { + this._parent = howl; + this.init(); + }; + Sound.prototype = { + /** + * Initialize a new Sound object. + * @return {Sound} + */ + init: function() { + var self = this; + var parent = self._parent; + + // Setup the default parameters. + self._muted = parent._muted; + self._loop = parent._loop; + self._volume = parent._volume; + self._rate = parent._rate; + self._seek = 0; + self._paused = true; + self._ended = true; + self._sprite = '__default'; + + // Generate a unique ID for this sound. + self._id = ++Howler._counter; + + // Add itself to the parent's pool. + parent._sounds.push(self); + + // Create the new node. + self.create(); + + return self; + }, + + /** + * Create and setup a new sound object, whether HTML5 Audio or Web Audio. + * @return {Sound} + */ + create: function() { + var self = this; + var parent = self._parent; + var volume = (Howler._muted || self._muted || self._parent._muted) ? 0 : self._volume; + + if (parent._webAudio) { + // Create the gain node for controlling volume (the source will connect to this). + self._node = (typeof Howler.ctx.createGain === 'undefined') ? Howler.ctx.createGainNode() : Howler.ctx.createGain(); + self._node.gain.setValueAtTime(volume, Howler.ctx.currentTime); + self._node.paused = true; + self._node.connect(Howler.masterGain); + } else if (!Howler.noAudio) { + // Get an unlocked Audio object from the pool. + self._node = Howler._obtainHtml5Audio(); + + // Listen for errors (http://dev.w3.org/html5/spec-author-view/spec.html#mediaerror). + self._errorFn = self._errorListener.bind(self); + self._node.addEventListener('error', self._errorFn, false); + + // Listen for 'canplaythrough' event to let us know the sound is ready. + self._loadFn = self._loadListener.bind(self); + self._node.addEventListener(Howler._canPlayEvent, self._loadFn, false); + + // Listen for the 'ended' event on the sound to account for edge-case where + // a finite sound has a duration of Infinity. + self._endFn = self._endListener.bind(self); + self._node.addEventListener('ended', self._endFn, false); + + // Setup the new audio node. + self._node.src = parent._src; + self._node.preload = parent._preload === true ? 'auto' : parent._preload; + self._node.volume = volume * Howler.volume(); + + // Begin loading the source. + self._node.load(); + } + + return self; + }, + + /** + * Reset the parameters of this sound to the original state (for recycle). + * @return {Sound} + */ + reset: function() { + var self = this; + var parent = self._parent; + + // Reset all of the parameters of this sound. + self._muted = parent._muted; + self._loop = parent._loop; + self._volume = parent._volume; + self._rate = parent._rate; + self._seek = 0; + self._rateSeek = 0; + self._paused = true; + self._ended = true; + self._sprite = '__default'; + + // Generate a new ID so that it isn't confused with the previous sound. + self._id = ++Howler._counter; + + return self; + }, + + /** + * HTML5 Audio error listener callback. + */ + _errorListener: function() { + var self = this; + + // Fire an error event and pass back the code. + self._parent._emit('loaderror', self._id, self._node.error ? self._node.error.code : 0); + + // Clear the event listener. + self._node.removeEventListener('error', self._errorFn, false); + }, + + /** + * HTML5 Audio canplaythrough listener callback. + */ + _loadListener: function() { + var self = this; + var parent = self._parent; + + // Round up the duration to account for the lower precision in HTML5 Audio. + parent._duration = Math.ceil(self._node.duration * 10) / 10; + + // Setup a sprite if none is defined. + if (Object.keys(parent._sprite).length === 0) { + parent._sprite = {__default: [0, parent._duration * 1000]}; + } + + if (parent._state !== 'loaded') { + parent._state = 'loaded'; + parent._emit('load'); + parent._loadQueue(); + } + + // Clear the event listener. + self._node.removeEventListener(Howler._canPlayEvent, self._loadFn, false); + }, + + /** + * HTML5 Audio ended listener callback. + */ + _endListener: function() { + var self = this; + var parent = self._parent; + + // Only handle the `ended`` event if the duration is Infinity. + if (parent._duration === Infinity) { + // Update the parent duration to match the real audio duration. + // Round up the duration to account for the lower precision in HTML5 Audio. + parent._duration = Math.ceil(self._node.duration * 10) / 10; + + // Update the sprite that corresponds to the real duration. + if (parent._sprite.__default[1] === Infinity) { + parent._sprite.__default[1] = parent._duration * 1000; + } + + // Run the regular ended method. + parent._ended(self); + } + + // Clear the event listener since the duration is now correct. + self._node.removeEventListener('ended', self._endFn, false); + } + }; + + /** Helper Methods **/ + /***************************************************************************/ + + var cache = {}; + + /** + * Buffer a sound from URL, Data URI or cache and decode to audio source (Web Audio API). + * @param {Howl} self + */ + var loadBuffer = function(self) { + var url = self._src; + + // Check if the buffer has already been cached and use it instead. + if (cache[url]) { + // Set the duration from the cache. + self._duration = cache[url].duration; + + // Load the sound into this Howl. + loadSound(self); + + return; + } + + if (/^data:[^;]+;base64,/.test(url)) { + // Decode the base64 data URI without XHR, since some browsers don't support it. + var data = atob(url.split(',')[1]); + var dataView = new Uint8Array(data.length); + for (var i=0; i 0) { + cache[self._src] = buffer; + loadSound(self, buffer); + } else { + error(); + } + }; + + // Decode the buffer into an audio source. + if (typeof Promise !== 'undefined' && Howler.ctx.decodeAudioData.length === 1) { + Howler.ctx.decodeAudioData(arraybuffer).then(success).catch(error); + } else { + Howler.ctx.decodeAudioData(arraybuffer, success, error); + } + }; + + /** + * Sound is now loaded, so finish setting everything up and fire the loaded event. + * @param {Howl} self + * @param {Object} buffer The decoded buffer sound source. + */ + var loadSound = function(self, buffer) { + // Set the duration. + if (buffer && !self._duration) { + self._duration = buffer.duration; + } + + // Setup a sprite if none is defined. + if (Object.keys(self._sprite).length === 0) { + self._sprite = {__default: [0, self._duration * 1000]}; + } + + // Fire the loaded event. + if (self._state !== 'loaded') { + self._state = 'loaded'; + self._emit('load'); + self._loadQueue(); + } + }; + + /** + * Setup the audio context when available, or switch to HTML5 Audio mode. + */ + var setupAudioContext = function() { + // If we have already detected that Web Audio isn't supported, don't run this step again. + if (!Howler.usingWebAudio) { + return; + } + + // Check if we are using Web Audio and setup the AudioContext if we are. + try { + if (typeof AudioContext !== 'undefined') { + Howler.ctx = new AudioContext(); + } else if (typeof webkitAudioContext !== 'undefined') { + Howler.ctx = new webkitAudioContext(); + } else { + Howler.usingWebAudio = false; + } + } catch(e) { + Howler.usingWebAudio = false; + } + + // If the audio context creation still failed, set using web audio to false. + if (!Howler.ctx) { + Howler.usingWebAudio = false; + } + + // Check if a webview is being used on iOS8 or earlier (rather than the browser). + // If it is, disable Web Audio as it causes crashing. + var iOS = (/iP(hone|od|ad)/.test(Howler._navigator && Howler._navigator.platform)); + var appVersion = Howler._navigator && Howler._navigator.appVersion.match(/OS (\d+)_(\d+)_?(\d+)?/); + var version = appVersion ? parseInt(appVersion[1], 10) : null; + if (iOS && version && version < 9) { + var safari = /safari/.test(Howler._navigator && Howler._navigator.userAgent.toLowerCase()); + if (Howler._navigator && !safari) { + Howler.usingWebAudio = false; + } + } + + // Create and expose the master GainNode when using Web Audio (useful for plugins or advanced usage). + if (Howler.usingWebAudio) { + Howler.masterGain = (typeof Howler.ctx.createGain === 'undefined') ? Howler.ctx.createGainNode() : Howler.ctx.createGain(); + Howler.masterGain.gain.setValueAtTime(Howler._muted ? 0 : Howler._volume, Howler.ctx.currentTime); + Howler.masterGain.connect(Howler.ctx.destination); + } + + // Re-run the setup on Howler. + Howler._setup(); + }; + + // Add support for CommonJS libraries such as browserify. + { + exports.Howler = Howler; + exports.Howl = Howl; + } + + // Add to global in Node.js (for testing, etc). + if (typeof commonjsGlobal !== 'undefined') { + commonjsGlobal.HowlerGlobal = HowlerGlobal; + commonjsGlobal.Howler = Howler; + commonjsGlobal.Howl = Howl; + commonjsGlobal.Sound = Sound; + } else if (typeof window !== 'undefined') { // Define globally in case AMD is not available or unused. + window.HowlerGlobal = HowlerGlobal; + window.Howler = Howler; + window.Howl = Howl; + window.Sound = Sound; + } +})(); + + +/*! + * Spatial Plugin - Adds support for stereo and 3D audio where Web Audio is supported. + * + * howler.js v2.2.3 + * howlerjs.com + * + * (c) 2013-2020, James Simpson of GoldFire Studios + * goldfirestudios.com + * + * MIT License + */ + +(function() { + + // Setup default properties. + HowlerGlobal.prototype._pos = [0, 0, 0]; + HowlerGlobal.prototype._orientation = [0, 0, -1, 0, 1, 0]; + + /** Global Methods **/ + /***************************************************************************/ + + /** + * Helper method to update the stereo panning position of all current Howls. + * Future Howls will not use this value unless explicitly set. + * @param {Number} pan A value of -1.0 is all the way left and 1.0 is all the way right. + * @return {Howler/Number} Self or current stereo panning value. + */ + HowlerGlobal.prototype.stereo = function(pan) { + var self = this; + + // Stop right here if not using Web Audio. + if (!self.ctx || !self.ctx.listener) { + return self; + } + + // Loop through all Howls and update their stereo panning. + for (var i=self._howls.length-1; i>=0; i--) { + self._howls[i].stereo(pan); + } + + return self; + }; + + /** + * Get/set the position of the listener in 3D cartesian space. Sounds using + * 3D position will be relative to the listener's position. + * @param {Number} x The x-position of the listener. + * @param {Number} y The y-position of the listener. + * @param {Number} z The z-position of the listener. + * @return {Howler/Array} Self or current listener position. + */ + HowlerGlobal.prototype.pos = function(x, y, z) { + var self = this; + + // Stop right here if not using Web Audio. + if (!self.ctx || !self.ctx.listener) { + return self; + } + + // Set the defaults for optional 'y' & 'z'. + y = (typeof y !== 'number') ? self._pos[1] : y; + z = (typeof z !== 'number') ? self._pos[2] : z; + + if (typeof x === 'number') { + self._pos = [x, y, z]; + + if (typeof self.ctx.listener.positionX !== 'undefined') { + self.ctx.listener.positionX.setTargetAtTime(self._pos[0], Howler.ctx.currentTime, 0.1); + self.ctx.listener.positionY.setTargetAtTime(self._pos[1], Howler.ctx.currentTime, 0.1); + self.ctx.listener.positionZ.setTargetAtTime(self._pos[2], Howler.ctx.currentTime, 0.1); + } else { + self.ctx.listener.setPosition(self._pos[0], self._pos[1], self._pos[2]); + } + } else { + return self._pos; + } + + return self; + }; + + /** + * Get/set the direction the listener is pointing in the 3D cartesian space. + * A front and up vector must be provided. The front is the direction the + * face of the listener is pointing, and up is the direction the top of the + * listener is pointing. Thus, these values are expected to be at right angles + * from each other. + * @param {Number} x The x-orientation of the listener. + * @param {Number} y The y-orientation of the listener. + * @param {Number} z The z-orientation of the listener. + * @param {Number} xUp The x-orientation of the top of the listener. + * @param {Number} yUp The y-orientation of the top of the listener. + * @param {Number} zUp The z-orientation of the top of the listener. + * @return {Howler/Array} Returns self or the current orientation vectors. + */ + HowlerGlobal.prototype.orientation = function(x, y, z, xUp, yUp, zUp) { + var self = this; + + // Stop right here if not using Web Audio. + if (!self.ctx || !self.ctx.listener) { + return self; + } + + // Set the defaults for optional 'y' & 'z'. + var or = self._orientation; + y = (typeof y !== 'number') ? or[1] : y; + z = (typeof z !== 'number') ? or[2] : z; + xUp = (typeof xUp !== 'number') ? or[3] : xUp; + yUp = (typeof yUp !== 'number') ? or[4] : yUp; + zUp = (typeof zUp !== 'number') ? or[5] : zUp; + + if (typeof x === 'number') { + self._orientation = [x, y, z, xUp, yUp, zUp]; + + if (typeof self.ctx.listener.forwardX !== 'undefined') { + self.ctx.listener.forwardX.setTargetAtTime(x, Howler.ctx.currentTime, 0.1); + self.ctx.listener.forwardY.setTargetAtTime(y, Howler.ctx.currentTime, 0.1); + self.ctx.listener.forwardZ.setTargetAtTime(z, Howler.ctx.currentTime, 0.1); + self.ctx.listener.upX.setTargetAtTime(xUp, Howler.ctx.currentTime, 0.1); + self.ctx.listener.upY.setTargetAtTime(yUp, Howler.ctx.currentTime, 0.1); + self.ctx.listener.upZ.setTargetAtTime(zUp, Howler.ctx.currentTime, 0.1); + } else { + self.ctx.listener.setOrientation(x, y, z, xUp, yUp, zUp); + } + } else { + return or; + } + + return self; + }; + + /** Group Methods **/ + /***************************************************************************/ + + /** + * Add new properties to the core init. + * @param {Function} _super Core init method. + * @return {Howl} + */ + Howl.prototype.init = (function(_super) { + return function(o) { + var self = this; + + // Setup user-defined default properties. + self._orientation = o.orientation || [1, 0, 0]; + self._stereo = o.stereo || null; + self._pos = o.pos || null; + self._pannerAttr = { + coneInnerAngle: typeof o.coneInnerAngle !== 'undefined' ? o.coneInnerAngle : 360, + coneOuterAngle: typeof o.coneOuterAngle !== 'undefined' ? o.coneOuterAngle : 360, + coneOuterGain: typeof o.coneOuterGain !== 'undefined' ? o.coneOuterGain : 0, + distanceModel: typeof o.distanceModel !== 'undefined' ? o.distanceModel : 'inverse', + maxDistance: typeof o.maxDistance !== 'undefined' ? o.maxDistance : 10000, + panningModel: typeof o.panningModel !== 'undefined' ? o.panningModel : 'HRTF', + refDistance: typeof o.refDistance !== 'undefined' ? o.refDistance : 1, + rolloffFactor: typeof o.rolloffFactor !== 'undefined' ? o.rolloffFactor : 1 + }; + + // Setup event listeners. + self._onstereo = o.onstereo ? [{fn: o.onstereo}] : []; + self._onpos = o.onpos ? [{fn: o.onpos}] : []; + self._onorientation = o.onorientation ? [{fn: o.onorientation}] : []; + + // Complete initilization with howler.js core's init function. + return _super.call(this, o); + }; + })(Howl.prototype.init); + + /** + * Get/set the stereo panning of the audio source for this sound or all in the group. + * @param {Number} pan A value of -1.0 is all the way left and 1.0 is all the way right. + * @param {Number} id (optional) The sound ID. If none is passed, all in group will be updated. + * @return {Howl/Number} Returns self or the current stereo panning value. + */ + Howl.prototype.stereo = function(pan, id) { + var self = this; + + // Stop right here if not using Web Audio. + if (!self._webAudio) { + return self; + } + + // If the sound hasn't loaded, add it to the load queue to change stereo pan when capable. + if (self._state !== 'loaded') { + self._queue.push({ + event: 'stereo', + action: function() { + self.stereo(pan, id); + } + }); + + return self; + } + + // Check for PannerStereoNode support and fallback to PannerNode if it doesn't exist. + var pannerType = (typeof Howler.ctx.createStereoPanner === 'undefined') ? 'spatial' : 'stereo'; + + // Setup the group's stereo panning if no ID is passed. + if (typeof id === 'undefined') { + // Return the group's stereo panning if no parameters are passed. + if (typeof pan === 'number') { + self._stereo = pan; + self._pos = [pan, 0, 0]; + } else { + return self._stereo; + } + } + + // Change the streo panning of one or all sounds in group. + var ids = self._getSoundIds(id); + for (var i=0; i") { - if (stream.eat(">")) { - state.position = "metadata-key"; - return "metadata" + // If the sound hasn't loaded, add it to the load queue to change position when capable. + if (self._state !== 'loaded') { + self._queue.push({ + event: 'pos', + action: function() { + self.pos(x, y, z, id); } + }); + + return self; + } + + // Set the defaults for optional 'y' & 'z'. + y = (typeof y !== 'number') ? 0 : y; + z = (typeof z !== 'number') ? -0.5 : z; + + // Setup the group's spatial position if no ID is passed. + if (typeof id === 'undefined') { + // Return the group's spatial position if no parameters are passed. + if (typeof x === 'number') { + self._pos = [x, y, z]; + } else { + return self._pos; } - if(state.position === "metadata"); - else if(state.position === "metadata-key") { - if(ch === ':') state.position = "metadata"; - } - else { - if (ch === "-") { - if (stream.eat("-")) { - stream.skipToEnd(); - return "comment"; - } - } + } - if (stream.match(/\[-.+?-\]/)) - return "comment"; + // Change the spatial position of one or all sounds in group. + var ids = self._getSoundIds(id); + for (var i=0; i { - let match; - // clear comments - line = line.replace(/(--.*)|(\[-.+?-\])/, ''); - // skip blank lines - if (line.trim().length === 0) - return; - // metadata lines - else if (match = Metadata.regex.exec(line)) { - recipe.metadata.push(new Metadata(match[0])); - } - // method lines - else { - // ingredients on a line - while (match = Ingredient.regex.exec(line)) { - const ingredient = new Ingredient(match[0]); - recipe.ingredients.push(ingredient); - line = line.replace(match[0], ingredient.methodOutput()); - } - // cookware on a line - while (match = Cookware.regex.exec(line)) { - const c = new Cookware(match[0]); - recipe.cookware.push(c); - line = line.replace(match[0], c.methodOutput()); - } - // timers on a line - while (match = Timer.regex.exec(line)) { - const t = new Timer(match[0]); - recipe.timers.push(t); - line = line.replace(match[0], t.methodOutput()); - } - // add in the method line - recipe.method.push(line.trim()); - } - }); - return recipe; + // Setup the group's spatial orientation if no ID is passed. + if (typeof id === 'undefined') { + // Return the group's spatial orientation if no parameters are passed. + if (typeof x === 'number') { + self._orientation = [x, y, z]; + } else { + return self._orientation; + } } -} -// a class representing a recipe -class Recipe { - constructor() { - this.metadata = []; - this.ingredients = []; - this.cookware = []; - this.timers = []; - this.method = []; - this.methodImages = new Map(); - } - calculateTotalTime() { - let time = 0; - this.timers.forEach(timer => { - let amount = 0; - if (parseFloat(timer.amount) + '' == timer.amount) - amount = parseFloat(timer.amount); - else if (timer.amount.contains('/')) { - const split = timer.amount.split('/'); - if (split.length == 2) { - const num = parseFloat(split[0]); - const den = parseFloat(split[1]); - if (num && den) { - amount = num / den; - } - } + + // Change the spatial orientation of one or all sounds in group. + var ids = self._getSoundIds(id); + for (var i=0; i 0) { - if (timer.unit.toLowerCase().startsWith('s')) { - time += amount; - } - else if (timer.unit.toLowerCase().startsWith('m')) { - time += amount * 60; - } - else if (timer.unit.toLowerCase().startsWith('h')) { - time += amount * 60 * 60; - } + + if (typeof sound._panner.orientationX !== 'undefined') { + sound._panner.orientationX.setValueAtTime(x, Howler.ctx.currentTime); + sound._panner.orientationY.setValueAtTime(y, Howler.ctx.currentTime); + sound._panner.orientationZ.setValueAtTime(z, Howler.ctx.currentTime); + } else { + sound._panner.setOrientation(x, y, z); } - }); - return time; + } + + self._emit('orientation', sound._id); + } else { + return sound._orientation; + } + } } -} -// a class representing an ingredient -class Ingredient { - constructor(s) { - var _a; - this.originalString = null; - this.name = null; - this.amount = null; - this.unit = null; - this.methodOutput = () => { - let s = ``; - if (this.amount !== null) { - s += `${this.amount} `; - } - if (this.unit !== null) { - s += `${this.unit} `; - } - s += `${this.name}`; - return s; - }; - this.listOutput = () => { - let s = ``; - if (this.amount !== null) { - s += `${this.amount} `; - } - if (this.unit !== null) { - s += `${this.unit} `; - } - s += this.name; - return s; - }; - this.originalString = s; - const match = Ingredient.regex.exec(s); - this.name = match[1] || match[3]; - const attrs = (_a = match[2]) === null || _a === void 0 ? void 0 : _a.split('%'); - this.amount = attrs && attrs.length > 0 ? attrs[0] : null; - this.unit = attrs && attrs.length > 1 ? attrs[1] : null; + + return self; + }; + + /** + * Get/set the panner node's attributes for a sound or group of sounds. + * This method can optionall take 0, 1 or 2 arguments. + * pannerAttr() -> Returns the group's values. + * pannerAttr(id) -> Returns the sound id's values. + * pannerAttr(o) -> Set's the values of all sounds in this Howl group. + * pannerAttr(o, id) -> Set's the values of passed sound id. + * + * Attributes: + * coneInnerAngle - (360 by default) A parameter for directional audio sources, this is an angle, in degrees, + * inside of which there will be no volume reduction. + * coneOuterAngle - (360 by default) A parameter for directional audio sources, this is an angle, in degrees, + * outside of which the volume will be reduced to a constant value of `coneOuterGain`. + * coneOuterGain - (0 by default) A parameter for directional audio sources, this is the gain outside of the + * `coneOuterAngle`. It is a linear value in the range `[0, 1]`. + * distanceModel - ('inverse' by default) Determines algorithm used to reduce volume as audio moves away from + * listener. Can be `linear`, `inverse` or `exponential. + * maxDistance - (10000 by default) The maximum distance between source and listener, after which the volume + * will not be reduced any further. + * refDistance - (1 by default) A reference distance for reducing volume as source moves further from the listener. + * This is simply a variable of the distance model and has a different effect depending on which model + * is used and the scale of your coordinates. Generally, volume will be equal to 1 at this distance. + * rolloffFactor - (1 by default) How quickly the volume reduces as source moves from listener. This is simply a + * variable of the distance model and can be in the range of `[0, 1]` with `linear` and `[0, ∞]` + * with `inverse` and `exponential`. + * panningModel - ('HRTF' by default) Determines which spatialization algorithm is used to position audio. + * Can be `HRTF` or `equalpower`. + * + * @return {Howl/Object} Returns self or current panner attributes. + */ + Howl.prototype.pannerAttr = function() { + var self = this; + var args = arguments; + var o, id, sound; + + // Stop right here if not using Web Audio. + if (!self._webAudio) { + return self; } -} -// starts with an @, ends at a word boundary or {} -// (also capture what's inside the {}) -Ingredient.regex = /@(?:([^@#~]+?)(?:{(.*?)}|{}))|@(.+?\b)/; -// a class representing an item of cookware -class Cookware { - constructor(s) { - this.originalString = null; - this.name = null; - this.methodOutput = () => { - return `${this.name}`; - }; - this.listOutput = () => { - return this.name; - }; - this.originalString = s; - const match = Cookware.regex.exec(s); - this.name = match[1] || match[2]; + + // Determine the values based on arguments. + if (args.length === 0) { + // Return the group's panner attribute values. + return self._pannerAttr; + } else if (args.length === 1) { + if (typeof args[0] === 'object') { + o = args[0]; + + // Set the grou's panner attribute values. + if (typeof id === 'undefined') { + if (!o.pannerAttr) { + o.pannerAttr = { + coneInnerAngle: o.coneInnerAngle, + coneOuterAngle: o.coneOuterAngle, + coneOuterGain: o.coneOuterGain, + distanceModel: o.distanceModel, + maxDistance: o.maxDistance, + refDistance: o.refDistance, + rolloffFactor: o.rolloffFactor, + panningModel: o.panningModel + }; + } + + self._pannerAttr = { + coneInnerAngle: typeof o.pannerAttr.coneInnerAngle !== 'undefined' ? o.pannerAttr.coneInnerAngle : self._coneInnerAngle, + coneOuterAngle: typeof o.pannerAttr.coneOuterAngle !== 'undefined' ? o.pannerAttr.coneOuterAngle : self._coneOuterAngle, + coneOuterGain: typeof o.pannerAttr.coneOuterGain !== 'undefined' ? o.pannerAttr.coneOuterGain : self._coneOuterGain, + distanceModel: typeof o.pannerAttr.distanceModel !== 'undefined' ? o.pannerAttr.distanceModel : self._distanceModel, + maxDistance: typeof o.pannerAttr.maxDistance !== 'undefined' ? o.pannerAttr.maxDistance : self._maxDistance, + refDistance: typeof o.pannerAttr.refDistance !== 'undefined' ? o.pannerAttr.refDistance : self._refDistance, + rolloffFactor: typeof o.pannerAttr.rolloffFactor !== 'undefined' ? o.pannerAttr.rolloffFactor : self._rolloffFactor, + panningModel: typeof o.pannerAttr.panningModel !== 'undefined' ? o.pannerAttr.panningModel : self._panningModel + }; + } + } else { + // Return this sound's panner attribute values. + sound = self._soundById(parseInt(args[0], 10)); + return sound ? sound._pannerAttr : self._pannerAttr; + } + } else if (args.length === 2) { + o = args[0]; + id = parseInt(args[1], 10); } -} -// starts with a #, ends at a word boundary or {} -Cookware.regex = /#(?:([^@#~]+?)(?:{}))|#(.+?\b)/; -// a class representing a timer -class Timer { - constructor(s) { - this.originalString = null; - this.amount = null; - this.unit = null; - this.methodOutput = () => { - return `${this.amount} ${this.unit}`; - }; - this.listOutput = () => { - return `${this.amount} ${this.unit}`; + + // Update the values of the specified sounds. + var ids = self._getSoundIds(id); + for (var i=0; i { - return ` `; - }; - this.listOutput = () => { - return ` `; - }; - const match = Metadata.regex.exec(s); - this.key = match[1].trim(); - this.value = match[2].trim(); + + return self; + }; + + /** Single Sound Methods **/ + /***************************************************************************/ + + /** + * Add new properties to the core Sound init. + * @param {Function} _super Core Sound init method. + * @return {Sound} + */ + Sound.prototype.init = (function(_super) { + return function() { + var self = this; + var parent = self._parent; + + // Setup user-defined default properties. + self._orientation = parent._orientation; + self._stereo = parent._stereo; + self._pos = parent._pos; + self._pannerAttr = parent._pannerAttr; + + // Complete initilization with howler.js core Sound's init function. + _super.call(this); + + // If a stereo or position was specified, set it up. + if (self._stereo) { + parent.stereo(self._stereo); + } else if (self._pos) { + parent.pos(self._pos[0], self._pos[1], self._pos[2], self._id); + } + }; + })(Sound.prototype.init); + + /** + * Override the Sound.reset method to clean up properties from the spatial plugin. + * @param {Function} _super Sound reset method. + * @return {Sound} + */ + Sound.prototype.reset = (function(_super) { + return function() { + var self = this; + var parent = self._parent; + + // Reset all spatial plugin properties on this sound. + self._orientation = parent._orientation; + self._stereo = parent._stereo; + self._pos = parent._pos; + self._pannerAttr = parent._pannerAttr; + + // If a stereo or position was specified, set it up. + if (self._stereo) { + parent.stereo(self._stereo); + } else if (self._pos) { + parent.pos(self._pos[0], self._pos[1], self._pos[2], self._id); + } else if (self._panner) { + // Disconnect the panner. + self._panner.disconnect(0); + self._panner = undefined; + parent._refreshBuffer(self); + } + + // Complete resetting of the sound. + return _super.call(this); + }; + })(Sound.prototype.reset); + + /** Helper Methods **/ + /***************************************************************************/ + + /** + * Create a new panner node and save it on the sound. + * @param {Sound} sound Specific sound to setup panning on. + * @param {String} type Type of panner to create: 'stereo' or 'spatial'. + */ + var setupPanner = function(sound, type) { + type = type || 'spatial'; + + // Create the new panner node. + if (type === 'spatial') { + sound._panner = Howler.ctx.createPanner(); + sound._panner.coneInnerAngle = sound._pannerAttr.coneInnerAngle; + sound._panner.coneOuterAngle = sound._pannerAttr.coneOuterAngle; + sound._panner.coneOuterGain = sound._pannerAttr.coneOuterGain; + sound._panner.distanceModel = sound._pannerAttr.distanceModel; + sound._panner.maxDistance = sound._pannerAttr.maxDistance; + sound._panner.refDistance = sound._pannerAttr.refDistance; + sound._panner.rolloffFactor = sound._pannerAttr.rolloffFactor; + sound._panner.panningModel = sound._pannerAttr.panningModel; + + if (typeof sound._panner.positionX !== 'undefined') { + sound._panner.positionX.setValueAtTime(sound._pos[0], Howler.ctx.currentTime); + sound._panner.positionY.setValueAtTime(sound._pos[1], Howler.ctx.currentTime); + sound._panner.positionZ.setValueAtTime(sound._pos[2], Howler.ctx.currentTime); + } else { + sound._panner.setPosition(sound._pos[0], sound._pos[1], sound._pos[2]); + } + + if (typeof sound._panner.orientationX !== 'undefined') { + sound._panner.orientationX.setValueAtTime(sound._orientation[0], Howler.ctx.currentTime); + sound._panner.orientationY.setValueAtTime(sound._orientation[1], Howler.ctx.currentTime); + sound._panner.orientationZ.setValueAtTime(sound._orientation[2], Howler.ctx.currentTime); + } else { + sound._panner.setOrientation(sound._orientation[0], sound._orientation[1], sound._orientation[2]); + } + } else { + sound._panner = Howler.ctx.createStereoPanner(); + sound._panner.pan.setValueAtTime(sound._stereo, Howler.ctx.currentTime); } -} -// starts with >> -Metadata.regex = />>\s*(.*?):\s*(.*)/; + + sound._panner.connect(sound._node); + + // Update the connections. + if (!sound._paused) { + sound._parent.pause(sound._id, true).play(sound._id, true); + } + }; +})(); +}); + +var alarmMp3 = "data:audio/mpeg;base64,SUQzAwAAAAAfdlRJVDIAAAAfAAAAa2l0Y2hlbiB0aW1lciA2MTYgc291bmQgZWZmZWN0VFBFMQAAABQAAABmcmVlc291bmRlZmZlY3QubmV0VEFMQgAAABQAAABmcmVlc291bmRlZmZlY3QubmV0VFlFUgAAAAUAAAAyMDE2VENPTgAAAAUAAABSb2NrQ09NTQAAAA8AAABlbmcAZXhjZWxsZW50IVRSQ0sAAAAGAAAAMDQvMTYAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAP/7cAgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAEluZm8AAAAPAAAAJAAALc4ABwcODg4VFRUcHBwjIyoqKjExMTg4OEBAR0dHTk5OVVVVXFxcY2NqampxcXF4eHiAgIeHh46OjpWVlZycnKOjqqqqsbGxuLi4wMDHx8fOzs7V1dXc3Nzj4+rq6vHx8fj4+P//AAAAOkxBTUUzLjk3IAGXAAAAACxPAAAUYCQHwEYAAGAAAC1OxgwJqAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAD/+3AIAAABJABYfQBADCSACw+gCAGLvUt/uCiAEXepb/cFEAIAd3d3hkgcKBB1ny74nenUmjP8o7p8vzn5Q5/w/0ZRyP//n9qwB3d3eGSBwoEHWfLvid6dSaM/yjuny/OflDn/D/RlHI//+f2rAFAAFAoFAoFAoFAoEA/YX/7kx5OOTf7uTZP/4rcixBD5Mf+RAiZDDEulL/8qFkhw7C0Rc///l8yIIPxIkHWXCL///UB4CSG58mESIZ5M9/7f+gcI0kxWg7D8g/J/3ACgACgUCgUCgUCgUCAfsL/9yY8nHJv93Jsn/8VuRYgh8mP/IgRMhhiXSl/+VCyQ4dhaIuf//y+ZEEH4kSDrLhF///qA8BJDc+TCJEM8me/9v/QOEaSYrQdh+Qfk/7kAb62txpt1MfyFqZaNZFo///tyCAgAAjI/3m8E4ARGR/vN4JwAiHFdcaCU+QEOK640Ep8gzTjlZXrYlNZW+rWVkOVkzUdW6dvfjE5/m5xpQSh8geymEShJTaF1HjvxEAqd/3/IiUQjDzSKQBvra3Gm3Ux/IWplo1kWj/NOOVletiU1lb6tZWQ5WTNR1bp29+MTn+bnGlBKHyB7KYRKElNoXUeO/EQCp3/f8iJRCMPNIpAA//qcrunGn/AsxuuUgAA+D+pu/XQd2IQhG+v0sT85wOLnP/kPRqnOcn+c/4UG5M8///boYZ/U888wxp558fLEib4fAA//qcrunGn/AsxuuUgAA+D+pu/XQd2IQhG+v0sT85wOLnP/kPRqnOcn+c/4UG5M8///boYZ/U888wxp558fLEib4fUAXXYWyOB41f1ZLSlu/oEnc7z/+3AICQACHVbhaKAvBEOq3C0UBeCIvV1p4QlTyRerrTwhKnmEIju/IzTrv6NezLrunxzf+cqnM48ePOo8WMhGFVRPwkP//+q6My+7yEZBgxx492EIqALrsLZHA8av6slpS3f0CTud5CER3fkZp139GvZl13T45v/OVTmcePHnUeLGQjCqon4SH///VdGZfd5CMgwY48e7CEVAMnHmAFETSuIfrUproGSpfm2+Z/5n7/QXOyGNgxShS//mej0A//lDOoNoUBK5SqVAwEKp+KwJ///+/9TTZxtDnmlDonHSgGTjzACiJpXEP1qU10DJUvzbfM/8z9/oLnZDGwYpQpf/zPR6Af/yhnUG0KAlcpVKgYCFU/FYE////f+pps42hzzSh0TjpQiVRjQBJIoKhjZTCFQiFWRX/nRj//tyCAoAAhM/3XhARwRCZ/uvCAjgiUldg+EFVtEpK7B8IKrar+jMeqf/In6Lci/+Sp5mJv/FBlPElB4LwRRA5/lil/+ZCMV/oeqoVZFZA0BBYoESqMaAJJFBUMbKYQqEQqyK/86Mdf0Zj1T/5E/RbkX/yVPMxN/4oMp4koPBeCKIHP8sUv/zIRiv9D1VCrIrIGgILFAuHdmYCSxyPqPK9KsiPUyp+vfcQflcAwDL/J3R6Zo1u6yMjJF5L/8sQkRVSMeFyo+FoqIxKLQ9Hw4OlzfwzE7////+a7O7IqL5VguHdmYCSxyPqPK9KsiPUyp+vfcQflcAwDL/J3R6Zo1u6yMjJF5L/8sQkRVSMeFyo+FoqIxKLQ9Hw4OlzfwzE7////+a7O7IqL5VlQB9rRYGYHQ5/JRi1PT6BSj/+3AICAACElfe6EAvBEJK+90IBeCIrV1pwQlTyRWrrTghKnkc//Wn/96nchFO4c9PQNO7f7xMTkDhFE2GiZ7EDhQ4HPwj//////znyRQDDxQmUZ1z5AAfa0WBmB0OfyUYtT0+gUoHP/1p//ep3IRTuHPT0DTu3+8TE5A4RRNhomexA4UOBz8I//////858kUAw8UJlGdc+QDaVTRAEYAMTpWYqLlQy/SJm5tS1ZHX9WpBmrNUs3//r+Fmd/6FZDGcKJIUszoY4C620IgDwplHps5/////2NzkkLhSE0wbSqaIAjABidKzFRcqGX6RM3NqWrI6/q1IM1Zqlm//9fwszv/QrIYzhRJClmdDHAXW2hEAeFMo9NnP////+xuckhcKQmmVAKiHZQNI1A8JPVlKyK29U+rXeish//tyCAqAAjtXX/hALwZHauv/CAXgyGlbkeEcXrENK3I8I4vWrplR5f9RrdSo5n/UGp/ziQsNAUSGiAsFuHSxZQ6QPMJfjf//zV/6OVjOZytNlMB0GxeAFRDsoGkageEnqylZFbeqfVrvRWQ10yo8v+o1upUcz/qDU/5xIWGgKJDRAWC3DpYsodIHmEvxv//5q/9HKxnM5WmymA6DYvAAIiKkFC2SSGP+QhzvMc7/2/qc5yV/pqc5xNCEJnO39n5Cf4YM/+7zDDGnjQaDQye8w9/xCLG//9T/U5M56EId/yHHAAiIqQULZJIY/5CHO8xzv/b+pznJX+mpznE0IQmc7f2fkJ/hgz/7vMMMaeNBoNDJ7zD3/EIsb//1P9TkznoQh3/IcdUNuZmACI2utqt3lKYS3GGQxab9zJ//+3AICoiCKVbneCArHEUq3O8EBWOI2V1hIqkeiRsrrCRVI9FP6j7dzcyJ9dt3+oMYxv9rNMJCQkaQxnqUr/xEd//+c8hJztOeOFBRkIyr5QI/+kcG3MzABEbXW1W7ylMJbjDIYtN+5k+n9R9u5uZE+u27/UGMY3+1mmEhISNIYz1KV/4iO///OeQk52nPHCgoyEZV8oEf/SOLwDTH//+pugl+Y38z//Cw8UURJQ6KqZBYPO/l5nr8TP/naJohzUOeppv+IAIX//9vWtr4blVqGXZr+IoIinmwiQV/QbF1sS8A0x///qboJfmN/M//wsPFFESUOiqmQWDzv5eZ6/Ez/52iaIc1Dnqab/iACF///b1ra+G5Vahl2a/iKCIp5sIkFf0GxdbFCoRERAI7OpzTnJIebX+Mkv2A//tyCAkAAchV3nAhFPY5CrvOBCKex8lbg/QRABD5K3B+giACjEElMv55JpqkMB/5kZHfJo//8jI2005BbX4IQv//ovtZvf/qwHHWCoRERAI7OpzTnJIebX+Mkv2AjEElMv55JpqkMB/5kZHfJo//8jI2005BbX4IQv//ovtZvf/qwHHWAAh2ZVNIHG8Y/zyZkRyN26PfsZcyf/9fUj2Si0/8qfjf/DFRwpFMViqOxHKGOqfgm///9ktmsZWRjVmlLCIAAh2ZVNIHG8Y/zyZkRyN26PfsZcyf/9fUj2Si0/8qfjf/DFRwpFMViqOxHKGOqfgm///9ktmsZWRjVmlLCIUAyaqIlWZmVge10VuFMAOT/QF8xFE8BB8xmidKMK775OYZRDvEIAXEOYsq3IPoZ2/yQWyeP30b6t//+3AIHIACamFifi1ABk1MLE/FqADHwV19vBKAAPgrr7eCUAAhZv/T/R/6f/////z//8z/7pJABoAyaqIlWZmVge10VuFMAOT/QF8xFE8BB8xmidKMK775OYZRDvEIAXEOYsq3IPoZ2/yQWyeP30b6t8hZv/T/R/6f/////z//8z/7pJABoAAfga2XTecf+HE/9TGM39/t9VKxSsieZEmT0//4szK/657FKUrOYyVWi/oA4MZ///XlVbuiNU7qq2qgig9gAB+BrZdN5x/4cT/1MYzf3+31UrFKyJ5kSZPT//izMr/rnsUpSs5jJVaL+gDgxn//9eVVu6I1TuqraqCKD2UAbagQABN0Rf0fWrfylH////9v1L/v3/9RP/wFwoCJLVqiUdFUBVy/g3///crUD+V1rY61VpWq//tyCBuAAddW3WhCRXQ66tutCEiuh6D/ecCMuJD0H+84EZcSixVcKADbUCAAJuiL+j61b+Uo/////t+pf9+//qJ/+AuFARJatUSjoqgKuX8G///7lagfyutbHWqtK1UWKrhQJhEREAi+/jNZySG6GSP4EwemhkSglojS/waJynucL/3n9liz4u6Kz/X85FRKfRF+pAcI//4JsQDIMhwcQCYRERAIvv4zWckhuhkj+BMHpoZEoJaI0v8Gicp7nC/95/ZYs+Luis/1/ORUSn0RfqQHCP/+CbEAyDIcHEEAiXVmAjjTbpa+Rkicnx/L9p1dCMt/yV+0z/59ol6i2/+YYJjh4YPFD0OUzEOKO6/iYb////+pDs5lQ/mgoAiXVmAjjTbpa+Rkicnx/L9p1dCMt/yV+0z/59ol6i3/+3AILoiB7FbfeCUftD2K2+8Eo/aHQVuRoBTx8OgrcjQCnj6/+YYJjh4YPFD0OUzEOKO6/iYb////+pDs5lQ/mgoAfXTCQSzMjf1/6dugvO+tFQk///TgqBxiN+Y+hhBjyZlR9ccIP+ePk3///////MPCUmCAYUcrP6wfAH10wkEszI39f+nboLzvrRUJP//04KgcYjfmPoYQY8mZUfXHCD/nj5N///////zDwlJggGFHKz+sHwCAdWUEWRwOqP55iaw2fzcxEWZy/y/yrW5V/4MbX//+7iIkVHUSqpEQcNKb/1BQgd//7FdIjAIB1ZQRZHA6o/nmJrDZ/NzERZnL/L/KtblX/gxtf//7uIiRUdRKqkRBw0pv/UFCB3//sV0iMgkr9/qWhutDG7v6gpkNdFKUqfX//Mh3//tyCEGIga4/4fggRwQ1x/w/BAjgh4ldYKAWT8jxK6wUAsn5pKd+pJJ6kkqLKdaW9aLK/WYAnw73//RR//6SVFFLRb5siC/kKIJK/f6lobrQxu7+oKZDXRSlKn1//zId6SnfqSSepJKiynWlvWiyv1mAJ8O9//0Uf/+klRRS0W+bIgv5Cgy6iHZmXW/bKPrOd5xZ5z1O3ZHDn9T8nkrU7+gzgb4QRXdIET6EZT/owmFISjf7855Ho3/6iwg///1g4CAZdRDszLrftlH1nO84s856nbsjhz+p+TyVqd/QZwN8IIrukCJ9CMp/0YTCkJRv9+c8j0b/9RYQf//6wcBAAD8AbUOAQxf7Zv/QEKN6V///2/v+dCHHmIzMVTIdyWX8cCt//6EPI5mWdGO4oUPqPIU6ILCJhcoAH4D/+3AIWoAB5z9jeEMuhDzn7G8IZdCHBV2ToQC8cOCrsnQgF442ocAhi/2zf+gIUb0r///t/f86EOPMRmYqmQ7ksv44Fb//0IeRzMs6MdxQofUeQp0QWETC5QAJmIgFYCbXr3+tl33/DP6/6e9DOIm99Pv6c3/yqUYY45RJBRzFy0T+Mb//9Ha/R6HKxlcsSehUUCFAAmYiAVgJtevf62Xff8M/r/p70M4ib30+/pzf/KpRhjjlEkFHMXLRP4xv//0dr9HocrGVyxJ6FRQIUAhVZVA0rTjgh+UjMlAMBl8hkPziCT/qR+Tv5GH8EjzKm/AiX/6ocYUVWMVKpl/BP//9F1fr9U1vRygRhABCqyqBpWnHBD8pGZKAYDL5DIfnEEn/Uj8nfyMP4JHmVN+BEv/1Q4woqsYqVTL+//tyCHAAAdJXYnhALRQ6SuxPCAWih5VbgeCEUdDyq3A8EIo6Cf//6Lq/X6prejlAjCED+3SJtBNUJfFFNSGtLyfkafWdn/765eSly6VBHb8v/wRQziUHQKjQbhgpHLL+Yf////9LGWt+ZaLjewP7dIm0E1Ql8UU1Ia0vJ+Rp9Z2f/vrl5KXLpUEdvy//BFDOJQdAqNBuGCkcsv5h/////0sZa35louN7AAAIdwd9ZhIWv/fnf9RQt0O/5yUIRv/UfQgQhJyMv4eq+hEISQ/QhCXOc65zkb6gOGqdf/////VfGgI8AAAh3B31mEha/9+d/1FC3Q7/nJQhG/9R9CBCEnIy/h6r6EQhJD9CEJc5zrnORvqA4ap1/////9V8aAj1DbmpiYd9ppKo/v3DGoZ9SjVv7RTC0kjNcqD/+3AIhAAB2FdeaCIfRjsK680EQ+jHeVeR4QC8OO8q8jwgF4cgy/dEqqjZVZtf/+pyl/7qc6ialKrFZHUo4ir9RUFK3//ZuiJ0RNTsVVKUVEQFMBTBtzUxMO+00lUf37hjUM+pRq39ophaSRmuVAQZfuiVVRsqs2v//U5S/91OdRNSlVisjqUcRV+oqClb//s3RE6Imp2KqlKKiICmApgDv5ocFaxtzDD5lDESm0yerD+j5rVK2hjV+DNbNqFcpW/fqVpvUMG/+adUdGpFpzIccppprf4gFv///Vb0f6mZY6qqu1b24olx2gHfzQ4K1jbmGHzKGIlNpk9WH9HzWqVtDGr8Ga2bUK5St+/UrTeoYN/806o6NSLTmQ45TTTW/xALf//+q3o/1Myx1VVdq3txRLjtC5d3ZmVb//tyCJeAAlNXZnhhLLxKauzPDCWXiUVdbeEc3oEoq628I5vQZQ6bNNIdzkJOjTldnY5mProxyIzkbvJ9hFUo0md/wNyf/0Y5FftyKV/wQv//7dv//oqFQOSRYLl3dmZVtlDps00h3OQk6NOV2djmY+ujHIjORu8n2EVSjSZ3/A3J//RjkV+3IpX/BC///t2//+ioVA5JFgP7bI22m3Qh9DBalLreng/wH+JCC0/5JiiTTIkZGUjMjIyMjn8aDk7d/3VorKLzVMLi+NaWJauv/7E///ULC4ryoH9tkbbTboQ+hgtSl1vTwf4D/EhBaf8kxRJpkSMjKRmRkZGRz+NBydu/7q0VlF5qmFxfGtLEtXX/9if//qFhcV5VAIVXVUVHHQoG/rSRjXdJnfECh8XQ7263chGO/+owNUX/+3AIjgAB5Fbh+EAXBjyK3D8IAuDILP95oQUTUQWf7zQgomqGCkTOJCAgOExP4d//IQjHO6ChyCDKc5yB8X+oTB///////yMHBItsAhVdVRUcdCgb+tJGNd0md8QKHxdDvbrdyEY7/6jA1RYYKRM4kICA4TE/h3/8hCMc7oKHIIMpznIHxf6hMH///////IwcEi2wDLl2d0bR0KCr/7BQllPKGs5D6NGbN/WN51eT5/eD8OrYGBmDU///481f/1zGUxpWzGm+UEIZ5f/9tFu6bXd7nVVmcaiErUwDLl2d0bR0KCr/7BQllPKGs5D6NGbN/WN51eT5/eD8OrYGBmDU///481f/1zGUxpWzGm+UEIZ5f/9tFu6bXd7nVVmcaiErUwCFdWVDNtRuhL7VZJYpKKbxrfR/2oa6//twCJqAAj5W3nigLwZHytvPFAXgyOlfdeGVPQEdK+68Mqeg1+obqxpjjqsv25jGeYz4Af+g2NIkSh2RMIika2OGxI9/4gb/////nHf0OQZcAhXVlQzbUboS+1WSWKSim8a30f9qGutfqG6saY46rL9uYxnmM+AH/oNjSJEodkTCIpGtjhsSPf+IG/////5x39DkGXA9tlCjabdCPygRAKBGMfzG2OX6jZAn/g3ZvoQ50J1e/1+oG6EP/QZCMe2IZDp+HTKCDgj//sIC9Of/+kgTEEMAe2yhRtNuhH5QIgFAjGP5jbHL9RsgT/wbs30Ic6E6vf6/UDdCH/oMhGPbEMh0/DplBBwR//2EBenP//SQJiCGFQ3ZqQgHfbYTGvfNM+X6fj28nTs1ZLfUV8qEB1t8U/+PK6ERg//7cgiWAAIeV114RTx0Q8rrrwinjof9AXmgiNjQ/6AvNBEbGqJmF3ZXQcVy/xIN//+S6NpZXRhM4wURldCqJCURDdmpCAd9thMa980z5fp+PbydOzVkt9RXyoQHW3xT/48roRGDomYXdldBxXL/Eg3//5Lo2lldGEzjBRGV0KokJREAqJcIBlFut6z9dJJvVfQYGl6/90M/10Cw5Y6spSB5pW//X6CPp//QkPHqTIOSZR44med+Ph////pQ/Pb2NVhQ7ykGxQBUS4QDKLdb1n66STeq+gwNL1/7oZ/roFhyx1ZSkDzSt/+v0EfT/+hIePUmQckyjxxM878fD////Sh+e3sarCh3lINilQqndldkWRQOBv76OErp5MAii2pdFKGa7fLM1ayX//6WatZ02Vv4L//6WMh2NopG//twCJ0AAghW53hALwxBCtzvCAXhiIVbheKcfNEQq3C8U4+aN+Db//////+hhsyFU7srsiyKBwN/fRwldPJgEUW1LopQzXb5ZmrWS///SzVrOmyt/Bf//SxkOxtFIxvwbf//////0MNmQPNJGmkElAR8UhBitTQS4XUyGiovQjT/1vmjbCTk0cpkzKmgf//gwoI5QUMcpnKZXX8agz///qSB5pI00gkoCPikIMVqaCXC6mQ0VF6Eaf+t80bYScmjlMmZU0D//8GFBHKChjlM5TK6/jUGf//9SQBqLRBI6HBJ/O+cv6Y/8kVv9/hQKoa3VYHcOE///hI9v/pPkYg5RdCMJi4mf6BAE////T53QikncjKdEYU1TB8gA1FogkdDgk/nfOX9Mf+SK3+/woFUNbqsDuHCf//wkf/7cgiiAAHRV2F4YBcEOirsLwwC4Ib8/3OgiP5Q35/udBEfyu3/0nyMQcouhGExcTP9AgCf///p87oRSTuRlOiMKapg+QAmHZWBFlMjYj5RYwOcnnxrR34wViyI5dHV2Y1Wr/vMutnZ0LR61//C2MX//91ZOVG/QXVv//9WN9aOrKVjOpYeGBYtckAmHZWBFlMjYj5RYwOcnnxrR34wViyI5dHV2Y1Wr/vMutnZ0LR61//C2MX//91ZOVG/QXVv//9WN9aOrKVjOpYeGBYtclUAfACuSGR0BfoGf/mXo3395jFhq/8e0I0Qw6FvhihQmnUHzb/x1x0wktWHkdWzlY3+FW///////0KOAPgBXJDI6Av0DP/zL0b7+8xiw1f+PaEaIYdC3wxQoTTqD5t/4646YSWrDyOrZysb//twCLsAAgVYXeglTmZAqwu9BKnMyKFfgeAYo1EUK/A8AxRq/Crf//////6FHALiIeAYBXgmHfnodnTRj/mEe//yqQkYRy+3p///En/5/e1Z56GMo+TMG7+rhCMGT///0/X8xvpIg+ngHiPn1rPBw8AuIh4BgFeCYd+eh2dNGP+YR7//KpCRhHL7en//8Sf/n97VnnoYyj5Mwbv6uEIwZP///T9fzG+kiD6eAeI+fWs8HD0Lt3hmZW1Njhj/qi0WPQNMDrDVDZfwlVF8yPjRqTVc/9oiIkMPaJuhDqxv//DV//79GQ2Uok5jfQeGkv//9ZILt3hmZW1Njhj/qi0WPQNMDrDVDZfwlVF8yPjRqTVc/9oiIkMPaJuhDqxv//DV//79GQ2Uok5jfQeGkv//9ZIDW3ysNFsUNf/7cgi/gAHPV15oQT6UOerrzQgn0ohRXYfhAPJ5Ciuw/CAeT/SrWNR6GSZoZ/699Eb/wQmOW6ogJ1Szf/X4J/9QEHKNMJikQHh6c7yIf+CMLTf////1PqfMq6NHwGtvlYaLYoa+lWsaj0MkzQz/176I3/ghMct1RATqlm/+vwT/6gIOUaYTFIgPD053kQ/8EYWm/////qfU+ZV0aPkACZeIBAteE50/mdUW6Vb5v/rWs1P8ELjtaUij1L6ADurf42Y4kNjR0iaWUqhzr1N/EP//9Dt/5xxyjpymsdVWUagATLxAIFrwnOn8zqi3SrfN/9a1mp/ghcdrSkUepfQAd1b/GzHEhsaOkTSylUOdepv4h///odv/OOOUdOU1jqqyjUAcb8XVis4Vf05x025f1CYd3VtLpr//G0VE//twCM4AAfg/4PjDKuQ/B/wfGGVciA1bbaEVXJEBq220IquSCSFqSIMi621p//1Ej/9sYnETlyEiQmOOIiY45V+oGRR///1O/8007zkIMQQA434urFZwq/pzjpty/qEw7uraXTX/+NoqIEkLUkQZF1trT//qJH/7YxOInLkJEhMccRExxyr9QMij///qd/5pp3nIQYglAJhnZgRcHg6s7XOO8ROh3+p+YYZ57//+KyR4Rg/G7uTH1Oqv//8KmGN//Qwwww9zzzzx8bjcgZ9BgJX///5hhhj6N++p5OopAJhnZgRcHg6s7XOO8ROh3+p+YYZ57//+KyR4Rg/G7uTH1Oqv//8KmGN//Qwwww9zzzzx8bjcgZ9BgJX///5hhhj6N++p5OopAF+tElrsdMX9ByhnqUpfwYo3K//7cgjZAAINVt74QD8EQarb3wgH4Ii1W2OlJVoRFqtsdKSrQhWK1s7GJX+DeoVR3hioRn9/R6fqBI6ad/9CRytrR5rDYam/QRiR3////1apucdOOjylABfrRJa7HTF/QcoZ6lKX8GKNysVitbOxiV/g3qFUd4YqEZ/f0en6gSOmnf/Qkcra0eaw2Gpv0EYkd////9WqbnHTjo8pRQBd/hLYZDxXwVVI0FlG+JYzztV1TVrTf5UhFvocD4HpGppuvt/wGt/48pYwVKOqOloBIv7IbN/PD///+p3//6DJsBLAC7/CWwyHivgqqRoLKN8SxnnarqmrWm/ypCLfQ4HwPSNTTdfb/gNb/x5SxgqUdUdLQCRf2Q2b+eH///9Tv//0GTYCWAAB4hgRtj6uNP97Wc+3xn72zJqVtSl///twCNyAAkBW3HgDONRICtuPAGcaiKlbb6EY+hEVK230Ix9Cxo2x/gsDDAaAw5/9/+E3/5SfZdigmJzFG5QHhIaflS/////5k+ZMXqNBoglAAA8QwI2x9XGn+9rOfb4z97Zk1K2pS/40bY/wWBhgNAYc/+//Cb/8pPsuxQTE5ijcoDwkNPypf////8yfMmL1Gg0QSgAPhxdgdDxn/uh35vlAIl9HU2ppqG//8oRjLk7zlJ9qhO0/X/i3/5x2RQ5SCMIykUcUg5IjVvxCS/////nW/1CI0JWAA+HF2B0PGf+6Hfm+UAiX0dTammob//yhGMuTvOUn2qE7T9f+Lf/nHZFDlIIwjKRRxSDkiNW/EJL////+db/UIjQlYATcCxYRHBEX9WkLZv//KE8IiGuhhecuUM+n+cFN///7cgjZgAIbV1doAzlEQ2rq7QBnKIh1W2PhGPoRDqtsfCMfQv6nVtlaH2/rDqh//////+p1EcATcCxYRHBEX9WkLZv//KE8IiGuhhecuUM+n+cFN//6nVtlaH2/rDqh//////+p1EcAAC6BCGACsPB/1vKTH0kP+3oEWBbRiHzDiYqlcnRkhyXND47c43/+dDpEf/fr6TUf3/QL4C0QYg///////9GscAAAF0CEMAFYeD/reUmPpIf9vQIsC2jEPmHExVK5OjJDkuaHx25xv/86HSI/+/X0mo/v+gXwFogxB///////6NY4ABNwMjQARgdClSujZ66P/MvMATEBVidCkFc8mXFR1GRxa8sHv3v6ywDc80f/zj0qkC6+/1/qNgxQCkkiSKX//////SsJ7cATcDI0AEYHQpUr//twCN2IghpXVejrPoRDSuq9HWfQhhlbSaApsZDDK2k0BTYyo2euj/zLzAExAVYnQpBXPJlxUdRkcWvLB797+ssA3PNH/849KpAuvv9f6jYMUApJIkil//////0rCe3VAAAAt2psdKLuZAOItZqVnXu6NaH/xChfIDhJY0SRWjWzVoqPf/7hIP/6HmRLPV//qA+BSv//////9smAAAAW7U2OlF3MgHEWs1Kzr3dGtD/4hQvkBwksaJIrRrZq0VHv/9wkH/9DzIlnq//1AfApX//////+2TAPoFYAA2j5C7EXRdkmNS8gxgTmtte2mxXCxkA+iKCBtiNwgKS1ILMXMTzyyVVNqNamR+BYJoP/6/rP//6aBfFcAJQADAZIMau3//1P9f/82cwAiBS0B9ArAAG0fIXYi6Lsk//7cgj0CIIJVstQDZwEQSrZagGzgIjBXSOgSpFBGCukdAlSKBqXkGMCc1tr202K4WMgH0RQQNsRuEBSWpBZi5ieeWSqptRrUyPwLBNB//X9Z///TQL4rgBKAAYDJBjV2//+p/r//mzmAEQKWgAAABQMvo0CYEP//Wbf+sagnFIFeNhI9nzy9edXda7r/rDaP//7f//QDHiT///////5wAAAAUDL6NAmBD//1m3/rGoJxSBXjYSPZ88vXnV3Wu6/6w2j//+3//0Ax4k///////+cAFtq1kYA8BZ0WtnehtZ3f+sO8HHogTogpeQNzzILWo3Qd631MtX6gLmp/V9lddf+v26AXyCnGv//////+dAFtq1kYA8BZ0WtnehtZ3f+sO8HHogTogpeQNzzILWo3Qd631MtX6gLmp/V//twCPeIgdtWzegBa4Q7atm9AC1wiqVdEUBSr0FUq6IoClXo9lddf+v26AXyCnGv//////+dTEFNRTMuOTdVVVVVVVVVVVVVVVVVVVVVVVUAAH5Bo0QF6hjIqOlyVak7u6P7OwywI9E6K2I0yRQMjHecWhvR9bq6joDIE0O//99P3/6IWrBaxq7W//////tcY5wAAfkGjRAXqGMio6XJVqTu7o/s7DLAj0TorYjTJFAyMd5xaG9H1urqOgMgTQ7//30/f/ohasFrGrtb/////+1xjnEuQVskDf0bC5p3I6MZERBLP6lmAYPAYMXQ8xWRTOG6CadSS1dVCvq0GIwAraq1bqeq7L9v9dernQaRDQkUtH7qt////74s1usS5BWyQN/RsLmncjoxkREEs/qWYBg8BgxdDzFZFP/7cgjxiIGUVs3oB4w0MorZvQDxhoexWy2gHlDQ9itltAPKGs4boJp1JLV1UK+rQYjACtqrVup6rsv2/116udBpENCRS0fuq3////vizW61AAAoA2z0iQDV/+7SMIDQZHCoUKMVF/iWh2HDjTY6gxdN0kz6Nmpa6Ce1lOozAOBmdUyrXd/7v//1smCVL1aukAACgDbPSJANX/7tIwgNBkcKhQoxUX+JaHYcONNjqDF03STPo2alroJ7WU6jMA4GZ1TKtd3/u///WyYJUvVq6dprQQL5xzMZi8f6ZiBxPrMJw07qXUpK5git10GW91nAJmg6nTe2/////Jp7aa0EC+cczGYvH+mYgcT6zCcNO6l1KSuYIrddBlvdZwCZoOp03tv////yaeTEFNRTMuOTdVVVVVVVVVVVVVVV//twCP+Igg5XRNAFm8BByuiaALN4CRFdD0AKbUEiK6HoAU2oVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVUAAI5HIwQD/l7nZl4qNUiynbNLTMVAsHWAlXu04a2YiYZo82/dQvhfejprNZnJ0whoSB//+7///3gABHI5GCAf8vc7MvFRqkWU7ZpaZioFg6wEq92nDWzETDNHm37qF8L70dNZrM5OmENCQP//3f//+/aawABRNS1lKjlL/BC314ASaJuHXJqOUDDu+Ekv8//fCxlqCO01gACialrKVHKX+CFvrwAk0TcOuTUcoGHd8JJf5/++FjLUEUxBTUUzLjk3VVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVf/7cgj/jMH8QEzoAorsP4gJnQBRXYV4/zpgBbKwrx/nTAC2VlVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVAAAEAstoQAH//s/8RChlyuewPTruVyZTH4EQeGZkqOXF25Gtu7n//+rBjiREWX//wERAAAEAstoQAH//s/8RChlyuewPTruVyZTH4EQeGZkqOXF25Gtu7n//+rBjiREWX//wERTEFNRTMuOTdVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVV//twCP+MwcUsSVABY6Q4pYkqACx0hHyvQGAI1LCPlegMARqWVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVUxBTUUzLjk3VVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVf/7cAj/j/GSLEXoLBWsMkWIvQWCtYAAAaQAAAAgAAA0gAAABFVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVTEFNRTMuOTdVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVX/+3II/4/wAABpAAAACAAADSAAAAEAAAGkAAAAIAAANIAAAARVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVQ=="; + +var timerMp3 = "data:audio/mpeg;base64,SUQzAwAAAAABVENPTU0AAAAPAAAAAAAAAGV4Y2VsbGVudCFDT01NAAAADwAAAFhYWABleGNlbGxlbnQhVElUMgAAAB8AAABraXRjaGVuIHRpbWVyIDYxNCBzb3VuZCBlZmZlY3RUUEUxAAAAFAAAAGZyZWVzb3VuZGVmZmVjdC5uZXRUWUVSAAAABQAAADIwMTZURFJDAAAABQAAADIwMTZUQUxCAAAAFAAAAGZyZWVzb3VuZGVmZmVjdC5uZXRUQ09OAAAABQAAAFJvY2tUUkNLAAAABgAAADA0LzE2//uQZAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAWGluZwAAAA8AAAAiAAA6LAAODh0dHSQkJC4uLjs7O0REREtLS1RUVF9fX2lpaXJycnl5eX19fX5+foCAgIKCgoaGk5OToKCgq6uruLi4wcHBysrK0dHR3Nzc5OTk6+vr8/Pz9vb2+Pj4+vr6/Pz8/v7+//8AAABQTEFNRTMuMTAwBLkAAAAAAAAAADUgJAWrTQAB4AAAOiypldHjAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA//vQRAAAAAAAf4UAAAgAAA/woAABEsmXKbkqAEJdsuW3JTAIFg1GYDEYDGgrEYQAAA6iIBdDQPgKoFlWggMqUfHAQz2kiLAOZ/lESgLsXH9BbprEkAqFBELACdhfD920EA2wZQdorcYgX4/sgpuAwMA0QwRyFsw+QPxAGH/+t3+NoQoOwLgBkCLi3iEgyH///log5uO4QEGQDIAGCBBewAYQLl/////GmHziyz4yBHjjDbCVHGIKDMLNBqPh4AwKPBsPRGIQwAegRALoaCQE0D4tBAZUo+RBD8igN5A431IGJuLPE6FkTn9DrDmAPaB1CB/KAgX6ZfpoIA2OCKCAogGJwBAT/qbhY4B0EIKh64sgUKDY3/+yFPG2ICEIFwAwC8KOISDIf/Q/3lUi5uSQswdgmwG4BBgNjBAf////xph84uMri4CPHGG2EqOMQUGYWaLdzM29ejihegXgwOAwJgwB9gY/YcDitKW2DAQWCDIkswIjJxRpgTZpUoBEgA0moDkzmVmQpnByzWWUGEoLYUrRlPKB8XSEBpbEag0k6CyqUFAM5R6Bzqs4sOZQRnMGoUaYrJQuQLYGEGyJCaSBiWGaYOSg8DpWP+pQweyzJvHgf9WdlbAnKgiFCEMtmr172ULlX1IGzMWdmfjssj8acqHpVWpmHO+wWHWjxpkzBmOtpE5+IyymlLOojFqGipf+AH7hiTRRp7ErD0siZejirbRMPo6vfuy2egRmr/ZzNnWN3OCHSZVLkqEuKaecFVeMI3sseR5IrYlnGVve4s06MkgaAG+ahS353H3dsUV2pV+1dlOqunvAvJV6RSJYWi2igUikO4RyA/VNvs+X4HZwB/15EYhGClIkzcKmQyTZTqJRErHCzZJmiBoSxJEuDvbemSDIm4+HR/HwSXU+zmadATQtEzEUTCJ76BcZRSLjF81L5qSiL9/oXQL6lNMx6lA2QNDQfyd/2YvnEVy5UdMTdMdykEzaoiEsa3+/8chMLh5ZfHoXi4aG/zRFkTaaJmO7n9ludQ6ExAAAACAADSwQZUUQceIy44wto+nIGVDJ+jIpjWBTDcho4jsZmuwIYGnvSjy8+p47eABAgoPfgILkoRaDKv/70GT4gAiMZE5+ayAAm2x5v8w0ACTtkTvZrQAKmy7ovzTyQDQmzTjiU+aMjBy+QcDSaLA1TIQEAaUQ6vqhcHBkqCIINBY+FQIUCgxuZ4akOBBNYKGRYrPjAIvWwMLgS9bUWdg0EpcYgGYIQtHjbwSBSgkDYlEnXV43N15l/5eleGBVKUKqGdWURDp+Iww7PwFSSi9LHDd91M5e0FeLEZKkywXFk7ws13KZtauUlhUyoI7nIxFJRgmgmog+27XW7yGHPVuf2ZGBKmzDqzJqq0nXq6ylNWljaYDTJ1iDLJyaaw0yMQ5XnPKgFmCUb+NwYzCnSWkifpnMJpfXLF7sZcpz2sy2vJNwsvr17p4V2BQBQGBYIRAGA2ZgQ/MpgbuCMfLzLyjME8vIDxkjLaM4/QGcG6XFUeyFrgLVmF7f0ZHzp81srd81798sKpeeujiXo/t/40ri/WYzc+tjOPmufzKIgk61HYJnuLS23N///bwX6eg7gvNuDNurNF1fON/1/+YG2uKx4mc9MsJ78t8WsiufN1/8///H8WHLRtnnfMd22n33z6GwwbRatrzxd5UP//+nRDAA5/9Za0goNCUj0XDX6VSpcJwpUp81IZdlMGh8A0oO4nwYrSiB10Ncw8ovKyh9RMPy3ydHUfBNOutzh6Hcf7lqI+l0rG47T1/kpF1mxO+Dzn1lV/+qOour/68dtDuj+UVlL/ZW2zv+qcVYk7//////Nrg9//oslHNc1Jp6vlE4idX////qQFzM1LKqZwFSS/6HU4xVsY5D7MWXx1KltFNlAVPU1IvqZYdL5ZGlTSfN9Z6PT7AWfLqj8Skb/dmYrKs7ldyZLIbUSYk3VMWlTgjXuOET+h94RI0JxGKXq5JV0lWTqEz5FpNRVctrELTJUKrmUV74WWAouCJLm1NWLCjb8INpUybrI5QYsFtwq1a9guf9M/Ptau8a+6WuuYupYvzD3it2eS8XsL1UwYsOeE9pCgs+Hw+CuANDIrOCRNJ8xL41xOSZF0Ir9BE/W8ma9bnJzh/qOQcaon9n5/6PU71dyfZ/k0c+Hx9d/a22ETGV+sGiTo1YcJUuLCLiuGI/YavLyhqG00pzEd4xPJmPaK//+5BkyoAEOl7Qd2FgAgRgGJDgAAAV8X0t7CX6wMeHpTwUiUCzFxmJPnbbCZv//iNg4bHyhafcQLLXfFRcK6bFaSw3/Jq1ZFCK+TDxSyTBo4cht2RN/0AUG2/xOxdh8emGp9HTNbO9XR+Wz9UoY6uOsKYbMi6O6RKhjRmT0DgMgGxsO8VR1IQhHLZLCkmiTRkpjaOZtB/25ddaulqNLSJcumcpOLtAyuTmLz+ucSlHdwpRQf/Y7tuW4lX/NzZryAq9naQ01A1WR91n3/QIjm/lRqz1NYw06z0Oco803Ozaoc+pFv8wuhOIs4LbG5Gv9Yz92DCHOyw0qdVq4ruilYnrjDD4QjUZJeLpiT2ZIYZ1so4SxibEw+TjMd5/qUgGBRw3TRWeMllswNSVdNTKmSSC2NbGNzRAyb1paToJo6k0FMpNEwTSMk0k3+s3Nv+pNST6TkrUZutSis99jBWgXjRZsmiU5WVW4kDuzAzw7WfSNIebhkPZs81Hc76c4iyiqjmkxlljQ63xSyu/jUxbNqWteGv6ZdUhTjSepyPXUPULMav/+6BE0oADv15I6eg+sHWLqOwwx9YPwV0blPaAAdYk5L6W8AUR6y2vSa2m6Nrb2L/WuYFoVd/Hg23nFsW9L/WaVrmsntbdr21jX+Ybnr//4n9I+P/7eL6fom/DQAYBO/eSSWtwSySa3NxKEEFABNJNKKaUI4wimIr2tcyzVyfL1JjzsfQLCKKjI+kUhZ4xwWwNTgyRBkiJuL8WSTwe0I1C4cQqKWPnHQUyKU8aGw4BzAFzAPMSUMBspTLdZox91uwXVhpAYjE/kgZkXVUradV/WaJpmiFE+af6/rTTXqQImozIeOe5E00yKHn//0er/0zNN4AIwouFA92sv39uboDAYAhLrszG5vTNWm6kVULPVsrUZpDCNIRSWOdMYpIpDGIww48SkkpaC1aBokaGhoHLDfGQJnV+t9Uc46D3NwEf/0E3INf/PicLB8p//+o5xLdLlbNoBQBgICEKJJCfPdRSvro1bQ0DnDoYwBGIFE5YBSWZMKGCHJADQe0wz0RN3kyoBhwM7L+iAGIgo4c9M7hYAW8CRVFkWGUY2tAoHMhDRAJBgwBgJP0OgxpFBQfDMDgILZCZgTAQJBxOgLBQuATQIqRYKEY2FyCJxlo6sQ0DumionugiAQwY8IJ8kwAzFEIwslMfBxYMQbVO2Rwi7brtbDAMDBCwJfuNTMjQCOchi9VJLIY1hKIOm5//+8Bk1QAEoGBIbiZAAlkGCU3CtAAiCW8/+b2iAicqpr8U1Amnbk0kSA1bHpEhyMNYdqWRR7GLpgSnsnVK1KMOhXuvIxa9RUtPFrBdu1dRQY4in9fsP5P974uEuVpH/MQf+8cO9y7rvM///zo6LL/ty+WAY9Xi4wIALIIMWMoUjKAGguBIMCitdTwDAMJMZxZnGkumFI8MgkBzmRdekJ+JqHPBZumhWtoAvgO8KuAD0B37InNS7CcDlCzEsDgH8xG0pupKlw2yaNChKDARtFFlpUklJVJJIrMCXHoVkoPw5WS/UpJLX0rGBLGhPnVLS1LV6//k9amQMj6bTe/jG/CHwdl4Z3V6Z0NgAQCC1W45YAK6hmEa/aHEz0i/ZjQgI0x8DBIK7xMAv2AHTqAHyBnUrQzGkTHBzGDzGlwUGOzUMMlABsIigwikibBi0tOYwQlzGWO2YkYMiHAQSiMGjEACJlBLcUvWskAiNGWFpVOSZ0SAQRQNfxOR4necMwBdw0+VMYqwELBVirQeRpiepdx+kv2Iu0xJw78ZdIt9q23FFpynKdB33TdtoW83Fd19abOQTsEzk1D7F6Sddp/o/Sx52Yo+V2GKzPl5VeSluz/uF+nxpvLsXrjtPM+uUqvynjdrM/BL3+zizc1kPCJBo6IBCS0Db7brARzJmcvJATEHBzRlRg4kVqTzMWEiHNpoyAwaWXHM8EoGMc0mWbuW6bxR1JUXjQ5M5AUr6NGBTGbW0ACf0FGIGYcRo0OcjKrDHRYgzSERVlK3rjDLkXoCdIGDl+hItIFnMdZQyNQRNWNMgirYW6TkplEsfNUz+xWHm5Q5DeXs4g5qTJJVNxdyYi+rPW5yFUsbhplbgUt1+avulAD6s5vyx9JHK7sCz7zVoKmbbgdx+y+EPOI13///1Gq7WlVYvIt54f/JRDTKp2xTWp/+XOfjf////Sp6mYhTUyADcr1/cFhCW9E3Uf/7oGTtAAc1TlB+Z0CQAAAP8MAAABu1Pz/5nIJAEIBjAwAAAKcsiQ4ghCAp02FNBhtSlYoD8uAZOqEMRVm0eHcXHnHuTZx4bjNaVLrD0bLmo7QxIJYlB/OlJzhbNWnjI8k5Jh8Rjcerj9jGsPaqy36hcaJnzp+ShyD0ffXbDqRclXLJq2b9n/8OtyKhiZIH3GaBKOjuUZaUoF9l56TR6jfhpxY3f+///4OFNgQwQhk0m4PNPRzG9myBQCGAFFp0OS1VkyHEcWLECc5V/V8+EbdP+hJRvwcKNB5mJdXM4xE00/9rDZTMt1y2iAlSDv1EBEnLIsmbWYmqIURJTl3iC8UUuJpmWHDe1nfbbrvVy6xa//+TNCwfP1c21W6tmWFni4S8Wc/ioivbop435Z2d9FJcm+99jWR3l/8393zuKXzZ5XqbPOxsrPs0E0RHOjqFb/2MX5+ma2/srlyZ+f+ZPLIK3D0H+k++UHiHiXZk+DTaCxlWtjApZpdK4vxISUxCI4KEEpfcr5vLCiwOz0jiCuXmV6r/yE4MMMnprce0HydkETgsh5FYJg/6w7iMRH/nf8h2I2rww0IlD0lVCIiYmIVdx7HG/1ERkGaBEVJ+i1KxndKQfRbtj+M5cwlQjik6aIoOYVTpFhO6PUkRypdaP/5oIuH9pqSl0zudRHtCwcU7AOR1HXyPrsPmTv/7kGT7gATBXsv/YWAALKGpj+CMABH5hyfsPM3JSo3lfAeYLDvjBWuVOVFilt9bYX5ofW8IZsaKWuVwx/Do3/STXYy/tibevwV4LIMF5YXaTXyRqspA/8ubCIgjRW1a7b1XpaRwna2hSSLiulIYzWyvHrVmBCrhXRH1Iu5ZrSb1//89rMkCK+abzMU+8TvW1riLijnGBkZSS+j0fV3NY4pVEq6GTkhtRTIL/L0LMdgsqAGh2R1CXI4usBTpZ6g6HTpbJi63Xau1xtIj+Ar1OP2CiDyfncrn8BNqxPKYEoEkPJMs2D+aOiUHDtNTadM7EmUj0f//YwUgETYfn2w8x6UnYh0Ou3OVlJzW8Hv5a1jnsXp3NdS1b7njhVk7kZqaiWtdf8722d+4mHaQUqNug18ce+JJ0ItJSSNuNJAfwfmUUuzknZZAkDMTa9eRrLuJGplqgva2ziDXFa5hX/9PmBUoiEsSq3ej7GYUtfR9h9vwvBq+tX/2/vWutYvTerUzXWYvxv7v4W5LzZ8atdZ186ra39JdXg5i1MwyWfm8GvV/mv/7oETmAAPKXkr56xxQdKi4/WHibg41JR+09YABsiKi9ozwAGFDIW2UggW4QAAAAAANLc9SSqd7L4ULyzOHj5uo8U3pMpBXpIp/rfKgvQympgaxaMZCMDAhtmxJRD926r6v/pqDf62eU3f/6Iow2E22Ew5YBAAAAAAIuwQGr7ktyOjHOYifa6v9DzmVRFEzGmgyKGMKqTip/+SCwK5OP3/9/+pxSQe4eZirW3S5eCltajTYKIrZWDSXBSB/QKHZpKqXKulUAAjASBUBp6G+w99UFrJiWhkf+YiQ6KhdUSnQQD0iw6K7BoElQWASFMsO+zB4XLkDE1KCJOYBQiTCl67F3oIl7F6y/T1Pxp9JxamEP7epqBZNDd3Jx0Um25tgp4YmZe2kNw/A5jBFxFYJHDj8MxL0w1K22gS3Q2uXpf8Ctfwt0nIxi778q3pr2Pmv+rWbG6ljP7963/3ZzBCiltRNnbz09ak1YXTDLa8WY6kvpp7KVYZ95v/z7/5//3VTsnefL6kmv08OtPv/7fJXRyj/9a7xH9+ouIqnu2t2t3lNXUI1EU0dWtmKS+qtP5BB6tsPWaabYUgMMRg1AjNqNdJgT8B4SkLQyKySzGVrtCEAI0OXYjDQ0w2hxWOFqC5Jukuwh0UNQFxdlBbRezWjUKTUUDiCt6+neSShqsp52VyMoYcrBT5xx5Ex2P/7sETzAAJAHkbuMaAAOYTpDcEoAB4hkzX5nJAD2LKm/zOSAD4Ukpb+O0DE7c3PxSIwqLgIBBxmkXhx/G4oSX+lb3U9uetfLJyHFyP7L7/8ovjctaW0+c+a/6WmaO2kb19qQv3/8sZl6IzPQGxN15XWs7limrsr94pBpkPy6jylVJUq9//r3//D/+6kWut79fKIOo67ws77/rOCBngg//rcl7X40y7iBdyv3MhnNhAgDBIQBAAFI//1gDA1ku1UAOIxjwiGgiU/KVhsRFG74CYlNhoQLzgoEEQlE4u9EZO6SKoyACIZw08++RcN53OcFGQYBjiIe8gEc4CtyP6fYFDdz5UEQ9SDBzBMDcDnOlsoBw9ub6sGSBe+Y23RVpiSZMSBQ9wmtgQCZESRCn9DBcZqO2yyia0y2HG6QdAjaPkj/LCyjJGdoEi0amFnf91zDcBIZvdpyy76EtBxcGKl2M8rGnunmx9nKSf9tQa9Eyy2//+0+OQK9sVdqAp7jj0ymF592mtu5HtzedvVrxmM3bX//sZSoLrY8/+GFHr+1I6sXdfCgmaSx/vWhFl91r7gPnqcQ0xAAAAAAYAgQIAdAAYAAAEAq8ZIBwQOUTEyL3UecxSUl+iY1I62+ks8fW2ZOi38rFqZEzotUk/////////////EuGkv/6zhNAu/37co7BAAA9sgUpEpxlZUcA4QGkW5HHlmwYOIFv6rAW9AgBoxZhTpWZyxWJyNMfE6C12omkpkvcagAkHa0SQRBqewkkCIHSaYutKoDJ8JQOllacmK6Fa7n7y53Jrk4dGS1a6ytMSSTTF6a16dr2LnrWydZtNe//ugZOWACGpkz35zQIBHq4nPwEwQVJ17Qd2GAAgrgGJXgAAGy3srXvme2s2qytdyRyLTP1rXrPacrnrNLnpnTo+vWZmZmtWjJcuXWmZmZsueFDQCAB8nlBZ3/5ysvXyqtlRHMBFuST9lmROCo0aHbS9XQIyIcFrrCl6YrDq5lztPnd5trAK5oIazkSNChZ3dQCaiqAqepuRgFGkCNeVlnlXfkV/+aFUyofvfxFv3lg1HjoBVdf7vph8HuPZSIvgllH0xTQTFf4PCd/8iv4WLUoTHD6U2PmpiGjTax1jR0QkgAr/yHSEh1OBkWBACZc7A0I8xaNHgXu0/qtDanN57mfRu15BeHCli7to3//+3PRU27NOT/2b//7f//+jfyQDyCPk4n5d6zMRLmhlGG023+4SWvTORJWATqksCAJTIlVlfx+7wSgS+Es0ORJUd3acnIhKky3fw6O1KZDMFU2dmLBFTDy18RB8RiI+kMNFKfq5FLNkg0BFQ6vkeQTC9QIYpY/E9CW6Gou91Jh4m/YRgsHPvuO+Vr3z3FTYEZx8lV8Chwp/9/tKgCp/nV8vXCL/5drA7vEy1QeweTVf731jPJVOviRD1E/DVOd48Q6kQMgFdAevYipDZwZonIwYsOs+v1BAzFZ0EBAZCM5Wkju2Y0xv+x/9Gq/Ky9PoZ/P7IOjeQEf8GxD6w7GdD//ugZNYABFRZzHsJRNA9KhlPHQLAEYGJJ+wxDUlip+U88Ipg1QZ1doZWS0NFFL9gMgScMhSQznQ8tiTEnE+OQqz/L49OVlwvHnVsYoUXb1xV0aLNAJBada4fE/2rRIi6wJIQm2ocbybxWTXx4r+zAuFnrmFv86C9ahH6ZiH6fj/HSX//UkcZPPR/oc5tP+gRH/6ltCrsNhwtOVr31EmblApkzNXv8cw/Qa0Y8D6IK9hpXVgplxU0YPUwYSHp1rixMqwsuiAjQ4aiUTZWjoSFTjxV1ayhU4n72YFwsfXLQ/7M/XH+zI+pPo/lCubM/+qTGRznIdHbRxX/o0N/8yHYpa5JJJICJmtQ1Dk8V1qcupqjkJQ6jlXrYmz6Q1qto65Wb3cXPdMJ0WunetMZI1ImiRR9WJdHHRul7UxbyejX+UgSrvbtp5szfMLnF9Q2Xo2fedtQ8u9bxK/9hUkhPnSvkC4XubkaQA/eQU1rz+W9WiKnN7O+Y3dpycv7W/yclm5LdICGwmabLVZp6KsVzJZQh2ecC2h0fKystYeiIL9f/RdZtpUFBAKJ38gHNDU39dAgGN1VZvv5nlSY26tH+QwH7D7yQcDxFrWDHz2e9X////+4IAIA4wQAPQ1/+I9L9j1OOTYYc8OqUv/1dgcaRG0erbBRQgO0cydL28JwAOGEjPOPivkzIR//xqBy//uQRPKAA49eSHnoPdBmiui8MQKeDFTxG6YZekEKFiLoYJeAQkAD///5U8BBY8h9MyESBkz/iYyqTEFNRTMuMTAwqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqv/////Iq7fV//+mTEFNRTMuMTAwqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqpMQU1FMy4xMDCqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqgIEwKBAIBQIBAEAAAAPUBfYbj/gBgP8eCv4LQC0f4XAEIBWA3P/C9i4DYC5jE//DmFwzNxMzf//pppl9P//+mpk0103///8lEE2W49y+5Lm///3dIDCgEAQDAgFAIBAIAAHlQF8wAsHnhg30X/QFyDmf5aBuwMUCDP/Dbw6gDIDeMiX/5ogzrf//l9OQcg6f//5wihECbL6imQcv//9bttJ//tARPINwW4cReAjQ8AZY1iqBAOEBASVFGAEdgBPgCHIAAAAw0NzQ8kK3GXImTb1mNl9q6iXiHRmdjqsbSZDZglElDN5krQsWL7MVoHWMUAQ7FvQUANMmPrXMAoNEMIsXGGyGfohmaiQgrmXQzddyVAkOYACLK6WfopqnWuCQwiQJfLmDwzKEtH+R0Z+sdLstIXCAg67wg8vIpBMIIAZo5eFmout/lAjYWLnteFBBGJi0vFH+an/+xBE4w/wVgBDgAAAAAAAD/AAAAEAAAH+AAAAIAAAP8AAAAQ7+Zw8l45D+S9iIKAdxdYIBByDDVNWuwiExNKtj8XgZ1F+ZTD+yynROa4siEOBMs03yHIpXl8jjNiIxCKs/l89bd6PPP/7EETdj/AAAH+AAAAIAAAP8AAAAQAAAaQAAAAgAAA0gAAABI6UOTUNrq4yt7lBFXJ/BAhZwtZyY1GIAi7YGLK5cpZe7GFiWc7X1hYqUl/2chjDL2dl/37h8aDVkQGLEnIf575LJdlt//sQZN2P8AAAaQAAAAgAAA0gAAABAAAB/gAAACAAAD/AAAAEqDVaiUeZy2jyRSfgAgKmLlQl5lKUvfwzAQjQKBdeJxF1AYABADj2QOSIy/HKZAC4tIFarREZFkJYPBlF9lJOjTSOlOj/+1BE/4AAAAB/hQAACAAAD/CgAAEKhT8duHaAAWEn43cPAAC5gA0OVEuO0LWXhZCKRJpiXTQxLqvjkJNZPFoJWPRF9STfvZ06me1b/rfqbMkloo3Okbb7GTW/8zQszIJMxoYFw/RNThuYzZ0QNuf3W7uiojIZAgAI4IJKjLVrslnTW2gcLJi6RsTgpQ8YhCAPRuuNQwaa5pfFLhHBIk1hEIX/ZETKq4S+aSu1I0DXqXP+2wCCuw6XOTGYYClwAACiECAMBcVhrzrqVOsIuqKD//vAZP8ACMplzv5rJICCa2nvxTSQYf2XPdmcgADsoCf/FKJADxnNHQU8Q8B8pZ6MCNsvGnfSMpWyuLLoMMEISBRCCJxKCXRZ/Gku7D0dmXsp4tXhxT0XbouiCEcF+QXajvZVGqG9Ht0U/at4uy/bD4lROw8TW33cdlbXGdZUsSicM4QRNxJrtJdzoYU7kbnqtJbIi0qITOCgRegMAHQV7lmEQ2tR2K0lX5t+omyWd3v/bRsVDqH4vS6mKZx+55+a4IWDYc1xEB2K9M+ixJU+8qowAIipcAAAAAAEBABIBQQAPyclJQnJE9i//////R//X///7fQQ36gOApHhsXiKHRYEUOtm4SppvqaOfKq+rPpLpJYEMAIEgAVgQNCTRa+AIJao0c0JGNXvDBQcxUgL/NhKoaYeXDAiZEFjBKIgNPASJkCwwRRpCAFxgQFmFCjDWFGBCaPyqymxiJLBRhwCaQGMpYSLAvXVXIupgIQgGepRhRMNBxjwqyl34yvJY0aGAF57kaMTBDIwEUZDCLkHYokPLJX6IQIw0IlzKWiPEtJWKH5aYseCwMkQPA7RzBAd2ELIZlEBww609Kq1uUp7PdxoCVSwwcA4Kdus/gcGa68WP4/JJuMwzKZJT6xbkrpo5VBZCYIChYASvGBIxMALAeQgwYFdZbAUZvMpZdDsOSmJUVbusqSIy2T8sDxIvYVEwUOBgSj0WqW4w5FZwUrXvrcnetxVQneyStTZZU3cfgLcRgGFWqfD57LAAMNUMYLAQETGMBgsCQUDH7885c9wdC1rdkbJ6BscBtab14SEA2AVVTOm9Px2n67701byRFuP5gFcJq/6Ce+O4OM0MBwEZHv/f8YYrC+jBjE1Jdv9S2/kMzJznHUX5u///T2/+aIl4pnGPm005xd1dVDqgAASLmslpCFaJ9IjHGi/iSKDCQLkkoXbaY7DVVovLcgm0/hGlUxbYX8WM+jWxFz/+8Bk5wAJZmRRfm9kEm0sij/FNQRTbYEx/YeAAY8tpj+ScADVlUrR//j6iq5Cn8b/X1iDI2xrWi0rNqJWmaZpu2WbV3cLX+LwZ7Y38OV5/e2pK1r/4+/D3/jW/8wZseHvM19Z3iJ/X/4hzxZVIjVO9gx/B17W/bIsGL/5HUuP9vYsBvn/9Xuo8S9SQiaiIlUUlgKIv+AedARHqj0yddMAMst0fmmjUajUwSjoWBrK3mTFOHhWT/0Gx2pEwbOJi5Q5Tn2JKR6R4fQdVs9SOjFRweHExr/V9DTjamupjq89x76Wmt6/9W9zlzcrxWDlaIqqqqmVZtNNhT5XQpQTBzl9Sw6BhK83Gc2CCl9O4voeg+FwExDHHaAsFhYOm1cWMcmhPF+k9C1uGREHwhOlTB6GiNoXJ3J/axtNUXR1YyFjd9z2Ebhrhyq31TR/6r/r/9uPWv/g+OTDrl7//4i+bq8Wt/y78+9b6JrkmeYiJeVQGEohL5srgnCdoE2yaE+Q8mBvnwNE0T+OUQEvEcTcZygXqBKF4vF5JFFy8eMS6YFJf6RJGyIH8Mhu6jGqu8ul5MwJpqfWifWkjpI1j6WJNUykpkZ6zI2qep0UOihZ9bN0UdFOo2ZTTFvqdKdNCWdaaDP9ST1uzqSdfW6TvUz2RRR82W5vCM5wxs5wyP5q8zGIggCuzuyLmuxfhqxfATqhtHM4LSjE8qg5VnOZI1A5JYbA5qhFI+zqtJcdB5mKbUAQHDChqKMPuA8iYzTmPw2FlnIqY6/uBR0aVklF1aTWpxkzysBiUOQS2CGFZn+lC5pHBb+v/ew7SwxL5+UwPjEpp4ZqDJTyzTWu97R/8lm6CfrzU9hhQ0tPK5BQbuSmk1Ny24+16S0kvs/UtzFjs7Mx6zJsKz/UNNlzC5S4Zb5ytz7mdzfNfvH//n08qrwzWvY087Tf9xzxmXyt9ys9vI6PydKgQBgIAL7ZKc8Ey//7sET2AAPSX8x9PQAAiCxpT6e0ABrBdyn4/AIKzi0lNx+CQC5pcSW9rrx807McMLabAz/1rEeiv5fhS24ktlOx6LdI+ruz8YdR5pf8Fkq1SrDwPQoDHqaVF55R5eTqOs/sdiEOQTELDlUmn2t2Jne8/3KLX42/+p36mu51tcqb/61nsovy+g/Ws8d9wy5q7rW+ayvR+ih+zyOZxixR85DVm9hlWpruv/WOGt87//JKegu4XMa9mzyxj/5Z0uVVJIREPzl7mMp7tZlydUJsSybLdam5uIgU+qtGbmA4gjGFzIjw5eLpFrGBjLBCYTDWjBCIlqCCnKWKwowis4bUDTCEO6KbmkILW2dO8Kkkx0hkKHdbN5WN9EJ8rsLoSHbgmPC1HGWJnt9EnrYXRtMaBDT2NHcilg6UwKz9pLVJp3YImL8mn32fmRsPjdewye1LqzqpqNjgOtjG6krrQ3dtwxEvltaNV6d4VjRVhk5vHHj0uhQzc9hbr1aeMSidiVacqTb/t01SRqBMYnT7zcqGrOUdqV5XfxsYdp+9qW+f8MTnLVaJwBGpNV+tv/h12H6yuw7EaSX25TNSN6tZpJBYBIhkCsUVfGcWAtDSgGG2hCReQXasiKhH6kYo35iWPzGYLs7xOg6DyCopfzUKiMgvji11/KY/EsSYmT6kDfWI2FqG4FqQRWgtByTAbYcoolg94WIcoY4eEh4jjdJ1Iqa63fzo5x5ArZD6hdEErddVS9Q5CQk0CjjCHlkoPSbCss6McejLLCXW9v7dBS//y+XSEHde5Us5NBa2Tf5agygzDJSuQ/L1gEZAWOOGgA+aeYicN4oz//vAZNcAB6RlTX5jJACWLAmfx7SAHJmJO/2dAAFjKeZ/mlAAZzjZTLQTl7wUPRAQ1FQ7J4dfJxQSBRrMQQEjhbue/Y6JQWMMICoUSJJMpxwJlNKKJchwdgDcUo1YIutIvg4q/mGSvn/v3JDBwWPCkMSpmMOAkIRGMYDBRtas1awcBZKwDE2yRlzXqgeOt/EHcYy27WMJ6e5dorkfp6O9+qT///+OSnvzMHzsCdl+//cgb69////jWjTsxeW2uf+61LHZRFozUjNjL9T8ht8////1GZZTRS/ZuS+Q1L//lOTkal//q1EVEUAIUAAppQWSdFFZgSYxgpB16kLaCAqHwcs3/////9QV1DgsQJC4CiADCOWKBpREcFC9AiwCmqKirkHqR///iLfUVFxX8okHg6VBYvjTtKJOoesLBwNHKg//2qVGAAAOS//ZcQmLKFoWkLpBQZUYCpwTihqZcr0sLRkSQYlgplhYm46ThKFJWLU0uVQhOgbD+XzGJ+6wVCSw8OJNXlVTlazMzND6TpBJJprcss9MzNjT2pKOx8US6GO/3tDkVfTb7f+jt04DCAYoBNHemzw+tnxA50riIkaUoio22I49vdtEZv3F8/rZpxuyj9Z309j6mAAVRiEJQLAkoKOGNwYBBKQM3nfuWq9gih3/Wj9FR4iV9yvLMt///DR5GV+olffn1LMyUFqNzft2BA0KIARKrR2fiS0TkHetZUFwjzMQjwViCWUA5EU9b7Uv1WPjqzh1G01GySScZLly5+JK/AVm1rT/T1fzocSASKWzPz/ya1bkyoo3YsrHPOdqukttqSe2zu/2d/xszPrkZm/WtWKnK3Mfzeb8fnVT2xjXFbEiW99FlaWr+fGJx5QgyBM1TyZpdgcdcEyQEIxKSRsHilhnzFoDij5Py6pR3rUt3OWNIdYsp3KQ+p37PLwvouefZIUJmIhzQzx5mv9WQhCgJTqcGWs0igr/+6BkzgAExmLQ+wwz+izhmW8AWCYRqYc/7DDPqM8IJvwAjDwNWduCsq2lxmDEBTw9FNSVV31xlTr7nVXMfabbS+KW2H0JfQewHLZUWiuwdu3Zt47kDCUSRAsTpnY3TanDM+rGNDMtQdjhgdg+1MuqgU3RuhpT5FfFDT8krjX4OZ39JH5/Q0ZHSNBVVVSqIlQjTc35AAl44SdF9gkkUgEiizMFPGxMlzhNKMxQ4qGvvLFoyHDOROjaai4srHKW20aAkaUkjZQtHm1TDqFJ1IpqpZ2NqzZ5w9Sh1DMtboYayO+csPKyqvlV1Y2htFL6pND4xr9z8iigNbcYKEesDLowUECdgKsgqUf677V1hNNJ/pIL9DA9JlWXYQhz47CXFSk5rKlCOpVvrh++zLi7hWHVrzHlm3ePmH82/+z5SlwlVUxl1ct5i0pNmnxjrItPry8zXpvRy6USuqmIncKCdbFnYaW2VrL/CdiNy1JdTIm1xL/gjPYlZmP3wrFsOkKL9ru3qJN04ihksjiaRJI/Tyv8ZFqjdRvQ0gqm0kyGzLLQwoa+WoErFaeFO8071LWO9iWh2y1vocWskd4H+Iwlw0azIfdnOlDpImos5VCtNi7GR1WjeYIxRATxlJFNUK5CoalmW1bX/M4Y81q55bcMnlwS/EMIKeHXx36J//zxTSq9muvOFTaKBYLBPrH/+6BE/YAD1TlKcwwbcn2sWX88w5hPpYcjp5h6yeMnozTzD0kTr8UOdCm7dxY275ph7qNGxWDHq9pmWWHlgjf519QzdC5ZqtkNx1CzBvmNvOoM0Z6yxdPde0eFYSN9Mu4Ny6u5dSCSfM2S6HBRssUK/o/uUrLH4ojgnUV2X9NN6w/+f/wgm0GnG45G0B8Zh1DMXqpEt3vP3evxXVrf5+q/Wry1kxj3x9XMENFmltWtcfOa7/pmLuK9i5e0pbeLY3Tck8+DZ0HUpFTtawE8ksFVmyJ2Lm6A+/9R7//4it02lsms1uurFbgTAAAwqoeoA4Kalexl7G72h2znOUfCfS1xjlgZoe/qsbcs6kQtPLeLlGyasyFxUsSqmABAQdi+Nf4///SkXdFG+/vr23m8mtQNsmWR+8PzP/3//9/79MfD9js+Vk13h//6nYPKYXSZzSVyy0OAsFAgAfckUgQnv79jAXEpjb/bYKqsg6QyQfM60TRkDUWUefW7mBcHAKmRwf9UfaDCyB/GPGbQFaiyQN1gtLEBv0E3ZBAdhgXiPNy3/s73kgdIgVyqMYU//U3QW5fL6ZPE4VDMnDn3+mZum+YMgg7KU6GiZpVmlmhldGhmllebWxtI4EARoR1oswPNKq8bSpZy5Vm6vwEgXNIe1Ipij7AtJlF2Co8wyh2fqwzBNVgz2NYf55pXVf7/+5BE+QADZCjFTSXgAlhFmM2hvAANtPsluPeAAfUn5DcfMACXX1Ewwe9DBE+GVKYvYkWY24tOvVsRmEODIJK+DWGDNvI2wtJWFcJ/n4WhL446EHKAMEjMORCIc1fdxmt2ilnM33W4ie27lzzuW4Zh/UNa1nKs6Gkxx/9cdizjlSXrDGGaY/cq8y/X3Ms/wt186Tl+cuyz/icP5Tbhv24bX//////////7eeffw5h/9w//aMAk5Ff1Xj7LLPfZ320WjUOiUWyYxhIEAAABECV5N9UYHUvIcbFR2+9x8t9U8etFL8vKKOj8fWHqZrWaKQ/RLwHgM/x6Y6yWmbn2uNidUf/+Vn/O9oL/CVTv/QvLAAVnZ3T/TSuBtMNGI+BoOfzGpYz4cSBsUYtIGTHBMMAowjuTWn2A0iHWwqkamtIv+CIupYzcOHAoIhEOoyGH2gVdbCnKUORxXKY67nTa8y8qeUjj8N2mAsrdQu1P4S6liTwrucZdESoIpadx4FfP7By/A7mZSicLsFtKclhF6P6oqdUypnui7j9kHPp6fOzfet3/+7Bk34AG6mVMfmMkgE/lmR3FrAAchZdH+UyQAAAAP8MAAABfoIhIndgF0Ivn3Dc7GHYltp/fuWW4S7bUGdRFjWv7q7rCTv5KLsbcOjpLtuJ1sZDF26Lyu6/dFLf/6b/9k7UIV//r/////VLYt593bn9f9SxLFb7u+Nxt2BOBIwAAwgl/0quWAAqAbG38LoCgeZkpRwdFAuFnr9ZpQcdUrpcGHhRTkTxNWPMJkLeMOpS+hchSlDkjyWkEiRbJdqeIJNgYnDMUTiKgJ609H2CwlLhZBdAxYFM9Qcu2GOWUp2wSoLDrpQM7bZmHxOAE1E8HNQ8QJwQqq16icp2sLTLCzDEJZPw07lKKEVQstYEyEuy/sRfdPWpEnKmaPjTGuqZosJfl+4FhpwHAWNi4TDl3SqAnam6XGgjVAEEIdp5h7IAYYppNsEz41p1n+h4udeUqBICC6KtFq0i+fjVM+0lwZfDbpwe19r7WHmx/unTcz27LWeBrT+NaaU3t2fo92Yr+3dpH+tzs1Wtu7TYwRzO7amZZWZQSjd3VRtYiFgQO2eQxlJ4ZSu1wFTqLMzf2UjaAyTCbJNLyk0HaUnzf9hqQQ/L04qJRioxZo7R3eqmTkicvcosbm3k24hQ7X/ucTiaaj7ZSTTid//8/6RLNWoqklS/5+FD0K0juHcTr/hyDorlGHO//h7tJ15s7o9//lRmSW1///CrYgktr3lqB1QqpiHREJBJpKb/fkDhEhHEKY6PU2uRRNPtKoMEX+cqYcZwYdsT0qh6pvGVU+FbLO7S1OY8z+pTU2WsLjvVbPZlbuSAUSmTSPoF9RrwdKUzzcIhIkf/7kGT9gAi6ZdD2b0AAAAANIMAAABHpjz/9hYAAAAA/w4AABLRyxwSZNr3z5+Pr7tolPWzF3fN2PH3KI5Mo0ldUx1z21ietfah29EvgxCxriqLDXhaGahgNtU6XzAWplOuUNRraQLr1nVtDoC/4sERDzEQq2OtIJfsQRktwPo/kqihcgMwZiJTqVLgJmapUHKwpNDGlaeUcF2zMLxmex26e8aHEfLfg53h9rOTcFpjSyruZij3XSHWZq3ha8+dOcSC91qOA4m4nu8J9ALMVodQ1LSKykY9dSlkMt53nz/8w6NOqcCBjjRVbsYuqPAIkG8RPpDYkEruSJBjPRX0eTsdyMBZtSccHAzZuuLIStGq//X9///2//bsST/QQjPnPPRgRGqOISfBAIxIcnPWDhmv6VRtLvZY4UUCT+vFKYLY97eoVyr4CGEFZS2GkjWdVfDdO0qdmjyPCsg62JB4Px0pP6yjYTPJzXX7MUjEZUrJpvtiejBi4UVtk/5/r5ff6ZQoarP12Pqpwt+ZLhDgkP4jioLjHCcFpXyJHFhdfN9bvHP/7kGTogATkY0r7BmbSAiAYoAAAARCFXSfnjL7A+iOkNFCKGK5B+kZBE+htGGY3BQKikEAsHAlKKTVPRom6oitQmR6dfHC5Bv55lAFC6KZuNYczWlSrAjEb+k6MBTgjVjAk//9QpRffhU1NTwoNt/Q2dSBHEB3jjdhUSaF+h/KFHSdmFt1s9upkbaEyUjZbU9NS+B589W5ZjdJ6URWK2hiWnW+wuX4fJ6D81jB0v+zTiEEVMa9Qci2tHtMakijjChaX1WK7iiqWmJRvUrXQx0WyugpavmJDf1IwNkDHLAZqlajvvQ27M+NPHv5XNCNLNZUqeCFEaiAMCYBKyFRSr/SUCyBM2b4VaLMai+Y2JA0xso3aSO89QsFPGvhV7HIgxKM4Xb+r84yeXsf2qX+bdjdzVTY5qzdUtjcmPZkrEReNvGovav5CkkQPpQfYVI1iNUdWZ7tZWeSUdA1j8xgoAyO6IN5qYSIsO15kkRZ9JW0lHhiV6aZsfz8mWIpfFOt4yuGgkMUEgqHbFPEQgaKkdKvsRYRf4bcU9QAepA0VGfxoi//7kET2AANITEhp6B0wZQpZHSTjwE09VR+mIFcBUyqiZDKPAaw/XVAiJIFtTt+UD4PSg+uVo4mJhnSYcccDwWQ+aW5tZU9OsFnruCT+OfV72e5mgDdZAGlACDZ3q/y2SEQkPVAyHSewqVOyrolnv+j+/t///+pMQU1FMy4xMDCqqqqqqqqqqqqqqqqqqqqqqqqqTEFNRTMuMTAwqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqpMQU1FMy4xMDCqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqkxBTUUzLjEwMKqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqTEFNRTMuMTAwqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqv/7UETuAPKcMkXRBh1APSR4hgwoPgQMAxDAAAAAAAA/wAAABKpMQU1FMy4xMDCqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqr/+xBE3Y/wAAB/gAAACAAAD/AAAAEAAAH+AAAAIAAAP8AAAASqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqv/7EETdj/AAAH+AAAAIAAANIAAAAQAAAaQAAAAgAAA0gAAABKqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqq//sQZN2P8AAAaQAAAAgAAA0gAAABAAABpAAAACAAADSAAAAEqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqr/+xBk3Y/wAAB/gAAACAAAD/AAAAEAAAH+AAAAIAAAP8AAAASqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqv/7EGTdj/AAAH+AAAAIAAAP8AAAAQAAAaQAAAAgAAA0gAAABKqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqq"; // This is the custom view class CookView extends obsidian.TextFileView { constructor(leaf, settings) { super(leaf); this.settings = settings; + this.alarmAudio = new howler.Howl({ src: [alarmMp3], loop: false, preload: true }); + this.timerAudio = new howler.Howl({ src: [timerMp3], loop: true, preload: true }); // Add Preview Mode Container this.previewEl = this.contentEl.createDiv({ cls: 'cook-preview-view', attr: { 'style': 'display: none' } }); // Add Source Mode Container this.sourceEl = this.contentEl.createDiv({ cls: 'cook-source-view', attr: { 'style': 'display: block' } }); - // Add container for CodeMirror editor - this.editorEl = this.sourceEl.createEl('textarea', { cls: 'cook-cm-editor' }); // Create CodeMirror Editor with specific config - this.editor = CodeMirror.fromTextArea(this.editorEl, { - lineNumbers: false, - lineWrapping: true, + this.editor = CodeMirror.fromTextArea(this.sourceEl.createEl('textarea', { cls: 'cook-cm-editor' }), { + lineNumbers: this.app.vault.getConfig('showLineNumber'), + lineWrapping: this.app.vault.getConfig('lineWrap'), scrollbarStyle: null, keyMap: "default", theme: "obsidian" @@ -362,6 +3660,7 @@ class CookView extends obsidian.TextFileView { return super.getState(); } setState(state, result) { + // console.log(state); return super.setState(state, result).then(() => { if (state.mode) this.switchMode(state.mode); @@ -376,10 +3675,11 @@ class CookView extends obsidian.TextFileView { if (arg instanceof MouseEvent) { if (obsidian.Keymap.isModEvent(arg)) { this.app.workspace.duplicateLeaf(this.leaf).then(() => { - var _a; - const cookLeaf = (_a = this.app.workspace.activeLeaf) === null || _a === void 0 ? void 0 : _a.view; - if (cookLeaf) { - cookLeaf.setState(Object.assign(Object.assign({}, cookLeaf.getState()), { mode: mode }), {}); + var _a, _b; + const viewState = (_a = this.app.workspace.activeLeaf) === null || _a === void 0 ? void 0 : _a.getViewState(); + if (viewState) { + viewState.state = Object.assign(Object.assign({}, viewState.state), { mode: mode }); + (_b = this.app.workspace.activeLeaf) === null || _b === void 0 ? void 0 : _b.setViewState(viewState); } }); } @@ -412,7 +3712,7 @@ class CookView extends obsidian.TextFileView { getViewData() { this.data = this.editor.getValue(); // may as well parse the recipe while we're here. - this.recipe = CookLang.parse(this.data); + this.recipe = new cooklang.Recipe(this.data); return this.data; } // load the data into the view @@ -424,7 +3724,7 @@ class CookView extends obsidian.TextFileView { this.editor.clearHistory(); } this.editor.setValue(data); - this.recipe = CookLang.parse(data); + this.recipe = new cooklang.Recipe(data); // if we're in preview view, also render that if (this.currentView === 'preview') this.renderPreview(this.recipe); @@ -435,7 +3735,7 @@ class CookView extends obsidian.TextFileView { this.previewEl.empty(); this.editor.setValue(''); this.editor.clearHistory(); - this.recipe = new Recipe(); + this.recipe = new cooklang.Recipe(); this.data = null; } getDisplayText() { @@ -467,7 +3767,7 @@ class CookView extends obsidian.TextFileView { return; if (this.settings.showImages) { // add any files following the cooklang conventions to the recipe object - // https://cooklang.org/docs/spec/#adding-pictures + // https://org/docs/spec/#adding-pictures const otherFiles = this.file.parent.children.filter(f => (f instanceof obsidian.TFile) && (f.basename == this.file.basename || f.basename.startsWith(this.file.basename + '.')) && f.name != this.file.name); otherFiles.forEach(f => { // convention specifies JPEGs and PNGs. Added GIFs as well. Why not? @@ -478,8 +3778,9 @@ class CookView extends obsidian.TextFileView { else { const split = f.basename.split('.'); // individual step images - if (split.length == 2 && parseInt(split[1])) { - recipe.methodImages.set(parseInt(split[1]), f); + let s; + if (split.length == 2 && (s = parseInt(split[1])) >= 0 && s < recipe.steps.length) { + recipe.steps[s].image = f; } } } @@ -501,8 +3802,8 @@ class CookView extends obsidian.TextFileView { li.createEl('span', { cls: 'amount', text: ingredient.amount }); li.appendText(' '); } - if (ingredient.unit !== null) { - li.createEl('span', { cls: 'unit', text: ingredient.unit }); + if (ingredient.units !== null) { + li.createEl('span', { cls: 'unit', text: ingredient.units }); li.appendText(' '); } li.appendText(ingredient.name); @@ -517,6 +3818,34 @@ class CookView extends obsidian.TextFileView { ul.createEl('li', { text: item.name }); }); } + if (this.settings.showTimersList) { + // Add the Cookware header + this.previewEl.createEl('h2', { cls: 'timers-header', text: 'Timers' }); + // Add the Cookware list + const ul = this.previewEl.createEl('ul', { cls: 'timers' }); + recipe.timers.forEach(item => { + const li = ul.createEl('li'); + const a = li.createEl('a', { cls: 'timer', attr: { 'data-timer': item.seconds } }); + if (item.name) { + a.createEl('span', { cls: 'timer-name', text: item.name }); + a.appendText(' '); + } + a.appendText('('); + if (item.amount !== null) { + a.createEl('span', { cls: 'amount', text: item.amount }); + a.appendText(' '); + } + if (item.units !== null) { + a.createEl('span', { cls: 'unit', text: item.units }); + } + a.appendText(')'); + a.addEventListener('click', (ev) => { + //@ts-ignore + const timerSeconds = parseFloat(a.dataset.timer); + this.makeTimer(a, timerSeconds, item.name); + }); + }); + } if (this.settings.showTotalTime) { let time = recipe.calculateTotalTime(); if (time > 0) { @@ -529,23 +3858,117 @@ class CookView extends obsidian.TextFileView { this.previewEl.createEl('h2', { cls: 'method-header', text: 'Method' }); // add the method list const mol = this.previewEl.createEl('ol', { cls: 'method' }); - let i = 1; - recipe.method.forEach(line => { - var _a, _b; + recipe.steps.forEach(step => { const mli = mol.createEl('li'); - mli.innerHTML = line; - if (!this.settings.showQuantitiesInline) { - (_a = mli.querySelectorAll('.amount')) === null || _a === void 0 ? void 0 : _a.forEach(el => el.remove()); - (_b = mli.querySelectorAll('.unit')) === null || _b === void 0 ? void 0 : _b.forEach(el => el.remove()); - } - if (this.settings.showImages && recipe.methodImages.has(i)) { + const mp = mli.createEl('p'); + step.line.forEach(s => { + if (typeof s === "string") + mp.append(s); + else if (s instanceof cooklang.Ingredient) { + const ispan = mp.createSpan({ cls: 'ingredient' }); + if (this.settings.showQuantitiesInline) { + if (s.amount) { + ispan.createSpan({ cls: 'amount', text: s.amount }); + ispan.appendText(' '); + } + if (s.units) { + ispan.createSpan({ cls: 'unit', text: s.units }); + ispan.appendText(' '); + } + } + ispan.appendText(s.name); + } + else if (s instanceof cooklang.Cookware) { + mp.createSpan({ cls: 'ingredient', text: s.name }); + } + else if (s instanceof cooklang.Timer) { + const containerSpan = mp.createSpan(); + const tspan = containerSpan.createSpan({ cls: 'timer', attr: { 'data-timer': s.seconds } }); + tspan.createSpan({ cls: 'time-amount', text: s.amount }); + tspan.appendText(' '); + tspan.createSpan({ cls: 'time-unit', text: s.units }); + if (this.settings.showTimersInline) { + tspan.addEventListener('click', (ev) => { + //@ts-ignore + const timerSeconds = parseFloat(tspan.dataset.timer); + this.makeTimer(tspan, timerSeconds, s.name); + }); + } + } + }); + if (this.settings.showImages && step.image) { const img = mli.createEl('img', { cls: 'method-image' }); - img.src = this.app.vault.getResourcePath(recipe.methodImages.get(i)); + img.src = this.app.vault.getResourcePath(step.image); + } + }); + } + makeTimer(el, seconds, name) { + var _a; + if (el.nextElementSibling && el.nextElementSibling.hasClass('countdown')) { + // this timer already exists. Play/pause it? + el.nextElementSibling.querySelector('button:first-child').click(); + return; + } + const timerAudioId = this.settings.timersTick ? (_a = this.timerAudio) === null || _a === void 0 ? void 0 : _a.play() : null; + const timerContainerEl = el.createSpan({ cls: 'countdown' }); + if (el.nextSibling) + el.parentElement.insertBefore(el.nextSibling, timerContainerEl); + else + el.parentElement.appendChild(timerContainerEl); + const pauseEl = timerContainerEl.createEl('button', { text: 'pause', cls: 'pause-button' }); + const stopEl = timerContainerEl.createEl('button', { text: 'stop', cls: 'stop-button' }); + const timerEl = timerContainerEl.createSpan({ text: this.formatTimeForTimer(seconds), attr: { 'data-percent': 100 } }); + let end = new Date(new Date().getTime() + (seconds * 1000)); + let interval; + let stop = () => { + var _a; + if (this.settings.timersTick) + (_a = this.timerAudio) === null || _a === void 0 ? void 0 : _a.stop(timerAudioId); + clearInterval(interval); + timerContainerEl.remove(); + }; + interval = setInterval(this.updateTimer.bind(this), 500, timerEl, seconds, end, stop, name); + let paused = false; + let remaining = null; + pauseEl.addEventListener('click', (ev) => { + var _a, _b; + if (paused) { + end = new Date(new Date().getTime() + remaining); + this.updateTimer(timerEl, seconds, end, stop, name); + interval = setInterval(this.updateTimer.bind(this), 500, timerEl, seconds, end, stop, name); + if (this.settings.timersTick) + (_a = this.timerAudio) === null || _a === void 0 ? void 0 : _a.play(timerAudioId); + pauseEl.setText('pause'); + pauseEl.className = 'pause-button'; + paused = false; + } + else { + clearInterval(interval); + remaining = end.getTime() - new Date().getTime(); + if (this.settings.timersTick) + (_b = this.timerAudio) === null || _b === void 0 ? void 0 : _b.pause(timerAudioId); + pauseEl.setText('resume'); + pauseEl.className = 'resume-button'; + paused = true; } - i++; }); + stopEl.addEventListener('click', () => stop()); } - formatTime(time) { + updateTimer(el, totalSeconds, end, stop, name) { + var _a; + const now = new Date(); + const time = (end.getTime() - now.getTime()) / 1000; + if (time <= 0) { + new obsidian.Notice(name ? `${name} timer has finished!` : `Timer has finished!`); + if (this.settings.timersRing) + (_a = this.alarmAudio) === null || _a === void 0 ? void 0 : _a.play(); + stop(); + } + el.setText(this.formatTimeForTimer(time)); + el.setAttr('data-percent', Math.floor((time / totalSeconds) * 100)); + } + formatTime(time, showSeconds = false) { + let seconds = Math.floor(time % 60); let minutes = Math.floor(time / 60); let hours = Math.floor(minutes / 60); minutes = minutes % 60; @@ -554,6 +3977,30 @@ class CookView extends obsidian.TextFileView { result += hours + " hours "; if (minutes > 0) result += minutes + " minutes "; + if (showSeconds && seconds > 0) + result += seconds + " seconds "; + return result; + } + formatTimeForTimer(time) { + let seconds = Math.floor(time % 60); + let minutes = Math.floor(time / 60); + let hours = Math.floor(minutes / 60); + minutes = minutes % 60; + let result = ""; + if (hours > 0) + result += hours; + if (hours > 0 && minutes >= 0) + result += ":"; + if (hours > 0 && minutes >= 0 && minutes < 10) + result += "0"; + if (minutes > 0) + result += minutes; + if (minutes > 0) + result += ":"; + if (minutes > 0 && seconds >= 0 && seconds < 10) + result += "0"; + if (seconds >= 0) + result += seconds; return result; } } @@ -563,8 +4010,12 @@ class CookLangSettings { this.showImages = true; this.showIngredientList = true; this.showCookwareList = true; + this.showTimersList = false; this.showTotalTime = true; + this.showTimersInline = true; this.showQuantitiesInline = false; + this.timersTick = true; + this.timersRing = true; } } class CookSettingsTab extends obsidian.PluginSettingTab { @@ -608,6 +4059,36 @@ class CookSettingsTab extends obsidian.PluginSettingTab { this.plugin.saveData(this.plugin.settings); this.plugin.reloadCookViews(); })); + new obsidian.Setting(containerEl) + .setName('Show quantities inline') + .setDesc('Show the ingredient quantities inline in the recipe method') + .addToggle(toggle => toggle + .setValue(this.plugin.settings.showQuantitiesInline) + .onChange((value) => { + this.plugin.settings.showQuantitiesInline = value; + this.plugin.saveData(this.plugin.settings); + this.plugin.reloadCookViews(); + })); + new obsidian.Setting(containerEl) + .setName('Show timers list') + .setDesc('Show the list of timers at the top of the recipe') + .addToggle(toggle => toggle + .setValue(this.plugin.settings.showTimersList) + .onChange((value) => { + this.plugin.settings.showTimersList = value; + this.plugin.saveData(this.plugin.settings); + this.plugin.reloadCookViews(); + })); + new obsidian.Setting(containerEl) + .setName('Inline interactive timers') + .setDesc('Allow clicking on a time in a recipe method to start a timer') + .addToggle(toggle => toggle + .setValue(this.plugin.settings.showTimersInline) + .onChange((value) => { + this.plugin.settings.showTimersInline = value; + this.plugin.saveData(this.plugin.settings); + this.plugin.reloadCookViews(); + })); new obsidian.Setting(containerEl) .setName('Show total time') .setDesc('Show the total of all timers at the top of the recipe') @@ -619,12 +4100,22 @@ class CookSettingsTab extends obsidian.PluginSettingTab { this.plugin.reloadCookViews(); })); new obsidian.Setting(containerEl) - .setName('Show quantities inline') - .setDesc('Show the ingredient quantities inline in the recipe method') + .setName('Running Timers Tick') + .setDesc('Play a ticking sound while a timer is running') .addToggle(toggle => toggle - .setValue(this.plugin.settings.showQuantitiesInline) + .setValue(this.plugin.settings.timersTick) .onChange((value) => { - this.plugin.settings.showQuantitiesInline = value; + this.plugin.settings.timersTick = value; + this.plugin.saveData(this.plugin.settings); + this.plugin.reloadCookViews(); + })); + new obsidian.Setting(containerEl) + .setName('Alarm When Timers End') + .setDesc('Play a ring sound when a running timer finishes') + .addToggle(toggle => toggle + .setValue(this.plugin.settings.timersRing) + .onChange((value) => { + this.plugin.settings.timersRing = value; this.plugin.saveData(this.plugin.settings); this.plugin.reloadCookViews(); })); @@ -742,4 +4233,4 @@ class CookPlugin extends obsidian.Plugin { } module.exports = CookPlugin; -//# sourceMappingURL=data:application/json;charset=utf-8;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoibWFpbi5qcyIsInNvdXJjZXMiOlsibm9kZV9tb2R1bGVzL3RzbGliL3RzbGliLmVzNi5qcyIsInNyYy9saWIvY29kZW1pcnJvci5qcyIsInNyYy9tb2RlL2Nvb2svY29vay5qcyIsInNyYy9jb29rbGFuZy50cyIsInNyYy9jb29rVmlldy50cyIsInNyYy9zZXR0aW5ncy50cyIsInNyYy9tYWluLnRzIl0sInNvdXJjZXNDb250ZW50IjpudWxsLCJuYW1lcyI6WyJyZXF1aXJlJCQwIiwiVGV4dEZpbGVWaWV3IiwiS2V5bWFwIiwic2V0SWNvbiIsIlRGaWxlIiwiUGx1Z2luU2V0dGluZ1RhYiIsIlNldHRpbmciLCJQbHVnaW4iLCJhZGRJY29uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7QUFBQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBdURBO0FBQ08sU0FBUyxTQUFTLENBQUMsT0FBTyxFQUFFLFVBQVUsRUFBRSxDQUFDLEVBQUUsU0FBUyxFQUFFO0FBQzdELElBQUksU0FBUyxLQUFLLENBQUMsS0FBSyxFQUFFLEVBQUUsT0FBTyxLQUFLLFlBQVksQ0FBQyxHQUFHLEtBQUssR0FBRyxJQUFJLENBQUMsQ0FBQyxVQUFVLE9BQU8sRUFBRSxFQUFFLE9BQU8sQ0FBQyxLQUFLLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxFQUFFO0FBQ2hILElBQUksT0FBTyxLQUFLLENBQUMsS0FBSyxDQUFDLEdBQUcsT0FBTyxDQUFDLEVBQUUsVUFBVSxPQUFPLEVBQUUsTUFBTSxFQUFFO0FBQy9ELFFBQVEsU0FBUyxTQUFTLENBQUMsS0FBSyxFQUFFLEVBQUUsSUFBSSxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsSUFBSSxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLE9BQU8sQ0FBQyxFQUFFLEVBQUUsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUUsRUFBRTtBQUNuRyxRQUFRLFNBQVMsUUFBUSxDQUFDLEtBQUssRUFBRSxFQUFFLElBQUksRUFBRSxJQUFJLENBQUMsU0FBUyxDQUFDLE9BQU8sQ0FBQyxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLE9BQU8sQ0FBQyxFQUFFLEVBQUUsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUUsRUFBRTtBQUN0RyxRQUFRLFNBQVMsSUFBSSxDQUFDLE1BQU0sRUFBRSxFQUFFLE1BQU0sQ0FBQyxJQUFJLEdBQUcsT0FBTyxDQUFDLE1BQU0sQ0FBQyxLQUFLLENBQUMsR0FBRyxLQUFLLENBQUMsTUFBTSxDQUFDLEtBQUssQ0FBQyxDQUFDLElBQUksQ0FBQyxTQUFTLEVBQUUsUUFBUSxDQUFDLENBQUMsRUFBRTtBQUN0SCxRQUFRLElBQUksQ0FBQyxDQUFDLFNBQVMsR0FBRyxTQUFTLENBQUMsS0FBSyxDQUFDLE9BQU8sRUFBRSxVQUFVLElBQUksRUFBRSxDQUFDLEVBQUUsSUFBSSxFQUFFLENBQUMsQ0FBQztBQUM5RSxLQUFLLENBQUMsQ0FBQztBQUNQOztBQzdFQSxjQUFjLEdBQUcsVUFBVTs7Ozs7Ozs7QUNBM0I7QUFDQTtBQUNBO0FBQ0EsQ0FBQyxTQUFTLEdBQUcsRUFBRTtBQUNmLEVBQ0ksR0FBRyxDQUFDQSxVQUErQixDQUFDLENBSXBCO0FBQ3BCLENBQUMsRUFBRSxTQUFTLFVBQVUsRUFBRTtBQUV4QjtBQUNBLFVBQVUsQ0FBQyxVQUFVLENBQUMsTUFBTSxFQUFFLFdBQVc7QUFDekMsRUFBRSxPQUFPO0FBQ1QsSUFBSSxLQUFLLEVBQUUsU0FBUyxNQUFNLEVBQUUsS0FBSyxFQUFFO0FBQ25DLE1BQU0sSUFBSSxHQUFHLEdBQUcsTUFBTSxDQUFDLEdBQUcsRUFBRSxJQUFJLEtBQUssQ0FBQyxZQUFZLENBQUM7QUFDbkQsTUFBTSxJQUFJLEdBQUcsR0FBRyxNQUFNLENBQUMsR0FBRyxFQUFFLENBQUM7QUFDN0I7QUFDQSxNQUFNLEtBQUssQ0FBQyxZQUFZLEdBQUcsS0FBSyxDQUFDO0FBQ2pDO0FBQ0EsTUFBTSxJQUFJLEdBQUcsRUFBRTtBQUNmLFFBQVEsSUFBSSxLQUFLLENBQUMsYUFBYSxFQUFFO0FBQ2pDLFVBQVUsS0FBSyxDQUFDLFdBQVcsR0FBRyxJQUFJLENBQUM7QUFDbkMsVUFBVSxLQUFLLENBQUMsYUFBYSxHQUFHLEtBQUssQ0FBQztBQUN0QyxTQUFTLE1BQU07QUFDZixVQUFVLEtBQUssQ0FBQyxRQUFRLEdBQUcsSUFBSSxDQUFDO0FBQ2hDLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksR0FBRyxJQUFJLEVBQUUsS0FBSyxDQUFDLGFBQWEsRUFBRTtBQUN4QyxRQUFRLEtBQUssQ0FBQyxXQUFXLEdBQUcsS0FBSyxDQUFDO0FBQ2xDLFFBQVEsS0FBSyxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUM7QUFDOUIsT0FBTztBQUNQO0FBQ0EsTUFBTSxJQUFJLEdBQUcsRUFBRTtBQUNmLFFBQVEsTUFBTSxNQUFNLENBQUMsUUFBUSxFQUFFLEVBQUUsRUFBRTtBQUNuQyxPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksRUFBRSxHQUFHLE1BQU0sQ0FBQyxJQUFJLEVBQUUsQ0FBQztBQUM3QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLEdBQUcsSUFBSSxFQUFFLEtBQUssR0FBRyxFQUFFO0FBQzdCLFFBQVEsSUFBSSxNQUFNLENBQUMsR0FBRyxDQUFDLEdBQUcsQ0FBQyxFQUFFO0FBQzdCLFVBQVUsS0FBSyxDQUFDLFFBQVEsR0FBRyxlQUFjO0FBQ3pDLFVBQVUsT0FBTyxVQUFVO0FBQzNCLFNBQVM7QUFDVCxPQUFPO0FBQ1AsTUFBTSxHQUFHLEtBQUssQ0FBQyxRQUFRLEtBQUssVUFBVSxDQUFDLENBQ2hDO0FBQ1AsV0FBVyxHQUFHLEtBQUssQ0FBQyxRQUFRLEtBQUssY0FBYyxFQUFFO0FBQ2pELFFBQVEsR0FBRyxFQUFFLEtBQUssR0FBRyxFQUFFLEtBQUssQ0FBQyxRQUFRLEdBQUcsV0FBVTtBQUNsRCxPQUFPO0FBQ1AsV0FBVztBQUNYLFFBQVEsSUFBSSxFQUFFLEtBQUssR0FBRyxFQUFFO0FBQ3hCLFVBQVUsSUFBSSxNQUFNLENBQUMsR0FBRyxDQUFDLEdBQUcsQ0FBQyxFQUFFO0FBQy9CLFlBQVksTUFBTSxDQUFDLFNBQVMsRUFBRSxDQUFDO0FBQy9CLFlBQVksT0FBTyxTQUFTLENBQUM7QUFDN0IsV0FBVztBQUNYLFNBQVM7QUFDVDtBQUNBLFFBQVEsSUFBSSxNQUFNLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQztBQUNyQyxVQUFVLE9BQU8sU0FBUyxDQUFDO0FBQzNCO0FBQ0EsUUFBUSxHQUFHLE1BQU0sQ0FBQyxLQUFLLENBQUMsbUJBQW1CLENBQUM7QUFDNUMsVUFBVSxPQUFPLFlBQVksQ0FBQztBQUM5QixhQUFhLEdBQUcsTUFBTSxDQUFDLEtBQUssQ0FBQyxXQUFXLENBQUM7QUFDekMsVUFBVSxPQUFPLFlBQVksQ0FBQztBQUM5QjtBQUNBLFFBQVEsR0FBRyxNQUFNLENBQUMsS0FBSyxDQUFDLG1CQUFtQixDQUFDO0FBQzVDLFVBQVUsT0FBTyxVQUFVLENBQUM7QUFDNUIsYUFBYSxHQUFHLE1BQU0sQ0FBQyxLQUFLLENBQUMsV0FBVyxDQUFDO0FBQ3pDLFVBQVUsT0FBTyxVQUFVLENBQUM7QUFDNUI7QUFDQSxRQUFRLEdBQUcsRUFBRSxLQUFLLEdBQUcsQ0FBQztBQUN0QixVQUFVLEtBQUssQ0FBQyxRQUFRLEdBQUcsT0FBTyxDQUFDO0FBQ25DLFVBQVUsT0FBTyxZQUFZLENBQUM7QUFDOUIsU0FBUztBQUNULFFBQVEsR0FBRyxFQUFFLEtBQUssR0FBRyxDQUFDO0FBQ3RCLFVBQVUsR0FBRyxLQUFLLENBQUMsUUFBUSxJQUFJLE9BQU8sRUFBRSxLQUFLLENBQUMsUUFBUSxHQUFHLGNBQWE7QUFDdEUsVUFBVSxPQUFPLFlBQVksQ0FBQztBQUM5QixTQUFTO0FBQ1QsUUFBUSxHQUFHLEVBQUUsS0FBSyxHQUFHLENBQUM7QUFDdEIsVUFBVSxLQUFLLENBQUMsUUFBUSxHQUFHLElBQUksQ0FBQztBQUNoQyxVQUFVLE9BQU8sWUFBWSxDQUFDO0FBQzlCLFNBQVM7QUFDVCxRQUFRLEdBQUcsRUFBRSxLQUFLLEdBQUcsS0FBSyxLQUFLLENBQUMsUUFBUSxLQUFLLGFBQWEsSUFBSSxLQUFLLENBQUMsUUFBUSxLQUFLLE9BQU8sQ0FBQyxDQUFDO0FBQzFGLFVBQVUsS0FBSyxDQUFDLFFBQVEsR0FBRyxNQUFNLENBQUM7QUFDbEMsVUFBVSxPQUFPLFlBQVksQ0FBQztBQUM5QixTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLEtBQUssQ0FBQyxRQUFRLENBQUM7QUFDNUIsS0FBSztBQUNMO0FBQ0EsSUFBSSxVQUFVLEVBQUUsV0FBVztBQUMzQixNQUFNLE9BQU87QUFDYixRQUFRLFVBQVUsR0FBRyxLQUFLO0FBQzFCLFFBQVEsYUFBYSxHQUFHLEtBQUs7QUFDN0IsUUFBUSxXQUFXLEdBQUcsS0FBSztBQUMzQixRQUFRLFlBQVksR0FBRyxLQUFLO0FBQzVCLE9BQU8sQ0FBQztBQUNSLEtBQUs7QUFDTDtBQUNBLEdBQUcsQ0FBQztBQUNKLENBQUMsQ0FBQyxDQUFDO0FBQ0g7QUFDQSxVQUFVLENBQUMsVUFBVSxDQUFDLGFBQWEsRUFBRSxNQUFNLENBQUMsQ0FBQztBQUM3QyxVQUFVLENBQUMsVUFBVSxDQUFDLGlCQUFpQixFQUFFLE1BQU0sQ0FBQyxDQUFDO0FBQ2pEO0FBQ0EsQ0FBQyxDQUFDOzs7QUM1R0Y7TUFDYSxRQUFRO0lBQ25CLE9BQU8sS0FBSyxDQUFDLE1BQWE7UUFFeEIsTUFBTSxNQUFNLEdBQUcsSUFBSSxNQUFNLEVBQUUsQ0FBQztRQUU1QixNQUFNLENBQUMsS0FBSyxDQUFDLElBQUksQ0FBQyxDQUFDLE9BQU8sQ0FBQyxJQUFJO1lBRTdCLElBQUksS0FBcUIsQ0FBQzs7WUFHMUIsSUFBSSxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUMsb0JBQW9CLEVBQUUsRUFBRSxDQUFDLENBQUM7O1lBRzlDLElBQUcsSUFBSSxDQUFDLElBQUksRUFBRSxDQUFDLE1BQU0sS0FBSyxDQUFDO2dCQUFFLE9BQU87O2lCQUUvQixJQUFHLEtBQUssR0FBRyxRQUFRLENBQUMsS0FBSyxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsRUFBQztnQkFDeEMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsSUFBSSxRQUFRLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQzthQUM5Qzs7aUJBRUk7O2dCQUVILE9BQU0sS0FBSyxHQUFHLFVBQVUsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxFQUFDO29CQUN4QyxNQUFNLFVBQVUsR0FBRyxJQUFJLFVBQVUsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztvQkFDNUMsTUFBTSxDQUFDLFdBQVcsQ0FBQyxJQUFJLENBQUMsVUFBVSxDQUFDLENBQUM7b0JBQ3BDLElBQUksR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxVQUFVLENBQUMsWUFBWSxFQUFFLENBQUMsQ0FBQztpQkFDMUQ7O2dCQUdELE9BQU0sS0FBSyxHQUFHLFFBQVEsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxFQUFDO29CQUN0QyxNQUFNLENBQUMsR0FBRyxJQUFJLFFBQVEsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztvQkFDakMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7b0JBQ3hCLElBQUksR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsWUFBWSxFQUFFLENBQUMsQ0FBQztpQkFDakQ7O2dCQUdELE9BQU0sS0FBSyxHQUFHLEtBQUssQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxFQUFDO29CQUNuQyxNQUFNLENBQUMsR0FBRyxJQUFJLEtBQUssQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztvQkFDOUIsTUFBTSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7b0JBQ3RCLElBQUksR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsWUFBWSxFQUFFLENBQUMsQ0FBQztpQkFDakQ7O2dCQUdELE1BQU0sQ0FBQyxNQUFNLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxJQUFJLEVBQUUsQ0FBQyxDQUFDO2FBQ2pDO1NBQ0YsQ0FBQyxDQUFDO1FBRUgsT0FBTyxNQUFNLENBQUM7S0FDZjtDQUNGO0FBRUQ7TUFDYSxNQUFNO0lBQW5CO1FBQ0UsYUFBUSxHQUFlLEVBQUUsQ0FBQztRQUMxQixnQkFBVyxHQUFpQixFQUFFLENBQUM7UUFDL0IsYUFBUSxHQUFlLEVBQUUsQ0FBQztRQUMxQixXQUFNLEdBQVksRUFBRSxDQUFDO1FBQ3JCLFdBQU0sR0FBYSxFQUFFLENBQUM7UUFFdEIsaUJBQVksR0FBdUIsSUFBSSxHQUFHLEVBQWlCLENBQUM7S0FnQzdEO0lBOUJDLGtCQUFrQjtRQUNoQixJQUFJLElBQUksR0FBRyxDQUFDLENBQUM7UUFDYixJQUFJLENBQUMsTUFBTSxDQUFDLE9BQU8sQ0FBQyxLQUFLO1lBQ3ZCLElBQUksTUFBTSxHQUFVLENBQUMsQ0FBQztZQUN0QixJQUFHLFVBQVUsQ0FBQyxLQUFLLENBQUMsTUFBTSxDQUFDLEdBQUcsRUFBRSxJQUFJLEtBQUssQ0FBQyxNQUFNO2dCQUFFLE1BQU0sR0FBRyxVQUFVLENBQUMsS0FBSyxDQUFDLE1BQU0sQ0FBQyxDQUFDO2lCQUMvRSxJQUFHLEtBQUssQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLEdBQUcsQ0FBQyxFQUFDO2dCQUNqQyxNQUFNLEtBQUssR0FBRyxLQUFLLENBQUMsTUFBTSxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztnQkFDdEMsSUFBRyxLQUFLLENBQUMsTUFBTSxJQUFJLENBQUMsRUFBQztvQkFDbkIsTUFBTSxHQUFHLEdBQUcsVUFBVSxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO29CQUNqQyxNQUFNLEdBQUcsR0FBRyxVQUFVLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7b0JBQ2pDLElBQUcsR0FBRyxJQUFJLEdBQUcsRUFBQzt3QkFDWixNQUFNLEdBQUcsR0FBRyxHQUFHLEdBQUcsQ0FBQztxQkFDcEI7aUJBQ0Y7YUFDRjtZQUVELElBQUcsTUFBTSxHQUFHLENBQUMsRUFBQztnQkFDWixJQUFHLEtBQUssQ0FBQyxJQUFJLENBQUMsV0FBVyxFQUFFLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxFQUFDO29CQUMxQyxJQUFJLElBQUksTUFBTSxDQUFDO2lCQUNoQjtxQkFDSSxJQUFHLEtBQUssQ0FBQyxJQUFJLENBQUMsV0FBVyxFQUFFLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxFQUFFO29CQUNoRCxJQUFJLElBQUksTUFBTSxHQUFHLEVBQUUsQ0FBQztpQkFDckI7cUJBQ0ksSUFBRyxLQUFLLENBQUMsSUFBSSxDQUFDLFdBQVcsRUFBRSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsRUFBRTtvQkFDaEQsSUFBSSxJQUFJLE1BQU0sR0FBRyxFQUFFLEdBQUcsRUFBRSxDQUFDO2lCQUMxQjthQUNGO1NBQ0YsQ0FBQyxDQUFDO1FBQ0gsT0FBTyxJQUFJLENBQUM7S0FDYjtDQUNGO0FBRUQ7TUFDYSxVQUFVO0lBSXJCLFlBQVksQ0FBUzs7UUFRckIsbUJBQWMsR0FBVyxJQUFJLENBQUM7UUFDOUIsU0FBSSxHQUFXLElBQUksQ0FBQztRQUNwQixXQUFNLEdBQVcsSUFBSSxDQUFDO1FBQ3RCLFNBQUksR0FBVyxJQUFJLENBQUM7UUFFcEIsaUJBQVksR0FBRztZQUNiLElBQUksQ0FBQyxHQUFHLDJCQUEyQixDQUFDO1lBQ3BDLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxJQUFJLEVBQUU7Z0JBQ3hCLENBQUMsSUFBSSx3QkFBd0IsSUFBSSxDQUFDLE1BQU0sVUFBVSxDQUFDO2FBQ3BEO1lBQ0QsSUFBSSxJQUFJLENBQUMsSUFBSSxLQUFLLElBQUksRUFBRTtnQkFDdEIsQ0FBQyxJQUFJLHNCQUFzQixJQUFJLENBQUMsSUFBSSxVQUFVLENBQUM7YUFDaEQ7WUFFRCxDQUFDLElBQUksR0FBRyxJQUFJLENBQUMsSUFBSSxTQUFTLENBQUM7WUFDM0IsT0FBTyxDQUFDLENBQUM7U0FDVixDQUFBO1FBQ0QsZUFBVSxHQUFHO1lBQ1gsSUFBSSxDQUFDLEdBQUcsRUFBRSxDQUFDO1lBQ1gsSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLElBQUksRUFBRTtnQkFDeEIsQ0FBQyxJQUFJLHdCQUF3QixJQUFJLENBQUMsTUFBTSxVQUFVLENBQUM7YUFDcEQ7WUFDRCxJQUFJLElBQUksQ0FBQyxJQUFJLEtBQUssSUFBSSxFQUFFO2dCQUN0QixDQUFDLElBQUksc0JBQXNCLElBQUksQ0FBQyxJQUFJLFVBQVUsQ0FBQzthQUNoRDtZQUVELENBQUMsSUFBSSxJQUFJLENBQUMsSUFBSSxDQUFDO1lBQ2YsT0FBTyxDQUFDLENBQUM7U0FDVixDQUFBO1FBbkNDLElBQUksQ0FBQyxjQUFjLEdBQUcsQ0FBQyxDQUFDO1FBQ3hCLE1BQU0sS0FBSyxHQUFHLFVBQVUsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO1FBQ3ZDLElBQUksQ0FBQyxJQUFJLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxJQUFJLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQztRQUNqQyxNQUFNLEtBQUssR0FBRyxNQUFBLEtBQUssQ0FBQyxDQUFDLENBQUMsMENBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO1FBQ25DLElBQUksQ0FBQyxNQUFNLEdBQUcsS0FBSyxJQUFJLEtBQUssQ0FBQyxNQUFNLEdBQUcsQ0FBQyxHQUFHLEtBQUssQ0FBQyxDQUFDLENBQUMsR0FBRyxJQUFJLENBQUM7UUFDMUQsSUFBSSxDQUFDLElBQUksR0FBRyxLQUFLLElBQUksS0FBSyxDQUFDLE1BQU0sR0FBRyxDQUFDLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxHQUFHLElBQUksQ0FBQztLQUN6RDs7QUFWRDtBQUNBO0FBQ08sZ0JBQUssR0FBRyx3Q0FBd0MsQ0FBQztBQXdDMUQ7TUFDYSxRQUFRO0lBTW5CLFlBQVksQ0FBUztRQUhyQixtQkFBYyxHQUFXLElBQUksQ0FBQztRQUM5QixTQUFJLEdBQVcsSUFBSSxDQUFDO1FBUXBCLGlCQUFZLEdBQUc7WUFDYixPQUFPLDBCQUEwQixJQUFJLENBQUMsSUFBSSxTQUFTLENBQUM7U0FDckQsQ0FBQTtRQUNELGVBQVUsR0FBRztZQUNYLE9BQU8sSUFBSSxDQUFDLElBQUksQ0FBQztTQUNsQixDQUFBO1FBVkMsSUFBSSxDQUFDLGNBQWMsR0FBRyxDQUFDLENBQUM7UUFDeEIsTUFBTSxLQUFLLEdBQUcsUUFBUSxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7UUFDckMsSUFBSSxDQUFDLElBQUksR0FBRyxLQUFLLENBQUMsQ0FBQyxDQUFDLElBQUksS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDO0tBQ2xDOztBQVREO0FBQ08sY0FBSyxHQUFHLGdDQUFnQyxDQUFDO0FBa0JsRDtNQUNhLEtBQUs7SUFPaEIsWUFBWSxDQUFTO1FBSnJCLG1CQUFjLEdBQVcsSUFBSSxDQUFDO1FBQzlCLFdBQU0sR0FBVyxJQUFJLENBQUM7UUFDdEIsU0FBSSxHQUFXLElBQUksQ0FBQztRQVFwQixpQkFBWSxHQUFHO1lBQ2IsT0FBTyxnREFBZ0QsSUFBSSxDQUFDLE1BQU0sbUNBQW1DLElBQUksQ0FBQyxJQUFJLGdCQUFnQixDQUFDO1NBQ2hJLENBQUE7UUFDRCxlQUFVLEdBQUc7WUFDWCxPQUFPLDZCQUE2QixJQUFJLENBQUMsTUFBTSxtQ0FBbUMsSUFBSSxDQUFDLElBQUksU0FBUyxDQUFDO1NBQ3RHLENBQUE7UUFWQyxNQUFNLEtBQUssR0FBRyxLQUFLLENBQUMsS0FBSyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztRQUNsQyxJQUFJLENBQUMsTUFBTSxHQUFHLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQztRQUN2QixJQUFJLENBQUMsSUFBSSxHQUFHLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQztLQUN0Qjs7QUFWRDtBQUNPLFdBQUssR0FBRyxtQkFBbUIsQ0FBQztBQW1CckM7TUFDYSxRQUFRO0lBT25CLFlBQVksQ0FBUztRQUpyQixtQkFBYyxHQUFXLElBQUksQ0FBQztRQUM5QixRQUFHLEdBQVcsSUFBSSxDQUFDO1FBQ25CLFVBQUssR0FBVyxJQUFJLENBQUM7UUFRckIsaUJBQVksR0FBRztZQUNiLE9BQU8sdUNBQXVDLElBQUksQ0FBQyxHQUFHLGlEQUFpRCxJQUFJLENBQUMsS0FBSyxTQUFTLENBQUM7U0FDNUgsQ0FBQTtRQUNELGVBQVUsR0FBRztZQUNYLE9BQU8sOEJBQThCLElBQUksQ0FBQyxHQUFHLHdDQUF3QyxJQUFJLENBQUMsS0FBSyxTQUFTLENBQUM7U0FDMUcsQ0FBQTtRQVZDLE1BQU0sS0FBSyxHQUFHLFFBQVEsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO1FBQ3JDLElBQUksQ0FBQyxHQUFHLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksRUFBRSxDQUFDO1FBQzNCLElBQUksQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksRUFBRSxDQUFDO0tBQzlCOztBQVZEO0FBQ08sY0FBSyxHQUFHLG9CQUFvQjs7QUNyTHJDO01BQ2EsUUFBUyxTQUFRQyxxQkFBWTtJQVd4QyxZQUFZLElBQW1CLEVBQUUsUUFBMEI7UUFDekQsS0FBSyxDQUFDLElBQUksQ0FBQyxDQUFDO1FBQ1osSUFBSSxDQUFDLFFBQVEsR0FBRyxRQUFRLENBQUM7O1FBRXpCLElBQUksQ0FBQyxTQUFTLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxTQUFTLENBQUMsRUFBRSxHQUFHLEVBQUUsbUJBQW1CLEVBQUUsSUFBSSxFQUFFLEVBQUUsT0FBTyxFQUFFLGVBQWUsRUFBRSxFQUFFLENBQUMsQ0FBQzs7UUFFNUcsSUFBSSxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLFNBQVMsQ0FBQyxFQUFFLEdBQUcsRUFBRSxrQkFBa0IsRUFBRSxJQUFJLEVBQUUsRUFBRSxPQUFPLEVBQUUsZ0JBQWdCLEVBQUUsRUFBRSxDQUFDLENBQUM7O1FBRTNHLElBQUksQ0FBQyxRQUFRLEdBQUcsSUFBSSxDQUFDLFFBQVEsQ0FBQyxRQUFRLENBQUMsVUFBVSxFQUFFLEVBQUUsR0FBRyxFQUFFLGdCQUFnQixFQUFFLENBQUMsQ0FBQzs7UUFFOUUsSUFBSSxDQUFDLE1BQU0sR0FBRyxVQUFVLENBQUMsWUFBWSxDQUFDLElBQUksQ0FBQyxRQUFRLEVBQUU7WUFDbkQsV0FBVyxFQUFFLEtBQUs7WUFDbEIsWUFBWSxFQUFFLElBQUk7WUFDbEIsY0FBYyxFQUFFLElBQUk7WUFDcEIsTUFBTSxFQUFFLFNBQVM7WUFDakIsS0FBSyxFQUFFLFVBQVU7U0FDbEIsQ0FBQyxDQUFDO0tBQ0o7SUFFRCxNQUFNOztRQUVKLElBQUksQ0FBQyxNQUFNLENBQUMsRUFBRSxDQUFDLFFBQVEsRUFBRTtZQUN2QixJQUFJLENBQUMsV0FBVyxFQUFFLENBQUM7U0FDcEIsQ0FBQyxDQUFDOztRQUdILElBQUksQ0FBQyxnQkFBZ0IsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLGVBQWUsRUFBRSwwQ0FBMEMsRUFBRSxDQUFDLEdBQUcsS0FBSyxJQUFJLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDOztRQUd2SSxJQUFJLGVBQWUsR0FBSSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQWEsQ0FBQyxTQUFTLENBQUMsaUJBQWlCLENBQUMsQ0FBQztRQUMzRSxJQUFJLENBQUMsUUFBUSxpQ0FBTSxJQUFJLENBQUMsUUFBUSxFQUFFLEtBQUUsSUFBSSxFQUFFLGVBQWUsS0FBSSxFQUFFLENBQUMsQ0FBQztLQUNsRTtJQUVELFFBQVE7UUFDTixPQUFPLEtBQUssQ0FBQyxRQUFRLEVBQUUsQ0FBQztLQUN6QjtJQUVELFFBQVEsQ0FBQyxLQUFVLEVBQUUsTUFBdUI7UUFDMUMsT0FBTyxLQUFLLENBQUMsUUFBUSxDQUFDLEtBQUssRUFBRSxNQUFNLENBQUMsQ0FBQyxJQUFJLENBQUM7WUFDeEMsSUFBSSxLQUFLLENBQUMsSUFBSTtnQkFBRSxJQUFJLENBQUMsVUFBVSxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQztTQUM3QyxDQUFDLENBQUM7S0FDSjs7SUFHRCxVQUFVLENBQUMsR0FBc0M7UUFDL0MsSUFBSSxJQUFJLEdBQUcsR0FBRyxDQUFDOztRQUVmLElBQUksQ0FBQyxJQUFJLElBQUksSUFBSSxZQUFZLFVBQVU7WUFBRSxJQUFJLEdBQUcsSUFBSSxDQUFDLFdBQVcsS0FBSyxRQUFRLEdBQUcsU0FBUyxHQUFHLFFBQVEsQ0FBQztRQUVyRyxJQUFJLEdBQUcsWUFBWSxVQUFVLEVBQUU7WUFDN0IsSUFBSUMsZUFBTSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsRUFBRTtnQkFDMUIsSUFBSSxDQUFDLEdBQUcsQ0FBQyxTQUFTLENBQUMsYUFBYSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxJQUFJLENBQUM7O29CQUMvQyxNQUFNLFFBQVEsR0FBRyxNQUFBLElBQUksQ0FBQyxHQUFHLENBQUMsU0FBUyxDQUFDLFVBQVUsMENBQUUsSUFBSSxDQUFDO29CQUNyRCxJQUFJLFFBQVEsRUFBRTt3QkFDWixRQUFRLENBQUMsUUFBUSxpQ0FBTSxRQUFRLENBQUMsUUFBUSxFQUFFLEtBQUUsSUFBSSxFQUFFLElBQUksS0FBSSxFQUFFLENBQUMsQ0FBQztxQkFDL0Q7aUJBQ0YsQ0FBQyxDQUFDO2FBQ0o7aUJBQ0k7Z0JBQ0gsSUFBSSxDQUFDLFFBQVEsaUNBQU0sSUFBSSxDQUFDLFFBQVEsRUFBRSxLQUFFLElBQUksRUFBRSxJQUFJLEtBQUksRUFBRSxDQUFDLENBQUM7YUFDdkQ7U0FDRjthQUNJOztZQUVILElBQUksSUFBSSxLQUFLLFNBQVMsRUFBRTtnQkFDdEIsSUFBSSxDQUFDLFdBQVcsR0FBRyxTQUFTLENBQUM7Z0JBQzdCQyxnQkFBTyxDQUFDLElBQUksQ0FBQyxnQkFBZ0IsRUFBRSxRQUFRLENBQUMsQ0FBQztnQkFDekMsSUFBSSxDQUFDLGdCQUFnQixDQUFDLFlBQVksQ0FBQyxZQUFZLEVBQUUsdUNBQXVDLENBQUMsQ0FBQztnQkFFMUYsSUFBSSxDQUFDLGFBQWEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUM7Z0JBQ2hDLElBQUksQ0FBQyxTQUFTLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsT0FBTyxDQUFDLENBQUM7Z0JBQ3JELElBQUksQ0FBQyxRQUFRLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsTUFBTSxDQUFDLENBQUM7YUFDcEQ7O2lCQUVJO2dCQUNILElBQUksQ0FBQyxXQUFXLEdBQUcsUUFBUSxDQUFDO2dCQUM1QkEsZ0JBQU8sQ0FBQyxJQUFJLENBQUMsZ0JBQWdCLEVBQUUsZUFBZSxDQUFDLENBQUM7Z0JBQ2hELElBQUksQ0FBQyxnQkFBZ0IsQ0FBQyxZQUFZLENBQUMsWUFBWSxFQUFFLDBDQUEwQyxDQUFDLENBQUM7Z0JBRTdGLElBQUksQ0FBQyxTQUFTLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsTUFBTSxDQUFDLENBQUM7Z0JBQ3BELElBQUksQ0FBQyxRQUFRLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsT0FBTyxDQUFDLENBQUM7Z0JBQ3BELElBQUksQ0FBQyxNQUFNLENBQUMsT0FBTyxFQUFFLENBQUM7YUFDdkI7U0FDRjtLQUNGOztJQUdELFdBQVc7UUFDVCxJQUFJLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxFQUFFLENBQUM7O1FBRW5DLElBQUksQ0FBQyxNQUFNLEdBQUcsUUFBUSxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7UUFDeEMsT0FBTyxJQUFJLENBQUMsSUFBSSxDQUFDO0tBQ2xCOztJQUdLLFdBQVcsQ0FBQyxJQUFZLEVBQUUsS0FBYzs7WUFDNUMsSUFBSSxDQUFDLElBQUksR0FBRyxJQUFJLENBQUM7WUFFakIsSUFBSSxLQUFLLEVBQUU7Z0JBQ1QsSUFBSSxDQUFDLE1BQU0sQ0FBQyxPQUFPLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxJQUFJLEVBQUUsYUFBYSxDQUFDLENBQUMsQ0FBQTtnQkFDeEQsSUFBSSxDQUFDLE1BQU0sQ0FBQyxZQUFZLEVBQUUsQ0FBQzthQUM1QjtZQUVELElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLElBQUksQ0FBQyxDQUFDO1lBQzNCLElBQUksQ0FBQyxNQUFNLEdBQUcsUUFBUSxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQzs7WUFFbkMsSUFBSSxJQUFJLENBQUMsV0FBVyxLQUFLLFNBQVM7Z0JBQUUsSUFBSSxDQUFDLGFBQWEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUM7U0FDckU7S0FBQTs7SUFHRCxLQUFLO1FBQ0gsSUFBSSxDQUFDLFNBQVMsQ0FBQyxLQUFLLEVBQUUsQ0FBQztRQUN2QixJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxFQUFFLENBQUMsQ0FBQztRQUN6QixJQUFJLENBQUMsTUFBTSxDQUFDLFlBQVksRUFBRSxDQUFDO1FBQzNCLElBQUksQ0FBQyxNQUFNLEdBQUcsSUFBSSxNQUFNLEVBQUUsQ0FBQztRQUMzQixJQUFJLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQztLQUNsQjtJQUVELGNBQWM7UUFDWixJQUFJLElBQUksQ0FBQyxJQUFJO1lBQUUsT0FBTyxJQUFJLENBQUMsSUFBSSxDQUFDLFFBQVEsQ0FBQzs7WUFDcEMsT0FBTyxvQkFBb0IsQ0FBQztLQUNsQztJQUVELGtCQUFrQixDQUFDLFNBQWlCO1FBQ2xDLE9BQU8sU0FBUyxJQUFJLE1BQU0sQ0FBQztLQUM1QjtJQUVELFdBQVc7UUFDVCxPQUFPLE1BQU0sQ0FBQztLQUNmOztJQUdELFFBQVE7UUFDTixJQUFJLENBQUMsTUFBTSxDQUFDLE9BQU8sRUFBRSxDQUFDO0tBQ3ZCOztJQUdELE9BQU87UUFDTCxPQUFPLGVBQWUsQ0FBQztLQUN4Qjs7SUFHRCxhQUFhLENBQUMsTUFBYzs7UUFHMUIsSUFBSSxDQUFDLFNBQVMsQ0FBQyxLQUFLLEVBQUUsQ0FBQzs7UUFHdkIsSUFBSSxDQUFDLE1BQU07WUFBRSxPQUFPO1FBRXBCLElBQUcsSUFBSSxDQUFDLFFBQVEsQ0FBQyxVQUFVLEVBQUU7OztZQUczQixNQUFNLFVBQVUsR0FBWSxJQUFJLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsTUFBTSxDQUFDLENBQUMsSUFBSSxDQUFDLENBQUMsWUFBWUMsY0FBSyxNQUFNLENBQUMsQ0FBQyxRQUFRLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxRQUFRLElBQUksQ0FBQyxDQUFDLFFBQVEsQ0FBQyxVQUFVLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxRQUFRLEdBQUcsR0FBRyxDQUFDLENBQUMsSUFBSSxDQUFDLENBQUMsSUFBSSxJQUFJLElBQUksQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFZLENBQUM7WUFDeE4sVUFBVSxDQUFDLE9BQU8sQ0FBQyxDQUFDOztnQkFFbEIsSUFBSSxDQUFDLENBQUMsU0FBUyxJQUFJLEtBQUssSUFBSSxDQUFDLENBQUMsU0FBUyxJQUFJLE1BQU0sSUFBSSxDQUFDLENBQUMsU0FBUyxJQUFJLEtBQUssSUFBSSxDQUFDLENBQUMsU0FBUyxJQUFJLEtBQUssRUFBRTs7b0JBRWpHLElBQUksQ0FBQyxDQUFDLFFBQVEsSUFBSSxJQUFJLENBQUMsSUFBSSxDQUFDLFFBQVE7d0JBQUUsTUFBTSxDQUFDLEtBQUssR0FBRyxDQUFDLENBQUM7eUJBQ2xEO3dCQUNILE1BQU0sS0FBSyxHQUFHLENBQUMsQ0FBQyxRQUFRLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDOzt3QkFFcEMsSUFBSSxLQUFLLENBQUMsTUFBTSxJQUFJLENBQUMsSUFBSSxRQUFRLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUU7NEJBQzNDLE1BQU0sQ0FBQyxZQUFZLENBQUMsR0FBRyxDQUFDLFFBQVEsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQzt5QkFDaEQ7cUJBQ0Y7aUJBQ0Y7YUFDRixDQUFDLENBQUE7O1lBR0YsSUFBSSxNQUFNLENBQUMsS0FBSyxFQUFFO2dCQUNoQixNQUFNLEdBQUcsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxLQUFLLEVBQUUsRUFBRSxHQUFHLEVBQUUsWUFBWSxFQUFFLENBQUMsQ0FBQztnQkFDbEUsR0FBRyxDQUFDLEdBQUcsR0FBRyxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssQ0FBQyxlQUFlLENBQUMsTUFBTSxDQUFDLEtBQUssQ0FBQyxDQUFDO2FBQ3hEO1NBQ0Y7UUFFRCxJQUFHLElBQUksQ0FBQyxRQUFRLENBQUMsa0JBQWtCLEVBQUU7O1lBRW5DLElBQUksQ0FBQyxTQUFTLENBQUMsUUFBUSxDQUFDLElBQUksRUFBRSxFQUFFLEdBQUcsRUFBRSxvQkFBb0IsRUFBRSxJQUFJLEVBQUUsYUFBYSxFQUFFLENBQUMsQ0FBQzs7WUFHbEYsTUFBTSxFQUFFLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsR0FBRyxFQUFFLGFBQWEsRUFBRSxDQUFDLENBQUM7WUFDakUsTUFBTSxDQUFDLFdBQVcsQ0FBQyxPQUFPLENBQUMsVUFBVTtnQkFDbkMsTUFBTSxFQUFFLEdBQUcsRUFBRSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQztnQkFDN0IsSUFBSSxVQUFVLENBQUMsTUFBTSxLQUFLLElBQUksRUFBRTtvQkFDOUIsRUFBRSxDQUFDLFFBQVEsQ0FBQyxNQUFNLEVBQUUsRUFBRSxHQUFHLEVBQUUsUUFBUSxFQUFFLElBQUksRUFBRSxVQUFVLENBQUMsTUFBTSxFQUFDLENBQUMsQ0FBQztvQkFDL0QsRUFBRSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQztpQkFDcEI7Z0JBQ0QsSUFBSSxVQUFVLENBQUMsSUFBSSxLQUFLLElBQUksRUFBRTtvQkFDNUIsRUFBRSxDQUFDLFFBQVEsQ0FBQyxNQUFNLEVBQUUsRUFBRSxHQUFHLEVBQUUsTUFBTSxFQUFFLElBQUksRUFBRSxVQUFVLENBQUMsSUFBSSxFQUFDLENBQUMsQ0FBQztvQkFDM0QsRUFBRSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQztpQkFDcEI7Z0JBRUQsRUFBRSxDQUFDLFVBQVUsQ0FBQyxVQUFVLENBQUMsSUFBSSxDQUFDLENBQUM7YUFDaEMsQ0FBQyxDQUFBO1NBQ0g7UUFFRCxJQUFHLElBQUksQ0FBQyxRQUFRLENBQUMsZ0JBQWdCLEVBQUU7O1lBRWpDLElBQUksQ0FBQyxTQUFTLENBQUMsUUFBUSxDQUFDLElBQUksRUFBRSxFQUFFLEdBQUcsRUFBRSxpQkFBaUIsRUFBRSxJQUFJLEVBQUUsVUFBVSxFQUFFLENBQUMsQ0FBQzs7WUFHNUUsTUFBTSxFQUFFLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsR0FBRyxFQUFFLFVBQVUsRUFBRSxDQUFDLENBQUM7WUFDOUQsTUFBTSxDQUFDLFFBQVEsQ0FBQyxPQUFPLENBQUMsSUFBSTtnQkFDMUIsRUFBRSxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxJQUFJLEVBQUUsSUFBSSxDQUFDLElBQUksRUFBRSxDQUFDLENBQUM7YUFDeEMsQ0FBQyxDQUFBO1NBQ0g7UUFFRCxJQUFHLElBQUksQ0FBQyxRQUFRLENBQUMsYUFBYSxFQUFFO1lBQzlCLElBQUksSUFBSSxHQUFHLE1BQU0sQ0FBQyxrQkFBa0IsRUFBRSxDQUFDO1lBQ3ZDLElBQUcsSUFBSSxHQUFHLENBQUMsRUFBRTs7Z0JBRVgsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsR0FBRyxFQUFFLGFBQWEsRUFBRSxJQUFJLEVBQUUsWUFBWSxFQUFFLENBQUMsQ0FBQztnQkFDMUUsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsR0FBRyxFQUFFLEVBQUUsR0FBRyxFQUFFLE1BQU0sRUFBRSxJQUFJLEVBQUUsSUFBSSxDQUFDLFVBQVUsQ0FBQyxJQUFJLENBQUMsRUFBRSxDQUFDLENBQUM7YUFDNUU7U0FDRjs7UUFHRCxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxHQUFHLEVBQUUsZUFBZSxFQUFFLElBQUksRUFBRSxRQUFRLEVBQUUsQ0FBQyxDQUFDOztRQUd4RSxNQUFNLEdBQUcsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxHQUFHLEVBQUUsUUFBUSxFQUFFLENBQUMsQ0FBQztRQUM3RCxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUM7UUFDVixNQUFNLENBQUMsTUFBTSxDQUFDLE9BQU8sQ0FBQyxJQUFJOztZQUN4QixNQUFNLEdBQUcsR0FBRyxHQUFHLENBQUMsUUFBUSxDQUFDLElBQUksQ0FBQyxDQUFDO1lBQy9CLEdBQUcsQ0FBQyxTQUFTLEdBQUcsSUFBSSxDQUFDO1lBQ3JCLElBQUksQ0FBQyxJQUFJLENBQUMsUUFBUSxDQUFDLG9CQUFvQixFQUFFO2dCQUN2QyxNQUFBLEdBQUcsQ0FBQyxnQkFBZ0IsQ0FBQyxTQUFTLENBQUMsMENBQUUsT0FBTyxDQUFDLEVBQUUsSUFBSSxFQUFFLENBQUMsTUFBTSxFQUFFLENBQUMsQ0FBQztnQkFDNUQsTUFBQSxHQUFHLENBQUMsZ0JBQWdCLENBQUMsT0FBTyxDQUFDLDBDQUFFLE9BQU8sQ0FBQyxFQUFFLElBQUksRUFBRSxDQUFDLE1BQU0sRUFBRSxDQUFDLENBQUM7YUFDM0Q7WUFFRCxJQUFJLElBQUksQ0FBQyxRQUFRLENBQUMsVUFBVSxJQUFJLE1BQU0sQ0FBQyxZQUFZLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxFQUFFO2dCQUMxRCxNQUFNLEdBQUcsR0FBRyxHQUFHLENBQUMsUUFBUSxDQUFDLEtBQUssRUFBRSxFQUFFLEdBQUcsRUFBRSxjQUFjLEVBQUUsQ0FBQyxDQUFDO2dCQUN6RCxHQUFHLENBQUMsR0FBRyxHQUFHLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxDQUFDLGVBQWUsQ0FBQyxNQUFNLENBQUMsWUFBWSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO2FBQ3RFO1lBQ0QsQ0FBQyxFQUFFLENBQUM7U0FDTCxDQUFDLENBQUM7S0FDSjtJQUVELFVBQVUsQ0FBQyxJQUFZO1FBQ3JCLElBQUksT0FBTyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsSUFBSSxHQUFHLEVBQUUsQ0FBQyxDQUFDO1FBQ3BDLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxHQUFHLEVBQUUsQ0FBQyxDQUFDO1FBQ3JDLE9BQU8sR0FBRyxPQUFPLEdBQUcsRUFBRSxDQUFDO1FBRXZCLElBQUksTUFBTSxHQUFHLEVBQUUsQ0FBQztRQUNoQixJQUFJLEtBQUssR0FBRyxDQUFDO1lBQUUsTUFBTSxJQUFJLEtBQUssR0FBRyxTQUFTLENBQUM7UUFDM0MsSUFBSSxPQUFPLEdBQUcsQ0FBQztZQUFFLE1BQU0sSUFBSSxPQUFPLEdBQUcsV0FBVyxDQUFDO1FBQ2pELE9BQU8sTUFBTSxDQUFDO0tBQ2Y7OztNQ2hRVSxnQkFBZ0I7SUFBN0I7UUFDRSxlQUFVLEdBQVksSUFBSSxDQUFDO1FBQzNCLHVCQUFrQixHQUFZLElBQUksQ0FBQztRQUNuQyxxQkFBZ0IsR0FBWSxJQUFJLENBQUM7UUFDakMsa0JBQWEsR0FBWSxJQUFJLENBQUM7UUFDOUIseUJBQW9CLEdBQVksS0FBSyxDQUFDO0tBQ3ZDO0NBQUE7TUFFWSxlQUFnQixTQUFRQyx5QkFBZ0I7SUFFbkQsWUFBWSxHQUFRLEVBQUUsTUFBa0I7UUFDdEMsS0FBSyxDQUFDLEdBQUcsRUFBRSxNQUFNLENBQUMsQ0FBQztRQUNuQixJQUFJLENBQUMsTUFBTSxHQUFHLE1BQU0sQ0FBQztLQUN0QjtJQUVELE9BQU87UUFDTCxJQUFJLEVBQUUsV0FBVyxFQUFFLEdBQUcsSUFBSSxDQUFDO1FBRTNCLFdBQVcsQ0FBQyxLQUFLLEVBQUUsQ0FBQztRQUVwQixJQUFJQyxnQkFBTyxDQUFDLFdBQVcsQ0FBQzthQUNyQixPQUFPLENBQUMsaUJBQWlCLENBQUM7YUFDMUIsVUFBVSxFQUFFLENBQUM7UUFFaEIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLGFBQWEsQ0FBQzthQUN0QixPQUFPLENBQUMsaUZBQWlGLENBQUM7YUFDMUYsU0FBUyxDQUFDLE1BQU0sSUFBSSxNQUFNO2FBQ3hCLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxVQUFVLENBQUM7YUFDekMsUUFBUSxDQUFDLENBQUMsS0FBYztZQUN2QixJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxVQUFVLEdBQUcsS0FBSyxDQUFDO1lBQ3hDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLENBQUM7WUFDM0MsSUFBSSxDQUFDLE1BQU0sQ0FBQyxlQUFlLEVBQUUsQ0FBQztTQUMvQixDQUFDLENBQUMsQ0FBQztRQUVSLElBQUlBLGdCQUFPLENBQUMsV0FBVyxDQUFDO2FBQ3JCLE9BQU8sQ0FBQyxzQkFBc0IsQ0FBQzthQUMvQixPQUFPLENBQUMsdURBQXVELENBQUM7YUFDaEUsU0FBUyxDQUFDLE1BQU0sSUFBSSxNQUFNO2FBQ3hCLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxrQkFBa0IsQ0FBQzthQUNqRCxRQUFRLENBQUMsQ0FBQyxLQUFjO1lBQ3ZCLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLGtCQUFrQixHQUFHLEtBQUssQ0FBQztZQUNoRCxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxDQUFDO1lBQzNDLElBQUksQ0FBQyxNQUFNLENBQUMsZUFBZSxFQUFFLENBQUM7U0FDL0IsQ0FBQyxDQUFDLENBQUM7UUFFUixJQUFJQSxnQkFBTyxDQUFDLFdBQVcsQ0FBQzthQUNyQixPQUFPLENBQUMsb0JBQW9CLENBQUM7YUFDN0IsT0FBTyxDQUFDLG9EQUFvRCxDQUFDO2FBQzdELFNBQVMsQ0FBQyxNQUFNLElBQUksTUFBTTthQUN4QixRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsZ0JBQWdCLENBQUM7YUFDL0MsUUFBUSxDQUFDLENBQUMsS0FBYztZQUN2QixJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxnQkFBZ0IsR0FBRyxLQUFLLENBQUM7WUFDOUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO1FBRVIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLGlCQUFpQixDQUFDO2FBQzFCLE9BQU8sQ0FBQyx1REFBdUQsQ0FBQzthQUNoRSxTQUFTLENBQUMsTUFBTSxJQUFJLE1BQU07YUFDeEIsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLGFBQWEsQ0FBQzthQUM1QyxRQUFRLENBQUMsQ0FBQyxLQUFjO1lBQ3ZCLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUM7WUFDM0MsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO1FBRVIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLHdCQUF3QixDQUFDO2FBQ2pDLE9BQU8sQ0FBQyw0REFBNEQsQ0FBQzthQUNyRSxTQUFTLENBQUMsTUFBTSxJQUFJLE1BQU07YUFDeEIsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLG9CQUFvQixDQUFDO2FBQ25ELFFBQVEsQ0FBQyxDQUFDLEtBQWM7WUFDdkIsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsb0JBQW9CLEdBQUcsS0FBSyxDQUFDO1lBQ2xELElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLENBQUM7WUFDM0MsSUFBSSxDQUFDLE1BQU0sQ0FBQyxlQUFlLEVBQUUsQ0FBQztTQUMvQixDQUFDLENBQUMsQ0FBQztLQUNUOzs7TUMvRWtCLFVBQVcsU0FBUUMsZUFBTTtJQUE5Qzs7UUE0REUsb0JBQWUsR0FBRzs7WUFDaEIsSUFBSSxpQkFBaUIsR0FBRyxJQUFJLENBQUM7WUFDN0IsTUFBTSxlQUFlLEdBQUksSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFhLENBQUMsU0FBUyxDQUFDLGlCQUFpQixDQUFDLENBQUM7WUFDN0UsSUFBRyxDQUFDLGVBQWUsSUFBSSxlQUFlLEtBQUssTUFBTSxFQUFFO2dCQUNqRCxpQkFBaUIsR0FBRyxHQUFHLENBQUM7YUFDekI7aUJBQ0ksSUFBRyxlQUFlLEtBQUssU0FBUyxFQUFFO2dCQUNyQyxpQkFBaUIsR0FBRyxNQUFBLE1BQUEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxTQUFTLENBQUMsYUFBYSxFQUFFLDBDQUFFLE1BQU0sMENBQUUsSUFBSSxDQUFDO2FBQ3RFO2lCQUNHO2dCQUNGLGlCQUFpQixHQUFJLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBYSxDQUFDLFNBQVMsQ0FBQyxtQkFBbUIsQ0FBQyxDQUFDO2FBQzVFO1lBRUQsSUFBRyxDQUFDLGlCQUFpQjtnQkFBRSxpQkFBaUIsR0FBRyxHQUFHLENBQUM7aUJBQzFDLElBQUcsQ0FBQyxpQkFBaUIsQ0FBQyxRQUFRLENBQUMsR0FBRyxDQUFDO2dCQUFFLGlCQUFpQixJQUFJLEdBQUcsQ0FBQztZQUVuRSxNQUFNLFlBQVksR0FBRyxpQkFBaUIsQ0FBQztZQUN2QyxpQkFBaUIsR0FBRyxpQkFBaUIsR0FBRyxlQUFlLENBQUM7WUFDeEQsSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDO1lBQ1YsT0FBTSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssQ0FBQyxxQkFBcUIsQ0FBQyxpQkFBaUIsQ0FBQyxFQUFFO2dCQUM3RCxpQkFBaUIsR0FBRyxHQUFHLFlBQVksWUFBWSxFQUFFLENBQUMsT0FBTyxDQUFDO2FBQzNEO1lBQ0QsTUFBTSxPQUFPLEdBQUcsTUFBTSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssQ0FBQyxNQUFNLENBQUMsaUJBQWlCLEVBQUUsRUFBRSxDQUFDLENBQUM7WUFDbkUsT0FBTyxPQUFPLENBQUM7U0FDaEIsQ0FBQSxDQUFBOztRQUdELG9CQUFlLEdBQUcsQ0FBQyxJQUFtQjtZQUNwQyxPQUFPLElBQUksUUFBUSxDQUFDLElBQUksRUFBRSxJQUFJLENBQUMsUUFBUSxDQUFDLENBQUM7U0FDMUMsQ0FBQTs7O1FBYUQsb0JBQWUsR0FBRyxDQUFDLFNBQWlCO1lBQ2xDQyxnQkFBTyxDQUFDLFlBQVksU0FBUyxFQUFFLEVBQUU7Ozs7Ozs7S0FPaEMsQ0FBQyxDQUFDO1NBQ0osQ0FBQTtLQUNGO0lBNUdPLE1BQU07Ozs7O1lBQ1YsT0FBTSxNQUFNLFlBQUc7WUFDZixJQUFJLENBQUMsUUFBUSxHQUFHLE1BQU0sQ0FBQyxNQUFNLENBQUMsSUFBSSxnQkFBZ0IsRUFBRSxFQUFFLE1BQU0sSUFBSSxDQUFDLFFBQVEsRUFBRSxDQUFDLENBQUM7O1lBRzdFLElBQUksQ0FBQyxlQUFlLENBQUMsTUFBTSxDQUFDLENBQUM7O1lBRzdCLElBQUksQ0FBQyxZQUFZLENBQUMsTUFBTSxFQUFFLElBQUksQ0FBQyxlQUFlLENBQUMsQ0FBQztZQUNoRCxJQUFJLENBQUMsa0JBQWtCLENBQUMsQ0FBQyxNQUFNLENBQUMsRUFBRSxNQUFNLENBQUMsQ0FBQztZQUUxQyxJQUFJLENBQUMsYUFBYSxDQUFDLElBQUksZUFBZSxDQUFDLElBQUksQ0FBQyxHQUFHLEVBQUUsSUFBSSxDQUFDLENBQUMsQ0FBQzs7Ozs7WUFPeEQsSUFBSSxDQUFDLFVBQVUsQ0FBQztnQkFDZCxFQUFFLEVBQUUsYUFBYTtnQkFDakIsSUFBSSxFQUFFLG1CQUFtQjtnQkFDekIsUUFBUSxFQUFFO29CQUNSLE1BQU0sT0FBTyxHQUFHLE1BQU0sSUFBSSxDQUFDLGVBQWUsRUFBRSxDQUFDO29CQUM3QyxJQUFJLENBQUMsR0FBRyxDQUFDLFNBQVMsQ0FBQyxPQUFPLEVBQUUsQ0FBQyxRQUFRLENBQUMsT0FBTyxDQUFDLENBQUM7aUJBQ2hELENBQUE7YUFDRixDQUFDLENBQUE7WUFFRixJQUFJLENBQUMsVUFBVSxDQUFDO2dCQUNkLEVBQUUsRUFBRSxzQkFBc0I7Z0JBQzFCLElBQUksRUFBRSwyQkFBMkI7Z0JBQ2pDLFFBQVEsRUFBRTtvQkFDUixNQUFNLE9BQU8sR0FBRyxNQUFNLElBQUksQ0FBQyxlQUFlLEVBQUUsQ0FBQztvQkFDaEMsTUFBTSxJQUFJLENBQUMsR0FBRyxDQUFDLFNBQVMsQ0FBQyxPQUFPLENBQUMsSUFBSSxDQUFDLENBQUMsUUFBUSxDQUFDLE9BQU8sRUFBRTtpQkFDdkUsQ0FBQTthQUNGLENBQUMsQ0FBQTs7WUFHRixJQUFJLENBQUMsVUFBVSxDQUFDO2dCQUNkLEVBQUUsRUFBRSxpQkFBaUI7Z0JBQ3JCLElBQUksRUFBRSxrQ0FBa0M7Z0JBQ3hDLGFBQWEsRUFBRSxDQUFDLFFBQWdCO29CQUM5QixNQUFNLElBQUksR0FBRyxJQUFJLENBQUMsR0FBRyxDQUFDLFNBQVMsQ0FBQyxhQUFhLEVBQUUsQ0FBQztvQkFDaEQsTUFBTSxJQUFJLEdBQUcsSUFBSSxDQUFDLFNBQVMsS0FBSyxJQUFJLENBQUM7b0JBQ3JDLElBQUcsUUFBUSxFQUFFO3dCQUNYLE9BQU8sSUFBSSxDQUFDO3FCQUNiO3lCQUNJLElBQUcsSUFBSSxFQUFFOzt3QkFFWixJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssQ0FBQyxNQUFNLENBQUMsSUFBSSxFQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLE9BQU8sRUFBRSxPQUFPLENBQUMsQ0FBQyxDQUFDLElBQUksQ0FBQzs0QkFDbkUsSUFBSSxDQUFDLEdBQUcsQ0FBQyxTQUFTLENBQUMsVUFBVSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQzt5QkFDOUMsQ0FBQyxDQUFDO3FCQUNKO2lCQUNGO2FBQ0YsQ0FBQyxDQUFBO1NBQ0g7S0FBQTtJQWlDRCxlQUFlO1FBQ2IsSUFBSSxDQUFDLEdBQUcsQ0FBQyxTQUFTLENBQUMsZUFBZSxDQUFDLE1BQU0sQ0FBQyxDQUFDLE9BQU8sQ0FBQyxJQUFJO1lBQ3JELElBQUcsSUFBSSxDQUFDLElBQUksWUFBWSxRQUFRLEVBQUU7Z0JBQ2hDLElBQUksQ0FBQyxJQUFJLENBQUMsUUFBUSxHQUFHLElBQUksQ0FBQyxRQUFRLENBQUM7Z0JBQ25DLElBQUcsSUFBSSxDQUFDLElBQUksQ0FBQyxNQUFNO29CQUFFLElBQUksQ0FBQyxJQUFJLENBQUMsYUFBYSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUM7YUFDaEU7U0FDRixDQUFDLENBQUM7S0FDSjs7Ozs7In0= +//# sourceMappingURL=data:application/json;charset=utf-8;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoibWFpbi5qcyIsInNvdXJjZXMiOlsibm9kZV9tb2R1bGVzL3RzbGliL3RzbGliLmVzNi5qcyIsInNyYy9saWIvY29kZW1pcnJvci5qcyIsInNyYy9tb2RlL2Nvb2svY29vay5qcyIsIm5vZGVfbW9kdWxlcy9jb29rbGFuZy9kaXN0L2Nvb2tsYW5nLmpzIiwibm9kZV9tb2R1bGVzL2hvd2xlci9kaXN0L2hvd2xlci5qcyIsInNyYy9hbGFybS5tcDMiLCJzcmMvdGltZXIubXAzIiwic3JjL2Nvb2tWaWV3LnRzIiwic3JjL3NldHRpbmdzLnRzIiwic3JjL21haW4udHMiXSwic291cmNlc0NvbnRlbnQiOm51bGwsIm5hbWVzIjpbInJlcXVpcmUkJDAiLCJnbG9iYWwiLCJUZXh0RmlsZVZpZXciLCJIb3dsIiwiS2V5bWFwIiwic2V0SWNvbiIsIlJlY2lwZSIsIlRGaWxlIiwiSW5ncmVkaWVudCIsIkNvb2t3YXJlIiwiVGltZXIiLCJOb3RpY2UiLCJQbHVnaW5TZXR0aW5nVGFiIiwiU2V0dGluZyIsIlBsdWdpbiIsImFkZEljb24iXSwibWFwcGluZ3MiOiI7Ozs7Ozs7OztBQUFBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUF1REE7QUFDTyxTQUFTLFNBQVMsQ0FBQyxPQUFPLEVBQUUsVUFBVSxFQUFFLENBQUMsRUFBRSxTQUFTLEVBQUU7QUFDN0QsSUFBSSxTQUFTLEtBQUssQ0FBQyxLQUFLLEVBQUUsRUFBRSxPQUFPLEtBQUssWUFBWSxDQUFDLEdBQUcsS0FBSyxHQUFHLElBQUksQ0FBQyxDQUFDLFVBQVUsT0FBTyxFQUFFLEVBQUUsT0FBTyxDQUFDLEtBQUssQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLEVBQUU7QUFDaEgsSUFBSSxPQUFPLEtBQUssQ0FBQyxLQUFLLENBQUMsR0FBRyxPQUFPLENBQUMsRUFBRSxVQUFVLE9BQU8sRUFBRSxNQUFNLEVBQUU7QUFDL0QsUUFBUSxTQUFTLFNBQVMsQ0FBQyxLQUFLLEVBQUUsRUFBRSxJQUFJLEVBQUUsSUFBSSxDQUFDLFNBQVMsQ0FBQyxJQUFJLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsT0FBTyxDQUFDLEVBQUUsRUFBRSxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRSxFQUFFO0FBQ25HLFFBQVEsU0FBUyxRQUFRLENBQUMsS0FBSyxFQUFFLEVBQUUsSUFBSSxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsT0FBTyxDQUFDLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsT0FBTyxDQUFDLEVBQUUsRUFBRSxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRSxFQUFFO0FBQ3RHLFFBQVEsU0FBUyxJQUFJLENBQUMsTUFBTSxFQUFFLEVBQUUsTUFBTSxDQUFDLElBQUksR0FBRyxPQUFPLENBQUMsTUFBTSxDQUFDLEtBQUssQ0FBQyxHQUFHLEtBQUssQ0FBQyxNQUFNLENBQUMsS0FBSyxDQUFDLENBQUMsSUFBSSxDQUFDLFNBQVMsRUFBRSxRQUFRLENBQUMsQ0FBQyxFQUFFO0FBQ3RILFFBQVEsSUFBSSxDQUFDLENBQUMsU0FBUyxHQUFHLFNBQVMsQ0FBQyxLQUFLLENBQUMsT0FBTyxFQUFFLFVBQVUsSUFBSSxFQUFFLENBQUMsRUFBRSxJQUFJLEVBQUUsQ0FBQyxDQUFDO0FBQzlFLEtBQUssQ0FBQyxDQUFDO0FBQ1A7O0FDN0VBLGNBQWMsR0FBRyxVQUFVOzs7Ozs7Ozs7O0FDQTNCO0FBQ0E7QUFDQTtBQUNBLENBQUMsU0FBUyxHQUFHLEVBQUU7QUFDZixFQUNJLEdBQUcsQ0FBQ0EsVUFBK0IsQ0FBQyxDQUlwQjtBQUNwQixDQUFDLEVBQUUsU0FBUyxVQUFVLEVBQUU7QUFFeEI7QUFDQSxVQUFVLENBQUMsVUFBVSxDQUFDLE1BQU0sRUFBRSxXQUFXO0FBQ3pDLEVBQUUsT0FBTztBQUNULElBQUksS0FBSyxFQUFFLFNBQVMsTUFBTSxFQUFFLEtBQUssRUFBRTtBQUNuQyxNQUFNLElBQUksR0FBRyxHQUFHLE1BQU0sQ0FBQyxHQUFHLEVBQUUsSUFBSSxLQUFLLENBQUMsWUFBWSxDQUFDO0FBQ25ELE1BQU0sSUFBSSxHQUFHLEdBQUcsTUFBTSxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQzdCO0FBQ0EsTUFBTSxLQUFLLENBQUMsWUFBWSxHQUFHLEtBQUssQ0FBQztBQUNqQztBQUNBLE1BQU0sSUFBSSxHQUFHLEVBQUU7QUFDZixRQUFRLElBQUksS0FBSyxDQUFDLGFBQWEsRUFBRTtBQUNqQyxVQUFVLEtBQUssQ0FBQyxXQUFXLEdBQUcsSUFBSSxDQUFDO0FBQ25DLFVBQVUsS0FBSyxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUM7QUFDdEMsU0FBUyxNQUFNO0FBQ2YsVUFBVSxLQUFLLENBQUMsUUFBUSxHQUFHLElBQUksQ0FBQztBQUNoQyxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxJQUFJLEdBQUcsSUFBSSxFQUFFLEtBQUssQ0FBQyxhQUFhLEVBQUU7QUFDeEMsUUFBUSxLQUFLLENBQUMsV0FBVyxHQUFHLEtBQUssQ0FBQztBQUNsQyxRQUFRLEtBQUssQ0FBQyxRQUFRLEdBQUcsSUFBSSxDQUFDO0FBQzlCLE9BQU87QUFDUDtBQUNBLE1BQU0sSUFBSSxHQUFHLEVBQUU7QUFDZixRQUFRLE1BQU0sTUFBTSxDQUFDLFFBQVEsRUFBRSxFQUFFLEVBQUU7QUFDbkMsT0FBTztBQUNQO0FBQ0EsTUFBTSxJQUFJLEVBQUUsR0FBRyxNQUFNLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDN0I7QUFDQTtBQUNBLE1BQU0sSUFBSSxHQUFHLElBQUksRUFBRSxLQUFLLEdBQUcsRUFBRTtBQUM3QixRQUFRLElBQUksTUFBTSxDQUFDLEdBQUcsQ0FBQyxHQUFHLENBQUMsRUFBRTtBQUM3QixVQUFVLEtBQUssQ0FBQyxRQUFRLEdBQUcsZUFBYztBQUN6QyxVQUFVLE9BQU8sVUFBVTtBQUMzQixTQUFTO0FBQ1QsT0FBTztBQUNQLE1BQU0sR0FBRyxLQUFLLENBQUMsUUFBUSxLQUFLLFVBQVUsQ0FBQyxDQUNoQztBQUNQLFdBQVcsR0FBRyxLQUFLLENBQUMsUUFBUSxLQUFLLGNBQWMsRUFBRTtBQUNqRCxRQUFRLEdBQUcsRUFBRSxLQUFLLEdBQUcsRUFBRSxLQUFLLENBQUMsUUFBUSxHQUFHLFdBQVU7QUFDbEQsT0FBTztBQUNQLFdBQVc7QUFDWCxRQUFRLElBQUksRUFBRSxLQUFLLEdBQUcsRUFBRTtBQUN4QixVQUFVLElBQUksTUFBTSxDQUFDLEdBQUcsQ0FBQyxHQUFHLENBQUMsRUFBRTtBQUMvQixZQUFZLE1BQU0sQ0FBQyxTQUFTLEVBQUUsQ0FBQztBQUMvQixZQUFZLE9BQU8sU0FBUyxDQUFDO0FBQzdCLFdBQVc7QUFDWCxTQUFTO0FBQ1Q7QUFDQSxRQUFRLElBQUksTUFBTSxDQUFDLEtBQUssQ0FBQyxXQUFXLENBQUM7QUFDckMsVUFBVSxPQUFPLFNBQVMsQ0FBQztBQUMzQjtBQUNBLFFBQVEsR0FBRyxNQUFNLENBQUMsS0FBSyxDQUFDLG1CQUFtQixDQUFDO0FBQzVDLFVBQVUsT0FBTyxZQUFZLENBQUM7QUFDOUIsYUFBYSxHQUFHLE1BQU0sQ0FBQyxLQUFLLENBQUMsV0FBVyxDQUFDO0FBQ3pDLFVBQVUsT0FBTyxZQUFZLENBQUM7QUFDOUI7QUFDQSxRQUFRLEdBQUcsTUFBTSxDQUFDLEtBQUssQ0FBQyxtQkFBbUIsQ0FBQztBQUM1QyxVQUFVLE9BQU8sVUFBVSxDQUFDO0FBQzVCLGFBQWEsR0FBRyxNQUFNLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQztBQUN6QyxVQUFVLE9BQU8sVUFBVSxDQUFDO0FBQzVCO0FBQ0EsUUFBUSxHQUFHLEVBQUUsS0FBSyxHQUFHLENBQUM7QUFDdEIsVUFBVSxLQUFLLENBQUMsUUFBUSxHQUFHLE9BQU8sQ0FBQztBQUNuQyxVQUFVLE9BQU8sWUFBWSxDQUFDO0FBQzlCLFNBQVM7QUFDVCxRQUFRLEdBQUcsRUFBRSxLQUFLLEdBQUcsQ0FBQztBQUN0QixVQUFVLEdBQUcsS0FBSyxDQUFDLFFBQVEsSUFBSSxPQUFPLEVBQUUsS0FBSyxDQUFDLFFBQVEsR0FBRyxjQUFhO0FBQ3RFLFVBQVUsT0FBTyxZQUFZLENBQUM7QUFDOUIsU0FBUztBQUNULFFBQVEsR0FBRyxFQUFFLEtBQUssR0FBRyxDQUFDO0FBQ3RCLFVBQVUsS0FBSyxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUM7QUFDaEMsVUFBVSxPQUFPLFlBQVksQ0FBQztBQUM5QixTQUFTO0FBQ1QsUUFBUSxHQUFHLEVBQUUsS0FBSyxHQUFHLEtBQUssS0FBSyxDQUFDLFFBQVEsS0FBSyxhQUFhLElBQUksS0FBSyxDQUFDLFFBQVEsS0FBSyxPQUFPLENBQUMsQ0FBQztBQUMxRixVQUFVLEtBQUssQ0FBQyxRQUFRLEdBQUcsTUFBTSxDQUFDO0FBQ2xDLFVBQVUsT0FBTyxZQUFZLENBQUM7QUFDOUIsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxLQUFLLENBQUMsUUFBUSxDQUFDO0FBQzVCLEtBQUs7QUFDTDtBQUNBLElBQUksVUFBVSxFQUFFLFdBQVc7QUFDM0IsTUFBTSxPQUFPO0FBQ2IsUUFBUSxVQUFVLEdBQUcsS0FBSztBQUMxQixRQUFRLGFBQWEsR0FBRyxLQUFLO0FBQzdCLFFBQVEsV0FBVyxHQUFHLEtBQUs7QUFDM0IsUUFBUSxZQUFZLEdBQUcsS0FBSztBQUM1QixPQUFPLENBQUM7QUFDUixLQUFLO0FBQ0w7QUFDQSxHQUFHLENBQUM7QUFDSixDQUFDLENBQUMsQ0FBQztBQUNIO0FBQ0EsVUFBVSxDQUFDLFVBQVUsQ0FBQyxhQUFhLEVBQUUsTUFBTSxDQUFDLENBQUM7QUFDN0MsVUFBVSxDQUFDLFVBQVUsQ0FBQyxpQkFBaUIsRUFBRSxNQUFNLENBQUMsQ0FBQztBQUNqRDtBQUNBLENBQUMsQ0FBQzs7OztBQzdHRixNQUFNLENBQUMsY0FBYyxVQUFVLFlBQVksRUFBRSxFQUFFLEtBQUssRUFBRSxJQUFJLEVBQUUsQ0FBQyxDQUFDO0FBQzlELG1CQUFtQixnQkFBZ0IsbUJBQW1CLHFCQUFxQixlQUFlLGlCQUFpQixLQUFLLENBQUMsQ0FBQztBQUNsSCxNQUFNLGFBQWEsR0FBRywwQkFBMEIsQ0FBQztBQUNqRCxNQUFNLGdCQUFnQixHQUFHLG1EQUFtRCxDQUFDO0FBQzdFLE1BQU0sY0FBYyxHQUFHLDJDQUEyQyxDQUFDO0FBQ25FLE1BQU0sV0FBVyxHQUFHLDhDQUE4QyxDQUFDO0FBQ25FLE1BQU0sY0FBYyxHQUFHLHNCQUFzQixDQUFDO0FBQzlDO0FBQ0EsTUFBTSxJQUFJLENBQUM7QUFDWCxJQUFJLFdBQVcsQ0FBQyxDQUFDLEVBQUU7QUFDbkIsUUFBUSxJQUFJLENBQUMsWUFBWSxLQUFLO0FBQzlCLFlBQVksSUFBSSxDQUFDLEdBQUcsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDNUIsYUFBYSxJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVE7QUFDdEMsWUFBWSxJQUFJLENBQUMsR0FBRyxHQUFHLENBQUMsQ0FBQztBQUN6QixhQUFhLElBQUksS0FBSyxJQUFJLENBQUM7QUFDM0IsWUFBWSxJQUFJLENBQUMsR0FBRyxHQUFHLENBQUMsQ0FBQyxHQUFHLENBQUM7QUFDN0IsS0FBSztBQUNMLENBQUM7QUFDRCxNQUFNLE1BQU0sU0FBUyxJQUFJLENBQUM7QUFDMUIsSUFBSSxXQUFXLENBQUMsQ0FBQyxFQUFFO0FBQ25CLFFBQVEsSUFBSSxFQUFFLEVBQUUsRUFBRSxDQUFDO0FBQ25CLFFBQVEsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ2pCLFFBQVEsSUFBSSxDQUFDLFFBQVEsR0FBRyxFQUFFLENBQUM7QUFDM0IsUUFBUSxJQUFJLENBQUMsV0FBVyxHQUFHLEVBQUUsQ0FBQztBQUM5QixRQUFRLElBQUksQ0FBQyxRQUFRLEdBQUcsRUFBRSxDQUFDO0FBQzNCLFFBQVEsSUFBSSxDQUFDLE1BQU0sR0FBRyxFQUFFLENBQUM7QUFDekIsUUFBUSxJQUFJLENBQUMsS0FBSyxHQUFHLEVBQUUsQ0FBQztBQUN4QixRQUFRLENBQUMsRUFBRSxHQUFHLENBQUMsRUFBRSxHQUFHLENBQUMsS0FBSyxJQUFJLElBQUksQ0FBQyxLQUFLLEtBQUssQ0FBQyxHQUFHLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQyxPQUFPLENBQUMsYUFBYSxFQUFFLEVBQUUsQ0FBQyxNQUFNLElBQUksSUFBSSxFQUFFLEtBQUssS0FBSyxDQUFDLEdBQUcsS0FBSyxDQUFDLEdBQUcsRUFBRSxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsTUFBTSxJQUFJLElBQUksRUFBRSxLQUFLLEtBQUssQ0FBQyxHQUFHLEtBQUssQ0FBQyxHQUFHLEVBQUUsQ0FBQyxPQUFPLENBQUMsSUFBSSxJQUFJO0FBQ3JNLFlBQVksSUFBSSxJQUFJLENBQUMsSUFBSSxFQUFFLEVBQUU7QUFDN0IsZ0JBQWdCLElBQUksQ0FBQyxHQUFHLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDO0FBQ3ZDLGdCQUFnQixJQUFJLENBQUMsQ0FBQyxJQUFJLENBQUMsTUFBTSxJQUFJLENBQUMsRUFBRTtBQUN4QyxvQkFBb0IsSUFBSSxDQUFDLENBQUMsSUFBSSxDQUFDLE1BQU0sSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsWUFBWSxRQUFRLEVBQUU7QUFDN0Usd0JBQXdCLElBQUksQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN0RCxxQkFBcUI7QUFDckIseUJBQXlCO0FBQ3pCLHdCQUF3QixDQUFDLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLElBQUk7QUFDNUMsNEJBQTRCLElBQUksQ0FBQyxZQUFZLFVBQVU7QUFDdkQsZ0NBQWdDLElBQUksQ0FBQyxXQUFXLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pELGlDQUFpQyxJQUFJLENBQUMsWUFBWSxRQUFRO0FBQzFELGdDQUFnQyxJQUFJLENBQUMsUUFBUSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN0RCxpQ0FBaUMsSUFBSSxDQUFDLFlBQVksS0FBSztBQUN2RCxnQ0FBZ0MsSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDcEQseUJBQXlCLENBQUMsQ0FBQztBQUMzQix3QkFBd0IsSUFBSSxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDM0MscUJBQXFCO0FBQ3JCLGlCQUFpQjtBQUNqQixhQUFhO0FBQ2IsU0FBUyxDQUFDLENBQUM7QUFDWCxLQUFLO0FBQ0wsSUFBSSxrQkFBa0IsR0FBRztBQUN6QixRQUFRLE9BQU8sSUFBSSxDQUFDLE1BQU0sQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUMsT0FBTyxJQUFJLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDO0FBQ3JFLEtBQUs7QUFDTCxDQUFDO0FBQ0QsaUJBQWlCLE1BQU0sQ0FBQztBQUN4QjtBQUNBLE1BQU0sSUFBSSxTQUFTLElBQUksQ0FBQztBQUN4QixJQUFJLFdBQVcsQ0FBQyxDQUFDLEVBQUU7QUFDbkIsUUFBUSxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakIsUUFBUSxJQUFJLENBQUMsSUFBSSxHQUFHLEVBQUUsQ0FBQztBQUN2QixRQUFRLElBQUksQ0FBQyxJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVE7QUFDdEMsWUFBWSxJQUFJLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQyxTQUFTLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDMUMsYUFBYSxJQUFJLENBQUMsRUFBRTtBQUNwQixZQUFZLElBQUksTUFBTSxJQUFJLENBQUM7QUFDM0IsZ0JBQWdCLElBQUksQ0FBQyxJQUFJLEdBQUcsQ0FBQyxDQUFDLElBQUksQ0FBQztBQUNuQyxZQUFZLElBQUksT0FBTyxJQUFJLENBQUM7QUFDNUIsZ0JBQWdCLElBQUksQ0FBQyxLQUFLLEdBQUcsQ0FBQyxDQUFDLEtBQUssQ0FBQztBQUNyQyxTQUFTO0FBQ1QsS0FBSztBQUNMO0FBQ0EsSUFBSSxTQUFTLENBQUMsQ0FBQyxFQUFFO0FBQ2pCLFFBQVEsSUFBSSxLQUFLLENBQUM7QUFDbEIsUUFBUSxJQUFJLENBQUMsQ0FBQztBQUNkLFFBQVEsSUFBSSxJQUFJLEdBQUcsRUFBRSxDQUFDO0FBQ3RCO0FBQ0EsUUFBUSxJQUFJLEtBQUssR0FBRyxjQUFjLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFO0FBQzVDLFlBQVksT0FBTyxDQUFDLElBQUksUUFBUSxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUM7QUFDekMsU0FBUztBQUNUO0FBQ0EsYUFBYSxJQUFJLEtBQUssR0FBRyxnQkFBZ0IsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUU7QUFDbkQsWUFBWSxDQUFDLEdBQUcsSUFBSSxVQUFVLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDdEMsU0FBUztBQUNUO0FBQ0EsYUFBYSxJQUFJLEtBQUssR0FBRyxjQUFjLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFO0FBQ2pELFlBQVksQ0FBQyxHQUFHLElBQUksUUFBUSxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQ3BDLFNBQVM7QUFDVDtBQUNBLGFBQWEsSUFBSSxLQUFLLEdBQUcsV0FBVyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRTtBQUM5QyxZQUFZLENBQUMsR0FBRyxJQUFJLEtBQUssQ0FBQyxLQUFLLENBQUMsQ0FBQztBQUNqQyxTQUFTO0FBQ1Q7QUFDQSxRQUFRLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxHQUFHLEVBQUU7QUFDeEI7QUFDQSxZQUFZLE1BQU0sS0FBSyxHQUFHLENBQUMsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3pDO0FBQ0EsWUFBWSxJQUFJLENBQUMsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDO0FBQ3BDLGdCQUFnQixJQUFJLENBQUMsT0FBTyxDQUFDLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzFEO0FBQ0EsWUFBWSxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pCO0FBQ0EsWUFBWSxJQUFJLENBQUMsQ0FBQyxDQUFDLFFBQVEsQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDO0FBQ2xDLGdCQUFnQixJQUFJLENBQUMsSUFBSSxDQUFDLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3ZELFlBQVksT0FBTyxJQUFJLENBQUM7QUFDeEIsU0FBUztBQUNUO0FBQ0EsUUFBUSxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDbkIsS0FBSztBQUNMLENBQUM7QUFDRCxlQUFlLElBQUksQ0FBQztBQUNwQjtBQUNBLE1BQU0sVUFBVSxTQUFTLElBQUksQ0FBQztBQUM5QixJQUFJLFdBQVcsQ0FBQyxDQUFDLEVBQUU7QUFDbkIsUUFBUSxJQUFJLEVBQUUsQ0FBQztBQUNmLFFBQVEsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ2pCLFFBQVEsSUFBSSxDQUFDLFlBQVksS0FBSyxJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVEsRUFBRTtBQUN6RCxZQUFZLE1BQU0sS0FBSyxHQUFHLENBQUMsWUFBWSxLQUFLLEdBQUcsQ0FBQyxHQUFHLGdCQUFnQixDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUM1RSxZQUFZLElBQUksQ0FBQyxLQUFLLElBQUksS0FBSyxDQUFDLE1BQU0sSUFBSSxDQUFDO0FBQzNDLGdCQUFnQixNQUFNLENBQUMsMkJBQTJCLEVBQUUsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pELFlBQVksSUFBSSxDQUFDLElBQUksR0FBRyxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsSUFBSSxLQUFLLENBQUMsQ0FBQyxDQUFDLEVBQUUsSUFBSSxFQUFFLENBQUM7QUFDdEQsWUFBWSxNQUFNLEtBQUssR0FBRyxDQUFDLEVBQUUsR0FBRyxLQUFLLENBQUMsQ0FBQyxDQUFDLE1BQU0sSUFBSSxJQUFJLEVBQUUsS0FBSyxLQUFLLENBQUMsR0FBRyxLQUFLLENBQUMsR0FBRyxFQUFFLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzdGLFlBQVksSUFBSSxDQUFDLE1BQU0sR0FBRyxLQUFLLElBQUksS0FBSyxDQUFDLE1BQU0sR0FBRyxDQUFDLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksRUFBRSxHQUFHLEdBQUcsQ0FBQztBQUM1RSxZQUFZLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTTtBQUM1QixnQkFBZ0IsSUFBSSxDQUFDLE1BQU0sR0FBRyxHQUFHLENBQUM7QUFDbEMsWUFBWSxJQUFJLENBQUMsUUFBUSxHQUFHLElBQUksQ0FBQyxNQUFNLEdBQUcsY0FBYyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDMUUsWUFBWSxJQUFJLENBQUMsS0FBSyxHQUFHLEtBQUssSUFBSSxLQUFLLENBQUMsTUFBTSxHQUFHLENBQUMsR0FBRyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLEdBQUcsRUFBRSxDQUFDO0FBQzFFLFNBQVM7QUFDVCxhQUFhO0FBQ2IsWUFBWSxJQUFJLE1BQU0sSUFBSSxDQUFDO0FBQzNCLGdCQUFnQixJQUFJLENBQUMsSUFBSSxHQUFHLENBQUMsQ0FBQyxJQUFJLENBQUM7QUFDbkMsWUFBWSxJQUFJLFFBQVEsSUFBSSxDQUFDO0FBQzdCLGdCQUFnQixJQUFJLENBQUMsTUFBTSxHQUFHLENBQUMsQ0FBQyxNQUFNLENBQUM7QUFDdkMsWUFBWSxJQUFJLFVBQVUsSUFBSSxDQUFDO0FBQy9CLGdCQUFnQixJQUFJLENBQUMsUUFBUSxHQUFHLENBQUMsQ0FBQyxRQUFRLENBQUM7QUFDM0MsWUFBWSxJQUFJLE9BQU8sSUFBSSxDQUFDO0FBQzVCLGdCQUFnQixJQUFJLENBQUMsS0FBSyxHQUFHLENBQUMsQ0FBQyxLQUFLLENBQUM7QUFDckMsU0FBUztBQUNULEtBQUs7QUFDTCxDQUFDO0FBQ0QscUJBQXFCLFVBQVUsQ0FBQztBQUNoQztBQUNBLE1BQU0sUUFBUSxTQUFTLElBQUksQ0FBQztBQUM1QixJQUFJLFdBQVcsQ0FBQyxDQUFDLEVBQUU7QUFDbkIsUUFBUSxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakIsUUFBUSxJQUFJLENBQUMsWUFBWSxLQUFLLElBQUksT0FBTyxDQUFDLEtBQUssUUFBUSxFQUFFO0FBQ3pELFlBQVksTUFBTSxLQUFLLEdBQUcsQ0FBQyxZQUFZLEtBQUssR0FBRyxDQUFDLEdBQUcsY0FBYyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUMxRSxZQUFZLElBQUksQ0FBQyxLQUFLLElBQUksS0FBSyxDQUFDLE1BQU0sSUFBSSxDQUFDO0FBQzNDLGdCQUFnQixNQUFNLENBQUMseUJBQXlCLEVBQUUsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3ZELFlBQVksSUFBSSxDQUFDLElBQUksR0FBRyxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsSUFBSSxLQUFLLENBQUMsQ0FBQyxDQUFDLEVBQUUsSUFBSSxFQUFFLENBQUM7QUFDdEQsU0FBUztBQUNULGFBQWE7QUFDYixZQUFZLElBQUksTUFBTSxJQUFJLENBQUM7QUFDM0IsZ0JBQWdCLElBQUksQ0FBQyxJQUFJLEdBQUcsQ0FBQyxDQUFDLElBQUksQ0FBQztBQUNuQyxTQUFTO0FBQ1QsS0FBSztBQUNMLENBQUM7QUFDRCxtQkFBbUIsUUFBUSxDQUFDO0FBQzVCO0FBQ0EsTUFBTSxLQUFLLFNBQVMsSUFBSSxDQUFDO0FBQ3pCLElBQUksV0FBVyxDQUFDLENBQUMsRUFBRTtBQUNuQixRQUFRLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNqQixRQUFRLElBQUksQ0FBQyxZQUFZLEtBQUssSUFBSSxPQUFPLENBQUMsS0FBSyxRQUFRLEVBQUU7QUFDekQsWUFBWSxNQUFNLEtBQUssR0FBRyxDQUFDLFlBQVksS0FBSyxHQUFHLENBQUMsR0FBRyxXQUFXLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3ZFLFlBQVksSUFBSSxDQUFDLEtBQUssSUFBSSxLQUFLLENBQUMsTUFBTSxJQUFJLENBQUM7QUFDM0MsZ0JBQWdCLE1BQU0sQ0FBQyxzQkFBc0IsRUFBRSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDcEQsWUFBWSxJQUFJLENBQUMsSUFBSSxHQUFHLEtBQUssQ0FBQyxDQUFDLENBQUMsR0FBRyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLEdBQUcsRUFBRSxDQUFDO0FBQ3hELFlBQVksSUFBSSxDQUFDLE1BQU0sR0FBRyxLQUFLLENBQUMsQ0FBQyxDQUFDLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksRUFBRSxHQUFHLENBQUMsQ0FBQztBQUN6RCxZQUFZLElBQUksQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxHQUFHLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQyxJQUFJLEVBQUUsR0FBRyxFQUFFLENBQUM7QUFDekQsWUFBWSxJQUFJLENBQUMsUUFBUSxHQUFHLElBQUksQ0FBQyxNQUFNLEdBQUcsY0FBYyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDMUUsWUFBWSxJQUFJLENBQUMsT0FBTyxHQUFHLEtBQUssQ0FBQyxVQUFVLENBQUMsSUFBSSxDQUFDLFFBQVEsRUFBRSxJQUFJLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDdkUsU0FBUztBQUNULGFBQWE7QUFDYixZQUFZLElBQUksTUFBTSxJQUFJLENBQUM7QUFDM0IsZ0JBQWdCLElBQUksQ0FBQyxJQUFJLEdBQUcsQ0FBQyxDQUFDLElBQUksQ0FBQztBQUNuQyxZQUFZLElBQUksUUFBUSxJQUFJLENBQUM7QUFDN0IsZ0JBQWdCLElBQUksQ0FBQyxNQUFNLEdBQUcsQ0FBQyxDQUFDLE1BQU0sQ0FBQztBQUN2QyxZQUFZLElBQUksVUFBVSxJQUFJLENBQUM7QUFDL0IsZ0JBQWdCLElBQUksQ0FBQyxRQUFRLEdBQUcsQ0FBQyxDQUFDLFFBQVEsQ0FBQztBQUMzQyxZQUFZLElBQUksT0FBTyxJQUFJLENBQUM7QUFDNUIsZ0JBQWdCLElBQUksQ0FBQyxLQUFLLEdBQUcsQ0FBQyxDQUFDLEtBQUssQ0FBQztBQUNyQyxZQUFZLElBQUksU0FBUyxJQUFJLENBQUM7QUFDOUIsZ0JBQWdCLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE9BQU8sQ0FBQztBQUN6QyxTQUFTO0FBQ1QsS0FBSztBQUNMLElBQUksT0FBTyxVQUFVLENBQUMsTUFBTSxFQUFFLElBQUksR0FBRyxHQUFHLEVBQUU7QUFDMUMsUUFBUSxJQUFJLElBQUksR0FBRyxDQUFDLENBQUM7QUFDckIsUUFBUSxJQUFJLE1BQU0sR0FBRyxDQUFDLEVBQUU7QUFDeEIsWUFBWSxJQUFJLElBQUksQ0FBQyxXQUFXLEVBQUUsQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLEVBQUU7QUFDcEQsZ0JBQWdCLElBQUksR0FBRyxNQUFNLENBQUM7QUFDOUIsYUFBYTtBQUNiLGlCQUFpQixJQUFJLElBQUksQ0FBQyxXQUFXLEVBQUUsQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLEVBQUU7QUFDekQsZ0JBQWdCLElBQUksR0FBRyxNQUFNLEdBQUcsRUFBRSxDQUFDO0FBQ25DLGFBQWE7QUFDYixpQkFBaUIsSUFBSSxJQUFJLENBQUMsV0FBVyxFQUFFLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxFQUFFO0FBQ3pELGdCQUFnQixJQUFJLEdBQUcsTUFBTSxHQUFHLEVBQUUsR0FBRyxFQUFFLENBQUM7QUFDeEMsYUFBYTtBQUNiLFNBQVM7QUFDVCxRQUFRLE9BQU8sSUFBSSxDQUFDO0FBQ3BCLEtBQUs7QUFDTCxDQUFDO0FBQ0QsZ0JBQWdCLEtBQUssQ0FBQztBQUN0QixTQUFTLGNBQWMsQ0FBQyxDQUFDLEVBQUU7QUFDM0IsSUFBSSxJQUFJLE1BQU0sR0FBRyxDQUFDLENBQUM7QUFDbkIsSUFBSSxJQUFJLFVBQVUsQ0FBQyxDQUFDLENBQUMsR0FBRyxFQUFFLElBQUksQ0FBQztBQUMvQixRQUFRLE1BQU0sR0FBRyxVQUFVLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDL0IsU0FBUyxJQUFJLENBQUMsQ0FBQyxRQUFRLENBQUMsR0FBRyxDQUFDLEVBQUU7QUFDOUIsUUFBUSxNQUFNLEtBQUssR0FBRyxDQUFDLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ25DLFFBQVEsSUFBSSxLQUFLLENBQUMsTUFBTSxJQUFJLENBQUMsRUFBRTtBQUMvQixZQUFZLE1BQU0sR0FBRyxHQUFHLFVBQVUsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLENBQUMsQ0FBQztBQUNwRCxZQUFZLE1BQU0sR0FBRyxHQUFHLFVBQVUsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLENBQUMsQ0FBQztBQUNwRCxZQUFZLElBQUksR0FBRyxHQUFHLEVBQUUsSUFBSSxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLElBQUksR0FBRyxHQUFHLEVBQUUsSUFBSSxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLEVBQUU7QUFDNUUsZ0JBQWdCLE1BQU0sR0FBRyxHQUFHLEdBQUcsR0FBRyxDQUFDO0FBQ25DLGFBQWE7QUFDYjtBQUNBLGdCQUFnQixNQUFNLEdBQUcsR0FBRyxDQUFDO0FBQzdCLFNBQVM7QUFDVCxLQUFLO0FBQ0w7QUFDQSxRQUFRLE1BQU0sR0FBRyxHQUFHLENBQUM7QUFDckIsSUFBSSxPQUFPLE1BQU0sQ0FBQztBQUNsQixDQUFDO0FBQ0Q7QUFDQSxNQUFNLFFBQVEsU0FBUyxJQUFJLENBQUM7QUFDNUIsSUFBSSxXQUFXLENBQUMsQ0FBQyxFQUFFO0FBQ25CLFFBQVEsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ2pCLFFBQVEsSUFBSSxDQUFDLFlBQVksS0FBSyxJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVEsRUFBRTtBQUN6RCxZQUFZLE1BQU0sS0FBSyxHQUFHLENBQUMsWUFBWSxLQUFLLEdBQUcsQ0FBQyxHQUFHLGNBQWMsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDMUUsWUFBWSxJQUFJLENBQUMsS0FBSyxJQUFJLEtBQUssQ0FBQyxNQUFNLElBQUksQ0FBQztBQUMzQyxnQkFBZ0IsTUFBTSxDQUFDLHlCQUF5QixFQUFFLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN2RCxZQUFZLElBQUksQ0FBQyxHQUFHLEdBQUcsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksRUFBRSxDQUFDO0FBQ3ZDLFlBQVksSUFBSSxDQUFDLEtBQUssR0FBRyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDekMsU0FBUztBQUNULGFBQWE7QUFDYixZQUFZLElBQUksS0FBSyxJQUFJLENBQUM7QUFDMUIsZ0JBQWdCLElBQUksQ0FBQyxHQUFHLEdBQUcsQ0FBQyxDQUFDLEdBQUcsQ0FBQztBQUNqQyxZQUFZLElBQUksT0FBTyxJQUFJLENBQUM7QUFDNUIsZ0JBQWdCLElBQUksQ0FBQyxLQUFLLEdBQUcsQ0FBQyxDQUFDLEtBQUssQ0FBQztBQUNyQyxTQUFTO0FBQ1QsS0FBSztBQUNMLENBQUM7QUFDRCxtQkFBbUIsUUFBUTs7Ozs7Ozs7Ozs7Ozs7QUNyTzNCLENBQUMsV0FBVztBQUdaO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksWUFBWSxHQUFHLFdBQVc7QUFDaEMsSUFBSSxJQUFJLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDaEIsR0FBRyxDQUFDO0FBQ0osRUFBRSxZQUFZLENBQUMsU0FBUyxHQUFHO0FBQzNCO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxJQUFJLEVBQUUsV0FBVztBQUNyQixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksSUFBSSxNQUFNLENBQUM7QUFDaEM7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUM7QUFDM0I7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLGVBQWUsR0FBRyxFQUFFLENBQUM7QUFDaEMsTUFBTSxJQUFJLENBQUMsYUFBYSxHQUFHLEVBQUUsQ0FBQztBQUM5QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLEVBQUUsQ0FBQztBQUN4QixNQUFNLElBQUksQ0FBQyxNQUFNLEdBQUcsRUFBRSxDQUFDO0FBQ3ZCLE1BQU0sSUFBSSxDQUFDLE1BQU0sR0FBRyxLQUFLLENBQUM7QUFDMUIsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLENBQUMsQ0FBQztBQUN2QixNQUFNLElBQUksQ0FBQyxhQUFhLEdBQUcsZ0JBQWdCLENBQUM7QUFDNUMsTUFBTSxJQUFJLENBQUMsVUFBVSxHQUFHLENBQUMsT0FBTyxNQUFNLEtBQUssV0FBVyxJQUFJLE1BQU0sQ0FBQyxTQUFTLElBQUksTUFBTSxDQUFDLFNBQVMsR0FBRyxJQUFJLENBQUM7QUFDdEc7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLFVBQVUsR0FBRyxJQUFJLENBQUM7QUFDN0IsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLEtBQUssQ0FBQztBQUMzQixNQUFNLElBQUksQ0FBQyxhQUFhLEdBQUcsSUFBSSxDQUFDO0FBQ2hDLE1BQU0sSUFBSSxDQUFDLFdBQVcsR0FBRyxJQUFJLENBQUM7QUFDOUIsTUFBTSxJQUFJLENBQUMsR0FBRyxHQUFHLElBQUksQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsVUFBVSxHQUFHLElBQUksQ0FBQztBQUM3QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsTUFBTSxFQUFFLENBQUM7QUFDcEI7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLE1BQU0sRUFBRSxTQUFTLEdBQUcsRUFBRTtBQUMxQixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksSUFBSSxNQUFNLENBQUM7QUFDaEMsTUFBTSxHQUFHLEdBQUcsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzVCO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxFQUFFO0FBQ3JCLFFBQVEsaUJBQWlCLEVBQUUsQ0FBQztBQUM1QixPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksT0FBTyxHQUFHLEtBQUssV0FBVyxJQUFJLEdBQUcsSUFBSSxDQUFDLElBQUksR0FBRyxJQUFJLENBQUMsRUFBRTtBQUM5RCxRQUFRLElBQUksQ0FBQyxPQUFPLEdBQUcsR0FBRyxDQUFDO0FBQzNCO0FBQ0E7QUFDQSxRQUFRLElBQUksSUFBSSxDQUFDLE1BQU0sRUFBRTtBQUN6QixVQUFVLE9BQU8sSUFBSSxDQUFDO0FBQ3RCLFNBQVM7QUFDVDtBQUNBO0FBQ0EsUUFBUSxJQUFJLElBQUksQ0FBQyxhQUFhLEVBQUU7QUFDaEMsVUFBVSxJQUFJLENBQUMsVUFBVSxDQUFDLElBQUksQ0FBQyxjQUFjLENBQUMsR0FBRyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDM0UsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNqRCxVQUFVLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLFNBQVMsRUFBRTtBQUN6QztBQUNBLFlBQVksSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxZQUFZLEVBQUUsQ0FBQztBQUNwRDtBQUNBO0FBQ0EsWUFBWSxLQUFLLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsR0FBRyxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUM3QyxjQUFjLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzVEO0FBQ0EsY0FBYyxJQUFJLEtBQUssSUFBSSxLQUFLLENBQUMsS0FBSyxFQUFFO0FBQ3hDLGdCQUFnQixLQUFLLENBQUMsS0FBSyxDQUFDLE1BQU0sR0FBRyxLQUFLLENBQUMsT0FBTyxHQUFHLEdBQUcsQ0FBQztBQUN6RCxlQUFlO0FBQ2YsYUFBYTtBQUNiLFdBQVc7QUFDWCxTQUFTO0FBQ1Q7QUFDQSxRQUFRLE9BQU8sSUFBSSxDQUFDO0FBQ3BCLE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUMsT0FBTyxDQUFDO0FBQzFCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxJQUFJLEVBQUUsU0FBUyxLQUFLLEVBQUU7QUFDMUIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLElBQUksTUFBTSxDQUFDO0FBQ2hDO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxFQUFFO0FBQ3JCLFFBQVEsaUJBQWlCLEVBQUUsQ0FBQztBQUM1QixPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksQ0FBQyxNQUFNLEdBQUcsS0FBSyxDQUFDO0FBQzFCO0FBQ0E7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLGFBQWEsRUFBRTtBQUM5QixRQUFRLElBQUksQ0FBQyxVQUFVLENBQUMsSUFBSSxDQUFDLGNBQWMsQ0FBQyxLQUFLLEdBQUcsQ0FBQyxHQUFHLElBQUksQ0FBQyxPQUFPLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUM5RixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQy9DLFFBQVEsSUFBSSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsU0FBUyxFQUFFO0FBQ3ZDO0FBQ0EsVUFBVSxJQUFJLEdBQUcsR0FBRyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLFlBQVksRUFBRSxDQUFDO0FBQ2xEO0FBQ0E7QUFDQSxVQUFVLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQzNDLFlBQVksSUFBSSxLQUFLLEdBQUcsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDMUQ7QUFDQSxZQUFZLElBQUksS0FBSyxJQUFJLEtBQUssQ0FBQyxLQUFLLEVBQUU7QUFDdEMsY0FBYyxLQUFLLENBQUMsS0FBSyxDQUFDLEtBQUssR0FBRyxDQUFDLEtBQUssSUFBSSxJQUFJLEdBQUcsS0FBSyxDQUFDLE1BQU0sQ0FBQztBQUNoRSxhQUFhO0FBQ2IsV0FBVztBQUNYLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksSUFBSSxFQUFFLFdBQVc7QUFDckIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLElBQUksTUFBTSxDQUFDO0FBQ2hDO0FBQ0E7QUFDQSxNQUFNLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUMvQyxRQUFRLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDOUIsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksTUFBTSxFQUFFLFdBQVc7QUFDdkIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLElBQUksTUFBTSxDQUFDO0FBQ2hDO0FBQ0EsTUFBTSxLQUFLLElBQUksQ0FBQyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsTUFBTSxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ2xELFFBQVEsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxNQUFNLEVBQUUsQ0FBQztBQUNoQyxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsYUFBYSxJQUFJLElBQUksQ0FBQyxHQUFHLElBQUksT0FBTyxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssS0FBSyxXQUFXLEVBQUU7QUFDbkYsUUFBUSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssRUFBRSxDQUFDO0FBQ3pCLFFBQVEsSUFBSSxDQUFDLEdBQUcsR0FBRyxJQUFJLENBQUM7QUFDeEIsUUFBUSxpQkFBaUIsRUFBRSxDQUFDO0FBQzVCLE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksTUFBTSxFQUFFLFNBQVMsR0FBRyxFQUFFO0FBQzFCLE1BQU0sT0FBTyxDQUFDLElBQUksSUFBSSxNQUFNLEVBQUUsT0FBTyxDQUFDLEdBQUcsQ0FBQyxPQUFPLENBQUMsS0FBSyxFQUFFLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDOUQsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLE1BQU0sRUFBRSxXQUFXO0FBQ3ZCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxJQUFJLE1BQU0sQ0FBQztBQUNoQztBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsS0FBSyxHQUFHLElBQUksQ0FBQyxHQUFHLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLElBQUksV0FBVyxHQUFHLFdBQVcsQ0FBQztBQUMxRTtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsWUFBWSxFQUFFLENBQUM7QUFDMUI7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLElBQUksQ0FBQyxhQUFhLEVBQUU7QUFDL0I7QUFDQSxRQUFRLElBQUksT0FBTyxLQUFLLEtBQUssV0FBVyxFQUFFO0FBQzFDLFVBQVUsSUFBSTtBQUNkLFlBQVksSUFBSSxJQUFJLEdBQUcsSUFBSSxLQUFLLEVBQUUsQ0FBQztBQUNuQztBQUNBO0FBQ0EsWUFBWSxJQUFJLE9BQU8sSUFBSSxDQUFDLGdCQUFnQixLQUFLLFdBQVcsRUFBRTtBQUM5RCxjQUFjLElBQUksQ0FBQyxhQUFhLEdBQUcsU0FBUyxDQUFDO0FBQzdDLGFBQWE7QUFDYixXQUFXLENBQUMsTUFBTSxDQUFDLEVBQUU7QUFDckIsWUFBWSxJQUFJLENBQUMsT0FBTyxHQUFHLElBQUksQ0FBQztBQUNoQyxXQUFXO0FBQ1gsU0FBUyxNQUFNO0FBQ2YsVUFBVSxJQUFJLENBQUMsT0FBTyxHQUFHLElBQUksQ0FBQztBQUM5QixTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUk7QUFDVixRQUFRLElBQUksSUFBSSxHQUFHLElBQUksS0FBSyxFQUFFLENBQUM7QUFDL0IsUUFBUSxJQUFJLElBQUksQ0FBQyxLQUFLLEVBQUU7QUFDeEIsVUFBVSxJQUFJLENBQUMsT0FBTyxHQUFHLElBQUksQ0FBQztBQUM5QixTQUFTO0FBQ1QsT0FBTyxDQUFDLE9BQU8sQ0FBQyxFQUFFLEVBQUU7QUFDcEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLElBQUksQ0FBQyxPQUFPLEVBQUU7QUFDekIsUUFBUSxJQUFJLENBQUMsWUFBWSxFQUFFLENBQUM7QUFDNUIsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksWUFBWSxFQUFFLFdBQVc7QUFDN0IsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLElBQUksTUFBTSxDQUFDO0FBQ2hDLE1BQU0sSUFBSSxTQUFTLEdBQUcsSUFBSSxDQUFDO0FBQzNCO0FBQ0E7QUFDQSxNQUFNLElBQUk7QUFDVixRQUFRLFNBQVMsR0FBRyxDQUFDLE9BQU8sS0FBSyxLQUFLLFdBQVcsSUFBSSxJQUFJLEtBQUssRUFBRSxHQUFHLElBQUksQ0FBQztBQUN4RSxPQUFPLENBQUMsT0FBTyxHQUFHLEVBQUU7QUFDcEIsUUFBUSxPQUFPLElBQUksQ0FBQztBQUNwQixPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksQ0FBQyxTQUFTLElBQUksT0FBTyxTQUFTLENBQUMsV0FBVyxLQUFLLFVBQVUsRUFBRTtBQUNyRSxRQUFRLE9BQU8sSUFBSSxDQUFDO0FBQ3BCLE9BQU87QUFDUDtBQUNBLE1BQU0sSUFBSSxRQUFRLEdBQUcsU0FBUyxDQUFDLFdBQVcsQ0FBQyxhQUFhLENBQUMsQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLEVBQUUsQ0FBQyxDQUFDO0FBQzlFO0FBQ0E7QUFDQSxNQUFNLElBQUksRUFBRSxHQUFHLElBQUksQ0FBQyxVQUFVLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxTQUFTLEdBQUcsRUFBRSxDQUFDO0FBQ2hFLE1BQU0sSUFBSSxVQUFVLEdBQUcsRUFBRSxDQUFDLEtBQUssQ0FBQyxnQkFBZ0IsQ0FBQyxDQUFDO0FBQ2xELE1BQU0sSUFBSSxVQUFVLElBQUksVUFBVSxJQUFJLFFBQVEsQ0FBQyxVQUFVLENBQUMsQ0FBQyxDQUFDLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxHQUFHLEVBQUUsQ0FBQyxDQUFDO0FBQ3RGLE1BQU0sSUFBSSxXQUFXLEdBQUcsRUFBRSxDQUFDLE9BQU8sQ0FBQyxRQUFRLENBQUMsS0FBSyxDQUFDLENBQUMsSUFBSSxFQUFFLENBQUMsT0FBTyxDQUFDLFFBQVEsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDO0FBQ25GLE1BQU0sSUFBSSxhQUFhLEdBQUcsRUFBRSxDQUFDLEtBQUssQ0FBQyxpQkFBaUIsQ0FBQyxDQUFDO0FBQ3RELE1BQU0sSUFBSSxXQUFXLElBQUksV0FBVyxJQUFJLGFBQWEsSUFBSSxRQUFRLENBQUMsYUFBYSxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxHQUFHLEVBQUUsQ0FBQyxDQUFDO0FBQzlGO0FBQ0EsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHO0FBQ3JCLFFBQVEsR0FBRyxFQUFFLENBQUMsRUFBRSxDQUFDLFVBQVUsS0FBSyxRQUFRLElBQUksU0FBUyxDQUFDLFdBQVcsQ0FBQyxZQUFZLENBQUMsQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDckcsUUFBUSxJQUFJLEVBQUUsQ0FBQyxDQUFDLFFBQVE7QUFDeEIsUUFBUSxJQUFJLEVBQUUsQ0FBQyxDQUFDLFNBQVMsQ0FBQyxXQUFXLENBQUMsMEJBQTBCLENBQUMsQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLEVBQUUsQ0FBQztBQUNyRixRQUFRLEdBQUcsRUFBRSxDQUFDLENBQUMsU0FBUyxDQUFDLFdBQVcsQ0FBQyw0QkFBNEIsQ0FBQyxDQUFDLE9BQU8sQ0FBQyxNQUFNLEVBQUUsRUFBRSxDQUFDO0FBQ3RGLFFBQVEsR0FBRyxFQUFFLENBQUMsQ0FBQyxTQUFTLENBQUMsV0FBVyxDQUFDLDRCQUE0QixDQUFDLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDdEYsUUFBUSxHQUFHLEVBQUUsQ0FBQyxDQUFDLENBQUMsU0FBUyxDQUFDLFdBQVcsQ0FBQyx1QkFBdUIsQ0FBQyxJQUFJLFNBQVMsQ0FBQyxXQUFXLENBQUMsV0FBVyxDQUFDLEVBQUUsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDekgsUUFBUSxHQUFHLEVBQUUsQ0FBQyxDQUFDLFNBQVMsQ0FBQyxXQUFXLENBQUMsWUFBWSxDQUFDLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDdEUsUUFBUSxHQUFHLEVBQUUsQ0FBQyxDQUFDLFNBQVMsQ0FBQyxXQUFXLENBQUMsY0FBYyxDQUFDLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDeEUsUUFBUSxHQUFHLEVBQUUsQ0FBQyxDQUFDLENBQUMsU0FBUyxDQUFDLFdBQVcsQ0FBQyxjQUFjLENBQUMsSUFBSSxTQUFTLENBQUMsV0FBVyxDQUFDLFlBQVksQ0FBQyxJQUFJLFNBQVMsQ0FBQyxXQUFXLENBQUMsWUFBWSxDQUFDLEVBQUUsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDeEosUUFBUSxHQUFHLEVBQUUsQ0FBQyxDQUFDLENBQUMsU0FBUyxDQUFDLFdBQVcsQ0FBQyxjQUFjLENBQUMsSUFBSSxTQUFTLENBQUMsV0FBVyxDQUFDLFlBQVksQ0FBQyxJQUFJLFNBQVMsQ0FBQyxXQUFXLENBQUMsWUFBWSxDQUFDLEVBQUUsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDeEosUUFBUSxHQUFHLEVBQUUsQ0FBQyxDQUFDLENBQUMsU0FBUyxDQUFDLFdBQVcsQ0FBQyxjQUFjLENBQUMsSUFBSSxTQUFTLENBQUMsV0FBVyxDQUFDLFlBQVksQ0FBQyxJQUFJLFNBQVMsQ0FBQyxXQUFXLENBQUMsWUFBWSxDQUFDLEVBQUUsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUM7QUFDeEosUUFBUSxJQUFJLEVBQUUsQ0FBQyxFQUFFLENBQUMsV0FBVyxJQUFJLFNBQVMsQ0FBQyxXQUFXLENBQUMsNkJBQTZCLENBQUMsQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLEVBQUUsQ0FBQyxDQUFDO0FBQzFHLFFBQVEsSUFBSSxFQUFFLENBQUMsRUFBRSxDQUFDLFdBQVcsSUFBSSxTQUFTLENBQUMsV0FBVyxDQUFDLDZCQUE2QixDQUFDLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxFQUFFLENBQUMsQ0FBQztBQUMxRyxRQUFRLEtBQUssRUFBRSxDQUFDLENBQUMsU0FBUyxDQUFDLFdBQVcsQ0FBQywwQkFBMEIsQ0FBQyxDQUFDLE9BQU8sQ0FBQyxNQUFNLEVBQUUsRUFBRSxDQUFDO0FBQ3RGLFFBQVEsSUFBSSxFQUFFLENBQUMsQ0FBQyxDQUFDLFNBQVMsQ0FBQyxXQUFXLENBQUMsZUFBZSxDQUFDLElBQUksU0FBUyxDQUFDLFdBQVcsQ0FBQyxhQUFhLENBQUMsRUFBRSxPQUFPLENBQUMsTUFBTSxFQUFFLEVBQUUsQ0FBQztBQUNwSCxPQUFPLENBQUM7QUFDUjtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxZQUFZLEVBQUUsV0FBVztBQUM3QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksSUFBSSxNQUFNLENBQUM7QUFDaEM7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsY0FBYyxJQUFJLENBQUMsSUFBSSxDQUFDLEdBQUcsRUFBRTtBQUM1QyxRQUFRLE9BQU87QUFDZixPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksQ0FBQyxjQUFjLEdBQUcsS0FBSyxDQUFDO0FBQ2xDLE1BQU0sSUFBSSxDQUFDLFVBQVUsR0FBRyxLQUFLLENBQUM7QUFDOUI7QUFDQTtBQUNBO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxJQUFJLENBQUMsZUFBZSxJQUFJLElBQUksQ0FBQyxHQUFHLENBQUMsVUFBVSxLQUFLLEtBQUssRUFBRTtBQUNsRSxRQUFRLElBQUksQ0FBQyxlQUFlLEdBQUcsSUFBSSxDQUFDO0FBQ3BDLFFBQVEsSUFBSSxDQUFDLE1BQU0sRUFBRSxDQUFDO0FBQ3RCLE9BQU87QUFDUDtBQUNBO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxjQUFjLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxZQUFZLENBQUMsQ0FBQyxFQUFFLENBQUMsRUFBRSxLQUFLLENBQUMsQ0FBQztBQUMvRDtBQUNBO0FBQ0E7QUFDQTtBQUNBLE1BQU0sSUFBSSxNQUFNLEdBQUcsU0FBUyxDQUFDLEVBQUU7QUFDL0I7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQyxlQUFlLENBQUMsTUFBTSxHQUFHLElBQUksQ0FBQyxhQUFhLEVBQUU7QUFDakUsVUFBVSxJQUFJO0FBQ2QsWUFBWSxJQUFJLFNBQVMsR0FBRyxJQUFJLEtBQUssRUFBRSxDQUFDO0FBQ3hDO0FBQ0E7QUFDQTtBQUNBLFlBQVksU0FBUyxDQUFDLFNBQVMsR0FBRyxJQUFJLENBQUM7QUFDdkM7QUFDQTtBQUNBLFlBQVksSUFBSSxDQUFDLGtCQUFrQixDQUFDLFNBQVMsQ0FBQyxDQUFDO0FBQy9DLFdBQVcsQ0FBQyxPQUFPLENBQUMsRUFBRTtBQUN0QixZQUFZLElBQUksQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQ2hDLFlBQVksTUFBTTtBQUNsQixXQUFXO0FBQ1gsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNqRCxVQUFVLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLFNBQVMsRUFBRTtBQUN6QztBQUNBLFlBQVksSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxZQUFZLEVBQUUsQ0FBQztBQUNwRDtBQUNBO0FBQ0EsWUFBWSxLQUFLLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsR0FBRyxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUM3QyxjQUFjLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzVEO0FBQ0EsY0FBYyxJQUFJLEtBQUssSUFBSSxLQUFLLENBQUMsS0FBSyxJQUFJLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxTQUFTLEVBQUU7QUFDbEUsZ0JBQWdCLEtBQUssQ0FBQyxLQUFLLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQztBQUM3QyxnQkFBZ0IsS0FBSyxDQUFDLEtBQUssQ0FBQyxJQUFJLEVBQUUsQ0FBQztBQUNuQyxlQUFlO0FBQ2YsYUFBYTtBQUNiLFdBQVc7QUFDWCxTQUFTO0FBQ1Q7QUFDQTtBQUNBLFFBQVEsSUFBSSxDQUFDLFdBQVcsRUFBRSxDQUFDO0FBQzNCO0FBQ0E7QUFDQSxRQUFRLElBQUksTUFBTSxHQUFHLElBQUksQ0FBQyxHQUFHLENBQUMsa0JBQWtCLEVBQUUsQ0FBQztBQUNuRCxRQUFRLE1BQU0sQ0FBQyxNQUFNLEdBQUcsSUFBSSxDQUFDLGNBQWMsQ0FBQztBQUM1QyxRQUFRLE1BQU0sQ0FBQyxPQUFPLENBQUMsSUFBSSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUM3QztBQUNBO0FBQ0EsUUFBUSxJQUFJLE9BQU8sTUFBTSxDQUFDLEtBQUssS0FBSyxXQUFXLEVBQUU7QUFDakQsVUFBVSxNQUFNLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzNCLFNBQVMsTUFBTTtBQUNmLFVBQVUsTUFBTSxDQUFDLEtBQUssQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUMxQixTQUFTO0FBQ1Q7QUFDQTtBQUNBLFFBQVEsSUFBSSxPQUFPLElBQUksQ0FBQyxHQUFHLENBQUMsTUFBTSxLQUFLLFVBQVUsRUFBRTtBQUNuRCxVQUFVLElBQUksQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUM7QUFDNUIsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLE1BQU0sQ0FBQyxPQUFPLEdBQUcsV0FBVztBQUNwQyxVQUFVLE1BQU0sQ0FBQyxVQUFVLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDL0I7QUFDQTtBQUNBLFVBQVUsSUFBSSxDQUFDLGNBQWMsR0FBRyxJQUFJLENBQUM7QUFDckM7QUFDQTtBQUNBLFVBQVUsUUFBUSxDQUFDLG1CQUFtQixDQUFDLFlBQVksRUFBRSxNQUFNLEVBQUUsSUFBSSxDQUFDLENBQUM7QUFDbkUsVUFBVSxRQUFRLENBQUMsbUJBQW1CLENBQUMsVUFBVSxFQUFFLE1BQU0sRUFBRSxJQUFJLENBQUMsQ0FBQztBQUNqRSxVQUFVLFFBQVEsQ0FBQyxtQkFBbUIsQ0FBQyxPQUFPLEVBQUUsTUFBTSxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQzlELFVBQVUsUUFBUSxDQUFDLG1CQUFtQixDQUFDLFNBQVMsRUFBRSxNQUFNLEVBQUUsSUFBSSxDQUFDLENBQUM7QUFDaEU7QUFDQTtBQUNBLFVBQVUsS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ25ELFlBQVksSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxLQUFLLENBQUMsUUFBUSxDQUFDLENBQUM7QUFDM0MsV0FBVztBQUNYLFNBQVMsQ0FBQztBQUNWLE9BQU8sQ0FBQztBQUNSO0FBQ0E7QUFDQSxNQUFNLFFBQVEsQ0FBQyxnQkFBZ0IsQ0FBQyxZQUFZLEVBQUUsTUFBTSxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQzVELE1BQU0sUUFBUSxDQUFDLGdCQUFnQixDQUFDLFVBQVUsRUFBRSxNQUFNLEVBQUUsSUFBSSxDQUFDLENBQUM7QUFDMUQsTUFBTSxRQUFRLENBQUMsZ0JBQWdCLENBQUMsT0FBTyxFQUFFLE1BQU0sRUFBRSxJQUFJLENBQUMsQ0FBQztBQUN2RCxNQUFNLFFBQVEsQ0FBQyxnQkFBZ0IsQ0FBQyxTQUFTLEVBQUUsTUFBTSxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQ3pEO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxpQkFBaUIsRUFBRSxXQUFXO0FBQ2xDLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxJQUFJLE1BQU0sQ0FBQztBQUNoQztBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxlQUFlLENBQUMsTUFBTSxFQUFFO0FBQ3ZDLFFBQVEsT0FBTyxJQUFJLENBQUMsZUFBZSxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQzFDLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLFFBQVEsR0FBRyxJQUFJLEtBQUssRUFBRSxDQUFDLElBQUksRUFBRSxDQUFDO0FBQ3hDLE1BQU0sSUFBSSxRQUFRLElBQUksT0FBTyxPQUFPLEtBQUssV0FBVyxLQUFLLFFBQVEsWUFBWSxPQUFPLElBQUksT0FBTyxRQUFRLENBQUMsSUFBSSxLQUFLLFVBQVUsQ0FBQyxFQUFFO0FBQzlILFFBQVEsUUFBUSxDQUFDLEtBQUssQ0FBQyxXQUFXO0FBQ2xDLFVBQVUsT0FBTyxDQUFDLElBQUksQ0FBQyx3RUFBd0UsQ0FBQyxDQUFDO0FBQ2pHLFNBQVMsQ0FBQyxDQUFDO0FBQ1gsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksS0FBSyxFQUFFLENBQUM7QUFDekIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLGtCQUFrQixFQUFFLFNBQVMsS0FBSyxFQUFFO0FBQ3hDLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxJQUFJLE1BQU0sQ0FBQztBQUNoQztBQUNBO0FBQ0EsTUFBTSxJQUFJLEtBQUssQ0FBQyxTQUFTLEVBQUU7QUFDM0IsUUFBUSxJQUFJLENBQUMsZUFBZSxDQUFDLElBQUksQ0FBQyxLQUFLLENBQUMsQ0FBQztBQUN6QyxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLFlBQVksRUFBRSxXQUFXO0FBQzdCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCO0FBQ0EsTUFBTSxJQUFJLENBQUMsSUFBSSxDQUFDLFdBQVcsSUFBSSxDQUFDLElBQUksQ0FBQyxHQUFHLElBQUksT0FBTyxJQUFJLENBQUMsR0FBRyxDQUFDLE9BQU8sS0FBSyxXQUFXLElBQUksQ0FBQyxNQUFNLENBQUMsYUFBYSxFQUFFO0FBQzlHLFFBQVEsT0FBTztBQUNmLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxLQUFLLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDL0MsUUFBUSxJQUFJLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsU0FBUyxFQUFFO0FBQ3RDLFVBQVUsS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUM5RCxZQUFZLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxPQUFPLEVBQUU7QUFDcEQsY0FBYyxPQUFPLElBQUksQ0FBQztBQUMxQixhQUFhO0FBQ2IsV0FBVztBQUNYLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLGFBQWEsRUFBRTtBQUM5QixRQUFRLFlBQVksQ0FBQyxJQUFJLENBQUMsYUFBYSxDQUFDLENBQUM7QUFDekMsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxhQUFhLEdBQUcsVUFBVSxDQUFDLFdBQVc7QUFDakQsUUFBUSxJQUFJLENBQUMsSUFBSSxDQUFDLFdBQVcsRUFBRTtBQUMvQixVQUFVLE9BQU87QUFDakIsU0FBUztBQUNUO0FBQ0EsUUFBUSxJQUFJLENBQUMsYUFBYSxHQUFHLElBQUksQ0FBQztBQUNsQyxRQUFRLElBQUksQ0FBQyxLQUFLLEdBQUcsWUFBWSxDQUFDO0FBQ2xDO0FBQ0E7QUFDQSxRQUFRLElBQUksZ0JBQWdCLEdBQUcsV0FBVztBQUMxQyxVQUFVLElBQUksQ0FBQyxLQUFLLEdBQUcsV0FBVyxDQUFDO0FBQ25DO0FBQ0EsVUFBVSxJQUFJLElBQUksQ0FBQyxtQkFBbUIsRUFBRTtBQUN4QyxZQUFZLE9BQU8sSUFBSSxDQUFDLG1CQUFtQixDQUFDO0FBQzVDLFlBQVksSUFBSSxDQUFDLFdBQVcsRUFBRSxDQUFDO0FBQy9CLFdBQVc7QUFDWCxTQUFTLENBQUM7QUFDVjtBQUNBO0FBQ0E7QUFDQSxRQUFRLElBQUksQ0FBQyxHQUFHLENBQUMsT0FBTyxFQUFFLENBQUMsSUFBSSxDQUFDLGdCQUFnQixFQUFFLGdCQUFnQixDQUFDLENBQUM7QUFDcEUsT0FBTyxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQ2hCO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksV0FBVyxFQUFFLFdBQVc7QUFDNUIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQSxNQUFNLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxJQUFJLE9BQU8sSUFBSSxDQUFDLEdBQUcsQ0FBQyxNQUFNLEtBQUssV0FBVyxJQUFJLENBQUMsTUFBTSxDQUFDLGFBQWEsRUFBRTtBQUN4RixRQUFRLE9BQU87QUFDZixPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLEtBQUssS0FBSyxTQUFTLElBQUksSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLEtBQUssYUFBYSxJQUFJLElBQUksQ0FBQyxhQUFhLEVBQUU7QUFDOUYsUUFBUSxZQUFZLENBQUMsSUFBSSxDQUFDLGFBQWEsQ0FBQyxDQUFDO0FBQ3pDLFFBQVEsSUFBSSxDQUFDLGFBQWEsR0FBRyxJQUFJLENBQUM7QUFDbEMsT0FBTyxNQUFNLElBQUksSUFBSSxDQUFDLEtBQUssS0FBSyxXQUFXLElBQUksSUFBSSxDQUFDLEtBQUssS0FBSyxTQUFTLElBQUksSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLEtBQUssYUFBYSxFQUFFO0FBQzdHLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxJQUFJLENBQUMsV0FBVztBQUMxQyxVQUFVLElBQUksQ0FBQyxLQUFLLEdBQUcsU0FBUyxDQUFDO0FBQ2pDO0FBQ0E7QUFDQSxVQUFVLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNuRCxZQUFZLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsS0FBSyxDQUFDLFFBQVEsQ0FBQyxDQUFDO0FBQzNDLFdBQVc7QUFDWCxTQUFTLENBQUMsQ0FBQztBQUNYO0FBQ0EsUUFBUSxJQUFJLElBQUksQ0FBQyxhQUFhLEVBQUU7QUFDaEMsVUFBVSxZQUFZLENBQUMsSUFBSSxDQUFDLGFBQWEsQ0FBQyxDQUFDO0FBQzNDLFVBQVUsSUFBSSxDQUFDLGFBQWEsR0FBRyxJQUFJLENBQUM7QUFDcEMsU0FBUztBQUNULE9BQU8sTUFBTSxJQUFJLElBQUksQ0FBQyxLQUFLLEtBQUssWUFBWSxFQUFFO0FBQzlDLFFBQVEsSUFBSSxDQUFDLG1CQUFtQixHQUFHLElBQUksQ0FBQztBQUN4QyxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTCxHQUFHLENBQUM7QUFDSjtBQUNBO0FBQ0EsRUFBRSxJQUFJLE1BQU0sR0FBRyxJQUFJLFlBQVksRUFBRSxDQUFDO0FBQ2xDO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksSUFBSSxHQUFHLFNBQVMsQ0FBQyxFQUFFO0FBQ3pCLElBQUksSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3BCO0FBQ0E7QUFDQSxJQUFJLElBQUksQ0FBQyxDQUFDLENBQUMsR0FBRyxJQUFJLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUN0QyxNQUFNLE9BQU8sQ0FBQyxLQUFLLENBQUMsNERBQTRELENBQUMsQ0FBQztBQUNsRixNQUFNLE9BQU87QUFDYixLQUFLO0FBQ0w7QUFDQSxJQUFJLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakIsR0FBRyxDQUFDO0FBQ0osRUFBRSxJQUFJLENBQUMsU0FBUyxHQUFHO0FBQ25CO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLElBQUksRUFBRSxTQUFTLENBQUMsRUFBRTtBQUN0QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsTUFBTSxDQUFDLEdBQUcsRUFBRTtBQUN2QixRQUFRLGlCQUFpQixFQUFFLENBQUM7QUFDNUIsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsQ0FBQyxDQUFDLFFBQVEsSUFBSSxLQUFLLENBQUM7QUFDM0MsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLENBQUMsT0FBTyxDQUFDLENBQUMsTUFBTSxLQUFLLFFBQVEsSUFBSSxDQUFDLENBQUMsTUFBTSxHQUFHLENBQUMsQ0FBQyxDQUFDLE1BQU0sQ0FBQyxDQUFDO0FBQzVFLE1BQU0sSUFBSSxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsS0FBSyxJQUFJLEtBQUssQ0FBQztBQUNyQyxNQUFNLElBQUksQ0FBQyxNQUFNLEdBQUcsQ0FBQyxDQUFDLElBQUksSUFBSSxLQUFLLENBQUM7QUFDcEMsTUFBTSxJQUFJLENBQUMsS0FBSyxHQUFHLENBQUMsQ0FBQyxJQUFJLElBQUksS0FBSyxDQUFDO0FBQ25DLE1BQU0sSUFBSSxDQUFDLEtBQUssR0FBRyxDQUFDLENBQUMsSUFBSSxJQUFJLENBQUMsQ0FBQztBQUMvQixNQUFNLElBQUksQ0FBQyxRQUFRLEdBQUcsQ0FBQyxPQUFPLENBQUMsQ0FBQyxPQUFPLEtBQUssU0FBUyxJQUFJLENBQUMsQ0FBQyxPQUFPLEtBQUssVUFBVSxJQUFJLENBQUMsQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQ3RHLE1BQU0sSUFBSSxDQUFDLEtBQUssR0FBRyxDQUFDLENBQUMsSUFBSSxJQUFJLENBQUMsQ0FBQztBQUMvQixNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sSUFBSSxFQUFFLENBQUM7QUFDcEMsTUFBTSxJQUFJLENBQUMsSUFBSSxHQUFHLENBQUMsT0FBTyxDQUFDLENBQUMsR0FBRyxLQUFLLFFBQVEsSUFBSSxDQUFDLENBQUMsR0FBRyxHQUFHLENBQUMsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ2hFLE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxDQUFDLENBQUMsTUFBTSxLQUFLLFNBQVMsR0FBRyxDQUFDLENBQUMsTUFBTSxHQUFHLENBQUMsQ0FBQztBQUMzRCxNQUFNLElBQUksQ0FBQyxJQUFJLEdBQUc7QUFDbEIsUUFBUSxNQUFNLEVBQUUsQ0FBQyxDQUFDLEdBQUcsSUFBSSxDQUFDLENBQUMsR0FBRyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsR0FBRyxDQUFDLE1BQU0sR0FBRyxLQUFLO0FBQzVELFFBQVEsT0FBTyxFQUFFLENBQUMsQ0FBQyxHQUFHLElBQUksQ0FBQyxDQUFDLEdBQUcsQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxPQUFPLEdBQUcsSUFBSTtBQUM5RCxRQUFRLGVBQWUsRUFBRSxDQUFDLENBQUMsR0FBRyxJQUFJLENBQUMsQ0FBQyxHQUFHLENBQUMsZUFBZSxHQUFHLENBQUMsQ0FBQyxHQUFHLENBQUMsZUFBZSxHQUFHLEtBQUs7QUFDdkYsT0FBTyxDQUFDO0FBQ1I7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLFNBQVMsR0FBRyxDQUFDLENBQUM7QUFDekIsTUFBTSxJQUFJLENBQUMsTUFBTSxHQUFHLFVBQVUsQ0FBQztBQUMvQixNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsRUFBRSxDQUFDO0FBQ3hCLE1BQU0sSUFBSSxDQUFDLFVBQVUsR0FBRyxFQUFFLENBQUM7QUFDM0IsTUFBTSxJQUFJLENBQUMsTUFBTSxHQUFHLEVBQUUsQ0FBQztBQUN2QixNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsS0FBSyxDQUFDO0FBQzdCO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxNQUFNLEdBQUcsQ0FBQyxDQUFDLEtBQUssR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxLQUFLLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUNuRCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxZQUFZLEdBQUcsQ0FBQyxDQUFDLFdBQVcsR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxXQUFXLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUNyRSxNQUFNLElBQUksQ0FBQyxZQUFZLEdBQUcsQ0FBQyxDQUFDLFdBQVcsR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxXQUFXLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUNyRSxNQUFNLElBQUksQ0FBQyxRQUFRLEdBQUcsQ0FBQyxDQUFDLE9BQU8sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxPQUFPLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN6RCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsQ0FBQyxDQUFDLFFBQVEsR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxRQUFRLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUM1RCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsQ0FBQyxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxNQUFNLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUN0RCxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsQ0FBQyxDQUFDLFFBQVEsR0FBRyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQyxRQUFRLENBQUMsQ0FBQyxHQUFHLEVBQUUsQ0FBQztBQUM1RCxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsRUFBRSxDQUFDO0FBQzFCO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsTUFBTSxDQUFDLGFBQWEsSUFBSSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUM7QUFDNUQ7QUFDQTtBQUNBLE1BQU0sSUFBSSxPQUFPLE1BQU0sQ0FBQyxHQUFHLEtBQUssV0FBVyxJQUFJLE1BQU0sQ0FBQyxHQUFHLElBQUksTUFBTSxDQUFDLFVBQVUsRUFBRTtBQUNoRixRQUFRLE1BQU0sQ0FBQyxZQUFZLEVBQUUsQ0FBQztBQUM5QixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sTUFBTSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDL0I7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzFCLFFBQVEsSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUM7QUFDekIsVUFBVSxLQUFLLEVBQUUsTUFBTTtBQUN2QixVQUFVLE1BQU0sRUFBRSxXQUFXO0FBQzdCLFlBQVksSUFBSSxDQUFDLElBQUksRUFBRSxDQUFDO0FBQ3hCLFdBQVc7QUFDWCxTQUFTLENBQUMsQ0FBQztBQUNYLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxRQUFRLElBQUksSUFBSSxDQUFDLFFBQVEsS0FBSyxNQUFNLEVBQUU7QUFDckQsUUFBUSxJQUFJLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDcEIsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksSUFBSSxFQUFFLFdBQVc7QUFDckIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLEdBQUcsR0FBRyxJQUFJLENBQUM7QUFDckI7QUFDQTtBQUNBLE1BQU0sSUFBSSxNQUFNLENBQUMsT0FBTyxFQUFFO0FBQzFCLFFBQVEsSUFBSSxDQUFDLEtBQUssQ0FBQyxXQUFXLEVBQUUsSUFBSSxFQUFFLG1CQUFtQixDQUFDLENBQUM7QUFDM0QsUUFBUSxPQUFPO0FBQ2YsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksT0FBTyxJQUFJLENBQUMsSUFBSSxLQUFLLFFBQVEsRUFBRTtBQUN6QyxRQUFRLElBQUksQ0FBQyxJQUFJLEdBQUcsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDaEMsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUM3QyxRQUFRLElBQUksR0FBRyxFQUFFLEdBQUcsQ0FBQztBQUNyQjtBQUNBLFFBQVEsSUFBSSxJQUFJLENBQUMsT0FBTyxJQUFJLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLEVBQUU7QUFDN0M7QUFDQSxVQUFVLEdBQUcsR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ2hDLFNBQVMsTUFBTTtBQUNmO0FBQ0EsVUFBVSxHQUFHLEdBQUcsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUM3QixVQUFVLElBQUksT0FBTyxHQUFHLEtBQUssUUFBUSxFQUFFO0FBQ3ZDLFlBQVksSUFBSSxDQUFDLEtBQUssQ0FBQyxXQUFXLEVBQUUsSUFBSSxFQUFFLHdEQUF3RCxDQUFDLENBQUM7QUFDcEcsWUFBWSxTQUFTO0FBQ3JCLFdBQVc7QUFDWDtBQUNBO0FBQ0EsVUFBVSxHQUFHLEdBQUcseUJBQXlCLENBQUMsSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3BELFVBQVUsSUFBSSxDQUFDLEdBQUcsRUFBRTtBQUNwQixZQUFZLEdBQUcsR0FBRyxZQUFZLENBQUMsSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLENBQUMsR0FBRyxFQUFFLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDMUQsV0FBVztBQUNYO0FBQ0EsVUFBVSxJQUFJLEdBQUcsRUFBRTtBQUNuQixZQUFZLEdBQUcsR0FBRyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsV0FBVyxFQUFFLENBQUM7QUFDdkMsV0FBVztBQUNYLFNBQVM7QUFDVDtBQUNBO0FBQ0EsUUFBUSxJQUFJLENBQUMsR0FBRyxFQUFFO0FBQ2xCLFVBQVUsT0FBTyxDQUFDLElBQUksQ0FBQyw0RkFBNEYsQ0FBQyxDQUFDO0FBQ3JILFNBQVM7QUFDVDtBQUNBO0FBQ0EsUUFBUSxJQUFJLEdBQUcsSUFBSSxNQUFNLENBQUMsTUFBTSxDQUFDLEdBQUcsQ0FBQyxFQUFFO0FBQ3ZDLFVBQVUsR0FBRyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDN0IsVUFBVSxNQUFNO0FBQ2hCLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksQ0FBQyxHQUFHLEVBQUU7QUFDaEIsUUFBUSxJQUFJLENBQUMsS0FBSyxDQUFDLFdBQVcsRUFBRSxJQUFJLEVBQUUsOENBQThDLENBQUMsQ0FBQztBQUN0RixRQUFRLE9BQU87QUFDZixPQUFPO0FBQ1A7QUFDQSxNQUFNLElBQUksQ0FBQyxJQUFJLEdBQUcsR0FBRyxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxDQUFDLE1BQU0sR0FBRyxTQUFTLENBQUM7QUFDOUI7QUFDQTtBQUNBO0FBQ0EsTUFBTSxJQUFJLE1BQU0sQ0FBQyxRQUFRLENBQUMsUUFBUSxLQUFLLFFBQVEsSUFBSSxHQUFHLENBQUMsS0FBSyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsS0FBSyxPQUFPLEVBQUU7QUFDaEYsUUFBUSxJQUFJLENBQUMsTUFBTSxHQUFHLElBQUksQ0FBQztBQUMzQixRQUFRLElBQUksQ0FBQyxTQUFTLEdBQUcsS0FBSyxDQUFDO0FBQy9CLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxTQUFTLEVBQUU7QUFDMUIsUUFBUSxVQUFVLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDekIsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLElBQUksRUFBRSxTQUFTLE1BQU0sRUFBRSxRQUFRLEVBQUU7QUFDckMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLEVBQUUsR0FBRyxJQUFJLENBQUM7QUFDcEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxPQUFPLE1BQU0sS0FBSyxRQUFRLEVBQUU7QUFDdEMsUUFBUSxFQUFFLEdBQUcsTUFBTSxDQUFDO0FBQ3BCLFFBQVEsTUFBTSxHQUFHLElBQUksQ0FBQztBQUN0QixPQUFPLE1BQU0sSUFBSSxPQUFPLE1BQU0sS0FBSyxRQUFRLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLElBQUksQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sQ0FBQyxFQUFFO0FBQ2xHO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQztBQUNwQixPQUFPLE1BQU0sSUFBSSxPQUFPLE1BQU0sS0FBSyxXQUFXLEVBQUU7QUFDaEQ7QUFDQSxRQUFRLE1BQU0sR0FBRyxXQUFXLENBQUM7QUFDN0I7QUFDQTtBQUNBO0FBQ0EsUUFBUSxJQUFJLENBQUMsSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUM3QixVQUFVLElBQUksR0FBRyxHQUFHLENBQUMsQ0FBQztBQUN0QixVQUFVLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNwRCxZQUFZLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxPQUFPLElBQUksQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLENBQUMsQ0FBQyxDQUFDLE1BQU0sRUFBRTtBQUNwRSxjQUFjLEdBQUcsRUFBRSxDQUFDO0FBQ3BCLGNBQWMsRUFBRSxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDO0FBQ3ZDLGFBQWE7QUFDYixXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksR0FBRyxLQUFLLENBQUMsRUFBRTtBQUN6QixZQUFZLE1BQU0sR0FBRyxJQUFJLENBQUM7QUFDMUIsV0FBVyxNQUFNO0FBQ2pCLFlBQVksRUFBRSxHQUFHLElBQUksQ0FBQztBQUN0QixXQUFXO0FBQ1gsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLEtBQUssR0FBRyxFQUFFLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsR0FBRyxJQUFJLENBQUMsY0FBYyxFQUFFLENBQUM7QUFDbkU7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLEtBQUssRUFBRTtBQUNsQixRQUFRLE9BQU8sSUFBSSxDQUFDO0FBQ3BCLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLEVBQUUsSUFBSSxDQUFDLE1BQU0sRUFBRTtBQUN6QixRQUFRLE1BQU0sR0FBRyxLQUFLLENBQUMsT0FBTyxJQUFJLFdBQVcsQ0FBQztBQUM5QyxPQUFPO0FBQ1A7QUFDQTtBQUNBO0FBQ0E7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLEVBQUU7QUFDcEM7QUFDQSxRQUFRLEtBQUssQ0FBQyxPQUFPLEdBQUcsTUFBTSxDQUFDO0FBQy9CO0FBQ0E7QUFDQSxRQUFRLEtBQUssQ0FBQyxNQUFNLEdBQUcsS0FBSyxDQUFDO0FBQzdCO0FBQ0E7QUFDQSxRQUFRLElBQUksT0FBTyxHQUFHLEtBQUssQ0FBQyxHQUFHLENBQUM7QUFDaEMsUUFBUSxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQztBQUN6QixVQUFVLEtBQUssRUFBRSxNQUFNO0FBQ3ZCLFVBQVUsTUFBTSxFQUFFLFdBQVc7QUFDN0IsWUFBWSxJQUFJLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDO0FBQy9CLFdBQVc7QUFDWCxTQUFTLENBQUMsQ0FBQztBQUNYO0FBQ0EsUUFBUSxPQUFPLE9BQU8sQ0FBQztBQUN2QixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxFQUFFLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxFQUFFO0FBQ2hDO0FBQ0EsUUFBUSxJQUFJLENBQUMsUUFBUSxFQUFFO0FBQ3ZCLFVBQVUsSUFBSSxDQUFDLFVBQVUsQ0FBQyxNQUFNLENBQUMsQ0FBQztBQUNsQyxTQUFTO0FBQ1Q7QUFDQSxRQUFRLE9BQU8sS0FBSyxDQUFDLEdBQUcsQ0FBQztBQUN6QixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzFCLFFBQVEsTUFBTSxDQUFDLFdBQVcsRUFBRSxDQUFDO0FBQzdCLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUMsRUFBRSxLQUFLLENBQUMsS0FBSyxHQUFHLENBQUMsR0FBRyxLQUFLLENBQUMsS0FBSyxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEdBQUcsSUFBSSxDQUFDLENBQUM7QUFDN0YsTUFBTSxJQUFJLFFBQVEsR0FBRyxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxJQUFJLElBQUksSUFBSSxJQUFJLENBQUMsQ0FBQztBQUN0RyxNQUFNLElBQUksT0FBTyxHQUFHLENBQUMsUUFBUSxHQUFHLElBQUksSUFBSSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssQ0FBQyxLQUFLLENBQUMsQ0FBQztBQUM5RCxNQUFNLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEdBQUcsSUFBSSxDQUFDO0FBQ2pELE1BQU0sSUFBSSxJQUFJLEdBQUcsQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksSUFBSSxDQUFDO0FBQzVFLE1BQU0sS0FBSyxDQUFDLE9BQU8sR0FBRyxNQUFNLENBQUM7QUFDN0I7QUFDQTtBQUNBO0FBQ0EsTUFBTSxLQUFLLENBQUMsTUFBTSxHQUFHLEtBQUssQ0FBQztBQUMzQjtBQUNBO0FBQ0EsTUFBTSxJQUFJLFNBQVMsR0FBRyxXQUFXO0FBQ2pDLFFBQVEsS0FBSyxDQUFDLE9BQU8sR0FBRyxLQUFLLENBQUM7QUFDOUIsUUFBUSxLQUFLLENBQUMsS0FBSyxHQUFHLElBQUksQ0FBQztBQUMzQixRQUFRLEtBQUssQ0FBQyxNQUFNLEdBQUcsS0FBSyxDQUFDO0FBQzdCLFFBQVEsS0FBSyxDQUFDLEtBQUssR0FBRyxJQUFJLENBQUM7QUFDM0IsUUFBUSxLQUFLLENBQUMsS0FBSyxHQUFHLENBQUMsRUFBRSxLQUFLLENBQUMsS0FBSyxJQUFJLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNqRSxPQUFPLENBQUM7QUFDUjtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksSUFBSSxJQUFJLEVBQUU7QUFDeEIsUUFBUSxJQUFJLENBQUMsTUFBTSxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQzNCLFFBQVEsT0FBTztBQUNmLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksR0FBRyxLQUFLLENBQUMsS0FBSyxDQUFDO0FBQzdCLE1BQU0sSUFBSSxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzFCO0FBQ0EsUUFBUSxJQUFJLFlBQVksR0FBRyxXQUFXO0FBQ3RDLFVBQVUsSUFBSSxDQUFDLFNBQVMsR0FBRyxLQUFLLENBQUM7QUFDakMsVUFBVSxTQUFTLEVBQUUsQ0FBQztBQUN0QixVQUFVLElBQUksQ0FBQyxjQUFjLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDckM7QUFDQTtBQUNBLFVBQVUsSUFBSSxHQUFHLEdBQUcsQ0FBQyxLQUFLLENBQUMsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLElBQUksQ0FBQyxHQUFHLEtBQUssQ0FBQyxPQUFPLENBQUM7QUFDdEUsVUFBVSxJQUFJLENBQUMsSUFBSSxDQUFDLGNBQWMsQ0FBQyxHQUFHLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUNoRSxVQUFVLEtBQUssQ0FBQyxVQUFVLEdBQUcsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUM7QUFDcEQ7QUFDQTtBQUNBLFVBQVUsSUFBSSxPQUFPLElBQUksQ0FBQyxZQUFZLENBQUMsS0FBSyxLQUFLLFdBQVcsRUFBRTtBQUM5RCxZQUFZLEtBQUssQ0FBQyxLQUFLLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxXQUFXLENBQUMsQ0FBQyxFQUFFLElBQUksRUFBRSxLQUFLLENBQUMsR0FBRyxJQUFJLENBQUMsWUFBWSxDQUFDLFdBQVcsQ0FBQyxDQUFDLEVBQUUsSUFBSSxFQUFFLFFBQVEsQ0FBQyxDQUFDO0FBQzNILFdBQVcsTUFBTTtBQUNqQixZQUFZLEtBQUssQ0FBQyxLQUFLLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxLQUFLLENBQUMsQ0FBQyxFQUFFLElBQUksRUFBRSxLQUFLLENBQUMsR0FBRyxJQUFJLENBQUMsWUFBWSxDQUFDLEtBQUssQ0FBQyxDQUFDLEVBQUUsSUFBSSxFQUFFLFFBQVEsQ0FBQyxDQUFDO0FBQy9HLFdBQVc7QUFDWDtBQUNBO0FBQ0EsVUFBVSxJQUFJLE9BQU8sS0FBSyxRQUFRLEVBQUU7QUFDcEMsWUFBWSxJQUFJLENBQUMsVUFBVSxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsR0FBRyxVQUFVLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsSUFBSSxFQUFFLEtBQUssQ0FBQyxFQUFFLE9BQU8sQ0FBQyxDQUFDO0FBQzVGLFdBQVc7QUFDWDtBQUNBLFVBQVUsSUFBSSxDQUFDLFFBQVEsRUFBRTtBQUN6QixZQUFZLFVBQVUsQ0FBQyxXQUFXO0FBQ2xDLGNBQWMsSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzVDLGNBQWMsSUFBSSxDQUFDLFVBQVUsRUFBRSxDQUFDO0FBQ2hDLGFBQWEsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNsQixXQUFXO0FBQ1gsU0FBUyxDQUFDO0FBQ1Y7QUFDQSxRQUFRLElBQUksTUFBTSxDQUFDLEtBQUssS0FBSyxTQUFTLElBQUksTUFBTSxDQUFDLEdBQUcsQ0FBQyxLQUFLLEtBQUssYUFBYSxFQUFFO0FBQzlFLFVBQVUsWUFBWSxFQUFFLENBQUM7QUFDekIsU0FBUyxNQUFNO0FBQ2YsVUFBVSxJQUFJLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQztBQUNoQztBQUNBO0FBQ0EsVUFBVSxJQUFJLENBQUMsSUFBSSxDQUFDLFFBQVEsRUFBRSxZQUFZLENBQUMsQ0FBQztBQUM1QztBQUNBO0FBQ0EsVUFBVSxJQUFJLENBQUMsV0FBVyxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUN0QyxTQUFTO0FBQ1QsT0FBTyxNQUFNO0FBQ2I7QUFDQSxRQUFRLElBQUksU0FBUyxHQUFHLFdBQVc7QUFDbkMsVUFBVSxJQUFJLENBQUMsV0FBVyxHQUFHLElBQUksQ0FBQztBQUNsQyxVQUFVLElBQUksQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxJQUFJLE1BQU0sQ0FBQyxNQUFNLElBQUksSUFBSSxDQUFDLEtBQUssQ0FBQztBQUNsRixVQUFVLElBQUksQ0FBQyxNQUFNLEdBQUcsS0FBSyxDQUFDLE9BQU8sR0FBRyxNQUFNLENBQUMsTUFBTSxFQUFFLENBQUM7QUFDeEQsVUFBVSxJQUFJLENBQUMsWUFBWSxHQUFHLEtBQUssQ0FBQyxLQUFLLENBQUM7QUFDMUM7QUFDQTtBQUNBLFVBQVUsSUFBSTtBQUNkLFlBQVksSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDLElBQUksRUFBRSxDQUFDO0FBQ25DO0FBQ0E7QUFDQSxZQUFZLElBQUksSUFBSSxJQUFJLE9BQU8sT0FBTyxLQUFLLFdBQVcsS0FBSyxJQUFJLFlBQVksT0FBTyxJQUFJLE9BQU8sSUFBSSxDQUFDLElBQUksS0FBSyxVQUFVLENBQUMsRUFBRTtBQUN4SDtBQUNBLGNBQWMsSUFBSSxDQUFDLFNBQVMsR0FBRyxJQUFJLENBQUM7QUFDcEM7QUFDQTtBQUNBLGNBQWMsU0FBUyxFQUFFLENBQUM7QUFDMUI7QUFDQTtBQUNBLGNBQWMsSUFBSTtBQUNsQixpQkFBaUIsSUFBSSxDQUFDLFdBQVc7QUFDakMsa0JBQWtCLElBQUksQ0FBQyxTQUFTLEdBQUcsS0FBSyxDQUFDO0FBQ3pDLGtCQUFrQixJQUFJLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQztBQUN4QyxrQkFBa0IsSUFBSSxDQUFDLFFBQVEsRUFBRTtBQUNqQyxvQkFBb0IsSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ2xELG1CQUFtQixNQUFNO0FBQ3pCLG9CQUFvQixJQUFJLENBQUMsVUFBVSxFQUFFLENBQUM7QUFDdEMsbUJBQW1CO0FBQ25CLGlCQUFpQixDQUFDO0FBQ2xCLGlCQUFpQixLQUFLLENBQUMsV0FBVztBQUNsQyxrQkFBa0IsSUFBSSxDQUFDLFNBQVMsR0FBRyxLQUFLLENBQUM7QUFDekMsa0JBQWtCLElBQUksQ0FBQyxLQUFLLENBQUMsV0FBVyxFQUFFLEtBQUssQ0FBQyxHQUFHLEVBQUUsK0RBQStEO0FBQ3BILG9CQUFvQixnRkFBZ0YsQ0FBQyxDQUFDO0FBQ3RHO0FBQ0E7QUFDQSxrQkFBa0IsS0FBSyxDQUFDLE1BQU0sR0FBRyxJQUFJLENBQUM7QUFDdEMsa0JBQWtCLEtBQUssQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQ3ZDLGlCQUFpQixDQUFDLENBQUM7QUFDbkIsYUFBYSxNQUFNLElBQUksQ0FBQyxRQUFRLEVBQUU7QUFDbEMsY0FBYyxJQUFJLENBQUMsU0FBUyxHQUFHLEtBQUssQ0FBQztBQUNyQyxjQUFjLFNBQVMsRUFBRSxDQUFDO0FBQzFCLGNBQWMsSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzVDLGFBQWE7QUFDYjtBQUNBO0FBQ0EsWUFBWSxJQUFJLENBQUMsWUFBWSxHQUFHLEtBQUssQ0FBQyxLQUFLLENBQUM7QUFDNUM7QUFDQTtBQUNBLFlBQVksSUFBSSxJQUFJLENBQUMsTUFBTSxFQUFFO0FBQzdCLGNBQWMsSUFBSSxDQUFDLEtBQUssQ0FBQyxXQUFXLEVBQUUsS0FBSyxDQUFDLEdBQUcsRUFBRSwrREFBK0Q7QUFDaEgsZ0JBQWdCLGdGQUFnRixDQUFDLENBQUM7QUFDbEcsY0FBYyxPQUFPO0FBQ3JCLGFBQWE7QUFDYjtBQUNBO0FBQ0EsWUFBWSxJQUFJLE1BQU0sS0FBSyxXQUFXLElBQUksS0FBSyxDQUFDLEtBQUssRUFBRTtBQUN2RCxjQUFjLElBQUksQ0FBQyxVQUFVLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxHQUFHLFVBQVUsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQyxJQUFJLEVBQUUsS0FBSyxDQUFDLEVBQUUsT0FBTyxDQUFDLENBQUM7QUFDOUYsYUFBYSxNQUFNO0FBQ25CLGNBQWMsSUFBSSxDQUFDLFVBQVUsQ0FBQyxLQUFLLENBQUMsR0FBRyxDQUFDLEdBQUcsV0FBVztBQUN0RDtBQUNBLGdCQUFnQixJQUFJLENBQUMsTUFBTSxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQ25DO0FBQ0E7QUFDQSxnQkFBZ0IsSUFBSSxDQUFDLG1CQUFtQixDQUFDLE9BQU8sRUFBRSxJQUFJLENBQUMsVUFBVSxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsRUFBRSxLQUFLLENBQUMsQ0FBQztBQUNyRixlQUFlLENBQUM7QUFDaEIsY0FBYyxJQUFJLENBQUMsZ0JBQWdCLENBQUMsT0FBTyxFQUFFLElBQUksQ0FBQyxVQUFVLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQ2hGLGFBQWE7QUFDYixXQUFXLENBQUMsT0FBTyxHQUFHLEVBQUU7QUFDeEIsWUFBWSxJQUFJLENBQUMsS0FBSyxDQUFDLFdBQVcsRUFBRSxLQUFLLENBQUMsR0FBRyxFQUFFLEdBQUcsQ0FBQyxDQUFDO0FBQ3BELFdBQVc7QUFDWCxTQUFTLENBQUM7QUFDVjtBQUNBO0FBQ0EsUUFBUSxJQUFJLElBQUksQ0FBQyxHQUFHLEtBQUssd0ZBQXdGLEVBQUU7QUFDbkgsVUFBVSxJQUFJLENBQUMsR0FBRyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUM7QUFDL0IsVUFBVSxJQUFJLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDdEIsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksa0JBQWtCLEdBQUcsQ0FBQyxNQUFNLElBQUksTUFBTSxDQUFDLE1BQU0sTUFBTSxDQUFDLElBQUksQ0FBQyxVQUFVLElBQUksTUFBTSxDQUFDLFVBQVUsQ0FBQyxVQUFVLENBQUMsQ0FBQztBQUNqSCxRQUFRLElBQUksSUFBSSxDQUFDLFVBQVUsSUFBSSxDQUFDLElBQUksa0JBQWtCLEVBQUU7QUFDeEQsVUFBVSxTQUFTLEVBQUUsQ0FBQztBQUN0QixTQUFTLE1BQU07QUFDZixVQUFVLElBQUksQ0FBQyxTQUFTLEdBQUcsSUFBSSxDQUFDO0FBQ2hDLFVBQVUsSUFBSSxDQUFDLE1BQU0sR0FBRyxTQUFTLENBQUM7QUFDbEM7QUFDQSxVQUFVLElBQUksUUFBUSxHQUFHLFdBQVc7QUFDcEMsWUFBWSxJQUFJLENBQUMsTUFBTSxHQUFHLFFBQVEsQ0FBQztBQUNuQztBQUNBO0FBQ0EsWUFBWSxTQUFTLEVBQUUsQ0FBQztBQUN4QjtBQUNBO0FBQ0EsWUFBWSxJQUFJLENBQUMsbUJBQW1CLENBQUMsTUFBTSxDQUFDLGFBQWEsRUFBRSxRQUFRLEVBQUUsS0FBSyxDQUFDLENBQUM7QUFDNUUsV0FBVyxDQUFDO0FBQ1osVUFBVSxJQUFJLENBQUMsZ0JBQWdCLENBQUMsTUFBTSxDQUFDLGFBQWEsRUFBRSxRQUFRLEVBQUUsS0FBSyxDQUFDLENBQUM7QUFDdkU7QUFDQTtBQUNBLFVBQVUsSUFBSSxDQUFDLFdBQVcsQ0FBQyxLQUFLLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDdEMsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxLQUFLLENBQUMsR0FBRyxDQUFDO0FBQ3ZCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLEtBQUssRUFBRSxTQUFTLEVBQUUsRUFBRTtBQUN4QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssUUFBUSxJQUFJLElBQUksQ0FBQyxTQUFTLEVBQUU7QUFDdEQsUUFBUSxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQztBQUN6QixVQUFVLEtBQUssRUFBRSxPQUFPO0FBQ3hCLFVBQVUsTUFBTSxFQUFFLFdBQVc7QUFDN0IsWUFBWSxJQUFJLENBQUMsS0FBSyxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQzNCLFdBQVc7QUFDWCxTQUFTLENBQUMsQ0FBQztBQUNYO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQztBQUNwQixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUN0QztBQUNBLE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDdkM7QUFDQSxRQUFRLElBQUksQ0FBQyxXQUFXLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakM7QUFDQTtBQUNBLFFBQVEsSUFBSSxLQUFLLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUM1QztBQUNBLFFBQVEsSUFBSSxLQUFLLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxFQUFFO0FBQ3JDO0FBQ0EsVUFBVSxLQUFLLENBQUMsS0FBSyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDMUMsVUFBVSxLQUFLLENBQUMsU0FBUyxHQUFHLENBQUMsQ0FBQztBQUM5QixVQUFVLEtBQUssQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQy9CO0FBQ0E7QUFDQSxVQUFVLElBQUksQ0FBQyxTQUFTLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakM7QUFDQSxVQUFVLElBQUksS0FBSyxDQUFDLEtBQUssRUFBRTtBQUMzQixZQUFZLElBQUksSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUNoQztBQUNBLGNBQWMsSUFBSSxDQUFDLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxFQUFFO0FBQzdDLGdCQUFnQixTQUFTO0FBQ3pCLGVBQWU7QUFDZjtBQUNBLGNBQWMsSUFBSSxPQUFPLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLElBQUksS0FBSyxXQUFXLEVBQUU7QUFDeEUsZ0JBQWdCLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNwRCxlQUFlLE1BQU07QUFDckIsZ0JBQWdCLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNqRCxlQUFlO0FBQ2Y7QUFDQTtBQUNBLGNBQWMsSUFBSSxDQUFDLFlBQVksQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDN0MsYUFBYSxNQUFNLElBQUksQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxRQUFRLENBQUMsSUFBSSxLQUFLLENBQUMsS0FBSyxDQUFDLFFBQVEsS0FBSyxRQUFRLEVBQUU7QUFDMUYsY0FBYyxLQUFLLENBQUMsS0FBSyxDQUFDLEtBQUssRUFBRSxDQUFDO0FBQ2xDLGFBQWE7QUFDYixXQUFXO0FBQ1gsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksQ0FBQyxTQUFTLENBQUMsQ0FBQyxDQUFDLEVBQUU7QUFDM0IsVUFBVSxJQUFJLENBQUMsS0FBSyxDQUFDLE9BQU8sRUFBRSxLQUFLLEdBQUcsS0FBSyxDQUFDLEdBQUcsR0FBRyxJQUFJLENBQUMsQ0FBQztBQUN4RCxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLElBQUksRUFBRSxTQUFTLEVBQUUsRUFBRSxRQUFRLEVBQUU7QUFDakMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLFFBQVEsSUFBSSxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQ3RELFFBQVEsSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUM7QUFDekIsVUFBVSxLQUFLLEVBQUUsTUFBTTtBQUN2QixVQUFVLE1BQU0sRUFBRSxXQUFXO0FBQzdCLFlBQVksSUFBSSxDQUFDLElBQUksQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUMxQixXQUFXO0FBQ1gsU0FBUyxDQUFDLENBQUM7QUFDWDtBQUNBLFFBQVEsT0FBTyxJQUFJLENBQUM7QUFDcEIsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksR0FBRyxHQUFHLElBQUksQ0FBQyxZQUFZLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDdEM7QUFDQSxNQUFNLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3ZDO0FBQ0EsUUFBUSxJQUFJLENBQUMsV0FBVyxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ2pDO0FBQ0E7QUFDQSxRQUFRLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDNUM7QUFDQSxRQUFRLElBQUksS0FBSyxFQUFFO0FBQ25CO0FBQ0EsVUFBVSxLQUFLLENBQUMsS0FBSyxHQUFHLEtBQUssQ0FBQyxNQUFNLElBQUksQ0FBQyxDQUFDO0FBQzFDLFVBQVUsS0FBSyxDQUFDLFNBQVMsR0FBRyxDQUFDLENBQUM7QUFDOUIsVUFBVSxLQUFLLENBQUMsT0FBTyxHQUFHLElBQUksQ0FBQztBQUMvQixVQUFVLEtBQUssQ0FBQyxNQUFNLEdBQUcsSUFBSSxDQUFDO0FBQzlCO0FBQ0E7QUFDQSxVQUFVLElBQUksQ0FBQyxTQUFTLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakM7QUFDQSxVQUFVLElBQUksS0FBSyxDQUFDLEtBQUssRUFBRTtBQUMzQixZQUFZLElBQUksSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUNoQztBQUNBLGNBQWMsSUFBSSxLQUFLLENBQUMsS0FBSyxDQUFDLFlBQVksRUFBRTtBQUM1QyxnQkFBZ0IsSUFBSSxPQUFPLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLElBQUksS0FBSyxXQUFXLEVBQUU7QUFDMUUsa0JBQWtCLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN0RCxpQkFBaUIsTUFBTTtBQUN2QixrQkFBa0IsS0FBSyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ25ELGlCQUFpQjtBQUNqQjtBQUNBO0FBQ0EsZ0JBQWdCLElBQUksQ0FBQyxZQUFZLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQy9DLGVBQWU7QUFDZixhQUFhLE1BQU0sSUFBSSxDQUFDLEtBQUssQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEtBQUssQ0FBQyxLQUFLLENBQUMsUUFBUSxLQUFLLFFBQVEsRUFBRTtBQUMxRixjQUFjLEtBQUssQ0FBQyxLQUFLLENBQUMsV0FBVyxHQUFHLEtBQUssQ0FBQyxNQUFNLElBQUksQ0FBQyxDQUFDO0FBQzFELGNBQWMsS0FBSyxDQUFDLEtBQUssQ0FBQyxLQUFLLEVBQUUsQ0FBQztBQUNsQztBQUNBO0FBQ0EsY0FBYyxJQUFJLEtBQUssQ0FBQyxLQUFLLENBQUMsUUFBUSxLQUFLLFFBQVEsRUFBRTtBQUNyRCxnQkFBZ0IsSUFBSSxDQUFDLFdBQVcsQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDOUMsZUFBZTtBQUNmLGFBQWE7QUFDYixXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksQ0FBQyxRQUFRLEVBQUU7QUFDekIsWUFBWSxJQUFJLENBQUMsS0FBSyxDQUFDLE1BQU0sRUFBRSxLQUFLLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDMUMsV0FBVztBQUNYLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksSUFBSSxFQUFFLFNBQVMsS0FBSyxFQUFFLEVBQUUsRUFBRTtBQUM5QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssUUFBUSxHQUFHLElBQUksQ0FBQyxTQUFTLEVBQUU7QUFDckQsUUFBUSxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQztBQUN6QixVQUFVLEtBQUssRUFBRSxNQUFNO0FBQ3ZCLFVBQVUsTUFBTSxFQUFFLFdBQVc7QUFDN0IsWUFBWSxJQUFJLENBQUMsSUFBSSxDQUFDLEtBQUssRUFBRSxFQUFFLENBQUMsQ0FBQztBQUNqQyxXQUFXO0FBQ1gsU0FBUyxDQUFDLENBQUM7QUFDWDtBQUNBLFFBQVEsT0FBTyxJQUFJLENBQUM7QUFDcEIsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksT0FBTyxFQUFFLEtBQUssV0FBVyxFQUFFO0FBQ3JDLFFBQVEsSUFBSSxPQUFPLEtBQUssS0FBSyxTQUFTLEVBQUU7QUFDeEMsVUFBVSxJQUFJLENBQUMsTUFBTSxHQUFHLEtBQUssQ0FBQztBQUM5QixTQUFTLE1BQU07QUFDZixVQUFVLE9BQU8sSUFBSSxDQUFDLE1BQU0sQ0FBQztBQUM3QixTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksR0FBRyxHQUFHLElBQUksQ0FBQyxZQUFZLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDdEM7QUFDQSxNQUFNLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3ZDO0FBQ0EsUUFBUSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzVDO0FBQ0EsUUFBUSxJQUFJLEtBQUssRUFBRTtBQUNuQixVQUFVLEtBQUssQ0FBQyxNQUFNLEdBQUcsS0FBSyxDQUFDO0FBQy9CO0FBQ0E7QUFDQSxVQUFVLElBQUksS0FBSyxDQUFDLFNBQVMsRUFBRTtBQUMvQixZQUFZLElBQUksQ0FBQyxTQUFTLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3RDLFdBQVc7QUFDWDtBQUNBLFVBQVUsSUFBSSxJQUFJLENBQUMsU0FBUyxJQUFJLEtBQUssQ0FBQyxLQUFLLEVBQUU7QUFDN0MsWUFBWSxLQUFLLENBQUMsS0FBSyxDQUFDLElBQUksQ0FBQyxjQUFjLENBQUMsS0FBSyxHQUFHLENBQUMsR0FBRyxLQUFLLENBQUMsT0FBTyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDL0YsV0FBVyxNQUFNLElBQUksS0FBSyxDQUFDLEtBQUssRUFBRTtBQUNsQyxZQUFZLEtBQUssQ0FBQyxLQUFLLENBQUMsS0FBSyxHQUFHLE1BQU0sQ0FBQyxNQUFNLEdBQUcsSUFBSSxHQUFHLEtBQUssQ0FBQztBQUM3RCxXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksQ0FBQyxLQUFLLENBQUMsTUFBTSxFQUFFLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUN4QyxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxNQUFNLEVBQUUsV0FBVztBQUN2QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QixNQUFNLElBQUksSUFBSSxHQUFHLFNBQVMsQ0FBQztBQUMzQixNQUFNLElBQUksR0FBRyxFQUFFLEVBQUUsQ0FBQztBQUNsQjtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssQ0FBQyxFQUFFO0FBQzdCO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQyxPQUFPLENBQUM7QUFDNUIsT0FBTyxNQUFNLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxDQUFDLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxDQUFDLElBQUksT0FBTyxJQUFJLENBQUMsQ0FBQyxDQUFDLEtBQUssV0FBVyxFQUFFO0FBQzNGO0FBQ0EsUUFBUSxJQUFJLEdBQUcsR0FBRyxJQUFJLENBQUMsWUFBWSxFQUFFLENBQUM7QUFDdEMsUUFBUSxJQUFJLEtBQUssR0FBRyxHQUFHLENBQUMsT0FBTyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pDLFFBQVEsSUFBSSxLQUFLLElBQUksQ0FBQyxFQUFFO0FBQ3hCLFVBQVUsRUFBRSxHQUFHLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDckMsU0FBUyxNQUFNO0FBQ2YsVUFBVSxHQUFHLEdBQUcsVUFBVSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3BDLFNBQVM7QUFDVCxPQUFPLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxJQUFJLENBQUMsRUFBRTtBQUNuQyxRQUFRLEdBQUcsR0FBRyxVQUFVLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDbEMsUUFBUSxFQUFFLEdBQUcsUUFBUSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQztBQUNuQyxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxLQUFLLENBQUM7QUFDaEIsTUFBTSxJQUFJLE9BQU8sR0FBRyxLQUFLLFdBQVcsSUFBSSxHQUFHLElBQUksQ0FBQyxJQUFJLEdBQUcsSUFBSSxDQUFDLEVBQUU7QUFDOUQ7QUFDQSxRQUFRLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLEdBQUcsSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUN2RCxVQUFVLElBQUksQ0FBQyxNQUFNLENBQUMsSUFBSSxDQUFDO0FBQzNCLFlBQVksS0FBSyxFQUFFLFFBQVE7QUFDM0IsWUFBWSxNQUFNLEVBQUUsV0FBVztBQUMvQixjQUFjLElBQUksQ0FBQyxNQUFNLENBQUMsS0FBSyxDQUFDLElBQUksRUFBRSxJQUFJLENBQUMsQ0FBQztBQUM1QyxhQUFhO0FBQ2IsV0FBVyxDQUFDLENBQUM7QUFDYjtBQUNBLFVBQVUsT0FBTyxJQUFJLENBQUM7QUFDdEIsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksT0FBTyxFQUFFLEtBQUssV0FBVyxFQUFFO0FBQ3ZDLFVBQVUsSUFBSSxDQUFDLE9BQU8sR0FBRyxHQUFHLENBQUM7QUFDN0IsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLEVBQUUsR0FBRyxJQUFJLENBQUMsWUFBWSxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ25DLFFBQVEsS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDeEM7QUFDQSxVQUFVLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pDO0FBQ0EsVUFBVSxJQUFJLEtBQUssRUFBRTtBQUNyQixZQUFZLEtBQUssQ0FBQyxPQUFPLEdBQUcsR0FBRyxDQUFDO0FBQ2hDO0FBQ0E7QUFDQSxZQUFZLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUU7QUFDMUIsY0FBYyxJQUFJLENBQUMsU0FBUyxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3BDLGFBQWE7QUFDYjtBQUNBLFlBQVksSUFBSSxJQUFJLENBQUMsU0FBUyxJQUFJLEtBQUssQ0FBQyxLQUFLLElBQUksQ0FBQyxLQUFLLENBQUMsTUFBTSxFQUFFO0FBQ2hFLGNBQWMsS0FBSyxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsY0FBYyxDQUFDLEdBQUcsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQzNFLGFBQWEsTUFBTSxJQUFJLEtBQUssQ0FBQyxLQUFLLElBQUksQ0FBQyxLQUFLLENBQUMsTUFBTSxFQUFFO0FBQ3JELGNBQWMsS0FBSyxDQUFDLEtBQUssQ0FBQyxNQUFNLEdBQUcsR0FBRyxHQUFHLE1BQU0sQ0FBQyxNQUFNLEVBQUUsQ0FBQztBQUN6RCxhQUFhO0FBQ2I7QUFDQSxZQUFZLElBQUksQ0FBQyxLQUFLLENBQUMsUUFBUSxFQUFFLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUM1QyxXQUFXO0FBQ1gsU0FBUztBQUNULE9BQU8sTUFBTTtBQUNiLFFBQVEsS0FBSyxHQUFHLEVBQUUsR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEVBQUUsQ0FBQyxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDM0QsUUFBUSxPQUFPLEtBQUssR0FBRyxLQUFLLENBQUMsT0FBTyxHQUFHLENBQUMsQ0FBQztBQUN6QyxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLElBQUksRUFBRSxTQUFTLElBQUksRUFBRSxFQUFFLEVBQUUsR0FBRyxFQUFFLEVBQUUsRUFBRTtBQUN0QyxNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssUUFBUSxJQUFJLElBQUksQ0FBQyxTQUFTLEVBQUU7QUFDdEQsUUFBUSxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQztBQUN6QixVQUFVLEtBQUssRUFBRSxNQUFNO0FBQ3ZCLFVBQVUsTUFBTSxFQUFFLFdBQVc7QUFDN0IsWUFBWSxJQUFJLENBQUMsSUFBSSxDQUFDLElBQUksRUFBRSxFQUFFLEVBQUUsR0FBRyxFQUFFLEVBQUUsQ0FBQyxDQUFDO0FBQ3pDLFdBQVc7QUFDWCxTQUFTLENBQUMsQ0FBQztBQUNYO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQztBQUNwQixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxHQUFHLElBQUksQ0FBQyxHQUFHLENBQUMsSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDLEVBQUUsVUFBVSxDQUFDLElBQUksQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDeEQsTUFBTSxFQUFFLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUMsRUFBRSxVQUFVLENBQUMsRUFBRSxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNwRCxNQUFNLEdBQUcsR0FBRyxVQUFVLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDNUI7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDNUI7QUFDQTtBQUNBLE1BQU0sSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUN0QyxNQUFNLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3ZDO0FBQ0EsUUFBUSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzVDO0FBQ0E7QUFDQSxRQUFRLElBQUksS0FBSyxFQUFFO0FBQ25CO0FBQ0EsVUFBVSxJQUFJLENBQUMsRUFBRSxFQUFFO0FBQ25CLFlBQVksSUFBSSxDQUFDLFNBQVMsQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNuQyxXQUFXO0FBQ1g7QUFDQTtBQUNBLFVBQVUsSUFBSSxJQUFJLENBQUMsU0FBUyxJQUFJLENBQUMsS0FBSyxDQUFDLE1BQU0sRUFBRTtBQUMvQyxZQUFZLElBQUksV0FBVyxHQUFHLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDO0FBQ3JELFlBQVksSUFBSSxHQUFHLEdBQUcsV0FBVyxJQUFJLEdBQUcsR0FBRyxJQUFJLENBQUMsQ0FBQztBQUNqRCxZQUFZLEtBQUssQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQ2pDLFlBQVksS0FBSyxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsY0FBYyxDQUFDLElBQUksRUFBRSxXQUFXLENBQUMsQ0FBQztBQUMvRCxZQUFZLEtBQUssQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLHVCQUF1QixDQUFDLEVBQUUsRUFBRSxHQUFHLENBQUMsQ0FBQztBQUM5RCxXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksQ0FBQyxrQkFBa0IsQ0FBQyxLQUFLLEVBQUUsSUFBSSxFQUFFLEVBQUUsRUFBRSxHQUFHLEVBQUUsR0FBRyxDQUFDLENBQUMsQ0FBQyxFQUFFLE9BQU8sRUFBRSxLQUFLLFdBQVcsQ0FBQyxDQUFDO0FBQzNGLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksa0JBQWtCLEVBQUUsU0FBUyxLQUFLLEVBQUUsSUFBSSxFQUFFLEVBQUUsRUFBRSxHQUFHLEVBQUUsRUFBRSxFQUFFLE9BQU8sRUFBRTtBQUNwRSxNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QixNQUFNLElBQUksR0FBRyxHQUFHLElBQUksQ0FBQztBQUNyQixNQUFNLElBQUksSUFBSSxHQUFHLEVBQUUsR0FBRyxJQUFJLENBQUM7QUFDM0IsTUFBTSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsR0FBRyxDQUFDLElBQUksR0FBRyxJQUFJLENBQUMsQ0FBQztBQUN4QyxNQUFNLElBQUksT0FBTyxHQUFHLElBQUksQ0FBQyxHQUFHLENBQUMsQ0FBQyxFQUFFLENBQUMsS0FBSyxHQUFHLENBQUMsSUFBSSxHQUFHLEdBQUcsS0FBSyxHQUFHLEdBQUcsQ0FBQyxDQUFDO0FBQ2pFLE1BQU0sSUFBSSxRQUFRLEdBQUcsSUFBSSxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQ2hDO0FBQ0E7QUFDQSxNQUFNLEtBQUssQ0FBQyxPQUFPLEdBQUcsRUFBRSxDQUFDO0FBQ3pCO0FBQ0E7QUFDQSxNQUFNLEtBQUssQ0FBQyxTQUFTLEdBQUcsV0FBVyxDQUFDLFdBQVc7QUFDL0M7QUFDQSxRQUFRLElBQUksSUFBSSxHQUFHLENBQUMsSUFBSSxDQUFDLEdBQUcsRUFBRSxHQUFHLFFBQVEsSUFBSSxHQUFHLENBQUM7QUFDakQsUUFBUSxRQUFRLEdBQUcsSUFBSSxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQzlCLFFBQVEsR0FBRyxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDM0I7QUFDQTtBQUNBLFFBQVEsR0FBRyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsR0FBRyxHQUFHLEdBQUcsQ0FBQyxHQUFHLEdBQUcsQ0FBQztBQUMxQztBQUNBO0FBQ0EsUUFBUSxJQUFJLElBQUksR0FBRyxDQUFDLEVBQUU7QUFDdEIsVUFBVSxHQUFHLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxFQUFFLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDbEMsU0FBUyxNQUFNO0FBQ2YsVUFBVSxHQUFHLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxFQUFFLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDbEMsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUM1QixVQUFVLEtBQUssQ0FBQyxPQUFPLEdBQUcsR0FBRyxDQUFDO0FBQzlCLFNBQVMsTUFBTTtBQUNmLFVBQVUsSUFBSSxDQUFDLE1BQU0sQ0FBQyxHQUFHLEVBQUUsS0FBSyxDQUFDLEdBQUcsRUFBRSxJQUFJLENBQUMsQ0FBQztBQUM1QyxTQUFTO0FBQ1Q7QUFDQTtBQUNBLFFBQVEsSUFBSSxPQUFPLEVBQUU7QUFDckIsVUFBVSxJQUFJLENBQUMsT0FBTyxHQUFHLEdBQUcsQ0FBQztBQUM3QixTQUFTO0FBQ1Q7QUFDQTtBQUNBLFFBQVEsSUFBSSxDQUFDLEVBQUUsR0FBRyxJQUFJLElBQUksR0FBRyxJQUFJLEVBQUUsTUFBTSxFQUFFLEdBQUcsSUFBSSxJQUFJLEdBQUcsSUFBSSxFQUFFLENBQUMsRUFBRTtBQUNsRSxVQUFVLGFBQWEsQ0FBQyxLQUFLLENBQUMsU0FBUyxDQUFDLENBQUM7QUFDekMsVUFBVSxLQUFLLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQztBQUNqQyxVQUFVLEtBQUssQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQy9CLFVBQVUsSUFBSSxDQUFDLE1BQU0sQ0FBQyxFQUFFLEVBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3JDLFVBQVUsSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3hDLFNBQVM7QUFDVCxPQUFPLEVBQUUsT0FBTyxDQUFDLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxTQUFTLEVBQUUsU0FBUyxFQUFFLEVBQUU7QUFDNUIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3RDO0FBQ0EsTUFBTSxJQUFJLEtBQUssSUFBSSxLQUFLLENBQUMsU0FBUyxFQUFFO0FBQ3BDLFFBQVEsSUFBSSxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzVCLFVBQVUsS0FBSyxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMscUJBQXFCLENBQUMsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUN6RSxTQUFTO0FBQ1Q7QUFDQSxRQUFRLGFBQWEsQ0FBQyxLQUFLLENBQUMsU0FBUyxDQUFDLENBQUM7QUFDdkMsUUFBUSxLQUFLLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQztBQUMvQixRQUFRLElBQUksQ0FBQyxNQUFNLENBQUMsS0FBSyxDQUFDLE9BQU8sRUFBRSxFQUFFLENBQUMsQ0FBQztBQUN2QyxRQUFRLEtBQUssQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQzdCLFFBQVEsSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDL0IsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxJQUFJLEVBQUUsV0FBVztBQUNyQixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QixNQUFNLElBQUksSUFBSSxHQUFHLFNBQVMsQ0FBQztBQUMzQixNQUFNLElBQUksSUFBSSxFQUFFLEVBQUUsRUFBRSxLQUFLLENBQUM7QUFDMUI7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUM3QjtBQUNBLFFBQVEsT0FBTyxJQUFJLENBQUMsS0FBSyxDQUFDO0FBQzFCLE9BQU8sTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssQ0FBQyxFQUFFO0FBQ3BDLFFBQVEsSUFBSSxPQUFPLElBQUksQ0FBQyxDQUFDLENBQUMsS0FBSyxTQUFTLEVBQUU7QUFDMUMsVUFBVSxJQUFJLEdBQUcsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pCLFVBQVUsSUFBSSxDQUFDLEtBQUssR0FBRyxJQUFJLENBQUM7QUFDNUIsU0FBUyxNQUFNO0FBQ2Y7QUFDQSxVQUFVLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUN6RCxVQUFVLE9BQU8sS0FBSyxHQUFHLEtBQUssQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDO0FBQzdDLFNBQVM7QUFDVCxPQUFPLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUNwQyxRQUFRLElBQUksR0FBRyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDdkIsUUFBUSxFQUFFLEdBQUcsUUFBUSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQztBQUNuQyxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUN0QyxNQUFNLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3ZDLFFBQVEsS0FBSyxHQUFHLElBQUksQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDeEM7QUFDQSxRQUFRLElBQUksS0FBSyxFQUFFO0FBQ25CLFVBQVUsS0FBSyxDQUFDLEtBQUssR0FBRyxJQUFJLENBQUM7QUFDN0IsVUFBVSxJQUFJLElBQUksQ0FBQyxTQUFTLElBQUksS0FBSyxDQUFDLEtBQUssSUFBSSxLQUFLLENBQUMsS0FBSyxDQUFDLFlBQVksRUFBRTtBQUN6RSxZQUFZLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLElBQUksR0FBRyxJQUFJLENBQUM7QUFDakQsWUFBWSxJQUFJLElBQUksRUFBRTtBQUN0QixjQUFjLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLFNBQVMsR0FBRyxLQUFLLENBQUMsTUFBTSxJQUFJLENBQUMsQ0FBQztBQUNyRSxjQUFjLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLE9BQU8sR0FBRyxLQUFLLENBQUMsS0FBSyxDQUFDO0FBQzdEO0FBQ0E7QUFDQSxjQUFjLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRTtBQUN4QyxnQkFBZ0IsSUFBSSxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLEVBQUUsSUFBSSxDQUFDLENBQUM7QUFDekMsZ0JBQWdCLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUMsQ0FBQyxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQ3hDLGVBQWU7QUFDZixhQUFhO0FBQ2IsV0FBVztBQUNYLFNBQVM7QUFDVCxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLElBQUksRUFBRSxXQUFXO0FBQ3JCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxJQUFJLEdBQUcsU0FBUyxDQUFDO0FBQzNCLE1BQU0sSUFBSSxJQUFJLEVBQUUsRUFBRSxDQUFDO0FBQ25CO0FBQ0E7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxDQUFDLEVBQUU7QUFDN0I7QUFDQSxRQUFRLEVBQUUsR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLENBQUMsQ0FBQyxDQUFDLEdBQUcsQ0FBQztBQUNqQyxPQUFPLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUNwQztBQUNBLFFBQVEsSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLFlBQVksRUFBRSxDQUFDO0FBQ3RDLFFBQVEsSUFBSSxLQUFLLEdBQUcsR0FBRyxDQUFDLE9BQU8sQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN6QyxRQUFRLElBQUksS0FBSyxJQUFJLENBQUMsRUFBRTtBQUN4QixVQUFVLEVBQUUsR0FBRyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDO0FBQ3JDLFNBQVMsTUFBTTtBQUNmLFVBQVUsSUFBSSxHQUFHLFVBQVUsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNyQyxTQUFTO0FBQ1QsT0FBTyxNQUFNLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxDQUFDLEVBQUU7QUFDcEMsUUFBUSxJQUFJLEdBQUcsVUFBVSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ25DLFFBQVEsRUFBRSxHQUFHLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDbkMsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksS0FBSyxDQUFDO0FBQ2hCLE1BQU0sSUFBSSxPQUFPLElBQUksS0FBSyxRQUFRLEVBQUU7QUFDcEM7QUFDQSxRQUFRLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLElBQUksSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUN4RCxVQUFVLElBQUksQ0FBQyxNQUFNLENBQUMsSUFBSSxDQUFDO0FBQzNCLFlBQVksS0FBSyxFQUFFLE1BQU07QUFDekIsWUFBWSxNQUFNLEVBQUUsV0FBVztBQUMvQixjQUFjLElBQUksQ0FBQyxJQUFJLENBQUMsS0FBSyxDQUFDLElBQUksRUFBRSxJQUFJLENBQUMsQ0FBQztBQUMxQyxhQUFhO0FBQ2IsV0FBVyxDQUFDLENBQUM7QUFDYjtBQUNBLFVBQVUsT0FBTyxJQUFJLENBQUM7QUFDdEIsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksT0FBTyxFQUFFLEtBQUssV0FBVyxFQUFFO0FBQ3ZDLFVBQVUsSUFBSSxDQUFDLEtBQUssR0FBRyxJQUFJLENBQUM7QUFDNUIsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLEVBQUUsR0FBRyxJQUFJLENBQUMsWUFBWSxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ25DLFFBQVEsS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDeEM7QUFDQSxVQUFVLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pDO0FBQ0EsVUFBVSxJQUFJLEtBQUssRUFBRTtBQUNyQjtBQUNBO0FBQ0EsWUFBWSxJQUFJLElBQUksQ0FBQyxPQUFPLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUU7QUFDckMsY0FBYyxLQUFLLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakQsY0FBYyxLQUFLLENBQUMsVUFBVSxHQUFHLElBQUksQ0FBQyxTQUFTLEdBQUcsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLEdBQUcsS0FBSyxDQUFDLFVBQVUsQ0FBQztBQUM1RixhQUFhO0FBQ2IsWUFBWSxLQUFLLENBQUMsS0FBSyxHQUFHLElBQUksQ0FBQztBQUMvQjtBQUNBO0FBQ0EsWUFBWSxJQUFJLElBQUksQ0FBQyxTQUFTLElBQUksS0FBSyxDQUFDLEtBQUssSUFBSSxLQUFLLENBQUMsS0FBSyxDQUFDLFlBQVksRUFBRTtBQUMzRSxjQUFjLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLFlBQVksQ0FBQyxjQUFjLENBQUMsSUFBSSxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDakcsYUFBYSxNQUFNLElBQUksS0FBSyxDQUFDLEtBQUssRUFBRTtBQUNwQyxjQUFjLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxHQUFHLElBQUksQ0FBQztBQUM5QyxhQUFhO0FBQ2I7QUFDQTtBQUNBLFlBQVksSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDLElBQUksQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN4QyxZQUFZLElBQUksUUFBUSxHQUFHLENBQUMsQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLEtBQUssQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUMsR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLEtBQUssQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxJQUFJLElBQUksSUFBSSxDQUFDO0FBQzdHLFlBQVksSUFBSSxPQUFPLEdBQUcsQ0FBQyxRQUFRLEdBQUcsSUFBSSxJQUFJLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQ3BFO0FBQ0E7QUFDQSxZQUFZLElBQUksSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxDQUFDLEtBQUssQ0FBQyxPQUFPLEVBQUU7QUFDMUQsY0FBYyxJQUFJLENBQUMsV0FBVyxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3RDLGNBQWMsSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDLENBQUMsR0FBRyxVQUFVLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsSUFBSSxFQUFFLEtBQUssQ0FBQyxFQUFFLE9BQU8sQ0FBQyxDQUFDO0FBQzFGLGFBQWE7QUFDYjtBQUNBLFlBQVksSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzFDLFdBQVc7QUFDWCxTQUFTO0FBQ1QsT0FBTyxNQUFNO0FBQ2IsUUFBUSxLQUFLLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUNwQyxRQUFRLE9BQU8sS0FBSyxHQUFHLEtBQUssQ0FBQyxLQUFLLEdBQUcsSUFBSSxDQUFDLEtBQUssQ0FBQztBQUNoRCxPQUFPO0FBQ1A7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLElBQUksRUFBRSxXQUFXO0FBQ3JCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxJQUFJLEdBQUcsU0FBUyxDQUFDO0FBQzNCLE1BQU0sSUFBSSxJQUFJLEVBQUUsRUFBRSxDQUFDO0FBQ25CO0FBQ0E7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxDQUFDLEVBQUU7QUFDN0I7QUFDQSxRQUFRLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxNQUFNLEVBQUU7QUFDakMsVUFBVSxFQUFFLEdBQUcsSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxHQUFHLENBQUM7QUFDbkMsU0FBUztBQUNULE9BQU8sTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssQ0FBQyxFQUFFO0FBQ3BDO0FBQ0EsUUFBUSxJQUFJLEdBQUcsR0FBRyxJQUFJLENBQUMsWUFBWSxFQUFFLENBQUM7QUFDdEMsUUFBUSxJQUFJLEtBQUssR0FBRyxHQUFHLENBQUMsT0FBTyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pDLFFBQVEsSUFBSSxLQUFLLElBQUksQ0FBQyxFQUFFO0FBQ3hCLFVBQVUsRUFBRSxHQUFHLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDckMsU0FBUyxNQUFNLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxNQUFNLEVBQUU7QUFDeEMsVUFBVSxFQUFFLEdBQUcsSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxHQUFHLENBQUM7QUFDbkMsVUFBVSxJQUFJLEdBQUcsVUFBVSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3JDLFNBQVM7QUFDVCxPQUFPLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUNwQyxRQUFRLElBQUksR0FBRyxVQUFVLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDbkMsUUFBUSxFQUFFLEdBQUcsUUFBUSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQztBQUNuQyxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxPQUFPLEVBQUUsS0FBSyxXQUFXLEVBQUU7QUFDckMsUUFBUSxPQUFPLENBQUMsQ0FBQztBQUNqQixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxPQUFPLElBQUksS0FBSyxRQUFRLEtBQUssSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLElBQUksSUFBSSxDQUFDLFNBQVMsQ0FBQyxFQUFFO0FBQ3BGLFFBQVEsSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUM7QUFDekIsVUFBVSxLQUFLLEVBQUUsTUFBTTtBQUN2QixVQUFVLE1BQU0sRUFBRSxXQUFXO0FBQzdCLFlBQVksSUFBSSxDQUFDLElBQUksQ0FBQyxLQUFLLENBQUMsSUFBSSxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQ3hDLFdBQVc7QUFDWCxTQUFTLENBQUMsQ0FBQztBQUNYO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQztBQUNwQixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxLQUFLLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUN0QztBQUNBLE1BQU0sSUFBSSxLQUFLLEVBQUU7QUFDakIsUUFBUSxJQUFJLE9BQU8sSUFBSSxLQUFLLFFBQVEsSUFBSSxJQUFJLElBQUksQ0FBQyxFQUFFO0FBQ25EO0FBQ0EsVUFBVSxJQUFJLE9BQU8sR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3pDLFVBQVUsSUFBSSxPQUFPLEVBQUU7QUFDdkIsWUFBWSxJQUFJLENBQUMsS0FBSyxDQUFDLEVBQUUsRUFBRSxJQUFJLENBQUMsQ0FBQztBQUNqQyxXQUFXO0FBQ1g7QUFDQTtBQUNBLFVBQVUsS0FBSyxDQUFDLEtBQUssR0FBRyxJQUFJLENBQUM7QUFDN0IsVUFBVSxLQUFLLENBQUMsTUFBTSxHQUFHLEtBQUssQ0FBQztBQUMvQixVQUFVLElBQUksQ0FBQyxXQUFXLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDL0I7QUFDQTtBQUNBLFVBQVUsSUFBSSxDQUFDLElBQUksQ0FBQyxTQUFTLElBQUksS0FBSyxDQUFDLEtBQUssSUFBSSxDQUFDLEtBQUssQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLFFBQVEsQ0FBQyxFQUFFO0FBQzlFLFlBQVksS0FBSyxDQUFDLEtBQUssQ0FBQyxXQUFXLEdBQUcsSUFBSSxDQUFDO0FBQzNDLFdBQVc7QUFDWDtBQUNBO0FBQ0EsVUFBVSxJQUFJLFdBQVcsR0FBRyxXQUFXO0FBQ3ZDO0FBQ0EsWUFBWSxJQUFJLE9BQU8sRUFBRTtBQUN6QixjQUFjLElBQUksQ0FBQyxJQUFJLENBQUMsRUFBRSxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQ2xDLGFBQWE7QUFDYjtBQUNBLFlBQVksSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDbkMsV0FBVyxDQUFDO0FBQ1o7QUFDQTtBQUNBLFVBQVUsSUFBSSxPQUFPLElBQUksQ0FBQyxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzFDLFlBQVksSUFBSSxRQUFRLEdBQUcsV0FBVztBQUN0QyxjQUFjLElBQUksQ0FBQyxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQ25DLGdCQUFnQixXQUFXLEVBQUUsQ0FBQztBQUM5QixlQUFlLE1BQU07QUFDckIsZ0JBQWdCLFVBQVUsQ0FBQyxRQUFRLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDeEMsZUFBZTtBQUNmLGFBQWEsQ0FBQztBQUNkLFlBQVksVUFBVSxDQUFDLFFBQVEsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNwQyxXQUFXLE1BQU07QUFDakIsWUFBWSxXQUFXLEVBQUUsQ0FBQztBQUMxQixXQUFXO0FBQ1gsU0FBUyxNQUFNO0FBQ2YsVUFBVSxJQUFJLElBQUksQ0FBQyxTQUFTLEVBQUU7QUFDOUIsWUFBWSxJQUFJLFFBQVEsR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDLEVBQUUsQ0FBQyxHQUFHLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxHQUFHLEtBQUssQ0FBQyxVQUFVLEdBQUcsQ0FBQyxDQUFDO0FBQzVGLFlBQVksSUFBSSxRQUFRLEdBQUcsS0FBSyxDQUFDLFNBQVMsR0FBRyxLQUFLLENBQUMsU0FBUyxHQUFHLEtBQUssQ0FBQyxLQUFLLEdBQUcsQ0FBQyxDQUFDO0FBQy9FLFlBQVksT0FBTyxLQUFLLENBQUMsS0FBSyxJQUFJLFFBQVEsR0FBRyxRQUFRLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQztBQUMvRSxXQUFXLE1BQU07QUFDakIsWUFBWSxPQUFPLEtBQUssQ0FBQyxLQUFLLENBQUMsV0FBVyxDQUFDO0FBQzNDLFdBQVc7QUFDWCxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxPQUFPLEVBQUUsU0FBUyxFQUFFLEVBQUU7QUFDMUIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxPQUFPLEVBQUUsS0FBSyxRQUFRLEVBQUU7QUFDbEMsUUFBUSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3hDLFFBQVEsT0FBTyxLQUFLLEdBQUcsQ0FBQyxLQUFLLENBQUMsT0FBTyxHQUFHLEtBQUssQ0FBQztBQUM5QyxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ2hELFFBQVEsSUFBSSxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUMsT0FBTyxFQUFFO0FBQ3RDLFVBQVUsT0FBTyxJQUFJLENBQUM7QUFDdEIsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxLQUFLLENBQUM7QUFDbkIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksUUFBUSxFQUFFLFNBQVMsRUFBRSxFQUFFO0FBQzNCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxRQUFRLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQztBQUNwQztBQUNBO0FBQ0EsTUFBTSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3RDLE1BQU0sSUFBSSxLQUFLLEVBQUU7QUFDakIsUUFBUSxRQUFRLEdBQUcsSUFBSSxDQUFDLE9BQU8sQ0FBQyxLQUFLLENBQUMsT0FBTyxDQUFDLENBQUMsQ0FBQyxDQUFDLEdBQUcsSUFBSSxDQUFDO0FBQ3pELE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxRQUFRLENBQUM7QUFDdEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLEtBQUssRUFBRSxXQUFXO0FBQ3RCLE1BQU0sT0FBTyxJQUFJLENBQUMsTUFBTSxDQUFDO0FBQ3pCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxNQUFNLEVBQUUsV0FBVztBQUN2QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QjtBQUNBO0FBQ0EsTUFBTSxJQUFJLE1BQU0sR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDO0FBQ2hDLE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLE1BQU0sQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDMUM7QUFDQSxRQUFRLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsT0FBTyxFQUFFO0FBQ2hDLFVBQVUsSUFBSSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDbkMsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksQ0FBQyxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzdCO0FBQ0EsVUFBVSxJQUFJLENBQUMsV0FBVyxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxLQUFLLENBQUMsQ0FBQztBQUM1QztBQUNBO0FBQ0EsVUFBVSxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsS0FBSyxDQUFDLG1CQUFtQixDQUFDLE9BQU8sRUFBRSxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsUUFBUSxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQ2xGLFVBQVUsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEtBQUssQ0FBQyxtQkFBbUIsQ0FBQyxNQUFNLENBQUMsYUFBYSxFQUFFLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxPQUFPLEVBQUUsS0FBSyxDQUFDLENBQUM7QUFDOUYsVUFBVSxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsS0FBSyxDQUFDLG1CQUFtQixDQUFDLE9BQU8sRUFBRSxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsTUFBTSxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQ2hGO0FBQ0E7QUFDQSxVQUFVLE1BQU0sQ0FBQyxrQkFBa0IsQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDckQsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLE9BQU8sTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEtBQUssQ0FBQztBQUMvQjtBQUNBO0FBQ0EsUUFBUSxJQUFJLENBQUMsV0FBVyxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUN4QyxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxLQUFLLEdBQUcsTUFBTSxDQUFDLE1BQU0sQ0FBQyxPQUFPLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDOUMsTUFBTSxJQUFJLEtBQUssSUFBSSxDQUFDLEVBQUU7QUFDdEIsUUFBUSxNQUFNLENBQUMsTUFBTSxDQUFDLE1BQU0sQ0FBQyxLQUFLLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDdkMsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksUUFBUSxHQUFHLElBQUksQ0FBQztBQUMxQixNQUFNLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsTUFBTSxDQUFDLE1BQU0sQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDN0MsUUFBUSxJQUFJLE1BQU0sQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsSUFBSSxLQUFLLElBQUksQ0FBQyxJQUFJLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLEVBQUU7QUFDbEcsVUFBVSxRQUFRLEdBQUcsS0FBSyxDQUFDO0FBQzNCLFVBQVUsTUFBTTtBQUNoQixTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxJQUFJLEtBQUssSUFBSSxRQUFRLEVBQUU7QUFDN0IsUUFBUSxPQUFPLEtBQUssQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDaEMsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLE1BQU0sQ0FBQyxPQUFPLEdBQUcsS0FBSyxDQUFDO0FBQzdCO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxNQUFNLEdBQUcsVUFBVSxDQUFDO0FBQy9CLE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxFQUFFLENBQUM7QUFDeEIsTUFBTSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ2xCO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxFQUFFLEVBQUUsU0FBUyxLQUFLLEVBQUUsRUFBRSxFQUFFLEVBQUUsRUFBRSxJQUFJLEVBQUU7QUFDdEMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLE1BQU0sR0FBRyxJQUFJLENBQUMsS0FBSyxHQUFHLEtBQUssQ0FBQyxDQUFDO0FBQ3ZDO0FBQ0EsTUFBTSxJQUFJLE9BQU8sRUFBRSxLQUFLLFVBQVUsRUFBRTtBQUNwQyxRQUFRLE1BQU0sQ0FBQyxJQUFJLENBQUMsSUFBSSxHQUFHLENBQUMsRUFBRSxFQUFFLEVBQUUsRUFBRSxFQUFFLEVBQUUsRUFBRSxFQUFFLElBQUksRUFBRSxJQUFJLENBQUMsR0FBRyxDQUFDLEVBQUUsRUFBRSxFQUFFLEVBQUUsRUFBRSxFQUFFLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDNUUsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksR0FBRyxFQUFFLFNBQVMsS0FBSyxFQUFFLEVBQUUsRUFBRSxFQUFFLEVBQUU7QUFDakMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLE1BQU0sR0FBRyxJQUFJLENBQUMsS0FBSyxHQUFHLEtBQUssQ0FBQyxDQUFDO0FBQ3ZDLE1BQU0sSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ2hCO0FBQ0E7QUFDQSxNQUFNLElBQUksT0FBTyxFQUFFLEtBQUssUUFBUSxFQUFFO0FBQ2xDLFFBQVEsRUFBRSxHQUFHLEVBQUUsQ0FBQztBQUNoQixRQUFRLEVBQUUsR0FBRyxJQUFJLENBQUM7QUFDbEIsT0FBTztBQUNQO0FBQ0EsTUFBTSxJQUFJLEVBQUUsSUFBSSxFQUFFLEVBQUU7QUFDcEI7QUFDQSxRQUFRLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsTUFBTSxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUN4QyxVQUFVLElBQUksSUFBSSxJQUFJLEVBQUUsS0FBSyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDM0MsVUFBVSxJQUFJLEVBQUUsS0FBSyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRSxJQUFJLElBQUksSUFBSSxDQUFDLEVBQUUsSUFBSSxJQUFJLEVBQUU7QUFDMUQsWUFBWSxNQUFNLENBQUMsTUFBTSxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNoQyxZQUFZLE1BQU07QUFDbEIsV0FBVztBQUNYLFNBQVM7QUFDVCxPQUFPLE1BQU0sSUFBSSxLQUFLLEVBQUU7QUFDeEI7QUFDQSxRQUFRLElBQUksQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQ2pDLE9BQU8sTUFBTTtBQUNiO0FBQ0EsUUFBUSxJQUFJLElBQUksR0FBRyxNQUFNLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDO0FBQ3JDLFFBQVEsS0FBSyxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3RDLFVBQVUsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxPQUFPLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxLQUFLLEtBQUssQ0FBQyxPQUFPLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUU7QUFDOUUsWUFBWSxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQy9CLFdBQVc7QUFDWCxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksSUFBSSxFQUFFLFNBQVMsS0FBSyxFQUFFLEVBQUUsRUFBRSxFQUFFLEVBQUU7QUFDbEMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLEVBQUUsQ0FBQyxLQUFLLEVBQUUsRUFBRSxFQUFFLEVBQUUsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNoQztBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLEtBQUssRUFBRSxTQUFTLEtBQUssRUFBRSxFQUFFLEVBQUUsR0FBRyxFQUFFO0FBQ3BDLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxNQUFNLEdBQUcsSUFBSSxDQUFDLEtBQUssR0FBRyxLQUFLLENBQUMsQ0FBQztBQUN2QztBQUNBO0FBQ0EsTUFBTSxLQUFLLElBQUksQ0FBQyxDQUFDLE1BQU0sQ0FBQyxNQUFNLENBQUMsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDN0M7QUFDQSxRQUFRLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsRUFBRSxJQUFJLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxFQUFFLEtBQUssRUFBRSxJQUFJLEtBQUssS0FBSyxNQUFNLEVBQUU7QUFDdEUsVUFBVSxVQUFVLENBQUMsU0FBUyxFQUFFLEVBQUU7QUFDbEMsWUFBWSxFQUFFLENBQUMsSUFBSSxDQUFDLElBQUksRUFBRSxFQUFFLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDbkMsV0FBVyxDQUFDLElBQUksQ0FBQyxJQUFJLEVBQUUsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDO0FBQ3pDO0FBQ0E7QUFDQSxVQUFVLElBQUksTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLElBQUksRUFBRTtBQUM5QixZQUFZLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxFQUFFLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsTUFBTSxDQUFDLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3hELFdBQVc7QUFDWCxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxVQUFVLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDN0I7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksVUFBVSxFQUFFLFNBQVMsS0FBSyxFQUFFO0FBQ2hDLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLENBQUMsTUFBTSxHQUFHLENBQUMsRUFBRTtBQUNsQyxRQUFRLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDbEM7QUFDQTtBQUNBLFFBQVEsSUFBSSxJQUFJLENBQUMsS0FBSyxLQUFLLEtBQUssRUFBRTtBQUNsQyxVQUFVLElBQUksQ0FBQyxNQUFNLENBQUMsS0FBSyxFQUFFLENBQUM7QUFDOUIsVUFBVSxJQUFJLENBQUMsVUFBVSxFQUFFLENBQUM7QUFDNUIsU0FBUztBQUNUO0FBQ0E7QUFDQSxRQUFRLElBQUksQ0FBQyxLQUFLLEVBQUU7QUFDcEIsVUFBVSxJQUFJLENBQUMsTUFBTSxFQUFFLENBQUM7QUFDeEIsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksTUFBTSxFQUFFLFNBQVMsS0FBSyxFQUFFO0FBQzVCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxNQUFNLEdBQUcsS0FBSyxDQUFDLE9BQU8sQ0FBQztBQUNqQztBQUNBO0FBQ0E7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLElBQUksQ0FBQyxTQUFTLElBQUksS0FBSyxDQUFDLEtBQUssSUFBSSxDQUFDLEtBQUssQ0FBQyxLQUFLLENBQUMsTUFBTSxJQUFJLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxLQUFLLElBQUksS0FBSyxDQUFDLEtBQUssQ0FBQyxXQUFXLEdBQUcsS0FBSyxDQUFDLEtBQUssRUFBRTtBQUNoSSxRQUFRLFVBQVUsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQyxJQUFJLEVBQUUsS0FBSyxDQUFDLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDdkQsUUFBUSxPQUFPLElBQUksQ0FBQztBQUNwQixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLEdBQUcsQ0FBQyxFQUFFLEtBQUssQ0FBQyxLQUFLLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxNQUFNLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzVEO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxLQUFLLENBQUMsS0FBSyxFQUFFLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUNuQztBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsSUFBSSxDQUFDLFNBQVMsSUFBSSxJQUFJLEVBQUU7QUFDbkMsUUFBUSxJQUFJLENBQUMsSUFBSSxDQUFDLEtBQUssQ0FBQyxHQUFHLEVBQUUsSUFBSSxDQUFDLENBQUMsSUFBSSxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUNuRCxPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsU0FBUyxJQUFJLElBQUksRUFBRTtBQUNsQyxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsTUFBTSxFQUFFLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUN0QyxRQUFRLEtBQUssQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDLE1BQU0sSUFBSSxDQUFDLENBQUM7QUFDeEMsUUFBUSxLQUFLLENBQUMsU0FBUyxHQUFHLENBQUMsQ0FBQztBQUM1QixRQUFRLEtBQUssQ0FBQyxVQUFVLEdBQUcsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUM7QUFDbEQ7QUFDQSxRQUFRLElBQUksT0FBTyxHQUFHLENBQUMsQ0FBQyxLQUFLLENBQUMsS0FBSyxHQUFHLEtBQUssQ0FBQyxNQUFNLElBQUksSUFBSSxJQUFJLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQ3BGLFFBQVEsSUFBSSxDQUFDLFVBQVUsQ0FBQyxLQUFLLENBQUMsR0FBRyxDQUFDLEdBQUcsVUFBVSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsSUFBSSxDQUFDLElBQUksRUFBRSxLQUFLLENBQUMsRUFBRSxPQUFPLENBQUMsQ0FBQztBQUN4RixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsU0FBUyxJQUFJLENBQUMsSUFBSSxFQUFFO0FBQ25DLFFBQVEsS0FBSyxDQUFDLE9BQU8sR0FBRyxJQUFJLENBQUM7QUFDN0IsUUFBUSxLQUFLLENBQUMsTUFBTSxHQUFHLElBQUksQ0FBQztBQUM1QixRQUFRLEtBQUssQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDLE1BQU0sSUFBSSxDQUFDLENBQUM7QUFDeEMsUUFBUSxLQUFLLENBQUMsU0FBUyxHQUFHLENBQUMsQ0FBQztBQUM1QixRQUFRLElBQUksQ0FBQyxXQUFXLENBQUMsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3BDO0FBQ0E7QUFDQSxRQUFRLElBQUksQ0FBQyxZQUFZLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQ3ZDO0FBQ0E7QUFDQSxRQUFRLE1BQU0sQ0FBQyxZQUFZLEVBQUUsQ0FBQztBQUM5QixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLElBQUksQ0FBQyxTQUFTLElBQUksQ0FBQyxJQUFJLEVBQUU7QUFDcEMsUUFBUSxJQUFJLENBQUMsSUFBSSxDQUFDLEtBQUssQ0FBQyxHQUFHLEVBQUUsSUFBSSxDQUFDLENBQUM7QUFDbkMsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxXQUFXLEVBQUUsU0FBUyxFQUFFLEVBQUU7QUFDOUIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQSxNQUFNLElBQUksSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsRUFBRTtBQUMvQjtBQUNBLFFBQVEsSUFBSSxPQUFPLElBQUksQ0FBQyxVQUFVLENBQUMsRUFBRSxDQUFDLEtBQUssVUFBVSxFQUFFO0FBQ3ZELFVBQVUsWUFBWSxDQUFDLElBQUksQ0FBQyxVQUFVLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUM1QyxTQUFTLE1BQU07QUFDZixVQUFVLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxVQUFVLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDMUMsVUFBVSxJQUFJLEtBQUssSUFBSSxLQUFLLENBQUMsS0FBSyxFQUFFO0FBQ3BDLFlBQVksS0FBSyxDQUFDLEtBQUssQ0FBQyxtQkFBbUIsQ0FBQyxPQUFPLEVBQUUsSUFBSSxDQUFDLFVBQVUsQ0FBQyxFQUFFLENBQUMsRUFBRSxLQUFLLENBQUMsQ0FBQztBQUNqRixXQUFXO0FBQ1gsU0FBUztBQUNUO0FBQ0EsUUFBUSxPQUFPLElBQUksQ0FBQyxVQUFVLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDbkMsT0FBTztBQUNQO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxVQUFVLEVBQUUsU0FBUyxFQUFFLEVBQUU7QUFDN0IsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQTtBQUNBLE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ2hELFFBQVEsSUFBSSxFQUFFLEtBQUssSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxHQUFHLEVBQUU7QUFDeEMsVUFBVSxPQUFPLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDakMsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLGNBQWMsRUFBRSxXQUFXO0FBQy9CLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCO0FBQ0EsTUFBTSxJQUFJLENBQUMsTUFBTSxFQUFFLENBQUM7QUFDcEI7QUFDQTtBQUNBLE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ2hELFFBQVEsSUFBSSxJQUFJLENBQUMsT0FBTyxDQUFDLENBQUMsQ0FBQyxDQUFDLE1BQU0sRUFBRTtBQUNwQyxVQUFVLE9BQU8sSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxLQUFLLEVBQUUsQ0FBQztBQUN6QyxTQUFTO0FBQ1QsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLE9BQU8sSUFBSSxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDN0IsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxNQUFNLEVBQUUsV0FBVztBQUN2QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QixNQUFNLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUM7QUFDN0IsTUFBTSxJQUFJLEdBQUcsR0FBRyxDQUFDLENBQUM7QUFDbEIsTUFBTSxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDaEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sR0FBRyxLQUFLLEVBQUU7QUFDdkMsUUFBUSxPQUFPO0FBQ2YsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLEtBQUssQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDNUMsUUFBUSxJQUFJLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUMsTUFBTSxFQUFFO0FBQ3BDLFVBQVUsR0FBRyxFQUFFLENBQUM7QUFDaEIsU0FBUztBQUNULE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxLQUFLLENBQUMsQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sR0FBRyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNqRCxRQUFRLElBQUksR0FBRyxJQUFJLEtBQUssRUFBRTtBQUMxQixVQUFVLE9BQU87QUFDakIsU0FBUztBQUNUO0FBQ0EsUUFBUSxJQUFJLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxDQUFDLENBQUMsTUFBTSxFQUFFO0FBQ3BDO0FBQ0EsVUFBVSxJQUFJLElBQUksQ0FBQyxTQUFTLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxLQUFLLEVBQUU7QUFDdkQsWUFBWSxJQUFJLENBQUMsT0FBTyxDQUFDLENBQUMsQ0FBQyxDQUFDLEtBQUssQ0FBQyxVQUFVLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDaEQsV0FBVztBQUNYO0FBQ0E7QUFDQSxVQUFVLElBQUksQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNwQyxVQUFVLEdBQUcsRUFBRSxDQUFDO0FBQ2hCLFNBQVM7QUFDVCxPQUFPO0FBQ1AsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksWUFBWSxFQUFFLFNBQVMsRUFBRSxFQUFFO0FBQy9CLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCO0FBQ0EsTUFBTSxJQUFJLE9BQU8sRUFBRSxLQUFLLFdBQVcsRUFBRTtBQUNyQyxRQUFRLElBQUksR0FBRyxHQUFHLEVBQUUsQ0FBQztBQUNyQixRQUFRLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNsRCxVQUFVLEdBQUcsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDLENBQUMsQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUN4QyxTQUFTO0FBQ1Q7QUFDQSxRQUFRLE9BQU8sR0FBRyxDQUFDO0FBQ25CLE9BQU8sTUFBTTtBQUNiLFFBQVEsT0FBTyxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3BCLE9BQU87QUFDUCxLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxjQUFjLEVBQUUsU0FBUyxLQUFLLEVBQUU7QUFDcEMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEI7QUFDQTtBQUNBLE1BQU0sS0FBSyxDQUFDLEtBQUssQ0FBQyxZQUFZLEdBQUcsTUFBTSxDQUFDLEdBQUcsQ0FBQyxrQkFBa0IsRUFBRSxDQUFDO0FBQ2pFLE1BQU0sS0FBSyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsTUFBTSxHQUFHLEtBQUssQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDekQ7QUFDQTtBQUNBLE1BQU0sSUFBSSxLQUFLLENBQUMsT0FBTyxFQUFFO0FBQ3pCLFFBQVEsS0FBSyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsT0FBTyxDQUFDLEtBQUssQ0FBQyxPQUFPLENBQUMsQ0FBQztBQUN4RCxPQUFPLE1BQU07QUFDYixRQUFRLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLE9BQU8sQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDdEQsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLElBQUksR0FBRyxLQUFLLENBQUMsS0FBSyxDQUFDO0FBQ2xELE1BQU0sSUFBSSxLQUFLLENBQUMsS0FBSyxFQUFFO0FBQ3ZCLFFBQVEsS0FBSyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsU0FBUyxHQUFHLEtBQUssQ0FBQyxNQUFNLElBQUksQ0FBQyxDQUFDO0FBQy9ELFFBQVEsS0FBSyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsT0FBTyxHQUFHLEtBQUssQ0FBQyxLQUFLLElBQUksQ0FBQyxDQUFDO0FBQzVELE9BQU87QUFDUCxNQUFNLEtBQUssQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLFlBQVksQ0FBQyxjQUFjLENBQUMsS0FBSyxDQUFDLEtBQUssRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQ2hHO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxZQUFZLEVBQUUsU0FBUyxJQUFJLEVBQUU7QUFDakMsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLEtBQUssR0FBRyxNQUFNLENBQUMsVUFBVSxJQUFJLE1BQU0sQ0FBQyxVQUFVLENBQUMsTUFBTSxDQUFDLE9BQU8sQ0FBQyxPQUFPLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDdEY7QUFDQSxNQUFNLElBQUksTUFBTSxDQUFDLGNBQWMsSUFBSSxJQUFJLENBQUMsWUFBWSxFQUFFO0FBQ3RELFFBQVEsSUFBSSxDQUFDLFlBQVksQ0FBQyxPQUFPLEdBQUcsSUFBSSxDQUFDO0FBQ3pDLFFBQVEsSUFBSSxDQUFDLFlBQVksQ0FBQyxVQUFVLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDeEMsUUFBUSxJQUFJLEtBQUssRUFBRTtBQUNuQixVQUFVLElBQUksRUFBRSxJQUFJLENBQUMsWUFBWSxDQUFDLE1BQU0sR0FBRyxNQUFNLENBQUMsY0FBYyxDQUFDLEVBQUUsQ0FBQyxNQUFNLENBQUMsRUFBRSxFQUFFO0FBQy9FLFNBQVM7QUFDVCxPQUFPO0FBQ1AsTUFBTSxJQUFJLENBQUMsWUFBWSxHQUFHLElBQUksQ0FBQztBQUMvQjtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLFdBQVcsRUFBRSxTQUFTLElBQUksRUFBRTtBQUNoQyxNQUFNLElBQUksT0FBTyxHQUFHLGlCQUFpQixDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsVUFBVSxJQUFJLE1BQU0sQ0FBQyxVQUFVLENBQUMsU0FBUyxDQUFDLENBQUM7QUFDN0YsTUFBTSxJQUFJLENBQUMsT0FBTyxFQUFFO0FBQ3BCLFFBQVEsSUFBSSxDQUFDLEdBQUcsR0FBRyx3RkFBd0YsQ0FBQztBQUM1RyxPQUFPO0FBQ1AsS0FBSztBQUNMLEdBQUcsQ0FBQztBQUNKO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksS0FBSyxHQUFHLFNBQVMsSUFBSSxFQUFFO0FBQzdCLElBQUksSUFBSSxDQUFDLE9BQU8sR0FBRyxJQUFJLENBQUM7QUFDeEIsSUFBSSxJQUFJLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDaEIsR0FBRyxDQUFDO0FBQ0osRUFBRSxLQUFLLENBQUMsU0FBUyxHQUFHO0FBQ3BCO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsSUFBSSxJQUFJLEVBQUUsV0FBVztBQUNyQixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QixNQUFNLElBQUksTUFBTSxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUM7QUFDaEM7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLE1BQU0sR0FBRyxNQUFNLENBQUMsTUFBTSxDQUFDO0FBQ2xDLE1BQU0sSUFBSSxDQUFDLEtBQUssR0FBRyxNQUFNLENBQUMsS0FBSyxDQUFDO0FBQ2hDLE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxNQUFNLENBQUMsT0FBTyxDQUFDO0FBQ3BDLE1BQU0sSUFBSSxDQUFDLEtBQUssR0FBRyxNQUFNLENBQUMsS0FBSyxDQUFDO0FBQ2hDLE1BQU0sSUFBSSxDQUFDLEtBQUssR0FBRyxDQUFDLENBQUM7QUFDckIsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLElBQUksQ0FBQztBQUMxQixNQUFNLElBQUksQ0FBQyxNQUFNLEdBQUcsSUFBSSxDQUFDO0FBQ3pCLE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxXQUFXLENBQUM7QUFDakM7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLEdBQUcsR0FBRyxFQUFFLE1BQU0sQ0FBQyxRQUFRLENBQUM7QUFDbkM7QUFDQTtBQUNBLE1BQU0sTUFBTSxDQUFDLE9BQU8sQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDaEM7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLE1BQU0sRUFBRSxDQUFDO0FBQ3BCO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksTUFBTSxFQUFFLFdBQVc7QUFDdkIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLE1BQU0sR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDO0FBQ2hDLE1BQU0sSUFBSSxNQUFNLEdBQUcsQ0FBQyxNQUFNLENBQUMsTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLElBQUksSUFBSSxDQUFDLE9BQU8sQ0FBQyxNQUFNLElBQUksQ0FBQyxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUM7QUFDNUY7QUFDQSxNQUFNLElBQUksTUFBTSxDQUFDLFNBQVMsRUFBRTtBQUM1QjtBQUNBLFFBQVEsSUFBSSxDQUFDLEtBQUssR0FBRyxDQUFDLE9BQU8sTUFBTSxDQUFDLEdBQUcsQ0FBQyxVQUFVLEtBQUssV0FBVyxJQUFJLE1BQU0sQ0FBQyxHQUFHLENBQUMsY0FBYyxFQUFFLEdBQUcsTUFBTSxDQUFDLEdBQUcsQ0FBQyxVQUFVLEVBQUUsQ0FBQztBQUM1SCxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLGNBQWMsQ0FBQyxNQUFNLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUN2RSxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsTUFBTSxHQUFHLElBQUksQ0FBQztBQUNqQyxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxDQUFDLE1BQU0sQ0FBQyxVQUFVLENBQUMsQ0FBQztBQUM5QyxPQUFPLE1BQU0sSUFBSSxDQUFDLE1BQU0sQ0FBQyxPQUFPLEVBQUU7QUFDbEM7QUFDQSxRQUFRLElBQUksQ0FBQyxLQUFLLEdBQUcsTUFBTSxDQUFDLGlCQUFpQixFQUFFLENBQUM7QUFDaEQ7QUFDQTtBQUNBLFFBQVEsSUFBSSxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUMsY0FBYyxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUN2RCxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsZ0JBQWdCLENBQUMsT0FBTyxFQUFFLElBQUksQ0FBQyxRQUFRLEVBQUUsS0FBSyxDQUFDLENBQUM7QUFDbkU7QUFDQTtBQUNBLFFBQVEsSUFBSSxDQUFDLE9BQU8sR0FBRyxJQUFJLENBQUMsYUFBYSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUNyRCxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsZ0JBQWdCLENBQUMsTUFBTSxDQUFDLGFBQWEsRUFBRSxJQUFJLENBQUMsT0FBTyxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQy9FO0FBQ0E7QUFDQTtBQUNBLFFBQVEsSUFBSSxDQUFDLE1BQU0sR0FBRyxJQUFJLENBQUMsWUFBWSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUNuRCxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsZ0JBQWdCLENBQUMsT0FBTyxFQUFFLElBQUksQ0FBQyxNQUFNLEVBQUUsS0FBSyxDQUFDLENBQUM7QUFDakU7QUFDQTtBQUNBLFFBQVEsSUFBSSxDQUFDLEtBQUssQ0FBQyxHQUFHLEdBQUcsTUFBTSxDQUFDLElBQUksQ0FBQztBQUNyQyxRQUFRLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxHQUFHLE1BQU0sQ0FBQyxRQUFRLEtBQUssSUFBSSxHQUFHLE1BQU0sR0FBRyxNQUFNLENBQUMsUUFBUSxDQUFDO0FBQ2pGLFFBQVEsSUFBSSxDQUFDLEtBQUssQ0FBQyxNQUFNLEdBQUcsTUFBTSxHQUFHLE1BQU0sQ0FBQyxNQUFNLEVBQUUsQ0FBQztBQUNyRDtBQUNBO0FBQ0EsUUFBUSxJQUFJLENBQUMsS0FBSyxDQUFDLElBQUksRUFBRSxDQUFDO0FBQzFCLE9BQU87QUFDUDtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLEtBQUssRUFBRSxXQUFXO0FBQ3RCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxNQUFNLEdBQUcsSUFBSSxDQUFDLE9BQU8sQ0FBQztBQUNoQztBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsTUFBTSxHQUFHLE1BQU0sQ0FBQyxNQUFNLENBQUM7QUFDbEMsTUFBTSxJQUFJLENBQUMsS0FBSyxHQUFHLE1BQU0sQ0FBQyxLQUFLLENBQUM7QUFDaEMsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLE1BQU0sQ0FBQyxPQUFPLENBQUM7QUFDcEMsTUFBTSxJQUFJLENBQUMsS0FBSyxHQUFHLE1BQU0sQ0FBQyxLQUFLLENBQUM7QUFDaEMsTUFBTSxJQUFJLENBQUMsS0FBSyxHQUFHLENBQUMsQ0FBQztBQUNyQixNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsQ0FBQyxDQUFDO0FBQ3pCLE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxJQUFJLENBQUM7QUFDMUIsTUFBTSxJQUFJLENBQUMsTUFBTSxHQUFHLElBQUksQ0FBQztBQUN6QixNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsV0FBVyxDQUFDO0FBQ2pDO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxHQUFHLEdBQUcsRUFBRSxNQUFNLENBQUMsUUFBUSxDQUFDO0FBQ25DO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLGNBQWMsRUFBRSxXQUFXO0FBQy9CLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxPQUFPLENBQUMsS0FBSyxDQUFDLFdBQVcsRUFBRSxJQUFJLENBQUMsR0FBRyxFQUFFLElBQUksQ0FBQyxLQUFLLENBQUMsS0FBSyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLElBQUksR0FBRyxDQUFDLENBQUMsQ0FBQztBQUM5RjtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsS0FBSyxDQUFDLG1CQUFtQixDQUFDLE9BQU8sRUFBRSxJQUFJLENBQUMsUUFBUSxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQ3BFLEtBQUs7QUFDTDtBQUNBO0FBQ0E7QUFDQTtBQUNBLElBQUksYUFBYSxFQUFFLFdBQVc7QUFDOUIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLE1BQU0sR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDO0FBQ2hDO0FBQ0E7QUFDQSxNQUFNLE1BQU0sQ0FBQyxTQUFTLEdBQUcsSUFBSSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsS0FBSyxDQUFDLFFBQVEsR0FBRyxFQUFFLENBQUMsR0FBRyxFQUFFLENBQUM7QUFDbEU7QUFDQTtBQUNBLE1BQU0sSUFBSSxNQUFNLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxPQUFPLENBQUMsQ0FBQyxNQUFNLEtBQUssQ0FBQyxFQUFFO0FBQ3BELFFBQVEsTUFBTSxDQUFDLE9BQU8sR0FBRyxDQUFDLFNBQVMsRUFBRSxDQUFDLENBQUMsRUFBRSxNQUFNLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQyxDQUFDLENBQUM7QUFDbkUsT0FBTztBQUNQO0FBQ0EsTUFBTSxJQUFJLE1BQU0sQ0FBQyxNQUFNLEtBQUssUUFBUSxFQUFFO0FBQ3RDLFFBQVEsTUFBTSxDQUFDLE1BQU0sR0FBRyxRQUFRLENBQUM7QUFDakMsUUFBUSxNQUFNLENBQUMsS0FBSyxDQUFDLE1BQU0sQ0FBQyxDQUFDO0FBQzdCLFFBQVEsTUFBTSxDQUFDLFVBQVUsRUFBRSxDQUFDO0FBQzVCLE9BQU87QUFDUDtBQUNBO0FBQ0EsTUFBTSxJQUFJLENBQUMsS0FBSyxDQUFDLG1CQUFtQixDQUFDLE1BQU0sQ0FBQyxhQUFhLEVBQUUsSUFBSSxDQUFDLE9BQU8sRUFBRSxLQUFLLENBQUMsQ0FBQztBQUNoRixLQUFLO0FBQ0w7QUFDQTtBQUNBO0FBQ0E7QUFDQSxJQUFJLFlBQVksRUFBRSxXQUFXO0FBQzdCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCLE1BQU0sSUFBSSxNQUFNLEdBQUcsSUFBSSxDQUFDLE9BQU8sQ0FBQztBQUNoQztBQUNBO0FBQ0EsTUFBTSxJQUFJLE1BQU0sQ0FBQyxTQUFTLEtBQUssUUFBUSxFQUFFO0FBQ3pDO0FBQ0E7QUFDQSxRQUFRLE1BQU0sQ0FBQyxTQUFTLEdBQUcsSUFBSSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsS0FBSyxDQUFDLFFBQVEsR0FBRyxFQUFFLENBQUMsR0FBRyxFQUFFLENBQUM7QUFDcEU7QUFDQTtBQUNBLFFBQVEsSUFBSSxNQUFNLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxDQUFDLENBQUMsS0FBSyxRQUFRLEVBQUU7QUFDdEQsVUFBVSxNQUFNLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxDQUFDLENBQUMsR0FBRyxNQUFNLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQztBQUNoRSxTQUFTO0FBQ1Q7QUFDQTtBQUNBLFFBQVEsTUFBTSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUM1QixPQUFPO0FBQ1A7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLEtBQUssQ0FBQyxtQkFBbUIsQ0FBQyxPQUFPLEVBQUUsSUFBSSxDQUFDLE1BQU0sRUFBRSxLQUFLLENBQUMsQ0FBQztBQUNsRSxLQUFLO0FBQ0wsR0FBRyxDQUFDO0FBQ0o7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksS0FBSyxHQUFHLEVBQUUsQ0FBQztBQUNqQjtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsRUFBRSxJQUFJLFVBQVUsR0FBRyxTQUFTLElBQUksRUFBRTtBQUNsQyxJQUFJLElBQUksR0FBRyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUM7QUFDeEI7QUFDQTtBQUNBLElBQUksSUFBSSxLQUFLLENBQUMsR0FBRyxDQUFDLEVBQUU7QUFDcEI7QUFDQSxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsS0FBSyxDQUFDLEdBQUcsQ0FBQyxDQUFDLFFBQVEsQ0FBQztBQUMzQztBQUNBO0FBQ0EsTUFBTSxTQUFTLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDdEI7QUFDQSxNQUFNLE9BQU87QUFDYixLQUFLO0FBQ0w7QUFDQSxJQUFJLElBQUkscUJBQXFCLENBQUMsSUFBSSxDQUFDLEdBQUcsQ0FBQyxFQUFFO0FBQ3pDO0FBQ0EsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQ3pDLE1BQU0sSUFBSSxRQUFRLEdBQUcsSUFBSSxVQUFVLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDO0FBQ2pELE1BQU0sS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLElBQUksQ0FBQyxNQUFNLEVBQUUsRUFBRSxDQUFDLEVBQUU7QUFDeEMsUUFBUSxRQUFRLENBQUMsQ0FBQyxDQUFDLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN6QyxPQUFPO0FBQ1A7QUFDQSxNQUFNLGVBQWUsQ0FBQyxRQUFRLENBQUMsTUFBTSxFQUFFLElBQUksQ0FBQyxDQUFDO0FBQzdDLEtBQUssTUFBTTtBQUNYO0FBQ0EsTUFBTSxJQUFJLEdBQUcsR0FBRyxJQUFJLGNBQWMsRUFBRSxDQUFDO0FBQ3JDLE1BQU0sR0FBRyxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLE1BQU0sRUFBRSxHQUFHLEVBQUUsSUFBSSxDQUFDLENBQUM7QUFDNUMsTUFBTSxHQUFHLENBQUMsZUFBZSxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsZUFBZSxDQUFDO0FBQ3RELE1BQU0sR0FBRyxDQUFDLFlBQVksR0FBRyxhQUFhLENBQUM7QUFDdkM7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsSUFBSSxDQUFDLE9BQU8sRUFBRTtBQUM3QixRQUFRLE1BQU0sQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxPQUFPLENBQUMsU0FBUyxHQUFHLEVBQUU7QUFDN0QsVUFBVSxHQUFHLENBQUMsZ0JBQWdCLENBQUMsR0FBRyxFQUFFLElBQUksQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUM7QUFDNUQsU0FBUyxDQUFDLENBQUM7QUFDWCxPQUFPO0FBQ1A7QUFDQSxNQUFNLEdBQUcsQ0FBQyxNQUFNLEdBQUcsV0FBVztBQUM5QjtBQUNBLFFBQVEsSUFBSSxJQUFJLEdBQUcsQ0FBQyxHQUFHLENBQUMsTUFBTSxHQUFHLEVBQUUsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUN4QyxRQUFRLElBQUksSUFBSSxLQUFLLEdBQUcsSUFBSSxJQUFJLEtBQUssR0FBRyxJQUFJLElBQUksS0FBSyxHQUFHLEVBQUU7QUFDMUQsVUFBVSxJQUFJLENBQUMsS0FBSyxDQUFDLFdBQVcsRUFBRSxJQUFJLEVBQUUseUNBQXlDLEdBQUcsR0FBRyxDQUFDLE1BQU0sR0FBRyxHQUFHLENBQUMsQ0FBQztBQUN0RyxVQUFVLE9BQU87QUFDakIsU0FBUztBQUNUO0FBQ0EsUUFBUSxlQUFlLENBQUMsR0FBRyxDQUFDLFFBQVEsRUFBRSxJQUFJLENBQUMsQ0FBQztBQUM1QyxPQUFPLENBQUM7QUFDUixNQUFNLEdBQUcsQ0FBQyxPQUFPLEdBQUcsV0FBVztBQUMvQjtBQUNBLFFBQVEsSUFBSSxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQzVCLFVBQVUsSUFBSSxDQUFDLE1BQU0sR0FBRyxJQUFJLENBQUM7QUFDN0IsVUFBVSxJQUFJLENBQUMsU0FBUyxHQUFHLEtBQUssQ0FBQztBQUNqQyxVQUFVLElBQUksQ0FBQyxPQUFPLEdBQUcsRUFBRSxDQUFDO0FBQzVCLFVBQVUsT0FBTyxLQUFLLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDNUIsVUFBVSxJQUFJLENBQUMsSUFBSSxFQUFFLENBQUM7QUFDdEIsU0FBUztBQUNULE9BQU8sQ0FBQztBQUNSLE1BQU0sV0FBVyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3ZCLEtBQUs7QUFDTCxHQUFHLENBQUM7QUFDSjtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsRUFBRSxJQUFJLFdBQVcsR0FBRyxTQUFTLEdBQUcsRUFBRTtBQUNsQyxJQUFJLElBQUk7QUFDUixNQUFNLEdBQUcsQ0FBQyxJQUFJLEVBQUUsQ0FBQztBQUNqQixLQUFLLENBQUMsT0FBTyxDQUFDLEVBQUU7QUFDaEIsTUFBTSxHQUFHLENBQUMsT0FBTyxFQUFFLENBQUM7QUFDcEIsS0FBSztBQUNMLEdBQUcsQ0FBQztBQUNKO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLEVBQUUsSUFBSSxlQUFlLEdBQUcsU0FBUyxXQUFXLEVBQUUsSUFBSSxFQUFFO0FBQ3BEO0FBQ0EsSUFBSSxJQUFJLEtBQUssR0FBRyxXQUFXO0FBQzNCLE1BQU0sSUFBSSxDQUFDLEtBQUssQ0FBQyxXQUFXLEVBQUUsSUFBSSxFQUFFLDZCQUE2QixDQUFDLENBQUM7QUFDbkUsS0FBSyxDQUFDO0FBQ047QUFDQTtBQUNBLElBQUksSUFBSSxPQUFPLEdBQUcsU0FBUyxNQUFNLEVBQUU7QUFDbkMsTUFBTSxJQUFJLE1BQU0sSUFBSSxJQUFJLENBQUMsT0FBTyxDQUFDLE1BQU0sR0FBRyxDQUFDLEVBQUU7QUFDN0MsUUFBUSxLQUFLLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxHQUFHLE1BQU0sQ0FBQztBQUNsQyxRQUFRLFNBQVMsQ0FBQyxJQUFJLEVBQUUsTUFBTSxDQUFDLENBQUM7QUFDaEMsT0FBTyxNQUFNO0FBQ2IsUUFBUSxLQUFLLEVBQUUsQ0FBQztBQUNoQixPQUFPO0FBQ1AsS0FBSyxDQUFDO0FBQ047QUFDQTtBQUNBLElBQUksSUFBSSxPQUFPLE9BQU8sS0FBSyxXQUFXLElBQUksTUFBTSxDQUFDLEdBQUcsQ0FBQyxlQUFlLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUNuRixNQUFNLE1BQU0sQ0FBQyxHQUFHLENBQUMsZUFBZSxDQUFDLFdBQVcsQ0FBQyxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLENBQUM7QUFDekUsS0FBSyxNQUFNO0FBQ1gsTUFBTSxNQUFNLENBQUMsR0FBRyxDQUFDLGVBQWUsQ0FBQyxXQUFXLEVBQUUsT0FBTyxFQUFFLEtBQUssQ0FBQyxDQUFDO0FBQzlELEtBQUs7QUFDTCxJQUFHO0FBQ0g7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsRUFBRSxJQUFJLFNBQVMsR0FBRyxTQUFTLElBQUksRUFBRSxNQUFNLEVBQUU7QUFDekM7QUFDQSxJQUFJLElBQUksTUFBTSxJQUFJLENBQUMsSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUNuQyxNQUFNLElBQUksQ0FBQyxTQUFTLEdBQUcsTUFBTSxDQUFDLFFBQVEsQ0FBQztBQUN2QyxLQUFLO0FBQ0w7QUFDQTtBQUNBLElBQUksSUFBSSxNQUFNLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQyxNQUFNLEtBQUssQ0FBQyxFQUFFO0FBQ2hELE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxDQUFDLFNBQVMsRUFBRSxDQUFDLENBQUMsRUFBRSxJQUFJLENBQUMsU0FBUyxHQUFHLElBQUksQ0FBQyxDQUFDLENBQUM7QUFDN0QsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLEVBQUU7QUFDbEMsTUFBTSxJQUFJLENBQUMsTUFBTSxHQUFHLFFBQVEsQ0FBQztBQUM3QixNQUFNLElBQUksQ0FBQyxLQUFLLENBQUMsTUFBTSxDQUFDLENBQUM7QUFDekIsTUFBTSxJQUFJLENBQUMsVUFBVSxFQUFFLENBQUM7QUFDeEIsS0FBSztBQUNMLEdBQUcsQ0FBQztBQUNKO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsRUFBRSxJQUFJLGlCQUFpQixHQUFHLFdBQVc7QUFDckM7QUFDQSxJQUFJLElBQUksQ0FBQyxNQUFNLENBQUMsYUFBYSxFQUFFO0FBQy9CLE1BQU0sT0FBTztBQUNiLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxJQUFJO0FBQ1IsTUFBTSxJQUFJLE9BQU8sWUFBWSxLQUFLLFdBQVcsRUFBRTtBQUMvQyxRQUFRLE1BQU0sQ0FBQyxHQUFHLEdBQUcsSUFBSSxZQUFZLEVBQUUsQ0FBQztBQUN4QyxPQUFPLE1BQU0sSUFBSSxPQUFPLGtCQUFrQixLQUFLLFdBQVcsRUFBRTtBQUM1RCxRQUFRLE1BQU0sQ0FBQyxHQUFHLEdBQUcsSUFBSSxrQkFBa0IsRUFBRSxDQUFDO0FBQzlDLE9BQU8sTUFBTTtBQUNiLFFBQVEsTUFBTSxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUM7QUFDckMsT0FBTztBQUNQLEtBQUssQ0FBQyxNQUFNLENBQUMsRUFBRTtBQUNmLE1BQU0sTUFBTSxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUM7QUFDbkMsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLElBQUksQ0FBQyxNQUFNLENBQUMsR0FBRyxFQUFFO0FBQ3JCLE1BQU0sTUFBTSxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUM7QUFDbkMsS0FBSztBQUNMO0FBQ0E7QUFDQTtBQUNBLElBQUksSUFBSSxHQUFHLElBQUksZ0JBQWdCLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxVQUFVLElBQUksTUFBTSxDQUFDLFVBQVUsQ0FBQyxRQUFRLENBQUMsQ0FBQyxDQUFDO0FBQ3ZGLElBQUksSUFBSSxVQUFVLEdBQUcsTUFBTSxDQUFDLFVBQVUsSUFBSSxNQUFNLENBQUMsVUFBVSxDQUFDLFVBQVUsQ0FBQyxLQUFLLENBQUMsd0JBQXdCLENBQUMsQ0FBQztBQUN2RyxJQUFJLElBQUksT0FBTyxHQUFHLFVBQVUsR0FBRyxRQUFRLENBQUMsVUFBVSxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxHQUFHLElBQUksQ0FBQztBQUNsRSxJQUFJLElBQUksR0FBRyxJQUFJLE9BQU8sSUFBSSxPQUFPLEdBQUcsQ0FBQyxFQUFFO0FBQ3ZDLE1BQU0sSUFBSSxNQUFNLEdBQUcsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsVUFBVSxJQUFJLE1BQU0sQ0FBQyxVQUFVLENBQUMsU0FBUyxDQUFDLFdBQVcsRUFBRSxDQUFDLENBQUM7QUFDakcsTUFBTSxJQUFJLE1BQU0sQ0FBQyxVQUFVLElBQUksQ0FBQyxNQUFNLEVBQUU7QUFDeEMsUUFBUSxNQUFNLENBQUMsYUFBYSxHQUFHLEtBQUssQ0FBQztBQUNyQyxPQUFPO0FBQ1AsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLElBQUksTUFBTSxDQUFDLGFBQWEsRUFBRTtBQUM5QixNQUFNLE1BQU0sQ0FBQyxVQUFVLEdBQUcsQ0FBQyxPQUFPLE1BQU0sQ0FBQyxHQUFHLENBQUMsVUFBVSxLQUFLLFdBQVcsSUFBSSxNQUFNLENBQUMsR0FBRyxDQUFDLGNBQWMsRUFBRSxHQUFHLE1BQU0sQ0FBQyxHQUFHLENBQUMsVUFBVSxFQUFFLENBQUM7QUFDakksTUFBTSxNQUFNLENBQUMsVUFBVSxDQUFDLElBQUksQ0FBQyxjQUFjLENBQUMsTUFBTSxDQUFDLE1BQU0sR0FBRyxDQUFDLEdBQUcsTUFBTSxDQUFDLE9BQU8sRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQ3hHLE1BQU0sTUFBTSxDQUFDLFVBQVUsQ0FBQyxPQUFPLENBQUMsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUN4RCxLQUFLO0FBQ0w7QUFDQTtBQUNBLElBQUksTUFBTSxDQUFDLE1BQU0sRUFBRSxDQUFDO0FBQ3BCLEdBQUcsQ0FBQztBQVdKO0FBQ0E7QUFDQSxFQUFzQztBQUN0QyxJQUFJLGlCQUFpQixNQUFNLENBQUM7QUFDNUIsSUFBSSxlQUFlLElBQUksQ0FBQztBQUN4QixHQUFHO0FBQ0g7QUFDQTtBQUNBLEVBQUUsSUFBSSxPQUFPQyxjQUFNLEtBQUssV0FBVyxFQUFFO0FBQ3JDLElBQUlBLGNBQU0sQ0FBQyxZQUFZLEdBQUcsWUFBWSxDQUFDO0FBQ3ZDLElBQUlBLGNBQU0sQ0FBQyxNQUFNLEdBQUcsTUFBTSxDQUFDO0FBQzNCLElBQUlBLGNBQU0sQ0FBQyxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3ZCLElBQUlBLGNBQU0sQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDO0FBQ3pCLEdBQUcsTUFBTSxJQUFJLE9BQU8sTUFBTSxLQUFLLFdBQVcsRUFBRTtBQUM1QyxJQUFJLE1BQU0sQ0FBQyxZQUFZLEdBQUcsWUFBWSxDQUFDO0FBQ3ZDLElBQUksTUFBTSxDQUFDLE1BQU0sR0FBRyxNQUFNLENBQUM7QUFDM0IsSUFBSSxNQUFNLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQztBQUN2QixJQUFJLE1BQU0sQ0FBQyxLQUFLLEdBQUcsS0FBSyxDQUFDO0FBQ3pCLEdBQUc7QUFDSCxDQUFDLEdBQUcsQ0FBQztBQUNMO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxDQUFDLFdBQVc7QUFHWjtBQUNBO0FBQ0EsRUFBRSxZQUFZLENBQUMsU0FBUyxDQUFDLElBQUksR0FBRyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDMUMsRUFBRSxZQUFZLENBQUMsU0FBUyxDQUFDLFlBQVksR0FBRyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUM1RDtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLEVBQUUsWUFBWSxDQUFDLFNBQVMsQ0FBQyxNQUFNLEdBQUcsU0FBUyxHQUFHLEVBQUU7QUFDaEQsSUFBSSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDcEI7QUFDQTtBQUNBLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxDQUFDLFFBQVEsRUFBRTtBQUN6QyxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxLQUFLLElBQUksQ0FBQyxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsTUFBTSxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ2hELE1BQU0sSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQyxNQUFNLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDakMsS0FBSztBQUNMO0FBQ0EsSUFBSSxPQUFPLElBQUksQ0FBQztBQUNoQixHQUFHLENBQUM7QUFDSjtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLFlBQVksQ0FBQyxTQUFTLENBQUMsR0FBRyxHQUFHLFNBQVMsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLEVBQUU7QUFDakQsSUFBSSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDcEI7QUFDQTtBQUNBLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxHQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxDQUFDLFFBQVEsRUFBRTtBQUN6QyxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxDQUFDLEdBQUcsQ0FBQyxPQUFPLENBQUMsS0FBSyxRQUFRLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDbkQsSUFBSSxDQUFDLEdBQUcsQ0FBQyxPQUFPLENBQUMsS0FBSyxRQUFRLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDbkQ7QUFDQSxJQUFJLElBQUksT0FBTyxDQUFDLEtBQUssUUFBUSxFQUFFO0FBQy9CLE1BQU0sSUFBSSxDQUFDLElBQUksR0FBRyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDNUI7QUFDQSxNQUFNLElBQUksT0FBTyxJQUFJLENBQUMsR0FBRyxDQUFDLFFBQVEsQ0FBQyxTQUFTLEtBQUssV0FBVyxFQUFFO0FBQzlELFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsU0FBUyxDQUFDLGVBQWUsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxFQUFFLEdBQUcsQ0FBQyxDQUFDO0FBQy9GLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsU0FBUyxDQUFDLGVBQWUsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxFQUFFLEdBQUcsQ0FBQyxDQUFDO0FBQy9GLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsU0FBUyxDQUFDLGVBQWUsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxFQUFFLEdBQUcsQ0FBQyxDQUFDO0FBQy9GLE9BQU8sTUFBTTtBQUNiLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsV0FBVyxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDaEYsT0FBTztBQUNQLEtBQUssTUFBTTtBQUNYLE1BQU0sT0FBTyxJQUFJLENBQUMsSUFBSSxDQUFDO0FBQ3ZCLEtBQUs7QUFDTDtBQUNBLElBQUksT0FBTyxJQUFJLENBQUM7QUFDaEIsR0FBRyxDQUFDO0FBQ0o7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsRUFBRSxZQUFZLENBQUMsU0FBUyxDQUFDLFdBQVcsR0FBRyxTQUFTLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLEdBQUcsRUFBRSxHQUFHLEVBQUUsR0FBRyxFQUFFO0FBQ3hFLElBQUksSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3BCO0FBQ0E7QUFDQSxJQUFJLElBQUksQ0FBQyxJQUFJLENBQUMsR0FBRyxJQUFJLENBQUMsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLEVBQUU7QUFDekMsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBLElBQUksSUFBSSxFQUFFLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQztBQUMvQixJQUFJLENBQUMsR0FBRyxDQUFDLE9BQU8sQ0FBQyxLQUFLLFFBQVEsSUFBSSxFQUFFLENBQUMsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzVDLElBQUksQ0FBQyxHQUFHLENBQUMsT0FBTyxDQUFDLEtBQUssUUFBUSxJQUFJLEVBQUUsQ0FBQyxDQUFDLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDNUMsSUFBSSxHQUFHLEdBQUcsQ0FBQyxPQUFPLEdBQUcsS0FBSyxRQUFRLElBQUksRUFBRSxDQUFDLENBQUMsQ0FBQyxHQUFHLEdBQUcsQ0FBQztBQUNsRCxJQUFJLEdBQUcsR0FBRyxDQUFDLE9BQU8sR0FBRyxLQUFLLFFBQVEsSUFBSSxFQUFFLENBQUMsQ0FBQyxDQUFDLEdBQUcsR0FBRyxDQUFDO0FBQ2xELElBQUksR0FBRyxHQUFHLENBQUMsT0FBTyxHQUFHLEtBQUssUUFBUSxJQUFJLEVBQUUsQ0FBQyxDQUFDLENBQUMsR0FBRyxHQUFHLENBQUM7QUFDbEQ7QUFDQSxJQUFJLElBQUksT0FBTyxDQUFDLEtBQUssUUFBUSxFQUFFO0FBQy9CLE1BQU0sSUFBSSxDQUFDLFlBQVksR0FBRyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLEdBQUcsRUFBRSxHQUFHLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDbkQ7QUFDQSxNQUFNLElBQUksT0FBTyxJQUFJLENBQUMsR0FBRyxDQUFDLFFBQVEsQ0FBQyxRQUFRLEtBQUssV0FBVyxFQUFFO0FBQzdELFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsUUFBUSxDQUFDLGVBQWUsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDbkYsUUFBUSxJQUFJLENBQUMsR0FBRyxDQUFDLFFBQVEsQ0FBQyxRQUFRLENBQUMsZUFBZSxDQUFDLENBQUMsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsRUFBRSxHQUFHLENBQUMsQ0FBQztBQUNuRixRQUFRLElBQUksQ0FBQyxHQUFHLENBQUMsUUFBUSxDQUFDLFFBQVEsQ0FBQyxlQUFlLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxFQUFFLEdBQUcsQ0FBQyxDQUFDO0FBQ25GLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsR0FBRyxDQUFDLGVBQWUsQ0FBQyxHQUFHLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDaEYsUUFBUSxJQUFJLENBQUMsR0FBRyxDQUFDLFFBQVEsQ0FBQyxHQUFHLENBQUMsZUFBZSxDQUFDLEdBQUcsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsRUFBRSxHQUFHLENBQUMsQ0FBQztBQUNoRixRQUFRLElBQUksQ0FBQyxHQUFHLENBQUMsUUFBUSxDQUFDLEdBQUcsQ0FBQyxlQUFlLENBQUMsR0FBRyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxFQUFFLEdBQUcsQ0FBQyxDQUFDO0FBQ2hGLE9BQU8sTUFBTTtBQUNiLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxRQUFRLENBQUMsY0FBYyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLEdBQUcsRUFBRSxHQUFHLEVBQUUsR0FBRyxDQUFDLENBQUM7QUFDakUsT0FBTztBQUNQLEtBQUssTUFBTTtBQUNYLE1BQU0sT0FBTyxFQUFFLENBQUM7QUFDaEIsS0FBSztBQUNMO0FBQ0EsSUFBSSxPQUFPLElBQUksQ0FBQztBQUNoQixHQUFHLENBQUM7QUFDSjtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsSUFBSSxHQUFHLENBQUMsU0FBUyxNQUFNLEVBQUU7QUFDMUMsSUFBSSxPQUFPLFNBQVMsQ0FBQyxFQUFFO0FBQ3ZCLE1BQU0sSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3RCO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxZQUFZLEdBQUcsQ0FBQyxDQUFDLFdBQVcsSUFBSSxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDckQsTUFBTSxJQUFJLENBQUMsT0FBTyxHQUFHLENBQUMsQ0FBQyxNQUFNLElBQUksSUFBSSxDQUFDO0FBQ3RDLE1BQU0sSUFBSSxDQUFDLElBQUksR0FBRyxDQUFDLENBQUMsR0FBRyxJQUFJLElBQUksQ0FBQztBQUNoQyxNQUFNLElBQUksQ0FBQyxXQUFXLEdBQUc7QUFDekIsUUFBUSxjQUFjLEVBQUUsT0FBTyxDQUFDLENBQUMsY0FBYyxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsY0FBYyxHQUFHLEdBQUc7QUFDeEYsUUFBUSxjQUFjLEVBQUUsT0FBTyxDQUFDLENBQUMsY0FBYyxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsY0FBYyxHQUFHLEdBQUc7QUFDeEYsUUFBUSxhQUFhLEVBQUUsT0FBTyxDQUFDLENBQUMsYUFBYSxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsYUFBYSxHQUFHLENBQUM7QUFDbkYsUUFBUSxhQUFhLEVBQUUsT0FBTyxDQUFDLENBQUMsYUFBYSxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsYUFBYSxHQUFHLFNBQVM7QUFDM0YsUUFBUSxXQUFXLEVBQUUsT0FBTyxDQUFDLENBQUMsV0FBVyxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsV0FBVyxHQUFHLEtBQUs7QUFDakYsUUFBUSxZQUFZLEVBQUUsT0FBTyxDQUFDLENBQUMsWUFBWSxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsWUFBWSxHQUFHLE1BQU07QUFDckYsUUFBUSxXQUFXLEVBQUUsT0FBTyxDQUFDLENBQUMsV0FBVyxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsV0FBVyxHQUFHLENBQUM7QUFDN0UsUUFBUSxhQUFhLEVBQUUsT0FBTyxDQUFDLENBQUMsYUFBYSxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsYUFBYSxHQUFHLENBQUM7QUFDbkYsT0FBTyxDQUFDO0FBQ1I7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLFNBQVMsR0FBRyxDQUFDLENBQUMsUUFBUSxHQUFHLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDLFFBQVEsQ0FBQyxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQzVELE1BQU0sSUFBSSxDQUFDLE1BQU0sR0FBRyxDQUFDLENBQUMsS0FBSyxHQUFHLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDLEtBQUssQ0FBQyxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQ25ELE1BQU0sSUFBSSxDQUFDLGNBQWMsR0FBRyxDQUFDLENBQUMsYUFBYSxHQUFHLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDLGFBQWEsQ0FBQyxDQUFDLEdBQUcsRUFBRSxDQUFDO0FBQzNFO0FBQ0E7QUFDQSxNQUFNLE9BQU8sTUFBTSxDQUFDLElBQUksQ0FBQyxJQUFJLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDbEMsS0FBSyxDQUFDO0FBQ04sR0FBRyxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDMUI7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsTUFBTSxHQUFHLFNBQVMsR0FBRyxFQUFFLEVBQUUsRUFBRTtBQUM1QyxJQUFJLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUNwQjtBQUNBO0FBQ0EsSUFBSSxJQUFJLENBQUMsSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUN6QixNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssUUFBUSxFQUFFO0FBQ2xDLE1BQU0sSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUM7QUFDdkIsUUFBUSxLQUFLLEVBQUUsUUFBUTtBQUN2QixRQUFRLE1BQU0sRUFBRSxXQUFXO0FBQzNCLFVBQVUsSUFBSSxDQUFDLE1BQU0sQ0FBQyxHQUFHLEVBQUUsRUFBRSxDQUFDLENBQUM7QUFDL0IsU0FBUztBQUNULE9BQU8sQ0FBQyxDQUFDO0FBQ1Q7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxJQUFJLFVBQVUsR0FBRyxDQUFDLE9BQU8sTUFBTSxDQUFDLEdBQUcsQ0FBQyxrQkFBa0IsS0FBSyxXQUFXLElBQUksU0FBUyxHQUFHLFFBQVEsQ0FBQztBQUNuRztBQUNBO0FBQ0EsSUFBSSxJQUFJLE9BQU8sRUFBRSxLQUFLLFdBQVcsRUFBRTtBQUNuQztBQUNBLE1BQU0sSUFBSSxPQUFPLEdBQUcsS0FBSyxRQUFRLEVBQUU7QUFDbkMsUUFBUSxJQUFJLENBQUMsT0FBTyxHQUFHLEdBQUcsQ0FBQztBQUMzQixRQUFRLElBQUksQ0FBQyxJQUFJLEdBQUcsQ0FBQyxHQUFHLEVBQUUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDO0FBQ2hDLE9BQU8sTUFBTTtBQUNiLFFBQVEsT0FBTyxJQUFJLENBQUMsT0FBTyxDQUFDO0FBQzVCLE9BQU87QUFDUCxLQUFLO0FBQ0w7QUFDQTtBQUNBLElBQUksSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUNwQyxJQUFJLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3JDO0FBQ0EsTUFBTSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzFDO0FBQ0EsTUFBTSxJQUFJLEtBQUssRUFBRTtBQUNqQixRQUFRLElBQUksT0FBTyxHQUFHLEtBQUssUUFBUSxFQUFFO0FBQ3JDLFVBQVUsS0FBSyxDQUFDLE9BQU8sR0FBRyxHQUFHLENBQUM7QUFDOUIsVUFBVSxLQUFLLENBQUMsSUFBSSxHQUFHLENBQUMsR0FBRyxFQUFFLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNuQztBQUNBLFVBQVUsSUFBSSxLQUFLLENBQUMsS0FBSyxFQUFFO0FBQzNCO0FBQ0EsWUFBWSxLQUFLLENBQUMsV0FBVyxDQUFDLFlBQVksR0FBRyxZQUFZLENBQUM7QUFDMUQ7QUFDQTtBQUNBLFlBQVksSUFBSSxDQUFDLEtBQUssQ0FBQyxPQUFPLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxDQUFDLEdBQUcsRUFBRTtBQUN0RCxjQUFjLFdBQVcsQ0FBQyxLQUFLLEVBQUUsVUFBVSxDQUFDLENBQUM7QUFDN0MsYUFBYTtBQUNiO0FBQ0EsWUFBWSxJQUFJLFVBQVUsS0FBSyxTQUFTLEVBQUU7QUFDMUMsY0FBYyxJQUFJLE9BQU8sS0FBSyxDQUFDLE9BQU8sQ0FBQyxTQUFTLEtBQUssV0FBVyxFQUFFO0FBQ2xFLGdCQUFnQixLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxjQUFjLENBQUMsR0FBRyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDcEYsZ0JBQWdCLEtBQUssQ0FBQyxPQUFPLENBQUMsU0FBUyxDQUFDLGNBQWMsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUNsRixnQkFBZ0IsS0FBSyxDQUFDLE9BQU8sQ0FBQyxTQUFTLENBQUMsY0FBYyxDQUFDLENBQUMsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQ2xGLGVBQWUsTUFBTTtBQUNyQixnQkFBZ0IsS0FBSyxDQUFDLE9BQU8sQ0FBQyxXQUFXLENBQUMsR0FBRyxFQUFFLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNyRCxlQUFlO0FBQ2YsYUFBYSxNQUFNO0FBQ25CLGNBQWMsS0FBSyxDQUFDLE9BQU8sQ0FBQyxHQUFHLENBQUMsY0FBYyxDQUFDLEdBQUcsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQzVFLGFBQWE7QUFDYixXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksQ0FBQyxLQUFLLENBQUMsUUFBUSxFQUFFLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUMxQyxTQUFTLE1BQU07QUFDZixVQUFVLE9BQU8sS0FBSyxDQUFDLE9BQU8sQ0FBQztBQUMvQixTQUFTO0FBQ1QsT0FBTztBQUNQLEtBQUs7QUFDTDtBQUNBLElBQUksT0FBTyxJQUFJLENBQUM7QUFDaEIsR0FBRyxDQUFDO0FBQ0o7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0EsRUFBRSxJQUFJLENBQUMsU0FBUyxDQUFDLEdBQUcsR0FBRyxTQUFTLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLEVBQUUsRUFBRTtBQUM3QyxJQUFJLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUNwQjtBQUNBO0FBQ0EsSUFBSSxJQUFJLENBQUMsSUFBSSxDQUFDLFNBQVMsRUFBRTtBQUN6QixNQUFNLE9BQU8sSUFBSSxDQUFDO0FBQ2xCLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssUUFBUSxFQUFFO0FBQ2xDLE1BQU0sSUFBSSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUM7QUFDdkIsUUFBUSxLQUFLLEVBQUUsS0FBSztBQUNwQixRQUFRLE1BQU0sRUFBRSxXQUFXO0FBQzNCLFVBQVUsSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsRUFBRSxFQUFFLENBQUMsQ0FBQztBQUNoQyxTQUFTO0FBQ1QsT0FBTyxDQUFDLENBQUM7QUFDVDtBQUNBLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLENBQUMsR0FBRyxDQUFDLE9BQU8sQ0FBQyxLQUFLLFFBQVEsSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3hDLElBQUksQ0FBQyxHQUFHLENBQUMsT0FBTyxDQUFDLEtBQUssUUFBUSxJQUFJLENBQUMsR0FBRyxHQUFHLENBQUMsQ0FBQztBQUMzQztBQUNBO0FBQ0EsSUFBSSxJQUFJLE9BQU8sRUFBRSxLQUFLLFdBQVcsRUFBRTtBQUNuQztBQUNBLE1BQU0sSUFBSSxPQUFPLENBQUMsS0FBSyxRQUFRLEVBQUU7QUFDakMsUUFBUSxJQUFJLENBQUMsSUFBSSxHQUFHLENBQUMsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUM5QixPQUFPLE1BQU07QUFDYixRQUFRLE9BQU8sSUFBSSxDQUFDLElBQUksQ0FBQztBQUN6QixPQUFPO0FBQ1AsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLElBQUksR0FBRyxHQUFHLElBQUksQ0FBQyxZQUFZLENBQUMsRUFBRSxDQUFDLENBQUM7QUFDcEMsSUFBSSxLQUFLLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxDQUFDLENBQUMsR0FBRyxDQUFDLE1BQU0sRUFBRSxDQUFDLEVBQUUsRUFBRTtBQUNyQztBQUNBLE1BQU0sSUFBSSxLQUFLLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUMxQztBQUNBLE1BQU0sSUFBSSxLQUFLLEVBQUU7QUFDakIsUUFBUSxJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVEsRUFBRTtBQUNuQyxVQUFVLEtBQUssQ0FBQyxJQUFJLEdBQUcsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDO0FBQ2pDO0FBQ0EsVUFBVSxJQUFJLEtBQUssQ0FBQyxLQUFLLEVBQUU7QUFDM0I7QUFDQSxZQUFZLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxJQUFJLEtBQUssQ0FBQyxPQUFPLENBQUMsR0FBRyxFQUFFO0FBQ3JELGNBQWMsV0FBVyxDQUFDLEtBQUssRUFBRSxTQUFTLENBQUMsQ0FBQztBQUM1QyxhQUFhO0FBQ2I7QUFDQSxZQUFZLElBQUksT0FBTyxLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsS0FBSyxXQUFXLEVBQUU7QUFDaEUsY0FBYyxLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxjQUFjLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDaEYsY0FBYyxLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxjQUFjLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDaEYsY0FBYyxLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxjQUFjLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDaEYsYUFBYSxNQUFNO0FBQ25CLGNBQWMsS0FBSyxDQUFDLE9BQU8sQ0FBQyxXQUFXLENBQUMsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLENBQUMsQ0FBQztBQUNqRCxhQUFhO0FBQ2IsV0FBVztBQUNYO0FBQ0EsVUFBVSxJQUFJLENBQUMsS0FBSyxDQUFDLEtBQUssRUFBRSxLQUFLLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDdkMsU0FBUyxNQUFNO0FBQ2YsVUFBVSxPQUFPLEtBQUssQ0FBQyxJQUFJLENBQUM7QUFDNUIsU0FBUztBQUNULE9BQU87QUFDUCxLQUFLO0FBQ0w7QUFDQSxJQUFJLE9BQU8sSUFBSSxDQUFDO0FBQ2hCLEdBQUcsQ0FBQztBQUNKO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsV0FBVyxHQUFHLFNBQVMsQ0FBQyxFQUFFLENBQUMsRUFBRSxDQUFDLEVBQUUsRUFBRSxFQUFFO0FBQ3JELElBQUksSUFBSSxJQUFJLEdBQUcsSUFBSSxDQUFDO0FBQ3BCO0FBQ0E7QUFDQSxJQUFJLElBQUksQ0FBQyxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQ3pCLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxRQUFRLEVBQUU7QUFDbEMsTUFBTSxJQUFJLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQztBQUN2QixRQUFRLEtBQUssRUFBRSxhQUFhO0FBQzVCLFFBQVEsTUFBTSxFQUFFLFdBQVc7QUFDM0IsVUFBVSxJQUFJLENBQUMsV0FBVyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDO0FBQ3hDLFNBQVM7QUFDVCxPQUFPLENBQUMsQ0FBQztBQUNUO0FBQ0EsTUFBTSxPQUFPLElBQUksQ0FBQztBQUNsQixLQUFLO0FBQ0w7QUFDQTtBQUNBLElBQUksQ0FBQyxHQUFHLENBQUMsT0FBTyxDQUFDLEtBQUssUUFBUSxJQUFJLElBQUksQ0FBQyxZQUFZLENBQUMsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzNELElBQUksQ0FBQyxHQUFHLENBQUMsT0FBTyxDQUFDLEtBQUssUUFBUSxJQUFJLElBQUksQ0FBQyxZQUFZLENBQUMsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQzNEO0FBQ0E7QUFDQSxJQUFJLElBQUksT0FBTyxFQUFFLEtBQUssV0FBVyxFQUFFO0FBQ25DO0FBQ0EsTUFBTSxJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVEsRUFBRTtBQUNqQyxRQUFRLElBQUksQ0FBQyxZQUFZLEdBQUcsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDO0FBQ3RDLE9BQU8sTUFBTTtBQUNiLFFBQVEsT0FBTyxJQUFJLENBQUMsWUFBWSxDQUFDO0FBQ2pDLE9BQU87QUFDUCxLQUFLO0FBQ0w7QUFDQTtBQUNBLElBQUksSUFBSSxHQUFHLEdBQUcsSUFBSSxDQUFDLFlBQVksQ0FBQyxFQUFFLENBQUMsQ0FBQztBQUNwQyxJQUFJLEtBQUssSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLENBQUMsQ0FBQyxHQUFHLENBQUMsTUFBTSxFQUFFLENBQUMsRUFBRSxFQUFFO0FBQ3JDO0FBQ0EsTUFBTSxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQzFDO0FBQ0EsTUFBTSxJQUFJLEtBQUssRUFBRTtBQUNqQixRQUFRLElBQUksT0FBTyxDQUFDLEtBQUssUUFBUSxFQUFFO0FBQ25DLFVBQVUsS0FBSyxDQUFDLFlBQVksR0FBRyxDQUFDLENBQUMsRUFBRSxDQUFDLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDekM7QUFDQSxVQUFVLElBQUksS0FBSyxDQUFDLEtBQUssRUFBRTtBQUMzQjtBQUNBLFlBQVksSUFBSSxDQUFDLEtBQUssQ0FBQyxPQUFPLEVBQUU7QUFDaEM7QUFDQSxjQUFjLElBQUksQ0FBQyxLQUFLLENBQUMsSUFBSSxFQUFFO0FBQy9CLGdCQUFnQixLQUFLLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQyxJQUFJLElBQUksQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDdkQsZUFBZTtBQUNmO0FBQ0EsY0FBYyxXQUFXLENBQUMsS0FBSyxFQUFFLFNBQVMsQ0FBQyxDQUFDO0FBQzVDLGFBQWE7QUFDYjtBQUNBLFlBQVksSUFBSSxPQUFPLEtBQUssQ0FBQyxPQUFPLENBQUMsWUFBWSxLQUFLLFdBQVcsRUFBRTtBQUNuRSxjQUFjLEtBQUssQ0FBQyxPQUFPLENBQUMsWUFBWSxDQUFDLGNBQWMsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUNuRixjQUFjLEtBQUssQ0FBQyxPQUFPLENBQUMsWUFBWSxDQUFDLGNBQWMsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUNuRixjQUFjLEtBQUssQ0FBQyxPQUFPLENBQUMsWUFBWSxDQUFDLGNBQWMsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUNuRixhQUFhLE1BQU07QUFDbkIsY0FBYyxLQUFLLENBQUMsT0FBTyxDQUFDLGNBQWMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsQ0FBQyxDQUFDO0FBQ3BELGFBQWE7QUFDYixXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksQ0FBQyxLQUFLLENBQUMsYUFBYSxFQUFFLEtBQUssQ0FBQyxHQUFHLENBQUMsQ0FBQztBQUMvQyxTQUFTLE1BQU07QUFDZixVQUFVLE9BQU8sS0FBSyxDQUFDLFlBQVksQ0FBQztBQUNwQyxTQUFTO0FBQ1QsT0FBTztBQUNQLEtBQUs7QUFDTDtBQUNBLElBQUksT0FBTyxJQUFJLENBQUM7QUFDaEIsR0FBRyxDQUFDO0FBQ0o7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksQ0FBQyxTQUFTLENBQUMsVUFBVSxHQUFHLFdBQVc7QUFDekMsSUFBSSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDcEIsSUFBSSxJQUFJLElBQUksR0FBRyxTQUFTLENBQUM7QUFDekIsSUFBSSxJQUFJLENBQUMsRUFBRSxFQUFFLEVBQUUsS0FBSyxDQUFDO0FBQ3JCO0FBQ0E7QUFDQSxJQUFJLElBQUksQ0FBQyxJQUFJLENBQUMsU0FBUyxFQUFFO0FBQ3pCLE1BQU0sT0FBTyxJQUFJLENBQUM7QUFDbEIsS0FBSztBQUNMO0FBQ0E7QUFDQSxJQUFJLElBQUksSUFBSSxDQUFDLE1BQU0sS0FBSyxDQUFDLEVBQUU7QUFDM0I7QUFDQSxNQUFNLE9BQU8sSUFBSSxDQUFDLFdBQVcsQ0FBQztBQUM5QixLQUFLLE1BQU0sSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLENBQUMsRUFBRTtBQUNsQyxNQUFNLElBQUksT0FBTyxJQUFJLENBQUMsQ0FBQyxDQUFDLEtBQUssUUFBUSxFQUFFO0FBQ3ZDLFFBQVEsQ0FBQyxHQUFHLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNwQjtBQUNBO0FBQ0EsUUFBUSxJQUFJLE9BQU8sRUFBRSxLQUFLLFdBQVcsRUFBRTtBQUN2QyxVQUFVLElBQUksQ0FBQyxDQUFDLENBQUMsVUFBVSxFQUFFO0FBQzdCLFlBQVksQ0FBQyxDQUFDLFVBQVUsR0FBRztBQUMzQixjQUFjLGNBQWMsRUFBRSxDQUFDLENBQUMsY0FBYztBQUM5QyxjQUFjLGNBQWMsRUFBRSxDQUFDLENBQUMsY0FBYztBQUM5QyxjQUFjLGFBQWEsRUFBRSxDQUFDLENBQUMsYUFBYTtBQUM1QyxjQUFjLGFBQWEsRUFBRSxDQUFDLENBQUMsYUFBYTtBQUM1QyxjQUFjLFdBQVcsRUFBRSxDQUFDLENBQUMsV0FBVztBQUN4QyxjQUFjLFdBQVcsRUFBRSxDQUFDLENBQUMsV0FBVztBQUN4QyxjQUFjLGFBQWEsRUFBRSxDQUFDLENBQUMsYUFBYTtBQUM1QyxjQUFjLFlBQVksRUFBRSxDQUFDLENBQUMsWUFBWTtBQUMxQyxhQUFhLENBQUM7QUFDZCxXQUFXO0FBQ1g7QUFDQSxVQUFVLElBQUksQ0FBQyxXQUFXLEdBQUc7QUFDN0IsWUFBWSxjQUFjLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLGNBQWMsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxjQUFjLEdBQUcsSUFBSSxDQUFDLGVBQWU7QUFDbkksWUFBWSxjQUFjLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLGNBQWMsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxjQUFjLEdBQUcsSUFBSSxDQUFDLGVBQWU7QUFDbkksWUFBWSxhQUFhLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLGFBQWEsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxhQUFhLEdBQUcsSUFBSSxDQUFDLGNBQWM7QUFDL0gsWUFBWSxhQUFhLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLGFBQWEsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxhQUFhLEdBQUcsSUFBSSxDQUFDLGNBQWM7QUFDL0gsWUFBWSxXQUFXLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLFdBQVcsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxXQUFXLEdBQUcsSUFBSSxDQUFDLFlBQVk7QUFDdkgsWUFBWSxXQUFXLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLFdBQVcsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxXQUFXLEdBQUcsSUFBSSxDQUFDLFlBQVk7QUFDdkgsWUFBWSxhQUFhLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLGFBQWEsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxhQUFhLEdBQUcsSUFBSSxDQUFDLGNBQWM7QUFDL0gsWUFBWSxZQUFZLEVBQUUsT0FBTyxDQUFDLENBQUMsVUFBVSxDQUFDLFlBQVksS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxZQUFZLEdBQUcsSUFBSSxDQUFDLGFBQWE7QUFDM0gsV0FBVyxDQUFDO0FBQ1osU0FBUztBQUNULE9BQU8sTUFBTTtBQUNiO0FBQ0EsUUFBUSxLQUFLLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDLENBQUM7QUFDdkQsUUFBUSxPQUFPLEtBQUssR0FBRyxLQUFLLENBQUMsV0FBVyxHQUFHLElBQUksQ0FBQyxXQUFXLENBQUM7QUFDNUQsT0FBTztBQUNQLEtBQUssTUFBTSxJQUFJLElBQUksQ0FBQyxNQUFNLEtBQUssQ0FBQyxFQUFFO0FBQ2xDLE1BQU0sQ0FBQyxHQUFHLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUNsQixNQUFNLEVBQUUsR0FBRyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDO0FBQ2pDLEtBQUs7QUFDTDtBQUNBO0FBQ0EsSUFBSSxJQUFJLEdBQUcsR0FBRyxJQUFJLENBQUMsWUFBWSxDQUFDLEVBQUUsQ0FBQyxDQUFDO0FBQ3BDLElBQUksS0FBSyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsQ0FBQyxDQUFDLEdBQUcsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxFQUFFLEVBQUU7QUFDckMsTUFBTSxLQUFLLEdBQUcsSUFBSSxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQyxDQUFDLENBQUMsQ0FBQztBQUN0QztBQUNBLE1BQU0sSUFBSSxLQUFLLEVBQUU7QUFDakI7QUFDQSxRQUFRLElBQUksRUFBRSxHQUFHLEtBQUssQ0FBQyxXQUFXLENBQUM7QUFDbkMsUUFBUSxFQUFFLEdBQUc7QUFDYixVQUFVLGNBQWMsRUFBRSxPQUFPLENBQUMsQ0FBQyxjQUFjLEtBQUssV0FBVyxHQUFHLENBQUMsQ0FBQyxjQUFjLEdBQUcsRUFBRSxDQUFDLGNBQWM7QUFDeEcsVUFBVSxjQUFjLEVBQUUsT0FBTyxDQUFDLENBQUMsY0FBYyxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsY0FBYyxHQUFHLEVBQUUsQ0FBQyxjQUFjO0FBQ3hHLFVBQVUsYUFBYSxFQUFFLE9BQU8sQ0FBQyxDQUFDLGFBQWEsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLGFBQWEsR0FBRyxFQUFFLENBQUMsYUFBYTtBQUNwRyxVQUFVLGFBQWEsRUFBRSxPQUFPLENBQUMsQ0FBQyxhQUFhLEtBQUssV0FBVyxHQUFHLENBQUMsQ0FBQyxhQUFhLEdBQUcsRUFBRSxDQUFDLGFBQWE7QUFDcEcsVUFBVSxXQUFXLEVBQUUsT0FBTyxDQUFDLENBQUMsV0FBVyxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsV0FBVyxHQUFHLEVBQUUsQ0FBQyxXQUFXO0FBQzVGLFVBQVUsV0FBVyxFQUFFLE9BQU8sQ0FBQyxDQUFDLFdBQVcsS0FBSyxXQUFXLEdBQUcsQ0FBQyxDQUFDLFdBQVcsR0FBRyxFQUFFLENBQUMsV0FBVztBQUM1RixVQUFVLGFBQWEsRUFBRSxPQUFPLENBQUMsQ0FBQyxhQUFhLEtBQUssV0FBVyxHQUFHLENBQUMsQ0FBQyxhQUFhLEdBQUcsRUFBRSxDQUFDLGFBQWE7QUFDcEcsVUFBVSxZQUFZLEVBQUUsT0FBTyxDQUFDLENBQUMsWUFBWSxLQUFLLFdBQVcsR0FBRyxDQUFDLENBQUMsWUFBWSxHQUFHLEVBQUUsQ0FBQyxZQUFZO0FBQ2hHLFNBQVMsQ0FBQztBQUNWO0FBQ0E7QUFDQSxRQUFRLElBQUksTUFBTSxHQUFHLEtBQUssQ0FBQyxPQUFPLENBQUM7QUFDbkMsUUFBUSxJQUFJLE1BQU0sRUFBRTtBQUNwQixVQUFVLE1BQU0sQ0FBQyxjQUFjLEdBQUcsRUFBRSxDQUFDLGNBQWMsQ0FBQztBQUNwRCxVQUFVLE1BQU0sQ0FBQyxjQUFjLEdBQUcsRUFBRSxDQUFDLGNBQWMsQ0FBQztBQUNwRCxVQUFVLE1BQU0sQ0FBQyxhQUFhLEdBQUcsRUFBRSxDQUFDLGFBQWEsQ0FBQztBQUNsRCxVQUFVLE1BQU0sQ0FBQyxhQUFhLEdBQUcsRUFBRSxDQUFDLGFBQWEsQ0FBQztBQUNsRCxVQUFVLE1BQU0sQ0FBQyxXQUFXLEdBQUcsRUFBRSxDQUFDLFdBQVcsQ0FBQztBQUM5QyxVQUFVLE1BQU0sQ0FBQyxXQUFXLEdBQUcsRUFBRSxDQUFDLFdBQVcsQ0FBQztBQUM5QyxVQUFVLE1BQU0sQ0FBQyxhQUFhLEdBQUcsRUFBRSxDQUFDLGFBQWEsQ0FBQztBQUNsRCxVQUFVLE1BQU0sQ0FBQyxZQUFZLEdBQUcsRUFBRSxDQUFDLFlBQVksQ0FBQztBQUNoRCxTQUFTLE1BQU07QUFDZjtBQUNBLFVBQVUsSUFBSSxDQUFDLEtBQUssQ0FBQyxJQUFJLEVBQUU7QUFDM0IsWUFBWSxLQUFLLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQyxJQUFJLElBQUksQ0FBQyxDQUFDLEVBQUUsQ0FBQyxFQUFFLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDbkQsV0FBVztBQUNYO0FBQ0E7QUFDQSxVQUFVLFdBQVcsQ0FBQyxLQUFLLEVBQUUsU0FBUyxDQUFDLENBQUM7QUFDeEMsU0FBUztBQUNULE9BQU87QUFDUCxLQUFLO0FBQ0w7QUFDQSxJQUFJLE9BQU8sSUFBSSxDQUFDO0FBQ2hCLEdBQUcsQ0FBQztBQUNKO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBLEVBQUUsS0FBSyxDQUFDLFNBQVMsQ0FBQyxJQUFJLEdBQUcsQ0FBQyxTQUFTLE1BQU0sRUFBRTtBQUMzQyxJQUFJLE9BQU8sV0FBVztBQUN0QixNQUFNLElBQUksSUFBSSxHQUFHLElBQUksQ0FBQztBQUN0QixNQUFNLElBQUksTUFBTSxHQUFHLElBQUksQ0FBQyxPQUFPLENBQUM7QUFDaEM7QUFDQTtBQUNBLE1BQU0sSUFBSSxDQUFDLFlBQVksR0FBRyxNQUFNLENBQUMsWUFBWSxDQUFDO0FBQzlDLE1BQU0sSUFBSSxDQUFDLE9BQU8sR0FBRyxNQUFNLENBQUMsT0FBTyxDQUFDO0FBQ3BDLE1BQU0sSUFBSSxDQUFDLElBQUksR0FBRyxNQUFNLENBQUMsSUFBSSxDQUFDO0FBQzlCLE1BQU0sSUFBSSxDQUFDLFdBQVcsR0FBRyxNQUFNLENBQUMsV0FBVyxDQUFDO0FBQzVDO0FBQ0E7QUFDQSxNQUFNLE1BQU0sQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDeEI7QUFDQTtBQUNBLE1BQU0sSUFBSSxJQUFJLENBQUMsT0FBTyxFQUFFO0FBQ3hCLFFBQVEsTUFBTSxDQUFDLE1BQU0sQ0FBQyxJQUFJLENBQUMsT0FBTyxDQUFDLENBQUM7QUFDcEMsT0FBTyxNQUFNLElBQUksSUFBSSxDQUFDLElBQUksRUFBRTtBQUM1QixRQUFRLE1BQU0sQ0FBQyxHQUFHLENBQUMsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsSUFBSSxDQUFDLEdBQUcsQ0FBQyxDQUFDO0FBQ3ZFLE9BQU87QUFDUCxLQUFLLENBQUM7QUFDTixHQUFHLEVBQUUsS0FBSyxDQUFDLFNBQVMsQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUMzQjtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLEtBQUssQ0FBQyxTQUFTLENBQUMsS0FBSyxHQUFHLENBQUMsU0FBUyxNQUFNLEVBQUU7QUFDNUMsSUFBSSxPQUFPLFdBQVc7QUFDdEIsTUFBTSxJQUFJLElBQUksR0FBRyxJQUFJLENBQUM7QUFDdEIsTUFBTSxJQUFJLE1BQU0sR0FBRyxJQUFJLENBQUMsT0FBTyxDQUFDO0FBQ2hDO0FBQ0E7QUFDQSxNQUFNLElBQUksQ0FBQyxZQUFZLEdBQUcsTUFBTSxDQUFDLFlBQVksQ0FBQztBQUM5QyxNQUFNLElBQUksQ0FBQyxPQUFPLEdBQUcsTUFBTSxDQUFDLE9BQU8sQ0FBQztBQUNwQyxNQUFNLElBQUksQ0FBQyxJQUFJLEdBQUcsTUFBTSxDQUFDLElBQUksQ0FBQztBQUM5QixNQUFNLElBQUksQ0FBQyxXQUFXLEdBQUcsTUFBTSxDQUFDLFdBQVcsQ0FBQztBQUM1QztBQUNBO0FBQ0EsTUFBTSxJQUFJLElBQUksQ0FBQyxPQUFPLEVBQUU7QUFDeEIsUUFBUSxNQUFNLENBQUMsTUFBTSxDQUFDLElBQUksQ0FBQyxPQUFPLENBQUMsQ0FBQztBQUNwQyxPQUFPLE1BQU0sSUFBSSxJQUFJLENBQUMsSUFBSSxFQUFFO0FBQzVCLFFBQVEsTUFBTSxDQUFDLEdBQUcsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsSUFBSSxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUM7QUFDdkUsT0FBTyxNQUFNLElBQUksSUFBSSxDQUFDLE9BQU8sRUFBRTtBQUMvQjtBQUNBLFFBQVEsSUFBSSxDQUFDLE9BQU8sQ0FBQyxVQUFVLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDbkMsUUFBUSxJQUFJLENBQUMsT0FBTyxHQUFHLFNBQVMsQ0FBQztBQUNqQyxRQUFRLE1BQU0sQ0FBQyxjQUFjLENBQUMsSUFBSSxDQUFDLENBQUM7QUFDcEMsT0FBTztBQUNQO0FBQ0E7QUFDQSxNQUFNLE9BQU8sTUFBTSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQztBQUMvQixLQUFLLENBQUM7QUFDTixHQUFHLEVBQUUsS0FBSyxDQUFDLFNBQVMsQ0FBQyxLQUFLLENBQUMsQ0FBQztBQUM1QjtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQTtBQUNBO0FBQ0E7QUFDQSxFQUFFLElBQUksV0FBVyxHQUFHLFNBQVMsS0FBSyxFQUFFLElBQUksRUFBRTtBQUMxQyxJQUFJLElBQUksR0FBRyxJQUFJLElBQUksU0FBUyxDQUFDO0FBQzdCO0FBQ0E7QUFDQSxJQUFJLElBQUksSUFBSSxLQUFLLFNBQVMsRUFBRTtBQUM1QixNQUFNLEtBQUssQ0FBQyxPQUFPLEdBQUcsTUFBTSxDQUFDLEdBQUcsQ0FBQyxZQUFZLEVBQUUsQ0FBQztBQUNoRCxNQUFNLEtBQUssQ0FBQyxPQUFPLENBQUMsY0FBYyxHQUFHLEtBQUssQ0FBQyxXQUFXLENBQUMsY0FBYyxDQUFDO0FBQ3RFLE1BQU0sS0FBSyxDQUFDLE9BQU8sQ0FBQyxjQUFjLEdBQUcsS0FBSyxDQUFDLFdBQVcsQ0FBQyxjQUFjLENBQUM7QUFDdEUsTUFBTSxLQUFLLENBQUMsT0FBTyxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUMsV0FBVyxDQUFDLGFBQWEsQ0FBQztBQUNwRSxNQUFNLEtBQUssQ0FBQyxPQUFPLENBQUMsYUFBYSxHQUFHLEtBQUssQ0FBQyxXQUFXLENBQUMsYUFBYSxDQUFDO0FBQ3BFLE1BQU0sS0FBSyxDQUFDLE9BQU8sQ0FBQyxXQUFXLEdBQUcsS0FBSyxDQUFDLFdBQVcsQ0FBQyxXQUFXLENBQUM7QUFDaEUsTUFBTSxLQUFLLENBQUMsT0FBTyxDQUFDLFdBQVcsR0FBRyxLQUFLLENBQUMsV0FBVyxDQUFDLFdBQVcsQ0FBQztBQUNoRSxNQUFNLEtBQUssQ0FBQyxPQUFPLENBQUMsYUFBYSxHQUFHLEtBQUssQ0FBQyxXQUFXLENBQUMsYUFBYSxDQUFDO0FBQ3BFLE1BQU0sS0FBSyxDQUFDLE9BQU8sQ0FBQyxZQUFZLEdBQUcsS0FBSyxDQUFDLFdBQVcsQ0FBQyxZQUFZLENBQUM7QUFDbEU7QUFDQSxNQUFNLElBQUksT0FBTyxLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsS0FBSyxXQUFXLEVBQUU7QUFDMUQsUUFBUSxLQUFLLENBQUMsT0FBTyxDQUFDLFNBQVMsQ0FBQyxjQUFjLENBQUMsS0FBSyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQ3RGLFFBQVEsS0FBSyxDQUFDLE9BQU8sQ0FBQyxTQUFTLENBQUMsY0FBYyxDQUFDLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUN0RixRQUFRLEtBQUssQ0FBQyxPQUFPLENBQUMsU0FBUyxDQUFDLGNBQWMsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDdEYsT0FBTyxNQUFNO0FBQ2IsUUFBUSxLQUFLLENBQUMsT0FBTyxDQUFDLFdBQVcsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUMsQ0FBQyxFQUFFLEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQyxDQUFDLEVBQUUsS0FBSyxDQUFDLElBQUksQ0FBQyxDQUFDLENBQUMsQ0FBQyxDQUFDO0FBQy9FLE9BQU87QUFDUDtBQUNBLE1BQU0sSUFBSSxPQUFPLEtBQUssQ0FBQyxPQUFPLENBQUMsWUFBWSxLQUFLLFdBQVcsRUFBRTtBQUM3RCxRQUFRLEtBQUssQ0FBQyxPQUFPLENBQUMsWUFBWSxDQUFDLGNBQWMsQ0FBQyxLQUFLLENBQUMsWUFBWSxDQUFDLENBQUMsQ0FBQyxFQUFFLE1BQU0sQ0FBQyxHQUFHLENBQUMsV0FBVyxDQUFDLENBQUM7QUFDakcsUUFBUSxLQUFLLENBQUMsT0FBTyxDQUFDLFlBQVksQ0FBQyxjQUFjLENBQUMsS0FBSyxDQUFDLFlBQVksQ0FBQyxDQUFDLENBQUMsRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQ2pHLFFBQVEsS0FBSyxDQUFDLE9BQU8sQ0FBQyxZQUFZLENBQUMsY0FBYyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsQ0FBQyxDQUFDLEVBQUUsTUFBTSxDQUFDLEdBQUcsQ0FBQyxXQUFXLENBQUMsQ0FBQztBQUNqRyxPQUFPLE1BQU07QUFDYixRQUFRLEtBQUssQ0FBQyxPQUFPLENBQUMsY0FBYyxDQUFDLEtBQUssQ0FBQyxZQUFZLENBQUMsQ0FBQyxDQUFDLEVBQUUsS0FBSyxDQUFDLFlBQVksQ0FBQyxDQUFDLENBQUMsRUFBRSxLQUFLLENBQUMsWUFBWSxDQUFDLENBQUMsQ0FBQyxDQUFDLENBQUM7QUFDMUcsT0FBTztBQUNQLEtBQUssTUFBTTtBQUNYLE1BQU0sS0FBSyxDQUFDLE9BQU8sR0FBRyxNQUFNLENBQUMsR0FBRyxDQUFDLGtCQUFrQixFQUFFLENBQUM7QUFDdEQsTUFBTSxLQUFLLENBQUMsT0FBTyxDQUFDLEdBQUcsQ0FBQyxjQUFjLENBQUMsS0FBSyxDQUFDLE9BQU8sRUFBRSxNQUFNLENBQUMsR0FBRyxDQUFDLFdBQVcsQ0FBQyxDQUFDO0FBQzlFLEtBQUs7QUFDTDtBQUNBLElBQUksS0FBSyxDQUFDLE9BQU8sQ0FBQyxPQUFPLENBQUMsS0FBSyxDQUFDLEtBQUssQ0FBQyxDQUFDO0FBQ3ZDO0FBQ0E7QUFDQSxJQUFJLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxFQUFFO0FBQ3hCLE1BQU0sS0FBSyxDQUFDLE9BQU8sQ0FBQyxLQUFLLENBQUMsS0FBSyxDQUFDLEdBQUcsRUFBRSxJQUFJLENBQUMsQ0FBQyxJQUFJLENBQUMsS0FBSyxDQUFDLEdBQUcsRUFBRSxJQUFJLENBQUMsQ0FBQztBQUNqRSxLQUFLO0FBQ0wsR0FBRyxDQUFDO0FBQ0osQ0FBQyxHQUFHOzs7QUN6cUdKLGVBQWU7O0FDQWYsZUFBZTs7QUNPZjtNQUNhLFFBQVMsU0FBUUMscUJBQVk7SUFXeEMsWUFBWSxJQUFtQixFQUFFLFFBQTBCO1FBQ3pELEtBQUssQ0FBQyxJQUFJLENBQUMsQ0FBQztRQUNaLElBQUksQ0FBQyxRQUFRLEdBQUcsUUFBUSxDQUFDO1FBRXpCLElBQUksQ0FBQyxVQUFVLEdBQUcsSUFBSUMsV0FBSSxDQUFDLEVBQUUsR0FBRyxFQUFFLENBQUMsUUFBUSxDQUFDLEVBQUUsSUFBSSxFQUFFLEtBQUssRUFBRSxPQUFPLEVBQUUsSUFBSSxFQUFFLENBQUMsQ0FBQztRQUM1RSxJQUFJLENBQUMsVUFBVSxHQUFHLElBQUlBLFdBQUksQ0FBQyxFQUFFLEdBQUcsRUFBRSxDQUFDLFFBQVEsQ0FBQyxFQUFFLElBQUksRUFBRSxJQUFJLEVBQUUsT0FBTyxFQUFFLElBQUksRUFBRSxDQUFDLENBQUM7O1FBRTNFLElBQUksQ0FBQyxTQUFTLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxTQUFTLENBQUMsRUFBRSxHQUFHLEVBQUUsbUJBQW1CLEVBQUUsSUFBSSxFQUFFLEVBQUUsT0FBTyxFQUFFLGVBQWUsRUFBRSxFQUFFLENBQUMsQ0FBQzs7UUFFNUcsSUFBSSxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLFNBQVMsQ0FBQyxFQUFFLEdBQUcsRUFBRSxrQkFBa0IsRUFBRSxJQUFJLEVBQUUsRUFBRSxPQUFPLEVBQUUsZ0JBQWdCLEVBQUUsRUFBRSxDQUFDLENBQUM7O1FBRTNHLElBQUksQ0FBQyxNQUFNLEdBQUcsVUFBVSxDQUFDLFlBQVksQ0FBQyxJQUFJLENBQUMsUUFBUSxDQUFDLFFBQVEsQ0FBQyxVQUFVLEVBQUUsRUFBRSxHQUFHLEVBQUUsZ0JBQWdCLEVBQUUsQ0FBQyxFQUFFO1lBQ25HLFdBQVcsRUFBRyxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQWEsQ0FBQyxTQUFTLENBQUMsZ0JBQWdCLENBQUM7WUFDaEUsWUFBWSxFQUFHLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBYSxDQUFDLFNBQVMsQ0FBQyxVQUFVLENBQUM7WUFDM0QsY0FBYyxFQUFFLElBQUk7WUFDcEIsTUFBTSxFQUFFLFNBQVM7WUFDakIsS0FBSyxFQUFFLFVBQVU7U0FDbEIsQ0FBQyxDQUFDO0tBQ0o7SUFFRCxNQUFNOztRQUVKLElBQUksQ0FBQyxNQUFNLENBQUMsRUFBRSxDQUFDLFFBQVEsRUFBRTtZQUN2QixJQUFJLENBQUMsV0FBVyxFQUFFLENBQUM7U0FDcEIsQ0FBQyxDQUFDOztRQUdILElBQUksQ0FBQyxnQkFBZ0IsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLGVBQWUsRUFBRSwwQ0FBMEMsRUFBRSxDQUFDLEdBQUcsS0FBSyxJQUFJLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxFQUFFLEVBQUUsQ0FBQyxDQUFDOztRQUd2SSxJQUFJLGVBQWUsR0FBSSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQWEsQ0FBQyxTQUFTLENBQUMsaUJBQWlCLENBQUMsQ0FBQztRQUMzRSxJQUFJLENBQUMsUUFBUSxpQ0FBTSxJQUFJLENBQUMsUUFBUSxFQUFFLEtBQUUsSUFBSSxFQUFFLGVBQWUsS0FBSSxFQUFFLENBQUMsQ0FBQztLQUNsRTtJQUVELFFBQVE7UUFDTixPQUFPLEtBQUssQ0FBQyxRQUFRLEVBQUUsQ0FBQztLQUN6QjtJQUVELFFBQVEsQ0FBQyxLQUFVLEVBQUUsTUFBdUI7O1FBRTFDLE9BQU8sS0FBSyxDQUFDLFFBQVEsQ0FBQyxLQUFLLEVBQUUsTUFBTSxDQUFDLENBQUMsSUFBSSxDQUFDO1lBQ3hDLElBQUksS0FBSyxDQUFDLElBQUk7Z0JBQUUsSUFBSSxDQUFDLFVBQVUsQ0FBQyxLQUFLLENBQUMsSUFBSSxDQUFDLENBQUM7U0FDN0MsQ0FBQyxDQUFDO0tBQ0o7O0lBR0QsVUFBVSxDQUFDLEdBQXNDO1FBQy9DLElBQUksSUFBSSxHQUFHLEdBQUcsQ0FBQzs7UUFFZixJQUFJLENBQUMsSUFBSSxJQUFJLElBQUksWUFBWSxVQUFVO1lBQUUsSUFBSSxHQUFHLElBQUksQ0FBQyxXQUFXLEtBQUssUUFBUSxHQUFHLFNBQVMsR0FBRyxRQUFRLENBQUM7UUFFckcsSUFBSSxHQUFHLFlBQVksVUFBVSxFQUFFO1lBQzdCLElBQUlDLGVBQU0sQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLEVBQUU7Z0JBQzFCLElBQUksQ0FBQyxHQUFHLENBQUMsU0FBUyxDQUFDLGFBQWEsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLENBQUMsSUFBSSxDQUFDOztvQkFDL0MsTUFBTSxTQUFTLEdBQUcsTUFBQSxJQUFJLENBQUMsR0FBRyxDQUFDLFNBQVMsQ0FBQyxVQUFVLDBDQUFFLFlBQVksRUFBRSxDQUFDO29CQUNoRSxJQUFJLFNBQVMsRUFBRTt3QkFDYixTQUFTLENBQUMsS0FBSyxtQ0FBUSxTQUFTLENBQUMsS0FBSyxLQUFFLElBQUksRUFBRSxJQUFJLEdBQUUsQ0FBQzt3QkFDckQsTUFBQSxJQUFJLENBQUMsR0FBRyxDQUFDLFNBQVMsQ0FBQyxVQUFVLDBDQUFFLFlBQVksQ0FBQyxTQUFTLENBQUMsQ0FBQztxQkFDeEQ7aUJBQ0YsQ0FBQyxDQUFDO2FBQ0o7aUJBQ0k7Z0JBQ0gsSUFBSSxDQUFDLFFBQVEsaUNBQU0sSUFBSSxDQUFDLFFBQVEsRUFBRSxLQUFFLElBQUksRUFBRSxJQUFJLEtBQUksRUFBRSxDQUFDLENBQUM7YUFDdkQ7U0FDRjthQUNJOztZQUVILElBQUksSUFBSSxLQUFLLFNBQVMsRUFBRTtnQkFDdEIsSUFBSSxDQUFDLFdBQVcsR0FBRyxTQUFTLENBQUM7Z0JBQzdCQyxnQkFBTyxDQUFDLElBQUksQ0FBQyxnQkFBZ0IsRUFBRSxRQUFRLENBQUMsQ0FBQztnQkFDekMsSUFBSSxDQUFDLGdCQUFnQixDQUFDLFlBQVksQ0FBQyxZQUFZLEVBQUUsdUNBQXVDLENBQUMsQ0FBQztnQkFFMUYsSUFBSSxDQUFDLGFBQWEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLENBQUM7Z0JBQ2hDLElBQUksQ0FBQyxTQUFTLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsT0FBTyxDQUFDLENBQUM7Z0JBQ3JELElBQUksQ0FBQyxRQUFRLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsTUFBTSxDQUFDLENBQUM7YUFDcEQ7O2lCQUVJO2dCQUNILElBQUksQ0FBQyxXQUFXLEdBQUcsUUFBUSxDQUFDO2dCQUM1QkEsZ0JBQU8sQ0FBQyxJQUFJLENBQUMsZ0JBQWdCLEVBQUUsZUFBZSxDQUFDLENBQUM7Z0JBQ2hELElBQUksQ0FBQyxnQkFBZ0IsQ0FBQyxZQUFZLENBQUMsWUFBWSxFQUFFLDBDQUEwQyxDQUFDLENBQUM7Z0JBRTdGLElBQUksQ0FBQyxTQUFTLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsTUFBTSxDQUFDLENBQUM7Z0JBQ3BELElBQUksQ0FBQyxRQUFRLENBQUMsS0FBSyxDQUFDLFdBQVcsQ0FBQyxTQUFTLEVBQUUsT0FBTyxDQUFDLENBQUM7Z0JBQ3BELElBQUksQ0FBQyxNQUFNLENBQUMsT0FBTyxFQUFFLENBQUM7YUFDdkI7U0FDRjtLQUNGOztJQUdELFdBQVc7UUFDVCxJQUFJLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxFQUFFLENBQUM7O1FBRW5DLElBQUksQ0FBQyxNQUFNLEdBQUcsSUFBSUMsZUFBTSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQztRQUNwQyxPQUFPLElBQUksQ0FBQyxJQUFJLENBQUM7S0FDbEI7O0lBR0ssV0FBVyxDQUFDLElBQVksRUFBRSxLQUFjOztZQUM1QyxJQUFJLENBQUMsSUFBSSxHQUFHLElBQUksQ0FBQztZQUVqQixJQUFJLEtBQUssRUFBRTtnQkFDVCxJQUFJLENBQUMsTUFBTSxDQUFDLE9BQU8sQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLElBQUksRUFBRSxhQUFhLENBQUMsQ0FBQyxDQUFBO2dCQUN4RCxJQUFJLENBQUMsTUFBTSxDQUFDLFlBQVksRUFBRSxDQUFDO2FBQzVCO1lBRUQsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUM7WUFDM0IsSUFBSSxDQUFDLE1BQU0sR0FBRyxJQUFJQSxlQUFNLENBQUMsSUFBSSxDQUFDLENBQUM7O1lBRS9CLElBQUksSUFBSSxDQUFDLFdBQVcsS0FBSyxTQUFTO2dCQUFFLElBQUksQ0FBQyxhQUFhLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDO1NBQ3JFO0tBQUE7O0lBR0QsS0FBSztRQUNILElBQUksQ0FBQyxTQUFTLENBQUMsS0FBSyxFQUFFLENBQUM7UUFDdkIsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsRUFBRSxDQUFDLENBQUM7UUFDekIsSUFBSSxDQUFDLE1BQU0sQ0FBQyxZQUFZLEVBQUUsQ0FBQztRQUMzQixJQUFJLENBQUMsTUFBTSxHQUFHLElBQUlBLGVBQU0sRUFBRSxDQUFDO1FBQzNCLElBQUksQ0FBQyxJQUFJLEdBQUcsSUFBSSxDQUFDO0tBQ2xCO0lBRUQsY0FBYztRQUNaLElBQUksSUFBSSxDQUFDLElBQUk7WUFBRSxPQUFPLElBQUksQ0FBQyxJQUFJLENBQUMsUUFBUSxDQUFDOztZQUNwQyxPQUFPLG9CQUFvQixDQUFDO0tBQ2xDO0lBRUQsa0JBQWtCLENBQUMsU0FBaUI7UUFDbEMsT0FBTyxTQUFTLElBQUksTUFBTSxDQUFDO0tBQzVCO0lBRUQsV0FBVztRQUNULE9BQU8sTUFBTSxDQUFDO0tBQ2Y7O0lBR0QsUUFBUTtRQUNOLElBQUksQ0FBQyxNQUFNLENBQUMsT0FBTyxFQUFFLENBQUM7S0FDdkI7O0lBR0QsT0FBTztRQUNMLE9BQU8sZUFBZSxDQUFDO0tBQ3hCOztJQUdELGFBQWEsQ0FBQyxNQUFjOztRQUcxQixJQUFJLENBQUMsU0FBUyxDQUFDLEtBQUssRUFBRSxDQUFDOztRQUd2QixJQUFJLENBQUMsTUFBTTtZQUFFLE9BQU87UUFFcEIsSUFBRyxJQUFJLENBQUMsUUFBUSxDQUFDLFVBQVUsRUFBRTs7O1lBRzNCLE1BQU0sVUFBVSxHQUFZLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxNQUFNLENBQUMsQ0FBQyxJQUFJLENBQUMsQ0FBQyxZQUFZQyxjQUFLLE1BQU0sQ0FBQyxDQUFDLFFBQVEsSUFBSSxJQUFJLENBQUMsSUFBSSxDQUFDLFFBQVEsSUFBSSxDQUFDLENBQUMsUUFBUSxDQUFDLFVBQVUsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLFFBQVEsR0FBRyxHQUFHLENBQUMsQ0FBQyxJQUFJLENBQUMsQ0FBQyxJQUFJLElBQUksSUFBSSxDQUFDLElBQUksQ0FBQyxJQUFJLENBQVksQ0FBQztZQUN4TixVQUFVLENBQUMsT0FBTyxDQUFDLENBQUM7O2dCQUVsQixJQUFJLENBQUMsQ0FBQyxTQUFTLElBQUksS0FBSyxJQUFJLENBQUMsQ0FBQyxTQUFTLElBQUksTUFBTSxJQUFJLENBQUMsQ0FBQyxTQUFTLElBQUksS0FBSyxJQUFJLENBQUMsQ0FBQyxTQUFTLElBQUksS0FBSyxFQUFFOztvQkFFakcsSUFBSSxDQUFDLENBQUMsUUFBUSxJQUFJLElBQUksQ0FBQyxJQUFJLENBQUMsUUFBUTt3QkFBRSxNQUFNLENBQUMsS0FBSyxHQUFHLENBQUMsQ0FBQzt5QkFDbEQ7d0JBQ0gsTUFBTSxLQUFLLEdBQUcsQ0FBQyxDQUFDLFFBQVEsQ0FBQyxLQUFLLENBQUMsR0FBRyxDQUFDLENBQUM7O3dCQUVwQyxJQUFJLENBQVEsQ0FBQzt3QkFDYixJQUFJLEtBQUssQ0FBQyxNQUFNLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQyxHQUFHLFFBQVEsQ0FBQyxLQUFLLENBQUMsQ0FBQyxDQUFDLENBQUMsS0FBSyxDQUFDLElBQUksQ0FBQyxHQUFHLE1BQU0sQ0FBQyxLQUFLLENBQUMsTUFBTSxFQUFFOzRCQUNqRixNQUFNLENBQUMsS0FBSyxDQUFDLENBQUMsQ0FBQyxDQUFDLEtBQUssR0FBRyxDQUFDLENBQUM7eUJBQzNCO3FCQUNGO2lCQUNGO2FBQ0YsQ0FBQyxDQUFBOztZQUdGLElBQUksTUFBTSxDQUFDLEtBQUssRUFBRTtnQkFDaEIsTUFBTSxHQUFHLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsS0FBSyxFQUFFLEVBQUUsR0FBRyxFQUFFLFlBQVksRUFBRSxDQUFDLENBQUM7Z0JBQ2xFLEdBQUcsQ0FBQyxHQUFHLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLENBQUMsZUFBZSxDQUFDLE1BQU0sQ0FBQyxLQUFLLENBQUMsQ0FBQzthQUN4RDtTQUNGO1FBRUQsSUFBRyxJQUFJLENBQUMsUUFBUSxDQUFDLGtCQUFrQixFQUFFOztZQUVuQyxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxHQUFHLEVBQUUsb0JBQW9CLEVBQUUsSUFBSSxFQUFFLGFBQWEsRUFBRSxDQUFDLENBQUM7O1lBR2xGLE1BQU0sRUFBRSxHQUFHLElBQUksQ0FBQyxTQUFTLENBQUMsUUFBUSxDQUFDLElBQUksRUFBRSxFQUFFLEdBQUcsRUFBRSxhQUFhLEVBQUUsQ0FBQyxDQUFDO1lBQ2pFLE1BQU0sQ0FBQyxXQUFXLENBQUMsT0FBTyxDQUFDLFVBQVU7Z0JBQ25DLE1BQU0sRUFBRSxHQUFHLEVBQUUsQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUM7Z0JBQzdCLElBQUksVUFBVSxDQUFDLE1BQU0sS0FBSyxJQUFJLEVBQUU7b0JBQzlCLEVBQUUsQ0FBQyxRQUFRLENBQUMsTUFBTSxFQUFFLEVBQUUsR0FBRyxFQUFFLFFBQVEsRUFBRSxJQUFJLEVBQUUsVUFBVSxDQUFDLE1BQU0sRUFBQyxDQUFDLENBQUM7b0JBQy9ELEVBQUUsQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLENBQUM7aUJBQ3BCO2dCQUNELElBQUksVUFBVSxDQUFDLEtBQUssS0FBSyxJQUFJLEVBQUU7b0JBQzdCLEVBQUUsQ0FBQyxRQUFRLENBQUMsTUFBTSxFQUFFLEVBQUUsR0FBRyxFQUFFLE1BQU0sRUFBRSxJQUFJLEVBQUUsVUFBVSxDQUFDLEtBQUssRUFBQyxDQUFDLENBQUM7b0JBQzVELEVBQUUsQ0FBQyxVQUFVLENBQUMsR0FBRyxDQUFDLENBQUM7aUJBQ3BCO2dCQUVELEVBQUUsQ0FBQyxVQUFVLENBQUMsVUFBVSxDQUFDLElBQUksQ0FBQyxDQUFDO2FBQ2hDLENBQUMsQ0FBQTtTQUNIO1FBRUQsSUFBRyxJQUFJLENBQUMsUUFBUSxDQUFDLGdCQUFnQixFQUFFOztZQUVqQyxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxHQUFHLEVBQUUsaUJBQWlCLEVBQUUsSUFBSSxFQUFFLFVBQVUsRUFBRSxDQUFDLENBQUM7O1lBRzVFLE1BQU0sRUFBRSxHQUFHLElBQUksQ0FBQyxTQUFTLENBQUMsUUFBUSxDQUFDLElBQUksRUFBRSxFQUFFLEdBQUcsRUFBRSxVQUFVLEVBQUUsQ0FBQyxDQUFDO1lBQzlELE1BQU0sQ0FBQyxRQUFRLENBQUMsT0FBTyxDQUFDLElBQUk7Z0JBQzFCLEVBQUUsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsSUFBSSxFQUFFLElBQUksQ0FBQyxJQUFJLEVBQUUsQ0FBQyxDQUFDO2FBQ3hDLENBQUMsQ0FBQTtTQUNIO1FBRUQsSUFBSSxJQUFJLENBQUMsUUFBUSxDQUFDLGNBQWMsRUFBRTs7WUFFaEMsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsR0FBRyxFQUFFLGVBQWUsRUFBRSxJQUFJLEVBQUUsUUFBUSxFQUFFLENBQUMsQ0FBQzs7WUFHeEUsTUFBTSxFQUFFLEdBQUcsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsR0FBRyxFQUFFLFFBQVEsRUFBRSxDQUFDLENBQUM7WUFDNUQsTUFBTSxDQUFDLE1BQU0sQ0FBQyxPQUFPLENBQUMsSUFBSTtnQkFDeEIsTUFBTSxFQUFFLEdBQUcsRUFBRSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsQ0FBQztnQkFDN0IsTUFBTSxDQUFDLEdBQUcsRUFBRSxDQUFDLFFBQVEsQ0FBQyxHQUFHLEVBQUUsRUFBRSxHQUFHLEVBQUUsT0FBTyxFQUFFLElBQUksRUFBRSxFQUFFLFlBQVksRUFBRSxJQUFJLENBQUMsT0FBTyxFQUFFLEVBQUUsQ0FBQyxDQUFBO2dCQUNsRixJQUFJLElBQUksQ0FBQyxJQUFJLEVBQUU7b0JBQ2IsQ0FBQyxDQUFDLFFBQVEsQ0FBQyxNQUFNLEVBQUUsRUFBRSxHQUFHLEVBQUUsWUFBWSxFQUFFLElBQUksRUFBRSxJQUFJLENBQUMsSUFBSSxFQUFFLENBQUMsQ0FBQTtvQkFDMUQsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQztpQkFDbkI7Z0JBQ0QsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQTtnQkFDakIsSUFBSSxJQUFJLENBQUMsTUFBTSxLQUFLLElBQUksRUFBRTtvQkFDeEIsQ0FBQyxDQUFDLFFBQVEsQ0FBQyxNQUFNLEVBQUUsRUFBRSxHQUFHLEVBQUUsUUFBUSxFQUFFLElBQUksRUFBRSxJQUFJLENBQUMsTUFBTSxFQUFFLENBQUMsQ0FBQztvQkFDekQsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQztpQkFDbkI7Z0JBQ0QsSUFBSSxJQUFJLENBQUMsS0FBSyxLQUFLLElBQUksRUFBRTtvQkFDdkIsQ0FBQyxDQUFDLFFBQVEsQ0FBQyxNQUFNLEVBQUUsRUFBRSxHQUFHLEVBQUUsTUFBTSxFQUFFLElBQUksRUFBRSxJQUFJLENBQUMsS0FBSyxFQUFFLENBQUMsQ0FBQztpQkFDdkQ7Z0JBQ0QsQ0FBQyxDQUFDLFVBQVUsQ0FBQyxHQUFHLENBQUMsQ0FBQTtnQkFFakIsQ0FBQyxDQUFDLGdCQUFnQixDQUFDLE9BQU8sRUFBRSxDQUFDLEVBQUU7O29CQUU3QixNQUFNLFlBQVksR0FBVyxVQUFVLENBQUMsQ0FBQyxDQUFDLE9BQU8sQ0FBQyxLQUFLLENBQUMsQ0FBQTtvQkFDeEQsSUFBSSxDQUFDLFNBQVMsQ0FBQyxDQUFDLEVBQUUsWUFBWSxFQUFFLElBQUksQ0FBQyxJQUFJLENBQUMsQ0FBQztpQkFDNUMsQ0FBQyxDQUFBO2FBQ0gsQ0FBQyxDQUFBO1NBQ0g7UUFFRCxJQUFHLElBQUksQ0FBQyxRQUFRLENBQUMsYUFBYSxFQUFFO1lBQzlCLElBQUksSUFBSSxHQUFHLE1BQU0sQ0FBQyxrQkFBa0IsRUFBRSxDQUFDO1lBQ3ZDLElBQUcsSUFBSSxHQUFHLENBQUMsRUFBRTs7Z0JBRVgsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsSUFBSSxFQUFFLEVBQUUsR0FBRyxFQUFFLGFBQWEsRUFBRSxJQUFJLEVBQUUsWUFBWSxFQUFFLENBQUMsQ0FBQztnQkFDMUUsSUFBSSxDQUFDLFNBQVMsQ0FBQyxRQUFRLENBQUMsR0FBRyxFQUFFLEVBQUUsR0FBRyxFQUFFLE1BQU0sRUFBRSxJQUFJLEVBQUUsSUFBSSxDQUFDLFVBQVUsQ0FBQyxJQUFJLENBQUMsRUFBRSxDQUFDLENBQUM7YUFDNUU7U0FDRjs7UUFHRCxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxHQUFHLEVBQUUsZUFBZSxFQUFFLElBQUksRUFBRSxRQUFRLEVBQUUsQ0FBQyxDQUFDOztRQUd4RSxNQUFNLEdBQUcsR0FBRyxJQUFJLENBQUMsU0FBUyxDQUFDLFFBQVEsQ0FBQyxJQUFJLEVBQUUsRUFBRSxHQUFHLEVBQUUsUUFBUSxFQUFFLENBQUMsQ0FBQztRQUM3RCxNQUFNLENBQUMsS0FBSyxDQUFDLE9BQU8sQ0FBQyxJQUFJO1lBQ3ZCLE1BQU0sR0FBRyxHQUFHLEdBQUcsQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUM7WUFDL0IsTUFBTSxFQUFFLEdBQUcsR0FBRyxDQUFDLFFBQVEsQ0FBQyxHQUFHLENBQUMsQ0FBQztZQUM3QixJQUFJLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxDQUFDO2dCQUNqQixJQUFJLE9BQU8sQ0FBQyxLQUFLLFFBQVE7b0JBQUUsRUFBRSxDQUFDLE1BQU0sQ0FBQyxDQUFDLENBQUMsQ0FBQztxQkFDbkMsSUFBSSxDQUFDLFlBQVlDLG1CQUFVLEVBQUU7b0JBQ2hDLE1BQU0sS0FBSyxHQUFHLEVBQUUsQ0FBQyxVQUFVLENBQUMsRUFBRSxHQUFHLEVBQUUsWUFBWSxFQUFFLENBQUMsQ0FBQztvQkFDbkQsSUFBSSxJQUFJLENBQUMsUUFBUSxDQUFDLG9CQUFvQixFQUFFO3dCQUN0QyxJQUFJLENBQUMsQ0FBQyxNQUFNLEVBQUU7NEJBQ1osS0FBSyxDQUFDLFVBQVUsQ0FBQyxFQUFFLEdBQUcsRUFBRSxRQUFRLEVBQUUsSUFBSSxFQUFFLENBQUMsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxDQUFDOzRCQUNwRCxLQUFLLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDO3lCQUN2Qjt3QkFDRCxJQUFJLENBQUMsQ0FBQyxLQUFLLEVBQUU7NEJBQ1gsS0FBSyxDQUFDLFVBQVUsQ0FBQyxFQUFFLEdBQUcsRUFBRSxNQUFNLEVBQUUsSUFBSSxFQUFFLENBQUMsQ0FBQyxLQUFLLEVBQUUsQ0FBQyxDQUFDOzRCQUNqRCxLQUFLLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDO3lCQUN2QjtxQkFDRjtvQkFDRCxLQUFLLENBQUMsVUFBVSxDQUFDLENBQUMsQ0FBQyxJQUFJLENBQUMsQ0FBQTtpQkFDekI7cUJBQ0ksSUFBSSxDQUFDLFlBQVlDLGlCQUFRLEVBQUU7b0JBQzlCLEVBQUUsQ0FBQyxVQUFVLENBQUMsRUFBRSxHQUFHLEVBQUUsWUFBWSxFQUFFLElBQUksRUFBRSxDQUFDLENBQUMsSUFBSSxFQUFFLENBQUMsQ0FBQztpQkFDcEQ7cUJBQ0ksSUFBSSxDQUFDLFlBQVlDLGNBQUssRUFBRTtvQkFDM0IsTUFBTSxhQUFhLEdBQUcsRUFBRSxDQUFDLFVBQVUsRUFBRSxDQUFBO29CQUNyQyxNQUFNLEtBQUssR0FBRyxhQUFhLENBQUMsVUFBVSxDQUFDLEVBQUUsR0FBRyxFQUFFLE9BQU8sRUFBRSxJQUFJLEVBQUUsRUFBRSxZQUFZLEVBQUUsQ0FBQyxDQUFDLE9BQU8sRUFBRSxFQUFFLENBQUMsQ0FBQztvQkFDNUYsS0FBSyxDQUFDLFVBQVUsQ0FBQyxFQUFFLEdBQUcsRUFBRSxhQUFhLEVBQUUsSUFBSSxFQUFFLENBQUMsQ0FBQyxNQUFNLEVBQUUsQ0FBQyxDQUFDO29CQUN6RCxLQUFLLENBQUMsVUFBVSxDQUFDLEdBQUcsQ0FBQyxDQUFDO29CQUN0QixLQUFLLENBQUMsVUFBVSxDQUFDLEVBQUUsR0FBRyxFQUFFLFdBQVcsRUFBRSxJQUFJLEVBQUUsQ0FBQyxDQUFDLEtBQUssRUFBRSxDQUFDLENBQUM7b0JBRXRELElBQUksSUFBSSxDQUFDLFFBQVEsQ0FBQyxnQkFBZ0IsRUFBRTt3QkFDbEMsS0FBSyxDQUFDLGdCQUFnQixDQUFDLE9BQU8sRUFBRSxDQUFDLEVBQUU7OzRCQUVqQyxNQUFNLFlBQVksR0FBVyxVQUFVLENBQUMsS0FBSyxDQUFDLE9BQU8sQ0FBQyxLQUFLLENBQUMsQ0FBQTs0QkFDNUQsSUFBSSxDQUFDLFNBQVMsQ0FBQyxLQUFLLEVBQUUsWUFBWSxFQUFFLENBQUMsQ0FBQyxJQUFJLENBQUMsQ0FBQzt5QkFDN0MsQ0FBQyxDQUFBO3FCQUNIO2lCQUNGO2FBQ0YsQ0FBQyxDQUFDO1lBRUgsSUFBSSxJQUFJLENBQUMsUUFBUSxDQUFDLFVBQVUsSUFBSSxJQUFJLENBQUMsS0FBSyxFQUFFO2dCQUMxQyxNQUFNLEdBQUcsR0FBRyxHQUFHLENBQUMsUUFBUSxDQUFDLEtBQUssRUFBRSxFQUFFLEdBQUcsRUFBRSxjQUFjLEVBQUUsQ0FBQyxDQUFDO2dCQUN6RCxHQUFHLENBQUMsR0FBRyxHQUFHLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxDQUFDLGVBQWUsQ0FBQyxJQUFJLENBQUMsS0FBSyxDQUFDLENBQUM7YUFDdEQ7U0FDRixDQUFDLENBQUM7S0FDSjtJQUlELFNBQVMsQ0FBQyxFQUFXLEVBQUUsT0FBZSxFQUFFLElBQVk7O1FBQ2xELElBQUksRUFBRSxDQUFDLGtCQUFrQixJQUFJLEVBQUUsQ0FBQyxrQkFBa0IsQ0FBQyxRQUFRLENBQUMsV0FBVyxDQUFDLEVBQUU7O1lBRXZFLEVBQUUsQ0FBQyxrQkFBa0IsQ0FBQyxhQUFhLENBQUMsb0JBQW9CLENBQWlCLENBQUMsS0FBSyxFQUFFLENBQUE7WUFDbEYsT0FBTztTQUNSO1FBQ0QsTUFBTSxZQUFZLEdBQUcsSUFBSSxDQUFDLFFBQVEsQ0FBQyxVQUFVLEdBQUcsTUFBQSxJQUFJLENBQUMsVUFBVSwwQ0FBRSxJQUFJLEVBQUUsR0FBRyxJQUFJLENBQUM7UUFDL0UsTUFBTSxnQkFBZ0IsR0FBRyxFQUFFLENBQUMsVUFBVSxDQUFDLEVBQUMsR0FBRyxFQUFDLFdBQVcsRUFBQyxDQUFDLENBQUE7UUFDekQsSUFBSSxFQUFFLENBQUMsV0FBVztZQUFFLEVBQUUsQ0FBQyxhQUFhLENBQUMsWUFBWSxDQUFDLEVBQUUsQ0FBQyxXQUFXLEVBQUUsZ0JBQWdCLENBQUMsQ0FBQTs7WUFDOUUsRUFBRSxDQUFDLGFBQWEsQ0FBQyxXQUFXLENBQUMsZ0JBQWdCLENBQUMsQ0FBQTtRQUNuRCxNQUFNLE9BQU8sR0FBRyxnQkFBZ0IsQ0FBQyxRQUFRLENBQUMsUUFBUSxFQUFFLEVBQUUsSUFBSSxFQUFFLE9BQU8sRUFBRSxHQUFHLEVBQUUsY0FBYyxFQUFFLENBQUMsQ0FBQTtRQUMzRixNQUFNLE1BQU0sR0FBRyxnQkFBZ0IsQ0FBQyxRQUFRLENBQUMsUUFBUSxFQUFFLEVBQUUsSUFBSSxFQUFFLE1BQU0sRUFBRSxHQUFHLEVBQUUsYUFBYSxFQUFFLENBQUMsQ0FBQTtRQUN4RixNQUFNLE9BQU8sR0FBRyxnQkFBZ0IsQ0FBQyxVQUFVLENBQUMsRUFBRSxJQUFJLEVBQUUsSUFBSSxDQUFDLGtCQUFrQixDQUFDLE9BQU8sQ0FBQyxFQUFFLElBQUksRUFBRSxFQUFFLGNBQWMsRUFBRSxHQUFHLEVBQUUsRUFBRSxDQUFDLENBQUM7UUFDdkgsSUFBSSxHQUFHLEdBQUcsSUFBSSxJQUFJLENBQUMsSUFBSSxJQUFJLEVBQUUsQ0FBQyxPQUFPLEVBQUUsSUFBSSxPQUFPLEdBQUcsSUFBSSxDQUFDLENBQUMsQ0FBQTtRQUMzRCxJQUFJLFFBQXdCLENBQUE7UUFDNUIsSUFBSSxJQUFJLEdBQWE7O1lBQ25CLElBQUksSUFBSSxDQUFDLFFBQVEsQ0FBQyxVQUFVO2dCQUFFLE1BQUEsSUFBSSxDQUFDLFVBQVUsMENBQUUsSUFBSSxDQUFDLFlBQVksQ0FBQyxDQUFDO1lBQ2xFLGFBQWEsQ0FBQyxRQUFRLENBQUMsQ0FBQTtZQUN2QixnQkFBZ0IsQ0FBQyxNQUFNLEVBQUUsQ0FBQTtTQUMxQixDQUFBO1FBQ0QsUUFBUSxHQUFHLFdBQVcsQ0FBQyxJQUFJLENBQUMsV0FBVyxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsRUFBRSxHQUFHLEVBQUUsT0FBTyxFQUFFLE9BQU8sRUFBRSxHQUFHLEVBQUUsSUFBSSxFQUFFLElBQUksQ0FBQyxDQUFBO1FBRTNGLElBQUksTUFBTSxHQUFHLEtBQUssQ0FBQztRQUNuQixJQUFJLFNBQVMsR0FBVSxJQUFJLENBQUM7UUFDNUIsT0FBTyxDQUFDLGdCQUFnQixDQUFDLE9BQU8sRUFBRSxDQUFDLEVBQUU7O1lBQ25DLElBQUksTUFBTSxFQUFFO2dCQUNWLEdBQUcsR0FBRyxJQUFJLElBQUksQ0FBQyxJQUFJLElBQUksRUFBRSxDQUFDLE9BQU8sRUFBRSxHQUFHLFNBQVMsQ0FBQyxDQUFBO2dCQUNoRCxJQUFJLENBQUMsV0FBVyxDQUFDLE9BQU8sRUFBRSxPQUFPLEVBQUUsR0FBRyxFQUFFLElBQUksRUFBRSxJQUFJLENBQUMsQ0FBQTtnQkFDbkQsUUFBUSxHQUFHLFdBQVcsQ0FBQyxJQUFJLENBQUMsV0FBVyxDQUFDLElBQUksQ0FBQyxJQUFJLENBQUMsRUFBRSxHQUFHLEVBQUUsT0FBTyxFQUFFLE9BQU8sRUFBRSxHQUFHLEVBQUUsSUFBSSxFQUFFLElBQUksQ0FBQyxDQUFBO2dCQUMzRixJQUFJLElBQUksQ0FBQyxRQUFRLENBQUMsVUFBVTtvQkFBRSxNQUFBLElBQUksQ0FBQyxVQUFVLDBDQUFFLElBQUksQ0FBQyxZQUFZLENBQUMsQ0FBQTtnQkFDakUsT0FBTyxDQUFDLE9BQU8sQ0FBQyxPQUFPLENBQUMsQ0FBQTtnQkFDeEIsT0FBTyxDQUFDLFNBQVMsR0FBRyxjQUFjLENBQUE7Z0JBQ2xDLE1BQU0sR0FBRyxLQUFLLENBQUE7YUFDZjtpQkFDSTtnQkFDSCxhQUFhLENBQUMsUUFBUSxDQUFDLENBQUM7Z0JBQ3hCLFNBQVMsR0FBRyxHQUFHLENBQUMsT0FBTyxFQUFFLEdBQUcsSUFBSSxJQUFJLEVBQUUsQ0FBQyxPQUFPLEVBQUUsQ0FBQTtnQkFDaEQsSUFBSSxJQUFJLENBQUMsUUFBUSxDQUFDLFVBQVU7b0JBQUUsTUFBQSxJQUFJLENBQUMsVUFBVSwwQ0FBRSxLQUFLLENBQUMsWUFBWSxDQUFDLENBQUE7Z0JBQ2xFLE9BQU8sQ0FBQyxPQUFPLENBQUMsUUFBUSxDQUFDLENBQUE7Z0JBQ3pCLE9BQU8sQ0FBQyxTQUFTLEdBQUcsZUFBZSxDQUFBO2dCQUNuQyxNQUFNLEdBQUcsSUFBSSxDQUFDO2FBQ2Y7U0FDRixDQUFDLENBQUE7UUFDRixNQUFNLENBQUMsZ0JBQWdCLENBQUMsT0FBTyxFQUFFLE1BQU0sSUFBSSxFQUFFLENBQUMsQ0FBQTtLQUMvQztJQUVELFdBQVcsQ0FBQyxFQUFXLEVBQUUsWUFBbUIsRUFBRSxHQUFTLEVBQUUsSUFBYyxFQUFFLElBQVk7O1FBQ25GLE1BQU0sR0FBRyxHQUFHLElBQUksSUFBSSxFQUFFLENBQUE7UUFDdEIsTUFBTSxJQUFJLEdBQUcsQ0FBQyxHQUFHLENBQUMsT0FBTyxFQUFFLEdBQUcsR0FBRyxDQUFDLE9BQU8sRUFBRSxJQUFJLElBQUksQ0FBQTtRQUNuRCxJQUFJLElBQUksSUFBSSxDQUFDLEVBQUU7WUFDYixJQUFJQyxlQUFNLENBQUMsSUFBSSxHQUFHLEdBQUcsSUFBSSxzQkFBc0IsR0FBRyxxQkFBcUIsQ0FBQyxDQUFDO1lBQ3pFLElBQUksSUFBSSxDQUFDLFFBQVEsQ0FBQyxVQUFVO2dCQUFFLE1BQUEsSUFBSSxDQUFDLFVBQVUsMENBQUUsSUFBSSxFQUFFLENBQUE7WUFDckQsSUFBSSxFQUFFLENBQUE7U0FDUDtRQUNELEVBQUUsQ0FBQyxPQUFPLENBQUMsSUFBSSxDQUFDLGtCQUFrQixDQUFDLElBQUksQ0FBQyxDQUFDLENBQUE7UUFDekMsRUFBRSxDQUFDLE9BQU8sQ0FBQyxjQUFjLEVBQUUsSUFBSSxDQUFDLEtBQUssQ0FBQyxDQUFDLElBQUksR0FBRyxZQUFZLElBQUksR0FBRyxDQUFDLENBQUMsQ0FBQTtLQUNwRTtJQUVELFVBQVUsQ0FBQyxJQUFZLEVBQUUsY0FBc0IsS0FBSztRQUNsRCxJQUFJLE9BQU8sR0FBRyxJQUFJLENBQUMsS0FBSyxDQUFDLElBQUksR0FBRyxFQUFFLENBQUMsQ0FBQztRQUNwQyxJQUFJLE9BQU8sR0FBRyxJQUFJLENBQUMsS0FBSyxDQUFDLElBQUksR0FBRyxFQUFFLENBQUMsQ0FBQztRQUNwQyxJQUFJLEtBQUssR0FBRyxJQUFJLENBQUMsS0FBSyxDQUFDLE9BQU8sR0FBRyxFQUFFLENBQUMsQ0FBQztRQUNyQyxPQUFPLEdBQUcsT0FBTyxHQUFHLEVBQUUsQ0FBQztRQUV2QixJQUFJLE1BQU0sR0FBRyxFQUFFLENBQUM7UUFDaEIsSUFBSSxLQUFLLEdBQUcsQ0FBQztZQUFFLE1BQU0sSUFBSSxLQUFLLEdBQUcsU0FBUyxDQUFDO1FBQzNDLElBQUksT0FBTyxHQUFHLENBQUM7WUFBRSxNQUFNLElBQUksT0FBTyxHQUFHLFdBQVcsQ0FBQztRQUNqRCxJQUFJLFdBQVcsSUFBSSxPQUFPLEdBQUcsQ0FBQztZQUFFLE1BQU0sSUFBSSxPQUFPLEdBQUcsV0FBVyxDQUFDO1FBQ2hFLE9BQU8sTUFBTSxDQUFDO0tBQ2Y7SUFFRCxrQkFBa0IsQ0FBQyxJQUFZO1FBQzdCLElBQUksT0FBTyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsSUFBSSxHQUFHLEVBQUUsQ0FBQyxDQUFDO1FBQ3BDLElBQUksT0FBTyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsSUFBSSxHQUFHLEVBQUUsQ0FBQyxDQUFDO1FBQ3BDLElBQUksS0FBSyxHQUFHLElBQUksQ0FBQyxLQUFLLENBQUMsT0FBTyxHQUFHLEVBQUUsQ0FBQyxDQUFDO1FBQ3JDLE9BQU8sR0FBRyxPQUFPLEdBQUcsRUFBRSxDQUFDO1FBRXZCLElBQUksTUFBTSxHQUFHLEVBQUUsQ0FBQztRQUNoQixJQUFJLEtBQUssR0FBRyxDQUFDO1lBQUUsTUFBTSxJQUFJLEtBQUssQ0FBQztRQUMvQixJQUFJLEtBQUssR0FBRyxDQUFDLElBQUksT0FBTyxJQUFJLENBQUM7WUFBRSxNQUFNLElBQUksR0FBRyxDQUFDO1FBQzdDLElBQUksS0FBSyxHQUFHLENBQUMsSUFBSSxPQUFPLElBQUksQ0FBQyxJQUFJLE9BQU8sR0FBRyxFQUFFO1lBQUUsTUFBTSxJQUFJLEdBQUcsQ0FBQztRQUM3RCxJQUFJLE9BQU8sR0FBRyxDQUFDO1lBQUUsTUFBTSxJQUFJLE9BQU8sQ0FBQztRQUNuQyxJQUFJLE9BQU8sR0FBRyxDQUFDO1lBQUUsTUFBTSxJQUFJLEdBQUcsQ0FBQztRQUMvQixJQUFJLE9BQU8sR0FBRyxDQUFDLElBQUksT0FBTyxJQUFJLENBQUMsSUFBSSxPQUFPLEdBQUcsRUFBRTtZQUFFLE1BQU0sSUFBSSxHQUFHLENBQUM7UUFDL0QsSUFBSyxPQUFPLElBQUksQ0FBQztZQUFFLE1BQU0sSUFBSSxPQUFPLENBQUM7UUFDckMsT0FBTyxNQUFNLENBQUM7S0FDZjs7O01DbFpVLGdCQUFnQjtJQUE3QjtRQUNFLGVBQVUsR0FBWSxJQUFJLENBQUM7UUFDM0IsdUJBQWtCLEdBQVksSUFBSSxDQUFDO1FBQ25DLHFCQUFnQixHQUFZLElBQUksQ0FBQztRQUNqQyxtQkFBYyxHQUFZLEtBQUssQ0FBQztRQUNoQyxrQkFBYSxHQUFZLElBQUksQ0FBQztRQUM5QixxQkFBZ0IsR0FBWSxJQUFJLENBQUM7UUFDakMseUJBQW9CLEdBQVksS0FBSyxDQUFDO1FBQ3RDLGVBQVUsR0FBWSxJQUFJLENBQUM7UUFDM0IsZUFBVSxHQUFZLElBQUksQ0FBQztLQUM1QjtDQUFBO01BRVksZUFBZ0IsU0FBUUMseUJBQWdCO0lBRW5ELFlBQVksR0FBUSxFQUFFLE1BQWtCO1FBQ3RDLEtBQUssQ0FBQyxHQUFHLEVBQUUsTUFBTSxDQUFDLENBQUM7UUFDbkIsSUFBSSxDQUFDLE1BQU0sR0FBRyxNQUFNLENBQUM7S0FDdEI7SUFFRCxPQUFPO1FBQ0wsSUFBSSxFQUFFLFdBQVcsRUFBRSxHQUFHLElBQUksQ0FBQztRQUUzQixXQUFXLENBQUMsS0FBSyxFQUFFLENBQUM7UUFFcEIsSUFBSUMsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLGlCQUFpQixDQUFDO2FBQzFCLFVBQVUsRUFBRSxDQUFDO1FBRWhCLElBQUlBLGdCQUFPLENBQUMsV0FBVyxDQUFDO2FBQ3JCLE9BQU8sQ0FBQyxhQUFhLENBQUM7YUFDdEIsT0FBTyxDQUFDLGlGQUFpRixDQUFDO2FBQzFGLFNBQVMsQ0FBQyxNQUFNLElBQUksTUFBTTthQUN4QixRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsVUFBVSxDQUFDO2FBQ3pDLFFBQVEsQ0FBQyxDQUFDLEtBQWM7WUFDdkIsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsVUFBVSxHQUFHLEtBQUssQ0FBQztZQUN4QyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxDQUFDO1lBQzNDLElBQUksQ0FBQyxNQUFNLENBQUMsZUFBZSxFQUFFLENBQUM7U0FDL0IsQ0FBQyxDQUFDLENBQUM7UUFFUixJQUFJQSxnQkFBTyxDQUFDLFdBQVcsQ0FBQzthQUNyQixPQUFPLENBQUMsc0JBQXNCLENBQUM7YUFDL0IsT0FBTyxDQUFDLHVEQUF1RCxDQUFDO2FBQ2hFLFNBQVMsQ0FBQyxNQUFNLElBQUksTUFBTTthQUN4QixRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsa0JBQWtCLENBQUM7YUFDakQsUUFBUSxDQUFDLENBQUMsS0FBYztZQUN2QixJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxrQkFBa0IsR0FBRyxLQUFLLENBQUM7WUFDaEQsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO1FBRVIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLG9CQUFvQixDQUFDO2FBQzdCLE9BQU8sQ0FBQyxvREFBb0QsQ0FBQzthQUM3RCxTQUFTLENBQUMsTUFBTSxJQUFJLE1BQU07YUFDeEIsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLGdCQUFnQixDQUFDO2FBQy9DLFFBQVEsQ0FBQyxDQUFDLEtBQWM7WUFDdkIsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsZ0JBQWdCLEdBQUcsS0FBSyxDQUFDO1lBQzlDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLENBQUM7WUFDM0MsSUFBSSxDQUFDLE1BQU0sQ0FBQyxlQUFlLEVBQUUsQ0FBQztTQUMvQixDQUFDLENBQUMsQ0FBQztRQUVSLElBQUlBLGdCQUFPLENBQUMsV0FBVyxDQUFDO2FBQ3JCLE9BQU8sQ0FBQyx3QkFBd0IsQ0FBQzthQUNqQyxPQUFPLENBQUMsNERBQTRELENBQUM7YUFDckUsU0FBUyxDQUFDLE1BQU0sSUFBSSxNQUFNO2FBQ3hCLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxvQkFBb0IsQ0FBQzthQUNuRCxRQUFRLENBQUMsQ0FBQyxLQUFjO1lBQ3ZCLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLG9CQUFvQixHQUFHLEtBQUssQ0FBQztZQUNsRCxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxDQUFDO1lBQzNDLElBQUksQ0FBQyxNQUFNLENBQUMsZUFBZSxFQUFFLENBQUM7U0FDL0IsQ0FBQyxDQUFDLENBQUM7UUFFUixJQUFJQSxnQkFBTyxDQUFDLFdBQVcsQ0FBQzthQUNyQixPQUFPLENBQUMsa0JBQWtCLENBQUM7YUFDM0IsT0FBTyxDQUFDLGtEQUFrRCxDQUFDO2FBQzNELFNBQVMsQ0FBQyxNQUFNLElBQUksTUFBTTthQUN4QixRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsY0FBYyxDQUFDO2FBQzdDLFFBQVEsQ0FBQyxDQUFDLEtBQWM7WUFDdkIsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsY0FBYyxHQUFHLEtBQUssQ0FBQztZQUM1QyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxDQUFDO1lBQzNDLElBQUksQ0FBQyxNQUFNLENBQUMsZUFBZSxFQUFFLENBQUM7U0FDL0IsQ0FBQyxDQUFDLENBQUM7UUFFUixJQUFJQSxnQkFBTyxDQUFDLFdBQVcsQ0FBQzthQUNyQixPQUFPLENBQUMsMkJBQTJCLENBQUM7YUFDcEMsT0FBTyxDQUFDLDhEQUE4RCxDQUFDO2FBQ3ZFLFNBQVMsQ0FBQyxNQUFNLElBQUksTUFBTTthQUN4QixRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsZ0JBQWdCLENBQUM7YUFDL0MsUUFBUSxDQUFDLENBQUMsS0FBYztZQUN2QixJQUFJLENBQUMsTUFBTSxDQUFDLFFBQVEsQ0FBQyxnQkFBZ0IsR0FBRyxLQUFLLENBQUM7WUFDOUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO1FBRVIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLGlCQUFpQixDQUFDO2FBQzFCLE9BQU8sQ0FBQyx1REFBdUQsQ0FBQzthQUNoRSxTQUFTLENBQUMsTUFBTSxJQUFJLE1BQU07YUFDeEIsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLGFBQWEsQ0FBQzthQUM1QyxRQUFRLENBQUMsQ0FBQyxLQUFjO1lBQ3ZCLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLGFBQWEsR0FBRyxLQUFLLENBQUM7WUFDM0MsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO1FBRVIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLHFCQUFxQixDQUFDO2FBQzlCLE9BQU8sQ0FBQywrQ0FBK0MsQ0FBQzthQUN4RCxTQUFTLENBQUMsTUFBTSxJQUFJLE1BQU07YUFDeEIsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLFVBQVUsQ0FBQzthQUN6QyxRQUFRLENBQUMsQ0FBQyxLQUFjO1lBQ3ZCLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLFVBQVUsR0FBRyxLQUFLLENBQUM7WUFDeEMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO1FBRVIsSUFBSUEsZ0JBQU8sQ0FBQyxXQUFXLENBQUM7YUFDckIsT0FBTyxDQUFDLHVCQUF1QixDQUFDO2FBQ2hDLE9BQU8sQ0FBQyxpREFBaUQsQ0FBQzthQUMxRCxTQUFTLENBQUMsTUFBTSxJQUFJLE1BQU07YUFDeEIsUUFBUSxDQUFDLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLFVBQVUsQ0FBQzthQUN6QyxRQUFRLENBQUMsQ0FBQyxLQUFjO1lBQ3ZCLElBQUksQ0FBQyxNQUFNLENBQUMsUUFBUSxDQUFDLFVBQVUsR0FBRyxLQUFLLENBQUM7WUFDeEMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxRQUFRLENBQUMsQ0FBQztZQUMzQyxJQUFJLENBQUMsTUFBTSxDQUFDLGVBQWUsRUFBRSxDQUFDO1NBQy9CLENBQUMsQ0FBQyxDQUFDO0tBQ1Q7OztNQy9Ia0IsVUFBVyxTQUFRQyxlQUFNO0lBQTlDOztRQTRERSxvQkFBZSxHQUFHOztZQUNoQixJQUFJLGlCQUFpQixHQUFHLElBQUksQ0FBQztZQUM3QixNQUFNLGVBQWUsR0FBSSxJQUFJLENBQUMsR0FBRyxDQUFDLEtBQWEsQ0FBQyxTQUFTLENBQUMsaUJBQWlCLENBQUMsQ0FBQztZQUM3RSxJQUFHLENBQUMsZUFBZSxJQUFJLGVBQWUsS0FBSyxNQUFNLEVBQUU7Z0JBQ2pELGlCQUFpQixHQUFHLEdBQUcsQ0FBQzthQUN6QjtpQkFDSSxJQUFHLGVBQWUsS0FBSyxTQUFTLEVBQUU7Z0JBQ3JDLGlCQUFpQixHQUFHLE1BQUEsTUFBQSxJQUFJLENBQUMsR0FBRyxDQUFDLFNBQVMsQ0FBQyxhQUFhLEVBQUUsMENBQUUsTUFBTSwwQ0FBRSxJQUFJLENBQUM7YUFDdEU7aUJBQ0c7Z0JBQ0YsaUJBQWlCLEdBQUksSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFhLENBQUMsU0FBUyxDQUFDLG1CQUFtQixDQUFDLENBQUM7YUFDNUU7WUFFRCxJQUFHLENBQUMsaUJBQWlCO2dCQUFFLGlCQUFpQixHQUFHLEdBQUcsQ0FBQztpQkFDMUMsSUFBRyxDQUFDLGlCQUFpQixDQUFDLFFBQVEsQ0FBQyxHQUFHLENBQUM7Z0JBQUUsaUJBQWlCLElBQUksR0FBRyxDQUFDO1lBRW5FLE1BQU0sWUFBWSxHQUFHLGlCQUFpQixDQUFDO1lBQ3ZDLGlCQUFpQixHQUFHLGlCQUFpQixHQUFHLGVBQWUsQ0FBQztZQUN4RCxJQUFJLENBQUMsR0FBRyxDQUFDLENBQUM7WUFDVixPQUFNLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxDQUFDLHFCQUFxQixDQUFDLGlCQUFpQixDQUFDLEVBQUU7Z0JBQzdELGlCQUFpQixHQUFHLEdBQUcsWUFBWSxZQUFZLEVBQUUsQ0FBQyxPQUFPLENBQUM7YUFDM0Q7WUFDRCxNQUFNLE9BQU8sR0FBRyxNQUFNLElBQUksQ0FBQyxHQUFHLENBQUMsS0FBSyxDQUFDLE1BQU0sQ0FBQyxpQkFBaUIsRUFBRSxFQUFFLENBQUMsQ0FBQztZQUNuRSxPQUFPLE9BQU8sQ0FBQztTQUNoQixDQUFBLENBQUE7O1FBR0Qsb0JBQWUsR0FBRyxDQUFDLElBQW1CO1lBQ3BDLE9BQU8sSUFBSSxRQUFRLENBQUMsSUFBSSxFQUFFLElBQUksQ0FBQyxRQUFRLENBQUMsQ0FBQztTQUMxQyxDQUFBOzs7UUFhRCxvQkFBZSxHQUFHLENBQUMsU0FBaUI7WUFDbENDLGdCQUFPLENBQUMsWUFBWSxTQUFTLEVBQUUsRUFBRTs7Ozs7OztLQU9oQyxDQUFDLENBQUM7U0FDSixDQUFBO0tBQ0Y7SUE1R08sTUFBTTs7Ozs7WUFDVixPQUFNLE1BQU0sWUFBRztZQUNmLElBQUksQ0FBQyxRQUFRLEdBQUcsTUFBTSxDQUFDLE1BQU0sQ0FBQyxJQUFJLGdCQUFnQixFQUFFLEVBQUUsTUFBTSxJQUFJLENBQUMsUUFBUSxFQUFFLENBQUMsQ0FBQzs7WUFHN0UsSUFBSSxDQUFDLGVBQWUsQ0FBQyxNQUFNLENBQUMsQ0FBQzs7WUFHN0IsSUFBSSxDQUFDLFlBQVksQ0FBQyxNQUFNLEVBQUUsSUFBSSxDQUFDLGVBQWUsQ0FBQyxDQUFDO1lBQ2hELElBQUksQ0FBQyxrQkFBa0IsQ0FBQyxDQUFDLE1BQU0sQ0FBQyxFQUFFLE1BQU0sQ0FBQyxDQUFDO1lBRTFDLElBQUksQ0FBQyxhQUFhLENBQUMsSUFBSSxlQUFlLENBQUMsSUFBSSxDQUFDLEdBQUcsRUFBRSxJQUFJLENBQUMsQ0FBQyxDQUFDOzs7OztZQU94RCxJQUFJLENBQUMsVUFBVSxDQUFDO2dCQUNkLEVBQUUsRUFBRSxhQUFhO2dCQUNqQixJQUFJLEVBQUUsbUJBQW1CO2dCQUN6QixRQUFRLEVBQUU7b0JBQ1IsTUFBTSxPQUFPLEdBQUcsTUFBTSxJQUFJLENBQUMsZUFBZSxFQUFFLENBQUM7b0JBQzdDLElBQUksQ0FBQyxHQUFHLENBQUMsU0FBUyxDQUFDLE9BQU8sRUFBRSxDQUFDLFFBQVEsQ0FBQyxPQUFPLENBQUMsQ0FBQztpQkFDaEQsQ0FBQTthQUNGLENBQUMsQ0FBQTtZQUVGLElBQUksQ0FBQyxVQUFVLENBQUM7Z0JBQ2QsRUFBRSxFQUFFLHNCQUFzQjtnQkFDMUIsSUFBSSxFQUFFLDJCQUEyQjtnQkFDakMsUUFBUSxFQUFFO29CQUNSLE1BQU0sT0FBTyxHQUFHLE1BQU0sSUFBSSxDQUFDLGVBQWUsRUFBRSxDQUFDO29CQUM3QyxNQUFNLElBQUksQ0FBQyxHQUFHLENBQUMsU0FBUyxDQUFDLE9BQU8sQ0FBQyxJQUFJLENBQUMsQ0FBQyxRQUFRLENBQUMsT0FBTyxDQUFDLENBQUM7aUJBQzFELENBQUE7YUFDRixDQUFDLENBQUE7O1lBR0YsSUFBSSxDQUFDLFVBQVUsQ0FBQztnQkFDZCxFQUFFLEVBQUUsaUJBQWlCO2dCQUNyQixJQUFJLEVBQUUsa0NBQWtDO2dCQUN4QyxhQUFhLEVBQUUsQ0FBQyxRQUFnQjtvQkFDOUIsTUFBTSxJQUFJLEdBQUcsSUFBSSxDQUFDLEdBQUcsQ0FBQyxTQUFTLENBQUMsYUFBYSxFQUFFLENBQUM7b0JBQ2hELE1BQU0sSUFBSSxHQUFHLElBQUksQ0FBQyxTQUFTLEtBQUssSUFBSSxDQUFDO29CQUNyQyxJQUFHLFFBQVEsRUFBRTt3QkFDWCxPQUFPLElBQUksQ0FBQztxQkFDYjt5QkFDSSxJQUFHLElBQUksRUFBRTs7d0JBRVosSUFBSSxDQUFDLEdBQUcsQ0FBQyxLQUFLLENBQUMsTUFBTSxDQUFDLElBQUksRUFBQyxJQUFJLENBQUMsSUFBSSxDQUFDLE9BQU8sQ0FBQyxPQUFPLEVBQUUsT0FBTyxDQUFDLENBQUMsQ0FBQyxJQUFJLENBQUM7NEJBQ25FLElBQUksQ0FBQyxHQUFHLENBQUMsU0FBUyxDQUFDLFVBQVUsQ0FBQyxRQUFRLENBQUMsSUFBSSxDQUFDLENBQUM7eUJBQzlDLENBQUMsQ0FBQztxQkFDSjtpQkFDRjthQUNGLENBQUMsQ0FBQTtTQUNIO0tBQUE7SUFpQ0QsZUFBZTtRQUNiLElBQUksQ0FBQyxHQUFHLENBQUMsU0FBUyxDQUFDLGVBQWUsQ0FBQyxNQUFNLENBQUMsQ0FBQyxPQUFPLENBQUMsSUFBSTtZQUNyRCxJQUFHLElBQUksQ0FBQyxJQUFJLFlBQVksUUFBUSxFQUFFO2dCQUNoQyxJQUFJLENBQUMsSUFBSSxDQUFDLFFBQVEsR0FBRyxJQUFJLENBQUMsUUFBUSxDQUFDO2dCQUNuQyxJQUFHLElBQUksQ0FBQyxJQUFJLENBQUMsTUFBTTtvQkFBRSxJQUFJLENBQUMsSUFBSSxDQUFDLGFBQWEsQ0FBQyxJQUFJLENBQUMsSUFBSSxDQUFDLE1BQU0sQ0FBQyxDQUFDO2FBQ2hFO1NBQ0YsQ0FBQyxDQUFDO0tBQ0o7Ozs7OyJ9 diff --git a/.obsidian/plugins/cooklang-obsidian/manifest.json b/.obsidian/plugins/cooklang-obsidian/manifest.json index e046b715..f767d8c1 100644 --- a/.obsidian/plugins/cooklang-obsidian/manifest.json +++ b/.obsidian/plugins/cooklang-obsidian/manifest.json @@ -1 +1,10 @@ -{"id":"cooklang-obsidian","name":"CookLang Editor","author":"death_au","authorUrl":"https://github.com/deathau","description":"Edit and display CookLang recipes in Obsidian","isDesktopOnly":false,"version":"0.2.0","minAppVersion":"0.10.12"} \ No newline at end of file +{ + "id": "cooklang-obsidian", + "name": "CookLang Editor", + "author": "death_au", + "authorUrl": "https://github.com/deathau", + "description": "Edit and display CookLang recipes in Obsidian", + "isDesktopOnly": false, + "version": "0.3.0", + "minAppVersion": "0.10.12" +} \ No newline at end of file diff --git a/.obsidian/plugins/cooklang-obsidian/styles.css b/.obsidian/plugins/cooklang-obsidian/styles.css index 7bb9f2cd..eab95041 100644 --- a/.obsidian/plugins/cooklang-obsidian/styles.css +++ b/.obsidian/plugins/cooklang-obsidian/styles.css @@ -65,4 +65,38 @@ } .workspace-leaf-content[data-type=cook] .cm-metadata-key { font-weight: 600; +} +.workspace-leaf-content[data-type=cook] .countdown { + margin-left: 12px; +} +.workspace-leaf-content[data-type=cook] .countdown .resume-button + button + span { + color: var(--text-faint); +} +.workspace-leaf-content[data-type=cook] .countdown .pause-button, +.workspace-leaf-content[data-type=cook] .countdown .resume-button, +.workspace-leaf-content[data-type=cook] .countdown .stop-button { + font-size: 0; + padding: 6px; +} +.workspace-leaf-content[data-type=cook] .countdown .pause-button::before { + --svg:url("data:image/svg+xml,"); +} +.workspace-leaf-content[data-type=cook] .countdown .resume-button::before { + --svg:url("data:image/svg+xml,"); +} +.workspace-leaf-content[data-type=cook] .countdown .stop-button::before { + --svg:url("data:image/svg+xml,"); +} +.workspace-leaf-content[data-type=cook] .countdown .pause-button::before, +.workspace-leaf-content[data-type=cook] .countdown .resume-button::before, +.workspace-leaf-content[data-type=cook] .countdown .stop-button::before { + content: ""; + background-color: var(--text-normal); + -webkit-mask: var(--svg); + mask: var(--svg); + -webkit-mask-size: cover; + mask-size: cover; + display: inline-block; + height: 16px; + width: 16px; } \ No newline at end of file diff --git a/.obsidian/plugins/fantasy-calendar/data.json b/.obsidian/plugins/fantasy-calendar/data.json index 464cccac..1d2827bd 100644 --- a/.obsidian/plugins/fantasy-calendar/data.json +++ b/.obsidian/plugins/fantasy-calendar/data.json @@ -183,7 +183,7 @@ "current": { "year": 2021, "month": 11, - "day": 13 + "day": 17 }, "events": [ { @@ -660,7 +660,12 @@ "month": 0, "day": 10 }, - "category": "ID_3b8a489a19da" + "category": "ID_3b8a489a19da", + "end": { + "year": 2022, + "month": 0, + "day": 10 + } }, { "id": "ID_8bea89a97bb8", @@ -1032,7 +1037,7 @@ "name": "Task" } ], - "date": 1639217057316 + "date": 1639464365216 } ], "currentCalendar": null, diff --git a/.obsidian/plugins/longform/data.json b/.obsidian/plugins/longform/data.json new file mode 100644 index 00000000..c8d970f6 --- /dev/null +++ b/.obsidian/plugins/longform/data.json @@ -0,0 +1,12 @@ +{ + "version": 1, + "projects": { + "04.03 Creative snippets": { + "path": "04.03 Creative snippets", + "indexFile": "Index", + "draftsPath": "Drafts/" + } + }, + "selectedProject": "04.03 Creative snippets", + "selectedDraft": "Draft 1" +} \ No newline at end of file diff --git a/.obsidian/plugins/longform/main.js b/.obsidian/plugins/longform/main.js new file mode 100644 index 00000000..70065726 --- /dev/null +++ b/.obsidian/plugins/longform/main.js @@ -0,0 +1,10533 @@ +/* +THIS IS A GENERATED/BUNDLED FILE BY ROLLUP +if you want to view the source visit the plugins github repository +*/ + +'use strict'; + +var obsidian = require('obsidian'); + +/*! ***************************************************************************** +Copyright (c) Microsoft Corporation. + +Permission to use, copy, modify, and/or distribute this software for any +purpose with or without fee is hereby granted. + +THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH +REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY +AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, +INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM +LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR +OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR +PERFORMANCE OF THIS SOFTWARE. +***************************************************************************** */ + +function __awaiter(thisArg, _arguments, P, generator) { + function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } + return new (P || (P = Promise))(function (resolve, reject) { + function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } + function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } + function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } + step((generator = generator.apply(thisArg, _arguments || [])).next()); + }); +} + +function noop() { } +function assign(tar, src) { + // @ts-ignore + for (const k in src) + tar[k] = src[k]; + return tar; +} +function run(fn) { + return fn(); +} +function blank_object() { + return Object.create(null); +} +function run_all(fns) { + fns.forEach(run); +} +function is_function(thing) { + return typeof thing === 'function'; +} +function safe_not_equal(a, b) { + return a != a ? b == b : a !== b || ((a && typeof a === 'object') || typeof a === 'function'); +} +function is_empty(obj) { + return Object.keys(obj).length === 0; +} +function subscribe(store, ...callbacks) { + if (store == null) { + return noop; + } + const unsub = store.subscribe(...callbacks); + return unsub.unsubscribe ? () => unsub.unsubscribe() : unsub; +} +function get_store_value(store) { + let value; + subscribe(store, _ => value = _)(); + return value; +} +function component_subscribe(component, store, callback) { + component.$$.on_destroy.push(subscribe(store, callback)); +} +function create_slot(definition, ctx, $$scope, fn) { + if (definition) { + const slot_ctx = get_slot_context(definition, ctx, $$scope, fn); + return definition[0](slot_ctx); + } +} +function get_slot_context(definition, ctx, $$scope, fn) { + return definition[1] && fn + ? assign($$scope.ctx.slice(), definition[1](fn(ctx))) + : $$scope.ctx; +} +function get_slot_changes(definition, $$scope, dirty, fn) { + if (definition[2] && fn) { + const lets = definition[2](fn(dirty)); + if ($$scope.dirty === undefined) { + return lets; + } + if (typeof lets === 'object') { + const merged = []; + const len = Math.max($$scope.dirty.length, lets.length); + for (let i = 0; i < len; i += 1) { + merged[i] = $$scope.dirty[i] | lets[i]; + } + return merged; + } + return $$scope.dirty | lets; + } + return $$scope.dirty; +} +function update_slot(slot, slot_definition, ctx, $$scope, dirty, get_slot_changes_fn, get_slot_context_fn) { + const slot_changes = get_slot_changes(slot_definition, $$scope, dirty, get_slot_changes_fn); + if (slot_changes) { + const slot_context = get_slot_context(slot_definition, ctx, $$scope, get_slot_context_fn); + slot.p(slot_context, slot_changes); + } +} +function exclude_internal_props(props) { + const result = {}; + for (const k in props) + if (k[0] !== '$') + result[k] = props[k]; + return result; +} +function set_store_value(store, ret, value = ret) { + store.set(value); + return ret; +} + +function append(target, node) { + target.appendChild(node); +} +function insert(target, node, anchor) { + target.insertBefore(node, anchor || null); +} +function detach(node) { + node.parentNode.removeChild(node); +} +function destroy_each(iterations, detaching) { + for (let i = 0; i < iterations.length; i += 1) { + if (iterations[i]) + iterations[i].d(detaching); + } +} +function element(name) { + return document.createElement(name); +} +function text(data) { + return document.createTextNode(data); +} +function space() { + return text(' '); +} +function empty() { + return text(''); +} +function listen(node, event, handler, options) { + node.addEventListener(event, handler, options); + return () => node.removeEventListener(event, handler, options); +} +function prevent_default(fn) { + return function (event) { + event.preventDefault(); + // @ts-ignore + return fn.call(this, event); + }; +} +function attr(node, attribute, value) { + if (value == null) + node.removeAttribute(attribute); + else if (node.getAttribute(attribute) !== value) + node.setAttribute(attribute, value); +} +function children(element) { + return Array.from(element.childNodes); +} +function set_data(text, data) { + data = '' + data; + if (text.wholeText !== data) + text.data = data; +} +function set_input_value(input, value) { + input.value = value == null ? '' : value; +} +function select_option(select, value) { + for (let i = 0; i < select.options.length; i += 1) { + const option = select.options[i]; + if (option.__value === value) { + option.selected = true; + return; + } + } +} +function select_value(select) { + const selected_option = select.querySelector(':checked') || select.options[0]; + return selected_option && selected_option.__value; +} +function toggle_class(element, name, toggle) { + element.classList[toggle ? 'add' : 'remove'](name); +} +function custom_event(type, detail) { + const e = document.createEvent('CustomEvent'); + e.initCustomEvent(type, false, false, detail); + return e; +} + +let current_component; +function set_current_component(component) { + current_component = component; +} +function get_current_component() { + if (!current_component) + throw new Error('Function called outside component initialization'); + return current_component; +} +function onMount(fn) { + get_current_component().$$.on_mount.push(fn); +} +function onDestroy(fn) { + get_current_component().$$.on_destroy.push(fn); +} +function createEventDispatcher() { + const component = get_current_component(); + return (type, detail) => { + const callbacks = component.$$.callbacks[type]; + if (callbacks) { + // TODO are there situations where events could be dispatched + // in a server (non-DOM) environment? + const event = custom_event(type, detail); + callbacks.slice().forEach(fn => { + fn.call(component, event); + }); + } + }; +} +function setContext(key, context) { + get_current_component().$$.context.set(key, context); +} +function getContext(key) { + return get_current_component().$$.context.get(key); +} + +const dirty_components = []; +const binding_callbacks = []; +const render_callbacks = []; +const flush_callbacks = []; +const resolved_promise = Promise.resolve(); +let update_scheduled = false; +function schedule_update() { + if (!update_scheduled) { + update_scheduled = true; + resolved_promise.then(flush); + } +} +function add_render_callback(fn) { + render_callbacks.push(fn); +} +function add_flush_callback(fn) { + flush_callbacks.push(fn); +} +let flushing = false; +const seen_callbacks = new Set(); +function flush() { + if (flushing) + return; + flushing = true; + do { + // first, call beforeUpdate functions + // and update components + for (let i = 0; i < dirty_components.length; i += 1) { + const component = dirty_components[i]; + set_current_component(component); + update(component.$$); + } + set_current_component(null); + dirty_components.length = 0; + while (binding_callbacks.length) + binding_callbacks.pop()(); + // then, once components are updated, call + // afterUpdate functions. This may cause + // subsequent updates... + for (let i = 0; i < render_callbacks.length; i += 1) { + const callback = render_callbacks[i]; + if (!seen_callbacks.has(callback)) { + // ...so guard against infinite loops + seen_callbacks.add(callback); + callback(); + } + } + render_callbacks.length = 0; + } while (dirty_components.length); + while (flush_callbacks.length) { + flush_callbacks.pop()(); + } + update_scheduled = false; + flushing = false; + seen_callbacks.clear(); +} +function update($$) { + if ($$.fragment !== null) { + $$.update(); + run_all($$.before_update); + const dirty = $$.dirty; + $$.dirty = [-1]; + $$.fragment && $$.fragment.p($$.ctx, dirty); + $$.after_update.forEach(add_render_callback); + } +} +const outroing = new Set(); +let outros; +function group_outros() { + outros = { + r: 0, + c: [], + p: outros // parent group + }; +} +function check_outros() { + if (!outros.r) { + run_all(outros.c); + } + outros = outros.p; +} +function transition_in(block, local) { + if (block && block.i) { + outroing.delete(block); + block.i(local); + } +} +function transition_out(block, local, detach, callback) { + if (block && block.o) { + if (outroing.has(block)) + return; + outroing.add(block); + outros.c.push(() => { + outroing.delete(block); + if (callback) { + if (detach) + block.d(1); + callback(); + } + }); + block.o(local); + } +} + +const globals = (typeof window !== 'undefined' + ? window + : typeof globalThis !== 'undefined' + ? globalThis + : global); +function outro_and_destroy_block(block, lookup) { + transition_out(block, 1, 1, () => { + lookup.delete(block.key); + }); +} +function update_keyed_each(old_blocks, dirty, get_key, dynamic, ctx, list, lookup, node, destroy, create_each_block, next, get_context) { + let o = old_blocks.length; + let n = list.length; + let i = o; + const old_indexes = {}; + while (i--) + old_indexes[old_blocks[i].key] = i; + const new_blocks = []; + const new_lookup = new Map(); + const deltas = new Map(); + i = n; + while (i--) { + const child_ctx = get_context(ctx, list, i); + const key = get_key(child_ctx); + let block = lookup.get(key); + if (!block) { + block = create_each_block(key, child_ctx); + block.c(); + } + else if (dynamic) { + block.p(child_ctx, dirty); + } + new_lookup.set(key, new_blocks[i] = block); + if (key in old_indexes) + deltas.set(key, Math.abs(i - old_indexes[key])); + } + const will_move = new Set(); + const did_move = new Set(); + function insert(block) { + transition_in(block, 1); + block.m(node, next); + lookup.set(block.key, block); + next = block.first; + n--; + } + while (o && n) { + const new_block = new_blocks[n - 1]; + const old_block = old_blocks[o - 1]; + const new_key = new_block.key; + const old_key = old_block.key; + if (new_block === old_block) { + // do nothing + next = new_block.first; + o--; + n--; + } + else if (!new_lookup.has(old_key)) { + // remove old block + destroy(old_block, lookup); + o--; + } + else if (!lookup.has(new_key) || will_move.has(new_key)) { + insert(new_block); + } + else if (did_move.has(old_key)) { + o--; + } + else if (deltas.get(new_key) > deltas.get(old_key)) { + did_move.add(new_key); + insert(new_block); + } + else { + will_move.add(old_key); + o--; + } + } + while (o--) { + const old_block = old_blocks[o]; + if (!new_lookup.has(old_block.key)) + destroy(old_block, lookup); + } + while (n) + insert(new_blocks[n - 1]); + return new_blocks; +} + +function bind(component, name, callback) { + const index = component.$$.props[name]; + if (index !== undefined) { + component.$$.bound[index] = callback; + callback(component.$$.ctx[index]); + } +} +function create_component(block) { + block && block.c(); +} +function mount_component(component, target, anchor, customElement) { + const { fragment, on_mount, on_destroy, after_update } = component.$$; + fragment && fragment.m(target, anchor); + if (!customElement) { + // onMount happens before the initial afterUpdate + add_render_callback(() => { + const new_on_destroy = on_mount.map(run).filter(is_function); + if (on_destroy) { + on_destroy.push(...new_on_destroy); + } + else { + // Edge case - component was destroyed immediately, + // most likely as a result of a binding initialising + run_all(new_on_destroy); + } + component.$$.on_mount = []; + }); + } + after_update.forEach(add_render_callback); +} +function destroy_component(component, detaching) { + const $$ = component.$$; + if ($$.fragment !== null) { + run_all($$.on_destroy); + $$.fragment && $$.fragment.d(detaching); + // TODO null out other refs, including component.$$ (but need to + // preserve final state?) + $$.on_destroy = $$.fragment = null; + $$.ctx = []; + } +} +function make_dirty(component, i) { + if (component.$$.dirty[0] === -1) { + dirty_components.push(component); + schedule_update(); + component.$$.dirty.fill(0); + } + component.$$.dirty[(i / 31) | 0] |= (1 << (i % 31)); +} +function init(component, options, instance, create_fragment, not_equal, props, dirty = [-1]) { + const parent_component = current_component; + set_current_component(component); + const $$ = component.$$ = { + fragment: null, + ctx: null, + // state + props, + update: noop, + not_equal, + bound: blank_object(), + // lifecycle + on_mount: [], + on_destroy: [], + on_disconnect: [], + before_update: [], + after_update: [], + context: new Map(parent_component ? parent_component.$$.context : options.context || []), + // everything else + callbacks: blank_object(), + dirty, + skip_bound: false + }; + let ready = false; + $$.ctx = instance + ? instance(component, options.props || {}, (i, ret, ...rest) => { + const value = rest.length ? rest[0] : ret; + if ($$.ctx && not_equal($$.ctx[i], $$.ctx[i] = value)) { + if (!$$.skip_bound && $$.bound[i]) + $$.bound[i](value); + if (ready) + make_dirty(component, i); + } + return ret; + }) + : []; + $$.update(); + ready = true; + run_all($$.before_update); + // `false` as a special case of no DOM component + $$.fragment = create_fragment ? create_fragment($$.ctx) : false; + if (options.target) { + if (options.hydrate) { + const nodes = children(options.target); + // eslint-disable-next-line @typescript-eslint/no-non-null-assertion + $$.fragment && $$.fragment.l(nodes); + nodes.forEach(detach); + } + else { + // eslint-disable-next-line @typescript-eslint/no-non-null-assertion + $$.fragment && $$.fragment.c(); + } + if (options.intro) + transition_in(component.$$.fragment); + mount_component(component, options.target, options.anchor, options.customElement); + flush(); + } + set_current_component(parent_component); +} +/** + * Base class for Svelte components. Used when dev=false. + */ +class SvelteComponent { + $destroy() { + destroy_component(this, 1); + this.$destroy = noop; + } + $on(type, callback) { + const callbacks = (this.$$.callbacks[type] || (this.$$.callbacks[type] = [])); + callbacks.push(callback); + return () => { + const index = callbacks.indexOf(callback); + if (index !== -1) + callbacks.splice(index, 1); + }; + } + $set($$props) { + if (this.$$set && !is_empty($$props)) { + this.$$.skip_bound = true; + this.$$set($$props); + this.$$.skip_bound = false; + } + } +} + +const subscriber_queue = []; +/** + * Creates a `Readable` store that allows reading by subscription. + * @param value initial value + * @param {StartStopNotifier}start start and stop notifications for subscriptions + */ +function readable(value, start) { + return { + subscribe: writable(value, start).subscribe + }; +} +/** + * Create a `Writable` store that allows both updating and reading by subscription. + * @param {*=}value initial value + * @param {StartStopNotifier=}start start and stop notifications for subscriptions + */ +function writable(value, start = noop) { + let stop; + const subscribers = []; + function set(new_value) { + if (safe_not_equal(value, new_value)) { + value = new_value; + if (stop) { // store is ready + const run_queue = !subscriber_queue.length; + for (let i = 0; i < subscribers.length; i += 1) { + const s = subscribers[i]; + s[1](); + subscriber_queue.push(s, value); + } + if (run_queue) { + for (let i = 0; i < subscriber_queue.length; i += 2) { + subscriber_queue[i][0](subscriber_queue[i + 1]); + } + subscriber_queue.length = 0; + } + } + } + } + function update(fn) { + set(fn(value)); + } + function subscribe(run, invalidate = noop) { + const subscriber = [run, invalidate]; + subscribers.push(subscriber); + if (subscribers.length === 1) { + stop = start(set) || noop; + } + run(value); + return () => { + const index = subscribers.indexOf(subscriber); + if (index !== -1) { + subscribers.splice(index, 1); + } + if (subscribers.length === 0) { + stop(); + stop = null; + } + }; + } + return { set, update, subscribe }; +} +function derived(stores, fn, initial_value) { + const single = !Array.isArray(stores); + const stores_array = single + ? [stores] + : stores; + const auto = fn.length < 2; + return readable(initial_value, (set) => { + let inited = false; + const values = []; + let pending = 0; + let cleanup = noop; + const sync = () => { + if (pending) { + return; + } + cleanup(); + const result = fn(single ? values[0] : values, set); + if (auto) { + set(result); + } + else { + cleanup = is_function(result) ? result : noop; + } + }; + const unsubscribers = stores_array.map((store, i) => subscribe(store, (value) => { + values[i] = value; + pending &= ~(1 << i); + if (inited) { + sync(); + } + }, () => { + pending |= (1 << i); + })); + inited = true; + sync(); + return function stop() { + run_all(unsubscribers); + cleanup(); + }; + }); +} + +const ICON_NAME = "longform"; +const ICON_SVG = ''; + +const LONGFORM_CURRENT_PLUGIN_DATA_VERSION = 1; +const LONGFORM_CURRENT_INDEX_VERSION = 1; +var ProjectLoadError; +(function (ProjectLoadError) { + ProjectLoadError[ProjectLoadError["None"] = 0] = "None"; + ProjectLoadError["MissingMetadata"] = "This project\u2019s metadata is either missing or invalid. Please check its index file. If all else fails, you can reset all project tracking in settings and re-mark folders as Longform projects."; +})(ProjectLoadError || (ProjectLoadError = {})); +const DEFAULT_SETTINGS = { + version: LONGFORM_CURRENT_PLUGIN_DATA_VERSION, + projects: {}, + selectedProject: null, + selectedDraft: null, +}; + +// Writable stores +const initialized = writable(false); +const pluginSettings = writable(DEFAULT_SETTINGS); +const projectMetadata = writable({}); +const currentProjectPath = writable(null); +const currentDraftPath = writable(null); +const activeFile = writable(null); +// Derived stores +const projects = derived([pluginSettings, projectMetadata], ([$pluginSettings, $projectMetadata]) => { + const p = {}; + Object.keys($pluginSettings.projects).forEach((projectPath) => { + if ($projectMetadata[projectPath]) { + p[projectPath] = Object.assign(Object.assign(Object.assign({}, $pluginSettings.projects[projectPath]), $projectMetadata[projectPath]), { error: ProjectLoadError.None }); + } + else { + p[projectPath] = Object.assign(Object.assign({}, $pluginSettings.projects[projectPath]), { version: -1, drafts: [], error: ProjectLoadError.MissingMetadata }); + } + }); + return p; +}); +const currentProject = derived([projects, currentProjectPath], ([$projects, $currentProjectPath]) => { + const project = $projects[$currentProjectPath]; + return project || null; +}); +const currentDraft = derived([currentProject, currentDraftPath], ([$currentProject, $currentDraftPath]) => { + if (!$currentProject || !$currentProject.drafts || !$currentDraftPath) { + return null; + } + return ($currentProject.drafts.find((d) => d.folder === $currentDraftPath) || null); +}); + +function compile(vault, projectPath, draftName, targetPath, options) { + return __awaiter(this, void 0, void 0, function* () { + // Grab draft path and metadata + const projectSettings = get_store_value(pluginSettings).projects[projectPath]; + if (!projectSettings) { + console.error(`[Longform] No tracked project at ${projectPath} exists for compilation.`); + return; + } + const scenePath = (scene) => obsidian.normalizePath(`${projectPath}/${projectSettings.draftsPath}/${draftName}/${scene}.md`); + const draftMetadata = get_store_value(projectMetadata)[projectPath].drafts.find((d) => d.folder === draftName); + if (!draftMetadata) { + console.error(`[Longform] No draft named ${draftName} exists in ${projectPath} for compilation.`); + return; + } + let result = ""; + const report = (status, complete) => { + console.log(`[Longform] ${status}`); + options.reportProgress(status, complete); + }; + for (const scene of draftMetadata.scenes) { + const path = scenePath(scene); + const sceneContents = yield vault.adapter.read(path); + report(`Compiling ${path}…`, false); + if (options.includeHeaders) { + result += `# ${scene}\n\n`; + } + result += `${sceneContents}\n\n`; + } + const finalTarget = targetPath.endsWith(".md") + ? targetPath + : targetPath + ".md"; + report(`Writing compile result to ${finalTarget}`, false); + yield vault.adapter.write(finalTarget, result); + report(`Compiled ${draftName} to ${finalTarget}`, true); + }); +} + +/* src/view/compile/CompileView.svelte generated by Svelte v3.38.2 */ + +function add_css$8() { + var style = element("style"); + style.id = "svelte-1vu6mjk-style"; + style.textContent = ".explanation.svelte-1vu6mjk{font-size:10px;line-height:12px}.compile-container.svelte-1vu6mjk{border-top:1px solid var(--text-muted)}.compile-option.svelte-1vu6mjk{margin:12px 0}label.svelte-1vu6mjk{font-size:12px;color:var(--text-muted)}#compile-target-path.svelte-1vu6mjk{width:100%;font-size:14px;line-height:20px}#compile-target-path.invalid.svelte-1vu6mjk{color:var(--text-error)}.compile-button.svelte-1vu6mjk{background-color:var(--interactive-accent);color:var(--text-on-accent)}.compile-button.svelte-1vu6mjk:disabled{background-color:var(--text-muted);color:var(--text-faint)}.compile-status.svelte-1vu6mjk{color:var(--interactive-success);font-size:10px;line-height:12px}"; + append(document.head, style); +} + +// (51:0) {#if $currentProject && $currentDraft} +function create_if_block$5(ctx) { + let div2; + let div0; + let label0; + let t1; + let input0; + let t2; + let p0; + let t4; + let t5; + let div1; + let label1; + let t7; + let input1; + let t8; + let p1; + let t10; + let button; + let t11; + let button_disabled_value; + let t12; + let mounted; + let dispose; + let if_block0 = /*error*/ ctx[3] && create_if_block_2$2(ctx); + let if_block1 = /*status*/ ctx[2].length > 0 && create_if_block_1$3(ctx); + + return { + c() { + div2 = element("div"); + div0 = element("div"); + label0 = element("label"); + label0.textContent = "Write compiled result to:"; + t1 = space(); + input0 = element("input"); + t2 = space(); + p0 = element("p"); + p0.textContent = "The parent folders of this path must already exist in your vault."; + t4 = space(); + if (if_block0) if_block0.c(); + t5 = space(); + div1 = element("div"); + label1 = element("label"); + label1.textContent = "Add note titles as chapter headings"; + t7 = space(); + input1 = element("input"); + t8 = space(); + p1 = element("p"); + p1.textContent = "When selected, this option inserts a # tag with each note’s title above\n that note’s contents in the compilation result."; + t10 = space(); + button = element("button"); + t11 = text("Compile!"); + t12 = space(); + if (if_block1) if_block1.c(); + attr(label0, "for", "compile-target"); + attr(label0, "class", "svelte-1vu6mjk"); + attr(input0, "id", "compile-target-path"); + attr(input0, "name", "compile-target"); + attr(input0, "type", "text"); + attr(input0, "placeholder", "vault/path/to/compiled-note"); + attr(input0, "class", "svelte-1vu6mjk"); + toggle_class(input0, "invalid", !!/*error*/ ctx[3]); + attr(p0, "class", "explanation svelte-1vu6mjk"); + attr(div0, "class", "compile-option svelte-1vu6mjk"); + attr(label1, "for", "include-headers"); + attr(label1, "class", "svelte-1vu6mjk"); + attr(input1, "type", "checkbox"); + attr(input1, "name", "include-headers"); + attr(p1, "class", "explanation svelte-1vu6mjk"); + attr(div1, "class", "compile-option svelte-1vu6mjk"); + attr(button, "class", "compile-button svelte-1vu6mjk"); + button.disabled = button_disabled_value = /*targetPath*/ ctx[0].length === 0 || !!/*error*/ ctx[3]; + attr(div2, "class", "compile-container svelte-1vu6mjk"); + }, + m(target, anchor) { + insert(target, div2, anchor); + append(div2, div0); + append(div0, label0); + append(div0, t1); + append(div0, input0); + set_input_value(input0, /*targetPath*/ ctx[0]); + append(div0, t2); + append(div0, p0); + append(div0, t4); + if (if_block0) if_block0.m(div0, null); + append(div2, t5); + append(div2, div1); + append(div1, label1); + append(div1, t7); + append(div1, input1); + input1.checked = /*includeHeaders*/ ctx[1]; + append(div1, t8); + append(div1, p1); + append(div2, t10); + append(div2, button); + append(button, t11); + append(div2, t12); + if (if_block1) if_block1.m(div2, null); + + if (!mounted) { + dispose = [ + listen(input0, "input", /*input0_input_handler*/ ctx[7]), + listen(input1, "change", /*input1_change_handler*/ ctx[8]), + listen(button, "click", /*doCompile*/ ctx[6]) + ]; + + mounted = true; + } + }, + p(ctx, dirty) { + if (dirty & /*targetPath*/ 1 && input0.value !== /*targetPath*/ ctx[0]) { + set_input_value(input0, /*targetPath*/ ctx[0]); + } + + if (dirty & /*error*/ 8) { + toggle_class(input0, "invalid", !!/*error*/ ctx[3]); + } + + if (/*error*/ ctx[3]) { + if (if_block0) { + if_block0.p(ctx, dirty); + } else { + if_block0 = create_if_block_2$2(ctx); + if_block0.c(); + if_block0.m(div0, null); + } + } else if (if_block0) { + if_block0.d(1); + if_block0 = null; + } + + if (dirty & /*includeHeaders*/ 2) { + input1.checked = /*includeHeaders*/ ctx[1]; + } + + if (dirty & /*targetPath, error*/ 9 && button_disabled_value !== (button_disabled_value = /*targetPath*/ ctx[0].length === 0 || !!/*error*/ ctx[3])) { + button.disabled = button_disabled_value; + } + + if (/*status*/ ctx[2].length > 0) { + if (if_block1) { + if_block1.p(ctx, dirty); + } else { + if_block1 = create_if_block_1$3(ctx); + if_block1.c(); + if_block1.m(div2, null); + } + } else if (if_block1) { + if_block1.d(1); + if_block1 = null; + } + }, + d(detaching) { + if (detaching) detach(div2); + if (if_block0) if_block0.d(); + if (if_block1) if_block1.d(); + mounted = false; + run_all(dispose); + } + }; +} + +// (66:6) {#if error} +function create_if_block_2$2(ctx) { + let p; + let t; + + return { + c() { + p = element("p"); + t = text(/*error*/ ctx[3]); + }, + m(target, anchor) { + insert(target, p, anchor); + append(p, t); + }, + p(ctx, dirty) { + if (dirty & /*error*/ 8) set_data(t, /*error*/ ctx[3]); + }, + d(detaching) { + if (detaching) detach(p); + } + }; +} + +// (88:4) {#if status.length > 0} +function create_if_block_1$3(ctx) { + let p; + let t; + + return { + c() { + p = element("p"); + t = text(/*status*/ ctx[2]); + attr(p, "class", "compile-status svelte-1vu6mjk"); + }, + m(target, anchor) { + insert(target, p, anchor); + append(p, t); + }, + p(ctx, dirty) { + if (dirty & /*status*/ 4) set_data(t, /*status*/ ctx[2]); + }, + d(detaching) { + if (detaching) detach(p); + } + }; +} + +function create_fragment$b(ctx) { + let p; + let t3; + let if_block_anchor; + let if_block = /*$currentProject*/ ctx[4] && /*$currentDraft*/ ctx[5] && create_if_block$5(ctx); + + return { + c() { + p = element("p"); + + p.innerHTML = `Compilation is a work in progress. While I plan to add support for many custom workflows, for now you can use + the Compile feature to stitch all the scenes in a draft together into one big + note.`; + + t3 = space(); + if (if_block) if_block.c(); + if_block_anchor = empty(); + attr(p, "class", "explanation svelte-1vu6mjk"); + }, + m(target, anchor) { + insert(target, p, anchor); + insert(target, t3, anchor); + if (if_block) if_block.m(target, anchor); + insert(target, if_block_anchor, anchor); + }, + p(ctx, [dirty]) { + if (/*$currentProject*/ ctx[4] && /*$currentDraft*/ ctx[5]) { + if (if_block) { + if_block.p(ctx, dirty); + } else { + if_block = create_if_block$5(ctx); + if_block.c(); + if_block.m(if_block_anchor.parentNode, if_block_anchor); + } + } else if (if_block) { + if_block.d(1); + if_block = null; + } + }, + i: noop, + o: noop, + d(detaching) { + if (detaching) detach(p); + if (detaching) detach(t3); + if (if_block) if_block.d(detaching); + if (detaching) detach(if_block_anchor); + } + }; +} + +function instance$b($$self, $$props, $$invalidate) { + let $currentProjectPath; + let $pluginSettings; + let $currentDraftPath; + let $currentProject; + let $currentDraft; + component_subscribe($$self, currentProjectPath, $$value => $$invalidate(9, $currentProjectPath = $$value)); + component_subscribe($$self, pluginSettings, $$value => $$invalidate(10, $pluginSettings = $$value)); + component_subscribe($$self, currentDraftPath, $$value => $$invalidate(11, $currentDraftPath = $$value)); + component_subscribe($$self, currentProject, $$value => $$invalidate(4, $currentProject = $$value)); + component_subscribe($$self, currentDraft, $$value => $$invalidate(5, $currentDraft = $$value)); + let targetPath = ""; + + if ($currentProjectPath && $pluginSettings.projects[$currentProjectPath]) { + const draftsFolder = $pluginSettings.projects[$currentProjectPath].draftsPath; + targetPath = obsidian.normalizePath(`${$currentProjectPath}/${draftsFolder}/${$currentDraftPath}-compiled`); + } + + let includeHeaders = false; + let status = ""; + const getVault = getContext("getVault"); + + function doCompile() { + compile(getVault(), $currentProjectPath, $currentDraftPath, targetPath, { + includeHeaders, + reportProgress: (_status, complete) => { + $$invalidate(2, status = _status); + + if (complete) { + setTimeout( + () => { + $$invalidate(2, status = ""); + }, + 5000 + ); + } + } + }); + } + + let error = null; + + function input0_input_handler() { + targetPath = this.value; + $$invalidate(0, targetPath); + } + + function input1_change_handler() { + includeHeaders = this.checked; + $$invalidate(1, includeHeaders); + } + + $$self.$$.update = () => { + if ($$self.$$.dirty & /*targetPath*/ 1) { + { + if (targetPath.length === 0) { + $$invalidate(3, error = null); + } else if (targetPath.split("/").slice(-1)[0].match(/[\/\\:]/g)) { + $$invalidate(3, error = "A file cannot contain the characters: \\ / :"); + } else { + $$invalidate(3, error = null); + } + } + } + }; + + return [ + targetPath, + includeHeaders, + status, + error, + $currentProject, + $currentDraft, + doCompile, + input0_input_handler, + input1_change_handler + ]; +} + +class CompileView extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-1vu6mjk-style")) add_css$8(); + init(this, options, instance$b, create_fragment$b, safe_not_equal, {}); + } +} + +/* src/view/tabs/Tabs.svelte generated by Svelte v3.38.2 */ + +function create_fragment$a(ctx) { + let div; + let current; + const default_slot_template = /*#slots*/ ctx[1].default; + const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[0], null); + + return { + c() { + div = element("div"); + if (default_slot) default_slot.c(); + attr(div, "class", "tabs"); + }, + m(target, anchor) { + insert(target, div, anchor); + + if (default_slot) { + default_slot.m(div, null); + } + + current = true; + }, + p(ctx, [dirty]) { + if (default_slot) { + if (default_slot.p && (!current || dirty & /*$$scope*/ 1)) { + update_slot(default_slot, default_slot_template, ctx, /*$$scope*/ ctx[0], dirty, null, null); + } + } + }, + i(local) { + if (current) return; + transition_in(default_slot, local); + current = true; + }, + o(local) { + transition_out(default_slot, local); + current = false; + }, + d(detaching) { + if (detaching) detach(div); + if (default_slot) default_slot.d(detaching); + } + }; +} + +const TABS = {}; + +function instance$a($$self, $$props, $$invalidate) { + let { $$slots: slots = {}, $$scope } = $$props; + const tabs = []; + const panels = []; + const selectedTab = writable(null); + const selectedPanel = writable(null); + + setContext(TABS, { + registerTab: tab => { + tabs.push(tab); + selectedTab.update(current => current || tab); + + onDestroy(() => { + const i = tabs.indexOf(tab); + tabs.splice(i, 1); + + selectedTab.update(current => current === tab + ? tabs[i] || tabs[tabs.length - 1] + : current); + }); + }, + registerPanel: panel => { + panels.push(panel); + selectedPanel.update(current => current || panel); + + onDestroy(() => { + const i = panels.indexOf(panel); + panels.splice(i, 1); + + selectedPanel.update(current => current === panel + ? panels[i] || panels[panels.length - 1] + : current); + }); + }, + selectTab: tab => { + const i = tabs.indexOf(tab); + selectedTab.set(tab); + selectedPanel.set(panels[i]); + }, + selectedTab, + selectedPanel + }); + + $$self.$$set = $$props => { + if ("$$scope" in $$props) $$invalidate(0, $$scope = $$props.$$scope); + }; + + return [$$scope, slots]; +} + +class Tabs extends SvelteComponent { + constructor(options) { + super(); + init(this, options, instance$a, create_fragment$a, safe_not_equal, {}); + } +} + +/* src/view/tabs/TabList.svelte generated by Svelte v3.38.2 */ + +function add_css$7() { + var style = element("style"); + style.id = "svelte-1bo97vk-style"; + style.textContent = ".tab-list.svelte-1bo97vk{margin:4px 8px;border-bottom:1px solid var(--text-muted)}"; + append(document.head, style); +} + +function create_fragment$9(ctx) { + let div; + let current; + const default_slot_template = /*#slots*/ ctx[1].default; + const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[0], null); + + return { + c() { + div = element("div"); + if (default_slot) default_slot.c(); + attr(div, "class", "tab-list svelte-1bo97vk"); + }, + m(target, anchor) { + insert(target, div, anchor); + + if (default_slot) { + default_slot.m(div, null); + } + + current = true; + }, + p(ctx, [dirty]) { + if (default_slot) { + if (default_slot.p && (!current || dirty & /*$$scope*/ 1)) { + update_slot(default_slot, default_slot_template, ctx, /*$$scope*/ ctx[0], dirty, null, null); + } + } + }, + i(local) { + if (current) return; + transition_in(default_slot, local); + current = true; + }, + o(local) { + transition_out(default_slot, local); + current = false; + }, + d(detaching) { + if (detaching) detach(div); + if (default_slot) default_slot.d(detaching); + } + }; +} + +function instance$9($$self, $$props, $$invalidate) { + let { $$slots: slots = {}, $$scope } = $$props; + + $$self.$$set = $$props => { + if ("$$scope" in $$props) $$invalidate(0, $$scope = $$props.$$scope); + }; + + return [$$scope, slots]; +} + +class TabList extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-1bo97vk-style")) add_css$7(); + init(this, options, instance$9, create_fragment$9, safe_not_equal, {}); + } +} + +/* src/view/tabs/TabPanel.svelte generated by Svelte v3.38.2 */ + +function add_css$6() { + var style = element("style"); + style.id = "svelte-11pvpwl-style"; + style.textContent = ".tab-panel-container.svelte-11pvpwl{padding:0 8px}"; + append(document.head, style); +} + +// (11:0) {#if $selectedPanel === panel} +function create_if_block$4(ctx) { + let div; + let current; + const default_slot_template = /*#slots*/ ctx[4].default; + const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[3], null); + + return { + c() { + div = element("div"); + if (default_slot) default_slot.c(); + attr(div, "class", "tab-panel-container svelte-11pvpwl"); + }, + m(target, anchor) { + insert(target, div, anchor); + + if (default_slot) { + default_slot.m(div, null); + } + + current = true; + }, + p(ctx, dirty) { + if (default_slot) { + if (default_slot.p && (!current || dirty & /*$$scope*/ 8)) { + update_slot(default_slot, default_slot_template, ctx, /*$$scope*/ ctx[3], dirty, null, null); + } + } + }, + i(local) { + if (current) return; + transition_in(default_slot, local); + current = true; + }, + o(local) { + transition_out(default_slot, local); + current = false; + }, + d(detaching) { + if (detaching) detach(div); + if (default_slot) default_slot.d(detaching); + } + }; +} + +function create_fragment$8(ctx) { + let if_block_anchor; + let current; + let if_block = /*$selectedPanel*/ ctx[0] === /*panel*/ ctx[1] && create_if_block$4(ctx); + + return { + c() { + if (if_block) if_block.c(); + if_block_anchor = empty(); + }, + m(target, anchor) { + if (if_block) if_block.m(target, anchor); + insert(target, if_block_anchor, anchor); + current = true; + }, + p(ctx, [dirty]) { + if (/*$selectedPanel*/ ctx[0] === /*panel*/ ctx[1]) { + if (if_block) { + if_block.p(ctx, dirty); + + if (dirty & /*$selectedPanel*/ 1) { + transition_in(if_block, 1); + } + } else { + if_block = create_if_block$4(ctx); + if_block.c(); + transition_in(if_block, 1); + if_block.m(if_block_anchor.parentNode, if_block_anchor); + } + } else if (if_block) { + group_outros(); + + transition_out(if_block, 1, 1, () => { + if_block = null; + }); + + check_outros(); + } + }, + i(local) { + if (current) return; + transition_in(if_block); + current = true; + }, + o(local) { + transition_out(if_block); + current = false; + }, + d(detaching) { + if (if_block) if_block.d(detaching); + if (detaching) detach(if_block_anchor); + } + }; +} + +function instance$8($$self, $$props, $$invalidate) { + let $selectedPanel; + let { $$slots: slots = {}, $$scope } = $$props; + const panel = {}; + const { registerPanel, selectedPanel } = getContext(TABS); + component_subscribe($$self, selectedPanel, value => $$invalidate(0, $selectedPanel = value)); + registerPanel(panel); + + $$self.$$set = $$props => { + if ("$$scope" in $$props) $$invalidate(3, $$scope = $$props.$$scope); + }; + + return [$selectedPanel, panel, selectedPanel, $$scope, slots]; +} + +class TabPanel extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-11pvpwl-style")) add_css$6(); + init(this, options, instance$8, create_fragment$8, safe_not_equal, {}); + } +} + +/* src/view/tabs/Tab.svelte generated by Svelte v3.38.2 */ + +function add_css$5() { + var style = element("style"); + style.id = "svelte-htpziy-style"; + style.textContent = "button.svelte-htpziy{background:none;border:none;border-bottom:none;border-radius:0;margin:0;color:var(--interactive-accent)}.selected.svelte-htpziy{border-bottom:2px solid var(--text-muted);color:var(--text-accent)}"; + append(document.head, style); +} + +function create_fragment$7(ctx) { + let button; + let current; + let mounted; + let dispose; + const default_slot_template = /*#slots*/ ctx[5].default; + const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[4], null); + + return { + c() { + button = element("button"); + if (default_slot) default_slot.c(); + attr(button, "class", "svelte-htpziy"); + toggle_class(button, "selected", /*$selectedTab*/ ctx[0] === /*tab*/ ctx[1]); + }, + m(target, anchor) { + insert(target, button, anchor); + + if (default_slot) { + default_slot.m(button, null); + } + + current = true; + + if (!mounted) { + dispose = listen(button, "click", /*click_handler*/ ctx[6]); + mounted = true; + } + }, + p(ctx, [dirty]) { + if (default_slot) { + if (default_slot.p && (!current || dirty & /*$$scope*/ 16)) { + update_slot(default_slot, default_slot_template, ctx, /*$$scope*/ ctx[4], dirty, null, null); + } + } + + if (dirty & /*$selectedTab, tab*/ 3) { + toggle_class(button, "selected", /*$selectedTab*/ ctx[0] === /*tab*/ ctx[1]); + } + }, + i(local) { + if (current) return; + transition_in(default_slot, local); + current = true; + }, + o(local) { + transition_out(default_slot, local); + current = false; + }, + d(detaching) { + if (detaching) detach(button); + if (default_slot) default_slot.d(detaching); + mounted = false; + dispose(); + } + }; +} + +function instance$7($$self, $$props, $$invalidate) { + let $selectedTab; + let { $$slots: slots = {}, $$scope } = $$props; + const tab = {}; + const { registerTab, selectTab, selectedTab } = getContext(TABS); + component_subscribe($$self, selectedTab, value => $$invalidate(0, $selectedTab = value)); + registerTab(tab); + const click_handler = () => selectTab(tab); + + $$self.$$set = $$props => { + if ("$$scope" in $$props) $$invalidate(4, $$scope = $$props.$$scope); + }; + + return [$selectedTab, tab, selectTab, selectedTab, $$scope, slots, click_handler]; +} + +class Tab extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-htpziy-style")) add_css$5(); + init(this, options, instance$7, create_fragment$7, safe_not_equal, {}); + } +} + +/**! + * Sortable 1.14.0 + * @author RubaXa + * @author owenm + * @license MIT + */ +function ownKeys(object, enumerableOnly) { + var keys = Object.keys(object); + + if (Object.getOwnPropertySymbols) { + var symbols = Object.getOwnPropertySymbols(object); + + if (enumerableOnly) { + symbols = symbols.filter(function (sym) { + return Object.getOwnPropertyDescriptor(object, sym).enumerable; + }); + } + + keys.push.apply(keys, symbols); + } + + return keys; +} + +function _objectSpread2(target) { + for (var i = 1; i < arguments.length; i++) { + var source = arguments[i] != null ? arguments[i] : {}; + + if (i % 2) { + ownKeys(Object(source), true).forEach(function (key) { + _defineProperty$1(target, key, source[key]); + }); + } else if (Object.getOwnPropertyDescriptors) { + Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); + } else { + ownKeys(Object(source)).forEach(function (key) { + Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); + }); + } + } + + return target; +} + +function _typeof(obj) { + "@babel/helpers - typeof"; + + if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { + _typeof = function (obj) { + return typeof obj; + }; + } else { + _typeof = function (obj) { + return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; + }; + } + + return _typeof(obj); +} + +function _defineProperty$1(obj, key, value) { + if (key in obj) { + Object.defineProperty(obj, key, { + value: value, + enumerable: true, + configurable: true, + writable: true + }); + } else { + obj[key] = value; + } + + return obj; +} + +function _extends() { + _extends = Object.assign || function (target) { + for (var i = 1; i < arguments.length; i++) { + var source = arguments[i]; + + for (var key in source) { + if (Object.prototype.hasOwnProperty.call(source, key)) { + target[key] = source[key]; + } + } + } + + return target; + }; + + return _extends.apply(this, arguments); +} + +function _objectWithoutPropertiesLoose(source, excluded) { + if (source == null) return {}; + var target = {}; + var sourceKeys = Object.keys(source); + var key, i; + + for (i = 0; i < sourceKeys.length; i++) { + key = sourceKeys[i]; + if (excluded.indexOf(key) >= 0) continue; + target[key] = source[key]; + } + + return target; +} + +function _objectWithoutProperties(source, excluded) { + if (source == null) return {}; + + var target = _objectWithoutPropertiesLoose(source, excluded); + + var key, i; + + if (Object.getOwnPropertySymbols) { + var sourceSymbolKeys = Object.getOwnPropertySymbols(source); + + for (i = 0; i < sourceSymbolKeys.length; i++) { + key = sourceSymbolKeys[i]; + if (excluded.indexOf(key) >= 0) continue; + if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; + target[key] = source[key]; + } + } + + return target; +} + +var version = "1.14.0"; + +function userAgent(pattern) { + if (typeof window !== 'undefined' && window.navigator) { + return !! /*@__PURE__*/navigator.userAgent.match(pattern); + } +} + +var IE11OrLess = userAgent(/(?:Trident.*rv[ :]?11\.|msie|iemobile|Windows Phone)/i); +var Edge = userAgent(/Edge/i); +var FireFox = userAgent(/firefox/i); +var Safari = userAgent(/safari/i) && !userAgent(/chrome/i) && !userAgent(/android/i); +var IOS = userAgent(/iP(ad|od|hone)/i); +var ChromeForAndroid = userAgent(/chrome/i) && userAgent(/android/i); + +var captureMode = { + capture: false, + passive: false +}; + +function on(el, event, fn) { + el.addEventListener(event, fn, !IE11OrLess && captureMode); +} + +function off(el, event, fn) { + el.removeEventListener(event, fn, !IE11OrLess && captureMode); +} + +function matches( +/**HTMLElement*/ +el, +/**String*/ +selector) { + if (!selector) return; + selector[0] === '>' && (selector = selector.substring(1)); + + if (el) { + try { + if (el.matches) { + return el.matches(selector); + } else if (el.msMatchesSelector) { + return el.msMatchesSelector(selector); + } else if (el.webkitMatchesSelector) { + return el.webkitMatchesSelector(selector); + } + } catch (_) { + return false; + } + } + + return false; +} + +function getParentOrHost(el) { + return el.host && el !== document && el.host.nodeType ? el.host : el.parentNode; +} + +function closest( +/**HTMLElement*/ +el, +/**String*/ +selector, +/**HTMLElement*/ +ctx, includeCTX) { + if (el) { + ctx = ctx || document; + + do { + if (selector != null && (selector[0] === '>' ? el.parentNode === ctx && matches(el, selector) : matches(el, selector)) || includeCTX && el === ctx) { + return el; + } + + if (el === ctx) break; + /* jshint boss:true */ + } while (el = getParentOrHost(el)); + } + + return null; +} + +var R_SPACE = /\s+/g; + +function toggleClass(el, name, state) { + if (el && name) { + if (el.classList) { + el.classList[state ? 'add' : 'remove'](name); + } else { + var className = (' ' + el.className + ' ').replace(R_SPACE, ' ').replace(' ' + name + ' ', ' '); + el.className = (className + (state ? ' ' + name : '')).replace(R_SPACE, ' '); + } + } +} + +function css(el, prop, val) { + var style = el && el.style; + + if (style) { + if (val === void 0) { + if (document.defaultView && document.defaultView.getComputedStyle) { + val = document.defaultView.getComputedStyle(el, ''); + } else if (el.currentStyle) { + val = el.currentStyle; + } + + return prop === void 0 ? val : val[prop]; + } else { + if (!(prop in style) && prop.indexOf('webkit') === -1) { + prop = '-webkit-' + prop; + } + + style[prop] = val + (typeof val === 'string' ? '' : 'px'); + } + } +} + +function matrix(el, selfOnly) { + var appliedTransforms = ''; + + if (typeof el === 'string') { + appliedTransforms = el; + } else { + do { + var transform = css(el, 'transform'); + + if (transform && transform !== 'none') { + appliedTransforms = transform + ' ' + appliedTransforms; + } + /* jshint boss:true */ + + } while (!selfOnly && (el = el.parentNode)); + } + + var matrixFn = window.DOMMatrix || window.WebKitCSSMatrix || window.CSSMatrix || window.MSCSSMatrix; + /*jshint -W056 */ + + return matrixFn && new matrixFn(appliedTransforms); +} + +function find(ctx, tagName, iterator) { + if (ctx) { + var list = ctx.getElementsByTagName(tagName), + i = 0, + n = list.length; + + if (iterator) { + for (; i < n; i++) { + iterator(list[i], i); + } + } + + return list; + } + + return []; +} + +function getWindowScrollingElement() { + var scrollingElement = document.scrollingElement; + + if (scrollingElement) { + return scrollingElement; + } else { + return document.documentElement; + } +} +/** + * Returns the "bounding client rect" of given element + * @param {HTMLElement} el The element whose boundingClientRect is wanted + * @param {[Boolean]} relativeToContainingBlock Whether the rect should be relative to the containing block of (including) the container + * @param {[Boolean]} relativeToNonStaticParent Whether the rect should be relative to the relative parent of (including) the contaienr + * @param {[Boolean]} undoScale Whether the container's scale() should be undone + * @param {[HTMLElement]} container The parent the element will be placed in + * @return {Object} The boundingClientRect of el, with specified adjustments + */ + + +function getRect(el, relativeToContainingBlock, relativeToNonStaticParent, undoScale, container) { + if (!el.getBoundingClientRect && el !== window) return; + var elRect, top, left, bottom, right, height, width; + + if (el !== window && el.parentNode && el !== getWindowScrollingElement()) { + elRect = el.getBoundingClientRect(); + top = elRect.top; + left = elRect.left; + bottom = elRect.bottom; + right = elRect.right; + height = elRect.height; + width = elRect.width; + } else { + top = 0; + left = 0; + bottom = window.innerHeight; + right = window.innerWidth; + height = window.innerHeight; + width = window.innerWidth; + } + + if ((relativeToContainingBlock || relativeToNonStaticParent) && el !== window) { + // Adjust for translate() + container = container || el.parentNode; // solves #1123 (see: https://stackoverflow.com/a/37953806/6088312) + // Not needed on <= IE11 + + if (!IE11OrLess) { + do { + if (container && container.getBoundingClientRect && (css(container, 'transform') !== 'none' || relativeToNonStaticParent && css(container, 'position') !== 'static')) { + var containerRect = container.getBoundingClientRect(); // Set relative to edges of padding box of container + + top -= containerRect.top + parseInt(css(container, 'border-top-width')); + left -= containerRect.left + parseInt(css(container, 'border-left-width')); + bottom = top + elRect.height; + right = left + elRect.width; + break; + } + /* jshint boss:true */ + + } while (container = container.parentNode); + } + } + + if (undoScale && el !== window) { + // Adjust for scale() + var elMatrix = matrix(container || el), + scaleX = elMatrix && elMatrix.a, + scaleY = elMatrix && elMatrix.d; + + if (elMatrix) { + top /= scaleY; + left /= scaleX; + width /= scaleX; + height /= scaleY; + bottom = top + height; + right = left + width; + } + } + + return { + top: top, + left: left, + bottom: bottom, + right: right, + width: width, + height: height + }; +} +/** + * Checks if a side of an element is scrolled past a side of its parents + * @param {HTMLElement} el The element who's side being scrolled out of view is in question + * @param {String} elSide Side of the element in question ('top', 'left', 'right', 'bottom') + * @param {String} parentSide Side of the parent in question ('top', 'left', 'right', 'bottom') + * @return {HTMLElement} The parent scroll element that the el's side is scrolled past, or null if there is no such element + */ + + +function isScrolledPast(el, elSide, parentSide) { + var parent = getParentAutoScrollElement(el, true), + elSideVal = getRect(el)[elSide]; + /* jshint boss:true */ + + while (parent) { + var parentSideVal = getRect(parent)[parentSide], + visible = void 0; + + if (parentSide === 'top' || parentSide === 'left') { + visible = elSideVal >= parentSideVal; + } else { + visible = elSideVal <= parentSideVal; + } + + if (!visible) return parent; + if (parent === getWindowScrollingElement()) break; + parent = getParentAutoScrollElement(parent, false); + } + + return false; +} +/** + * Gets nth child of el, ignoring hidden children, sortable's elements (does not ignore clone if it's visible) + * and non-draggable elements + * @param {HTMLElement} el The parent element + * @param {Number} childNum The index of the child + * @param {Object} options Parent Sortable's options + * @return {HTMLElement} The child at index childNum, or null if not found + */ + + +function getChild(el, childNum, options, includeDragEl) { + var currentChild = 0, + i = 0, + children = el.children; + + while (i < children.length) { + if (children[i].style.display !== 'none' && children[i] !== Sortable.ghost && (includeDragEl || children[i] !== Sortable.dragged) && closest(children[i], options.draggable, el, false)) { + if (currentChild === childNum) { + return children[i]; + } + + currentChild++; + } + + i++; + } + + return null; +} +/** + * Gets the last child in the el, ignoring ghostEl or invisible elements (clones) + * @param {HTMLElement} el Parent element + * @param {selector} selector Any other elements that should be ignored + * @return {HTMLElement} The last child, ignoring ghostEl + */ + + +function lastChild(el, selector) { + var last = el.lastElementChild; + + while (last && (last === Sortable.ghost || css(last, 'display') === 'none' || selector && !matches(last, selector))) { + last = last.previousElementSibling; + } + + return last || null; +} +/** + * Returns the index of an element within its parent for a selected set of + * elements + * @param {HTMLElement} el + * @param {selector} selector + * @return {number} + */ + + +function index(el, selector) { + var index = 0; + + if (!el || !el.parentNode) { + return -1; + } + /* jshint boss:true */ + + + while (el = el.previousElementSibling) { + if (el.nodeName.toUpperCase() !== 'TEMPLATE' && el !== Sortable.clone && (!selector || matches(el, selector))) { + index++; + } + } + + return index; +} +/** + * Returns the scroll offset of the given element, added with all the scroll offsets of parent elements. + * The value is returned in real pixels. + * @param {HTMLElement} el + * @return {Array} Offsets in the format of [left, top] + */ + + +function getRelativeScrollOffset(el) { + var offsetLeft = 0, + offsetTop = 0, + winScroller = getWindowScrollingElement(); + + if (el) { + do { + var elMatrix = matrix(el), + scaleX = elMatrix.a, + scaleY = elMatrix.d; + offsetLeft += el.scrollLeft * scaleX; + offsetTop += el.scrollTop * scaleY; + } while (el !== winScroller && (el = el.parentNode)); + } + + return [offsetLeft, offsetTop]; +} +/** + * Returns the index of the object within the given array + * @param {Array} arr Array that may or may not hold the object + * @param {Object} obj An object that has a key-value pair unique to and identical to a key-value pair in the object you want to find + * @return {Number} The index of the object in the array, or -1 + */ + + +function indexOfObject(arr, obj) { + for (var i in arr) { + if (!arr.hasOwnProperty(i)) continue; + + for (var key in obj) { + if (obj.hasOwnProperty(key) && obj[key] === arr[i][key]) return Number(i); + } + } + + return -1; +} + +function getParentAutoScrollElement(el, includeSelf) { + // skip to window + if (!el || !el.getBoundingClientRect) return getWindowScrollingElement(); + var elem = el; + var gotSelf = false; + + do { + // we don't need to get elem css if it isn't even overflowing in the first place (performance) + if (elem.clientWidth < elem.scrollWidth || elem.clientHeight < elem.scrollHeight) { + var elemCSS = css(elem); + + if (elem.clientWidth < elem.scrollWidth && (elemCSS.overflowX == 'auto' || elemCSS.overflowX == 'scroll') || elem.clientHeight < elem.scrollHeight && (elemCSS.overflowY == 'auto' || elemCSS.overflowY == 'scroll')) { + if (!elem.getBoundingClientRect || elem === document.body) return getWindowScrollingElement(); + if (gotSelf || includeSelf) return elem; + gotSelf = true; + } + } + /* jshint boss:true */ + + } while (elem = elem.parentNode); + + return getWindowScrollingElement(); +} + +function extend(dst, src) { + if (dst && src) { + for (var key in src) { + if (src.hasOwnProperty(key)) { + dst[key] = src[key]; + } + } + } + + return dst; +} + +function isRectEqual(rect1, rect2) { + return Math.round(rect1.top) === Math.round(rect2.top) && Math.round(rect1.left) === Math.round(rect2.left) && Math.round(rect1.height) === Math.round(rect2.height) && Math.round(rect1.width) === Math.round(rect2.width); +} + +var _throttleTimeout; + +function throttle(callback, ms) { + return function () { + if (!_throttleTimeout) { + var args = arguments, + _this = this; + + if (args.length === 1) { + callback.call(_this, args[0]); + } else { + callback.apply(_this, args); + } + + _throttleTimeout = setTimeout(function () { + _throttleTimeout = void 0; + }, ms); + } + }; +} + +function scrollBy(el, x, y) { + el.scrollLeft += x; + el.scrollTop += y; +} + +function clone(el) { + var Polymer = window.Polymer; + var $ = window.jQuery || window.Zepto; + + if (Polymer && Polymer.dom) { + return Polymer.dom(el).cloneNode(true); + } else if ($) { + return $(el).clone(true)[0]; + } else { + return el.cloneNode(true); + } +} + +var expando = 'Sortable' + new Date().getTime(); + +function AnimationStateManager() { + var animationStates = [], + animationCallbackId; + return { + captureAnimationState: function captureAnimationState() { + animationStates = []; + if (!this.options.animation) return; + var children = [].slice.call(this.el.children); + children.forEach(function (child) { + if (css(child, 'display') === 'none' || child === Sortable.ghost) return; + animationStates.push({ + target: child, + rect: getRect(child) + }); + + var fromRect = _objectSpread2({}, animationStates[animationStates.length - 1].rect); // If animating: compensate for current animation + + + if (child.thisAnimationDuration) { + var childMatrix = matrix(child, true); + + if (childMatrix) { + fromRect.top -= childMatrix.f; + fromRect.left -= childMatrix.e; + } + } + + child.fromRect = fromRect; + }); + }, + addAnimationState: function addAnimationState(state) { + animationStates.push(state); + }, + removeAnimationState: function removeAnimationState(target) { + animationStates.splice(indexOfObject(animationStates, { + target: target + }), 1); + }, + animateAll: function animateAll(callback) { + var _this = this; + + if (!this.options.animation) { + clearTimeout(animationCallbackId); + if (typeof callback === 'function') callback(); + return; + } + + var animating = false, + animationTime = 0; + animationStates.forEach(function (state) { + var time = 0, + target = state.target, + fromRect = target.fromRect, + toRect = getRect(target), + prevFromRect = target.prevFromRect, + prevToRect = target.prevToRect, + animatingRect = state.rect, + targetMatrix = matrix(target, true); + + if (targetMatrix) { + // Compensate for current animation + toRect.top -= targetMatrix.f; + toRect.left -= targetMatrix.e; + } + + target.toRect = toRect; + + if (target.thisAnimationDuration) { + // Could also check if animatingRect is between fromRect and toRect + if (isRectEqual(prevFromRect, toRect) && !isRectEqual(fromRect, toRect) && // Make sure animatingRect is on line between toRect & fromRect + (animatingRect.top - toRect.top) / (animatingRect.left - toRect.left) === (fromRect.top - toRect.top) / (fromRect.left - toRect.left)) { + // If returning to same place as started from animation and on same axis + time = calculateRealTime(animatingRect, prevFromRect, prevToRect, _this.options); + } + } // if fromRect != toRect: animate + + + if (!isRectEqual(toRect, fromRect)) { + target.prevFromRect = fromRect; + target.prevToRect = toRect; + + if (!time) { + time = _this.options.animation; + } + + _this.animate(target, animatingRect, toRect, time); + } + + if (time) { + animating = true; + animationTime = Math.max(animationTime, time); + clearTimeout(target.animationResetTimer); + target.animationResetTimer = setTimeout(function () { + target.animationTime = 0; + target.prevFromRect = null; + target.fromRect = null; + target.prevToRect = null; + target.thisAnimationDuration = null; + }, time); + target.thisAnimationDuration = time; + } + }); + clearTimeout(animationCallbackId); + + if (!animating) { + if (typeof callback === 'function') callback(); + } else { + animationCallbackId = setTimeout(function () { + if (typeof callback === 'function') callback(); + }, animationTime); + } + + animationStates = []; + }, + animate: function animate(target, currentRect, toRect, duration) { + if (duration) { + css(target, 'transition', ''); + css(target, 'transform', ''); + var elMatrix = matrix(this.el), + scaleX = elMatrix && elMatrix.a, + scaleY = elMatrix && elMatrix.d, + translateX = (currentRect.left - toRect.left) / (scaleX || 1), + translateY = (currentRect.top - toRect.top) / (scaleY || 1); + target.animatingX = !!translateX; + target.animatingY = !!translateY; + css(target, 'transform', 'translate3d(' + translateX + 'px,' + translateY + 'px,0)'); + this.forRepaintDummy = repaint(target); // repaint + + css(target, 'transition', 'transform ' + duration + 'ms' + (this.options.easing ? ' ' + this.options.easing : '')); + css(target, 'transform', 'translate3d(0,0,0)'); + typeof target.animated === 'number' && clearTimeout(target.animated); + target.animated = setTimeout(function () { + css(target, 'transition', ''); + css(target, 'transform', ''); + target.animated = false; + target.animatingX = false; + target.animatingY = false; + }, duration); + } + } + }; +} + +function repaint(target) { + return target.offsetWidth; +} + +function calculateRealTime(animatingRect, fromRect, toRect, options) { + return Math.sqrt(Math.pow(fromRect.top - animatingRect.top, 2) + Math.pow(fromRect.left - animatingRect.left, 2)) / Math.sqrt(Math.pow(fromRect.top - toRect.top, 2) + Math.pow(fromRect.left - toRect.left, 2)) * options.animation; +} + +var plugins = []; +var defaults = { + initializeByDefault: true +}; +var PluginManager = { + mount: function mount(plugin) { + // Set default static properties + for (var option in defaults) { + if (defaults.hasOwnProperty(option) && !(option in plugin)) { + plugin[option] = defaults[option]; + } + } + + plugins.forEach(function (p) { + if (p.pluginName === plugin.pluginName) { + throw "Sortable: Cannot mount plugin ".concat(plugin.pluginName, " more than once"); + } + }); + plugins.push(plugin); + }, + pluginEvent: function pluginEvent(eventName, sortable, evt) { + var _this = this; + + this.eventCanceled = false; + + evt.cancel = function () { + _this.eventCanceled = true; + }; + + var eventNameGlobal = eventName + 'Global'; + plugins.forEach(function (plugin) { + if (!sortable[plugin.pluginName]) return; // Fire global events if it exists in this sortable + + if (sortable[plugin.pluginName][eventNameGlobal]) { + sortable[plugin.pluginName][eventNameGlobal](_objectSpread2({ + sortable: sortable + }, evt)); + } // Only fire plugin event if plugin is enabled in this sortable, + // and plugin has event defined + + + if (sortable.options[plugin.pluginName] && sortable[plugin.pluginName][eventName]) { + sortable[plugin.pluginName][eventName](_objectSpread2({ + sortable: sortable + }, evt)); + } + }); + }, + initializePlugins: function initializePlugins(sortable, el, defaults, options) { + plugins.forEach(function (plugin) { + var pluginName = plugin.pluginName; + if (!sortable.options[pluginName] && !plugin.initializeByDefault) return; + var initialized = new plugin(sortable, el, sortable.options); + initialized.sortable = sortable; + initialized.options = sortable.options; + sortable[pluginName] = initialized; // Add default options from plugin + + _extends(defaults, initialized.defaults); + }); + + for (var option in sortable.options) { + if (!sortable.options.hasOwnProperty(option)) continue; + var modified = this.modifyOption(sortable, option, sortable.options[option]); + + if (typeof modified !== 'undefined') { + sortable.options[option] = modified; + } + } + }, + getEventProperties: function getEventProperties(name, sortable) { + var eventProperties = {}; + plugins.forEach(function (plugin) { + if (typeof plugin.eventProperties !== 'function') return; + + _extends(eventProperties, plugin.eventProperties.call(sortable[plugin.pluginName], name)); + }); + return eventProperties; + }, + modifyOption: function modifyOption(sortable, name, value) { + var modifiedValue; + plugins.forEach(function (plugin) { + // Plugin must exist on the Sortable + if (!sortable[plugin.pluginName]) return; // If static option listener exists for this option, call in the context of the Sortable's instance of this plugin + + if (plugin.optionListeners && typeof plugin.optionListeners[name] === 'function') { + modifiedValue = plugin.optionListeners[name].call(sortable[plugin.pluginName], value); + } + }); + return modifiedValue; + } +}; + +function dispatchEvent(_ref) { + var sortable = _ref.sortable, + rootEl = _ref.rootEl, + name = _ref.name, + targetEl = _ref.targetEl, + cloneEl = _ref.cloneEl, + toEl = _ref.toEl, + fromEl = _ref.fromEl, + oldIndex = _ref.oldIndex, + newIndex = _ref.newIndex, + oldDraggableIndex = _ref.oldDraggableIndex, + newDraggableIndex = _ref.newDraggableIndex, + originalEvent = _ref.originalEvent, + putSortable = _ref.putSortable, + extraEventProperties = _ref.extraEventProperties; + sortable = sortable || rootEl && rootEl[expando]; + if (!sortable) return; + var evt, + options = sortable.options, + onName = 'on' + name.charAt(0).toUpperCase() + name.substr(1); // Support for new CustomEvent feature + + if (window.CustomEvent && !IE11OrLess && !Edge) { + evt = new CustomEvent(name, { + bubbles: true, + cancelable: true + }); + } else { + evt = document.createEvent('Event'); + evt.initEvent(name, true, true); + } + + evt.to = toEl || rootEl; + evt.from = fromEl || rootEl; + evt.item = targetEl || rootEl; + evt.clone = cloneEl; + evt.oldIndex = oldIndex; + evt.newIndex = newIndex; + evt.oldDraggableIndex = oldDraggableIndex; + evt.newDraggableIndex = newDraggableIndex; + evt.originalEvent = originalEvent; + evt.pullMode = putSortable ? putSortable.lastPutMode : undefined; + + var allEventProperties = _objectSpread2(_objectSpread2({}, extraEventProperties), PluginManager.getEventProperties(name, sortable)); + + for (var option in allEventProperties) { + evt[option] = allEventProperties[option]; + } + + if (rootEl) { + rootEl.dispatchEvent(evt); + } + + if (options[onName]) { + options[onName].call(sortable, evt); + } +} + +var _excluded = ["evt"]; + +var pluginEvent = function pluginEvent(eventName, sortable) { + var _ref = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}, + originalEvent = _ref.evt, + data = _objectWithoutProperties(_ref, _excluded); + + PluginManager.pluginEvent.bind(Sortable)(eventName, sortable, _objectSpread2({ + dragEl: dragEl, + parentEl: parentEl, + ghostEl: ghostEl, + rootEl: rootEl, + nextEl: nextEl, + lastDownEl: lastDownEl, + cloneEl: cloneEl, + cloneHidden: cloneHidden, + dragStarted: moved, + putSortable: putSortable, + activeSortable: Sortable.active, + originalEvent: originalEvent, + oldIndex: oldIndex, + oldDraggableIndex: oldDraggableIndex, + newIndex: newIndex, + newDraggableIndex: newDraggableIndex, + hideGhostForTarget: _hideGhostForTarget, + unhideGhostForTarget: _unhideGhostForTarget, + cloneNowHidden: function cloneNowHidden() { + cloneHidden = true; + }, + cloneNowShown: function cloneNowShown() { + cloneHidden = false; + }, + dispatchSortableEvent: function dispatchSortableEvent(name) { + _dispatchEvent({ + sortable: sortable, + name: name, + originalEvent: originalEvent + }); + } + }, data)); +}; + +function _dispatchEvent(info) { + dispatchEvent(_objectSpread2({ + putSortable: putSortable, + cloneEl: cloneEl, + targetEl: dragEl, + rootEl: rootEl, + oldIndex: oldIndex, + oldDraggableIndex: oldDraggableIndex, + newIndex: newIndex, + newDraggableIndex: newDraggableIndex + }, info)); +} + +var dragEl, + parentEl, + ghostEl, + rootEl, + nextEl, + lastDownEl, + cloneEl, + cloneHidden, + oldIndex, + newIndex, + oldDraggableIndex, + newDraggableIndex, + activeGroup, + putSortable, + awaitingDragStarted = false, + ignoreNextClick = false, + sortables = [], + tapEvt, + touchEvt, + lastDx, + lastDy, + tapDistanceLeft, + tapDistanceTop, + moved, + lastTarget, + lastDirection, + pastFirstInvertThresh = false, + isCircumstantialInvert = false, + targetMoveDistance, + // For positioning ghost absolutely +ghostRelativeParent, + ghostRelativeParentInitialScroll = [], + // (left, top) +_silent = false, + savedInputChecked = []; +/** @const */ + +var documentExists = typeof document !== 'undefined', + PositionGhostAbsolutely = IOS, + CSSFloatProperty = Edge || IE11OrLess ? 'cssFloat' : 'float', + // This will not pass for IE9, because IE9 DnD only works on anchors +supportDraggable = documentExists && !ChromeForAndroid && !IOS && 'draggable' in document.createElement('div'), + supportCssPointerEvents = function () { + if (!documentExists) return; // false when <= IE11 + + if (IE11OrLess) { + return false; + } + + var el = document.createElement('x'); + el.style.cssText = 'pointer-events:auto'; + return el.style.pointerEvents === 'auto'; +}(), + _detectDirection = function _detectDirection(el, options) { + var elCSS = css(el), + elWidth = parseInt(elCSS.width) - parseInt(elCSS.paddingLeft) - parseInt(elCSS.paddingRight) - parseInt(elCSS.borderLeftWidth) - parseInt(elCSS.borderRightWidth), + child1 = getChild(el, 0, options), + child2 = getChild(el, 1, options), + firstChildCSS = child1 && css(child1), + secondChildCSS = child2 && css(child2), + firstChildWidth = firstChildCSS && parseInt(firstChildCSS.marginLeft) + parseInt(firstChildCSS.marginRight) + getRect(child1).width, + secondChildWidth = secondChildCSS && parseInt(secondChildCSS.marginLeft) + parseInt(secondChildCSS.marginRight) + getRect(child2).width; + + if (elCSS.display === 'flex') { + return elCSS.flexDirection === 'column' || elCSS.flexDirection === 'column-reverse' ? 'vertical' : 'horizontal'; + } + + if (elCSS.display === 'grid') { + return elCSS.gridTemplateColumns.split(' ').length <= 1 ? 'vertical' : 'horizontal'; + } + + if (child1 && firstChildCSS["float"] && firstChildCSS["float"] !== 'none') { + var touchingSideChild2 = firstChildCSS["float"] === 'left' ? 'left' : 'right'; + return child2 && (secondChildCSS.clear === 'both' || secondChildCSS.clear === touchingSideChild2) ? 'vertical' : 'horizontal'; + } + + return child1 && (firstChildCSS.display === 'block' || firstChildCSS.display === 'flex' || firstChildCSS.display === 'table' || firstChildCSS.display === 'grid' || firstChildWidth >= elWidth && elCSS[CSSFloatProperty] === 'none' || child2 && elCSS[CSSFloatProperty] === 'none' && firstChildWidth + secondChildWidth > elWidth) ? 'vertical' : 'horizontal'; +}, + _dragElInRowColumn = function _dragElInRowColumn(dragRect, targetRect, vertical) { + var dragElS1Opp = vertical ? dragRect.left : dragRect.top, + dragElS2Opp = vertical ? dragRect.right : dragRect.bottom, + dragElOppLength = vertical ? dragRect.width : dragRect.height, + targetS1Opp = vertical ? targetRect.left : targetRect.top, + targetS2Opp = vertical ? targetRect.right : targetRect.bottom, + targetOppLength = vertical ? targetRect.width : targetRect.height; + return dragElS1Opp === targetS1Opp || dragElS2Opp === targetS2Opp || dragElS1Opp + dragElOppLength / 2 === targetS1Opp + targetOppLength / 2; +}, + +/** + * Detects first nearest empty sortable to X and Y position using emptyInsertThreshold. + * @param {Number} x X position + * @param {Number} y Y position + * @return {HTMLElement} Element of the first found nearest Sortable + */ +_detectNearestEmptySortable = function _detectNearestEmptySortable(x, y) { + var ret; + sortables.some(function (sortable) { + var threshold = sortable[expando].options.emptyInsertThreshold; + if (!threshold || lastChild(sortable)) return; + var rect = getRect(sortable), + insideHorizontally = x >= rect.left - threshold && x <= rect.right + threshold, + insideVertically = y >= rect.top - threshold && y <= rect.bottom + threshold; + + if (insideHorizontally && insideVertically) { + return ret = sortable; + } + }); + return ret; +}, + _prepareGroup = function _prepareGroup(options) { + function toFn(value, pull) { + return function (to, from, dragEl, evt) { + var sameGroup = to.options.group.name && from.options.group.name && to.options.group.name === from.options.group.name; + + if (value == null && (pull || sameGroup)) { + // Default pull value + // Default pull and put value if same group + return true; + } else if (value == null || value === false) { + return false; + } else if (pull && value === 'clone') { + return value; + } else if (typeof value === 'function') { + return toFn(value(to, from, dragEl, evt), pull)(to, from, dragEl, evt); + } else { + var otherGroup = (pull ? to : from).options.group.name; + return value === true || typeof value === 'string' && value === otherGroup || value.join && value.indexOf(otherGroup) > -1; + } + }; + } + + var group = {}; + var originalGroup = options.group; + + if (!originalGroup || _typeof(originalGroup) != 'object') { + originalGroup = { + name: originalGroup + }; + } + + group.name = originalGroup.name; + group.checkPull = toFn(originalGroup.pull, true); + group.checkPut = toFn(originalGroup.put); + group.revertClone = originalGroup.revertClone; + options.group = group; +}, + _hideGhostForTarget = function _hideGhostForTarget() { + if (!supportCssPointerEvents && ghostEl) { + css(ghostEl, 'display', 'none'); + } +}, + _unhideGhostForTarget = function _unhideGhostForTarget() { + if (!supportCssPointerEvents && ghostEl) { + css(ghostEl, 'display', ''); + } +}; // #1184 fix - Prevent click event on fallback if dragged but item not changed position + + +if (documentExists) { + document.addEventListener('click', function (evt) { + if (ignoreNextClick) { + evt.preventDefault(); + evt.stopPropagation && evt.stopPropagation(); + evt.stopImmediatePropagation && evt.stopImmediatePropagation(); + ignoreNextClick = false; + return false; + } + }, true); +} + +var nearestEmptyInsertDetectEvent = function nearestEmptyInsertDetectEvent(evt) { + if (dragEl) { + evt = evt.touches ? evt.touches[0] : evt; + + var nearest = _detectNearestEmptySortable(evt.clientX, evt.clientY); + + if (nearest) { + // Create imitation event + var event = {}; + + for (var i in evt) { + if (evt.hasOwnProperty(i)) { + event[i] = evt[i]; + } + } + + event.target = event.rootEl = nearest; + event.preventDefault = void 0; + event.stopPropagation = void 0; + + nearest[expando]._onDragOver(event); + } + } +}; + +var _checkOutsideTargetEl = function _checkOutsideTargetEl(evt) { + if (dragEl) { + dragEl.parentNode[expando]._isOutsideThisEl(evt.target); + } +}; +/** + * @class Sortable + * @param {HTMLElement} el + * @param {Object} [options] + */ + + +function Sortable(el, options) { + if (!(el && el.nodeType && el.nodeType === 1)) { + throw "Sortable: `el` must be an HTMLElement, not ".concat({}.toString.call(el)); + } + + this.el = el; // root element + + this.options = options = _extends({}, options); // Export instance + + el[expando] = this; + var defaults = { + group: null, + sort: true, + disabled: false, + store: null, + handle: null, + draggable: /^[uo]l$/i.test(el.nodeName) ? '>li' : '>*', + swapThreshold: 1, + // percentage; 0 <= x <= 1 + invertSwap: false, + // invert always + invertedSwapThreshold: null, + // will be set to same as swapThreshold if default + removeCloneOnHide: true, + direction: function direction() { + return _detectDirection(el, this.options); + }, + ghostClass: 'sortable-ghost', + chosenClass: 'sortable-chosen', + dragClass: 'sortable-drag', + ignore: 'a, img', + filter: null, + preventOnFilter: true, + animation: 0, + easing: null, + setData: function setData(dataTransfer, dragEl) { + dataTransfer.setData('Text', dragEl.textContent); + }, + dropBubble: false, + dragoverBubble: false, + dataIdAttr: 'data-id', + delay: 0, + delayOnTouchOnly: false, + touchStartThreshold: (Number.parseInt ? Number : window).parseInt(window.devicePixelRatio, 10) || 1, + forceFallback: false, + fallbackClass: 'sortable-fallback', + fallbackOnBody: false, + fallbackTolerance: 0, + fallbackOffset: { + x: 0, + y: 0 + }, + supportPointer: Sortable.supportPointer !== false && 'PointerEvent' in window && !Safari, + emptyInsertThreshold: 5 + }; + PluginManager.initializePlugins(this, el, defaults); // Set default options + + for (var name in defaults) { + !(name in options) && (options[name] = defaults[name]); + } + + _prepareGroup(options); // Bind all private methods + + + for (var fn in this) { + if (fn.charAt(0) === '_' && typeof this[fn] === 'function') { + this[fn] = this[fn].bind(this); + } + } // Setup drag mode + + + this.nativeDraggable = options.forceFallback ? false : supportDraggable; + + if (this.nativeDraggable) { + // Touch start threshold cannot be greater than the native dragstart threshold + this.options.touchStartThreshold = 1; + } // Bind events + + + if (options.supportPointer) { + on(el, 'pointerdown', this._onTapStart); + } else { + on(el, 'mousedown', this._onTapStart); + on(el, 'touchstart', this._onTapStart); + } + + if (this.nativeDraggable) { + on(el, 'dragover', this); + on(el, 'dragenter', this); + } + + sortables.push(this.el); // Restore sorting + + options.store && options.store.get && this.sort(options.store.get(this) || []); // Add animation state manager + + _extends(this, AnimationStateManager()); +} + +Sortable.prototype = +/** @lends Sortable.prototype */ +{ + constructor: Sortable, + _isOutsideThisEl: function _isOutsideThisEl(target) { + if (!this.el.contains(target) && target !== this.el) { + lastTarget = null; + } + }, + _getDirection: function _getDirection(evt, target) { + return typeof this.options.direction === 'function' ? this.options.direction.call(this, evt, target, dragEl) : this.options.direction; + }, + _onTapStart: function _onTapStart( + /** Event|TouchEvent */ + evt) { + if (!evt.cancelable) return; + + var _this = this, + el = this.el, + options = this.options, + preventOnFilter = options.preventOnFilter, + type = evt.type, + touch = evt.touches && evt.touches[0] || evt.pointerType && evt.pointerType === 'touch' && evt, + target = (touch || evt).target, + originalTarget = evt.target.shadowRoot && (evt.path && evt.path[0] || evt.composedPath && evt.composedPath()[0]) || target, + filter = options.filter; + + _saveInputCheckedState(el); // Don't trigger start event when an element is been dragged, otherwise the evt.oldindex always wrong when set option.group. + + + if (dragEl) { + return; + } + + if (/mousedown|pointerdown/.test(type) && evt.button !== 0 || options.disabled) { + return; // only left button and enabled + } // cancel dnd if original target is content editable + + + if (originalTarget.isContentEditable) { + return; + } // Safari ignores further event handling after mousedown + + + if (!this.nativeDraggable && Safari && target && target.tagName.toUpperCase() === 'SELECT') { + return; + } + + target = closest(target, options.draggable, el, false); + + if (target && target.animated) { + return; + } + + if (lastDownEl === target) { + // Ignoring duplicate `down` + return; + } // Get the index of the dragged element within its parent + + + oldIndex = index(target); + oldDraggableIndex = index(target, options.draggable); // Check filter + + if (typeof filter === 'function') { + if (filter.call(this, evt, target, this)) { + _dispatchEvent({ + sortable: _this, + rootEl: originalTarget, + name: 'filter', + targetEl: target, + toEl: el, + fromEl: el + }); + + pluginEvent('filter', _this, { + evt: evt + }); + preventOnFilter && evt.cancelable && evt.preventDefault(); + return; // cancel dnd + } + } else if (filter) { + filter = filter.split(',').some(function (criteria) { + criteria = closest(originalTarget, criteria.trim(), el, false); + + if (criteria) { + _dispatchEvent({ + sortable: _this, + rootEl: criteria, + name: 'filter', + targetEl: target, + fromEl: el, + toEl: el + }); + + pluginEvent('filter', _this, { + evt: evt + }); + return true; + } + }); + + if (filter) { + preventOnFilter && evt.cancelable && evt.preventDefault(); + return; // cancel dnd + } + } + + if (options.handle && !closest(originalTarget, options.handle, el, false)) { + return; + } // Prepare `dragstart` + + + this._prepareDragStart(evt, touch, target); + }, + _prepareDragStart: function _prepareDragStart( + /** Event */ + evt, + /** Touch */ + touch, + /** HTMLElement */ + target) { + var _this = this, + el = _this.el, + options = _this.options, + ownerDocument = el.ownerDocument, + dragStartFn; + + if (target && !dragEl && target.parentNode === el) { + var dragRect = getRect(target); + rootEl = el; + dragEl = target; + parentEl = dragEl.parentNode; + nextEl = dragEl.nextSibling; + lastDownEl = target; + activeGroup = options.group; + Sortable.dragged = dragEl; + tapEvt = { + target: dragEl, + clientX: (touch || evt).clientX, + clientY: (touch || evt).clientY + }; + tapDistanceLeft = tapEvt.clientX - dragRect.left; + tapDistanceTop = tapEvt.clientY - dragRect.top; + this._lastX = (touch || evt).clientX; + this._lastY = (touch || evt).clientY; + dragEl.style['will-change'] = 'all'; + + dragStartFn = function dragStartFn() { + pluginEvent('delayEnded', _this, { + evt: evt + }); + + if (Sortable.eventCanceled) { + _this._onDrop(); + + return; + } // Delayed drag has been triggered + // we can re-enable the events: touchmove/mousemove + + + _this._disableDelayedDragEvents(); + + if (!FireFox && _this.nativeDraggable) { + dragEl.draggable = true; + } // Bind the events: dragstart/dragend + + + _this._triggerDragStart(evt, touch); // Drag start event + + + _dispatchEvent({ + sortable: _this, + name: 'choose', + originalEvent: evt + }); // Chosen item + + + toggleClass(dragEl, options.chosenClass, true); + }; // Disable "draggable" + + + options.ignore.split(',').forEach(function (criteria) { + find(dragEl, criteria.trim(), _disableDraggable); + }); + on(ownerDocument, 'dragover', nearestEmptyInsertDetectEvent); + on(ownerDocument, 'mousemove', nearestEmptyInsertDetectEvent); + on(ownerDocument, 'touchmove', nearestEmptyInsertDetectEvent); + on(ownerDocument, 'mouseup', _this._onDrop); + on(ownerDocument, 'touchend', _this._onDrop); + on(ownerDocument, 'touchcancel', _this._onDrop); // Make dragEl draggable (must be before delay for FireFox) + + if (FireFox && this.nativeDraggable) { + this.options.touchStartThreshold = 4; + dragEl.draggable = true; + } + + pluginEvent('delayStart', this, { + evt: evt + }); // Delay is impossible for native DnD in Edge or IE + + if (options.delay && (!options.delayOnTouchOnly || touch) && (!this.nativeDraggable || !(Edge || IE11OrLess))) { + if (Sortable.eventCanceled) { + this._onDrop(); + + return; + } // If the user moves the pointer or let go the click or touch + // before the delay has been reached: + // disable the delayed drag + + + on(ownerDocument, 'mouseup', _this._disableDelayedDrag); + on(ownerDocument, 'touchend', _this._disableDelayedDrag); + on(ownerDocument, 'touchcancel', _this._disableDelayedDrag); + on(ownerDocument, 'mousemove', _this._delayedDragTouchMoveHandler); + on(ownerDocument, 'touchmove', _this._delayedDragTouchMoveHandler); + options.supportPointer && on(ownerDocument, 'pointermove', _this._delayedDragTouchMoveHandler); + _this._dragStartTimer = setTimeout(dragStartFn, options.delay); + } else { + dragStartFn(); + } + } + }, + _delayedDragTouchMoveHandler: function _delayedDragTouchMoveHandler( + /** TouchEvent|PointerEvent **/ + e) { + var touch = e.touches ? e.touches[0] : e; + + if (Math.max(Math.abs(touch.clientX - this._lastX), Math.abs(touch.clientY - this._lastY)) >= Math.floor(this.options.touchStartThreshold / (this.nativeDraggable && window.devicePixelRatio || 1))) { + this._disableDelayedDrag(); + } + }, + _disableDelayedDrag: function _disableDelayedDrag() { + dragEl && _disableDraggable(dragEl); + clearTimeout(this._dragStartTimer); + + this._disableDelayedDragEvents(); + }, + _disableDelayedDragEvents: function _disableDelayedDragEvents() { + var ownerDocument = this.el.ownerDocument; + off(ownerDocument, 'mouseup', this._disableDelayedDrag); + off(ownerDocument, 'touchend', this._disableDelayedDrag); + off(ownerDocument, 'touchcancel', this._disableDelayedDrag); + off(ownerDocument, 'mousemove', this._delayedDragTouchMoveHandler); + off(ownerDocument, 'touchmove', this._delayedDragTouchMoveHandler); + off(ownerDocument, 'pointermove', this._delayedDragTouchMoveHandler); + }, + _triggerDragStart: function _triggerDragStart( + /** Event */ + evt, + /** Touch */ + touch) { + touch = touch || evt.pointerType == 'touch' && evt; + + if (!this.nativeDraggable || touch) { + if (this.options.supportPointer) { + on(document, 'pointermove', this._onTouchMove); + } else if (touch) { + on(document, 'touchmove', this._onTouchMove); + } else { + on(document, 'mousemove', this._onTouchMove); + } + } else { + on(dragEl, 'dragend', this); + on(rootEl, 'dragstart', this._onDragStart); + } + + try { + if (document.selection) { + // Timeout neccessary for IE9 + _nextTick(function () { + document.selection.empty(); + }); + } else { + window.getSelection().removeAllRanges(); + } + } catch (err) {} + }, + _dragStarted: function _dragStarted(fallback, evt) { + + awaitingDragStarted = false; + + if (rootEl && dragEl) { + pluginEvent('dragStarted', this, { + evt: evt + }); + + if (this.nativeDraggable) { + on(document, 'dragover', _checkOutsideTargetEl); + } + + var options = this.options; // Apply effect + + !fallback && toggleClass(dragEl, options.dragClass, false); + toggleClass(dragEl, options.ghostClass, true); + Sortable.active = this; + fallback && this._appendGhost(); // Drag start event + + _dispatchEvent({ + sortable: this, + name: 'start', + originalEvent: evt + }); + } else { + this._nulling(); + } + }, + _emulateDragOver: function _emulateDragOver() { + if (touchEvt) { + this._lastX = touchEvt.clientX; + this._lastY = touchEvt.clientY; + + _hideGhostForTarget(); + + var target = document.elementFromPoint(touchEvt.clientX, touchEvt.clientY); + var parent = target; + + while (target && target.shadowRoot) { + target = target.shadowRoot.elementFromPoint(touchEvt.clientX, touchEvt.clientY); + if (target === parent) break; + parent = target; + } + + dragEl.parentNode[expando]._isOutsideThisEl(target); + + if (parent) { + do { + if (parent[expando]) { + var inserted = void 0; + inserted = parent[expando]._onDragOver({ + clientX: touchEvt.clientX, + clientY: touchEvt.clientY, + target: target, + rootEl: parent + }); + + if (inserted && !this.options.dragoverBubble) { + break; + } + } + + target = parent; // store last element + } + /* jshint boss:true */ + while (parent = parent.parentNode); + } + + _unhideGhostForTarget(); + } + }, + _onTouchMove: function _onTouchMove( + /**TouchEvent*/ + evt) { + if (tapEvt) { + var options = this.options, + fallbackTolerance = options.fallbackTolerance, + fallbackOffset = options.fallbackOffset, + touch = evt.touches ? evt.touches[0] : evt, + ghostMatrix = ghostEl && matrix(ghostEl, true), + scaleX = ghostEl && ghostMatrix && ghostMatrix.a, + scaleY = ghostEl && ghostMatrix && ghostMatrix.d, + relativeScrollOffset = PositionGhostAbsolutely && ghostRelativeParent && getRelativeScrollOffset(ghostRelativeParent), + dx = (touch.clientX - tapEvt.clientX + fallbackOffset.x) / (scaleX || 1) + (relativeScrollOffset ? relativeScrollOffset[0] - ghostRelativeParentInitialScroll[0] : 0) / (scaleX || 1), + dy = (touch.clientY - tapEvt.clientY + fallbackOffset.y) / (scaleY || 1) + (relativeScrollOffset ? relativeScrollOffset[1] - ghostRelativeParentInitialScroll[1] : 0) / (scaleY || 1); // only set the status to dragging, when we are actually dragging + + if (!Sortable.active && !awaitingDragStarted) { + if (fallbackTolerance && Math.max(Math.abs(touch.clientX - this._lastX), Math.abs(touch.clientY - this._lastY)) < fallbackTolerance) { + return; + } + + this._onDragStart(evt, true); + } + + if (ghostEl) { + if (ghostMatrix) { + ghostMatrix.e += dx - (lastDx || 0); + ghostMatrix.f += dy - (lastDy || 0); + } else { + ghostMatrix = { + a: 1, + b: 0, + c: 0, + d: 1, + e: dx, + f: dy + }; + } + + var cssMatrix = "matrix(".concat(ghostMatrix.a, ",").concat(ghostMatrix.b, ",").concat(ghostMatrix.c, ",").concat(ghostMatrix.d, ",").concat(ghostMatrix.e, ",").concat(ghostMatrix.f, ")"); + css(ghostEl, 'webkitTransform', cssMatrix); + css(ghostEl, 'mozTransform', cssMatrix); + css(ghostEl, 'msTransform', cssMatrix); + css(ghostEl, 'transform', cssMatrix); + lastDx = dx; + lastDy = dy; + touchEvt = touch; + } + + evt.cancelable && evt.preventDefault(); + } + }, + _appendGhost: function _appendGhost() { + // Bug if using scale(): https://stackoverflow.com/questions/2637058 + // Not being adjusted for + if (!ghostEl) { + var container = this.options.fallbackOnBody ? document.body : rootEl, + rect = getRect(dragEl, true, PositionGhostAbsolutely, true, container), + options = this.options; // Position absolutely + + if (PositionGhostAbsolutely) { + // Get relatively positioned parent + ghostRelativeParent = container; + + while (css(ghostRelativeParent, 'position') === 'static' && css(ghostRelativeParent, 'transform') === 'none' && ghostRelativeParent !== document) { + ghostRelativeParent = ghostRelativeParent.parentNode; + } + + if (ghostRelativeParent !== document.body && ghostRelativeParent !== document.documentElement) { + if (ghostRelativeParent === document) ghostRelativeParent = getWindowScrollingElement(); + rect.top += ghostRelativeParent.scrollTop; + rect.left += ghostRelativeParent.scrollLeft; + } else { + ghostRelativeParent = getWindowScrollingElement(); + } + + ghostRelativeParentInitialScroll = getRelativeScrollOffset(ghostRelativeParent); + } + + ghostEl = dragEl.cloneNode(true); + toggleClass(ghostEl, options.ghostClass, false); + toggleClass(ghostEl, options.fallbackClass, true); + toggleClass(ghostEl, options.dragClass, true); + css(ghostEl, 'transition', ''); + css(ghostEl, 'transform', ''); + css(ghostEl, 'box-sizing', 'border-box'); + css(ghostEl, 'margin', 0); + css(ghostEl, 'top', rect.top); + css(ghostEl, 'left', rect.left); + css(ghostEl, 'width', rect.width); + css(ghostEl, 'height', rect.height); + css(ghostEl, 'opacity', '0.8'); + css(ghostEl, 'position', PositionGhostAbsolutely ? 'absolute' : 'fixed'); + css(ghostEl, 'zIndex', '100000'); + css(ghostEl, 'pointerEvents', 'none'); + Sortable.ghost = ghostEl; + container.appendChild(ghostEl); // Set transform-origin + + css(ghostEl, 'transform-origin', tapDistanceLeft / parseInt(ghostEl.style.width) * 100 + '% ' + tapDistanceTop / parseInt(ghostEl.style.height) * 100 + '%'); + } + }, + _onDragStart: function _onDragStart( + /**Event*/ + evt, + /**boolean*/ + fallback) { + var _this = this; + + var dataTransfer = evt.dataTransfer; + var options = _this.options; + pluginEvent('dragStart', this, { + evt: evt + }); + + if (Sortable.eventCanceled) { + this._onDrop(); + + return; + } + + pluginEvent('setupClone', this); + + if (!Sortable.eventCanceled) { + cloneEl = clone(dragEl); + cloneEl.draggable = false; + cloneEl.style['will-change'] = ''; + + this._hideClone(); + + toggleClass(cloneEl, this.options.chosenClass, false); + Sortable.clone = cloneEl; + } // #1143: IFrame support workaround + + + _this.cloneId = _nextTick(function () { + pluginEvent('clone', _this); + if (Sortable.eventCanceled) return; + + if (!_this.options.removeCloneOnHide) { + rootEl.insertBefore(cloneEl, dragEl); + } + + _this._hideClone(); + + _dispatchEvent({ + sortable: _this, + name: 'clone' + }); + }); + !fallback && toggleClass(dragEl, options.dragClass, true); // Set proper drop events + + if (fallback) { + ignoreNextClick = true; + _this._loopId = setInterval(_this._emulateDragOver, 50); + } else { + // Undo what was set in _prepareDragStart before drag started + off(document, 'mouseup', _this._onDrop); + off(document, 'touchend', _this._onDrop); + off(document, 'touchcancel', _this._onDrop); + + if (dataTransfer) { + dataTransfer.effectAllowed = 'move'; + options.setData && options.setData.call(_this, dataTransfer, dragEl); + } + + on(document, 'drop', _this); // #1276 fix: + + css(dragEl, 'transform', 'translateZ(0)'); + } + + awaitingDragStarted = true; + _this._dragStartId = _nextTick(_this._dragStarted.bind(_this, fallback, evt)); + on(document, 'selectstart', _this); + moved = true; + + if (Safari) { + css(document.body, 'user-select', 'none'); + } + }, + // Returns true - if no further action is needed (either inserted or another condition) + _onDragOver: function _onDragOver( + /**Event*/ + evt) { + var el = this.el, + target = evt.target, + dragRect, + targetRect, + revert, + options = this.options, + group = options.group, + activeSortable = Sortable.active, + isOwner = activeGroup === group, + canSort = options.sort, + fromSortable = putSortable || activeSortable, + vertical, + _this = this, + completedFired = false; + + if (_silent) return; + + function dragOverEvent(name, extra) { + pluginEvent(name, _this, _objectSpread2({ + evt: evt, + isOwner: isOwner, + axis: vertical ? 'vertical' : 'horizontal', + revert: revert, + dragRect: dragRect, + targetRect: targetRect, + canSort: canSort, + fromSortable: fromSortable, + target: target, + completed: completed, + onMove: function onMove(target, after) { + return _onMove(rootEl, el, dragEl, dragRect, target, getRect(target), evt, after); + }, + changed: changed + }, extra)); + } // Capture animation state + + + function capture() { + dragOverEvent('dragOverAnimationCapture'); + + _this.captureAnimationState(); + + if (_this !== fromSortable) { + fromSortable.captureAnimationState(); + } + } // Return invocation when dragEl is inserted (or completed) + + + function completed(insertion) { + dragOverEvent('dragOverCompleted', { + insertion: insertion + }); + + if (insertion) { + // Clones must be hidden before folding animation to capture dragRectAbsolute properly + if (isOwner) { + activeSortable._hideClone(); + } else { + activeSortable._showClone(_this); + } + + if (_this !== fromSortable) { + // Set ghost class to new sortable's ghost class + toggleClass(dragEl, putSortable ? putSortable.options.ghostClass : activeSortable.options.ghostClass, false); + toggleClass(dragEl, options.ghostClass, true); + } + + if (putSortable !== _this && _this !== Sortable.active) { + putSortable = _this; + } else if (_this === Sortable.active && putSortable) { + putSortable = null; + } // Animation + + + if (fromSortable === _this) { + _this._ignoreWhileAnimating = target; + } + + _this.animateAll(function () { + dragOverEvent('dragOverAnimationComplete'); + _this._ignoreWhileAnimating = null; + }); + + if (_this !== fromSortable) { + fromSortable.animateAll(); + fromSortable._ignoreWhileAnimating = null; + } + } // Null lastTarget if it is not inside a previously swapped element + + + if (target === dragEl && !dragEl.animated || target === el && !target.animated) { + lastTarget = null; + } // no bubbling and not fallback + + + if (!options.dragoverBubble && !evt.rootEl && target !== document) { + dragEl.parentNode[expando]._isOutsideThisEl(evt.target); // Do not detect for empty insert if already inserted + + + !insertion && nearestEmptyInsertDetectEvent(evt); + } + + !options.dragoverBubble && evt.stopPropagation && evt.stopPropagation(); + return completedFired = true; + } // Call when dragEl has been inserted + + + function changed() { + newIndex = index(dragEl); + newDraggableIndex = index(dragEl, options.draggable); + + _dispatchEvent({ + sortable: _this, + name: 'change', + toEl: el, + newIndex: newIndex, + newDraggableIndex: newDraggableIndex, + originalEvent: evt + }); + } + + if (evt.preventDefault !== void 0) { + evt.cancelable && evt.preventDefault(); + } + + target = closest(target, options.draggable, el, true); + dragOverEvent('dragOver'); + if (Sortable.eventCanceled) return completedFired; + + if (dragEl.contains(evt.target) || target.animated && target.animatingX && target.animatingY || _this._ignoreWhileAnimating === target) { + return completed(false); + } + + ignoreNextClick = false; + + if (activeSortable && !options.disabled && (isOwner ? canSort || (revert = parentEl !== rootEl) // Reverting item into the original list + : putSortable === this || (this.lastPutMode = activeGroup.checkPull(this, activeSortable, dragEl, evt)) && group.checkPut(this, activeSortable, dragEl, evt))) { + vertical = this._getDirection(evt, target) === 'vertical'; + dragRect = getRect(dragEl); + dragOverEvent('dragOverValid'); + if (Sortable.eventCanceled) return completedFired; + + if (revert) { + parentEl = rootEl; // actualization + + capture(); + + this._hideClone(); + + dragOverEvent('revert'); + + if (!Sortable.eventCanceled) { + if (nextEl) { + rootEl.insertBefore(dragEl, nextEl); + } else { + rootEl.appendChild(dragEl); + } + } + + return completed(true); + } + + var elLastChild = lastChild(el, options.draggable); + + if (!elLastChild || _ghostIsLast(evt, vertical, this) && !elLastChild.animated) { + // Insert to end of list + // If already at end of list: Do not insert + if (elLastChild === dragEl) { + return completed(false); + } // if there is a last element, it is the target + + + if (elLastChild && el === evt.target) { + target = elLastChild; + } + + if (target) { + targetRect = getRect(target); + } + + if (_onMove(rootEl, el, dragEl, dragRect, target, targetRect, evt, !!target) !== false) { + capture(); + el.appendChild(dragEl); + parentEl = el; // actualization + + changed(); + return completed(true); + } + } else if (elLastChild && _ghostIsFirst(evt, vertical, this)) { + // Insert to start of list + var firstChild = getChild(el, 0, options, true); + + if (firstChild === dragEl) { + return completed(false); + } + + target = firstChild; + targetRect = getRect(target); + + if (_onMove(rootEl, el, dragEl, dragRect, target, targetRect, evt, false) !== false) { + capture(); + el.insertBefore(dragEl, firstChild); + parentEl = el; // actualization + + changed(); + return completed(true); + } + } else if (target.parentNode === el) { + targetRect = getRect(target); + var direction = 0, + targetBeforeFirstSwap, + differentLevel = dragEl.parentNode !== el, + differentRowCol = !_dragElInRowColumn(dragEl.animated && dragEl.toRect || dragRect, target.animated && target.toRect || targetRect, vertical), + side1 = vertical ? 'top' : 'left', + scrolledPastTop = isScrolledPast(target, 'top', 'top') || isScrolledPast(dragEl, 'top', 'top'), + scrollBefore = scrolledPastTop ? scrolledPastTop.scrollTop : void 0; + + if (lastTarget !== target) { + targetBeforeFirstSwap = targetRect[side1]; + pastFirstInvertThresh = false; + isCircumstantialInvert = !differentRowCol && options.invertSwap || differentLevel; + } + + direction = _getSwapDirection(evt, target, targetRect, vertical, differentRowCol ? 1 : options.swapThreshold, options.invertedSwapThreshold == null ? options.swapThreshold : options.invertedSwapThreshold, isCircumstantialInvert, lastTarget === target); + var sibling; + + if (direction !== 0) { + // Check if target is beside dragEl in respective direction (ignoring hidden elements) + var dragIndex = index(dragEl); + + do { + dragIndex -= direction; + sibling = parentEl.children[dragIndex]; + } while (sibling && (css(sibling, 'display') === 'none' || sibling === ghostEl)); + } // If dragEl is already beside target: Do not insert + + + if (direction === 0 || sibling === target) { + return completed(false); + } + + lastTarget = target; + lastDirection = direction; + var nextSibling = target.nextElementSibling, + after = false; + after = direction === 1; + + var moveVector = _onMove(rootEl, el, dragEl, dragRect, target, targetRect, evt, after); + + if (moveVector !== false) { + if (moveVector === 1 || moveVector === -1) { + after = moveVector === 1; + } + + _silent = true; + setTimeout(_unsilent, 30); + capture(); + + if (after && !nextSibling) { + el.appendChild(dragEl); + } else { + target.parentNode.insertBefore(dragEl, after ? nextSibling : target); + } // Undo chrome's scroll adjustment (has no effect on other browsers) + + + if (scrolledPastTop) { + scrollBy(scrolledPastTop, 0, scrollBefore - scrolledPastTop.scrollTop); + } + + parentEl = dragEl.parentNode; // actualization + // must be done before animation + + if (targetBeforeFirstSwap !== undefined && !isCircumstantialInvert) { + targetMoveDistance = Math.abs(targetBeforeFirstSwap - getRect(target)[side1]); + } + + changed(); + return completed(true); + } + } + + if (el.contains(dragEl)) { + return completed(false); + } + } + + return false; + }, + _ignoreWhileAnimating: null, + _offMoveEvents: function _offMoveEvents() { + off(document, 'mousemove', this._onTouchMove); + off(document, 'touchmove', this._onTouchMove); + off(document, 'pointermove', this._onTouchMove); + off(document, 'dragover', nearestEmptyInsertDetectEvent); + off(document, 'mousemove', nearestEmptyInsertDetectEvent); + off(document, 'touchmove', nearestEmptyInsertDetectEvent); + }, + _offUpEvents: function _offUpEvents() { + var ownerDocument = this.el.ownerDocument; + off(ownerDocument, 'mouseup', this._onDrop); + off(ownerDocument, 'touchend', this._onDrop); + off(ownerDocument, 'pointerup', this._onDrop); + off(ownerDocument, 'touchcancel', this._onDrop); + off(document, 'selectstart', this); + }, + _onDrop: function _onDrop( + /**Event*/ + evt) { + var el = this.el, + options = this.options; // Get the index of the dragged element within its parent + + newIndex = index(dragEl); + newDraggableIndex = index(dragEl, options.draggable); + pluginEvent('drop', this, { + evt: evt + }); + parentEl = dragEl && dragEl.parentNode; // Get again after plugin event + + newIndex = index(dragEl); + newDraggableIndex = index(dragEl, options.draggable); + + if (Sortable.eventCanceled) { + this._nulling(); + + return; + } + + awaitingDragStarted = false; + isCircumstantialInvert = false; + pastFirstInvertThresh = false; + clearInterval(this._loopId); + clearTimeout(this._dragStartTimer); + + _cancelNextTick(this.cloneId); + + _cancelNextTick(this._dragStartId); // Unbind events + + + if (this.nativeDraggable) { + off(document, 'drop', this); + off(el, 'dragstart', this._onDragStart); + } + + this._offMoveEvents(); + + this._offUpEvents(); + + if (Safari) { + css(document.body, 'user-select', ''); + } + + css(dragEl, 'transform', ''); + + if (evt) { + if (moved) { + evt.cancelable && evt.preventDefault(); + !options.dropBubble && evt.stopPropagation(); + } + + ghostEl && ghostEl.parentNode && ghostEl.parentNode.removeChild(ghostEl); + + if (rootEl === parentEl || putSortable && putSortable.lastPutMode !== 'clone') { + // Remove clone(s) + cloneEl && cloneEl.parentNode && cloneEl.parentNode.removeChild(cloneEl); + } + + if (dragEl) { + if (this.nativeDraggable) { + off(dragEl, 'dragend', this); + } + + _disableDraggable(dragEl); + + dragEl.style['will-change'] = ''; // Remove classes + // ghostClass is added in dragStarted + + if (moved && !awaitingDragStarted) { + toggleClass(dragEl, putSortable ? putSortable.options.ghostClass : this.options.ghostClass, false); + } + + toggleClass(dragEl, this.options.chosenClass, false); // Drag stop event + + _dispatchEvent({ + sortable: this, + name: 'unchoose', + toEl: parentEl, + newIndex: null, + newDraggableIndex: null, + originalEvent: evt + }); + + if (rootEl !== parentEl) { + if (newIndex >= 0) { + // Add event + _dispatchEvent({ + rootEl: parentEl, + name: 'add', + toEl: parentEl, + fromEl: rootEl, + originalEvent: evt + }); // Remove event + + + _dispatchEvent({ + sortable: this, + name: 'remove', + toEl: parentEl, + originalEvent: evt + }); // drag from one list and drop into another + + + _dispatchEvent({ + rootEl: parentEl, + name: 'sort', + toEl: parentEl, + fromEl: rootEl, + originalEvent: evt + }); + + _dispatchEvent({ + sortable: this, + name: 'sort', + toEl: parentEl, + originalEvent: evt + }); + } + + putSortable && putSortable.save(); + } else { + if (newIndex !== oldIndex) { + if (newIndex >= 0) { + // drag & drop within the same list + _dispatchEvent({ + sortable: this, + name: 'update', + toEl: parentEl, + originalEvent: evt + }); + + _dispatchEvent({ + sortable: this, + name: 'sort', + toEl: parentEl, + originalEvent: evt + }); + } + } + } + + if (Sortable.active) { + /* jshint eqnull:true */ + if (newIndex == null || newIndex === -1) { + newIndex = oldIndex; + newDraggableIndex = oldDraggableIndex; + } + + _dispatchEvent({ + sortable: this, + name: 'end', + toEl: parentEl, + originalEvent: evt + }); // Save sorting + + + this.save(); + } + } + } + + this._nulling(); + }, + _nulling: function _nulling() { + pluginEvent('nulling', this); + rootEl = dragEl = parentEl = ghostEl = nextEl = cloneEl = lastDownEl = cloneHidden = tapEvt = touchEvt = moved = newIndex = newDraggableIndex = oldIndex = oldDraggableIndex = lastTarget = lastDirection = putSortable = activeGroup = Sortable.dragged = Sortable.ghost = Sortable.clone = Sortable.active = null; + savedInputChecked.forEach(function (el) { + el.checked = true; + }); + savedInputChecked.length = lastDx = lastDy = 0; + }, + handleEvent: function handleEvent( + /**Event*/ + evt) { + switch (evt.type) { + case 'drop': + case 'dragend': + this._onDrop(evt); + + break; + + case 'dragenter': + case 'dragover': + if (dragEl) { + this._onDragOver(evt); + + _globalDragOver(evt); + } + + break; + + case 'selectstart': + evt.preventDefault(); + break; + } + }, + + /** + * Serializes the item into an array of string. + * @returns {String[]} + */ + toArray: function toArray() { + var order = [], + el, + children = this.el.children, + i = 0, + n = children.length, + options = this.options; + + for (; i < n; i++) { + el = children[i]; + + if (closest(el, options.draggable, this.el, false)) { + order.push(el.getAttribute(options.dataIdAttr) || _generateId(el)); + } + } + + return order; + }, + + /** + * Sorts the elements according to the array. + * @param {String[]} order order of the items + */ + sort: function sort(order, useAnimation) { + var items = {}, + rootEl = this.el; + this.toArray().forEach(function (id, i) { + var el = rootEl.children[i]; + + if (closest(el, this.options.draggable, rootEl, false)) { + items[id] = el; + } + }, this); + useAnimation && this.captureAnimationState(); + order.forEach(function (id) { + if (items[id]) { + rootEl.removeChild(items[id]); + rootEl.appendChild(items[id]); + } + }); + useAnimation && this.animateAll(); + }, + + /** + * Save the current sorting + */ + save: function save() { + var store = this.options.store; + store && store.set && store.set(this); + }, + + /** + * For each element in the set, get the first element that matches the selector by testing the element itself and traversing up through its ancestors in the DOM tree. + * @param {HTMLElement} el + * @param {String} [selector] default: `options.draggable` + * @returns {HTMLElement|null} + */ + closest: function closest$1(el, selector) { + return closest(el, selector || this.options.draggable, this.el, false); + }, + + /** + * Set/get option + * @param {string} name + * @param {*} [value] + * @returns {*} + */ + option: function option(name, value) { + var options = this.options; + + if (value === void 0) { + return options[name]; + } else { + var modifiedValue = PluginManager.modifyOption(this, name, value); + + if (typeof modifiedValue !== 'undefined') { + options[name] = modifiedValue; + } else { + options[name] = value; + } + + if (name === 'group') { + _prepareGroup(options); + } + } + }, + + /** + * Destroy + */ + destroy: function destroy() { + pluginEvent('destroy', this); + var el = this.el; + el[expando] = null; + off(el, 'mousedown', this._onTapStart); + off(el, 'touchstart', this._onTapStart); + off(el, 'pointerdown', this._onTapStart); + + if (this.nativeDraggable) { + off(el, 'dragover', this); + off(el, 'dragenter', this); + } // Remove draggable attributes + + + Array.prototype.forEach.call(el.querySelectorAll('[draggable]'), function (el) { + el.removeAttribute('draggable'); + }); + + this._onDrop(); + + this._disableDelayedDragEvents(); + + sortables.splice(sortables.indexOf(this.el), 1); + this.el = el = null; + }, + _hideClone: function _hideClone() { + if (!cloneHidden) { + pluginEvent('hideClone', this); + if (Sortable.eventCanceled) return; + css(cloneEl, 'display', 'none'); + + if (this.options.removeCloneOnHide && cloneEl.parentNode) { + cloneEl.parentNode.removeChild(cloneEl); + } + + cloneHidden = true; + } + }, + _showClone: function _showClone(putSortable) { + if (putSortable.lastPutMode !== 'clone') { + this._hideClone(); + + return; + } + + if (cloneHidden) { + pluginEvent('showClone', this); + if (Sortable.eventCanceled) return; // show clone at dragEl or original position + + if (dragEl.parentNode == rootEl && !this.options.group.revertClone) { + rootEl.insertBefore(cloneEl, dragEl); + } else if (nextEl) { + rootEl.insertBefore(cloneEl, nextEl); + } else { + rootEl.appendChild(cloneEl); + } + + if (this.options.group.revertClone) { + this.animate(dragEl, cloneEl); + } + + css(cloneEl, 'display', ''); + cloneHidden = false; + } + } +}; + +function _globalDragOver( +/**Event*/ +evt) { + if (evt.dataTransfer) { + evt.dataTransfer.dropEffect = 'move'; + } + + evt.cancelable && evt.preventDefault(); +} + +function _onMove(fromEl, toEl, dragEl, dragRect, targetEl, targetRect, originalEvent, willInsertAfter) { + var evt, + sortable = fromEl[expando], + onMoveFn = sortable.options.onMove, + retVal; // Support for new CustomEvent feature + + if (window.CustomEvent && !IE11OrLess && !Edge) { + evt = new CustomEvent('move', { + bubbles: true, + cancelable: true + }); + } else { + evt = document.createEvent('Event'); + evt.initEvent('move', true, true); + } + + evt.to = toEl; + evt.from = fromEl; + evt.dragged = dragEl; + evt.draggedRect = dragRect; + evt.related = targetEl || toEl; + evt.relatedRect = targetRect || getRect(toEl); + evt.willInsertAfter = willInsertAfter; + evt.originalEvent = originalEvent; + fromEl.dispatchEvent(evt); + + if (onMoveFn) { + retVal = onMoveFn.call(sortable, evt, originalEvent); + } + + return retVal; +} + +function _disableDraggable(el) { + el.draggable = false; +} + +function _unsilent() { + _silent = false; +} + +function _ghostIsFirst(evt, vertical, sortable) { + var rect = getRect(getChild(sortable.el, 0, sortable.options, true)); + var spacer = 10; + return vertical ? evt.clientX < rect.left - spacer || evt.clientY < rect.top && evt.clientX < rect.right : evt.clientY < rect.top - spacer || evt.clientY < rect.bottom && evt.clientX < rect.left; +} + +function _ghostIsLast(evt, vertical, sortable) { + var rect = getRect(lastChild(sortable.el, sortable.options.draggable)); + var spacer = 10; + return vertical ? evt.clientX > rect.right + spacer || evt.clientX <= rect.right && evt.clientY > rect.bottom && evt.clientX >= rect.left : evt.clientX > rect.right && evt.clientY > rect.top || evt.clientX <= rect.right && evt.clientY > rect.bottom + spacer; +} + +function _getSwapDirection(evt, target, targetRect, vertical, swapThreshold, invertedSwapThreshold, invertSwap, isLastTarget) { + var mouseOnAxis = vertical ? evt.clientY : evt.clientX, + targetLength = vertical ? targetRect.height : targetRect.width, + targetS1 = vertical ? targetRect.top : targetRect.left, + targetS2 = vertical ? targetRect.bottom : targetRect.right, + invert = false; + + if (!invertSwap) { + // Never invert or create dragEl shadow when target movemenet causes mouse to move past the end of regular swapThreshold + if (isLastTarget && targetMoveDistance < targetLength * swapThreshold) { + // multiplied only by swapThreshold because mouse will already be inside target by (1 - threshold) * targetLength / 2 + // check if past first invert threshold on side opposite of lastDirection + if (!pastFirstInvertThresh && (lastDirection === 1 ? mouseOnAxis > targetS1 + targetLength * invertedSwapThreshold / 2 : mouseOnAxis < targetS2 - targetLength * invertedSwapThreshold / 2)) { + // past first invert threshold, do not restrict inverted threshold to dragEl shadow + pastFirstInvertThresh = true; + } + + if (!pastFirstInvertThresh) { + // dragEl shadow (target move distance shadow) + if (lastDirection === 1 ? mouseOnAxis < targetS1 + targetMoveDistance // over dragEl shadow + : mouseOnAxis > targetS2 - targetMoveDistance) { + return -lastDirection; + } + } else { + invert = true; + } + } else { + // Regular + if (mouseOnAxis > targetS1 + targetLength * (1 - swapThreshold) / 2 && mouseOnAxis < targetS2 - targetLength * (1 - swapThreshold) / 2) { + return _getInsertDirection(target); + } + } + } + + invert = invert || invertSwap; + + if (invert) { + // Invert of regular + if (mouseOnAxis < targetS1 + targetLength * invertedSwapThreshold / 2 || mouseOnAxis > targetS2 - targetLength * invertedSwapThreshold / 2) { + return mouseOnAxis > targetS1 + targetLength / 2 ? 1 : -1; + } + } + + return 0; +} +/** + * Gets the direction dragEl must be swapped relative to target in order to make it + * seem that dragEl has been "inserted" into that element's position + * @param {HTMLElement} target The target whose position dragEl is being inserted at + * @return {Number} Direction dragEl must be swapped + */ + + +function _getInsertDirection(target) { + if (index(dragEl) < index(target)) { + return 1; + } else { + return -1; + } +} +/** + * Generate id + * @param {HTMLElement} el + * @returns {String} + * @private + */ + + +function _generateId(el) { + var str = el.tagName + el.className + el.src + el.href + el.textContent, + i = str.length, + sum = 0; + + while (i--) { + sum += str.charCodeAt(i); + } + + return sum.toString(36); +} + +function _saveInputCheckedState(root) { + savedInputChecked.length = 0; + var inputs = root.getElementsByTagName('input'); + var idx = inputs.length; + + while (idx--) { + var el = inputs[idx]; + el.checked && savedInputChecked.push(el); + } +} + +function _nextTick(fn) { + return setTimeout(fn, 0); +} + +function _cancelNextTick(id) { + return clearTimeout(id); +} // Fixed #973: + + +if (documentExists) { + on(document, 'touchmove', function (evt) { + if ((Sortable.active || awaitingDragStarted) && evt.cancelable) { + evt.preventDefault(); + } + }); +} // Export utils + + +Sortable.utils = { + on: on, + off: off, + css: css, + find: find, + is: function is(el, selector) { + return !!closest(el, selector, el, false); + }, + extend: extend, + throttle: throttle, + closest: closest, + toggleClass: toggleClass, + clone: clone, + index: index, + nextTick: _nextTick, + cancelNextTick: _cancelNextTick, + detectDirection: _detectDirection, + getChild: getChild +}; +/** + * Get the Sortable instance of an element + * @param {HTMLElement} element The element + * @return {Sortable|undefined} The instance of Sortable + */ + +Sortable.get = function (element) { + return element[expando]; +}; +/** + * Mount a plugin to Sortable + * @param {...SortablePlugin|SortablePlugin[]} plugins Plugins being mounted + */ + + +Sortable.mount = function () { + for (var _len = arguments.length, plugins = new Array(_len), _key = 0; _key < _len; _key++) { + plugins[_key] = arguments[_key]; + } + + if (plugins[0].constructor === Array) plugins = plugins[0]; + plugins.forEach(function (plugin) { + if (!plugin.prototype || !plugin.prototype.constructor) { + throw "Sortable: Mounted plugin must be a constructor function, not ".concat({}.toString.call(plugin)); + } + + if (plugin.utils) Sortable.utils = _objectSpread2(_objectSpread2({}, Sortable.utils), plugin.utils); + PluginManager.mount(plugin); + }); +}; +/** + * Create sortable instance + * @param {HTMLElement} el + * @param {Object} [options] + */ + + +Sortable.create = function (el, options) { + return new Sortable(el, options); +}; // Export + + +Sortable.version = version; + +var drop = function drop(_ref) { + var originalEvent = _ref.originalEvent, + putSortable = _ref.putSortable, + dragEl = _ref.dragEl, + activeSortable = _ref.activeSortable, + dispatchSortableEvent = _ref.dispatchSortableEvent, + hideGhostForTarget = _ref.hideGhostForTarget, + unhideGhostForTarget = _ref.unhideGhostForTarget; + if (!originalEvent) return; + var toSortable = putSortable || activeSortable; + hideGhostForTarget(); + var touch = originalEvent.changedTouches && originalEvent.changedTouches.length ? originalEvent.changedTouches[0] : originalEvent; + var target = document.elementFromPoint(touch.clientX, touch.clientY); + unhideGhostForTarget(); + + if (toSortable && !toSortable.el.contains(target)) { + dispatchSortableEvent('spill'); + this.onSpill({ + dragEl: dragEl, + putSortable: putSortable + }); + } +}; + +function Revert() {} + +Revert.prototype = { + startIndex: null, + dragStart: function dragStart(_ref2) { + var oldDraggableIndex = _ref2.oldDraggableIndex; + this.startIndex = oldDraggableIndex; + }, + onSpill: function onSpill(_ref3) { + var dragEl = _ref3.dragEl, + putSortable = _ref3.putSortable; + this.sortable.captureAnimationState(); + + if (putSortable) { + putSortable.captureAnimationState(); + } + + var nextSibling = getChild(this.sortable.el, this.startIndex, this.options); + + if (nextSibling) { + this.sortable.el.insertBefore(dragEl, nextSibling); + } else { + this.sortable.el.appendChild(dragEl); + } + + this.sortable.animateAll(); + + if (putSortable) { + putSortable.animateAll(); + } + }, + drop: drop +}; + +_extends(Revert, { + pluginName: 'revertOnSpill' +}); + +function Remove() {} + +Remove.prototype = { + onSpill: function onSpill(_ref4) { + var dragEl = _ref4.dragEl, + putSortable = _ref4.putSortable; + var parentSortable = putSortable || this.sortable; + parentSortable.captureAnimationState(); + dragEl.parentNode && dragEl.parentNode.removeChild(dragEl); + parentSortable.animateAll(); + }, + drop: drop +}; + +_extends(Remove, { + pluginName: 'removeOnSpill' +}); + +/* src/view/sortable/SortableList.svelte generated by Svelte v3.38.2 */ + +function get_each_context$2(ctx, list, i) { + const child_ctx = ctx.slice(); + child_ctx[10] = list[i]; + return child_ctx; +} + +const get_default_slot_changes = dirty => ({ item: dirty & /*items*/ 1 }); +const get_default_slot_context = ctx => ({ item: /*item*/ ctx[10] }); + +// (33:2) {#each items as item (item.id)} +function create_each_block$2(key_1, ctx) { + let li; + let t; + let li_data_id_value; + let current; + const default_slot_template = /*#slots*/ ctx[5].default; + const default_slot = create_slot(default_slot_template, ctx, /*$$scope*/ ctx[4], get_default_slot_context); + + return { + key: key_1, + first: null, + c() { + li = element("li"); + if (default_slot) default_slot.c(); + t = space(); + attr(li, "data-id", li_data_id_value = /*item*/ ctx[10].id); + this.first = li; + }, + m(target, anchor) { + insert(target, li, anchor); + + if (default_slot) { + default_slot.m(li, null); + } + + append(li, t); + current = true; + }, + p(new_ctx, dirty) { + ctx = new_ctx; + + if (default_slot) { + if (default_slot.p && (!current || dirty & /*$$scope, items*/ 17)) { + update_slot(default_slot, default_slot_template, ctx, /*$$scope*/ ctx[4], dirty, get_default_slot_changes, get_default_slot_context); + } + } + + if (!current || dirty & /*items*/ 1 && li_data_id_value !== (li_data_id_value = /*item*/ ctx[10].id)) { + attr(li, "data-id", li_data_id_value); + } + }, + i(local) { + if (current) return; + transition_in(default_slot, local); + current = true; + }, + o(local) { + transition_out(default_slot, local); + current = false; + }, + d(detaching) { + if (detaching) detach(li); + if (default_slot) default_slot.d(detaching); + } + }; +} + +function create_fragment$6(ctx) { + let ul; + let each_blocks = []; + let each_1_lookup = new Map(); + let ul_class_value; + let current; + let each_value = /*items*/ ctx[0]; + const get_key = ctx => /*item*/ ctx[10].id; + + for (let i = 0; i < each_value.length; i += 1) { + let child_ctx = get_each_context$2(ctx, each_value, i); + let key = get_key(child_ctx); + each_1_lookup.set(key, each_blocks[i] = create_each_block$2(key, child_ctx)); + } + + return { + c() { + ul = element("ul"); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].c(); + } + + attr(ul, "class", ul_class_value = /*$$props*/ ctx[2].class); + }, + m(target, anchor) { + insert(target, ul, anchor); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].m(ul, null); + } + + /*ul_binding*/ ctx[6](ul); + current = true; + }, + p(ctx, [dirty]) { + if (dirty & /*items, $$scope*/ 17) { + each_value = /*items*/ ctx[0]; + group_outros(); + each_blocks = update_keyed_each(each_blocks, dirty, get_key, 1, ctx, each_value, each_1_lookup, ul, outro_and_destroy_block, create_each_block$2, null, get_each_context$2); + check_outros(); + } + + if (!current || dirty & /*$$props*/ 4 && ul_class_value !== (ul_class_value = /*$$props*/ ctx[2].class)) { + attr(ul, "class", ul_class_value); + } + }, + i(local) { + if (current) return; + + for (let i = 0; i < each_value.length; i += 1) { + transition_in(each_blocks[i]); + } + + current = true; + }, + o(local) { + for (let i = 0; i < each_blocks.length; i += 1) { + transition_out(each_blocks[i]); + } + + current = false; + }, + d(detaching) { + if (detaching) detach(ul); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].d(); + } + + /*ul_binding*/ ctx[6](null); + } + }; +} + +function instance$6($$self, $$props, $$invalidate) { + let { $$slots: slots = {}, $$scope } = $$props; + + let { items = [] } = $$props; + let { sortableOptions = {} } = $$props; + + // Prepare sortable bits. Set up a dispatcher for sort events, + // and proxy the store.set function to fire it. + const dispatcher = createEventDispatcher(); + + sortableOptions = Object.assign({}, sortableOptions); + + sortableOptions.store = sortableOptions.store || { + set: () => { + + }, + get: sortable => sortable.toArray() + }; + + const oldStoreSet = sortableOptions.store.set; + + sortableOptions.store.set = sortable => { + const sortedItems = sortable.toArray().map(k => items.find(i => i.id === k)); + dispatcher("orderChanged", sortedItems); + oldStoreSet(sortable); + }; + + let listElement; + + onMount(() => { + Sortable.create(listElement, sortableOptions); + }); + + function ul_binding($$value) { + binding_callbacks[$$value ? "unshift" : "push"](() => { + listElement = $$value; + $$invalidate(1, listElement); + }); + } + + $$self.$$set = $$new_props => { + $$invalidate(2, $$props = assign(assign({}, $$props), exclude_internal_props($$new_props))); + if ("items" in $$new_props) $$invalidate(0, items = $$new_props.items); + if ("sortableOptions" in $$new_props) $$invalidate(3, sortableOptions = $$new_props.sortableOptions); + if ("$$scope" in $$new_props) $$invalidate(4, $$scope = $$new_props.$$scope); + }; + + $$props = exclude_internal_props($$props); + return [items, listElement, $$props, sortableOptions, $$scope, slots, ul_binding]; +} + +class SortableList extends SvelteComponent { + constructor(options) { + super(); + init(this, options, instance$6, create_fragment$6, safe_not_equal, { items: 0, sortableOptions: 3 }); + } +} + +/* src/view/explorer/DraftList.svelte generated by Svelte v3.38.2 */ + +const { document: document_1$1 } = globals; + +function add_css$4() { + var style = element("style"); + style.id = "svelte-1jmafs-style"; + style.textContent = "#draft-list.svelte-1jmafs.svelte-1jmafs{margin:4px 0px}#draft-list.svelte-1jmafs .sortable-draft-list{list-style-type:none;padding:0px;margin:0px}.draft-container.svelte-1jmafs.svelte-1jmafs{display:flex;border:1px solid transparent;border-radius:3px;cursor:pointer;color:var(--text-muted);font-size:14px;line-height:20px;white-space:nowrap;padding:2px 0px}.selected.svelte-1jmafs.svelte-1jmafs,.svelte-1jmafs:not(.dragging) .draft-container.svelte-1jmafs:hover{background-color:var(--background-secondary-alt);color:var(--text-normal)}.draft-container.svelte-1jmafs.svelte-1jmafs:active{background-color:inherit;color:var(--text-muted)}.draft-ghost{background-color:var(--interactive-accent-hover);color:var(--text-on-accent)}"; + append(document_1$1.head, style); +} + +// (89:2) +function create_default_slot$2(ctx) { + let div; + let t_value = /*item*/ ctx[18].name + ""; + let t; + let div_data_draft_path_value; + let div_contenteditable_value; + let mounted; + let dispose; + + function click_handler() { + return /*click_handler*/ ctx[11](/*item*/ ctx[18]); + } + + return { + c() { + div = element("div"); + t = text(t_value); + attr(div, "class", "draft-container svelte-1jmafs"); + attr(div, "data-draft-path", div_data_draft_path_value = /*item*/ ctx[18].id); + attr(div, "contenteditable", div_contenteditable_value = /*item*/ ctx[18].id === /*editingPath*/ ctx[2]); + toggle_class(div, "selected", /*$currentDraftPath*/ ctx[3] && /*$currentDraftPath*/ ctx[3] === /*item*/ ctx[18].id); + }, + m(target, anchor) { + insert(target, div, anchor); + append(div, t); + + if (!mounted) { + dispose = [ + listen(div, "click", click_handler), + listen(div, "contextmenu", prevent_default(/*onContext*/ ctx[7])), + listen(div, "keydown", function () { + if (is_function(/*item*/ ctx[18].id === /*editingPath*/ ctx[2] + ? /*onKeydown*/ ctx[8] + : null)) (/*item*/ ctx[18].id === /*editingPath*/ ctx[2] + ? /*onKeydown*/ ctx[8] + : null).apply(this, arguments); + }), + listen(div, "blur", function () { + if (is_function(/*item*/ ctx[18].id === /*editingPath*/ ctx[2] + ? /*onBlur*/ ctx[9] + : null)) (/*item*/ ctx[18].id === /*editingPath*/ ctx[2] + ? /*onBlur*/ ctx[9] + : null).apply(this, arguments); + }) + ]; + + mounted = true; + } + }, + p(new_ctx, dirty) { + ctx = new_ctx; + if (dirty & /*item*/ 262144 && t_value !== (t_value = /*item*/ ctx[18].name + "")) set_data(t, t_value); + + if (dirty & /*item*/ 262144 && div_data_draft_path_value !== (div_data_draft_path_value = /*item*/ ctx[18].id)) { + attr(div, "data-draft-path", div_data_draft_path_value); + } + + if (dirty & /*item, editingPath*/ 262148 && div_contenteditable_value !== (div_contenteditable_value = /*item*/ ctx[18].id === /*editingPath*/ ctx[2])) { + attr(div, "contenteditable", div_contenteditable_value); + } + + if (dirty & /*$currentDraftPath, item*/ 262152) { + toggle_class(div, "selected", /*$currentDraftPath*/ ctx[3] && /*$currentDraftPath*/ ctx[3] === /*item*/ ctx[18].id); + } + }, + d(detaching) { + if (detaching) detach(div); + mounted = false; + run_all(dispose); + } + }; +} + +function create_fragment$5(ctx) { + let div; + let sortablelist; + let updating_items; + let current; + + function sortablelist_items_binding(value) { + /*sortablelist_items_binding*/ ctx[12](value); + } + + let sortablelist_props = { + sortableOptions: /*sortableOptions*/ ctx[4], + class: "sortable-draft-list", + $$slots: { + default: [ + create_default_slot$2, + ({ item }) => ({ 18: item }), + ({ item }) => item ? 262144 : 0 + ] + }, + $$scope: { ctx } + }; + + if (/*items*/ ctx[0] !== void 0) { + sortablelist_props.items = /*items*/ ctx[0]; + } + + sortablelist = new SortableList({ props: sortablelist_props }); + binding_callbacks.push(() => bind(sortablelist, "items", sortablelist_items_binding)); + sortablelist.$on("orderChanged", /*itemOrderChanged*/ ctx[5]); + + return { + c() { + div = element("div"); + create_component(sortablelist.$$.fragment); + attr(div, "id", "draft-list"); + attr(div, "class", "svelte-1jmafs"); + toggle_class(div, "dragging", /*isSorting*/ ctx[1]); + }, + m(target, anchor) { + insert(target, div, anchor); + mount_component(sortablelist, div, null); + current = true; + }, + p(ctx, [dirty]) { + const sortablelist_changes = {}; + + if (dirty & /*$$scope, item, editingPath, $currentDraftPath*/ 786444) { + sortablelist_changes.$$scope = { dirty, ctx }; + } + + if (!updating_items && dirty & /*items*/ 1) { + updating_items = true; + sortablelist_changes.items = /*items*/ ctx[0]; + add_flush_callback(() => updating_items = false); + } + + sortablelist.$set(sortablelist_changes); + + if (dirty & /*isSorting*/ 2) { + toggle_class(div, "dragging", /*isSorting*/ ctx[1]); + } + }, + i(local) { + if (current) return; + transition_in(sortablelist.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(sortablelist.$$.fragment, local); + current = false; + }, + d(detaching) { + if (detaching) detach(div); + destroy_component(sortablelist); + } + }; +} + +function selectElementContents(el) { + var range = document.createRange(); + range.selectNodeContents(el); + var sel = window.getSelection(); + sel.removeAllRanges(); + sel.addRange(range); +} + +function instance$5($$self, $$props, $$invalidate) { + let $currentProject; + let $projectMetadata; + let $currentProjectPath; + let $currentDraftPath; + component_subscribe($$self, currentProject, $$value => $$invalidate(10, $currentProject = $$value)); + component_subscribe($$self, projectMetadata, $$value => $$invalidate(13, $projectMetadata = $$value)); + component_subscribe($$self, currentProjectPath, $$value => $$invalidate(14, $currentProjectPath = $$value)); + component_subscribe($$self, currentDraftPath, $$value => $$invalidate(3, $currentDraftPath = $$value)); + + let items; + + // Track sort state for styling, set sorting options + let isSorting = false; + + const sortableOptions = { + animation: 150, + ghostClass: "draft-ghost", + onStart: () => { + $$invalidate(1, isSorting = true); + }, + onEnd: () => { + $$invalidate(1, isSorting = false); + } + }; + + // Called when sorting ends an the item order has been updated. + // Reorder scenes according and set into the store. + function itemOrderChanged(event) { + // Reorder metadata accounts to this new order + const reorderedDrafts = [...$currentProject.drafts].sort((a, b) => { + const aIndex = event.detail.findIndex(d => d.id === a.folder); + const bIndex = event.detail.findIndex(d => d.id === b.folder); + return aIndex - bIndex; + }); + + set_store_value(projectMetadata, $projectMetadata[$currentProjectPath].drafts = reorderedDrafts, $projectMetadata); + } + + function onItemClick(path) { + if (path) { + set_store_value(currentDraftPath, $currentDraftPath = path, $currentDraftPath); + } + } + + let editingPath = null; + const showRenameDraftMenu = getContext("showRenameDraftMenu"); + + function onContext(event) { + const { x, y } = event; + const element = document.elementFromPoint(x, y); + + showRenameDraftMenu(x, y, () => { + if (element && element instanceof HTMLElement) { + const draftPath = element.dataset.draftPath; + $$invalidate(2, editingPath = draftPath); + setTimeout(() => selectElementContents(element), 0); + } + }); + } + + const renameFolder = getContext("renameFolder"); + const makeDraftPath = getContext("makeDraftPath"); + + function onKeydown(event) { + if (editingPath && event.target instanceof HTMLElement) { + if (event.key === "Enter") { + const oldPath = makeDraftPath(editingPath); + const newPath = makeDraftPath(event.target.innerText); + renameFolder(oldPath, newPath); + $$invalidate(2, editingPath = null); + return false; + } else if (event.key === "Escape") { + event.target.blur(); + return false; + } + } + + return true; + } + + function onBlur(event) { + if (event.target instanceof HTMLElement) { + event.target.innerText = editingPath; + } + + $$invalidate(2, editingPath = null); + } + + const click_handler = item => onItemClick(item.id); + + function sortablelist_items_binding(value) { + items = value; + ($$invalidate(0, items), $$invalidate(10, $currentProject)); + } + + $$self.$$.update = () => { + if ($$self.$$.dirty & /*$currentProject*/ 1024) { + { + $$invalidate(0, items = $currentProject + ? $currentProject.drafts.map(d => ({ id: d.folder, name: d.name })) + : []); + } + } + }; + + return [ + items, + isSorting, + editingPath, + $currentDraftPath, + sortableOptions, + itemOrderChanged, + onItemClick, + onContext, + onKeydown, + onBlur, + $currentProject, + click_handler, + sortablelist_items_binding + ]; +} + +class DraftList extends SvelteComponent { + constructor(options) { + super(); + if (!document_1$1.getElementById("svelte-1jmafs-style")) add_css$4(); + init(this, options, instance$5, create_fragment$5, safe_not_equal, {}); + } +} + +/* src/view/explorer/NewDraftField.svelte generated by Svelte v3.38.2 */ + +function add_css$3() { + var style = element("style"); + style.id = "svelte-1wkli4h-style"; + style.textContent = ".new-draft-container.svelte-1wkli4h{margin:0;border-top:1px solid var(--text-muted);padding:4px 0}#new-draft.svelte-1wkli4h{padding:0;border:0;background:inherit;font-size:14px;line-height:20px;width:100%}#new-draft.invalid.svelte-1wkli4h{color:var(--text-error)}#new-draft.svelte-1wkli4h::placeholder{font-style:italic}.draft-description.svelte-1wkli4h{font-size:10px;line-height:12px;color:var(--text-muted)}"; + append(document.head, style); +} + +function get_each_context$1(ctx, list, i) { + const child_ctx = ctx.slice(); + child_ctx[16] = list[i]; + return child_ctx; +} + +// (77:2) {#if error} +function create_if_block_3$1(ctx) { + let p; + let t; + + return { + c() { + p = element("p"); + t = text(/*error*/ ctx[4]); + }, + m(target, anchor) { + insert(target, p, anchor); + append(p, t); + }, + p(ctx, dirty) { + if (dirty & /*error*/ 16) set_data(t, /*error*/ ctx[4]); + }, + d(detaching) { + if (detaching) detach(p); + } + }; +} + +// (80:2) {#if newDraftName.length > 0} +function create_if_block$3(ctx) { + let select; + let option; + let t1; + let p; + let mounted; + let dispose; + let each_value = /*$currentProject*/ ctx[1].drafts; + let each_blocks = []; + + for (let i = 0; i < each_value.length; i += 1) { + each_blocks[i] = create_each_block$1(get_each_context$1(ctx, each_value, i)); + } + + function select_block_type(ctx, dirty) { + if (/*newDraftName*/ ctx[0] && /*copyFromDraft*/ ctx[3]) return create_if_block_1$2; + if (/*newDraftName*/ ctx[0]) return create_if_block_2$1; + } + + let current_block_type = select_block_type(ctx); + let if_block = current_block_type && current_block_type(ctx); + + return { + c() { + select = element("select"); + option = element("option"); + option.textContent = "Empty Draft"; + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].c(); + } + + t1 = space(); + p = element("p"); + if (if_block) if_block.c(); + option.__value = null; + option.value = option.__value; + attr(select, "name", "copyFrom"); + if (/*copyFromDraft*/ ctx[3] === void 0) add_render_callback(() => /*select_change_handler*/ ctx[9].call(select)); + attr(p, "class", "draft-description svelte-1wkli4h"); + }, + m(target, anchor) { + insert(target, select, anchor); + append(select, option); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].m(select, null); + } + + select_option(select, /*copyFromDraft*/ ctx[3]); + insert(target, t1, anchor); + insert(target, p, anchor); + if (if_block) if_block.m(p, null); + + if (!mounted) { + dispose = listen(select, "change", /*select_change_handler*/ ctx[9]); + mounted = true; + } + }, + p(ctx, dirty) { + if (dirty & /*$currentProject*/ 2) { + each_value = /*$currentProject*/ ctx[1].drafts; + let i; + + for (i = 0; i < each_value.length; i += 1) { + const child_ctx = get_each_context$1(ctx, each_value, i); + + if (each_blocks[i]) { + each_blocks[i].p(child_ctx, dirty); + } else { + each_blocks[i] = create_each_block$1(child_ctx); + each_blocks[i].c(); + each_blocks[i].m(select, null); + } + } + + for (; i < each_blocks.length; i += 1) { + each_blocks[i].d(1); + } + + each_blocks.length = each_value.length; + } + + if (dirty & /*copyFromDraft, $currentProject*/ 10) { + select_option(select, /*copyFromDraft*/ ctx[3]); + } + + if (current_block_type === (current_block_type = select_block_type(ctx)) && if_block) { + if_block.p(ctx, dirty); + } else { + if (if_block) if_block.d(1); + if_block = current_block_type && current_block_type(ctx); + + if (if_block) { + if_block.c(); + if_block.m(p, null); + } + } + }, + d(detaching) { + if (detaching) detach(select); + destroy_each(each_blocks, detaching); + if (detaching) detach(t1); + if (detaching) detach(p); + + if (if_block) { + if_block.d(); + } + + mounted = false; + dispose(); + } + }; +} + +// (83:6) {#each $currentProject.drafts as draftOption} +function create_each_block$1(ctx) { + let option; + let t_value = `Copy of ${/*draftOption*/ ctx[16].name}` + ""; + let t; + let option_value_value; + + return { + c() { + option = element("option"); + t = text(t_value); + option.__value = option_value_value = /*draftOption*/ ctx[16].folder; + option.value = option.__value; + }, + m(target, anchor) { + insert(target, option, anchor); + append(option, t); + }, + p(ctx, dirty) { + if (dirty & /*$currentProject*/ 2 && t_value !== (t_value = `Copy of ${/*draftOption*/ ctx[16].name}` + "")) set_data(t, t_value); + + if (dirty & /*$currentProject*/ 2 && option_value_value !== (option_value_value = /*draftOption*/ ctx[16].folder)) { + option.__value = option_value_value; + option.value = option.__value; + } + }, + d(detaching) { + if (detaching) detach(option); + } + }; +} + +// (92:29) +function create_if_block_2$1(ctx) { + let t0; + let t1; + + return { + c() { + t0 = text(/*newDraftName*/ ctx[0]); + t1 = text(" will start as an empty folder."); + }, + m(target, anchor) { + insert(target, t0, anchor); + insert(target, t1, anchor); + }, + p(ctx, dirty) { + if (dirty & /*newDraftName*/ 1) set_data(t0, /*newDraftName*/ ctx[0]); + }, + d(detaching) { + if (detaching) detach(t0); + if (detaching) detach(t1); + } + }; +} + +// (90:6) {#if newDraftName && copyFromDraft} +function create_if_block_1$2(ctx) { + let t0; + let t1; + let t2; + let t3; + + return { + c() { + t0 = text(/*newDraftName*/ ctx[0]); + t1 = text(" will start as a copy of "); + t2 = text(/*copyFromDraft*/ ctx[3]); + t3 = text("."); + }, + m(target, anchor) { + insert(target, t0, anchor); + insert(target, t1, anchor); + insert(target, t2, anchor); + insert(target, t3, anchor); + }, + p(ctx, dirty) { + if (dirty & /*newDraftName*/ 1) set_data(t0, /*newDraftName*/ ctx[0]); + if (dirty & /*copyFromDraft*/ 8) set_data(t2, /*copyFromDraft*/ ctx[3]); + }, + d(detaching) { + if (detaching) detach(t0); + if (detaching) detach(t1); + if (detaching) detach(t2); + if (detaching) detach(t3); + } + }; +} + +function create_fragment$4(ctx) { + let div; + let input; + let t0; + let t1; + let mounted; + let dispose; + let if_block0 = /*error*/ ctx[4] && create_if_block_3$1(ctx); + let if_block1 = /*newDraftName*/ ctx[0].length > 0 && create_if_block$3(ctx); + + return { + c() { + div = element("div"); + input = element("input"); + t0 = space(); + if (if_block0) if_block0.c(); + t1 = space(); + if (if_block1) if_block1.c(); + attr(input, "id", "new-draft"); + attr(input, "type", "text"); + attr(input, "placeholder", "New Draft…"); + attr(input, "class", "svelte-1wkli4h"); + toggle_class(input, "invalid", !!/*error*/ ctx[4]); + attr(div, "class", "new-draft-container svelte-1wkli4h"); + }, + m(target, anchor) { + insert(target, div, anchor); + append(div, input); + set_input_value(input, /*newDraftName*/ ctx[0]); + /*input_binding*/ ctx[7](input); + append(div, t0); + if (if_block0) if_block0.m(div, null); + append(div, t1); + if (if_block1) if_block1.m(div, null); + + if (!mounted) { + dispose = [ + listen(input, "input", /*input_input_handler*/ ctx[6]), + listen(input, "keydown", /*keydown_handler*/ ctx[8]) + ]; + + mounted = true; + } + }, + p(ctx, [dirty]) { + if (dirty & /*newDraftName*/ 1 && input.value !== /*newDraftName*/ ctx[0]) { + set_input_value(input, /*newDraftName*/ ctx[0]); + } + + if (dirty & /*error*/ 16) { + toggle_class(input, "invalid", !!/*error*/ ctx[4]); + } + + if (/*error*/ ctx[4]) { + if (if_block0) { + if_block0.p(ctx, dirty); + } else { + if_block0 = create_if_block_3$1(ctx); + if_block0.c(); + if_block0.m(div, t1); + } + } else if (if_block0) { + if_block0.d(1); + if_block0 = null; + } + + if (/*newDraftName*/ ctx[0].length > 0) { + if (if_block1) { + if_block1.p(ctx, dirty); + } else { + if_block1 = create_if_block$3(ctx); + if_block1.c(); + if_block1.m(div, null); + } + } else if (if_block1) { + if_block1.d(1); + if_block1 = null; + } + }, + i: noop, + o: noop, + d(detaching) { + if (detaching) detach(div); + /*input_binding*/ ctx[7](null); + if (if_block0) if_block0.d(); + if (if_block1) if_block1.d(); + mounted = false; + run_all(dispose); + } + }; +} + +function instance$4($$self, $$props, $$invalidate) { + let $currentProject; + let $currentDraftPath; + let $projectMetadata; + let $currentProjectPath; + component_subscribe($$self, currentProject, $$value => $$invalidate(1, $currentProject = $$value)); + component_subscribe($$self, currentDraftPath, $$value => $$invalidate(10, $currentDraftPath = $$value)); + component_subscribe($$self, projectMetadata, $$value => $$invalidate(11, $projectMetadata = $$value)); + component_subscribe($$self, currentProjectPath, $$value => $$invalidate(12, $currentProjectPath = $$value)); + const makeDraftPath = getContext("makeDraftPath"); + const makeScenePath = getContext("makeScenePath"); + let newDraftName = ""; + let newDraftInput; + let copyFromDraft = null; + let error = null; + const onNewDraft = getContext("onNewDraft"); + + function onNewDraftEnter() { + return __awaiter(this, void 0, void 0, function* () { + if (newDraftName.length > 0 && !error) { + const draftPath = makeDraftPath(newDraftName); + + if (draftPath) { + let copying = []; + let newDraftSceneOrder; + + if (copyFromDraft) { + const sourceDraft = $currentProject.drafts.find(d => d.folder === copyFromDraft); + + if (sourceDraft) { + newDraftSceneOrder = sourceDraft.scenes; + + copying = sourceDraft.scenes.map(s => ({ + from: makeScenePath(s, sourceDraft.folder), + to: makeScenePath(s, newDraftName) + })); + } + } + + yield onNewDraft(draftPath, copying); + set_store_value(currentDraftPath, $currentDraftPath = newDraftName, $currentDraftPath); + + if (copyFromDraft && newDraftSceneOrder) { + const newDraftIndex = $projectMetadata[$currentProjectPath].drafts.findIndex(d => d.folder === newDraftName); + + if (newDraftIndex >= 0) { + const newDraft = $projectMetadata[$currentProjectPath].drafts[newDraftIndex]; + newDraft.scenes = newDraftSceneOrder; + set_store_value(projectMetadata, $projectMetadata[$currentProjectPath].drafts[newDraftIndex] = newDraft, $projectMetadata); + } + } + + $$invalidate(0, newDraftName = ""); + } + } + }); + } + + function input_input_handler() { + newDraftName = this.value; + $$invalidate(0, newDraftName); + } + + function input_binding($$value) { + binding_callbacks[$$value ? "unshift" : "push"](() => { + newDraftInput = $$value; + $$invalidate(2, newDraftInput); + }); + } + + const keydown_handler = e => { + if (e.key === "Enter") { + onNewDraftEnter(); + } else if (e.key === "Escape") { + $$invalidate(0, newDraftName = ""); + newDraftInput.blur(); + } + }; + + function select_change_handler() { + copyFromDraft = select_value(this); + $$invalidate(3, copyFromDraft); + } + + $$self.$$.update = () => { + if ($$self.$$.dirty & /*newDraftName, $currentProject*/ 3) { + { + if (newDraftName.length === 0) { + $$invalidate(4, error = null); + } else if ($currentProject.drafts.find(d => d.folder === newDraftName)) { + $$invalidate(4, error = "A draft with this name already exists."); + } else if (newDraftName.match(/[\/\\:]/g)) { + $$invalidate(4, error = "A draft name cannot contain the characters: \\ / :"); + } else { + $$invalidate(4, error = null); + } + } + } + }; + + return [ + newDraftName, + $currentProject, + newDraftInput, + copyFromDraft, + error, + onNewDraftEnter, + input_input_handler, + input_binding, + keydown_handler, + select_change_handler + ]; +} + +class NewDraftField extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-1wkli4h-style")) add_css$3(); + init(this, options, instance$4, create_fragment$4, safe_not_equal, {}); + } +} + +/* src/view/explorer/NewSceneField.svelte generated by Svelte v3.38.2 */ + +function add_css$2() { + var style = element("style"); + style.id = "svelte-1lq63fp-style"; + style.textContent = ".new-scene-container.svelte-1lq63fp{margin:0;border-top:1px solid var(--text-muted);padding:4px 0}#new-scene.svelte-1lq63fp{padding:0;border:0;background:inherit;font-size:14px;line-height:20px;width:100%}#new-scene.invalid.svelte-1lq63fp{color:var(--text-error)}#new-scene.svelte-1lq63fp::placeholder{font-style:italic}"; + append(document.head, style); +} + +// (50:2) {#if error} +function create_if_block$2(ctx) { + let p; + let t; + + return { + c() { + p = element("p"); + t = text(/*error*/ ctx[2]); + }, + m(target, anchor) { + insert(target, p, anchor); + append(p, t); + }, + p(ctx, dirty) { + if (dirty & /*error*/ 4) set_data(t, /*error*/ ctx[2]); + }, + d(detaching) { + if (detaching) detach(p); + } + }; +} + +function create_fragment$3(ctx) { + let div; + let input; + let t; + let mounted; + let dispose; + let if_block = /*error*/ ctx[2] && create_if_block$2(ctx); + + return { + c() { + div = element("div"); + input = element("input"); + t = space(); + if (if_block) if_block.c(); + attr(input, "id", "new-scene"); + attr(input, "type", "text"); + attr(input, "placeholder", "New Scene…"); + attr(input, "class", "svelte-1lq63fp"); + toggle_class(input, "invalid", !!/*error*/ ctx[2]); + attr(div, "class", "new-scene-container svelte-1lq63fp"); + }, + m(target, anchor) { + insert(target, div, anchor); + append(div, input); + set_input_value(input, /*newSceneName*/ ctx[0]); + /*input_binding*/ ctx[6](input); + append(div, t); + if (if_block) if_block.m(div, null); + + if (!mounted) { + dispose = [ + listen(input, "input", /*input_input_handler*/ ctx[5]), + listen(input, "keydown", /*keydown_handler*/ ctx[7]) + ]; + + mounted = true; + } + }, + p(ctx, [dirty]) { + if (dirty & /*newSceneName*/ 1 && input.value !== /*newSceneName*/ ctx[0]) { + set_input_value(input, /*newSceneName*/ ctx[0]); + } + + if (dirty & /*error*/ 4) { + toggle_class(input, "invalid", !!/*error*/ ctx[2]); + } + + if (/*error*/ ctx[2]) { + if (if_block) { + if_block.p(ctx, dirty); + } else { + if_block = create_if_block$2(ctx); + if_block.c(); + if_block.m(div, null); + } + } else if (if_block) { + if_block.d(1); + if_block = null; + } + }, + i: noop, + o: noop, + d(detaching) { + if (detaching) detach(div); + /*input_binding*/ ctx[6](null); + if (if_block) if_block.d(); + mounted = false; + run_all(dispose); + } + }; +} + +function instance$3($$self, $$props, $$invalidate) { + let $currentDraft; + component_subscribe($$self, currentDraft, $$value => $$invalidate(4, $currentDraft = $$value)); + let newSceneName = ""; + let newSceneInput; + let error = null; + const makeScenePath = getContext("makeScenePath"); + const onNewScene = getContext("onNewScene"); + + function onNewSceneEnter() { + if (newSceneName.length > 0 && !error) { + const scenePath = makeScenePath(newSceneName); + + if (scenePath) { + onNewScene(scenePath); + $$invalidate(0, newSceneName = ""); + } + } + } + + function input_input_handler() { + newSceneName = this.value; + $$invalidate(0, newSceneName); + } + + function input_binding($$value) { + binding_callbacks[$$value ? "unshift" : "push"](() => { + newSceneInput = $$value; + $$invalidate(1, newSceneInput); + }); + } + + const keydown_handler = e => { + if (e.key === "Enter") { + onNewSceneEnter(); + } else if (e.key === "Escape") { + $$invalidate(0, newSceneName = ""); + newSceneInput.blur(); + } + }; + + $$self.$$.update = () => { + if ($$self.$$.dirty & /*newSceneName, $currentDraft*/ 17) { + { + if (newSceneName.length === 0) { + $$invalidate(2, error = null); + } else if ($currentDraft.scenes.contains(newSceneName)) { + $$invalidate(2, error = "A scene with this name already exists in this draft."); + } else if (newSceneName.match(/[\/\\:]/g)) { + $$invalidate(2, error = "A scene name cannot contain the characters: \\ / :"); + } else { + $$invalidate(2, error = null); + } + } + } + }; + + return [ + newSceneName, + newSceneInput, + error, + onNewSceneEnter, + $currentDraft, + input_input_handler, + input_binding, + keydown_handler + ]; +} + +class NewSceneField extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-1lq63fp-style")) add_css$2(); + init(this, options, instance$3, create_fragment$3, safe_not_equal, {}); + } +} + +/* src/view/explorer/ProjectPicker.svelte generated by Svelte v3.38.2 */ + +function add_css$1() { + var style = element("style"); + style.id = "svelte-23avsr-style"; + style.textContent = "#project-picker-container.svelte-23avsr.svelte-23avsr{margin-bottom:8px}select.svelte-23avsr.svelte-23avsr{background-color:transparent;border:none;padding:0;margin:0;width:100%;font-family:inherit;font-size:inherit;cursor:inherit;line-height:inherit;outline:none}.select.svelte-23avsr.svelte-23avsr{cursor:pointer}.select.svelte-23avsr>select.svelte-23avsr{color:var(--text-accent)}.select.svelte-23avsr>select.svelte-23avsr:hover{text-decoration:underline;color:var(--text-accent-hover)}#project-picker.svelte-23avsr.svelte-23avsr{display:flex;flex-direction:row;align-items:center;flex-wrap:wrap}.right-arrow.svelte-23avsr.svelte-23avsr{display:grid}.right-arrow.svelte-23avsr.svelte-23avsr::after{content:\"\";width:0.8em;height:0.5em;background-color:var(--text-muted);clip-path:polygon(50% 0%, 50% 100%, 100% 50%)}.current-draft-path.svelte-23avsr.svelte-23avsr{color:var(--text-muted);font-size:10px;padding:0 8px;line-height:12px}.project-error.svelte-23avsr.svelte-23avsr{color:var(--text-error);font-size:12px;line-height:14px}"; + append(document.head, style); +} + +function get_each_context(ctx, list, i) { + const child_ctx = ctx.slice(); + child_ctx[8] = list[i]; + return child_ctx; +} + +function get_each_context_1(ctx, list, i) { + const child_ctx = ctx.slice(); + child_ctx[11] = list[i]; + return child_ctx; +} + +// (54:2) {:else} +function create_else_block(ctx) { + let p; + + return { + c() { + p = element("p"); + p.textContent = "To use Longform, start by marking a folder as a Longform project by\n right-clicking it and selecting \"Mark as Longform project.\""; + }, + m(target, anchor) { + insert(target, p, anchor); + }, + p: noop, + d(detaching) { + if (detaching) detach(p); + } + }; +} + +// (27:2) {#if projectOptions.length > 0} +function create_if_block_1$1(ctx) { + let div1; + let div0; + let select; + let t0; + let t1; + let if_block1_anchor; + let mounted; + let dispose; + let each_value_1 = /*projectOptions*/ ctx[2]; + let each_blocks = []; + + for (let i = 0; i < each_value_1.length; i += 1) { + each_blocks[i] = create_each_block_1(get_each_context_1(ctx, each_value_1, i)); + } + + let if_block0 = /*$currentDraftPath*/ ctx[1] && /*$currentProject*/ ctx[0] && /*$currentProject*/ ctx[0].drafts && create_if_block_3(ctx); + let if_block1 = /*$currentDraftPath*/ ctx[1] && create_if_block_2(ctx); + + return { + c() { + div1 = element("div"); + div0 = element("div"); + select = element("select"); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].c(); + } + + t0 = space(); + if (if_block0) if_block0.c(); + t1 = space(); + if (if_block1) if_block1.c(); + if_block1_anchor = empty(); + attr(select, "name", "projects"); + attr(select, "class", "svelte-23avsr"); + if (/*$currentProjectPath*/ ctx[3] === void 0) add_render_callback(() => /*select_change_handler*/ ctx[6].call(select)); + attr(div0, "class", "select svelte-23avsr"); + attr(div0, "id", "select-projects"); + attr(div1, "id", "project-picker"); + attr(div1, "class", "svelte-23avsr"); + }, + m(target, anchor) { + insert(target, div1, anchor); + append(div1, div0); + append(div0, select); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].m(select, null); + } + + select_option(select, /*$currentProjectPath*/ ctx[3]); + append(div1, t0); + if (if_block0) if_block0.m(div1, null); + insert(target, t1, anchor); + if (if_block1) if_block1.m(target, anchor); + insert(target, if_block1_anchor, anchor); + + if (!mounted) { + dispose = listen(select, "change", /*select_change_handler*/ ctx[6]); + mounted = true; + } + }, + p(ctx, dirty) { + if (dirty & /*projectOptions*/ 4) { + each_value_1 = /*projectOptions*/ ctx[2]; + let i; + + for (i = 0; i < each_value_1.length; i += 1) { + const child_ctx = get_each_context_1(ctx, each_value_1, i); + + if (each_blocks[i]) { + each_blocks[i].p(child_ctx, dirty); + } else { + each_blocks[i] = create_each_block_1(child_ctx); + each_blocks[i].c(); + each_blocks[i].m(select, null); + } + } + + for (; i < each_blocks.length; i += 1) { + each_blocks[i].d(1); + } + + each_blocks.length = each_value_1.length; + } + + if (dirty & /*$currentProjectPath, projectOptions*/ 12) { + select_option(select, /*$currentProjectPath*/ ctx[3]); + } + + if (/*$currentDraftPath*/ ctx[1] && /*$currentProject*/ ctx[0] && /*$currentProject*/ ctx[0].drafts) { + if (if_block0) { + if_block0.p(ctx, dirty); + } else { + if_block0 = create_if_block_3(ctx); + if_block0.c(); + if_block0.m(div1, null); + } + } else if (if_block0) { + if_block0.d(1); + if_block0 = null; + } + + if (/*$currentDraftPath*/ ctx[1]) { + if (if_block1) { + if_block1.p(ctx, dirty); + } else { + if_block1 = create_if_block_2(ctx); + if_block1.c(); + if_block1.m(if_block1_anchor.parentNode, if_block1_anchor); + } + } else if (if_block1) { + if_block1.d(1); + if_block1 = null; + } + }, + d(detaching) { + if (detaching) detach(div1); + destroy_each(each_blocks, detaching); + if (if_block0) if_block0.d(); + if (detaching) detach(t1); + if (if_block1) if_block1.d(detaching); + if (detaching) detach(if_block1_anchor); + mounted = false; + dispose(); + } + }; +} + +// (31:10) {#each projectOptions as projectOption} +function create_each_block_1(ctx) { + let option; + let t_value = /*projectOption*/ ctx[11].name + ""; + let t; + let option_value_value; + + return { + c() { + option = element("option"); + t = text(t_value); + attr(option, "class", "projectOption"); + option.__value = option_value_value = /*projectOption*/ ctx[11].path; + option.value = option.__value; + }, + m(target, anchor) { + insert(target, option, anchor); + append(option, t); + }, + p(ctx, dirty) { + if (dirty & /*projectOptions*/ 4 && t_value !== (t_value = /*projectOption*/ ctx[11].name + "")) set_data(t, t_value); + + if (dirty & /*projectOptions*/ 4 && option_value_value !== (option_value_value = /*projectOption*/ ctx[11].path)) { + option.__value = option_value_value; + option.value = option.__value; + } + }, + d(detaching) { + if (detaching) detach(option); + } + }; +} + +// (38:6) {#if $currentDraftPath && $currentProject && $currentProject.drafts} +function create_if_block_3(ctx) { + let span; + let t; + let div; + let select; + let mounted; + let dispose; + let each_value = /*$currentProject*/ ctx[0].drafts; + let each_blocks = []; + + for (let i = 0; i < each_value.length; i += 1) { + each_blocks[i] = create_each_block(get_each_context(ctx, each_value, i)); + } + + return { + c() { + span = element("span"); + t = space(); + div = element("div"); + select = element("select"); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].c(); + } + + attr(span, "class", "right-arrow svelte-23avsr"); + attr(select, "name", "drafts"); + attr(select, "class", "svelte-23avsr"); + if (/*$currentDraftPath*/ ctx[1] === void 0) add_render_callback(() => /*select_change_handler_1*/ ctx[7].call(select)); + attr(div, "class", "select svelte-23avsr"); + attr(div, "id", "select-drafts"); + }, + m(target, anchor) { + insert(target, span, anchor); + insert(target, t, anchor); + insert(target, div, anchor); + append(div, select); + + for (let i = 0; i < each_blocks.length; i += 1) { + each_blocks[i].m(select, null); + } + + select_option(select, /*$currentDraftPath*/ ctx[1]); + + if (!mounted) { + dispose = listen(select, "change", /*select_change_handler_1*/ ctx[7]); + mounted = true; + } + }, + p(ctx, dirty) { + if (dirty & /*$currentProject*/ 1) { + each_value = /*$currentProject*/ ctx[0].drafts; + let i; + + for (i = 0; i < each_value.length; i += 1) { + const child_ctx = get_each_context(ctx, each_value, i); + + if (each_blocks[i]) { + each_blocks[i].p(child_ctx, dirty); + } else { + each_blocks[i] = create_each_block(child_ctx); + each_blocks[i].c(); + each_blocks[i].m(select, null); + } + } + + for (; i < each_blocks.length; i += 1) { + each_blocks[i].d(1); + } + + each_blocks.length = each_value.length; + } + + if (dirty & /*$currentDraftPath, $currentProject*/ 3) { + select_option(select, /*$currentDraftPath*/ ctx[1]); + } + }, + d(detaching) { + if (detaching) detach(span); + if (detaching) detach(t); + if (detaching) detach(div); + destroy_each(each_blocks, detaching); + mounted = false; + dispose(); + } + }; +} + +// (42:12) {#each $currentProject.drafts as draftOption} +function create_each_block(ctx) { + let option; + let t_value = /*draftOption*/ ctx[8].name + ""; + let t; + let option_value_value; + + return { + c() { + option = element("option"); + t = text(t_value); + option.__value = option_value_value = /*draftOption*/ ctx[8].folder; + option.value = option.__value; + }, + m(target, anchor) { + insert(target, option, anchor); + append(option, t); + }, + p(ctx, dirty) { + if (dirty & /*$currentProject*/ 1 && t_value !== (t_value = /*draftOption*/ ctx[8].name + "")) set_data(t, t_value); + + if (dirty & /*$currentProject*/ 1 && option_value_value !== (option_value_value = /*draftOption*/ ctx[8].folder)) { + option.__value = option_value_value; + option.value = option.__value; + } + }, + d(detaching) { + if (detaching) detach(option); + } + }; +} + +// (49:4) {#if $currentDraftPath} +function create_if_block_2(ctx) { + let div; + let t_value = obsidian.normalizePath(`${/*$currentProjectPath*/ ctx[3]}/${/*$currentDraftPath*/ ctx[1]}`) + ""; + let t; + + return { + c() { + div = element("div"); + t = text(t_value); + attr(div, "class", "current-draft-path svelte-23avsr"); + }, + m(target, anchor) { + insert(target, div, anchor); + append(div, t); + }, + p(ctx, dirty) { + if (dirty & /*$currentProjectPath, $currentDraftPath*/ 10 && t_value !== (t_value = obsidian.normalizePath(`${/*$currentProjectPath*/ ctx[3]}/${/*$currentDraftPath*/ ctx[1]}`) + "")) set_data(t, t_value); + }, + d(detaching) { + if (detaching) detach(div); + } + }; +} + +// (60:2) {#if $currentProject && $currentProject.error} +function create_if_block$1(ctx) { + let p; + let t_value = /*$currentProject*/ ctx[0].error + ""; + let t; + + return { + c() { + p = element("p"); + t = text(t_value); + attr(p, "class", "project-error svelte-23avsr"); + }, + m(target, anchor) { + insert(target, p, anchor); + append(p, t); + }, + p(ctx, dirty) { + if (dirty & /*$currentProject*/ 1 && t_value !== (t_value = /*$currentProject*/ ctx[0].error + "")) set_data(t, t_value); + }, + d(detaching) { + if (detaching) detach(p); + } + }; +} + +function create_fragment$2(ctx) { + let div; + let t; + + function select_block_type(ctx, dirty) { + if (/*projectOptions*/ ctx[2].length > 0) return create_if_block_1$1; + return create_else_block; + } + + let current_block_type = select_block_type(ctx); + let if_block0 = current_block_type(ctx); + let if_block1 = /*$currentProject*/ ctx[0] && /*$currentProject*/ ctx[0].error && create_if_block$1(ctx); + + return { + c() { + div = element("div"); + if_block0.c(); + t = space(); + if (if_block1) if_block1.c(); + attr(div, "id", "project-picker-container"); + attr(div, "class", "svelte-23avsr"); + }, + m(target, anchor) { + insert(target, div, anchor); + if_block0.m(div, null); + append(div, t); + if (if_block1) if_block1.m(div, null); + }, + p(ctx, [dirty]) { + if (current_block_type === (current_block_type = select_block_type(ctx)) && if_block0) { + if_block0.p(ctx, dirty); + } else { + if_block0.d(1); + if_block0 = current_block_type(ctx); + + if (if_block0) { + if_block0.c(); + if_block0.m(div, t); + } + } + + if (/*$currentProject*/ ctx[0] && /*$currentProject*/ ctx[0].error) { + if (if_block1) { + if_block1.p(ctx, dirty); + } else { + if_block1 = create_if_block$1(ctx); + if_block1.c(); + if_block1.m(div, null); + } + } else if (if_block1) { + if_block1.d(1); + if_block1 = null; + } + }, + i: noop, + o: noop, + d(detaching) { + if (detaching) detach(div); + if_block0.d(); + if (if_block1) if_block1.d(); + } + }; +} + +function instance$2($$self, $$props, $$invalidate) { + let $projects; + let $initialized; + let $currentProject; + let $currentDraftPath; + let $currentProjectPath; + component_subscribe($$self, projects, $$value => $$invalidate(4, $projects = $$value)); + component_subscribe($$self, initialized, $$value => $$invalidate(5, $initialized = $$value)); + component_subscribe($$self, currentProject, $$value => $$invalidate(0, $currentProject = $$value)); + component_subscribe($$self, currentDraftPath, $$value => $$invalidate(1, $currentDraftPath = $$value)); + component_subscribe($$self, currentProjectPath, $$value => $$invalidate(3, $currentProjectPath = $$value)); + let projectOptions = []; + + function select_change_handler() { + $currentProjectPath = select_value(this); + currentProjectPath.set($currentProjectPath); + ($$invalidate(2, projectOptions), $$invalidate(4, $projects)); + } + + function select_change_handler_1() { + $currentDraftPath = select_value(this); + currentDraftPath.set($currentDraftPath); + } + + $$self.$$.update = () => { + if ($$self.$$.dirty & /*$projects*/ 16) { + { + $$invalidate(2, projectOptions = Object.keys($projects).map(path => ({ name: path.split("/").slice(-1)[0], path }))); + } + } + + if ($$self.$$.dirty & /*$initialized, $currentProject, $currentDraftPath*/ 35) { + // Recover if you've changed projects and there's no matching draft folder + // by setting the current draft to the last one in the project. + if ($initialized && $currentProject && !$currentProject.drafts.find(d => d.folder === $currentDraftPath)) { + const drafts = $currentProject.drafts; + + if (drafts.length > 0) { + set_store_value(currentDraftPath, $currentDraftPath = drafts[drafts.length - 1].folder, $currentDraftPath); + } else { + set_store_value(currentDraftPath, $currentDraftPath = null, $currentDraftPath); + } + } + } + }; + + return [ + $currentProject, + $currentDraftPath, + projectOptions, + $currentProjectPath, + $projects, + $initialized, + select_change_handler, + select_change_handler_1 + ]; +} + +class ProjectPicker extends SvelteComponent { + constructor(options) { + super(); + if (!document.getElementById("svelte-23avsr-style")) add_css$1(); + init(this, options, instance$2, create_fragment$2, safe_not_equal, {}); + } +} + +/* src/view/explorer/SceneList.svelte generated by Svelte v3.38.2 */ + +const { document: document_1 } = globals; + +function add_css() { + var style = element("style"); + style.id = "svelte-1wlkmbt-style"; + style.textContent = "#scene-list.svelte-1wlkmbt.svelte-1wlkmbt{margin:4px 0px}#scene-list.svelte-1wlkmbt .sortable-scene-list{list-style-type:none;padding:0px;margin:0px}.scene-container.svelte-1wlkmbt.svelte-1wlkmbt{display:flex;border:1px solid transparent;border-radius:3px;cursor:pointer;color:var(--text-muted);font-size:14px;line-height:20px;white-space:nowrap;padding:2px 0px}.selected.svelte-1wlkmbt.svelte-1wlkmbt,.svelte-1wlkmbt:not(.dragging) .scene-container.svelte-1wlkmbt:hover{background-color:var(--background-secondary-alt);color:var(--text-normal)}.scene-container.svelte-1wlkmbt.svelte-1wlkmbt:active{background-color:inherit;color:var(--text-muted)}.scene-ghost{background-color:var(--interactive-accent-hover);color:var(--text-on-accent)}"; + append(document_1.head, style); +} + +// (57:2) +function create_default_slot$1(ctx) { + let div; + let t_value = /*item*/ ctx[16].name + ""; + let t; + let div_data_scene_path_value; + let mounted; + let dispose; + + function click_handler(...args) { + return /*click_handler*/ ctx[8](/*item*/ ctx[16], ...args); + } + + return { + c() { + div = element("div"); + t = text(t_value); + attr(div, "class", "scene-container svelte-1wlkmbt"); + attr(div, "data-scene-path", div_data_scene_path_value = /*item*/ ctx[16].path); + toggle_class(div, "selected", /*$activeFile*/ ctx[2] && /*$activeFile*/ ctx[2].path === /*item*/ ctx[16].path); + }, + m(target, anchor) { + insert(target, div, anchor); + append(div, t); + + if (!mounted) { + dispose = [ + listen(div, "click", click_handler), + listen(div, "contextmenu", prevent_default(/*onContext*/ ctx[6])) + ]; + + mounted = true; + } + }, + p(new_ctx, dirty) { + ctx = new_ctx; + if (dirty & /*item*/ 65536 && t_value !== (t_value = /*item*/ ctx[16].name + "")) set_data(t, t_value); + + if (dirty & /*item*/ 65536 && div_data_scene_path_value !== (div_data_scene_path_value = /*item*/ ctx[16].path)) { + attr(div, "data-scene-path", div_data_scene_path_value); + } + + if (dirty & /*$activeFile, item*/ 65540) { + toggle_class(div, "selected", /*$activeFile*/ ctx[2] && /*$activeFile*/ ctx[2].path === /*item*/ ctx[16].path); + } + }, + d(detaching) { + if (detaching) detach(div); + mounted = false; + run_all(dispose); + } + }; +} + +function create_fragment$1(ctx) { + let div; + let sortablelist; + let updating_items; + let current; + + function sortablelist_items_binding(value) { + /*sortablelist_items_binding*/ ctx[9](value); + } + + let sortablelist_props = { + sortableOptions: /*sortableOptions*/ ctx[3], + class: "sortable-scene-list", + $$slots: { + default: [ + create_default_slot$1, + ({ item }) => ({ 16: item }), + ({ item }) => item ? 65536 : 0 + ] + }, + $$scope: { ctx } + }; + + if (/*items*/ ctx[0] !== void 0) { + sortablelist_props.items = /*items*/ ctx[0]; + } + + sortablelist = new SortableList({ props: sortablelist_props }); + binding_callbacks.push(() => bind(sortablelist, "items", sortablelist_items_binding)); + sortablelist.$on("orderChanged", /*itemOrderChanged*/ ctx[4]); + + return { + c() { + div = element("div"); + create_component(sortablelist.$$.fragment); + attr(div, "id", "scene-list"); + attr(div, "class", "svelte-1wlkmbt"); + toggle_class(div, "dragging", /*isSorting*/ ctx[1]); + }, + m(target, anchor) { + insert(target, div, anchor); + mount_component(sortablelist, div, null); + current = true; + }, + p(ctx, [dirty]) { + const sortablelist_changes = {}; + + if (dirty & /*$$scope, item, $activeFile*/ 196612) { + sortablelist_changes.$$scope = { dirty, ctx }; + } + + if (!updating_items && dirty & /*items*/ 1) { + updating_items = true; + sortablelist_changes.items = /*items*/ ctx[0]; + add_flush_callback(() => updating_items = false); + } + + sortablelist.$set(sortablelist_changes); + + if (dirty & /*isSorting*/ 2) { + toggle_class(div, "dragging", /*isSorting*/ ctx[1]); + } + }, + i(local) { + if (current) return; + transition_in(sortablelist.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(sortablelist.$$.fragment, local); + current = false; + }, + d(detaching) { + if (detaching) detach(div); + destroy_component(sortablelist); + } + }; +} + +function instance$1($$self, $$props, $$invalidate) { + let $currentDraft; + let $projectMetadata; + let $currentProjectPath; + let $currentDraftPath; + let $activeFile; + component_subscribe($$self, currentDraft, $$value => $$invalidate(7, $currentDraft = $$value)); + component_subscribe($$self, projectMetadata, $$value => $$invalidate(10, $projectMetadata = $$value)); + component_subscribe($$self, currentProjectPath, $$value => $$invalidate(11, $currentProjectPath = $$value)); + component_subscribe($$self, currentDraftPath, $$value => $$invalidate(12, $currentDraftPath = $$value)); + component_subscribe($$self, activeFile, $$value => $$invalidate(2, $activeFile = $$value)); + + + // Function to make paths from scene names + const makeScenePath = getContext("makeScenePath"); + + let items; + + // Track sort state for styling, set sorting options + let isSorting = false; + + const sortableOptions = { + animation: 150, + ghostClass: "scene-ghost", + onStart: () => { + $$invalidate(1, isSorting = true); + }, + onEnd: () => { + $$invalidate(1, isSorting = false); + } + }; + + // Called when sorting ends an the item order has been updated. + // Reorder scenes according and set into the store. + function itemOrderChanged(event) { + const currentDraftIndex = $projectMetadata[$currentProjectPath].drafts.findIndex(d => d.folder === $currentDraftPath); + set_store_value(projectMetadata, $projectMetadata[$currentProjectPath].drafts[currentDraftIndex].scenes = event.detail.map(d => d.name), $projectMetadata); + } + + // Grab the click context function and call it when a valid scene is clicked. + const onSceneClick = getContext("onSceneClick"); + + function onItemClick(path, event) { + if (path) { + onSceneClick(path, event.metaKey); + } + } + + // Grab the right-click context function and call it if the right-click + // happened on a scene element with a valid path. + const onContextClick = getContext("onContextClick"); + + function onContext(event) { + const { x, y } = event; + const element = document.elementFromPoint(x, y); + const scenePath = element && element instanceof HTMLElement && element.dataset.scenePath; + + if (scenePath) { + onContextClick(scenePath, x, y); + } + } + + const click_handler = (item, e) => typeof item.path === "string" + ? onItemClick(item.path, e) + : {}; + + function sortablelist_items_binding(value) { + items = value; + ($$invalidate(0, items), $$invalidate(7, $currentDraft)); + } + + $$self.$$.update = () => { + if ($$self.$$.dirty & /*$currentDraft*/ 128) { + { + $$invalidate(0, items = $currentDraft + ? $currentDraft.scenes.map(s => ({ id: s, name: s, path: makeScenePath(s) })) + : []); + } + } + }; + + return [ + items, + isSorting, + $activeFile, + sortableOptions, + itemOrderChanged, + onItemClick, + onContext, + $currentDraft, + click_handler, + sortablelist_items_binding + ]; +} + +class SceneList extends SvelteComponent { + constructor(options) { + super(); + if (!document_1.getElementById("svelte-1wlkmbt-style")) add_css(); + init(this, options, instance$1, create_fragment$1, safe_not_equal, {}); + } +} + +/* src/view/explorer/ExplorerView.svelte generated by Svelte v3.38.2 */ + +function create_default_slot_7(ctx) { + let t; + + return { + c() { + t = text("Scenes"); + }, + m(target, anchor) { + insert(target, t, anchor); + }, + d(detaching) { + if (detaching) detach(t); + } + }; +} + +// (35:4) +function create_default_slot_6(ctx) { + let t; + + return { + c() { + t = text("Drafts"); + }, + m(target, anchor) { + insert(target, t, anchor); + }, + d(detaching) { + if (detaching) detach(t); + } + }; +} + +// (36:4) +function create_default_slot_5(ctx) { + let t; + + return { + c() { + t = text("Compile"); + }, + m(target, anchor) { + insert(target, t, anchor); + }, + d(detaching) { + if (detaching) detach(t); + } + }; +} + +// (33:2) +function create_default_slot_4(ctx) { + let tab0; + let t0; + let tab1; + let t1; + let tab2; + let current; + + tab0 = new Tab({ + props: { + $$slots: { default: [create_default_slot_7] }, + $$scope: { ctx } + } + }); + + tab1 = new Tab({ + props: { + $$slots: { default: [create_default_slot_6] }, + $$scope: { ctx } + } + }); + + tab2 = new Tab({ + props: { + $$slots: { default: [create_default_slot_5] }, + $$scope: { ctx } + } + }); + + return { + c() { + create_component(tab0.$$.fragment); + t0 = space(); + create_component(tab1.$$.fragment); + t1 = space(); + create_component(tab2.$$.fragment); + }, + m(target, anchor) { + mount_component(tab0, target, anchor); + insert(target, t0, anchor); + mount_component(tab1, target, anchor); + insert(target, t1, anchor); + mount_component(tab2, target, anchor); + current = true; + }, + p(ctx, dirty) { + const tab0_changes = {}; + + if (dirty & /*$$scope*/ 128) { + tab0_changes.$$scope = { dirty, ctx }; + } + + tab0.$set(tab0_changes); + const tab1_changes = {}; + + if (dirty & /*$$scope*/ 128) { + tab1_changes.$$scope = { dirty, ctx }; + } + + tab1.$set(tab1_changes); + const tab2_changes = {}; + + if (dirty & /*$$scope*/ 128) { + tab2_changes.$$scope = { dirty, ctx }; + } + + tab2.$set(tab2_changes); + }, + i(local) { + if (current) return; + transition_in(tab0.$$.fragment, local); + transition_in(tab1.$$.fragment, local); + transition_in(tab2.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(tab0.$$.fragment, local); + transition_out(tab1.$$.fragment, local); + transition_out(tab2.$$.fragment, local); + current = false; + }, + d(detaching) { + destroy_component(tab0, detaching); + if (detaching) detach(t0); + destroy_component(tab1, detaching); + if (detaching) detach(t1); + destroy_component(tab2, detaching); + } + }; +} + +// (39:4) {#if $currentDraft} +function create_if_block_1(ctx) { + let scenelist; + let t; + let newscenefield; + let current; + scenelist = new SceneList({}); + newscenefield = new NewSceneField({}); + + return { + c() { + create_component(scenelist.$$.fragment); + t = space(); + create_component(newscenefield.$$.fragment); + }, + m(target, anchor) { + mount_component(scenelist, target, anchor); + insert(target, t, anchor); + mount_component(newscenefield, target, anchor); + current = true; + }, + i(local) { + if (current) return; + transition_in(scenelist.$$.fragment, local); + transition_in(newscenefield.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(scenelist.$$.fragment, local); + transition_out(newscenefield.$$.fragment, local); + current = false; + }, + d(detaching) { + destroy_component(scenelist, detaching); + if (detaching) detach(t); + destroy_component(newscenefield, detaching); + } + }; +} + +// (38:2) +function create_default_slot_3(ctx) { + let if_block_anchor; + let current; + let if_block = /*$currentDraft*/ ctx[0] && create_if_block_1(); + + return { + c() { + if (if_block) if_block.c(); + if_block_anchor = empty(); + }, + m(target, anchor) { + if (if_block) if_block.m(target, anchor); + insert(target, if_block_anchor, anchor); + current = true; + }, + p(ctx, dirty) { + if (/*$currentDraft*/ ctx[0]) { + if (if_block) { + if (dirty & /*$currentDraft*/ 1) { + transition_in(if_block, 1); + } + } else { + if_block = create_if_block_1(); + if_block.c(); + transition_in(if_block, 1); + if_block.m(if_block_anchor.parentNode, if_block_anchor); + } + } else if (if_block) { + group_outros(); + + transition_out(if_block, 1, 1, () => { + if_block = null; + }); + + check_outros(); + } + }, + i(local) { + if (current) return; + transition_in(if_block); + current = true; + }, + o(local) { + transition_out(if_block); + current = false; + }, + d(detaching) { + if (if_block) if_block.d(detaching); + if (detaching) detach(if_block_anchor); + } + }; +} + +// (45:4) {#if $currentProject} +function create_if_block(ctx) { + let draftlist; + let t; + let newdraftfield; + let current; + draftlist = new DraftList({}); + newdraftfield = new NewDraftField({}); + + return { + c() { + create_component(draftlist.$$.fragment); + t = space(); + create_component(newdraftfield.$$.fragment); + }, + m(target, anchor) { + mount_component(draftlist, target, anchor); + insert(target, t, anchor); + mount_component(newdraftfield, target, anchor); + current = true; + }, + i(local) { + if (current) return; + transition_in(draftlist.$$.fragment, local); + transition_in(newdraftfield.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(draftlist.$$.fragment, local); + transition_out(newdraftfield.$$.fragment, local); + current = false; + }, + d(detaching) { + destroy_component(draftlist, detaching); + if (detaching) detach(t); + destroy_component(newdraftfield, detaching); + } + }; +} + +// (44:2) +function create_default_slot_2(ctx) { + let if_block_anchor; + let current; + let if_block = /*$currentProject*/ ctx[1] && create_if_block(); + + return { + c() { + if (if_block) if_block.c(); + if_block_anchor = empty(); + }, + m(target, anchor) { + if (if_block) if_block.m(target, anchor); + insert(target, if_block_anchor, anchor); + current = true; + }, + p(ctx, dirty) { + if (/*$currentProject*/ ctx[1]) { + if (if_block) { + if (dirty & /*$currentProject*/ 2) { + transition_in(if_block, 1); + } + } else { + if_block = create_if_block(); + if_block.c(); + transition_in(if_block, 1); + if_block.m(if_block_anchor.parentNode, if_block_anchor); + } + } else if (if_block) { + group_outros(); + + transition_out(if_block, 1, 1, () => { + if_block = null; + }); + + check_outros(); + } + }, + i(local) { + if (current) return; + transition_in(if_block); + current = true; + }, + o(local) { + transition_out(if_block); + current = false; + }, + d(detaching) { + if (if_block) if_block.d(detaching); + if (detaching) detach(if_block_anchor); + } + }; +} + +// (50:2) +function create_default_slot_1(ctx) { + let compileview; + let current; + compileview = new CompileView({}); + + return { + c() { + create_component(compileview.$$.fragment); + }, + m(target, anchor) { + mount_component(compileview, target, anchor); + current = true; + }, + i(local) { + if (current) return; + transition_in(compileview.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(compileview.$$.fragment, local); + current = false; + }, + d(detaching) { + destroy_component(compileview, detaching); + } + }; +} + +// (32:0) +function create_default_slot(ctx) { + let tablist; + let t0; + let tabpanel0; + let t1; + let tabpanel1; + let t2; + let tabpanel2; + let current; + + tablist = new TabList({ + props: { + $$slots: { default: [create_default_slot_4] }, + $$scope: { ctx } + } + }); + + tabpanel0 = new TabPanel({ + props: { + $$slots: { default: [create_default_slot_3] }, + $$scope: { ctx } + } + }); + + tabpanel1 = new TabPanel({ + props: { + $$slots: { default: [create_default_slot_2] }, + $$scope: { ctx } + } + }); + + tabpanel2 = new TabPanel({ + props: { + $$slots: { default: [create_default_slot_1] }, + $$scope: { ctx } + } + }); + + return { + c() { + create_component(tablist.$$.fragment); + t0 = space(); + create_component(tabpanel0.$$.fragment); + t1 = space(); + create_component(tabpanel1.$$.fragment); + t2 = space(); + create_component(tabpanel2.$$.fragment); + }, + m(target, anchor) { + mount_component(tablist, target, anchor); + insert(target, t0, anchor); + mount_component(tabpanel0, target, anchor); + insert(target, t1, anchor); + mount_component(tabpanel1, target, anchor); + insert(target, t2, anchor); + mount_component(tabpanel2, target, anchor); + current = true; + }, + p(ctx, dirty) { + const tablist_changes = {}; + + if (dirty & /*$$scope*/ 128) { + tablist_changes.$$scope = { dirty, ctx }; + } + + tablist.$set(tablist_changes); + const tabpanel0_changes = {}; + + if (dirty & /*$$scope, $currentDraft*/ 129) { + tabpanel0_changes.$$scope = { dirty, ctx }; + } + + tabpanel0.$set(tabpanel0_changes); + const tabpanel1_changes = {}; + + if (dirty & /*$$scope, $currentProject*/ 130) { + tabpanel1_changes.$$scope = { dirty, ctx }; + } + + tabpanel1.$set(tabpanel1_changes); + const tabpanel2_changes = {}; + + if (dirty & /*$$scope*/ 128) { + tabpanel2_changes.$$scope = { dirty, ctx }; + } + + tabpanel2.$set(tabpanel2_changes); + }, + i(local) { + if (current) return; + transition_in(tablist.$$.fragment, local); + transition_in(tabpanel0.$$.fragment, local); + transition_in(tabpanel1.$$.fragment, local); + transition_in(tabpanel2.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(tablist.$$.fragment, local); + transition_out(tabpanel0.$$.fragment, local); + transition_out(tabpanel1.$$.fragment, local); + transition_out(tabpanel2.$$.fragment, local); + current = false; + }, + d(detaching) { + destroy_component(tablist, detaching); + if (detaching) detach(t0); + destroy_component(tabpanel0, detaching); + if (detaching) detach(t1); + destroy_component(tabpanel1, detaching); + if (detaching) detach(t2); + destroy_component(tabpanel2, detaching); + } + }; +} + +function create_fragment(ctx) { + let projectpicker; + let t; + let tabs; + let current; + projectpicker = new ProjectPicker({}); + + tabs = new Tabs({ + props: { + $$slots: { default: [create_default_slot] }, + $$scope: { ctx } + } + }); + + return { + c() { + create_component(projectpicker.$$.fragment); + t = space(); + create_component(tabs.$$.fragment); + }, + m(target, anchor) { + mount_component(projectpicker, target, anchor); + insert(target, t, anchor); + mount_component(tabs, target, anchor); + current = true; + }, + p(ctx, [dirty]) { + const tabs_changes = {}; + + if (dirty & /*$$scope, $currentProject, $currentDraft*/ 131) { + tabs_changes.$$scope = { dirty, ctx }; + } + + tabs.$set(tabs_changes); + }, + i(local) { + if (current) return; + transition_in(projectpicker.$$.fragment, local); + transition_in(tabs.$$.fragment, local); + current = true; + }, + o(local) { + transition_out(projectpicker.$$.fragment, local); + transition_out(tabs.$$.fragment, local); + current = false; + }, + d(detaching) { + destroy_component(projectpicker, detaching); + if (detaching) detach(t); + destroy_component(tabs, detaching); + } + }; +} + +function instance($$self, $$props, $$invalidate) { + let $currentProjectPath; + let $pluginSettings; + let $currentDraftPath; + let $currentDraft; + let $currentProject; + component_subscribe($$self, currentProjectPath, $$value => $$invalidate(2, $currentProjectPath = $$value)); + component_subscribe($$self, pluginSettings, $$value => $$invalidate(3, $pluginSettings = $$value)); + component_subscribe($$self, currentDraftPath, $$value => $$invalidate(4, $currentDraftPath = $$value)); + component_subscribe($$self, currentDraft, $$value => $$invalidate(0, $currentDraft = $$value)); + component_subscribe($$self, currentProject, $$value => $$invalidate(1, $currentProject = $$value)); + + function makeDraftPath(name) { + if ($currentProjectPath) { + const draftsFolder = $pluginSettings.projects[$currentProjectPath].draftsPath; + return obsidian.normalizePath(`${$currentProjectPath}/${draftsFolder}/${name}/`); + } + + return null; + } + + setContext("makeDraftPath", makeDraftPath); + + // Create a fully-qualified path to a scene from its name. + function makeScenePath(name, draft) { + const draftPath = makeDraftPath(draft || $currentDraftPath); + + if (draftPath) { + return obsidian.normalizePath(`${draftPath}/${name}.md`); + } + + return null; + } + + setContext("makeScenePath", makeScenePath); + return [$currentDraft, $currentProject]; +} + +class ExplorerView extends SvelteComponent { + constructor(options) { + super(); + init(this, options, instance, create_fragment, safe_not_equal, {}); + } +} + +const VIEW_TYPE_LONGFORM_EXPLORER = "VIEW_TYPE_LONGFORM_EXPLORER"; +class ExplorerPane extends obsidian.ItemView { + constructor(leaf) { + super(leaf); + } + getViewType() { + return VIEW_TYPE_LONGFORM_EXPLORER; + } + getDisplayText() { + return "Longform"; + } + getIcon() { + return ICON_NAME; + } + onOpen() { + return __awaiter(this, void 0, void 0, function* () { + const context = new Map(); + // Context function for opening scene notes on click + context.set("onSceneClick", (path, newLeaf) => { + this.app.workspace.openLinkText(path, "/", newLeaf); + }); + // Context function for creating new scene notes given a path + context.set("onNewScene", (path) => __awaiter(this, void 0, void 0, function* () { + yield this.app.vault.create(path, ""); + this.app.workspace.openLinkText(path, "/", false); + })); + // Context function for creating new draft folders given a path + context.set("onNewDraft", (path, copying) => __awaiter(this, void 0, void 0, function* () { + if (copying) { + yield this.app.vault.createFolder(path); + // do copy + for (const toCopy of copying) { + yield this.app.vault.adapter.copy(toCopy.from, toCopy.to); + } + } + else { + yield this.app.vault.createFolder(path); + } + })); + // Context function for showing a right-click menu + context.set("onContextClick", (path, x, y) => { + const file = this.app.vault.getAbstractFileByPath(path); + if (!file) { + return; + } + const menu = new obsidian.Menu(this.app); + menu.addItem((item) => { + item.setTitle("Delete"); + item.setIcon("trash"); + item.onClick(() => __awaiter(this, void 0, void 0, function* () { + if (file) { + yield this.app.vault.trash(file, true); + } + })); + }); + menu.addItem((item) => { + item.setTitle("Open in new pane"); + item.setIcon("vertical-split"); + item.onClick(() => this.app.workspace.openLinkText(path, "/", true)); + }); + // Triggering this event lets other apps insert menu items + // including Obsidian, giving us lots of stuff for free. + this.app.workspace.trigger("file-menu", menu, file, "longform"); + menu.showAtPosition({ x, y }); + }); + context.set("showRenameDraftMenu", (x, y, action) => { + const menu = new obsidian.Menu(this.app); + menu.addItem((item) => { + item.setTitle("Rename"); + item.setIcon("pencil"); + item.onClick(action); + }); + menu.showAtPosition({ x, y }); + }); + context.set("renameFolder", (oldPath, newPath) => { + this.app.vault.adapter.rename(oldPath, newPath); + }); + context.set("getVault", () => this.app.vault); + this.explorerView = new ExplorerView({ + target: this.contentEl, + context, + }); + }); + } + onClose() { + return __awaiter(this, void 0, void 0, function* () { + if (this.explorerView) { + this.explorerView.$destroy(); + } + }); + } +} + +class AddProjectModal extends obsidian.Modal { + constructor(app, plugin, path) { + super(app); + this.plugin = plugin; + this.path = path; + } + onOpen() { + const { contentEl } = this; + const title = document.createElement("h1"); + title.setText("Add to Longform"); + contentEl.appendChild(title); + const indexFileField = this.addField(contentEl, "Index File Name", "Index", "Index", "A project’s index file acts as storage for all the metadata necessary to make a Longform project work. You can edit it (it’s Markdown), but Longform will mostly be reading and writing it directly."); + const draftsFolderField = this.addField(contentEl, "Drafts Folder Name", "Drafts/", "Drafts/", "Every folder inside your drafts folder is a single draft of your project. You can name drafts whatever you’d like: Drafts/1/, Drafts/First Draft/, etc. Each draft folder will hold the individual files (scenes) that make up your project. Scenes are ordered manually. Other folders and files in the project are always reachable in the Obsidian file explorer."); + const doAdd = () => __awaiter(this, void 0, void 0, function* () { + const indexFile = indexFileField.getValue(); + const draftsPath = draftsFolderField.getValue(); + yield this.plugin.markPathAsProject(this.path, { + path: this.path, + indexFile, + draftsPath, + }); + this.close(); + }); + const saveButton = new obsidian.ButtonComponent(contentEl) + .setButtonText("Add to Longform") + .onClick(doAdd); + saveButton.buttonEl.id = "longform-add-button"; + indexFileField.inputEl.focus(); + } + onClose() { + const { contentEl } = this; + contentEl.empty(); + } + addField(rootEl, label, placeholder, value = "", description = "") { + const inputId = label.replace(" ", "-").toLowerCase(); + const container = document.createElement("div"); + container.style.display = "flex"; + container.style.flexDirection = "row"; + container.style.justifyContent = "space-between"; + container.style.alignContent = "center"; + rootEl.appendChild(container); + const labelEl = document.createElement("label"); + labelEl.setText(label); + labelEl.htmlFor = inputId; + labelEl.style.display = "flex"; + labelEl.style.alignItems = "center"; + labelEl.style.marginRight = "12px"; + container.appendChild(labelEl); + const field = new obsidian.TextComponent(container).setPlaceholder(placeholder); + field.inputEl.value = value; + field.inputEl.style.flexGrow = "1"; + field.inputEl.id = inputId; + if (description.length > 0) { + const descriptionEl = document.createElement("p"); + descriptionEl.setText(description); + descriptionEl.style.color = "var(--text-muted)"; + rootEl.appendChild(descriptionEl); + } + return field; + } +} + +const WARNING = ` +This file is managed by Longform. Please avoid editing it directly; doing so will almost certainly confuse the plugin, and may cause a loss of data. + +Longform uses this file to organize your folders and notes into a project. For more details, please see [The Index File](https://github.com/kevboh/longform#the-index-file) section of the plugin’s README. +`; +const EmptyIndexFileMetadata = { + version: LONGFORM_CURRENT_INDEX_VERSION, + drafts: [ + { + name: "Draft 1", + folder: "Draft 1", + scenes: [], + }, + ], +}; +function indexBodyFor(state) { + const body = obsidian.stringifyYaml(state); + return `---\n${body}---\n\n${WARNING}\n`; +} +function buildDraftsLookup(drafts) { + return drafts.reduce((agg, d) => { + agg[d.folder] = d; + return agg; + }, {}); +} + +function addProject(path, project, settings) { + return Object.assign(Object.assign({}, settings), { projects: Object.assign(Object.assign({}, settings.projects), { [path]: project }) }); +} +function removeProject(path, settings) { + const newSettings = settings; + delete newSettings.projects[path]; + return newSettings; +} +function isLongformProject(path, settings) { + return !!settings.projects[path]; +} +function isInLongformProject(path, settings) { + return !!Object.keys(settings.projects).find((p) => path.startsWith(p)); +} +function indexFilePath(project) { + return obsidian.normalizePath(`${project.path}/${project.indexFile}.md`); +} + +/** + * Removes all key-value entries from the list cache. + * + * @private + * @name clear + * @memberOf ListCache + */ +function listCacheClear() { + this.__data__ = []; + this.size = 0; +} + +var _listCacheClear = listCacheClear; + +/** + * Performs a + * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero) + * comparison between two values to determine if they are equivalent. + * + * @static + * @memberOf _ + * @since 4.0.0 + * @category Lang + * @param {*} value The value to compare. + * @param {*} other The other value to compare. + * @returns {boolean} Returns `true` if the values are equivalent, else `false`. + * @example + * + * var object = { 'a': 1 }; + * var other = { 'a': 1 }; + * + * _.eq(object, object); + * // => true + * + * _.eq(object, other); + * // => false + * + * _.eq('a', 'a'); + * // => true + * + * _.eq('a', Object('a')); + * // => false + * + * _.eq(NaN, NaN); + * // => true + */ +function eq(value, other) { + return value === other || (value !== value && other !== other); +} + +var eq_1 = eq; + +/** + * Gets the index at which the `key` is found in `array` of key-value pairs. + * + * @private + * @param {Array} array The array to inspect. + * @param {*} key The key to search for. + * @returns {number} Returns the index of the matched value, else `-1`. + */ +function assocIndexOf(array, key) { + var length = array.length; + while (length--) { + if (eq_1(array[length][0], key)) { + return length; + } + } + return -1; +} + +var _assocIndexOf = assocIndexOf; + +/** Used for built-in method references. */ +var arrayProto = Array.prototype; + +/** Built-in value references. */ +var splice = arrayProto.splice; + +/** + * Removes `key` and its value from the list cache. + * + * @private + * @name delete + * @memberOf ListCache + * @param {string} key The key of the value to remove. + * @returns {boolean} Returns `true` if the entry was removed, else `false`. + */ +function listCacheDelete(key) { + var data = this.__data__, + index = _assocIndexOf(data, key); + + if (index < 0) { + return false; + } + var lastIndex = data.length - 1; + if (index == lastIndex) { + data.pop(); + } else { + splice.call(data, index, 1); + } + --this.size; + return true; +} + +var _listCacheDelete = listCacheDelete; + +/** + * Gets the list cache value for `key`. + * + * @private + * @name get + * @memberOf ListCache + * @param {string} key The key of the value to get. + * @returns {*} Returns the entry value. + */ +function listCacheGet(key) { + var data = this.__data__, + index = _assocIndexOf(data, key); + + return index < 0 ? undefined : data[index][1]; +} + +var _listCacheGet = listCacheGet; + +/** + * Checks if a list cache value for `key` exists. + * + * @private + * @name has + * @memberOf ListCache + * @param {string} key The key of the entry to check. + * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. + */ +function listCacheHas(key) { + return _assocIndexOf(this.__data__, key) > -1; +} + +var _listCacheHas = listCacheHas; + +/** + * Sets the list cache `key` to `value`. + * + * @private + * @name set + * @memberOf ListCache + * @param {string} key The key of the value to set. + * @param {*} value The value to set. + * @returns {Object} Returns the list cache instance. + */ +function listCacheSet(key, value) { + var data = this.__data__, + index = _assocIndexOf(data, key); + + if (index < 0) { + ++this.size; + data.push([key, value]); + } else { + data[index][1] = value; + } + return this; +} + +var _listCacheSet = listCacheSet; + +/** + * Creates an list cache object. + * + * @private + * @constructor + * @param {Array} [entries] The key-value pairs to cache. + */ +function ListCache(entries) { + var index = -1, + length = entries == null ? 0 : entries.length; + + this.clear(); + while (++index < length) { + var entry = entries[index]; + this.set(entry[0], entry[1]); + } +} + +// Add methods to `ListCache`. +ListCache.prototype.clear = _listCacheClear; +ListCache.prototype['delete'] = _listCacheDelete; +ListCache.prototype.get = _listCacheGet; +ListCache.prototype.has = _listCacheHas; +ListCache.prototype.set = _listCacheSet; + +var _ListCache = ListCache; + +/** + * Removes all key-value entries from the stack. + * + * @private + * @name clear + * @memberOf Stack + */ +function stackClear() { + this.__data__ = new _ListCache; + this.size = 0; +} + +var _stackClear = stackClear; + +/** + * Removes `key` and its value from the stack. + * + * @private + * @name delete + * @memberOf Stack + * @param {string} key The key of the value to remove. + * @returns {boolean} Returns `true` if the entry was removed, else `false`. + */ +function stackDelete(key) { + var data = this.__data__, + result = data['delete'](key); + + this.size = data.size; + return result; +} + +var _stackDelete = stackDelete; + +/** + * Gets the stack value for `key`. + * + * @private + * @name get + * @memberOf Stack + * @param {string} key The key of the value to get. + * @returns {*} Returns the entry value. + */ +function stackGet(key) { + return this.__data__.get(key); +} + +var _stackGet = stackGet; + +/** + * Checks if a stack value for `key` exists. + * + * @private + * @name has + * @memberOf Stack + * @param {string} key The key of the entry to check. + * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. + */ +function stackHas(key) { + return this.__data__.has(key); +} + +var _stackHas = stackHas; + +var commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {}; + +function createCommonjsModule(fn) { + var module = { exports: {} }; + return fn(module, module.exports), module.exports; +} + +/** Detect free variable `global` from Node.js. */ + +var freeGlobal = typeof commonjsGlobal == 'object' && commonjsGlobal && commonjsGlobal.Object === Object && commonjsGlobal; + +var _freeGlobal = freeGlobal; + +/** Detect free variable `self`. */ +var freeSelf = typeof self == 'object' && self && self.Object === Object && self; + +/** Used as a reference to the global object. */ +var root = _freeGlobal || freeSelf || Function('return this')(); + +var _root = root; + +/** Built-in value references. */ +var Symbol$1 = _root.Symbol; + +var _Symbol = Symbol$1; + +/** Used for built-in method references. */ +var objectProto$e = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$b = objectProto$e.hasOwnProperty; + +/** + * Used to resolve the + * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring) + * of values. + */ +var nativeObjectToString$1 = objectProto$e.toString; + +/** Built-in value references. */ +var symToStringTag$1 = _Symbol ? _Symbol.toStringTag : undefined; + +/** + * A specialized version of `baseGetTag` which ignores `Symbol.toStringTag` values. + * + * @private + * @param {*} value The value to query. + * @returns {string} Returns the raw `toStringTag`. + */ +function getRawTag(value) { + var isOwn = hasOwnProperty$b.call(value, symToStringTag$1), + tag = value[symToStringTag$1]; + + try { + value[symToStringTag$1] = undefined; + var unmasked = true; + } catch (e) {} + + var result = nativeObjectToString$1.call(value); + if (unmasked) { + if (isOwn) { + value[symToStringTag$1] = tag; + } else { + delete value[symToStringTag$1]; + } + } + return result; +} + +var _getRawTag = getRawTag; + +/** Used for built-in method references. */ +var objectProto$d = Object.prototype; + +/** + * Used to resolve the + * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring) + * of values. + */ +var nativeObjectToString = objectProto$d.toString; + +/** + * Converts `value` to a string using `Object.prototype.toString`. + * + * @private + * @param {*} value The value to convert. + * @returns {string} Returns the converted string. + */ +function objectToString(value) { + return nativeObjectToString.call(value); +} + +var _objectToString = objectToString; + +/** `Object#toString` result references. */ +var nullTag = '[object Null]', + undefinedTag = '[object Undefined]'; + +/** Built-in value references. */ +var symToStringTag = _Symbol ? _Symbol.toStringTag : undefined; + +/** + * The base implementation of `getTag` without fallbacks for buggy environments. + * + * @private + * @param {*} value The value to query. + * @returns {string} Returns the `toStringTag`. + */ +function baseGetTag(value) { + if (value == null) { + return value === undefined ? undefinedTag : nullTag; + } + return (symToStringTag && symToStringTag in Object(value)) + ? _getRawTag(value) + : _objectToString(value); +} + +var _baseGetTag = baseGetTag; + +/** + * Checks if `value` is the + * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types) + * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`) + * + * @static + * @memberOf _ + * @since 0.1.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is an object, else `false`. + * @example + * + * _.isObject({}); + * // => true + * + * _.isObject([1, 2, 3]); + * // => true + * + * _.isObject(_.noop); + * // => true + * + * _.isObject(null); + * // => false + */ +function isObject(value) { + var type = typeof value; + return value != null && (type == 'object' || type == 'function'); +} + +var isObject_1 = isObject; + +/** `Object#toString` result references. */ +var asyncTag = '[object AsyncFunction]', + funcTag$2 = '[object Function]', + genTag$1 = '[object GeneratorFunction]', + proxyTag = '[object Proxy]'; + +/** + * Checks if `value` is classified as a `Function` object. + * + * @static + * @memberOf _ + * @since 0.1.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a function, else `false`. + * @example + * + * _.isFunction(_); + * // => true + * + * _.isFunction(/abc/); + * // => false + */ +function isFunction(value) { + if (!isObject_1(value)) { + return false; + } + // The use of `Object#toString` avoids issues with the `typeof` operator + // in Safari 9 which returns 'object' for typed arrays and other constructors. + var tag = _baseGetTag(value); + return tag == funcTag$2 || tag == genTag$1 || tag == asyncTag || tag == proxyTag; +} + +var isFunction_1 = isFunction; + +/** Used to detect overreaching core-js shims. */ +var coreJsData = _root['__core-js_shared__']; + +var _coreJsData = coreJsData; + +/** Used to detect methods masquerading as native. */ +var maskSrcKey = (function() { + var uid = /[^.]+$/.exec(_coreJsData && _coreJsData.keys && _coreJsData.keys.IE_PROTO || ''); + return uid ? ('Symbol(src)_1.' + uid) : ''; +}()); + +/** + * Checks if `func` has its source masked. + * + * @private + * @param {Function} func The function to check. + * @returns {boolean} Returns `true` if `func` is masked, else `false`. + */ +function isMasked(func) { + return !!maskSrcKey && (maskSrcKey in func); +} + +var _isMasked = isMasked; + +/** Used for built-in method references. */ +var funcProto$1 = Function.prototype; + +/** Used to resolve the decompiled source of functions. */ +var funcToString$1 = funcProto$1.toString; + +/** + * Converts `func` to its source code. + * + * @private + * @param {Function} func The function to convert. + * @returns {string} Returns the source code. + */ +function toSource(func) { + if (func != null) { + try { + return funcToString$1.call(func); + } catch (e) {} + try { + return (func + ''); + } catch (e) {} + } + return ''; +} + +var _toSource = toSource; + +/** + * Used to match `RegExp` + * [syntax characters](http://ecma-international.org/ecma-262/7.0/#sec-patterns). + */ +var reRegExpChar = /[\\^$.*+?()[\]{}|]/g; + +/** Used to detect host constructors (Safari). */ +var reIsHostCtor = /^\[object .+?Constructor\]$/; + +/** Used for built-in method references. */ +var funcProto = Function.prototype, + objectProto$c = Object.prototype; + +/** Used to resolve the decompiled source of functions. */ +var funcToString = funcProto.toString; + +/** Used to check objects for own properties. */ +var hasOwnProperty$a = objectProto$c.hasOwnProperty; + +/** Used to detect if a method is native. */ +var reIsNative = RegExp('^' + + funcToString.call(hasOwnProperty$a).replace(reRegExpChar, '\\$&') + .replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g, '$1.*?') + '$' +); + +/** + * The base implementation of `_.isNative` without bad shim checks. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a native function, + * else `false`. + */ +function baseIsNative(value) { + if (!isObject_1(value) || _isMasked(value)) { + return false; + } + var pattern = isFunction_1(value) ? reIsNative : reIsHostCtor; + return pattern.test(_toSource(value)); +} + +var _baseIsNative = baseIsNative; + +/** + * Gets the value at `key` of `object`. + * + * @private + * @param {Object} [object] The object to query. + * @param {string} key The key of the property to get. + * @returns {*} Returns the property value. + */ +function getValue(object, key) { + return object == null ? undefined : object[key]; +} + +var _getValue = getValue; + +/** + * Gets the native function at `key` of `object`. + * + * @private + * @param {Object} object The object to query. + * @param {string} key The key of the method to get. + * @returns {*} Returns the function if it's native, else `undefined`. + */ +function getNative(object, key) { + var value = _getValue(object, key); + return _baseIsNative(value) ? value : undefined; +} + +var _getNative = getNative; + +/* Built-in method references that are verified to be native. */ +var Map$1 = _getNative(_root, 'Map'); + +var _Map = Map$1; + +/* Built-in method references that are verified to be native. */ +var nativeCreate = _getNative(Object, 'create'); + +var _nativeCreate = nativeCreate; + +/** + * Removes all key-value entries from the hash. + * + * @private + * @name clear + * @memberOf Hash + */ +function hashClear() { + this.__data__ = _nativeCreate ? _nativeCreate(null) : {}; + this.size = 0; +} + +var _hashClear = hashClear; + +/** + * Removes `key` and its value from the hash. + * + * @private + * @name delete + * @memberOf Hash + * @param {Object} hash The hash to modify. + * @param {string} key The key of the value to remove. + * @returns {boolean} Returns `true` if the entry was removed, else `false`. + */ +function hashDelete(key) { + var result = this.has(key) && delete this.__data__[key]; + this.size -= result ? 1 : 0; + return result; +} + +var _hashDelete = hashDelete; + +/** Used to stand-in for `undefined` hash values. */ +var HASH_UNDEFINED$2 = '__lodash_hash_undefined__'; + +/** Used for built-in method references. */ +var objectProto$b = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$9 = objectProto$b.hasOwnProperty; + +/** + * Gets the hash value for `key`. + * + * @private + * @name get + * @memberOf Hash + * @param {string} key The key of the value to get. + * @returns {*} Returns the entry value. + */ +function hashGet(key) { + var data = this.__data__; + if (_nativeCreate) { + var result = data[key]; + return result === HASH_UNDEFINED$2 ? undefined : result; + } + return hasOwnProperty$9.call(data, key) ? data[key] : undefined; +} + +var _hashGet = hashGet; + +/** Used for built-in method references. */ +var objectProto$a = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$8 = objectProto$a.hasOwnProperty; + +/** + * Checks if a hash value for `key` exists. + * + * @private + * @name has + * @memberOf Hash + * @param {string} key The key of the entry to check. + * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. + */ +function hashHas(key) { + var data = this.__data__; + return _nativeCreate ? (data[key] !== undefined) : hasOwnProperty$8.call(data, key); +} + +var _hashHas = hashHas; + +/** Used to stand-in for `undefined` hash values. */ +var HASH_UNDEFINED$1 = '__lodash_hash_undefined__'; + +/** + * Sets the hash `key` to `value`. + * + * @private + * @name set + * @memberOf Hash + * @param {string} key The key of the value to set. + * @param {*} value The value to set. + * @returns {Object} Returns the hash instance. + */ +function hashSet(key, value) { + var data = this.__data__; + this.size += this.has(key) ? 0 : 1; + data[key] = (_nativeCreate && value === undefined) ? HASH_UNDEFINED$1 : value; + return this; +} + +var _hashSet = hashSet; + +/** + * Creates a hash object. + * + * @private + * @constructor + * @param {Array} [entries] The key-value pairs to cache. + */ +function Hash(entries) { + var index = -1, + length = entries == null ? 0 : entries.length; + + this.clear(); + while (++index < length) { + var entry = entries[index]; + this.set(entry[0], entry[1]); + } +} + +// Add methods to `Hash`. +Hash.prototype.clear = _hashClear; +Hash.prototype['delete'] = _hashDelete; +Hash.prototype.get = _hashGet; +Hash.prototype.has = _hashHas; +Hash.prototype.set = _hashSet; + +var _Hash = Hash; + +/** + * Removes all key-value entries from the map. + * + * @private + * @name clear + * @memberOf MapCache + */ +function mapCacheClear() { + this.size = 0; + this.__data__ = { + 'hash': new _Hash, + 'map': new (_Map || _ListCache), + 'string': new _Hash + }; +} + +var _mapCacheClear = mapCacheClear; + +/** + * Checks if `value` is suitable for use as unique object key. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is suitable, else `false`. + */ +function isKeyable(value) { + var type = typeof value; + return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean') + ? (value !== '__proto__') + : (value === null); +} + +var _isKeyable = isKeyable; + +/** + * Gets the data for `map`. + * + * @private + * @param {Object} map The map to query. + * @param {string} key The reference key. + * @returns {*} Returns the map data. + */ +function getMapData(map, key) { + var data = map.__data__; + return _isKeyable(key) + ? data[typeof key == 'string' ? 'string' : 'hash'] + : data.map; +} + +var _getMapData = getMapData; + +/** + * Removes `key` and its value from the map. + * + * @private + * @name delete + * @memberOf MapCache + * @param {string} key The key of the value to remove. + * @returns {boolean} Returns `true` if the entry was removed, else `false`. + */ +function mapCacheDelete(key) { + var result = _getMapData(this, key)['delete'](key); + this.size -= result ? 1 : 0; + return result; +} + +var _mapCacheDelete = mapCacheDelete; + +/** + * Gets the map value for `key`. + * + * @private + * @name get + * @memberOf MapCache + * @param {string} key The key of the value to get. + * @returns {*} Returns the entry value. + */ +function mapCacheGet(key) { + return _getMapData(this, key).get(key); +} + +var _mapCacheGet = mapCacheGet; + +/** + * Checks if a map value for `key` exists. + * + * @private + * @name has + * @memberOf MapCache + * @param {string} key The key of the entry to check. + * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. + */ +function mapCacheHas(key) { + return _getMapData(this, key).has(key); +} + +var _mapCacheHas = mapCacheHas; + +/** + * Sets the map `key` to `value`. + * + * @private + * @name set + * @memberOf MapCache + * @param {string} key The key of the value to set. + * @param {*} value The value to set. + * @returns {Object} Returns the map cache instance. + */ +function mapCacheSet(key, value) { + var data = _getMapData(this, key), + size = data.size; + + data.set(key, value); + this.size += data.size == size ? 0 : 1; + return this; +} + +var _mapCacheSet = mapCacheSet; + +/** + * Creates a map cache object to store key-value pairs. + * + * @private + * @constructor + * @param {Array} [entries] The key-value pairs to cache. + */ +function MapCache(entries) { + var index = -1, + length = entries == null ? 0 : entries.length; + + this.clear(); + while (++index < length) { + var entry = entries[index]; + this.set(entry[0], entry[1]); + } +} + +// Add methods to `MapCache`. +MapCache.prototype.clear = _mapCacheClear; +MapCache.prototype['delete'] = _mapCacheDelete; +MapCache.prototype.get = _mapCacheGet; +MapCache.prototype.has = _mapCacheHas; +MapCache.prototype.set = _mapCacheSet; + +var _MapCache = MapCache; + +/** Used as the size to enable large array optimizations. */ +var LARGE_ARRAY_SIZE = 200; + +/** + * Sets the stack `key` to `value`. + * + * @private + * @name set + * @memberOf Stack + * @param {string} key The key of the value to set. + * @param {*} value The value to set. + * @returns {Object} Returns the stack cache instance. + */ +function stackSet(key, value) { + var data = this.__data__; + if (data instanceof _ListCache) { + var pairs = data.__data__; + if (!_Map || (pairs.length < LARGE_ARRAY_SIZE - 1)) { + pairs.push([key, value]); + this.size = ++data.size; + return this; + } + data = this.__data__ = new _MapCache(pairs); + } + data.set(key, value); + this.size = data.size; + return this; +} + +var _stackSet = stackSet; + +/** + * Creates a stack cache object to store key-value pairs. + * + * @private + * @constructor + * @param {Array} [entries] The key-value pairs to cache. + */ +function Stack(entries) { + var data = this.__data__ = new _ListCache(entries); + this.size = data.size; +} + +// Add methods to `Stack`. +Stack.prototype.clear = _stackClear; +Stack.prototype['delete'] = _stackDelete; +Stack.prototype.get = _stackGet; +Stack.prototype.has = _stackHas; +Stack.prototype.set = _stackSet; + +var _Stack = Stack; + +/** Used to stand-in for `undefined` hash values. */ +var HASH_UNDEFINED = '__lodash_hash_undefined__'; + +/** + * Adds `value` to the array cache. + * + * @private + * @name add + * @memberOf SetCache + * @alias push + * @param {*} value The value to cache. + * @returns {Object} Returns the cache instance. + */ +function setCacheAdd(value) { + this.__data__.set(value, HASH_UNDEFINED); + return this; +} + +var _setCacheAdd = setCacheAdd; + +/** + * Checks if `value` is in the array cache. + * + * @private + * @name has + * @memberOf SetCache + * @param {*} value The value to search for. + * @returns {number} Returns `true` if `value` is found, else `false`. + */ +function setCacheHas(value) { + return this.__data__.has(value); +} + +var _setCacheHas = setCacheHas; + +/** + * + * Creates an array cache object to store unique values. + * + * @private + * @constructor + * @param {Array} [values] The values to cache. + */ +function SetCache(values) { + var index = -1, + length = values == null ? 0 : values.length; + + this.__data__ = new _MapCache; + while (++index < length) { + this.add(values[index]); + } +} + +// Add methods to `SetCache`. +SetCache.prototype.add = SetCache.prototype.push = _setCacheAdd; +SetCache.prototype.has = _setCacheHas; + +var _SetCache = SetCache; + +/** + * A specialized version of `_.some` for arrays without support for iteratee + * shorthands. + * + * @private + * @param {Array} [array] The array to iterate over. + * @param {Function} predicate The function invoked per iteration. + * @returns {boolean} Returns `true` if any element passes the predicate check, + * else `false`. + */ +function arraySome(array, predicate) { + var index = -1, + length = array == null ? 0 : array.length; + + while (++index < length) { + if (predicate(array[index], index, array)) { + return true; + } + } + return false; +} + +var _arraySome = arraySome; + +/** + * Checks if a `cache` value for `key` exists. + * + * @private + * @param {Object} cache The cache to query. + * @param {string} key The key of the entry to check. + * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`. + */ +function cacheHas(cache, key) { + return cache.has(key); +} + +var _cacheHas = cacheHas; + +/** Used to compose bitmasks for value comparisons. */ +var COMPARE_PARTIAL_FLAG$3 = 1, + COMPARE_UNORDERED_FLAG$1 = 2; + +/** + * A specialized version of `baseIsEqualDeep` for arrays with support for + * partial deep comparisons. + * + * @private + * @param {Array} array The array to compare. + * @param {Array} other The other array to compare. + * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details. + * @param {Function} customizer The function to customize comparisons. + * @param {Function} equalFunc The function to determine equivalents of values. + * @param {Object} stack Tracks traversed `array` and `other` objects. + * @returns {boolean} Returns `true` if the arrays are equivalent, else `false`. + */ +function equalArrays(array, other, bitmask, customizer, equalFunc, stack) { + var isPartial = bitmask & COMPARE_PARTIAL_FLAG$3, + arrLength = array.length, + othLength = other.length; + + if (arrLength != othLength && !(isPartial && othLength > arrLength)) { + return false; + } + // Check that cyclic values are equal. + var arrStacked = stack.get(array); + var othStacked = stack.get(other); + if (arrStacked && othStacked) { + return arrStacked == other && othStacked == array; + } + var index = -1, + result = true, + seen = (bitmask & COMPARE_UNORDERED_FLAG$1) ? new _SetCache : undefined; + + stack.set(array, other); + stack.set(other, array); + + // Ignore non-index properties. + while (++index < arrLength) { + var arrValue = array[index], + othValue = other[index]; + + if (customizer) { + var compared = isPartial + ? customizer(othValue, arrValue, index, other, array, stack) + : customizer(arrValue, othValue, index, array, other, stack); + } + if (compared !== undefined) { + if (compared) { + continue; + } + result = false; + break; + } + // Recursively compare arrays (susceptible to call stack limits). + if (seen) { + if (!_arraySome(other, function(othValue, othIndex) { + if (!_cacheHas(seen, othIndex) && + (arrValue === othValue || equalFunc(arrValue, othValue, bitmask, customizer, stack))) { + return seen.push(othIndex); + } + })) { + result = false; + break; + } + } else if (!( + arrValue === othValue || + equalFunc(arrValue, othValue, bitmask, customizer, stack) + )) { + result = false; + break; + } + } + stack['delete'](array); + stack['delete'](other); + return result; +} + +var _equalArrays = equalArrays; + +/** Built-in value references. */ +var Uint8Array = _root.Uint8Array; + +var _Uint8Array = Uint8Array; + +/** + * Converts `map` to its key-value pairs. + * + * @private + * @param {Object} map The map to convert. + * @returns {Array} Returns the key-value pairs. + */ +function mapToArray(map) { + var index = -1, + result = Array(map.size); + + map.forEach(function(value, key) { + result[++index] = [key, value]; + }); + return result; +} + +var _mapToArray = mapToArray; + +/** + * Converts `set` to an array of its values. + * + * @private + * @param {Object} set The set to convert. + * @returns {Array} Returns the values. + */ +function setToArray(set) { + var index = -1, + result = Array(set.size); + + set.forEach(function(value) { + result[++index] = value; + }); + return result; +} + +var _setToArray = setToArray; + +/** Used to compose bitmasks for value comparisons. */ +var COMPARE_PARTIAL_FLAG$2 = 1, + COMPARE_UNORDERED_FLAG = 2; + +/** `Object#toString` result references. */ +var boolTag$3 = '[object Boolean]', + dateTag$3 = '[object Date]', + errorTag$2 = '[object Error]', + mapTag$5 = '[object Map]', + numberTag$3 = '[object Number]', + regexpTag$3 = '[object RegExp]', + setTag$5 = '[object Set]', + stringTag$3 = '[object String]', + symbolTag$2 = '[object Symbol]'; + +var arrayBufferTag$3 = '[object ArrayBuffer]', + dataViewTag$4 = '[object DataView]'; + +/** Used to convert symbols to primitives and strings. */ +var symbolProto$1 = _Symbol ? _Symbol.prototype : undefined, + symbolValueOf$1 = symbolProto$1 ? symbolProto$1.valueOf : undefined; + +/** + * A specialized version of `baseIsEqualDeep` for comparing objects of + * the same `toStringTag`. + * + * **Note:** This function only supports comparing values with tags of + * `Boolean`, `Date`, `Error`, `Number`, `RegExp`, or `String`. + * + * @private + * @param {Object} object The object to compare. + * @param {Object} other The other object to compare. + * @param {string} tag The `toStringTag` of the objects to compare. + * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details. + * @param {Function} customizer The function to customize comparisons. + * @param {Function} equalFunc The function to determine equivalents of values. + * @param {Object} stack Tracks traversed `object` and `other` objects. + * @returns {boolean} Returns `true` if the objects are equivalent, else `false`. + */ +function equalByTag(object, other, tag, bitmask, customizer, equalFunc, stack) { + switch (tag) { + case dataViewTag$4: + if ((object.byteLength != other.byteLength) || + (object.byteOffset != other.byteOffset)) { + return false; + } + object = object.buffer; + other = other.buffer; + + case arrayBufferTag$3: + if ((object.byteLength != other.byteLength) || + !equalFunc(new _Uint8Array(object), new _Uint8Array(other))) { + return false; + } + return true; + + case boolTag$3: + case dateTag$3: + case numberTag$3: + // Coerce booleans to `1` or `0` and dates to milliseconds. + // Invalid dates are coerced to `NaN`. + return eq_1(+object, +other); + + case errorTag$2: + return object.name == other.name && object.message == other.message; + + case regexpTag$3: + case stringTag$3: + // Coerce regexes to strings and treat strings, primitives and objects, + // as equal. See http://www.ecma-international.org/ecma-262/7.0/#sec-regexp.prototype.tostring + // for more details. + return object == (other + ''); + + case mapTag$5: + var convert = _mapToArray; + + case setTag$5: + var isPartial = bitmask & COMPARE_PARTIAL_FLAG$2; + convert || (convert = _setToArray); + + if (object.size != other.size && !isPartial) { + return false; + } + // Assume cyclic values are equal. + var stacked = stack.get(object); + if (stacked) { + return stacked == other; + } + bitmask |= COMPARE_UNORDERED_FLAG; + + // Recursively compare objects (susceptible to call stack limits). + stack.set(object, other); + var result = _equalArrays(convert(object), convert(other), bitmask, customizer, equalFunc, stack); + stack['delete'](object); + return result; + + case symbolTag$2: + if (symbolValueOf$1) { + return symbolValueOf$1.call(object) == symbolValueOf$1.call(other); + } + } + return false; +} + +var _equalByTag = equalByTag; + +/** + * Appends the elements of `values` to `array`. + * + * @private + * @param {Array} array The array to modify. + * @param {Array} values The values to append. + * @returns {Array} Returns `array`. + */ +function arrayPush(array, values) { + var index = -1, + length = values.length, + offset = array.length; + + while (++index < length) { + array[offset + index] = values[index]; + } + return array; +} + +var _arrayPush = arrayPush; + +/** + * Checks if `value` is classified as an `Array` object. + * + * @static + * @memberOf _ + * @since 0.1.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is an array, else `false`. + * @example + * + * _.isArray([1, 2, 3]); + * // => true + * + * _.isArray(document.body.children); + * // => false + * + * _.isArray('abc'); + * // => false + * + * _.isArray(_.noop); + * // => false + */ +var isArray = Array.isArray; + +var isArray_1 = isArray; + +/** + * The base implementation of `getAllKeys` and `getAllKeysIn` which uses + * `keysFunc` and `symbolsFunc` to get the enumerable property names and + * symbols of `object`. + * + * @private + * @param {Object} object The object to query. + * @param {Function} keysFunc The function to get the keys of `object`. + * @param {Function} symbolsFunc The function to get the symbols of `object`. + * @returns {Array} Returns the array of property names and symbols. + */ +function baseGetAllKeys(object, keysFunc, symbolsFunc) { + var result = keysFunc(object); + return isArray_1(object) ? result : _arrayPush(result, symbolsFunc(object)); +} + +var _baseGetAllKeys = baseGetAllKeys; + +/** + * A specialized version of `_.filter` for arrays without support for + * iteratee shorthands. + * + * @private + * @param {Array} [array] The array to iterate over. + * @param {Function} predicate The function invoked per iteration. + * @returns {Array} Returns the new filtered array. + */ +function arrayFilter(array, predicate) { + var index = -1, + length = array == null ? 0 : array.length, + resIndex = 0, + result = []; + + while (++index < length) { + var value = array[index]; + if (predicate(value, index, array)) { + result[resIndex++] = value; + } + } + return result; +} + +var _arrayFilter = arrayFilter; + +/** + * This method returns a new empty array. + * + * @static + * @memberOf _ + * @since 4.13.0 + * @category Util + * @returns {Array} Returns the new empty array. + * @example + * + * var arrays = _.times(2, _.stubArray); + * + * console.log(arrays); + * // => [[], []] + * + * console.log(arrays[0] === arrays[1]); + * // => false + */ +function stubArray() { + return []; +} + +var stubArray_1 = stubArray; + +/** Used for built-in method references. */ +var objectProto$9 = Object.prototype; + +/** Built-in value references. */ +var propertyIsEnumerable$1 = objectProto$9.propertyIsEnumerable; + +/* Built-in method references for those with the same name as other `lodash` methods. */ +var nativeGetSymbols$1 = Object.getOwnPropertySymbols; + +/** + * Creates an array of the own enumerable symbols of `object`. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of symbols. + */ +var getSymbols = !nativeGetSymbols$1 ? stubArray_1 : function(object) { + if (object == null) { + return []; + } + object = Object(object); + return _arrayFilter(nativeGetSymbols$1(object), function(symbol) { + return propertyIsEnumerable$1.call(object, symbol); + }); +}; + +var _getSymbols = getSymbols; + +/** + * The base implementation of `_.times` without support for iteratee shorthands + * or max array length checks. + * + * @private + * @param {number} n The number of times to invoke `iteratee`. + * @param {Function} iteratee The function invoked per iteration. + * @returns {Array} Returns the array of results. + */ +function baseTimes(n, iteratee) { + var index = -1, + result = Array(n); + + while (++index < n) { + result[index] = iteratee(index); + } + return result; +} + +var _baseTimes = baseTimes; + +/** + * Checks if `value` is object-like. A value is object-like if it's not `null` + * and has a `typeof` result of "object". + * + * @static + * @memberOf _ + * @since 4.0.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is object-like, else `false`. + * @example + * + * _.isObjectLike({}); + * // => true + * + * _.isObjectLike([1, 2, 3]); + * // => true + * + * _.isObjectLike(_.noop); + * // => false + * + * _.isObjectLike(null); + * // => false + */ +function isObjectLike(value) { + return value != null && typeof value == 'object'; +} + +var isObjectLike_1 = isObjectLike; + +/** `Object#toString` result references. */ +var argsTag$3 = '[object Arguments]'; + +/** + * The base implementation of `_.isArguments`. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is an `arguments` object, + */ +function baseIsArguments(value) { + return isObjectLike_1(value) && _baseGetTag(value) == argsTag$3; +} + +var _baseIsArguments = baseIsArguments; + +/** Used for built-in method references. */ +var objectProto$8 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$7 = objectProto$8.hasOwnProperty; + +/** Built-in value references. */ +var propertyIsEnumerable = objectProto$8.propertyIsEnumerable; + +/** + * Checks if `value` is likely an `arguments` object. + * + * @static + * @memberOf _ + * @since 0.1.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is an `arguments` object, + * else `false`. + * @example + * + * _.isArguments(function() { return arguments; }()); + * // => true + * + * _.isArguments([1, 2, 3]); + * // => false + */ +var isArguments = _baseIsArguments(function() { return arguments; }()) ? _baseIsArguments : function(value) { + return isObjectLike_1(value) && hasOwnProperty$7.call(value, 'callee') && + !propertyIsEnumerable.call(value, 'callee'); +}; + +var isArguments_1 = isArguments; + +/** + * This method returns `false`. + * + * @static + * @memberOf _ + * @since 4.13.0 + * @category Util + * @returns {boolean} Returns `false`. + * @example + * + * _.times(2, _.stubFalse); + * // => [false, false] + */ +function stubFalse() { + return false; +} + +var stubFalse_1 = stubFalse; + +var isBuffer_1 = createCommonjsModule(function (module, exports) { +/** Detect free variable `exports`. */ +var freeExports = exports && !exports.nodeType && exports; + +/** Detect free variable `module`. */ +var freeModule = freeExports && 'object' == 'object' && module && !module.nodeType && module; + +/** Detect the popular CommonJS extension `module.exports`. */ +var moduleExports = freeModule && freeModule.exports === freeExports; + +/** Built-in value references. */ +var Buffer = moduleExports ? _root.Buffer : undefined; + +/* Built-in method references for those with the same name as other `lodash` methods. */ +var nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined; + +/** + * Checks if `value` is a buffer. + * + * @static + * @memberOf _ + * @since 4.3.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a buffer, else `false`. + * @example + * + * _.isBuffer(new Buffer(2)); + * // => true + * + * _.isBuffer(new Uint8Array(2)); + * // => false + */ +var isBuffer = nativeIsBuffer || stubFalse_1; + +module.exports = isBuffer; +}); + +/** Used as references for various `Number` constants. */ +var MAX_SAFE_INTEGER$1 = 9007199254740991; + +/** Used to detect unsigned integer values. */ +var reIsUint = /^(?:0|[1-9]\d*)$/; + +/** + * Checks if `value` is a valid array-like index. + * + * @private + * @param {*} value The value to check. + * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index. + * @returns {boolean} Returns `true` if `value` is a valid index, else `false`. + */ +function isIndex(value, length) { + var type = typeof value; + length = length == null ? MAX_SAFE_INTEGER$1 : length; + + return !!length && + (type == 'number' || + (type != 'symbol' && reIsUint.test(value))) && + (value > -1 && value % 1 == 0 && value < length); +} + +var _isIndex = isIndex; + +/** Used as references for various `Number` constants. */ +var MAX_SAFE_INTEGER = 9007199254740991; + +/** + * Checks if `value` is a valid array-like length. + * + * **Note:** This method is loosely based on + * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength). + * + * @static + * @memberOf _ + * @since 4.0.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a valid length, else `false`. + * @example + * + * _.isLength(3); + * // => true + * + * _.isLength(Number.MIN_VALUE); + * // => false + * + * _.isLength(Infinity); + * // => false + * + * _.isLength('3'); + * // => false + */ +function isLength(value) { + return typeof value == 'number' && + value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER; +} + +var isLength_1 = isLength; + +/** `Object#toString` result references. */ +var argsTag$2 = '[object Arguments]', + arrayTag$2 = '[object Array]', + boolTag$2 = '[object Boolean]', + dateTag$2 = '[object Date]', + errorTag$1 = '[object Error]', + funcTag$1 = '[object Function]', + mapTag$4 = '[object Map]', + numberTag$2 = '[object Number]', + objectTag$3 = '[object Object]', + regexpTag$2 = '[object RegExp]', + setTag$4 = '[object Set]', + stringTag$2 = '[object String]', + weakMapTag$2 = '[object WeakMap]'; + +var arrayBufferTag$2 = '[object ArrayBuffer]', + dataViewTag$3 = '[object DataView]', + float32Tag$2 = '[object Float32Array]', + float64Tag$2 = '[object Float64Array]', + int8Tag$2 = '[object Int8Array]', + int16Tag$2 = '[object Int16Array]', + int32Tag$2 = '[object Int32Array]', + uint8Tag$2 = '[object Uint8Array]', + uint8ClampedTag$2 = '[object Uint8ClampedArray]', + uint16Tag$2 = '[object Uint16Array]', + uint32Tag$2 = '[object Uint32Array]'; + +/** Used to identify `toStringTag` values of typed arrays. */ +var typedArrayTags = {}; +typedArrayTags[float32Tag$2] = typedArrayTags[float64Tag$2] = +typedArrayTags[int8Tag$2] = typedArrayTags[int16Tag$2] = +typedArrayTags[int32Tag$2] = typedArrayTags[uint8Tag$2] = +typedArrayTags[uint8ClampedTag$2] = typedArrayTags[uint16Tag$2] = +typedArrayTags[uint32Tag$2] = true; +typedArrayTags[argsTag$2] = typedArrayTags[arrayTag$2] = +typedArrayTags[arrayBufferTag$2] = typedArrayTags[boolTag$2] = +typedArrayTags[dataViewTag$3] = typedArrayTags[dateTag$2] = +typedArrayTags[errorTag$1] = typedArrayTags[funcTag$1] = +typedArrayTags[mapTag$4] = typedArrayTags[numberTag$2] = +typedArrayTags[objectTag$3] = typedArrayTags[regexpTag$2] = +typedArrayTags[setTag$4] = typedArrayTags[stringTag$2] = +typedArrayTags[weakMapTag$2] = false; + +/** + * The base implementation of `_.isTypedArray` without Node.js optimizations. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a typed array, else `false`. + */ +function baseIsTypedArray(value) { + return isObjectLike_1(value) && + isLength_1(value.length) && !!typedArrayTags[_baseGetTag(value)]; +} + +var _baseIsTypedArray = baseIsTypedArray; + +/** + * The base implementation of `_.unary` without support for storing metadata. + * + * @private + * @param {Function} func The function to cap arguments for. + * @returns {Function} Returns the new capped function. + */ +function baseUnary(func) { + return function(value) { + return func(value); + }; +} + +var _baseUnary = baseUnary; + +var _nodeUtil = createCommonjsModule(function (module, exports) { +/** Detect free variable `exports`. */ +var freeExports = exports && !exports.nodeType && exports; + +/** Detect free variable `module`. */ +var freeModule = freeExports && 'object' == 'object' && module && !module.nodeType && module; + +/** Detect the popular CommonJS extension `module.exports`. */ +var moduleExports = freeModule && freeModule.exports === freeExports; + +/** Detect free variable `process` from Node.js. */ +var freeProcess = moduleExports && _freeGlobal.process; + +/** Used to access faster Node.js helpers. */ +var nodeUtil = (function() { + try { + // Use `util.types` for Node.js 10+. + var types = freeModule && freeModule.require && freeModule.require('util').types; + + if (types) { + return types; + } + + // Legacy `process.binding('util')` for Node.js < 10. + return freeProcess && freeProcess.binding && freeProcess.binding('util'); + } catch (e) {} +}()); + +module.exports = nodeUtil; +}); + +/* Node.js helper references. */ +var nodeIsTypedArray = _nodeUtil && _nodeUtil.isTypedArray; + +/** + * Checks if `value` is classified as a typed array. + * + * @static + * @memberOf _ + * @since 3.0.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a typed array, else `false`. + * @example + * + * _.isTypedArray(new Uint8Array); + * // => true + * + * _.isTypedArray([]); + * // => false + */ +var isTypedArray = nodeIsTypedArray ? _baseUnary(nodeIsTypedArray) : _baseIsTypedArray; + +var isTypedArray_1 = isTypedArray; + +/** Used for built-in method references. */ +var objectProto$7 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$6 = objectProto$7.hasOwnProperty; + +/** + * Creates an array of the enumerable property names of the array-like `value`. + * + * @private + * @param {*} value The value to query. + * @param {boolean} inherited Specify returning inherited property names. + * @returns {Array} Returns the array of property names. + */ +function arrayLikeKeys(value, inherited) { + var isArr = isArray_1(value), + isArg = !isArr && isArguments_1(value), + isBuff = !isArr && !isArg && isBuffer_1(value), + isType = !isArr && !isArg && !isBuff && isTypedArray_1(value), + skipIndexes = isArr || isArg || isBuff || isType, + result = skipIndexes ? _baseTimes(value.length, String) : [], + length = result.length; + + for (var key in value) { + if ((inherited || hasOwnProperty$6.call(value, key)) && + !(skipIndexes && ( + // Safari 9 has enumerable `arguments.length` in strict mode. + key == 'length' || + // Node.js 0.10 has enumerable non-index properties on buffers. + (isBuff && (key == 'offset' || key == 'parent')) || + // PhantomJS 2 has enumerable non-index properties on typed arrays. + (isType && (key == 'buffer' || key == 'byteLength' || key == 'byteOffset')) || + // Skip index properties. + _isIndex(key, length) + ))) { + result.push(key); + } + } + return result; +} + +var _arrayLikeKeys = arrayLikeKeys; + +/** Used for built-in method references. */ +var objectProto$6 = Object.prototype; + +/** + * Checks if `value` is likely a prototype object. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a prototype, else `false`. + */ +function isPrototype(value) { + var Ctor = value && value.constructor, + proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto$6; + + return value === proto; +} + +var _isPrototype = isPrototype; + +/** + * Creates a unary function that invokes `func` with its argument transformed. + * + * @private + * @param {Function} func The function to wrap. + * @param {Function} transform The argument transform. + * @returns {Function} Returns the new function. + */ +function overArg(func, transform) { + return function(arg) { + return func(transform(arg)); + }; +} + +var _overArg = overArg; + +/* Built-in method references for those with the same name as other `lodash` methods. */ +var nativeKeys = _overArg(Object.keys, Object); + +var _nativeKeys = nativeKeys; + +/** Used for built-in method references. */ +var objectProto$5 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$5 = objectProto$5.hasOwnProperty; + +/** + * The base implementation of `_.keys` which doesn't treat sparse arrays as dense. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names. + */ +function baseKeys(object) { + if (!_isPrototype(object)) { + return _nativeKeys(object); + } + var result = []; + for (var key in Object(object)) { + if (hasOwnProperty$5.call(object, key) && key != 'constructor') { + result.push(key); + } + } + return result; +} + +var _baseKeys = baseKeys; + +/** + * Checks if `value` is array-like. A value is considered array-like if it's + * not a function and has a `value.length` that's an integer greater than or + * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`. + * + * @static + * @memberOf _ + * @since 4.0.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is array-like, else `false`. + * @example + * + * _.isArrayLike([1, 2, 3]); + * // => true + * + * _.isArrayLike(document.body.children); + * // => true + * + * _.isArrayLike('abc'); + * // => true + * + * _.isArrayLike(_.noop); + * // => false + */ +function isArrayLike(value) { + return value != null && isLength_1(value.length) && !isFunction_1(value); +} + +var isArrayLike_1 = isArrayLike; + +/** + * Creates an array of the own enumerable property names of `object`. + * + * **Note:** Non-object values are coerced to objects. See the + * [ES spec](http://ecma-international.org/ecma-262/7.0/#sec-object.keys) + * for more details. + * + * @static + * @since 0.1.0 + * @memberOf _ + * @category Object + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names. + * @example + * + * function Foo() { + * this.a = 1; + * this.b = 2; + * } + * + * Foo.prototype.c = 3; + * + * _.keys(new Foo); + * // => ['a', 'b'] (iteration order is not guaranteed) + * + * _.keys('hi'); + * // => ['0', '1'] + */ +function keys(object) { + return isArrayLike_1(object) ? _arrayLikeKeys(object) : _baseKeys(object); +} + +var keys_1 = keys; + +/** + * Creates an array of own enumerable property names and symbols of `object`. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names and symbols. + */ +function getAllKeys(object) { + return _baseGetAllKeys(object, keys_1, _getSymbols); +} + +var _getAllKeys = getAllKeys; + +/** Used to compose bitmasks for value comparisons. */ +var COMPARE_PARTIAL_FLAG$1 = 1; + +/** Used for built-in method references. */ +var objectProto$4 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$4 = objectProto$4.hasOwnProperty; + +/** + * A specialized version of `baseIsEqualDeep` for objects with support for + * partial deep comparisons. + * + * @private + * @param {Object} object The object to compare. + * @param {Object} other The other object to compare. + * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details. + * @param {Function} customizer The function to customize comparisons. + * @param {Function} equalFunc The function to determine equivalents of values. + * @param {Object} stack Tracks traversed `object` and `other` objects. + * @returns {boolean} Returns `true` if the objects are equivalent, else `false`. + */ +function equalObjects(object, other, bitmask, customizer, equalFunc, stack) { + var isPartial = bitmask & COMPARE_PARTIAL_FLAG$1, + objProps = _getAllKeys(object), + objLength = objProps.length, + othProps = _getAllKeys(other), + othLength = othProps.length; + + if (objLength != othLength && !isPartial) { + return false; + } + var index = objLength; + while (index--) { + var key = objProps[index]; + if (!(isPartial ? key in other : hasOwnProperty$4.call(other, key))) { + return false; + } + } + // Check that cyclic values are equal. + var objStacked = stack.get(object); + var othStacked = stack.get(other); + if (objStacked && othStacked) { + return objStacked == other && othStacked == object; + } + var result = true; + stack.set(object, other); + stack.set(other, object); + + var skipCtor = isPartial; + while (++index < objLength) { + key = objProps[index]; + var objValue = object[key], + othValue = other[key]; + + if (customizer) { + var compared = isPartial + ? customizer(othValue, objValue, key, other, object, stack) + : customizer(objValue, othValue, key, object, other, stack); + } + // Recursively compare objects (susceptible to call stack limits). + if (!(compared === undefined + ? (objValue === othValue || equalFunc(objValue, othValue, bitmask, customizer, stack)) + : compared + )) { + result = false; + break; + } + skipCtor || (skipCtor = key == 'constructor'); + } + if (result && !skipCtor) { + var objCtor = object.constructor, + othCtor = other.constructor; + + // Non `Object` object instances with different constructors are not equal. + if (objCtor != othCtor && + ('constructor' in object && 'constructor' in other) && + !(typeof objCtor == 'function' && objCtor instanceof objCtor && + typeof othCtor == 'function' && othCtor instanceof othCtor)) { + result = false; + } + } + stack['delete'](object); + stack['delete'](other); + return result; +} + +var _equalObjects = equalObjects; + +/* Built-in method references that are verified to be native. */ +var DataView = _getNative(_root, 'DataView'); + +var _DataView = DataView; + +/* Built-in method references that are verified to be native. */ +var Promise$1 = _getNative(_root, 'Promise'); + +var _Promise = Promise$1; + +/* Built-in method references that are verified to be native. */ +var Set$1 = _getNative(_root, 'Set'); + +var _Set = Set$1; + +/* Built-in method references that are verified to be native. */ +var WeakMap = _getNative(_root, 'WeakMap'); + +var _WeakMap = WeakMap; + +/** `Object#toString` result references. */ +var mapTag$3 = '[object Map]', + objectTag$2 = '[object Object]', + promiseTag = '[object Promise]', + setTag$3 = '[object Set]', + weakMapTag$1 = '[object WeakMap]'; + +var dataViewTag$2 = '[object DataView]'; + +/** Used to detect maps, sets, and weakmaps. */ +var dataViewCtorString = _toSource(_DataView), + mapCtorString = _toSource(_Map), + promiseCtorString = _toSource(_Promise), + setCtorString = _toSource(_Set), + weakMapCtorString = _toSource(_WeakMap); + +/** + * Gets the `toStringTag` of `value`. + * + * @private + * @param {*} value The value to query. + * @returns {string} Returns the `toStringTag`. + */ +var getTag = _baseGetTag; + +// Fallback for data views, maps, sets, and weak maps in IE 11 and promises in Node.js < 6. +if ((_DataView && getTag(new _DataView(new ArrayBuffer(1))) != dataViewTag$2) || + (_Map && getTag(new _Map) != mapTag$3) || + (_Promise && getTag(_Promise.resolve()) != promiseTag) || + (_Set && getTag(new _Set) != setTag$3) || + (_WeakMap && getTag(new _WeakMap) != weakMapTag$1)) { + getTag = function(value) { + var result = _baseGetTag(value), + Ctor = result == objectTag$2 ? value.constructor : undefined, + ctorString = Ctor ? _toSource(Ctor) : ''; + + if (ctorString) { + switch (ctorString) { + case dataViewCtorString: return dataViewTag$2; + case mapCtorString: return mapTag$3; + case promiseCtorString: return promiseTag; + case setCtorString: return setTag$3; + case weakMapCtorString: return weakMapTag$1; + } + } + return result; + }; +} + +var _getTag = getTag; + +/** Used to compose bitmasks for value comparisons. */ +var COMPARE_PARTIAL_FLAG = 1; + +/** `Object#toString` result references. */ +var argsTag$1 = '[object Arguments]', + arrayTag$1 = '[object Array]', + objectTag$1 = '[object Object]'; + +/** Used for built-in method references. */ +var objectProto$3 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$3 = objectProto$3.hasOwnProperty; + +/** + * A specialized version of `baseIsEqual` for arrays and objects which performs + * deep comparisons and tracks traversed objects enabling objects with circular + * references to be compared. + * + * @private + * @param {Object} object The object to compare. + * @param {Object} other The other object to compare. + * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details. + * @param {Function} customizer The function to customize comparisons. + * @param {Function} equalFunc The function to determine equivalents of values. + * @param {Object} [stack] Tracks traversed `object` and `other` objects. + * @returns {boolean} Returns `true` if the objects are equivalent, else `false`. + */ +function baseIsEqualDeep(object, other, bitmask, customizer, equalFunc, stack) { + var objIsArr = isArray_1(object), + othIsArr = isArray_1(other), + objTag = objIsArr ? arrayTag$1 : _getTag(object), + othTag = othIsArr ? arrayTag$1 : _getTag(other); + + objTag = objTag == argsTag$1 ? objectTag$1 : objTag; + othTag = othTag == argsTag$1 ? objectTag$1 : othTag; + + var objIsObj = objTag == objectTag$1, + othIsObj = othTag == objectTag$1, + isSameTag = objTag == othTag; + + if (isSameTag && isBuffer_1(object)) { + if (!isBuffer_1(other)) { + return false; + } + objIsArr = true; + objIsObj = false; + } + if (isSameTag && !objIsObj) { + stack || (stack = new _Stack); + return (objIsArr || isTypedArray_1(object)) + ? _equalArrays(object, other, bitmask, customizer, equalFunc, stack) + : _equalByTag(object, other, objTag, bitmask, customizer, equalFunc, stack); + } + if (!(bitmask & COMPARE_PARTIAL_FLAG)) { + var objIsWrapped = objIsObj && hasOwnProperty$3.call(object, '__wrapped__'), + othIsWrapped = othIsObj && hasOwnProperty$3.call(other, '__wrapped__'); + + if (objIsWrapped || othIsWrapped) { + var objUnwrapped = objIsWrapped ? object.value() : object, + othUnwrapped = othIsWrapped ? other.value() : other; + + stack || (stack = new _Stack); + return equalFunc(objUnwrapped, othUnwrapped, bitmask, customizer, stack); + } + } + if (!isSameTag) { + return false; + } + stack || (stack = new _Stack); + return _equalObjects(object, other, bitmask, customizer, equalFunc, stack); +} + +var _baseIsEqualDeep = baseIsEqualDeep; + +/** + * The base implementation of `_.isEqual` which supports partial comparisons + * and tracks traversed objects. + * + * @private + * @param {*} value The value to compare. + * @param {*} other The other value to compare. + * @param {boolean} bitmask The bitmask flags. + * 1 - Unordered comparison + * 2 - Partial comparison + * @param {Function} [customizer] The function to customize comparisons. + * @param {Object} [stack] Tracks traversed `value` and `other` objects. + * @returns {boolean} Returns `true` if the values are equivalent, else `false`. + */ +function baseIsEqual(value, other, bitmask, customizer, stack) { + if (value === other) { + return true; + } + if (value == null || other == null || (!isObjectLike_1(value) && !isObjectLike_1(other))) { + return value !== value && other !== other; + } + return _baseIsEqualDeep(value, other, bitmask, customizer, baseIsEqual, stack); +} + +var _baseIsEqual = baseIsEqual; + +/** + * Performs a deep comparison between two values to determine if they are + * equivalent. + * + * **Note:** This method supports comparing arrays, array buffers, booleans, + * date objects, error objects, maps, numbers, `Object` objects, regexes, + * sets, strings, symbols, and typed arrays. `Object` objects are compared + * by their own, not inherited, enumerable properties. Functions and DOM + * nodes are compared by strict equality, i.e. `===`. + * + * @static + * @memberOf _ + * @since 0.1.0 + * @category Lang + * @param {*} value The value to compare. + * @param {*} other The other value to compare. + * @returns {boolean} Returns `true` if the values are equivalent, else `false`. + * @example + * + * var object = { 'a': 1 }; + * var other = { 'a': 1 }; + * + * _.isEqual(object, other); + * // => true + * + * object === other; + * // => false + */ +function isEqual(value, other) { + return _baseIsEqual(value, other); +} + +var isEqual_1 = isEqual; + +/** + * A specialized version of `_.forEach` for arrays without support for + * iteratee shorthands. + * + * @private + * @param {Array} [array] The array to iterate over. + * @param {Function} iteratee The function invoked per iteration. + * @returns {Array} Returns `array`. + */ +function arrayEach(array, iteratee) { + var index = -1, + length = array == null ? 0 : array.length; + + while (++index < length) { + if (iteratee(array[index], index, array) === false) { + break; + } + } + return array; +} + +var _arrayEach = arrayEach; + +var defineProperty = (function() { + try { + var func = _getNative(Object, 'defineProperty'); + func({}, '', {}); + return func; + } catch (e) {} +}()); + +var _defineProperty = defineProperty; + +/** + * The base implementation of `assignValue` and `assignMergeValue` without + * value checks. + * + * @private + * @param {Object} object The object to modify. + * @param {string} key The key of the property to assign. + * @param {*} value The value to assign. + */ +function baseAssignValue(object, key, value) { + if (key == '__proto__' && _defineProperty) { + _defineProperty(object, key, { + 'configurable': true, + 'enumerable': true, + 'value': value, + 'writable': true + }); + } else { + object[key] = value; + } +} + +var _baseAssignValue = baseAssignValue; + +/** Used for built-in method references. */ +var objectProto$2 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$2 = objectProto$2.hasOwnProperty; + +/** + * Assigns `value` to `key` of `object` if the existing value is not equivalent + * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero) + * for equality comparisons. + * + * @private + * @param {Object} object The object to modify. + * @param {string} key The key of the property to assign. + * @param {*} value The value to assign. + */ +function assignValue(object, key, value) { + var objValue = object[key]; + if (!(hasOwnProperty$2.call(object, key) && eq_1(objValue, value)) || + (value === undefined && !(key in object))) { + _baseAssignValue(object, key, value); + } +} + +var _assignValue = assignValue; + +/** + * Copies properties of `source` to `object`. + * + * @private + * @param {Object} source The object to copy properties from. + * @param {Array} props The property identifiers to copy. + * @param {Object} [object={}] The object to copy properties to. + * @param {Function} [customizer] The function to customize copied values. + * @returns {Object} Returns `object`. + */ +function copyObject(source, props, object, customizer) { + var isNew = !object; + object || (object = {}); + + var index = -1, + length = props.length; + + while (++index < length) { + var key = props[index]; + + var newValue = customizer + ? customizer(object[key], source[key], key, object, source) + : undefined; + + if (newValue === undefined) { + newValue = source[key]; + } + if (isNew) { + _baseAssignValue(object, key, newValue); + } else { + _assignValue(object, key, newValue); + } + } + return object; +} + +var _copyObject = copyObject; + +/** + * The base implementation of `_.assign` without support for multiple sources + * or `customizer` functions. + * + * @private + * @param {Object} object The destination object. + * @param {Object} source The source object. + * @returns {Object} Returns `object`. + */ +function baseAssign(object, source) { + return object && _copyObject(source, keys_1(source), object); +} + +var _baseAssign = baseAssign; + +/** + * This function is like + * [`Object.keys`](http://ecma-international.org/ecma-262/7.0/#sec-object.keys) + * except that it includes inherited enumerable properties. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names. + */ +function nativeKeysIn(object) { + var result = []; + if (object != null) { + for (var key in Object(object)) { + result.push(key); + } + } + return result; +} + +var _nativeKeysIn = nativeKeysIn; + +/** Used for built-in method references. */ +var objectProto$1 = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty$1 = objectProto$1.hasOwnProperty; + +/** + * The base implementation of `_.keysIn` which doesn't treat sparse arrays as dense. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names. + */ +function baseKeysIn(object) { + if (!isObject_1(object)) { + return _nativeKeysIn(object); + } + var isProto = _isPrototype(object), + result = []; + + for (var key in object) { + if (!(key == 'constructor' && (isProto || !hasOwnProperty$1.call(object, key)))) { + result.push(key); + } + } + return result; +} + +var _baseKeysIn = baseKeysIn; + +/** + * Creates an array of the own and inherited enumerable property names of `object`. + * + * **Note:** Non-object values are coerced to objects. + * + * @static + * @memberOf _ + * @since 3.0.0 + * @category Object + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names. + * @example + * + * function Foo() { + * this.a = 1; + * this.b = 2; + * } + * + * Foo.prototype.c = 3; + * + * _.keysIn(new Foo); + * // => ['a', 'b', 'c'] (iteration order is not guaranteed) + */ +function keysIn(object) { + return isArrayLike_1(object) ? _arrayLikeKeys(object, true) : _baseKeysIn(object); +} + +var keysIn_1 = keysIn; + +/** + * The base implementation of `_.assignIn` without support for multiple sources + * or `customizer` functions. + * + * @private + * @param {Object} object The destination object. + * @param {Object} source The source object. + * @returns {Object} Returns `object`. + */ +function baseAssignIn(object, source) { + return object && _copyObject(source, keysIn_1(source), object); +} + +var _baseAssignIn = baseAssignIn; + +var _cloneBuffer = createCommonjsModule(function (module, exports) { +/** Detect free variable `exports`. */ +var freeExports = exports && !exports.nodeType && exports; + +/** Detect free variable `module`. */ +var freeModule = freeExports && 'object' == 'object' && module && !module.nodeType && module; + +/** Detect the popular CommonJS extension `module.exports`. */ +var moduleExports = freeModule && freeModule.exports === freeExports; + +/** Built-in value references. */ +var Buffer = moduleExports ? _root.Buffer : undefined, + allocUnsafe = Buffer ? Buffer.allocUnsafe : undefined; + +/** + * Creates a clone of `buffer`. + * + * @private + * @param {Buffer} buffer The buffer to clone. + * @param {boolean} [isDeep] Specify a deep clone. + * @returns {Buffer} Returns the cloned buffer. + */ +function cloneBuffer(buffer, isDeep) { + if (isDeep) { + return buffer.slice(); + } + var length = buffer.length, + result = allocUnsafe ? allocUnsafe(length) : new buffer.constructor(length); + + buffer.copy(result); + return result; +} + +module.exports = cloneBuffer; +}); + +/** + * Copies the values of `source` to `array`. + * + * @private + * @param {Array} source The array to copy values from. + * @param {Array} [array=[]] The array to copy values to. + * @returns {Array} Returns `array`. + */ +function copyArray(source, array) { + var index = -1, + length = source.length; + + array || (array = Array(length)); + while (++index < length) { + array[index] = source[index]; + } + return array; +} + +var _copyArray = copyArray; + +/** + * Copies own symbols of `source` to `object`. + * + * @private + * @param {Object} source The object to copy symbols from. + * @param {Object} [object={}] The object to copy symbols to. + * @returns {Object} Returns `object`. + */ +function copySymbols(source, object) { + return _copyObject(source, _getSymbols(source), object); +} + +var _copySymbols = copySymbols; + +/** Built-in value references. */ +var getPrototype = _overArg(Object.getPrototypeOf, Object); + +var _getPrototype = getPrototype; + +/* Built-in method references for those with the same name as other `lodash` methods. */ +var nativeGetSymbols = Object.getOwnPropertySymbols; + +/** + * Creates an array of the own and inherited enumerable symbols of `object`. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of symbols. + */ +var getSymbolsIn = !nativeGetSymbols ? stubArray_1 : function(object) { + var result = []; + while (object) { + _arrayPush(result, _getSymbols(object)); + object = _getPrototype(object); + } + return result; +}; + +var _getSymbolsIn = getSymbolsIn; + +/** + * Copies own and inherited symbols of `source` to `object`. + * + * @private + * @param {Object} source The object to copy symbols from. + * @param {Object} [object={}] The object to copy symbols to. + * @returns {Object} Returns `object`. + */ +function copySymbolsIn(source, object) { + return _copyObject(source, _getSymbolsIn(source), object); +} + +var _copySymbolsIn = copySymbolsIn; + +/** + * Creates an array of own and inherited enumerable property names and + * symbols of `object`. + * + * @private + * @param {Object} object The object to query. + * @returns {Array} Returns the array of property names and symbols. + */ +function getAllKeysIn(object) { + return _baseGetAllKeys(object, keysIn_1, _getSymbolsIn); +} + +var _getAllKeysIn = getAllKeysIn; + +/** Used for built-in method references. */ +var objectProto = Object.prototype; + +/** Used to check objects for own properties. */ +var hasOwnProperty = objectProto.hasOwnProperty; + +/** + * Initializes an array clone. + * + * @private + * @param {Array} array The array to clone. + * @returns {Array} Returns the initialized clone. + */ +function initCloneArray(array) { + var length = array.length, + result = new array.constructor(length); + + // Add properties assigned by `RegExp#exec`. + if (length && typeof array[0] == 'string' && hasOwnProperty.call(array, 'index')) { + result.index = array.index; + result.input = array.input; + } + return result; +} + +var _initCloneArray = initCloneArray; + +/** + * Creates a clone of `arrayBuffer`. + * + * @private + * @param {ArrayBuffer} arrayBuffer The array buffer to clone. + * @returns {ArrayBuffer} Returns the cloned array buffer. + */ +function cloneArrayBuffer(arrayBuffer) { + var result = new arrayBuffer.constructor(arrayBuffer.byteLength); + new _Uint8Array(result).set(new _Uint8Array(arrayBuffer)); + return result; +} + +var _cloneArrayBuffer = cloneArrayBuffer; + +/** + * Creates a clone of `dataView`. + * + * @private + * @param {Object} dataView The data view to clone. + * @param {boolean} [isDeep] Specify a deep clone. + * @returns {Object} Returns the cloned data view. + */ +function cloneDataView(dataView, isDeep) { + var buffer = isDeep ? _cloneArrayBuffer(dataView.buffer) : dataView.buffer; + return new dataView.constructor(buffer, dataView.byteOffset, dataView.byteLength); +} + +var _cloneDataView = cloneDataView; + +/** Used to match `RegExp` flags from their coerced string values. */ +var reFlags = /\w*$/; + +/** + * Creates a clone of `regexp`. + * + * @private + * @param {Object} regexp The regexp to clone. + * @returns {Object} Returns the cloned regexp. + */ +function cloneRegExp(regexp) { + var result = new regexp.constructor(regexp.source, reFlags.exec(regexp)); + result.lastIndex = regexp.lastIndex; + return result; +} + +var _cloneRegExp = cloneRegExp; + +/** Used to convert symbols to primitives and strings. */ +var symbolProto = _Symbol ? _Symbol.prototype : undefined, + symbolValueOf = symbolProto ? symbolProto.valueOf : undefined; + +/** + * Creates a clone of the `symbol` object. + * + * @private + * @param {Object} symbol The symbol object to clone. + * @returns {Object} Returns the cloned symbol object. + */ +function cloneSymbol(symbol) { + return symbolValueOf ? Object(symbolValueOf.call(symbol)) : {}; +} + +var _cloneSymbol = cloneSymbol; + +/** + * Creates a clone of `typedArray`. + * + * @private + * @param {Object} typedArray The typed array to clone. + * @param {boolean} [isDeep] Specify a deep clone. + * @returns {Object} Returns the cloned typed array. + */ +function cloneTypedArray(typedArray, isDeep) { + var buffer = isDeep ? _cloneArrayBuffer(typedArray.buffer) : typedArray.buffer; + return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length); +} + +var _cloneTypedArray = cloneTypedArray; + +/** `Object#toString` result references. */ +var boolTag$1 = '[object Boolean]', + dateTag$1 = '[object Date]', + mapTag$2 = '[object Map]', + numberTag$1 = '[object Number]', + regexpTag$1 = '[object RegExp]', + setTag$2 = '[object Set]', + stringTag$1 = '[object String]', + symbolTag$1 = '[object Symbol]'; + +var arrayBufferTag$1 = '[object ArrayBuffer]', + dataViewTag$1 = '[object DataView]', + float32Tag$1 = '[object Float32Array]', + float64Tag$1 = '[object Float64Array]', + int8Tag$1 = '[object Int8Array]', + int16Tag$1 = '[object Int16Array]', + int32Tag$1 = '[object Int32Array]', + uint8Tag$1 = '[object Uint8Array]', + uint8ClampedTag$1 = '[object Uint8ClampedArray]', + uint16Tag$1 = '[object Uint16Array]', + uint32Tag$1 = '[object Uint32Array]'; + +/** + * Initializes an object clone based on its `toStringTag`. + * + * **Note:** This function only supports cloning values with tags of + * `Boolean`, `Date`, `Error`, `Map`, `Number`, `RegExp`, `Set`, or `String`. + * + * @private + * @param {Object} object The object to clone. + * @param {string} tag The `toStringTag` of the object to clone. + * @param {boolean} [isDeep] Specify a deep clone. + * @returns {Object} Returns the initialized clone. + */ +function initCloneByTag(object, tag, isDeep) { + var Ctor = object.constructor; + switch (tag) { + case arrayBufferTag$1: + return _cloneArrayBuffer(object); + + case boolTag$1: + case dateTag$1: + return new Ctor(+object); + + case dataViewTag$1: + return _cloneDataView(object, isDeep); + + case float32Tag$1: case float64Tag$1: + case int8Tag$1: case int16Tag$1: case int32Tag$1: + case uint8Tag$1: case uint8ClampedTag$1: case uint16Tag$1: case uint32Tag$1: + return _cloneTypedArray(object, isDeep); + + case mapTag$2: + return new Ctor; + + case numberTag$1: + case stringTag$1: + return new Ctor(object); + + case regexpTag$1: + return _cloneRegExp(object); + + case setTag$2: + return new Ctor; + + case symbolTag$1: + return _cloneSymbol(object); + } +} + +var _initCloneByTag = initCloneByTag; + +/** Built-in value references. */ +var objectCreate = Object.create; + +/** + * The base implementation of `_.create` without support for assigning + * properties to the created object. + * + * @private + * @param {Object} proto The object to inherit from. + * @returns {Object} Returns the new object. + */ +var baseCreate = (function() { + function object() {} + return function(proto) { + if (!isObject_1(proto)) { + return {}; + } + if (objectCreate) { + return objectCreate(proto); + } + object.prototype = proto; + var result = new object; + object.prototype = undefined; + return result; + }; +}()); + +var _baseCreate = baseCreate; + +/** + * Initializes an object clone. + * + * @private + * @param {Object} object The object to clone. + * @returns {Object} Returns the initialized clone. + */ +function initCloneObject(object) { + return (typeof object.constructor == 'function' && !_isPrototype(object)) + ? _baseCreate(_getPrototype(object)) + : {}; +} + +var _initCloneObject = initCloneObject; + +/** `Object#toString` result references. */ +var mapTag$1 = '[object Map]'; + +/** + * The base implementation of `_.isMap` without Node.js optimizations. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a map, else `false`. + */ +function baseIsMap(value) { + return isObjectLike_1(value) && _getTag(value) == mapTag$1; +} + +var _baseIsMap = baseIsMap; + +/* Node.js helper references. */ +var nodeIsMap = _nodeUtil && _nodeUtil.isMap; + +/** + * Checks if `value` is classified as a `Map` object. + * + * @static + * @memberOf _ + * @since 4.3.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a map, else `false`. + * @example + * + * _.isMap(new Map); + * // => true + * + * _.isMap(new WeakMap); + * // => false + */ +var isMap = nodeIsMap ? _baseUnary(nodeIsMap) : _baseIsMap; + +var isMap_1 = isMap; + +/** `Object#toString` result references. */ +var setTag$1 = '[object Set]'; + +/** + * The base implementation of `_.isSet` without Node.js optimizations. + * + * @private + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a set, else `false`. + */ +function baseIsSet(value) { + return isObjectLike_1(value) && _getTag(value) == setTag$1; +} + +var _baseIsSet = baseIsSet; + +/* Node.js helper references. */ +var nodeIsSet = _nodeUtil && _nodeUtil.isSet; + +/** + * Checks if `value` is classified as a `Set` object. + * + * @static + * @memberOf _ + * @since 4.3.0 + * @category Lang + * @param {*} value The value to check. + * @returns {boolean} Returns `true` if `value` is a set, else `false`. + * @example + * + * _.isSet(new Set); + * // => true + * + * _.isSet(new WeakSet); + * // => false + */ +var isSet = nodeIsSet ? _baseUnary(nodeIsSet) : _baseIsSet; + +var isSet_1 = isSet; + +/** Used to compose bitmasks for cloning. */ +var CLONE_DEEP_FLAG$1 = 1, + CLONE_FLAT_FLAG = 2, + CLONE_SYMBOLS_FLAG$1 = 4; + +/** `Object#toString` result references. */ +var argsTag = '[object Arguments]', + arrayTag = '[object Array]', + boolTag = '[object Boolean]', + dateTag = '[object Date]', + errorTag = '[object Error]', + funcTag = '[object Function]', + genTag = '[object GeneratorFunction]', + mapTag = '[object Map]', + numberTag = '[object Number]', + objectTag = '[object Object]', + regexpTag = '[object RegExp]', + setTag = '[object Set]', + stringTag = '[object String]', + symbolTag = '[object Symbol]', + weakMapTag = '[object WeakMap]'; + +var arrayBufferTag = '[object ArrayBuffer]', + dataViewTag = '[object DataView]', + float32Tag = '[object Float32Array]', + float64Tag = '[object Float64Array]', + int8Tag = '[object Int8Array]', + int16Tag = '[object Int16Array]', + int32Tag = '[object Int32Array]', + uint8Tag = '[object Uint8Array]', + uint8ClampedTag = '[object Uint8ClampedArray]', + uint16Tag = '[object Uint16Array]', + uint32Tag = '[object Uint32Array]'; + +/** Used to identify `toStringTag` values supported by `_.clone`. */ +var cloneableTags = {}; +cloneableTags[argsTag] = cloneableTags[arrayTag] = +cloneableTags[arrayBufferTag] = cloneableTags[dataViewTag] = +cloneableTags[boolTag] = cloneableTags[dateTag] = +cloneableTags[float32Tag] = cloneableTags[float64Tag] = +cloneableTags[int8Tag] = cloneableTags[int16Tag] = +cloneableTags[int32Tag] = cloneableTags[mapTag] = +cloneableTags[numberTag] = cloneableTags[objectTag] = +cloneableTags[regexpTag] = cloneableTags[setTag] = +cloneableTags[stringTag] = cloneableTags[symbolTag] = +cloneableTags[uint8Tag] = cloneableTags[uint8ClampedTag] = +cloneableTags[uint16Tag] = cloneableTags[uint32Tag] = true; +cloneableTags[errorTag] = cloneableTags[funcTag] = +cloneableTags[weakMapTag] = false; + +/** + * The base implementation of `_.clone` and `_.cloneDeep` which tracks + * traversed objects. + * + * @private + * @param {*} value The value to clone. + * @param {boolean} bitmask The bitmask flags. + * 1 - Deep clone + * 2 - Flatten inherited properties + * 4 - Clone symbols + * @param {Function} [customizer] The function to customize cloning. + * @param {string} [key] The key of `value`. + * @param {Object} [object] The parent object of `value`. + * @param {Object} [stack] Tracks traversed objects and their clone counterparts. + * @returns {*} Returns the cloned value. + */ +function baseClone(value, bitmask, customizer, key, object, stack) { + var result, + isDeep = bitmask & CLONE_DEEP_FLAG$1, + isFlat = bitmask & CLONE_FLAT_FLAG, + isFull = bitmask & CLONE_SYMBOLS_FLAG$1; + + if (customizer) { + result = object ? customizer(value, key, object, stack) : customizer(value); + } + if (result !== undefined) { + return result; + } + if (!isObject_1(value)) { + return value; + } + var isArr = isArray_1(value); + if (isArr) { + result = _initCloneArray(value); + if (!isDeep) { + return _copyArray(value, result); + } + } else { + var tag = _getTag(value), + isFunc = tag == funcTag || tag == genTag; + + if (isBuffer_1(value)) { + return _cloneBuffer(value, isDeep); + } + if (tag == objectTag || tag == argsTag || (isFunc && !object)) { + result = (isFlat || isFunc) ? {} : _initCloneObject(value); + if (!isDeep) { + return isFlat + ? _copySymbolsIn(value, _baseAssignIn(result, value)) + : _copySymbols(value, _baseAssign(result, value)); + } + } else { + if (!cloneableTags[tag]) { + return object ? value : {}; + } + result = _initCloneByTag(value, tag, isDeep); + } + } + // Check for circular references and return its corresponding clone. + stack || (stack = new _Stack); + var stacked = stack.get(value); + if (stacked) { + return stacked; + } + stack.set(value, result); + + if (isSet_1(value)) { + value.forEach(function(subValue) { + result.add(baseClone(subValue, bitmask, customizer, subValue, value, stack)); + }); + } else if (isMap_1(value)) { + value.forEach(function(subValue, key) { + result.set(key, baseClone(subValue, bitmask, customizer, key, value, stack)); + }); + } + + var keysFunc = isFull + ? (isFlat ? _getAllKeysIn : _getAllKeys) + : (isFlat ? keysIn_1 : keys_1); + + var props = isArr ? undefined : keysFunc(value); + _arrayEach(props || value, function(subValue, key) { + if (props) { + key = subValue; + subValue = value[key]; + } + // Recursively populate clone (susceptible to call stack limits). + _assignValue(result, key, baseClone(subValue, bitmask, customizer, key, value, stack)); + }); + return result; +} + +var _baseClone = baseClone; + +/** Used to compose bitmasks for cloning. */ +var CLONE_DEEP_FLAG = 1, + CLONE_SYMBOLS_FLAG = 4; + +/** + * This method is like `_.clone` except that it recursively clones `value`. + * + * @static + * @memberOf _ + * @since 1.0.0 + * @category Lang + * @param {*} value The value to recursively clone. + * @returns {*} Returns the deep cloned value. + * @see _.clone + * @example + * + * var objects = [{ 'a': 1 }, { 'b': 2 }]; + * + * var deep = _.cloneDeep(objects); + * console.log(deep[0] === objects[0]); + * // => false + */ +function cloneDeep(value) { + return _baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG); +} + +var cloneDeep_1 = cloneDeep; + +/** + * Observes all known project index files and keeps their frontmatters + * in sync with the corresponding store. + * + * Store updates are written to disk, and file edits are set to the store. + * + * When index files have invalid frontmatter, e.g. you're mid-edit, updates + * are ignored. This class must have `destroy()` called on plugin unload + * to avoid leaking store subscriptions. + */ +class IndexMetadataObserver { + constructor(app) { + this.ignoreNextMetadataUpdate = true; + this.lastKnownMetadataState = {}; + this.vault = app.vault; + this.cache = app.metadataCache; + // Load project/index file paths + this.unsubscribeSettings = pluginSettings.subscribe((settings) => { + const indexPaths = []; + Object.keys(settings.projects).forEach((projectPath) => { + const project = settings.projects[projectPath]; + indexPaths.push({ + projectPath, + indexPath: indexFilePath(project), + }); + }); + this.watchedIndexPaths = indexPaths; + // Load existing projects' metadata + const allMetadata = {}; + this.watchedIndexPaths.forEach((paths) => { + const metadata = this.cache.getCache(paths.indexPath); + // Sometimes this can be undefined, especially if you're creating a new project. + // In that case, we'll get the metadata event later, so it's okay to skip it here. + if (metadata) { + const frontmatter = metadata.frontmatter; + allMetadata[paths.projectPath] = filterMetadata(frontmatter); + } + }); + this.lastKnownMetadataState = cloneDeep_1(allMetadata); + if (this.unsubscribeMetadata) { + this.ignoreNextMetadataUpdate = true; + } + projectMetadata.set(allMetadata); + }); + // Pass store metadata changes (ie longform app changes) + // back to the index file + this.unsubscribeMetadata = projectMetadata.subscribe((value) => { + if (!this.ignoreNextMetadataUpdate) { + this.metadataStoreChanged(value); + } + this.ignoreNextMetadataUpdate = false; + this.lastKnownMetadataState = cloneDeep_1(value); + }); + } + destroy() { + this.unsubscribeSettings(); + this.unsubscribeMetadata(); + } + metadataCacheChanged(file) { + // Is this a file we're watching? + const paths = this.watchedIndexPaths.find((p) => p.indexPath === file.path); + if (paths) { + const fileMetadata = this.cache.getFileCache(file); + // Ignore missing or invalid YAML results, file likely mid-edit + if (!fileMetadata || !fileMetadata.frontmatter) { + return; + } + const newProjectMetadata = fileMetadata.frontmatter; + this.ignoreNextMetadataUpdate = true; + projectMetadata.update((value) => { + const v = value; + v[paths.projectPath] = filterMetadata(newProjectMetadata); + this.lastKnownMetadataState = cloneDeep_1(v); + return v; + }); + } + } + metadataStoreChanged(value) { + const lastKnownProjectPaths = Object.keys(this.lastKnownMetadataState); + Object.keys(value).forEach((projectPath) => { + const isKnownPath = lastKnownProjectPaths.contains(projectPath); + const paths = this.watchedIndexPaths.find((p) => p.projectPath === projectPath); + const newIndexMetadata = value[projectPath]; + const isNew = !isKnownPath || + !isEqual_1(this.lastKnownMetadataState[projectPath], newIndexMetadata); + if (paths && isNew) { + const contents = indexBodyFor(newIndexMetadata); + this.vault.adapter.write(paths.indexPath, contents); + } + }); + this.lastKnownMetadataState = cloneDeep_1(value); + } +} +function filterMetadata(metadata) { + // Ideally TypeScript would do this for me, but that seems to be impossible. + // Instead, we have to manually strip out anything we know isn't a property of the type. + return { + version: metadata.version, + drafts: metadata.drafts, + }; +} + +var DraftsMembership; +(function (DraftsMembership) { + DraftsMembership[DraftsMembership["Draft"] = 0] = "Draft"; + DraftsMembership[DraftsMembership["Scene"] = 1] = "Scene"; + DraftsMembership[DraftsMembership["None"] = 2] = "None"; +})(DraftsMembership || (DraftsMembership = {})); +function membership(abstractFile, draftsPath) { + if (abstractFile instanceof obsidian.TFolder && + abstractFile.parent && + abstractFile.parent.path === draftsPath) { + return DraftsMembership.Draft; + } + else if (abstractFile instanceof obsidian.TFile && + abstractFile.parent && + abstractFile.parent.parent && + abstractFile.parent.parent.path === draftsPath) { + return DraftsMembership.Scene; + } + return DraftsMembership.None; +} +class FolderObserver { + constructor(app) { + this.vault = app.vault; + // Load project paths + this.unsubscribeSettings = pluginSettings.subscribe((settings) => { + this.watchedDraftFolders = Object.keys(settings.projects).map((projectPath) => ({ + draftsPath: obsidian.normalizePath(`${projectPath}/${settings.projects[projectPath].draftsPath}`), + projectPath, + })); + }); + } + loadProjects(renameInfo) { + const toStore = {}; + this.watchedDraftFolders.forEach(({ draftsPath, projectPath }) => { + toStore[projectPath] = {}; + const folder = this.vault.getAbstractFileByPath(draftsPath); + if (!(folder instanceof obsidian.TFolder)) { + return; + } + // Recurse all watched projects' draft folders. + // Because recursion, we know drafts will be encountered before their children. + obsidian.Vault.recurseChildren(folder, (abstractFile) => { + const status = membership(abstractFile, draftsPath); + if (status === DraftsMembership.Draft) { + toStore[projectPath][abstractFile.name] = []; + // We only care about folders if they're draft folders + } + else if (status === DraftsMembership.Scene && + abstractFile instanceof obsidian.TFile) { + // We only care about files if they're members of a draft + toStore[projectPath][abstractFile.parent.name].push(abstractFile.basename); + } + }); + }); + projectMetadata.update((metadata) => { + // Sync files on disk with scenes in metadata; + // Existing files are sorted by scene order, + // new ones are added to the bottom. + let newMetadata = cloneDeep_1(metadata); + // javascript is stupid. + // eslint-disable-next-line + const functionalSplice = (arr, index, value) => { + const v = [...arr]; + v.splice(index, 1, value); + return v; + }; + const cleanlyReplaceDraft = (meta, _projectPath, _draftIndex, _draft) => (Object.assign(Object.assign({}, meta), { [_projectPath]: Object.assign(Object.assign({}, meta[_projectPath]), { drafts: functionalSplice(newMetadata[_projectPath].drafts, _draftIndex, _draft) }) })); + Object.keys(toStore).forEach((projectPath) => { + // Handle cases where the metadata cache hasn't caught up to disk yet + // and thus no project exists there at all. + if (!newMetadata[projectPath]) { + return; + } + // If a draft has been renamed, sub in the renamed draft in metadata + if (renameInfo && renameInfo.newFile instanceof obsidian.TFolder) { + const oldFolder = renameInfo.oldPath.split("/").slice(-1)[0]; + const newFolder = renameInfo.newFile.name; + const draftIndex = newMetadata[projectPath].drafts.findIndex((d) => d.folder === oldFolder); + if (draftIndex >= 0) { + const draft = newMetadata[projectPath].drafts[draftIndex]; + newMetadata = cleanlyReplaceDraft(newMetadata, projectPath, draftIndex, Object.assign(Object.assign({}, draft), { folder: newFolder, name: newFolder })); + } + } + const metadataLookup = buildDraftsLookup(newMetadata[projectPath].drafts); + Object.keys(toStore[projectPath]).forEach((draftPath) => { + const metadataDraft = metadataLookup[draftPath]; + const metadataScenes = metadataDraft ? metadataDraft.scenes : []; + const fileScenes = toStore[projectPath][draftPath]; + const existingScenes = []; + metadataScenes.forEach((s) => { + if (fileScenes.contains(s)) { + // Retain existing scene + existingScenes.push(s); + } + else if (renameInfo && + renameInfo.newFile instanceof obsidian.TFile && + fileScenes.contains(renameInfo.newFile.basename)) { + // Swap in a renamed file if it matches the full path + const f = this.watchedDraftFolders.find((f) => f.projectPath === projectPath); + if (f && + obsidian.normalizePath(`${f.draftsPath}/${draftPath}/${s}.md`) === + renameInfo.oldPath) { + existingScenes.push(renameInfo.newFile.basename); + } + } + }); + const newScenes = fileScenes.filter((s) => !existingScenes.contains(s)); + const scenes = [...existingScenes, ...newScenes]; + const draftIndex = newMetadata[projectPath].drafts.findIndex((d) => d.folder === draftPath); + if (draftIndex >= 0) { + const draft = newMetadata[projectPath].drafts[draftIndex]; + newMetadata = cleanlyReplaceDraft(newMetadata, projectPath, draftIndex, Object.assign(Object.assign({}, draft), { scenes })); + } + else { + const draft = { + name: draftPath, + folder: draftPath, + scenes, + }; + newMetadata = cleanlyReplaceDraft(newMetadata, projectPath, newMetadata[projectPath].drafts.length, draft); + } + }); + // Delete any orphaned drafts that are in metadata but no longer on disk + const fileDrafts = Object.keys(toStore[projectPath]); + newMetadata = Object.assign(Object.assign({}, newMetadata), { [projectPath]: Object.assign(Object.assign({}, newMetadata[projectPath]), { drafts: newMetadata[projectPath].drafts.filter((d) => fileDrafts.contains(d.folder)) }) }); + }); + return newMetadata; + }); + } + destroy() { + this.unsubscribeSettings(); + } + fileCreated(abstractFile) { + const status = this.anyMembership(abstractFile); + if (status === DraftsMembership.None) { + return; + } + // We could do this more intelligently by making minimal edits to the store, + // but for now let's just recalculate it. It's not clear to me yet how expensive + // recursing children is. + this.loadProjects(); + } + fileDeleted(abstractFile) { + // We can't do normal status test here because a deleted file's parent is null. + const reload = !!this.watchedDraftFolders.find(({ draftsPath }) => abstractFile.path.startsWith(draftsPath)); + if (!reload) { + return; + } + // We could do this more intelligently by making minimal edits to the store, + // but for now let's just recalculate it. It's not clear to me yet how expensive + // recursing children is. + this.loadProjects(); + } + fileRenamed(abstractFile, oldPath) { + const newPath = abstractFile.path; + // First handle any project renames, as those happen in settings + const folder = this.watchedDraftFolders.find((f) => f.projectPath === oldPath); + if (folder) { + console.log("[Longform] A project has been renamed; updating caches…"); + pluginSettings.update((s) => { + const projects = s.projects; + const project = s.projects[oldPath]; + project.path = newPath; + projects[newPath] = project; + delete s.projects[oldPath]; + let selectedProject = s.selectedProject; + if (selectedProject === oldPath) { + selectedProject = newPath; + } + const newSettings = Object.assign(Object.assign({}, s), { selectedProject, + projects }); + return newSettings; + }); + currentProjectPath.update((p) => { + if (p === oldPath) { + return newPath; + } + return p; + }); + projectMetadata.update((m) => { + const project = m[oldPath]; + m[newPath] = project; + delete m[oldPath]; + return m; + }); + return; + } + const status = this.anyMembership(abstractFile, oldPath); + if (status === DraftsMembership.None) { + return; + } + // If the current draft was renamed, update that store first. + if (status === DraftsMembership.Draft && + oldPath.endsWith(get_store_value(currentDraftPath))) { + currentDraftPath.set(abstractFile.name); + } + // We could do this more intelligently by making minimal edits to the store, + // but for now let's just recalculate it. It's not clear to me yet how expensive + // recursing children is. + this.loadProjects({ newFile: abstractFile, oldPath }); + } + anyMembership(abstractFile, oldPath) { + for (const { draftsPath } of this.watchedDraftFolders) { + if (oldPath && oldPath.startsWith(draftsPath)) { + return oldPath.endsWith(".md") + ? DraftsMembership.Scene + : DraftsMembership.Draft; + } + const status = membership(abstractFile, draftsPath); + if (status !== DraftsMembership.None) { + return status; + } + } + return DraftsMembership.None; + } +} + +class LongformSettingsTab extends obsidian.PluginSettingTab { + constructor(app, plugin) { + super(app, plugin); + this.plugin = plugin; + } + display() { + const { containerEl } = this; + containerEl.empty(); + containerEl.createEl("h2", { text: "Longform" }); + containerEl.createEl("p", {}, (el) => { + el.innerHTML = + 'Longform written and maintained by Kevin Barrett.'; + }); + containerEl.createEl("p", {}, (el) => { + el.innerHTML = + 'Read the source code and report issues at https://github.com/kevboh/longform.'; + }); + containerEl.createEl("p", {}, (el) => { + el.innerHTML = + 'Icon made by Zlatko Najdenovski from www.flaticon.com.'; + }); + containerEl.createEl("hr"); + containerEl.createEl("p", { + text: "If you find Longform to be misbehaving (logging errors in console, not syncing changes to index files) you can try resetting tracked projects. This will cause Longform to “forget” that various project folders in your vault should be watched and managed by Longform. You can then re-mark those folders as Longform projects by right-clicking them in the file explorer. You will not lose any notes.", + }); + containerEl.createEl("button", { + text: "Untrack All Projects", + title: "Click to have Longform untrack all projects.", + }, (el) => { + el.classList.add("longform-settings-destructive-button"); + el.onclick = () => __awaiter(this, void 0, void 0, function* () { + console.log("[Longform] Resetting plugin data to: ", DEFAULT_SETTINGS); + pluginSettings.set(DEFAULT_SETTINGS); + currentProjectPath.set(null); + currentDraftPath.set(null); + this.plugin.cachedSettings = get_store_value(pluginSettings); + yield this.plugin.saveSettings(); + }); + }); + } +} + +const LONGFORM_LEAF_CLASS = "longform-leaf"; +// TODO: Try and abstract away more logic from actual plugin hooks here +class LongformPlugin extends obsidian.Plugin { + onload() { + return __awaiter(this, void 0, void 0, function* () { + console.log(`[Longform] Starting Longform ${this.manifest.version}…`); + obsidian.addIcon(ICON_NAME, ICON_SVG); + this.registerView(VIEW_TYPE_LONGFORM_EXPLORER, (leaf) => new ExplorerPane(leaf)); + this.registerEvent(this.app.workspace.on("file-menu", (menu, file) => { + if (!(file instanceof obsidian.TFolder)) { + return; + } + if (isLongformProject(file.path, this.cachedSettings)) { + menu.addItem((item) => { + item + .setTitle(`Unmark as Longform Project`) + .setIcon(ICON_NAME) + .onClick(() => __awaiter(this, void 0, void 0, function* () { + pluginSettings.update((settings) => { + return removeProject(file.path, settings); + }); + // this.settings = removeProject(file.path, this.settings); + yield this.saveSettings(); + new obsidian.Notice(`${file.path} is no longer a Longform project.`); + })); + }); + } + else { + menu.addItem((item) => { + item + .setTitle(`Mark as Longform Project`) + .setIcon(ICON_NAME) + .onClick(() => __awaiter(this, void 0, void 0, function* () { + this.promptToAddProject(file.path); + })); + }); + } + })); + // Settings + this.unsubscribeSettings = pluginSettings.subscribe((value) => { + this.cachedSettings = value; + }); + yield this.loadSettings(); + this.addSettingTab(new LongformSettingsTab(this.app, this)); + this.app.workspace.onLayoutReady(this.postLayoutInit.bind(this)); + // Track active file + activeFile.set(this.app.workspace.getActiveFile()); + this.registerEvent(this.app.workspace.on("active-leaf-change", (leaf) => { + if (leaf.view instanceof obsidian.FileView) { + activeFile.set(leaf.view.file); + } + })); + this.addCommand({ + id: "longform-show-view", + name: "Open Longform Pane", + callback: () => { + this.initLeaf(); + const leaf = this.app.workspace + .getLeavesOfType(VIEW_TYPE_LONGFORM_EXPLORER) + .first(); + if (leaf) { + this.app.workspace.revealLeaf(leaf); + } + }, + }); + // Dynamically style longform scenes + this.registerEvent(this.app.workspace.on("layout-change", () => { + this.app.workspace.getLeavesOfType("markdown").forEach((leaf) => { + if (leaf.view instanceof obsidian.FileView) { + if (isInLongformProject(leaf.view.file.path, this.cachedSettings)) { + leaf.view.containerEl.classList.add(LONGFORM_LEAF_CLASS); + } + else { + leaf.view.containerEl.classList.remove(LONGFORM_LEAF_CLASS); + } + } + // @ts-ignore + const leafId = leaf.id; + if (leafId) { + leaf.view.containerEl.dataset.leafId = leafId; + } + }); + })); + }); + } + onunload() { + this.metadataObserver.destroy(); + this.foldersObserver.destroy(); + this.unsubscribeSettings(); + this.unsubscribeCurrentProjectPath(); + this.unsubscribeCurrentDraftPath(); + this.app.workspace + .getLeavesOfType(VIEW_TYPE_LONGFORM_EXPLORER) + .forEach((leaf) => leaf.detach()); + } + loadSettings() { + return __awaiter(this, void 0, void 0, function* () { + const settings = Object.assign({}, DEFAULT_SETTINGS, yield this.loadData()); + pluginSettings.set(settings); + currentDraftPath.set(settings.selectedDraft); + currentProjectPath.set(settings.selectedProject); + }); + } + saveSettings() { + return __awaiter(this, void 0, void 0, function* () { + yield this.saveData(this.cachedSettings); + }); + } + promptToAddProject(path) { + const modal = new AddProjectModal(this.app, this, path); + modal.open(); + } + markPathAsProject(path, project) { + return __awaiter(this, void 0, void 0, function* () { + // Conditionally create index file and drafts folder + const indexFilePath = obsidian.normalizePath(`${path}/${project.indexFile}.md`); + let indexFile = this.app.vault.getAbstractFileByPath(indexFilePath); + if (!indexFile) { + const contents = indexBodyFor(EmptyIndexFileMetadata); + indexFile = yield this.app.vault.create(indexFilePath, contents); + } + const draftsFolderPath = obsidian.normalizePath(`${path}/${project.draftsPath}`); + const draftsFolder = this.app.vault.getAbstractFileByPath(draftsFolderPath); + if (!draftsFolder) { + yield this.app.vault.createFolder(draftsFolderPath); + const defaultDrafts = EmptyIndexFileMetadata.drafts; + if (defaultDrafts.length > 0) { + const firstDraftFolderName = defaultDrafts[0].folder; + const firstDraftFolderPath = obsidian.normalizePath(`${draftsFolderPath}/${firstDraftFolderName}`); + yield this.app.vault.createFolder(firstDraftFolderPath); + } + } + // Add to tracked projects + pluginSettings.update((settings) => { + return addProject(path, project, settings); + }); + yield this.saveSettings(); + this.foldersObserver.loadProjects(); + // If this is the only project, make it current + const projects = Object.keys(get_store_value(pluginSettings).projects); + if (projects.length === 1) { + currentProjectPath.set(projects[0]); + } + new obsidian.Notice(`${path} is now a Longform project.`); + }); + } + postLayoutInit() { + this.metadataObserver = new IndexMetadataObserver(this.app); + this.foldersObserver = new FolderObserver(this.app); + this.watchProjects(); + this.unsubscribeCurrentProjectPath = currentProjectPath.subscribe((selectedProject) => __awaiter(this, void 0, void 0, function* () { + if (!get_store_value(initialized)) { + return; + } + pluginSettings.update((s) => (Object.assign(Object.assign({}, s), { selectedProject }))); + // Force cached settings update immediately for save to work + this.cachedSettings = get_store_value(pluginSettings); + yield this.saveSettings(); + })); + this.unsubscribeCurrentDraftPath = currentDraftPath.subscribe((selectedDraft) => __awaiter(this, void 0, void 0, function* () { + if (!get_store_value(initialized)) { + return; + } + pluginSettings.update((s) => (Object.assign(Object.assign({}, s), { selectedDraft }))); + // Force cached settings update immediately for save to work + // test + this.cachedSettings = get_store_value(pluginSettings); + yield this.saveSettings(); + })); + this.initLeaf(); + initialized.set(true); + } + initLeaf() { + if (this.app.workspace.getLeavesOfType(VIEW_TYPE_LONGFORM_EXPLORER).length) { + return; + } + this.app.workspace.getLeftLeaf(false).setViewState({ + type: VIEW_TYPE_LONGFORM_EXPLORER, + }); + } + watchProjects() { + this.foldersObserver.loadProjects(); + this.registerEvent(this.app.vault.on("create", this.foldersObserver.fileCreated.bind(this.foldersObserver))); + this.registerEvent(this.app.vault.on("delete", this.foldersObserver.fileDeleted.bind(this.foldersObserver))); + this.registerEvent(this.app.vault.on("rename", this.foldersObserver.fileRenamed.bind(this.foldersObserver))); + this.registerEvent(this.app.metadataCache.on("changed", this.metadataObserver.metadataCacheChanged.bind(this.metadataObserver))); + console.log(`[Longform] Loaded and watching projects.`); + } +} + +module.exports = LongformPlugin; diff --git a/.obsidian/plugins/longform/manifest.json b/.obsidian/plugins/longform/manifest.json new file mode 100644 index 00000000..2385a285 --- /dev/null +++ b/.obsidian/plugins/longform/manifest.json @@ -0,0 +1,10 @@ +{ + "id": "longform", + "name": "Longform", + "version": "1.0.3", + "minAppVersion": "0.12.11", + "description": "Write novels, screenplays, and other long projects in Obsidian.", + "author": "Kevin Barrett", + "authorUrl": "https://kevinbarrett.org", + "isDesktopOnly": false +} diff --git a/.obsidian/plugins/longform/styles.css b/.obsidian/plugins/longform/styles.css new file mode 100644 index 00000000..f10c2ba2 --- /dev/null +++ b/.obsidian/plugins/longform/styles.css @@ -0,0 +1,8 @@ +.longform-settings-destructive-button { + color: var(--text-normal); + background-color: var(--text-error) !important; +} + +.longform-settings-destructive-button:hover { + background-color: var(--text-error-hover) !important; +} diff --git a/.obsidian/plugins/rss-reader/data.json b/.obsidian/plugins/rss-reader/data.json index c61cf742..28be35c4 100644 --- a/.obsidian/plugins/rss-reader/data.json +++ b/.obsidian/plugins/rss-reader/data.json @@ -135,6 +135,1224 @@ "image": null, "description": "The son of 2003 WRC champion Petter Solberg delivered one of his best showings to date in a Hyundai i20 WRC car to end Friday sitting fifth of the nine WRC runners.
Solberg, partnered with his fourth different co-driver of the season in Elliott Edmondson, finished six of the seven stages with a top-five time, and three of the tests with the fourth-quickest time.
As a result, the 20-year-old ...Keep reading", "items": [ + { + "title": "Westbrook joins Vautier at JDC-Miller, Duval set for IMSA enduros", + "description": "The announcement confirms that the 12 Hours of Sebring-winning team will continue for a fourth season with the Cadillac DPi-V.R, a model that becomes obsolete at the end of next year.
The team will also continue with primary sponsorship from Mustang Sampling.
With JDC-Miller’s former endurance extra Sebastien Bourdais shifting to Chip Ganassi Racing’s Cadillac program, and full-timer ...Keep reading", + "content": "The announcement confirms that the 12 Hours of Sebring-winning team will continue for a fourth season with the Cadillac DPi-V.R, a model that becomes obsolete at the end of next year.
The team will also continue with primary sponsorship from Mustang Sampling.
With JDC-Miller’s former endurance extra Sebastien Bourdais shifting to Chip Ganassi Racing’s Cadillac program, and full-timer ...Keep reading", + "category": "IMSA", + "link": "https://www.autosport.com/imsa/news/westbrook-joins-vautier-at-jdc-miller-duval-set-for-enduros/6885067/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 18:49:39 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6O1nMJN2/s6/5-jdc-miller-motorsports-cadil.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e632dffd8faf71e0db464d9bd1fc3082" + }, + { + "title": "Co-founder of Lotus Hazel Chapman dies aged 94", + "description": "Born Hazel Williams, she met Chapman at a dance in 1944 and Chapman's first car, what became known as the Lotus Mark 1, was built around an Austin 7 chassis in a lock-up garage at the rear of her parents' house in Hornsey, North London, in 1948.
She took over the development of the trials car and its Ford-powered successor, the Mark 2, after Colin was briefly commissioned into the Royal Air ...Keep reading", + "content": "Born Hazel Williams, she met Chapman at a dance in 1944 and Chapman's first car, what became known as the Lotus Mark 1, was built around an Austin 7 chassis in a lock-up garage at the rear of her parents' house in Hornsey, North London, in 1948.
She took over the development of the trials car and its Ford-powered successor, the Mark 2, after Colin was briefly commissioned into the Royal Air ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/co-founder-of-lotus-hazel-chapman-dies-aged-94/6885056/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 18:25:08 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YN1nODa2/s6/hazel-chapman-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5c3795c997bee7e296b96c6904d9e93b" + }, + { + "title": "McLaren: Norris “unlucky” to lose fifth in championship to puncture", + "description": "Norris had scored only five points in the previous four races after a string of frustrating Sundays, including a tyre failure in Qatar.
After the Jeddah race he slipped from fifth to sixth in the championship, four points behind Charles Leclerc, and four and half ahead of Carlos Sainz Jr.
In Abu Dhabi he qualified a strong third but lost out on the first lap and slipped to fifth place ...Keep reading", + "content": "Norris had scored only five points in the previous four races after a string of frustrating Sundays, including a tyre failure in Qatar.
After the Jeddah race he slipped from fifth to sixth in the championship, four points behind Charles Leclerc, and four and half ahead of Carlos Sainz Jr.
In Abu Dhabi he qualified a strong third but lost out on the first lap and slipped to fifth place ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/mclaren-norris-unlucky-to-lose-fifth-in-championship-to-puncture/6885024/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 17:02:36 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0oOjamx0/s6/lando-norris-mclaren-mcl35m-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6f2c60a66dd1793b046cf16684374a4f" + }, + { + "title": "The low-downforce solutions Red Bull and Mercedes went for in F1 finale", + "description": "If one of them could get a top speed edge over the other, then that could prove decisive in holding the advantage over the course of the grand prix itself.
It was no surprise, therefore, that Mercedes stuck at the Yas Marina circuit with the low-downforce rear wing arrangement that it had put to good use in Saudi Arabia.
The wing, which was also used in Azerbaijan, features a top flap ...Keep reading", + "content": "If one of them could get a top speed edge over the other, then that could prove decisive in holding the advantage over the course of the grand prix itself.
It was no surprise, therefore, that Mercedes stuck at the Yas Marina circuit with the low-downforce rear wing arrangement that it had put to good use in Saudi Arabia.
The wing, which was also used in Azerbaijan, features a top flap ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/the-low-downforce-solutions-red-bull-and-mercedes-went-for-in-f1-finale/6884092/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 15:49:04 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/254A9px0/s6/red-bull-racing-rb16b-rear-win.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "68ed0dfdde59a0162e22302cea544c08" + }, + { + "title": "Tsunoda's 2021 F1 setbacks put him on \"long journey\" to recover confidence", + "description": "Following a number of incidents in his first F1 season, particularly in qualifying, Tsunoda initially struggled to live up to his impressive debut at Bahrain in which he scored ninth place.
F1 managing director of motorsport Ross Brawn even labelled Tsunoda as F1's \"best rookie for years\" following his immediate breakthrough result, before a string of difficult races left the Japanese driver ...Keep reading", + "content": "Following a number of incidents in his first F1 season, particularly in qualifying, Tsunoda initially struggled to live up to his impressive debut at Bahrain in which he scored ninth place.
F1 managing director of motorsport Ross Brawn even labelled Tsunoda as F1's \"best rookie for years\" following his immediate breakthrough result, before a string of difficult races left the Japanese driver ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/tsunodas-2021-f1-setbacks-put-him-on-long-journey-to-recover-confidence/6884985/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 15:29:08 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YpN5a730/s6/yuki-tsunoda-alphatauri-at02-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bdd9b90140edefb2aa83ef8e8b111052" + }, + { + "title": "How Verstappen and Red Bull snatched F1 title glory in Abu Dhabi", + "description": "It was a fitting end to a season that has offered controversy on and off track, as well as an all-time classic battle between Verstappen and Hamilton that went to the very end.
It was a race that swung back and forth between the two drivers, and had it not been for some canny teamwork, some clever strategy and that final safety car, Verstappen’s wait for a world title is likely to have ...Keep reading", + "content": "It was a fitting end to a season that has offered controversy on and off track, as well as an all-time classic battle between Verstappen and Hamilton that went to the very end.
It was a race that swung back and forth between the two drivers, and had it not been for some canny teamwork, some clever strategy and that final safety car, Verstappen’s wait for a world title is likely to have ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/how-verstappen-and-red-bull-snatched-f1-title-glory-in-abu-dhabi/6884970/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 15:14:28 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6n9ReweY/s6/max-verstappen-red-bull-racing.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aeb5e22cb6e051c416b3e5cb4ea7d7c4" + }, + { + "title": "O’Ward revels in \"addictive\" first Formula 1 test with McLaren", + "description": "O’Ward was handed an outing in McLaren’s MCL35M on Tuesday in Abu Dhabi as a prize for scoring his first IndyCar race win earlier this year for the sister Arrow McLaren SP squad. O’Ward won a bet with McLaren Racing CEO Zak Brown by scoring his first victory for the team in Texas, and finished the season third in the overall standings.
The Mexican driver finished the test day ...Keep reading", + "content": "O’Ward was handed an outing in McLaren’s MCL35M on Tuesday in Abu Dhabi as a prize for scoring his first IndyCar race win earlier this year for the sister Arrow McLaren SP squad. O’Ward won a bet with McLaren Racing CEO Zak Brown by scoring his first victory for the team in Texas, and finished the season third in the overall standings.
The Mexican driver finished the test day ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/oward-revels-in-addictive-first-formula-1-test-with-mclaren/6884964/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 15:10:58 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/01WAjRQY/s6/patricio-o-ward-mclaren-mcl35m.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3891c1070b09a458c3fa86fa946d2fda" + }, + { + "title": "Brundle: Shared Verstappen/Hamilton F1 title would be fitting", + "description": "F1 remains under the spotlight for the way in which race director Michael Masi opted to overrule the sporting regulations to allow a safety car restart for the final lap at the Yas Marina circuit.
That decision gave Verstappen all the opportunity he needed to overtake Hamilton, who was on worn tyres, to take the win that secured the title.
Masi's decision to select a certain number of ...Keep reading", + "content": "F1 remains under the spotlight for the way in which race director Michael Masi opted to overrule the sporting regulations to allow a safety car restart for the final lap at the Yas Marina circuit.
That decision gave Verstappen all the opportunity he needed to overtake Hamilton, who was on worn tyres, to take the win that secured the title.
Masi's decision to select a certain number of ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/brundle-shared-verstappen-hamilton-f1-title-would-be-fitting/6884950/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 14:48:38 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2d1ne3nY/s6/lewis-hamilton-mercedes-2nd-po.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e7d576b29fbce6f85296d7ee8e0ba4b1" + }, + { + "title": "De Vries fastest on first day of F1 post-season Abu Dhabi test", + "description": "Formula E champion de Vries featured as Mercedes’ young driver for the test at the Yas Marina Circuit that was split between rookies in this year’s cars and current F1 drivers sampling the new 18-inch tyres in modified mule cars ahead of 2022.
De Vries set a fastest lap time of 1m23.194s in the final 30 minutes of the day, giving him P1 by over 1.3 seconds from AlphaTauri’s Liam Lawson ...Keep reading", + "content": "Formula E champion de Vries featured as Mercedes’ young driver for the test at the Yas Marina Circuit that was split between rookies in this year’s cars and current F1 drivers sampling the new 18-inch tyres in modified mule cars ahead of 2022.
De Vries set a fastest lap time of 1m23.194s in the final 30 minutes of the day, giving him P1 by over 1.3 seconds from AlphaTauri’s Liam Lawson ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/de-vries-fastest-on-first-day-of-post-season-abu-dhabi-test/6884875/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 14:09:07 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0ZRnekd0/s6/nyck-de-vries-mercedes-w12-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "817fc540986ad31c8384f60417fc7251" + }, + { + "title": "Jorge Martin’s rookie MotoGP year “the best and the worst” season", + "description": "Martin stunned the paddock when he scored pole and finished third in just his second race in the Doha Grand Prix back in April, but would suffer a violent crash in FP3 at the next round in Portugal.
Suffering multiple fractures, Martin missed four races and had to undergo an operation, while the injury to his wrist would continue to plague him for much of the year.
But the Pramac rookie ...Keep reading", + "content": "Martin stunned the paddock when he scored pole and finished third in just his second race in the Doha Grand Prix back in April, but would suffer a violent crash in FP3 at the next round in Portugal.
Suffering multiple fractures, Martin missed four races and had to undergo an operation, while the injury to his wrist would continue to plague him for much of the year.
But the Pramac rookie ...Keep reading", + "category": "MotoGP", + "link": "https://www.autosport.com/motogp/news/jorge-martins-rookie-motogp-year-the-best-and-the-worst-season/6884548/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:13:38 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6b7ngqB0/s6/jorge-martin-pramac-racing-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a213f706d274100c27cd7aa3c1d292be" + }, + { + "title": "Track guide for the Le Mans Virtual Series Sebring 500 race", + "description": "The Sebring 500 is expected to be held over a duration of four hours as the world’s best online racers compete on the famous Florida circuit, renown for its bumps and tricky changes in track surface, which is a mix of asphalt and concrete.
Ahead of the next round of the online competition, a Sebring track guide comes to you in association with LEGO® Technic™ - the Official Engineering ...Keep reading", + "content": "The Sebring 500 is expected to be held over a duration of four hours as the world’s best online racers compete on the famous Florida circuit, renown for its bumps and tricky changes in track surface, which is a mix of asphalt and concrete.
Ahead of the next round of the online competition, a Sebring track guide comes to you in association with LEGO® Technic™ - the Official Engineering ...Keep reading", + "category": "Esports", + "link": "https://www.autosport.com/esports/news/track-guide-for-the-le-mans-virtual-series-sebring-500-race/6884663/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:00:00 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0qXVoJ46/s6/le-mans-virtual-series-team-re.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "778df63024b4029d8fc263b900beaddd" + }, + { + "title": "Alonso and Vettel agree that Verstappen and Hamilton both deserved F1 title", + "description": "Hamilton lost out in the Abu Dhabi finale after a late safety car cost him his advantage over Verstappen, and allowed the Dutchman to take fresh tyres and then jump ahead on the last lap dash to the flag after the green flag flew.
Alonso and Vettel both have experience of last round showdowns, with the Spaniard having won at the final race in 2006, but lost out in 2007, 2010 and 2012.
“Ah ...Keep reading", + "content": "Hamilton lost out in the Abu Dhabi finale after a late safety car cost him his advantage over Verstappen, and allowed the Dutchman to take fresh tyres and then jump ahead on the last lap dash to the flag after the green flag flew.
Alonso and Vettel both have experience of last round showdowns, with the Spaniard having won at the final race in 2006, but lost out in 2007, 2010 and 2012.
“Ah ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/alonso-and-vettel-agree-that-verstappen-and-hamilton-both-deserved-title/6884323/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 11:16:13 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/Y99Ax4bY/s6/lewis-hamilton-mercedes-2nd-po.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ce2b52d056796b3743a25f43973e8ff4" + }, + { + "title": "Bottas left with \"mixed emotions\" after final F1 race with Mercedes", + "description": "Mercedes continued its record streak of constructors’ championship victories by clinching an eighth title on Sunday in Abu Dhabi, ending the season 28 points clear of Red Bull. It marked a fifth constructors’ win for Bottas to end his fifth and final season for Mercedes.
Hamilton was passed on the last lap of the race by Max Verstappen after a controversial restart that led to two protests ...Keep reading", + "content": "Mercedes continued its record streak of constructors’ championship victories by clinching an eighth title on Sunday in Abu Dhabi, ending the season 28 points clear of Red Bull. It marked a fifth constructors’ win for Bottas to end his fifth and final season for Mercedes.
Hamilton was passed on the last lap of the race by Max Verstappen after a controversial restart that led to two protests ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/bottas-left-with-mixed-emotions-after-final-f1-race-with-mercedes/6884001/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 10:30:03 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0Rrn1AZ0/s6/valtteri-bottas-mercedes-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "97d6a3617e540fc7ef59572ee82bb1ee" + }, + { + "title": "Verstappen serene over Abu Dhabi F1 fallout as Red Bull ‘did nothing wrong’", + "description": "The Dutchman clinched his maiden F1 drivers’ crown at the Yas Marina circuit on Sunday, after a final lap safety car restart allowed him to overtake rival Lewis Hamilton for the win.
But the way in which the FIA handled the restart, which appeared to be in contravention of its own regulations, prompted a post-race protest from Mercedes that was not settled until many hours after the ...Keep reading", + "content": "The Dutchman clinched his maiden F1 drivers’ crown at the Yas Marina circuit on Sunday, after a final lap safety car restart allowed him to overtake rival Lewis Hamilton for the win.
But the way in which the FIA handled the restart, which appeared to be in contravention of its own regulations, prompted a post-race protest from Mercedes that was not settled until many hours after the ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-serene-over-abu-dhabi-f1-fallout-as-red-bull-did-nothing-wrong/6883997/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 10:00:05 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/Y99Axz8Y/s6/christian-horner-max-verstappe.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c9e84277054a746e2c194b00b0c0985a" + }, + { + "title": "Ogier expects “more uncertainty than ever” in WRC’s new hybrid era", + "description": "The eight-time world champion tested Toyota’s new GR Yaris of the first time last weekend as he stepped up his preparations for the Monte Carlo Rally, the only confirmed WRC event of his partial 2022 campaign so far.
Ogier took part in a rescheduled two-day test on French tarmac after his original outing was postponed last month when Elfyn Evans suffered a crash, damaging the test ...Keep reading", + "content": "The eight-time world champion tested Toyota’s new GR Yaris of the first time last weekend as he stepped up his preparations for the Monte Carlo Rally, the only confirmed WRC event of his partial 2022 campaign so far.
Ogier took part in a rescheduled two-day test on French tarmac after his original outing was postponed last month when Elfyn Evans suffered a crash, damaging the test ...Keep reading", + "category": "WRC", + "link": "https://www.autosport.com/wrc/news/ogier-expects-more-uncertainty-than-ever-in-wrcs-new-hybrid-era/6884087/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 09:31:30 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YBea7A72/s6/sebastien-ogier-benjamin-veill.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "63b59f6a9763774b8fe985e6dbe7785c" + }, + { + "title": "Red Bull: F1 needs rules rethink after Abu Dhabi GP controversy", + "description": "While the Milton Keynes-based team saw Max Verstappen clinch his maiden drivers’ title on Sunday, it has expressed some unease about the way events have been handled through the 2021 campaign.
The FIA has found itself in the firing line over the past 48 hours for the way F1 race director Michael Masi handled the final safety car restart.
In particular, a decision to only allow a selected ...Keep reading", + "content": "While the Milton Keynes-based team saw Max Verstappen clinch his maiden drivers’ title on Sunday, it has expressed some unease about the way events have been handled through the 2021 campaign.
The FIA has found itself in the firing line over the past 48 hours for the way F1 race director Michael Masi handled the final safety car restart.
In particular, a decision to only allow a selected ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/red-bull-f1-needs-rules-rethink-after-abu-dhabi-gp-controversy/6884000/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 09:23:08 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6VRnNAn6/s6/the-safety-car-lewis-hamilton-.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "853ebe53724352f0e56d77dffac7ff60" + }, + { + "title": "Bottas makes Alfa Romeo F1 debut as post-season testing begins", + "description": "The two-day test at the Yas Marina Circuit will see teams complete running with young drivers, who will drive 2021 cars, and with existing F1 drivers using modified mule cars to test Pirelli’s 2022 18-inch tyres.
Bottas was given permission by Mercedes to take part in the test with Alfa Romeo, and made his first appearance on Tuesday morning at the start of the morning session. He will not ...Keep reading", + "content": "The two-day test at the Yas Marina Circuit will see teams complete running with young drivers, who will drive 2021 cars, and with existing F1 drivers using modified mule cars to test Pirelli’s 2022 18-inch tyres.
Bottas was given permission by Mercedes to take part in the test with Alfa Romeo, and made his first appearance on Tuesday morning at the start of the morning session. He will not ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/bottas-makes-alfa-romeo-f1-debut-as-post-season-testing-begins/6883758/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 07:19:30 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6zQ7arLY/s6/valtteri-bottas-alfa-romeo-rac.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "121478445beafe7e6475b2b0ffb2f7f0" + }, + { + "title": "Verstappen felt for Hamilton over nature of F1 title loss", + "description": "Hamilton had looked on course to grab the win that he needed for an eighth title, before a late safety car was brought out following a crash for Williams driver Nicholas Latifi.
A decision by F1 race director Michael Masi to restart the race with one lap to go gave Verstappen, who had pitted for soft tyres, the opportunity he needed to surge to the front and clinch the crown.
While delighted ...Keep reading", + "content": "Hamilton had looked on course to grab the win that he needed for an eighth title, before a late safety car was brought out following a crash for Williams driver Nicholas Latifi.
A decision by F1 race director Michael Masi to restart the race with one lap to go gave Verstappen, who had pitted for soft tyres, the opportunity he needed to surge to the front and clinch the crown.
While delighted ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-felt-for-hamilton-over-nature-of-f1-title-loss/6881671/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 16:54:59 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2jXZeNq6/s6/lewis-hamilton-mercedes-2nd-po.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0dd03b6c7a952296510f49fb4a686e31" + }, + { + "title": "10 things we learned from F1's 2021 Abu Dhabi Grand Prix", + "description": "Abu Dhabi served up one of the most dramatic ends to a season in Formula 1 history as Max Verstappen passed Lewis Hamilton on the last lap to become champion.
In a controversial finish that caused confusion among drivers and frustration among fans, Verstappen capitalised on a late restart following the safety car to overtake Hamilton for the lead and deny him an eighth title.
It was a ...Keep reading", + "content": "Abu Dhabi served up one of the most dramatic ends to a season in Formula 1 history as Max Verstappen passed Lewis Hamilton on the last lap to become champion.
In a controversial finish that caused confusion among drivers and frustration among fans, Verstappen capitalised on a late restart following the safety car to overtake Hamilton for the lead and deny him an eighth title.
It was a ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/10-things-we-learned-from-f1s-2021-abu-dhabi-grand-prix/6881690/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 16:23:34 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6gp8ejn0/s6/lewis-hamilton-mercedes-w12-le.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d3589740cec49a3f74cb752fc99e59af" + }, + { + "title": "Verstappen's F1 crown \"more valuable\" for beating in-form Hamilton", + "description": "Verstappen benefited from a late safety car restart to overtake Hamilton for a victory that secured him the crown in the Abu Dhabi Grand Prix on Sunday.
And although the race ended in controversy, as Mercedes protested the result over its belief the FIA did not follow its own rule book in the timing of the safety car restart, Red Bull thinks the events should not overshadow the campaign.
For ...Keep reading", + "content": "Verstappen benefited from a late safety car restart to overtake Hamilton for a victory that secured him the crown in the Abu Dhabi Grand Prix on Sunday.
And although the race ended in controversy, as Mercedes protested the result over its belief the FIA did not follow its own rule book in the timing of the safety car restart, Red Bull thinks the events should not overshadow the campaign.
For ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappens-f1-crown-more-valuable-for-beating-in-form-hamilton/6880732/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 15:28:13 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2jXZeNq6/s6/lewis-hamilton-mercedes-2nd-po.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "194e22c2780cb6458e4c1d0e6dd485dd" + }, + { + "title": "Williams junior Sargeant joins Carlin for 2022 F2 season", + "description": "The American 20-year-old will re-join the British team for their third season together, after campaigns in the F4 British Championship (2017) and FIA Formula 3 Championship (2019) before spending the past two years in F3 with Prema Racing and Charouz Racing System.
Sargeant, who will make his F1 test debut with Williams in this week's Abu Dhabi young driver test, finished seventh in the 2021 F3 ...Keep reading", + "content": "The American 20-year-old will re-join the British team for their third season together, after campaigns in the F4 British Championship (2017) and FIA Formula 3 Championship (2019) before spending the past two years in F3 with Prema Racing and Charouz Racing System.
Sargeant, who will make his F1 test debut with Williams in this week's Abu Dhabi young driver test, finished seventh in the 2021 F3 ...Keep reading", + "category": "FIA F2", + "link": "https://www.autosport.com/formula2/news/williams-junior-sargeant-joins-carlin-for-2022-f2-season/6881655/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 15:05:15 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0mb9xxM2/s6/nicholas-latifi-williams-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "da04b5aa7365f4181e33ca72f300bba1" + }, + { + "title": "Peugeot's WEC hypercar could make track debut this month", + "description": "The French manufacturer has hinted that the new four-wheel-drive prototype that will race in the 2022 World Endurance Championship will begin testing in earnest this month in the wake of the release of a photograph last weekend of the car undergoing its roll-out. 
\"We have a lot of tests planned, but we cannot say where or when — but development is starting now,\" a spokeswoman told ...Keep reading", + "content": "The French manufacturer has hinted that the new four-wheel-drive prototype that will race in the 2022 World Endurance Championship will begin testing in earnest this month in the wake of the release of a photograph last weekend of the car undergoing its roll-out. 
\"We have a lot of tests planned, but we cannot say where or when — but development is starting now,\" a spokeswoman told ...Keep reading", + "category": "WEC", + "link": "https://www.autosport.com/wec/news/peugeots-wec-hypercar-could-make-track-debut-this-month/6881525/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 14:57:28 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6VRnNKL6/s6/peugeot9x8-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4a6acd31ed911c0a74f7f827da48fd0f" + }, + { + "title": "The 10 best drivers in Formula 1 history: Hamilton, Schumacher & more", + "description": "The best F1 driver in history is a debate that has, and will continue to, rage as long as Formula 1 exists, but we look at who the best drivers are statistically.

Lewis Hamilton, Mercedes, 1st position, celebrates on arrival in Parc Ferme
Photo by: Jerry Andre / Motorsport Images

1. Lewis Hamilton - 102 wins

First race: 2007 Australian Grand Prix
World ...Keep reading", + "content": "The best F1 driver in history is a debate that has, and will continue to, rage as long as Formula 1 exists, but we look at who the best drivers are statistically.

Lewis Hamilton, Mercedes, 1st position, celebrates on arrival in Parc Ferme
Photo by: Jerry Andre / Motorsport Images

1. Lewis Hamilton - 102 wins

First race: 2007 Australian Grand Prix
World ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/whos-the-best-formula-1-driver-schumacher-hamilton-senna-more-4983210/4983210/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 09:38:55 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YpNwNZN0/s6/formula-1-portuguese-gp-1988-a-1011051.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e57fd3562b65e0d2d8a671d930348982" + }, + { + "title": "Which F1 records does Lewis Hamilton have? Most wins, poles and more", + "description": "It feels as though every race in the last year has thrust Hamilton on the path to breaking a new F1 record, largely those once-unbelievable records set by Michael Schumacher.
We have also included the records Hamilton shares with another driver, some of which he could hold alone in the next few years.
Most wins in Formula 1
Lewis Hamilton: 102Michael Schumacher: 91Sebastian Vettel ...Keep reading", + "content": "It feels as though every race in the last year has thrust Hamilton on the path to breaking a new F1 record, largely those once-unbelievable records set by Michael Schumacher.
We have also included the records Hamilton shares with another driver, some of which he could hold alone in the next few years.
Most wins in Formula 1
Lewis Hamilton: 102Michael Schumacher: 91Sebastian Vettel ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/which-f1-records-does-lewis-hamilton-have/6548878/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 09:59:43 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6VRDdJw6/s6/lewis-hamilton-mercedes-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "102845608880e8561f6c2b5d82336738" + }, + { + "title": "Verstappen will use #1 for 2022 F1 title defence", + "description": "The Red Bull driver was crowned F1 world champion for the first time on Sunday after a last-lap overtake on title rival Lewis Hamilton to win the Abu Dhabi Grand Prix.
It means Verstappen now has the opportunity to race with #1 on his car next season, which is reserved for the reigning world champion under the permanent number system that was introduced in 2014.
Verstappen has always raced ...Keep reading", + "content": "The Red Bull driver was crowned F1 world champion for the first time on Sunday after a last-lap overtake on title rival Lewis Hamilton to win the Abu Dhabi Grand Prix.
It means Verstappen now has the opportunity to race with #1 on his car next season, which is reserved for the reigning world champion under the permanent number system that was introduced in 2014.
Verstappen has always raced ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-will-use-1-for-2022-f1-title-defence/6881588/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 14:44:25 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YP3npm82/s6/max-verstappen-red-bull-racing.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7fa32800518bcaf4bc4cb0dfa014f3ac" + }, + { + "title": "Who are the best British F1 drivers statistically? Hamilton, Mansell & more", + "description": "Ranking the best British drivers in Formula 1 history is no easy task as it's an argument that can generate hours of debate, but statistically the top 10 can be declared.
While statistics rarely reveal the full picture to decide any dispute, they can provide a window on the wider topic, albeit with a few ifs and buts required to provide context around the feats.
Lewis Hamilton has a strong ...Keep reading", + "content": "Ranking the best British drivers in Formula 1 history is no easy task as it's an argument that can generate hours of debate, but statistically the top 10 can be declared.
While statistics rarely reveal the full picture to decide any dispute, they can provide a window on the wider topic, albeit with a few ifs and buts required to provide context around the feats.
Lewis Hamilton has a strong ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/who-are-the-best-british-f1-drivers-statistically-hamilton-mansell-more-4980742/4980742/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 15:52:38 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/Y99n55ZY/s6/formula-1-italian-gp-1973-jack-1006092.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "321d3ab7162bd5acb110f26bc012ec9d" + }, + { + "title": "Verstappen: Future titles a \"bonus\" after achieving \"everything in F1\"", + "description": "Verstappen was crowned champion after a dramatic finish to the season at the Yas Marina Circuit that saw him clinch the title with a last-lap pass on rival Lewis Hamilton.
A late safety car period bunched the field and gave Verstappen the chance to attack Hamilton late on after sitting over 10 seconds behind with six laps remaining.
The result saw Verstappen become the first Dutch F1 world ...Keep reading", + "content": "Verstappen was crowned champion after a dramatic finish to the season at the Yas Marina Circuit that saw him clinch the title with a last-lap pass on rival Lewis Hamilton.
A late safety car period bunched the field and gave Verstappen the chance to attack Hamilton late on after sitting over 10 seconds behind with six laps remaining.
The result saw Verstappen become the first Dutch F1 world ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-future-titles-a-bonus-after-achieving-everything-in-f1/6880930/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 14:21:29 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6zQ7aj7Y/s6/formula-1-abu-dhabi-gp-2021-ra-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e9605e54653dccd33f97fbfc215bf95" + }, + { + "title": "Al Unser Sr obituary: Four-time Indy 500 winner dies aged 82", + "description": "And now Al Unser, four-time Indianapolis 500 winner, three-time Indycar champion, has left us at the age of 82 barely seven months after elder brother Bobby, leaving a similar-sized hole in the ranks of US open-wheel legends. He never relished the spotlight like Bobby, and would never have dreamt of being as strident, but while Al made his opinions known sotto voce, they were no less ...Keep reading", + "content": "And now Al Unser, four-time Indianapolis 500 winner, three-time Indycar champion, has left us at the age of 82 barely seven months after elder brother Bobby, leaving a similar-sized hole in the ranks of US open-wheel legends. He never relished the spotlight like Bobby, and would never have dreamt of being as strident, but while Al made his opinions known sotto voce, they were no less ...Keep reading", + "category": "IndyCar", + "link": "https://www.autosport.com/indycar/news/al-unser-sr-obituary-four-time-indy-500-winner-dies-aged-82/6881058/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 13:32:12 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/01qwXxo0/s6/indycar-indy-500-1987-al-unser-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "80d0d135b5438c950b97cced9171ee96" + }, + { + "title": "Rossi has potential to be frontrunner in sportscar racing says Vosse", + "description": "Vosse made the claim after Rossi tested one of WRT's Audi R8 LMS GT3 Evos at Valencia last week and revealed that he is working towards running the seven-time MotoGP world champion in the Pro class of next year's GT World Challenge Europe.
\"Valentino is a legendary rider, but he is also impressive as a driver,\" Vosse told Autosport.
\"His approach and his feedback mean I am sure he would be ...Keep reading", + "content": "Vosse made the claim after Rossi tested one of WRT's Audi R8 LMS GT3 Evos at Valencia last week and revealed that he is working towards running the seven-time MotoGP world champion in the Pro class of next year's GT World Challenge Europe.
\"Valentino is a legendary rider, but he is also impressive as a driver,\" Vosse told Autosport.
\"His approach and his feedback mean I am sure he would be ...Keep reading", + "category": "GT", + "link": "https://www.autosport.com/gt/news/rossi-has-potential-to-be-frontrunner-in-sportscar-racing-says-vosse/6881280/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 12:49:51 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6D1nZZG0/s6/valentino-rossi-wrt-audi-r8-gt.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc4d4f9f6036fe143ad11b1faee72220" + }, + { + "title": "Doohan and Sato join Virtuosi Racing for 2022 F2 season", + "description": "Doohan will join the team after finishing second to Dennis Hauger in the 2021 FIA F3 Championship, taking four wins and seven podiums. The son of motorcycle racing legend Mick also led Trident to its first F3 teams’ title.
It will be the Australian’s first full year in F2, having taken part in the final two rounds of the 2021 season in Jeddah and Abu Dhabi for MP Motorsport.
He finished ...Keep reading", + "content": "Doohan will join the team after finishing second to Dennis Hauger in the 2021 FIA F3 Championship, taking four wins and seven podiums. The son of motorcycle racing legend Mick also led Trident to its first F3 teams’ title.
It will be the Australian’s first full year in F2, having taken part in the final two rounds of the 2021 season in Jeddah and Abu Dhabi for MP Motorsport.
He finished ...Keep reading", + "category": "FIA F2", + "link": "https://www.autosport.com/formula2/news/doohan-and-sato-join-virtuosi-racing-for-2022-f2-season/6880952/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 10:37:57 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2d1neleY/s6/jack-doohan-marino-sato-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3dd9bb683bc05f715461951811167bc7" + }, + { + "title": "Why Masi's latest marginal call has left F1 with a sour taste", + "description": "While Todt praised \"all those who made it possible\", many fans could not hide their anger at what they felt had been a shambolic running of the final F1 race of the season.
 
Pouring through the messages, accusations of the FIA having rigged the event, manipulated its own rules and put the desire for a Hollywood-style finish over sporting fairness were rampant.
But, in a year when F1 ...Keep reading", + "content": "While Todt praised \"all those who made it possible\", many fans could not hide their anger at what they felt had been a shambolic running of the final F1 race of the season.
 
Pouring through the messages, accusations of the FIA having rigged the event, manipulated its own rules and put the desire for a Hollywood-style finish over sporting fairness were rampant.
But, in a year when F1 ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/why-masis-latest-marginal-call-has-left-f1-with-a-sour-taste/6880875/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 10:17:53 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6VRnNAn6/s6/the-safety-car-lewis-hamilton-.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "83681a50c2575c02317f8e71192642ae" + }, + { + "title": "Latifi: \"Never my intention\" to influence F1 title battle", + "description": "Williams driver Latifi crashed into the wall at Turn 14 with six laps remaining at the Yas Marina Circuit, resulting in a safety car that would help decide the championship.
Lewis Hamilton had been more than 11 seconds clear of title rival Max Verstappen, and was poised to win a record eighth title, only for the safety car to wipe away his lead.
Race director Michael Masi opted to resume the ...Keep reading", + "content": "Williams driver Latifi crashed into the wall at Turn 14 with six laps remaining at the Yas Marina Circuit, resulting in a safety car that would help decide the championship.
Lewis Hamilton had been more than 11 seconds clear of title rival Max Verstappen, and was poised to win a record eighth title, only for the safety car to wipe away his lead.
Race director Michael Masi opted to resume the ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/latifi-never-my-intention-to-influence-f1-title-battle/6880793/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 09:43:03 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6zQ7aBJY/s6/nicholas-latifi-williams-fw43b.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1426ff67c383736d5320791fbbab93f" + }, + { + "title": "Autosport Podcast: F1 Abu Dhabi GP review", + "description": "It proved a fitting end to a thrilling F1 season not short of controversy as the decision to restart the race with one lap to go sparked anger from Mercedes, who lodged two protests post-race.
Verstappen had been trailing Hamilton by over 10 seconds with six laps remaining, only for the safety car to be deployed and bunch the field, setting up a final shootout between the title ...Keep reading", + "content": "It proved a fitting end to a thrilling F1 season not short of controversy as the decision to restart the race with one lap to go sparked anger from Mercedes, who lodged two protests post-race.
Verstappen had been trailing Hamilton by over 10 seconds with six laps remaining, only for the safety car to be deployed and bunch the field, setting up a final shootout between the title ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/autosport-podcast-f1-abu-dhabi-gp-review/6880812/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 09:40:38 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0Rrn3Ro0/s6/lewis-hamilton-mercedes-2nd-po.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ec8036b1b6f040bab86fe8b33df0086c" + }, + { + "title": "Hamilton felt Abu Dhabi GP was \"manipulated\" in unplayed radio message", + "description": "Hamilton appeared set to clinch his eighth world championship when Nicholas Latifi's crashed Williams required a safety car that allowed title rival Max Verstappen to pit for fresh soft tyres.
Mercedes left Hamilton out on his old hard tyres, but when lapped cars between the two were allowed to pass the safety car, the race was restarted for a one-lap shootout.
Verstappen duly passed ...Keep reading", + "content": "Hamilton appeared set to clinch his eighth world championship when Nicholas Latifi's crashed Williams required a safety car that allowed title rival Max Verstappen to pit for fresh soft tyres.
Mercedes left Hamilton out on his old hard tyres, but when lapped cars between the two were allowed to pass the safety car, the race was restarted for a one-lap shootout.
Verstappen duly passed ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/hamilton-felt-abu-dhabi-gp-was-manipulated-in-unplayed-radio-message/6880682/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 09:08:42 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6xE3aQ10/s6/formula-1-abu-dhabi-gp-2021-le-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7033a044662703a51b9a9db1724cf335" + }, + { + "title": "F1 drivers left confused by \"made for TV\" safety car unlapping call", + "description": "Race control initially said that lapped cars would not be allowed to overtake, but then announced that those between leaders Lewis Hamilton and Max Verstappen would after all be required to overtake the Mercedes driver before the race resumption.
Lando Norris, Fernando Alonso, Esteban Ocon, Charles Leclerc and Sebastian Vettel – who were running in seventh to 11th places – were all ...Keep reading", + "content": "Race control initially said that lapped cars would not be allowed to overtake, but then announced that those between leaders Lewis Hamilton and Max Verstappen would after all be required to overtake the Mercedes driver before the race resumption.
Lando Norris, Fernando Alonso, Esteban Ocon, Charles Leclerc and Sebastian Vettel – who were running in seventh to 11th places – were all ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/f1-drivers-left-confused-by-made-for-tv-safety-car-unlapping-call/6880631/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 08:44:17 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YXRnedQ0/s6/formula-1-abu-dhabi-gp-2021-th-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0aae8f92a14e74c041a3dbd16583e85" + }, + { + "title": "Horner: Mercedes F1 protest in Abu Dhabi GP felt \"desperate\"", + "description": "Max Verstappen clinched the F1 world championship title at the Yas Marina circuit after race director Michael Masi elected to restart the race with one lap to go following a brief safety car period triggered by a crash from Williams’ Nicholas Latifi.
The Red Bull driver had been switched on to soft tyres for the final shootout lap, while Hamilton was powerless to resist him as he was on ...Keep reading", + "content": "Max Verstappen clinched the F1 world championship title at the Yas Marina circuit after race director Michael Masi elected to restart the race with one lap to go following a brief safety car period triggered by a crash from Williams’ Nicholas Latifi.
The Red Bull driver had been switched on to soft tyres for the final shootout lap, while Hamilton was powerless to resist him as he was on ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/horner-mercedes-f1-protest-in-abu-dhabi-gp-felt-desperate/6879017/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 20:18:18 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2Gzn93l0/s6/christian-horner-team-principa.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0210f48b8a53c755fdd4da4820bf098f" + }, + { + "title": "Mercedes lodges intention to appeal dismissal of Abu Dhabi GP protest", + "description": "Mercedes filed two protests with the FIA stewards at the Yas Marina Circuit over the race restart after Max Verstappen passed Lewis Hamilton on the final lap of the race to win the world championship.
The stewards dismissed both protests, including one of the resumption of the race with one lap remaining, but Mercedes has confirmed it has lodged its intention to appeal the decision.
“We ...Keep reading", + "content": "Mercedes filed two protests with the FIA stewards at the Yas Marina Circuit over the race restart after Max Verstappen passed Lewis Hamilton on the final lap of the race to win the world championship.
The stewards dismissed both protests, including one of the resumption of the race with one lap remaining, but Mercedes has confirmed it has lodged its intention to appeal the decision.
“We ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/mercedes-lodges-intention-to-appeal-dismissal-of-abu-dhabi-gp-protests/6878901/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 19:40:23 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YBeagzv2/s6/max-verstappen-red-bull-racing.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7ade3d771568fac13664fb8a8de280dc" + }, + { + "title": "Full FIA stewards’ verdict on Mercedes protest over Abu Dhabi GP race restart", + "description": "After the FIA stewards initially rejected Mercedes’ protest over Max Verstappen illegally overtaking behind the safety car, a second protest was also dismissed about the restart from the late safety car period. Here’s the full FIA verdict:
Protest filed by Mercedes-AMG Petronas F1 Team against the Classification established at the end of the Competition Stewards Decision:
The Protest is ...Keep reading", + "content": "After the FIA stewards initially rejected Mercedes’ protest over Max Verstappen illegally overtaking behind the safety car, a second protest was also dismissed about the restart from the late safety car period. Here’s the full FIA verdict:
Protest filed by Mercedes-AMG Petronas F1 Team against the Classification established at the end of the Competition Stewards Decision:
The Protest is ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/full-fia-stewards-verdict-on-mercedes-protest-over-abu-dhabi-gp-race-restart/6878855/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 19:24:58 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0ZRnepN0/s6/lewis-hamilton-mercedes-w12-ma.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "59c47e677f102b009eede4616687f189" + }, + { + "title": "Mercedes protest over Abu Dhabi F1 race restart not upheld, Verstappen champion", + "description": "The FIA stewards have confirmed that Mercedes’ protest over the restart of the Formula 1 title decider in Abu Dhabi has not been upheld.
Mercedes lodged two protests with the FIA following the controversial end to the race at the Yas Marina Circuit, including one over the restart of the race with one lap remaining.
Max Verstappen overtook Lewis Hamilton on the last lap to win the race and ...Keep reading", + "content": "The FIA stewards have confirmed that Mercedes’ protest over the restart of the Formula 1 title decider in Abu Dhabi has not been upheld.
Mercedes lodged two protests with the FIA following the controversial end to the race at the Yas Marina Circuit, including one over the restart of the race with one lap remaining.
Max Verstappen overtook Lewis Hamilton on the last lap to win the race and ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/mercedes-protest-over-abu-dhabi-restart-not-upheld/6878818/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 19:08:29 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/6b7negL0/s6/lewis-hamilton-mercedes-w12-ma.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "46f0e54467ea6a7bd0d7725ef3eb72b0" + }, + { + "title": "Stewards dismiss Mercedes protest for Verstappen overtaking behind safety car", + "description": "Mercedes lodged two protests against the race result in the wake of Lewis Hamilton’s title defeat to Verstappen in Abu Dhabi over the restart procedure by race director Michael Masi.
Mercedes cited articles of the sporting regulations saying that no driver can overtake another car on-track behind the safety car, and that all lapped cars must pass the safety car before the race resumes on the ...Keep reading", + "content": "Mercedes lodged two protests against the race result in the wake of Lewis Hamilton’s title defeat to Verstappen in Abu Dhabi over the restart procedure by race director Michael Masi.
Mercedes cited articles of the sporting regulations saying that no driver can overtake another car on-track behind the safety car, and that all lapped cars must pass the safety car before the race resumes on the ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/stewards-dismiss-mercedes-protest-for-verstappen-overtaking-behind-safety-car/6878722/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 18:24:01 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YW7JWrVY/s6/formula-1-abu-dhabi-gp-2021-ma-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dea28a5eedab16eca853fb6997766399" + }, + { + "title": "Perez in two minds about \"crucial\" Hamilton defence in Abu Dhabi GP", + "description": "After Verstappen and Hamilton made their first pitstop in a gripping Abu Dhabi Grand Prix title showdown, Perez was put on \"plan B\" by Red Bull, which meant he was asked to stay out on worn soft tyres to try and hold off Hamilton and let Verstappen close a seven-second gap.
Hamilton used the DRS to pull alongside Perez on the run down to Turn 6 on lap 20, but Perez immediately cut back across ...Keep reading", + "content": "After Verstappen and Hamilton made their first pitstop in a gripping Abu Dhabi Grand Prix title showdown, Perez was put on \"plan B\" by Red Bull, which meant he was asked to stay out on worn soft tyres to try and hold off Hamilton and let Verstappen close a seven-second gap.
Hamilton used the DRS to pull alongside Perez on the run down to Turn 6 on lap 20, but Perez immediately cut back across ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/perez-in-two-minds-about-crucial-hamilton-defence-in-abu-dhabi-gp/6878614/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 17:52:47 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0a9nAXy0/s6/sergio-perez-red-bull-racing-r.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0e6a21d5b46739eadd61f8653c63976b" + }, + { + "title": "What Formula 1’s safety car restart rules say", + "description": "With Lewis Hamilton having looked on course to grab his eighth world crown, the race was turned on its head when Williams driver Nicholas Latifi crashed at the exit of the hotel complex on lap 53 of the 58 laps race triggering a safety car.
The safety car situation resulted in Max Verstappen pitting for soft tyres, while Hamilton stayed out on his well-worn hards.
With a winner-takes-all ...Keep reading", + "content": "With Lewis Hamilton having looked on course to grab his eighth world crown, the race was turned on its head when Williams driver Nicholas Latifi crashed at the exit of the hotel complex on lap 53 of the 58 laps race triggering a safety car.
The safety car situation resulted in Max Verstappen pitting for soft tyres, while Hamilton stayed out on his well-worn hards.
With a winner-takes-all ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/what-formula-1s-safety-car-restart-rules-say-6878408/6878408/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:47:02 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YW7JWbOY/s6/1018958150-lat-20211212-gp2122.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "03fd793546362fb31ca0870ed41da625" + }, + { + "title": "Verstappen: Mercedes F1 protest in Abu Dhabi GP \"sums up this season\"", + "description": "Verstappen clinched his first F1 world title in a dramatic end to the Abu Dhabi Grand Prix, passing championship rival Lewis Hamilton on the final lap to win the race.
The safety car had been deployed following a crash for Nicholas Latifi, but race director Michael Masi called for the race to resume with one lap remaining.
This came after he initially said that lapped cars would not be ...Keep reading", + "content": "Verstappen clinched his first F1 world title in a dramatic end to the Abu Dhabi Grand Prix, passing championship rival Lewis Hamilton on the final lap to win the race.
The safety car had been deployed following a crash for Nicholas Latifi, but race director Michael Masi called for the race to resume with one lap remaining.
This came after he initially said that lapped cars would not be ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-mercedes-f1-protest-in-abu-dhabi-gp-sums-up-this-season/6878313/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:25:07 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YMdn1KV2/s6/formula-1-abu-dhabi-gp-2021-ma-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "920efb597523945f8569e1cf7d26a9b3" + }, + { + "title": "Mercedes lodges protest with FIA over Abu Dhabi GP restart", + "description": "Lewis Hamilton lost out to Max Verstappen in the fight for the drivers’ championship after being overtaken on the final lap following a late restart by race director Michael Masi.
The safety car was called after a crash for Nicholas Latifi, and Masi initially said that lapped drivers were not allowed to overtake the safety car, leaving five cars between Hamilton and Verstappen.
But Masi ...Keep reading", + "content": "Lewis Hamilton lost out to Max Verstappen in the fight for the drivers’ championship after being overtaken on the final lap following a late restart by race director Michael Masi.
The safety car was called after a crash for Nicholas Latifi, and Masi initially said that lapped drivers were not allowed to overtake the safety car, leaving five cars between Hamilton and Verstappen.
But Masi ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/mercedes-lodges-protest-with-fia-over-abu-dhabi-gp-restart/6878162/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:45:48 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/254A1aQ0/s6/lewis-hamilton-mercedes-w12-le.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8f939952dab68e764ec0c4f25969da10" + }, + { + "title": "Hamilton congratulates Verstappen after \"most difficult of F1 seasons\"", + "description": "For the first time in over three decades both title contenders headed to the final race on equal points after what has been a thoroughly unforgettable and controversial 2021 season.
The title showdown at the Abu Dhabi Grand Prix certainly lived up to expectations and offered a blueprint of the entire season packed into one race.
Hamilton passed polesitter Verstappen at the start, but the ...Keep reading", + "content": "For the first time in over three decades both title contenders headed to the final race on equal points after what has been a thoroughly unforgettable and controversial 2021 season.
The title showdown at the Abu Dhabi Grand Prix certainly lived up to expectations and offered a blueprint of the entire season packed into one race.
Hamilton passed polesitter Verstappen at the start, but the ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/hamilton-congratulates-verstappen-after-most-difficult-of-f1-seasons/6877932/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:45:34 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2Gzn9pV0/s6/formula-1-abu-dhabi-gp-2021-ma-3.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "05f84191538129a31131f0392628e1bf" + }, + { + "title": "Verstappen hails \"unbelievable\" F1 title win and wants to stay at Red Bull forever", + "description": "Verstappen took the opportunity to pit under the safety car, brought out for Nicholas Latifi's crash with five laps remaining, to bolt on the soft tyre.
But although he was set to have to pick through traffic at the end as race control initially decided not to move the lapped traffic between him and title rival Lewis Hamilton aside, a late call meant that the lapped runners of Lando Norris ...Keep reading", + "content": "Verstappen took the opportunity to pit under the safety car, brought out for Nicholas Latifi's crash with five laps remaining, to bolt on the soft tyre.
But although he was set to have to pick through traffic at the end as race control initially decided not to move the lapped traffic between him and title rival Lewis Hamilton aside, a late call meant that the lapped runners of Lando Norris ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-hails-unbelievable-f1-title-win-and-wants-to-stay-at-red-bull-forever/6878116/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:29:52 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0Rrn39O0/s6/world-champion-max-verstappen-.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e501d853368c02d788639c74490d323e" + }, + { + "title": "F1 Grand Prix race results: Verstappen wins Abu Dhabi GP, claims title", + "description": "Hamilton took the lead at the start, after pole-winner Verstappen made a poor getaway, but Max lunged to the inside of Lewis at Turn 6 on the opening lap. Hamilton took the run-off in avoidance and retained his lead despite missing the second element of the chicane.
Hamilton took control of the race, although Verstappen’s teammate Sergio Perez played his wingman role to perfection by holding ...Keep reading", + "content": "Hamilton took the lead at the start, after pole-winner Verstappen made a poor getaway, but Max lunged to the inside of Lewis at Turn 6 on the opening lap. Hamilton took the run-off in avoidance and retained his lead despite missing the second element of the chicane.
Hamilton took control of the race, although Verstappen’s teammate Sergio Perez played his wingman role to perfection by holding ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/f1-grand-prix-race-results-verstappen-wins-abu-dhabi-gp-claims-title/6878130/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:29:08 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YpN5aeX0/s6/lewis-hamilton-mercedes-w12-ma.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b8883c516a76b297ac4488f4d5ccb92" + }, + { + "title": "Russell says Abu Dhabi F1 finish is \"unacceptable\"", + "description": "At the Yas Marina season finale Lewis Hamilton was looking certain to win an eighth world championship until a late crash by Williams driver Nicholas Latifi threw a spanner in the works.
With five laps to go F1 race control quickly decided to send out the safety car, which put Hamilton in an impossible position, either having to continue on worn hard tyres or cede track position to title rival ...Keep reading", + "content": "At the Yas Marina season finale Lewis Hamilton was looking certain to win an eighth world championship until a late crash by Williams driver Nicholas Latifi threw a spanner in the works.
With five laps to go F1 race control quickly decided to send out the safety car, which put Hamilton in an impossible position, either having to continue on worn hard tyres or cede track position to title rival ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/russell-says-abu-dhabi-f1-finish-is-unacceptable/6878066/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:19:15 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0L1nXVN2/s6/formula-1-abu-dhabi-gp-2021-ma-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c31d6b1e7605436ecfad104a6f6b192" + }, + { + "title": "F1 Abu Dhabi GP: Verstappen wins title by beating Hamilton in controversial last-lap duel", + "description": "The two rivals came together on the opening lap, but it was the decision to allow a final lap shootout that gave Verstappen the chance to put a decisive pass on Hamilton – who had led most of the race but was unable to stop during a virtual safety car and the full safety car that followed Nicholas Latifi crashing during the closing laps.
At the start, Hamilton made a much better start to ...Keep reading", + "content": "The two rivals came together on the opening lap, but it was the decision to allow a final lap shootout that gave Verstappen the chance to put a decisive pass on Hamilton – who had led most of the race but was unable to stop during a virtual safety car and the full safety car that followed Nicholas Latifi crashing during the closing laps.
At the start, Hamilton made a much better start to ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/f1-abu-dhabi-gp-verstappen-defeats-hamilton-to-win-title-in-controversial-last-lap-duel/6877931/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 14:53:24 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2wBxalW0/s6/lewis-hamilton-mercedes-and-ma.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4449a04bcab3398fbab0b94fc70fbdf4" + }, + { + "title": "Sainz wants nothing \"weird\" to happen to Leclerc in F1 fight for P5", + "description": "Ahead of Sunday's race, Leclerc lies in fifth place on 158 points, ahead of Lando Norris on 154 and Sainz on 149.5.
Norris gave himself a good shot at jumping Leclerc by qualifying third at Yas Marina, while Sainz will start fifth, and Leclerc seventh.
Although he has a two-place advantage on his teammate, Sainz insists that he's not concerned about his personal position, and is instead ...Keep reading", + "content": "Ahead of Sunday's race, Leclerc lies in fifth place on 158 points, ahead of Lando Norris on 154 and Sainz on 149.5.
Norris gave himself a good shot at jumping Leclerc by qualifying third at Yas Marina, while Sainz will start fifth, and Leclerc seventh.
Although he has a two-place advantage on his teammate, Sainz insists that he's not concerned about his personal position, and is instead ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/sainz-wants-nothing-weird-to-happen-to-leclerc-in-fight-for-p5/6877150/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 11:20:04 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/24vAy8X6/s6/carlos-sainz-jr-ferrari-sf21-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "035372254179083cf241e61e834310ff" + }, + { + "title": "Bottas \"ready to sacrifice optimal race\" to help Hamilton F1 title bid", + "description": "Bottas qualified sixth for the 2021 season finale at Yas Marina, lapping over nine-tenths of a second off pole-sitter Verstappen of Red Bull, who will start side-by-side with Hamilton on the front row of the grid.
Hamilton and Verstappen are tied on points going into the final race, while Mercedes leads Red Bull by 28 points in the constructors' championship, leaving both titles ...Keep reading", + "content": "Bottas qualified sixth for the 2021 season finale at Yas Marina, lapping over nine-tenths of a second off pole-sitter Verstappen of Red Bull, who will start side-by-side with Hamilton on the front row of the grid.
Hamilton and Verstappen are tied on points going into the final race, while Mercedes leads Red Bull by 28 points in the constructors' championship, leaving both titles ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/bottas-ready-to-sacrifice-optimal-race-to-help-hamilton-f1-title-bid/6877149/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 11:05:02 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2Gzn9DO0/s6/valtteri-bottas-mercedes-w12-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c8d5f4128292895cf7d0633be2449857" + }, + { + "title": "Verstappen or Hamilton? Who holds strategy advantage for F1 finale", + "description": "For Max Verstappen and Lewis Hamilton have not only locked out the front row of the grid at the Yas Marina Circuit, but they are on different strategies as well.
Verstappen’s decision to get through Q2 on soft tyres, after flat-spotting a set of mediums, means that he will be starting from the front on the more aggressive compound.
Behind him, Hamilton and his Mercedes team have opted for ...Keep reading", + "content": "For Max Verstappen and Lewis Hamilton have not only locked out the front row of the grid at the Yas Marina Circuit, but they are on different strategies as well.
Verstappen’s decision to get through Q2 on soft tyres, after flat-spotting a set of mediums, means that he will be starting from the front on the more aggressive compound.
Behind him, Hamilton and his Mercedes team have opted for ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/verstappen-or-hamilton-who-holds-strategy-advantage-for-f1-finale/6877130/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 10:45:04 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2GznBMo0/s6/lewis-hamilton-mercedes-arrive.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1212ac57f873319331c0c7f6ca72a94f" + }, + { + "title": "McLaren: Norris must not act different in fight with F1 title contenders", + "description": "Norris qualified third for McLaren on Saturday at the Yas Marina Circuit behind Max Verstappen and Lewis Hamilton, who enter the season finale tied on points at the top of the drivers’ championship.
Norris said soon after qualifying that he felt “a bit nervous” lining up behind Verstappen and Hamilton, and that he felt reluctant to get involved in their championship fight.
But McLaren ...Keep reading", + "content": "Norris qualified third for McLaren on Saturday at the Yas Marina Circuit behind Max Verstappen and Lewis Hamilton, who enter the season finale tied on points at the top of the drivers’ championship.
Norris said soon after qualifying that he felt “a bit nervous” lining up behind Verstappen and Hamilton, and that he felt reluctant to get involved in their championship fight.
But McLaren ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/mclaren-norris-must-not-act-different-in-fight-with-f1-title-contenders/6877066/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 10:20:03 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/24vAyrP6/s6/pole-man-max-verstappen-red-bu.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b5f8a2e9f2c72b9340fb50a46defb633" + }, + { + "title": "F2 Abu Dhabi: Champion Piastri signs off with feature race victory", + "description": "After securing the title with two races to spare on Saturday, Piastri produced another faultless drive from pole to clinch his sixth victory of the season.
The Australian didn’t have it easy and needed to push in the closing stages to see off a growing challenge from the alternative strategy runners Theo Pourchaire and Felipe Drugovich on supersoft tyres.
UNI-Virtuosi’s Guanyu Zhou ...Keep reading", + "content": "After securing the title with two races to spare on Saturday, Piastri produced another faultless drive from pole to clinch his sixth victory of the season.
The Australian didn’t have it easy and needed to push in the closing stages to see off a growing challenge from the alternative strategy runners Theo Pourchaire and Felipe Drugovich on supersoft tyres.
UNI-Virtuosi’s Guanyu Zhou ...Keep reading", + "category": "FIA F2", + "link": "https://www.autosport.com/formula2/news/f2-abu-dhabi-piastri-signs-off-with-feature-race-victory/6877187/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 10:15:38 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YpN57DJ0/s6/oscar-piastri-prema-racing-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7f3859d0814add12b04f4b9464a3bda9" + }, + { + "title": "Red Bull: Mercedes not comfortable losing to \"just an energy drinks company\"", + "description": "The two outfits are heading into F1's season finale in Abu Dhabi battling for both the drivers' and constructors' championships at the end of a campaign where animosity has erupted at times.
While some of the tensions appear to have been quelled, with Horner and Mercedes chief Toto Wolff shaking hands in a press conference on Friday, it is clear that the two teams do not see eye-to-eye on ...Keep reading", + "content": "The two outfits are heading into F1's season finale in Abu Dhabi battling for both the drivers' and constructors' championships at the end of a campaign where animosity has erupted at times.
While some of the tensions appear to have been quelled, with Horner and Mercedes chief Toto Wolff shaking hands in a press conference on Friday, it is clear that the two teams do not see eye-to-eye on ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/red-bull-mercedes-not-comfortable-losing-to-just-an-energy-drinks-company/6877059/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 09:45:02 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/0qXVmaE6/s6/toto-wolff-team-principal-and-.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "51015b36a3574ac4be29d92f2cc84aab" + }, + { + "title": "Wolff has faith that F1 title showdown won’t turn dirty", + "description": "The two drivers are tied on points, and share the front row of the grid, for the final round of the F1 campaign at the Yas Marina circuit on Sunday.
But one week on from what was, at times, an ill-tempered Saudi Arabian Grand Prix, which included complaints, off-track moves, penalties and a collision, there have been fears that the battle between the two could erupt in further ...Keep reading", + "content": "The two drivers are tied on points, and share the front row of the grid, for the final round of the F1 campaign at the Yas Marina circuit on Sunday.
But one week on from what was, at times, an ill-tempered Saudi Arabian Grand Prix, which included complaints, off-track moves, penalties and a collision, there have been fears that the battle between the two could erupt in further ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/wolff-has-faith-that-f1-title-showdown-wont-turn-dirty/6877024/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 09:09:15 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YBea7LM2/s6/formula-1-abu-dhabi-gp-2021-le-2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34b13d7c53fba1dc960e9ef00bed4d37" + }, + { + "title": "Mazepin ruled out of Abu Dhabi F1 GP after positive COVID-19 test", + "description": "Haas announced five hours before the start of Sunday’s race at the Yas Marina Circuit that Mazepin would not be taking part following his positive result.
“Uralkali Haas F1 Team driver Nikita Mazepin has tested positive for COVID-19 at the Yas Marina Circuit ahead of Sunday’s Abu Dhabi Grand Prix,” a statement from Haas reads.
“The team therefore regrets to announce that Nikita ...Keep reading", + "content": "Haas announced five hours before the start of Sunday’s race at the Yas Marina Circuit that Mazepin would not be taking part following his positive result.
“Uralkali Haas F1 Team driver Nikita Mazepin has tested positive for COVID-19 at the Yas Marina Circuit ahead of Sunday’s Abu Dhabi Grand Prix,” a statement from Haas reads.
“The team therefore regrets to announce that Nikita ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/mazepin-ruled-out-of-abu-dhabi-f1-gp-after-positive-covid-19-test/6876943/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 08:32:12 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/YEQPryLY/s6/nikita-mazepin-haas-f1-1.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "18f9fb377417ed2e5dd7d8cb74b7c3c8" + }, + { + "title": "Enzo Fittipaldi returns home from hospital after F2 crash in Saudi Arabia", + "description": "The unsighted Fittipaldi hit Sauber Junior driver Theo Pourchaire, who had stalled his ART car near the front of the grid in Saudi Arabia, which resulted in a 72G impact.
Both drivers were extricated by medical crews and transferred by ambulance and helicopter to King Fahad Armed Forces Hospital, where Pourchaire was given the all-clear and returned to racing in Abu Dhabi this ...Keep reading", + "content": "The unsighted Fittipaldi hit Sauber Junior driver Theo Pourchaire, who had stalled his ART car near the front of the grid in Saudi Arabia, which resulted in a 72G impact.
Both drivers were extricated by medical crews and transferred by ambulance and helicopter to King Fahad Armed Forces Hospital, where Pourchaire was given the all-clear and returned to racing in Abu Dhabi this ...Keep reading", + "category": "FIA F2", + "link": "https://www.autosport.com/formula2/news/enzo-fittipaldi-returns-home-from-hospital-after-f2-crash-in-saudi-arabia/6875611/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 22:16:41 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/Yv8pkNL0/s6/medical-personnel-place-enzo-f.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4b4339e0a4b04a7b2b67f355fde74af8" + }, { "title": "Ogier tests Toyota 2022 WRC Rally1 Yaris for first time", "description": "The newly crowned eight-time world champion has teamed up with the Japanese marque for a two-day test, beginning today (Saturday) in France.
Ogier was set to test the all-new Rally1 hybrid GR Yaris for the first time last month but the outing in France was abandoned and rescheduled after team-mate Elfyn Evans suffered a crash, that required the Yaris to undergo repairs away from the ...Keep reading", @@ -681,6 +1899,27 @@ "tags": [], "hash": "34a90357af669e3a65be8dd2dab2a1a6" }, + { + "title": "Hamilton congratulates Verstappen after \"most difficult of F1 seasons\"", + "description": "For the first time in over three decades both title contenders headed to the final race on equal points after what has been a thoroughly unforgettable and controversial 2021 season.
The title showdown at the Abu Dhabi Grand Prix certainly lived up to expectations and offered a blueprint of the entire season packed into one race.
Hamilton passed polesitter Verstappen at the start, but the ...Keep reading", + "content": "For the first time in over three decades both title contenders headed to the final race on equal points after what has been a thoroughly unforgettable and controversial 2021 season.
The title showdown at the Abu Dhabi Grand Prix certainly lived up to expectations and offered a blueprint of the entire season packed into one race.
Hamilton passed polesitter Verstappen at the start, but the ...Keep reading", + "category": "Formula 1", + "link": "https://www.autosport.com/f1/news/shell-hamilton-/6877932/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:45:34 +0000", + "enclosure": "https://cdn-1.motorsport.com/images/amp/2Gzn9pV0/s6/formula-1-abu-dhabi-gp-2021-ma-3.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Sport EN", + "feed": "Autosport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f541eb56ba31e00a0c71b7f30e6da095" + }, { "title": "Hyundai WRC drivers share tributes to departing boss Adamo", "description": "Earlier this week Hyundai announced Adamo has stepped down from his role after six years at the helm, citing personal reasons for his departure.
Adamo enjoyed a successful tenure at Hyundai, leading the marque to back-to-back WRC manufacturers’ titles in 2019 and 2020 on top of successes in the FIA WTCR series with Gabriele Tarquini and Norbert Michelisz in 2018 and 2019.
Hyundai president ...Keep reading", @@ -3047,26 +4286,6 @@ "tags": [], "hash": "d3817917783cb51b6b30249349c932ac" }, - { - "title": "Who are the best British F1 drivers statistically? Hamilton, Mansell & more", - "description": "Ranking the best British drivers in Formula 1 history is no easy task as it's an argument that can generate hours of debate, but statistically the top 10 can be declared.
While statistics rarely reveal the full picture to decide any dispute, they can provide a window on the wider topic, albeit with a few ifs and buts required to provide context around the feats.
Lewis Hamilton has a strong ...Keep reading", - "content": "Ranking the best British drivers in Formula 1 history is no easy task as it's an argument that can generate hours of debate, but statistically the top 10 can be declared.
While statistics rarely reveal the full picture to decide any dispute, they can provide a window on the wider topic, albeit with a few ifs and buts required to provide context around the feats.
Lewis Hamilton has a strong ...Keep reading", - "category": "Formula 1", - "link": "https://www.autosport.com/f1/news/who-are-the-best-british-f1-drivers-statistically-hamilton-mansell-more-4980742/4980742/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", - "creator": "", - "pubDate": "Wed, 24 Nov 2021 15:52:38 +0000", - "enclosure": "https://cdn-1.motorsport.com/images/amp/Y99n55ZY/s6/formula-1-italian-gp-1973-jack-1006092.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "", - "folder": "00.03 News/Sport EN", - "feed": "Autosport", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "321d3ab7162bd5acb110f26bc012ec9d" - }, { "title": "F2 Jeddah: Pourchaire and Fittipaldi hospitalised after startline shunt", "description": "The race lasted a matter of mere seconds as a stalled Pourchaire was collected by the unsighted Enzo Fittipaldi, triggering a huge crash on the start/finish straight. 
Oscar Piastri managed to covert his pole position into a lead before officials red flagged the race to allow medical crews to attend to Fittipaldi and Pourchaire.
Both drivers were conscious and extricated by medical ...Keep reading", @@ -3187,26 +4406,6 @@ "tags": [], "hash": "c1b71ea2981575a21ffc7c38378a5b5a" }, - { - "title": "Which F1 records does Lewis Hamilton have? Most wins, poles and more", - "description": "It feels as though every race in the last year has thrust Hamilton on the path to breaking a new F1 record, largely those once-unbelievable records set by Michael Schumacher.
We have also included the records Hamilton shares with another driver, some of which he could hold alone in the next few years.
Most wins in Formula 1
Lewis Hamilton: 102Michael Schumacher: 91Sebastian Vettel ...Keep reading", - "content": "It feels as though every race in the last year has thrust Hamilton on the path to breaking a new F1 record, largely those once-unbelievable records set by Michael Schumacher.
We have also included the records Hamilton shares with another driver, some of which he could hold alone in the next few years.
Most wins in Formula 1
Lewis Hamilton: 102Michael Schumacher: 91Sebastian Vettel ...Keep reading", - "category": "Formula 1", - "link": "https://www.autosport.com/f1/news/which-f1-records-does-lewis-hamilton-have/6548878/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", - "creator": "", - "pubDate": "Mon, 22 Nov 2021 09:59:43 +0000", - "enclosure": "https://cdn-1.motorsport.com/images/amp/6VRDdJw6/s6/lewis-hamilton-mercedes-1.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "", - "folder": "00.03 News/Sport EN", - "feed": "Autosport", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "102845608880e8561f6c2b5d82336738" - }, { "title": "Mazepin didn’t want FP3 incident to impact Hamilton’s F1 title bid", "description": "Mazepin was forced to take evasive action at high-speed during final practice for the Saudi Arabian Grand Prix after closing on Hamilton, who was on a slow lap, through the blind left-hander Turn 8.
The stewards investigated the incident and gave Hamilton a reprimand, as well as fining Mercedes €25,000. It emerged that Mercedes had not warned Hamilton that Mazepin was closing up any time ...Keep reading", @@ -3247,26 +4446,6 @@ "tags": [], "hash": "bec20a367d66d092dcb504fe8b93b006" }, - { - "title": "The 10 best drivers in Formula 1 history: Hamilton, Schumacher & more", - "description": "The best F1 driver in history is a debate that has, and will continue to, rage as long as Formula 1 exists, but we look at who the best drivers are statistically.

Lewis Hamilton, Mercedes, 1st position, celebrates on arrival in Parc Ferme
Photo by: Jerry Andre / Motorsport Images

1. Lewis Hamilton - 102 wins

First race: 2007 Australian Grand Prix
World ...Keep reading", - "content": "The best F1 driver in history is a debate that has, and will continue to, rage as long as Formula 1 exists, but we look at who the best drivers are statistically.

Lewis Hamilton, Mercedes, 1st position, celebrates on arrival in Parc Ferme
Photo by: Jerry Andre / Motorsport Images

1. Lewis Hamilton - 102 wins

First race: 2007 Australian Grand Prix
World ...Keep reading", - "category": "Formula 1", - "link": "https://www.autosport.com/f1/news/whos-the-best-formula-1-driver-schumacher-hamilton-senna-more-4983210/4983210/?utm_source=RSS&utm_medium=referral&utm_campaign=RSS-ALL&utm_term=News&utm_content=uk", - "creator": "", - "pubDate": "Fri, 26 Nov 2021 09:38:55 +0000", - "enclosure": "https://cdn-1.motorsport.com/images/amp/YpNwNZN0/s6/formula-1-portuguese-gp-1988-a-1011051.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "", - "folder": "00.03 News/Sport EN", - "feed": "Autosport", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "e57fd3562b65e0d2d8a671d930348982" - }, { "title": "Mercedes could re-evaluate Kingspan F1 deal after backlash", "description": "The German manufacturer announced ahead of the Saudi Arabian Grand Prix that it had signed a partnership with the international company, and Kingspan’s logos have appeared on the nose section of the W12 in Jeddah.
However, the tie-up has triggered a wave of controversy thanks to Kingspan’s involvement in the 2017 Grenfell fire that killed 72 people.
Kingspan’s insulation was one of the ...Keep reading", @@ -9428,6 +10607,1245 @@ "image": null, "description": "Kinja RSS", "items": [ + { + "title": "I Took 4,026 Photos At Car Events This Year, These Are My Top 18", + "description": "

When I started working here at Jalopnik, one of the first things I did was buy a new camera. I justified it by saying that I’d take photos for all my reviews (which I do), but it was also just something I wanted. I wanted to shoot cars like the big kids, to have those stunning top shots, to do Tokyo Auto Salon at 50mm

Read more...

", + "content": "

When I started working here at Jalopnik, one of the first things I did was buy a new camera. I justified it by saying that I’d take photos for all my reviews (which I do), but it was also just something I wanted. I wanted to shoot cars like the big kids, to have those stunning top shots, to do Tokyo Auto Salon at 50mm

Read more...

", + "category": "lens speed", + "link": "https://jalopnik.com/i-took-4-026-photos-at-car-events-this-year-these-are-1848215407", + "creator": "Steve DaSilva", + "pubDate": "Tue, 14 Dec 2021 22:05:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "036279eab3fe10ab64ac0a251105034e" + }, + { + "title": "Toyota Is Playing With Our Emotions Again", + "description": "

Toyota’s been more conservative than most about pushing toward an all-electric range of cars, but that appears to be changing. The company unveiled a barrage of EV design studies on Tuesday, some of which even wore Lexus badges. There were crossovers and retro-inspired SUVs, as well as kei cars and conventional…

Read more...

", + "content": "

Toyota’s been more conservative than most about pushing toward an all-electric range of cars, but that appears to be changing. The company unveiled a barrage of EV design studies on Tuesday, some of which even wore Lexus badges. There were crossovers and retro-inspired SUVs, as well as kei cars and conventional…

Read more...

", + "category": "toyota", + "link": "https://jalopnik.com/toyota-is-playing-with-our-emotions-again-1848214760", + "creator": "Adam Ismail", + "pubDate": "Tue, 14 Dec 2021 21:35:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "931ab06750f70905dda3410a2896b8d3" + }, + { + "title": "Toyota Just Revealed What Looks Like A Sweet Electric Tacoma", + "description": "

Toyota had a substantial press briefing today where president Akio Toyoda outlined the automaker’s plans for future electric vehicles. One of the many ideas revealed is this electric pickup, which could be a teaser for Toyota’s upcoming electric truck.

Read more...

", + "content": "

Toyota had a substantial press briefing today where president Akio Toyoda outlined the automaker’s plans for future electric vehicles. One of the many ideas revealed is this electric pickup, which could be a teaser for Toyota’s upcoming electric truck.

Read more...

", + "category": "toyota", + "link": "https://jalopnik.com/toyota-just-revealed-what-looks-like-a-sweet-electric-t-1848215766", + "creator": "Mercedes Streeter", + "pubDate": "Tue, 14 Dec 2021 21:27:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4f1267106e1edf6adefb2bd31fd9c289" + }, + { + "title": "Don't Do This With Your Dog", + "description": "

So first off, I have to give credit where credit is due. My husband consistently sends me crazy Reddit videos and threads of insanely stupid things people do in their cars, or in the shop … it’s how we speak to each other. This video was one of those exchanges, where a dog appears to be ‘driving a Tesla down a public…

Read more...

", + "content": "

So first off, I have to give credit where credit is due. My husband consistently sends me crazy Reddit videos and threads of insanely stupid things people do in their cars, or in the shop … it’s how we speak to each other. This video was one of those exchanges, where a dog appears to be ‘driving a Tesla down a public…

Read more...

", + "category": "eccentrics", + "link": "https://jalopnik.com/look-at-this-dog-driving-a-tesla-on-his-way-to-do-dog-t-1848215600", + "creator": "Lalita Chemello", + "pubDate": "Tue, 14 Dec 2021 21:12:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "57648112bb623f37ce06eb87c672858a" + }, + { + "title": "Six More Women File Sexual Harassment Lawsuits Against Tesla", + "description": "

One day after Elon Musk was announced Time’s Person of the Year (a distinction surely not given due to financial interests on the part of Time’s owner), six women have filed separate suits against Tesla alleging that the company fostered a hostile work environment at its Fremont, California plant and other facilities.…

Read more...

", + "content": "

One day after Elon Musk was announced Time’s Person of the Year (a distinction surely not given due to financial interests on the part of Time’s owner), six women have filed separate suits against Tesla alleging that the company fostered a hostile work environment at its Fremont, California plant and other facilities.…

Read more...

", + "category": "sexual harassment", + "link": "https://jalopnik.com/six-more-women-file-sexual-harassment-lawsuits-against-1848215704", + "creator": "Elizabeth Blackstock", + "pubDate": "Tue, 14 Dec 2021 21:05:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b33f3874975131dddf3db9cadd278342" + }, + { + "title": "Nikita Mazepin's Season Ended The Only Way It Could", + "description": "

Nikita Mazepin was supposed to go racing again on Sunday, like he has 21 times this year, having qualified last, like he almost always does. But Mazepin didn’t go racing after testing positive for Covid, though asymptomatic. It was a strange ending to an almost hopeless season for the Russian.

Read more...

", + "content": "

Nikita Mazepin was supposed to go racing again on Sunday, like he has 21 times this year, having qualified last, like he almost always does. But Mazepin didn’t go racing after testing positive for Covid, though asymptomatic. It was a strange ending to an almost hopeless season for the Russian.

Read more...

", + "category": "nikita mazepin", + "link": "https://jalopnik.com/nikita-mazepins-season-ended-the-only-way-it-could-1848214591", + "creator": "Erik Shilling", + "pubDate": "Tue, 14 Dec 2021 20:23:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b72b65e213ab2fd1143916d4ae9723c" + }, + { + "title": "Toyota's President Just Revealed This Epic Electric Off-Road SUV And Now I'm Obsessed", + "description": "

At a press briefing earlier today, Toyota’s president Akio Toyoda showed off a bunch of ideas for upcoming electric vehicles. Many of them look absolutely incredible, but the stand-out was this little blue rectangle. It’s called the Compact Cruiser EV.

Read more...

", + "content": "

At a press briefing earlier today, Toyota’s president Akio Toyoda showed off a bunch of ideas for upcoming electric vehicles. Many of them look absolutely incredible, but the stand-out was this little blue rectangle. It’s called the Compact Cruiser EV.

Read more...

", + "category": "toyota", + "link": "https://jalopnik.com/toyotas-president-just-revealed-this-epic-electric-off-1848214609", + "creator": "David Tracy", + "pubDate": "Tue, 14 Dec 2021 20:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "94bfb8a83fe26c79f0006ee82676c5b0" + }, + { + "title": "So Long, James Hinchcliffe, And Thanks For The IndyCar Memories", + "description": "

I started watching IndyCar because a close friend of mine knew I’d started watching Formula One, and she sent me a playlist of James Hinchcliffe videos and told me to “watch these.” Four months later, I was at my first IndyCar race, and I fell in love. Now, James Hinchcliffe — the gateway drug to one of America’s…

Read more...

", + "content": "

I started watching IndyCar because a close friend of mine knew I’d started watching Formula One, and she sent me a playlist of James Hinchcliffe videos and told me to “watch these.” Four months later, I was at my first IndyCar race, and I fell in love. Now, James Hinchcliffe — the gateway drug to one of America’s…

Read more...

", + "category": "james hinchcliffe", + "link": "https://jalopnik.com/so-long-james-hinchcliffe-and-thanks-for-the-indycar-1848214513", + "creator": "Elizabeth Blackstock", + "pubDate": "Tue, 14 Dec 2021 20:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "acfcf6e0654e17abab98c0bf16732a85" + }, + { + "title": "These Are Your Favorite Car Ads", + "description": "

We asked, and you answered. Here are your picks for the ten best, most impactful, or most memorable car ads you’ve ever seen. Some of these, honestly, I wish I’d come up with in the question. Let’s see them.

Read more...

", + "content": "

We asked, and you answered. Here are your picks for the ten best, most impactful, or most memorable car ads you’ve ever seen. Some of these, honestly, I wish I’d come up with in the question. Let’s see them.

Read more...

", + "category": "dodge", + "link": "https://jalopnik.com/these-are-your-favorite-car-ads-1848212707", + "creator": "Steve DaSilva", + "pubDate": "Tue, 14 Dec 2021 20:10:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c168f7cf5e12e6fda722d3087aa18585" + }, + { + "title": "The MWM Spartan EV Updates A Soviet Off-Road Icon, But Doesn't Come Cheap", + "description": "

A Czech company is now offering an EV converted Soviet-era off-roader from Russian carmaker UAZ, calling it the MWM Hunter EV. The conversion company starts with a UAZ Hunter, which is just an update of the 50-year old UAZ-469, and swaps its four-cylinder combustion engine for a 120kW electric motor. The UAZ was…

Read more...

", + "content": "

A Czech company is now offering an EV converted Soviet-era off-roader from Russian carmaker UAZ, calling it the MWM Hunter EV. The conversion company starts with a UAZ Hunter, which is just an update of the 50-year old UAZ-469, and swaps its four-cylinder combustion engine for a 120kW electric motor. The UAZ was…

Read more...

", + "category": "ev", + "link": "https://jalopnik.com/the-mwm-spartan-ev-updates-a-soviet-off-road-icon-but-1848214694", + "creator": "José Rodríguez Jr.", + "pubDate": "Tue, 14 Dec 2021 20:01:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5a358905b3a8bc5c86c191d82c08300c" + }, + { + "title": "Thieves Take Four Brand New Mustang GT500s From Right Under Ford's Nose", + "description": "

Not that I’m a thief (and let it stand I’ve never been one), even if I took on the job I would never have considered stealing a car directly from the factory. However in Michigan, there were some thieves that were bold enough to try it. Southeast Michigan’s News-Herald reported these particular thieves got away with…

Read more...

", + "content": "

Not that I’m a thief (and let it stand I’ve never been one), even if I took on the job I would never have considered stealing a car directly from the factory. However in Michigan, there were some thieves that were bold enough to try it. Southeast Michigan’s News-Herald reported these particular thieves got away with…

Read more...

", + "category": "thieves", + "link": "https://jalopnik.com/thieves-take-four-brand-new-mustang-gt500s-from-right-u-1848214483", + "creator": "Lawrence Hodge", + "pubDate": "Tue, 14 Dec 2021 19:45:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4f34780716f3b5b6bbcc42b0bbb2bbed" + }, + { + "title": "Hazel Chapman, Co-Founder Of Lotus Cars, Dies Age 94", + "description": "

Former British racing driver, businesswoman and co-founder of Lotus Cars, Hazel Chapman, died earlier this week at the age of 94.

Read more...

", + "content": "

Former British racing driver, businesswoman and co-founder of Lotus Cars, Hazel Chapman, died earlier this week at the age of 94.

Read more...

", + "category": "cars", + "link": "https://jalopnik.com/hazel-chapman-co-founder-of-lotus-cars-dies-age-94-1848214166", + "creator": "Owen Bellwood", + "pubDate": "Tue, 14 Dec 2021 19:21:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "795a481a89653fb627a38bff7911bc0a" + }, + { + "title": "The 2022 Hyundai IONIQ 5 Will Start At $39,700", + "description": "

After what feels like years, Hyundai has finally released pricing of the next generation of its IONIQ EV, the IONIQ 5. It may or may not be cheaper than you expected.

Read more...

", + "content": "

After what feels like years, Hyundai has finally released pricing of the next generation of its IONIQ EV, the IONIQ 5. It may or may not be cheaper than you expected.

Read more...

", + "category": "hyundai", + "link": "https://jalopnik.com/the-2022-hyundai-ioniq-5-will-start-at-39-700-1848210933", + "creator": "Lawrence Hodge", + "pubDate": "Tue, 14 Dec 2021 19:17:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9393f78c7d4baa18141ec1b78f7d9af5" + }, + { + "title": "Time Magazine's Owner Loves Elon Musk So Much That He Has A Financial Interest In SpaceX", + "description": "

Time magazine named Elon Musk its “Person of the Year” on Monday, as I’m sure you’ve heard by now. The profile paints Musk as a dreamer and a manic genius with a prickly personality, more in the vein of Steve Jobs than Jeff Bezos, extolling his long shot goals and accomplishments before giving brief mention about a…

Read more...

", + "content": "

Time magazine named Elon Musk its “Person of the Year” on Monday, as I’m sure you’ve heard by now. The profile paints Musk as a dreamer and a manic genius with a prickly personality, more in the vein of Steve Jobs than Jeff Bezos, extolling his long shot goals and accomplishments before giving brief mention about a…

Read more...

", + "category": "elon musk", + "link": "https://jalopnik.com/spacex-investor-names-elon-musk-person-of-the-year-of-h-1848212963", + "creator": "Adam Ismail", + "pubDate": "Tue, 14 Dec 2021 18:40:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2b10ac7a2f43d441f976ae4957715cb5" + }, + { + "title": "This Little Drill Attachment Makes Body And Interior Work A Lot Easier", + "description": "

One way to find a potential car deal in these wild times is to get a vehicle that needs a little bit of work like a new bumper or interior pieces. It’s how I got a reliable Volkswagen Touareg for just $1,700. Fixing those body and interior issues after getting a good deal can be overwhelming, but this little tool can…

Read more...

", + "content": "

One way to find a potential car deal in these wild times is to get a vehicle that needs a little bit of work like a new bumper or interior pieces. It’s how I got a reliable Volkswagen Touareg for just $1,700. Fixing those body and interior issues after getting a good deal can be overwhelming, but this little tool can…

Read more...

", + "category": "drill", + "link": "https://jalopnik.com/this-little-drill-attachment-makes-body-and-interior-wo-1848212788", + "creator": "Mercedes Streeter", + "pubDate": "Tue, 14 Dec 2021 18:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a559b50181234312b4d12a45d5588262" + }, + { + "title": "Best Of 2021: Chevy Silverado Superfan Sees Stranger's Broken Pickup Truck In Parking Lot, Fixes It On The Spot For Free", + "description": "

Was 2021 a great year? Not exactly! But we did have some posts that did good traffic. Take a walk down memory lane with us, as we think back on 2021, a year that will seem much better by this time in 2022.

Read more...

", + "content": "

Was 2021 a great year? Not exactly! But we did have some posts that did good traffic. Take a walk down memory lane with us, as we think back on 2021, a year that will seem much better by this time in 2022.

Read more...

", + "category": "truck", + "link": "https://jalopnik.com/best-of-2021-chevy-silverado-superfan-sees-strangers-b-1847338592", + "creator": "David Tracy", + "pubDate": "Tue, 14 Dec 2021 18:20:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ed782e960685bf11c94c6dd4011bee86" + }, + { + "title": "Mercedes-Benz EQS Recalled Because Drivers Can Watch TV", + "description": "

Hands-free cell phone use is encouraged for drivers behind the wheel these days, but what about hands-free television watching? A glitch in the Mercedes-Benz EQS’s massive infotainment system forced that question to be answered, and the answer is that drivers watching TV behind the wheel will get your car recalled.

Read more...

", + "content": "

Hands-free cell phone use is encouraged for drivers behind the wheel these days, but what about hands-free television watching? A glitch in the Mercedes-Benz EQS’s massive infotainment system forced that question to be answered, and the answer is that drivers watching TV behind the wheel will get your car recalled.

Read more...

", + "category": "eqs", + "link": "https://jalopnik.com/mercedes-benz-eqs-recalled-because-drivers-can-watch-tv-1848213203", + "creator": "Elizabeth Blackstock", + "pubDate": "Tue, 14 Dec 2021 17:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3c84bc8a3da77adf497ae219c47c0f7f" + }, + { + "title": "Crew Member Dies After Cargo Ship Capsizes In Collision", + "description": "

A crew member has been found dead and another person is missing after the cargo ship they were on capsized following a collision with another vessel in the Baltic Sea.

Read more...

", + "content": "

A crew member has been found dead and another person is missing after the cargo ship they were on capsized following a collision with another vessel in the Baltic Sea.

Read more...

", + "category": "disaster accident", + "link": "https://jalopnik.com/crew-member-dies-after-cargo-ship-capsizes-in-collision-1848212346", + "creator": "Owen Bellwood", + "pubDate": "Tue, 14 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f5fa251567621e594922c5ff1ed42a35" + }, + { + "title": "BMW To Debut Color-Changing Car At CES", + "description": "

Over the past few years, the Consumer Electronics Show has become a go-to spot for automakers looking to make tech-heavy reveals. Audi used the event this year to unveil the prototype e-tron GT, Mercedes used it to reveal its Hyperscreen, and Hyundai and Uber teamed up at the 2020 event to reveal a still-imaginary

Read more...

", + "content": "

Over the past few years, the Consumer Electronics Show has become a go-to spot for automakers looking to make tech-heavy reveals. Audi used the event this year to unveil the prototype e-tron GT, Mercedes used it to reveal its Hyperscreen, and Hyundai and Uber teamed up at the 2020 event to reveal a still-imaginary

Read more...

", + "category": "bmw", + "link": "https://jalopnik.com/bmw-to-debut-color-changing-car-at-ces-1848211938", + "creator": "Steve DaSilva", + "pubDate": "Tue, 14 Dec 2021 15:45:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f32aa35f313afcc4fe82c518a4ee2e16" + }, + { + "title": "Billionaire Space Tourist Says Critics \"Are Perhaps Those Who Have Never Been To Space\"", + "description": "

I want to start off by declaring that personally, I do not have a problem with rich dudes going to space, because if I did, I’d be a big (okay, bigger than I am currently) hypocrite, since I would love to ride in a cramped Soyuz and rocket into space to float around in the International Space Station. No question. Of…

Read more...

", + "content": "

I want to start off by declaring that personally, I do not have a problem with rich dudes going to space, because if I did, I’d be a big (okay, bigger than I am currently) hypocrite, since I would love to ride in a cramped Soyuz and rocket into space to float around in the International Space Station. No question. Of…

Read more...

", + "category": "yozo hirano", + "link": "https://jalopnik.com/japanese-billionaire-space-tourist-has-the-most-wonderf-1848212092", + "creator": "Jason Torchinsky", + "pubDate": "Tue, 14 Dec 2021 15:27:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d9416133ef456912f233d5400ee5376b" + }, + { + "title": "The 2023 Genesis G90's Interior Is The Perfect Kind Of Posh-Sexy", + "description": "

Recently, I’ve had to come to terms with the fact that I am not always the low-maintenance human I’ve claimed to be for most of my life, and I came to that realization behind the wheel of a Genesis. Now, the Korean automaker has released the first photos of its 2023 Genesis G90's interior, and I have to admit that I…

Read more...

", + "content": "

Recently, I’ve had to come to terms with the fact that I am not always the low-maintenance human I’ve claimed to be for most of my life, and I came to that realization behind the wheel of a Genesis. Now, the Korean automaker has released the first photos of its 2023 Genesis G90's interior, and I have to admit that I…

Read more...

", + "category": "genesis g90", + "link": "https://jalopnik.com/the-2023-genesis-g90s-interior-is-the-perfect-kind-of-p-1848212209", + "creator": "Elizabeth Blackstock", + "pubDate": "Tue, 14 Dec 2021 15:25:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1e01ca6c002f1c028f71e8b2dbb2d22" + }, + { + "title": "Don't Expect Any New Car Deals This Year", + "description": "

Electric charging stations might be coming to a block near you, Tesla’s talking about dogecoin, and Toyota has reversed itself. All that and more in The Morning Shift for December 14, 2021.

Read more...

", + "content": "

Electric charging stations might be coming to a block near you, Tesla’s talking about dogecoin, and Toyota has reversed itself. All that and more in The Morning Shift for December 14, 2021.

Read more...

", + "category": "toyota", + "link": "https://jalopnik.com/dont-expect-any-new-car-deals-this-year-1848210253", + "creator": "Erik Shilling", + "pubDate": "Tue, 14 Dec 2021 15:18:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "999731e8297a9c6f2f203ea9db10e6a4" + }, + { + "title": "Give It Up For Ferrari's Carlos Sainz, Who Did The Impossible In 2021", + "description": "

While everyone’s hearts were pounding over the last-lap shootout in Sunday’s Abu Dhabi Grand Prix that almost wasn’t but then was, Carlos Sainz turned in a third place finish that cemented fifth spot in the Formula One World Drivers’ Championship. That officially made him Best Of The Rest. And it’s an especially…

Read more...

", + "content": "

While everyone’s hearts were pounding over the last-lap shootout in Sunday’s Abu Dhabi Grand Prix that almost wasn’t but then was, Carlos Sainz turned in a third place finish that cemented fifth spot in the Formula One World Drivers’ Championship. That officially made him Best Of The Rest. And it’s an especially…

Read more...

", + "category": "carlos sainz", + "link": "https://jalopnik.com/give-it-up-for-ferraris-carlos-sainz-who-did-the-impos-1848211628", + "creator": "Adam Ismail", + "pubDate": "Tue, 14 Dec 2021 15:10:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "99b761e11706978589038cc2da87dc22" + }, + { + "title": "What's The Best Car Ad?", + "description": "

In our cyberpunk dystopian present, we’re inundated with advertisements every day. Ads for products, for subpar employment, or for the military-industrial complex. Sometimes, however, those ads are for cars — and that’s where they can get fun.

Read more...

", + "content": "

In our cyberpunk dystopian present, we’re inundated with advertisements every day. Ads for products, for subpar employment, or for the military-industrial complex. Sometimes, however, those ads are for cars — and that’s where they can get fun.

Read more...

", + "category": "advertising", + "link": "https://jalopnik.com/whats-the-best-car-ad-1848211670", + "creator": "Steve DaSilva", + "pubDate": "Tue, 14 Dec 2021 14:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a0633c9188c6f627d938c18e9254c664" + }, + { + "title": "Holy Crap You Used To Be Able To Get Corvettes With Gigantic Gas Tanks", + "description": "

Earlier today, when I was taking the piss from that New York congressional candidate who claims to use about 60 gallons of gasoline per week, I found myself researching fuel tank sizes of various cars in a vain attempt to figure out what the hell this guy must be driving. I never really hit on a definite answer, but…

Read more...

", + "content": "

Earlier today, when I was taking the piss from that New York congressional candidate who claims to use about 60 gallons of gasoline per week, I found myself researching fuel tank sizes of various cars in a vain attempt to figure out what the hell this guy must be driving. I never really hit on a definite answer, but…

Read more...

", + "category": "fuel tank", + "link": "https://jalopnik.com/holy-crap-you-used-to-be-able-to-get-corvettes-with-gig-1848208924", + "creator": "Jason Torchinsky", + "pubDate": "Tue, 14 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5f167cc9ee462038f2472e2c9edf7af9" + }, + { + "title": "It’s Taylor Swift’s Birthday, So I’m Writing About Why She Needs Over 160 Semis To Go On Tour", + "description": "

You’re on Jalopnik and you’ve clicked on a story about Taylor Swift. I’m not here to fault you. I will admit here on the site that employs me, that I can’t help but continue to purchase her albums and rock to them quite shamelessly in the comforts of my own home and car. It’s okay. We’ll enjoy her music and the…

Read more...

", + "content": "

You’re on Jalopnik and you’ve clicked on a story about Taylor Swift. I’m not here to fault you. I will admit here on the site that employs me, that I can’t help but continue to purchase her albums and rock to them quite shamelessly in the comforts of my own home and car. It’s okay. We’ll enjoy her music and the…

Read more...

", + "category": "taylor swift", + "link": "https://jalopnik.com/it-s-taylor-swift-s-birthday-so-i-m-writing-about-why-1848209421", + "creator": "Lalita Chemello", + "pubDate": "Tue, 14 Dec 2021 00:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2b2bb5fd7dacbc7a2fb905f9b7cd05f8" + }, + { + "title": "Corvette Plant Shutters After Tornadoes Wreak Havoc Across Six States", + "description": "

A potentially record-breaking storm system has left devastation across six states and at least 90 dead. The late-season storm generated multiple tornadoes, including one that may have traveled 227 miles, potentially breaking a 96-year-old record. The storms also hit GM’s Bowling Green Assembly Plant and the National…

Read more...

", + "content": "

A potentially record-breaking storm system has left devastation across six states and at least 90 dead. The late-season storm generated multiple tornadoes, including one that may have traveled 227 miles, potentially breaking a 96-year-old record. The storms also hit GM’s Bowling Green Assembly Plant and the National…

Read more...

", + "category": "tornadoes", + "link": "https://jalopnik.com/corvette-plant-shutters-after-tornadoes-wreak-havoc-acr-1848209342", + "creator": "Mercedes Streeter", + "pubDate": "Tue, 14 Dec 2021 00:05:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f5c57ba8464c0b8c78635a2152fb2306" + }, + { + "title": "IMSA's GTD Pro Class Is Coming Out Swinging", + "description": "

IMSA’s GTLM class had been slowly dying for at least a few seasons, and has finally been shuffled off the track for the 2022 season. As you should probably know by now, the class has been replaced with a new factory-backed pros-only class called GTD Pro, which is exactly what it sounds like. These are more or less the…

Read more...

", + "content": "

IMSA’s GTLM class had been slowly dying for at least a few seasons, and has finally been shuffled off the track for the 2022 season. As you should probably know by now, the class has been replaced with a new factory-backed pros-only class called GTD Pro, which is exactly what it sounds like. These are more or less the…

Read more...

", + "category": "alms", + "link": "https://jalopnik.com/imsas-gtd-pro-class-is-coming-out-swinging-1848209130", + "creator": "Bradley Brownell", + "pubDate": "Tue, 14 Dec 2021 00:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4b5d483e9d0d3dd03060ded38d57d429" + }, + { + "title": "What Do You Want To Know About The 2022 Ducati Multistrada Pikes Peak?", + "description": "

It’s fair to say that I really like the Ducati Multistrada. I liked the old 1260 S, and while I have not yet ridden the new V4-powered model, it looks the business, and is packed with all kinds of wild new-to-motorcycles tech. It’s not really a performance bargain, but it’s got a lot of go to match its show. And the…

Read more...

", + "content": "

It’s fair to say that I really like the Ducati Multistrada. I liked the old 1260 S, and while I have not yet ridden the new V4-powered model, it looks the business, and is packed with all kinds of wild new-to-motorcycles tech. It’s not really a performance bargain, but it’s got a lot of go to match its show. And the…

Read more...

", + "category": "ducati multistrada", + "link": "https://jalopnik.com/what-do-you-want-to-know-about-the-2022-ducati-multistr-1848208457", + "creator": "Bradley Brownell", + "pubDate": "Mon, 13 Dec 2021 23:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "db7e14dc0c6fa00e8bcc7e1e7a2e0d28" + }, + { + "title": "New York Congressional Candidate Claims To Use An Absurd Amount Of Gas", + "description": "

At the moment, gas prices are pretty high. That sucks. The average is currently $3.30 for regular, $3.97 for premium, and that’s about a buck more than last year, at least. It is finally trending down a bit, and there are plenty of reasons why the price is what it is right now, but for people running for elected…

Read more...

", + "content": "

At the moment, gas prices are pretty high. That sucks. The average is currently $3.30 for regular, $3.97 for premium, and that’s about a buck more than last year, at least. It is finally trending down a bit, and there are plenty of reasons why the price is what it is right now, but for people running for elected…

Read more...

", + "category": "green vehicles", + "link": "https://jalopnik.com/new-york-congressional-candidate-claims-to-use-an-absur-1848207722", + "creator": "Jason Torchinsky", + "pubDate": "Mon, 13 Dec 2021 21:08:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1011712406dfca9c8bcddf4c9a17cfff" + }, + { + "title": "A Shipping Container Might Be The Most Bizarre Thing To Camp In", + "description": "

Shipping containers have a lot of uses outside of getting goods around the world on the backs of ships, trucks and trailers. But I have to admit, I haven’t thought about the potential of using one as a custom camper. Now for just $4,000, you can have a 10-foot container turned into a discount travel trailer, if that’s…

Read more...

", + "content": "

Shipping containers have a lot of uses outside of getting goods around the world on the backs of ships, trucks and trailers. But I have to admit, I haven’t thought about the potential of using one as a custom camper. Now for just $4,000, you can have a 10-foot container turned into a discount travel trailer, if that’s…

Read more...

", + "category": "shipping container", + "link": "https://jalopnik.com/a-shipping-container-might-be-the-most-bizarre-thing-to-1848207557", + "creator": "Mercedes Streeter", + "pubDate": "Mon, 13 Dec 2021 20:50:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e5c61adc0fda13941514822abb35b240" + }, + { + "title": "Watch Toyota's CEO Drift A GR Yaris Alongside Its Race-Prepped Twin", + "description": "

We as car enthusiasts are always told that “the suits” are to blame for our problems. They kill off our favorite deeply unprofitable cars, they cut costs at the expense of reliability. It’s a rivalry as old as time — enthusiasts and businesspeople are like oil and water, jocks and nerds, slobs and snobs. One man,…

Read more...

", + "content": "

We as car enthusiasts are always told that “the suits” are to blame for our problems. They kill off our favorite deeply unprofitable cars, they cut costs at the expense of reliability. It’s a rivalry as old as time — enthusiasts and businesspeople are like oil and water, jocks and nerds, slobs and snobs. One man,…

Read more...

", + "category": "toyota", + "link": "https://jalopnik.com/watch-toyotas-ceo-drift-a-gr-yaris-alongside-its-race-p-1848207283", + "creator": "Steve DaSilva", + "pubDate": "Mon, 13 Dec 2021 20:40:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "03dfa60a2e5f77bac92b53d6cf53a816" + }, + { + "title": "Harley-Davidson Is Getting In On Wall Street's EV Hype", + "description": "

Special-purpose acquisition companies have been all the rage during the pandemic, a way for electric vehicle companies like Nikola and Fisker to go public without going through a traditional initial public offering process, which critics say is because those companies simply wouldn’t weather the scrutiny of a regular…

Read more...

", + "content": "

Special-purpose acquisition companies have been all the rage during the pandemic, a way for electric vehicle companies like Nikola and Fisker to go public without going through a traditional initial public offering process, which critics say is because those companies simply wouldn’t weather the scrutiny of a regular…

Read more...

", + "category": "harley davidson", + "link": "https://jalopnik.com/harley-davidson-is-getting-in-on-wall-streets-ev-hype-1848207455", + "creator": "Erik Shilling", + "pubDate": "Mon, 13 Dec 2021 20:29:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bb13511e9375b4cdee90a36aa58c2e39" + }, + { + "title": "These Are The Cars That Have A Good Side And A Bad Side", + "description": "

Car design is a funny thing. I remember the first time I saw the new Supra, I hated its bloated, bulbous haunches. Then one day for reasons I can’t and will never be able to explain, it clicked. Meanwhile, the C8 Corvette still hasn’t for me and at this rate probably never will.

Read more...

", + "content": "

Car design is a funny thing. I remember the first time I saw the new Supra, I hated its bloated, bulbous haunches. Then one day for reasons I can’t and will never be able to explain, it clicked. Meanwhile, the C8 Corvette still hasn’t for me and at this rate probably never will.

Read more...

", + "category": "cars", + "link": "https://jalopnik.com/these-are-the-cars-that-have-a-good-side-and-a-bad-side-1848207237", + "creator": "Adam Ismail", + "pubDate": "Mon, 13 Dec 2021 20:25:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cd574dfce2803be9500c65702aac8845" + }, + { + "title": "Jeep Put 265 Pounds Of Extra Weight In My Car To Prevent It From Flipping. I'm Not Removing It Because I Don't Want To Die", + "description": "

Jalopnik is click-city this morning thanks to an old article by Bradley Brownell titled:“Porsche Put 12 Pounds Of Extra Weight In My Car To Make It Nicer To Drive, So I Threw It Away.” Keen to get in on the clickidy-doodas, I’m penning my own story about a gigantic 265 pound cast iron counterweight bolted to my

Read more...

", + "content": "

Jalopnik is click-city this morning thanks to an old article by Bradley Brownell titled:“Porsche Put 12 Pounds Of Extra Weight In My Car To Make It Nicer To Drive, So I Threw It Away.” Keen to get in on the clickidy-doodas, I’m penning my own story about a gigantic 265 pound cast iron counterweight bolted to my

Read more...

", + "category": "jeep", + "link": "https://jalopnik.com/jeep-put-265-pounds-of-extra-weight-in-my-car-to-preven-1848207054", + "creator": "David Tracy", + "pubDate": "Mon, 13 Dec 2021 19:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3a8174791f62561114ec5063094876ca" + }, + { + "title": "Car Plunges Over Niagara Falls Following Crash That Killed Its Driver", + "description": "

Last week, a woman died after crashing her car into the Niagara River very close to the lip of the 160-foot falls. A successful rescue attempt was made to recover the woman’s body, and her car later crashed over the falls following gusty wind storms this weekend.

Read more...

", + "content": "

Last week, a woman died after crashing her car into the Niagara River very close to the lip of the 160-foot falls. A successful rescue attempt was made to recover the woman’s body, and her car later crashed over the falls following gusty wind storms this weekend.

Read more...

", + "category": "niagara", + "link": "https://jalopnik.com/car-plunges-over-niagara-falls-following-crash-that-kil-1848206727", + "creator": "Owen Bellwood", + "pubDate": "Mon, 13 Dec 2021 19:23:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "35a46e782cd3aa6adf5bf33c4b117e8b" + }, + { + "title": "Tesla Cybertruck Spotted With Hilariously Huge Windshield Wiper", + "description": "

I just want to say right up front that I don’t think all of the shock and scorn being heaped upon this wiper by Twitter and elsewhere is really merited. I mean, rain exists, and that’s a massive sheet of glass for the windshield, so something has to wipe it off, and that something is going to have to be, well, big. I…

Read more...

", + "content": "

I just want to say right up front that I don’t think all of the shock and scorn being heaped upon this wiper by Twitter and elsewhere is really merited. I mean, rain exists, and that’s a massive sheet of glass for the windshield, so something has to wipe it off, and that something is going to have to be, well, big. I…

Read more...

", + "category": "tesla cybertruck", + "link": "https://jalopnik.com/tesla-cybertruck-spotted-with-hilariously-huge-windshie-1848206658", + "creator": "Jason Torchinsky", + "pubDate": "Mon, 13 Dec 2021 18:59:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "678d27b0b351f0eb00886f3e8b7e710d" + }, + { + "title": "The Secret To Adopting Electric Cars More Quickly Could Be On The Used Car Lot", + "description": "

Used cars are finally becoming popular in China, where car buyers have traditionally preferred new cars over used ones by a wide margin. The growth of China’s used car sales applies to electric cars, too, with sales of used EVs nearly doubling to 47,000 in 2020. The China Automobile Dealers Association expects that…

Read more...

", + "content": "

Used cars are finally becoming popular in China, where car buyers have traditionally preferred new cars over used ones by a wide margin. The growth of China’s used car sales applies to electric cars, too, with sales of used EVs nearly doubling to 47,000 in 2020. The China Automobile Dealers Association expects that…

Read more...

", + "category": "electric car", + "link": "https://jalopnik.com/the-secret-to-adopting-electric-cars-more-quickly-could-1848206590", + "creator": "José Rodríguez Jr.", + "pubDate": "Mon, 13 Dec 2021 18:40:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "68bf66b6231cb5507a600d917029a632" + }, + { + "title": "These Were The Best Motorsport Moments Of 2021", + "description": "

As 2021 wraps up, so does this year’s racing action — and we’ve had some damn good events this year. To celebrate, we’ve compiled some of motorsport’s finest moments of the 2021 season. Some are long, and some are short. Some are funnier than others. But with a year this action-packed, it’s been hard to narrow it down.

Read more...

", + "content": "

As 2021 wraps up, so does this year’s racing action — and we’ve had some damn good events this year. To celebrate, we’ve compiled some of motorsport’s finest moments of the 2021 season. Some are long, and some are short. Some are funnier than others. But with a year this action-packed, it’s been hard to narrow it down.

Read more...

", + "category": "abu dhabi grand prix", + "link": "https://jalopnik.com/these-were-the-best-motorsport-moments-of-2021-1848206274", + "creator": "Elizabeth Blackstock", + "pubDate": "Mon, 13 Dec 2021 18:08:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "73c4dcd4579b0f9b322391ec28b21e9d" + }, + { + "title": "Formula One Is No Longer A Sport", + "description": "

Formula 1 has always sought to tweak its regulations to keep the racing exciting. The rule changes have impacted different teams in a variety of ways, but were always done under the guise of maintaining fair, entertaining racing. But when those rules change frequently, or lack overall consistency in all-important…

Read more...

", + "content": "

Formula 1 has always sought to tweak its regulations to keep the racing exciting. The rule changes have impacted different teams in a variety of ways, but were always done under the guise of maintaining fair, entertaining racing. But when those rules change frequently, or lack overall consistency in all-important…

Read more...

", + "category": "formula one", + "link": "https://jalopnik.com/formula-one-is-no-longer-a-sport-1848205192", + "creator": "Owen Bellwood", + "pubDate": "Mon, 13 Dec 2021 17:25:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b4b15dab863b616de8e88a2f77fecf6" + }, + { + "title": "Here Are Some Of The Surprisingly Good Car Deals I Was Able To Find This Year", + "description": "

I shop for cars for a living and this has been a tough year to do so. Supply shortages on new cars coupled with rapidly rising prices on used cars have forced a re-evaluation on what really constitutes a “deal.” I was able to score some competitive prices on a few models through a combination of luck, creativity, and…

Read more...

", + "content": "

I shop for cars for a living and this has been a tough year to do so. Supply shortages on new cars coupled with rapidly rising prices on used cars have forced a re-evaluation on what really constitutes a “deal.” I was able to score some competitive prices on a few models through a combination of luck, creativity, and…

Read more...

", + "category": "kia", + "link": "https://jalopnik.com/here-are-some-of-the-surprisingly-good-car-deals-i-was-1848205571", + "creator": "Tom McParland", + "pubDate": "Mon, 13 Dec 2021 17:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9873254758652f01c5980b987531da18" + }, + { + "title": "Off-Road Recovery YouTuber Could Face Prison Time For Insurance Fraud", + "description": "

Matthew Wetzel of Matt’s Off-Road Recovery on YouTube has been charged with one second-degree felony count of insurance fraud. His towing company is accused of fraudulently collecting money from the American Automobile Association. It’s a charge that carries a potential sentence of up to 15 years in prison.

Read more...

", + "content": "

Matthew Wetzel of Matt’s Off-Road Recovery on YouTube has been charged with one second-degree felony count of insurance fraud. His towing company is accused of fraudulently collecting money from the American Automobile Association. It’s a charge that carries a potential sentence of up to 15 years in prison.

Read more...

", + "category": "fraud", + "link": "https://jalopnik.com/off-road-recovery-youtuber-could-face-prison-time-for-i-1848205727", + "creator": "Mercedes Streeter", + "pubDate": "Mon, 13 Dec 2021 17:10:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "942bbab6117b6c2fd12b80290e4c22e8" + }, + { + "title": "The Two Coolest Features In The 2022 Genesis GV70 Involve The Seats", + "description": "

It’s not often a feature in a car makes me actual squeal in delight and run to show everyone with eyes. But the 2022 Genesis GV70's posture control and massage features did exactly that.

Read more...

", + "content": "

It’s not often a feature in a car makes me actual squeal in delight and run to show everyone with eyes. But the 2022 Genesis GV70's posture control and massage features did exactly that.

Read more...

", + "category": "genesis gv70", + "link": "https://jalopnik.com/the-two-coolest-features-in-the-2022-genesis-gv70-invol-1848205225", + "creator": "Elizabeth Blackstock", + "pubDate": "Mon, 13 Dec 2021 16:20:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cf359989b34bc7a973ce5056a3227465" + }, + { + "title": "This Wrecked Carrera GT Is The Cheapest Way Into Porsche's Coolest Car", + "description": "

The early-to-mid 2000s were a banner era for bedroom poster cars. You had the Lamborghini Murciélago, the Maserati Mc12, even the Bugatti Veyron greeting children every morning as they rubbed the sleep from their eyes. But those children have grown up, started to earn YouTube or TikTok money, and with that new money…

Read more...

", + "content": "

The early-to-mid 2000s were a banner era for bedroom poster cars. You had the Lamborghini Murciélago, the Maserati Mc12, even the Bugatti Veyron greeting children every morning as they rubbed the sleep from their eyes. But those children have grown up, started to earn YouTube or TikTok money, and with that new money…

Read more...

", + "category": "carrera", + "link": "https://jalopnik.com/this-wrecked-carrera-gt-is-the-cheapest-way-into-porsch-1848204987", + "creator": "Steve DaSilva", + "pubDate": "Mon, 13 Dec 2021 16:10:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fa6dca1fd0539c1d4c1e2a43682c7a7d" + }, + { + "title": "The New Civic Type-R Looks So Much Better Than The Old One", + "description": "

If cars could send postcards, the Civic Type-R’s would make you jealous right now. “Greetings from Suzuka,” it’d read, with that big Ferris wheel in the background of Japan’s most famous racetrack. Today, Honda released photos of its next-generation hot hatch testing around the circuit it owns, ahead of its full…

Read more...

", + "content": "

If cars could send postcards, the Civic Type-R’s would make you jealous right now. “Greetings from Suzuka,” it’d read, with that big Ferris wheel in the background of Japan’s most famous racetrack. Today, Honda released photos of its next-generation hot hatch testing around the circuit it owns, ahead of its full…

Read more...

", + "category": "civic", + "link": "https://jalopnik.com/the-new-civic-type-r-looks-so-much-better-than-the-old-1848204816", + "creator": "Adam Ismail", + "pubDate": "Mon, 13 Dec 2021 15:50:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6c98a95cf2324d6063b67b4bddcc124b" + }, + { + "title": "Automakers Have A New Bad Obsession", + "description": "

Tornadoes have stopped production of the Chevy Corvette, lithium prices are up because of EVs, Lancia, and over-the-air updates. All that and more in The Morning Shift for December 13, 2021.

Read more...

", + "content": "

Tornadoes have stopped production of the Chevy Corvette, lithium prices are up because of EVs, Lancia, and over-the-air updates. All that and more in The Morning Shift for December 13, 2021.

Read more...

", + "category": "big three", + "link": "https://jalopnik.com/automakers-have-a-new-bad-obsession-1848204940", + "creator": "Erik Shilling", + "pubDate": "Mon, 13 Dec 2021 15:32:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e69cb58ce8db9e4e67b2b6fa397b50e2" + }, + { + "title": "How Lucy O'Reilly Schell Used Motorsport To Fight Fascism", + "description": "

If Lucy O’Reilly Schell’s name sounds familiar, that’s likely because you’ve recently read Faster: How a Jewish Driver, an American Heiress, and a Legendary Car Beat Hitler’s Best by Neal Bascomb, which tells the story of how she funded a Grand Prix team for Jewish René Dreyfus in the hopes of beating the dominant…

Read more...

", + "content": "

If Lucy O’Reilly Schell’s name sounds familiar, that’s likely because you’ve recently read Faster: How a Jewish Driver, an American Heiress, and a Legendary Car Beat Hitler’s Best by Neal Bascomb, which tells the story of how she funded a Grand Prix team for Jewish René Dreyfus in the hopes of beating the dominant…

Read more...

", + "category": "lucy oreilly schell", + "link": "https://jalopnik.com/how-lucy-oreilly-schell-used-motorsport-to-fight-fascis-1848204620", + "creator": "Elizabeth Blackstock", + "pubDate": "Mon, 13 Dec 2021 15:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7396506a3dddfe94d6e8071dc04660fe" + }, + { + "title": "Best of 2021: Two Photos Show You Why It's A Bad Idea To Park Under An Overpass", + "description": "

Was 2021 a great year? Not exactly! But we did have some posts that did good traffic. Take a walk down memory lane with us, as we think back on 2021, a year that will seem much better by this time in 2022.

Read more...

", + "content": "

Was 2021 a great year? Not exactly! But we did have some posts that did good traffic. Take a walk down memory lane with us, as we think back on 2021, a year that will seem much better by this time in 2022.

Read more...

", + "category": "overpass", + "link": "https://jalopnik.com/best-of-2021-two-photos-show-you-why-its-a-bad-idea-to-1847263891", + "creator": "Elizabeth Blackstock", + "pubDate": "Mon, 13 Dec 2021 14:34:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f9c32e5abf3f59a2474c4e922403de37" + }, + { + "title": "Which Car Has A Good Side And A Bad Side?", + "description": "

There are many good looking cars; there are many ugly ones. But perhaps the most tragic are those that look great, but only from certain angles. Shift your perspective just ever so slightly and it all falls apart. “The designers were so close,” they leave you thinking. Today we’re asking you: which car has a good side…

Read more...

", + "content": "

There are many good looking cars; there are many ugly ones. But perhaps the most tragic are those that look great, but only from certain angles. Shift your perspective just ever so slightly and it all falls apart. “The designers were so close,” they leave you thinking. Today we’re asking you: which car has a good side…

Read more...

", + "category": "giulia", + "link": "https://jalopnik.com/which-car-has-a-good-side-and-a-bad-side-1848204551", + "creator": "Adam Ismail", + "pubDate": "Mon, 13 Dec 2021 14:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f48a606ff8df82a032ec31c2ceb5d792" + }, + { + "title": "These Are Some Of Racing's Biggest Announcements Of 2021", + "description": "

2021 has been a very long year, especially for motorsport fans. From IMSA’s Rolex 24 at Daytona in January to this past weekend’s controversial conclusion to the Formula 1 season in Abu Dhabi, it has been a hectic twelve months of competition.

Read more...

", + "content": "

2021 has been a very long year, especially for motorsport fans. From IMSA’s Rolex 24 at Daytona in January to this past weekend’s controversial conclusion to the Formula 1 season in Abu Dhabi, it has been a hectic twelve months of competition.

Read more...

", + "category": "nyck de vries", + "link": "https://jalopnik.com/these-are-some-of-racings-biggest-announcements-of-2021-1848204166", + "creator": "Ryan Erik King", + "pubDate": "Mon, 13 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1bb64846348bd5ea027c6ac4de856886" + }, + { + "title": "Blip: I'm Back!", + "description": "

Boy, did I miss all of you. So much. I’m back now, and once the embargo lifts, I’ll tell you about driving the new Audi R8 RWD, but until then all I can do is show you this picture and let you know that my luggage never showed up and I think it’s still in Frankfurt. A PR guy gave me a pair of (unused) underpants,…

Read more...

", + "content": "

Boy, did I miss all of you. So much. I’m back now, and once the embargo lifts, I’ll tell you about driving the new Audi R8 RWD, but until then all I can do is show you this picture and let you know that my luggage never showed up and I think it’s still in Frankfurt. A PR guy gave me a pair of (unused) underpants,…

Read more...

", + "category": "audi", + "link": "https://jalopnik.com/blip-im-back-1848204307", + "creator": "Jason Torchinsky", + "pubDate": "Mon, 13 Dec 2021 13:45:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd9b50d3558f5888b4fd032502c9e902" + }, + { + "title": "I Hate How Much I Love This Janky Convertible Porsche Cayenne", + "description": "

One of my favorite SUVs of all time is the Volkswagen Touareg and its platform mate, the Porsche Cayenne. The Touareg is an off-road sleeper while the Cayenne is a giggle. I mean, it’s an SUV that can tow your race car to the track then itself go racing after you break your race car. It’s hard to improve on such a…

Read more...

", + "content": "

One of my favorite SUVs of all time is the Volkswagen Touareg and its platform mate, the Porsche Cayenne. The Touareg is an off-road sleeper while the Cayenne is a giggle. I mean, it’s an SUV that can tow your race car to the track then itself go racing after you break your race car. It’s hard to improve on such a…

Read more...

", + "category": "cayenne", + "link": "https://jalopnik.com/i-hate-how-much-i-love-this-janky-convertible-porsche-c-1848197857", + "creator": "Mercedes Streeter", + "pubDate": "Mon, 13 Dec 2021 13:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3ded81d8b072d543387b4881fb8c133f" + }, + { + "title": "The Morgan Plus 8 GTR Didn't Need To Look This Good", + "description": "

Someone at Morgan seems to have stumbled upon a few Plus 8 models that were squirreled away and went unused for the last three years. At least, that’s how Morgan framed the release of its most powerful car ever, the Morgan Plus 8 GTR. So the V8 Morgan is coming back for a small run, but it’s limited to the number of…

Read more...

", + "content": "

Someone at Morgan seems to have stumbled upon a few Plus 8 models that were squirreled away and went unused for the last three years. At least, that’s how Morgan framed the release of its most powerful car ever, the Morgan Plus 8 GTR. So the V8 Morgan is coming back for a small run, but it’s limited to the number of…

Read more...

", + "category": "gtr", + "link": "https://jalopnik.com/the-morgan-plus-8-gtr-didnt-need-to-look-this-good-1848197475", + "creator": "José Rodríguez Jr.", + "pubDate": "Mon, 13 Dec 2021 13:15:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cb1112fb6ec2153df5f3a284cfeb03d4" + }, + { + "title": "At $55,000, Would You Long For This 2000 Mercedes E 320 Limousine?", + "description": "

The seller of today’s Nice Price or No Dice Mercedes limo claims it to be the handiwork of acclaimed German coachbuilder, Binz. Let’s see if that makes this stretched E 320 worth stretching the bank account.

Read more...

", + "content": "

The seller of today’s Nice Price or No Dice Mercedes limo claims it to be the handiwork of acclaimed German coachbuilder, Binz. Let’s see if that makes this stretched E 320 worth stretching the bank account.

Read more...

", + "category": "station wagons", + "link": "https://jalopnik.com/at-55-000-would-you-long-for-this-2000-mercedes-e-320-1848202020", + "creator": "Rob Emslie", + "pubDate": "Mon, 13 Dec 2021 13:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "006c46911ba1f941b5162fa4577b84c2" + }, + { + "title": "FIA Dismiss Mercedes Abu Dhabi Grand Prix Result Protest", + "description": "

The aftermath of the controversial finish was immediate and will continue for the foreseeable future. The race concluded with a one-lap shootout created by FIA Race Director Michael Masi through drastic measures in quickening a safety car restart. Mercedes-AMG Petronas F1 Team filed two protests against the final…

Read more...

", + "content": "

The aftermath of the controversial finish was immediate and will continue for the foreseeable future. The race concluded with a one-lap shootout created by FIA Race Director Michael Masi through drastic measures in quickening a safety car restart. Mercedes-AMG Petronas F1 Team filed two protests against the final…

Read more...

", + "category": "fia dismiss mercedes abu dhabi grand prix", + "link": "https://jalopnik.com/fia-dismiss-mercedes-abu-dhabi-grand-prix-result-protes-1848202485", + "creator": "Ryan Erik King", + "pubDate": "Sun, 12 Dec 2021 20:48:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9bd316a072efdf2ccc5918fc01a02d83" + }, + { + "title": "Watch This Scary Video That Illustrates A Lot Of What's Wrong With Tesla's \"FSD\"", + "description": "

Over the weekend, video of an incident in what was reported to be a Tesla Model Y was posted to Youtube. The video, which was later removed from YouTube shows the crossover, which was reportedly running Tesla’s “Full Self Driving” level two driver assist system veers toward an oncoming car before the driver grabs the…

Read more...

", + "content": "

Over the weekend, video of an incident in what was reported to be a Tesla Model Y was posted to Youtube. The video, which was later removed from YouTube shows the crossover, which was reportedly running Tesla’s “Full Self Driving” level two driver assist system veers toward an oncoming car before the driver grabs the…

Read more...

", + "category": "tesla", + "link": "https://jalopnik.com/tesla-full-self-driving-beta-causes-accident-with-model-1848201350", + "creator": "Ryan Erik King", + "pubDate": "Sun, 12 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "66842180fc64fb2529bf6fcb6f051182" + }, + { + "title": "Max Verstappen Wins F1 World Championship In One-Lap Shootout", + "description": "

After a nine-month 22-round season, the FIA Formula One World Championship ended today with Abu Dhabi Grand Prix at Yas Marina Circuit in the United Arab Emirates. For only the second time in the championship’s history, two drivers started the season’s final race equal on points atop the Drivers’ Championship…

Read more...

", + "content": "

After a nine-month 22-round season, the FIA Formula One World Championship ended today with Abu Dhabi Grand Prix at Yas Marina Circuit in the United Arab Emirates. For only the second time in the championship’s history, two drivers started the season’s final race equal on points atop the Drivers’ Championship…

Read more...

", + "category": "max verstappen", + "link": "https://jalopnik.com/max-verstappen-wins-f1-world-championship-in-one-lap-sh-1848201570", + "creator": "Ryan Erik King", + "pubDate": "Sun, 12 Dec 2021 15:05:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e0964330499e79411b7a8102491fbbac" + }, + { + "title": "Global Urea Shortage Could Park Diesel Trucks", + "description": "

Freight trucks worldwide are starting to be sidelined by a urea shortage. A wide-ranging variety of factors, from rising fertilizer and natural gas prices to an export prohibition, have strained the world’s supply of urea.

Read more...

", + "content": "

Freight trucks worldwide are starting to be sidelined by a urea shortage. A wide-ranging variety of factors, from rising fertilizer and natural gas prices to an export prohibition, have strained the world’s supply of urea.

Read more...

", + "category": "urea", + "link": "https://jalopnik.com/global-urea-shortage-could-park-diesel-trucks-1848201479", + "creator": "Ryan Erik King", + "pubDate": "Sun, 12 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "860eff956fa0ab8f90b53fac50fb403b" + }, + { + "title": "How To Predict The FIA Presidential Election", + "description": "

In six days, either Graham Stoker or Mohammed Ben Sulayem will be the next President of Fédération Internationale de l’Automobile. I’ve lost patience waiting for the FIA General Assembly meeting. I just want to know the outcome at this point. I’ve combed every source of information that I could lay my eyes on to pull…

Read more...

", + "content": "

In six days, either Graham Stoker or Mohammed Ben Sulayem will be the next President of Fédération Internationale de l’Automobile. I’ve lost patience waiting for the FIA General Assembly meeting. I just want to know the outcome at this point. I’ve combed every source of information that I could lay my eyes on to pull…

Read more...

", + "category": "sports", + "link": "https://jalopnik.com/how-to-predict-the-fia-presidential-election-1848200384", + "creator": "Ryan Erik King", + "pubDate": "Sat, 11 Dec 2021 22:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2b0985ed85e065168cc04b1ee0bd06de" + }, { "title": "Delaware DOT Misspells \"Delaware\" On Highway Exit Sign", "description": "

Okay, I have to admit that I have zero footing to be throwing judgment at anyone for misspellings. There are moments when I get fatigued and let errors slip through despite rereading. Though, it should be essential to correctly spell the name of the state that your government agency represents. If you work for…

Read more...

", @@ -9659,6 +12077,27 @@ "tags": [], "hash": "e6d38404ea85962b3c5f20a85147fa89" }, + { + "title": "Tesla Full Self-Driving Beta Causes Accident With Model Y", + "description": "

Video footage has come to light that shows a Tesla Model Y almost driving itself into a head-on collision due to the Full Self-Driving Beta. Last Friday, the footage was originally posted on YouTube before the uploader removed the video. The video was reposted on Twitter.

Read more...

", + "content": "

Video footage has come to light that shows a Tesla Model Y almost driving itself into a head-on collision due to the Full Self-Driving Beta. Last Friday, the footage was originally posted on YouTube before the uploader removed the video. The video was reposted on Twitter.

Read more...

", + "category": "tesla", + "link": "https://jalopnik.com/tesla-full-self-driving-beta-causes-accident-with-model-1848201350", + "creator": "Ryan Erik King", + "pubDate": "Sun, 12 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Jalopnik", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ffc1e2bf39cce9051e4736c304d1fc17" + }, { "title": "These Are The Least Durable Cars Ever Made", "description": "

Reliability can mean a lot of different things. It can be a car that will last a lifetime with a little TLC, or it could be something durable that can keep running despite the bumps and bruises.

Read more...

", @@ -16547,6 +18986,846 @@ "image": "https://content.rotowire.com/images/logo_roto_small.gif", "description": "Fantasy Sports from RotoWire.com", "items": [ + { + "title": "Deandre Ayton: Questionable for Tuesday's contest", + "description": "Ayton (non-COVID illness) is questionable for Tuesday's contest against the Trail Blazers, Jamie Hudson of KOIN 6 News Portland reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Ayton (non-COVID illness) is questionable for Tuesday's contest against the Trail Blazers, Jamie Hudson of KOIN 6 News Portland reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4372", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:51:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8d334df9c582669701b85658b85ee88d" + }, + { + "title": "Tyler Herro: Questionable for Wednesday", + "description": "Herro (quadriceps) is questionable for Wednesday's contest against the 76ers, Ira Winderman of the South Florida Sun Sentinel reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Herro (quadriceps) is questionable for Wednesday's contest against the 76ers, Ira Winderman of the South Florida Sun Sentinel reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4780", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:47:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5210c3029d980d2039a110c638319283" + }, + { + "title": "Devin Booker: Ruled out Tuesday", + "description": "Booker (hamstring) will not play Tuesday night against Portland, per Blazers reporter Casey Holdahl.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Booker (hamstring) will not play Tuesday night against Portland, per Blazers reporter Casey Holdahl.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3711", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:41:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bb5c859c1e3922845644a54aff103429" + }, + { + "title": "Jimmy Butler: Won't play Wednesday", + "description": "Butler (back) is listed as out for Wednesday's contest against the 76ers, Ira Winderman of the South Florida Sun Sentinel reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Butler (back) is listed as out for Wednesday's contest against the 76ers, Ira Winderman of the South Florida Sun Sentinel reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3231", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:38:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38d3f8213f5ea8016b576b1538a54740" + }, + { + "title": "Luka Doncic: Remains out Wednesday", + "description": "Doncic (ankle) has been ruled out for Wednesday's contest against the Lakers.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Doncic (ankle) has been ruled out for Wednesday's contest against the Lakers.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4396", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 11:30:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4d0865e2a3cdd61da25f796706d80f62" + }, + { + "title": "Nikola Jokic: Tossed in fourth quarter", + "description": "Jokic was ejected from Monday's game against the Wizards in the fourth quarter, Josh Robbins of The Athletic reports. He finished with 28 points (9-14 FG, 1-2 3PT, 9-11 FT), 19 rebounds, nine assists, three steals and one block in 31 minutes.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Jokic was ejected from Monday's game against the Wizards in the fourth quarter, Josh Robbins of The Athletic reports. He finished with 28 points (9-14 FG, 1-2 3PT, 9-11 FT), 19 rebounds, nine assists, three steals and one block in 31 minutes.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3612", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 8:24:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "feec7efac289b4ae5adb71e8f7476619" + }, + { + "title": "Khris Middleton: Goes down with knee injury", + "description": "Middleton won't return to Monday's game against Boston due to a left knee hyperextension, Eric Nehm of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Middleton won't return to Monday's game against Boston due to a left knee hyperextension, Eric Nehm of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3356", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 6:31:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b15ed8492d27d6d9a6d30622264ea473" + }, + { + "title": "Deandre Ayton: Unavailable vs. Clippers", + "description": "Ayton (illness) won't play Monday against Los Angeles, Law Murray of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Ayton (illness) won't play Monday against Los Angeles, Law Murray of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4372", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 6:03:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8295be9065f4d3bc376c47eb48801958" + }, + { + "title": "Paul George: Won't go Monday", + "description": "George (elbow) has been ruled out for Monday's game against Phoenix, Mirjam Swanson of the Los Angeles Daily News reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "George (elbow) has been ruled out for Monday's game against Phoenix, Mirjam Swanson of the Los Angeles Daily News reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3114", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 5:42:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc8808301a505ceca726b574bc59df3f" + }, + { + "title": "Will Barton: Ruled out", + "description": "Barton (illness) won't play in Monday's game against Washington.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Barton (illness) won't play in Monday's game against Washington.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3335", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 5:12:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "93be507de5d0f5cbbd95241f5e7b3321" + }, + { + "title": "Desmond Bane: Questionable Monday", + "description": "Bane is questionable for Monday's game against the 76ers due to left foot soreness.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Bane is questionable for Monday's game against the 76ers due to left foot soreness.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=5159", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 1:21:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "75deb224411ec7fe9ae9b2e62841159a" + }, + { + "title": "Lonzo Ball: Next two games postponed", + "description": "Ball and the Bulls won't play again until at least Sunday against the Lakers after the NBA officially postponed Chicago's upcoming games Tuesday against Detroit and Thursday against Toronto in the wake of the team's COVID-19 outbreak, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Ball and the Bulls won't play again until at least Sunday against the Lakers after the NBA officially postponed Chicago's upcoming games Tuesday against Detroit and Thursday against Toronto in the wake of the team's COVID-19 outbreak, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4110", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 11:08:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38189592ff53ae6a1ac809b7c0fa6579" + }, + { + "title": "Fred VanVleet: Thursday's game postponed", + "description": "The NBA has officially postponed Thursday's game between the Raptors and Bulls, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "The NBA has officially postponed Thursday's game between the Raptors and Bulls, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3935", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 10:56:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3ae69c64ce76205d6be334759ec04abb" + }, + { + "title": "Pascal Siakam: Thursday's game vs. Bulls postponed", + "description": "The NBA has officially postponed Thursday's game between the Raptors and Bulls, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "The NBA has officially postponed Thursday's game between the Raptors and Bulls, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3922", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 10:53:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fda32223b726ddb12b6382498204a05b" + }, + { + "title": "Isaiah Stewart: Tuesday's game postponed", + "description": "The NBA has officially postponed Tuesday's game between the Bulls and Pistons, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "The NBA has officially postponed Tuesday's game between the Bulls and Pistons, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=5137", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 10:47:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9a66795089696c4f28368723870313b5" + }, + { + "title": "Cade Cunningham: Tuesday's game at Chicago postponed", + "description": "The NBA has officially postponed Tuesday's game between the Bulls and Pistons, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "The NBA has officially postponed Tuesday's game between the Bulls and Pistons, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=5336", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 10:45:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4db5a83bad1940fc9e8f1147faeb2917" + }, + { + "title": "LaMelo Ball: Remains out Monday", + "description": "Ball (COVID-19 health and safety protocols) is listed as out for Monday's game against the Mavericks.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Ball (COVID-19 health and safety protocols) is listed as out for Monday's game against the Mavericks.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=5151", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 9:01:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "af3d629659035403d18a9ebab6b9118b" + }, + { + "title": "LeBron James: Turns back time with triple-double", + "description": "James (abdomen) supplied 30 points (12-20 FG, 3-7 3Pt, 3-4 FT), 11 rebounds, 10 assists and three blocks across 37 minutes during Sunday's 106-94 win over Orlando.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "James (abdomen) supplied 30 points (12-20 FG, 3-7 3Pt, 3-4 FT), 11 rebounds, 10 assists and three blocks across 37 minutes during Sunday's 106-94 win over Orlando.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=2344", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 8:02:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e082449c631b5d735085890d9e2163b3" + }, + { + "title": "Kyrie Irving: 'Renewed optimism' around return", + "description": "There is \"renewed optimism\" around the Nets that Irving could return to the team at some point this season, Shams Charania of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "There is \"renewed optimism\" around the Nets that Irving could return to the team at some point this season, Shams Charania of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3186", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 7:30:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a464399903be8078529bc0cd5229a1d3" + }, + { + "title": "Mo Bamba: Won't return Sunday", + "description": "Bamba won't return to Sunday's game against the Lakers due to a right ankle sprain, Philip Rossman-Reich of OrlandoMagicDaily.com reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Bamba won't return to Sunday's game against the Lakers due to a right ankle sprain, Philip Rossman-Reich of OrlandoMagicDaily.com reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4371", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 8:50:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b2c71b8d45adebc59c1d617b1ea35266" + }, + { + "title": "LeBron James: Starting against Magic", + "description": "James (abdomen) is starting Sunday's game against the Magic, Trevor Lane of LakersNation.com reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "James (abdomen) is starting Sunday's game against the Magic, Trevor Lane of LakersNation.com reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=2344", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 6:08:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9747a97abb85d1c87d259573f168b1e9" + }, + { + "title": "D'Angelo Russell: Starting Sunday", + "description": "Russell (ankle) is starting Sunday's game against the Trail Blazers.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Russell (ankle) is starting Sunday's game against the Trail Blazers.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3708", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 5:32:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1f41256c91b6176b443d199e46fb0eae" + }, + { + "title": "Paul George: Doubtful Monday", + "description": "George (elbow) is listed as doubtful for Monday's contest against Phoenix, Andrew Greif of the Los Angeles Times reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "George (elbow) is listed as doubtful for Monday's contest against Phoenix, Andrew Greif of the Los Angeles Times reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3114", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 5:11:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ef920f1d8384bb0a4c2ef73e0d9200f0" + }, + { + "title": "Damian Lillard: Available Sunday", + "description": "Lillard (abdomen) is available for Sunday's game against Minnesota, Chris Haynes of Yahoo Sports reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Lillard (abdomen) is available for Sunday's game against Minnesota, Chris Haynes of Yahoo Sports reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3304", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 4:55:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "291a49c9f56aaaf7361ab94b303c2640" + }, + { + "title": "Luka Doncic: Expected to sit out multiple games", + "description": "The Mavericks expect Doncic (ankle) to sit out multiple games, per independent NBA writer Marc Stein.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "The Mavericks expect Doncic (ankle) to sit out multiple games, per independent NBA writer Marc Stein.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4396", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 1:52:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "180f14efc21358e0ad08a7ac6e041413" + }, + { + "title": "Jimmy Butler: Not traveling for Monday", + "description": "Butler (tailbone) won't travel with the team for Monday's game at Cleveland, Anthony Chiang of the Miami Herald reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Butler (tailbone) won't travel with the team for Monday's game at Cleveland, Anthony Chiang of the Miami Herald reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3231", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 1:19:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b5d82a2efdb1d16a9fdee6dad4d57077" + }, + { + "title": "Kevin Porter: Out again Monday", + "description": "Porter (thigh) is out for Monday's game against the Hawks, Adam Spolane of Sports Radio 610 Houston reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Porter (thigh) is out for Monday's game against the Hawks, Adam Spolane of Sports Radio 610 Houston reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4773", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 1:10:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f200a695265a19b4038ad73ba66a0e55" + }, + { + "title": "Robert Covington: Dropped from starting five", + "description": "Covington is set to move to the bench for Sunday's game against the Timberwolves, Jason Quick of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Covington is set to move to the bench for Sunday's game against the Timberwolves, Jason Quick of The Athletic reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3495", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 12:31:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c2e8d90df123b873959bc4182212fe68" + }, + { + "title": "Coby White: Back with team", + "description": "White (illness) has cleared the NBA's health and safety protocols and will rejoin the Bulls for practice Sunday, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "White (illness) has cleared the NBA's health and safety protocols and will rejoin the Bulls for practice Sunday, Adrian Wojnarowski of ESPN reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4801", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 11:13:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "48780c9f9e961bfd5d1b3ec9e3be054c" + }, + { + "title": "D'Angelo Russell: Appears on track to play", + "description": "Timberwolves head coach Chris Finch said Russell (ankle) \"looks like\" he'll be available for Sunday's game against the Trail Blazers, Chris Hine of the Minneapolis Star Tribune reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Timberwolves head coach Chris Finch said Russell (ankle) \"looks like\" he'll be available for Sunday's game against the Trail Blazers, Chris Hine of the Minneapolis Star Tribune reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3708", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 10:54:00 AM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "154b91bef66f8979c22944c6820b0c16" + }, + { + "title": "Nikola Jokic: Registers huge double-double", + "description": "Jokic accumulated 35 points (15-24 FG, 4-6 3Pt, 1-1 FT), 17 rebounds, eight assists, two blocks and one steal in 34 minutes during Saturday's 127-112 win over the Spurs.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Jokic accumulated 35 points (15-24 FG, 4-6 3Pt, 1-1 FT), 17 rebounds, eight assists, two blocks and one steal in 34 minutes during Saturday's 127-112 win over the Spurs.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3612", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 11:29:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5dc125b265a714bf780753ed97949c89" + }, + { + "title": "Stephen Curry: Stifled in bid for 3Pt record", + "description": "Curry logged 18 points (6-20 FG, 3-14 3Pt, 3-4 FT), nine rebounds and five assists across 36 minutes during Saturday's 102-93 loss to Philadelphia.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Curry logged 18 points (6-20 FG, 3-14 3Pt, 3-4 FT), nine rebounds and five assists across 36 minutes during Saturday's 102-93 loss to Philadelphia.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3014", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 10:24:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d58c5171bb239a4791c792dc2cb4a515" + }, + { + "title": "Damian Lillard: Officially questionable for Sunday", + "description": "Lillard (abdomen) is listed as questionable ahead of Sunday's game against the Timberwolves, Casey Holdahl of the Trail Blazers' official site reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Lillard (abdomen) is listed as questionable ahead of Sunday's game against the Timberwolves, Casey Holdahl of the Trail Blazers' official site reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3304", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 7:15:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "68018d8d328b8ba2647f2052e6904d42" + }, + { + "title": "Steven Adams: Sprains ankle", + "description": "Adams will not return to Saturday's game against the Rockets after spraining his ankle in the third quarter, Evan Barnes of The Memphis Commercial Appeal reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Adams will not return to Saturday's game against the Rockets after spraining his ankle in the third quarter, Evan Barnes of The Memphis Commercial Appeal reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3445", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 6:43:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ffe4e60676b714264bdbfde44325c558" + }, + { + "title": "Jerami Grant: Out indefinitely", + "description": "Grant has suffered torn ligaments in his right thumb and will be out indefinitely, Shams Charania of The Athletic reports\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Grant has suffered torn ligaments in his right thumb and will be out indefinitely, Shams Charania of The Athletic reports\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3588", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 6:34:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7c4a922a22a15b45241d7684fa6b1eaa" + }, + { + "title": "Keldon Johnson: Good to go Saturday", + "description": "Johnson (ankle) is available Saturday against the Nuggets, Paul Garcia of ProjectSpurs.com reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Johnson (ankle) is available Saturday against the Nuggets, Paul Garcia of ProjectSpurs.com reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=4782", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 3:51:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9283c20a63cc18c8ed727743c64da358" + }, + { + "title": "Alex Caruso: On minutes limit", + "description": "Caruso (hamstring) will be kept under the \"36-minute range\" for Saturday's game against the Heat, Rob Schaefer of NBC Sports Chicago reports.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Caruso (hamstring) will be kept under the \"36-minute range\" for Saturday's game against the Heat, Rob Schaefer of NBC Sports Chicago reports.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3952", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 3:42:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b087405644f3a1e8c3ce084dfa2693e9" + }, + { + "title": "Jerami Grant: Out vs. Nets", + "description": "Grant (thumb) is out against the Nets on Sunday.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Grant (thumb) is out against the Nets on Sunday.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=3588", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 2:40:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7f15c4284aecda1cbf4f952e8246f6ac" + }, + { + "title": "LeBron James: Probable Sunday", + "description": "James (abdomen) is probable for Sunday's game against the Magic.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "James (abdomen) is probable for Sunday's game against the Magic.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=2344", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 2:38:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "858fd1d5fd9b752f8f9121f0fe6e238b" + }, + { + "title": "Obi Toppin: Unavailable Sunday", + "description": "Toppin has been ruled out for Sunday's game against the Bucks due to the league's health and safety protocols.\n\n Visit RotoWire.com for more analysis on this update.", + "content": "Toppin has been ruled out for Sunday's game against the Bucks due to the league's health and safety protocols.\n\n Visit RotoWire.com for more analysis on this update.", + "category": "", + "link": "https://rotowire.com/basketball/player.php?id=5109", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 2:29:00 PM PST", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "RotoWire", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7fc41ee50b731bd5958fc25763d3098c" + }, { "title": "Jaren Jackson: Unlikely to play Saturday", "description": "Jackson is doubtful for Saturday's game against the Rockets due to left knee soreness.\n\n Visit RotoWire.com for more analysis on this update.", @@ -20016,6 +23295,111 @@ "image": null, "description": "Latest sports news from aroud the globe, including breaking news, analysis and interviews.", "items": [ + { + "title": "Barcelona call press conference to discuss Aguero future", + "description": "\n ", + "content": "\n ", + "category": "", + "link": "https://sport360.com/article/football/barcelona/346811/barcelona-call-press-conference-to-discuss-aguero-future", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 17:29:57 +0400", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Sport360", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "545cfa8b502af7f17ef45bdf7dd8b237" + }, + { + "title": "Triple Threat Victorious in Dubai’s 2021 Super League Basketball Championship", + "description": "\n ", + "content": "\n ", + "category": "", + "link": "https://sport360.com/article/other/346808/triple-threat-victorious-in-dubais-2021-super-league-basketball-championship", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 14:08:58 +0400", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Sport360", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c6fa634f38e219a6425d44688e4e2060" + }, + { + "title": "Top Arab talent set to join Olympic gold medallist Ahmed Hafnaoui at FINA World Swimming Championships", + "description": "\n ", + "content": "\n ", + "category": "", + "link": "https://sport360.com/article/other/346806/top-arab-talent-set-to-join-olympic-gold-medallist-ahmed-hafnaoui-at-fina-world-swimming-championships", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:55:09 +0400", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Sport360", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a14fbf656addffcead0ab0640e938844" + }, + { + "title": "Gerard Pique reflects on ‘critical situation’ for Barcelona", + "description": "\n ", + "content": "\n ", + "category": "", + "link": "https://sport360.com/article/football/barcelona/346802/gerard-pique-reflects-on-critical-situation-for-barcelona", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 12:17:27 +0400", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Sport360", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dc483963eec3c0888e13ba1c277ec02a" + }, + { + "title": "Xavi concerned by Barcelona’s reliance on youngsters", + "description": "\n ", + "content": "\n ", + "category": "", + "link": "https://sport360.com/article/football/barcelona/346800/xavi-concerned-by-barcelonas-reliance-on-youngsters", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 12:15:48 +0400", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Sport EN", + "feed": "Sport360", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "47432ac9f5e8baf9910d777b9f92f3e4" + }, { "title": "Nike Live arrives in Dubai", "description": "\n ", @@ -20419,6 +23803,489 @@ "image": "https://www.lequipe.fr/rss/logo_RSS.gif", "description": "L'Equipe.fr, Toute l'actualité du Rugby", "items": [ + { + "title": "Rugby - CE - Montpellier : un cinquième cas positif au covid détecté avant le match contre le Leinster", + "description": "Le MHR a annoncé mardi matin un cinquième cas positif dans son groupe après les tests réalisés lundi. La préparation du match de Coupe d'Europe contre le Leinster vendredi soir est fortement perturbée.", + "content": "Le MHR a annoncé mardi matin un cinquième cas positif dans son groupe après les tests réalisés lundi. La préparation du match de Coupe d'Europe contre le Leinster vendredi soir est fortement perturbée.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Montpellier-un-cinquieme-cas-positif-au-covid-detecte-avant-le-match-contre-le-leinster/1305239#xtor=RSS-1", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:09:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/les-montpellierains-cobus-reinach-zach-mercer-alexandre-becognee-et-bastien-chalureau-de-gauche/1500000001581845/0:0,1994:1330-665-335-70/0b940.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b5323b9b40da8ffee8919cf50f99916c" + }, + { + "title": "Rugby - Top 14 - SF - Sefanaia Naivalu prolonge de deux ans au Stade Français", + "description": "L'ailier australien Sefanaia Naivalu qui devrait effectuer prochainement son retour à la compétition a prolongé son contrat de deux ans avec le Stade Français.", + "content": "L'ailier australien Sefanaia Naivalu qui devrait effectuer prochainement son retour à la compétition a prolongé son contrat de deux ans avec le Stade Français.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Sefanaia-naivalu-prolonge-de-deux-ans-au-stade-francais/1305232#xtor=RSS-1", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 11:35:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/sefanaia-naivalu-a-decide-de-prolonger-son-aventure-avec-le-stade-francais-f-faugere-l-equipe/1500000001581832/0:0,1995:1330-665-335-70/ea439.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e11b60e0b0069a9da6b3224250b5d15a" + }, + { + "title": "Rugby - Top 14 - SF - Waisea Nayacalevu (Stade Français) rejoint Toulon", + "description": "Après dix années passées sous le maillot du Stade Français, l'international fidjien Waisea Nayacalevu change d'air et va rejoindre Toulon.", + "content": "Après dix années passées sous le maillot du Stade Français, l'international fidjien Waisea Nayacalevu change d'air et va rejoindre Toulon.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Waisea-nayacalevu-stade-francais-rejoint-toulon/1305228#xtor=RSS-1", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 11:26:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/le-5-decembre-dernier-contre-la-rochelle-nayacalevu-avait-inscrit-deux-des-trois-essais-du-stade/1500000001581825/221:228,1844:1310-665-335-70/fd00d.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "512547a32cb9f9101f23a70e1c4afb29" + }, + { + "title": "Rugby - Top 14 - UBB - Le Bordelais Alexandre Roumat signe à Toulouse", + "description": "Le troisième-ligne de l'Union Bordeaux-Bègles Alexandre Roumat a confirmé sa signature au Stade Toulousain à partir de la saison prochaine.", + "content": "Le troisième-ligne de l'Union Bordeaux-Bègles Alexandre Roumat a confirmé sa signature au Stade Toulousain à partir de la saison prochaine.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Le-bordelais-alexandre-roumat-signe-a-toulouse/1305227#xtor=RSS-1", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 11:22:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/alexandre-roumat-a-l-echauffement-face-a-leicester-le-week-end-dernier-b-papon-l-equipe/1500000001581824/0:0,1995:1330-665-335-70/a873f.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "78439fd9b93e62eaee0f2c327ca187ff" + }, + { + "title": "Rugby - Top 14/CE - L'ailier de La Rochelle Arthur Retière absent plusieurs mois", + "description": "Arthur Retière, l'ailier international de La Rochelle, blessé à une jambe, dimanche en Coupe d'Europe, a annoncé lundi soir qu'il serait absent pendant plusieurs mois.", + "content": "Arthur Retière, l'ailier international de La Rochelle, blessé à une jambe, dimanche en Coupe d'Europe, a annoncé lundi soir qu'il serait absent pendant plusieurs mois.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/L-ailier-de-la-rochelle-arthur-retiere-absent-plusieurs-mois/1305223#xtor=RSS-1", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 11:11:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/-c-est-reparti-pour-quelques-mois-au-stand-a-commente-arthur-retiere-a-propos-de-sa-blessure/1500000001581806/272:136,1896:1219-665-335-70/1a457.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f01a4611acf873f350fe395f094dcdbc" + }, + { + "title": "Rugby - CE - Coronavirus - Coupe d'Europe : Montpellier touché par le Covid-19, le match contre le Leinster menacé", + "description": "Les joueurs de Montpellier sont passés à l'isolement ce lundi après la découverte de plusieurs cas positifs au Covid-19. Le Leinster, qui doit venir dans l'Hérault vendredi soir en Coupe d'Europe, est aussi touché.", + "content": "Les joueurs de Montpellier sont passés à l'isolement ce lundi après la découverte de plusieurs cas positifs au Covid-19. Le Leinster, qui doit venir dans l'Hérault vendredi soir en Coupe d'Europe, est aussi touché.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Coupe-d-europe-montpellier-touche-par-le-covid-19-le-match-contre-le-leinster-menace/1305133#xtor=RSS-1", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:48:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/montpellier-est-touche-par-le-covid-19-s-thomas-l-equipe/1500000001581639/0:0,1993:1329-665-335-70/abb6b.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "40edda360dafa36a98e91785387e14fa" + }, + { + "title": "Rugby - Joe Schmidt devrait rejoindre les Blacks au côté de Ian Foster", + "description": "Selon les médias néo-zélandais, l'ancien sélectionneur de l'Irlande devrait remplacer Grant Fox au sein du comité de sélection des All Blacks pour épauler Ian Foster, très critiqué après une tournée d'automne manquée.", + "content": "Selon les médias néo-zélandais, l'ancien sélectionneur de l'Irlande devrait remplacer Grant Fox au sein du comité de sélection des All Blacks pour épauler Ian Foster, très critiqué après une tournée d'automne manquée.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Joe-schmidt-devrait-rejoindre-les-blacks-au-cote-de-ian-foster/1305108#xtor=RSS-1", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 17:09:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/joe-schmidt-est-l-ancien-selectionneur-de-l-irlande-n-luttiau-l-equipe/1500000001581599/0:0,1997:1331-665-335-70/5e9a2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "04d0ecc97850e5ad764e19d62ede3ae3" + }, + { + "title": "Rugby - Top 14 - Boxing Day - La LNR et le Top 14 lèvent des fonds pour Les Restos du Coeur à l'occasion du Boxing Day", + "description": "À l'occasion du Boxing Day de Top 14 (26-27 décembre), la LNR va récolter des fonds à destination des Restos du Coeur. La collecte a lieu en ligne et les joueurs porteront des maillots spéciaux, mis ensuite aux enchères.", + "content": "À l'occasion du Boxing Day de Top 14 (26-27 décembre), la LNR va récolter des fonds à destination des Restos du Coeur. La collecte a lieu en ligne et les joueurs porteront des maillots spéciaux, mis ensuite aux enchères.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/La-lnr-et-le-top-14-levent-des-fonds-pour-les-restos-du-coeur-a-l-occasion-du-boxing-day/1305047#xtor=RSS-1", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 11:27:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/la-lnr-et-les-clubs-du-top-14-vont-se-mobiliser-pour-les-restos-du-coeur-lors-du-boxing-day-f-la/1500000001581485/0:0,1994:1330-665-335-70/9f7ca.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc0f4776a0a89f42583ed87dadb7dbf1" + }, + { + "title": "Rugby - CE - Castres - Pierre-Henry Broncan (Castres) : « Les joueurs ont été au niveau européen »", + "description": "Battus de peu par les Harlequins (18-20) ce dimanche en Coupe d'Europe, les Castrais étaient tout de même fiers d'avoir répondu présents face aux champions d'Angleterre.", + "content": "Battus de peu par les Harlequins (18-20) ce dimanche en Coupe d'Europe, les Castrais étaient tout de même fiers d'avoir répondu présents face aux champions d'Angleterre.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Pierre-henry-broncan-castres-les-joueurs-ont-ete-au-niveau-europeen/1304958#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 21:17:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/broncan-pierre-henry-f-lancelot-l-equipe/1500000001581251/0:121,1998:1453-665-335-70/1fa98.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "34ab358afbe1478e705df6323c3b9b64" + }, + { + "title": "Rugby - CE - Castres tombe à domicile face aux Harlequins en Coupe d'Europe", + "description": "Défaite (18-20) du Castres Olympique avec bonus défensif, dimanche soir à Pierre-Fabre, face au club anglais des Harlequins en clôture de la première journée de Coupe d'Europe.", + "content": "Défaite (18-20) du Castres Olympique avec bonus défensif, dimanche soir à Pierre-Fabre, face au club anglais des Harlequins en clôture de la première journée de Coupe d'Europe.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Castres-tombe-a-domicile-face-aux-harlequins-en-coupe-d-europe/1304937#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 20:15:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/la-defense-castraise-pourtant-solide-n-a-pas-ete-capable-de-bloquer-les-offensives-des-harlequins/1500000001581190/437:161,1921:1151-665-335-70/8bab6.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "41ee8a91a3cca6af1288505099f90322" + }, + { + "title": "Rugby - CE - La Rochelle - Arthur Retière (La Rochelle) touché au péroné face à Glasgow", + "description": "Sorti sur civière contre Glasgow ce dimanche en Coupe d'Europe, l'ailier de La Rochelle Arthur Retière est victime d'une fissure du péroné.", + "content": "Sorti sur civière contre Glasgow ce dimanche en Coupe d'Europe, l'ailier de La Rochelle Arthur Retière est victime d'une fissure du péroné.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Arthur-retiere-la-rochelle-gravement-blesse-a-une-cheville-face-a-glasgow/1304869#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 20:00:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/arthur-retiere-face-a-glasgow-r-perrocheau-l-equipe/1500000001581054/256:171,1742:1162-665-335-70/cd322.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "552c9b7fb4012d85abe91545859c419a" + }, + { + "title": "Rugby - CE - La Rochelle - Ronan O'Gara est « fier de ses joueurs » après la victoire de La Rochelle contre Glasgow en Champions Cup", + "description": "Le manager du Stade Rochelais, Ronan O'Gara, a apprécié la réaction de ses joueurs contre Glasgow (20-13) en Coupe d'Europe ce dimanche.", + "content": "Le manager du Stade Rochelais, Ronan O'Gara, a apprécié la réaction de ses joueurs contre Glasgow (20-13) en Coupe d'Europe ce dimanche.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Ronan-o-gara-est-fier-de-ses-joueurs-apres-la-victoire-de-la-rochelle-contre-glasgow-en-champions-cup/1304932#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 19:51:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/ronan-o-gara-et-les-rochelais-ont-bien-lance-leur-campagne-europeenne-r-perrocheau-l-equipe/1500000001581183/0:0,1995:1330-665-335-70/a37cb.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "04a30299412b774fa85aad2c26223c29" + }, + { + "title": "Rugby - Pro D2 - Bayonne surclasse Montauban en Pro D2", + "description": "Les Bayonnais ont largement dominé Montauban (41-24), ce dimanche à l'occasion de la 14e journée de Pro D2, et restent au contact de Mont-de-Marsan et Oyonnax au classement.", + "content": "Les Bayonnais ont largement dominé Montauban (41-24), ce dimanche à l'occasion de la 14e journée de Pro D2, et restent au contact de Mont-de-Marsan et Oyonnax au classement.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Bayonne-surclasse-montauban-en-pro-d2/1304892#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 18:11:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/remy-baget-a-inscrit-l-essai-du-bonus-contre-montauban-n-luttiau-l-equipe/1500000001581106/109:218,1593:1208-665-335-70/227d4.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ae57222cef5a3bd5fcbdd1b1a82002ad" + }, + { + "title": "Rugby - CE - La Rochelle l'emporte à domicile devant Glasgow en Coupe d'Europe", + "description": "Courte victoire rochelaise (20-13), dimanche soir à Marcel-Deflandre, face aux Glasgow Warriors qui récoltent un bonus défensif lors de la première journée de Coupe d'Europe.", + "content": "Courte victoire rochelaise (20-13), dimanche soir à Marcel-Deflandre, face aux Glasgow Warriors qui récoltent un bonus défensif lors de la première journée de Coupe d'Europe.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/La-rochelle-l-emporte-a-domicile-devant-glasgow-en-coupe-d-europe/1304891#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 18:11:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/le-troisieme-ligne-centre-international-et-capitaine-du-stade-rochelais-gregory-alldritt-defie-la/1500000001581105/387:322,1459:1037-665-335-70/8a231.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fe7d36351d1e0d00b9b8a2709cee16aa" + }, + { + "title": "Rugby - CE - Le Stade Français pulvérisé au Connacht en Coupe d'Europe", + "description": "Largement battus (36-9) à Galway face à la province irlandaise du Connacht, les Parisiens ont encaissé six essais sans en inscrire un seul lors de la première journée de Coupe d'Europe.", + "content": "Largement battus (36-9) à Galway face à la province irlandaise du Connacht, les Parisiens ont encaissé six essais sans en inscrire un seul lors de la première journée de Coupe d'Europe.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Le-stade-francais-pulverise-au-connacht-en-coupe-d-europe/1304839#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:46:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/l-ailier-gauche-irlandais-porch-inscrit-le-deuxieme-des-six-essais-du-connacht-dimanche-a-galway-f/1500000001580939/0:0,1890:1260-665-335-70/2dd6a.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "699a931018430561155803975195d4d1" + }, + { + "title": "Rugby - CE - La Rochelle - Levani Botia forfait avec La Rochelle contre Glasgow, Jonathan Danty d'entrée", + "description": "Le Stade Rochelais a annoncé le forfait de son centre Levani Botia contre Glasgow ce dimanche (16h15). Le Fidjien est remplacé par Jonathan Danty.", + "content": "Le Stade Rochelais a annoncé le forfait de son centre Levani Botia contre Glasgow ce dimanche (16h15). Le Fidjien est remplacé par Jonathan Danty.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Levani-botia-forfait-avec-la-rochelle-contre-glasgow-jonathan-danty-d-entree/1304836#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 15:31:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/levani-botia-en-action-a-montpellier-sy-thomas-l-equipe/1500000001580925/0:0,1992:1328-665-335-70/9553e.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "43397a25c6b7b8eb282259390f0d35b0" + }, + { + "title": "Rugby - CE - MHR - Kélian Galletier (Montpellier), après son retour à la compétition à Exeter : « C'était cool »", + "description": "Pour la première fois depuis plus d'un an, Kélian Galletier, capitaine de Montpellier à Exeter samedi, a rejoué à quinze. Si le retour a été rude sportivement face à des Chiefs impitoyables (défaite 6-42), le troisième-ligne a trouvé son plaisir ailleurs.", + "content": "Pour la première fois depuis plus d'un an, Kélian Galletier, capitaine de Montpellier à Exeter samedi, a rejoué à quinze. Si le retour a été rude sportivement face à des Chiefs impitoyables (défaite 6-42), le troisième-ligne a trouvé son plaisir ailleurs.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Kelian-galletier-montpellier-apres-son-retour-a-la-competition-a-exeter-c-etait-cool/1304808#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 12:46:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/kelian-galletier-a-l-issue-du-match-perdu-par-montpellier-a-exeter-samedi-d-mullan-afp/1500000001580835/0:0,1936:1291-665-335-70/22675.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e3d356286b8f13a86e365957be1145ab" + }, + { + "title": "Rugby - CE - SF - Coupe d'Europe : le Stade Français se déplace au Connacht sans Gonzalo Quesada, cas contact", + "description": "Gonzalo Quesada, l'entraîneur du Stade Français, ne s'est pas rendu en Irlande pour le premier match de Coupe d'Europe de son équipe, dimanche. Il est « cas contact » au Covid-19.", + "content": "Gonzalo Quesada, l'entraîneur du Stade Français, ne s'est pas rendu en Irlande pour le premier match de Coupe d'Europe de son équipe, dimanche. Il est « cas contact » au Covid-19.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Coupe-d-europe-le-stade-francais-se-deplace-au-connacht-sans-gonzalo-quesada-cas-contact/1304799#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 12:02:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/gonzalo-quesada-ne-s-est-pas-rendu-en-irlande-avec-le-stade-francais-j-m-hervio-l-equipe/1500000001580805/215:279,1699:1268-665-335-70/a55f2.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "675edf2ac1dc68b1c4ae0852ce0f50ed" + }, + { + "title": "Rugby - CE - MHR - Philippe Saint-André (Montpellier) après la lourde défaite contre Exeter : « Les deux derniers essais sont de trop »", + "description": "Mené 7-6 à la mi-temps à Exeter, un Montpellier remanié s'est finalement lourdement incliné 42-6, dépassé physiquement en deuxième période.", + "content": "Mené 7-6 à la mi-temps à Exeter, un Montpellier remanié s'est finalement lourdement incliné 42-6, dépassé physiquement en deuxième période.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Philippe-saint-andre-montpellier-apres-la-lourde-defaite-contre-exeter-les-deux-derniers-essais-sont-de-trop/1304761#xtor=RSS-1", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 00:02:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/philippe-saint-andre-a-martin-l-equipe/1500000001580716/35:468,1975:1761-665-335-70/f5342.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "bbabc005f1c8089d96513f7336c7722c" + }, + { + "title": "Rugby - CE - ASM - Arthur Iturria, capitaine de Clermont : « On se tire une balle dans le pied »", + "description": "Après la défaite de Clermont contre l'Ulster (23-29), le capitaine de Clermont, Arthur Iturria, regrettait un mauvais départ qui complique déjà la saison européenne de l'ASM.", + "content": "Après la défaite de Clermont contre l'Ulster (23-29), le capitaine de Clermont, Arthur Iturria, regrettait un mauvais départ qui complique déjà la saison européenne de l'ASM.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Arthur-iturria-capitaine-de-clermont-on-se-tire-une-balle-dans-le-pied/1304741#xtor=RSS-1", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 23:14:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/l-asm-d-arthur-iturria-a-chute-face-a-l-ulster-a-martin-l-equipe/1500000001580695/3:109,1177:891-665-335-70/8681a.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "deee9264cfa5a2379abd75ed04183df7" + }, + { + "title": "Rugby - CE - Montpellier s'incline lourdement à Exeter en Coupe d'Europe", + "description": "Très nette défaite (42-6) du MHR, six essais à zéro, samedi soir à Exeter, lors de la première journée de Coupe d'Europe.", + "content": "Très nette défaite (42-6) du MHR, six essais à zéro, samedi soir à Exeter, lors de la première journée de Coupe d'Europe.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Montpellier-s-incline-lourdement-a-exeter-en-coupe-d-europe/1304731#xtor=RSS-1", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 22:50:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/entre-jeremie-maurouard-et-louis-foursans-le-centre-international-anglais-d-exeter-henry-slade-tr/1500000001580680/0:0,1875:1250-665-335-70/25904.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c4b0342eff7360359b3b3ffe5a28506f" + }, + { + "title": "Rugby - CE - UBB - Christophe Urios, manager de l'Union Bordeaux-Bègles : « La meilleure équipe a gagn頻", + "description": "Le manager de Bordeaux-Bègles, battu samedi par Leicester (13-16) lors de la première journée de Coupe d'Europe, reconnaissait la supériorité du club anglais.", + "content": "Le manager de Bordeaux-Bègles, battu samedi par Leicester (13-16) lors de la première journée de Coupe d'Europe, reconnaissait la supériorité du club anglais.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Christophe-urios-manager-de-l-union-bordeaux-begles-la-meilleure-equipe-a-gagne/1304711#xtor=RSS-1", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 21:52:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/christophe-urios-samedi-lors-du-match-face-a-leicester-b-papon-l-equipe/1500000001580644/0:0,1994:1329-665-335-70/95898.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "69f82200be571411f166c6dda3bec36e" + }, + { + "title": "Rugby - CE - Clermont étouffé à domicile par l'Ulster en Coupe d'Europe", + "description": "Mauvais départ des Auvergnats (23-29) qui ne récoltent qu'un bonus défensif sur leur terrain face à la province irlandaise de l'Ulster, samedi soir, lors de la première journée de Coupe d'Europe.", + "content": "Mauvais départ des Auvergnats (23-29) qui ne récoltent qu'un bonus défensif sur leur terrain face à la province irlandaise de l'Ulster, samedi soir, lors de la première journée de Coupe d'Europe.", + "category": "", + "link": "https://www.lequipe.fr/Rugby/Actualites/Clermont-etouffe-a-domicile-par-l-ulster-en-coupe-d-europe/1304683#xtor=RSS-1", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 20:28:00 +0100", + "enclosure": "https://medias.lequipe.fr/img-photo-jpg/l-ailier-droit-clermontois-damian-penaud-auteur-d-un-double-face-a-l-ulster-samedi-soir-a-marcel-m/1500000001580610/442:351,1761:1231-665-335-70/23d64.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "L'Equipe - Rugby", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ac65d1bdc06a2226a2d08a71198af7f5" + }, { "title": "Rugby - CE - Bordeaux-Bègles s'incline à domicile face à Leicester en Coupe d'Europe", "description": "Défaite (13-16) des Bordelais, samedi soir à Chaban-Delmas, face aux Tigres de Leicester lors de la première journée de Coupe d'Europe.", @@ -25117,6 +28984,573 @@ "image": "https://www.lerugbynistere.fr/imgs/design/logo-rugbynistere-default.png", "description": "Retrouvez ici nos derniers articles", "items": [ + { + "title": "VIDÉO. En 2018, Huget, Ntamack et Dupont faisaient plier les Wasps en Champions Cup", + "description": "En 2018, le Stade Toulousain s'était difficilement imposé face aux Wasps. Une victoire bonifiée 42-27 avec 5 essais au compteur qui avait mis du temps à se dessiner.", + "content": "Ce week-end, Toulouse reçoit les Wasps pour la deuxième journée de Champions Cup. Les champions d'Europe tenteront de décrocher une deuxième victoire en autant de matchs dans la compétition continentale face à une équipe anglaise qui s'avancera amoindrie et sûrement expérimentale. Mais ce choc entre les deux équipes n'est pas sans nous rappeler les glorieuses affiches des années 2000, quand chacune des formations trustaient les premières places du classement. En 2004 notamment, les ''Guêpes'' s'étaient imposées en finale de H Cup contre ces mêmes Toulousains. \nCOUPE D'EUROPE. Les Wasps vont-ils pouvoir affronter le Stade Toulousain en Champions Cup ?Depuis de l'eau a coulé sous les ponts. Et si les Wasps restent une équipe phare outre-Manche, elle n'arrive plus à performer sur la scène continentale. Le dernier affrontement entre les deux formations remonte à décembre 2018. À l'époque, les hommes d'Ugo Mola marchent sur l'eau. Ils ne le savent pas encore, mais quelques mois plus tard, ils décrocheront le titre de champion de France après une saison tout bonnement exceptionnelle. Ce 15 décembre 2018, les Haut-Garonnais foulent donc la pelouse d'Ernest-Wallon avec le costume de favori. Une semaine auparavant, ils se s'étaient imposés sur le sol anglais (16-24) avec notamment un essai stratosphérique de Cheslin Kolbe.\nCheslin Kolbe mystifie la défense des Wasps pour un essai de 60m [VIDÉO]Mais à Toulouse, les locaux vont longtemps faire face à la pugnacité des visiteurs. Si bien qu'à la mi-temps, seuls deux petits points séparent les deux équipes (22-20). Toulouse finira finalement par s'imposer 42 à 27 avec cinq essais à la clé signés Huget, Ntamack, Tekori et Dupont (x2). Le Stade Toulousain terminera deuxième de cette poule 1 derrière le Leinster, qui sera par ailleurs son bourreau en demi-finale. Les Wasps quant à eux ne sortiront pas du groupe et termineront à la dernière place. \n", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/video-en-2018-toulouse-venait-difficilement-a-bout-des-wasps-1412211914.php", + "creator": "", + "pubDate": "2021-12-14 19:45:00", + "enclosure": "https://www.lerugbynistere.fr/photos/t-14-12-21-7668.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "74170f23543b0643a4df284baf39de5d" + }, + { + "title": "Rugby. Champions Cup. Ce qui n'a pas fonctionné pour Clermont face à l'Ulster", + "description": "Clermont s'est incliné pour la première fois de son histoire à domicile face à l'Ulster ce samedi. Comment les Auvergnats ont-ils manqué le coche ?", + "content": "Dans un match à haute intensité et de très haut niveau, la province de l'Ulster a réussi l'exploit de prendre le meilleur sur l'ASM Clermont-Ferrand, et ainsi d'avoir une sérieuse option pour la qualification en vue des huitièmes de finale de la Champions Cup 2021/22. Cette défaite à domicile met les hommes de Jono Gibbes en difficulté, mais avec 16 places disponibles pour les phases finales, la marge s'annonce finalement suffisante pour passer. Se pose alors la question des phases finales, et du niveau à avoir dans ce genre de rencontre. Battue à la régulière contre l'Ulster, Clermont a-t-il simplement eu un accident de parcours, ou au contraire peut-il dores et déjà considérer que cette saison européenne sera loin de sa portée ?\nLes petites erreurs font de grandes désillusions\nOn le sait à ce niveau de la compétition, pour paraphraser Pierre Berbizier : \" La moindre erreur se paie instantanément ou plus tard dans la rencontre.\" La constance et la précision ont eu raison des clermontois ce samedi face aux irlandais. Même si paradoxalement, les deux équipes ont manqué d'efficacité lors de leurs temps forts, et en ont retrouvé au contraire lorsqu'elles étaient dominées, les Irlandais n'ont à la différence de leurs adversaires pas connue de trou d'air du match. Le premier quart d'heure était totalement en faveur des ulstermen, pour qui tout a réussi et marché, en plus des erreurs de cadets effectuées en face. Une touche mal captée à 5m de l'en-but adverse, une pénalité concédée en touche, des ballons en l'air mal négociés qui ont permis aux irlandais de gagner gratuitement du terrain etc. Premier quart d'heure fatal où Clermont a donné les deux premières pénalités à son adversaire.\nDes chiffres semblables\nCe premier quart d'heure peut-être d'autant plus frustrant que les chiffres de la rencontre plaident pour montrer que les deux équipes se tenaient.\n\n\n9v8\n\n\nDiscipline : Clermont a concédé 9 pénalités contre 8 pour l'Ulster\n\n\n\n\n85%\n\n\nEfficacité au plaquage. Clermont a été plus efficace en défense que l'Ulster (73% de plaquages réussis). Signe que Clermont arrivait à prendre le dessus... et à ne pas concrétiser. \n\n\n\n\n46%\n\n\nPossession du ballon des jaunes et bleus (54 pour Ulster). Les clermontois ont effectué le même nombre de passes après-contacts et de récupérations de ballon que leurs adversaires : 12 et 17.\nClermont a cassé la ligne adverse à six occasions contre 5 pour l'Ulster. Enfin, les jaunards ont battu 16 défenseurs contre 11 en face.\n\n\nAperçus des manques auvergnats\nOn l'a vu au paragraphe précédent, Clermont pouvait très bien remporter la rencontre face à l'Ulster. Même si ces derniers avaient l'opportunité de marquer plus de points en première mi-temps, les Jaunards ont manqué 3 points au pied et partaient de trop loin face à une équipe solide qui a effectué très peu de fautes de goût. Symbole du manque Clermontois, les montées défensives, dignes de voitures aux pneus crevés :\n\n\nL'Ulster est une équipe qui a l'habitude jouer à plat et proche de la ligne d'avantage, la défense peu agressive des Clermontois lui a permis de la prendre à plusieurs reprises.\nConclusion et observations\nEn plus d'avoir du se priver de Lopez, Moala ou Matsushima juste avant le coup d'envoi, les coéquipiers de Damian Penaud n'en sont pas du tout au même point que l'Ulster. Jono Gibbes vient d'arriver cette saison à Clermont, alors que l'entraineur en chef des Irlandais Dan McFarland, est à Belfast depuis 2018. Il est évident dès lors que les deux équipes ne possèdent pas le même rendement. Gibbes en analyse d'après match, l'avait d'ailleurs très bien analysé avec beaucoup de lucidité.\nL'objectif est de réaliser de nouvelles choses, de les approcher de manière différente et positive, et ainsi acquérir de l'expérience pour les prochaines échéances. C'est assez difficile de faire ça en phase finale, car une fois que vous y êtes, chaque match est face à une équipe de grande qualité. Donc finalement, quand vient ce genre de moment, la marge est très très faible, et vous avez seulement 80 minutes pour soit réaliser de grande choses, soit en subir les conséquences.\nQuand Franck Azéma a quitté le club après tout ce temps, les choses allaient changer. Ce sera toujours dans ces cas-là différent. La manière de s'entrainer, de travailler, de voir les choses... cette équipe de Clermont commence juste de travailler d'une nouvelle manière avec un nouvel entraineur, ça prendra du temps.\nEn somme, il est difficile de reprocher à Clermont d'avoir perdu face à l'Ulster. Le temps donnera à cette équipe du coffre pour ne plus connaitre de trou d'air, et ainsi être capable de réaliser des performances de 80 minutes.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/rugby-champions-cup-ce-qui-na-pas-fonctionne-pour-clermont-face-a-lulster-1412211743.php", + "creator": "", + "pubDate": "2021-12-14 18:15:00", + "enclosure": "https://www.lerugbynistere.fr/photos/clermont-v-ulster-14-12-21-674.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "67744bb0b3a9c872191bf7535bd6e1bd" + }, + { + "title": "RUGBY. Stade Rochelais. Grégory Alldritt, l'autre Gersois qui a été énorme en Champions Cup", + "description": "Pour l’ouverture de la campagne européenne, le troisième ligne rochelais, Grégory Alldritt, a été auteur d’une performance XXL lors du succès des siens face aux Glasgow Warriors.", + "content": "RESUME VIDEO. Champions Cup. L'omniprésent Antoine Dupont a fait la totale aux Gallois de CardiffPour la première journée des compétitions européennes, de nombreux joueurs français nous ont offert des prestations remarquées. Comme à son habitude, du côté du Stade Toulousain, c’est le capitaine Antoine Dupont qui a brillé pour le premier match de Champions Cup. Récemment élu meilleur joueur du monde, le demi de mêlée international ne s’est pas reposé sur ses lauriers pour le déplacement à Cardiff. Impliqué sur 4 des 5 essais toulousains, le natif de Lannemezan s’est même offert un essai en solitaire en effaçant les défenseurs sur deux magnifiques feintes de passe. À l’instar du numéro 9 français, le troisième ligne international, Grégory Alldritt, était en feu sur la pelouse de Marcel Deflandre. S’il n’a pas été élu homme du match aux dépens de Reda Wardi, auteur lui aussi d’une prestation remarquée, le Gersois a, lui aussi, impressionné tout au long de la partie.CHAMPIONS CUP. Dupont, Alldritt, Woki, Penaud... Les tricolores ont fait le job ce week-end !\nDes statistiques impressionnantes\nComme on dit, les hommes mentent, mais pas les chiffres. Si une performance ne se juge pas uniquement sur les statistiques, on peut dire qu’elles confirment une prestation aboutie. Sur la pelouse de Marcel Deflandre, Grégory Alldritt s’est démené durant les 80 minutes de la rencontre. Infatigable en attaque, le troisième ligne est le plus gros porteur de balle de cette première journée européenne avec 19 ballons touchés. Des ballons qu’il a sus bonifier, puisque qu’à 1 m près il était également le joueur avec le plus de mètres parcourus ballon en main. Juste derrière le demi de mêlée toulousain, Antoine Dupont, et l’arrière des Ospreys, Matt Protheroe avec 171 m parcourus ballons en main pour les deux hommes. Alldritt quant à lui, en a parcouru 170. Ajoutez à cela deux franchissements et un bijou de passe décisive sur l’essai de Buliruarua, et on obtient une performance XXL en attaque pour l’international français. Brillant avec le ballon, il ne l’a pas moins été sur les tâches défensives. Deuxième meilleur plaqueur rochelais avec 17 réalisations, derrière Bourgarit qui lui, en a réalisé 19. Le troisième ligne n’a pas ménagé ses efforts défensifs et a même récupéré un ballon durant la partie. Une prestation plus qu’aboutie pour le numéro 8 français, autant ballon en main qu’en défense.\n\nQuelle séquence offensive 😎Le @staderochelais a tiré profit d’une faute des Warriors et Buliruarua aplatit ! Suivez le match en direct sur @beinsports_FR 📺 pic.twitter.com/Y4XGKxJyGb\n— Champions Cup France (@ChampionsCup_FR) December 12, 2021\nUn retour à son meilleur niveau\nAprès la longue saison 2020-2021 et deux défaites en finale au compteur, le troisième ligne rochelais avait fini la saison « à bout physiquement, mentalement ». On l’avait retrouvé en début de saison un peu emprunté et en deçà de ce qu’il avait montré auparavant. Des performances qui avait poussé le sélectionneur à mettre Alldritt sur le banc pour le premier match de la tournée de novembre face aux Argentins. Il avait par la suite retrouvé sa place de titulaire au centre de la troisième ligne pour le deuxième test match. Il avait ensuite été très largement au niveau de la rencontre face aux All Blacks. Un des grands artisans de ce succès avec une énergie et une envie débordante tout au long de la rencontre. Depuis son retour de sélection, le Gersois semble être un nouvel homme et avoir retrouvé son niveau de la saison passée.\nEQUIPE DE FRANCE DE RUGBY. Greg Alldritt, de retour à la bonne heureSon entraineur chez les Maritimes, Ronan O'Gara, à fait part de son avis après le succès de son groupe via L'Equipe : « Le match contre les All Blacks lui a donné de la confiance. Aujourd’hui, il a créé des super-brèches, il a donné beaucoup de motivation à l’équipe. Il expose toutes les bonnes valeurs de ce club, c’est un capitaine, un leader avec ses mots et ses performances. C’est un mec qui donne tout pour l’équipe, il a zéro respect pour son corps, il joue tous les matches à fond. Il doit prendre soin de son corps, il est encore jeune. Ce n’est pas possible pour lui de taper dans un mur toute la soirée, il est capable de le faire, mais il est aussi capable de faire des passes. » Une prestation qui a fait aussi réagir son coéquipier Jeremy Sinzelle à la fin du match : « C’est top, ça montre qu’il est en confiance, en forme. C’est sûr qu’il nous a sûrement mis souvent dans l’avancée. Greg, c’est un numéro 8 qui avance, c’est important pour la suite de notre jeu. Tant mieux pour lui, j’espère qu’il va continuer comme ça le match prochain à Bath. » Attention, le centre rochelais a été élogieux envers son troisième ligne, mais n’a pas hésité à rappeler quand ce dernier les a mis en difficulté : « Une fois, il s’est fait arracher un ballon qui nous a mis dans le dur, il faut le dire aussi. » Un Grégory Alldritt en grande forme sur la scène européenne. Une montée en puissance qui se conjugue parfaitement avec le début du prochain Tournoi des 6 Nations dans moins de deux petits mois.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/rugby-gregory-alldritt-auteur-dune-prestation-xxl-face-a-glasgow-1412211652.php", + "creator": "", + "pubDate": "2021-12-14 18:00:00", + "enclosure": "https://www.lerugbynistere.fr/photos/gregory-alldritt-14-12-21-4253.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3d58525aeb6824d9c3748273b864e3e8" + }, + { + "title": "PHOTOS. Les joueurs du RC Romanais-Péageois tombent une nouvelle fois le short pour la bonne cause", + "description": "Le RC Romanais-Péageois propose son calendrier pour l'année 2022. Les joueurs ont joué le jeu une fois de plus et posé en tenue d'Adam pour la bonne cause.", + "content": "Qui dit fin d'année, dit saison des calendriers. On ne parle pas des calendriers de l'avent avec des chocolats dedans. Depuis quelques années maintenant, les équipes de rugby, le plus souvent celles des échelons inférieurs, proposent à leurs supporters de les accompagner durant toute l'année avec un calendrier très personnalisé. Sur le Rugbynistère, on a vu passer tous les styles, plus originaux les uns que les autres. Cependant, il y a un thème qui rassemble tous les pratiquants (majeurs) : les photos dénudées. Le célèbre calendrier des Dieux du Stade y est sans doute pour beaucoup. Il a inspiré beaucoup d'équipes dont le RC Romanais-Péageois, club pensionnaire de Fédérale 3. Après une première mouture qui a remporté un beau succès en 2021 avec plus de 500 exemplaires vendus, il a été décidé de remettre ça pour 2022, comme le précise Bertrand Cotte, à l'initiative du calendrier.Avec son calendrier ''Les Dieux du RC'', le RCRP soutient la fondation MovemberUne fois de plus, 1 euro sur chaque vente sera reversé à l'association Movember Drôme. Le côté dénudé est bien évidemment toujours d'actualité. Néanmoins, il a été décidé que cette année, le calendrier mettrait notamment en avant les sponsors du club. Aussi, les joueurs ont posé en tenu d'Adam dans des lieux assez insolites. \"L'an passé, il y a plus de photos en short. Cette année, il y en a un peu moins\", précise Jonathan Best. L'ancien joueur de Grenoble et de Béziers a rejoint le club l'été dernier. Il s'est, lui aussi, prêté au jeu des photos. \"Certaines ont été un peu plus dérangeantes comme lorsqu'on a été dans la rue au pied du Jacquemart, qui est un monument historique, il y avait beaucoup de passage. Pour cette photo-là, on a décidé de garder les shorts pour éviter d'avoir affaire à la police\". En revanche, chez les partenaires, ça a été plus facile de faire tomber le short. Best reconnait que certains de ses coéquipiers ont parfois eu plus de mal à \"faire tomber le slibard\", peut-être en raison de complexe, \"mais la plupart des mecs ont joué le jeu.\" Pour l'international algérien, c'était une première. Il avait déjà pris la pose avec Grenoble, mais dans un style bien différent. \"C'est rigolo, mais le but, c'est récolter de l'argent pour cette association et de faire parler de nous\". La vente des calendriers permettra aussi au groupe d'organiser des activités pour les jours. \"Un groupe se construit autant sur le terrain qu'en dehors. On pourra peut-être organiser un voyage ou des événements. Ce n'est pas toujours simple dans les clubs amateurs de mobiliser tout le monde. Mais les retours pour le moment sont très bons. Pourvu que ça dure.\" Si vous souhaitez vous procurer ce calendrier, c'est par ici que ça se passe.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/photos-les-joueurs-du-rc-romanais-peageois-tombent-une-nouvelle-fois-le-short-pour-la-bonne-cause-1412211700.php", + "creator": "", + "pubDate": "2021-12-14 17:05:00", + "enclosure": "https://www.lerugbynistere.fr/photos/romanais-peageois-14-12-21-35.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e5f00bb5adeb33379728e58df0fd9aea" + }, + { + "title": "CHAMPIONS CUP. Le doute plane sur la bonne tenue de Montpellier/Leinster", + "description": "Montpellier a annoncé un nouveau cas de Covid dans ses rangs avant la réception du Leinster dans le cadre de la deuxième journée de Champions Cup.", + "content": "COUPE D'EUROPE. Les Wasps vont-ils pouvoir affronter le Stade Toulousain en Champions Cup ?La situation sanitaire ne s'arrange pas en Europe. Pour l'heure, une seule rencontre de Champions Cup a été annulée. Mais à l'orée de la deuxième journée, plusieurs rencontres sont menacées. Celle de Toulousain face aux Wasps, en raison de nombreuses blessures dans les rangs anglais. Mais surtout la réception du Leinster par Montpellier. Ce mardi, le MHR a annoncé un cinquième cas au sein de son groupe dont Guilhem Guirado et Misha Nariaschvilli. \"En marge de la 1re journée, et du déplacement à Exeter (Angleterre), deux joueurs et deux membres de l’encadrement avaient été testés positifs au Covid-19 et placés en isolement\", explique Sud Ouest. D'autres tests seront conduits dans la semaine. Pour rappel, aucun report ne sera possible. Si Montpellier ne peut pas jouer ce match, c'est le Leinster qui aura match gagné avec le bonus offensif.COUPE D'EUROPE. Le saviez-vous : l'EPCR a anticipé les pires scénariosUn autre paramètre doit cependant être pris en compte : la province irlandaise compte aussi plusieurs cas dans son équipe. Quatre cas avaient été annoncés la semaine passée. Mais cela n'avait pas empêché le Leinster de punir Bath lors de la première journée. Comme à Montpellier, d'autres tests seront effectués cette semaine afin de garantir la bonne tenue du match. Si d'aventure les Irlandais ne peuvent pas jouer, c'est le MHR qui obtiendra la victoire du tapis vert. A condition de pouvoir aligner une équipe compétitive. Si aucune des deux équipes ne peut jouer, il y aura match nul. Et chaque formation obtiendra deux points. Il existe cependant d'autres scénarios qui pourraient s'appliquer dans cette situation :\n\nSi le Leinster peut jouer mais ne peut pas voyager, et que Montpellier n'est pas impacté, un report le même week-end peut-être envisagé. Si ce n'est pas possible, le MHR obtiendra la victoire.\nSi le Leinster peut jouer mais ne peut pas voyager mais que Montpellier ne peut pas jouer, ici, c'est la formation irlandaise qui aura les 5 points de la victoire.\n", + "category": "", + "link": "https://www.lerugbynistere.fr/news/champions-cup-le-doute-plane-sur-la-bonne-tenue-de-montpellierleinster-1412211425.php", + "creator": "", + "pubDate": "2021-12-14 14:30:00", + "enclosure": "https://www.lerugbynistere.fr/photos/champions-cup-5-cas-a-montpellier-4-au-leinster-la-rencontre-aura-t-elle-lieu-14-12-21-1981.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1496bfed33e5ababc4c66e9e338d5d8" + }, + { + "title": "Champions Cup. Ce pilier semi-pro a vécu son rêve face au Stade Toulousain", + "description": "Rowan Jenkins, pilier de 30 ans évoluant au club semi-professionnel d'Aberavon au Pays de Galles a affronté samedi dernier le Stade Toulousain avec les Cardiff Blues.", + "content": "C'est une histoire complètement folle. Ce samedi, Toulouse s'est nettement imposé sur la pelouse de Cardiff (7-39). Pas forcément brillants, les champions d'Europe ont assuré l'essentiel, sans forcément forcer leur talent et s'en remettant une fois encore, aux exploits individuels d'Antoine Dupont. De son côté, Cardiff s'avançait diminué face au champion d'Europe en titre, la faute à une cascade d'absents, une grande partie de son effectif étant touché par le Covid-19. De ce fait les Gallois ont dû bricoler, s'appuyant sur des joueurs encore espoirs ou alors n'hésitant pas à piocher parmi des éléments évoluant dans des catégories inférieures dans les clubs voisins. \nRESUME VIDEO. Champions Cup. L'omniprésent Antoine Dupont a fait la totale aux Gallois de Cardiff\nC'est le cas de Rowan Jenkins, 30 ans. Le pilier d'Aberavon, un club qui évolue en première division galloise a donc été convié à participer au match contre le Stade Toulousain. Jenkins, qui est un joueur semi-professionnel, ayant évolué par le passé aux Ospreys sans pour autant y jouer énormément de matchs, a donc été aligné d'entrée, numéro 1 dans le dos. Pour RugbyDump, il explique : ''Une semaine avant, j'étais aux Drovers dans le vent et la pluie à jouer à Llandovery, la semaine suivante, j'étais à Cardiff à l'Arms Park devant une foule nombreuse face à Toulouse, le champion d'Europe. Je me considère chanceux que Cardiff m'ait demandé de jouer. J'y ai passé un séjour le Noël dernier et je suppose que cela m'a mis sur leur liste de contacts. Je suis juste reconnaissant envers Gruff Rhys et son collègue entraîneur TRT de m'avoir appelé''. Avant d'avouer le privilège de s'être mesuré au meilleur joueur du monde : ''Je ne remercierai jamais assez les joueurs de Cardiff. Le message était d'aller là-bas et de s'amuser et de prendre chaque instant comme il vient. En tant que joueur semi-professionnel, vous ne vous attendez pas à vous retrouver sur le même terrain que le joueur mondial de l'année. Dupont était incroyable''. \n\nThe reception he gets when dinky comes home @rowanjenkins @Cardiff_Rugby @AberavonRFC @simonrug pic.twitter.com/O8ZrThFdog\n— stefan andrews (@stefanandrews14) December 11, 2021\n\nMais Rowan Jenkins n'était pas le seul membre du club d'Aberavon à évoluer ce samedi sous la tunique des Cardiff Blues. En effet, Geraint James, lui aussi pilier de 30 ans est entré en jeu à 10 minutes de la fin. Toujours dans des propos repris par RugbyDump, Jason Hyatt, entraîneur d'Aberavon a félicité ses deux joueurs : ''Je suis fier de Rowan et Geraint, un autre garçon qui joue pour Aberavon, qui est rentré en jeu samedi. Tout le monde au club ressent la même chose''. Deux belles histoires. \n\nRound 2 🔥🧙‍♂️@AberavonRFC Geraint James @Cardiff_Rugby pic.twitter.com/poiiAGxh2t\n— Lloyd Evans (@lloydevs7) December 11, 2021\n", + "category": "", + "link": "https://www.lerugbynistere.fr/news/champions-cup-un-joueur-semi-professionnel-a-affronte-le-stade-toulousain-1412211347.php", + "creator": "", + "pubDate": "2021-12-14 14:05:00", + "enclosure": "https://www.lerugbynistere.fr/photos/t-14-12-21-719.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a9b7c00fb32e98fbae5560fd57631965" + }, + { + "title": "Vos Matchs de Rugby : Toulouse/Wasps, Mont-de-Marsan/Colomiers à quelle heure et sur quelle chaîne ?", + "description": "Découvrez le programme télé de la semaine après la deuxième de journée de Champions Cup et de Challenge Cup ainsi que la 15e journée de Pro D2.", + "content": "COUPE D'EUROPE. Les Wasps vont-ils pouvoir affronter le Stade Toulousain en Champions Cup ?Après une première journée de Coupe d'Europe spectaculaire et déjà riche d'enseignements, place au deuxième tour de la Champions Cup et de la Challenge Cup. Après son déplacement à Cardiff, le Stade Toulousain recevra dans son stade une formation avec qui il a un passé commun, les Wasps. De son côté, Montpellier n'aura pas la tâche facile avec la réception de Leinster au GGL Stadium. Sur la pelouse synthétique de l'Arena, le Racing 92 tentera de prendre une belle option sur la qualification face aux Ospreys après son superbe succès chez les Saints. Nul doute que la fête sera belle sur toutes les pelouses européennes ce week-end.VIDEO. Champions Cup. Un Finn Russell MAGISTRAL aide le Racing 92 à corriger les Saints chez euxIl y aura aussi de la Pro D2 avec la 15e journée. Mont-de-Marsan aura à coeur d'effacer le revers à Grenoble avec la réception de Colomiers tandis que le SUA doit relever la tête après l'humiliation de la semaine passée.\nPro D2 - 15e journée :\nJeudi 9 décembre\n\nMont-de-Marsan vs Colomiers à 20h45 sur Canal + Sport ⏩ prenez vos billets au stade André-et-Guy-Boniface\n\nVendredi 10 décembre\n\nOyonnax vs Narbonne à 19h30 sur Rugby + ⏩ prenez vos billets au stade Charles-Mathon\nVannes vs Béziers à 19h30 sur Rugby + ⏩ prenez vos billets au stade de La Rabine\nRouen vs Bayonne à 19h30 sur Rugby + ⏩ prenez vos billets au stade Robert-Diochon\nMontauban vs Aurillac à 19h30 sur Rugby + ⏩ prenez vos billets au stade de Sapiac\nAgen vs Aix à 19h30 sur Rugby + ⏩ prenez vos billets au stade Armandie\nCarcassonne vs Nevers à 19h30 sur Rugby + ⏩ prenez vos billets au stade Albert-Domec\nBourg-en-Bresse vs Grenoble à 20H45 sur Canal + Sport ⏩ prenez vos billets au stade Marcel-Verchère\n\n\nChampions Cup :\nJournée 2 :\nvendredi 17 décembre 2021\n\nMHR vs Leinster (21h, beIN Sports 3) ⏩ prenez vos billets au GGL Stadium\nUlster vs Northampton (21h, beIN Sports 6)\n\nSamedi 18 décembre 2021\n\nHarlequins vs Cardiff (14h, beIN Sports 9)\nBath vs Stade Rochelais (14h, beIN Sports 1)\nSharks vs Clermont (16h15, France 2)\nRacing 92 vs Ospreys (18h30, beIN Sports 1) ⏩ prenez vos billets à la Paris la Défense Arena\nGlasgow vs Exeter (18h30, beIN Sports 8)\nMunster vs Castres (21h, beIN Sports 1)\n\nDimanche 19 décembre 2021\n\nScarlets vs UBB (14h, beIN Sports 9)\nLeicester vs Connacht (14h, beIN Sports 1)\nToulouse vs Wasps (16h15, France 2) ⏩ prenez vos billets au stade Ernest Wallon\nStade Français vs Bristol (18h30, beIN Sports 1) ⏩ prenez vos billets au stade Jean-Bouin\n\n\nChallenge Cup :\nJournée 2\nVendredi 17 décembre \n\nRC Toulon-Zebre Rugby Club (21h00) ⏩ prenez vos billets au stade Mayol\nNewport Dragons-Lyon (21h00)\nGloucester Rugby-Benetton Trévise (21h00)\n\nSamedi 18 décembre \n\nWorcester Warriors-Biarritz Olympique (16h15)\nSection Paloise-Saracens (21H00, France 4) ⏩ prenez vos billets au Stade du Hameau\n\nDimanche 19 décembre\n\nLondon Irish-CA Brive (16h15)\n", + "category": "", + "link": "https://www.lerugbynistere.fr/news/vos-matchs-de-rugby-toulousewasps-mont-de-marsancolomiers-a-quelle-heure-et-sur-quelle-chaine-1412211154.php", + "creator": "", + "pubDate": "2021-12-14 11:59:00", + "enclosure": "https://www.lerugbynistere.fr/photos/toulouse-14-12-21-4616.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fedaf3dda3fa6d3450d95643d403aa3e" + }, + { + "title": "TRANSFERT. Top 14. Alexandre Roumat (UBB) confirme sa signature au Stade Toulousain pour plusieurs saisons", + "description": "Le troisième ligne tricolore de l'UBB Alexandre Roumat a confirmé qu'il évoluera sous les couleurs du Stade Toulousain la saison prochaine.", + "content": "POINT TRANSFERT. Coly surveillé de partout, Roumat vers le Stade Toulousain ?En fin de contrat avec l'UBB, Alexandre Roumat va quitter Bordeaux-Bègles pour le Stade Toulousain. Ce qui était une rumeur s'est transformée en information officielle lorsque le 3e ligne l'a confirmé sur TV7. \"J’ai la chance de rejoindre le Stade Toulousain pour trois ans.\" Un Tricolore de plus dans l'effectif 5 étoiles du champion de France et d'Europe en titre. Fils de l'ancien international français Olivier Roumat, il a notamment été champion d'Europe avec France U20 en 2015 mais aussi été champion olympique de rugby à 7 moins de 20 ans. Il avait rejoint l'UBB en 2017 en provenance de Biarritz. \"Oui, forcément, la décision n’a pas été très facile. J'ai réfléchi longuement. C'est une décision mûrement réfléchie. Je pense que c’est la bonne.\"Désormais, Alexandre Roumat espère terminer sa saison en beauté avec l'UBB avec pourquoi pas une première finale pour le club en Top 14.\n\nD'un point de vue personnel, le joueur girondin a annoncé son départ de l'@UBBrugby pour une grosse écurie du @top14rugby.💬 En fin de contrat cette année, @AlexandreRoumat confirme officiellement rejoindre les rangs du @StadeToulousain pour trois ans dès la fin de la saison ⬇️ pic.twitter.com/Qbfn187gfP\n— TV7 (@tv7_sudouest) December 13, 2021\n", + "category": "", + "link": "https://www.lerugbynistere.fr/news/transfert-top-14-alexandre-roumat-ubb-confirme-sa-signature-au-stade-toulousain-pour-plusieurs-saisons-1412211132.php", + "creator": "", + "pubDate": "2021-12-14 11:33:00", + "enclosure": "https://www.lerugbynistere.fr/photos/transfert-top-14-alexandre-roumat-confirme-sa-signature-au-stade-toulousain-14-12-21-4502.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2fc60dbff537f14ea6074852623c4fc0" + }, + { + "title": "WTF. VIDÉO. Julien Caminati nous fait admirer son déhanché en plein match", + "description": "Lors du match entre Vienne et La Seyne-sur-Mer en Fédérale 1, Julien Caminati en a profité pour nous faire admirer son déhanché lors du retour des vestiaires.", + "content": "Julien Caminati ne loupe jamais une occasion de s'amuser. Coutumier du fait, on se souvient notamment de son numéro lorsque le CO avait remporté le Brennus en 2018. Il s'était présenté bob sur la tête, débardeur et short lors de la remise de l'historique trophée alors que celui-ci n'était pas sur la feuille de match. Désormais joueur de La Seyne-sur-Mer en Fédérale 1, l'ancien joueur passé par le Top 14 nous a fait admirer son déhanché lors du retour des vestiaires de son équipe ce week-end. Alors que son équipe mène 8 à 5 sur la pelouse de Vienne lors d'un match retransmis par LSD-Le Sport Dauphinois en multicam, il s'est laissé aller à quelque pas de danse, accompagnant donc des danseuses qui réalisaient une chorégraphie. Le tout, encouragé puis salué par quelques supporters. \nMalheureusement pour lui, sa formation s'est inclinée 13-11. On vous laisse savourer. \n", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/wtf-video-julien-caminati-nous-fait-admirer-son-dehanche-en-plein-match-1412211029.php", + "creator": "", + "pubDate": "2021-12-14 10:35:00", + "enclosure": "https://www.lerugbynistere.fr/photos/t-14-12-21-5357.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e0888baa4eeef1079fc824c9f0ea92b5" + }, + { + "title": "RUGBY. Les All Blacks s'offrent l'ancien sélectionneur irlandais Joe Schmidt pour redresser la barre", + "description": "Afin de retrouver une bonne dynamique, la fédération néo-zélandaise a décidé d'intégrer Joe Schmidt au staff des All Blacks. Ce dernier a notamment fait les belles heures de l'Irlande.", + "content": "Ce n'est un secret pour personne, Ian Foster l'acteur sélectionneur de la Nouvelle-Zélande est sous le feu des critiques depuis le début de son mandat. Après un Rugby Championship décevant en 2020, les All Blacks avaient néanmoins réussi à redresser la barre, avant de subir deux défaites consécutives cet automne, d'abord face à l'Irlande (29-20) puis face à la France (40-25). Ce qui a donc relancé le débat Foster. C'est pourquoi la fédération néo-zélandaise a décidé de faire appel à Joe Schmidt afin d'intégrer le comité de sélection des All Blacks. Schmidt, néo-zélandais d'origine, a entraîné l'Irlande de 2013 à 2019, avec qui il a notamment battu les Blacks. Une première alors à l'époque pour les Celtes. Il remplacera Grant Fox à ce poste. \nWorld Rugby - Joe Schmidt nommé au poste de directeur du rugby et de la haute performanceSon expérience du très haut niveau n'est donc plus à démontrer. Ian Foster s'est d'ailleurs réjoui de l'arrivée de son compatriote dans le staff sur le site des All Blacks : ''Joe apportera à ce poste une riche expérience néo-zélandaise et internationale, nous sommes donc ravis qu'il se joigne à nous. Il travaillera en étroite collaboration avec moi et ''Plums'' sur les sélections, mais ses idées seront également précieuses dans d'autres domaines, nous sommes donc impatients de l'avoir parmi nous.'' Récemment nommé directeur du rugby et de la haute performance de World Rugby, Schmidt était de retour depuis un mois sur sa terre natale puisqu'il était adjoint de Leon MacDonald chez les Blues. De son côté, Joe Schmidt a déclaré sur le site des All Blacks : ''C'est gratifiant d'être impliqué et j'ai hâte d'en savoir plus sur les joueurs et l'environnement des All Blacks et d'aider du mieux que je peux''. \nPour rappel, Joe Schmidt a remporté trois fois le Tournoi des 6 nations avec l'Irlande, dont le Grand Chelem en 2018. Année où il a été désigné entraîneur de l'année. Lors de son passage au Leinster, il a permis à la province irlandaise de glaner trois titres européens, dont deux Champions Cup. Les supporters de Clermont n'auront pas oublié qu'il était dans le staff en 2010 lorsque l'ASM a soulevé le Brennus.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/all-blacks-lancien-selectionneur-irlandais-joe-schmidt-integre-le-staff-1412211014.php", + "creator": "", + "pubDate": "2021-12-14 10:20:00", + "enclosure": "https://www.lerugbynistere.fr/photos/t-14-12-21-4654.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "42e8be91976552f4f66d304fbb509953" + }, + { + "title": "VIDEO. CHAMPIONS CUP. Combezou dérape complet et dézingue l’arbitre en interview d’après-match", + "description": "Après la défaite du Castres Olympique de deux petits points face aux Harlequins, le trois quarts centre Thomas Combezou n’a pas hésité à incriminer l'arbitre dans cet échec, au micro de BeIN Sports....", + "content": "Le trois-quarts centre du Castres Olympique, Thomas Combezou, faisait son retour à la compétition pour la première journée de coupe d’Europe face aux Harlequins. Un retour dans l’équipe tarnaise plus que remarqué. Après la courte défaite des siens face au champion d’Angleterre, le numéro 13 a pris la parole au micro de BeIN Sports pour exprimer son mécontentement. Pour l’homme du match, l’arbitre de la rencontre, M. Amashukeli n’a pas été impartial en fin de rencontre, et aurait dû siffler en faveur des Castrais en toute fin de match.\n\n🏆🏉 #ChampionsCup 🗨️ Thomas Combezou (@CastresRugby) : \"Merci à monsieur l'arbitre...\" pic.twitter.com/qYBeV03HKT\n— beIN SPORTS (@beinsports_FR) December 12, 2021\n\nUne erreur qui aurait couté la victoire aux Tarnais d’après l’intéressé : « Ce n'est pas compliqué, le 6 est hors-jeu, il y a pénalité et le match est gagné. Voilà, merci à monsieur l'arbitre. C'est comme ça, c'est le rugby on va dire. Mais c'est frustrant parce qu'on restait sur une bonne dynamique, beaucoup de monde nous voyait largement perdants et pourtant on est dans le match à la dernière minute. Il faut des fois porter ses \"cojones\" comme on dit, et siffler les bonnes fautes. Parce que quand il y a pénalité, il y a pénalité. C'est pas \"je ne sais pas, il reste une minute ou dix secondes\", c'est pénalité. » Une frustration justifiée par le sentiment d’être passé très près de réaliser un gros coup pour l’ouverture de cette campagne européenne. Des propos, qui en revanche, qui ne seront certainement pas du goût de l’EPCR. Thomas Combezou en est coutumier du fait. Il y a un peu plus d’un an, le 13 novembre 2020, le centre castrais avait fait une sortie au micro de Canal+ plus que remarquée. Il avait écopé de 3 000 euros d’amende et d’un blâme de la part de la Ligue Nationale de Rugby. Affaire à suivre…\nThomas Combezou (Castres) à l'amende après ses propos à l’encontre de l’arbitrage", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/video-combezou-derape-complet-et-dezingue-larbitre-en-interview-dapres-match-1312211719.php", + "creator": "", + "pubDate": "2021-12-13 18:30:00", + "enclosure": "https://www.lerugbynistere.fr/photos/thomas-combezou-13-12-21-3548.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7bf40127e733f9bf3fc2843590412f8b" + }, + { + "title": "VIDEO. Admirez ce caviar de Conor Murray de l'extérieur du pied pour l'essai facile de Keith Earls", + "description": "Face aux Wasps, ce filou de Conor Murray a fait parler toute son expérience pour distiller un caviar prenant de court la défense adverse. Mâlin.", + "content": "Avec l'expérience, l'intelligence et le flegme qui le caractérisent, que fait Conor Murray lorsque son équipe obtient un avantage près de la ligne adverse ? Il tente le coup, bien sûr ! La demi-heure de jeu est passée et le Munster, à 15 contre 14, est toujours mené d'un petit point après que ce diable d'Alfie Barbeary a marqué son essai suite à un turnover bien négocié par les Wasps. Quelques minutes plus tard, les Irlandais pilonnent dans les 22 mètres des locaux et le 2ème ligne des Guêpes Tim Cardall se met à la faute. Au même moment, l'arbitre Romain Poite tend le bras et annonce un avantage pour le Munster ; moins de 5 secondes plus tard, le temps de la libération, ce diable de Conor Murray claquait un petit par-dessus de l'extérieur du pied sans même regarder ses partenaires. \nMurray-Sexton, l’association qui ferait même rougir les plus fidèles tourtereaux !\nDéposée au cordeau dans l'en-but des Wasps par le demi de mêlée aux 92 sélections, la gonfle atterrissait - après rebond - dans les mains de l'un de ses compères de toujours : Keith Earls. Un véritable caviar qui permettait à l'ailier de Limerick de planter le 22ème essai de sa carrière en coupe d'Europe, ainsi qu'aux ouailles de Stephen Larkham de passer devant au score, pour ensuite finir le travail (14 à 35 au final).\nÀ noter que comme sur le carton rouge adressé à Brad Shields plus tôt dans le match, l'arbitrage de M. Poite était à nouveau pointé du doigt outre-Manche sur cet essai. Les locaux estimant (probablement à raison) en effet que l'ailier des Wasps Zach Kiribige avait été très clairement poussé par Chris Farrell sur l'action, l'empêchant d'éventuellement d'aller disputer le ballon avant Earls. Voici le résumé complet, et faites vos jeux pour savoir qu'elle décision était la bonne à prendre selon vous...\nRetrouvez l'action de Murray à partir de 1min35 : \n", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/video-admirez-ce-caviar-de-conor-murray-de-lexterieur-du-pied-pour-lessai-facile-de-keith-earls-1312211648.php", + "creator": "", + "pubDate": "2021-12-13 16:55:00", + "enclosure": "https://www.lerugbynistere.fr/photos/yt-13-12-21-2190.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34fb79e7d4125629117854f09b11b83d" + }, + { + "title": "POINT TRANSFERT. Coly surveillé de partout, Roumat vers le Stade Toulousain ?", + "description": "Faisons le point cette semaine sur les rumeurs et les annoncent officielles qui embrasent le marché des transferts.", + "content": "Top 14\nRacing\nSelon Rugbyrama, le troisième ligne français, actuellement blessé, Fabien Sanconnie, devrait rempiler pour encore quelques saisons dans le club francilien. Le Racing semble lui accorder beaucoup de confiance, malgré ses dernières blessures.\n\nVIDEO. Champions Cup. Un Finn Russell MAGISTRAL aide le Racing 92 à corriger les Saints chez euxPerpignan\nAprès la blessure de Tetrashvili face à Montpellier, le pilier français du LOU Xavier Chiocci devrait poser ses bagages en tant que joker médical du côté de l'USAP. C'est en tout cas ce que nous rapporte l'Indépendant.\nBordeaux-Bègles\nAprès les arrivées de Boniface et de Miquel, l'UBB continue de se renforcer. Et de manière très intelligente, puisque le dernier demi-finale du Top 14 serait sur le point, selon le Midi Olympique, de faire signer le centre clermontois Tani Vili (21 ans), ainsi que son compère de club, Sipili Falatea (24 ans). Des renforts de poids, qui viendraient notamment combler les potentiels départs de Païva et Seuteni en fin de saison.\n\nPOINT TRANSFERTS. Miquel sur le départ, West à Toulon, Retière pas conservé ?Stade Toulousain\nSi le départ de Miquel semble acté, le Stade Toulousain continue également son marché pour les saisons futures. Si l'arrivée de Melvyn Jaminet a été confirmée par RMC SPORT, le champion de France en titre serait sur les tablettes d'un autre Français : Alexandre Roumat. En fin de contrat, le troisième ligne de l'UBB aurait donné son accord, toujours selon RMC SPORT, au club de la Ville Rose.\nToulouse. Ugo Mola : ''Le niveau de détestation du Stade Toulousain s'est amplifié ces derniers temps''Montpellier\nAprès la grosse blessure de Grégory Fichten, le MHR voudrait se renforcer avec la venue d'un joker médical pour la fin de la saison. Et si beaucoup de noms circulent, celui de Lucas Pointud serait le plus avancé. Pour rappel, l'ancien joueur du Stade Toulousain et de Castres, est à l'heure qu'il est sans club.\nCoupe d'Europe. Montpellier est-il assez armé face aux ogres européens ?\nPro D2\nMont-de-Marsan\nSi le demi de mêlée montois Léo Coly était déjà courtisé par de nombreuses écuries du Top 14 (Lyon et Toulon notamment), c'est au tour du Racing et du Stade Toulousain de surveiller de près le joueur de 22 ans. Sous contrat jusqu'en 2025, le champion du monde U20 aura l'embarras du choix, tandis que son club demandera certainement une grosse indemnité de libération.\nProvence Rugby\nAprès le demi de mêlée Joris Cazenave, c'est au tour de l'arrière de Nevers Romaric Camou d'intéresser Provence Rugby. L'ancien joueur de La Rochelle serait en contact avancé avec le club d'Aix.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/point-transfert-coly-surveille-de-partout-roumat-vers-le-stade-toulousain-1312211435.php", + "creator": "", + "pubDate": "2021-12-13 15:30:00", + "enclosure": "https://www.lerugbynistere.fr/photos/roumat-13-12-21-3485.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5252eff1e1e5244c92b902452d82b01c" + }, + { + "title": "Écosse, Australie... les adversaires des Bleus pour préparer le Mondial 2023 sont connus !", + "description": "Pour préparer le Mondial en France, les Tricolores affronteront les Fidji, l'Ecosse par deux fois, puis l'Australie. Un sacré programme, pour être fin prêts.", + "content": "Vous vous en doutez, Mondial oblige, il n'y aura pas de tournée d'été en 2023, ce va de soit. Néanmoins, il y a aura bien entendu des matchs de préparations à la Coupe du monde en France, et Midi Olympique a dévoilé le programme des Bleus en vue de cet évènement. Selon le bi-hebdomadaire, les Bleus affronteront les Fidji à Nantes, puis, comme en 2019, deux fois l'Écosse, à Edimbourg et dans un stade du sud de l'Hexagone.\nEXCLU RUGBYNISTERE. Le XV de France préparera le Tournoi des 6 Nations 2022 dans la région marseillaise\nLe 4ème et dernier ? Pour l’heure, ce match de préparation ne serait pas encore validé car soumis à l’accord définitif de la Fédération concernée, mais il devrait opposer les ouailles de Galthié à celles de Dave Rennie, le sélectionneur australien. Le tout pour monter en régime afin d'être prêt pour le début du mois de septembre, et, déjà, le match d'ouverture face à la Nouvelle-Zélande...", + "category": "", + "link": "https://www.lerugbynistere.fr/news/ecosse-australie-les-adversaires-des-bleus-pour-preparer-le-mondial-2023-sont-connus-1312211344.php", + "creator": "", + "pubDate": "2021-12-13 13:45:00", + "enclosure": "https://www.lerugbynistere.fr/photos/video-tous-les-essais-du-match-entre-la-france-et-les-all-blacks-20-11-21-4791.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6a68a84e8f2ea27ab27a514f28e53f8d" + }, + { + "title": "CHAMPIONS CUP. 1ère Journée. Les favoris font un sans faute", + "description": "La première journée de Champions Cup nous a permis de voir plus clair sur les forces en présence. Ce qu'il faut retenir de la 1ère journée de Coupe d'Europe.", + "content": "La première journée de Champions Cup n'a pas déjoué les différents pronostics. Tous les favoris au titre sont parfaitement rentrés dans la compétition, et ont vérifié la hiérarchie actuelle du rugby européen. Si Toulouse et le Leinster ont atomisé respectivement Cardiff et Bath, Leicester a signé la grosse performance du week-end en s'imposant à Bordeaux, tandis que les champions d'Angleterre sont repartis de Pierre Fabre la victoire en poche face à une équipe accrocheuse de Castres. À noter aussi la grosse performance du Munster à Coventry face aux Wasps. Les Anglais réduits à 14 suite à un plaquage dangereux de Brad Shields, ont perdu pied face à une équipe handicapé de 34 joueurs pour cause de covid ! 12 joueurs faisaient leurs débuts face à une équipe également touchée par les blessures et le covid (21 absences au total).\n\nChampions Cup. Qui sont les favoris pour succéder au Stade Toulousain ?Les clubs français à leur niveau\nLes résultats des clubs français sont apparus mitigés par plusieurs observateurs. En s'y penchant d'un peu plus près, on s'aperçoit qu'outre Montpellier et Paris pas au niveau et peu concernés, Clermont s'est dépensé face à une équipe de l'Ulster beaucoup plus en place et sûr de son rugby. La victoire des Nord-Irlandais n'est pas si illogique que ça. De même pour Castres qui a échoué de deux points seulement face à un candidat au titre. Le Raçing et La Rochelle ont assumé leurs statuts à l'échelle européenne en plus de l'éternel Toulouse, alors que Bordeaux a manqué d'expérience et de jus face à Leicester. Enchainer le Raçing et Toulouse avant la Coupe d'Europe n'est pas une tâche facile. En clair, les Français ne sont pas moins performants que d'habitude et seront très bien représentés en 8ᵉ de finale.\nLes Irlandais au top, les Gallois aux fraises\nLes provinces irlandaises ont réalisé un 100% ce week-end. En plus de la démonstration du Leinster, l'exploit du Munster, ou de celui de l'Ulster, le Connacht a également fait forte impression face au Stade Français. En parallèle, les équipes galloises ont été catastrophiques. Sans parler de la défaite sur tapis vert de Llanelli face à Bristol, les Ospreys et Cardiff ont perdu à la maison (face à Sale pour ces premiers), sans compter les Dragons de Newport en Challenge européen défaits par l'Usap à Aimé-Giral ! Le rugby gallois en Coupe d'Europe aura du mal une fois de plus de se faire une place cette saison.\n\nLes Anglais au rendez-vous, les résultats de novembre vérifiés\nL'intouchable leader anglais Leicester, le champion d'Europe 2020 Exeter, et les champions d'Angleterre Harlequins, sont bels et bien présents cette saison en Coupe d'Europe. Avec un format permettant à un grand nombre d'équipes de se qualifier en phases finales (16), la nouvelle variable d'ajustement ne sera pas la qualification des clubs, mais leurs parcours jusqu'à la finale. Les inconnues des matchs à élimination directe ne permettent pas de prévoir précisément les futures performances des clubs, mais cette première journée nous indique tout de même que la hiérarchie qui s'est dessinée en novembre lors de l'autumn nations series (France, Angleterre et Irlande invaincues) persiste. Les écossais de Glasgow ont certes fait belle impression face à La Rochelle, mais auront du mal à menacer sérieusement des équipes comme Toulouse, Leinster, Leicester ou Exeter.\n", + "category": "", + "link": "https://www.lerugbynistere.fr/news/champions-cup-1ere-journee-les-favoris-font-un-sans-faute-1312211242.php", + "creator": "", + "pubDate": "2021-12-13 13:30:00", + "enclosure": "https://www.lerugbynistere.fr/photos/jelonch-v-cardiff-13-12-21-642.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "02fe4b172e6b342e2a0003bf266e0e9e" + }, + { + "title": "France Rugby. L'Afrique du Sud et l'Australie pour nos Bleus en 2022 !", + "description": "Après une année 2021 qui s'est clôturée par une victoire face aux Blacks, le programme de 2022 est tombé pour nos Bleus.", + "content": "On les avait quittés euphoriques, après une victoire d'anthologie, face à ce qui se fait de mieux au monde. Un succès 40-25 contre des All Blacks dépassés, qui annonce de très bonnes choses pour l'avenir. Et si le tournoi des VI nations 2022 est l'objectif principal à court terme, le calendrier complet des Bleus de l'année prochaine vient de sortir ! En effet, le Midi Olympique nous informe qu'après les 5 matchs du tournoi, les hommes de Fabien Galthié affronteront d'autres grandes nations du rugby mondial, dont les champions du Monde en titre.\nEXCLU RUGBYNISTERE. Le XV de France préparera le Tournoi des 6 Nations 2022 dans la région marseillaiseSeule grosse équipe que les Bleus n'ont pas affrontée sous l'ère Galthié, l'Afrique du Sud se dressera bel et bien sur le chemin de nos tricolores, lors de l'automne 2022. Une tournée à la maison qui serait, selon le Midol, également composé de l'Australie, ainsi que d'une nation issue du Tiers 2 du classement World Rugby (potentiellement la Géorgie, les Tonga etc...). Une série de matchs relevée, qui précèdera une tournée d'été qui se déroulera normalement, du côté du Japon. C'est en tout cas les informations du bi-hebdomadaire, qui nous révèle que les Bleus joueront deux tests matchs face aux coéquipiers de Matsushima, le 2 et 9 juillet. Des rencontres que devraient rater les finalistes du championnat de France, comme pour la tournée en Australie de cet été.\nÉquipe de France. Laporte pose ses conditions pour une prolongation du staff après 2023 !", + "category": "", + "link": "https://www.lerugbynistere.fr/news/france-rugby-lafrique-du-sud-et-laustralie-pour-nos-bleus-en-2022-1312211254.php", + "creator": "", + "pubDate": "2021-12-13 13:15:00", + "enclosure": "https://www.lerugbynistere.fr/photos/xv-de-france-13-12-21-8442.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "44c99482dfd1f672c7b34c0e7e81d1ad" + }, + { + "title": "TRANSFERTS. Et si les All Blacks Jordie Barrett et Will Jordan s'engageaient à XIII et en MLR ?", + "description": "Pour le podcast NZ 'What A Lad', Barrett et Jordan ont avoué leur grand attrait pour d'autres championnat, sans que cela n'engage à rien. Pour l'instant...", + "content": "Ces dernières années, il n'est désormais plus rare de voir des All Blacks tenter des piges à l'étranger afin de découvrir de nouvelles expériences, remplir leur porte-monnaie mais également ménager quelque peu leur corps. C'est pour cela que le Japon a désormais tant la cote ; offrant à qui le souhaite un championnat court et relativement moins physique et plus aéré que ce que propose l'Europe, par exemple. Le dernier en date ? Damian McKenzie, qui, pas vraiment dans les petits papiers de Foster au pays, à décidé de s'en aller vers celui du Soleil levant... pour une durée indéterminée, néanmoins.\nTRANSFERT. Cette fois c'est sûr, Damian McKenzie va bel et bien s'envoler pour le Japon\nMais dans son sillage et avec ces spécificités que peut octroyer à ses meilleurs éléments la fédération néo-zélandaise, d'autres jeunes \"stars\" locales pourrait bientôt emboîter le pas de DMac. Mais pas forcément pour aller en Asie. Pour l'arrière attitré des hommes en noir Jordie Barrett, l'idée pourrait même être de changer de discipline. \"Pour être honnête, à chaque intersaison ou chaque fois que je suis assis là à regarder un match de rugby league, je pense ... J'adorerais aller là-bas et jouer en ligue, juste pour une saison\", a déclaré le petit frère de Beauden pour le podcast What A Lad. Alors le maître à jouer des Hurricanes prendra-t-il la direction de la NRL ? «Je ne suis pas sûr de la position à laquelle je jouerais, mais j'adorerais aller là-bas et tenter ma chance, qui sait ?\", a-t-il poursuit.\nMoi, Will Jordan, 23 ans, 17 essais en 12 sélections et danger numéro 1 des Blacks face aux Bleus\nDe son côté et bien que ce ne soit pas forcément d'actualité, la nouvelle pépite Will Jordan a elle fait part de son intérêt pour le championnat américain. \" A un moment donné (de ma carrière), j'aurais probablement envie d'aller explorer les Etats-Unis, ou même le Japon ou l'Europe.\" Selon lui, la MLR sera encore bien plus attrative lorsqu'elle aura terminé ses balbutiements et si elle parvient à emboîter le pas à la manière de faire des autres sports US : \"La quantité de sport et la façon dont ils le font, tous les divertissements et tout est plutôt cool. Donc si vous avez l'opportunité de vous y plonger, dirigez-vous vers ce ui se fait en NBA et en  NFL et ce genre de chose serait épique. Une chose est sûre, les All Blacks et leur pléiade de talents n'ont pas fini de donner le tourni aux clubs des 4 coins du monde...", + "category": "", + "link": "https://www.lerugbynistere.fr/news/transferts-et-si-les-all-blacks-jordie-barrett-et-will-jordan-sengageaient-a-xiii-et-en-mlr-1312211142.php", + "creator": "", + "pubDate": "2021-12-13 11:50:00", + "enclosure": "https://www.lerugbynistere.fr/photos/yt-13-12-21-4273.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e124a0a06111ae123160433d9000158a" + }, + { + "title": "CHAMPIONS CUP. Dupont, Alldritt, Woki, Penaud... Les tricolores ont fait le job ce week-end !", + "description": "Lors de cette première journée de Champions Cup, les Bleus se sont mis à l'honneur, avec des performances individuelles incroyables.", + "content": "Ce week-end, nous avons tous pu assister au retour de la grande Coupe d'Europe, avec de gros affrontements, comme Bordeaux-Leicester, ou encore Clermont-Ulster. Une première journée qui n'a pas souri aux clubs français (3 victoires sur 8), mais qui a permis de montrer à tout le vieux continent, les qualités individuelles de nos Bleus. Et cela a commencé dès vendredi soir, lors du match opposant le Racing à Northampton. Car si les Franciliens ont concassé collectivement les coéquipiers de Biggar, les Français Fickou et Lauret étaient particulièrement en forme ! Si le premier nommé a encore une fois été très propre sur chaque prise de balle, perçant le rideau anglais à plusieurs reprises, le second a inscrit un triplé, en plus de son abattage habituel en défense. Des prestations qui ont mené les Ciels et Blancs vers une victoire bonifiée qui les place deuxièmes de leur poule.\nVIDEO. Champions Cup. Un Finn Russell MAGISTRAL aide le Racing 92 à corriger les Saints chez euxWoki et Lucu, bien seuls face aux Tigers\nOn le savait, il fallait être au rendez-vous pour faire tomber Leicester, premier du championnat d'Angleterre et invaincu depuis le début de saison. Et si certains spécialistes annonçaient une victoire bordelaise au vu de l'équipe remaniée que proposait Steve Borthwick (sans notamment Nadolo, Youngs, Steward et Moroni), le résultat fut tout autre ! Emmenés par un Ford très précis, les Tigers ont su faire déjouer l'UBB, qui n'a pas du tout joué à son niveau. Heureusement pour Urios, les cadres de l'équipe, Cameron Woki et Maxime Lucu, ont encore une fois survolé la rencontre. Véritables meneurs d'hommes, les deux internationaux ont maintenu leur équipe à flot, quand celle-ci semblait sombrer. Très actif défensivement, Woki a également été très précieux en touche, tandis que le numéro 9 bordelais a su dégager son camp dans les moments charnières.\n\nChampions Cup. VIDEO. La défaite de l’UBB face à Leicester pour ce choc des leadersPenaud et Alldritt au rendez-vous\nSi les deux compères du XV de France n'ont pas eu la même réussite d'un point de vue collectif, ils ont été aussi bons l'un que l'autre individuellement ! Auteur d'un doublé splendide, l'ailier tricolore Damian Penaud a été sans conteste le meilleur Clermontois de la rencontre. Appliqué en défense, il a su faire parler ses cannes en attaque, pour remettre par deux fois son équipe dans le match. Une prestation individuelle qui n'a pas suffit, mais qui prouve encore une fois tout le talent du Français. \nCOMPOSITION. Clermont avec Penaud, mais sans Parra pour recevoir l'Ulster !\nDe son côté, le Rochelais Alldritt a vu son équipe repartir avec la victoire, face à des Écossais très accrocheurs. Décisif sur l'essai de Buliruarua, le numéro 8 a également été très précieux au ras des rucks, grâce à sa puissance. Et il ne fallait pas moins dans ce genre de rencontre couperet, qui a finalement vu les Maritimes s'imposer de peu.\n\nDupont, encore et toujours...\nOn le sait, on parle souvent de ce joueur. Mais quand on voit ses performances chaque week-end, difficile de ne pas le faire, non ? Élu ce vendredi meilleur joueur de l'année, le demi de mêlée du XV de France s'est (encore) montré décisif ce samedi, avec le Stade Toulousain. Face à une équipe de Cardiff affaiblie mais courageuse, \"Toto\" a été l'un des seuls Toulousains au rendez-vous. Impliqué directement sur 4 des 5 essais (dont un qu'il inscrit après avoir effacé 4 défenseurs), Dupont a encore sorti son club d'une situation qui se voulait de plus en plus délicate. 67 minutes de haute-voltige, et qui prouvent pourquoi ce dernier est considéré par beaucoup comme le meilleur joueur du monde.\nRESUME VIDEO. Champions Cup. L'omniprésent Antoine Dupont a fait la totale aux Gallois de Cardiff", + "category": "", + "link": "https://www.lerugbynistere.fr/news/champions-cup-dupont-alldritt-woki-penaud-les-tricolores-ont-fait-le-job-ce-week-end-1312211126.php", + "creator": "", + "pubDate": "2021-12-13 11:40:00", + "enclosure": "https://www.lerugbynistere.fr/photos/dupont-13-12-21-9911.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "162db4d28cf4ed63ff2ac76fc55d392c" + }, + { + "title": "VIDEO. Champions Cup. Les Harlequins de Marcus Smith viennent à bout de Castres", + "description": "Les champions d'Angleterre en titre sont allés s'imposer sur la pelouse du Castres Olympiques dans un match disputé. Les tarnais peuvent nourrir des regrets.", + "content": "Les champions d'Angleterre 2021, emmenés par leur charnière Care-Smith, ainsi que leur numéro 8 Alex Dombrandt, se sont sortis du piège castrais de Pierre Fabre, pour s'imposer dans la douleur (18-20). Dominateurs en début de match, les londoniens n'ont cependant pas réussi à convertir au tableau d'affichage leur emprise, et se sont exposés aux étincelles adverses. L'exemple le plus symbolique étant la 17ᵉ minute. Suite à un ballon déployé par les Quins, les tarnais récupèrent le ballon sur un en-avant, Urdapilleta dégage pour mettre la pression dans le camp adverse, Lynagh se dégage en catastrophe, et ce sont Nakosi puis Raisuqe à son intérieur qui prennent la défense à revers via une relance \"Made in Fijis\". Les Anglais réagiront par un essai de Louis Lynagh, décalé en bout de ligne, avant qu'Urdapilleta permette à son équipe de tourner en tête à la pause (11-7).\nRUGBY. Louis, le fils de la légende australienne Michael Lynagh, avec le XV de la Rose !\nLes dix premières minutes ont été exclusivement anglaises. Une pénalité de Marcus Smith d'abord, puis un essai de Dombrandt, servi à hauteur et qui a traversé la ligne castraise prise à revers (11-17, 51ᵉ). Dans leur lancée, les Harlequins continuent à mettre la main sur le ballon, mais se heurtent encore une fois à une grosse défense de Castres, qui manque aussi de revenir au score avec des occasions et opportunités franches (Humbert 63ᵉ notamment). Finalement, Smith donne 9 points d'avances à 6 minutes du terme, ce qui aura le mérite de réveiller Castres. Dès l'action de renvoi, les hommes de Pierre-Henry Broncan effectuent une incursion dans les 22 adverses, et Martin Laveau à la sortie d'un maul plein axe s'en va à dame face à une défense endormie. La furia de Castres ne suffira pas néanmoins et les champions anglais ont su faire front pour annihiler les dernières offensives de leurs opposants. Score final 18-20, de l'amertume pour le CO, et un énorme soulagement pour les Quins qui ne perdent pas de points précieux pour la qualification. \n", + "category": "", + "link": "https://www.lerugbynistere.fr/news/video-champions-cup-les-harlequins-de-marcus-smith-viennent-a-bout-de-castres-1312211008.php", + "creator": "", + "pubDate": "2021-12-13 10:15:00", + "enclosure": "https://www.lerugbynistere.fr/photos/marcus-smith-v-castres-13-12-21-9429.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34a684447d123c88bdd316b469ef0eca" + }, + { + "title": "La Rochelle. Le verdict est tombé pour l'ailier français Arthur Retière !", + "description": "Après sa sortie sur civière face à Glasgow, nous connaissons désormais la nature de la blessure de l'international français, Arthur Retière.", + "content": "Nous avons tous été très inquiet pour le jeune ailier de 24 ans, lorsque nous avons vu ces images terribles. Une sortie sur civière qui ne présageait rien de bon pour l'international tricolore, souffrant au moment de son évacuation. Si pendant un instant, France Télévision annonçait une fracture de la cheville, il semblerait que l'endroit de la blessure soit ailleurs. C'est en tout cas ce que confiait son manager, Ronan O'Gara, au journal Sud-Ouest. Selon l'Irlandais, Retière souffrirait d'une fissure du péroné à la jambe droite. Une blessure jugée \"moins grave\" par son coach, qui craignait une fracture de la cheville.\nCHAMPIONS CUP. Arthur Retière sort face Glasgow, gravement blessé au genouCe dernier devrait tout de même être éloigné des terrains pendant plusieurs mois, mais, si tout se passe bien, pourrait rejouer avant la fin de la saison. Souhaitons donc un prompt rétablissement à Arthur Retière, et espérons pour lui qu'il refoulera les pelouses le plus rapidement possible !", + "category": "", + "link": "https://www.lerugbynistere.fr/news/la-rochelle-le-verdict-est-tombe-pour-lailier-francais-arthur-retiere-131221944.php", + "creator": "", + "pubDate": "2021-12-13 09:57:00", + "enclosure": "https://www.lerugbynistere.fr/photos/retiere-13-12-21-1556.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e49602b434fe5ebb866d64e3f35f1c06" + }, + { + "title": "CHAMPIONS CUP. Arthur Retière sort face Glasgow, gravement blessé au genou", + "description": "L’ailier international français Arthur Retière sort grièvement blessé au genou droit face aux Glasgow Warriors.", + "content": "Ce sont des images que l’on n'aime pas voir. Le jeune ailier rochelais Arthur Retière a subi une grave blessure au genou gauche à la 24ème minute de jeu du match de Champions Cup entre le Stade Rochelais et les Glasgow Warriors. Alors qu’il tient la balle près de sa ligne de touche, son genou droit semble se tordre sous le poids du centre australien, Sione Tuipulotu, qui tentait de le plaquer. Un coup dur pour le trois-quarts international qui vivait peut-être ses dernières minutes sous le maillot rochelais. Son contrat avec les Maritimes se termine à l’été 2022.\nNDLR : à la reprise de la seconde mi-temps, France Télévision annonce une fracture de la cheville.\nTOP 14. Coup dur pour Arthur Vincent (MHR), touché au genou face à la Rochelle\nEn 2017, le joueur avait été victime d’une rupture des ligaments croisés. Une grave blessure qui l’avait éloigné des terrains pendant 6 mois. Une fois revenu, il avait enchaîné les bonnes performances avec son club. Depuis cette première blessure, le joueur s’était illustré comme l’un des principaux marqueurs d’essai du groupe rochelais. Le joueur totalise 34 essais avec La Rochelle.\nLe Rugbynistère souhaite bon rétablissement au joueur et espère qu’il pourra retrouver au plus vite les pelouses du Top 14.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/champions-cup-arthur-retiere-sort-face-glasgow-gravement-blesse-au-genou-1212211711.php", + "creator": "", + "pubDate": "2021-12-12 17:15:00", + "enclosure": "https://www.lerugbynistere.fr/photos/retiere-12-12-21-4206.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "06473cb071841a79c50c8b4a19a50c4c" + }, + { + "title": "RUGBY. Pour Anne-Cécile Ciofani, son titre a une ‘‘saveur un peu particulière’’", + "description": "Couronnée du titre de Meilleure joueuse du monde de rugby à 7, la française Anne-Cécile Ciofani savoure son titre.", + "content": "Issue d’une famille de sportifs, l’internationale de rugby à 7 Anne-Cécile Ciofani savoure son tout récent titre de Meilleure joueuse du monde. Une récompense individuelle dans un sport collectif qui n’est pas sans rappeler ses débuts sportifs. Car si la joueuse s’épanouit aujourd’hui sur le rectangle vert, ce n’a pas toujours été le cas. En effet, que l’on parle de ses parents ou de ses sœurs, toutes et tous ont eu plus souvent tendance à exceller dans l’athlétisme, le lancer de marteau pour être exact. Ce n’est qu’à 18 ans qu’elle se met au rugby. Âgée de bientôt 28 ans, la vice-championne du monde de rugby à 7 décrit un titre à la “saveur un peu particulière”. Elle complète sa pensée au micro du Journal du rugby de Canal + : “Ce titre est à l’image de ma saison. C’est toujours gratifiant de recevoir ce genre de récompenses, mais je ne peux pas m’empêcher de penser énormément au collectif. Les individualités sans le collectif ne brillent pas.”\n\nA standout star on the Sevens stage for @FranceRugby @AnneCeCiofani is your Women's Sevens Player of the Year, in association with @HSBC_Sport #WorldRugbyAwards pic.twitter.com/HTpQsOEK0E\n— World Rugby Sevens (@WorldRugby7s) December 9, 2021\nRUGBY. OFFICIEL. Antoine Dupont Sacré Meilleur Joueur Du Monde 2021\n\nUn collectif qui s’illustre sur les terrains. Si les Bleues à 7 peinent encore à décrocher les différents Graal du Sevens (JO, World Series et Coupe du monde), elles régalent sur les terrains cette saison. Actuellement 3ème au classement World Rugby Women's Sevens Series, Anne-Cécile Ciofani fait le point sur la reprise et sur les ambitions du groupe. Dans un communiqué de la FFR, elle dit : “Nous avons repris assez tard pour celles participantes aux Jeux, d’autres ont débuté avant. Après, nous avons su bien reprendre le fil de l’année en enchaînant deux médailles de bronze. Au-delà du pur résultat, l’important se situe également au niveau du contenu. Nous avons su créer une osmose dans notre groupe. Nous avons en ligne de mire la prochaine Coupe du monde l’an prochain.”", + "category": "", + "link": "https://www.lerugbynistere.fr/news/rugby-pour-anne-cecile-ciofani-son-titre-a-une-saveur-un-peu-particuliere-1212211636.php", + "creator": "", + "pubDate": "2021-12-12 16:40:00", + "enclosure": "https://www.lerugbynistere.fr/photos/ciofani-12-12-21-5776.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1dda82e60e6a5ed5a1940a1a9bca8b3d" + }, + { + "title": "INSOLITE. Thibaut Flament joue les interprètes et Antoine Dupont se prend un râteau par un journaliste", + "description": "Pensant être interviewé à la fin du match pour parler de son titre d’homme du match, Antoine Dupont s’est fait gentiment recaler par un journaliste anglais.", + "content": "C’est une scène qu’on n'a pas l’habitude de voir. À la suite du match opposant Cardiff et le Stade Toulousain ce samedi 12 décembre, Antoine Dupont a logiquement reçu le titre d’Homme du match. Impliqué sur chacun des essais toulousains. Il y est même allé de son exploit personnel en effaçant 4 défenseurs pour aller en terre promise. Les rouges et noirs pouvaient donc dire merci au récent lauréat du prix de Meilleur Joueur du Monde World Rugby dans leur victoire face à Cardiff Rugby sur le score de 7 à 39.RESUME VIDEO. Champions Cup. L'omniprésent Antoine Dupont a fait la totale aux Gallois de Cardiff\nLe demi de mêlée toulousain devait ainsi se dire qu’il devait passer par la case obligatoire de l’interview post-match. Sauf que, tout ne s’est pas passé comme d’habitude. Dans un premier temps, on observe Thibaud Flament faire office de traducteur auprès de son coéquipier. Si cette scène inhabituelle sous-entend que Toto n’est pas très familier avec la langue de Shakespeare, elle amène ensuite à une situation plus cocasse. Le seconde ligne des rouges et noirs a vécu et joué en Angleterre, il est en conséquence bilingue. Une aptitude qui va visiblement amener le journaliste à ignorer Antoine Dupont et à se concentrer sur l’avant.VIDEO. Antoine Dupont revient sur sa folle année 2021, du Tournoi à la tournée en passant par le doublé\nS'il n’y a pas matière à s’offusquer, il est cependant possible de lâcher un petit rictus devant la surprise de Flament au moment où le journaliste lui fait signe qu’il veut son avis. Le tout assorti à la mine gênée d’Antoine Dupont qui, ne sachant pas où se mettre, semblait aussi à l’aise devant l’appareil qu’un collégien pendant sa photo de classe. Comble de l’ironie, l’interviewer n’hésite pas à demander à l’ancien joueur des Wasps ce que cela “fait de jouer avec Antoine Dupont.”\n\n🏆🏉 #ChampionsCup🗨️ Antoine Dupont : \"Le résultat est bon mais ils ont été très bons eux aussi\"🗨️ Thibaud Flament : \"Sympa de revenir jouer ici, c'était une belle ambiance\" pic.twitter.com/fwY0uOwMLN\n— beIN SPORTS (@beinsports_FR) December 11, 2021\n", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/insolite-thibaut-flament-joue-les-interpretes-et-antoine-dupont-se-prend-un-rateau-par-un-journaliste-1212211330.php", + "creator": "", + "pubDate": "2021-12-12 13:35:00", + "enclosure": "https://www.lerugbynistere.fr/photos/dupont-12-12-21-8705.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0aaec5bae3bd5f50467006919926cd33" + }, + { + "title": "RUGBY. Les Bleus vainqueurs des All Blacks grâce aux Anglais ? La théorie originale d’un journaliste australien !", + "description": "Dans un article de Rugby pass, un journaliste émet la théorie selon laquelle la victoire de la France face aux All Blacks existerait grâce au XV de la Rose…", + "content": "C’est une idée qui donnera sans doute envie  à beaucoup de bondir hors de son canapé. Le 20 novembre 2021, la France bat la Nouvelle-Zélande. Un exploit retentissant qui met fin à des années de disettes Bleus face à la Fougère Argentée. Vaincus à deux reprises d’affilée par des nations européennes, les hommes de Ian Foster connaissent une déconvenue rare lors de leur tournée d’automne. Pire, certains parlent même d’une inversion des puissances établies où les européens auraient enfin pris le dessus sur leurs éternels bourreaux austraux. Le Sydney Morning Herald évoque même “une victoire française face au All Blacks signe de la suprématie de l’hémisphère nord” dans l’échiquier du rugby mondial. Cependant, malgré tous les articles analysant la victoire de la France, ou celle de l’Irlande, sur les triples champions du monde, il y en a qui détonnent. Paru dans la soirée du 10 décembre sur le site Rugby pass, l’article “Comment l’Angleterre a dirigé la France vers une victoire face aux All Blacks\" propose une théorie inédite.\nEn effet, selon le journaliste australien Nick Bishop “la France s'est inspirée de la victoire de l'Angleterre en Coupe du monde contre les All Blacks en 2019 à Yokohama”. Mais pourquoi donc faire un tel lien entre deux sélections que tous semblent s’opposer de par le contexte des deux différentes rencontres ou bien encore les dynamiques des deux formations ? Ne vous inquiétez pas, la réponse arrive. Selon cet analyste qui a travaillé au côté de grands noms comme Graham Henry ou Stuart Lancaster, tout est question de préparation et de choix d’effectif. Et accrochez-vous, car la clé de cette victoire semble encore plus improbable que la théorie initiale. En effet, selon lui, c’est la nomination très critiquée de Cameron Woki en seconde ligne qui a permis à Antoine Dupont et ses coéquipiers d’étriller les Néo-zélandais.La rédaction du Rugbynistère a choisi ses meilleurs joueurs de la Coupe du monde 2019 !\nIl compare notamment ce changement de poste à celui qu’a pu connaître Courtney Lawes durant le mondial japonais. Il explique la victoire anglaise de cette façon : “Eddie Jones a pris un risque très peu anglais en choisissant son équipe spécialement en vue de cette demi-finale cruciale. Au lieu d'opter pour l'habituelle et confortable couverture anglaise composée d'un ensemble massif d'attaquants experts en coups de pied arrêtés, il a choisi deux piliers manieurs de ballon (Mako Vunipola et Kyle Sinckler), deux secondes lignes qui avaient tous deux commencé des matchs en tant que numéro 6 pour leur pays (Maro Itoje et Courtney Lawes), et deux véritables numéro 7 en troisième ligne (Sam Underhill et Tom Curry).”Rugby. France-All Blacks. Woki vs Retallick : l'élève face au maître !\nDans son argumentaire, il se concentre ensuite sur le lien entre le joueur de l’UBB et la victoire face aux coéquipiers de Ardie Savea. Il dit : “Le succès de la France a commencé en dehors du terrain, sur la table de sélection. Sir Graham Henry déclarait que la capacité à choisir les bons profils est la qualité la plus essentielle pour un sélectionneur [...]. Woki est par nature et par logique un numéro 6, et non un deuxième ligne, mais la France était prête à prendre des risques sur la conquête afin d'obtenir cet avantage en champ libre. Woki était le capitaine d'un alignement qui n'a obtenu qu'un taux de rétention de 70 % (environ 15 % de moins que le taux acceptable), mais il était solide quand il le fallait.”\nPlacement de Woki au début de la relance de Romain Ntamack.\nRugby. VIDÉO. Chez les Woki, le rugby c'est une histoire de famille avec Cameron et Marvin\nCe sacrifice dans la conquête, il aurait été nettement compensé par la présence de Woki dans le jeu courant. En France, beaucoup ont critiqué le fait que Woki tente d’aller seul en terre promise sur l’incroyable relance de Ntamack. Mais pour Nick Bishop, cette séquence est au contraire un argument montrant le rendement du joueur. Il explique :\nEn attaque, les Bleus ont pu utiliser avec profit la mobilité impressionnante de Cameron Woki ainsi que sa puissance de course sur les extérieurs. Woki se positionne à l'extérieur de la zone d'attaque de Romain Ntamack lorsque Damian Penaud rentre dans le cœur du jeu, et c'est un positionnement que Woki a occupé avec de manière critique au moment du tournant du match. Il n'y a que deux points d'écart entre les deux équipes lorsque Ntamack récupère le ballon derrière sa propre ligne et bat deux poursuivants néo-zélandais pour amorcer la résurrection de l'essai du bout du monde de 1994. Ayant déjà effectué une formidable course de récupération en défense, Cameron Woki est le dernier homme à l'arrière au début de l'action. Vingt secondes plus tard, il a remonté le terrain sur 90 mètres pour donner de la largeur dans le rôle d'un second centre et pour gagner le match. Ardie Savea a reçu un carton jaune au ruck et les Bleus n'ont plus jamais eu besoin de regarder en arrière, récoltant les 13 derniers points du match.\"\nL'intégralité de l'analyse détaillée est à retrouver ici : “Comment l’Angleterre a dirigé la France vers une victoire face aux All Blacks\"", + "category": "", + "link": "https://www.lerugbynistere.fr/news/rugby-les-bleus-vainqueurs-des-all-blacks-grace-aux-anglais-la-theorie-originale-dun-journaliste-australien-1212211253.php", + "creator": "", + "pubDate": "2021-12-12 13:00:00", + "enclosure": "https://www.lerugbynistere.fr/photos/farrell-woki-12-12-21-358.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bbd6a7c3e18296df1c9037b7afcb858c" + }, + { + "title": "RUGBY. VIDEO.Personne n’en parle, mais l’USAP a marqué un essai de grande classe face aux Dragons", + "description": "Dans cette rencontre tout en intimité, les catalans ont inscrit un magnifique essai par l’intermédiaire de Baptiste Plana. Score final : 22 à 16 pour l'Usap", + "content": "Contrairement aux lendemains habituels de victoire de l’USAP, il devait-être plus compliqué pour les catalans de se réveiller ce matin pour discuter du match de la veille. Dans un premier temps, car la rencontre n’était pas diffusée en France. Ensuite, car le Stade Aimé Giral, d’habitude si effervescent, avait une bien grise mine hier. Les tribunes du stade étaient clairsemées en ce samedi 11 décembre. Mais visiblement, l’USAP est tout de même capable de belles choses quand le volcan catalan semble endormi. Lors de la rencontre de Challenge Cup qui opposait les Sang et Or aux Dragons de Newport, les catalans ont dominé leurs adversaires. Le score final étant de 22 à 16. Une victoire obtenue grâce à une seconde mi-temps de haute-volée. L’entrée du vétéran Tom Ecochard a largement influencé le fil du match. Impliqué dans plusieurs des réalisations de son équipe, il inscrit plus de la moitié des points de sa formation et est auteur du second essai des siens.\n\nThose hands 😍An incredible move by @usap_officiel as Baptiste Plana goes through to score for the hosts 🪄#ChallengeCupRugby pic.twitter.com/7aV2SZHyrq\n— EPCR Challenge Cup (@ChallengeCup_) December 11, 2021\n\nMais là où le demi de mêlée s’est illustré, c’est sur l’ultime essai catalan. Auteur d’une magnifique passe à l’aveugle pour Plana, il s’inscrit dans une action de grande classe de la part de l’USAP. Une séquence qui commence par un amorti du pied de Pujol suite à coup de pied rasant gallois. Ce dernier récupère ensuite le ballon avant de se faire reprendre par Reynolds. Ecochard éjecte rapidement du ruck pour servir Matteo Rodor qui grâce à un coup de pied permet à Dubois de mettre son équipe de percer le rideau défensif. Dubois récupère la balle, sert Ecochard et la suite, vous la connaissez. Tout ce qui vous reste à faire c’est d’admirer.\n\nMais quelle action 🥵 Les Catalans ont régalé ce soir face à Newport 😍 #USAP pic.twitter.com/1Cl5WQEH5Q\n— Mêlée à 5 (@5Melee) December 11, 2021\n\n", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/rugby-videopersonne-nen-parle-mais-lusap-a-marque-un-essai-de-grande-classe-face-aux-dragons-1212211052.php", + "creator": "", + "pubDate": "2021-12-12 10:55:00", + "enclosure": "https://www.lerugbynistere.fr/photos/usap-plan-12-12-21-502.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c6e8a41839ade9506f71e4c7b5775600" + }, + { + "title": "INTERVIEW. RUGBY. Entre France 7 et le Stade Toulousain, voici le phénomène Nelson Epée", + "description": "Nelson Épée a explosé aux yeux du grand public ces dernières semaines grâce à ses performances avec France 7. Voici son interview en exclusivité pour le Rugbynistère.", + "content": "Il n’a que 20 ans, mais les vidéos où on le voit casser les reins de ses adversaires font déjà le tour des réseaux. Champion de France Espoir avec le Stade Toulousain la saison dernière, il est prêté pour quelques mois à l’équipe de France de rugby à 7. Entre les rouges et noirs et les Bleus du Sevens, le Rugbynistère est allé à la rencontre du meilleur marqueur des Bleus de ce début de saison. En dehors de son style de jeu spectaculaire, Nelson Épée revient souvent sur une notion essentielle à ses yeux : “le travail”. Préférant se focaliser sur son jeu, il avoue qu’il “n’apprécie pas trop les interviews”. Mais rassurez-vous, vous n’avez sûrement pas encore fini d’entendre parler de lui.VIDEO. ''Mister Nitro'' Nelson Epée mystifie les USA avec un triplé et France 7 file en demie !\nPetite présentation pour commencer, comment définirais- tu ton style de rugby ?\nSur un terrain de rugby, j’aime avoir de l’espace. Je préfère jouer l’évitement plutôt que le contact, même si j’apprécie aussi défendre. Mon but dans un match, c’est de bonifier au maximum les ballons. Je trouve que j’arrive très bien à le faire. Ensuite, j’essaye de faire parler la vitesse si l’occasion se présente.\nJustement en parlant de vitesse, ta pointe de vitesse est à combien ?\nMa pointe de vitesse est à 38,2 km/h. (NDLR : une pointe plus importante qu’Usain Bolt, Damian Penaud, Cheslin Kolbe ou encore Kylian Mbappe) Sur 50 mètres, j’ai déjà fait 5”65 secondes avec le Stade Toulousain sur une course navette. Mais je ne sais pas si cette donnée est tout à fait juste. Le temps auquel je me réfère généralement, c’est celui que j’ai fait aux bornes. C'est-à-dire 5”80 secondes.\nC’est par rapport à cette vitesse que tu as choisi de partir avec France 7 ? \nLe rugby à 7, je l’ai choisi en accord avec le Stade Toulousain. Le but était de développer rugbystiquement et de travailler ma technique individuelle. Si j’ai fait ce pari, c’est pour m’améliorer dans ce qui est prise de décision, enchaînement des tâches à haute intensité et sur mon jeu au sol aussi.\nQuel est ton ressenti après deux étapes du Sevens World Series ?\nFranchement, rien qu’en deux étapes, j’ai déjà l’impression de progresser, même si le chemin reste encore long et je dois travailler. Sur le second tournoi de Dubaï, j’ai fait plusieurs rencontres à 12 minutes. Donc presque un match entier de rugby à 7, cela montre que j’ai amélioré mon cardio depuis mon arrivée dans le groupe.VIDEO. Equipe de France à 7. Nelson Épée a encore cassé des genoux avec ses appuis monstrueux\n\nThings we learned at #Dubai7s: • Watching Nelson Epee is a lot of fun 😊#HSBC7s pic.twitter.com/nK2m7TXX3Z\n— World Rugby Sevens (@WorldRugby7s) December 8, 2021\n\nQuels sont les objectifs de France 7 cette saison ?\nOn a pour objectif de gagner une étape, voire plus si possible. O\n\nn fait tout pour que ça soit possible.\nL’objectif serait de gagner l’avant-dernière étape de la saison qui a lieu en France ?\nEn France ou ailleurs, le but est d’en gagner une et ceci peu importe l’étape. Le challenge reste le même partout sur le globe. On enchaîne avec la même mentalité à chaque fois, que ça soit chez nous ou à l’étranger. On n'en était pas loin lors de la seconde étape à Dubaï. On veut essayer de rapporter le plus de médailles possibles à la fin de la saison.\nTu as fait le Supersevens, est-ce que tu ressens l’influence de cette nouvelle compétition ? \nDéjà, je trouve que le Supersevens permet de familiariser le rugby à 7 auprès du grand public. Ils apprennent ce que c’est et découvrent les difficultés de ce rugby. En plus, le tournoi permet la révélation des jeunes talents grâce à leurs performances sur le terrain.\n\n🇫🇷 Vous ne verrez rien de plus beau aujourd'hui 💥Nelson Épée 🔥pic.twitter.com/9zK2kUKHJw\n— SPORTRICOLORE (@sportricolore) December 4, 2021\n\nLe rugby à 7, simple passage ou bien tu voudrais continuer dans cette voie ensuite ?\nJe n’ai pas d’idée précise. La seule chose dont j’ai envie, c’est de jouer au rugby au plus haut niveau possible. Si on me donne l’occasion de jouer avec l’équipe de France à 7, je la prends. Si on me donne l’occasion de jouer avec l’équipe première du Stade Toulousain, je la prendrai aussi.VIDEO. Rugby à 7. Epée active le mode fusée, Trouabal danse sur le pré, la médaille pour les Bleues\nRécemment, le Midi Olympique a annoncé qu’Antoine Dupont aimerait tenter l’aventure du Sevens. Que penses-tu de cette annonce ?\nÇa peut être une bonne chose pour lui et pour le groupe. Je ne suis pas non plus un spécialiste du rugby à 7, mais avec tout ce qu’il apporte à XV, ça pourrait être intéressant. On pourrait l’essayer au moins sur une étape, afin de voir ce que cela donnerait.\nOn sait déjà que tu es proche de Kolbe est ton modèle au rugby à XV. Du côté des joueurs français, qui est celui qui t’inspire le plus ?\nSans hésitation, je dirais Maxime Médard. J’admire sa constance et son acharnement au travail, notamment lors des entraînements. Il a une mentalité de gagnant.\n\nDire que des défenseurs du Top 14 qui pensaient être sortis de l’enfer Toulousain en voyant Cheslin Kolbe partir à Toulon tombent sur des vidéos de Nelson Épée qui électrocute depuis deux semaines des pères de familles du monde entier. Quelle vie. pic.twitter.com/r1IAXayd6R\n— Chez Tonton - Pastis Ô Maître (@cheztontontlse) December 3, 2021\n\nAvec le départ de Kolbe et la retraite de Huget, des places se libèrent à l’aile du Stade Toulousain. Est-ce que prendre cette place est ton ambition ?\nMon ambition, c'est de jouer au Stade Toulousain. Je l’ai toujours dit, je ne m’en cache pas et je ne m’en cacherai jamais. Je veux jouer au Stade Toulousain, je ferai tout le travail nécessaire pour y arriver.VIDEO. Le Toulousain Nelson Epée casse les chevilles des Parisiens avec ses appuis de feu\nEt le XV de France, tu y penses ?\nComme je l'ai dit auparavant, mon seul but est de jouer au plus haut niveau possible. Le XV de France, c’est l’étape ultime. Intégrer l’équipe de France, ça sera toujours dans un coin de ma tête. Je pense avoir les moyens d’en faire partie un jour. Après, je n’en suis pas encore là. Je n’ai que 20 ans, je suis très jeune donc je ne me prends pas la tête. Pour l’instant, je suis avec l’équipe de France de rugby à 7, je me concentre là-dessus. Ensuite je verrai comment se passeront les années à venir au Stade Toulousain. Pour ce qui est de ma progression, je reste focalisé sur le travail qu’il me reste à faire pour atteindre mes objectifs.\nFabien Galthié utilise le terme “OVNI” pour décrire ceux qui peuvent intégrer directement un groupe France aux places rares. Penses-tu que ces paroles du sélectionneur poussent les jeunes joueurs à donner le meilleur d’eux même ?\nLes paroles du sélectionneur sont motivantes. Il montre aux jeunes que malgré tout, il y a encore des places à saisir. Ça nous pousse à travailler pour espérer les décrocher.", + "category": "", + "link": "https://www.lerugbynistere.fr/news/interview-rugby-entre-france-7-et-le-stade-toulousain-voici-le-phenomene-nelson-epee-1212211013.php", + "creator": "", + "pubDate": "2021-12-12 10:20:00", + "enclosure": "https://www.lerugbynistere.fr/photos/couv-nelson-12-12-21-2143.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "411e8b5bde8df8ed6e25bedacc5cf85d" + }, + { + "title": "Champions Cup. VIDEO. La défaite de l’UBB face à Leicester pour ce choc des leaders", + "description": "L’UBB échoue de peu dans ce choc face au leader de Premiership. Face à un George Ford impérial, les hommes de Christophe Urios perdent à domicile. Score : 13-16", + "content": "C’était un choc au sommet que l’UBB devait assurer. Après sa belle performance face à Toulouse le week-end dernier, les hommes de Christophe Urios souhaitaient continuer sur leur lancée. Malheureusement, il n’en fut rien. Dans ce match de très haut niveau, les Girondins offrent des points précieux à leurs adversaires européens. Les Bordelais étaient pourtant à quelques mètres de l’en-but anglais au coup de sifflet final. Un bon grattage anglais permettra alors aux Tigers de récupérer le cuir. George Ford tape en touche et les deux camps se quittent sur le score de 13 à 16. Cette victoire permet aux coéquipiers d’Harry Potter conserver leur invincibilité de début de saison. La formation du centre de l’Angleterre est la seule équipe encore invaincue en Europe cette saison et ceci toute compétition confondue.\nÀ la suite du match, le manager bordelais Christophe Urios s’est exprimé sur la rencontre. Selon des propos rapportés par L’Equipe, il déclare : \nAujourd'hui, la meilleure équipe a gagné, je n'ai absolument pas de regret. Il nous a manqué de jouer un match complet. C'est difficile de battre des équipes de ce niveau en ne jouant que 45 minutes. Je nous ai trouvés en difficulté en première période, physiquement surtout et manquant d'intensité. On a d'abord été pris par la vitesse et la qualité de leur jeu au pied, leur fraîcheur physique. On a subi mais on s'en sort bien, à 10-10 à la pause. Après, on a plutôt bien mené la 2e période, mais trop de joueurs n'ont pas joué à leur niveau. On va bien se régénérer et se remettre en route pour aller chercher à prendre plus de points aux Scarlets.”\nDu côté anglais, le coach des Leicester Tigers, Steve Borthwick, a félicité la performance de ses hommes. Il s’exprime dans un article de Rugby Pass :\n Je suis fier de ces joueurs. Quand l'UBB a tapé en touche à la fin, j'ai pensé : \"Quel que soit le résultat, je suis fier de mes joueurs\". Ils sont venus ici à Bordeaux et ont fait un effort remarquable. [...] Ils ont beaucoup de potentiel pour devenir une bonne équipe. Nos joueurs ont une attitude qui leur permet de s'améliorer et, de mon point de vue, c'est un plaisir de les entraîner.[...] Ils ont eu le courage de jouer un peu différemment et le courage d'essayer. Bordeaux est une équipe brillante, avec des menaces tout autour du terrain. Nous voulions les mettre au défi d'une manière différente pour qu'ils pensent un peu différemment.”\n", + "category": "", + "link": "https://www.lerugbynistere.fr/videos/champions-cup-video-la-defaite-de-lubb-face-a-leicester-pour-ce-choc-des-leaders-121221930.php", + "creator": "", + "pubDate": "2021-12-12 09:35:00", + "enclosure": "https://www.lerugbynistere.fr/photos/ubb-tigers-12-12-21-9887.jpg", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "Le Rugbynistere", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6632531c4d5fedb1380ffeb3649a9c64" + }, { "title": "Des hommes et un ballon où quand le rugby c'était les copains avant les datas et les résultats", "description": "Cette semaine, Pierre Navarron nous livre un texte qui sent bon le rugby d'avant. ''C'est pas de la nostalgie, c'est autre chose'', comme une autre discipline.", @@ -29196,14 +33630,14 @@ "description": "Retrouvez sur RMC Sport toute l'actualité sportive en continu et en direct: football, mercato, rugby, basket, tennis, formule 1…", "items": [ { - "title": "Affaire Agnel en direct: Agnel mis en examen", - "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", - "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", + "title": "Premier League: Manchester City pulvérise Leeds, les sept buts de la raclée", + "description": "Manchester City a conforté son statut de leader de Premier League ce mardi, en corrigeant à domicile Leeds (7-0). Jamais Marcelo Bielsa n'avait encaissé autant de buts dans un même match en championnat. Avec cette nouvelle démonstration collective, Pep Guardiola s'est offert lui un nouveau record dans le championnat anglais, en étant le manager à dépasser le plus rapidement la barre des 500 réalisations.

", + "content": "Manchester City a conforté son statut de leader de Premier League ce mardi, en corrigeant à domicile Leeds (7-0). Jamais Marcelo Bielsa n'avait encaissé autant de buts dans un même match en championnat. Avec cette nouvelle démonstration collective, Pep Guardiola s'est offert lui un nouveau record dans le championnat anglais, en étant le manager à dépasser le plus rapidement la barre des 500 réalisations.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-manchester-city-ecrase-leeds-les-sept-buts-de-la-raclee_AV-202112140503.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", - "enclosure": "https://images.bfmtv.com/MhiWI9f1DC1iCJ2a2QzVGovW6ro=/0x38:768x470/800x0/images/Le-nageur-francais-Yannick-Agnel-s-apprete-a-disputer-la-finale-du-200-m-des-championnats-de-France-a-Montpellier-le-30-mars-2016-1185421.jpg", + "pubDate": "Tue, 14 Dec 2021 22:00:24 GMT", + "enclosure": "https://images.bfmtv.com/LpjDf_XHFeaKaso8-tDIWUDOft0=/0x162:2048x1314/800x0/images/De-Bruyne-1188616.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29214,17 +33648,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "76a43d437900c8cae6c37d90d8b5ea0e" + "hash": "9613230bf2cca5055a55627ed5b66896" }, { - "title": "Reims - Saint-Etienne en direct: les Verts veulent sortir de la zone rouge", - "description": "Pour la première depuis la mise à pied de Claude Puel, Saint-Etienne doit absolument remettre la marche en avant en Ligue 1 face à Reims (21h). Les Verts, coachés par intérim par Julien Sablé, sont derniers de Ligue 1.

", - "content": "Pour la première depuis la mise à pied de Claude Puel, Saint-Etienne doit absolument remettre la marche en avant en Ligue 1 face à Reims (21h). Les Verts, coachés par intérim par Julien Sablé, sont derniers de Ligue 1.

", + "title": "Real Madrid: Benzema n'a pas peur du PSG", + "description": "Karim Benzema a reçu ce mardi soir son trophée de meilleur joueur de football par le journal madrilène AS. Le buteur du Real Madrid en a profité pour faire passer un message au PSG avant leur rencontre en Ligue des champions.

", + "content": "Karim Benzema a reçu ce mardi soir son trophée de meilleur joueur de football par le journal madrilène AS. Le buteur du Real Madrid en a profité pour faire passer un message au PSG avant leur rencontre en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-reims-saint-etienne-en-direct_LS-202112110324.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-benzema-n-a-pas-peur-du-psg_AV-202112140495.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 18:40:25 GMT", - "enclosure": "https://images.bfmtv.com/xFO3OqWx-L2vCk3n4wbPRJYjdXU=/0x118:2048x1270/800x0/images/Wahbi-Khazri-1184964.jpg", + "pubDate": "Tue, 14 Dec 2021 21:27:46 GMT", + "enclosure": "https://images.bfmtv.com/4D3fsxKj0IXgEOUvp3niu5ePKRg=/0x106:2048x1258/800x0/images/Karim-Benzema-1179583.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29235,17 +33669,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a62809f81f01df1ce0c5798e1388c680" + "hash": "21c8ca6f2370dc5521951f1cefd03d31" }, { - "title": "Mondial de hand: après un duel terrible contre la Serbie, les Bleues qualifiées pour les quarts", - "description": "Poussée dans ses retranchements comme jamais depuis le début du championnat du monde, l'équipe de France de handball décroche son billet pour les quarts de finale en battant la Serbie (22-19).

", - "content": "Poussée dans ses retranchements comme jamais depuis le début du championnat du monde, l'équipe de France de handball décroche son billet pour les quarts de finale en battant la Serbie (22-19).

", + "title": "Saint-Etienne: Dupraz, un pompier de service aguerri", + "description": "Saint-Etienne a nommé ce mardi Pascal Dupraz à la tête de son équipe première, en remplacement de Claude Puel. Le nouveau technicien a signé un contrat jusqu'à la fin de la saison, où il aura pour mission de maintenir le club en Ligue 1. Remercié par Caen en mars dernier après une année décevante en Ligue 2, Dupraz retrouve donc son costume de pompier de service. Qui lui a souvent réussi.

", + "content": "Saint-Etienne a nommé ce mardi Pascal Dupraz à la tête de son équipe première, en remplacement de Claude Puel. Le nouveau technicien a signé un contrat jusqu'à la fin de la saison, où il aura pour mission de maintenir le club en Ligue 1. Remercié par Caen en mars dernier après une année décevante en Ligue 2, Dupraz retrouve donc son costume de pompier de service. Qui lui a souvent réussi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-apres-un-duel-terrible-contre-la-serbie-les-bleues-qualifiees-pour-les-quarts_AN-202112110320.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-dupraz-un-pompier-de-service-aguerri_AV-202112140485.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 18:28:58 GMT", - "enclosure": "https://images.bfmtv.com/xhmNSuQKtcab5QDFm2RvHVmXRT4=/0x106:2048x1258/800x0/images/Camille-Lassource-avec-les-Bleues-du-handball-1186620.jpg", + "pubDate": "Tue, 14 Dec 2021 21:05:06 GMT", + "enclosure": "https://images.bfmtv.com/YvrTtnDk4UxY2GhqUDMuQt-1uoo=/0x0:768x432/800x0/images/L-entraineur-de-Caen-Pascal-Dupraz-avant-le-match-de-Ligue-1-contre-Montpellier-le-19-janvier-2020-au-Stade-de-La-Mosson-1188591.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29256,17 +33690,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ea5b2842088800f1e331e982fd68d18" + "hash": "ed0780a9e8c098c891b9b54e2a156e4c" }, { - "title": "Covid-19, recettes en berne, sécurité: l'heure du bilan à la FFF après une année agitée", - "description": "L'Assemblée générale de la FFF a permis au football français de faire le bilan de l'année, marquée une nouvelle fois par la gestion de la situation sanitaire avec notamment une billetterie en berne.

", - "content": "L'Assemblée générale de la FFF a permis au football français de faire le bilan de l'année, marquée une nouvelle fois par la gestion de la situation sanitaire avec notamment une billetterie en berne.

", + "title": "Montpellier: Dall'Oglio décrit le phénomène Savanier, qui \"voit des choses que tout le monde ne peut pas voir\"", + "description": "Invité de l'After Foot ce mardi soir sur RMC, l'entraîneur de Montpellier Olivier Dall'Oglio s'est montré très élogieux envers Teji Savanier, auteur d'un super début de saison. Et il espère le voir rester.

", + "content": "Invité de l'After Foot ce mardi soir sur RMC, l'entraîneur de Montpellier Olivier Dall'Oglio s'est montré très élogieux envers Teji Savanier, auteur d'un super début de saison. Et il espère le voir rester.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/covid-19-recettes-en-berne-securite-l-heure-du-bilan-a-la-fff-apres-une-annee-agitee_AV-202112110316.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/montpellier-dall-oglio-decrit-le-phenomene-savanier-qui-voit-des-choses-que-tout-le-monde-ne-peut-pas-voir_AV-202112140480.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 18:17:16 GMT", - "enclosure": "https://images.bfmtv.com/8TfaosY7PxRY0tzJzrIV6Zg8FAs=/0x36:768x468/800x0/images/Le-president-de-la-Federation-francaise-de-football-Noel-Le-Graet-lors-d-une-conference-de-presse-le-10-decembre-2015-au-siege-de-la-FFF-a-Paris-1174566.jpg", + "pubDate": "Tue, 14 Dec 2021 20:48:49 GMT", + "enclosure": "https://images.bfmtv.com/kcJ4FnaS5KYk7A-8-Hlo_QMvHGg=/0x65:2048x1217/800x0/images/Teji-SAVANIER-1088447.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29277,17 +33711,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc69537b8e04e86a7a1d6f2ff20c2605" + "hash": "6413241620022e3f5a6a4f17b342ab7c" }, { - "title": "Champions Cup: des regrets pour l’UBB après sa défaite inaugurale contre Leicester", - "description": "L’UBB a perdu ce samedi contre Leicester à domicile (13-16) lors de la première journée de Champions Cup. Décevants dans le jeu, les Girondins n’ont jamais réussi à se détacher et ont craqué dans les dernières minutes face à une valeureuse défense anglaise.

", - "content": "L’UBB a perdu ce samedi contre Leicester à domicile (13-16) lors de la première journée de Champions Cup. Décevants dans le jeu, les Girondins n’ont jamais réussi à se détacher et ont craqué dans les dernières minutes face à une valeureuse défense anglaise.

", + "title": "Coupe Maradona: le Barça s'incline pour la première de Dani Alves", + "description": "Avec une équipe largement remaniée, dans laquelle figurait le Brésilien Dani Alves, le FC Barcelone a perdu ce mardi la première édition de la Coupe Maradona, un match amical organisé en l'honneur de l'ancien footballeur, décédé en novembre 2020. Boca Juniors s'est imposé face au club catalan à l'issue d'une séance de tirs au but (1-1, 4-2 tab).

", + "content": "Avec une équipe largement remaniée, dans laquelle figurait le Brésilien Dani Alves, le FC Barcelone a perdu ce mardi la première édition de la Coupe Maradona, un match amical organisé en l'honneur de l'ancien footballeur, décédé en novembre 2020. Boca Juniors s'est imposé face au club catalan à l'issue d'une séance de tirs au but (1-1, 4-2 tab).

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-des-regrets-pour-l-ubb-apres-sa-defaite-inaugurale-contre-leicester_AV-202112110313.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-maradona-le-barca-s-incline-pour-la-premiere-de-dani-alves_AV-202112140471.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 18:02:11 GMT", - "enclosure": "https://images.bfmtv.com/mKsD3TKjUrGWt0EtoVhP8cPgaPk=/0x0:2048x1152/800x0/images/Yoram-Moefana-UBB-plaque-par-des-joueurs-de-Leicester-1186613.jpg", + "pubDate": "Tue, 14 Dec 2021 19:58:21 GMT", + "enclosure": "https://images.bfmtv.com/0X1S1yU8xtOqSryyLxdB3iRrQuI=/0x11:2048x1163/800x0/images/Dani-Alves-lors-de-Barca-Boca-Juniors-1188580.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29298,17 +33732,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c9bc51f234c07b667976a9dabf1416a" + "hash": "723592ea13985f0168d6fbd7fbade8e1" }, { - "title": "Ligue 1: fin de série très rude pour Brest, corrigé par le Montpellier de Dall'Oglio", - "description": "Victorieux de ses six derniers matchs, Brest est tombé à domicile ce samedi face à Montpellier (4-0), dirigé par Olivier Dall'Oglio, sur le banc de touche du club breton la saison dernière. Le MHSC réalise une bonne opération au classement, se replaçant à la quatrième place.

", - "content": "Victorieux de ses six derniers matchs, Brest est tombé à domicile ce samedi face à Montpellier (4-0), dirigé par Olivier Dall'Oglio, sur le banc de touche du club breton la saison dernière. Le MHSC réalise une bonne opération au classement, se replaçant à la quatrième place.

", + "title": "Saint-Etienne: Pascal Dupraz débarque sur le banc des Verts", + "description": "Après l'officialisation du départ de Claude Puel, Saint-Etienne a annoncé ce mardi la nomination de Pascal Dupraz au poste d'entraîneur. L'ancien coach de Toulouse, qui va devoir se battre pour le maintien, s'est engagé jusqu'en juin 2022.

", + "content": "Après l'officialisation du départ de Claude Puel, Saint-Etienne a annoncé ce mardi la nomination de Pascal Dupraz au poste d'entraîneur. L'ancien coach de Toulouse, qui va devoir se battre pour le maintien, s'est engagé jusqu'en juin 2022.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-fin-de-serie-tres-rude-pour-brest-corrige-par-le-montpellier-de-dall-oglio_AN-202112110310.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-pascal-dupraz-debarque-sur-le-banc-des-verts_AV-202112140469.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 17:55:52 GMT", - "enclosure": "https://images.bfmtv.com/Sr7kHQYjOKgcjZdhNKniriJQUK8=/0x106:2048x1258/800x0/images/Wahi-1186598.jpg", + "pubDate": "Tue, 14 Dec 2021 19:54:29 GMT", + "enclosure": "https://images.bfmtv.com/jGMuGimiFkQh3GwGDZGBnKqZx30=/0x198:1920x1278/800x0/images/Pascal-Dupraz-1188574.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29319,38 +33753,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "653d0a324d2fc08ac47f7d8d91d1ed5c" + "hash": "086781ea94d34da56b0fe0657b13a8dc" }, { - "title": "Chelsea-Leeds: vives tensions autour de Rüdiger après un penalty litigieux en fin de match", - "description": "Chelsea a dominé Leeds de justesse (3-2) ce samedi pour la 16e journée de Premier League, à Stamford Brigde, au terme d'un match qui s'est décidé aux penalties. L'Allemand Antonio Rüdiger en a obtenu deux pour Chelsea.

", - "content": "Chelsea a dominé Leeds de justesse (3-2) ce samedi pour la 16e journée de Premier League, à Stamford Brigde, au terme d'un match qui s'est décidé aux penalties. L'Allemand Antonio Rüdiger en a obtenu deux pour Chelsea.

", + "title": "Bundesliga: le Bayern se balade mais perd Coman", + "description": "Le Bayern Munich s'est imposé 5-0 sur la pelouse de Stuttgart ce mardi en Bundesliga, grâce à un triplé de Serge Gnabry et un doublé de Robert Lewandowski. Mais Kingsley Coman a quitté le terrain à la 27e minute, blessé à une cuisse.

", + "content": "Le Bayern Munich s'est imposé 5-0 sur la pelouse de Stuttgart ce mardi en Bundesliga, grâce à un triplé de Serge Gnabry et un doublé de Robert Lewandowski. Mais Kingsley Coman a quitté le terrain à la 27e minute, blessé à une cuisse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-leeds-vives-tensions-autour-de-rudiger-apres-un-penalty-litigieux-en-fin-de-match_AV-202112110305.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-le-bayern-se-balade-mais-perd-coman_AV-202112140460.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 17:38:09 GMT", - "enclosure": "https://images.bfmtv.com/qMPnzpgPvTeynMsBzQTbcrGsF_s=/0x0:1200x675/800x0/images/Antonio-Ruediger-1186602.jpg", + "pubDate": "Tue, 14 Dec 2021 19:30:19 GMT", + "enclosure": "https://images.bfmtv.com/gFbHIyDLiFfIX8OgjFG80jZ4qog=/0x93:2048x1245/800x0/images/Serge-Gnabry-1188565.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3a99dd7ac5791153286682729e14d52" + "hash": "9cec756256b67df0a5ee567808015272" }, { - "title": "Toulouse: Mola calme le jeu pour Dupont après son match de Champions Cup", - "description": "Tout juste auréolé du titre de meilleur de l’année 2021, Antoine Dupont a guidé Toulouse vers une victoire à Cardiff (39-7) pour la première journée de Champions Cup. De quoi lui valoir les félicitations de ses coéquipiers… et une mise en garde de son manager Ugo Mola.

", - "content": "Tout juste auréolé du titre de meilleur de l’année 2021, Antoine Dupont a guidé Toulouse vers une victoire à Cardiff (39-7) pour la première journée de Champions Cup. De quoi lui valoir les félicitations de ses coéquipiers… et une mise en garde de son manager Ugo Mola.

", + "title": "JO d'hiver 2022: Fourcade craint des Jeux \"étranges à vivre\" pour les athlètes de neige", + "description": "Présent aux Etoiles du sport à Tignes ce mardi, Martin Fourcade est revenu sur le boycott diplomatique prononcé par plusieurs pays pour les Jeux olympiques d'hiver de Pékin 2022. S'il estime que ces JO risquent d'être \"étranges à vivre\" en raison du contexte actuel, l'ancien biathlète ne souhaite pas que les sportifs portent \"toutes les responsabilités\".

", + "content": "Présent aux Etoiles du sport à Tignes ce mardi, Martin Fourcade est revenu sur le boycott diplomatique prononcé par plusieurs pays pour les Jeux olympiques d'hiver de Pékin 2022. S'il estime que ces JO risquent d'être \"étranges à vivre\" en raison du contexte actuel, l'ancien biathlète ne souhaite pas que les sportifs portent \"toutes les responsabilités\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/toulouse-mola-calme-le-jeu-pour-dupont-apres-son-match-de-champions-cup_AV-202112110301.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-fourcade-craint-des-jeux-etranges-a-vivre-pour-les-athletes-de-neige_AV-202112140454.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 17:25:16 GMT", - "enclosure": "https://images.bfmtv.com/JG-iUNd4_nXjzEgW_niYZGOoqQE=/0x0:2048x1152/800x0/images/Antoine-Dupont-lors-de-Cardiff-Toulouse-1186597.jpg", + "pubDate": "Tue, 14 Dec 2021 19:15:02 GMT", + "enclosure": "https://images.bfmtv.com/7lnn1h-RFORjcyrr3SYAq0xSINY=/0x106:2048x1258/800x0/images/Martin-Fourcade-1188542.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29361,17 +33795,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ea8c19d33bf66f82714d0eb374420880" + "hash": "65204a67413074ce34ba9136b2c7b9e7" }, { - "title": "Premier League: Liverpool s’impose difficilement face au Aston Villa de Gerrard", - "description": "Si l’évènement du jour était le grand retour de Steven Gerrard à Anfield, Liverpool se devait de prendre les trois points pour rester aux prises avec Manchester City qui a gagné son match ce samedi. Accrochés pendant plus d’une heure de jeu, les Reds ont trouvé la faille grâce à un penalty inscrit par Mohamed Salah (66e).

", - "content": "Si l’évènement du jour était le grand retour de Steven Gerrard à Anfield, Liverpool se devait de prendre les trois points pour rester aux prises avec Manchester City qui a gagné son match ce samedi. Accrochés pendant plus d’une heure de jeu, les Reds ont trouvé la faille grâce à un penalty inscrit par Mohamed Salah (66e).

", + "title": "Le ras-le-bol de Jean-Luc Roy sur la spectacularisation de la F1", + "description": "Le titre de Max Verstappen, acquis dimanche dernier lors du dernier tour du Grand Prix d'Abu Dhabi, au détriment de Lewis Hamilton, continue d'alimenter la polémique. Pour Jean-Luc Roy, consultant pour RMC Sport, les décisions prises par le directeur de course Michael Masi vont dans le sens de la spectacularisation à outrance de la Formule 1.

", + "content": "Le titre de Max Verstappen, acquis dimanche dernier lors du dernier tour du Grand Prix d'Abu Dhabi, au détriment de Lewis Hamilton, continue d'alimenter la polémique. Pour Jean-Luc Roy, consultant pour RMC Sport, les décisions prises par le directeur de course Michael Masi vont dans le sens de la spectacularisation à outrance de la Formule 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-liverpool-s-impose-difficilement-face-au-aston-villa-de-gerrard_AV-202112110297.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/le-ras-le-bol-de-jean-luc-roy-sur-la-spectacularisation-de-la-f1_AV-202112140452.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 17:08:39 GMT", - "enclosure": "https://images.bfmtv.com/C5UVVuh6hzcy0m8VIsL36lAz2iA=/0x0:2048x1152/800x0/images/Steven-Gerrard-face-a-Liverpool-1186589.jpg", + "pubDate": "Tue, 14 Dec 2021 19:08:33 GMT", + "enclosure": "https://images.bfmtv.com/QUHtGIo4NH4ZlDKHp6mnF9CW34I=/0x165:2048x1317/800x0/images/Max-Verstappen-1188536.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29382,17 +33816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e98653fc96d19ed5d90b5af2a7de3d52" + "hash": "35f123438f9e4050bff54491aef81f3b" }, { - "title": "Arsenal: la raison disciplinaire pour laquelle Aubameyang a été écarté", - "description": "Mikel Arteta a confirmé que son capitaine Pierre-Emerick Aubameyang ne figurait pas ce samedi sur la feuille de match, pour la rencontre de la 16e journée de Premier League, face à Southampton, pour une raison disciplinaire. Selon The Athletic, l'attaquant gabonais est rentré en retard après un voyage, pour raisons personnelles, autorisé par le club.

", - "content": "Mikel Arteta a confirmé que son capitaine Pierre-Emerick Aubameyang ne figurait pas ce samedi sur la feuille de match, pour la rencontre de la 16e journée de Premier League, face à Southampton, pour une raison disciplinaire. Selon The Athletic, l'attaquant gabonais est rentré en retard après un voyage, pour raisons personnelles, autorisé par le club.

", + "title": "Top 14: Willemse prolonge à Montpellier jusqu'en 2025", + "description": "Le deuxième ligne de Montpellier et du XV de France, Paul Willemse, libre en juin, a prolongé son contrat jusqu'en 2025 avec le club héraultais.

", + "content": "Le deuxième ligne de Montpellier et du XV de France, Paul Willemse, libre en juin, a prolongé son contrat jusqu'en 2025 avec le club héraultais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/arsenal-la-raison-disciplinaire-pour-laquelle-aubameyang-a-ete-ecarte_AV-202112110288.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-willemse-prolonge-a-montpellier-jusqu-en-2025_AV-202112140450.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:57:12 GMT", - "enclosure": "https://images.bfmtv.com/KsB0L39BYlbX-StNQ6Iuy2RHOZs=/0x139:2048x1291/800x0/images/Pierre-Emerick-Aubameyang-1186552.jpg", + "pubDate": "Tue, 14 Dec 2021 18:59:07 GMT", + "enclosure": "https://images.bfmtv.com/_JJnqsPkzDKDje9ElbyBFmL4Ncs=/0x0:2048x1152/800x0/images/Paul-Willemse-avec-le-MHR-1188544.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29403,17 +33837,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "588b7a810ac5ce518184a8e27a7ca5d7" + "hash": "9b3f53e38a196efa4045e3627773459f" }, { - "title": "Bundesliga: le Bayern creuse l’écart sur Dortmund dans la course au titre", - "description": "Le Bayern a porté à six points son avance en tête de la Bundesliga ce samedi, en battant Mayence à domicile 2-1, alors que son dauphin Dortmund était tenu en échec 1-1 dans le derby de la Ruhr à Bochum, pour la 15e journée de Bundesliga.

", - "content": "Le Bayern a porté à six points son avance en tête de la Bundesliga ce samedi, en battant Mayence à domicile 2-1, alors que son dauphin Dortmund était tenu en échec 1-1 dans le derby de la Ruhr à Bochum, pour la 15e journée de Bundesliga.

", + "title": "PSG: le message de Rothen à Mbappé sur son avenir", + "description": "Dans l'émission Rothen s'enflamme, ce mardi sur RMC, Jérôme Rothen a envoyé un message à Kylian Mbappé et demande à ce que le joueur du PSG se positionne rapidement sur son avenir, afin qu'il ne soit pas au coeur des critiques.

", + "content": "Dans l'émission Rothen s'enflamme, ce mardi sur RMC, Jérôme Rothen a envoyé un message à Kylian Mbappé et demande à ce que le joueur du PSG se positionne rapidement sur son avenir, afin qu'il ne soit pas au coeur des critiques.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-le-bayern-creuse-l-ecart-sur-dortmund-dans-la-course-au-titre_AV-202112110283.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-le-message-de-rothen-a-mbappe-sur-son-avenir_AV-202112140442.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:52:17 GMT", - "enclosure": "https://images.bfmtv.com/s545440YMwRI9IedODkLXNAlUbo=/0x34:1200x709/800x0/images/Kingsley-Coman-1186569.jpg", + "pubDate": "Tue, 14 Dec 2021 18:38:55 GMT", + "enclosure": "https://images.bfmtv.com/aBSvuzcwucQ5AUg1TclljQR0aYM=/0x212:2048x1364/800x0/images/Kylian-Mbappe-face-a-Monaco-1188519.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29424,17 +33858,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b5314adf39dbc89b915485f7b98332e" + "hash": "fb71841b0583357a1fe39d56c9c66e6e" }, { - "title": "Equipe de France: Le Graët confirme la priorité des Bleus pour le mois de mars", - "description": "L’équipe de France disputera deux matchs amicaux en mars 2022. Interrogé sur les potentiels adversaires des Bleus ce samedi lors de l’assemblée générale de la Fédération française de football, Noël Le Graët a confirmé que l’option prioritaire restait un tournoi au Qatar, afin d’habituer le groupe de Didier Deschamps au pays où sera disputé la prochaine Coupe du monde.

", - "content": "L’équipe de France disputera deux matchs amicaux en mars 2022. Interrogé sur les potentiels adversaires des Bleus ce samedi lors de l’assemblée générale de la Fédération française de football, Noël Le Graët a confirmé que l’option prioritaire restait un tournoi au Qatar, afin d’habituer le groupe de Didier Deschamps au pays où sera disputé la prochaine Coupe du monde.

", + "title": "Affaire Agnel: \"Des hommes de 24 ans avec des jeunes filles de 13 ans, c'est interdit\", rappelle Abitbol", + "description": "En janvier 2020, Sarah Abitbol dénonçait l'omerta du milieu du patinage artistique en accusant de viols son ancien entraîneur, pointant du doigt aussi la fédération française. Depuis, l'ancienne médaillée olympique continue de mener son combat pour la protection des mineurs dans le sport. Alors que l'affaire Yannick Agnel secoue ces derniers jours le monde de la natation, elle rappelle pour RMC Sport tout le travail de prévention à effectuer.

", + "content": "En janvier 2020, Sarah Abitbol dénonçait l'omerta du milieu du patinage artistique en accusant de viols son ancien entraîneur, pointant du doigt aussi la fédération française. Depuis, l'ancienne médaillée olympique continue de mener son combat pour la protection des mineurs dans le sport. Alors que l'affaire Yannick Agnel secoue ces derniers jours le monde de la natation, elle rappelle pour RMC Sport tout le travail de prévention à effectuer.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-graet-confirme-la-priorite-des-bleus-pour-le-mois-de-mars_AV-202112110272.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-des-hommes-de-24-ans-avec-des-jeunes-filles-de-13-ans-c-est-interdit-rappelle-abitbol_AV-202112140421.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:27:30 GMT", - "enclosure": "https://images.bfmtv.com/NajHR3Vso5J-z5PeSdUO3Jc7uHI=/0x46:2048x1198/800x0/images/Noel-Le-Graet-et-Didier-Deschamps-1186543.jpg", + "pubDate": "Tue, 14 Dec 2021 17:58:37 GMT", + "enclosure": "https://images.bfmtv.com/ybg6IavD9zTGMbHx7IKieKaaf5E=/2x235:4498x2764/800x0/images/-880740.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29445,17 +33879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0aec1219000bb652e8a4ffafe0dc245b" + "hash": "da8b82317bd4a9f7a48e73a0ad150ffb" }, { - "title": "Euroleague: Heurtel sifflé et moqué pour ses retrouvailles avec Barcelone", - "description": "Près d'un an après son départ polémique du FC Barcelone, Thomas Heurtel était de retour vendredi sur le parquet du Palau Blaugrana. Sous les couleurs du rival du Real Madrid, l'international français s'est incliné (93-80) avec ses coéquipiers, dans cette rencontre d'Euroleague. Surtout, le meneur de jeu a été sifflé et moqué par ses anciens supporters.

", - "content": "Près d'un an après son départ polémique du FC Barcelone, Thomas Heurtel était de retour vendredi sur le parquet du Palau Blaugrana. Sous les couleurs du rival du Real Madrid, l'international français s'est incliné (93-80) avec ses coéquipiers, dans cette rencontre d'Euroleague. Surtout, le meneur de jeu a été sifflé et moqué par ses anciens supporters.

", + "title": "Test d'italien bidon: l'enquête sur Suarez classée jusqu'à nouvel ordre", + "description": "L'enquête sur le contrôle d'italien bidon passé par Luis Suarez dans le but d'obtenir la nationalité italienne lors de l'été 2020 a été momentanément classée.

", + "content": "L'enquête sur le contrôle d'italien bidon passé par Luis Suarez dans le but d'obtenir la nationalité italienne lors de l'été 2020 a été momentanément classée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/euroleague-heurtel-siffle-et-moque-pour-ses-retrouvailles-avec-barcelone_AV-202112110269.html", + "link": "https://rmcsport.bfmtv.com/football/test-d-italien-bidon-l-enquete-sur-suarez-classee-jusqu-a-nouvel-ordre_AV-202112140408.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:16:39 GMT", - "enclosure": "https://images.bfmtv.com/vKYIKa24bufk4R3IzxUWp4XKCsw=/0x106:2048x1258/800x0/images/Thomas-Heurtel-1186329.jpg", + "pubDate": "Tue, 14 Dec 2021 17:34:50 GMT", + "enclosure": "https://images.bfmtv.com/QUXA437zG7iogTS9Q9W3ROpKcxk=/0x0:2048x1152/800x0/images/Luis-Suarez-1139791.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29466,17 +33900,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7dc90866dd225b5b2d9a41f3b1385ca2" + "hash": "20a4c7501c6a86ddb0bd00dab6fa2446" }, { - "title": "Le Graët pour une Ligue 3 complètement professionnelle", - "description": "Noël Le Graët a abordé ce samedi la question de la professionnalisation de la troisième division française. En marge de l’assemblée générale de la Fédération française de football, le président a plaidé pour la création d'une Ligue 3 afin de tenir compte de l’évolution des championnats et notamment du passage à 18 clubs de la L1 et de la L2.

", - "content": "Noël Le Graët a abordé ce samedi la question de la professionnalisation de la troisième division française. En marge de l’assemblée générale de la Fédération française de football, le président a plaidé pour la création d'une Ligue 3 afin de tenir compte de l’évolution des championnats et notamment du passage à 18 clubs de la L1 et de la L2.

", + "title": "PSG: Mbappé ne devrait rien annoncer sur son avenir avant le 8e de finale de Ligue des champions", + "description": "Kylian Mbappé, dont le contrat avec le PSG se termine au 30 juin 2022, ne devrait rien annoncer concernant son avenir avant le 8e de finale de Ligue des champions contre le Real Madrid.

", + "content": "Kylian Mbappé, dont le contrat avec le PSG se termine au 30 juin 2022, ne devrait rien annoncer concernant son avenir avant le 8e de finale de Ligue des champions contre le Real Madrid.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/le-graet-pour-une-ligue-3-completement-professionnelle_AV-202112110263.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-mbappe-ne-devrait-rien-annoncer-sur-son-avenir-avant-le-8e-de-finale-de-ligue-des-champions_AV-202112140400.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:59:30 GMT", - "enclosure": "https://images.bfmtv.com/3arXD0Hq3jeTPDrE7xhkGRsVyxM=/0x99:2048x1251/800x0/images/Noel-Le-Graet-pendant-une-assemblee-generale-de-la-FFF-1186487.jpg", + "pubDate": "Tue, 14 Dec 2021 17:23:31 GMT", + "enclosure": "https://images.bfmtv.com/lTtzIEIRuI5t64A6vjmcxS-i0q4=/375x117:1911x981/800x0/images/Kylian-Mbappe-1183564.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29487,17 +33921,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "54da53aa2f67ddbd5b7e502ddef3b4d4" + "hash": "146a9b38f919f075d6c498f92779a40b" }, { - "title": "Liverpool: l'ovation d'Anfield pour le retour de Gerrard avec Aston Villa", - "description": "Steven Gerrard a effectué ce samedi son retour sur la pelouse d'Anfield, lors de la rencontre de la 16e journée de Premier League entre Liverpool et Aston Villa. Entraîneur du club de Birmingham depuis le 17 novembre, la légende des Reds a reçu une magnifique ovation de la part de ses anciens supporters.

", - "content": "Steven Gerrard a effectué ce samedi son retour sur la pelouse d'Anfield, lors de la rencontre de la 16e journée de Premier League entre Liverpool et Aston Villa. Entraîneur du club de Birmingham depuis le 17 novembre, la légende des Reds a reçu une magnifique ovation de la part de ses anciens supporters.

", + "title": "XI de l'année Fifa-FIFPro: trois Français parmi les finalistes", + "description": "Karim Benzema, N'Golo Kanté et Kylian Mbappé ont été tous les trois nommés pour le XI de l'année de la FIFA-FIFPro ce mardi. Les trois Français figurent parmi les 23 qui ont reçu le plus de votes pour le prix.

", + "content": "Karim Benzema, N'Golo Kanté et Kylian Mbappé ont été tous les trois nommés pour le XI de l'année de la FIFA-FIFPro ce mardi. Les trois Français figurent parmi les 23 qui ont reçu le plus de votes pour le prix.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/liverpool-l-ovation-d-anfield-pour-le-retour-de-gerrard-avec-aston-villa_AV-202112110260.html", + "link": "https://rmcsport.bfmtv.com/football/xi-de-l-annee-fifa-fifpro-trois-francais-parmi-les-finalistes_AV-202112140378.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:54:13 GMT", - "enclosure": "https://images.bfmtv.com/sFNG0GCm1O20qmpBj65HaDjSig0=/7x110:2039x1253/800x0/images/Steven-Gerrard-1186531.jpg", + "pubDate": "Tue, 14 Dec 2021 16:53:46 GMT", + "enclosure": "https://images.bfmtv.com/W_-HoM-ck-0GSSL5N6osv5rEVn0=/0x30:2048x1182/800x0/images/Karim-Benzema-Ngolo-Kante-et-Kylian-Mbappe-avec-l-equipe-de-France-1188413.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29508,17 +33942,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1183f4f15d51cd5dd5551f111c5692ae" + "hash": "412e659c2307f7e980e8316edf983ce8" }, { - "title": "Manchester United: Martial devrait être prêté en janvier", - "description": "L'international français Anthony Martial (26 ans), en manque de temps de jeu à Manchester United, souhaite changer d'air cet hiver, et s'oriente vers un prêt au mois de janvier.

", - "content": "L'international français Anthony Martial (26 ans), en manque de temps de jeu à Manchester United, souhaite changer d'air cet hiver, et s'oriente vers un prêt au mois de janvier.

", + "title": "Ligue 2: Grenoble se sépare de son entraîneur", + "description": "Au point mort en Ligue 2 avec une quinzième place et trois défaites consécutives, Grenoble a décidé de réagir. Pour redresser la situation, les dirigeants ont mis à pied l’entraineur Maurizio Jacobacci. L’Italien était arrivé en début de saison en provenance de Lugano en Suisse.

", + "content": "Au point mort en Ligue 2 avec une quinzième place et trois défaites consécutives, Grenoble a décidé de réagir. Pour redresser la situation, les dirigeants ont mis à pied l’entraineur Maurizio Jacobacci. L’Italien était arrivé en début de saison en provenance de Lugano en Suisse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-martial-devrait-etre-prete-en-janvier_AV-202112110259.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/ligue-2-grenoble-se-separe-de-son-entraineur_AV-202112140371.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:44:53 GMT", - "enclosure": "https://images.bfmtv.com/TezFdmS7xJlTPE02EECc42RMhZY=/0x2:1200x677/800x0/images/Anthony-Martial-1186521.jpg", + "pubDate": "Tue, 14 Dec 2021 16:44:10 GMT", + "enclosure": "https://images.bfmtv.com/tY9LOyNYtXYcNFCkqyxlxU8orSE=/0x85:2048x1237/800x0/images/Maurizio-Jacobacci-1188411.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29529,17 +33963,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ca6a86ea3c198ab5088c21718d458d0" + "hash": "73124311b7708637f70a9357c6b3b348" }, { - "title": "Mercato: Di Maria en passe de prolonger au PSG", - "description": "Libre en juin 2022, Angel Di Maria ne devrait pas quitter le PSG lors du prochain mercato estival. Le club francilien et l'Argentin de 33 ans sont d'accord pour poursuivre l'aventure commune, au moins, jusqu'en juin 2023. Une prolongation pourrait se concrétiser dans les prochains mois.

", - "content": "Libre en juin 2022, Angel Di Maria ne devrait pas quitter le PSG lors du prochain mercato estival. Le club francilien et l'Argentin de 33 ans sont d'accord pour poursuivre l'aventure commune, au moins, jusqu'en juin 2023. Une prolongation pourrait se concrétiser dans les prochains mois.

", + "title": "PSG-Real: la première réaction de Pochettino après le tirage polémique", + "description": "Finalement opposé au Real Madrid pour les huitièmes de finale de la Ligue des champions, le PSG a mis plus de 24 heures à réagir à l'annonce de ce tirage au sort. Mauricio Pochettino s'attend à une confrontation \"difficile\" et ne s'inquiète pas pour l'heure des différents \"états de forme\" des deux équipes.

", + "content": "Finalement opposé au Real Madrid pour les huitièmes de finale de la Ligue des champions, le PSG a mis plus de 24 heures à réagir à l'annonce de ce tirage au sort. Mauricio Pochettino s'attend à une confrontation \"difficile\" et ne s'inquiète pas pour l'heure des différents \"états de forme\" des deux équipes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/mercato-di-maria-en-passe-de-prolonger-au-psg_AV-202112110257.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-real-la-premiere-reaction-de-pochettino-apres-le-tirage-polemique_AV-202112140365.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:40:21 GMT", - "enclosure": "https://images.bfmtv.com/dsxNyCEIGa-NP8a54UTOGAY8mrQ=/0x87:2048x1239/800x0/images/Angel-Di-Maria-celebre-un-but-avec-le-PSG-1186523.jpg", + "pubDate": "Tue, 14 Dec 2021 16:33:54 GMT", + "enclosure": "https://images.bfmtv.com/iGLN1yrHhsSO2N8LYGPpP2rD8kY=/0x0:2048x1152/800x0/images/Mauricio-POCHETTINO-1170296.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29550,17 +33984,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4b9c2f8b275a447462c93e3ddfee6c8" + "hash": "7155e5e0d08f2c28604f1ca61e509123" }, { - "title": "Biathlon (Hochfilzen): les Françaises 3es du relais", - "description": "Les hommes, en réussite sur la poursuite, n'étaient pas les seuls à vouloir briller. Ce samedi, l'Equipe de france femmes participait aussi à la Coupe du monde de biathlon à Hochfilzen (Autriche). Les Bleues ont terminé troisièmes du relais.

", - "content": "Les hommes, en réussite sur la poursuite, n'étaient pas les seuls à vouloir briller. Ce samedi, l'Equipe de france femmes participait aussi à la Coupe du monde de biathlon à Hochfilzen (Autriche). Les Bleues ont terminé troisièmes du relais.

", + "title": "Propos racistes lors de Toulouse-Rodez: Mpasi explique avoir été insulté de \"sale singe\"", + "description": "Victime d'insultes racistes lors de Toulouse-Rodez lundi en Ligue 2, Lionel Mpasi, le gardien du RAF, a été traité de \"sale singe\" à deux reprises par un individu qui, selon nos informations, a été identifié par le TFC.

", + "content": "Victime d'insultes racistes lors de Toulouse-Rodez lundi en Ligue 2, Lionel Mpasi, le gardien du RAF, a été traité de \"sale singe\" à deux reprises par un individu qui, selon nos informations, a été identifié par le TFC.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-hochfilzen-les-francaises-3es-du-relais_AV-202112110254.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/propos-racistes-lors-de-toulouse-rodez-mpasi-explique-avoir-ete-insulte-de-sale-singe_AV-202112140362.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:35:48 GMT", - "enclosure": "https://images.bfmtv.com/QjHczTr5BZUvj7PjMfe2v2C2cCE=/0x105:2048x1257/800x0/images/La-Francaise-Anais-Bescond-et-la-Norvegienne-Ingrid-Landmark-Tandrevold-972960.jpg", + "pubDate": "Tue, 14 Dec 2021 16:27:59 GMT", + "enclosure": "https://images.bfmtv.com/yENRW6S1qdU9_Bwc6jDimd_FQ1U=/0x159:2048x1311/800x0/images/Lionel-Mpasi-1187946.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29571,17 +34005,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "73689a65f655ad3244140c3353c47186" + "hash": "4fd98007a88f8ebfd4c50190dd35f19b" }, { - "title": "Mondial de hand: Nze Minko, cadre des Bleues et entrepreneuse au service des projets féminins", - "description": "Estelle Nze Minko, qui affronte la Serbie ce samedi (18h) dans un match qui peut propulser les Bleues vers les quarts de finale du Mondial, est l'une des taulières de l’équipe de France féminine de handball depuis plusieurs saisons. Décisive sur le terrain, l’arrière des Bleues développe sur ses temps de repos son entreprise qui valorise l’entreprenariat féminin.

", - "content": "Estelle Nze Minko, qui affronte la Serbie ce samedi (18h) dans un match qui peut propulser les Bleues vers les quarts de finale du Mondial, est l'une des taulières de l’équipe de France féminine de handball depuis plusieurs saisons. Décisive sur le terrain, l’arrière des Bleues développe sur ses temps de repos son entreprise qui valorise l’entreprenariat féminin.

", + "title": "Racing: \"J’en ai encore dans le moteur\", savoure Lauret après son triplé contre Northampton", + "description": "Auteur d’une prestation aboutie et de son premier triplé depuis dix ans, Wenceslas Lauret a logiquement été élu homme du match lors de la victoire à Northampton, en Coupe d’Europe. Le troisième ligne du Racing, âgé de 32 ans, ne boude pas son plaisir. Surtout, il savoure la réaction de son équipe après un passage difficile en Top 14. Explications pour RMC Sport avant la réception des Ospreys samedi.

", + "content": "Auteur d’une prestation aboutie et de son premier triplé depuis dix ans, Wenceslas Lauret a logiquement été élu homme du match lors de la victoire à Northampton, en Coupe d’Europe. Le troisième ligne du Racing, âgé de 32 ans, ne boude pas son plaisir. Surtout, il savoure la réaction de son équipe après un passage difficile en Top 14. Explications pour RMC Sport avant la réception des Ospreys samedi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-nze-minko-cadre-des-bleues-et-entrepreneuse-feministe_AV-202112110251.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/racing-j-en-ai-encore-dans-le-moteur-savoure-lauret-apres-son-triple-contre-northampton_AV-202112140342.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:26:55 GMT", - "enclosure": "https://images.bfmtv.com/ctiVMqrWGML9sH-FfOOPiiNMYLA=/0x87:2048x1239/800x0/images/Estelle-Nze-Minko-lors-du-Mondial-feminin-avec-les-Bleues-1186517.jpg", + "pubDate": "Tue, 14 Dec 2021 16:00:49 GMT", + "enclosure": "https://images.bfmtv.com/UjHqmcKSayAZrVS7t3DfoMeAcfg=/0x106:2048x1258/800x0/images/Wenceslas-Lauret-1188402.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29592,17 +34026,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f4afb93edd106c591f651d908ba221a9" + "hash": "40eaea3e72d18e8040209b12d42ee591" }, { - "title": "Champions Cup: Dupont et Toulouse réussissent leur rentrée européenne", - "description": "Antoine Dupont a livré une prestation de grande classe ce samedi pour la victoire du Stade Toulousain sur le terrain de Cardiff, lors de la première journée de Champions Cup (39-7). Le champion en titre, emmené par le meilleur joueur du monde en 2021, a réussi aisément son entrée en matière avec le gain du bonus offensif.

", - "content": "Antoine Dupont a livré une prestation de grande classe ce samedi pour la victoire du Stade Toulousain sur le terrain de Cardiff, lors de la première journée de Champions Cup (39-7). Le champion en titre, emmené par le meilleur joueur du monde en 2021, a réussi aisément son entrée en matière avec le gain du bonus offensif.

", + "title": "Droits TV: des parlementaires plaident pour un match en clair de L1 dans le prochain appel d'offres", + "description": "Ce mardi, des parlementaires ont plaidé pour la création d'un lot avec un match en clair de Ligue 1, au sein du prochain appel d'offre de la LFP. Ce qui serait une manière de \"soutenir l'exposition\" du football français.

", + "content": "Ce mardi, des parlementaires ont plaidé pour la création d'un lot avec un match en clair de Ligue 1, au sein du prochain appel d'offre de la LFP. Ce qui serait une manière de \"soutenir l'exposition\" du football français.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-dupont-et-toulouse-reussissent-leur-rentree-europeenne_AV-202112110242.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/droits-tv-des-parlementaires-plaident-pour-un-match-en-clair-de-l1-dans-le-prochain-appel-d-offres_AV-202112140331.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:11:47 GMT", - "enclosure": "https://images.bfmtv.com/HpTvlAIQ-SDAEZLdZMwU1psFXdU=/14x0:2046x1143/800x0/images/Antoine-Dupont-1186490.jpg", + "pubDate": "Tue, 14 Dec 2021 15:40:58 GMT", + "enclosure": "https://images.bfmtv.com/4g_Q0EwKqC-H2EMiBWgiFzmKJYs=/0x119:2048x1271/800x0/images/Inquietude-autour-des-droits-TV-1020671.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29613,17 +34047,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7feada513fa498fac113a24f841efa33" + "hash": "58e88c4e6ef1622b87a8fe7c223eef12" }, { - "title": "Premier League: Manchester City assure le service minimum contre les Wolves", - "description": "Opposé à Wolverhampton ce samedi, Manchester City a dû attendre la seconde période pour inscrire le seul but de la rencontre (1-0). Grâce au penalty inscrit par Raheem Sterling, les Citizens confortent leur première place au classement de la Premier League.

", - "content": "Opposé à Wolverhampton ce samedi, Manchester City a dû attendre la seconde période pour inscrire le seul but de la rencontre (1-0). Grâce au penalty inscrit par Raheem Sterling, les Citizens confortent leur première place au classement de la Premier League.

", + "title": "Incidents OL-OM: Marseille fait appel de la décision de la commission de discipline", + "description": "L'OM a saisi la commission d'appel de la FFF pour contester les décisions de la LFP, qui avait infligé un point de retrait à l'OL et donné à rejouer le match OL-OM du 21 novembre.

", + "content": "L'OM a saisi la commission d'appel de la FFF pour contester les décisions de la LFP, qui avait infligé un point de retrait à l'OL et donné à rejouer le match OL-OM du 21 novembre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-manchester-city-assure-le-service-minimum-contre-les-wolves_AV-202112110237.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-marseille-fait-appel-de-la-decision-de-la-commission-de-discipline_AV-202112140325.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:06:32 GMT", - "enclosure": "https://images.bfmtv.com/_sP9AA2esiHCDoJEy8Mo0ciDGn4=/0x39:768x471/800x0/images/La-joie-de-l-attaquant-de-Manchester-City-Raheem-Sterling-apres-avoir-egalise-1-1-a-domicile-face-au-Paris-Saint-Germain-lors-de-leur-match-de-poules-de-la-Ligue-des-Champions-le-24-novembre-2021-a-l-Etihad-Stadium-1174724.jpg", + "pubDate": "Tue, 14 Dec 2021 15:33:48 GMT", + "enclosure": "https://images.bfmtv.com/LJN4y2A5ViNmMsexU1LP0heFpGQ=/0x35:768x467/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29634,17 +34068,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "96e20d64b0a30db870e68e35a0e65b3e" + "hash": "b65fc2b2bdd2bc29c9dcc090d31500e4" }, { - "title": "La belle série de Brest se termine par une claque à domicile contre Montpellier", - "description": "Après 6 victoires d'affilée, Brest a lourdement chuté à la maison contre Montpellier (0-4). Les Héraultais montent provisoirement à la 4e place de Ligue 1. Wahi, Mavididi, Sambia et Germain sont les buteurs.

", - "content": "Après 6 victoires d'affilée, Brest a lourdement chuté à la maison contre Montpellier (0-4). Les Héraultais montent provisoirement à la 4e place de Ligue 1. Wahi, Mavididi, Sambia et Germain sont les buteurs.

", + "title": "Europa Conference League: le tirage au sort des barrages lui aussi remis en doute ?", + "description": "L'imbroglio ayant touché, lundi, le tirage au sort des huitièmes de finale de la Ligue des champions pourrait également toucher celui des barrages de la Conference League. En cause : un litige au moment du tirage après le match non-joué entre Tottenham et le Stade Rennais...

", + "content": "L'imbroglio ayant touché, lundi, le tirage au sort des huitièmes de finale de la Ligue des champions pourrait également toucher celui des barrages de la Conference League. En cause : un litige au moment du tirage après le match non-joué entre Tottenham et le Stade Rennais...

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-brest-montpellier-en-direct_LS-202112110234.html", + "link": "https://rmcsport.bfmtv.com/football/europa-conference-league/europa-conference-league-le-tirage-au-sort-des-barrages-lui-aussi-remis-en-doute_AV-202112140323.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:02:02 GMT", - "enclosure": "https://images.bfmtv.com/kEEwVn5VFSxb3tSg7FVuguhoYr4=/0x150:2048x1302/800x0/images/Jordan-Ferri-lors-de-Brest-Montpellier-1186563.jpg", + "pubDate": "Tue, 14 Dec 2021 15:28:41 GMT", + "enclosure": "https://images.bfmtv.com/0dERAKiWnV0784jWXZZ-0Dh1CMs=/0x178:2048x1330/800x0/images/Le-trophee-pour-le-vainqueur-de-la-Conference-League-1187583.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29655,17 +34089,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ef8d690e923c93a1e43c8b6ee4af478e" + "hash": "9edf679999f0bd0c1fa12d37a4bf1f07" }, { - "title": "GP d'Abu Dhabi: comment Verstappen a chipé la pole position à Hamilton", - "description": "Le Néerlandais Max Verstappen (Red Bull) a décroché ce samedi la pole position du dernier Grand Prix de la saison de Formule 1 à Abu Dhabi, devant le Britannique Lewis Hamilton (Mercedes), son rival au championnat à égalité de points (369,5).

", - "content": "Le Néerlandais Max Verstappen (Red Bull) a décroché ce samedi la pole position du dernier Grand Prix de la saison de Formule 1 à Abu Dhabi, devant le Britannique Lewis Hamilton (Mercedes), son rival au championnat à égalité de points (369,5).

", + "title": "PSG: un départ plus que probable pour Simons, Michut s'interroge", + "description": "L'objectif prioritaire du PSG pour le prochain mercato sera de dégraisser son effectif. Si des joueurs confirmés sont ciblés, plusieurs \"titis\" de l'effectif, professionnels depuis peu, pourraient aussi quitter prochainement la capitale.

", + "content": "L'objectif prioritaire du PSG pour le prochain mercato sera de dégraisser son effectif. Si des joueurs confirmés sont ciblés, plusieurs \"titis\" de l'effectif, professionnels depuis peu, pourraient aussi quitter prochainement la capitale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-comment-verstappen-a-chipe-la-pole-position-a-hamilton_AV-202112110233.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-un-depart-plus-que-probable-pour-simons-michut-s-interroge_AV-202112140317.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:01:17 GMT", - "enclosure": "https://images.bfmtv.com/ibA-CwddNEe0YqsAdq1RTauX9AA=/119x0:1767x927/800x0/images/Verstappen-et-Hamilton-1186471.jpg", + "pubDate": "Tue, 14 Dec 2021 15:22:52 GMT", + "enclosure": "https://images.bfmtv.com/CEQKnC5Oc1Wsr7uhEpIc3eDIzYI=/0x106:2048x1258/800x0/images/PSG-1188381.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29676,17 +34110,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "763049d0b791ef53a47f7285a126a87b" + "hash": "b62210cc0e2c93420e3fb0e34c3fa913" }, { - "title": "Mercato: l'OL avance sur le dossier Azmoun", - "description": "Convoité par l’Olympique Lyonnais l’été dernier, Sardar Azmoun pourrait rejoindre le club français dès le mois de janvier. Selon des informations de l’Equipe, confirmées par RMC Sport, l’attaquant iranien de 26 ans a trouvé un accord salarial avec les Gones.

", - "content": "Convoité par l’Olympique Lyonnais l’été dernier, Sardar Azmoun pourrait rejoindre le club français dès le mois de janvier. Selon des informations de l’Equipe, confirmées par RMC Sport, l’attaquant iranien de 26 ans a trouvé un accord salarial avec les Gones.

", + "title": "Saint-Etienne: l'ASSE et Claude Puel, c'est officiellement fini", + "description": "Limogé par Saint-Etienne le 5 décembre dernier, Claude Puel est revenu dans le Forez pour officialiser sa rupture de contrat avec l'ASSE, où il occupait le poste de manager général et entraîneur de l'équipe première.

", + "content": "Limogé par Saint-Etienne le 5 décembre dernier, Claude Puel est revenu dans le Forez pour officialiser sa rupture de contrat avec l'ASSE, où il occupait le poste de manager général et entraîneur de l'équipe première.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-l-ol-avance-sur-le-dossier-azmoun_AV-202112110224.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-l-asse-et-claude-puel-c-est-officiellement-fini_AV-202112140315.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 14:40:47 GMT", - "enclosure": "https://images.bfmtv.com/2U4K3S7W7amb3Cr3i0FecTEgKvc=/0x39:2032x1182/800x0/images/Sardar-AZMOUN-1117723.jpg", + "pubDate": "Tue, 14 Dec 2021 15:20:10 GMT", + "enclosure": "https://images.bfmtv.com/Oz0v1_InO8AwRKRav1-6lbt9NHk=/6x167:2038x1310/800x0/images/Claude-Puel-1183413.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29697,17 +34131,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e79fd3fba51f9d8d57a8af8e96b308a2" + "hash": "a0374bd4efb22b8f2fe1873728f42584" }, { - "title": "Samuel Eto'o élu président de la Fédération camerounaise de football", - "description": "Comme il l'avait prédit au moment de l'annonce de sa candidature, Samuel Eto'o a été élu ce samedi président de la Fédération camerounaise de football (Fecafoot). L'ancien international a battu le président sortant Seidou Mbombo Njoya, dont l'élection avait été contestée par les acteurs locaux puis annulée à la mi-janvier par le Tribunal arbitral du sport.

", - "content": "Comme il l'avait prédit au moment de l'annonce de sa candidature, Samuel Eto'o a été élu ce samedi président de la Fédération camerounaise de football (Fecafoot). L'ancien international a battu le président sortant Seidou Mbombo Njoya, dont l'élection avait été contestée par les acteurs locaux puis annulée à la mi-janvier par le Tribunal arbitral du sport.

", + "title": "PSG: l’entourage de Mauro Icardi dément une approche de la Juventus", + "description": "Peu en vue en ce début de saison avec le PSG, Mauro Icardi est lié ces derniers temps à des rumeurs de départ. Son entourage dément toutefois une approche de la Juventus. L'attaquant argentin souhaite rester au club parisien cet hiver mais il pourrait prendre en considération une offre si le PSG le pousse à la porte.

", + "content": "Peu en vue en ce début de saison avec le PSG, Mauro Icardi est lié ces derniers temps à des rumeurs de départ. Son entourage dément toutefois une approche de la Juventus. L'attaquant argentin souhaite rester au club parisien cet hiver mais il pourrait prendre en considération une offre si le PSG le pousse à la porte.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/samuel-eto-o-elu-president-de-la-federation-camerounaise-de-football_AN-202112110217.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-l-entourage-de-mauro-icardi-dement-une-approche-de-la-juventus_AV-202112140308.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 14:32:07 GMT", - "enclosure": "https://images.bfmtv.com/T67bHqyy9frMtGtfvWG_cHyuaxs=/0x105:2048x1257/800x0/images/Samuel-Eto-o-1186447.jpg", + "pubDate": "Tue, 14 Dec 2021 14:50:52 GMT", + "enclosure": "https://images.bfmtv.com/oSfdFC0O_78nHL18ktXwu7t8y5g=/0x36:2048x1188/800x0/images/Mauro-Icardi-1188370.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29718,38 +34152,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "97e14fcdc31d0d375123dab633d6eafb" + "hash": "e71e999ccc506a3e3eb885bdb8fb7c9c" }, { - "title": "Monaco: \"J'attends de Wissam qu'il défende\", Kovac s'explique sur le temps de jeu de Ben Yedder", - "description": "En conférence de presse ce samedi à la veille du choc de la 18e journée de Ligue 1 entre le PSG et l'AS Monaco, Niko Kovac a laissé planer le doute quant à la présence dans le onze de départ de son capitaine Wissam Ben Yedder. Sur le banc de touche depuis deux rencontres en championnat, au profit du jeune Myron Boadu, l'international français ne défend pas assez selon son entraîneur.

", - "content": "En conférence de presse ce samedi à la veille du choc de la 18e journée de Ligue 1 entre le PSG et l'AS Monaco, Niko Kovac a laissé planer le doute quant à la présence dans le onze de départ de son capitaine Wissam Ben Yedder. Sur le banc de touche depuis deux rencontres en championnat, au profit du jeune Myron Boadu, l'international français ne défend pas assez selon son entraîneur.

", + "title": "Premier League: Arteta explique pourquoi il a retiré le brassard de capitaine à Aubameyang", + "description": "Après l'annonce du club informant du retrait du brassard de capitaine à Pierre-Emerick Aubameyang, l'entraîneur d'Arsenal, Mikel Arteta, a pris le relais en conférence de presse. Il explique avoir pris cette décision \"pour préserver son groupe\" et que le Gabonais, \"meurtri\", allait avoir \"besoin de temps\" pour digérer.

", + "content": "Après l'annonce du club informant du retrait du brassard de capitaine à Pierre-Emerick Aubameyang, l'entraîneur d'Arsenal, Mikel Arteta, a pris le relais en conférence de presse. Il explique avoir pris cette décision \"pour préserver son groupe\" et que le Gabonais, \"meurtri\", allait avoir \"besoin de temps\" pour digérer.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-j-attends-de-wissam-qu-il-defende-kovac-s-explique-sur-le-temps-de-jeu-de-ben-yedder_AV-202112110214.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-arteta-explique-pourquoi-il-a-retire-le-brassard-de-capitaine-a-aubameyang_AV-202112140302.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 14:25:48 GMT", - "enclosure": "https://images.bfmtv.com/lK23AaQuI0wrBGOjsgQ04sku7j8=/0x0:2048x1152/800x0/images/Wissam-Ben-Yedder-1186394.jpg", + "pubDate": "Tue, 14 Dec 2021 14:33:24 GMT", + "enclosure": "https://images.bfmtv.com/V3uskyj_wDSmPN6cRbM2aoYwoB8=/0x12:1200x687/800x0/images/-955623.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "786e90ec4cbfc6cd64b2fd9edb67935c" + "hash": "f21b19db4db012e8dea3a36984756438" }, { - "title": "Les pronos hippiques du dimanche 12 décembre 2021", - "description": "Le Quinté+ du dimanche 12 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du dimanche 12 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Mercato: le PSG se lance sur la pépite Karim Adeyemi", + "description": "A 19 ans, Karim Adeyemi enchaîne les buts cette saison avec le Red Bull Salzbourg. L'attaquant allemand s'est déjà mis d'accord pour rejoindre le Borussia Dortmund, mais en attente d'un accord entre les deux clubs, le PSG s'est lancé dans le dossier. Le joueur était présent dimanche dernier au Parc des Princes, pour la rencontre de Ligue 1 face à l'AS Monaco.

", + "content": "A 19 ans, Karim Adeyemi enchaîne les buts cette saison avec le Red Bull Salzbourg. L'attaquant allemand s'est déjà mis d'accord pour rejoindre le Borussia Dortmund, mais en attente d'un accord entre les deux clubs, le PSG s'est lancé dans le dossier. Le joueur était présent dimanche dernier au Parc des Princes, pour la rencontre de Ligue 1 face à l'AS Monaco.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-dimanche-12-decembre-2021_AN-202112110212.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-psg-se-lance-sur-la-pepite-karim-adeyemi_AV-202112140301.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 14:23:02 GMT", - "enclosure": "https://images.bfmtv.com/AG93KDPB1d785wVfIqzZVqVLpk0=/0x41:800x491/800x0/images/Les-pronos-hippiques-du-12-decembre-2021-1185851.jpg", + "pubDate": "Tue, 14 Dec 2021 14:28:42 GMT", + "enclosure": "https://images.bfmtv.com/EeSqyymEvbAeH06UnlUuH0Cqh4M=/0x0:2048x1152/800x0/images/Karim-Adeyemi-1188361.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29760,17 +34194,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a56461cf236ca6379fcd882bbe2bea71" + "hash": "37d1d4e59fde26b542246c9e3e82da73" }, { - "title": "Real: Benzema de retour pour le choc contre l'Atlético", - "description": "Carlo Ancelotti a annoncé ce samedi que Karim Benzema jouera bien le derby de Madrid entre le Real et l'Atlético programmé dimanche (21h), pour la 17e journée de Liga. Le buteur français avait été touché à la jambe gauche le week-end dernier.

", - "content": "Carlo Ancelotti a annoncé ce samedi que Karim Benzema jouera bien le derby de Madrid entre le Real et l'Atlético programmé dimanche (21h), pour la 17e journée de Liga. Le buteur français avait été touché à la jambe gauche le week-end dernier.

", + "title": "Football: ce qu'il faut savoir sur la Coupe Maradona, ce mardi en Arabie Saoudite, avec le Barça", + "description": "Ce mardi, le FC Barcelone et Boca Juniors vont disputer la première édition de la Coupe Maradona en Arabie Saoudite. Un manière de rendre hommage à la star argentine, décédée le 25 novembre 2020, mais aussi de renflouer les caisses.

", + "content": "Ce mardi, le FC Barcelone et Boca Juniors vont disputer la première édition de la Coupe Maradona en Arabie Saoudite. Un manière de rendre hommage à la star argentine, décédée le 25 novembre 2020, mais aussi de renflouer les caisses.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-benzema-de-retour-pour-le-choc-contre-l-atletico_AV-202112110206.html", + "link": "https://rmcsport.bfmtv.com/football/football-ce-qu-il-faut-savoir-sur-la-coupe-maradona-ce-mardi-en-arabie-saoudite-avec-le-barca_AV-202112140299.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 14:10:43 GMT", - "enclosure": "https://images.bfmtv.com/ChQ7zEPvYOXtzP5pn50gXWxHzZ0=/0x54:2048x1206/800x0/images/Karim-BENZEMA-1186438.jpg", + "pubDate": "Tue, 14 Dec 2021 14:20:11 GMT", + "enclosure": "https://images.bfmtv.com/LPNZPvKqX703DqjlLchm2S4UrN8=/0x39:768x471/800x0/images/Une-fresque-murale-depeint-l-icone-du-foot-argentin-Diego-Maradona-sur-une-facade-d-un-restaurant-de-Buenos-Aires-le-4-novembre-2021-1172795.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29781,17 +34215,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6c403ec7968e7e86f9839154c1463f8" + "hash": "62e6e039388104963b6e6a4d6533e0bc" }, { - "title": "GP d'Abu Dhabi de F1 en direct: incroyable pole de Verstappen devant Hamilton", - "description": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", - "content": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", + "title": "Mercato: Kurzawa, Rafinha, Rico... le PSG veut enfin dégraisser cet hiver", + "description": "Si l'hypothèse d'une arrivée n'est pas à écarter, le mercato hivernal devrait surtout permettre à Paris de céder plusieurs joueurs sur lesquels il ne compte plus. Ce qu'il n'a pas toujours su faire ces dernières années.

", + "content": "Si l'hypothèse d'une arrivée n'est pas à écarter, le mercato hivernal devrait surtout permettre à Paris de céder plusieurs joueurs sur lesquels il ne compte plus. Ce qu'il n'a pas toujours su faire ces dernières années.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abou-dhabi-de-f1-en-direct-hamilton-verstappen-duel-final-pour-le-titre_LN-202112100118.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-kurzawa-rafinha-rico-le-psg-veut-enfin-degraisser-cet-hiver_AV-202112140297.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 07:42:07 GMT", - "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", + "pubDate": "Tue, 14 Dec 2021 14:15:31 GMT", + "enclosure": "https://images.bfmtv.com/GpYOOnc_XPjgMJ3H4Jn_wFWChhg=/0x56:1200x731/800x0/images/Rafinha-et-Dagba-1188362.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29802,17 +34236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5f2989ad01a01363ff87109f36cf6ca1" + "hash": "e5810eeea5b05a0aca78d1d0ce279655" }, { - "title": "Mercato en direct: Di Maria devrait prolonger d'une année supplémentaire au PSG", - "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", - "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", + "title": "Netflix annonce la sortie en janvier d'un documentaire sur la carrière de Neymar", + "description": "Alors qu’il devrait être remis de sa blessure à la cheville gauche vers le milieu ou la fin du mois de janvier, Neymar verra dans le même temps un documentaire basé sur son histoire être diffusé, \"Neymar, le chaos parfait\". Netflix a publié ce mardi la bande-annonce, tandis que la sortie est prévue pour le 25 janvier 2022.

", + "content": "Alors qu’il devrait être remis de sa blessure à la cheville gauche vers le milieu ou la fin du mois de janvier, Neymar verra dans le même temps un documentaire basé sur son histoire être diffusé, \"Neymar, le chaos parfait\". Netflix a publié ce mardi la bande-annonce, tandis que la sortie est prévue pour le 25 janvier 2022.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/netflix-annonce-la-sortie-en-janvier-d-un-documentaire-sur-la-carriere-de-neymar_AV-202112140295.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 07:01:00 GMT", - "enclosure": "https://images.bfmtv.com/2Lyliqqq0DlsX8OzJPaPSa0sb7k=/0x16:2032x1159/800x0/images/Angel-DI-MARIA-1176128.jpg", + "pubDate": "Tue, 14 Dec 2021 14:12:18 GMT", + "enclosure": "https://images.bfmtv.com/POuiMZtfD7KH2pWghxJEyBFUtk4=/0x0:2048x1152/800x0/images/Neymar-1171633.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29823,17 +34257,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "56dcd9a1f749935b727938353a2a1f19" + "hash": "39137c387bcc4c62bc2bac01916211ec" }, { - "title": "Brest-Montpellier en direct: la belle série du SB29 se termine par une claque à domicile", - "description": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", - "content": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", + "title": "Le sport face au coronavirus en direct: un 5e joueur de Montpellier testé positif au Covid-19", + "description": "A l'heure où le variant omicron fait des ravages dans le monde, la France lutte contre la cinquième vague de l'épidémie de Covid-19. Si le sport tricolore semblait assez préservé en raison de la vaccination dans le pays, de nouveaux cas commencent à apparaître et pourraient bouleverser le calendrier sportif. Retrouvez toutes les informations liées à l'mpact de la crise sanitaire sur le sport dans le direct commenté sur RMC Sport.

", + "content": "A l'heure où le variant omicron fait des ravages dans le monde, la France lutte contre la cinquième vague de l'épidémie de Covid-19. Si le sport tricolore semblait assez préservé en raison de la vaccination dans le pays, de nouveaux cas commencent à apparaître et pourraient bouleverser le calendrier sportif. Retrouvez toutes les informations liées à l'mpact de la crise sanitaire sur le sport dans le direct commenté sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-brest-montpellier-en-direct_LS-202112110234.html", + "link": "https://rmcsport.bfmtv.com/societe/le-sport-face-au-coronavirus-en-direct-les-infos-et-rumeurs-du-14-decembre-2021_LN-202112140154.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:02:02 GMT", - "enclosure": "https://images.bfmtv.com/kEEwVn5VFSxb3tSg7FVuguhoYr4=/0x150:2048x1302/800x0/images/Jordan-Ferri-lors-de-Brest-Montpellier-1186563.jpg", + "pubDate": "Tue, 14 Dec 2021 09:22:58 GMT", + "enclosure": "https://images.bfmtv.com/3caXZRA7qNnkmpYDlkUHsyP8lQo=/13x0:2045x1143/800x0/images/Thomas-Darmon-avec-le-MHR-contre-Exeter-en-Champions-Cup-1188178.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29844,17 +34278,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab0277687d3aac76a66191f0ab1f5509" + "hash": "843fc0e247692890e5d6042643b71ef8" }, { - "title": "Chelsea: \"Personne n’est plus grand que le club\", Tuchel calme le jeu pour Rüdiger", - "description": "En fin de contrat en juin 2022 avec Chelsea, Antonio Rüdiger n'a pas trouvé d'accord avec les dirigeants anglais pour prolonger son contrat. En conférence de presse, son coach Thomas Tuchel a parlé de l’avenir du défenseur, annoncé avec insistance au Real Madrid.

", - "content": "En fin de contrat en juin 2022 avec Chelsea, Antonio Rüdiger n'a pas trouvé d'accord avec les dirigeants anglais pour prolonger son contrat. En conférence de presse, son coach Thomas Tuchel a parlé de l’avenir du défenseur, annoncé avec insistance au Real Madrid.

", + "title": "Ligue des champions: on a revu le tirage polémique pour comprendre l’imbroglio", + "description": "Pour mieux comprendre ce qui a pu provoquer l'annulation du premier tirage au sort des huitièmes de finale de la Ligue des champions, nous nous sommes replongés dans le déroulé des événements qui ont conduit à une cascade de bévues. L'explication apparaît alors très nettement.

", + "content": "Pour mieux comprendre ce qui a pu provoquer l'annulation du premier tirage au sort des huitièmes de finale de la Ligue des champions, nous nous sommes replongés dans le déroulé des événements qui ont conduit à une cascade de bévues. L'explication apparaît alors très nettement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-personne-n-est-plus-grand-que-le-club-tuchel-calme-le-jeu-pour-rudiger_AV-202112110197.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-on-a-revu-le-tirage-polemique-pour-comprendre-l-imbroglio_AV-202112140146.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 13:53:43 GMT", - "enclosure": "https://images.bfmtv.com/19NYR-DjPZfLfIOSoTMOLVlwR64=/0x108:2032x1251/800x0/images/Antonio-Ruediger-1143318.jpg", + "pubDate": "Tue, 14 Dec 2021 09:09:08 GMT", + "enclosure": "https://images.bfmtv.com/4W6oWw4-Q5jaPsv7ilP9BY_2Y2o=/0x0:1200x675/800x0/images/Andrei-Archavine-1188163.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29865,17 +34299,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b6b8df2306db6c4c6fb770e337e31d0" + "hash": "04d1a1638f7b742077fa632b2902966d" }, { - "title": "PSG: Pochettino espère revoir Ramos en 2021, et assure qu'il n'a pas forcé avec lui", - "description": "Sergio Ramos est encore forfait pour la rencontre de Ligue 1 de dimanche (20h45) du PSG face à l'AS Monaco. En conférence de presse ce samedi, Mauricio Pochettino a exprimé sa volonté de revoir sur le terrain son défenseur d'ici la fin de l'année civile. Et s'est défendu sur la gestion de son cas.

", - "content": "Sergio Ramos est encore forfait pour la rencontre de Ligue 1 de dimanche (20h45) du PSG face à l'AS Monaco. En conférence de presse ce samedi, Mauricio Pochettino a exprimé sa volonté de revoir sur le terrain son défenseur d'ici la fin de l'année civile. Et s'est défendu sur la gestion de son cas.

", + "title": "Real: Kroos a \"beaucoup de confiance\" avant d’affronter le PSG en Ligue des champions", + "description": "Toni Kroos a réagi lundi soir au tirage au sort des huitièmes de finale de Ligue de champions. Le milieu allemand voit le PSG comme un adversaire redoutable mais fait preuve de confiance avant la double confrontation.

", + "content": "Toni Kroos a réagi lundi soir au tirage au sort des huitièmes de finale de Ligue de champions. Le milieu allemand voit le PSG comme un adversaire redoutable mais fait preuve de confiance avant la double confrontation.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-espere-revoir-ramos-en-2021-et-assure-qu-il-n-a-pas-force-avec-lui_AV-202112110194.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-kroos-a-beaucoup-de-confiance-avant-d-affronter-le-psg-en-ligue-des-champions_AV-202112140143.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 13:40:31 GMT", - "enclosure": "https://images.bfmtv.com/Gti6hEyDALvkloJJIwAw_YDNlPc=/14x0:2046x1143/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182152.jpg", + "pubDate": "Tue, 14 Dec 2021 09:01:15 GMT", + "enclosure": "https://images.bfmtv.com/RiucG9WOioqJ82_UtqP92XNa3XA=/0x143:2048x1295/800x0/images/Toni-Kroos-celebre-un-but-du-Real-Madrid-1188162.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29886,17 +34320,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a71f06d13ee76245b898b06c408f1f5" + "hash": "07633dbbae6815eded90e0833131cc0e" }, { - "title": "Finances, nombre de licenciés... La FFF joue la carte de l'optimisme", - "description": "Lors de ses Etats généraux organisés ce samedi à Paris, la Fédération française de football a présenté un résultat financier négatif pour la première fois depuis sept ans, tout en se félicitant d'avoir \"réussi à contenir cette perte\".

", - "content": "Lors de ses Etats généraux organisés ce samedi à Paris, la Fédération française de football a présenté un résultat financier négatif pour la première fois depuis sept ans, tout en se félicitant d'avoir \"réussi à contenir cette perte\".

", + "title": "Affaire Agnel: \"Un manque évident d'encadrement\", la Fédération française de natation fait son mea culpa", + "description": "Invité dans Apolline matin, sur RMC, pour s'exprimer sur la mise en examen de Yannick Agnel pour viol et agression sexuelle sur mineure, le président de la Fédération française de natation, Gilles Sézionale, a affirmé que \"des choses étaient à revoir\" en matière d'accueil des jeunes et d'encadrement.

", + "content": "Invité dans Apolline matin, sur RMC, pour s'exprimer sur la mise en examen de Yannick Agnel pour viol et agression sexuelle sur mineure, le président de la Fédération française de natation, Gilles Sézionale, a affirmé que \"des choses étaient à revoir\" en matière d'accueil des jeunes et d'encadrement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/finances-nombre-de-licencies-la-fff-joue-la-carte-de-l-optimisme_AV-202112110184.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-un-manque-evident-d-encadrement-la-federation-francaise-de-natation-fait-son-mea-culpa_AV-202112140129.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 13:25:53 GMT", - "enclosure": "https://images.bfmtv.com/WgZ9FbnXN_XAEjGYTxQaHpag7Lg=/0x95:2048x1247/800x0/images/Noel-Le-Graet-1186324.jpg", + "pubDate": "Tue, 14 Dec 2021 08:15:51 GMT", + "enclosure": "https://images.bfmtv.com/GxB8rB-FUZ7QCgkY7vNxxbRpE4o=/0x34:768x466/800x0/images/Yannick-Agnel-lors-des-series-du-100-m-libre-des-championnats-de-France-a-Montpellier-le-1er-avril-2016-1185423.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29907,17 +34341,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d2346d228417692f632721fab4a5c532" + "hash": "f5ea02f3541f4c6961308ad8f9b8d990" }, { - "title": "PSG: Ramos forfait contre Monaco, Kimpembe aussi", - "description": "Pour la réception au Parc des Princes de l’AS Monaco ce dimanche (à 20h45), le PSG devra une nouvelle fois composer avec des absents. Dans son point médical, le club de la capitale a annoncé les forfaits de Sergio Ramos et Nuno Mendes. Presnel Kimpembe ne sera pas de la partie non plus.

", - "content": "Pour la réception au Parc des Princes de l’AS Monaco ce dimanche (à 20h45), le PSG devra une nouvelle fois composer avec des absents. Dans son point médical, le club de la capitale a annoncé les forfaits de Sergio Ramos et Nuno Mendes. Presnel Kimpembe ne sera pas de la partie non plus.

", + "title": "Propos racistes lors de Toulouse-Rodez: \"Absolument écœuré\", la réaction cash de Comolli", + "description": "Damien Comolli a réagi ce lundi soir aux insultes racistes dont a été victime le gardien de Rodez pendant le match de Ligue 2 contre Toulouse. Le président du club toulousain n’a pas caché sa colère après un comportement honteux ce spectateur présent au Stadium.

", + "content": "Damien Comolli a réagi ce lundi soir aux insultes racistes dont a été victime le gardien de Rodez pendant le match de Ligue 2 contre Toulouse. Le président du club toulousain n’a pas caché sa colère après un comportement honteux ce spectateur présent au Stadium.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-forfait-contre-monaco-kimpembe-incertain_AV-202112110181.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/propos-racistes-lors-de-toulouse-rodez-absolument-ecoeure-la-reaction-cash-de-comolli_AV-202112140087.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 13:21:07 GMT", - "enclosure": "https://images.bfmtv.com/CzLHjfG_UY_TGYkDQh1qszwbQjM=/0x69:1200x744/800x0/images/Sergio-Ramos-1172235.jpg", + "pubDate": "Tue, 14 Dec 2021 07:10:56 GMT", + "enclosure": "https://images.bfmtv.com/VDgMlBB9u9HFYJRec9_hGNcqt4Y=/0x212:2048x1364/800x0/images/Damien-Comolli-president-de-Toulouse-1188070.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29928,17 +34362,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2635c2d23a819096803804b3d742cc3f" + "hash": "91c2b5c8fd2188472f2e32788a86989a" }, { - "title": "PSG en direct: Pochettino espère voir Ramos rejouer en 2021", - "description": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", - "content": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", + "title": "Affaire Agnel: \"C'est plus qu'un choc\", témoigne le patron de la Fédération française de natation", + "description": "Invité dans Apolline matin, sur RMC, le président de la Fédération française de natation Gilles Sézionale s'est exprimé sur la mise en examen de Yannick Agnel pour agression sexuelle et viol sur mineur de 13 ans, confirmant que la FFN se porterait partie civile dans cette affaire.

", + "content": "Invité dans Apolline matin, sur RMC, le président de la Fédération française de natation Gilles Sézionale s'est exprimé sur la mise en examen de Yannick Agnel pour agression sexuelle et viol sur mineur de 13 ans, confirmant que la FFN se porterait partie civile dans cette affaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conf-de-pochettino-avant-monaco_LN-202112110112.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-c-est-plus-qu-un-choc-temoigne-le-patron-de-la-federation-francaise-de-natation_AV-202112140078.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:51:01 GMT", - "enclosure": "https://images.bfmtv.com/iGLN1yrHhsSO2N8LYGPpP2rD8kY=/0x0:2048x1152/800x0/images/Mauricio-POCHETTINO-1170296.jpg", + "pubDate": "Tue, 14 Dec 2021 07:01:58 GMT", + "enclosure": "https://images.bfmtv.com/t8bg_Jj77LkpuN9AX7zzOGxICgs=/0x0:1200x675/800x0/images/Gilles-Sezionale-1188060.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29949,17 +34383,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "de142e587195b730b7b693985273ca25" + "hash": "b10f06cf51eaac11e15fe0e69a9247f2" }, { - "title": "Val d'Isère (slalom géant): Pinturault deuxième derrière Odermatt", - "description": "Marco Odermatt, leader du classement général de la Coupe du monde de ski alpin, s'est imposé dans le slalom géant de Val-d'Isère, au terme de la seconde manche disputée samedi en début d'après-midi. Le Suisse a devancé le champion français Alexis Pinturault pour six dixièmes de seconde.

", - "content": "Marco Odermatt, leader du classement général de la Coupe du monde de ski alpin, s'est imposé dans le slalom géant de Val-d'Isère, au terme de la seconde manche disputée samedi en début d'après-midi. Le Suisse a devancé le champion français Alexis Pinturault pour six dixièmes de seconde.

", + "title": "Ligue des champions: le Real lance le huitième en compilant ses buts contre le PSG", + "description": "Le Real Madrid affrontera le PSG les 15 février et 9 mars prochain lors des huitièmes de finale de Ligue des champions. Avant les retrouvailles avec le club francilien, les Merengue ont gentiment lancé les hostilités avec une vidéo des buts marqués contre Paris sur la scène européenne ces dernières saisons.

", + "content": "Le Real Madrid affrontera le PSG les 15 février et 9 mars prochain lors des huitièmes de finale de Ligue des champions. Avant les retrouvailles avec le club francilien, les Merengue ont gentiment lancé les hostilités avec une vidéo des buts marqués contre Paris sur la scène européenne ces dernières saisons.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/val-d-isere-slalom-geant-pinturault-deuxieme-derriere-odermatt_AV-202112110177.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-real-lance-le-huitieme-en-compilant-ses-buts-contre-le-psg_AV-202112140046.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 13:12:29 GMT", - "enclosure": "https://images.bfmtv.com/hoZ-dpWrquyKXH6c39a5j_X7B3I=/0x0:2048x1152/800x0/images/Alexis-Pinturault-1186403.jpg", + "pubDate": "Tue, 14 Dec 2021 06:15:12 GMT", + "enclosure": "https://images.bfmtv.com/kSIcki1PGiREXzQi1sNcsaB67XM=/0x0:2048x1152/800x0/images/Karim-Benzema-avec-le-Real-Madrid-1188024.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29970,17 +34404,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f3540c3b1b9d927af1b49cb32afada32" + "hash": "274ec984250b2e44a783ea5a02b4cdd7" }, { - "title": "Brest-Montpellier en direct: le SB29 centre beaucoup, le MHSC a tapé le haut de la barre", - "description": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", - "content": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", + "title": "Manchester United: le déplacement à Brentford reporté pour cause de Covid-19", + "description": "Le déplacement de Manchester United à Brentford, en Premier League, initialement prévu ce mardi à 20h30, a été ajourné en raison d’une explosion des cas de Covid-19 chez les Red Devils.

", + "content": "Le déplacement de Manchester United à Brentford, en Premier League, initialement prévu ce mardi à 20h30, a été ajourné en raison d’une explosion des cas de Covid-19 chez les Red Devils.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-brest-montpellier-en-direct_LS-202112110234.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-le-deplacement-a-brentford-reporte-pour-cause-de-covid-19_AV-202112140045.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 15:02:02 GMT", - "enclosure": "https://images.bfmtv.com/kEEwVn5VFSxb3tSg7FVuguhoYr4=/0x150:2048x1302/800x0/images/Jordan-Ferri-lors-de-Brest-Montpellier-1186563.jpg", + "pubDate": "Tue, 14 Dec 2021 06:13:53 GMT", + "enclosure": "https://images.bfmtv.com/ntOqRwYo00Nf3g5RRqY6AfLMjLc=/0x0:1200x675/800x0/images/Marcus-Rashford-1188021.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -29991,17 +34425,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a23e353a3ec08ef367603104764d90d0" + "hash": "284ca52d4b02d76067359ff43c7eb6ed" }, { - "title": "Incidents en Ligue 1: Labrune promet des annonces \"en fin de semaine prochaine\"", - "description": "Vincent Labrune, président de la Ligue de football professionnel, a pris la parole ce samedi lors de l'assemblée générale de la Fédération française de football. Le patron de la LFP a fait savoir que des mesures sur la sécurité dans les stades seraient annoncées la semaine prochaine.

", - "content": "Vincent Labrune, président de la Ligue de football professionnel, a pris la parole ce samedi lors de l'assemblée générale de la Fédération française de football. Le patron de la LFP a fait savoir que des mesures sur la sécurité dans les stades seraient annoncées la semaine prochaine.

", + "title": "Ligue des champions: la presse madrilène fracasse l'UEFA après le tirage au sort", + "description": "La presse espagnole se montre très critique à l'égard de l'UEFA ce mardi après le tiraga au sort des huitièmes de finale de la Ligue des champions. La colère du Real Madrid, prochain adversaire du PSG, fait la une de nombreux quotidiens même si d'autres préfèrent retenir le sportif et les chocs dont ont hérité le club madrilène et le Barça, oppposé à Naples en Ligue Europa.

", + "content": "La presse espagnole se montre très critique à l'égard de l'UEFA ce mardi après le tiraga au sort des huitièmes de finale de la Ligue des champions. La colère du Real Madrid, prochain adversaire du PSG, fait la une de nombreux quotidiens même si d'autres préfèrent retenir le sportif et les chocs dont ont hérité le club madrilène et le Barça, oppposé à Naples en Ligue Europa.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-en-ligue-1-labrune-promet-des-annonces-en-fin-de-semaine-prochaine_AV-202112110173.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-presse-madrilene-fracasse-l-uefa-apres-le-tirage-au-sort_AV-202112140026.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 13:01:59 GMT", - "enclosure": "https://images.bfmtv.com/r1cJPiHPLP59IAQ8d2-02euWbcM=/0x128:2048x1280/800x0/images/Vincent-Labrune-1172296.jpg", + "pubDate": "Tue, 14 Dec 2021 05:41:24 GMT", + "enclosure": "https://images.bfmtv.com/W2fsCnrhaztEr-l0EBdlRXMuKT4=/0x0:2048x1152/800x0/images/Michael-Heselschwerdt-chef-des-competitions-de-l-UEFA-1187994.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30012,17 +34446,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e069a121c3891ab7ae3b0f0e8f6f23a6" + "hash": "60efc6f294c3b75f9d3cbcef228ecb54" }, { - "title": "Affaire Agnel: \"Ça me touche particulièrement\", confie Maracineanu", - "description": "Ancienne nageuse au Mulhouse Olympic Natation, la ministre déléguée aux Sports Roxana Maracineanu a accepté de s'exprimer au sujet de l'affaire Yannick Agnel, dont la garde à vue a été levée ce samedi.

", - "content": "Ancienne nageuse au Mulhouse Olympic Natation, la ministre déléguée aux Sports Roxana Maracineanu a accepté de s'exprimer au sujet de l'affaire Yannick Agnel, dont la garde à vue a été levée ce samedi.

", + "title": "La Liga vend ses droits TV pour cinq milliards d'euros", + "description": "Les plateformes Movistar et DAZN ont acquis lundi les droits télévisuels de la Liga pour les cinq prochaines saisons pour 4,95 milliards d'euros. Une légère augmentation par rapport aux années précédentes.

", + "content": "Les plateformes Movistar et DAZN ont acquis lundi les droits télévisuels de la Liga pour les cinq prochaines saisons pour 4,95 milliards d'euros. Une légère augmentation par rapport aux années précédentes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-ca-me-touche-particulierement-confie-maracineanu_AV-202112110168.html", + "link": "https://rmcsport.bfmtv.com/football/liga/la-liga-vend-ses-droits-tv-pour-cinq-milliards-d-euros_AV-202112130581.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:57:03 GMT", - "enclosure": "https://images.bfmtv.com/soHQ-Fws569Z4dh0l8YmD_8PFqA=/0x47:2032x1190/800x0/images/Roxana-MARACINEANU-1186347.jpg", + "pubDate": "Mon, 13 Dec 2021 23:29:20 GMT", + "enclosure": "https://images.bfmtv.com/O48ruLTsSENnMCX76ritNBrbm4A=/625x347:1825x1022/800x0/images/La-Liga-illustration-1080017.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30033,17 +34467,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a39f901205ba233693c9134b5679c93" + "hash": "03aea94736d83d8f0ed7417bff4fde07" }, { - "title": "PRONOS PARIS RMC Les paris du 11 décembre sur Brest – Montpellier – Ligue 1", - "description": "Notre pronostic: Brest ne perd pas contre Montpellier et les deux équipes marquent (2.00)

", - "content": "Notre pronostic: Brest ne perd pas contre Montpellier et les deux équipes marquent (2.00)

", + "title": "F1: Hamilton volé? Une \"absurdité\", pour Ecclestone", + "description": "Bernie Ecclestone, ancien boss de la F1, a confié lundi ne pas comprendre la polémique autour du titre remporté par Max Verstappen aux dépens de Lewis Hamilton. Il estime que le Britannique ne devrait pas se plaindre.

", + "content": "Bernie Ecclestone, ancien boss de la F1, a confié lundi ne pas comprendre la polémique autour du titre remporté par Max Verstappen aux dépens de Lewis Hamilton. Il estime que le Britannique ne devrait pas se plaindre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-11-decembre-sur-brest-montpellier-ligue-1_AN-202112100443.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-vole-une-absurdite-pour-ecclestone_AV-202112130576.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:05:00 GMT", - "enclosure": "https://images.bfmtv.com/IuLgOyXy7dT9U3bNvaQ26o3JYgk=/0x104:1984x1220/800x0/images/Romain-Faivre-Brest-1186019.jpg", + "pubDate": "Mon, 13 Dec 2021 23:06:36 GMT", + "enclosure": "https://images.bfmtv.com/FHas7A5S3LcDf5FGnsfHM5LTZvQ=/4x262:4996x3070/800x0/images/-865238.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30054,17 +34488,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5f0f002d4fabaf57d0b50794cd14cfef" + "hash": "80ff3b88f4e5fe4f575ba44119ae2042" }, { - "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 11 décembre – Ligue 1", - "description": " Mon pronostic : Montpellier ne perd pas à Brest et les deux équipes marquent (2.30)

", - "content": " Mon pronostic : Montpellier ne perd pas à Brest et les deux équipes marquent (2.30)

", + "title": "PRONOS PARIS RMC Le pari du jour du 14 décembre – Premier League – Angleterre", + "description": "Notre pronostic : Manchester United s’impose à Brentford (1.80)

", + "content": "Notre pronostic : Manchester United s’impose à Brentford (1.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-11-decembre-ligue-1_AN-202112110158.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-14-decembre-premier-league-angleterre_AN-202112130331.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:21:41 GMT", - "enclosure": "https://images.bfmtv.com/bahXs_KSe7ZQTZ-B9pIwbR-Wxx8=/0x119:1984x1235/800x0/images/T-Savanier-1186384.jpg", + "pubDate": "Mon, 13 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/-XHWqlgfVLiKWr6R81cah07rc_Y=/0x249:2000x1374/800x0/images/R-Rangnick-1187648.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30075,17 +34509,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0b415b39857500371b92751259d671bc" + "hash": "54cb2103c498f0ff49a350451cf8d2ea" }, { - "title": "PRONOS PARIS RMC Les paris du 11 décembre sur Reims – St Etienne – Ligue 1", - "description": "Notre pronostic: pas de vainqueur entre Reims et St Etienne (3.20)

", - "content": "Notre pronostic: pas de vainqueur entre Reims et St Etienne (3.20)

", + "title": "PRONOS PARIS RMC Le nul du jour du 14 décembre – Bundesliga – Allemagne", + "description": "Notre pronostic : pas de vainqueur entre l’Arminia Bielefeld et Bochum (3.25)

", + "content": "Notre pronostic : pas de vainqueur entre l’Arminia Bielefeld et Bochum (3.25)

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-11-decembre-sur-reims-st-etienne-ligue-1_AN-202112100437.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-14-decembre-bundesliga-allemagne_AN-202112130328.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/d6ZYdB2Sztt_bmzPc-pGQmlodJE=/0x104:1984x1220/800x0/images/Etienne-Green-St-Etienne-1186016.jpg", + "pubDate": "Mon, 13 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/3fWTfBn0G1SzQybhhS7o_cxoi_A=/0x0:1984x1116/800x0/images/Arminia-Bielefeld-1187646.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30096,17 +34530,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee7d200bcae8cbe0c683a4edc1e451b3" + "hash": "e2bde5be5ec541cfeecac75ecd474a25" }, { - "title": "Mercato en direct: accord salarial entre l'OL et Azmoun", - "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", - "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", + "title": "PRONOS PARIS RMC Le pari de folie du 14 décembre – Bundesliga - Allemagne", + "description": "Notre pronostic : match nul entre Wolfsbourg et Cologne et les deux équipes marquent (3.90)

", + "content": "Notre pronostic : match nul entre Wolfsbourg et Cologne et les deux équipes marquent (3.90)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-14-decembre-bundesliga-allemagne_AN-202112130326.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 07:01:00 GMT", - "enclosure": "https://images.bfmtv.com/2U4K3S7W7amb3Cr3i0FecTEgKvc=/0x39:2032x1182/800x0/images/Sardar-AZMOUN-1117723.jpg", + "pubDate": "Mon, 13 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/5M4EypdfDL-k01HPIt2f9WsplGE=/0x0:1984x1116/800x0/images/W-Weghorst-1187644.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30117,17 +34551,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0444cd0a44997e2b9148618009e5ebb2" + "hash": "16daff18ee953a15042d5a20e818e677" }, { - "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 11 décembre – Ligue 1", - "description": "Mon pronostic : 0-0 à la mi-temps et match nul entre Reims et Saint-Etienne (5.30)

", - "content": "Mon pronostic : 0-0 à la mi-temps et match nul entre Reims et Saint-Etienne (5.30)

", + "title": "PRONOS PARIS RMC Le pari sûr du 14 décembre – Bundesliga - Allemagne", + "description": "Notre pronostic : le Bayern Munich s’impose à Stuttgart et au moins deux buts (1.30)

", + "content": "Notre pronostic : le Bayern Munich s’impose à Stuttgart et au moins deux buts (1.30)

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-11-decembre-ligue-1_AN-202112110156.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-14-decembre-bundesliga-allemagne_AN-202112130324.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:19:14 GMT", - "enclosure": "https://images.bfmtv.com/P2eR7lNB5eCmmLA13mFr-EaqzyI=/0x0:1984x1116/800x0/images/J-Sable-1186382.jpg", + "pubDate": "Mon, 13 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/yF2QyuZYY-Gkwn1agxSR_MWsKNE=/10x0:1994x1116/800x0/images/Bayern-Munich-1187642.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30138,17 +34572,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e98b5c176293e059ff8fd65b95518aa5" + "hash": "e7a050273922e01b5ece9b44990229d2" }, { - "title": "OL: direction l'Espagne pour Juninho?", - "description": "Juninho quittera cet hiver ses fonctions de directeur sportif de l’Olympique Lyonnais. Désireux d’obtenir son diplôme pour devenir entraîneur, le Brésilien pourrait passer son cursus en Espagne, selon Le Progrès.

", - "content": "Juninho quittera cet hiver ses fonctions de directeur sportif de l’Olympique Lyonnais. Désireux d’obtenir son diplôme pour devenir entraîneur, le Brésilien pourrait passer son cursus en Espagne, selon Le Progrès.

", + "title": "Ligue 2: un joueur de Rodez victime d'injures racistes à Toulouse", + "description": "Après le nul contre son voisin Rodez, ce lundi soir en Ligue 2 (1-1), le Toulouse FC a expliqué qu'un joueur adverse a été visé par des propos à caractère raciste, lancés par un spectateur du Stadium. Et a fermement condamné ces agissements.

", + "content": "Après le nul contre son voisin Rodez, ce lundi soir en Ligue 2 (1-1), le Toulouse FC a expliqué qu'un joueur adverse a été visé par des propos à caractère raciste, lancés par un spectateur du Stadium. Et a fermement condamné ces agissements.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-direction-l-espagne-pour-juninho_AV-202112110152.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/ligue-2-un-joueur-de-rodez-victime-d-injures-racistes-a-toulouse_AN-202112130565.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:09:40 GMT", - "enclosure": "https://images.bfmtv.com/0BUSdo7ZpII1HoAD4jD5kcecp04=/0x16:1024x592/800x0/images/-873563.jpg", + "pubDate": "Mon, 13 Dec 2021 22:24:48 GMT", + "enclosure": "https://images.bfmtv.com/yENRW6S1qdU9_Bwc6jDimd_FQ1U=/0x159:2048x1311/800x0/images/Lionel-Mpasi-1187946.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30159,17 +34593,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e1f19661251b0fdb340a72ca84a7886" + "hash": "2d808a54ec669a25a0c5887649891950" }, { - "title": "Biathlon (poursuite): Fillon Maillet et Jacquelin signent un doublé à Hochfilzen", - "description": "A Hochfilzen (Autriche), Quentin Fillon Maillet a triomphé ce samedi sur la poursuite, pour la 3e manche de la Coupe du monde de biathlon. Septième du sprint ce vendredi, il s'adjuge un 7e bouquet individuel en carrière, devant son compatriote Emilien Jacquelin. D'abord annoncé 3e, l'autre Français Simon Desthieux a finalement été classé 4e après la photo-finish, derrière le Suédois Sebastian Samuelsson.

", - "content": "A Hochfilzen (Autriche), Quentin Fillon Maillet a triomphé ce samedi sur la poursuite, pour la 3e manche de la Coupe du monde de biathlon. Septième du sprint ce vendredi, il s'adjuge un 7e bouquet individuel en carrière, devant son compatriote Emilien Jacquelin. D'abord annoncé 3e, l'autre Français Simon Desthieux a finalement été classé 4e après la photo-finish, derrière le Suédois Sebastian Samuelsson.

", + "title": "PSG: Mbappé a mis un énorme râteau à Tottenham (et à Spider-Man)", + "description": "Présent à la cérémonie de remise du Ballon d'or le 29 novembre dernier, l'acteur Tom Holland, qui apparaît à l'affiche du prochain film Spider-Man, s'est entretenu quelques instants avec Kylian Mbappé. Fan de Tottenham, celui qui interprète Peter Parker a demandé à l'attaquant du PSG de rejoindre les Spurs... et s'est pris un bon gros stop.

", + "content": "Présent à la cérémonie de remise du Ballon d'or le 29 novembre dernier, l'acteur Tom Holland, qui apparaît à l'affiche du prochain film Spider-Man, s'est entretenu quelques instants avec Kylian Mbappé. Fan de Tottenham, celui qui interprète Peter Parker a demandé à l'attaquant du PSG de rejoindre les Spurs... et s'est pris un bon gros stop.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-poursuite-un-magnifique-triple-francais-a-hochfilzen_AN-202112110142.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-mbappe-a-mis-un-enorme-rateau-a-tottenham-et-a-spider-man_AV-202112130559.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 11:52:43 GMT", - "enclosure": "https://images.bfmtv.com/tABm4cXKAk9o1JGBhlihLOzc5uU=/6x208:630x559/800x0/images/La-joie-du-Francais-Quentin-Fillon-Maillet-vainqueur-de-la-poursuite-comptant-pour-la-Coupe-du-monde-de-biathlon-le-12-decembre-2020-a-Hochfilzen-Autriche-1176455.jpg", + "pubDate": "Mon, 13 Dec 2021 22:00:56 GMT", + "enclosure": "https://images.bfmtv.com/lVpbGftaFi3Dja9dJRtwp5YtE1s=/0x50:768x482/800x0/images/Mbappe-auteur-d-un-double-pour-Paris-face-au-FC-Bruges-lors-dudernier-match-de-poule-de-C1-au-Parc-des-Princes-le-7-decembre-2021-1187633.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30180,17 +34614,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a22b0fb5a7da18bcaca37d5a37f3fb88" + "hash": "60d06acc28cfa78c8c0e1be5baae5a35" }, { - "title": "Affaire Agnel: garde à vue levée, l'ex-nageur va être présenté à un juge d'instruction", - "description": "La garde à vue de Yannick Agnel a été levée ce samedi à la mi-journée. L'ancien nageur, accusé de viol et agression sexuelle sur mineure, va être présenté à un juge d'instruction dans la foulée.

", - "content": "La garde à vue de Yannick Agnel a été levée ce samedi à la mi-journée. L'ancien nageur, accusé de viol et agression sexuelle sur mineure, va être présenté à un juge d'instruction dans la foulée.

", + "title": "Belgique: Courtois, De Bruyne, Lukaku... Pourquoi Martinez ne convoquera aucun cadre en mars", + "description": "Invité dans une émission de la RTBF à évoquer l'actualité de l'équipe de Belgique, Roberto Martinez a évoqué un plan pour le moins surprenant pour les matchs amicaux des Diables Rouges en mars. Le sélectionneur souhaite laisser ses cadres au repos et ne retenir que des joueurs à moins de 50 sélections.

", + "content": "Invité dans une émission de la RTBF à évoquer l'actualité de l'équipe de Belgique, Roberto Martinez a évoqué un plan pour le moins surprenant pour les matchs amicaux des Diables Rouges en mars. Le sélectionneur souhaite laisser ses cadres au repos et ne retenir que des joueurs à moins de 50 sélections.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-garde-a-vue-levee-l-ex-nageur-va-etre-presente-a-un-juge-d-instruction_AV-202112110136.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/belgique-courtois-de-bruyne-lukaku-pourquoi-martinez-ne-convoquera-aucun-cadre-en-mars_AV-202112130555.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 11:47:29 GMT", - "enclosure": "https://images.bfmtv.com/dpvpg5ZEe9Ok_Xy6HlICw_xO3-8=/0x197:2048x1349/800x0/images/Yannick-Agnel-en-2016-1185222.jpg", + "pubDate": "Mon, 13 Dec 2021 21:51:58 GMT", + "enclosure": "https://images.bfmtv.com/TOeVhRsdAM7CsBbcCSioYw9KXc0=/0x0:768x432/800x0/images/Le-selectionneur-espagnol-de-la-Belgique-Roberto-Martinez-durant-une-conference-de-presse-a-Tubize-en-Belgique-le-4-juin-2021-1042516.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30201,17 +34635,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e857514fdc4b95693f056ca6df20eff" + "hash": "d209fff4329817b441af669052a6c1f8" }, { - "title": "JO d'hiver 2022: Douillet pointe \"l'hypocrisie\" d'un boycott diplomatique à Pékin", - "description": "Pour l'ex-judoka et ancien ministre David Douillet, qui s'est exprimé samedi dans les Grandes Gueules du Sport sur RMC, la France ne doit pas suivre les États-Unis qui ont décidé de faire un boycott diplomatique des Jeux olympiques d'hiver en Chine (4-20 février 2022).

", - "content": "Pour l'ex-judoka et ancien ministre David Douillet, qui s'est exprimé samedi dans les Grandes Gueules du Sport sur RMC, la France ne doit pas suivre les États-Unis qui ont décidé de faire un boycott diplomatique des Jeux olympiques d'hiver en Chine (4-20 février 2022).

", + "title": "Barça: une rencontre Laporta-Raiola pour discuter du dossier Haaland", + "description": "Le président du Barça Joan Laporta a profité de la cérémonie du Golden Boy, organisée en Italie, pour rencontrer Mino Raiola, l’agent d’Erling Haaland. En vue d'un transfert estival ?

", + "content": "Le président du Barça Joan Laporta a profité de la cérémonie du Golden Boy, organisée en Italie, pour rencontrer Mino Raiola, l’agent d’Erling Haaland. En vue d'un transfert estival ?

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-douillet-pointe-l-hypocrisie-d-un-boycott-diplomatique-a-pekin_AV-202112110122.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/barca-une-rencontre-laporta-raiola-pour-discuter-du-dossier-haaland_AV-202112130545.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 11:31:37 GMT", - "enclosure": "https://images.bfmtv.com/Oh3L-dYYUvuq_leWTCrKB-Obf70=/0x68:1024x644/800x0/images/-873986.jpg", + "pubDate": "Mon, 13 Dec 2021 21:17:32 GMT", + "enclosure": "https://images.bfmtv.com/prbnmt45qwrYEqquA-N_8Uco9zA=/0x104:1984x1220/800x0/images/Erling-Haaland-Dortmund-1187811.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30222,17 +34656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "93f8fd9ea76f07554a97eb3c22dcaf56" + "hash": "d288ee446cae7ba9fa325f2ec94adcc0" }, { - "title": "Affaire Agnel en direct: \"Ça me touche particulièrement\", confie Roxana Maracineanu", - "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", - "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", + "title": "Mondial de hand: les Bleues maitrisent la Russie et affronteront la Suède en quarts", + "description": "Les Bleues du handball se sont imposées sans trembler face à la Russie ce lundi soir (33-28) et terminent de la meilleure manière le tour principal du Mondial. Place maintenant au quart de finale contre la Suède.

", + "content": "Les Bleues du handball se sont imposées sans trembler face à la Russie ce lundi soir (33-28) et terminent de la meilleure manière le tour principal du Mondial. Place maintenant au quart de finale contre la Suède.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", + "link": "https://rmcsport.bfmtv.com/handball/mondial-de-hand-les-bleues-maitrisent-la-russie-et-affronteront-la-suede-en-quarts_AN-202112130540.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", - "enclosure": "https://images.bfmtv.com/lZ-WKpzT6izq13Nfk0gLzmM5Dmk=/14x48:2046x1191/800x0/images/Roxana-Maracineanu-1031131.jpg", + "pubDate": "Mon, 13 Dec 2021 21:04:11 GMT", + "enclosure": "https://images.bfmtv.com/rKXk2hucuS4y676f2lrkvnJLtAU=/0x49:2048x1201/800x0/images/Pauletta-Foppa-1187916.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30243,17 +34677,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b69c94e8bc0c359742db4d963ccea51f" + "hash": "f058cd3f16dcec24599a1f531632f88f" }, { - "title": "Luis Fabiano officialise sa retraite", - "description": "En raison de blessures, le dernier match de Luis Fabiano remonte à 2017 avec le Vasco de Gama. Après avoir tenté de se remettre de ses pépins physiques, l’attaquant brésilien de 41 ans vient d'annoncer sa retraite de footballeur.

", - "content": "En raison de blessures, le dernier match de Luis Fabiano remonte à 2017 avec le Vasco de Gama. Après avoir tenté de se remettre de ses pépins physiques, l’attaquant brésilien de 41 ans vient d'annoncer sa retraite de footballeur.

", + "title": "Mercato en direct: Haaland ferait du Barça sa priorité", + "description": "Alors que la trêve hivernale se rapproche, les clubs européens prospectent déjà sur des éléments pour renforcer leurs effectifs. Retrouvez en direct toutes les infos et rumeurs sur le marché des transferts dans notre live mercato.

", + "content": "Alors que la trêve hivernale se rapproche, les clubs européens prospectent déjà sur des éléments pour renforcer leurs effectifs. Retrouvez en direct toutes les infos et rumeurs sur le marché des transferts dans notre live mercato.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/luis-fabiano-officialise-sa-retraite_AV-202112110120.html", + "link": "https://rmcsport.bfmtv.com/football/mercato-en-direct-les-infos-et-rumeurs-du-13-decembre-2021_LN-202112130060.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 11:07:26 GMT", - "enclosure": "https://images.bfmtv.com/ZiKMnulgEEcZ-KEb73mFMg6nCZs=/0x18:800x468/800x0/images/-607070.jpg", + "pubDate": "Mon, 13 Dec 2021 06:29:19 GMT", + "enclosure": "https://images.bfmtv.com/prbnmt45qwrYEqquA-N_8Uco9zA=/0x104:1984x1220/800x0/images/Erling-Haaland-Dortmund-1187811.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30264,17 +34698,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "de9d497480c048ab3bee124dc792e386" + "hash": "9a523da98a8cbba4b470214483fc38a9" }, { - "title": "Cardiff-Toulouse en direct: le Stade toulousain à un essai du bonus", - "description": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", - "content": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", + "title": "Ligue des champions: le Real Madrid ne saisira pas le TAS après l'imbroglio du tirage", + "description": "Très irrité par la réorganisation du tirage au sort des huitièmes de finale de la Ligue des champions après une erreur de l'UEFA ce lundi, le Real Madrid a envoyé deux courriers durs à l'instance qui gère le football européen. Mais selon AS, le club qui a remporté treize fois la C1 a écarté l'hypothèse de présenter l'affaire devant le Tribunal arbitral du sport.

", + "content": "Très irrité par la réorganisation du tirage au sort des huitièmes de finale de la Ligue des champions après une erreur de l'UEFA ce lundi, le Real Madrid a envoyé deux courriers durs à l'instance qui gère le football européen. Mais selon AS, le club qui a remporté treize fois la C1 a écarté l'hypothèse de présenter l'affaire devant le Tribunal arbitral du sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-cardiff-toulouse-en-direct_LS-202112110107.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-real-madrid-ne-saisira-pas-le-tas-apres-l-imbroglio-du-tirage_AV-202112130532.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:40:10 GMT", - "enclosure": "https://images.bfmtv.com/pRz5BhI34th2S6A0kr-XgrGi1Js=/0x58:2048x1210/800x0/images/Antoine-Dupont-1136199.jpg", + "pubDate": "Mon, 13 Dec 2021 20:45:20 GMT", + "enclosure": "https://images.bfmtv.com/30hLijDPv5gf04o72Xy_pmbctLk=/0x25:2048x1177/800x0/images/Florentino-Perez-1171094.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30285,17 +34719,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f8f0edd3d5360ceb4aba3633ad755fbe" + "hash": "caca05bb24538a473084b5f30dcbace3" }, { - "title": "Affaire Agnel: \"On ne peut qu’être abasourdis\", s'émeut le président de la Fédération", - "description": "Le président de la Fédération française de natation Gilles Sezionale était l’invité ce samedi des Grandes Gueules du Sport, sur RMC. Il a réagi à l’affaire Yannick Agnel, placé en garde à vue dans le cadre d'une information judiciaire ouverte pour \"viol et agression sexuelle sur mineure de 15 ans\".

", - "content": "Le président de la Fédération française de natation Gilles Sezionale était l’invité ce samedi des Grandes Gueules du Sport, sur RMC. Il a réagi à l’affaire Yannick Agnel, placé en garde à vue dans le cadre d'une information judiciaire ouverte pour \"viol et agression sexuelle sur mineure de 15 ans\".

", + "title": "Benfica: Otamendi victime d'un très violent cambriolage, ceinture autour du cou", + "description": "Titulaire dimanche soir avec Benfica sur la pelouse de Famalicao à l'occasion de la 14e journée de Liga Nos, Nicolas Otamendi a ensuite été victime dans la nuit d'un violent cambriolage. Quatre agresseurs ont fait irruption chez lui avant de lui dérober de l'argent et des montres. Le défenseur argentin a été agressé.

", + "content": "Titulaire dimanche soir avec Benfica sur la pelouse de Famalicao à l'occasion de la 14e journée de Liga Nos, Nicolas Otamendi a ensuite été victime dans la nuit d'un violent cambriolage. Quatre agresseurs ont fait irruption chez lui avant de lui dérober de l'argent et des montres. Le défenseur argentin a été agressé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-on-ne-peut-qu-etre-abasourdis-s-emeut-le-president-de-la-federation_AV-202112110101.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/benfica-otamendi-victime-d-un-tres-violent-cambriolage-ceinture-autour-du-cou_AV-202112130523.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:26:06 GMT", - "enclosure": "https://images.bfmtv.com/dSz-vjFF_-yf_qBXz59GvQ1w74U=/0x74:2048x1226/800x0/images/Gilles-Sezionale-1186272.jpg", + "pubDate": "Mon, 13 Dec 2021 20:14:49 GMT", + "enclosure": "https://images.bfmtv.com/3om1oCLsWq3zOfJYu03AoUlOJw8=/0x52:2048x1204/800x0/images/Nicolas-Otamendi-1187897.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30306,17 +34740,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb0db4330c419736de96ea3db77b2871" + "hash": "439031177b5cf1c35962836114fdf330" }, { - "title": "Ligue 1 en direct: des annonces la semaine prochaine pour la sécurité dans les stades", - "description": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", - "content": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", + "title": "Paris 2024: Estanguet veut marquer l'histoire des Jeux avec la cérémonie d'ouverture sur la Seine", + "description": "Le patron du comité d'organisation des Jeux olympiques de Paris 2024, Tony Estanguet, estime que le choix de la Seine pour le défilé de la cérémonie d'ouverture des JO de Paris dans plus de deux ans, symbolise cette \"ambition\" d'organiser des Jeux différents, et de marquer l'histoire.

", + "content": "Le patron du comité d'organisation des Jeux olympiques de Paris 2024, Tony Estanguet, estime que le choix de la Seine pour le défilé de la cérémonie d'ouverture des JO de Paris dans plus de deux ans, symbolise cette \"ambition\" d'organiser des Jeux différents, et de marquer l'histoire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-18e-journee_LN-202112090152.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/paris-2024-estanguet-veut-marquer-l-histoire-des-jeux-avec-la-ceremonie-d-ouverture-sur-la-seine_AV-202112130522.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 08:40:20 GMT", - "enclosure": "https://images.bfmtv.com/Pv2Ccc146B3YWA7VysSZTFraAl4=/0x33:2048x1185/800x0/images/Vincent-LABRUNE-1103746.jpg", + "pubDate": "Mon, 13 Dec 2021 20:05:10 GMT", + "enclosure": "https://images.bfmtv.com/9viXSYkmpqlSZuJ5qJIR1k0lBqs=/0x43:768x475/800x0/images/Le-patron-des-Jeux-de-Paris-2024-Tony-Estanguet-s-exprimant-devant-l-assemblee-des-maires-de-France-a-Paris-le-16-novembre-2021-1170749.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30327,17 +34761,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "375dd67dcc0513b6b1f1d8d474b3b720" + "hash": "926404e00c001c3adbc2e68e76f63e7d" }, { - "title": "Cyclisme: 18 mois de prison pour les voleurs de vélos des Mondiaux sur piste", - "description": "La justice française a condamné vendredi deux jeunes hommes à 18 mois de prison ferme, pour avoir participé au vol de vélos de l'équipe italienne de cyclisme sur piste aux Mondiaux de Roubaix en octobre.

", - "content": "La justice française a condamné vendredi deux jeunes hommes à 18 mois de prison ferme, pour avoir participé au vol de vélos de l'équipe italienne de cyclisme sur piste aux Mondiaux de Roubaix en octobre.

", + "title": "Affaire Agnel: le club d'esport MCES stoppe à son tour sa collaboration avec l’ex-nageur", + "description": "Le club d'esport MCES a annoncé ce lundi qu'il suspendait sa collaboration avec Yannick Agnel, son directeur sportif. L’ancien nageur a été mis en examen samedi pour viol et agression sexuelle sur une mineure de 13 ans.

", + "content": "Le club d'esport MCES a annoncé ce lundi qu'il suspendait sa collaboration avec Yannick Agnel, son directeur sportif. L’ancien nageur a été mis en examen samedi pour viol et agression sexuelle sur une mineure de 13 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/cyclisme/cyclisme-18-mois-de-prison-pour-les-voleurs-de-velos-des-mondiaux-sur-piste_AV-202112110088.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-le-club-d-esport-mces-stoppe-a-son-tour-sa-collaboration-avec-l-ex-nageur_AV-202112130514.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:03:14 GMT", - "enclosure": "https://images.bfmtv.com/OpH-DY-WZDuZSFR5jExiLZfIZeM=/0x212:2048x1364/800x0/images/Mondiaux-de-cyclisme-1186254.jpg", + "pubDate": "Mon, 13 Dec 2021 19:40:06 GMT", + "enclosure": "https://images.bfmtv.com/4l3lv0o0WJkwOQaI-RYWDPw4rgg=/0x40:768x472/800x0/images/Yannick-Agnel-a-l-issue-du-200-m-nage-libre-aux-Jeux-Olympiques-de-Rio-de-Janeiro-le-7-aout-2016-1186422.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30348,59 +34782,59 @@ "favorite": false, "created": false, "tags": [], - "hash": "1af70ff668519285afb9af18d3ccbb80" + "hash": "66d96b2eef02b4dbec02666587f28539" }, { - "title": "Val d'Isère (slalom géant): Odermatt leader après la première manche, Pinturault et Faivre en embuscade", - "description": "Alexis Pinturault, tenant du titre du classement général, s'est classé 2e de la première manche du slalom géant de Val-d'Isère, ce samedi dans le cadre de la Coupe du monde de ski alpin. Marco Odermatt a signé le meilleur temps, Matthieu Faivre a terminé 4e.

", - "content": "Alexis Pinturault, tenant du titre du classement général, s'est classé 2e de la première manche du slalom géant de Val-d'Isère, ce samedi dans le cadre de la Coupe du monde de ski alpin. Marco Odermatt a signé le meilleur temps, Matthieu Faivre a terminé 4e.

", + "title": "PSG: Ramos chahuté pour son retour à Madrid? \"Son départ ne s'est pas bien passé\", rappelle Hermel", + "description": "Désormais parisien, Sergio Ramos retrouvera le Real Madrid en huitièmes de finale de Ligue des champions en février. Selon Fred Hermel, le défenseur espagnol craint l’accueil que lui réservera le public madrilène.

", + "content": "Désormais parisien, Sergio Ramos retrouvera le Real Madrid en huitièmes de finale de Ligue des champions en février. Selon Fred Hermel, le défenseur espagnol craint l’accueil que lui réservera le public madrilène.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/val-d-isere-slalom-geant-odermatt-leader-apres-la-premiere-manche-pinturault-et-faivre-en-embuscade_AV-202112110073.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-ramos-chahute-pour-son-retour-a-madrid-son-depart-ne-s-est-pas-bien-passe-rappelle-hermel_AV-202112130509.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 09:30:19 GMT", - "enclosure": "https://images.bfmtv.com/8F5jA0PQqolgEtRONgc6my2qzlw=/0x106:2048x1258/800x0/images/Alexis-Pinturault-1186246.jpg", + "pubDate": "Mon, 13 Dec 2021 19:22:35 GMT", + "enclosure": "https://images.bfmtv.com/CzLHjfG_UY_TGYkDQh1qszwbQjM=/0x69:1200x744/800x0/images/Sergio-Ramos-1172235.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f6805cfed216b1930311a3874a385d9" + "hash": "5097e351c06d54637288fb9248bdea86" }, { - "title": "Europa Conference League: le match Tottenham-Rennes définitivement annulé", - "description": "Le match d'Europa Conference League entre Tottenham et Rennes n'aura finalement pas lieu. Prévu initialement jeudi soir à Londres, il avait d'abord été reporté en raison de nombreux cas de Covid-19 chez les Spurs.

", - "content": "Le match d'Europa Conference League entre Tottenham et Rennes n'aura finalement pas lieu. Prévu initialement jeudi soir à Londres, il avait d'abord été reporté en raison de nombreux cas de Covid-19 chez les Spurs.

", + "title": "Gymnastique: près de 400 millions de dollars pour les victimes de Larry Nassar", + "description": "Après cinq ans de bataille judiciaire, Simone Biles et les autres victimes de Larry Nassar, ancien médecin de l'équipe américaine de gym, ont trouvé un accord financier avec la Fédération et le Comité olympique américain. Les gymnastes abusées sexuellement vont se partager 380 millions de dollars.

", + "content": "Après cinq ans de bataille judiciaire, Simone Biles et les autres victimes de Larry Nassar, ancien médecin de l'équipe américaine de gym, ont trouvé un accord financier avec la Fédération et le Comité olympique américain. Les gymnastes abusées sexuellement vont se partager 380 millions de dollars.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-conference-league/europa-conference-league-le-match-tottenham-rennes-definitivement-annule_AV-202112110070.html", + "link": "https://rmcsport.bfmtv.com/societe/gymnastique-pres-de-400-millions-de-dollars-pour-les-victimes-de-larry-nassar_AN-202112130498.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 09:13:36 GMT", - "enclosure": "https://images.bfmtv.com/y-HvxCqjPzFnK9tDte5jgvCHVco=/0x0:2048x1152/800x0/images/Harry-Kane-et-Flavien-Tait-1186247.jpg", + "pubDate": "Mon, 13 Dec 2021 19:04:21 GMT", + "enclosure": "https://images.bfmtv.com/kVEOPFFDC1uG6lp9aNnSxWQ97RE=/0x0:2048x1152/800x0/images/Simone-Biles-et-d-autres-victimes-de-Larry-Nassar-1187879.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ff5ecdac7d6f4fff7426de0e086c8e49" + "hash": "7fcbe638257f3c3793c44190a5110e30" }, { - "title": "Prix du Bourbonnais : Face Time Bourbon en tête d'affiche", - "description": "Deuxième course qualificative au Prix d'Amérique (30 janvier), le Prix du Bourbonnais se dispute ce dimanche 12 décembre sur l'hippodrome de Vincennes et sera marqué par la présence du champion Face Time Bourbon.

", - "content": "Deuxième course qualificative au Prix d'Amérique (30 janvier), le Prix du Bourbonnais se dispute ce dimanche 12 décembre sur l'hippodrome de Vincennes et sera marqué par la présence du champion Face Time Bourbon.

", + "title": "Paris 2024: les chiffres de la grandiose cérémonie d'ouverture sur la Seine", + "description": "La cérémonie d'ouverture des Jeux olympiques de Paris 2024 qui se déroulera sur la Seine sera une première hors d'un stade. Voici les principaux chiffres de cette cérémonie annoncée comme \"révolutionnaire\" par les organisateurs des JO.

", + "content": "La cérémonie d'ouverture des Jeux olympiques de Paris 2024 qui se déroulera sur la Seine sera une première hors d'un stade. Voici les principaux chiffres de cette cérémonie annoncée comme \"révolutionnaire\" par les organisateurs des JO.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/prix-du-bourbonnais-face-time-bourbon-en-tete-d-affiche_AN-202112110069.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/paris-2024-les-chiffres-de-la-grandiose-ceremonie-d-ouverture-sur-la-seine_AV-202112130491.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 09:13:02 GMT", - "enclosure": "https://images.bfmtv.com/99CLRc0XI2H3jY_C6cOe-7TTLmQ=/7x45:791x486/800x0/images/Face-Time-Bourbon-vise-un-nouveau-succes-1186245.jpg", + "pubDate": "Mon, 13 Dec 2021 18:50:23 GMT", + "enclosure": "https://images.bfmtv.com/feG_dshW-JcBX__0na1OgeQgeOY=/0x0:1936x1089/800x0/images/L-embarquement-des-athletes-1187796.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30411,17 +34845,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "595ac81be944e5f5869320e2c5378de3" + "hash": "96766e2bd0a660ee8e24e4f88c250d86" }, { - "title": "Cardiff-Toulouse en direct: le Stade toulousain vise le bonus", - "description": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", - "content": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", + "title": "Ligue des champions: le surnom peu flatteur donné à l'UEFA par les dirigeants du Real en colère", + "description": "Sale journée pour le Real Madrid. Alors que le premier tirage au sort des huitièmes de finale de la Ligue des champions avait désigné Benfica comme adversaire du club espagnol, c'est bien le PSG qui affrontera les Merengues. Une issue qui a rendu fous de rage les dirigeants madrilènes, qui auraient trouvé un surnom peu flatteur à l'UEFA.

", + "content": "Sale journée pour le Real Madrid. Alors que le premier tirage au sort des huitièmes de finale de la Ligue des champions avait désigné Benfica comme adversaire du club espagnol, c'est bien le PSG qui affrontera les Merengues. Une issue qui a rendu fous de rage les dirigeants madrilènes, qui auraient trouvé un surnom peu flatteur à l'UEFA.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-cardiff-toulouse-en-direct_LS-202112110107.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-surnom-peu-flatteur-donne-a-l-uefa-par-les-dirigeants-du-real-en-colere_AV-202112130475.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:40:10 GMT", - "enclosure": "https://images.bfmtv.com/pRz5BhI34th2S6A0kr-XgrGi1Js=/0x58:2048x1210/800x0/images/Antoine-Dupont-1136199.jpg", + "pubDate": "Mon, 13 Dec 2021 18:27:26 GMT", + "enclosure": "https://images.bfmtv.com/LUj40tbr7OhkXtcO9QGtFHti-RQ=/0x106:2048x1258/800x0/images/1187615.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30432,17 +34866,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0c973c07117a4f3abcc800f7611aa1a" + "hash": "edb26d3eb3f97fc42ad0902e2e3b3d70" }, { - "title": "Barça: Laporta promet aux supporters des renforts cet hiver", - "description": "Loin des premières places en Liga et fraîchement éliminé de la Ligue des champions, le Barça vit un début de saison galère. Pour permettre à Xavi de vite redresser la barre, le président Joan Laporta a promis de tout faire pour recruter des joueurs en janvier.

", - "content": "Loin des premières places en Liga et fraîchement éliminé de la Ligue des champions, le Barça vit un début de saison galère. Pour permettre à Xavi de vite redresser la barre, le président Joan Laporta a promis de tout faire pour recruter des joueurs en janvier.

", + "title": "Paris 2024: les images de la future cérémonie d'ouverture sur la Seine", + "description": "Le comité d'organisation des Jeux olympiques de Paris 2024 a dévoilé ce lundi les détails du projet de cérémonie d'ouverture qui se tiendra le 26 juillet 2024. Un spectacle grandiose attend les sportifs et les Parisiens, qui pourront assister à cette fête depuis les quais de Seine.

", + "content": "Le comité d'organisation des Jeux olympiques de Paris 2024 a dévoilé ce lundi les détails du projet de cérémonie d'ouverture qui se tiendra le 26 juillet 2024. Un spectacle grandiose attend les sportifs et les Parisiens, qui pourront assister à cette fête depuis les quais de Seine.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/barca-laporta-promet-aux-supporters-des-renforts-cet-hiver_AV-202112110064.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/paris-2024-les-images-de-la-future-ceremonie-d-ouverture-sur-la-seine_AV-202112130471.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 09:06:39 GMT", - "enclosure": "https://images.bfmtv.com/C1TO6crkVIOSdWoXUHul_4fbF_k=/0x68:2048x1220/800x0/images/Joan-Laporta-1170972.jpg", + "pubDate": "Mon, 13 Dec 2021 18:16:46 GMT", + "enclosure": "https://images.bfmtv.com/kQ2CgNpiVQzpsMeraAg4U9y-VNQ=/0x0:2048x1152/800x0/images/Les-quais-lors-de-la-ceremonie-d-ouverture-1187798.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30453,17 +34887,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa04e876941bdd62fb195828a21eda45" + "hash": "48bbb8ba43beaf717d99492b631259dc" }, { - "title": "GP d'Abu Dhabi de F1 en direct: Hamilton encore le plus rapide avant les qualifs", - "description": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", - "content": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", + "title": "Mercato en direct: Mbappé a mis un râteau à un cador anglais", + "description": "Alors que la trêve hivernale se rapproche, les clubs européens prospectent déjà sur des éléments pour renforcer leurs effectifs. Retrouvez en direct toutes les infos et rumeurs sur le marché des transferts dans notre live mercato.

", + "content": "Alors que la trêve hivernale se rapproche, les clubs européens prospectent déjà sur des éléments pour renforcer leurs effectifs. Retrouvez en direct toutes les infos et rumeurs sur le marché des transferts dans notre live mercato.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abou-dhabi-de-f1-en-direct-hamilton-verstappen-duel-final-pour-le-titre_LN-202112100118.html", + "link": "https://rmcsport.bfmtv.com/football/mercato-en-direct-les-infos-et-rumeurs-du-13-decembre-2021_LN-202112130060.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 07:42:07 GMT", - "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", + "pubDate": "Mon, 13 Dec 2021 06:29:19 GMT", + "enclosure": "https://images.bfmtv.com/94BjD4HbF8sJ595RmmuXNGdBsVA=/0x106:2048x1258/800x0/images/Kylian-Mbappe-lors-de-PSG-Bruges-1183541.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30474,38 +34908,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c80367641411c603b1727357cc0e133" + "hash": "02665f45ea862f183acf9cc7c7554e30" }, { - "title": "PSG en direct: la conf de Pochettino avant Monaco", - "description": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", - "content": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", + "title": "Affaire Agnel: la Fédération française de natation se constitue partie civile", + "description": "La Fédération française de natation a annoncé ce lundi qu’elle se porte partie civile dans l’affaire Yannick Agnel. L’ex-nageur a été mis en examen pour \"viol et agression sexuelle sur mineure\", et placé sous contrôle judiciaire.

", + "content": "La Fédération française de natation a annoncé ce lundi qu’elle se porte partie civile dans l’affaire Yannick Agnel. L’ex-nageur a été mis en examen pour \"viol et agression sexuelle sur mineure\", et placé sous contrôle judiciaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conf-de-pochettino-avant-monaco_LN-202112110112.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-la-federation-francaise-de-natation-se-constitue-partie-civile_AV-202112130462.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:51:01 GMT", - "enclosure": "https://images.bfmtv.com/OkxVy7-9k73U51C8jQEGZIR4W4k=/0x4:1200x679/800x0/images/Mauricio-Pochettino-1181815.jpg", + "pubDate": "Mon, 13 Dec 2021 18:07:55 GMT", + "enclosure": "https://images.bfmtv.com/MhiWI9f1DC1iCJ2a2QzVGovW6ro=/0x38:768x470/800x0/images/Le-nageur-francais-Yannick-Agnel-s-apprete-a-disputer-la-finale-du-200-m-des-championnats-de-France-a-Montpellier-le-30-mars-2016-1185421.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a3f35655a57d6950f564941818f6467" + "hash": "f2b13ee5a61ea2810d7f50d889da6323" }, { - "title": "Champions Cup, Cardiff-Toulouse en direct: le Stade part à la défense de son titre", - "description": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", - "content": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", + "title": "Longoria aimerait que l’OM soit \"à jamais le premier\" en Conference League", + "description": "Reversé en Conference League après son échec en Ligue Europa, l’OM affrontera Qarabag en barrages, en février. Un tirage \"intéressant\" selon Pablo Longoria, qui assure que Marseille jouera cette compétition à fond.

", + "content": "Reversé en Conference League après son échec en Ligue Europa, l’OM affrontera Qarabag en barrages, en février. Un tirage \"intéressant\" selon Pablo Longoria, qui assure que Marseille jouera cette compétition à fond.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-cardiff-toulouse-en-direct_LS-202112110107.html", + "link": "https://rmcsport.bfmtv.com/football/europa-conference-league/longoria-aimerait-que-l-om-soit-a-jamais-le-premier-en-conference-league_AV-202112130451.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:40:10 GMT", - "enclosure": "https://images.bfmtv.com/pRz5BhI34th2S6A0kr-XgrGi1Js=/0x58:2048x1210/800x0/images/Antoine-Dupont-1136199.jpg", + "pubDate": "Mon, 13 Dec 2021 17:54:26 GMT", + "enclosure": "https://images.bfmtv.com/a1w7RIt0VlQJ2-ohBehwEExk0ms=/0x212:2048x1364/800x0/images/Pablo-Longoria-1187758.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30516,17 +34950,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "41c9dd989a9a97d0d7253826d1d35a18" + "hash": "dbd67fb4d732c608daa0b22d1ea9ed04" }, { - "title": "Affaire Agnel en direct: le président de la fédération de natation \"abasourdi\"", - "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", - "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", + "title": "Paris 2024 dévoile les contours d'une impressionnante cérémonie d'ouverture", + "description": " Le comité d’organisation de Paris 2024 a dévoilé ce lundi le bases de son projet de cérémonie d’ouverture des JO sur la Seine. Le spectacle promet d’être au rendez-vous. Le fruit de près de deux ans de travail.

", + "content": " Le comité d’organisation de Paris 2024 a dévoilé ce lundi le bases de son projet de cérémonie d’ouverture des JO sur la Seine. Le spectacle promet d’être au rendez-vous. Le fruit de près de deux ans de travail.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/paris-2024-devoile-les-contours-d-une-impressionnante-ceremonie-d-ouverture_AN-202112130425.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", - "enclosure": "https://images.bfmtv.com/W6kcKJNSxCl3PGu1CwJs48cRhnY=/0x212:2048x1364/800x0/images/Agnel-1186218.jpg", + "pubDate": "Mon, 13 Dec 2021 17:23:06 GMT", + "enclosure": "https://images.bfmtv.com/7cNldghk3tdebyFv5-QWItterOQ=/8x4:2040x1147/800x0/images/La-Seine-olympique-1187751.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30537,17 +34971,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b3fa9f79bbdabd11d42b9191c3497e7" + "hash": "4f6b4b693eb3a6c38f314298bb8d192d" }, { - "title": "Le football européen est \"l'otage des Qataris\", selon le président de Naples", - "description": "Aurelio De Laurentiis, président de Naples, a déploré la proximité de l'UEFA avec le Qatar, mais aussi le fait que l'Association européenne des clubs (ECA) soit dirigée par Nasser Al-Khelaïfi, le patron qatari du PSG.

", - "content": "Aurelio De Laurentiis, président de Naples, a déploré la proximité de l'UEFA avec le Qatar, mais aussi le fait que l'Association européenne des clubs (ECA) soit dirigée par Nasser Al-Khelaïfi, le patron qatari du PSG.

", + "title": "Ligue des champions: toutes les dates des 8es de finale avec le PSG et Lille", + "description": "Quelques heures après le tirage au sort de la Ligue des champions, les dates des 8es de finale aller et retour ont été dévoilées par l'UEFA. Le PSG accueillera le Real Madrid le 15 février, Lille se rendra à Stamford Bridge le 22 février.

", + "content": "Quelques heures après le tirage au sort de la Ligue des champions, les dates des 8es de finale aller et retour ont été dévoilées par l'UEFA. Le PSG accueillera le Real Madrid le 15 février, Lille se rendra à Stamford Bridge le 22 février.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/le-football-europeen-est-l-otage-des-qataris-selon-le-president-de-naples_AV-202112110056.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-toutes-les-dates-des-8es-de-finale-avec-le-psg-et-lille_AV-202112130422.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 08:37:37 GMT", - "enclosure": "https://images.bfmtv.com/0qiih09E8ttkwvck6z6v6dyHyYI=/1x1:3009x1693/800x0/images/-868973.jpg", + "pubDate": "Mon, 13 Dec 2021 17:15:20 GMT", + "enclosure": "https://images.bfmtv.com/ALGJUjgcq33l6W-gFQowQZY6QHo=/0x153:2048x1305/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183621.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30558,17 +34992,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d71503e8c9b9b8bfd5ebf9ef041cf74" + "hash": "cfd3286604bed165fb4ba934da80f307" }, { - "title": "F1: De Bruyne affiche son soutien à Verstappen avant le GP d'Abu Dhabi", - "description": "Avant l'ultime combat entre Max Verstappen et Lewis Hamilton ce dimanche à Abu Dhabi, Kevin De Bruyne a tenu à encourager le pilote néerlandais sur les réseaux sociaux. Il espère qu'il sera sacré à l'issue du dernier GP de la saison de Formule 1.

", - "content": "Avant l'ultime combat entre Max Verstappen et Lewis Hamilton ce dimanche à Abu Dhabi, Kevin De Bruyne a tenu à encourager le pilote néerlandais sur les réseaux sociaux. Il espère qu'il sera sacré à l'issue du dernier GP de la saison de Formule 1.

", + "title": "Ligue des champions: Ramos prêt à défendre le PSG jusqu'à la \"mort\" contre le Real", + "description": "Présent à Madrid ce lundi pour inaugurer une salle de sport, Sergio Ramos a participé à une conférence de presse dans l'après-midi. Inévitablement, le défenseur espagnol a été questionné sur la confrontation à venir entre le Paris Saint-Germain et le Real Madrid en huitièmes de finale de la Ligue des champions.

", + "content": "Présent à Madrid ce lundi pour inaugurer une salle de sport, Sergio Ramos a participé à une conférence de presse dans l'après-midi. Inévitablement, le défenseur espagnol a été questionné sur la confrontation à venir entre le Paris Saint-Germain et le Real Madrid en huitièmes de finale de la Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-de-bruyne-affiche-son-soutien-a-verstappen-avant-le-gp-d-abu-dhabi_AV-202112110047.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-ramos-pret-a-defendre-le-psg-jusqu-a-la-mort-contre-le-real_AV-202112130417.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 07:57:45 GMT", - "enclosure": "https://images.bfmtv.com/OO-SeSeBQAXCzIcduoivThuW9dk=/0x51:2048x1203/800x0/images/Kevin-DE-BRUYNE-1186217.jpg", + "pubDate": "Mon, 13 Dec 2021 17:08:49 GMT", + "enclosure": "https://images.bfmtv.com/7m-qfhTwLE18hCdBBD4kar0LUOg=/0x37:2048x1189/800x0/images/Sergio-RAMOS-1180944.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30579,17 +35013,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a73cc9558c15b6748c592d790f14916f" + "hash": "bc186270c817481cdd1ea53fbba0baec" }, { - "title": "Manchester United: Rangnick ne fera pas le forcing pour retenir Pogba", - "description": "En conférence de presse vendredi, le nouvel entraîneur de Manchester United, Ralf Rangnick, a fait passer un message clair concernant Paul Pogba. Il ne cherchera pas à tout prix à conserver le champion du monde français, dont le contrat prendra fin l'été prochain.

", - "content": "En conférence de presse vendredi, le nouvel entraîneur de Manchester United, Ralf Rangnick, a fait passer un message clair concernant Paul Pogba. Il ne cherchera pas à tout prix à conserver le champion du monde français, dont le contrat prendra fin l'été prochain.

", + "title": "Lens annonce la prolongation de Sotoca façon Koh-Lanta", + "description": "Le RC Lens s’est montré particulièrement inspiré pour annoncer la prolongation de Florian Sotoca ce lundi. L’attaquant sang et or est désormais engagé avec le club nordiste jusqu’en 2024, comme le dévoile une vidéo doublée... par Denis Brogniart.

", + "content": "Le RC Lens s’est montré particulièrement inspiré pour annoncer la prolongation de Florian Sotoca ce lundi. L’attaquant sang et or est désormais engagé avec le club nordiste jusqu’en 2024, comme le dévoile une vidéo doublée... par Denis Brogniart.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-rangnick-ne-fera-pas-le-forcing-pour-retenir-pogba_AV-202112110040.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-annonce-la-prolongation-de-sotoca-facon-koh-lanta_AV-202112130409.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 07:19:58 GMT", - "enclosure": "https://images.bfmtv.com/Iqb62K1AjQyfYgpqezj24yD12pY=/0x106:2048x1258/800x0/images/Ralf-RANGNICK-1186211.jpg", + "pubDate": "Mon, 13 Dec 2021 17:01:01 GMT", + "enclosure": "https://images.bfmtv.com/gcPj1Y_HxekzcWpK2QBrMJaSJfc=/0x106:2048x1258/800x0/images/1187709.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30600,17 +35034,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "708d958420bcf5b5d00ffd2f620b2ae1" + "hash": "aa7149e89828be9a1bc3944bb89bb3b8" }, { - "title": "Mercato: Kolo Muani confirme qu'il quittera Nantes cet été", - "description": "Auteur d'un doublé lors de la victoire renversante du FC Nantes vendredi face à Lens (3-2), en ouverture de la 18e journée de Ligue 1, Randal Kolo Muani a fait le point sur son avenir à l'issue de la rencontre. Le jeune attaquant français partira libre en fin de saison.

", - "content": "Auteur d'un doublé lors de la victoire renversante du FC Nantes vendredi face à Lens (3-2), en ouverture de la 18e journée de Ligue 1, Randal Kolo Muani a fait le point sur son avenir à l'issue de la rencontre. Le jeune attaquant français partira libre en fin de saison.

", + "title": "Ligue des champions: le Real dénonce un tirage \"surprenant\" et \"regrettable\" après avoir hérité du PSG", + "description": "Le Real Madrid a livré une première réaction publique à la chaîne du club, suite au tirage au sort polémique qui lui a attribué le PSG plutôt que le Benfica Lisbonne ce lundi, en huitièmes de finale de la Ligue des champions.

", + "content": "Le Real Madrid a livré une première réaction publique à la chaîne du club, suite au tirage au sort polémique qui lui a attribué le PSG plutôt que le Benfica Lisbonne ce lundi, en huitièmes de finale de la Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/mercato-kolo-muani-confirme-qu-il-quittera-nantes-cet-ete_AV-202112110038.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-real-denonce-un-tirage-surprenant-et-regrettable-apres-avoir-herite-du-psg_AV-202112130399.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 06:47:25 GMT", - "enclosure": "https://images.bfmtv.com/dJLGEWIY-Pgjss4ubke9jx-WeFE=/0x0:2032x1143/800x0/images/Randal-Kolo-Muani-a-droite-1186194.jpg", + "pubDate": "Mon, 13 Dec 2021 16:51:20 GMT", + "enclosure": "https://images.bfmtv.com/s06RGx85PqITw9cPYjfETT4IG5U=/0x6:1200x681/800x0/images/Emilio-Butragueno-1187708.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30621,17 +35055,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4800e9741e35fbd49a1f5da3e040bd99" + "hash": "b8c524ec331e954951e8519d9d2e9360" }, { - "title": "NBA: un maillot de la légende Bill Russell vendu 1,1 million de dollars aux enchères", - "description": "Lors d'une vente aux enchères organisée vendredi, dont une partie des bénéfices sera reversée à une organisation d'aide aux jeunes défavorisés, un maillot porté par la légende des Boston Celtics Bill Russell a été vendu pour 1.116.250 dollars.

", - "content": "Lors d'une vente aux enchères organisée vendredi, dont une partie des bénéfices sera reversée à une organisation d'aide aux jeunes défavorisés, un maillot porté par la légende des Boston Celtics Bill Russell a été vendu pour 1.116.250 dollars.

", + "title": "Basket: Mitrovic viré de Monaco, Obradovic de retour", + "description": "L’AS Monaco a annoncé ce lundi la fin de sa collaboration avec son entraîneur emblématique Zvezdan Mitrovic. Les Monégasques restaient sur cinq défaites consécutives en Euroligue. Dimanche, ils se sont également inclinés contre Strasbourg en championnat.

", + "content": "L’AS Monaco a annoncé ce lundi la fin de sa collaboration avec son entraîneur emblématique Zvezdan Mitrovic. Les Monégasques restaient sur cinq défaites consécutives en Euroligue. Dimanche, ils se sont également inclinés contre Strasbourg en championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/nba/nba-un-maillot-de-la-legende-bill-russell-vendu-1-1-million-de-dollars-aux-encheres_AV-202112110026.html", + "link": "https://rmcsport.bfmtv.com/basket/jeep-elite/basket-mitrovic-vire-de-monaco_AV-202112130388.html", "creator": "", - "pubDate": "Sat, 11 Dec 2021 06:18:55 GMT", - "enclosure": "https://images.bfmtv.com/9JpkzrsEy6xkHAnJA9vFbY389dY=/0x73:2048x1225/800x0/images/Bill-RUSSELL-en-novembre-2021-1186184.jpg", + "pubDate": "Mon, 13 Dec 2021 16:39:12 GMT", + "enclosure": "https://images.bfmtv.com/qbGLbiipYRZ0k_f6D06lEdvh0vY=/0x40:768x472/800x0/images/Le-coach-Zvezdan-Mitrovic-alors-en-charge-de-l-ASVEL-le-20-juin-2019-a-Monaco-1187661.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30642,38 +35076,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7b8df6b7b87a64e1f3bace7a7592596" + "hash": "b32459f8ef7577836e997cfb77360cb1" }, { - "title": "PSG: la mise au point de Deschamps sur l’avenir de Mbappé", - "description": "Invité de Rothen s’enflamme vendredi sur RMC, le sélectionneur de l’équipe de France Didier Deschamps a clarifié ses propos sur l’avenir de Kylian Mbappé, en fin de contrat au PSG à l’issue de la saison. Pour le Basque, le Parisien n’a pas forcément besoin de quitter Paris et de partir à l’étranger pour progresser.

", - "content": "Invité de Rothen s’enflamme vendredi sur RMC, le sélectionneur de l’équipe de France Didier Deschamps a clarifié ses propos sur l’avenir de Kylian Mbappé, en fin de contrat au PSG à l’issue de la saison. Pour le Basque, le Parisien n’a pas forcément besoin de quitter Paris et de partir à l’étranger pour progresser.

", + "title": "Premier League: Manchester United frappé par le Covid, le match à Brentford menacé", + "description": "Dans un communiqué publié ce lundi, Manchester United confirme que plusieurs de ses membres ont été testés positifs au Covid-19. Sa séance d’entraînement du jour a été annulée et sa rencontre face à Brentford, ce mardi, est menacée.

", + "content": "Dans un communiqué publié ce lundi, Manchester United confirme que plusieurs de ses membres ont été testés positifs au Covid-19. Sa séance d’entraînement du jour a été annulée et sa rencontre face à Brentford, ce mardi, est menacée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/psg-la-mise-au-point-de-deschamps-sur-l-avenir-de-mbappe_AV-202112100550.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-manchester-united-frappe-par-le-covid-le-match-a-brentford-menace_AV-202112130374.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:36:47 GMT", - "enclosure": "https://images.bfmtv.com/Dh8YO_FiUrG0tZ1rE5zq_69l-30=/0x162:2048x1314/800x0/images/Deschamps-et-Mbappe-1186156.jpg", + "pubDate": "Mon, 13 Dec 2021 16:20:10 GMT", + "enclosure": "https://images.bfmtv.com/XjHVG9_NR24yfg8Nt7f68nNHYSM=/7x111:2039x1254/800x0/images/1187688.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ad13df583f9398aebb6b33054d3bc11" + "hash": "790acbcba929b2ad276a0a25b42cc1f5" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 11 décembre – Série A", - "description": "Notre pronostic: la Fiorentina bat la Salernitana (1.30)

", - "content": "Notre pronostic: la Fiorentina bat la Salernitana (1.30)

", + "title": "Manchester United: si Martial veut partir, il doit \"informer\" le club, avertit Ralf Rangnick", + "description": "Alors qu'Anthony Martial pourrait quitter cet hiver Manchester United, où il ne joue quasiment pas, pour rejoindre une autre écurie européenne en prêt, Ralf Rangnick s'est exprimé lundi sur la situation de l'attaquant français. L'entraîneur intérimaire des Red Devils juge que Martial devra informer le club et lui-même avant de quitter Manchester.

", + "content": "Alors qu'Anthony Martial pourrait quitter cet hiver Manchester United, où il ne joue quasiment pas, pour rejoindre une autre écurie européenne en prêt, Ralf Rangnick s'est exprimé lundi sur la situation de l'attaquant français. L'entraîneur intérimaire des Red Devils juge que Martial devra informer le club et lui-même avant de quitter Manchester.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-11-decembre-serie-a_AN-202112100435.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-si-martial-veut-partir-il-doit-informer-le-club-avertit-ralf-rangnick_AN-202112130356.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/PYg704X1AE03e0OyYknw5HAnC1M=/0x104:1984x1220/800x0/images/Joie-Fiorentina-1186013.jpg", + "pubDate": "Mon, 13 Dec 2021 15:45:08 GMT", + "enclosure": "https://images.bfmtv.com/FTZJ0VPUfHvBVw4VfzIY5KBbTq4=/0x0:2032x1143/800x0/images/Anthony-Martial-lors-du-match-entre-Villarreal-et-Manchester-United-le-23-novembre-1187678.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30684,17 +35118,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4f2f5db8979c84fbc8f4211d0dd7e74f" + "hash": "0e2ce18fbbb411b016adfcd303ab8bc5" }, { - "title": "PRONOS PARIS RMC Le buteur du jour du 11 décembre – Série A", - "description": "Notre pronostic: Dusan Vlahovic marque contre la Salernitana (1.66)

", - "content": "Notre pronostic: Dusan Vlahovic marque contre la Salernitana (1.66)

", + "title": "Ligue des champions: les retrouvailles attendues entre Cristiano Ronaldo et l'Atlético de Madrid", + "description": "C'est l'un des chocs des futurs huitièmes de finale de la Ligue des champions: Manchester United va affronter l'Atlético de Madrid. Un match qui s'annonce tendu, notamment en raison de la présence de Cristiano Ronaldo dans les rangs mancuniens. L'Atlético est en effet l'une des victimes préférées de CR7.

", + "content": "C'est l'un des chocs des futurs huitièmes de finale de la Ligue des champions: Manchester United va affronter l'Atlético de Madrid. Un match qui s'annonce tendu, notamment en raison de la présence de Cristiano Ronaldo dans les rangs mancuniens. L'Atlético est en effet l'une des victimes préférées de CR7.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-11-decembre-serie-a_AN-202112100430.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-retrouvailles-attendues-entre-cristiano-ronaldo-et-l-atletico-de-madrid_AV-202112130348.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/705OrojlSM4KdFtpfEUOPkSXqaY=/0x104:1984x1220/800x0/images/Dusan-Vlahovic-Fiorentina-1186009.jpg", + "pubDate": "Mon, 13 Dec 2021 15:29:19 GMT", + "enclosure": "https://images.bfmtv.com/CISi-XKrqzetqilfIi_iHzYQT6U=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-lors-du-match-entre-la-Juventus-et-l-Atletico-en-novembre-2019-1187651.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30705,17 +35139,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3421b3d868952abe7ba243b659ed617f" + "hash": "21e063c6c99591dc676433275191ea08" }, { - "title": "PRONOS PARIS RMC Le pari extérieur du 11 décembre – Série A", - "description": "Notre pronostic: Milan s’impose à Udine (1.85)

", - "content": "Notre pronostic: Milan s’impose à Udine (1.85)

", + "title": "Ligue des champions: le PSG défiera le Real Madrid en 8e de finale", + "description": "Le Paris Saint-Germain affrontera en huitième de finale de la Ligue des champions le Real Madrid de Karim Benzema, terriblement malchanceux, lui qui avait tiré le Benfica Lisbonne lors du premier tirage. Paris n'est pas plus verni.

", + "content": "Le Paris Saint-Germain affrontera en huitième de finale de la Ligue des champions le Real Madrid de Karim Benzema, terriblement malchanceux, lui qui avait tiré le Benfica Lisbonne lors du premier tirage. Paris n'est pas plus verni.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-exterieur-du-11-decembre-serie-a_AN-202112100428.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-psg-defiera-le-real-madrid-en-8e-de-finale_AV-202112130343.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/XCoTHznhY3QM3MLdDhByIw_WvcQ=/0x159:2000x1284/800x0/images/Zlatan-Ibrahimovic-Milan-1186005.jpg", + "pubDate": "Mon, 13 Dec 2021 15:16:06 GMT", + "enclosure": "https://images.bfmtv.com/rqUoUGva3_q4_xEonIC4CXIuObs=/0x102:2048x1254/800x0/images/PSG-Bruges-1183557.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30726,17 +35160,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "07b38c12bd31d5fdbbcc85a0b3a10b8e" + "hash": "6a080a5e6218adb979128dc1a9564a5b" }, { - "title": "PRONOS PARIS RMC Le pari rugby de Denis Charvet du 11 décembre – Champions Cup", - "description": "Mon pronostic : Bordeaux-Bègles bat Leicester (3.35)

", - "content": "Mon pronostic : Bordeaux-Bègles bat Leicester (3.35)

", + "title": "Champions cup: Montpellier-Leinster menacé par le covid", + "description": "Déjà 4 cas positifs au sein du groupe de Montpellier qui était en Angleterre ce week-end.

", + "content": "Déjà 4 cas positifs au sein du groupe de Montpellier qui était en Angleterre ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-rugby-de-denis-charvet-du-11-decembre-champions-cup_AN-202112100273.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/champions-cup-montpellier-leinster-par-le-covid_AN-202112130342.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:00:00 GMT", - "enclosure": "https://images.bfmtv.com/p6e93LR6hKqaJGNgUsFUAfBvg1k=/1x209:2001x1334/800x0/images/UBB-1185783.jpg", + "pubDate": "Mon, 13 Dec 2021 15:14:40 GMT", + "enclosure": "https://images.bfmtv.com/PoSaWLv5_5wPejRNd7DlGtT9Iqs=/0x13:2048x1165/800x0/images/Champions-cup-Exeter-Montpellier-1187660.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30747,17 +35181,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1497e93a5038cc83a1e76abad51910a1" + "hash": "96204aca4309d89e84615d9c73a6ba8f" }, { - "title": "Barça: un ex-éducateur de la Masia accusé d’abus sexuels sur mineurs", - "description": "Une soixantaine de témoins accusent un ancien éducateur du centre de formation du Barça d’avoir commis des abus sexuels et des faits de harcèlement sur des mineurs dont il avait la charge en tant que professeur de sport dans une école de la cité catalane.

", - "content": "Une soixantaine de témoins accusent un ancien éducateur du centre de formation du Barça d’avoir commis des abus sexuels et des faits de harcèlement sur des mineurs dont il avait la charge en tant que professeur de sport dans une école de la cité catalane.

", + "title": "Ligue des champions: le choc PSG-Real Madrid affole les réseaux sociaux", + "description": "Le tirage au sort du choc des 8es de finale de la Ligue des champions entre le PSG et le Real Madrid a fait vivement réagir les réseaux sociaux. Avec un homme au centre des débats : Kylian Mbappé, proche de rejoindre le club madrilène cet été.

", + "content": "Le tirage au sort du choc des 8es de finale de la Ligue des champions entre le PSG et le Real Madrid a fait vivement réagir les réseaux sociaux. Avec un homme au centre des débats : Kylian Mbappé, proche de rejoindre le club madrilène cet été.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-un-ex-educateur-de-la-masia-accuse-d-abus-sexuels-sur-mineurs_AV-202112100542.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-choc-psg-real-madrid-affole-les-reseaux-sociaux_AV-202112130337.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 22:48:05 GMT", - "enclosure": "https://images.bfmtv.com/_Qk5LJjAbgietOm9pGjuPk7wzbA=/0x107:2048x1259/800x0/images/Un-ex-cadre-de-la-Masia-accuse-d-abus-sur-mineurs-1186146.jpg", + "pubDate": "Mon, 13 Dec 2021 15:06:29 GMT", + "enclosure": "https://images.bfmtv.com/qAtsQnaSO42P9Z2nRVxrdMqpWUY=/0x14:1200x689/800x0/images/-878926.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30768,17 +35202,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "db6abc8480b42081003d2d7aa58fc980" + "hash": "1fdbf1dc2a406db740b226d446f76250" }, { - "title": "Lens: \"On doit tous se remettre en question\", la colère froide de Cahuzac après la défaite à Nantes", - "description": "Le capitaine de Lens Yannick Cahuzac était amer après la défaite 3-2 concédé à Nantes après avoir mené 2-0 à la Beaujoire, vendredi en ouverture de la 18eme journée de Ligue 1.

", - "content": "Le capitaine de Lens Yannick Cahuzac était amer après la défaite 3-2 concédé à Nantes après avoir mené 2-0 à la Beaujoire, vendredi en ouverture de la 18eme journée de Ligue 1.

", + "title": "Ligue des champions: PSG-Real Madrid, les liaisons dangereuses", + "description": "Le PSG défiera le Real Madrid en huitièmes de finale de la Ligue des champions, pour l'une des attractions de la compétition, avec des histoires à la pelle.

", + "content": "Le PSG défiera le Real Madrid en huitièmes de finale de la Ligue des champions, pour l'une des attractions de la compétition, avec des histoires à la pelle.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-on-doit-tous-se-remettre-en-question-la-colere-froide-de-cahuzac-apres-la-defaite-a-nantes_AN-202112100537.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-psg-real-madrid-les-liaisons-dangereuses_AV-202112130335.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 22:40:20 GMT", - "enclosure": "https://images.bfmtv.com/VSqbfDgiB8h8LI8TG534cqKBSH8=/1x0:1665x936/800x0/images/Jerome-Cahuzac-1186138.jpg", + "pubDate": "Mon, 13 Dec 2021 15:04:34 GMT", + "enclosure": "https://images.bfmtv.com/lVpbGftaFi3Dja9dJRtwp5YtE1s=/0x50:768x482/800x0/images/Mbappe-auteur-d-un-double-pour-Paris-face-au-FC-Bruges-lors-dudernier-match-de-poule-de-C1-au-Parc-des-Princes-le-7-decembre-2021-1187633.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30789,38 +35223,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "58b4cf8b28535d8c688b072eecf71b05" + "hash": "ed58f97809c67cac5ad6a37a7e8c287a" }, { - "title": "Ligue 1: Nantes renverse Lens et prive les Sang et Or du podium", - "description": "Mené 2-0 à la pause, à domicile contre Lens, le FC Nantes est revenu en deuxième période pour s'imposer 3-2 vendredi lors de la 18eme journée de Ligue 1. Les Sang et Or manquent l’opportunité de monter provisoirement sur le podium.

", - "content": "Mené 2-0 à la pause, à domicile contre Lens, le FC Nantes est revenu en deuxième période pour s'imposer 3-2 vendredi lors de la 18eme journée de Ligue 1. Les Sang et Or manquent l’opportunité de monter provisoirement sur le podium.

", + "title": "Ligue 1: comment Saint-Etienne veut recruter au mercato d'hiver", + "description": "Selon nos informations, l’AS Saint-Etienne souhaite recruter uniquement des joueurs libres ou sous forme de prêt au mercato d’hiver. Premier renfort attendu, l'ancien Rennais Joris Gnagnon.

", + "content": "Selon nos informations, l’AS Saint-Etienne souhaite recruter uniquement des joueurs libres ou sous forme de prêt au mercato d’hiver. Premier renfort attendu, l'ancien Rennais Joris Gnagnon.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nantes-renverse-lens-et-prive-les-sang-or-du-podium_AV-202112100525.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/ligue-1-comment-saint-etienne-veut-recruter-au-mercato-d-hiver_AN-202112130332.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 22:03:24 GMT", - "enclosure": "https://images.bfmtv.com/k1w_RDr0FuiEWvyJ0gZiZmSV3Js=/0x106:2048x1258/800x0/images/Nantes-Lens-1186116.jpg", + "pubDate": "Mon, 13 Dec 2021 14:54:01 GMT", + "enclosure": "https://images.bfmtv.com/VC3i2AIijniahCULWCvI2c7xXT4=/4x271:3204x2071/800x0/images/-794411.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e2b0fefacd44d91a163e9c07b02afe8" + "hash": "f58227282f941ea733404b0a302a6c9c" }, { - "title": "Champions Cup: le Racing ne rate pas ses débuts et corrige Northampton", - "description": "Le Racing 92 a décroché une victoire bonifiée à Northampton (14-45) ce vendredi lors de la première journée de Champions Cup. Porté par ses cadres, le club francilien a parfaitement réussi son entrée en lice dans la compétition européenne.

", - "content": "Le Racing 92 a décroché une victoire bonifiée à Northampton (14-45) ce vendredi lors de la première journée de Champions Cup. Porté par ses cadres, le club francilien a parfaitement réussi son entrée en lice dans la compétition européenne.

", + "title": "Ligue des champions: ce sera bien Chelsea pour le LOSC", + "description": "Pas de changement pour Lille. Le champion de France en titre est retombé sur Chelsea lors du deuxième tirage au sort des huitièmes de finale. Jocelyn Gourvennec et ses joueurs devront donc affronter les champions d'Europe en titre.

", + "content": "Pas de changement pour Lille. Le champion de France en titre est retombé sur Chelsea lors du deuxième tirage au sort des huitièmes de finale. Jocelyn Gourvennec et ses joueurs devront donc affronter les champions d'Europe en titre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-le-racing-ne-rate-pas-ses-debuts-et-corrige-northampton_AV-202112100523.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-ce-sera-bien-chelsea-pour-le-losc_AV-202112130318.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 21:53:02 GMT", - "enclosure": "https://images.bfmtv.com/RwJwbNvk8tkF0znYefDSUzycpwg=/0x141:2032x1284/800x0/images/Virimi-Vakatawa-lors-du-match-Northampton-Racing-1186122.jpg", + "pubDate": "Mon, 13 Dec 2021 14:34:15 GMT", + "enclosure": "https://images.bfmtv.com/jbxkD68Wr0uESx6mejCiIyQh5G0=/0x50:768x482/800x0/images/La-joie-des-joueurs-lillois-Jose-Fonte-Sven-Botman-Jonathan-David-et-Reinildo-Mandava-apres-un-but-marque-sur-le-terrain-de-Wolsbourg-lors-de-la-6e-journee-du-groupe-G-de-la-Ligue-des-Champions-le-8-decembre-2021-1184520.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30831,17 +35265,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fcc68d18b5e4b04201055d4212503508" + "hash": "ad80053fd582a3a9806169a08bbd14f4" }, { - "title": "Euroligue: Monaco, défait contre Milan, enchaîne une cinquième défaite", - "description": "Monaco s'est incliné 71-65 face à Milan vendredi lors de la 14eme journée d'Euroligue.

", - "content": "Monaco s'est incliné 71-65 face à Milan vendredi lors de la 14eme journée d'Euroligue.

", + "title": "Ligue des champions: les (bonnes) affiches des 8es de finale", + "description": "Le tirage au sort des 8es de finale de la Ligue des champions a été refait ce lundi après une boulette plus tôt dans la journée. Énorme affiche entre le PSG et le Real Madrid, ce sera très compliqué pour Lille face à Chelsea, champion d'Europe en titre.

", + "content": "Le tirage au sort des 8es de finale de la Ligue des champions a été refait ce lundi après une boulette plus tôt dans la journée. Énorme affiche entre le PSG et le Real Madrid, ce sera très compliqué pour Lille face à Chelsea, champion d'Europe en titre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroligue-monaco-defait-contre-milan-enchaine-une-cinquieme-defaite_AD-202112100520.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-bonnes-affiches-des-8es-de-finale_AV-202112130313.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 21:43:57 GMT", - "enclosure": "https://images.bfmtv.com/NIc8a4w03Cd0kcRoqhxc2rbSt8Y=/0x8:2048x1160/800x0/images/Donatas-Motiejunas-1186118.jpg", + "pubDate": "Mon, 13 Dec 2021 14:29:34 GMT", + "enclosure": "https://images.bfmtv.com/wKd5Gc0fD0q9GfcDe-jX8xIYHz8=/0x0:2048x1152/800x0/images/Le-tirage-au-sort-des-tours-preliminaires-de-la-Ligue-des-champions-1070449.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30852,17 +35286,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5662d4c98f7eb18f7695e721ae4a588d" + "hash": "bd9ff295b85a4a78cd9386e2eb335486" }, { - "title": "Covid: Herbert, non vacciné, renonce à sa participation à l'Open d’Australie", - "description": "Pierre-Hugues Herbert a choisi de ne pas participer à l’Open d’Australie en janvier 2022. Le Français a expliqué vendredi qu’il renonçait en raison de son classement en simple et de sa volonté de ne pas se faire vacciner contre le Covid-19 avant le premier tournoi du Grand Chelem de l’année.

", - "content": "Pierre-Hugues Herbert a choisi de ne pas participer à l’Open d’Australie en janvier 2022. Le Français a expliqué vendredi qu’il renonçait en raison de son classement en simple et de sa volonté de ne pas se faire vacciner contre le Covid-19 avant le premier tournoi du Grand Chelem de l’année.

", + "title": "Ligue des champions: le Real Madrid crie au scandale après l'annulation du premier tirage", + "description": "Alors que le Real Madrid devait initialement affronter Benfica en huitièmes de finale de la Ligue des champions, le club de la capitale espagnole se dit indigné de voir le tirage au sort être réintégralement effectué. Le Real considère que son sort était déjà joué avant que l'erreur commise par l'UEFA n'ait lieu.

", + "content": "Alors que le Real Madrid devait initialement affronter Benfica en huitièmes de finale de la Ligue des champions, le club de la capitale espagnole se dit indigné de voir le tirage au sort être réintégralement effectué. Le Real considère que son sort était déjà joué avant que l'erreur commise par l'UEFA n'ait lieu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/open-australie/covid-herbert-non-vaccine-renonce-a-sa-participation-a-l-open-d-australie_AV-202112100518.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-real-madrid-crie-au-scandale-apres-l-annulation-du-premier-tirage_AV-202112130310.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 21:32:51 GMT", - "enclosure": "https://images.bfmtv.com/cvSz4itSkuLgVALonNtWY4fR-L4=/0x0:2048x1152/800x0/images/Pierre-Hugues-Herbert-lors-de-la-Coupe-Davis-1186110.jpg", + "pubDate": "Mon, 13 Dec 2021 14:17:46 GMT", + "enclosure": "https://images.bfmtv.com/FbHeGW9Of-brE53fg2nGiQQGrTk=/0x8:768x440/800x0/images/L-attaquant-francais-du-Real-Madrid-Karim-Benzema-lors-du-match-de-LaLiga-a-domicile-contre-Osasuna-le-27-octobre-2021-1158998.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30873,17 +35307,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5371afd16e7be5894c1a31963243cd40" + "hash": "5b6bd2549f2d9cc1b5f6e80f9242d36e" }, { - "title": "PSG: Paredes reconnait des \"premiers mois compliqués\" pour Messi à Paris", - "description": "Ami et coéquipier de Lionel Messi depuis plusieurs saisons en sélection nationale, Leandro Paredes a évoqué sur la chaîne ESPN Argentina l’arrivée de la Pulga cet été et son adaptation dans le club parisien.

", - "content": "Ami et coéquipier de Lionel Messi depuis plusieurs saisons en sélection nationale, Leandro Paredes a évoqué sur la chaîne ESPN Argentina l’arrivée de la Pulga cet été et son adaptation dans le club parisien.

", + "title": "Ligue des champions: l'UEFA risée des réseaux sociaux après le couac du tirage au sort", + "description": "Après l'énorme imbroglio autour du tirage au sort des 8es de finale de la Ligue des champions, les réseaux sociaux se sont montrés sans pitié envers l'UEFA. Les affiches doivent être retirées à partir de 15 heures.

", + "content": "Après l'énorme imbroglio autour du tirage au sort des 8es de finale de la Ligue des champions, les réseaux sociaux se sont montrés sans pitié envers l'UEFA. Les affiches doivent être retirées à partir de 15 heures.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-paredes-reconnait-des-premiers-mois-compliques-pour-messi-a-paris_AV-202112100513.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-l-uefa-risee-des-reseaux-sociaux-apres-le-couac-du-tirage-au-sort_AV-202112130306.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 21:09:37 GMT", - "enclosure": "https://images.bfmtv.com/yT809Fg12JolJGvxqj3e2jjYmXs=/0x0:768x432/800x0/images/La-star-argentine-Lionel-Messi-et-son-compatriote-Leandro-Paredes-lors-d-un-entrainement-du-PSG-le-19-aout-2021-au-Camp-des-Loges-a-Saint-Germain-en-Laye-1117392.jpg", + "pubDate": "Mon, 13 Dec 2021 14:01:41 GMT", + "enclosure": "https://images.bfmtv.com/LUj40tbr7OhkXtcO9QGtFHti-RQ=/0x106:2048x1258/800x0/images/1187615.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30894,17 +35328,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae2530a9ec3ffaa600dd03212b7ffaa6" + "hash": "e4175d14480372d60d6ff31cf7e2642d" }, { - "title": "GP d'Abu Dhabi de F1 en direct: Hamilton-Verstappen, le duel en qualif' approche", - "description": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", - "content": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", + "title": "Europa Conference League: l'OM défiera Qarabag en barrages", + "description": "L'Olympique de Marseille connaît son adversaire pour les barrages de la Conference League : les Phocéens défieront Qarabag avec l'aller au stade Vélodrome le 17 février et le retour le 24 février.

", + "content": "L'Olympique de Marseille connaît son adversaire pour les barrages de la Conference League : les Phocéens défieront Qarabag avec l'aller au stade Vélodrome le 17 février et le retour le 24 février.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abou-dhabi-de-f1-en-direct-hamilton-verstappen-duel-final-pour-le-titre_LN-202112100118.html", + "link": "https://rmcsport.bfmtv.com/football/europa-conference-league-l-om-defiera-qarabag-en-barrages_AN-202112130290.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 07:42:07 GMT", - "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", + "pubDate": "Mon, 13 Dec 2021 13:18:12 GMT", + "enclosure": "https://images.bfmtv.com/6lTsREwlUS48Fo_RdlIEExYbZDA=/0x40:768x472/800x0/images/Le-Marseillais-Matteo-Guendouzi-en-controle-face-au-Lokomotiv-Moscou-en-Ligue-Europa-au-Velodrome-le-9-decembre-2021-1185393.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30915,17 +35349,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e46eccaf819e2848f46085f43915c07" + "hash": "4a45cdf44c595d6dee8264812d032b8e" }, { - "title": "Ligue 1: la belle initiative de Strasbourg avant la réception de l'OM", - "description": "Malgré l’interdiction de déplacement des supporters de l’OM à Strasbourg pour le match de la 18e journée de Ligue 1 prévu ce dimanche à la Meinau, le club alsacien a choisi de ne pas vendre les 1.000 billets récupérés. A la place, le RCS en fera cadeau aux licenciés et bénévoles de ses clubs partenaires.

", - "content": "Malgré l’interdiction de déplacement des supporters de l’OM à Strasbourg pour le match de la 18e journée de Ligue 1 prévu ce dimanche à la Meinau, le club alsacien a choisi de ne pas vendre les 1.000 billets récupérés. A la place, le RCS en fera cadeau aux licenciés et bénévoles de ses clubs partenaires.

", + "title": "Ligue des champions: nouveau tirage au sort à 15h après la boulette des boules", + "description": "L’UEFA a décidé de procéder à un nouveau tirage au sort des 8e de finale de la Ligue des champions à 15h après les erreurs de boules commises lors du tirage initial.

", + "content": "L’UEFA a décidé de procéder à un nouveau tirage au sort des 8e de finale de la Ligue des champions à 15h après les erreurs de boules commises lors du tirage initial.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-la-belle-initiative-de-strasbourg-avant-la-reception-de-l-om_AV-202112100506.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-nouveau-tirage-au-sort-a-15h-apres-la-boulette-des-boules_AN-202112130277.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 20:53:28 GMT", - "enclosure": "https://images.bfmtv.com/UNZiprqRONTMo4e4jDlON2SHKh4=/0x212:2048x1364/800x0/images/Un-superbe-tifo-des-supporters-de-Strasbourg-en-L1-1186098.jpg", + "pubDate": "Mon, 13 Dec 2021 12:49:05 GMT", + "enclosure": "https://images.bfmtv.com/S73fgC_aIVX6vAYG0qU-DQ5oKbY=/0x20:2048x1172/800x0/images/Tirage-Ligue-des-champions-1187563.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30936,17 +35370,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0222c8cb0615a7d17e6eced6778bc38e" + "hash": "05f12adcd21226628fcdc2b5a1d28316" }, { - "title": "Equipe de France: Benzema, Mbappé, son avenir... les vérités de Deschamps dans Rothen s'enflamme", - "description": "Didier Deschamps était l’invité exceptionnel de l’émission Rothen s’enflamme ce vendredi sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France a répondu à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Du bilan des Bleus en 2021, au retour de Karim Benzema, en passant par son avenir à la tête de l’équipe tricolore ou encore le poste d’entraîneur du PSG, Olivier Giroud… le technicien n’a éludé aucun sujet pendant deux heures d’un entretien exclusif. Pour ceux qui l’ont raté, voici les meilleures déclarations de Didier Deschamps.

", - "content": "Didier Deschamps était l’invité exceptionnel de l’émission Rothen s’enflamme ce vendredi sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France a répondu à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Du bilan des Bleus en 2021, au retour de Karim Benzema, en passant par son avenir à la tête de l’équipe tricolore ou encore le poste d’entraîneur du PSG, Olivier Giroud… le technicien n’a éludé aucun sujet pendant deux heures d’un entretien exclusif. Pour ceux qui l’ont raté, voici les meilleures déclarations de Didier Deschamps.

", + "title": "Ligue Europa: le tirage au sort complet des barrages, avec un choc pour le Barça", + "description": "Ce lundi à Nyon, le tirage au sort des barrages de Ligue Europa a réservé au Barça un barrage pas si évident à négocier pour les joueurs de Xavi. Le club catalan défiera Naples au Camp Nou lors du match aller, prévu le 17 février.

", + "content": "Ce lundi à Nyon, le tirage au sort des barrages de Ligue Europa a réservé au Barça un barrage pas si évident à négocier pour les joueurs de Xavi. Le club catalan défiera Naples au Camp Nou lors du match aller, prévu le 17 février.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-benzema-mbappe-son-avenir-les-verites-de-deschamps-dans-rothen-s-enflamme_AV-202112100496.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-le-tirage-au-sort-complet-des-barrages-avec-un-choc-pour-le-barca_AV-202112130276.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:59:12 GMT", - "enclosure": "https://images.bfmtv.com/grxEyR1auO8eblBoeeHdLROPQRk=/0x0:1280x720/800x0/images/Didier-Deschamps-lors-de-son-passage-dans-Rothen-s-enflamme-1186091.jpg", + "pubDate": "Mon, 13 Dec 2021 12:40:52 GMT", + "enclosure": "https://images.bfmtv.com/RagZLz_CJCNXt9Rji3yz882ruv0=/0x89:1200x764/800x0/images/Gavi-1187573.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30957,38 +35391,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac4ade12559ab0d5eef7a6e3dce6d35c" + "hash": "ff05f264333edce1a8f1eb37cc295c7f" }, { - "title": "Clauss, Nkunku, Savanier bientôt chez les Bleus? Les réponses de Deschamps", - "description": "Dans Rothen s’enflamme, vendredi sur RMC, le sélectionneur Didier Deschamps s’est exprimé au sujet de Jonathan Clauss (Lens), Christopher Nkunku (Leipzig) et Téji Savanier (Montpellier). Trois joueurs dont on dit qu'ils sont proches de l’équipe de France.

", - "content": "Dans Rothen s’enflamme, vendredi sur RMC, le sélectionneur Didier Deschamps s’est exprimé au sujet de Jonathan Clauss (Lens), Christopher Nkunku (Leipzig) et Téji Savanier (Montpellier). Trois joueurs dont on dit qu'ils sont proches de l’équipe de France.

", + "title": "Chelsea-Lille: 2019, un précédent douloureux pour le LOSC", + "description": "Opposé à Chelsea en huitièmes de finale de Ligue des champions, le LOSC retrouve un adversaire qu’il a côtoyé récemment. Les Dogues s’étaient incliné deux fois face aux Blues lors de la phase de poule de l’édition 2019-2020.

", + "content": "Opposé à Chelsea en huitièmes de finale de Ligue des champions, le LOSC retrouve un adversaire qu’il a côtoyé récemment. Les Dogues s’étaient incliné deux fois face aux Blues lors de la phase de poule de l’édition 2019-2020.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/clauss-nkunku-savanier-bientot-chez-les-bleus-les-reponses-de-deschamps_AV-202112100495.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/chelsea-lille-2019-un-precedent-douloureux-pour-le-losc_AV-202112130275.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:45:17 GMT", - "enclosure": "https://images.bfmtv.com/10Nm8U3U7Csy0RqSZ8TEKufd0eA=/0x0:2048x1152/800x0/images/Jonathan-Clauss-1154575.jpg", + "pubDate": "Mon, 13 Dec 2021 12:40:22 GMT", + "enclosure": "https://images.bfmtv.com/O0Wvsrc1T4D3-hurF2uSLmLm_58=/7x111:2039x1254/800x0/images/1187558.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d2b4d096e2d4b946c49e797e82a0a3f" + "hash": "529551a42912498de9a1e7f8e98f2f23" }, { - "title": "Ligue 1 en direct: des mesures pour la sécurité dans les stades bientôt annoncées", - "description": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", - "content": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", + "title": "Basket: Mitrovic viré de Monaco", + "description": "L’AS Monaco a annoncé ce lundi la fin de sa collaboration avec son entraîneur emblématique Zvezdan Mitrovic. Les Monégasques restaient sur cinq défaites consécutives en Euroligue. Dimanche, ils se sont également inclinés contre Strasbourg en championnat.

", + "content": "L’AS Monaco a annoncé ce lundi la fin de sa collaboration avec son entraîneur emblématique Zvezdan Mitrovic. Les Monégasques restaient sur cinq défaites consécutives en Euroligue. Dimanche, ils se sont également inclinés contre Strasbourg en championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-18e-journee_LN-202112090152.html", + "link": "https://rmcsport.bfmtv.com/basket/jeep-elite/basket-mitrovic-vire-de-monaco_AV-202112130388.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 08:40:20 GMT", - "enclosure": "https://images.bfmtv.com/NPxqX7Pob1-qtuuM_by8luPYhrY=/14x0:2046x1143/800x0/images/9-policiers-blesses-et-21-interpellations-le-bilan-des-incidents-du-Classique-OM-PSG-1153496.jpg", + "pubDate": "Mon, 13 Dec 2021 16:39:12 GMT", + "enclosure": "https://images.bfmtv.com/qbGLbiipYRZ0k_f6D06lEdvh0vY=/0x40:768x472/800x0/images/Le-coach-Zvezdan-Mitrovic-alors-en-charge-de-l-ASVEL-le-20-juin-2019-a-Monaco-1187661.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -30999,17 +35433,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "18253fe795bd6bf63df67be8f9757f39" + "hash": "419b56fd605a960fbe438b66874a8418" }, { - "title": "Natation: cinq mois après avoir heurté le mur aux JO, Ndoye-Brouard a \"toujours une appréhension\"", - "description": "Après les JO de Tokyo au cours desquels il avait été disqualifié pour avoir heurté le mur avec sa tête cet été, le nageur tricolore Yohann Ndoye-Brouard (21 ans) avoue ne pas être complètement serein dans le bassin. Un handicap alors que les championnats de France ont débuté à Montpellier.

", - "content": "Après les JO de Tokyo au cours desquels il avait été disqualifié pour avoir heurté le mur avec sa tête cet été, le nageur tricolore Yohann Ndoye-Brouard (21 ans) avoue ne pas être complètement serein dans le bassin. Un handicap alors que les championnats de France ont débuté à Montpellier.

", + "title": "PRONOS PARIS RMC Le pari du jour du 13 décembre – Ligue 2", + "description": "Notre pronostic : Toulouse bat Rodez et au moins deux buts dans la rencontre (1.84)

", + "content": "Notre pronostic : Toulouse bat Rodez et au moins deux buts dans la rencontre (1.84)

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/championnat-de-france-de-natation-ndoye-brouard-a-toujours-une-apprehension-apres-avoir-heurte-le-mur-aux-jo_AN-202112100494.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-13-decembre-ligue-2_AN-202112120168.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:39:22 GMT", - "enclosure": "https://images.bfmtv.com/CCbKy2_C95SFFAwLmARgeGAFcpw=/0x0:2048x1152/800x0/images/Yohann-Ndoye-Brouard-1186090.jpg", + "pubDate": "Sun, 12 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/56PEthnqKQAEkg7azMTzLgF9ajs=/0x82:2000x1207/800x0/images/TFC-1186986.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -31020,17 +35454,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed789cbbab6594da2d1f2154d4a09038" + "hash": "806f4cd2d475b6c3d1dd5ab940d6a477" }, { - "title": "Affaire Yannick Agnel: la Fédération française de natation pourrait se constituer partie civile", - "description": "Au lendemain de sa garde à vue pour des faits supposés de viol sur mineure, le sort de Yannick Agnel fait beaucoup parler. La Fédération française de natation a aissé entendre vendredi qu’elle pourrait se constituer \"partie civile\" dans cette affaire.

", - "content": "Au lendemain de sa garde à vue pour des faits supposés de viol sur mineure, le sort de Yannick Agnel fait beaucoup parler. La Fédération française de natation a aissé entendre vendredi qu’elle pourrait se constituer \"partie civile\" dans cette affaire.

", + "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 13 décembre - NBA", + "description": "Mon pronostic : Milwaukee s'impose à Boston (1.96) !

", + "content": "Mon pronostic : Milwaukee s'impose à Boston (1.96) !

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-yannick-agnel-la-federation-francaise-de-natation-pourrait-se-constituer-partie-civile_AV-202112100492.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-13-decembre-nba_AN-202112130272.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:22:20 GMT", - "enclosure": "https://images.bfmtv.com/GxB8rB-FUZ7QCgkY7vNxxbRpE4o=/0x34:768x466/800x0/images/Yannick-Agnel-lors-des-series-du-100-m-libre-des-championnats-de-France-a-Montpellier-le-1er-avril-2016-1185423.jpg", + "pubDate": "Mon, 13 Dec 2021 12:29:13 GMT", + "enclosure": "https://images.bfmtv.com/eVwzMgQsZNySZ1QqjYQ2JzKFNAg=/0x0:1984x1116/800x0/images/G-Antetokounmpo-1187565.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -31041,39 +35475,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c03757be172706eac9f908d30c561e4" + "hash": "0121fb1fc80eb25b330e1ecbc212d2df" }, { - "title": "Equipe de France: \"Je ne donne pas une wild-card à vie\", Deschamps s'explique sur le cas Giroud", - "description": "Le sélectionneur de l’équipe de France est revenu dans Rothen s’enflamme sur le cas d’Olivier Giroud, non sélectionné depuis l’Euro. Il raconte avoir discuté avec l’avant-centre au sujet de ce changement de statut.

", - "content": "Le sélectionneur de l’équipe de France est revenu dans Rothen s’enflamme sur le cas d’Olivier Giroud, non sélectionné depuis l’Euro. Il raconte avoir discuté avec l’avant-centre au sujet de ce changement de statut.

", + "title": "Ligue des champions: l'UEFA va refaire un tirage au sort après une énorme polémique", + "description": "L’UEFA a procédé ce lundi au tirage au sort des huitièmes de finale de la Ligue des champions. Fait rare, une petite erreur a été commise pendant la procédure et le club de Manchester United a même été tiré à deux reprises. Une autre énorme erreur a en revanche condut à un nouveau tirage (prévu à 15h).

", + "content": "L’UEFA a procédé ce lundi au tirage au sort des huitièmes de finale de la Ligue des champions. Fait rare, une petite erreur a été commise pendant la procédure et le club de Manchester United a même été tiré à deux reprises. Une autre énorme erreur a en revanche condut à un nouveau tirage (prévu à 15h).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-je-ne-donne-pas-des-wild-cards-a-vie-deschamps-s-explique-sur-le-cas-giroud_AV-202112100488.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-enorme-polemique-vers-un-nouveau-tirage_AV-202112130271.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:12:59 GMT", - "enclosure": "https://images.bfmtv.com/C3bY8avX4aZqxMI3ggtMLkz_iNk=/0x20:2048x1172/800x0/images/Olivier-Giroud-et-Didier-Deschamps-1139886.jpg", + "pubDate": "Mon, 13 Dec 2021 12:28:57 GMT", + "enclosure": "https://images.bfmtv.com/S73fgC_aIVX6vAYG0qU-DQ5oKbY=/0x20:2048x1172/800x0/images/Tirage-Ligue-des-champions-1187563.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "552eff9f38e637853e2afd4a9324a38f" + "hash": "af550b0e160d57f46ce74d1f38f259c7" }, { - "title": "Stade Français: l'ex-All Black Laumape veut jouer pour les Tonga", - "description": "Arrivé cet été au Stade français, Ngani Laumapé a déclaré vendredi en conférence de presse qu’il pourrait utiliser la nouvelle règle d’éligibilité aux sélections nationales pour évoluer avec les Tonga, pays de ses parents, lui le All Black aux 15 sélections. Le Parisien n'a plus été appelé depuis 2020.

", - "content": "Arrivé cet été au Stade français, Ngani Laumapé a déclaré vendredi en conférence de presse qu’il pourrait utiliser la nouvelle règle d’éligibilité aux sélections nationales pour évoluer avec les Tonga, pays de ses parents, lui le All Black aux 15 sélections. Le Parisien n'a plus été appelé depuis 2020.

", + "title": "Les fans misent une fortune dans les cryptomonnaies liées au foot", + "description": "L’essor des cryptomonnaies auprès du grand public touche même le monde du football. Une enquête de la BBC révèle combien les supporters ont investi dans ce secteur en pleine croissance.

", + "content": "L’essor des cryptomonnaies auprès du grand public touche même le monde du football. Une enquête de la BBC révèle combien les supporters ont investi dans ce secteur en pleine croissance.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/stade-francais-l-ex-all-black-laumape-veut-jouer-pour-les-tonga_AD-202112100483.html", + "link": "https://rmcsport.bfmtv.com/football/les-fans-misent-une-fortune-dans-les-cryptomonnaies-liees-au-foot_AV-202112130249.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:06:46 GMT", - "enclosure": "https://images.bfmtv.com/Ja6wxT2l7tYPTqDH6z1PQ9-whwg=/0x0:2048x1152/800x0/images/Ngani-Laumape-1186073.jpg", + "pubDate": "Mon, 13 Dec 2021 11:50:05 GMT", + "enclosure": "https://images.bfmtv.com/cLRwbBSanUnPRMfkg3bh0Rku8Lo=/0x30:2048x1182/800x0/images/Les-supporters-de-Manchester-City-1187528.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31081,19 +35517,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "29e8a52196c5d4c76d401306ae8a7384" + "hash": "34baf817588fc587e58db34d21c88d04" }, { - "title": "Nantes-Lens en direct: renversés par les Nantais, les Lensois manquent le podium!", - "description": "Revivez dans les conditions du direct sur notre site la victoire de Nantes contre Lens (3-2), en ouverture de la 18e journée de Ligue 1.

", - "content": "Revivez dans les conditions du direct sur notre site la victoire de Nantes contre Lens (3-2), en ouverture de la 18e journée de Ligue 1.

", + "title": "Viol et agression sur mineure: l’affaire Agnel en six questions", + "description": "La procureure de la République de Mulhouse, Edwige Roux-Morizot, a délivré un grand nombre d'informations concernant l'information judiciaire qui a entraîné la mise en examen de Yannick Agnel, pour viol et agression sexuelle sur mineure de 15 ans.

", + "content": "La procureure de la République de Mulhouse, Edwige Roux-Morizot, a délivré un grand nombre d'informations concernant l'information judiciaire qui a entraîné la mise en examen de Yannick Agnel, pour viol et agression sexuelle sur mineure de 15 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-lens-en-direct-les-lensois-veulent-retrouver-le-podium_LS-202112100482.html", + "link": "https://rmcsport.bfmtv.com/natation/viol-et-agression-sur-mineure-l-affaire-agnel-en-six-questions_AV-202112130240.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:03:23 GMT", - "enclosure": "https://images.bfmtv.com/M27OTaCcL8dzvNqlHNeqbj0_bOs=/14x0:2030x1134/800x0/images/Nantes-Lens-Kalimuendo-face-a-Cyprien-1186097.jpg", + "pubDate": "Mon, 13 Dec 2021 11:32:50 GMT", + "enclosure": "https://images.bfmtv.com/MhiWI9f1DC1iCJ2a2QzVGovW6ro=/0x38:768x470/800x0/images/Le-nageur-francais-Yannick-Agnel-s-apprete-a-disputer-la-finale-du-200-m-des-championnats-de-France-a-Montpellier-le-30-mars-2016-1185421.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31101,39 +35538,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "c5c0f36a8a7ad9ba8cb70e4c1a2cdf49" + "hash": "1e6f9695af5d687cc917b8b846ded370" }, { - "title": "Deschamps un jour au PSG? L’échange animé entre Rothen et le sélectionneur des Bleus", - "description": "Interrogé sur son avenir dans Rothen s’enflamme, sur RMC, Didier Deschamps n’a pas complètement fermé la porte au fait de rejoindre un jour le banc du Paris Saint-Germain. Une réponse qui a fait bondir Jérôme Rothen sur le plateau.

", - "content": "Interrogé sur son avenir dans Rothen s’enflamme, sur RMC, Didier Deschamps n’a pas complètement fermé la porte au fait de rejoindre un jour le banc du Paris Saint-Germain. Une réponse qui a fait bondir Jérôme Rothen sur le plateau.

", + "title": "Ligue des champions: le tirage au sort complet des 8es de finale", + "description": "Ce lundi à Nyon a eu lieu le tirage au sort des 8es de finale de C1. Un tirage qui a offert deux adversaires relevés pour les représentants français Paris et Lille, mais aussi d'autres belles affiches, avec notamment un Atlético de Madrid - Bayern.

", + "content": "Ce lundi à Nyon a eu lieu le tirage au sort des 8es de finale de C1. Un tirage qui a offert deux adversaires relevés pour les représentants français Paris et Lille, mais aussi d'autres belles affiches, avec notamment un Atlético de Madrid - Bayern.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/deschamps-un-jour-au-psg-l-echange-anime-entre-rothen-et-le-selectionneur-des-bleus_AV-202112100468.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions-le-tirage-au-sort-complet-des-8es-de-finale_AN-202112130238.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 18:28:49 GMT", - "enclosure": "https://images.bfmtv.com/0ZLQ2q8wTgQow2vOWF5ueBL2iZ4=/0x0:1280x720/800x0/images/Deschamps-invite-de-Rothen-S-enflamme-sur-RMC-1185987.jpg", + "pubDate": "Mon, 13 Dec 2021 11:29:24 GMT", + "enclosure": "https://images.bfmtv.com/XVscWzyOC1h_dXwRrzvYEZMgcvg=/0x89:2048x1241/800x0/images/Le-trophee-de-la-Ligue-des-champions-1070478.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d40defe5771dcc5b4aa16913dc5d9f6" + "hash": "b01487ebd69851b5e7888d24a1ce28d7" }, { - "title": "Equipe de France: Deschamps entretient le flou sur son avenir après la Coupe du monde", - "description": "Sous contrat jusqu’à la Coupe du monde 2022, l’avenir de Didier Deschamps sur le banc de l’Equipe de France est encore incertain. Dans \"Rothen s’enflamme\" l’émission RMC, le Français est resté énigmatique sur son avenir.

", - "content": "Sous contrat jusqu’à la Coupe du monde 2022, l’avenir de Didier Deschamps sur le banc de l’Equipe de France est encore incertain. Dans \"Rothen s’enflamme\" l’émission RMC, le Français est resté énigmatique sur son avenir.

", + "title": "Ligue des champions: Lille opposé à Chelsea en 8es de finale", + "description": "Premier de son groupe, le LOSC affrontera Chelsea en huitième de finale de Ligue des champions. Le match aller aura lieu en février prochain à Stamford Bridge, le retour sera disputé au stade Pierre-Mauroy en mars. \"On sera prêt\", prévient Gourvennec.

", + "content": "Premier de son groupe, le LOSC affrontera Chelsea en huitième de finale de Ligue des champions. Le match aller aura lieu en février prochain à Stamford Bridge, le retour sera disputé au stade Pierre-Mauroy en mars. \"On sera prêt\", prévient Gourvennec.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-deschamps-entretient-le-flou-sur-son-avenir-apres-la-coupe-du-monde_AV-202112100461.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-lille-sera-oppose-a-chelsea-en-8es-de-finale_AN-202112130237.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 18:21:28 GMT", - "enclosure": "https://images.bfmtv.com/dzFCbI8bjxUxcGmm79Y4NGNjiXU=/0x127:2048x1279/800x0/images/Didier-Deschamps-1185949.jpg", + "pubDate": "Mon, 13 Dec 2021 11:26:08 GMT", + "enclosure": "https://images.bfmtv.com/7LSKdOVy6djzhADkcCIupYcK7X8=/0x145:2048x1297/800x0/images/Hakim-Ziyech-celebre-avec-deux-coequipiers-de-Chelsea-1158773.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31141,39 +35580,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e33b400142b70a9ab44f9bcbcade13a" + "hash": "3e4ae138b336a22667eb2a9268ca89ad" }, { - "title": "Equipe de France: Giroud-Mbappé, embrouilles entre les familles... Deschamps revient sur les tensions à l'Euro", - "description": "Dans Rothen s’enflamme, ce vendredi sur RMC, le sélectionneur de l'équipe de France Didier Deschamps est revenu sur l’année des Bleus et sur les tensions qui ont pu naître dans le groupe France durant l’Euro, cet été.

", - "content": "Dans Rothen s’enflamme, ce vendredi sur RMC, le sélectionneur de l'équipe de France Didier Deschamps est revenu sur l’année des Bleus et sur les tensions qui ont pu naître dans le groupe France durant l’Euro, cet été.

", + "title": "Ligue des champions: un choc Messi-Ronaldo pour le PSG qui défiera Manchester United en 8e de finale", + "description": "Le Paris Saint-Germain affrontera Manchester United en huitièmes de finale de la Ligue des champions. Un joli choc pour les Parisiens et en particulier pour Lionel Messi qui trouvera face à lui son éternel rival, Cristiano Ronaldo.

", + "content": "Le Paris Saint-Germain affrontera Manchester United en huitièmes de finale de la Ligue des champions. Un joli choc pour les Parisiens et en particulier pour Lionel Messi qui trouvera face à lui son éternel rival, Cristiano Ronaldo.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-giroud-mbappe-embrouilles-entre-les-familles-deschamps-revient-sur-les-tensions-a-l-euro_AV-202112100433.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-psg-defiera-manchester-united-en-8eme-de-finale-messi-retrouvera-ronaldo_AV-202112130233.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:48:45 GMT", - "enclosure": "https://images.bfmtv.com/WhCDo9M9I3QedlumOFIW6-NuX7k=/0x0:2048x1152/800x0/images/Didier-Deschamps-avec-Kingsley-Coman-chez-les-Bleus-1165468.jpg", + "pubDate": "Mon, 13 Dec 2021 11:22:17 GMT", + "enclosure": "https://images.bfmtv.com/f-r9QCmrQ_93F6tlt0lpa9jIAUE=/0x33:1200x708/800x0/images/Lionel-Messi-1187092.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0e30893fe15dae71dbd0b05e1633ca35" + "hash": "73441f5386f0966f86d56e6912c9d2f0" }, { - "title": "Manchester United: pour Rangnick, Pogba ne sera pas de retour avant \"quelques semaines\"", - "description": "Blessé à la cuisse depuis le rassemblement avec l’équipe de France en novembre dernier, le retour de Paul Pogba sur les terrains n’interviendra pas avant \"quelques semaines\". C’est son entraîneur à Manchester United Ralf Rangnick qui l’a annoncé vendredi en conférence de presse.

", - "content": "Blessé à la cuisse depuis le rassemblement avec l’équipe de France en novembre dernier, le retour de Paul Pogba sur les terrains n’interviendra pas avant \"quelques semaines\". C’est son entraîneur à Manchester United Ralf Rangnick qui l’a annoncé vendredi en conférence de presse.

", + "title": "Bordeaux-Bègles : Alexandre Roumat vers Toulouse", + "description": "INFO RMC SPORT - Le troisième ligne de Bordeaux-Bègles Alexandre Roumat, en fin de contrat, devrait prendre la direction de Toulouse l’été prochain.

", + "content": "INFO RMC SPORT - Le troisième ligne de Bordeaux-Bègles Alexandre Roumat, en fin de contrat, devrait prendre la direction de Toulouse l’été prochain.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-pour-rangnick-pogba-ne-sera-pas-de-retour-avant-quelques-semaines_AV-202112100410.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/bordeaux-begles-alexandre-roumat-vers-toulouse_AN-202112130212.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:10:19 GMT", - "enclosure": "https://images.bfmtv.com/pjz7BvDzkBjHDBeXbVpDyj2JSTE=/0x52:2048x1204/800x0/images/Paul-Pogba-1168884.jpg", + "pubDate": "Mon, 13 Dec 2021 10:38:36 GMT", + "enclosure": "https://images.bfmtv.com/x1Zo3FVS-zImas9sVrRRPc2c_s4=/0x62:1200x737/800x0/images/-860043.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31181,19 +35622,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ede7e61d276054392925ff755a3312cb" + "hash": "eae85d4fab4d23c3b523dcecd739d0dd" }, { - "title": "Premier League: Klopp est persuadé que Gerrard entraînera un jour Liverpool", - "description": "Désormais sur le banc d'Aston Villa, Steven Gerrard fera son retour samedi à Anfield pour la 16e journée de Premier League. Avant d'entraîner un jour Liverpool ? Jürgen Klopp en est totalement convaincu.

", - "content": "Désormais sur le banc d'Aston Villa, Steven Gerrard fera son retour samedi à Anfield pour la 16e journée de Premier League. Avant d'entraîner un jour Liverpool ? Jürgen Klopp en est totalement convaincu.

", + "title": "Barça: Agüero va annoncer sa retraite cette semaine", + "description": "Sergio Agüero ne sera bientôt plus footballeur professionnel. Selon la presse espagnole, l’attaquant argentin du Barça va officialiser sa retraite mercredi en raison de problèmes cardiaques.

", + "content": "Sergio Agüero ne sera bientôt plus footballeur professionnel. Selon la presse espagnole, l’attaquant argentin du Barça va officialiser sa retraite mercredi en raison de problèmes cardiaques.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-klopp-est-persuade-que-gerrard-entrainera-un-jour-liverpool_AV-202112100403.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-aguero-va-annoncer-sa-retraite-cette-semaine_AV-202112130205.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:02:11 GMT", - "enclosure": "https://images.bfmtv.com/tk1dhlMcx_b5OtNgPcvKwndrzao=/0x20:2048x1172/800x0/images/Juergen-Klopp-1185947.jpg", + "pubDate": "Mon, 13 Dec 2021 10:22:51 GMT", + "enclosure": "https://images.bfmtv.com/iGSCfJlEomOtlv8y4ufZQ9H3oLc=/0x106:2048x1258/800x0/images/Sergio-Aguero-lors-de-son-dernier-match-avec-le-Barca-1187461.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31201,19 +35643,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "accc46487663ac968a80b686c6d9d7e4" + "hash": "1c45a441b5257051d4d90e0d5630fd5a" }, { - "title": "Pro D2: Bayonne-Montauban reporté à dimanche en raison des intempéries", - "description": "A cause des intempéries, le match de Pro D2 entre Bayonne et Montauban, prévu vendredi soir, est reporté à dimanche après-midi.

", - "content": "A cause des intempéries, le match de Pro D2 entre Bayonne et Montauban, prévu vendredi soir, est reporté à dimanche après-midi.

", + "title": "Violences sexuelles: Yannick Agnel reconnait la \"matérialité des faits\"", + "description": "Mis en examen pour viol et agression sexuelle sur mineure, le double champion olympique de natation Yannick Agnel a reconnu les faits a déclaré la procureure lundi à Mulhouse.

", + "content": "Mis en examen pour viol et agression sexuelle sur mineure, le double champion olympique de natation Yannick Agnel a reconnu les faits a déclaré la procureure lundi à Mulhouse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/pro-d2-bayonne-montauban-reporte-a-dimanche-en-raison-des-intemperies_AD-202112100390.html", + "link": "https://rmcsport.bfmtv.com/natation/violences-sexuelles-yannick-agnel-reconnait-les-faits_AV-202112130200.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:50:58 GMT", - "enclosure": "https://images.bfmtv.com/MXn7NnyXjASU0sao4x6WcaO1xd4=/0x106:2048x1258/800x0/images/Aviron-bayonnais-1185966.jpg", + "pubDate": "Mon, 13 Dec 2021 10:14:58 GMT", + "enclosure": "https://images.bfmtv.com/W6kcKJNSxCl3PGu1CwJs48cRhnY=/0x212:2048x1364/800x0/images/Agnel-1186218.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31221,19 +35664,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "96ca3f3ed062e5d9e4b46fa3b2ff128e" + "hash": "cba99797f8c7f78dc79548ea8856d982" }, { - "title": "Echecs: le Norvégien Magnus Carlsen conserve son titre de champion du monde", - "description": "Il a remporté une quatrième partie contre son challenger russe Ian Nepomniachtchi vendredi à Dubaï.

", - "content": "Il a remporté une quatrième partie contre son challenger russe Ian Nepomniachtchi vendredi à Dubaï.

", + "title": "Trop d'entertainment, pas assez de sport? La F1 époque Netflix ne plaît pas à tout le monde", + "description": "Au lendemain d'un dernier Grand Prix exceptionnel dans tous les sens du terme à Abu Dhabi, qui a vu le triomphe de Max Verstappen, plusieurs commentateurs s'interrogent déjà sur le devenir de la discipline, de plus en plus soumise à des décisions litigieuses formulées par les commissaires de course.

", + "content": "Au lendemain d'un dernier Grand Prix exceptionnel dans tous les sens du terme à Abu Dhabi, qui a vu le triomphe de Max Verstappen, plusieurs commentateurs s'interrogent déjà sur le devenir de la discipline, de plus en plus soumise à des décisions litigieuses formulées par les commissaires de course.

", "category": "", - "link": "https://rmcsport.bfmtv.com/societe/echecs-le-norvegien-magnus-carlsen-conserve-son-titre-de-champion-du-monde_AD-202112100386.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/trop-d-entertainment-pas-assez-de-sport-la-f1-epoque-netflix-ne-plait-pas-a-tout-le-monde_AV-202112130193.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:47:00 GMT", - "enclosure": "https://images.bfmtv.com/gAA-uPBuC_Jij-uyVbbjRHN4I_4=/0x40:768x472/800x0/images/Le-grand-maitre-norvegien-Magnus-Carlsen-sacre-champion-du-monde-des-echecs-a-Dubai-le-decembre-2021-1185959.jpg", + "pubDate": "Mon, 13 Dec 2021 10:09:24 GMT", + "enclosure": "https://images.bfmtv.com/RBBFHwKIHqTgwVHXTLOyV4RPv5U=/0x191:2048x1343/800x0/images/Lewis-Hamilton-et-Max-Verstappen-sur-le-circuit-de-Yas-Marina-en-2021-1187076.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31241,19 +35685,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "74b1a0fc151ae9b1d888f84749b7cd81" + "hash": "4dea4ede72c9d85376759828b625f262" }, { - "title": "Evénement RMC Sport: Suivez en direct video l'interview de Didier Deschamps dans Rothen s'enflamme", - "description": "Après la victoire de l'équipe de France de football en Ligue des nations, le sélectionneur Didier Deschamps est l'invité exceptionnel de Jérôme Rothen dans l'émission Rothen s'enflamme sur RMC.

", - "content": "Après la victoire de l'équipe de France de football en Ligue des nations, le sélectionneur Didier Deschamps est l'invité exceptionnel de Jérôme Rothen dans l'émission Rothen s'enflamme sur RMC.

", + "title": "La belle initiative du Betis pour les enfants défavorisés", + "description": "Ce dimanche, les fans du Betis Séville se sont montrés particulièrement généreux au cours de la rencontre face à la Real Sociedad. Des milliers de peluches ont été lancées des tribunes pour les enfants défavorisés.

", + "content": "Ce dimanche, les fans du Betis Séville se sont montrés particulièrement généreux au cours de la rencontre face à la Real Sociedad. Des milliers de peluches ont été lancées des tribunes pour les enfants défavorisés.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/evenement-rmc-sporrt-suivez-en-direct-video-l-interview-de-didier-deschamps-dans-rothen-s-enflamme_AN-202112100383.html", + "link": "https://rmcsport.bfmtv.com/football/liga/la-belle-initiative-du-betis-pour-les-enfants-defavorises_AV-202112130189.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:44:41 GMT", - "enclosure": "https://images.bfmtv.com/ymK23A4mZ9lCDrgueVabfjbsasU=/6x3:1238x696/800x0/images/Didier-Deschamps-invite-exceptionnel-de-Rothen-s-enflamme-vendredi-10-decembre-1185904.jpg", + "pubDate": "Mon, 13 Dec 2021 10:01:35 GMT", + "enclosure": "https://images.bfmtv.com/_bLLLjWirs2WZZU4C9Doxsq7cn8=/0x105:2048x1257/800x0/images/1187433.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31261,19 +35706,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "76ed372391fcacd5f82b02e913c79528" + "hash": "ffd541f5a22b36c39b11b2d454f66a7f" }, { - "title": "Nantes-Lens en direct: les Lensois réalisent un début de rencontre parfait", - "description": "Suivez en direct commenté sur notre site la rencontre Nantes-Lens, comptant pour la 18e journée de Ligue 1. Le coup d'envoi est prévu à 21h.

", - "content": "Suivez en direct commenté sur notre site la rencontre Nantes-Lens, comptant pour la 18e journée de Ligue 1. Le coup d'envoi est prévu à 21h.

", + "title": "Les pronos hippiques du mardi 14 décembre 2021", + "description": "Le Quinté+ du mardi 14 décembre est programmé sur l’hippodrome de Pau dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du mardi 14 décembre est programmé sur l’hippodrome de Pau dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-lens-en-direct-les-lensois-veulent-retrouver-le-podium_LS-202112100482.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-mardi-14-decembre-2021_AN-202112130183.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:03:23 GMT", - "enclosure": "https://images.bfmtv.com/M27OTaCcL8dzvNqlHNeqbj0_bOs=/14x0:2030x1134/800x0/images/Nantes-Lens-Kalimuendo-face-a-Cyprien-1186097.jpg", + "pubDate": "Mon, 13 Dec 2021 09:54:24 GMT", + "enclosure": "https://images.bfmtv.com/_tD8SHQfZq95QXP9VN7qGZsGqbc=/4x51:468x312/800x0/images/Les-pronos-hippiques-du-11-novembre-2021-1163670.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31281,19 +35727,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0435b32028881fef93663c54884d612f" + "hash": "034a139060816b4c4c5df5b6e607f8f9" }, { - "title": "Ski alpin: \"Sur le plan sportif, ça n’a pas beaucoup de sens de faire les JO en Chine\", regrette Clément Noël", - "description": "Avant le premier slalom de la saison de la Coupe du monde de ski alpin programmé ce dimanche à Val d’Isère, Clément Noël s'est longuement confié à RMC Sport. Le Vosgien s'est exprimé à la fois sur ses objectifs, son détachement par rapport aux JO et ses pistes pour rendre son sport plus attractif.

", - "content": "Avant le premier slalom de la saison de la Coupe du monde de ski alpin programmé ce dimanche à Val d’Isère, Clément Noël s'est longuement confié à RMC Sport. Le Vosgien s'est exprimé à la fois sur ses objectifs, son détachement par rapport aux JO et ses pistes pour rendre son sport plus attractif.

", + "title": "Barça: \"La situation est critique\", Piqué tire la sonnette d’alarme", + "description": "Le défenseur central du FC Barcelone Gérard Piqué a poussé un coup de gueule après le match nul concédé sur la pelouse d’Osasuna (2-2) dimanche pour le compte de la 17eme journée de Liga.

", + "content": "Le défenseur central du FC Barcelone Gérard Piqué a poussé un coup de gueule après le match nul concédé sur la pelouse d’Osasuna (2-2) dimanche pour le compte de la 17eme journée de Liga.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/ski-alpin-sur-le-plan-sportif-ca-n-a-pas-beaucoup-de-sens-de-faire-les-jo-en-chine-regrette-clement-noel_AV-202112100377.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-la-situation-est-critique-pique-tire-la-sonnette-d-alarme_AV-202112130151.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:34:41 GMT", - "enclosure": "https://images.bfmtv.com/B55stMn0dCno8dcQswgWE7pSfTU=/0x58:2048x1210/800x0/images/Clement-Noel-1185896.jpg", + "pubDate": "Mon, 13 Dec 2021 09:02:38 GMT", + "enclosure": "https://images.bfmtv.com/4xy8A7vHD8Jh2HNqrIacZgBXJFA=/0x0:2048x1152/800x0/images/Gerard-Pique-1187388.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31301,19 +35748,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "13e59952c50955d46833aa5bf6e1cbd2" + "hash": "5075e64a0fdbc02d18ea90c12848d536" }, { - "title": "Didier Deschamps en direct dans Rothen s'enflamme: le sélectionneur des Bleus invité de RMC", - "description": "Didier Deschamps est l’invité exceptionnel de l’émission Rothen s’enflamme sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France répondra à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Le bilan des Bleus en 2021, le retour de Karim Benzema, son avenir à la tête de l’équipe, les ambitions au Mondial… le technicien sera présent pendant près de deux heures pour un entretien exclusif.

", - "content": "Didier Deschamps est l’invité exceptionnel de l’émission Rothen s’enflamme sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France répondra à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Le bilan des Bleus en 2021, le retour de Karim Benzema, son avenir à la tête de l’équipe, les ambitions au Mondial… le technicien sera présent pendant près de deux heures pour un entretien exclusif.

", + "title": "Affaire Agnel en direct: La procureure parle", + "description": "Mis en examen pour viol et agression sexuelle sur mineure, le double champion olympique de natation Yannick Agnel a été placé sous contrôle judiciaire samedi. Ce lundi, la procureure parle à 11h.

", + "content": "Mis en examen pour viol et agression sexuelle sur mineure, le double champion olympique de natation Yannick Agnel a été placé sous contrôle judiciaire samedi. Ce lundi, la procureure parle à 11h.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/didier-deschamps-en-direct-dans-rothen-s-enflamme-le-selectionneur-des-bleus-invite-de-rmc_LN-202112100375.html", + "link": "https://rmcsport.bfmtv.com/societe/affaire-agnel-en-direct-la-procureure-parle_LN-202112130146.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:33:41 GMT", - "enclosure": "https://images.bfmtv.com/0ZLQ2q8wTgQow2vOWF5ueBL2iZ4=/0x0:1280x720/800x0/images/Deschamps-invite-de-Rothen-S-enflamme-sur-RMC-1185987.jpg", + "pubDate": "Mon, 13 Dec 2021 08:55:11 GMT", + "enclosure": "https://images.bfmtv.com/rt3XbWxel7P4UOz8KxNgKuPUmfI=/0x1:2048x1153/800x0/images/Yannick-Agnel-en-juillet-2016-1187389.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31321,19 +35769,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "31874b4dd27c7d1c589bd8f470167853" + "hash": "a2a73dd7f4b52fc5313a7dada99c8ece" }, { - "title": "ARES Fighting 2: Taylor Lapilus, le premier jour du reste de sa vie", - "description": "Après deux ans d’absence, Taylor Lapilus fait son retour dans la cage ce samedi à Levallois face au Brésilien Wilson Reis en combat principal de l’événement ARES FC 2 (en direct à partir de 21h sur RMC Sport 2). La première marche d’un chemin qui devrait mener le consultant MMA de RMC Sport à un retour à l’UFC, où il évolué entre 2015 et 2016, dans les mois à venir.

", - "content": "Après deux ans d’absence, Taylor Lapilus fait son retour dans la cage ce samedi à Levallois face au Brésilien Wilson Reis en combat principal de l’événement ARES FC 2 (en direct à partir de 21h sur RMC Sport 2). La première marche d’un chemin qui devrait mener le consultant MMA de RMC Sport à un retour à l’UFC, où il évolué entre 2015 et 2016, dans les mois à venir.

", + "title": "F1: le héros Verstappen salué aux Pays-Bas, les journaux britanniques déçus pour Hamilton... la revue de presse d'un titre hors du commun", + "description": "Quelques heures après le scénario rocambolesque de ce dernier Grand Prix de la saison en F1, les journaux du monde entier analysent le titre de Max Verstappen, vainqueur dimanche à Abu Dhabi, au détriment de son rival Lewis Hamilton.

", + "content": "Quelques heures après le scénario rocambolesque de ce dernier Grand Prix de la saison en F1, les journaux du monde entier analysent le titre de Max Verstappen, vainqueur dimanche à Abu Dhabi, au détriment de son rival Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ares-fighting-2-taylor-lapilus-le-premier-jour-du-reste-de-sa-vie_AV-202112100374.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-heros-verstappen-salue-aux-pays-bas-les-journaux-britanniques-decus-pour-hamilton-la-revue-de-presse-d-un-titre-hors-du-commun_AN-202112130137.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:33:06 GMT", - "enclosure": "https://images.bfmtv.com/2A7lB7vn_U3YoG5JFAavRlBzdns=/0x23:800x473/800x0/images/Taylor-Lapilus-1185915.jpg", + "pubDate": "Mon, 13 Dec 2021 08:32:18 GMT", + "enclosure": "https://images.bfmtv.com/KwPSE4qVVLbW2kXiC3RD7GBp8oQ=/0x11:496x290/800x0/images/Lewis-Hamilton-battu-par-Max-Verstappen-a-l-issue-du-dernier-tour-du-Grand-Prix-d-Abu-Dhabi-1187375.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31341,19 +35790,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ce6c961a6bec71b3619480884813e42" + "hash": "35e94d2917004c16e5efdb5749243599" }, { - "title": "Manchester City: le dossier Haaland tend déjà Guardiola", - "description": "Pep Guardiola a refusé de réagir aux rumeurs entourant un éventuel transfert d’Erling Haaland vers Manchester City. Le technicien catalan a préféré se concentrer sur la réception de Wolverhampton ce samedi en Premier League plutôt que sur les déclarations de Mino Raiola sur l’avenir du buteur norvégien.

", - "content": "Pep Guardiola a refusé de réagir aux rumeurs entourant un éventuel transfert d’Erling Haaland vers Manchester City. Le technicien catalan a préféré se concentrer sur la réception de Wolverhampton ce samedi en Premier League plutôt que sur les déclarations de Mino Raiola sur l’avenir du buteur norvégien.

", + "title": "PSG: Marquinhos donne des nouvelles pas très rassurantes de Neymar", + "description": "En marge de la victoire du PSG face à Monaco (2-0) dimanche soir au Parc des Princes en clôture de la 18e journée de Ligue 1, le capitaine parisien Marquinhos ne s’est pas montré très rassurant sur Neymar, blessé à la cheville gauche.

", + "content": "En marge de la victoire du PSG face à Monaco (2-0) dimanche soir au Parc des Princes en clôture de la 18e journée de Ligue 1, le capitaine parisien Marquinhos ne s’est pas montré très rassurant sur Neymar, blessé à la cheville gauche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-city-le-dossier-haaland-tend-deja-guardiola_AV-202112100373.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-marquinhos-donne-des-nouvelles-pas-tres-rassurantes-de-neymar_AV-202112130130.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:32:12 GMT", - "enclosure": "https://images.bfmtv.com/MsQpjBCYQQrTUMsvqOSleri91Ss=/0x152:2000x1277/800x0/images/Pep-Guardiola-1185926.jpg", + "pubDate": "Mon, 13 Dec 2021 08:18:41 GMT", + "enclosure": "https://images.bfmtv.com/bjR7aDSNb9Jz4m9RhScGbLH3peM=/0x0:2048x1152/800x0/images/Marquinhos-et-Neymar-1187364.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31361,19 +35811,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f53115d921ffb3d8723ab1c3e8ea9699" + "hash": "b608600141befba75beae8883b0dd478" }, { - "title": "L’OM officialise la signature d’un nouveau contrat pour Dieng", - "description": "Mis en évidence la saison dernière à l’Olympique de Marseille, Bamba Dieng a vu ses efforts être récompensés. Ce vendredi, le club français a annoncé la signature d’un nouveau contrat pour l’attaquant sénégalais.

", - "content": "Mis en évidence la saison dernière à l’Olympique de Marseille, Bamba Dieng a vu ses efforts être récompensés. Ce vendredi, le club français a annoncé la signature d’un nouveau contrat pour l’attaquant sénégalais.

", + "title": "Conference League: le meilleur et le pire tirage pour l’OM lors des barrages", + "description": "Eliminé de la Ligue Europa et reversé en Conference League, l’OM connaîtra ce lundi le nom de son adversaire lors des barrages de la C4. Non tête de série, Marseille devrait pourtant éviter le pire lors du tirage au sort effectué par l'UEFA.

", + "content": "Eliminé de la Ligue Europa et reversé en Conference League, l’OM connaîtra ce lundi le nom de son adversaire lors des barrages de la C4. Non tête de série, Marseille devrait pourtant éviter le pire lors du tirage au sort effectué par l'UEFA.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-marseille/l-om-officialise-la-signature-d-un-nouveau-contrat-pour-dieng_AV-202112100365.html", + "link": "https://rmcsport.bfmtv.com/football/europa-conference-league/conference-league-le-meilleur-et-le-pire-tirage-pour-l-om-lors-des-barrages_AV-202112130129.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:21:19 GMT", - "enclosure": "https://images.bfmtv.com/p6v9j48T7oW2fVOoE2HxApCL0lg=/6x111:2038x1254/800x0/images/Bamba-Dieng-1138769.jpg", + "pubDate": "Mon, 13 Dec 2021 08:17:24 GMT", + "enclosure": "https://images.bfmtv.com/eEYtPOVeYaqEZHITayxGgFwWsM8=/0x0:2048x1152/800x0/images/Matteo-Guendouzi-et-les-joueurs-de-l-OM-celebrent-un-but-1187365.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31381,19 +35832,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "dbb6b2ad70ef90f5510b3bea17c82d95" + "hash": "7835f702117034763b16368a37f4031e" }, { - "title": "Judo: Teddy Riner blessé, forfait pour la Champions League", - "description": "Touché aux cervicales, Teddy Riner ne pourra pas participer à la Champions League avec le Paris Saint-Germain, ce samedi à Prague.

", - "content": "Touché aux cervicales, Teddy Riner ne pourra pas participer à la Champions League avec le Paris Saint-Germain, ce samedi à Prague.

", + "title": "Ligue des champions: le meilleur et le pire tirage pour Lille en huitième de finale", + "description": "Placé dans le chapeau 1, le LOSC devrait éviter les plus grosses équipes lors du tirage au sort des huitièmes de finale de la Ligue des champions ce lundi (à partir de 12 h, en direct sur RMC Sport).

", + "content": "Placé dans le chapeau 1, le LOSC devrait éviter les plus grosses équipes lors du tirage au sort des huitièmes de finale de la Ligue des champions ce lundi (à partir de 12 h, en direct sur RMC Sport).

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/judo-teddy-riner-blesse-forfait-pour-la-coupe-d-europe_AV-202112100357.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-meilleur-et-le-pire-tirages-pour-lille-en-huitieme-de-finale_AV-202112130016.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:13:35 GMT", - "enclosure": "https://images.bfmtv.com/6Z7ljN6xDKFWz5XOIlpsMAxqWeY=/0x53:2048x1205/800x0/images/Teddy-Riner-avec-le-PSG-1185912.jpg", + "pubDate": "Mon, 13 Dec 2021 07:30:00 GMT", + "enclosure": "https://images.bfmtv.com/h-x8Y5LZY-cWnmvORiRW0GNWyPQ=/0x106:2048x1258/800x0/images/Lille-1187149.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31401,19 +35853,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "627cfaf17b02966a7e27d86028c041d4" + "hash": "68c2b7c8673a969337574cf7807c8e85" }, { - "title": "Liga: la Fédé espagnole démolit Tebas sur l'accord entre la ligue et le fonds CVC", - "description": "L’accord entre LaLiga et le fonds d’investissement CVC a été approuvé ce vendredi, malgré l’opposition du Real Madrid et du FC Barcelone. La fédération espagnole a de son côté violemment attaqué Javier Tebas, le président de LaLiga.

", - "content": "L’accord entre LaLiga et le fonds d’investissement CVC a été approuvé ce vendredi, malgré l’opposition du Real Madrid et du FC Barcelone. La fédération espagnole a de son côté violemment attaqué Javier Tebas, le président de LaLiga.

", + "title": "PSG: Diane Leyre, Miss France et vraie fan parisienne", + "description": "Diane Leyre a remporté samedi l’élection de Miss France 2022 et offert un premier titre à la région Ile-de-France depuis 1997. Un succès qui pourrait même l’amener jusqu’à la pelouse du Parc des Princes pour un match du match du PSG, son club de cœur.

", + "content": "Diane Leyre a remporté samedi l’élection de Miss France 2022 et offert un premier titre à la région Ile-de-France depuis 1997. Un succès qui pourrait même l’amener jusqu’à la pelouse du Parc des Princes pour un match du match du PSG, son club de cœur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-la-fede-espagnole-demolit-tebas-sur-l-accord-entre-la-ligue-et-le-fonds-cvc_AV-202112100344.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-diane-leyre-miss-france-et-vraie-fan-parisienne_AV-202112130101.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 15:51:24 GMT", - "enclosure": "https://images.bfmtv.com/gngG6BExVY5lJjWCfoce5zi7bSc=/0x212:2048x1364/800x0/images/Javier-Tebas-1185897.jpg", + "pubDate": "Mon, 13 Dec 2021 07:25:43 GMT", + "enclosure": "https://images.bfmtv.com/21B4UbCh4hYe3P_Vt4RwAtyz9Yg=/0x213:2048x1365/800x0/images/Diane-Leyre-Miss-Ile-de-France-et-Miss-France-2022-1187316.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31421,19 +35874,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "407a048a78d49a1b35a6489bf0d029de" + "hash": "096767951dddd35cc67209fc79e8fce1" }, { - "title": "Biathlon (Hochfilzen): Braisaz-Bouchet sur le podium du sprint", - "description": "Justine Braisaz-Bouchet a terminé deuxième du sprint d'Hochfilzen ce vendredi en Autriche. La Française de 25 ans a signé son premier podium de la saison de biathlon derrière la Bélarusse Hanna Sola.

", - "content": "Justine Braisaz-Bouchet a terminé deuxième du sprint d'Hochfilzen ce vendredi en Autriche. La Française de 25 ans a signé son premier podium de la saison de biathlon derrière la Bélarusse Hanna Sola.

", + "title": "PSG-Monaco en direct: Thierry Henry fracasse le PSG sur le cas Mbappé", + "description": "Face à l'AS Monaco, Paris a parfaitement géré le choc grâce à un Mbappé très efficace et prend encore un peu plus le large en tête du championnat avec une victoire 2-0. L'ASM de son côté reste coincé en milieu de tableau.

", + "content": "Face à l'AS Monaco, Paris a parfaitement géré le choc grâce à un Mbappé très efficace et prend encore un peu plus le large en tête du championnat avec une victoire 2-0. L'ASM de son côté reste coincé en milieu de tableau.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-hochfilzen-braisaz-bouchet-sur-le-podium-du-sprint_AV-202112100342.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-le-choc-allechant-entre-le-psg-et-monaco_LS-202112120223.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 15:41:58 GMT", - "enclosure": "https://images.bfmtv.com/DH6ijJI9bPbgy7XtYl_loOLJ9kY=/0x106:2048x1258/800x0/images/Justine-Braisaz-Bouchet-sur-le-sprint-a-Hochfilzen-1185890.jpg", + "pubDate": "Sun, 12 Dec 2021 17:00:00 GMT", + "enclosure": "https://images.bfmtv.com/8WC9Dc6oLQ0tRaU0UIm7gXTjJn8=/0x210:2048x1362/800x0/images/Mbappe-et-Messi-tout-sourire-apres-le-double-du-Francais-1187163.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31441,19 +35895,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "948a250a0905923f6f7bf3fd7fe76dbd" + "hash": "f14b7f605bb4892051aa4b909933fde9" }, { - "title": "Aston Villa: Gerrard ne compte pas faire de cadeau à Liverpool", - "description": "Avec trois victoires et une défaite pour ses quatre premiers matchs sur le banc d’Aston Villa, Steven Gerrard effectue des bons débuts. Mais ce samedi, une rencontre spéciale l’attend car il affrontera son club de cœur: Liverpool. Un évènement sur lequel l’Anglais est revenu en conférence de presse.

", - "content": "Avec trois victoires et une défaite pour ses quatre premiers matchs sur le banc d’Aston Villa, Steven Gerrard effectue des bons débuts. Mais ce samedi, une rencontre spéciale l’attend car il affrontera son club de cœur: Liverpool. Un évènement sur lequel l’Anglais est revenu en conférence de presse.

", + "title": "Ligue des champions: le tirage au sort des 8es de finale en direct", + "description": "Le tirage au sort des 8es de finale de la Ligue des champions se déroule à Nyon, en Suisse, ce lundi à midi. Le PSG et Lille vont connaître l'identité de leurs adversaires. Toutes les infos en direct à ne surtout pas manquer sont dans le live RMC Sport.

", + "content": "Le tirage au sort des 8es de finale de la Ligue des champions se déroule à Nyon, en Suisse, ce lundi à midi. Le PSG et Lille vont connaître l'identité de leurs adversaires. Toutes les infos en direct à ne surtout pas manquer sont dans le live RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/aston-villa-gerrard-ne-compte-pas-faire-de-cadeau-a-liverpool_AV-202112100333.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions-le-tirage-au-sort-des-8es-de-finale-en-direct_LN-202112130087.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 15:23:43 GMT", - "enclosure": "https://images.bfmtv.com/jDT_dkHz_nnt0IYp9wy6X0mWeyw=/0x0:1008x567/800x0/images/-866725.jpg", + "pubDate": "Mon, 13 Dec 2021 07:04:32 GMT", + "enclosure": "https://images.bfmtv.com/5intaLIBwkrp4vnO6Rvv-UhkCdc=/15x209:1999x1325/800x0/images/Ligue-des-Champions-1063283.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31461,19 +35916,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c20a377601c0b081cb42f704450ded7" + "hash": "7bc24d9edec6ffc147f0eba35769fb5a" }, { - "title": "PSG: Mbappé élu meilleur joueur de la semaine en Ligue des champions", - "description": "Auteur d'une grande performance mardi soir lors de la victoire du PSG contre Bruges (4-1) avec un doublé et une passe décisive, Kylian Mbappé a été élu meilleur joueur de la semaine en Ligue des champions. Les Français Antoine Griezmann et Jonathan Ikoné étaient aussi dans la course.

", - "content": "Auteur d'une grande performance mardi soir lors de la victoire du PSG contre Bruges (4-1) avec un doublé et une passe décisive, Kylian Mbappé a été élu meilleur joueur de la semaine en Ligue des champions. Les Français Antoine Griezmann et Jonathan Ikoné étaient aussi dans la course.

", + "title": "Biarritz: \"Couzinet a hérité d’une situation catastrophique\", selon Aldigé", + "description": "Le patron du Biarritz Olympique, Jean-Baptiste Aldigé, a rencontré le président intérimaire de l’Association amateur David Couzinet vendredi dernier, dans un climat plus apaisé et constructif que ces dernières semaines. Pour RMC Sport, Aldigé se confie sur cette entrevue qui pourrait changer la donne, avec la perspective d’une nouvelle convention entre les deux parties, l’avenir de son club, l’abandon de la délocalisation mais aussi les critiques à son encontre. Avec la volonté de concrétiser rapidement le projet de rénovation du stade Aguilera.

", + "content": "Le patron du Biarritz Olympique, Jean-Baptiste Aldigé, a rencontré le président intérimaire de l’Association amateur David Couzinet vendredi dernier, dans un climat plus apaisé et constructif que ces dernières semaines. Pour RMC Sport, Aldigé se confie sur cette entrevue qui pourrait changer la donne, avec la perspective d’une nouvelle convention entre les deux parties, l’avenir de son club, l’abandon de la délocalisation mais aussi les critiques à son encontre. Avec la volonté de concrétiser rapidement le projet de rénovation du stade Aguilera.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-mbappe-elu-meilleur-joueur-de-la-semaine-en-ligue-des-champions_AV-202112100331.html", + "link": "https://rmcsport.bfmtv.com/rugby/biarritz-couzinet-a-herite-d-une-situation-catastrophique-selon-aldige_AN-202112130017.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 15:16:00 GMT", - "enclosure": "https://images.bfmtv.com/94BjD4HbF8sJ595RmmuXNGdBsVA=/0x106:2048x1258/800x0/images/Kylian-Mbappe-lors-de-PSG-Bruges-1183541.jpg", + "pubDate": "Mon, 13 Dec 2021 07:00:00 GMT", + "enclosure": "https://images.bfmtv.com/aTCmpsVkki3kiuJZy1b1zSFrlnU=/0x96:2048x1248/800x0/images/Jean-Baptiste-Aldige-1187184.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31481,19 +35937,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a373c5c0ea899b0019c6ffb54b89575a" + "hash": "ac06a09309e6017dc7ee9dfd7f3c222c" }, { - "title": "Top 14: Jaminet rejoindra Toulouse en fin de saison", - "description": "INFO RMC SPORT. L’arrière international français Melvyn Jaminet (22 ans, 6 sélections), révélation de l’année, a trouvé un accord avec le Stade Toulousain avec qui il évoluera les trois prochaines saisons.

", - "content": "INFO RMC SPORT. L’arrière international français Melvyn Jaminet (22 ans, 6 sélections), révélation de l’année, a trouvé un accord avec le Stade Toulousain avec qui il évoluera les trois prochaines saisons.

", + "title": "Mercato en direct: Gérard Piqué vers la retraite en fin de saison ?", + "description": "Alors que la trêve hivernale se rapproche, les clubs européens prospectent déjà sur des éléments pour renforcer leurs effectifs. Retrouvez en direct toutes les infos et rumeurs sur le marché des transferts dans notre live mercato.

", + "content": "Alors que la trêve hivernale se rapproche, les clubs européens prospectent déjà sur des éléments pour renforcer leurs effectifs. Retrouvez en direct toutes les infos et rumeurs sur le marché des transferts dans notre live mercato.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14-jaminet-rejoindra-toulouse-en-fin-de-saison_AV-202112100327.html", + "link": "https://rmcsport.bfmtv.com/football/mercato-en-direct-les-infos-et-rumeurs-du-13-decembre-2021_LN-202112130060.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 14:58:04 GMT", - "enclosure": "https://images.bfmtv.com/U9cz7a0ZzjcVHxU4CwYGALFdYH0=/0x71:2048x1223/800x0/images/Melvyn-JAMINET-1185877.jpg", + "pubDate": "Mon, 13 Dec 2021 06:29:19 GMT", + "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31501,19 +35958,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5542416cd4c802857884c301d3a4947" + "hash": "03b3df486f3c69e90bc5de5c0f66f55a" }, { - "title": "Bayern: le Covid ne devrait pas laisser de séquelles à Kimmich sur le long terme", - "description": "Julian Nagelsmann a donné ce vendredi des nouvelles de Joshua Kimmich, non vacciné et touché par le Covid. Selon son entraîneur, le joueur du Bayern souffre d'infiltrats pulmonaires, mais cela ne devrait pas lui laisser de séquelles.

", - "content": "Julian Nagelsmann a donné ce vendredi des nouvelles de Joshua Kimmich, non vacciné et touché par le Covid. Selon son entraîneur, le joueur du Bayern souffre d'infiltrats pulmonaires, mais cela ne devrait pas lui laisser de séquelles.

", + "title": "PSG: Henry fracasse la gestion du club pour l'avenir de Mbappé", + "description": "Thierry Henry a durement critiqué ce dimanche la manière dont le PSG a géré le dossier Mbappé. Selon l'ancien attaquant tricolore, le club francilien aurait dû prolonger son prodige depuis longtemps plutôt que de prendre le risque de voir partir libre lors du prochain mercato estival.

", + "content": "Thierry Henry a durement critiqué ce dimanche la manière dont le PSG a géré le dossier Mbappé. Selon l'ancien attaquant tricolore, le club francilien aurait dû prolonger son prodige depuis longtemps plutôt que de prendre le risque de voir partir libre lors du prochain mercato estival.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-le-covid-ne-devrait-pas-laisser-de-sequelles-a-kimmich-sur-le-long-terme_AD-202112100326.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-henry-fracasse-la-gestion-du-club-pour-l-avenir-de-mbappe_AV-202112130054.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 14:55:46 GMT", - "enclosure": "https://images.bfmtv.com/BFQs_eavJuyfK22ZFLbovb-lxLk=/0x33:768x465/800x0/images/Le-milieu-du-Bayern-Joshua-Kimmich-le-6-novembre-2021-a-Munich-en-Allemagne-1181376.jpg", + "pubDate": "Mon, 13 Dec 2021 06:19:41 GMT", + "enclosure": "https://images.bfmtv.com/IZ_fWG6RjhAH2HPe35x2CLBLzWQ=/4x85:1364x850/800x0/images/Thierry-Henry-1172448.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31521,19 +35979,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6ac9b8c6efe1994c8a5bf566ab6499b3" + "hash": "dbde8221dbc4254ac0246d003a0ff9f2" }, { - "title": "Les pronos hippiques du samedi 11 décembre 2021", - "description": "Le Quinté+ du samedi 11 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du samedi 11 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Ligue des champions: le meilleur et le pire tirage pour le PSG en huitième de finale", + "description": "Le PSG va découvrir l’identité de son adversaire en huitièmes de finale de Ligue des champions ce lundi, à midi, lors du tirage au sort (à suivre sur RMC Sport). N’étant pas tête de série, Paris peut s’attendre à un gros morceau.

", + "content": "Le PSG va découvrir l’identité de son adversaire en huitièmes de finale de Ligue des champions ce lundi, à midi, lors du tirage au sort (à suivre sur RMC Sport). N’étant pas tête de série, Paris peut s’attendre à un gros morceau.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-samedi-11-decembre-2021_AN-202112100325.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-meilleur-et-le-pire-tirages-pour-le-psg-en-huitieme-de-finale_AV-202112130015.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 14:53:06 GMT", - "enclosure": "https://images.bfmtv.com/N9V9yrwQ3JD7dchlTjwECSLZCwk=/1x35:337x224/800x0/images/Les-pronos-hippiques-du-samedi-11-decembre-2021-1185032.jpg", + "pubDate": "Mon, 13 Dec 2021 06:00:00 GMT", + "enclosure": "https://images.bfmtv.com/PZTLFA2EAZ6BuelVIHpsazOkjOw=/0x50:768x482/800x0/images/Les-stars-du-Paris-Saint-Germain-le-Francais-Kylian-Mbappe-centre-et-l-Argentin-Lionel-Messi-lors-du-match-entre-le-PSG-et-Bruges-au-Parc-des-Princes-a-Paris-le-7-decembre-2021-1184907.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31541,19 +36000,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "38565e58e72f90b0437fb0b599c6cd06" + "hash": "c52f0829fd959547ee8011b49ba2531e" }, { - "title": "OM: Sampaoli ne veut pas faire de \"promesse\" à Mandanda", - "description": "Alors qu'il a décidé de titulariser Steve Mandanda face au Lokomotiv Moscou jeudi en Ligue Europa, l'entraîneur de l'OM Jorge Sampaoli ne veut pas promettre au gardien de 36 ans une place de titulaire en Conference League et en Coupe de France.

", - "content": "Alors qu'il a décidé de titulariser Steve Mandanda face au Lokomotiv Moscou jeudi en Ligue Europa, l'entraîneur de l'OM Jorge Sampaoli ne veut pas promettre au gardien de 36 ans une place de titulaire en Conference League et en Coupe de France.

", + "title": "PSG-Monaco: Kovac prédit \"beaucoup de Ballons d'or\" à Mbappé", + "description": "Niko Kovac n'a pas manqué de saluer la prestation de Kylian Mbappé après la victoire du PSG contre Monaco (2-0) lors de la 18e journée de Ligue 1. L'entraîneur monégasque a rappelé que l'attaquant francilien, auteur d'un doublé contre son équipe, restait promis à un brillant avenir.

", + "content": "Niko Kovac n'a pas manqué de saluer la prestation de Kylian Mbappé après la victoire du PSG contre Monaco (2-0) lors de la 18e journée de Ligue 1. L'entraîneur monégasque a rappelé que l'attaquant francilien, auteur d'un doublé contre son équipe, restait promis à un brillant avenir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-sampaoli-ne-veut-pas-faire-de-promesse-a-mandanda_AV-202112100323.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-monaco-kovac-predit-beaucoup-de-ballons-d-or-a-mbappe_AV-202112130031.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 14:46:55 GMT", - "enclosure": "https://images.bfmtv.com/iaojv_fwSCtHsVsFBX3zOd5khP4=/0x99:2048x1251/800x0/images/Steve-MANDANDA-1161986.jpg", + "pubDate": "Mon, 13 Dec 2021 05:32:27 GMT", + "enclosure": "https://images.bfmtv.com/us_TmX_-hr_JvZZB3884SNV9Fxg=/0x106:2048x1258/800x0/images/Kylian-Mbappe-et-Niko-Kovac-lors-de-PSG-Monaco-en-Ligue-1-1187233.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31561,19 +36021,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c37c87c11778d644952b57f2a00b925d" + "hash": "f3067e3bcc4de8cbac83fedc32625c3d" }, { - "title": "Saint-Etienne: Dupraz favori, mais d'autres options sont à l'étude", - "description": "Dernier de Ligue 1, Saint-Etienne continue de chercher le bon profil pour succéder à Claude Puel. Si la balance penche du côté de Pascal Dupraz, l'ancien entraîneur du Téfécé est en concurrence avec David Guion et Frédéric Hantz. Les dirigeants stéphanois pourraient aussi faire confiance à Julien Sablé, qui sera sur le banc samedi à Reims.

", - "content": "Dernier de Ligue 1, Saint-Etienne continue de chercher le bon profil pour succéder à Claude Puel. Si la balance penche du côté de Pascal Dupraz, l'ancien entraîneur du Téfécé est en concurrence avec David Guion et Frédéric Hantz. Les dirigeants stéphanois pourraient aussi faire confiance à Julien Sablé, qui sera sur le banc samedi à Reims.

", + "title": "PSG: Pochettino défend son bilan et se compare aux autres grands d'Europe", + "description": "Le PSG a battu Monaco (2-0) ce dimanche en clôture de la 18e journée de Ligue 1. Solide leader du classement avec une seule défaite en championnat, le club francilien connait pourtant un début de saison mitigé dans le jeu. Pas de quoi inquiéter Mauricio Pochettino face à la presse qui a défendu les performances de son équipe.

", + "content": "Le PSG a battu Monaco (2-0) ce dimanche en clôture de la 18e journée de Ligue 1. Solide leader du classement avec une seule défaite en championnat, le club francilien connait pourtant un début de saison mitigé dans le jeu. Pas de quoi inquiéter Mauricio Pochettino face à la presse qui a défendu les performances de son équipe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-dupraz-favori-mais-d-autres-options-sont-a-l-etude_AV-202112100318.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-defend-son-bilan-et-se-compare-aux-autres-grands-d-europe_AV-202112130026.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 14:38:05 GMT", - "enclosure": "https://images.bfmtv.com/fx0B4hUbRRfePOfLuKyMvAWtzFE=/0x0:2048x1152/800x0/images/Pascal-Dupraz-1185840.jpg", + "pubDate": "Mon, 13 Dec 2021 05:10:01 GMT", + "enclosure": "https://images.bfmtv.com/10aUeoUS2Hq7UVPds9MgarA5klQ=/0x0:2048x1152/800x0/images/Mauricio-Pochettino-lors-de-PSG-Monaco-en-Ligue-1-1187228.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31581,19 +36042,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "05c4319a7c231626876b8e2899c6ac8d" + "hash": "d8f62e53ba62cffed492b0e0648ab3e4" }, { - "title": "Ligue Europa: Sampaoli peste contre le manque d'efficacité de l'OM", - "description": "Satisfait de la qualification de l’OM pour l'Europa Conference League grâce à la victoire contre le Lokomotiv Moscou jeudi (1-0), Jorge Sampaoli a malgré tout regretté la manque d’efficacité offensive de son équipe.

", - "content": "Satisfait de la qualification de l’OM pour l'Europa Conference League grâce à la victoire contre le Lokomotiv Moscou jeudi (1-0), Jorge Sampaoli a malgré tout regretté la manque d’efficacité offensive de son équipe.

", + "title": "Ligue des champions: à quelle heure et sur quelle chaîne suivre le tirage au sort des huitièmes", + "description": "Le PSG et le LOSC vont connaître l’identité de leurs adversaires en huitièmes de finale de Ligue des champions ce lundi, à midi. Le tirage au sort est à suivre sur RMC Sport 1.

", + "content": "Le PSG et le LOSC vont connaître l’identité de leurs adversaires en huitièmes de finale de Ligue des champions ce lundi, à midi. Le tirage au sort est à suivre sur RMC Sport 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-on-doit-s-ameliorer-dans-la-finition-dit-sampaoli_AV-202112090644.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-a-quelle-heure-et-sur-quelle-chaine-suivre-le-tirage-au-sort-des-huitiemes_AV-202112130014.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:27:23 GMT", - "enclosure": "https://images.bfmtv.com/SoEQ6LSzm1yEmP9-irbCsXAGfno=/0x28:1200x703/800x0/images/Jorge-Sampaoli-1179641.jpg", + "pubDate": "Mon, 13 Dec 2021 05:00:00 GMT", + "enclosure": "https://images.bfmtv.com/azev5rdv-pMURCjED7LVDohj2ms=/4x30:1876x1083/800x0/images/Neymar-et-Kylian-Mbappe-avec-le-PSG-en-Ligue-des-champions-1161291.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31601,39 +36063,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8d9057c24a1897cfe5d99ac30f3a8c9" + "hash": "353b43f638c844a6e00dba044429f358" }, { - "title": "Football féminin: \"Benfica veut un jour aller chercher une finale européenne\", Lacasse présente le projet du club lisboète", - "description": "Première buteuse de l’histoire du Benfica en Ligue des champions féminine, Cloé Lacasse s’est confiée à RMC Sport sur le projet du club lisboète qui découvre la compétition cette année. L’attaquante canadienne en dit plus sur les ambitions du Benfica, sèchement battu ce jeudi par l’OL (0-5) en phase de groupe, et l’évolution de la discipline au Portugal qui est en plein essor.

", - "content": "Première buteuse de l’histoire du Benfica en Ligue des champions féminine, Cloé Lacasse s’est confiée à RMC Sport sur le projet du club lisboète qui découvre la compétition cette année. L’attaquante canadienne en dit plus sur les ambitions du Benfica, sèchement battu ce jeudi par l’OL (0-5) en phase de groupe, et l’évolution de la discipline au Portugal qui est en plein essor.

", + "title": "PRONOS PARIS RMC Le nul du jour du 13 décembre – Liga – Espagne", + "description": "Notre pronostic : pas de vainqueur entre Cadix et Grenade (3.10)

", + "content": "Notre pronostic : pas de vainqueur entre Cadix et Grenade (3.10)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/ligue-des-champions/football-feminin-benfica-veut-un-jour-aller-chercher-une-finale-europeenne-lacasse-presente-le-projet-du-club-lisboete_AN-202112090640.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-13-decembre-liga-espagne_AN-202112120167.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:13:23 GMT", - "enclosure": "https://images.bfmtv.com/2y0-rlrdnY5jIvc42Sguvsjd8Mk=/0x48:1200x723/800x0/images/Benfica-1185416.jpg", + "pubDate": "Sun, 12 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/4-RsAH5gJxT2qeTNPO3xgG41Ytw=/0x239:2000x1364/800x0/images/A-Fernandez-1186985.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a2e15f4b17bdbd51229fcd695929706b" + "hash": "db999bd1469dcc8264dd7d9bb4bd08f4" }, { - "title": "PRONOS PARIS RMC Les paris du 10 décembre sur Nantes – Lens – Ligue 1", - "description": "Notre pronostic: Nantes ne perd pas contre Lens et les deux équipes marquent (2.25)

", - "content": "Notre pronostic: Nantes ne perd pas contre Lens et les deux équipes marquent (2.25)

", + "title": "PRONOS PARIS RMC Le pari sûr du 13 décembre – Série A - Italie", + "description": "Notre pronostic : l’AS Rome bat La Spezia (1.39)\n

", + "content": "Notre pronostic : l’AS Rome bat La Spezia (1.39)\n

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-10-decembre-sur-nantes-lens-ligue-1_AN-202112090337.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-13-decembre-serie-a-italie_AN-202112120166.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/h7Busuj1oHWbBlAr7S001uaDK8k=/0x104:2000x1229/800x0/images/Kolo-Muani-Nantes-1185022.jpg", + "pubDate": "Sun, 12 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/zgbhzZjOj-ZYoDJCnNbnZdddsLI=/15x0:1999x1116/800x0/images/AS-Rome-1186983.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31641,19 +36105,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4f2daab4073cefb5cc9481a240e448cb" + "hash": "a66a1e2470ee634dec351db15902c2f7" }, { - "title": "PRONOS PARIS RMC Le buteur du jour du 10 décembre – Ligue 1", - "description": "Notre pronostic: Ludovic Blas marque contre Lens (3.45)

", - "content": "Notre pronostic: Ludovic Blas marque contre Lens (3.45)

", + "title": "PSG: \"Je donne tout pour le club\", assure Mbappé après son doublé face à Monaco", + "description": "Auteur d’un doublé face à Monaco pour offrir la victoire au Paris Saint-Germain (2-0), ce dimanche en Ligue 1, Kylian Mbappé a assuré en interview qu’il \"donnait tout\" pour le succès de son club.

", + "content": "Auteur d’un doublé face à Monaco pour offrir la victoire au Paris Saint-Germain (2-0), ce dimanche en Ligue 1, Kylian Mbappé a assuré en interview qu’il \"donnait tout\" pour le succès de son club.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-10-decembre-ligue-1_AN-202112090336.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-je-donne-tout-pour-le-club-assure-mbappe-apres-son-double-face-a-monaco_AV-202112120299.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/nAVRRRzJzTm6NbIRIICdXhKjDXQ=/0x104:1984x1220/800x0/images/Ludovic-Blas-Nantes-1185017.jpg", + "pubDate": "Sun, 12 Dec 2021 22:47:42 GMT", + "enclosure": "https://images.bfmtv.com/wTrNj4sQ_DiZqKh6ljvaP3CQLUU=/0x55:2048x1207/800x0/images/Kylian-Mbappe-auteur-d-un-double-avec-le-PSG-1187198.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31661,19 +36126,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "51b427fe987708bf4746c80ce970cb2e" + "hash": "b47ea801fd772c94c52e7ff967102d25" }, { - "title": "PRONOS PARIS RMC Le nul du jour du 10 décembre – Série A - Italie", - "description": "Notre pronostic: match nul lors du derby de Gênes (3.10)

", - "content": "Notre pronostic: match nul lors du derby de Gênes (3.10)

", + "title": "Saint-Etienne: Dupraz tout proche du banc des Verts", + "description": "Neuf mois après sa dernière expérience sur un banc, Pascal Dupraz est tout proche de s’engager avec l’AS Saint-Étienne. L’officialisation pourrait arriver dans les prochains jours.

", + "content": "Neuf mois après sa dernière expérience sur un banc, Pascal Dupraz est tout proche de s’engager avec l’AS Saint-Étienne. L’officialisation pourrait arriver dans les prochains jours.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-10-decembre-serie-a-italie_AN-202112090333.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-dupraz-tout-proche-du-banc-des-verts_AV-202112120293.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/pjx5NCGKhW5VkUgCgksgxQ9OcTc=/0x76:2000x1201/800x0/images/Joie-de-la-Sampdoria-1185015.jpg", + "pubDate": "Sun, 12 Dec 2021 22:14:11 GMT", + "enclosure": "https://images.bfmtv.com/sP_rwZW6nj9nGRhzLvXGCE-22kQ=/7x108:1991x1224/800x0/images/-877049.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31681,19 +36147,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9276aa4eb711c039801d4c0d866c0a21" + "hash": "13cc4052e0bcaf4640a3521903a361d9" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 10 décembre – Jupiler League - Belgique", - "description": "Notre pronostic: Charleroi bat Ostende (1.47)

", - "content": "Notre pronostic: Charleroi bat Ostende (1.47)

", + "title": "Real Madrid-Atlético: le Real frappe un grand coup grâce à Benzema et Vinicius", + "description": "Le Real Madrid s'impose 2-0 face à l'Atlético de Madrid sur la pelouse de Bernabeu ce dimanche, pour la 17e journée de Liga. Des buts de Karim Benzema et Marco Asensio, sur des passes décisives de Vinicius, ont permis aux Merengue de sceller leur première place.

", + "content": "Le Real Madrid s'impose 2-0 face à l'Atlético de Madrid sur la pelouse de Bernabeu ce dimanche, pour la 17e journée de Liga. Des buts de Karim Benzema et Marco Asensio, sur des passes décisives de Vinicius, ont permis aux Merengue de sceller leur première place.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-10-decembre-jupiler-league-belgique_AN-202112090331.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-atletico-le-real-s-impose-tranquillement-grace-a-benzema-et-vinicius_AV-202112120290.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/zVp_vYx4uhEyiAeSyi3D1YNN8Ig=/0x104:2000x1229/800x0/images/Shamar-Nicholson-Charleroi-1185012.jpg", + "pubDate": "Sun, 12 Dec 2021 22:02:26 GMT", + "enclosure": "https://images.bfmtv.com/56L2HMq6c41hY35Axcut9h4Zbo0=/0x80:2032x1223/800x0/images/Karim-Benzema-et-Ferland-Mendy-face-a-l-Atletico-de-Madrid-1187167.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31701,19 +36168,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1e130b1a620255524b68fbfaae99a5f" + "hash": "83864c3b2d3c0fe8ca12790f62b77766" }, { - "title": "Liga: le Barça perd Depay et Alba sur blessures", - "description": "Le Barça a indiqué jeudi que Memphis Depay et Jordi Alba souffraient tous les deux de blessures musculaires contractées la veille lors de la défaite des Catalans contre le Bayern (3-0) en Ligue des champions. La durée de leurs indisponibilités n’a pas été précisée.

", - "content": "Le Barça a indiqué jeudi que Memphis Depay et Jordi Alba souffraient tous les deux de blessures musculaires contractées la veille lors de la défaite des Catalans contre le Bayern (3-0) en Ligue des champions. La durée de leurs indisponibilités n’a pas été précisée.

", + "title": "PSG-Monaco: un petit Paris se repose sur le talent de Mbappé", + "description": "Le PSG, vainqueur de Monaco ce dimanche (2-0) grâce à un doublé de Kylian Mbappé, a creusé l'écart en tête de la Ligue 1 à l'issue de la 18e journée. Mais la prestation livrée par les Parisiens n'a pas été réellement à la hauteur du résultat.

", + "content": "Le PSG, vainqueur de Monaco ce dimanche (2-0) grâce à un doublé de Kylian Mbappé, a creusé l'écart en tête de la Ligue 1 à l'issue de la 18e journée. Mais la prestation livrée par les Parisiens n'a pas été réellement à la hauteur du résultat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-barca-perd-depay-et-alba-sur-blessures_AV-202112090631.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-monaco-un-petit-paris-se-repose-sur-le-talent-de-mbappe_AV-202112120288.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:47:17 GMT", - "enclosure": "https://images.bfmtv.com/tuejoQGtda_e0GIt7V8En1ZqJ4M=/0x153:2048x1305/800x0/images/Jordi-Alba-face-au-Bayern-Munich-en-Ligue-des-champions-1185404.jpg", + "pubDate": "Sun, 12 Dec 2021 21:50:51 GMT", + "enclosure": "https://images.bfmtv.com/8mZB2JWvZdSD86Zqn0ajZHkORFo=/0x125:1200x800/800x0/images/Kylian-Mbappe-1187168.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31721,39 +36189,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "9d925158b1396109f07218a2f7e7c592" + "hash": "6ff7a93e6bf2cb0c3c9bceb3ec190db7" }, { - "title": "Ligue Europa: les adversaires potentiels du Barça en barrage", - "description": "Eliminé de la Ligue des champions, le Barça a été repêché mercredi en Ligue Europa. Une C3 que les Catalans débuteront en février lors d’un barrage. Avec six adversaires potentiels.

", - "content": "Eliminé de la Ligue des champions, le Barça a été repêché mercredi en Ligue Europa. Une C3 que les Catalans débuteront en février lors d’un barrage. Avec six adversaires potentiels.

", + "title": "Mercato en direct: Dupraz tout proche du banc de Saint-Etienne", + "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", + "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-les-adversaires-potentiels-du-barca-en-barrage_AV-202112090630.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:44:12 GMT", - "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", + "pubDate": "Fri, 10 Dec 2021 07:01:00 GMT", + "enclosure": "https://images.bfmtv.com/aNR6oAsL0c1DipMTCTeC-47NqDQ=/0x67:2000x1192/800x0/images/-879222.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a0498d7db5d391ea41791b2f8e5c46f" + "hash": "e4c37947c83363f7fbfbb3437e9c27c9" }, { - "title": "Ligue des champions féminine: l'OL surclasse le Benfica et se qualifie pour les quarts", - "description": "Les Lyonnaises ont largement battu le Benfica jeudi soir en Ligue des champions féminine (5-0). Avant même la dernière journée de la phase de groupe, elles décrochent leur ticket pour les quarts de finale de la compétition.

", - "content": "Les Lyonnaises ont largement battu le Benfica jeudi soir en Ligue des champions féminine (5-0). Avant même la dernière journée de la phase de groupe, elles décrochent leur ticket pour les quarts de finale de la compétition.

", + "title": "PSG-Monaco: les statistiques folles de Kylian Mbappé, auteur de son 100e but avec Paris", + "description": "En inscrivant un doublé face à l’AS Monaco (2-0), ce dimanche, Kylian Mbappé a signé son 100e but en Ligue 1 avec le PSG. Avant lui, seuls deux joueurs avaient dépassé cette barre: Edinson Cavani et Zlatan Ibrahimovic.

", + "content": "En inscrivant un doublé face à l’AS Monaco (2-0), ce dimanche, Kylian Mbappé a signé son 100e but en Ligue 1 avec le PSG. Avant lui, seuls deux joueurs avaient dépassé cette barre: Edinson Cavani et Zlatan Ibrahimovic.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/ligue-des-champions-feminine-l-ol-surclasse-le-benfica-et-se-qualifie-pour-les-quarts_AN-202112090619.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-les-statistiques-folles-de-kylian-mbappe-auteur-de-son-100e-but-avec-le-psg_AV-202112120287.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:27:15 GMT", - "enclosure": "https://images.bfmtv.com/tGurMJq-CIOhlq45IoXzdtRBpbg=/0x205:2048x1357/800x0/images/Ada-Hegerberg-a-inscrit-un-double-contre-le-Benfica-1185390.jpg", + "pubDate": "Sun, 12 Dec 2021 21:41:07 GMT", + "enclosure": "https://images.bfmtv.com/Hw1fwRIxyLTlGgtNwqiLoa6h94Y=/0x0:2048x1152/800x0/images/Ruben-Aguilar-et-Kylian-Mbappe-1186870.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31761,19 +36231,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d18e7384d2086be800a77e32eebbe100" + "hash": "6d4bc0dde1ebe559366e2e5318b82e11" }, { - "title": "Ligue des champions en direct: les adversaires potentiels du Barça en barrage de la Ligue Europa", - "description": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", - "content": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", + "title": "F1: réclamations rejetées pour Mercedes, qui fait appel", + "description": "La réclamation de Mercedes, portant sur le dernier tour du Grand Prix d'Abu Dhabi ayant permis à Max Verstappen d'être sacré champion du monde, a été rejetée par les commissaires. L'écurie de Lewis Hamilton a fait appel.

", + "content": "La réclamation de Mercedes, portant sur le dernier tour du Grand Prix d'Abu Dhabi ayant permis à Max Verstappen d'être sacré champion du monde, a été rejetée par les commissaires. L'écurie de Lewis Hamilton a fait appel.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-multiplex-en-direct_LS-202112080539.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-reclamations-rejetees-pour-mercedes-qui-fait-appel_AV-202112120279.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:14:34 GMT", - "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", + "pubDate": "Sun, 12 Dec 2021 20:08:57 GMT", + "enclosure": "https://images.bfmtv.com/nI3adZqZXAHtWq1z73Z8EjKh9Zk=/0x39:768x471/800x0/images/Le-septuple-champion-du-monde-de-Formule-1-le-Britannique-Lewis-Hamilton-felicite-le-Neerlandais-Max-Verstappen-apres-sa-victoire-dans-le-Grand-Prix-d-Abou-Dhabi-et-son-1er-titre-mondial-le-12-decembre-2021-1187038.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31781,59 +36252,62 @@ "favorite": false, "created": false, "tags": [], - "hash": "695db7968e6e1521c8bc7688cc0f234b" + "hash": "48218fa084e0052f11c06d74de2cf582" }, { - "title": "Ligue Europa: quels adversaires potentiels pour l'OL et Monaco en 8es ? Tous les qualifiés pour les barrages et la phase finale", - "description": "A l'issue de la sixième et dernière journée de la phase de groupes disputée ce jeudi, les qualifiés pour les huitièmes de finale et les barrages de la Ligue Europa sont désormais connues. Lyon et Monaco seront les deux représentants français, avec une place déjà acquise pour les 8es.

", - "content": "A l'issue de la sixième et dernière journée de la phase de groupes disputée ce jeudi, les qualifiés pour les huitièmes de finale et les barrages de la Ligue Europa sont désormais connues. Lyon et Monaco seront les deux représentants français, avec une place déjà acquise pour les 8es.

", + "title": "Champions Cup: défaite de Castres contre les Harlequins, avec bonus défensif", + "description": "Pas de victoire pour Castres, qui se sera battu jusqu'au bout ce dimanche face aux Harlequins en Champions Cup. Les hommes de Broncan s'inclinent finalement 18 à 20 à domicile.

", + "content": "Pas de victoire pour Castres, qui se sera battu jusqu'au bout ce dimanche face aux Harlequins en Champions Cup. Les hommes de Broncan s'inclinent finalement 18 à 20 à domicile.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-quels-adversaires-potentiels-pour-l-ol-et-monaco-en-8es-tous-les-qualifies-pour-les-barrages-et-la-phase-finale_AV-202112090611.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-defaite-de-castres-contre-les-harlequins-avec-bonus-defensif_AD-202112120276.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:10:46 GMT", - "enclosure": "https://images.bfmtv.com/R5obYlnRfgYjpaVYgweg29xz88I=/258x363:2018x1353/800x0/images/Lyon-1185350.jpg", + "pubDate": "Sun, 12 Dec 2021 20:00:36 GMT", + "enclosure": "https://images.bfmtv.com/vTBFRgIbyjlNW2vHrWp6wQqyaBE=/0x14:2048x1166/800x0/images/Castres-face-aux-Harlequins-1187154.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "236623815a9d9e9ed239b847292b6835" + "hash": "03e94e0b89035db0c77380ce7ca6af7c" }, { - "title": "Europa Conference League: les adversaires potentiels de l’OM en barrage", - "description": "Victorieux du Lokomotiv Moscou (1-0) ce jeudi lors de la dernière journée de Ligue Europa, l’OM a assuré son repêchage en Europa Conference League. Il passera par un barrage face à l’un des deuxièmes de la C4.

", - "content": "Victorieux du Lokomotiv Moscou (1-0) ce jeudi lors de la dernière journée de Ligue Europa, l’OM a assuré son repêchage en Europa Conference League. Il passera par un barrage face à l’un des deuxièmes de la C4.

", + "title": "Osasuna-Barça: quand Dembélé ne comprend pas qu'il a été remplacé", + "description": "Alors que le Français Ousmane Dembélé se tenait la jambe, Xavi l’a remplacé par Coutinho lors du match nul du Barça contre Osasuna, sans que le principal intéressé ne s’en aperçoive. Dembélé a dû être arrêté alors qu’il tentait de retourner sur la pelouse.

", + "content": "Alors que le Français Ousmane Dembélé se tenait la jambe, Xavi l’a remplacé par Coutinho lors du match nul du Barça contre Osasuna, sans que le principal intéressé ne s’en aperçoive. Dembélé a dû être arrêté alors qu’il tentait de retourner sur la pelouse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-les-adversaires-potentiels-de-l-om-en-barrage_AV-202112090607.html", + "link": "https://rmcsport.bfmtv.com/football/liga/osasuna-barca-quand-dembele-ne-comprend-pas-qu-il-a-ete-remplace_AV-202112120274.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:05:31 GMT", - "enclosure": "https://images.bfmtv.com/dBKfbs5PP_l1sPAeRnzPei1N9Bs=/0x40:768x472/800x0/images/La-joie-du-milieu-de-terrain-bresilien-de-Marseille-Gerson-felicite-par-son-coequipier-Amine-Harit-apres-avoir-ouvert-le-score-a-domicile-contre-Brest-lors-de-la-17e-journee-de-Ligue-1-le-4-decembre-2021-au-Stade-Velodrome-1181755.jpg", + "pubDate": "Sun, 12 Dec 2021 19:53:11 GMT", + "enclosure": "https://images.bfmtv.com/aJBYcqzRyyhiUG4s-GqcelqQoGw=/0x0:1200x675/800x0/images/Ousmane-Dembele-1187153.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "abb51d064a57f65bd4ca9962610965c0" + "hash": "e2ebbe48b97ebaa0fdf9f9f4bce0b708" }, { - "title": "Ligue Europa: l’OM domine le Lokomotiv Moscou et décroche son repêchage en Europa Conference League", - "description": "Vainqueur du Lokomotiv Moscou jeudi soir (1-0), l’OM termine troisième de son groupe en Ligue Europa. Les Marseillais sont donc reversés en Europa Conference League.

", - "content": "Vainqueur du Lokomotiv Moscou jeudi soir (1-0), l’OM termine troisième de son groupe en Ligue Europa. Les Marseillais sont donc reversés en Europa Conference League.

", + "title": "Grand Prix d'Abu Dhabi en direct: les réclamations de Mercedes rejetées, Verstappen sacré", + "description": "La saison de Formule 1 s'achève ce dimanche avec le Grand Prix d'Abu Dhabi (départ à 14h), épilogue d'un duel d'anthologie entre Max Verstappen (Red Bull) et Lewis Hamilton (Mercedes), à égalité parfaite dans la course au titre de champion du monde.

", + "content": "La saison de Formule 1 s'achève ce dimanche avec le Grand Prix d'Abu Dhabi (départ à 14h), épilogue d'un duel d'anthologie entre Max Verstappen (Red Bull) et Lewis Hamilton (Mercedes), à égalité parfaite dans la course au titre de champion du monde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-l-om-domine-le-lokomotiv-moscou-et-decroche-son-repechage-en-europa-conference-league_AV-202112090603.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/formule-1-suivez-en-direct-le-grand-prix-d-abu-dhabi-dernier-duel-entre-verstappen-et-hamilton_LN-202112120014.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:00:06 GMT", - "enclosure": "https://images.bfmtv.com/6glcF8TDN4vCBG0NuSKqrxydrFQ=/0x42:2048x1194/800x0/images/Grace-a-un-but-de-Milik-l-OM-s-est-impose-conter-le-Lokomotiv-Moscou-1185368.jpg", + "pubDate": "Sun, 12 Dec 2021 08:22:23 GMT", + "enclosure": "https://images.bfmtv.com/Q1xOsughxNqoPfrwA9O0f7k9PXs=/0x93:1840x1128/800x0/images/Max-Verstappen-1187008.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31841,19 +36315,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7eac4cd1b662e79e70d930991a7dcda" + "hash": "1892cd80d119cbf6955f87a7a9c586ce" }, { - "title": "Euroligue: nouvelle défaite pour l'Asvel face à Vitoria", - "description": "Villeurbanne a chuté face à Vitoria (91-66) ce jeudi lors de la 14e journée d'Euroligue, mais reste aux portes du top 8 qualificatif pour les play-offs.

", - "content": "Villeurbanne a chuté face à Vitoria (91-66) ce jeudi lors de la 14e journée d'Euroligue, mais reste aux portes du top 8 qualificatif pour les play-offs.

", + "title": "Real-Atlético en direct: les Merengue s'offrent les Colchoneros et s'envolent en tête!", + "description": "Revivez dans les conditions du direct la victoire du Real Madrid contre l'Atlético de Madrid (2-0), dans le cadre de la 17e journée de Liga.

", + "content": "Revivez dans les conditions du direct la victoire du Real Madrid contre l'Atlético de Madrid (2-0), dans le cadre de la 17e journée de Liga.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroligue-nouvelle-defaite-pour-l-asvel-face-a-vitoria_AV-202112090600.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-atletico-en-direct-les-merengue-peuvent-prendre-le-large-en-tete_LS-202112120266.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 21:49:33 GMT", - "enclosure": "https://images.bfmtv.com/I5hcqPDjv_y1CEbbzyu6-khML8Q=/0x0:2048x1152/800x0/images/T-J-PARKER-1185367.jpg", + "pubDate": "Sun, 12 Dec 2021 18:55:56 GMT", + "enclosure": "https://images.bfmtv.com/_8M4UwzOy_jdWisnzZ-jzyiKJV0=/0x99:2048x1251/800x0/images/Benzema-1174670.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31861,19 +36336,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5356e53d9c02ff1920f7a648faf0a5c8" + "hash": "3479656829da042ca4aca72e709326b1" }, { - "title": "Accusé d'agression sexuelle, Pierre Ménès sera jugé le 8 juin annonce son avocat", - "description": "L'ancien chroniqueur de Canal+, Pierre Ménès, visé par une enquête pour agression sexuelle, est sorti de garde à vue ce jeudi soir. Il est convoqué devant le tribunal correctionnel le 8 juin pour y être jugé de ces faits selon son avocat.

", - "content": "L'ancien chroniqueur de Canal+, Pierre Ménès, visé par une enquête pour agression sexuelle, est sorti de garde à vue ce jeudi soir. Il est convoqué devant le tribunal correctionnel le 8 juin pour y être jugé de ces faits selon son avocat.

", + "title": "PSG-Monaco en direct: Mbappé offre une nouvelle victoire tranquille à Paris", + "description": "Face à l'AS Monaco, Paris a parfaitement géré le choc grâce à un Mbappé très efficace et prend encore un peu plus le large en tête du championnat avec une victoire 2-0. L'ASM de son côté reste coincé en milieu de tableau.

", + "content": "Face à l'AS Monaco, Paris a parfaitement géré le choc grâce à un Mbappé très efficace et prend encore un peu plus le large en tête du championnat avec une victoire 2-0. L'ASM de son côté reste coincé en milieu de tableau.

", "category": "", - "link": "https://rmcsport.bfmtv.com/societe/accuse-d-agression-sexuelle-pierre-menes-sera-juge-le-8-juin-affirme-son-avocat_AV-202112090593.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-le-choc-allechant-entre-le-psg-et-monaco_LS-202112120223.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 21:21:48 GMT", - "enclosure": "https://images.bfmtv.com/JwRfTvMKyAklKOdqgUkmsnzj1og=/0x106:1200x781/800x0/images/-880895.jpg", + "pubDate": "Sun, 12 Dec 2021 17:00:00 GMT", + "enclosure": "https://images.bfmtv.com/8WC9Dc6oLQ0tRaU0UIm7gXTjJn8=/0x210:2048x1362/800x0/images/Mbappe-et-Messi-tout-sourire-apres-le-double-du-Francais-1187163.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31881,19 +36357,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "712d73f06f241598ef0d85a1ba7f9526" + "hash": "48b0041979df080c132de665397708e0" }, { - "title": "Mondial de hand: les Françaises maîtrisent la Pologne au tour principal", - "description": "Les Françaises ont très bien débuté le tour principal du Mondial en s’imposant facilement contre la Pologne jeudi soir (26-16). En cas de victoire face aux Serbes samedi, les Bleues assureraient leur qualification en quart de finale.

", - "content": "Les Françaises ont très bien débuté le tour principal du Mondial en s’imposant facilement contre la Pologne jeudi soir (26-16). En cas de victoire face aux Serbes samedi, les Bleues assureraient leur qualification en quart de finale.

", + "title": "PSG-Monaco, les compos: Bernat de retour, Di Maria profite de l'absence de Neymar", + "description": "Contre Monaco ce dimanche (20h45), en Ligue 1, Mauricio Pochettino a constitué la même équipe que celle qui s'est imposé contre Bruges en Ligue des champions, mardi, à l'exception de Juan Bernat qui remplace Nuno Mendes.

", + "content": "Contre Monaco ce dimanche (20h45), en Ligue 1, Mauricio Pochettino a constitué la même équipe que celle qui s'est imposé contre Bruges en Ligue des champions, mardi, à l'exception de Juan Bernat qui remplace Nuno Mendes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-les-francaises-maitrisent-la-pologne-au-tour-principal_AV-202112090589.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-monaco-les-compos-bernat-de-retour-di-maria-profite-de-l-absence-de-neymar_AV-202112120264.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 21:14:02 GMT", - "enclosure": "https://images.bfmtv.com/uCUNF9MxwWGtGmLVxB6pX1rchU8=/0x52:2048x1204/800x0/images/Pauletta-Foppa-et-les-Bleues-se-sont-imposes-contre-la-Pologne-1185348.jpg", + "pubDate": "Sun, 12 Dec 2021 18:53:47 GMT", + "enclosure": "https://images.bfmtv.com/98BlJfR-anwpYLaaW9GzFFA7MmE=/0x126:1200x801/800x0/images/Achraf-Hakimi-Kylian-Mbappe-et-Lionel-Messi-1187077.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31901,19 +36378,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8072a32573578d64668cd2370fb3e1b5" + "hash": "4b542bc59f8a0206f887aec3672a2169" }, { - "title": "Sturm Graz-Monaco: l'ASM, remaniée et rajeunie, accrochée en Autriche", - "description": "Déjà qualifié pour les 8es de finale de la Ligue Europa, Monaco a concédé le match nul ce jeudi au Sturm Graz (1-1). Un match marqué par les nombreux changements apportés par Niko Kovac dans son onze de départ.

", - "content": "Déjà qualifié pour les 8es de finale de la Ligue Europa, Monaco a concédé le match nul ce jeudi au Sturm Graz (1-1). Un match marqué par les nombreux changements apportés par Niko Kovac dans son onze de départ.

", + "title": "Manchester United, Aston Villa, Tottenham... flambée de cas de Covid-19 en Premier League", + "description": "Après Tottenham début de semaine, Manchester United et Aston Villa comptent eux aussi des cas de Covid-19 au sein de leur effectif. Un début d'hécatombe en Premier League, dans le contexte d'un calendrier dantesque.

", + "content": "Après Tottenham début de semaine, Manchester United et Aston Villa comptent eux aussi des cas de Covid-19 au sein de leur effectif. Un début d'hécatombe en Premier League, dans le contexte d'un calendrier dantesque.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/sturm-graz-monaco-l-asm-remaniee-et-rajeunie-accrochee-en-autriche_AD-202112090578.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-aston-villa-tottenham-flambee-de-cas-de-covid-19-en-premier-league_AV-202112120258.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:31:45 GMT", - "enclosure": "https://images.bfmtv.com/or8XqNr84kWS3n94pFko2af_qL8=/0x62:768x494/800x0/images/L-AS-Monaco-avec-une-equipe-profondement-remaniee-a-ramene-un-resultat-nul-1-1-de-Graz-en-Ligue-Europa-le-9-decembre-2021-1185332.jpg", + "pubDate": "Sun, 12 Dec 2021 18:42:47 GMT", + "enclosure": "https://images.bfmtv.com/i0y5Jpy1f-FznwsZLwoFCGCtWl8=/0x107:2048x1259/800x0/images/Tottenham-1187097.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31921,19 +36399,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf9134b1a9a6ec18d756fbca5abe6580" + "hash": "714218511c85a4c8862f4c7e18939c5e" }, { - "title": "Ligue des champions: Villarreal dernier qualifié, les adversaires potentiels du PSG et de Lille en huitièmes", - "description": "Qualifiés mercredi pour les huitièmes de finale de Ligue des champions, les Lillois attendent désormais le tirage au sort de lundi pour connaître leur futur adversaire. Une équipe s’est ajoutée jeudi soir à la liste des candidats: Villarreal.

", - "content": "Qualifiés mercredi pour les huitièmes de finale de Ligue des champions, les Lillois attendent désormais le tirage au sort de lundi pour connaître leur futur adversaire. Une équipe s’est ajoutée jeudi soir à la liste des candidats: Villarreal.

", + "title": "Grand Prix d’Abu Dhabi: Ocon dévoile ses envies de titre après la bataille Verstappen-Hamilton", + "description": "Esteban Ocon a terminé neuvième du Grand Prix d’Abu Dhabi, ultime étape de la saison de F1 ce dimanche. Invité de RMC, le pilote français de l’équipe Alpine a savouré la bataille pour le titre entre Max Verstappen et Lewis Hamilton et compte bien s’y mêler dans le futur.

", + "content": "Esteban Ocon a terminé neuvième du Grand Prix d’Abu Dhabi, ultime étape de la saison de F1 ce dimanche. Invité de RMC, le pilote français de l’équipe Alpine a savouré la bataille pour le titre entre Max Verstappen et Lewis Hamilton et compte bien s’y mêler dans le futur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-villarreal-dernier-qualifie-les-adversaires-potentiels-de-lille-en-huitiemes_AV-202112090571.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/grand-prix-d-abu-dhabi-ocon-devoile-ses-envies-de-titre-apres-la-bataille-verstappen-hamilton_AV-202112120252.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:10:32 GMT", - "enclosure": "https://images.bfmtv.com/RJGoAoXxGtEp5wkTQoj17mrDKCg=/14x0:2046x1143/800x0/images/Les-Lillois-apres-leur-victoire-a-Wolfsburg-1185324.jpg", + "pubDate": "Sun, 12 Dec 2021 18:29:36 GMT", + "enclosure": "https://images.bfmtv.com/fJuzGH3ukLcKFjBAKZRaFXXifG8=/0x58:2048x1210/800x0/images/Esteban-Ocon-1187103.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31941,19 +36420,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f162604dd5a85fe68672c25c197a701f" + "hash": "8b227cef7f038bc20448daf25afe39d8" }, { - "title": "Incidents OL-OM: Marseille estime que les sanctions ne sont pas à la hauteur", - "description": "Mercredi, la commission de discipline de la LFP a rendu son verdict après les incidents lors d’OL-OM, avec notamment le match à rejouer et un point de retrait pour Lyon. Des sanctions qui ne contentent pas le club phocéen.

", - "content": "Mercredi, la commission de discipline de la LFP a rendu son verdict après les incidents lors d’OL-OM, avec notamment le match à rejouer et un point de retrait pour Lyon. Des sanctions qui ne contentent pas le club phocéen.

", + "title": "PSG-Monaco: un flocage spécial pour les Parisiens, en hommage au Ballon d'or de Messi", + "description": "Les joueurs du PSG vont arborer un flocage Ballon d’or sur leur maillot face à l’AS Monaco, dimanche soir (20h45), lors de la 18e journée de Ligue 1.

", + "content": "Les joueurs du PSG vont arborer un flocage Ballon d’or sur leur maillot face à l’AS Monaco, dimanche soir (20h45), lors de la 18e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-marseille-estime-que-les-sanctions-ne-sont-pas-a-la-hauteur_AV-202112090567.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-monaco-un-flocage-special-pour-les-parisiens-en-hommage-au-ballon-d-or-de-messi_AV-202112120241.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:00:10 GMT", - "enclosure": "https://images.bfmtv.com/4fiMuUAXnCSxgg3cOrzhXoN89UY=/0x146:2048x1298/800x0/images/OL-OM-1184497.jpg", + "pubDate": "Sun, 12 Dec 2021 18:12:20 GMT", + "enclosure": "https://images.bfmtv.com/f-r9QCmrQ_93F6tlt0lpa9jIAUE=/0x33:1200x708/800x0/images/Lionel-Messi-1187092.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31961,19 +36441,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "62085a5bc06b970fb3f8a0cf6e5249b6" + "hash": "8c35b7c69eed79db17ec4bc4c9cf07f7" }, { - "title": "Ligue Europa: l'OL se contente d'un triste nul face aux Rangers", - "description": "Déjà qualifiés pour les huitièmes de finale de la Ligue Europa, et assurés de terminer en tête de leur groupe, les Lyonnais voulaient profiter de la réception des Rangers pour se rassurer après des résultats décevants en Ligue 1. Mais ils ont dû se contenter d'un nul (1-1) à domicile.

", - "content": "Déjà qualifiés pour les huitièmes de finale de la Ligue Europa, et assurés de terminer en tête de leur groupe, les Lyonnais voulaient profiter de la réception des Rangers pour se rassurer après des résultats décevants en Ligue 1. Mais ils ont dû se contenter d'un nul (1-1) à domicile.

", + "title": "Strasbourg-OM: les Marseillais arrachent un succès précieux avec un bijou acrobatique de Dieng", + "description": "Sans briller, l’OM a mis fin à la bonne passe de Strasbourg (2-0), avec un but somptueux de Bamba Dieng, pour se hisser à la deuxième place de Ligue 1, ce dimanche.

", + "content": "Sans briller, l’OM a mis fin à la bonne passe de Strasbourg (2-0), avec un but somptueux de Bamba Dieng, pour se hisser à la deuxième place de Ligue 1, ce dimanche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-l-ol-se-contente-d-un-triste-nul-face-aux-rangers_AV-202112090557.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/strasbourg-om-les-marseillais-arrachent-un-succes-precieux-avec-un-bijou-acrobatique-de-dieng_AV-202112120237.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:42:36 GMT", - "enclosure": "https://images.bfmtv.com/_8vT2jfW1cUvuKAvRa4zfab3mEM=/0x51:2048x1203/800x0/images/Lyon-Rangers-1185303.jpg", + "pubDate": "Sun, 12 Dec 2021 18:06:20 GMT", + "enclosure": "https://images.bfmtv.com/VVnvfUDpXgmJzKTeQ615h9Ho4d0=/0x93:2048x1245/800x0/images/Bamba-Dieng-celebre-son-but-acrobatique-1187099.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -31981,19 +36462,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "36c78388b238bc480d6c3aabf339c05b" + "hash": "a29398cda8bd3d9d55182f4ca64d5527" }, { - "title": "Premier League: après Rennes, le match de Tottenham à Brighton aussi reporté", - "description": "Touché par le Covid-19, Tottenham a obtenu jeudi le report de son match prévu dimanche contre Brighton en Premier League. Jeudi, l’UEFA avait tardivement officialisé le report de la rencontre des Spurs contre Rennes en Europa Conference League.

", - "content": "Touché par le Covid-19, Tottenham a obtenu jeudi le report de son match prévu dimanche contre Brighton en Premier League. Jeudi, l’UEFA avait tardivement officialisé le report de la rencontre des Spurs contre Rennes en Europa Conference League.

", + "title": "Champions Cup: La Rochelle réussit ses débuts mais perd Retière", + "description": "Sans être flamboyants, les joueurs de La Rochelle ont fait le travail pour s'imposer à domicile contre les Glasgow Warriors ce dimanche (20-13), dans le cadre de la première journée de Champions Cup. Mais les Rochelais ont perdu Arthur Retière, sorti sur civière.

", + "content": "Sans être flamboyants, les joueurs de La Rochelle ont fait le travail pour s'imposer à domicile contre les Glasgow Warriors ce dimanche (20-13), dans le cadre de la première journée de Champions Cup. Mais les Rochelais ont perdu Arthur Retière, sorti sur civière.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-apres-rennes-le-match-de-tottenham-a-brighton-aussi-reporte_AV-202112090554.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-la-rochelle-reussit-ses-debuts-mais-perd-retiere_AD-202112120234.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:39:19 GMT", - "enclosure": "https://images.bfmtv.com/R8LfLNCUZykzY4JytnytldcuMcg=/0x25:2048x1177/800x0/images/Tottenham-face-a-Norwich-le-5-decembre-1185307.jpg", + "pubDate": "Sun, 12 Dec 2021 17:34:00 GMT", + "enclosure": "https://images.bfmtv.com/CFZg2DcBqErB-gHnq_nAVI2pMWc=/0x17:2048x1169/800x0/images/Eneriko-Buliruarua-auteur-du-deuxieme-essai-de-La-Rochelle-en-Champions-Cup-1187081.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32001,39 +36483,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "e85cf4bb577862207d067111da9e03c2" + "hash": "8049a2a38d6819ab314eec952e706193" }, { - "title": "Affaire Agnel: ce que l'on sait après la garde à vue de Yannick Agnel pour des faits supposés de viol sur mineure", - "description": "L'ancien nageur de 29 ans Yannick Agnel, double champion olympique en 2012 a été interpellé ce jeudi dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été placé en garde à vue à Mulhouse.

", - "content": "L'ancien nageur de 29 ans Yannick Agnel, double champion olympique en 2012 a été interpellé ce jeudi dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été placé en garde à vue à Mulhouse.

", + "title": "Grand Prix d’Abu Dhabi: gros coup de gueule de Panis contre la direction de course", + "description": "Olivier Panis a durement taclé les décisions prises par les officiels lors du GP d’Abu Dhabi remporté par Max Verstappen. Au micro de RMC, l’ancien pilote de Formule 1 n’a pas compris les choix de la direction de course qui ont aidé le Néerlandais à remporter le titre mondial devant Lewis Hamilton.

", + "content": "Olivier Panis a durement taclé les décisions prises par les officiels lors du GP d’Abu Dhabi remporté par Max Verstappen. Au micro de RMC, l’ancien pilote de Formule 1 n’a pas compris les choix de la direction de course qui ont aidé le Néerlandais à remporter le titre mondial devant Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-ce-que-l-on-sait-apres-la-garde-a-vue-de-yannick-agnel-pour-des-faits-supposes-de-viol-sur-mineure_AV-202112090549.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/grand-prix-d-abu-dhabi-gros-coup-de-gueule-de-panis-contre-la-direction-de-course_AV-202112120226.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:22:36 GMT", - "enclosure": "https://images.bfmtv.com/rK8VcQYexgSt4QcO1IfbpXW6ZeI=/0x106:2048x1258/800x0/images/Yannick-Agnel-1064414.jpg", + "pubDate": "Sun, 12 Dec 2021 17:16:58 GMT", + "enclosure": "https://images.bfmtv.com/RBBFHwKIHqTgwVHXTLOyV4RPv5U=/0x191:2048x1343/800x0/images/Lewis-Hamilton-et-Max-Verstappen-sur-le-circuit-de-Yas-Marina-en-2021-1187076.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59c381e68bbe4f60d2f92fb7cf162918" + "hash": "54f0129f90f856ae0850da9308c384ea" }, { - "title": "Europa Conference League: un bras de fer Rennes-Tottenham pour la date du report", - "description": "Tottenham comptant dans ses rangs plusieurs cas de Covid-19, l’UEFA a reporté le match face à Rennes en Europa Conference League. La date de ce report fait désormais l’objet de négociations tendues entre les deux clubs.

", - "content": "Tottenham comptant dans ses rangs plusieurs cas de Covid-19, l’UEFA a reporté le match face à Rennes en Europa Conference League. La date de ce report fait désormais l’objet de négociations tendues entre les deux clubs.

", + "title": "Osasuna-Barça: encore un nul et beaucoup de regrets pour Xavi", + "description": "Le Barça doit finalement se contenter d'un match nul 2-2 face à Osasuna ce dimanche, alors que les Blaugranas espéraient se relancer en Liga après leur élimination en Ligue des champions mercredi face au Bayern.

", + "content": "Le Barça doit finalement se contenter d'un match nul 2-2 face à Osasuna ce dimanche, alors que les Blaugranas espéraient se relancer en Liga après leur élimination en Ligue des champions mercredi face au Bayern.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-un-bras-de-fer-rennes-tottenham-pour-la-date-du-report_AV-202112090533.html", + "link": "https://rmcsport.bfmtv.com/football/liga/osasuna-barca-encore-un-nul-et-beaucoup-de-regrets-pour-xavi_AV-202112120228.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:01:03 GMT", - "enclosure": "https://images.bfmtv.com/snjtaHbiZAqGWzFAxTVCf3UMeHo=/0x40:768x472/800x0/images/Flavien-Tait-presse-Lucas-Moura-lors-de-la-rencontre-entre-Rennes-et-Tottenham-dans-le-cadre-de-la-premiere-journee-de-Ligue-Europa-Conference-jeudi-16-septembre-2021-a-Rennes-1130754.jpg", + "pubDate": "Sun, 12 Dec 2021 17:14:00 GMT", + "enclosure": "https://images.bfmtv.com/rHF7-1TVwoO7TdWNerp2QKp8taQ=/0x204:2032x1347/800x0/images/Samuel-Umtiti-face-a-Osasuna-1187078.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32041,19 +36525,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e4c7796f06bdc3b3e5c50e507fa0d93" + "hash": "9b95eb21d2704a5288e3bd0cc03fef85" }, { - "title": "Mercato: Létang confirme des discussions avec la Fiorentina pour Ikoné", - "description": "Invité de RMC jeudi soir dans Rothen s'enflamme, Olivier Létang a confirmé qu’il y avait bien des discussions avec la Fiorentina pour le transfert de Jonathan Ikoné cet hiver. Mais le président du LOSC assure qu’il y aura peu de départs au mercato hivernal.

", - "content": "Invité de RMC jeudi soir dans Rothen s'enflamme, Olivier Létang a confirmé qu’il y avait bien des discussions avec la Fiorentina pour le transfert de Jonathan Ikoné cet hiver. Mais le président du LOSC assure qu’il y aura peu de départs au mercato hivernal.

", + "title": "Formule 1: famille, tempérament, destin tout tracé… la trajectoire de Verstappen, né pour gagner", + "description": "Papa ancien pilote de Formule 1, maman ex-championne de karting: le destin de Max Verstappen, sacré champion du monde de Formule 1 pour la première fois de sa carrière ce dimanche, était tout tracé.

", + "content": "Papa ancien pilote de Formule 1, maman ex-championne de karting: le destin de Max Verstappen, sacré champion du monde de Formule 1 pour la première fois de sa carrière ce dimanche, était tout tracé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-letang-confirme-des-discussions-avec-la-fiorentina-pour-ikone_AV-202112090528.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/formule-1-famille-temperament-destin-tout-trace-la-trajectoire-de-verstappen-ne-pour-gagner_AV-202112120219.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:56:16 GMT", - "enclosure": "https://images.bfmtv.com/Hr0Z-GPLviUAIIR_qCEeumXkgJE=/0x169:2048x1321/800x0/images/Jonathan-Ikone-contre-Wolfsburg-mercredi-1185278.jpg", + "pubDate": "Sun, 12 Dec 2021 16:25:45 GMT", + "enclosure": "https://images.bfmtv.com/r6ySmwK2rdtR-EICbMhVArHBHro=/0x0:1200x675/800x0/images/Max-Verstappen-1187043.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32061,19 +36546,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b3369fc49b06f6015079cfe2a6770e6" + "hash": "026e26ff48a8fde5af6c12b7dd237706" }, { - "title": "OM-Lokomotiv Moscou: Mandanda et Balerdi relancés, Payet sur le banc", - "description": "Steve Mandanda, Leonardo Balerdi ou encore Gerson sont titulaires pour le match entre l'OM et le Lokomotiv Moscou ce jeudi soir en Ligue Europa (21h). Marseille a besoin d'un point pour être reversé en Europa Conference League.

", - "content": "Steve Mandanda, Leonardo Balerdi ou encore Gerson sont titulaires pour le match entre l'OM et le Lokomotiv Moscou ce jeudi soir en Ligue Europa (21h). Marseille a besoin d'un point pour être reversé en Europa Conference League.

", + "title": "Grand prix d'Abu Dhabi: terrible fin de carrière pour Räikkönen, qui termine sur un abandon", + "description": "Le pilote finlandais Kimi Räikkönen a été contrait à l'abandon pour la dernière course de sa carrière en Formule 1, en raison d'un problème de freins avant sur son Alfa Romeo dans le Grand Prix d'Abu Dhabi.

", + "content": "Le pilote finlandais Kimi Räikkönen a été contrait à l'abandon pour la dernière course de sa carrière en Formule 1, en raison d'un problème de freins avant sur son Alfa Romeo dans le Grand Prix d'Abu Dhabi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/om-lokomotiv-moscou-mandanda-et-balerdi-relances-payet-sur-le-banc_AV-202112090526.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/grand-prix-d-abu-dhabi-terrible-fin-de-carriere-pour-raikkonen-qui-termine-sur-un-abandon_AV-202112120218.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:54:00 GMT", - "enclosure": "https://images.bfmtv.com/iaojv_fwSCtHsVsFBX3zOd5khP4=/0x99:2048x1251/800x0/images/Steve-MANDANDA-1161986.jpg", + "pubDate": "Sun, 12 Dec 2021 16:22:09 GMT", + "enclosure": "https://images.bfmtv.com/T-aydgvuhOm28PoukTEg9FtBy6s=/0x103:2048x1255/800x0/images/Raikkonen-1186994.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32081,19 +36567,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "88c92e0a16415e52ab10a38abce6ad2c" + "hash": "3f1dd297b5665338429652e2ae163b58" }, { - "title": "Yannick Agnel placé en garde à vue pour des faits supposés de viol sur mineure", - "description": "L'ancien nageur Yannick Agnel (29 ans), double champion olympique, a été interpellé dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été interpellé à Paris puis placé en garde à vue à Mulhouse.

", - "content": "L'ancien nageur Yannick Agnel (29 ans), double champion olympique, a été interpellé dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été interpellé à Paris puis placé en garde à vue à Mulhouse.

", + "title": "Multi Ligue 1: Nice piège Rennes, Metz cartonne, Bordeaux réagit", + "description": "En queue de peloton de la Ligue 1, Bordeaux et Metz se sont éloignés de la zone rouge ce dimanche, avec leurs victoires dans le cadre de la 18e journée. Rennes s'est incliné face à Nice, poursuivant ses performances en dent de scie.

", + "content": "En queue de peloton de la Ligue 1, Bordeaux et Metz se sont éloignés de la zone rouge ce dimanche, avec leurs victoires dans le cadre de la 18e journée. Rennes s'est incliné face à Nice, poursuivant ses performances en dent de scie.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/yannick-agnel-place-en-garde-a-vue-pour-des-faits-supposes-de-viol-sur-mineur_AN-202112090361.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/multi-ligue-1-nice-piege-rennes-bordeaux-et-metz-reagissent_AV-202112120220.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 15:34:29 GMT", - "enclosure": "https://images.bfmtv.com/jvn4do0i9iIXSNwbCRblswam4-Q=/0x74:2048x1226/800x0/images/Yannick-Agnel-1185007.jpg", + "pubDate": "Sun, 12 Dec 2021 16:16:00 GMT", + "enclosure": "https://images.bfmtv.com/vrKd6AQ3HeCd_AiMeuGp8gwi1cE=/0x46:2048x1198/800x0/images/Nice-face-a-Rennes-1187058.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32101,19 +36588,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "404c806502c1f5d92a901c14ca5db972" + "hash": "6569dc59397a9888d98719e0ffe4d41c" }, { - "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Marseille – Lokomotiv Moscou – Ligue Europa", - "description": "Notre pronostic: nul entre Marseille et le Lokomotiv (4.90)

", - "content": "Notre pronostic: nul entre Marseille et le Lokomotiv (4.90)

", + "title": "Champions Cup: le Stade Français sombre au Connacht", + "description": "Gêné par le vent et balbutiant dans le jeu, le Stade Français a largement chuté face au Connacht (36-9), en Irlande, pour sa première journée de Champions Cup, dimanche après-midi.

", + "content": "Gêné par le vent et balbutiant dans le jeu, le Stade Français a largement chuté face au Connacht (36-9), en Irlande, pour sa première journée de Champions Cup, dimanche après-midi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-marseille-lokomotiv-moscou-ligue-europa_AN-202112080416.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-le-stade-francais-sombre-au-connacht_AV-202112120214.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/MMt7NKZcsRek8WaYrZ2McilkvyE=/0x226:1984x1342/800x0/images/William-Saliba-lors-de-Lokomotiv-Marseille-1184257.jpg", + "pubDate": "Sun, 12 Dec 2021 16:10:09 GMT", + "enclosure": "https://images.bfmtv.com/WZTftYeJmKAf0bT7MOuAn0s-b-Q=/0x62:1200x737/800x0/images/Paul-Gabrillagues-1187041.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32121,19 +36609,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ba5adbbc55fa0a965b319a1b433b59e" + "hash": "abe412d4c880afabf9c2628d34a2c89b" }, { - "title": "PRONOS PARIS RMC Le pari football de Rolland Courbis du 9 décembre - Ligue Europa", - "description": "Mon pronostic : Marseille s’impose face au Lokomotiv Moscou, Milik buteur (2.25)

", - "content": "Mon pronostic : Marseille s’impose face au Lokomotiv Moscou, Milik buteur (2.25)

", + "title": "Les pronos hippiques du lundi 13 décembre 2021", + "description": "Le Quinté+ du lundi 13 décembre est programmé sur l’hippodrome de Cagnes-sur-Mer dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du lundi 13 décembre est programmé sur l’hippodrome de Cagnes-sur-Mer dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-rolland-courbis-du-9-decembre-ligue-europa_AN-202112090276.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-lundi-13-decembre-2021_AN-202112120211.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:15:30 GMT", - "enclosure": "https://images.bfmtv.com/d5mmyX8h-DDzlC90ixcXqioiDTk=/13x40:1997x1156/800x0/images/A-Milik-1184930.jpg", + "pubDate": "Sun, 12 Dec 2021 15:52:16 GMT", + "enclosure": "https://images.bfmtv.com/h81bw7zyh7K2ZJSaeBZas6u91Qo=/72x3:1128x597/800x0/images/Les-pronos-hippiques-du-13-decembre-2021-1186502.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32141,19 +36630,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "17c876c751fd625729ea899e0af13adf" + "hash": "355865c09809a2b272af305cefd9f5dc" }, { - "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 9 décembre – NBA", - "description": "Mon pronostic : les Lakers s’imposent contre Memphis, LeBron James marque plus de 24,5 points (2.60)

", - "content": "Mon pronostic : les Lakers s’imposent contre Memphis, LeBron James marque plus de 24,5 points (2.60)

", + "title": "Prix du Bourbonnais : Etonnant crée la surprise en dominant Face Time Bourbon", + "description": "Deuxième course qualificative au Prix d'Amérique (30 janvier), le Prix du Bourbonnais a été le théâtre d'une surprise puisque le champion Face Time Bourbon a été battu sur le poteau par Etonnant.

", + "content": "Deuxième course qualificative au Prix d'Amérique (30 janvier), le Prix du Bourbonnais a été le théâtre d'une surprise puisque le champion Face Time Bourbon a été battu sur le poteau par Etonnant.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-9-decembre-nba_AN-202112090499.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/prix-du-bourbonnais-etonnant-cree-la-surprise-en-dominant-face-time-bourbon_AN-202112120210.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:19:13 GMT", - "enclosure": "https://images.bfmtv.com/nHoAKT55e_H0w-v5M0dKkLZMLEg=/1x5:2001x1130/800x0/images/L-James-et-M-Monk-1185244.jpg", + "pubDate": "Sun, 12 Dec 2021 15:49:51 GMT", + "enclosure": "https://images.bfmtv.com/e1A813rap1cIkPjILZThCVw2wME=/0x41:800x491/800x0/images/Etonnant-prend-sa-revanche-sur-Face-Time-Bourbon-1187042.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32161,19 +36651,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ed14e9bc7cf42c45c9325855e1ccdf4" + "hash": "d0fabc96e8e758cc310681f4d7a2d89d" }, { - "title": "JO 2022: pour Macron, un boycott diplomatique des Jeux de Pékin serait \"tout petit et symbolique\"", - "description": "Décider d'un boycott purement diplomatique mais pas sportif des Jeux olympiques 2022 d'hiver de Pékin serait une mesure \"toute petite et symbolique\", a estimé jeudi le président Emmanuel Macron.

", - "content": "Décider d'un boycott purement diplomatique mais pas sportif des Jeux olympiques 2022 d'hiver de Pékin serait une mesure \"toute petite et symbolique\", a estimé jeudi le président Emmanuel Macron.

", + "title": "GP d'Abu Dhabi: Mbappé, Lineker, Owen... Les réseaux sociaux s'enflamment après le sacre de Verstappen", + "description": "Sur les réseaux sociaux, plusieurs stars ont réagi à la fin de Grand Prix épique à Abu Dhabi et au sacre de Max Verstappen: Kylian Mbappé mais aussi tout le sport britannique ou presque, qui a du mal à accepter la défaite de Lewis Hamilton.

", + "content": "Sur les réseaux sociaux, plusieurs stars ont réagi à la fin de Grand Prix épique à Abu Dhabi et au sacre de Max Verstappen: Kylian Mbappé mais aussi tout le sport britannique ou presque, qui a du mal à accepter la défaite de Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-pour-macron-un-boycott-diplomatique-des-jeux-de-pekin-serait-tout-petit-et-symbolique_AD-202112090498.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-mbappe-lineker-owen-les-reseaux-sociaux-s-enflamment-apres-le-sacre-de-verstappen_AV-202112120209.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:18:39 GMT", - "enclosure": "https://images.bfmtv.com/UJ-dWhJ_lskgkiF5ICezfaOyHuc=/0x40:768x472/800x0/images/Le-president-francais-Emmanuel-Macron-a-Paris-le-9-decembre-2021-1185134.jpg", + "pubDate": "Sun, 12 Dec 2021 15:49:36 GMT", + "enclosure": "https://images.bfmtv.com/O1OIHWD5GpbFd0wxhThTobTvIJk=/0x160:2048x1312/800x0/images/Hamilton-et-Verstappen-1187032.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32181,19 +36672,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "77863f46ad22a4f788581166fac16fbf" + "hash": "4884daeed66db41abca9e4fff71ee277" }, { - "title": "Accusation de viol: France Info suspend sa collaboration avec Yannick Agnel", - "description": "France Info suspend sa collaboration avec l'ancien nageur champion olympique Yannick Agnel interpellé jeudi et placé en garde à vue dans le cadre d'une enquête pour \"viol et agression sexuelle sur mineure de 15 ans, a annoncé le média à l'AFP.

", - "content": "France Info suspend sa collaboration avec l'ancien nageur champion olympique Yannick Agnel interpellé jeudi et placé en garde à vue dans le cadre d'une enquête pour \"viol et agression sexuelle sur mineure de 15 ans, a annoncé le média à l'AFP.

", + "title": "F1: \"C’est insensé\", Verstappen extatique après son titre de champion du monde", + "description": "Sacré champion du monde de Formule 1 au bout du suspense à Abu Dhabi, ce dimanche, Max Verstappen n’a pas caché sa joie à l’arrivée et a encensé son équipe de toujours, Red Bull.

", + "content": "Sacré champion du monde de Formule 1 au bout du suspense à Abu Dhabi, ce dimanche, Max Verstappen n’a pas caché sa joie à l’arrivée et a encensé son équipe de toujours, Red Bull.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/accusation-de-viol-france-info-suspend-sa-collaboration-avec-yannick-agnel_AD-202112090491.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-c-est-insense-verstappen-extatique-apres-son-titre-de-champion-du-monde_AV-202112120204.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:10:13 GMT", - "enclosure": "https://images.bfmtv.com/TOyAyEpgUtYNco9m0zVW6QZz6Po=/0x53:1024x629/800x0/images/-779538.jpg", + "pubDate": "Sun, 12 Dec 2021 15:37:00 GMT", + "enclosure": "https://images.bfmtv.com/D110jX3vODIHU6L5fcfcnLgQL0M=/0x0:2048x1152/800x0/images/Max-Verstappen-1187009.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32201,19 +36693,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "350892c6a05c4dd4fc3d4bfa38aa9d23" + "hash": "8130783fb6d25fd2ed937ebc9353cc68" }, { - "title": "Incidents OL-OM: Rothen remonté contre la LFP sur le cas Payet", - "description": "Jérôme Rothen aurait aimé que Dimitri Payet soit entendu et convoqué à Paris par la commission de discipline de la Ligue, qui a jugé la responsabilité de l'OL dans les incidents survenus lors du match Lyon-Marseille en novembre.

", - "content": "Jérôme Rothen aurait aimé que Dimitri Payet soit entendu et convoqué à Paris par la commission de discipline de la Ligue, qui a jugé la responsabilité de l'OL dans les incidents survenus lors du match Lyon-Marseille en novembre.

", + "title": "GP d’Abu Dhabi: le dernier tour historique qui a offert le titre à Verstappen", + "description": "Le Néerlandais Max Verstappen a remporté son premier titre de champion du monde de F1 en dépassant son rival britannique Lewis Hamilton dans le dernier tour pour gagner l'ultime Grand Prix de la saison à Abu Dhabi ce dimanche.

", + "content": "Le Néerlandais Max Verstappen a remporté son premier titre de champion du monde de F1 en dépassant son rival britannique Lewis Hamilton dans le dernier tour pour gagner l'ultime Grand Prix de la saison à Abu Dhabi ce dimanche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-rothen-remonte-contre-la-lfp-sur-le-cas-payet_AV-202112090488.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-le-dernier-tour-historique-qui-a-offert-le-titre-a-verstappen_AV-202112120193.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:05:30 GMT", - "enclosure": "https://images.bfmtv.com/GRURv_TXtUZ3p8oMt9XMjcPuP1k=/154x126:1530x900/800x0/images/Jerome-Rothen-1132375.jpg", + "pubDate": "Sun, 12 Dec 2021 15:13:30 GMT", + "enclosure": "https://images.bfmtv.com/XdnXUu8p02J-PPOp8RR9eZph-uM=/0x125:1200x800/800x0/images/Max-Verstappen-1187012.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32221,19 +36714,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ff7203d64df89c898e078b300a2595c" + "hash": "cf3c3ae471bdc1a4b3dce06d31a70294" }, { - "title": "Champion olympique, consultant, e-sport: les différentes casquettes de Yannick Agnel", - "description": "Le nageur Yannick Agnel a été placé en garde à vue jeudi dans le cadre d'une information judiciaire ouverte pour viol sur mineure. Double champion olympique en 2012, retraité quatre ans plus tard, il s’était depuis lancé dans le e-sport. Avec des projets variés, Yannick Agnel est devenu une figure médiatique.

", - "content": "Le nageur Yannick Agnel a été placé en garde à vue jeudi dans le cadre d'une information judiciaire ouverte pour viol sur mineure. Double champion olympique en 2012, retraité quatre ans plus tard, il s’était depuis lancé dans le e-sport. Avec des projets variés, Yannick Agnel est devenu une figure médiatique.

", + "title": "F1: Hamilton-Verstappen, une année de bagarres sur la piste", + "description": "A l'image d'un dernier Grand Prix fort en émotions et riche en rebondissements, Lewis Hamilton et Max Verstappen - sacré ce dimanche champion du monde pour la première fois de sa carrière - ont livré un duel d'une rare intensité tout au long de la saison.

", + "content": "A l'image d'un dernier Grand Prix fort en émotions et riche en rebondissements, Lewis Hamilton et Max Verstappen - sacré ce dimanche champion du monde pour la première fois de sa carrière - ont livré un duel d'une rare intensité tout au long de la saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/champion-olympique-consultant-e-sport-les-differentes-casquettes-de-yannick-agnel_AN-202112090482.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-verstappen-une-annee-de-bagarres-sur-la-piste_AV-202112120187.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:58:31 GMT", - "enclosure": "https://images.bfmtv.com/dpvpg5ZEe9Ok_Xy6HlICw_xO3-8=/0x197:2048x1349/800x0/images/Yannick-Agnel-en-2016-1185222.jpg", + "pubDate": "Sun, 12 Dec 2021 15:01:48 GMT", + "enclosure": "https://images.bfmtv.com/9vSYE5e0lmAQgj-iW7LPzOWoF3g=/0x0:1200x675/800x0/images/Lewis-Hamilton-et-Max-Verstappen-1186673.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32241,39 +36735,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "c05e05d17be7f8f9321494b2592bb103" + "hash": "8583532ed7937dae0eb0fcef87ee9907" }, { - "title": "PSG: directeur technique du centre de formation, Cabaye félicite Simons et Michut", - "description": "Directeur technique du centre de formation du PSG depuis l’été dernier, Yohan Cabaye participe pleinement à l’évolution des jeunes du club de la capitale. Dans une interview pour Le Parisien, l’ancien milieu de terrain est revenu sur les situations délicates de Xavi Simons et Edouard Michut.

", - "content": "Directeur technique du centre de formation du PSG depuis l’été dernier, Yohan Cabaye participe pleinement à l’évolution des jeunes du club de la capitale. Dans une interview pour Le Parisien, l’ancien milieu de terrain est revenu sur les situations délicates de Xavi Simons et Edouard Michut.

", + "title": "F1: Verstappen champion du monde après une folle bataille avec Hamilton", + "description": "Au bout d'une saison totalement dingue, et d'un dernier Grand Prix d'Abu Dhabi encore plus fou ce dimanche, Max Verstappen est parvenu à s'imposer en dépassant Lewis Hamilton dans le dernier tour. Il devient champion du monde de Formule 1 à 24 ans.

", + "content": "Au bout d'une saison totalement dingue, et d'un dernier Grand Prix d'Abu Dhabi encore plus fou ce dimanche, Max Verstappen est parvenu à s'imposer en dépassant Lewis Hamilton dans le dernier tour. Il devient champion du monde de Formule 1 à 24 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-directeur-technique-du-centre-de-formation-cabaye-felicite-simons-et-michut_AV-202112090474.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-verstappen-champion-du-monde-apres-une-folle-bataille-avec-hamilton_AV-202112120185.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:46:57 GMT", - "enclosure": "https://images.bfmtv.com/I9FOYfZ8IdCANi8gEYpmCLV9D88=/0x26:2048x1178/800x0/images/Yohan-Cabaye-PSG-1038951.jpg", + "pubDate": "Sun, 12 Dec 2021 14:56:57 GMT", + "enclosure": "https://images.bfmtv.com/D110jX3vODIHU6L5fcfcnLgQL0M=/0x0:2048x1152/800x0/images/Max-Verstappen-1187009.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "185311c774713e8b1b2ee12113b8579c" + "hash": "ae24f916f04191be8177c616862e49f8" }, { - "title": "Saint-Etienne: ce que Sablé a déjà changé depuis sa prise de fonction", - "description": "Désigné pour assurer l'intérim au poste d'entraîneur de Saint-Etienne après l'éviction de Claude Puel dimanche, Julien Sablé a décidé de créer un \"conseil des sages\" composé de cinq joueurs, afin d'impliquer son groupe dans le processus décisionnel.

", - "content": "Désigné pour assurer l'intérim au poste d'entraîneur de Saint-Etienne après l'éviction de Claude Puel dimanche, Julien Sablé a décidé de créer un \"conseil des sages\" composé de cinq joueurs, afin d'impliquer son groupe dans le processus décisionnel.

", + "title": "L'OM s'impose à Strasbourg et prend la deuxième place de Ligue 1", + "description": "L'OM s'est imposé à Strasbourg grâce à des buts de Dieng et Caleta-Car (0-2). Les Phocéens profitent de la défaite de Rennes dans le multiplex pour grimper à la deuxième place de Ligue 1.

", + "content": "L'OM s'est imposé à Strasbourg grâce à des buts de Dieng et Caleta-Car (0-2). Les Phocéens profitent de la défaite de Rennes dans le multiplex pour grimper à la deuxième place de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-ce-que-sable-a-deja-change-depuis-sa-prise-de-fonction_AV-202112090465.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/strasbourg-om-en-direct-marseille-veut-reagir-en-alsace_LS-202112120184.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:26:29 GMT", - "enclosure": "https://images.bfmtv.com/VUyQ847VnaD-_0PcfQhCepMdf8c=/0x0:2048x1152/800x0/images/Julien-Sable-1185170.jpg", + "pubDate": "Sun, 12 Dec 2021 14:54:01 GMT", + "enclosure": "https://images.bfmtv.com/GCcm_Me6ee3E94FBrHHURgvcvtw=/0x212:2048x1364/800x0/images/Le-ciseau-de-Bamba-Dieng-avec-l-OM-1187080.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32281,19 +36777,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8776259128020ef5d650dfaa5adae4a6" + "hash": "377f7bbad9b507e8e6de100691310c48" }, { - "title": "Thierry Henry veut encore entraîner et apprend à comprendre la nouvelle génération", - "description": "Après avoir connu le succès en tant que joueur, Thierry Henry vit une seconde jeunesse avec son rôle de consultant chez Amazon. Dans une interview pour GQ, le Français a affirmé ne pas avoir fait une croix sur le métier d’entraîneur, et explique la nécessité de comprendre la \"nouvelle génération\".

", - "content": "Après avoir connu le succès en tant que joueur, Thierry Henry vit une seconde jeunesse avec son rôle de consultant chez Amazon. Dans une interview pour GQ, le Français a affirmé ne pas avoir fait une croix sur le métier d’entraîneur, et explique la nécessité de comprendre la \"nouvelle génération\".

", + "title": "PSG-Monaco en direct: Mbappé atteint les 100 buts en L1, Paris gère son avance", + "description": "Un choc pour conclure la 18e journée de Ligue 1 ce dimanche: le PSG accueille Monaco (20h45) au Parc des Princes. Neymar et Sergio Ramos font partie des absents côté parisien, Kevin Volland est suspendu côté monégasque.

", + "content": "Un choc pour conclure la 18e journée de Ligue 1 ce dimanche: le PSG accueille Monaco (20h45) au Parc des Princes. Neymar et Sergio Ramos font partie des absents côté parisien, Kevin Volland est suspendu côté monégasque.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/thierry-henry-veut-encore-entrainer-et-apprend-a-comprendre-la-nouvelle-generation_AV-202112090455.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-le-choc-allechant-entre-le-psg-et-monaco_LS-202112120223.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:10:08 GMT", - "enclosure": "https://images.bfmtv.com/IZ_fWG6RjhAH2HPe35x2CLBLzWQ=/4x85:1364x850/800x0/images/Thierry-Henry-1172448.jpg", + "pubDate": "Sun, 12 Dec 2021 17:00:00 GMT", + "enclosure": "https://images.bfmtv.com/8WC9Dc6oLQ0tRaU0UIm7gXTjJn8=/0x210:2048x1362/800x0/images/Mbappe-et-Messi-tout-sourire-apres-le-double-du-Francais-1187163.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32301,19 +36798,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ace7db7add69dbf15da99931ac445848" + "hash": "e4163eaffd2bd5ef41b9456569050bc6" }, { - "title": "Sturm Graz-Monaco en direct : L'ASM concède le nul (1-1)", - "description": "Déjà assuré de la qualification pour les huitièmes de finale de la Ligue Europa, Monaco a ramené un point face au Sturm Graz et termine la phase de groupe invaincu.

", - "content": "Déjà assuré de la qualification pour les huitièmes de finale de la Ligue Europa, Monaco a ramené un point face au Sturm Graz et termine la phase de groupe invaincu.

", + "title": "Real-Atlético en direct: les Merengue font le break!", + "description": "Suivez en direct commenté sur notre site la rencontre Real Madrid - Atlético de Madrid, comptant pour la 17e journée de Liga. Le coup d'envoi est prévu à 21h.

", + "content": "Suivez en direct commenté sur notre site la rencontre Real Madrid - Atlético de Madrid, comptant pour la 17e journée de Liga. Le coup d'envoi est prévu à 21h.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/sturm-graz-monaco-en-direct-un-duo-volland-ben-yedder-en-attaque_LS-202112090441.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-atletico-en-direct-les-merengue-peuvent-prendre-le-large-en-tete_LS-202112120266.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:57:53 GMT", - "enclosure": "https://images.bfmtv.com/a8NBmdJVJViaPOiotehPftV648Q=/0x104:2000x1229/800x0/images/Volland-face-au-Sturm-Graz-1185242.jpg", + "pubDate": "Sun, 12 Dec 2021 18:55:56 GMT", + "enclosure": "https://images.bfmtv.com/_8M4UwzOy_jdWisnzZ-jzyiKJV0=/0x99:2048x1251/800x0/images/Benzema-1174670.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32321,19 +36819,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6de7480ff55a0447941d68cd7cb81a8b" + "hash": "68b1749f4d7af9a27d9c2307a6094e9c" }, { - "title": "OL-Rangers, les compos: Bosz fait tourner, première pour Vogel", - "description": "C'est avec une équipe largement remaniée que l'OL affronte le Rangers FC, jeudi soir pour la 6e et dernière journée de la phase de groupes de la Ligue Europa. Le match est sans enjeu, ce qui permet à Pollersbeck, Vogel et Keita de débuter.

", - "content": "C'est avec une équipe largement remaniée que l'OL affronte le Rangers FC, jeudi soir pour la 6e et dernière journée de la phase de groupes de la Ligue Europa. Le match est sans enjeu, ce qui permet à Pollersbeck, Vogel et Keita de débuter.

", + "title": "Ligue 1: Lille et l'OL font du surplace après un piètre nul", + "description": "Le duel ce dimanche entre le LOSC et l'OL, deux prétendants européens, a accouché d'un piètre spectacle (0-0) qui ne fait les affaires de personne. Les deux clubs resteront dans la deuxième partie du classement après cette 18e journée.

", + "content": "Le duel ce dimanche entre le LOSC et l'OL, deux prétendants européens, a accouché d'un piètre spectacle (0-0) qui ne fait les affaires de personne. Les deux clubs resteront dans la deuxième partie du classement après cette 18e journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ol-rangers-les-compos-bosz-fait-tourner-premiere-pour-vogel_AV-202112090439.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-lille-et-l-ol-font-du-surplace-apres-un-pietre-nul_AV-202112120172.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:54:23 GMT", - "enclosure": "https://images.bfmtv.com/4WXSpLk9F00_bhtkPTw4AqHJjOY=/0x61:1696x1015/800x0/images/Pollersbeck-1185147.jpg", + "pubDate": "Sun, 12 Dec 2021 14:02:56 GMT", + "enclosure": "https://images.bfmtv.com/HGocJRJRc-LeiqkPXu0WdEzDQO8=/0x0:2048x1152/800x0/images/Boateng-1186979.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32341,19 +36840,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "36d76d4d322e01cd76a5dedc6b1bbf8f" + "hash": "50240e0137365cef70680ab8301dde69" }, { - "title": "UFC 269: Dustin Poirier, l’or après l’argent?", - "description": "Double vainqueur de Conor McGregor en 2021, Dustin Poirier aurait pu combattre pour la ceinture des légers de l’UFC en mai dernier. Mais il a préféré le gros chèque du choc contre la superstar irlandaise. Cinq mois plus tard, le combattant américain battu par Khabib Nurmagomedov pour le titre en 2019 a enfin une nouvelle chance de toucher son Graal ce week-end à Las Vegas (à suivre en direct et en exclusivité à partir de 4h dans la nuit de samedi à dimanche sur RMC Sport 2) contre le combattant brésilien Charles Oliveira. Et il s’avance en favori des observateurs.

", - "content": "Double vainqueur de Conor McGregor en 2021, Dustin Poirier aurait pu combattre pour la ceinture des légers de l’UFC en mai dernier. Mais il a préféré le gros chèque du choc contre la superstar irlandaise. Cinq mois plus tard, le combattant américain battu par Khabib Nurmagomedov pour le titre en 2019 a enfin une nouvelle chance de toucher son Graal ce week-end à Las Vegas (à suivre en direct et en exclusivité à partir de 4h dans la nuit de samedi à dimanche sur RMC Sport 2) contre le combattant brésilien Charles Oliveira. Et il s’avance en favori des observateurs.

", + "title": "GP d'Abu Dhabi: le contact entre Verstappen et Hamilton après un départ musclé", + "description": "Le départ du Grand Prix d'Abu Dhabi ce dimanche a été brûlant avec un contact entre les deux rivaux pour le titre de champion du monde, Max Verstappen et Lewis Hamilton. Une manœuvre du Britannique a provoqué la colère du Néerlandais, qui a perdu sa première place.

", + "content": "Le départ du Grand Prix d'Abu Dhabi ce dimanche a été brûlant avec un contact entre les deux rivaux pour le titre de champion du monde, Max Verstappen et Lewis Hamilton. Une manœuvre du Britannique a provoqué la colère du Néerlandais, qui a perdu sa première place.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ufc-269-dustin-poirier-l-or-apres-l-argent_AV-202112090428.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-le-contact-entre-verstappen-et-hamilton-au-premier-tour_AV-202112120161.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:43:25 GMT", - "enclosure": "https://images.bfmtv.com/APH2f_WX47CkyojEWTv4QOjIdkM=/0x137:2048x1289/800x0/images/Dustin-Poirier-1185117.jpg", + "pubDate": "Sun, 12 Dec 2021 13:29:40 GMT", + "enclosure": "https://images.bfmtv.com/89ueDWtplLffZGh32oDncl9gyzY=/0x106:2048x1258/800x0/images/GP-Abu-Dhabi-1186976.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32361,39 +36861,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a7c40e8268ef205fb0ef1e894f0e70b" + "hash": "eb6b2cba2588c7e1e0328ec3bbe1371a" }, { - "title": "OL-Rangers en direct: malgré un Cherki décisif, les Lyonnais manquent l'opportunité d'une victoire historique", - "description": "Déjà assuré de la qualification en huitièmes de finale et de la première place de son groupe, Lyon accueille les Glasgow Rangers, jeudi en Ligue Europa. Coup d'envoi à 18h45 sur RMC Sport 2.

", - "content": "Déjà assuré de la qualification en huitièmes de finale et de la première place de son groupe, Lyon accueille les Glasgow Rangers, jeudi en Ligue Europa. Coup d'envoi à 18h45 sur RMC Sport 2.

", + "title": "Mercato: le Bayern Munich ne devrait pas tenter Haaland", + "description": "Cité comme l'une des destinations potentielles pour Erling Haaland en cas de départ estival, le Bayern Munich ne devrait pas se positionner pour l'attaquant norvégien. Selon l'ancien président munichois Karl-Heinz Rummenigge, le club bavarois gardera Robert Lewandowski, actuellement le \"meilleur numéro 9 du monde\".

", + "content": "Cité comme l'une des destinations potentielles pour Erling Haaland en cas de départ estival, le Bayern Munich ne devrait pas se positionner pour l'attaquant norvégien. Selon l'ancien président munichois Karl-Heinz Rummenigge, le club bavarois gardera Robert Lewandowski, actuellement le \"meilleur numéro 9 du monde\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ol-rangers-en-direct-sans-paqueta-lyon-peut-conclure-une-phase-de-groupes-parfaite_LS-202112090426.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-bayern-munich-ne-devrait-pas-tenter-haaland_AV-202112120155.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:40:50 GMT", - "enclosure": "https://images.bfmtv.com/f6y01NOHi7-CbmAEQSwFuEc88w0=/0x105:2048x1257/800x0/images/OL-Rangers-1185267.jpg", + "pubDate": "Sun, 12 Dec 2021 13:15:17 GMT", + "enclosure": "https://images.bfmtv.com/9BWR009_hU0H_wYrHTxHbx3j16Q=/0x0:2032x1143/800x0/images/Lewanodwski-Haaland-1186959.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9091be394bccaa86ceee65da776caef4" + "hash": "42361337020fddbbd87cafeab331c5b0" }, { - "title": "OM-Lokomotiv Moscou en direct: l'OM en tête grâce à Milik, la C4 se rapproche", - "description": "L'OM n'a besoin que d'un match nul face au Lokomotiv pour être reversé en Conference League. Mais à la pause, les Marseillais virent en tête après une bonne première période, récompensée par une tête gagnante de Milik. Le second acte à suivre dans notre live commenté.

", - "content": "L'OM n'a besoin que d'un match nul face au Lokomotiv pour être reversé en Conference League. Mais à la pause, les Marseillais virent en tête après une bonne première période, récompensée par une tête gagnante de Milik. Le second acte à suivre dans notre live commenté.

", + "title": "Val d'Isère (slalom): monstrueux, Noël s'impose à domicile", + "description": "Clément Noël a remporté brillamment le slalom de Coupe du monde de ski alpin de Val d'Isère ce dimanche. Il a signé le meilleur temps des deux manches et décroche ainsi sa neuvième victoire sur le circuit mondial.

", + "content": "Clément Noël a remporté brillamment le slalom de Coupe du monde de ski alpin de Val d'Isère ce dimanche. Il a signé le meilleur temps des deux manches et décroche ainsi sa neuvième victoire sur le circuit mondial.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-om-lokomotiv-moscou-en-direct_LS-202112090420.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/val-d-isere-slalom-cocorico-noel-s-impose-a-domicile_AV-202112120149.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:33:38 GMT", - "enclosure": "https://images.bfmtv.com/OC_f-b4x_CIz9Ov35325Rwy1-0A=/0x106:2048x1258/800x0/images/1185345.jpg", + "pubDate": "Sun, 12 Dec 2021 12:52:19 GMT", + "enclosure": "https://images.bfmtv.com/Tn4bOPBVuJwKq--b2t5GO0I56CI=/3x50:2019x1184/800x0/images/Clement-Noel-1186957.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32401,19 +36903,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "17173a601de627ff7b993677ecb6c600" + "hash": "63a78afbb7de036340e9326593d55202" }, { - "title": "Filets, vidéos, grilles... les pistes à l'étude de la LFP pour la sécurité dans les stades", - "description": "Info RMC Sport - La Ligue planche sur plusieurs mesures pour la sécurisation des stades. Elle veut notamment vérifier d’ici la fin de saison tous les systèmes de vidéo-protection des stades afin de s’assurer de leur efficacité et généraliser la mise en place d’un système de filet amovible.

", - "content": "Info RMC Sport - La Ligue planche sur plusieurs mesures pour la sécurisation des stades. Elle veut notamment vérifier d’ici la fin de saison tous les systèmes de vidéo-protection des stades afin de s’assurer de leur efficacité et généraliser la mise en place d’un système de filet amovible.

", + "title": "Mercato en direct: le Barça aurait lâché l'affaire pour Dembélé", + "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", + "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/filets-videos-grilles-les-pistes-a-l-etude-de-la-lfp-pour-la-securite-dans-les-stades_AV-202112090413.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:25:18 GMT", - "enclosure": "https://images.bfmtv.com/LJN4y2A5ViNmMsexU1LP0heFpGQ=/0x35:768x467/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", + "pubDate": "Fri, 10 Dec 2021 07:01:00 GMT", + "enclosure": "https://images.bfmtv.com/oR9-4kvNO0bL3FgaMPy9md44nS4=/0x55:2048x1207/800x0/images/Ousmane-Dembele-1185673.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32421,19 +36924,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0120025400cdb422d8740ff75fac0897" + "hash": "45188d592f2ad7596ea4f79a712d021c" }, { - "title": "F1: \"Je ne suis pas mal à l'aise\", Verstappen affiche sa sérénité à Abou Dhabi", - "description": "À la veille des séances d'essais à Abou Dhabi, pour le dénouement de la saison de F1 et de la lutte pour le titre de champion du monde, Max Verstappen a assuré ne pas ressentir de pression particulière. Idem pour Lewis Hamilton.

", - "content": "À la veille des séances d'essais à Abou Dhabi, pour le dénouement de la saison de F1 et de la lutte pour le titre de champion du monde, Max Verstappen a assuré ne pas ressentir de pression particulière. Idem pour Lewis Hamilton.

", + "title": "Belgique: un milieu de terrain de Seraing termine gardien contre Anderlecht", + "description": "Habituel milieu de terrain, le Français Théo Pierrot s'est retrouvé à dépanner dans les buts lors de la rencontre du championnat belge entre Seraing et Anderlecht. Et ça ne s'est pas vraiment bien passé pour l'ancien Messin.

", + "content": "Habituel milieu de terrain, le Français Théo Pierrot s'est retrouvé à dépanner dans les buts lors de la rencontre du championnat belge entre Seraing et Anderlecht. Et ça ne s'est pas vraiment bien passé pour l'ancien Messin.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-je-ne-suis-pas-mal-a-l-aise-verstappen-affiche-sa-serenite-a-abou-dhabi_AV-202112090407.html", + "link": "https://rmcsport.bfmtv.com/football/championnat-de-belgique/belgique-un-milieu-de-terrain-de-seraing-termine-gardien-contre-anderlecht_AN-202112120128.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:17:53 GMT", - "enclosure": "https://images.bfmtv.com/ntO4XQcA37Pcqyaa6kgH4_Z733A=/0x74:2048x1226/800x0/images/Max-Verstappen-1185066.jpg", + "pubDate": "Sun, 12 Dec 2021 11:19:39 GMT", + "enclosure": "https://images.bfmtv.com/lKwFT5USP7ABk_T5prozmZgvK4U=/36x0:980x531/800x0/images/Theo-Pierrot-1186913.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32441,19 +36945,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "06e680c43fd38d71661671b05f14197e" + "hash": "412a15bca3ab9f0c7a5d523d4d923c1c" }, { - "title": "La Ligue 2 passera à 18 clubs à partir de la saison 2024-2025", - "description": "La LFP a officiellement acté jeudi le passage de la Ligue 2 à 18 clubs à partir de la saison 2024-2025.

", - "content": "La LFP a officiellement acté jeudi le passage de la Ligue 2 à 18 clubs à partir de la saison 2024-2025.

", + "title": "Lille-OL en direct: de nombreux changements dans le onze lyonnais", + "description": "Qualifié mercredi pour les huitièmes de finale de Ligue des champions après sa victoire face à Wolfsburg (3-1), le LOSC souhaite enchaîner en Ligue 1. Au stade Pierre-Mauroy ce dimanche (13h), pour un match comptant pour la 18e journée, l'équipe de Jocelyn Gourvennec retrouve l'OL pour un choc de prétendants aux places européennes.

", + "content": "Qualifié mercredi pour les huitièmes de finale de Ligue des champions après sa victoire face à Wolfsburg (3-1), le LOSC souhaite enchaîner en Ligue 1. Au stade Pierre-Mauroy ce dimanche (13h), pour un match comptant pour la 18e journée, l'équipe de Jocelyn Gourvennec retrouve l'OL pour un choc de prétendants aux places européennes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-2/la-ligue-2-passera-a-18-clubs-a-partir-de-la-saison-2024-2025_AN-202112090391.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-ol-en-direct-un-match-capital-dans-la-bataille-pour-l-europe_LS-202112120119.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:04:58 GMT", - "enclosure": "https://images.bfmtv.com/NCzalMBXTqmBRng1fZBp2OXKjqY=/0x52:768x484/800x0/images/Logo-de-la-Ligue-2-1153920.jpg", + "pubDate": "Sun, 12 Dec 2021 10:54:57 GMT", + "enclosure": "https://images.bfmtv.com/KD3PVjJ6lyYGXMcrsZ0oXoddx0w=/0x0:2048x1152/800x0/images/Moussa-Dembele-et-Houssem-Aouar-1186920.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32461,19 +36966,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e120b9ecf45e301b72b7b4925ef06796" + "hash": "9893de9377f3ab0e19fbc2ddf520e314" }, { - "title": "Bayern-Barça: Lenglet se justifie après les images polémiques, tout sourire, avec Lewandowski", - "description": "Après la défaite contre le Bayern mercredi soir (3-0) synonyme d’élimination dès la phase de poule pour le Barça, Clément Lenglet a été vu en train de rire avec son adversaire Robert Lewandowski. L’image a déclenché la colère des supporters et a poussé le Français à s’expliquer.

", - "content": "Après la défaite contre le Bayern mercredi soir (3-0) synonyme d’élimination dès la phase de poule pour le Barça, Clément Lenglet a été vu en train de rire avec son adversaire Robert Lewandowski. L’image a déclenché la colère des supporters et a poussé le Français à s’expliquer.

", + "title": "Manchester United: Lindelöf sorti pour des problèmes respiratoires face à Norwich", + "description": "Opposé à Norwich samedi lors de la 16e journée de Premier League, Manchester United s'est imposé (1-0) grâce à Cristiano Ronaldo. Mais les Red Devils se sont inquiétés pour leur défenseur Victor Lindelöf, sorti par précaution en raison de problèmes respiratoires survenus durant la partie.

", + "content": "Opposé à Norwich samedi lors de la 16e journée de Premier League, Manchester United s'est imposé (1-0) grâce à Cristiano Ronaldo. Mais les Red Devils se sont inquiétés pour leur défenseur Victor Lindelöf, sorti par précaution en raison de problèmes respiratoires survenus durant la partie.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bayern-barca-lenglet-se-justifie-apres-les-images-polemiques-tout-sourire-avec-lewandowski_AV-202112090383.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-lindelof-sorti-pour-des-problemes-respiratoires-face-a-norwich_AV-202112120117.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 15:58:00 GMT", - "enclosure": "https://images.bfmtv.com/_7ofL6f6KU954Vq_FNRZE-CNekQ=/114x81:754x441/800x0/images/Le-defenseur-francais-du-Barca-Clement-Lenglet-gauche-felicite-l-avant-centre-polonais-du-Bayern-Robert-Lewandowski-apres-le-match-de-ligue-des-Champions-entre-les-deux-equipes-a-Munich-le-8-decembre-2021-1184905.jpg", + "pubDate": "Sun, 12 Dec 2021 10:48:23 GMT", + "enclosure": "https://images.bfmtv.com/oBw86tVkc6BsoPfK5cxwWB7NSmE=/0x0:2048x1152/800x0/images/Victor-Lindeloef-1186892.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32481,19 +36987,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a9f6e24194a25a7227dd3a5a583eb09" + "hash": "1af064cab8663cd36bd544a3fc890023" }, { - "title": "Mercato: Raiola fait monter la pression pour Haaland", - "description": "Les chances de voir Erling Haaland quitter le Borussia Dortmund l’été prochain sont grandes. Et ce ne sont pas les déclarations de son agent qui vont dissuader les observateurs de foot de penser l’inverse. Dans un entretien à Sport 1, Mino Raiola a parlé de l’avenir de son poulain.

", - "content": "Les chances de voir Erling Haaland quitter le Borussia Dortmund l’été prochain sont grandes. Et ce ne sont pas les déclarations de son agent qui vont dissuader les observateurs de foot de penser l’inverse. Dans un entretien à Sport 1, Mino Raiola a parlé de l’avenir de son poulain.

", + "title": "MLS: comme Payet, un joueur de New York touché par un jet de canette en pleine finale", + "description": "La finale du championnat nord-américain de football (MLS) a été interrompue ce samedi pendant quelques instants. En cause: après l'ouverture du score de New York City, qui a été sacré champion face aux Portland Timbers à l'issue d'une séance de tirs au but (1-1, 4 tab à 2), un joueur a été touché à la tête par un jet de canette de bière. L'agresseur a été interpellé et banni du stade de Portland.

", + "content": "La finale du championnat nord-américain de football (MLS) a été interrompue ce samedi pendant quelques instants. En cause: après l'ouverture du score de New York City, qui a été sacré champion face aux Portland Timbers à l'issue d'une séance de tirs au but (1-1, 4 tab à 2), un joueur a été touché à la tête par un jet de canette de bière. L'agresseur a été interpellé et banni du stade de Portland.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-raiola-fait-monter-la-pression-pour-haaland_AV-202112090322.html", + "link": "https://rmcsport.bfmtv.com/football/major-league-soccer/mls-comme-payet-un-joueur-de-new-york-touche-par-un-jet-de-canette-en-pleine-finale_AV-202112120106.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 14:25:35 GMT", - "enclosure": "https://images.bfmtv.com/aWdz0MjvmYxgsGakVX2_opyRK8A=/0x0:752x423/800x0/images/L-attaquant-norvegien-du-Borussia-Dortmund-Erling-Haaland-encourage-ses-coequipiers-depuis-les-tribunes-lors-de-la-rencontre-de-Ligue-des-champions-contre-l-Ajax-Amsterdam-groupe-C-a-domicile-le-3-Novembre-2021-1176056.jpg", + "pubDate": "Sun, 12 Dec 2021 10:20:07 GMT", + "enclosure": "https://images.bfmtv.com/cDtyrhxttRtB5-MsDP8BeaS8Y7w=/0x106:2048x1258/800x0/images/Jesus-Medina-1186878.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32501,19 +37008,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5db56d8d6983e2f3b52e8796b638126d" + "hash": "483fbd229aba8c17e9e2ba32dbe6dc13" }, { - "title": "Coupes d'Europe: les clubs français se portent mieux, la preuve en stat", - "description": "Les six équipes françaises engagées dans les compétitions européennes cette saison pourraient encore être présentes en février lors des phases à élimination directe. Seul l'OM doit encore valider son billet pour la Conference League. En attendant la dernière journée ce jeudi en Ligue Europa et en C4, les clubs français peuvent déjà mesurer leur progression lors des phases de groupes.

", - "content": "Les six équipes françaises engagées dans les compétitions européennes cette saison pourraient encore être présentes en février lors des phases à élimination directe. Seul l'OM doit encore valider son billet pour la Conference League. En attendant la dernière journée ce jeudi en Ligue Europa et en C4, les clubs français peuvent déjà mesurer leur progression lors des phases de groupes.

", + "title": "PSG en direct: Kimpembe et Ramos absents contre Monaco", + "description": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", + "content": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/coupes-d-europe-les-clubs-francais-se-portent-mieux-la-preuve-en-stat_AV-202112090321.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conf-de-pochettino-avant-monaco_LN-202112110112.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 14:18:53 GMT", - "enclosure": "https://images.bfmtv.com/7z3UfCv9QAGjasbl781VRIXC3ao=/6x101:2038x1244/800x0/images/Losc-Wolfsburg-1184513.jpg", + "pubDate": "Sat, 11 Dec 2021 10:51:01 GMT", + "enclosure": "https://images.bfmtv.com/FcKV2Lt2oiwCtoSXE4rFHV8Duro=/0x65:2048x1217/800x0/images/Presnel-KIMPEMB-1160323.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32521,19 +37029,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ec2d8737afa117fb75daa42cf5c43c00" + "hash": "2c1994a8734b9952c56cec9b9a250572" }, { - "title": "OM: Rongier explique pourquoi il ne marque presque jamais", - "description": "Joueur important dans le onze de départ de l’Olympique de Marseille, Valentin Rongier ne brille pas par ses statistiques devant le but. Invité lundi sur le plateau de BFM Marseille, le milieu de terrain a expliqué ce problème par \"un manque de lucidité\".

", - "content": "Joueur important dans le onze de départ de l’Olympique de Marseille, Valentin Rongier ne brille pas par ses statistiques devant le but. Invité lundi sur le plateau de BFM Marseille, le milieu de terrain a expliqué ce problème par \"un manque de lucidité\".

", + "title": "PSG-Monaco: à quelle heure et sur quelle chaîne regarder le choc de Ligue 1", + "description": "La 18e journée de Ligue 1 baissera le rideau ce dimanche avec une belle affiche entre le PSG et Monaco (20h45) au Parc des Princes. Un duel à suivre sur Amazon Prime Vidéo et à la radio sur RMC.

", + "content": "La 18e journée de Ligue 1 baissera le rideau ce dimanche avec une belle affiche entre le PSG et Monaco (20h45) au Parc des Princes. Un duel à suivre sur Amazon Prime Vidéo et à la radio sur RMC.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-valentin-rongier-explique-pourquoi-il-ne-marque-presque-jamais_AV-202112090317.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-monaco-a-quelle-heure-et-sur-quelle-chaine-regarder-le-choc-de-ligue-1_AV-202112120102.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 14:08:28 GMT", - "enclosure": "https://images.bfmtv.com/pf2q1HHQ8NJHTOxQ7bgkHDouQF8=/0x143:2048x1295/800x0/images/Valentin-Rongier-1167218.jpg", + "pubDate": "Sun, 12 Dec 2021 10:07:12 GMT", + "enclosure": "https://images.bfmtv.com/Hw1fwRIxyLTlGgtNwqiLoa6h94Y=/0x0:2048x1152/800x0/images/Ruben-Aguilar-et-Kylian-Mbappe-1186870.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32541,19 +37050,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2386050bf4582f97deb6ff1d9932b180" + "hash": "263fa09af6ca06898d102d6fcd893bd2" }, { - "title": "Ligue 1: \"Pep Genesio\", comment l'entraîneur du Stade Rennais juge son surnom", - "description": "Dans un entretien pour le magazine So Foot, Bruno Genesio revient avec franchise sur sa perception de son surnom lié à l'entraîneur de Manchester City Pep Guardiola. L'actuel coach du Stade Rennais assure qu'il prend la chose \"sur le ton de la plaisanterie\". Mais ça n'a pas été toujours le cas.

", - "content": "Dans un entretien pour le magazine So Foot, Bruno Genesio revient avec franchise sur sa perception de son surnom lié à l'entraîneur de Manchester City Pep Guardiola. L'actuel coach du Stade Rennais assure qu'il prend la chose \"sur le ton de la plaisanterie\". Mais ça n'a pas été toujours le cas.

", + "title": "Val d'Isère (slalom): Noël meilleur chrono de la première manche, Pinturault déjà éliminé", + "description": "Clément Noël a réussi à domicile le meilleur temps de la première manche du slalom de Coupe du monde de ski alpin de Val d'Isère ce dimanche, alors qu'Alexis Pinturault a été éliminé.

", + "content": "Clément Noël a réussi à domicile le meilleur temps de la première manche du slalom de Coupe du monde de ski alpin de Val d'Isère ce dimanche, alors qu'Alexis Pinturault a été éliminé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pep-guardiola-comment-l-entraineur-du-stade-rennais-juge-son-surnom_AV-202112090307.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/val-d-isere-slalom-noel-meilleur-chrono-de-la-premiere-manche-pinturault-deja-elimine_AV-202112120101.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:44:56 GMT", - "enclosure": "https://images.bfmtv.com/pdikyk_c0P4fP49-VZCytXlND-Q=/0x134:2048x1286/800x0/images/Bruno-Genesio-1150756.jpg", + "pubDate": "Sun, 12 Dec 2021 10:02:39 GMT", + "enclosure": "https://images.bfmtv.com/p-jm5oUGV7vkfSlWYqmG7CKT2-A=/0x106:2048x1258/800x0/images/Clement-Noel-1186889.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32561,19 +37071,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fafd47d4f8e23796748d3cabaa67ac8e" + "hash": "46d14805c45b9999f9f550bc85b417d1" }, { - "title": "Saint-Etienne: Khazri dément avoir acheté un immeuble pour loger des sans-abris", - "description": "Wahbi Khazri a démenti une rumeur lancée sur les réseaux sociaux selon laquelle l’attaquant de Saint-Etienne avait acheté un immeuble pour louer à bas coût des appartements à des sans-abris.

", - "content": "Wahbi Khazri a démenti une rumeur lancée sur les réseaux sociaux selon laquelle l’attaquant de Saint-Etienne avait acheté un immeuble pour louer à bas coût des appartements à des sans-abris.

", + "title": "Strasbourg-OM: comment Sels est devenu un maillon fort du système Stéphan", + "description": "Avant de recevoir l'OM ce dimanche (17h) en Ligue 1, le Racing Club de Strasbourg a déjà inscrit 34 buts en 17 journées. Une moyenne affolante de deux buts par match pour l’un des plus petits budgets de Ligue 1. Les joueurs offensifs s’illustrent, mais la philosophie de Julien Stéphan démarre un peu plus bas sur le terrain avec le rôle important joué par Matz Sels.

", + "content": "Avant de recevoir l'OM ce dimanche (17h) en Ligue 1, le Racing Club de Strasbourg a déjà inscrit 34 buts en 17 journées. Une moyenne affolante de deux buts par match pour l’un des plus petits budgets de Ligue 1. Les joueurs offensifs s’illustrent, mais la philosophie de Julien Stéphan démarre un peu plus bas sur le terrain avec le rôle important joué par Matz Sels.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-khazri-dement-avoir-achete-un-immeuble-pour-loger-des-sans-abris_AV-202112090302.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/strasbourg-om-comment-sels-est-devenu-un-maillon-fort-du-systeme-stephan_AV-202112120090.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:35:19 GMT", - "enclosure": "https://images.bfmtv.com/xFO3OqWx-L2vCk3n4wbPRJYjdXU=/0x118:2048x1270/800x0/images/Wahbi-Khazri-1184964.jpg", + "pubDate": "Sun, 12 Dec 2021 09:43:03 GMT", + "enclosure": "https://images.bfmtv.com/Vrt5QWONkvLjtN5dG6CJ49cG0Mo=/0x42:2048x1194/800x0/images/Matz-Sels-1186862.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32581,19 +37092,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "140da4f7c20f1f6f1132caadd148083a" + "hash": "84589d277ac2b3b2a331e9198d43d3d4" }, { - "title": "F1: Verstappen estime être \"traité différemment\" des autres pilotes, la pression monte à Abou Dhabi", - "description": "Furieux d'avoir été pénalisé en Arabie Saoudite, Max Verstappen considère que la direction de course de la F1 le traite de façon injuste sur son pilotage. Avant le début du dernier GP de la saison, à Abou Dhabi, le pilote Red Bull met la pression sur la FIA.

", - "content": "Furieux d'avoir été pénalisé en Arabie Saoudite, Max Verstappen considère que la direction de course de la F1 le traite de façon injuste sur son pilotage. Avant le début du dernier GP de la saison, à Abou Dhabi, le pilote Red Bull met la pression sur la FIA.

", + "title": "Champions Cup: le Stade Français privé de Quesada au Connacht", + "description": "Le Stade Français s'est rendu en Irlande pour affronter la province irlandaise du Connacht sans son entraîneur Gonzalo Quesada. L'Argentin est \"cas contact\", a annoncé le club parisien ce dimanche, quelques heures avant la rencontre comptant pour la 1re journée de la Coupe d'Europe de rugby.

", + "content": "Le Stade Français s'est rendu en Irlande pour affronter la province irlandaise du Connacht sans son entraîneur Gonzalo Quesada. L'Argentin est \"cas contact\", a annoncé le club parisien ce dimanche, quelques heures avant la rencontre comptant pour la 1re journée de la Coupe d'Europe de rugby.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-verstappen-estime-etre-traite-differement-des-autres-pilotes_AV-202112090296.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-le-stade-francais-prive-de-quesada-au-connacht_AV-202112120082.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:25:26 GMT", - "enclosure": "https://images.bfmtv.com/xxTqXP4GEp0oC6ytHJ72N0J1wTI=/0x0:2048x1152/800x0/images/Verstappen-1184959.jpg", + "pubDate": "Sun, 12 Dec 2021 09:22:20 GMT", + "enclosure": "https://images.bfmtv.com/pZOupTCsDSZJqYpcbjhI9Tkhe7Q=/0x106:2048x1258/800x0/images/Gonzalo-Quesada-1186865.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32601,19 +37113,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c72f0e75b29a325e79271251ad713273" + "hash": "e832f7427ef46e52855d39f9d773496a" }, { - "title": "Nigeria: Rohr garde \"un petit espoir\" de récupérer Osimhen pour la CAN 2022", - "description": "Alors que Naples avait communiqué une absence de plusieurs mois pour Victor Osimhen après un choc violent au visage, le buteur pourrait revenir plus vite que prévu. Le sélectionneur du Nigeria a assuré ce jeudi qu'il existe \"un petit espoir\" de le voir participer à la CAN 2022 entre janvier et février.

", - "content": "Alors que Naples avait communiqué une absence de plusieurs mois pour Victor Osimhen après un choc violent au visage, le buteur pourrait revenir plus vite que prévu. Le sélectionneur du Nigeria a assuré ce jeudi qu'il existe \"un petit espoir\" de le voir participer à la CAN 2022 entre janvier et février.

", + "title": "UFC 269: Tuivasa signe un monstrueux KO... puis se sert une bière dans une chaussure", + "description": "Vainqueur dès le deuxième round face à Augusto Sakai lors de l'UFC 269 dans la nuit de samedi à dimanche, Tai Tuivasa a célébré, comme il en a désormais l'habitude, en buvant une bière dans la cage, servie dans une chaussure. Le poids lourd australien a signé un 14e succès, le quatrième de rang par KO.

", + "content": "Vainqueur dès le deuxième round face à Augusto Sakai lors de l'UFC 269 dans la nuit de samedi à dimanche, Tai Tuivasa a célébré, comme il en a désormais l'habitude, en buvant une bière dans la cage, servie dans une chaussure. Le poids lourd australien a signé un 14e succès, le quatrième de rang par KO.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-d-afrique-des-nations/nigeria-rohr-garde-un-petit-espoir-de-recuperer-osimhen-pour-la-can-2022_AV-202112090293.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ufc-269-tuivasa-signe-un-monstrueux-ko-puis-se-sert-une-biere-dans-une-chaussure_AV-202112120079.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:17:39 GMT", - "enclosure": "https://images.bfmtv.com/UfjJuPF3FsW3UyDhs5lJIfKfS-w=/0x0:2000x1125/800x0/images/Victor-Osimhen-Naples-1132900.jpg", + "pubDate": "Sun, 12 Dec 2021 09:14:44 GMT", + "enclosure": "https://images.bfmtv.com/KTWFnsJmMVigczDDyRhZWpNsrOc=/311x387:2039x1359/800x0/images/Tai-Tuivasa-1186846.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32621,19 +37134,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6c621af4d32e4c15232286095a977990" + "hash": "ee799069083ad3fd84fef004e72f01bb" }, { - "title": "LOSC: Gourvennec savoure l'accueil des fans après la qualification en Ligue des champions", - "description": "De nombreux supporters du LOSC se sont rendus à l'aéroport de Lille-Lesquin ce jeudi matin pour accueillir en triomphe les joueurs lillois, qui se sont qualifiés mercredi pour les huitièmes de finale de Ligue des champions grâce à leur victoire face à Wolfsburg (3-1).

", - "content": "De nombreux supporters du LOSC se sont rendus à l'aéroport de Lille-Lesquin ce jeudi matin pour accueillir en triomphe les joueurs lillois, qui se sont qualifiés mercredi pour les huitièmes de finale de Ligue des champions grâce à leur victoire face à Wolfsburg (3-1).

", + "title": "GP d'Abu Dhabi: Mazepin forfait de dernière minute", + "description": "Le pilote russe Nikita Mazepin (Haas), testé positif au Covid-19, ne participera pas au dernier Grand Prix de la saison de Formule 1 à Abu Dhabi ce dimanche. Il ne sera pas remplacé.

", + "content": "Le pilote russe Nikita Mazepin (Haas), testé positif au Covid-19, ne participera pas au dernier Grand Prix de la saison de Formule 1 à Abu Dhabi ce dimanche. Il ne sera pas remplacé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/losc-gourvennec-savoure-l-accueil-des-fans-apres-la-qualification-en-ligue-des-champions_AV-202112090290.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-mazepin-forfait-de-derniere-minute_AV-202112120076.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:11:50 GMT", - "enclosure": "https://images.bfmtv.com/vGx4mpoEivRZ9GgnvUE-1i0acd8=/0x0:2048x1152/800x0/images/Jocelyn-Gourvennec-1184969.jpg", + "pubDate": "Sun, 12 Dec 2021 09:06:00 GMT", + "enclosure": "https://images.bfmtv.com/uRvhgJPgQCYYovVfECgUiMYX-Og=/0x0:2048x1152/800x0/images/Nikita-MAZEPIN-1186839.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32641,19 +37155,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c2115da8f5f8d16c9a67fd6a8f8435cb" + "hash": "dbd0147b53bf2bb90b27df939ebebd08" }, { - "title": "Tour de France: la spectatrice à la pancarte condamnée à une amende", - "description": "La spectatrice à la pancarte ayant provoqué une chute massive lors du Tour de France l’été dernier a été condamnée une amende de 1.200 euros, ce jeudi par le tribunal correctionnel de Brest.

", - "content": "La spectatrice à la pancarte ayant provoqué une chute massive lors du Tour de France l’été dernier a été condamnée une amende de 1.200 euros, ce jeudi par le tribunal correctionnel de Brest.

", + "title": "Ligue des champions: le film de la flamboyante victoire de Lille à Wolfsburg", + "description": "Le LOSC a validé sa qualification pour les huitièmes de finale de la Ligue des champions et sa première place de groupe en s'imposant mercredi à Wolfsburg (3-1). RMC Sport vous propose le film de ce match historique pour les Lillois.

", + "content": "Le LOSC a validé sa qualification pour les huitièmes de finale de la Ligue des champions et sa première place de groupe en s'imposant mercredi à Wolfsburg (3-1). RMC Sport vous propose le film de ce match historique pour les Lillois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/cyclisme/tour-de-france/tour-de-france-la-spectatrice-a-la-pancarte-condamnee-a-une-amende_AV-202112090286.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-film-de-la-flamboyante-victoire-de-lille-a-wolfsburg_AV-202112120071.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:53:10 GMT", - "enclosure": "https://images.bfmtv.com/qrCOtTDydi6ZAZH2i0brcuJHIhw=/7x88:1063x682/800x0/images/La-chute-sur-le-Tour-de-France-1055978.jpg", + "pubDate": "Sun, 12 Dec 2021 08:59:22 GMT", + "enclosure": "https://images.bfmtv.com/RpkVpkkG3rVNUblTpEVrznvs6II=/0x0:1920x1080/800x0/images/Wolfsburg-Lille-le-film-1186851.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32661,19 +37176,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b32439f83a5c099ca414be500bd1659c" + "hash": "d56e227489c89c3f01f5b940c518c00e" }, { - "title": "Lyon: Juninho, les raisons d'un départ", - "description": "C'est fait, ce qui n'était encore qu'une hypothèse, le départ avancé du directeur sportif de l'OL, Juninho dès la trêve des confiseurs est devenu réalité. Son président, qui l'a fait venir au printemps 2019 a appuyé sur le bouton. Décryptage.

", - "content": "C'est fait, ce qui n'était encore qu'une hypothèse, le départ avancé du directeur sportif de l'OL, Juninho dès la trêve des confiseurs est devenu réalité. Son président, qui l'a fait venir au printemps 2019 a appuyé sur le bouton. Décryptage.

", + "title": "Boxe: Donaire conserve sa ceinture des coqs avec un beau KO face à Gaballo", + "description": "A 39 ans, le Philippin Nonito Donaire a conservé sa ceinture de champion du monde WBC chez les poids coqs en mettant KO son compatriote Reymart Gaballo, dans la nuit de samedi à dimanche, en Californie (sur RMC Sport 1).

", + "content": "A 39 ans, le Philippin Nonito Donaire a conservé sa ceinture de champion du monde WBC chez les poids coqs en mettant KO son compatriote Reymart Gaballo, dans la nuit de samedi à dimanche, en Californie (sur RMC Sport 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-lyon/lyon-juninho-les-raisons-d-un-depart_AV-202112090285.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-donaire-conserve-sa-ceinture-des-coqs-avec-un-beau-ko-face-a-gaballo_AV-202112120070.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:50:13 GMT", - "enclosure": "https://images.bfmtv.com/91DYCYPmwbklACvwY56DyeW5Rjg=/0x0:1376x774/800x0/images/-848768.jpg", + "pubDate": "Sun, 12 Dec 2021 08:50:03 GMT", + "enclosure": "https://images.bfmtv.com/EE_PFWs3ZmrtXqlYJVlw6kp7mXk=/0x0:1920x1080/800x0/images/Nonito-Donaire-1186817.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32681,19 +37197,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f80b60663ef871d7eb41541e84ef40f2" + "hash": "782fb0fbfa931366b957e6ae722181f5" }, { - "title": "Bayern: affaibli par le Covid, Kimmich ne rejouera avant 2022", - "description": "Le Bayern Munich a publié un communiqué ce jeudi pour annoncer l’absence de Joshua Kimmich pour les derniers matchs de l’année. Le milieu de terrain allemand ressent toujours les effets du covid et n’a plus joué depuis un mois.

", - "content": "Le Bayern Munich a publié un communiqué ce jeudi pour annoncer l’absence de Joshua Kimmich pour les derniers matchs de l’année. Le milieu de terrain allemand ressent toujours les effets du covid et n’a plus joué depuis un mois.

", + "title": "GP d'Abu Dhabi: à quelle heure et sur quelle chaîne suivre la bataille pour le titre en Formule 1", + "description": "Max Verstappen et Lewis Hamilton se disputeront ce dimanche le titre en Formule 1 à l'occasion du dernier Grand Prix de la saison, à Abu Dhabi sur le circuit de Yas Marina. Les deux pilotes ont le même nombre de points (369,5) avant cet affrontement final. Samedi, le pilote néerlandais a signé la pole position devant son adversaire britannique.

", + "content": "Max Verstappen et Lewis Hamilton se disputeront ce dimanche le titre en Formule 1 à l'occasion du dernier Grand Prix de la saison, à Abu Dhabi sur le circuit de Yas Marina. Les deux pilotes ont le même nombre de points (369,5) avant cet affrontement final. Samedi, le pilote néerlandais a signé la pole position devant son adversaire britannique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-affaibli-par-le-covid-kimmich-ne-rejouera-avant-2022_AV-202112090282.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-a-quelle-heure-et-sur-quelle-chaine-suivre-la-bataille-pour-le-titre-en-formule-1_AV-202112120059.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:46:57 GMT", - "enclosure": "https://images.bfmtv.com/iBRJP8sRbLkUMZ49ssmzPBjoBe0=/0x106:2048x1258/800x0/images/Joshua-Kimmich-1184948.jpg", + "pubDate": "Sun, 12 Dec 2021 08:22:47 GMT", + "enclosure": "https://images.bfmtv.com/QqhzmlYPP0NcX312d-X-McIdBQw=/0x106:2048x1258/800x0/images/Hamilton-Verstappen-1186822.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32701,19 +37218,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "09e5fc3b34f1dc438742ebd583007b37" + "hash": "bab4561fe4b75bd291d7921eda2d9028" }, { - "title": "Saint-Etienne: nommé entraîneur intérimaire, Sablé change de capitaine", - "description": "Nommé entraîneur de Saint-Etienne par intérim après l’éviction de Claude Puel, Julien Sablé a pris une première décision en changeant de capitaine. Le brassard quitte le bras de Mahdi Camara pour rejoindre celui de Wahbi Khazri.

", - "content": "Nommé entraîneur de Saint-Etienne par intérim après l’éviction de Claude Puel, Julien Sablé a pris une première décision en changeant de capitaine. Le brassard quitte le bras de Mahdi Camara pour rejoindre celui de Wahbi Khazri.

", + "title": "Grand Prix d'Abu Dhabi en direct: la pression monte pour Hamilton et Verstappen", + "description": "La saison de Formule 1 s'achève ce dimanche avec le Grand Prix d'Abu Dhabi (départ à 14h), épilogue d'un duel d'anthologie entre Max Verstappen (Red Bull) et Lewis Hamilton (Mercedes), à égalité parfaite dans la course au titre de champion du monde.

", + "content": "La saison de Formule 1 s'achève ce dimanche avec le Grand Prix d'Abu Dhabi (départ à 14h), épilogue d'un duel d'anthologie entre Max Verstappen (Red Bull) et Lewis Hamilton (Mercedes), à égalité parfaite dans la course au titre de champion du monde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-nomme-entraineur-interimaire-sable-change-de-capitaine_AV-202112090278.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/formule-1-suivez-en-direct-le-grand-prix-d-abu-dhabi-dernier-duel-entre-verstappen-et-hamilton_LN-202112120014.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:29:11 GMT", - "enclosure": "https://images.bfmtv.com/j63whodjrWYf0KPJdYR0TY2POOk=/0x106:2048x1258/800x0/images/Wahbi-Khazri-1184936.jpg", + "pubDate": "Sun, 12 Dec 2021 08:22:23 GMT", + "enclosure": "https://images.bfmtv.com/1uVedJftxSwltTHqWrEMbUsfMwM=/0x91:2048x1243/800x0/images/Lewis-Hamilton-et-Max-Verstappen-1186891.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32721,19 +37239,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "efd0bf5158b6a788b38de2eb57f1a8fa" + "hash": "c2bb0baaae10ff9ea331fbe08e732e79" }, { - "title": "Barça: les chiffres désastreux du fiasco en Ligue des champions", - "description": "Dominé par le Bayern Munich (3-0), le FC Barcelone a vu son aventure en Ligue des champions se terminer brusquement. Troisième de leur groupe, les Catalans joueront la Ligue Europa à partir de février prochain. Voici les chiffres et statistiques illustrant cette campagne catastrophique du club de Liga.

", - "content": "Dominé par le Bayern Munich (3-0), le FC Barcelone a vu son aventure en Ligue des champions se terminer brusquement. Troisième de leur groupe, les Catalans joueront la Ligue Europa à partir de février prochain. Voici les chiffres et statistiques illustrant cette campagne catastrophique du club de Liga.

", + "title": "LOSC-OL: à quelle heure et sur quelle chaîne suivre le match", + "description": "La 18e journée de Ligue 1 se poursuit ce dimanche avec un choc entre le LOSC et l'OL, au stade Pierre-Mauroy. Qualifiée pour les huitièmes de finale de Ligue des champions cette semaine, l'équipe de Jocelyn Gourvennec veut remonter au classement en Ligue 1, là où Lyon souhaite se sortir de sa mauvaise passe actuelle.

", + "content": "La 18e journée de Ligue 1 se poursuit ce dimanche avec un choc entre le LOSC et l'OL, au stade Pierre-Mauroy. Qualifiée pour les huitièmes de finale de Ligue des champions cette semaine, l'équipe de Jocelyn Gourvennec veut remonter au classement en Ligue 1, là où Lyon souhaite se sortir de sa mauvaise passe actuelle.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-les-chiffres-desastreux-du-fiasco-en-ligue-des-champions_AV-202112090277.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/losc-ol-a-quelle-heure-et-sur-quelle-chaine-suivre-le-match_AV-202112120054.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:25:04 GMT", - "enclosure": "https://images.bfmtv.com/3SbOFWHSUMtFJ34Lali5w1sYC1I=/0x0:2048x1152/800x0/images/FC-Barcelone-1184919.jpg", + "pubDate": "Sun, 12 Dec 2021 08:11:59 GMT", + "enclosure": "https://images.bfmtv.com/41my1EGhK38a-FFyGke5I9aANi4=/0x116:1984x1232/800x0/images/J-David-1186491.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32741,19 +37260,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff35931161d791e1ccf15dc659e72185" + "hash": "7e69bcec758bb27b60e76c86554675eb" }, { - "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Lyon – Rangers – Ligue Europa", - "description": "Notre pronostic: Lyon ne perd pas contre les Rangers et les deux équipes marquent (1.86)

", - "content": "Notre pronostic: Lyon ne perd pas contre les Rangers et les deux équipes marquent (1.86)

", + "title": "Argentine: les adieux très émouvants de Lisandro Lopez au Racing Club", + "description": "A 38 ans, l'ancien buteur du FC Porto et de l'OL, Lisandro Lopez, a disputé samedi son dernier match avec le Racing Club, où il a été formé. L'Argentin, qui pourrait bientôt prendre sa retraite, n'a pu retenir ses larmes.

", + "content": "A 38 ans, l'ancien buteur du FC Porto et de l'OL, Lisandro Lopez, a disputé samedi son dernier match avec le Racing Club, où il a été formé. L'Argentin, qui pourrait bientôt prendre sa retraite, n'a pu retenir ses larmes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-lyon-rangers-ligue-europa_AN-202112080418.html", + "link": "https://rmcsport.bfmtv.com/football/argentine-les-adieux-tres-emouvants-de-lisandro-lopez-au-racing-club_AV-202112120050.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/FairGJMszrFuua2bvQ-OxWIf0Yw=/0x104:1984x1220/800x0/images/Moussa-Dembele-Lyon-1184258.jpg", + "pubDate": "Sun, 12 Dec 2021 07:36:39 GMT", + "enclosure": "https://images.bfmtv.com/2REDhzI5mm-uJb1K8o3ZYEOukQs=/0x0:1008x567/800x0/images/Les-adieux-tres-emouvants-de-Lisandro-Lopez-au-Racing-Club-1186778.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32761,19 +37281,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1081daebafa51b3eda52dfac1f9b89c2" + "hash": "75dd8dbb09ece573bf96d48390fc9b4b" }, { - "title": "Barça-Bayern: Xavi a poussé un énorme coup de gueule dans le vestiaire", - "description": "La défaite du FC Barcelone sur la pelouse du Bayern Munich, mercredi en Ligue des champions (3-0), n’a pas du tout plu à Xavi. Selon Sport, à la pause, le coach catalan a sérieusement secoué ses joueurs, dominés en Bavière avant d'être éliminés de la C1.

", - "content": "La défaite du FC Barcelone sur la pelouse du Bayern Munich, mercredi en Ligue des champions (3-0), n’a pas du tout plu à Xavi. Selon Sport, à la pause, le coach catalan a sérieusement secoué ses joueurs, dominés en Bavière avant d'être éliminés de la C1.

", + "title": "NBA: les Sixers battent les Warriors et empêchent Curry de faire tomber le record de Ray Allen", + "description": "Stephen Curry devra encore patienter pour s'emparer du record de tirs à 3 points réussis en saison régulière de Ray Allen: les Sixers l'ont contraint à un piteux 3 sur 14 dans l'exercice samedi, s'adjugeant la victoire 102-93 face aux Warriors.

", + "content": "Stephen Curry devra encore patienter pour s'emparer du record de tirs à 3 points réussis en saison régulière de Ray Allen: les Sixers l'ont contraint à un piteux 3 sur 14 dans l'exercice samedi, s'adjugeant la victoire 102-93 face aux Warriors.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-bayern-xavi-a-pousse-un-enorme-coup-de-gueule-dans-le-vestiaire_AV-202112090274.html", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-les-sixers-battent-les-warriors-et-empechent-curry-de-faire-tomber-le-record-de-ray-allen_AN-202112120045.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:11:29 GMT", - "enclosure": "https://images.bfmtv.com/ha-BGR6BdAv_M7sE7PVYOLC22qQ=/0x48:2000x1173/800x0/images/Xavi-Hernandez-Barcelone-1176107.jpg", + "pubDate": "Sun, 12 Dec 2021 07:32:07 GMT", + "enclosure": "https://images.bfmtv.com/P3xRgrIMCx7CVtvdN6ZNIT0y7LQ=/0x74:2048x1226/800x0/images/Stephen-Curry-1186805.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32781,19 +37302,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa69a863643e9f4de1fe77b479889078" + "hash": "0b87c31cf3407c9b66f54ecdc1fc21bd" }, { - "title": "Mondial de handball: Krumbholz pointe \"la peur\" des Bleues de ne pas être à la hauteur", - "description": "La France entame son tour principal contre la Pologne ce jeudi (20h30) en ayant fait le plein de points. Malgré tout, Olivier Krumbholz sent son équipe inhibée, portée par la peur de mal faire et de ne pas pouvoir honorer son statut de championne olympique.

", - "content": "La France entame son tour principal contre la Pologne ce jeudi (20h30) en ayant fait le plein de points. Malgré tout, Olivier Krumbholz sent son équipe inhibée, portée par la peur de mal faire et de ne pas pouvoir honorer son statut de championne olympique.

", + "title": "UFC 269: la grosse surprise Pena, qui inflige à Nunes sa première défaite depuis 2014", + "description": "Victorieuse d'Amanda Nunes après un étranglement arrière dans le deuxième round, Julianna Pena est devenue la nouvelle championne des poids coqs lors de l'UFC 269. La Brésilienne était pourtant invaincue depuis 2014, avec une série de 12 victoires.

", + "content": "Victorieuse d'Amanda Nunes après un étranglement arrière dans le deuxième round, Julianna Pena est devenue la nouvelle championne des poids coqs lors de l'UFC 269. La Brésilienne était pourtant invaincue depuis 2014, avec une série de 12 victoires.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-handball-krumbholz-pointe-la-peur-des-bleues-de-ne-pas-etre-a-la-hauteur_AV-202112090267.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/ufc-269-la-surprise-pena-qui-domine-nunes-invaincue-depuis-2014_AV-202112120039.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:02:06 GMT", - "enclosure": "https://images.bfmtv.com/2oRhSwnJK-mkbikHKZw9ZoDmgAw=/0x159:2048x1311/800x0/images/Olivier-Krumbholz-le-selectionneur-des-Bleues-1182062.jpg", + "pubDate": "Sun, 12 Dec 2021 07:23:52 GMT", + "enclosure": "https://images.bfmtv.com/Ii0A-b2mYRlY36WF6oOyRV2r6WM=/0x0:2048x1152/800x0/images/Amanda-Nunes-1186785.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32801,19 +37323,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "71bcf8a941b121ee932a35700ce1a655" + "hash": "3cf1a9dc32e6edb7925a2c346990fe9e" }, { - "title": "Ligue des champions: 54 supporters du Dynamo Kiev arrêtés lors d'affrontements avec ceux du Benfica", - "description": "En marge de la rencontre ce mercredi de Ligue des champions entre le Benfica Lisbonne et le Dynamo Kiev, qui a vu la victoire (2-0) et la qualification pour les huitièmes de finales du club lisboète, la police portugaise a arrêté 54 supporters du club ukrainien pour avoir participé à des affrontements avec des fans adverses.

", - "content": "En marge de la rencontre ce mercredi de Ligue des champions entre le Benfica Lisbonne et le Dynamo Kiev, qui a vu la victoire (2-0) et la qualification pour les huitièmes de finales du club lisboète, la police portugaise a arrêté 54 supporters du club ukrainien pour avoir participé à des affrontements avec des fans adverses.

", + "title": "Ligue 1: \"en convalescence\", Saint-Etienne a \"la qualité pour se maintenir\" selon Sablé", + "description": "En déplacement à Reims ce samedi, Saint-Etienne s'est incliné pour la quatrième fois de suite (2-0) en Ligue 1. Après 18 journées, les Verts ne comptent que 12 points et restent à la dernière place du classement. Pour autant, Julien Sablé, entraîneur par intérim après le départ de Claude Puel, assure que son groupe a \"la qualité pour se maintenir\".

", + "content": "En déplacement à Reims ce samedi, Saint-Etienne s'est incliné pour la quatrième fois de suite (2-0) en Ligue 1. Après 18 journées, les Verts ne comptent que 12 points et restent à la dernière place du classement. Pour autant, Julien Sablé, entraîneur par intérim après le départ de Claude Puel, assure que son groupe a \"la qualité pour se maintenir\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-54-supporters-du-dynamo-kiev-arretes-lors-d-affrontements-avec-ceux-du-benfica_AV-202112090256.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-en-convalescence-les-verts-ont-la-qualite-pour-se-maintenir-selon-sable_AV-202112120033.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:47:31 GMT", - "enclosure": "https://images.bfmtv.com/Q_QaP8ZWVj7Q-eAtZo0eHla5fes=/0x106:2048x1258/800x0/images/Benfica-1184896.jpg", + "pubDate": "Sun, 12 Dec 2021 06:59:24 GMT", + "enclosure": "https://images.bfmtv.com/8GRebIvej5kfaMBjJ_2b2ycbXOU=/0x0:2048x1152/800x0/images/Julien-Sable-1186771.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32821,19 +37344,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "85e7e9f0027ee301a21cdaf8e684c1a3" + "hash": "4b4e47e570b15cb7dd21409db3b95435" }, { - "title": "F1: pour Ecclestone, Mercedes \"joue un jeu psychologique\" avec Verstappen", - "description": "Ancien grand patron de la F1, Bernie Ecclestone estime, dans un entretien relayé par le quotidien Het Laatste Nieuws, que Max Verstappen est malmené par l'expérience et l'influence de Lewis Hamilton mais aussi de Mercedes.

", - "content": "Ancien grand patron de la F1, Bernie Ecclestone estime, dans un entretien relayé par le quotidien Het Laatste Nieuws, que Max Verstappen est malmené par l'expérience et l'influence de Lewis Hamilton mais aussi de Mercedes.

", + "title": "MLS: New York remporte le championnat pour la première fois de son histoire", + "description": "Opposé aux Portland Timbers ce samedi soir, le New York City FC a acquis pour la première fois de son histoire le titre dans le championnat de la Ligue nord-américaine de football (MLS), en s'imposant au terme d'une séance de tirs au but (1-1, 4-2).

", + "content": "Opposé aux Portland Timbers ce samedi soir, le New York City FC a acquis pour la première fois de son histoire le titre dans le championnat de la Ligue nord-américaine de football (MLS), en s'imposant au terme d'une séance de tirs au but (1-1, 4-2).

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-pour-ecclestone-mercedes-joue-un-jeu-psychologique-avec-verstappen_AV-202112090250.html", + "link": "https://rmcsport.bfmtv.com/football/major-league-soccer/mls-new-york-remporte-le-championnat-pour-la-premiere-fois-de-son-histoire_AN-202112120026.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:38:00 GMT", - "enclosure": "https://images.bfmtv.com/PwiJPWuW--GApJmKLF4q_CpLkvE=/4x5:4724x2660/800x0/images/-862115.jpg", + "pubDate": "Sun, 12 Dec 2021 06:30:21 GMT", + "enclosure": "https://images.bfmtv.com/89XsvlM56P-De6gDWkAXGK3-tV0=/0x106:2048x1258/800x0/images/New-York-City-FC-1186763.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32841,19 +37365,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d4098db82b1d874d2036310a0ffaf5d" + "hash": "272b29efc142f1dcf9ee5a03ce67cb1a" }, { - "title": "Ligue Europa: à quelle heure et sur quelle chaîne suivre Sturm Graz-Monaco", - "description": "Assuré de terminer à la première place de son groupe en Ligue Europa, l'AS Monaco se rend en Autriche ce jeudi (18h45), pour y défier le Sturm Graz. Niko Kovac a déjà prévu de faire tourner avec en toile de fond le match ce dimanche face au PSG, en Ligue 1.

", - "content": "Assuré de terminer à la première place de son groupe en Ligue Europa, l'AS Monaco se rend en Autriche ce jeudi (18h45), pour y défier le Sturm Graz. Niko Kovac a déjà prévu de faire tourner avec en toile de fond le match ce dimanche face au PSG, en Ligue 1.

", + "title": "UFC 269: l'énorme soumission d'Oliveira, qui fait plier Poirier", + "description": "Dans le main-event de l'UFC 269 à Las Vegas ce dimanche, Charles Oliveira a conservé sa ceinture des poids légers en soumettant l'Américain Dustin Poirier. Le Brésilien a triomphé grâce à ses qualités au sol, alors que sa compatriote Amanda Nunes, invaincue depuis 2014, a cédé face à Julianna Pena, qui s'est emparée de la ceinture des poids coqs.

", + "content": "Dans le main-event de l'UFC 269 à Las Vegas ce dimanche, Charles Oliveira a conservé sa ceinture des poids légers en soumettant l'Américain Dustin Poirier. Le Brésilien a triomphé grâce à ses qualités au sol, alors que sa compatriote Amanda Nunes, invaincue depuis 2014, a cédé face à Julianna Pena, qui s'est emparée de la ceinture des poids coqs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-a-quelle-heure-et-sur-quelle-chaine-suivre-sturm-graz-monaco_AV-202112090246.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/ufc-268-la-soumission-d-oliveira-qui-fait-plier-poirier_AV-202112120024.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:35:56 GMT", - "enclosure": "https://images.bfmtv.com/yTnfJiSq2GP8NkwjVGQO6AMIGgU=/0x106:2048x1258/800x0/images/Monaco-1184876.jpg", + "pubDate": "Sun, 12 Dec 2021 06:19:12 GMT", + "enclosure": "https://images.bfmtv.com/lNqgUz97rs05kqBSj8rbNsYekj4=/0x0:2048x1152/800x0/images/Charles-Oliveira-1186757.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32861,19 +37386,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b36cc6ce8287cf1f88cf94f79793253" + "hash": "8d9a15e5be363cb2b91205e0e2241515" }, { - "title": "F1: le Grand Prix d'Abou Dhabi prolongé jusqu'en 2030", - "description": "La Formule 1 a confirmé ce jeudi un nouvel accord avec le promoteur du Grand Prix d'Abu Dhabi, pour que la course reste au calendrier jusqu'en 2030 sur le Circuit de Yas Marina. L'événément se tient depuis 2009 et sera une nouvelle fois, ce week-end, le dernier rendez-vous de la saison. qui s'annonce décisif en vue du titre de champion du monde entre Max Verstappen et Lewis Hamilton.

", - "content": "La Formule 1 a confirmé ce jeudi un nouvel accord avec le promoteur du Grand Prix d'Abu Dhabi, pour que la course reste au calendrier jusqu'en 2030 sur le Circuit de Yas Marina. L'événément se tient depuis 2009 et sera une nouvelle fois, ce week-end, le dernier rendez-vous de la saison. qui s'annonce décisif en vue du titre de champion du monde entre Max Verstappen et Lewis Hamilton.

", + "title": "PRONOS PARIS RMC Le pari du jour du 12 décembre – Ligue 1", + "description": "Notre pronostic : le PSG bat Monaco et Kylian Mbappé marque (2.15)

", + "content": "Notre pronostic : le PSG bat Monaco et Kylian Mbappé marque (2.15)

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-grand-prix-d-abou-dhabi-prolonge-jusqu-en-2030_AV-202112090241.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-12-decembre-ligue-1_AN-202112110240.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:26:14 GMT", - "enclosure": "https://images.bfmtv.com/hWdbRYJwOu1HOArjD8TPLNhWKoE=/0x212:2048x1364/800x0/images/Abu-Dhabi-1184887.jpg", + "pubDate": "Sat, 11 Dec 2021 23:06:00 GMT", + "enclosure": "https://images.bfmtv.com/Prwx8OBQIoNbrMYEREpvgksSf98=/0x0:1984x1116/800x0/images/K-Mbappe-1186505.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32881,19 +37407,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f78a3825feb426a3ff999e148c20691f" + "hash": "0d12711255dd8a737209b1e7b137d10e" }, { - "title": "Les images géniales de Nenê qui réussit le challenge de la lucarne d’Evry", - "description": "Le Brésilien Nenê a profité de son passage en région parisienne pour se rendre mercredi à Evry et tenter le fameux challenge de la lucarne. Un défi relevé avec brio par l’ancien joueur du PSG, qui a fêté sa réussite au milieu des jeunes du quartier des Pyramides.

", - "content": "Le Brésilien Nenê a profité de son passage en région parisienne pour se rendre mercredi à Evry et tenter le fameux challenge de la lucarne. Un défi relevé avec brio par l’ancien joueur du PSG, qui a fêté sa réussite au milieu des jeunes du quartier des Pyramides.

", + "title": "PRONOS PARIS RMC Le nul du jour du 12 décembre – Ligue 1", + "description": "Notre pronostic : pas de vainqueur entre Metz et Lorient (3.10)

", + "content": "Notre pronostic : pas de vainqueur entre Metz et Lorient (3.10)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/les-images-geniales-de-nene-qui-reussit-le-challenge-de-la-lucarne-d-evry_AV-202112090237.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-12-decembre-ligue-1_AN-202112110239.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:20:51 GMT", - "enclosure": "https://images.bfmtv.com/B51zh7OfdYj0owNqILHjHMv_YOY=/0x0:1280x720/800x0/images/Nene-1184929.jpg", + "pubDate": "Sat, 11 Dec 2021 23:05:00 GMT", + "enclosure": "https://images.bfmtv.com/X3xgGvlGWbtFwGskPnVZaz71joo=/0x103:1984x1219/800x0/images/F-Antonetti-1186504.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32901,19 +37428,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "accabc916fcbf0c7a587ea4cd8b78f7a" + "hash": "48fa394bdb0cad71e21c2a3c8f3b5813" }, { - "title": "Chelsea: Tuchel recadre ses joueurs après le nul face au Zénith", - "description": "Chelsea a réalisé une mauvaise opération en concédant le match (3-3) face au Zenith mercredi en Ligue des champions. À l’issue de la rencontre, l’entraîneur Thomas Tuchel est revenu sur l’attitude de ses joueurs qui d’après lui n’ont pas mis l’intensité qu’il fallait pour gagner ce match.

", - "content": "Chelsea a réalisé une mauvaise opération en concédant le match (3-3) face au Zenith mercredi en Ligue des champions. À l’issue de la rencontre, l’entraîneur Thomas Tuchel est revenu sur l’attitude de ses joueurs qui d’après lui n’ont pas mis l’intensité qu’il fallait pour gagner ce match.

", + "title": "PRONOS PARIS RMC Le pari de folie du 12 décembre – Ligue 1", + "description": "Notre pronostic : Strasbourg bat Marseille et les deux équipes marquent (4.10)

", + "content": "Notre pronostic : Strasbourg bat Marseille et les deux équipes marquent (4.10)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-tuchel-recadre-ses-joueurs-apres-le-nul-face-au-zenith_AV-202112090225.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-12-decembre-ligue-1_AN-202112110244.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:57:49 GMT", - "enclosure": "https://images.bfmtv.com/KQh7QJY0XM4qe57-xnyVcQRK8MY=/0x35:2048x1187/800x0/images/Thomas-Tuchel-1130374.jpg", + "pubDate": "Sat, 11 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/BhdD-SYcB0qiVJYyysoA4-kfwts=/0x103:1984x1219/800x0/images/L-Ajorque-1186509.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32921,19 +37449,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8e2065ad3b795c50170063c4711a1348" + "hash": "4abd3af9b8419b88af7e09e1c7c75ac9" }, { - "title": "Ligue Europa: à quelle heure et sur quelle chaîne suivre OM-Lokomotiv Moscou", - "description": "L'OM termine sa phase de groupes de Ligue Europa ce jeudi avec la réception du Lokomotiv Moscou. Déjà éliminée pour la suite de la compétition, l'équipe de Jorge Sampaoli vise la troisième place de sa poule, synonyme de repêchage en Conference League.

", - "content": "L'OM termine sa phase de groupes de Ligue Europa ce jeudi avec la réception du Lokomotiv Moscou. Déjà éliminée pour la suite de la compétition, l'équipe de Jorge Sampaoli vise la troisième place de sa poule, synonyme de repêchage en Conference League.

", + "title": "PRONOS PARIS RMC Le pari sûr du 12 décembre – Ligue 1", + "description": "Notre pronostic : Angers ne perd pas contre Clermont (1.27)

", + "content": "Notre pronostic : Angers ne perd pas contre Clermont (1.27)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-a-quelle-heure-et-sur-quelle-chaine-suivre-om-lokomotiv-moscou_AV-202112090222.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-12-decembre-ligue-1_AN-202112110236.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:48:21 GMT", - "enclosure": "https://images.bfmtv.com/bXVN-tu7c3E11IExYjiH3GE47WU=/0x106:2048x1258/800x0/images/Pol-Lirola-1184858.jpg", + "pubDate": "Sat, 11 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/uJ2w4AFmvNaUGDJ1upCB87X7oqU=/0x147:1984x1263/800x0/images/Angers-1186500.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32941,19 +37470,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8365e3f8ce2e969b4dd55cf69b0b04ef" + "hash": "2ecfb89ff926d57eeecc4854ed8a7745" }, { - "title": "Barça: les lourdes conséquences économiques de l'élimination en Ligue des champions", - "description": "Par rapport à ses prévisions, le Barça, éliminé de la Ligue des champions en phase de groupes, devrait faire une croix sur plus de 30 millions d'euros. Un sérieux camouflet en pleine crise économique.

", - "content": "Par rapport à ses prévisions, le Barça, éliminé de la Ligue des champions en phase de groupes, devrait faire une croix sur plus de 30 millions d'euros. Un sérieux camouflet en pleine crise économique.

", + "title": "PRONOS PARIS RMC Le pari à domicile du 12 décembre – Ligue 1", + "description": "Notre pronostic : Rennes bat Nice (1.90)

", + "content": "Notre pronostic : Rennes bat Nice (1.90)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-les-lourdes-consequences-economiques-de-l-elimination-en-ligue-des-champions_AV-202112090216.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-12-decembre-ligue-1_AN-202112110235.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:44:11 GMT", - "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", + "pubDate": "Sat, 11 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/T75KjpwKjw17Fl4anmOhrb9SaAE=/0x104:2000x1229/800x0/images/Rennes-1186499.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32961,19 +37491,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa6c39550228c311c8a8321598891b94" + "hash": "8696a07b2992dfb64b86394d658fc8f8" }, { - "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Sturm Graz – Monaco – Ligue Europa", - "description": "PRONOS PARIS RMC Les paris du 9 décembre sur Sturm Graz – Monaco – Ligue Europa\nNotre pronostic: Monaco s’impose à Graz (1.80)

", - "content": "PRONOS PARIS RMC Les paris du 9 décembre sur Sturm Graz – Monaco – Ligue Europa\nNotre pronostic: Monaco s’impose à Graz (1.80)

", + "title": "PRONOS PARIS RMC Le pari à l’extérieur du 12 décembre – Série A - Italie", + "description": "Notre pronostic : l’Atalanta s’impose à Vérone (1.85)

", + "content": "Notre pronostic : l’Atalanta s’impose à Vérone (1.85)

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-sturm-graz-monaco-ligue-europa_AN-202112080415.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-12-decembre-ligue-1_AN-202112110231.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/ui1Ccey3UAbudD2yoGq8rQYDgs4=/0x104:1984x1220/800x0/images/Ben-Yedder-lors-de-Monaco-Graz-1184254.jpg", + "pubDate": "Sat, 11 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/8Y_8lHbRx1FRFHNlj2dSditGpCA=/0x2:1984x1118/800x0/images/Atalanta-1186497.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -32981,19 +37512,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9bae2e97dd26316083e8f285c245d68a" + "hash": "649cc569c05677036d898c9010758ac1" }, { - "title": "Tennis: Amélie Mauresmo nommée nouvelle directrice de Roland-Garros", - "description": "Le président de la Fédération française de tennis, Gilles Moretton, a nommé Amélie Mauresmo comme nouvelle directrice de Roland-Garros. Elle remplace Guy Forget.

", - "content": "Le président de la Fédération française de tennis, Gilles Moretton, a nommé Amélie Mauresmo comme nouvelle directrice de Roland-Garros. Elle remplace Guy Forget.

", + "title": "PRONOS PARIS RMC Le buteur du 12 décembre – Ligue 1", + "description": "Notre pronostic : David (Lille) marque face à Lyon (2.40)

", + "content": "Notre pronostic : David (Lille) marque face à Lyon (2.40)

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/roland-garros/tennis-amelie-mauresmo-nommee-nouvelle-directrice-de-roland-garros_AV-202112090202.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-12-decembre-ligue-1_AN-202112110230.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:16:13 GMT", - "enclosure": "https://images.bfmtv.com/8sXHfd9h06FlZp4yfQ7AuMM6dkQ=/0x0:2048x1152/800x0/images/Amelie-Mauresmo-1056662.jpg", + "pubDate": "Sat, 11 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/41my1EGhK38a-FFyGke5I9aANi4=/0x116:1984x1232/800x0/images/J-David-1186491.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33001,19 +37533,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7b07f569688057b5ef40559042899fe8" + "hash": "f09edcfcfcb5325d094110333ac169c3" }, { - "title": "Accusé d'agression sexuelle, Pierre Menès placé en garde à vue", - "description": "L'ex-chroniqueur vedette de Canal+ Pierre Ménès, visé par une enquête pour agression sexuelle, a été placé jeudi en garde à vue, selon des sources proches du dossier, confirmant une information du Parisien.

", - "content": "L'ex-chroniqueur vedette de Canal+ Pierre Ménès, visé par une enquête pour agression sexuelle, a été placé jeudi en garde à vue, selon des sources proches du dossier, confirmant une information du Parisien.

", + "title": "PRONOS PARIS RMC Le pari à l’extérieur du 12 décembre – Série A -Italie", + "description": "Notre pronostic : l’Atalanta s’impose à Vérone (1.85)

", + "content": "Notre pronostic : l’Atalanta s’impose à Vérone (1.85)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/accuse-d-agression-sexuelle-pierre-menes-place-en-garde-a-vue_AN-202112090199.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-12-decembre-ligue-1_AN-202112110231.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:07:35 GMT", - "enclosure": "https://images.bfmtv.com/gBItA1HGtpUuxYDrItFUCcL0_rk=/0x40:768x472/800x0/images/Pierre-Menes-le-15-octobre-2021-a-Paris-1178041.jpg", + "pubDate": "Sat, 11 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/8Y_8lHbRx1FRFHNlj2dSditGpCA=/0x2:1984x1118/800x0/images/Atalanta-1186497.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33021,19 +37554,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "70a089431dd1136fca3a52c65b28f5fa" + "hash": "aac4de0946339776375bf6c96ac6e492" }, { - "title": "PSG: Messi sans pitié avec ses enfants lors d’un foot dans son salon", - "description": "Lionel Messi s’est lancé dans un match de football avec ses enfants dans son salon, mercredi lors de la journée de repos. Et l’attaquant du PSG n’a pas levé le pied lors d’une partie musclée.

", - "content": "Lionel Messi s’est lancé dans un match de football avec ses enfants dans son salon, mercredi lors de la journée de repos. Et l’attaquant du PSG n’a pas levé le pied lors d’une partie musclée.

", + "title": "F1: Hamilton ou Verstappen? Les clés de la bataille finale à Abu Dhabi", + "description": "Le passionnant duel entre Lewis Hamilton (Mercedes) et Max Verstappen (Red Bull) livre son verdict ce week-end à Abu Dhabi (Émirats arabes unis), à l'occasion du dernier Grand Prix de la saison. Le tenant du titre britannique et le prétendant néerlandais sont à égalité de points, avant le début de cette course qui semble propice à un huitième sacre pour Hamilton.

", + "content": "Le passionnant duel entre Lewis Hamilton (Mercedes) et Max Verstappen (Red Bull) livre son verdict ce week-end à Abu Dhabi (Émirats arabes unis), à l'occasion du dernier Grand Prix de la saison. Le tenant du titre britannique et le prétendant néerlandais sont à égalité de points, avant le début de cette course qui semble propice à un huitième sacre pour Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-sans-pitie-avec-ses-enfants-lors-d-un-foot-dans-son-salon_AV-202112090198.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-ou-verstappen-les-cles-de-la-bataille-finale-pour-le-titre-a-abu-dhabi_AV-202112100209.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:05:05 GMT", - "enclosure": "https://images.bfmtv.com/GSl5GZAzmx9t11cy_Z_PFAghj4o=/0x65:2048x1217/800x0/images/Lionel-Messi-1184826.jpg", + "pubDate": "Fri, 10 Dec 2021 10:32:53 GMT", + "enclosure": "https://images.bfmtv.com/oNenoEowSe4XLITdd-WS6YjdrH4=/0x0:2048x1152/800x0/images/Hamilton-et-Verstappen-1185662.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33041,19 +37575,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e995bdf5da4fdcc83bee51d5e3ff24b2" + "hash": "f2d0269d41a48ed12b3890e67d9ce5ba" }, { - "title": "Ligue Europa: à quelle heure et sur quelle chaîne suivre OL-Glasgow Rangers", - "description": "Après des derniers jours agités, l'OL retrouve le Groupama Stadium ce jeudi (18h45) pour la dernière journée de la phase de groupes de Ligue Europa. Déjà qualifiée et assurée de la première place, l'équipe de Peter Bosz recevra les Glasgow Rangers.

", - "content": "Après des derniers jours agités, l'OL retrouve le Groupama Stadium ce jeudi (18h45) pour la dernière journée de la phase de groupes de Ligue Europa. Déjà qualifiée et assurée de la première place, l'équipe de Peter Bosz recevra les Glasgow Rangers.

", + "title": "ARES Fighting 2: retour gagnant pour Lapilus après deux ans d'absence", + "description": "Deux ans après son dernier combat, Taylor Lapilus a remporté son pari pour son grand retour dans la cage, avec une victoire ce samedi contre le Brésilien Wilson Reis en combat principal de l’événement ARES FC 2.

", + "content": "Deux ans après son dernier combat, Taylor Lapilus a remporté son pari pour son grand retour dans la cage, avec une victoire ce samedi contre le Brésilien Wilson Reis en combat principal de l’événement ARES FC 2.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-a-quelle-heure-et-sur-quelle-chaine-suivre-ol-glasgow-rangers_AV-202112090193.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ares-fighting-2-retour-gagnant-pour-lapilus-apres-deux-ans-d-absence_AV-202112110369.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 09:54:47 GMT", - "enclosure": "https://images.bfmtv.com/WbU3j8F1IBgZs0QDv4tSIYR6l_4=/0x106:2048x1258/800x0/images/Lyon-1184809.jpg", + "pubDate": "Sat, 11 Dec 2021 22:38:13 GMT", + "enclosure": "https://images.bfmtv.com/F0mH5y8UOIX4W4C2-FxqSPSnPss=/0x0:1920x1080/800x0/images/Taylor-Lapilus-pour-son-retour-gagnant-1186708.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33061,19 +37596,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4e6bf24d2fece15fc6bfc5abfb7f7c6f" + "hash": "f2a920d9dd7bbd50f4378a8b064fe688" }, { - "title": "Ligue des champions: quand aura lieu le tirage au sort des huitièmes de finale", - "description": "Le LOSC et le PSG ont encore quelques jours à patienter avant de connaître leur adversaire pour les huitièmes de finale de la Ligue des champions. Le tirage au sort de la compétition de l'UEFA aura lieu ce lundi.

", - "content": "Le LOSC et le PSG ont encore quelques jours à patienter avant de connaître leur adversaire pour les huitièmes de finale de la Ligue des champions. Le tirage au sort de la compétition de l'UEFA aura lieu ce lundi.

", + "title": "Champions Cup: très gros accroc pour un Montpellier bis", + "description": "Sans nombre de ses cadres, Montpellier s'est lourdement incliné face à Exeter ce samedi (42-6), dans le cadre de la première journée de la Champions Cup. Vainqueur du dernier Challenge Européen, le MHR se frottera, le week-end prochain, au Leinster, quadruple champion d'Europe.

", + "content": "Sans nombre de ses cadres, Montpellier s'est lourdement incliné face à Exeter ce samedi (42-6), dans le cadre de la première journée de la Champions Cup. Vainqueur du dernier Challenge Européen, le MHR se frottera, le week-end prochain, au Leinster, quadruple champion d'Europe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-quand-aura-lieu-le-tirage-au-sort-des-huitiemes-de-finale_AV-202112090177.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-tres-gros-accroc-pour-un-montpellier-bis_AD-202112110371.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 09:26:24 GMT", - "enclosure": "https://images.bfmtv.com/ALGJUjgcq33l6W-gFQowQZY6QHo=/0x153:2048x1305/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183621.jpg", + "pubDate": "Sat, 11 Dec 2021 22:24:00 GMT", + "enclosure": "https://images.bfmtv.com/W8mGRDA0cOVdApfi0ra-6vwMLmM=/0x106:2048x1258/800x0/images/Exeter-a-fait-lourdement-plier-le-MHR-en-Champions-Cup-1186711.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33081,19 +37617,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ef390adfdd76fd60c85c73f1ffd7037" + "hash": "cfdea753cc59dc6f7515d0e75dff338c" }, { - "title": "Ligue Europa: comment l’OM peut se qualifier pour l'Europa Conference League", - "description": "L’OM reçoit le Lokomotiv Moscou, ce jeudi (21h) en Ligue Europa avec l’ambition de conserver sa troisième place qui lui permettra d’être reversé en Conference League. La donne est très simple pour les Marseillais.

", - "content": "L’OM reçoit le Lokomotiv Moscou, ce jeudi (21h) en Ligue Europa avec l’ambition de conserver sa troisième place qui lui permettra d’être reversé en Conference League. La donne est très simple pour les Marseillais.

", + "title": "Reims - Saint-Etienne: sans Puel, les Verts encore battus et dans une situation d'urgence absolue", + "description": "Nommé entraîneur intérimaire, Julien Sablé a vécu un retour cauchemardesque en tant que n°1 sur le banc des joueurs de Saint-Etienne, encore battus ce samedi à Reims (2-0). Les Stéphanois ont perdu Denis Bouanga, exclu, et Etienne Green, blessé, avant la trêve hivernale.

", + "content": "Nommé entraîneur intérimaire, Julien Sablé a vécu un retour cauchemardesque en tant que n°1 sur le banc des joueurs de Saint-Etienne, encore battus ce samedi à Reims (2-0). Les Stéphanois ont perdu Denis Bouanga, exclu, et Etienne Green, blessé, avant la trêve hivernale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-comment-l-om-peut-se-qualifier-pour-l-europa-conference-league_AV-202112090166.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/reims-saint-etienne-sans-puel-les-verts-encore-battus-et-dans-une-situation-d-urgence-absolue_AV-202112110366.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 09:07:11 GMT", - "enclosure": "https://images.bfmtv.com/MMt7NKZcsRek8WaYrZ2McilkvyE=/0x226:1984x1342/800x0/images/William-Saliba-lors-de-Lokomotiv-Marseille-1184257.jpg", + "pubDate": "Sat, 11 Dec 2021 22:19:38 GMT", + "enclosure": "https://images.bfmtv.com/CJ-4mtXCaDt81MhwVGso5V84Hjk=/0x125:1200x800/800x0/images/Les-banderoles-des-supporters-a-Reims-1186704.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33101,19 +37638,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "36edd2a3893445dcb3ee8632c7054e2b" + "hash": "f4429b084adc91fb61d164b77e09824f" }, { - "title": "Ligue Europa: pourquoi l'OM jouera à fond l'Europa Conference League en cas de qualification", - "description": "Eliminé de la course aux 16es de finale de la Ligue Europa, l'OM reçoit le Lokomotiv Moscou, ce jeudi (21h) avec l'ambition de ne surtout pas perdre pour être reversé en Conference League, que le club veut jouer à fond.

", - "content": "Eliminé de la course aux 16es de finale de la Ligue Europa, l'OM reçoit le Lokomotiv Moscou, ce jeudi (21h) avec l'ambition de ne surtout pas perdre pour être reversé en Conference League, que le club veut jouer à fond.

", + "title": "Serie A: l'AC Milan arrache le nul contre l'Udinese sur un geste incroyable signé Zlatan", + "description": "Mené tôt dans le match et en difficulté, l'AC Milan a arraché le match nul dans les derniers instants de ce match de la 17e journée de Serie A ce samedi. Un point signé Zlatan Ibrahimovic, avec un geste dont il a le secret.

", + "content": "Mené tôt dans le match et en difficulté, l'AC Milan a arraché le match nul dans les derniers instants de ce match de la 17e journée de Serie A ce samedi. Un point signé Zlatan Ibrahimovic, avec un geste dont il a le secret.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-pourquoi-l-om-jouera-a-fond-l-europa-conference-league-en-cas-de-qualification_AV-202112090165.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-l-ac-milan-arrache-le-nul-contre-l-udinese-sur-un-geste-incroyable-signe-zlatan_AV-202112110365.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 09:04:28 GMT", - "enclosure": "https://images.bfmtv.com/mvdTPpL4tVZh7RTNgZhiktiRxCs=/0x105:2048x1257/800x0/images/L-OM-veut-jouer-a-fond-la-Conference-League-1184777.jpg", + "pubDate": "Sat, 11 Dec 2021 22:17:23 GMT", + "enclosure": "https://images.bfmtv.com/nxUmGCpnpEtWjFBxM1S6jxcccTs=/0x80:2032x1223/800x0/images/Le-but-zlatanesque-de-Zlatan-Ibrahimovic-lors-du-nul-entre-Milan-et-l-Udinese-1186703.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33121,19 +37659,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e3c991c58a33d58d4772c8839025fba0" + "hash": "1cc44f7a4bbe8a41e8871c8f63f2e10b" }, { - "title": "F1: le directeur de course prévient Verstappen en cas de crash", - "description": "Michael Masi, directeur de course de la Formule 1, prévient que des sanctions pourraient être prises en cas d’accident volontaire, dimanche lors du dernier Grand Prix de la saison à Abou Dhabi où le titre mondial se jouera entre Max Verstappen et Lewis Hamilton.

", - "content": "Michael Masi, directeur de course de la Formule 1, prévient que des sanctions pourraient être prises en cas d’accident volontaire, dimanche lors du dernier Grand Prix de la saison à Abou Dhabi où le titre mondial se jouera entre Max Verstappen et Lewis Hamilton.

", + "title": "Reims-St Etienne en direct: 4e défaite d'affilée pour Sainté en urgence absolue", + "description": "Reims s'impose 2 à 0 face à Saint-Etienne grâce à des buts de Touré sur penalty et Mboku, sur un service parfait d'Ekitike.

", + "content": "Reims s'impose 2 à 0 face à Saint-Etienne grâce à des buts de Touré sur penalty et Mboku, sur un service parfait d'Ekitike.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-directeur-de-course-previent-verstappen-en-cas-de-crash_AV-202112090161.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-reims-saint-etienne-en-direct_LS-202112110324.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 08:50:55 GMT", - "enclosure": "https://images.bfmtv.com/IUo7tLZx3FAWIzMMRgSy9YeuPcM=/0x106:2048x1258/800x0/images/Max-Verstappen-1184760.jpg", + "pubDate": "Sat, 11 Dec 2021 18:40:25 GMT", + "enclosure": "https://images.bfmtv.com/e5mLdvkxLm3j-iJBV4Nd9bLvSTE=/0x106:2048x1258/800x0/images/Reims-qui-celebre-apres-l-ouverture-du-score-contre-l-ASSE-1186695.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33141,19 +37680,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6d1fcd23e68928c7c6c11d81bf54fb11" + "hash": "e15aac61e0056d92ce3a04f10d083f59" }, { - "title": "Conference League en direct: Rennes demande que ses intérêts soient \"respectés\"", - "description": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", - "content": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", + "title": "Coupe arabe: avec un but incroyable de Belaïli, l’Algérie sort le Maroc et file en demi-finale", + "description": "Privé de ses meilleurs joueurs évoluant en Europe, la sélection algérienne a bataillé pour l’emporter aux tirs au but contre le Maroc (2-2, 5 tab à 3) ce samedi lors des quarts de finale de la Coupe arabe. Les Fennecs défieront le Qatar pour une place en finale, grâce à un penalty de Yacine Brahimi et un but magnifique de Youcef Belaili.

", + "content": "Privé de ses meilleurs joueurs évoluant en Europe, la sélection algérienne a bataillé pour l’emporter aux tirs au but contre le Maroc (2-2, 5 tab à 3) ce samedi lors des quarts de finale de la Coupe arabe. Les Fennecs défieront le Qatar pour une place en finale, grâce à un penalty de Yacine Brahimi et un but magnifique de Youcef Belaili.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-18e-journee_LN-202112090152.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-arabe-avec-un-bijou-de-belaili-l-algerie-elimine-difficilement-le-maroc-et-file-en-demie_AV-202112110363.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 08:40:20 GMT", - "enclosure": "https://images.bfmtv.com/jZu-FbNfY8IVvinQGOQkXgv8IoU=/7x107:1991x1223/800x0/images/Gaetan-Laborde-Rennes-1178750.jpg", + "pubDate": "Sat, 11 Dec 2021 21:52:14 GMT", + "enclosure": "https://images.bfmtv.com/4M903o0pF5e4VCFUroi5pd4I9-M=/0x74:2048x1226/800x0/images/Youcef-Belaili-et-l-Algerie-qualifies-pour-la-demi-finale-de-la-Coupe-arabe-1186696.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33161,19 +37701,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "910955981c6b35acb9a3c5f15743796e" + "hash": "dac8660e9025ed05f0d0c7e7e650b354" }, { - "title": "JO 2022 de Pékin: Blanquer annonce que la France ne participera pas au boycott diplomatique", - "description": "Invité de RMC ce jeudi, Jean-Michel Blanquer a confirmé que la France ne participera pas au boycott diplomatique, pour l'heure prononcé par quatre pays dont les Etats-Unis, à l'occasion des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022. Pour autant, le ministre de l'Éducation nationale, de la Jeunesse et des Sports condamne les \"persécutions\" de la Chine à l'encontre des \"minorités\" comme \"sur les Ouïghours\".

", - "content": "Invité de RMC ce jeudi, Jean-Michel Blanquer a confirmé que la France ne participera pas au boycott diplomatique, pour l'heure prononcé par quatre pays dont les Etats-Unis, à l'occasion des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022. Pour autant, le ministre de l'Éducation nationale, de la Jeunesse et des Sports condamne les \"persécutions\" de la Chine à l'encontre des \"minorités\" comme \"sur les Ouïghours\".

", + "title": "UBB-Leicester: la grosse colère de Maynadier, désabusé après une entrée en lice ratée", + "description": "Le talonneur de l'Union Bordeaux-Bègles Clément Maynadier est apparu très marqué en conférence de presse, après la défaite (16-13) contre Leicester en Champions Cup, samedi.

", + "content": "Le talonneur de l'Union Bordeaux-Bègles Clément Maynadier est apparu très marqué en conférence de presse, après la défaite (16-13) contre Leicester en Champions Cup, samedi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-de-pekin-blanquer-annonce-que-la-france-ne-participera-pas-au-boycott-diplomatique_AV-202112090144.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/ubb-leicester-la-grosse-colere-de-maynadier-desabuse-apres-une-entree-en-lice-ratee_AV-202112110360.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 08:24:08 GMT", - "enclosure": "https://images.bfmtv.com/G2GJI6tBABDGfIrDB3Z43NstQS0=/4x4:1812x1021/800x0/images/Blanquer-sur-RMC-1184769.jpg", + "pubDate": "Sat, 11 Dec 2021 21:12:31 GMT", + "enclosure": "https://images.bfmtv.com/FT_3SunK_ddR4f8E_iHlI-MPaWA=/0x17:1200x692/800x0/images/Clement-Maynadier-1186692.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33181,19 +37722,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0016d8c30c06d936dcfa241134ac8fd2" + "hash": "9f4c210d9682064e505c1bd838ee4942" }, { - "title": "Mercato en direct: Sablé sur le banc de Saint-Etienne ce week-end", - "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue ds champions, mais aussi chez ceux largués en championnat. Suivez tioutes les infos en direct sur RMC Sport.

", - "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue ds champions, mais aussi chez ceux largués en championnat. Suivez tioutes les infos en direct sur RMC Sport.

", + "title": "Champions Cup: débuts ratés pour Clermont, douché à domicile", + "description": "Clermont s'est incliné à domicile ce samedi face à l'Ulster (29-23), dans le cadre de la première journée de Champions Cup. Un faux-pas qui complique déjà la mission qualification.

", + "content": "Clermont s'est incliné à domicile ce samedi face à l'Ulster (29-23), dans le cadre de la première journée de Champions Cup. Un faux-pas qui complique déjà la mission qualification.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-debuts-rates-pour-clermont-douche-a-domicile_AD-202112110358.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 07:51:11 GMT", - "enclosure": "https://images.bfmtv.com/rll1QEUBZS8OrKviuTu39Q-R-Q8=/16x0:1984x1107/800x0/images/Julien-Sable-1182842.jpg", + "pubDate": "Sat, 11 Dec 2021 20:17:00 GMT", + "enclosure": "https://images.bfmtv.com/JC-PeW6RmIVSfIaQ5PR3FQOAtw0=/0x106:2048x1258/800x0/images/Raka-lors-du-match-de-Clermont-face-a-l-Ulster-1186691.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33201,19 +37743,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "70c8071461d90ca4a281dfbaf481f28a" + "hash": "9dde5515a1a7cb40c9da049acb8a4572" }, { - "title": "Piqué, Xavi, ter Stegen... l’élimination du Barça inspire les réseaux sociaux", - "description": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions amuse beaucoup les réseaux sociaux très inspirés par les malheurs du Barça et de son gardien Marc-André ter Stegen, notamment.

", - "content": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions amuse beaucoup les réseaux sociaux très inspirés par les malheurs du Barça et de son gardien Marc-André ter Stegen, notamment.

", + "title": "Affaire Agnel: six questions sur l’enquête qui agite la natation française", + "description": "L'ancien nageur français Yannick Agnel (29 ans), double champion olympique en 2012, a été mis en examen pour viol et agression sexuelle sur mineure ce samedi à l'issue de 48h de garde à vue. Que lui est-il reproché? Quels sont les protagonistes de l'affaire? RMC Sport fait le point.

", + "content": "L'ancien nageur français Yannick Agnel (29 ans), double champion olympique en 2012, a été mis en examen pour viol et agression sexuelle sur mineure ce samedi à l'issue de 48h de garde à vue. Que lui est-il reproché? Quels sont les protagonistes de l'affaire? RMC Sport fait le point.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/pique-xavi-ter-stegen-l-elimination-du-barca-inspire-les-reseaux-sociaux_AV-202112090126.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-cinq-questions-sur-l-enquete-qui-agite-la-natation-francaise_AV-202112100190.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 07:46:40 GMT", - "enclosure": "https://images.bfmtv.com/VzeWarZKssrPdrcOnOfNhmI9ESc=/0x52:2032x1195/800x0/images/Marc-Andre-ter-Stegen-1184720.jpg", + "pubDate": "Fri, 10 Dec 2021 09:51:51 GMT", + "enclosure": "https://images.bfmtv.com/hgPMejwOM23jy1df4fya8Uf2UIQ=/0x48:2048x1200/800x0/images/Yannick-Agnel-et-Lionel-Horter-son-ancien-entraineur-en-2016-1185646.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33221,19 +37764,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "021af0e1e2c6c79b266eed170fa99df0" + "hash": "882cf9121a6e92bebd1442bfd8202633" }, { - "title": "Barça-Bayern: Après les avoir chambrés avant-match, Müller se paye les Blaugrana après le 3-0", - "description": "Artisan de la nouvelle victoire du Bayern Munich (3-0) face au FC Barcelone ce mercredi en Ligue des champions, Thomas Müller s'est livré après la partie à une analyse sur les failles sportives actuelles du club catalan. L'attaquant allemand estime que le Barça \"ne peut pas faire face à l'intensité\" proposée au plus haut niveau.

", - "content": "Artisan de la nouvelle victoire du Bayern Munich (3-0) face au FC Barcelone ce mercredi en Ligue des champions, Thomas Müller s'est livré après la partie à une analyse sur les failles sportives actuelles du club catalan. L'attaquant allemand estime que le Barça \"ne peut pas faire face à l'intensité\" proposée au plus haut niveau.

", + "title": "Premier League: Ronaldo sauve Manchester, Rangnick relance United", + "description": "Cristiano Ronaldo a marqué sur penalty l’unique but de la victoire de Manchester United à Norwich (0-1) ce samedi lors de la 16e journée de Premier League. Les Red Devils se replacent dans la course à la Ligue des champions.

", + "content": "Cristiano Ronaldo a marqué sur penalty l’unique but de la victoire de Manchester United à Norwich (0-1) ce samedi lors de la 16e journée de Premier League. Les Red Devils se replacent dans la course à la Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-bayern-apres-les-avoir-chambre-avant-match-muller-se-paye-les-blaugrana-apres-le-3-0_AV-202112090105.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-ronaldo-sauve-manchester-rangnick-relance-united_AV-202112110346.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 07:28:26 GMT", - "enclosure": "https://images.bfmtv.com/Q4JPt8tKl0giPC7hhIrdveBBdUo=/0x0:2048x1152/800x0/images/Thomas-Mueller-1184689.jpg", + "pubDate": "Sat, 11 Dec 2021 19:43:11 GMT", + "enclosure": "https://images.bfmtv.com/CcNrtHRX19OPfEPW70mV6wmnXtA=/0x267:2048x1419/800x0/images/Cristiano-Ronaldo-sauveur-de-Manchester-United-face-a-Norwich-1186661.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33241,19 +37785,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9bf73c6ed4bf764f3fd42f94d1b999e" + "hash": "6d7823580f8c32c8dd1b8813572f5796" }, { - "title": "Tour de France: jugement attendu pour la spectatrice à la pancarte", - "description": "Elle avait provoqué la chute d'un tiers du peloton lors d ela première étape avec sa pancarte \"Allez Opi-Omi\".

", - "content": "Elle avait provoqué la chute d'un tiers du peloton lors d ela première étape avec sa pancarte \"Allez Opi-Omi\".

", + "title": "Serie A: nouveau coup d'arrêt pour la Juventus, tenue en échec par Venise", + "description": "En déplacement sur la pelouse de Venise, promu cette saison en Serie A, la Juventus a été accrochée (1-1) lors de la 17e journée du championnat italien. L'équipe dirigée par Massimiliano Allegri stagne à la sixième place du classement.

", + "content": "En déplacement sur la pelouse de Venise, promu cette saison en Serie A, la Juventus a été accrochée (1-1) lors de la 17e journée du championnat italien. L'équipe dirigée par Massimiliano Allegri stagne à la sixième place du classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/cyclisme/tour-de-france/tour-de-france-jugement-attendu-pour-la-spectatrice-a-la-pancarte_AD-202112090103.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-nouveau-coup-d-arret-pour-la-juventus-tenue-en-echec-par-venise_AV-202112110339.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 07:25:27 GMT", - "enclosure": "https://images.bfmtv.com/nYeJE2-AcYw4Lle2LAsf0v_l7X8=/0x40:768x472/800x0/images/Coureurs-a-terre-apres-une-chute-dans-la-premiere-etape-du-Tour-de-France-le-26-juin-2021-1066946.jpg", + "pubDate": "Sat, 11 Dec 2021 19:24:33 GMT", + "enclosure": "https://images.bfmtv.com/I7ZmcfWduKzZyiV7hGkcm3Sl1SM=/0x0:2048x1152/800x0/images/Juventus-1186624.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33261,19 +37806,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "501eb42477457c81c806b5db98e2c80f" + "hash": "ccac2785a1a33ec2b53ca96679622167" }, { - "title": "Incidents OL-OM: \"cirque\", \"injustice\" et \"psychodrame\" dans la presse après les sanctions", - "description": "Les sanctions infligées à Lyon après les incidents lors du match face à Marseille ne satisfont personne comme le soulignent les médias locaux, ce jeudi matin.

", - "content": "Les sanctions infligées à Lyon après les incidents lors du match face à Marseille ne satisfont personne comme le soulignent les médias locaux, ce jeudi matin.

", + "title": "Affaire Agnel en direct: Agnel mis en examen et placé sous contrôle judiciaire", + "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi et mis en examen ce samedi. L'affaire remonte à 2016.

", + "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi et mis en examen ce samedi. L'affaire remonte à 2016.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-cirque-injustice-et-psychodrame-dans-la-presse-apres-les-sanctions_AV-202112090088.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 07:02:31 GMT", - "enclosure": "https://images.bfmtv.com/GWcviwBcP5EY2NZfh9Lc82shQGw=/0x194:2048x1346/800x0/images/Dimitri-Payet-touche-par-un-projectile-lors-de-OL-OM-1172166.jpg", + "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", + "enclosure": "https://images.bfmtv.com/MhiWI9f1DC1iCJ2a2QzVGovW6ro=/0x38:768x470/800x0/images/Le-nageur-francais-Yannick-Agnel-s-apprete-a-disputer-la-finale-du-200-m-des-championnats-de-France-a-Montpellier-le-30-mars-2016-1185421.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33281,19 +37827,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "73761d7f16f771392f3a58572a7ee631" + "hash": "d400596c1c07f7ef8474c5dc1e146c3a" }, { - "title": "Manchester United: Ralf Rangnick justifie la nomination d'un psychologue", - "description": "En conférence de presse avant la rencontre de Ligue des champions face aux Young Boys de Berne, Ralf Rangnick, nouveau manager de Manchester United, a expliqué la nomination au club d'un psychologue du sport. Le technicien allemand a fait appel à Sascha Lense, qu'il a déjà côtoyé au RB Leipzig, alors que les Red Devils ne possédaient aucun professionnel dans le domaine depuis 2001.

", - "content": "En conférence de presse avant la rencontre de Ligue des champions face aux Young Boys de Berne, Ralf Rangnick, nouveau manager de Manchester United, a expliqué la nomination au club d'un psychologue du sport. Le technicien allemand a fait appel à Sascha Lense, qu'il a déjà côtoyé au RB Leipzig, alors que les Red Devils ne possédaient aucun professionnel dans le domaine depuis 2001.

", + "title": "Affaire Agnel: Agnel mis en examen pour viol et agression sexuelle sur mineure", + "description": "Placé en garde à vue jeudi et présenté devant un juge d'instruction ce samedi, Yannick Agnel a été mis en examen pour viol et agression sexuelle sur mineure. Le champion olympique, âgé de 29 ans, est placé sous contrôle judiciaire.

", + "content": "Placé en garde à vue jeudi et présenté devant un juge d'instruction ce samedi, Yannick Agnel a été mis en examen pour viol et agression sexuelle sur mineure. Le champion olympique, âgé de 29 ans, est placé sous contrôle judiciaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ralf-rangnick-justifie-la-nomination-d-un-psychologue_AV-202112090077.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-agnel-mis-en-examen-pour-viol-et-agression-sexuelle-sur-mineure_AV-202112110329.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 06:56:56 GMT", - "enclosure": "https://images.bfmtv.com/CieoJ1vEzoUQPTNpENFDMcr9dYY=/0x0:2032x1143/800x0/images/Ralf-Rangnick-1184647.jpg", + "pubDate": "Sat, 11 Dec 2021 18:59:57 GMT", + "enclosure": "https://images.bfmtv.com/W6kcKJNSxCl3PGu1CwJs48cRhnY=/0x212:2048x1364/800x0/images/Agnel-1186218.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33301,19 +37848,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a45914776d647560a12f6353ee1e8f3" + "hash": "d3140ae24f3c7b15d5732edfdc9150cc" }, { - "title": "Barça: l'appel à l'unité de Laporta après l'élimination historique en Ligue des champions", - "description": "Éliminé de la Ligue des champions à l'issue de la phase de groupes, après sa défaite ce mercredi face au Bayern Munich (3-0), le FC Barcelone reste plongé dans la crise, aussi bien économique que sportive. Si le club catalan ne verra pas les huitièmes de finale pour la première fois depuis la saison 2003-2004, le président Joan Laporta a rapidement lancé un message d'unité aux supporters.

", - "content": "Éliminé de la Ligue des champions à l'issue de la phase de groupes, après sa défaite ce mercredi face au Bayern Munich (3-0), le FC Barcelone reste plongé dans la crise, aussi bien économique que sportive. Si le club catalan ne verra pas les huitièmes de finale pour la première fois depuis la saison 2003-2004, le président Joan Laporta a rapidement lancé un message d'unité aux supporters.

", + "title": "Mondial de hand: après un duel terrible contre la Serbie, les Bleues qualifiées pour les quarts", + "description": "Poussée dans ses retranchements comme jamais depuis le début du championnat du monde, l'équipe de France de handball décroche son billet pour les quarts de finale en battant la Serbie (22-19).

", + "content": "Poussée dans ses retranchements comme jamais depuis le début du championnat du monde, l'équipe de France de handball décroche son billet pour les quarts de finale en battant la Serbie (22-19).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-l-appel-a-l-unite-de-laporta-apres-l-elimination-historique-en-ligue-des-champions_AV-202112090051.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-apres-un-duel-terrible-contre-la-serbie-les-bleues-qualifiees-pour-les-quarts_AN-202112110320.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 06:23:02 GMT", - "enclosure": "https://images.bfmtv.com/C1TO6crkVIOSdWoXUHul_4fbF_k=/0x68:2048x1220/800x0/images/Joan-Laporta-1170972.jpg", + "pubDate": "Sat, 11 Dec 2021 18:28:58 GMT", + "enclosure": "https://images.bfmtv.com/xhmNSuQKtcab5QDFm2RvHVmXRT4=/0x106:2048x1258/800x0/images/Camille-Lassource-avec-les-Bleues-du-handball-1186620.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33321,19 +37869,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "20bd573e45f88808c4f7a4487adb2633" + "hash": "3ea5b2842088800f1e331e982fd68d18" }, { - "title": "Ligue des champions en direct: la presse sans pitié avec le Barça après son élimination", - "description": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", - "content": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", + "title": "Covid-19, recettes en berne, sécurité: l'heure du bilan à la FFF après une année agitée", + "description": "L'Assemblée générale de la FFF a permis au football français de faire le bilan de l'année, marquée une nouvelle fois par la gestion de la situation sanitaire avec notamment une billetterie en berne.

", + "content": "L'Assemblée générale de la FFF a permis au football français de faire le bilan de l'année, marquée une nouvelle fois par la gestion de la situation sanitaire avec notamment une billetterie en berne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-multiplex-en-direct_LS-202112080539.html", + "link": "https://rmcsport.bfmtv.com/football/covid-19-recettes-en-berne-securite-l-heure-du-bilan-a-la-fff-apres-une-annee-agitee_AV-202112110316.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:14:34 GMT", - "enclosure": "https://images.bfmtv.com/5l5SgLpTG7iR3FUIb-_7e6Je_Xs=/0x122:672x500/800x0/images/La-une-de-Marca-de-ce-jeudi-1184616.jpg", + "pubDate": "Sat, 11 Dec 2021 18:17:16 GMT", + "enclosure": "https://images.bfmtv.com/8TfaosY7PxRY0tzJzrIV6Zg8FAs=/0x36:768x468/800x0/images/Le-president-de-la-Federation-francaise-de-football-Noel-Le-Graet-lors-d-une-conference-de-presse-le-10-decembre-2015-au-siege-de-la-FFF-a-Paris-1174566.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33341,19 +37890,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "740ec72deafbfb45a66af015470adda0" + "hash": "dc69537b8e04e86a7a1d6f2ff20c2605" }, { - "title": "Bayern-Barça: Lenglet rigole avec Lewandowski et provoque la colère des supporters catalans", - "description": "Clément Lenglet, défenseur du FC Barcelone, se retrouve au cœur des critiques pour avoir affiché un large sourire aux côtés de Robert Lewandowski après l'élimination historique du Barça dès la phase de poule de la Ligue des champions.

", - "content": "Clément Lenglet, défenseur du FC Barcelone, se retrouve au cœur des critiques pour avoir affiché un large sourire aux côtés de Robert Lewandowski après l'élimination historique du Barça dès la phase de poule de la Ligue des champions.

", + "title": "Champions Cup: des regrets pour l’UBB après sa défaite inaugurale contre Leicester", + "description": "L’UBB a perdu ce samedi contre Leicester à domicile (13-16) lors de la première journée de Champions Cup. Décevants dans le jeu, les Girondins n’ont jamais réussi à se détacher et ont craqué dans les dernières minutes face à une valeureuse défense anglaise.

", + "content": "L’UBB a perdu ce samedi contre Leicester à domicile (13-16) lors de la première journée de Champions Cup. Décevants dans le jeu, les Girondins n’ont jamais réussi à se détacher et ont craqué dans les dernières minutes face à une valeureuse défense anglaise.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bayern-barca-lenglet-rigole-avec-lewandowski-et-provoque-la-colere-des-supporters-catalans_AV-202112090034.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-des-regrets-pour-l-ubb-apres-sa-defaite-inaugurale-contre-leicester_AV-202112110313.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 05:57:14 GMT", - "enclosure": "https://images.bfmtv.com/imnGbOKzEPV5_ZkOI99DjvKTKaY=/0x197:2048x1349/800x0/images/Le-sourire-de-Clement-Lenglet-avec-Robert-Lewandowski-apres-l-elimination-du-Barca-ne-passe-pas-du-tout-1184601.jpg", + "pubDate": "Sat, 11 Dec 2021 18:02:11 GMT", + "enclosure": "https://images.bfmtv.com/mKsD3TKjUrGWt0EtoVhP8cPgaPk=/0x0:2048x1152/800x0/images/Yoram-Moefana-UBB-plaque-par-des-joueurs-de-Leicester-1186613.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33361,19 +37911,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "dbb7b566480beefa368e951900d4d8c4" + "hash": "4c9bc51f234c07b667976a9dabf1416a" }, { - "title": "Ligue des champions: \"en-dessous de zéro\", la presse espagnole enfonce le Barça après son élimination", - "description": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", - "content": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", + "title": "Ligue 1: fin de série très rude pour Brest, corrigé par le Montpellier de Dall'Oglio", + "description": "Victorieux de ses six derniers matchs, Brest est tombé à domicile ce samedi face à Montpellier (4-0), dirigé par Olivier Dall'Oglio, sur le banc de touche du club breton la saison dernière. Le MHSC réalise une bonne opération au classement, se replaçant à la quatrième place.

", + "content": "Victorieux de ses six derniers matchs, Brest est tombé à domicile ce samedi face à Montpellier (4-0), dirigé par Olivier Dall'Oglio, sur le banc de touche du club breton la saison dernière. Le MHSC réalise une bonne opération au classement, se replaçant à la quatrième place.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-en-dessous-de-zero-la-presse-espagnole-enfonce-le-barca-apres-son-elimination_AV-202112090020.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-fin-de-serie-tres-rude-pour-brest-corrige-par-le-montpellier-de-dall-oglio_AN-202112110310.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 05:25:40 GMT", - "enclosure": "https://images.bfmtv.com/u39cdX67yEGMwGgSzcuz60afVZc=/0x14:752x437/800x0/images/La-une-de-Mundo-Deportivo-de-ce-jeudi-1184590.jpg", + "pubDate": "Sat, 11 Dec 2021 17:55:52 GMT", + "enclosure": "https://images.bfmtv.com/Sr7kHQYjOKgcjZdhNKniriJQUK8=/0x106:2048x1258/800x0/images/Wahi-1186598.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33381,39 +37932,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "48be83c9c90e726c5d6ee56ea55fcc1c" + "hash": "653d0a324d2fc08ac47f7d8d91d1ed5c" }, { - "title": "Tour de France: jugement jeudi pour la spectatrice à la pancarte", - "description": "Le tribunal correctionnel de Brest doit rendre son jugement jeudi dans l'affaire de la femme qui avait provoqué une chute massive de coureurs lors du Tour de France en brandissant une pancarte en juin dernier.

", - "content": "Le tribunal correctionnel de Brest doit rendre son jugement jeudi dans l'affaire de la femme qui avait provoqué une chute massive de coureurs lors du Tour de France en brandissant une pancarte en juin dernier.

", + "title": "Chelsea-Leeds: vives tensions autour de Rüdiger après un penalty litigieux en fin de match", + "description": "Chelsea a dominé Leeds de justesse (3-2) ce samedi pour la 16e journée de Premier League, à Stamford Brigde, au terme d'un match qui s'est décidé aux penalties. L'Allemand Antonio Rüdiger en a obtenu deux pour Chelsea.

", + "content": "Chelsea a dominé Leeds de justesse (3-2) ce samedi pour la 16e journée de Premier League, à Stamford Brigde, au terme d'un match qui s'est décidé aux penalties. L'Allemand Antonio Rüdiger en a obtenu deux pour Chelsea.

", "category": "", - "link": "https://rmcsport.bfmtv.com/cyclisme/tour-de-france/tour-de-france-jugement-jeudi-pour-la-spectatrice-a-la-pancarte_AD-202112090011.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-leeds-vives-tensions-autour-de-rudiger-apres-un-penalty-litigieux-en-fin-de-match_AV-202112110305.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 04:49:45 GMT", - "enclosure": "https://images.bfmtv.com/qrCOtTDydi6ZAZH2i0brcuJHIhw=/7x88:1063x682/800x0/images/La-chute-sur-le-Tour-de-France-1055978.jpg", + "pubDate": "Sat, 11 Dec 2021 17:38:09 GMT", + "enclosure": "https://images.bfmtv.com/qMPnzpgPvTeynMsBzQTbcrGsF_s=/0x0:1200x675/800x0/images/Antonio-Ruediger-1186602.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "b48a8b552251f9648d4269263ea82dc8" + "hash": "b3a99dd7ac5791153286682729e14d52" }, { - "title": "Basket: une tribune fermée pour Gravelines-Dunkerque après la banderole insultante", - "description": "Le club nordiste a été sanctionné de la fermeture d’une tribune et d’une amende de 1500 euros à la suite d’une banderole insultante déployée lors du match face au Portel le 5 novembre dernier.

", - "content": "Le club nordiste a été sanctionné de la fermeture d’une tribune et d’une amende de 1500 euros à la suite d’une banderole insultante déployée lors du match face au Portel le 5 novembre dernier.

", + "title": "Toulouse: Mola calme le jeu pour Dupont après son match de Champions Cup", + "description": "Tout juste auréolé du titre de meilleur de l’année 2021, Antoine Dupont a guidé Toulouse vers une victoire à Cardiff (39-7) pour la première journée de Champions Cup. De quoi lui valoir les félicitations de ses coéquipiers… et une mise en garde de son manager Ugo Mola.

", + "content": "Tout juste auréolé du titre de meilleur de l’année 2021, Antoine Dupont a guidé Toulouse vers une victoire à Cardiff (39-7) pour la première journée de Champions Cup. De quoi lui valoir les félicitations de ses coéquipiers… et une mise en garde de son manager Ugo Mola.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/basket-une-tribune-fermee-pour-gravelines-dunkerque-apres-la-banderole-insultante_AN-202112090010.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/toulouse-mola-calme-le-jeu-pour-dupont-apres-son-match-de-champions-cup_AV-202112110301.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:18:16 GMT", - "enclosure": "https://images.bfmtv.com/9ouFMwyt7N6dCfUt8pQog7ahnpY=/0x106:2048x1258/800x0/images/Basket-illustration-976031.jpg", + "pubDate": "Sat, 11 Dec 2021 17:25:16 GMT", + "enclosure": "https://images.bfmtv.com/JG-iUNd4_nXjzEgW_niYZGOoqQE=/0x0:2048x1152/800x0/images/Antoine-Dupont-lors-de-Cardiff-Toulouse-1186597.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33421,19 +37974,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee065564f3192f5f4ce7674e72d429c3" + "hash": "ea8c19d33bf66f82714d0eb374420880" }, { - "title": "Ligue des champions: le PSG en démonstration, le Real Madrid en quarts", - "description": "Le Paris SG féminin, déjà qualifié en quarts de finale de Ligue des champions, a enchaîné un cinquième succès (6-0) dans le groupe B mercredi à Kharkiv (Ukraine) lors de l'avant-dernière journée des poules, marquée par la qualification du Real Madrid et le succès de Wolfsburg.

", - "content": "Le Paris SG féminin, déjà qualifié en quarts de finale de Ligue des champions, a enchaîné un cinquième succès (6-0) dans le groupe B mercredi à Kharkiv (Ukraine) lors de l'avant-dernière journée des poules, marquée par la qualification du Real Madrid et le succès de Wolfsburg.

", + "title": "Premier League: Liverpool s’impose difficilement face au Aston Villa de Gerrard", + "description": "Si l’évènement du jour était le grand retour de Steven Gerrard à Anfield, Liverpool se devait de prendre les trois points pour rester aux prises avec Manchester City qui a gagné son match ce samedi. Accrochés pendant plus d’une heure de jeu, les Reds ont trouvé la faille grâce à un penalty inscrit par Mohamed Salah (66e).

", + "content": "Si l’évènement du jour était le grand retour de Steven Gerrard à Anfield, Liverpool se devait de prendre les trois points pour rester aux prises avec Manchester City qui a gagné son match ce samedi. Accrochés pendant plus d’une heure de jeu, les Reds ont trouvé la faille grâce à un penalty inscrit par Mohamed Salah (66e).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/ligue-des-champions/ligue-des-champions-le-psg-en-demonstration-le-real-madrid-en-quarts_AD-202112090009.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-liverpool-s-impose-difficilement-face-au-aston-villa-de-gerrard_AV-202112110297.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:08:06 GMT", - "enclosure": "https://images.bfmtv.com/v6ylP1oIa9F8tQiR3BUIfowudKk=/0x106:2048x1258/800x0/images/Les-joueuses-du-PSG-avec-Hamraoui-et-Baltimore-1168470.jpg", + "pubDate": "Sat, 11 Dec 2021 17:08:39 GMT", + "enclosure": "https://images.bfmtv.com/C5UVVuh6hzcy0m8VIsL36lAz2iA=/0x0:2048x1152/800x0/images/Steven-Gerrard-face-a-Liverpool-1186589.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33441,19 +37995,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a62b2800040a33c5c7c0f193932df7db" + "hash": "e98653fc96d19ed5d90b5af2a7de3d52" }, { - "title": "Barça: \"Un coup de massue\" pour Xavi après l'élimination en Ligue des champions", - "description": "Sorti de la Ligue des champions dès la phase de groupes pour la première fois depuis la saison 2000-2001, le FC Barcelone est tombé très bas. Mais s'il reconnaît que la situation est \"triste et difficile\", Xavi veut aussi y voir \"le début d'une nouvelle étape\".

", - "content": "Sorti de la Ligue des champions dès la phase de groupes pour la première fois depuis la saison 2000-2001, le FC Barcelone est tombé très bas. Mais s'il reconnaît que la situation est \"triste et difficile\", Xavi veut aussi y voir \"le début d'une nouvelle étape\".

", + "title": "Arsenal: la raison disciplinaire pour laquelle Aubameyang a été écarté", + "description": "Mikel Arteta a confirmé que son capitaine Pierre-Emerick Aubameyang ne figurait pas ce samedi sur la feuille de match, pour la rencontre de la 16e journée de Premier League, face à Southampton, pour une raison disciplinaire. Selon The Athletic, l'attaquant gabonais est rentré en retard après un voyage, pour raisons personnelles, autorisé par le club.

", + "content": "Mikel Arteta a confirmé que son capitaine Pierre-Emerick Aubameyang ne figurait pas ce samedi sur la feuille de match, pour la rencontre de la 16e journée de Premier League, face à Southampton, pour une raison disciplinaire. Selon The Athletic, l'attaquant gabonais est rentré en retard après un voyage, pour raisons personnelles, autorisé par le club.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-un-coup-de-massue-pour-xavi-apres-l-elimination-en-ligue-des-champions_AV-202112090008.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/arsenal-la-raison-disciplinaire-pour-laquelle-aubameyang-a-ete-ecarte_AV-202112110288.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:02:33 GMT", - "enclosure": "https://images.bfmtv.com/8pX0tca9v3vwt-n1R-JCqY2W8D4=/0x61:2048x1213/800x0/images/Xavi-Hernandez-1184566.jpg", + "pubDate": "Sat, 11 Dec 2021 16:57:12 GMT", + "enclosure": "https://images.bfmtv.com/KsB0L39BYlbX-StNQ6Iuy2RHOZs=/0x139:2048x1291/800x0/images/Pierre-Emerick-Aubameyang-1186552.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33461,19 +38016,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "104890f0c63b8724f1275b0927c09215" + "hash": "588b7a810ac5ce518184a8e27a7ca5d7" }, { - "title": "Wolfsburg-Lille: \"C’est historique\", les Dogues laissent éclater leur joie", - "description": "Lille a décroché la qualification pour les 8es de finale de la Ligue des champions en s’imposant à Wolfsburg (3-1) ce mercredi. Jocelyn Gourvennec et Benjamin André ont exprimé leur satisfaction après ce moment rare dans la vie du club nordiste.

", - "content": "Lille a décroché la qualification pour les 8es de finale de la Ligue des champions en s’imposant à Wolfsburg (3-1) ce mercredi. Jocelyn Gourvennec et Benjamin André ont exprimé leur satisfaction après ce moment rare dans la vie du club nordiste.

", + "title": "Bundesliga: le Bayern creuse l’écart sur Dortmund dans la course au titre", + "description": "Le Bayern a porté à six points son avance en tête de la Bundesliga ce samedi, en battant Mayence à domicile 2-1, alors que son dauphin Dortmund était tenu en échec 1-1 dans le derby de la Ruhr à Bochum, pour la 15e journée de Bundesliga.

", + "content": "Le Bayern a porté à six points son avance en tête de la Bundesliga ce samedi, en battant Mayence à domicile 2-1, alors que son dauphin Dortmund était tenu en échec 1-1 dans le derby de la Ruhr à Bochum, pour la 15e journée de Bundesliga.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-c-est-historique-les-dogues-laissent-eclater-leur-joie_AV-202112080653.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-le-bayern-creuse-l-ecart-sur-dortmund-dans-la-course-au-titre_AV-202112110283.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 23:58:01 GMT", - "enclosure": "https://images.bfmtv.com/m-856iKfGlnmZ_Xf3ryisf0akSU=/0x16:768x448/800x0/images/La-joie-du-Canadien-Jonathan-David-et-de-l-Anglais-Angel-Gomes-auteurs-chacun-d-un-but-lors-de-la-victoire-de-Lille-3-1-sur-le-terrain-de-Wolfsbourg-lors-de-la-6e-journee-du-groupe-G-de-la-Ligue-des-Champions-le-8-decembre-2021-1184548.jpg", + "pubDate": "Sat, 11 Dec 2021 16:52:17 GMT", + "enclosure": "https://images.bfmtv.com/s545440YMwRI9IedODkLXNAlUbo=/0x34:1200x709/800x0/images/Kingsley-Coman-1186569.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33481,19 +38037,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9f463eaec2a63313481d5ff7c9d9cd6" + "hash": "2b5314adf39dbc89b915485f7b98332e" }, { - "title": "Incidents OL-OM: Cardoze explique que l'OM voulait avoir match gagné", - "description": "Jacques Cardoze, le directeur de la communication de l'OM, a réagi dans l'After Foot sur RMC aux décisions de la commission de discipline de la Ligue, qui a décidé de retirer un point ferme à l'OL après les incidents survenus lors du match Lyon-Marseille. Le match sera aussi rejoué.

", - "content": "Jacques Cardoze, le directeur de la communication de l'OM, a réagi dans l'After Foot sur RMC aux décisions de la commission de discipline de la Ligue, qui a décidé de retirer un point ferme à l'OL après les incidents survenus lors du match Lyon-Marseille. Le match sera aussi rejoué.

", + "title": "Affaire Agnel en direct: Agnel mis en examen", + "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", + "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-cardoze-explique-que-l-om-voulait-avoir-match-gagne_AV-202112080650.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 23:23:55 GMT", - "enclosure": "https://images.bfmtv.com/EYeRNLBMaMQIdaq-D8hCaNuC_nI=/0x210:2048x1362/800x0/images/Jacques-CARDOZE-1184541.jpg", + "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", + "enclosure": "https://images.bfmtv.com/MhiWI9f1DC1iCJ2a2QzVGovW6ro=/0x38:768x470/800x0/images/Le-nageur-francais-Yannick-Agnel-s-apprete-a-disputer-la-finale-du-200-m-des-championnats-de-France-a-Montpellier-le-30-mars-2016-1185421.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33501,19 +38058,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6ac0fb24770f55747283da033c38fd32" + "hash": "76a43d437900c8cae6c37d90d8b5ea0e" }, { - "title": "Ligue 1 en direct: Rennes dénonce \"le manque de fair-play\" de Tottenham et veut jouer", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Reims - Saint-Etienne en direct: les Verts veulent sortir de la zone rouge", + "description": "Pour la première depuis la mise à pied de Claude Puel, Saint-Etienne doit absolument remettre la marche en avant en Ligue 1 face à Reims (21h). Les Verts, coachés par intérim par Julien Sablé, sont derniers de Ligue 1.

", + "content": "Pour la première depuis la mise à pied de Claude Puel, Saint-Etienne doit absolument remettre la marche en avant en Ligue 1 face à Reims (21h). Les Verts, coachés par intérim par Julien Sablé, sont derniers de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-reims-saint-etienne-en-direct_LS-202112110324.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/1qXSI53YdnVzaShsqsN6ZbDok2E=/0x104:2000x1229/800x0/images/Kane-et-Truffert-lors-de-Rennes-Tottenham-1184253.jpg", + "pubDate": "Sat, 11 Dec 2021 18:40:25 GMT", + "enclosure": "https://images.bfmtv.com/xFO3OqWx-L2vCk3n4wbPRJYjdXU=/0x118:2048x1270/800x0/images/Wahbi-Khazri-1184964.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33521,19 +38079,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d4b9d7fe72179f882854e215d0ce018" + "hash": "a62809f81f01df1ce0c5798e1388c680" }, { - "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Tottenham - Rennes – Ligue Europa Conférence", - "description": "Notre pronostic: Tottenham ne perd pas face à Rennes et plus de 1,5 but dans le match (1.44)

", - "content": "Notre pronostic: Tottenham ne perd pas face à Rennes et plus de 1,5 but dans le match (1.44)

", + "title": "Equipe de France: Le Graët confirme la priorité des Bleus pour le mois de mars", + "description": "L’équipe de France disputera deux matchs amicaux en mars 2022. Interrogé sur les potentiels adversaires des Bleus ce samedi lors de l’assemblée générale de la Fédération française de football, Noël Le Graët a confirmé que l’option prioritaire restait un tournoi au Qatar, afin d’habituer le groupe de Didier Deschamps au pays où sera disputé la prochaine Coupe du monde.

", + "content": "L’équipe de France disputera deux matchs amicaux en mars 2022. Interrogé sur les potentiels adversaires des Bleus ce samedi lors de l’assemblée générale de la Fédération française de football, Noël Le Graët a confirmé que l’option prioritaire restait un tournoi au Qatar, afin d’habituer le groupe de Didier Deschamps au pays où sera disputé la prochaine Coupe du monde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-tottenham-rennes-ligue-europa-conference_AN-202112080414.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-graet-confirme-la-priorite-des-bleus-pour-le-mois-de-mars_AV-202112110272.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/1qXSI53YdnVzaShsqsN6ZbDok2E=/0x104:2000x1229/800x0/images/Kane-et-Truffert-lors-de-Rennes-Tottenham-1184253.jpg", + "pubDate": "Sat, 11 Dec 2021 16:27:30 GMT", + "enclosure": "https://images.bfmtv.com/NajHR3Vso5J-z5PeSdUO3Jc7uHI=/0x46:2048x1198/800x0/images/Noel-Le-Graet-et-Didier-Deschamps-1186543.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33541,19 +38100,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b4504887d8cd61ddfa289944f595bf35" + "hash": "0aec1219000bb652e8a4ffafe0dc245b" }, { - "title": "Ligue des champions: la déroute du Barça, Yilmaz, Greenwood... les principaux buts de mercredi", - "description": "Lors de la victoire 3-0 du Bayern Munich face au Barça, Leroy Sané a inscrit l'un des plus beaux buts de la dernière soirée de Ligue des champions de l'année 2021. Deux jolis buts ont aussi été marqués à Old Trafford, où Manchester United et le Young Boys s'affrontaient.

", - "content": "Lors de la victoire 3-0 du Bayern Munich face au Barça, Leroy Sané a inscrit l'un des plus beaux buts de la dernière soirée de Ligue des champions de l'année 2021. Deux jolis buts ont aussi été marqués à Old Trafford, où Manchester United et le Young Boys s'affrontaient.

", + "title": "Euroleague: Heurtel sifflé et moqué pour ses retrouvailles avec Barcelone", + "description": "Près d'un an après son départ polémique du FC Barcelone, Thomas Heurtel était de retour vendredi sur le parquet du Palau Blaugrana. Sous les couleurs du rival du Real Madrid, l'international français s'est incliné (93-80) avec ses coéquipiers, dans cette rencontre d'Euroleague. Surtout, le meneur de jeu a été sifflé et moqué par ses anciens supporters.

", + "content": "Près d'un an après son départ polémique du FC Barcelone, Thomas Heurtel était de retour vendredi sur le parquet du Palau Blaugrana. Sous les couleurs du rival du Real Madrid, l'international français s'est incliné (93-80) avec ses coéquipiers, dans cette rencontre d'Euroleague. Surtout, le meneur de jeu a été sifflé et moqué par ses anciens supporters.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-deroute-du-barca-yilmaz-greenwood-les-principaux-buts-de-mercredi_AV-202112080638.html", + "link": "https://rmcsport.bfmtv.com/basket/euroleague-heurtel-siffle-et-moque-pour-ses-retrouvailles-avec-barcelone_AV-202112110269.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 22:48:43 GMT", - "enclosure": "https://images.bfmtv.com/qj-48cFOBC15TKYG1dT65uWyriM=/0x69:2048x1221/800x0/images/Bayern-Barca-1184523.jpg", + "pubDate": "Sat, 11 Dec 2021 16:16:39 GMT", + "enclosure": "https://images.bfmtv.com/vKYIKa24bufk4R3IzxUWp4XKCsw=/0x106:2048x1258/800x0/images/Thomas-Heurtel-1186329.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33561,19 +38121,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "607896f35e2b1b08fa0fd2c225706dc5" + "hash": "7dc90866dd225b5b2d9a41f3b1385ca2" }, { - "title": "Incidents OL-OM: la colère d’Alvaro après le verdict de la commission", - "description": "Les décisions de la commission de discipline de la LFP ont été dévoilées ce mercredi après les incidents lors d’OL-OM. Si le club lyonnais est lourdement sanctionné, le verdict ne plaît pas à Alvaro Gonzalez.

", - "content": "Les décisions de la commission de discipline de la LFP ont été dévoilées ce mercredi après les incidents lors d’OL-OM. Si le club lyonnais est lourdement sanctionné, le verdict ne plaît pas à Alvaro Gonzalez.

", + "title": "Le Graët pour une Ligue 3 complètement professionnelle", + "description": "Noël Le Graët a abordé ce samedi la question de la professionnalisation de la troisième division française. En marge de l’assemblée générale de la Fédération française de football, le président a plaidé pour la création d'une Ligue 3 afin de tenir compte de l’évolution des championnats et notamment du passage à 18 clubs de la L1 et de la L2.

", + "content": "Noël Le Graët a abordé ce samedi la question de la professionnalisation de la troisième division française. En marge de l’assemblée générale de la Fédération française de football, le président a plaidé pour la création d'une Ligue 3 afin de tenir compte de l’évolution des championnats et notamment du passage à 18 clubs de la L1 et de la L2.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-la-colere-d-alvaro-apres-le-verdict-de-la-commission_AV-202112080632.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/le-graet-pour-une-ligue-3-completement-professionnelle_AV-202112110263.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 22:36:41 GMT", - "enclosure": "https://images.bfmtv.com/D1NjSFguBwA7ZOzG_LYB69JW87w=/0x39:768x471/800x0/images/Le-meneur-de-jeu-de-Marseille-Dimitri-Payet-touche-par-une-bouteille-d-eau-au-moment-de-tirer-un-corner-contre-Lyon-au-Parc-OL-le-21-novembre-2021-1171867.jpg", + "pubDate": "Sat, 11 Dec 2021 15:59:30 GMT", + "enclosure": "https://images.bfmtv.com/3arXD0Hq3jeTPDrE7xhkGRsVyxM=/0x99:2048x1251/800x0/images/Noel-Le-Graet-pendant-une-assemblee-generale-de-la-FFF-1186487.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33581,19 +38142,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1b345eab8c9d40431e9d851b46ce3105" + "hash": "54da53aa2f67ddbd5b7e502ddef3b4d4" }, { - "title": "Ligue des champions: les adversaires potentiels du PSG et de Lille en huitièmes", - "description": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", - "content": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", + "title": "Liverpool: l'ovation d'Anfield pour le retour de Gerrard avec Aston Villa", + "description": "Steven Gerrard a effectué ce samedi son retour sur la pelouse d'Anfield, lors de la rencontre de la 16e journée de Premier League entre Liverpool et Aston Villa. Entraîneur du club de Birmingham depuis le 17 novembre, la légende des Reds a reçu une magnifique ovation de la part de ses anciens supporters.

", + "content": "Steven Gerrard a effectué ce samedi son retour sur la pelouse d'Anfield, lors de la rencontre de la 16e journée de Premier League entre Liverpool et Aston Villa. Entraîneur du club de Birmingham depuis le 17 novembre, la légende des Reds a reçu une magnifique ovation de la part de ses anciens supporters.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-pour-le-psg-et-lille-en-huitiemes_AV-202112080630.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/liverpool-l-ovation-d-anfield-pour-le-retour-de-gerrard-avec-aston-villa_AV-202112110260.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 22:26:59 GMT", - "enclosure": "https://images.bfmtv.com/g5YAk7GIILjNzuwqBugOg4wvmR8=/0x5:2048x1157/800x0/images/PSG-1184529.jpg", + "pubDate": "Sat, 11 Dec 2021 15:54:13 GMT", + "enclosure": "https://images.bfmtv.com/sFNG0GCm1O20qmpBj65HaDjSig0=/7x110:2039x1253/800x0/images/Steven-Gerrard-1186531.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33601,19 +38163,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4947eb9edc8d553d358b1930cb9f478d" + "hash": "1183f4f15d51cd5dd5551f111c5692ae" }, { - "title": "Ligue des champions: corrigé par le Bayern, le Barça se retrouve en Ligue Europa", - "description": "Balayé par le Bayern (3-0) ce mercredi à Munich, le FC Barcelone ne disputera pas les huitièmes de finale de la Ligue des champions. Une énorme désillusion pour les joueurs de Xavi, qui sont reversés en Ligue Europa.

", - "content": "Balayé par le Bayern (3-0) ce mercredi à Munich, le FC Barcelone ne disputera pas les huitièmes de finale de la Ligue des champions. Une énorme désillusion pour les joueurs de Xavi, qui sont reversés en Ligue Europa.

", + "title": "Manchester United: Martial devrait être prêté en janvier", + "description": "L'international français Anthony Martial (26 ans), en manque de temps de jeu à Manchester United, souhaite changer d'air cet hiver, et s'oriente vers un prêt au mois de janvier.

", + "content": "L'international français Anthony Martial (26 ans), en manque de temps de jeu à Manchester United, souhaite changer d'air cet hiver, et s'oriente vers un prêt au mois de janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-corrige-par-le-bayern-le-barca-se-retrouve-en-ligue-europa_AV-202112080623.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-martial-devrait-etre-prete-en-janvier_AV-202112110259.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 21:56:01 GMT", - "enclosure": "https://images.bfmtv.com/gEhV3S63TFwRexP3aP5nD8520o4=/0x0:2048x1152/800x0/images/Benjamin-Pavard-et-Ousmane-Dembele-1184512.jpg", + "pubDate": "Sat, 11 Dec 2021 15:44:53 GMT", + "enclosure": "https://images.bfmtv.com/TezFdmS7xJlTPE02EECc42RMhZY=/0x2:1200x677/800x0/images/Anthony-Martial-1186521.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33621,19 +38184,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "40e0df5a0af3fd344015219af12c1194" + "hash": "5ca6a86ea3c198ab5088c21718d458d0" }, { - "title": "Ligue des champions: le Losc qualifié pour les huitièmes, en surclassant Wolfsburg", - "description": "Vainqueur 3-1 à Wolfsburg, le Losc s'est qualifié pour les huitièmes de finale de la Ligue des champions. Le champion de France, qui rejoint le PSG, s'est offert au passage la première place de son groupe, lui conférant ainsi le statut de tête de série pour le tirage au sort.

", - "content": "Vainqueur 3-1 à Wolfsburg, le Losc s'est qualifié pour les huitièmes de finale de la Ligue des champions. Le champion de France, qui rejoint le PSG, s'est offert au passage la première place de son groupe, lui conférant ainsi le statut de tête de série pour le tirage au sort.

", + "title": "Mercato: Di Maria en passe de prolonger au PSG", + "description": "Libre en juin 2022, Angel Di Maria ne devrait pas quitter le PSG lors du prochain mercato estival. Le club francilien et l'Argentin de 33 ans sont d'accord pour poursuivre l'aventure commune, au moins, jusqu'en juin 2023. Une prolongation pourrait se concrétiser dans les prochains mois.

", + "content": "Libre en juin 2022, Angel Di Maria ne devrait pas quitter le PSG lors du prochain mercato estival. Le club francilien et l'Argentin de 33 ans sont d'accord pour poursuivre l'aventure commune, au moins, jusqu'en juin 2023. Une prolongation pourrait se concrétiser dans les prochains mois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-losc-qualifie-pour-les-huitiemes-en-surclassant-wolfsburg_AV-202112080622.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/mercato-di-maria-en-passe-de-prolonger-au-psg_AV-202112110257.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 21:55:11 GMT", - "enclosure": "https://images.bfmtv.com/7z3UfCv9QAGjasbl781VRIXC3ao=/6x101:2038x1244/800x0/images/Losc-Wolfsburg-1184513.jpg", + "pubDate": "Sat, 11 Dec 2021 15:40:21 GMT", + "enclosure": "https://images.bfmtv.com/dsxNyCEIGa-NP8a54UTOGAY8mrQ=/0x87:2048x1239/800x0/images/Angel-Di-Maria-celebre-un-but-avec-le-PSG-1186523.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33641,19 +38205,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a93510ee4912490b2fdd362db90e68a7" + "hash": "c4b9c2f8b275a447462c93e3ddfee6c8" }, { - "title": "L'OM écope d'une amende, après les propos racistes contre Suk", - "description": "L'OM a écopé d'une amende de 10.000 euros pour les propos à caractère discriminatoire tenus à l'encontre de l'attaquant de Troyes Hyun-Jun Suk, a annoncé mercredi la commission de discipline de la LFP.

", - "content": "L'OM a écopé d'une amende de 10.000 euros pour les propos à caractère discriminatoire tenus à l'encontre de l'attaquant de Troyes Hyun-Jun Suk, a annoncé mercredi la commission de discipline de la LFP.

", + "title": "Biathlon (Hochfilzen): les Françaises 3es du relais", + "description": "Les hommes, en réussite sur la poursuite, n'étaient pas les seuls à vouloir briller. Ce samedi, l'Equipe de france femmes participait aussi à la Coupe du monde de biathlon à Hochfilzen (Autriche). Les Bleues ont terminé troisièmes du relais.

", + "content": "Les hommes, en réussite sur la poursuite, n'étaient pas les seuls à vouloir briller. Ce samedi, l'Equipe de france femmes participait aussi à la Coupe du monde de biathlon à Hochfilzen (Autriche). Les Bleues ont terminé troisièmes du relais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/l-om-ecope-d-une-amende-apres-les-propos-racistes-contre-suk_AV-202112080615.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-hochfilzen-les-francaises-3es-du-relais_AV-202112110254.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 21:29:03 GMT", - "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "pubDate": "Sat, 11 Dec 2021 15:35:48 GMT", + "enclosure": "https://images.bfmtv.com/QjHczTr5BZUvj7PjMfe2v2C2cCE=/0x105:2048x1257/800x0/images/La-Francaise-Anais-Bescond-et-la-Norvegienne-Ingrid-Landmark-Tandrevold-972960.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33661,19 +38226,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cf3b84a662a6244471624c7e721bb696" + "hash": "73689a65f655ad3244140c3353c47186" }, { - "title": "Incidents OL-OM: Lyon dénonce le verdict et s’en prend violemment à Cardoze", - "description": "Sanctionné d’un point de retrait ferme, l’OL, qui devra également rejouer le match face à l’OM, a publié un communiqué pour afficher sa colère. Et critiquer Jacques Cardoze, le directeur de la communication de Marseille, accusé d’avoir voulu faire pression sur la commission de discipline.

", - "content": "Sanctionné d’un point de retrait ferme, l’OL, qui devra également rejouer le match face à l’OM, a publié un communiqué pour afficher sa colère. Et critiquer Jacques Cardoze, le directeur de la communication de Marseille, accusé d’avoir voulu faire pression sur la commission de discipline.

", + "title": "Mondial de hand: Nze Minko, cadre des Bleues et entrepreneuse au service des projets féminins", + "description": "Estelle Nze Minko, qui affronte la Serbie ce samedi (18h) dans un match qui peut propulser les Bleues vers les quarts de finale du Mondial, est l'une des taulières de l’équipe de France féminine de handball depuis plusieurs saisons. Décisive sur le terrain, l’arrière des Bleues développe sur ses temps de repos son entreprise qui valorise l’entreprenariat féminin.

", + "content": "Estelle Nze Minko, qui affronte la Serbie ce samedi (18h) dans un match qui peut propulser les Bleues vers les quarts de finale du Mondial, est l'une des taulières de l’équipe de France féminine de handball depuis plusieurs saisons. Décisive sur le terrain, l’arrière des Bleues développe sur ses temps de repos son entreprise qui valorise l’entreprenariat féminin.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-lyon-denonce-le-verdict-et-s-en-prend-violemment-a-cardoze_AN-202112080614.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-nze-minko-cadre-des-bleues-et-entrepreneuse-feministe_AV-202112110251.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 21:22:13 GMT", - "enclosure": "https://images.bfmtv.com/YqzCAMCkMqTTfpfMh6jDMaTrHFw=/0x64:768x496/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-quitte-la-pelouse-apres-avoir-ete-touche-a-la-tempe-par-une-bouteille-lancee-depuis-une-tribune-de-supporters-lyonnais-au-Parc-OL-le-21-novembre-2021-1171860.jpg", + "pubDate": "Sat, 11 Dec 2021 15:26:55 GMT", + "enclosure": "https://images.bfmtv.com/ctiVMqrWGML9sH-FfOOPiiNMYLA=/0x87:2048x1239/800x0/images/Estelle-Nze-Minko-lors-du-Mondial-feminin-avec-les-Bleues-1186517.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33681,19 +38247,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5b0cc1cb15517f379daedb453e55a71" + "hash": "f4afb93edd106c591f651d908ba221a9" }, { - "title": "Incidents OL-OM: la réponse ferme de la LFP après le coup de gueule de Cardoze", - "description": "Après avoir annoncé les décisions prises à l’encontre de l’OL pour les incidents survenus contre l'OM, Sébastien Deneux, le président de la commission de discipline de la LFP, a répondu avec fermeté à Jacques Cardoze. Le directeur de la communication du club phocéen avait poussé un coup de gueule contre l'absence de représentant du club phocéen à Paris.

", - "content": "Après avoir annoncé les décisions prises à l’encontre de l’OL pour les incidents survenus contre l'OM, Sébastien Deneux, le président de la commission de discipline de la LFP, a répondu avec fermeté à Jacques Cardoze. Le directeur de la communication du club phocéen avait poussé un coup de gueule contre l'absence de représentant du club phocéen à Paris.

", + "title": "Champions Cup: Dupont et Toulouse réussissent leur rentrée européenne", + "description": "Antoine Dupont a livré une prestation de grande classe ce samedi pour la victoire du Stade Toulousain sur le terrain de Cardiff, lors de la première journée de Champions Cup (39-7). Le champion en titre, emmené par le meilleur joueur du monde en 2021, a réussi aisément son entrée en matière avec le gain du bonus offensif.

", + "content": "Antoine Dupont a livré une prestation de grande classe ce samedi pour la victoire du Stade Toulousain sur le terrain de Cardiff, lors de la première journée de Champions Cup (39-7). Le champion en titre, emmené par le meilleur joueur du monde en 2021, a réussi aisément son entrée en matière avec le gain du bonus offensif.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-la-reponse-ferme-de-la-lfp-apres-le-coup-de-gueule-de-cardoze_AV-202112080611.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-dupont-et-toulouse-reussissent-leur-rentree-europeenne_AV-202112110242.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 21:05:37 GMT", - "enclosure": "https://images.bfmtv.com/4fiMuUAXnCSxgg3cOrzhXoN89UY=/0x146:2048x1298/800x0/images/OL-OM-1184497.jpg", + "pubDate": "Sat, 11 Dec 2021 15:11:47 GMT", + "enclosure": "https://images.bfmtv.com/HpTvlAIQ-SDAEZLdZMwU1psFXdU=/14x0:2046x1143/800x0/images/Antoine-Dupont-1186490.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33701,19 +38268,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "24715ee824de6ce957267ab6ba956ea2" + "hash": "7feada513fa498fac113a24f841efa33" }, { - "title": "Ligue des champions: Atalanta-Villarreal reporté en raison de la neige", - "description": "D'importantes chutes de neige ont provoqué le report du match Atalanta-Villarreal, mercredi soir en Ligue des champions. La rencontre, comptant pour le groupe F, est reprogrammée à jeudi.

", - "content": "D'importantes chutes de neige ont provoqué le report du match Atalanta-Villarreal, mercredi soir en Ligue des champions. La rencontre, comptant pour le groupe F, est reprogrammée à jeudi.

", + "title": "Premier League: Manchester City assure le service minimum contre les Wolves", + "description": "Opposé à Wolverhampton ce samedi, Manchester City a dû attendre la seconde période pour inscrire le seul but de la rencontre (1-0). Grâce au penalty inscrit par Raheem Sterling, les Citizens confortent leur première place au classement de la Premier League.

", + "content": "Opposé à Wolverhampton ce samedi, Manchester City a dû attendre la seconde période pour inscrire le seul but de la rencontre (1-0). Grâce au penalty inscrit par Raheem Sterling, les Citizens confortent leur première place au classement de la Premier League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-atalanta-villarreal-reporte-en-raison-de-la-neige_AV-202112080609.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-manchester-city-assure-le-service-minimum-contre-les-wolves_AV-202112110237.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 21:02:50 GMT", - "enclosure": "https://images.bfmtv.com/ng7IzZb5N20mUFGoATokx3QrGOg=/0x212:2048x1364/800x0/images/Atlanta-neige-1184500.jpg", + "pubDate": "Sat, 11 Dec 2021 15:06:32 GMT", + "enclosure": "https://images.bfmtv.com/_sP9AA2esiHCDoJEy8Mo0ciDGn4=/0x39:768x471/800x0/images/La-joie-de-l-attaquant-de-Manchester-City-Raheem-Sterling-apres-avoir-egalise-1-1-a-domicile-face-au-Paris-Saint-Germain-lors-de-leur-match-de-poules-de-la-Ligue-des-Champions-le-24-novembre-2021-a-l-Etihad-Stadium-1174724.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33721,19 +38289,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a651086167ed4a84359b8fe6cb3124e" + "hash": "96e20d64b0a30db870e68e35a0e65b3e" }, { - "title": "Incidents OL-OM: un point de retrait ferme pour Lyon, le match à rejouer", - "description": "La commission de discipline de la Ligue de football professionnel était réunie ce mercredi pour étudier les sanctions à infliger après les incidents survenus le 21 novembre lors du choc OL-OM. Le match sera rejoué à Lyon. L'OL écope d'un point de retrait ferme au classement.

", - "content": "La commission de discipline de la Ligue de football professionnel était réunie ce mercredi pour étudier les sanctions à infliger après les incidents survenus le 21 novembre lors du choc OL-OM. Le match sera rejoué à Lyon. L'OL écope d'un point de retrait ferme au classement.

", + "title": "La belle série de Brest se termine par une claque à domicile contre Montpellier", + "description": "Après 6 victoires d'affilée, Brest a lourdement chuté à la maison contre Montpellier (0-4). Les Héraultais montent provisoirement à la 4e place de Ligue 1. Wahi, Mavididi, Sambia et Germain sont les buteurs.

", + "content": "Après 6 victoires d'affilée, Brest a lourdement chuté à la maison contre Montpellier (0-4). Les Héraultais montent provisoirement à la 4e place de Ligue 1. Wahi, Mavididi, Sambia et Germain sont les buteurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-un-point-de-retrait-ferme-pour-lyon-le-match-a-rejouer_AV-202112080602.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-brest-montpellier-en-direct_LS-202112110234.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 20:34:18 GMT", - "enclosure": "https://images.bfmtv.com/LJN4y2A5ViNmMsexU1LP0heFpGQ=/0x35:768x467/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", + "pubDate": "Sat, 11 Dec 2021 15:02:02 GMT", + "enclosure": "https://images.bfmtv.com/kEEwVn5VFSxb3tSg7FVuguhoYr4=/0x150:2048x1302/800x0/images/Jordan-Ferri-lors-de-Brest-Montpellier-1186563.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33741,19 +38310,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "518e18bb6d6460bb31551a0f84234bdf" + "hash": "ef8d690e923c93a1e43c8b6ee4af478e" }, { - "title": "Wolfsburg-Lille: le but de Yilmaz après un contre express en vidéo", - "description": "Avec un but à la 11e minute, Burak Yilmaz a permis au Losc de mener 1-0 sur le terrain de Wolfsburg, mercredi soir dans le cadre de la 6e et dernière journée de la phase de groupes de la Ligue des champions.

", - "content": "Avec un but à la 11e minute, Burak Yilmaz a permis au Losc de mener 1-0 sur le terrain de Wolfsburg, mercredi soir dans le cadre de la 6e et dernière journée de la phase de groupes de la Ligue des champions.

", + "title": "GP d'Abu Dhabi: comment Verstappen a chipé la pole position à Hamilton", + "description": "Le Néerlandais Max Verstappen (Red Bull) a décroché ce samedi la pole position du dernier Grand Prix de la saison de Formule 1 à Abu Dhabi, devant le Britannique Lewis Hamilton (Mercedes), son rival au championnat à égalité de points (369,5).

", + "content": "Le Néerlandais Max Verstappen (Red Bull) a décroché ce samedi la pole position du dernier Grand Prix de la saison de Formule 1 à Abu Dhabi, devant le Britannique Lewis Hamilton (Mercedes), son rival au championnat à égalité de points (369,5).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-le-but-de-yilmaz-apres-un-contre-express-en-video_AV-202112080599.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abu-dhabi-comment-verstappen-a-chipe-la-pole-position-a-hamilton_AV-202112110233.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 20:24:24 GMT", - "enclosure": "https://images.bfmtv.com/6Kcs-Aq9W0ZMHY6o67hhgfkJ8uc=/0x0:1920x1080/800x0/images/Wolfsburg-Lille-1184486.jpg", + "pubDate": "Sat, 11 Dec 2021 15:01:17 GMT", + "enclosure": "https://images.bfmtv.com/ibA-CwddNEe0YqsAdq1RTauX9AA=/119x0:1767x927/800x0/images/Verstappen-et-Hamilton-1186471.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33761,19 +38331,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f71bd1f1f6157715df7a641cbc8b8cab" + "hash": "763049d0b791ef53a47f7285a126a87b" }, { - "title": "Ligue des champions: Chelsea accroché en fin de match, la Juventus termine leader", - "description": "Un scénario dantesque a permis à la Juventus, victorieuse 1-0 contre Malmö, de terminer en tête du groupe H de la Ligue des champions. Car dans le même temps, Chelsea a concédé un nul 3-3 contre le Zénith à deux minutes de la fin du temps additionnel. Les Bianconeri pourraient donc être sur la route du PSG en huitièmes de finale.

", - "content": "Un scénario dantesque a permis à la Juventus, victorieuse 1-0 contre Malmö, de terminer en tête du groupe H de la Ligue des champions. Car dans le même temps, Chelsea a concédé un nul 3-3 contre le Zénith à deux minutes de la fin du temps additionnel. Les Bianconeri pourraient donc être sur la route du PSG en huitièmes de finale.

", + "title": "Mercato: l'OL avance sur le dossier Azmoun", + "description": "Convoité par l’Olympique Lyonnais l’été dernier, Sardar Azmoun pourrait rejoindre le club français dès le mois de janvier. Selon des informations de l’Equipe, confirmées par RMC Sport, l’attaquant iranien de 26 ans a trouvé un accord salarial avec les Gones.

", + "content": "Convoité par l’Olympique Lyonnais l’été dernier, Sardar Azmoun pourrait rejoindre le club français dès le mois de janvier. Selon des informations de l’Equipe, confirmées par RMC Sport, l’attaquant iranien de 26 ans a trouvé un accord salarial avec les Gones.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-en-direct-suivez-zenith-chelsea-et-juventus-malmo_LS-202112080498.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-l-ol-avance-sur-le-dossier-azmoun_AV-202112110224.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:04:15 GMT", - "enclosure": "https://images.bfmtv.com/3X-tV_Fj2RrqjfxFoBi_ro7iFMI=/0x0:1840x1035/800x0/images/Chelsea-Zenith-1184387.jpg", + "pubDate": "Sat, 11 Dec 2021 14:40:47 GMT", + "enclosure": "https://images.bfmtv.com/2U4K3S7W7amb3Cr3i0FecTEgKvc=/0x39:2032x1182/800x0/images/Sardar-AZMOUN-1117723.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33781,19 +38352,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e19f3dc130cf8d843c43f8284dfe26ba" + "hash": "e79fd3fba51f9d8d57a8af8e96b308a2" }, { - "title": "Golf: Tiger Woods va reprendre en famille, avec son fils Charlie", - "description": "Tiger Woods va faire son retour à la compétition, en famille, sans pression, la semaine prochaine au PNC Championship, à Orlando, dix mois après avoir été grièvement blessé dans un accident de la route à Los Angeles.

", - "content": "Tiger Woods va faire son retour à la compétition, en famille, sans pression, la semaine prochaine au PNC Championship, à Orlando, dix mois après avoir été grièvement blessé dans un accident de la route à Los Angeles.

", + "title": "Samuel Eto'o élu président de la Fédération camerounaise de football", + "description": "Comme il l'avait prédit au moment de l'annonce de sa candidature, Samuel Eto'o a été élu ce samedi président de la Fédération camerounaise de football (Fecafoot). L'ancien international a battu le président sortant Seidou Mbombo Njoya, dont l'élection avait été contestée par les acteurs locaux puis annulée à la mi-janvier par le Tribunal arbitral du sport.

", + "content": "Comme il l'avait prédit au moment de l'annonce de sa candidature, Samuel Eto'o a été élu ce samedi président de la Fédération camerounaise de football (Fecafoot). L'ancien international a battu le président sortant Seidou Mbombo Njoya, dont l'élection avait été contestée par les acteurs locaux puis annulée à la mi-janvier par le Tribunal arbitral du sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/golf/golf-tiger-woods-va-reprendre-en-famille-avec-son-fils-charlie_AD-202112080586.html", + "link": "https://rmcsport.bfmtv.com/football/samuel-eto-o-elu-president-de-la-federation-camerounaise-de-football_AN-202112110217.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 19:45:59 GMT", - "enclosure": "https://images.bfmtv.com/ez4AscANoE7rptJhxYUyqh5H3TQ=/0x55:768x487/800x0/images/L-Americain-Tiger-Woods-lors-d-une-conference-de-presse-le-18-juillet-2020-a-Dublin-Ohio-apres-le-3e-tour-du-tournoi-du-Memorial-1184400.jpg", + "pubDate": "Sat, 11 Dec 2021 14:32:07 GMT", + "enclosure": "https://images.bfmtv.com/T67bHqyy9frMtGtfvWG_cHyuaxs=/0x105:2048x1257/800x0/images/Samuel-Eto-o-1186447.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33801,39 +38373,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "cdeffcb8c95cec0ff80949e20066fcbe" + "hash": "97e14fcdc31d0d375123dab633d6eafb" }, { - "title": "Tennis: pourquoi les joueurs du top 100 sont si nombreux aux championnats de France interclubs", - "description": "Compétition par équipe populaire auprès des passionnés de tennis, les championnats de France interclubs de la FFT opposent les meilleurs clubs français chaque année en fin de saison. Pourquoi, alors que la saison est terminée, de nombreux joueurs et joueuses des circuits ATP et WTA y prennent part ? Éléments de réponse.

", - "content": "Compétition par équipe populaire auprès des passionnés de tennis, les championnats de France interclubs de la FFT opposent les meilleurs clubs français chaque année en fin de saison. Pourquoi, alors que la saison est terminée, de nombreux joueurs et joueuses des circuits ATP et WTA y prennent part ? Éléments de réponse.

", + "title": "Monaco: \"J'attends de Wissam qu'il défende\", Kovac s'explique sur le temps de jeu de Ben Yedder", + "description": "En conférence de presse ce samedi à la veille du choc de la 18e journée de Ligue 1 entre le PSG et l'AS Monaco, Niko Kovac a laissé planer le doute quant à la présence dans le onze de départ de son capitaine Wissam Ben Yedder. Sur le banc de touche depuis deux rencontres en championnat, au profit du jeune Myron Boadu, l'international français ne défend pas assez selon son entraîneur.

", + "content": "En conférence de presse ce samedi à la veille du choc de la 18e journée de Ligue 1 entre le PSG et l'AS Monaco, Niko Kovac a laissé planer le doute quant à la présence dans le onze de départ de son capitaine Wissam Ben Yedder. Sur le banc de touche depuis deux rencontres en championnat, au profit du jeune Myron Boadu, l'international français ne défend pas assez selon son entraîneur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/tennis-pourquoi-les-joueurs-du-top-100-sont-si-nombreux-aux-championnats-de-france-interclubs_AV-202112080578.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-j-attends-de-wissam-qu-il-defende-kovac-s-explique-sur-le-temps-de-jeu-de-ben-yedder_AV-202112110214.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 19:29:51 GMT", - "enclosure": "https://images.bfmtv.com/gmaoNoAdIji00V_sIeBzuKK0u7A=/0x140:2048x1292/800x0/images/Hugo-Gaston-1164126.jpg", + "pubDate": "Sat, 11 Dec 2021 14:25:48 GMT", + "enclosure": "https://images.bfmtv.com/lK23AaQuI0wrBGOjsgQ04sku7j8=/0x0:2048x1152/800x0/images/Wissam-Ben-Yedder-1186394.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "893aeb7531954ffbd2cf9840a12dcb8d" + "hash": "786e90ec4cbfc6cd64b2fd9edb67935c" }, { - "title": "PSG: Rothen estime que Mbappé \"doit être le patron\", plus que Messi", - "description": "Pour Jérôme Rothen, les stars du PSG ont tout intérêt à se mettre au service de Kylian Mbappé, qu'il considère comme le véritable \"patron\" de cette équipe, encore plus après sa magnifique prestation mardi contre Bruges (4-1) en Ligue des champions.

", - "content": "Pour Jérôme Rothen, les stars du PSG ont tout intérêt à se mettre au service de Kylian Mbappé, qu'il considère comme le véritable \"patron\" de cette équipe, encore plus après sa magnifique prestation mardi contre Bruges (4-1) en Ligue des champions.

", + "title": "Les pronos hippiques du dimanche 12 décembre 2021", + "description": "Le Quinté+ du dimanche 12 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du dimanche 12 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-rothen-estime-que-mbappe-doit-etre-le-patron-plus-que-messi_AV-202112080573.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-dimanche-12-decembre-2021_AN-202112110212.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 19:11:36 GMT", - "enclosure": "https://images.bfmtv.com/D8VThAFYgQtZKtXTyST9g-XiFP4=/0x0:1056x594/800x0/images/Jerome-Rothen-1137662.jpg", + "pubDate": "Sat, 11 Dec 2021 14:23:02 GMT", + "enclosure": "https://images.bfmtv.com/AG93KDPB1d785wVfIqzZVqVLpk0=/0x41:800x491/800x0/images/Les-pronos-hippiques-du-12-decembre-2021-1185851.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33841,19 +38415,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fe8f5c2bc9aefc5276042b2907d3516c" + "hash": "a56461cf236ca6379fcd882bbe2bea71" }, { - "title": "Ligue des champions: \"en-dessous de zéro \", la presse espagnole enfonce le Barça après son élimination", - "description": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", - "content": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", + "title": "Real: Benzema de retour pour le choc contre l'Atlético", + "description": "Carlo Ancelotti a annoncé ce samedi que Karim Benzema jouera bien le derby de Madrid entre le Real et l'Atlético programmé dimanche (21h), pour la 17e journée de Liga. Le buteur français avait été touché à la jambe gauche le week-end dernier.

", + "content": "Carlo Ancelotti a annoncé ce samedi que Karim Benzema jouera bien le derby de Madrid entre le Real et l'Atlético programmé dimanche (21h), pour la 17e journée de Liga. Le buteur français avait été touché à la jambe gauche le week-end dernier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-en-dessous-de-zero-la-presse-espagnole-enfonce-le-barca-apres-son-elimination_AV-202112090020.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-benzema-de-retour-pour-le-choc-contre-l-atletico_AV-202112110206.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 05:25:40 GMT", - "enclosure": "https://images.bfmtv.com/u39cdX67yEGMwGgSzcuz60afVZc=/0x14:752x437/800x0/images/La-une-de-Mundo-Deportivo-de-ce-jeudi-1184590.jpg", + "pubDate": "Sat, 11 Dec 2021 14:10:43 GMT", + "enclosure": "https://images.bfmtv.com/ChQ7zEPvYOXtzP5pn50gXWxHzZ0=/0x54:2048x1206/800x0/images/Karim-BENZEMA-1186438.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33861,19 +38436,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e56377ac6becb4c3b9fa196e16fc656c" + "hash": "f6c403ec7968e7e86f9839154c1463f8" }, { - "title": "Ligue des champions en direct: humilié à Munich, Barcelone est éliminé, Benfica et Salzbourg file en 8es !", - "description": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 2-0 combinée à la victoire de Benfica sur le Dynamo.

", - "content": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 2-0 combinée à la victoire de Benfica sur le Dynamo.

", + "title": "GP d'Abu Dhabi de F1 en direct: incroyable pole de Verstappen devant Hamilton", + "description": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", + "content": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-multiplex-en-direct_LS-202112080539.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abou-dhabi-de-f1-en-direct-hamilton-verstappen-duel-final-pour-le-titre_LN-202112100118.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:14:34 GMT", - "enclosure": "https://images.bfmtv.com/4C_wkUXNkiFbOQDAchM5Cdvyk3E=/0x0:1200x675/800x0/images/Memphis-Depay-1184036.jpg", + "pubDate": "Fri, 10 Dec 2021 07:42:07 GMT", + "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33881,19 +38457,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3dc403157eb85a1aca89fb152092f500" + "hash": "5f2989ad01a01363ff87109f36cf6ca1" }, { - "title": "Wolfsburg-Lille: les compos avec la surprise Gudmundsson", - "description": "Maîtres de leur destin, les Lillois défient ce mercredi les Allemands de Wolfsburg (21h sur RMC Sport 1) avec l'objectif de rejoindre les huitièmes de finale de la Ligue des champions. Les compositions des deux équipes sont tombées.

", - "content": "Maîtres de leur destin, les Lillois défient ce mercredi les Allemands de Wolfsburg (21h sur RMC Sport 1) avec l'objectif de rejoindre les huitièmes de finale de la Ligue des champions. Les compositions des deux équipes sont tombées.

", + "title": "Mercato en direct: Di Maria devrait prolonger d'une année supplémentaire au PSG", + "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", + "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-les-compos-avec-la-surprise-gudmundsson_AV-202112080567.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 19:02:18 GMT", - "enclosure": "https://images.bfmtv.com/d_shQdzoE05ncZd3pU94SF_YZlY=/0x68:2048x1220/800x0/images/Angel-GOMES-1184294.jpg", + "pubDate": "Fri, 10 Dec 2021 07:01:00 GMT", + "enclosure": "https://images.bfmtv.com/2Lyliqqq0DlsX8OzJPaPSa0sb7k=/0x16:2032x1159/800x0/images/Angel-DI-MARIA-1176128.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33901,19 +38478,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc31103042d7298291168ae3f6f20e90" + "hash": "56dcd9a1f749935b727938353a2a1f19" }, { - "title": "PSG: Paredes explique comment le vestiaire a vécu les coulisses de l'arrivée de Messi", - "description": "Coéquipier de Lionel Messi en Argentine, Leandro Paredes l’est également en club au PSG depuis l’été dernier. Dans une interview sur le compte Youtube du club, le milieu de terrain a évoqué son rapport avec \"la Pulga\".

", - "content": "Coéquipier de Lionel Messi en Argentine, Leandro Paredes l’est également en club au PSG depuis l’été dernier. Dans une interview sur le compte Youtube du club, le milieu de terrain a évoqué son rapport avec \"la Pulga\".

", + "title": "Brest-Montpellier en direct: la belle série du SB29 se termine par une claque à domicile", + "description": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", + "content": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-paredes-explique-comment-le-vestiaire-a-vecu-les-coulisses-de-l-arrivee-de-messi_AV-202112080560.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-brest-montpellier-en-direct_LS-202112110234.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:44:23 GMT", - "enclosure": "https://images.bfmtv.com/yT809Fg12JolJGvxqj3e2jjYmXs=/0x0:768x432/800x0/images/La-star-argentine-Lionel-Messi-et-son-compatriote-Leandro-Paredes-lors-d-un-entrainement-du-PSG-le-19-aout-2021-au-Camp-des-Loges-a-Saint-Germain-en-Laye-1117392.jpg", + "pubDate": "Sat, 11 Dec 2021 15:02:02 GMT", + "enclosure": "https://images.bfmtv.com/kEEwVn5VFSxb3tSg7FVuguhoYr4=/0x150:2048x1302/800x0/images/Jordan-Ferri-lors-de-Brest-Montpellier-1186563.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33921,19 +38499,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "37c6aab095765164c5f6957f103793fa" + "hash": "ab0277687d3aac76a66191f0ab1f5509" }, { - "title": "Ligue des champions: les adversaires potentiels pour le PSG et Lille en huitièmes", - "description": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", - "content": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", + "title": "Chelsea: \"Personne n’est plus grand que le club\", Tuchel calme le jeu pour Rüdiger", + "description": "En fin de contrat en juin 2022 avec Chelsea, Antonio Rüdiger n'a pas trouvé d'accord avec les dirigeants anglais pour prolonger son contrat. En conférence de presse, son coach Thomas Tuchel a parlé de l’avenir du défenseur, annoncé avec insistance au Real Madrid.

", + "content": "En fin de contrat en juin 2022 avec Chelsea, Antonio Rüdiger n'a pas trouvé d'accord avec les dirigeants anglais pour prolonger son contrat. En conférence de presse, son coach Thomas Tuchel a parlé de l’avenir du défenseur, annoncé avec insistance au Real Madrid.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-pour-le-psg-et-lille-en-huitiemes_AV-202112080630.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-personne-n-est-plus-grand-que-le-club-tuchel-calme-le-jeu-pour-rudiger_AV-202112110197.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 22:26:59 GMT", - "enclosure": "https://images.bfmtv.com/g5YAk7GIILjNzuwqBugOg4wvmR8=/0x5:2048x1157/800x0/images/PSG-1184529.jpg", + "pubDate": "Sat, 11 Dec 2021 13:53:43 GMT", + "enclosure": "https://images.bfmtv.com/19NYR-DjPZfLfIOSoTMOLVlwR64=/0x108:2032x1251/800x0/images/Antonio-Ruediger-1143318.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33941,19 +38520,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5d2efcd2b11c9038598759842b18bcb" + "hash": "2b6b8df2306db6c4c6fb770e337e31d0" }, { - "title": "JO 2022 de Pékin: le Canada annonce à son tour un boycott diplomatique", - "description": "Après les Etats-Unis, le Royaume-Uni et l'Australie, le Premier ministre canadien, Justin Trudeau, a annoncé ce mercredi un boycott diplomatique des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022.

", - "content": "Après les Etats-Unis, le Royaume-Uni et l'Australie, le Premier ministre canadien, Justin Trudeau, a annoncé ce mercredi un boycott diplomatique des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022.

", + "title": "PSG: Pochettino espère revoir Ramos en 2021, et assure qu'il n'a pas forcé avec lui", + "description": "Sergio Ramos est encore forfait pour la rencontre de Ligue 1 de dimanche (20h45) du PSG face à l'AS Monaco. En conférence de presse ce samedi, Mauricio Pochettino a exprimé sa volonté de revoir sur le terrain son défenseur d'ici la fin de l'année civile. Et s'est défendu sur la gestion de son cas.

", + "content": "Sergio Ramos est encore forfait pour la rencontre de Ligue 1 de dimanche (20h45) du PSG face à l'AS Monaco. En conférence de presse ce samedi, Mauricio Pochettino a exprimé sa volonté de revoir sur le terrain son défenseur d'ici la fin de l'année civile. Et s'est défendu sur la gestion de son cas.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-de-pekin-le-canada-annonce-a-son-tour-un-boycott-diplomatique_AV-202112080545.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-espere-revoir-ramos-en-2021-et-assure-qu-il-n-a-pas-force-avec-lui_AV-202112110194.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:19:24 GMT", - "enclosure": "https://images.bfmtv.com/ov51_jbjOzPIwQKlvQzoB3dl1Qo=/0x0:2048x1152/800x0/images/Justin-Trudeau-1184386.jpg", + "pubDate": "Sat, 11 Dec 2021 13:40:31 GMT", + "enclosure": "https://images.bfmtv.com/Gti6hEyDALvkloJJIwAw_YDNlPc=/14x0:2046x1143/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182152.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33961,19 +38541,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ec10b682f1f028a0bb5c756243116ee" + "hash": "1a71f06d13ee76245b898b06c408f1f5" }, { - "title": "OL: Juninho confirme et explique son départ précipité cet hiver", - "description": "C’est désormais officiel. Juninho a confirmé ce mercredi son départ de l’OL dès le mois de janvier de son poste de directeur sportif. A la fois pour le bien du club et le sien, selon le Brésilien.

", - "content": "C’est désormais officiel. Juninho a confirmé ce mercredi son départ de l’OL dès le mois de janvier de son poste de directeur sportif. A la fois pour le bien du club et le sien, selon le Brésilien.

", + "title": "Finances, nombre de licenciés... La FFF joue la carte de l'optimisme", + "description": "Lors de ses Etats généraux organisés ce samedi à Paris, la Fédération française de football a présenté un résultat financier négatif pour la première fois depuis sept ans, tout en se félicitant d'avoir \"réussi à contenir cette perte\".

", + "content": "Lors de ses Etats généraux organisés ce samedi à Paris, la Fédération française de football a présenté un résultat financier négatif pour la première fois depuis sept ans, tout en se félicitant d'avoir \"réussi à contenir cette perte\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-juninho-confirme-et-explique-son-depart-precipite-cet-hiver_AD-202112080543.html", + "link": "https://rmcsport.bfmtv.com/football/finances-nombre-de-licencies-la-fff-joue-la-carte-de-l-optimisme_AV-202112110184.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:17:24 GMT", - "enclosure": "https://images.bfmtv.com/0BUSdo7ZpII1HoAD4jD5kcecp04=/0x16:1024x592/800x0/images/-873563.jpg", + "pubDate": "Sat, 11 Dec 2021 13:25:53 GMT", + "enclosure": "https://images.bfmtv.com/WgZ9FbnXN_XAEjGYTxQaHpag7Lg=/0x95:2048x1247/800x0/images/Noel-Le-Graet-1186324.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -33981,19 +38562,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "089003de3109d25bd759e3c192f84923" + "hash": "d2346d228417692f632721fab4a5c532" }, { - "title": "Mercato en direct: Juninho explique son départ précipité de l'OL", - "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "PSG: Ramos forfait contre Monaco, Kimpembe aussi", + "description": "Pour la réception au Parc des Princes de l’AS Monaco ce dimanche (à 20h45), le PSG devra une nouvelle fois composer avec des absents. Dans son point médical, le club de la capitale a annoncé les forfaits de Sergio Ramos et Nuno Mendes. Presnel Kimpembe ne sera pas de la partie non plus.

", + "content": "Pour la réception au Parc des Princes de l’AS Monaco ce dimanche (à 20h45), le PSG devra une nouvelle fois composer avec des absents. Dans son point médical, le club de la capitale a annoncé les forfaits de Sergio Ramos et Nuno Mendes. Presnel Kimpembe ne sera pas de la partie non plus.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-forfait-contre-monaco-kimpembe-incertain_AV-202112110181.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", - "enclosure": "https://images.bfmtv.com/F5M5NcUenXwsb6ACeOb2rNOIHqk=/0x0:2048x1152/800x0/images/Juninho-1162286.jpg", + "pubDate": "Sat, 11 Dec 2021 13:21:07 GMT", + "enclosure": "https://images.bfmtv.com/CzLHjfG_UY_TGYkDQh1qszwbQjM=/0x69:1200x744/800x0/images/Sergio-Ramos-1172235.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34001,19 +38583,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8fa4ad139a86d2a6c010623e6f28b155" + "hash": "2635c2d23a819096803804b3d742cc3f" }, { - "title": "Incidents OL-OM: le coup de gueule surprise de Marseille, qui menace de ne pas accepter les décisions", - "description": "Comme révélé par RMC Sport, la commission de discipline de la LFP, qui se penche ce mercredi sur les incidents du match OL-OM, n'a pas jugé bon de convier les dirigeants marseillais. Ce qui a poussé Jacques Cardoze, le directeur de la communication du club phocéen, à s'en prendre à la Ligue ce mercredi devant les journalistes lors d'une intervention surprise.

", - "content": "Comme révélé par RMC Sport, la commission de discipline de la LFP, qui se penche ce mercredi sur les incidents du match OL-OM, n'a pas jugé bon de convier les dirigeants marseillais. Ce qui a poussé Jacques Cardoze, le directeur de la communication du club phocéen, à s'en prendre à la Ligue ce mercredi devant les journalistes lors d'une intervention surprise.

", + "title": "PSG en direct: Pochettino espère voir Ramos rejouer en 2021", + "description": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", + "content": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-coup-de-gueule-surprise-de-marseille-qui-menace-de-ne-pas-accepter-les-decisions_AV-202112080532.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conf-de-pochettino-avant-monaco_LN-202112110112.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:55:15 GMT", - "enclosure": "https://images.bfmtv.com/4_tSaavbk5svJg6yLJyI2ASOa64=/7x7:1591x898/800x0/images/Jacques-Cardoze-1184419.jpg", + "pubDate": "Sat, 11 Dec 2021 10:51:01 GMT", + "enclosure": "https://images.bfmtv.com/iGLN1yrHhsSO2N8LYGPpP2rD8kY=/0x0:2048x1152/800x0/images/Mauricio-POCHETTINO-1170296.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34021,19 +38604,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6154705c8fb79f7b92993484095e665d" + "hash": "de142e587195b730b7b693985273ca25" }, { - "title": "Mercato: Gallardo refuse l'Europe et reste à River Plate", - "description": "Annoncé en Europe depuis plusieurs années, l’heure du grand départ n’a pas encore sonné pour Marcelo Gallardo. Le technicien argentin a décidé de prolonger avec River Plate, alors qu’il arrivait en fin de contrat.

", - "content": "Annoncé en Europe depuis plusieurs années, l’heure du grand départ n’a pas encore sonné pour Marcelo Gallardo. Le technicien argentin a décidé de prolonger avec River Plate, alors qu’il arrivait en fin de contrat.

", + "title": "Val d'Isère (slalom géant): Pinturault deuxième derrière Odermatt", + "description": "Marco Odermatt, leader du classement général de la Coupe du monde de ski alpin, s'est imposé dans le slalom géant de Val-d'Isère, au terme de la seconde manche disputée samedi en début d'après-midi. Le Suisse a devancé le champion français Alexis Pinturault pour six dixièmes de seconde.

", + "content": "Marco Odermatt, leader du classement général de la Coupe du monde de ski alpin, s'est imposé dans le slalom géant de Val-d'Isère, au terme de la seconde manche disputée samedi en début d'après-midi. Le Suisse a devancé le champion français Alexis Pinturault pour six dixièmes de seconde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/mercato-gallardo-refuse-l-europe-et-reste-a-river-plate_AV-202112080530.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/val-d-isere-slalom-geant-pinturault-deuxieme-derriere-odermatt_AV-202112110177.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:52:04 GMT", - "enclosure": "https://images.bfmtv.com/sUgrITmonJV3R7AJxw0qYpN6lIY=/280x77:2040x1067/800x0/images/Gallardo-1176040.jpg", + "pubDate": "Sat, 11 Dec 2021 13:12:29 GMT", + "enclosure": "https://images.bfmtv.com/hoZ-dpWrquyKXH6c39a5j_X7B3I=/0x0:2048x1152/800x0/images/Alexis-Pinturault-1186403.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34041,19 +38625,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f92f209ec5dcfe11e8c288c67b23f325" + "hash": "f3540c3b1b9d927af1b49cb32afada32" }, { - "title": "Atlético: Vrsaljko opéré pour une fracture de l'arcade zygomatique", - "description": "Sime Vrsaljko, le défenseur croate de l'Atlético de Madrid, a reçu un coup lors de la victoire 3-1 de son équipe contre Porto en Ligue des champions. Le diagnostic a révélé une fracture au visage, qui nécessite une intervention chirurgicale.

", - "content": "Sime Vrsaljko, le défenseur croate de l'Atlético de Madrid, a reçu un coup lors de la victoire 3-1 de son équipe contre Porto en Ligue des champions. Le diagnostic a révélé une fracture au visage, qui nécessite une intervention chirurgicale.

", + "title": "Brest-Montpellier en direct: le SB29 centre beaucoup, le MHSC a tapé le haut de la barre", + "description": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", + "content": "Brest reste sur 6 victoires d'affilée et veut poursuivre sa superbe série contre Montpellier, dans un match où Der Zakarian et Dall'Oglio affrontent leur ancien club. Coup d'envoi à 17h00.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/atletico-vrsaljko-opere-pour-une-fracture-de-l-arcade-zygomatique_AV-202112080523.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-brest-montpellier-en-direct_LS-202112110234.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:39:16 GMT", - "enclosure": "https://images.bfmtv.com/4BzXIj8UjXt1hCWBICYto61SlPE=/0x104:2048x1256/800x0/images/Atletico-Porto-Vrsaljko-1184365.jpg", + "pubDate": "Sat, 11 Dec 2021 15:02:02 GMT", + "enclosure": "https://images.bfmtv.com/kEEwVn5VFSxb3tSg7FVuguhoYr4=/0x150:2048x1302/800x0/images/Jordan-Ferri-lors-de-Brest-Montpellier-1186563.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34061,19 +38646,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cf7751d2ca12b555d73ec68fd4861862" + "hash": "a23e353a3ec08ef367603104764d90d0" }, { - "title": "Ligue 1 en direct: le match de Rennes à Tottenham reporté en raison du Covid-19", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Incidents en Ligue 1: Labrune promet des annonces \"en fin de semaine prochaine\"", + "description": "Vincent Labrune, président de la Ligue de football professionnel, a pris la parole ce samedi lors de l'assemblée générale de la Fédération française de football. Le patron de la LFP a fait savoir que des mesures sur la sécurité dans les stades seraient annoncées la semaine prochaine.

", + "content": "Vincent Labrune, président de la Ligue de football professionnel, a pris la parole ce samedi lors de l'assemblée générale de la Fédération française de football. Le patron de la LFP a fait savoir que des mesures sur la sécurité dans les stades seraient annoncées la semaine prochaine.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-en-ligue-1-labrune-promet-des-annonces-en-fin-de-semaine-prochaine_AV-202112110173.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/1qXSI53YdnVzaShsqsN6ZbDok2E=/0x104:2000x1229/800x0/images/Kane-et-Truffert-lors-de-Rennes-Tottenham-1184253.jpg", + "pubDate": "Sat, 11 Dec 2021 13:01:59 GMT", + "enclosure": "https://images.bfmtv.com/r1cJPiHPLP59IAQ8d2-02euWbcM=/0x128:2048x1280/800x0/images/Vincent-Labrune-1172296.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34081,19 +38667,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4591540b434afa6747dad98f9438f54d" + "hash": "e069a121c3891ab7ae3b0f0e8f6f23a6" }, { - "title": "Bastia annonce le décès de Jacques Zimako, l'une de ses légendes", - "description": "Grande figure du SC Bastia et champion de France avec Saint-Étienne, l'ancien international français (13 sélections) Jacques Zimako est décédé ce mercredi à l'âge de 69 ans.

", - "content": "Grande figure du SC Bastia et champion de France avec Saint-Étienne, l'ancien international français (13 sélections) Jacques Zimako est décédé ce mercredi à l'âge de 69 ans.

", + "title": "Affaire Agnel: \"Ça me touche particulièrement\", confie Maracineanu", + "description": "Ancienne nageuse au Mulhouse Olympic Natation, la ministre déléguée aux Sports Roxana Maracineanu a accepté de s'exprimer au sujet de l'affaire Yannick Agnel, dont la garde à vue a été levée ce samedi.

", + "content": "Ancienne nageuse au Mulhouse Olympic Natation, la ministre déléguée aux Sports Roxana Maracineanu a accepté de s'exprimer au sujet de l'affaire Yannick Agnel, dont la garde à vue a été levée ce samedi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-2/bastia-annonce-le-deces-de-jacques-zimako-l-une-de-ses-legendes_AN-202112080515.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-ca-me-touche-particulierement-confie-maracineanu_AV-202112110168.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:28:22 GMT", - "enclosure": "https://images.bfmtv.com/zHUSt8-N9wv2TTRofsMs5kWUfoE=/6x161:2038x1304/800x0/images/Jacques-Zimako-1184356.jpg", + "pubDate": "Sat, 11 Dec 2021 12:57:03 GMT", + "enclosure": "https://images.bfmtv.com/soHQ-Fws569Z4dh0l8YmD_8PFqA=/0x47:2032x1190/800x0/images/Roxana-MARACINEANU-1186347.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34101,19 +38688,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "47f6237a1eec49d23d9e9d85eb94cf93" + "hash": "9a39f901205ba233693c9134b5679c93" }, { - "title": "Cyclisme: Cavendish et sa famille agressés à leur domicile", - "description": "Dans un message publié ce mercredi sur ses réseaux sociaux, Mark Cavendish révèle avoir été agressé à son domicile par quatre hommes armés le 27 novembre. La compagne et les enfants du sprinteur britannique étaient également présents au moment des faits.

", - "content": "Dans un message publié ce mercredi sur ses réseaux sociaux, Mark Cavendish révèle avoir été agressé à son domicile par quatre hommes armés le 27 novembre. La compagne et les enfants du sprinteur britannique étaient également présents au moment des faits.

", + "title": "PRONOS PARIS RMC Les paris du 11 décembre sur Brest – Montpellier – Ligue 1", + "description": "Notre pronostic: Brest ne perd pas contre Montpellier et les deux équipes marquent (2.00)

", + "content": "Notre pronostic: Brest ne perd pas contre Montpellier et les deux équipes marquent (2.00)

", "category": "", - "link": "https://rmcsport.bfmtv.com/cyclisme/cyclisme-cavendish-et-sa-famille-agresses-a-leur-domicile_AV-202112080510.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-11-decembre-sur-brest-montpellier-ligue-1_AN-202112100443.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:22:35 GMT", - "enclosure": "https://images.bfmtv.com/dTRVVU8j8U7pdyLrOHF8oIyBHZg=/0x28:2032x1171/800x0/images/Mark-Cavendish-1184353.jpg", + "pubDate": "Fri, 10 Dec 2021 23:05:00 GMT", + "enclosure": "https://images.bfmtv.com/IuLgOyXy7dT9U3bNvaQ26o3JYgk=/0x104:1984x1220/800x0/images/Romain-Faivre-Brest-1186019.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34121,19 +38709,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "755c146d6ee6a55bf643dbf5b0c5d907" + "hash": "5f0f002d4fabaf57d0b50794cd14cfef" }, { - "title": "Boxe: Wilder ouvre la porte à la retraite deux mois après sa défaite contre Fury", - "description": "Encore battu par Tyson Fury en octobre, Deontay Wilder semblait parti pour reposer son corps meurtri avant de remonter sur le ring pour de nouveaux challenges. Mais le surpuissant poids lourd américain évoque désormais une possible retraite, expliquant avoir atteint tous les objectifs pour lesquels il était venu à la boxe.

", - "content": "Encore battu par Tyson Fury en octobre, Deontay Wilder semblait parti pour reposer son corps meurtri avant de remonter sur le ring pour de nouveaux challenges. Mais le surpuissant poids lourd américain évoque désormais une possible retraite, expliquant avoir atteint tous les objectifs pour lesquels il était venu à la boxe.

", + "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 11 décembre – Ligue 1", + "description": " Mon pronostic : Montpellier ne perd pas à Brest et les deux équipes marquent (2.30)

", + "content": " Mon pronostic : Montpellier ne perd pas à Brest et les deux équipes marquent (2.30)

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-wilder-ouvre-la-porte-a-la-retraite-deux-mois-apres-sa-defaite-contre-fury_AV-202112080505.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-11-decembre-ligue-1_AN-202112110158.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:14:14 GMT", - "enclosure": "https://images.bfmtv.com/QenoADJixuPsxx3-CxCBIEKY3VE=/0x46:2048x1198/800x0/images/Deontay-Wilder-1147574.jpg", + "pubDate": "Sat, 11 Dec 2021 12:21:41 GMT", + "enclosure": "https://images.bfmtv.com/bahXs_KSe7ZQTZ-B9pIwbR-Wxx8=/0x119:1984x1235/800x0/images/T-Savanier-1186384.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34141,19 +38730,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "47022aeabb5917bad4d86f3d24ab0b5a" + "hash": "0b415b39857500371b92751259d671bc" }, { - "title": "F1: Jean Todt proche d'un retour chez Ferrari", - "description": "Directeur de l’écurie Ferrari entre 1993 et 2008, Jean Todt pourrait y effectuer son retour l'année prochaine. D’après le Corriere della Serra, il existerait des discussions entre les deux parties. Un rôle de \"super consultant\" aurait été avancé.

", - "content": "Directeur de l’écurie Ferrari entre 1993 et 2008, Jean Todt pourrait y effectuer son retour l'année prochaine. D’après le Corriere della Serra, il existerait des discussions entre les deux parties. Un rôle de \"super consultant\" aurait été avancé.

", + "title": "PRONOS PARIS RMC Les paris du 11 décembre sur Reims – St Etienne – Ligue 1", + "description": "Notre pronostic: pas de vainqueur entre Reims et St Etienne (3.20)

", + "content": "Notre pronostic: pas de vainqueur entre Reims et St Etienne (3.20)

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-jean-todt-proche-d-un-retour-chez-ferrari_AV-202112080500.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-11-decembre-sur-reims-st-etienne-ligue-1_AN-202112100437.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:05:56 GMT", - "enclosure": "https://images.bfmtv.com/EhEvQZU25TEE0plP3U_H3usbh-s=/0x0:768x432/800x0/images/Le-president-de-la-Federation-internationale-FIA-Jean-Todt-a-Paris-le-16-novembre-2020-981399.jpg", + "pubDate": "Fri, 10 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/d6ZYdB2Sztt_bmzPc-pGQmlodJE=/0x104:1984x1220/800x0/images/Etienne-Green-St-Etienne-1186016.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34161,19 +38751,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9b82713695be26d0394246e1727f2781" + "hash": "ee7d200bcae8cbe0c683a4edc1e451b3" }, { - "title": "Un joueur de Valladolid alcoolisé provoque un grave accident", - "description": "Gonzalo Plata, prêté à Valladolid par le Sporting Portugal, a percuté un taxi avec son véhicule, vers sept heures du matin, le renversant. Son alcootest était deux fois supérieur au taux autorisé.

", - "content": "Gonzalo Plata, prêté à Valladolid par le Sporting Portugal, a percuté un taxi avec son véhicule, vers sept heures du matin, le renversant. Son alcootest était deux fois supérieur au taux autorisé.

", + "title": "Mercato en direct: accord salarial entre l'OL et Azmoun", + "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", + "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue des champions, mais aussi chez ceux largués en championnat. Suivez toutes les infos en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/un-joueur-de-valladolid-alcoolise-provoque-un-grave-accident_AN-202112080485.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:49:41 GMT", - "enclosure": "https://images.bfmtv.com/EbQCEvq9wrjv6ounG_j45_hWG3c=/0x102:2048x1254/800x0/images/Gonzalo-Plata-1184300.jpg", + "pubDate": "Fri, 10 Dec 2021 07:01:00 GMT", + "enclosure": "https://images.bfmtv.com/2U4K3S7W7amb3Cr3i0FecTEgKvc=/0x39:2032x1182/800x0/images/Sardar-AZMOUN-1117723.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34181,19 +38772,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "15c73936314b7807141eac538d128ba1" + "hash": "0444cd0a44997e2b9148618009e5ebb2" }, { - "title": "OM-Lokomotiv: Sampaoli optimiste pour Payet, qui n'est toutefois pas à 100%", - "description": "Dimitri Payet, gêné par des douleurs musculaires, a pu s'entraîner \"normalement\" à la veille du match OM-Lokomotiv Moscou en Ligue Europa. Jorge Sampaoli espère compter sur son meneur de jeu.

", - "content": "Dimitri Payet, gêné par des douleurs musculaires, a pu s'entraîner \"normalement\" à la veille du match OM-Lokomotiv Moscou en Ligue Europa. Jorge Sampaoli espère compter sur son meneur de jeu.

", + "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 11 décembre – Ligue 1", + "description": "Mon pronostic : 0-0 à la mi-temps et match nul entre Reims et Saint-Etienne (5.30)

", + "content": "Mon pronostic : 0-0 à la mi-temps et match nul entre Reims et Saint-Etienne (5.30)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/om-lokomotiv-sampaoli-optimiste-pour-payet-qui-n-est-toutefois-pas-a-100_AV-202112080479.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-11-decembre-ligue-1_AN-202112110156.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:43:02 GMT", - "enclosure": "https://images.bfmtv.com/0VEKOUb26sSoIppb1iYq8zI1xDQ=/0x65:1920x1145/800x0/images/OM-Payet-Sampaoli-1184299.jpg", + "pubDate": "Sat, 11 Dec 2021 12:19:14 GMT", + "enclosure": "https://images.bfmtv.com/P2eR7lNB5eCmmLA13mFr-EaqzyI=/0x0:1984x1116/800x0/images/J-Sable-1186382.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34201,19 +38793,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "43fa15c21383181417794d34697bdda6" + "hash": "e98b5c176293e059ff8fd65b95518aa5" }, { - "title": "Biarritz: le centre de formation du BO placé sous surveillance", - "description": "La Fédération Française de Rugby a \"placé sous surveillance\" le centre de formation du Biarritz Olympique après avoir constaté plusieurs dysfonctionnements. Par ailleurs, les socios ont demandé au président du secteur amateur, David Couzinet, et aux autres glorieux anciens de s’en aller.

", - "content": "La Fédération Française de Rugby a \"placé sous surveillance\" le centre de formation du Biarritz Olympique après avoir constaté plusieurs dysfonctionnements. Par ailleurs, les socios ont demandé au président du secteur amateur, David Couzinet, et aux autres glorieux anciens de s’en aller.

", + "title": "OL: direction l'Espagne pour Juninho?", + "description": "Juninho quittera cet hiver ses fonctions de directeur sportif de l’Olympique Lyonnais. Désireux d’obtenir son diplôme pour devenir entraîneur, le Brésilien pourrait passer son cursus en Espagne, selon Le Progrès.

", + "content": "Juninho quittera cet hiver ses fonctions de directeur sportif de l’Olympique Lyonnais. Désireux d’obtenir son diplôme pour devenir entraîneur, le Brésilien pourrait passer son cursus en Espagne, selon Le Progrès.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/biarritz-le-centre-de-formation-du-bo-place-sous-surveillance_AV-202112080474.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-direction-l-espagne-pour-juninho_AV-202112110152.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:34:47 GMT", - "enclosure": "https://images.bfmtv.com/LxyliE1FYfgalv42YcKISPMbPAQ=/0x106:2048x1258/800x0/images/Biarritz-Olympique-1184314.jpg", + "pubDate": "Sat, 11 Dec 2021 12:09:40 GMT", + "enclosure": "https://images.bfmtv.com/0BUSdo7ZpII1HoAD4jD5kcecp04=/0x16:1024x592/800x0/images/-873563.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34221,19 +38814,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bbf26a2bafc2c6825a453a37bb2b178f" + "hash": "2e1f19661251b0fdb340a72ca84a7886" }, { - "title": "Pourquoi des produits dérivés du PSG se sont retrouvés sur la boutique en ligne de l'OM?", - "description": "Dans la journée de mardi, plusieurs produits dérivés à l'effigie du Paris Saint-Germain se sont retrouvés à la vente sur le site de la boutique officielle de l'Olympique de Marseille. Une belle boulette provoquée par Panini France, prestateur de service du club phocéen, qui s'en est excusé auprès du peuple marseillais.

", - "content": "Dans la journée de mardi, plusieurs produits dérivés à l'effigie du Paris Saint-Germain se sont retrouvés à la vente sur le site de la boutique officielle de l'Olympique de Marseille. Une belle boulette provoquée par Panini France, prestateur de service du club phocéen, qui s'en est excusé auprès du peuple marseillais.

", + "title": "Biathlon (poursuite): Fillon Maillet et Jacquelin signent un doublé à Hochfilzen", + "description": "A Hochfilzen (Autriche), Quentin Fillon Maillet a triomphé ce samedi sur la poursuite, pour la 3e manche de la Coupe du monde de biathlon. Septième du sprint ce vendredi, il s'adjuge un 7e bouquet individuel en carrière, devant son compatriote Emilien Jacquelin. D'abord annoncé 3e, l'autre Français Simon Desthieux a finalement été classé 4e après la photo-finish, derrière le Suédois Sebastian Samuelsson.

", + "content": "A Hochfilzen (Autriche), Quentin Fillon Maillet a triomphé ce samedi sur la poursuite, pour la 3e manche de la Coupe du monde de biathlon. Septième du sprint ce vendredi, il s'adjuge un 7e bouquet individuel en carrière, devant son compatriote Emilien Jacquelin. D'abord annoncé 3e, l'autre Français Simon Desthieux a finalement été classé 4e après la photo-finish, derrière le Suédois Sebastian Samuelsson.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/pourquoi-des-produits-derives-du-psg-se-sont-retrouves-sur-la-boutique-en-ligne-de-l-om_AV-202112080281.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-poursuite-un-magnifique-triple-francais-a-hochfilzen_AN-202112110142.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:44:10 GMT", - "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", + "pubDate": "Sat, 11 Dec 2021 11:52:43 GMT", + "enclosure": "https://images.bfmtv.com/tABm4cXKAk9o1JGBhlihLOzc5uU=/6x208:630x559/800x0/images/La-joie-du-Francais-Quentin-Fillon-Maillet-vainqueur-de-la-poursuite-comptant-pour-la-Coupe-du-monde-de-biathlon-le-12-decembre-2020-a-Hochfilzen-Autriche-1176455.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34241,19 +38835,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6a8fa02991276e88662ff3235052d6e3" + "hash": "a22b0fb5a7da18bcaca37d5a37f3fb88" }, { - "title": "Ligue des champions: Messi a égalé un prestigieux record de Ronaldo lors de PSG-Bruges", - "description": "En inscrivant un doublé avec le PSG face à Bruges mardi soir (4-1), Messi a marqué face à un 38e club différent en Ligue des champions. De quoi égaler le record de Cristiano Ronaldo.

", - "content": "En inscrivant un doublé avec le PSG face à Bruges mardi soir (4-1), Messi a marqué face à un 38e club différent en Ligue des champions. De quoi égaler le record de Cristiano Ronaldo.

", + "title": "Affaire Agnel: garde à vue levée, l'ex-nageur va être présenté à un juge d'instruction", + "description": "La garde à vue de Yannick Agnel a été levée ce samedi à la mi-journée. L'ancien nageur, accusé de viol et agression sexuelle sur mineure, va être présenté à un juge d'instruction dans la foulée.

", + "content": "La garde à vue de Yannick Agnel a été levée ce samedi à la mi-journée. L'ancien nageur, accusé de viol et agression sexuelle sur mineure, va être présenté à un juge d'instruction dans la foulée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-messi-a-egale-un-prestigieux-record-de-ronaldo-lors-de-psg-bruges_AV-202112080275.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-garde-a-vue-levee-l-ex-nageur-va-etre-presente-a-un-juge-d-instruction_AV-202112110136.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:40:38 GMT", - "enclosure": "https://images.bfmtv.com/jUjGl5syiegrtUG7JW8AzyGr_Jg=/0x60:768x492/800x0/images/L-attaquant-argentin-du-Paris-Saint-Germain-Lionel-Messi-marque-le-3e-but-face-a-Bruges-lors-de-la-6e-journee-du-groupe-A-de-la-Ligue-des-Champions-le-7-novembre-2021-au-Parc-des-Princes-1183562.jpg", + "pubDate": "Sat, 11 Dec 2021 11:47:29 GMT", + "enclosure": "https://images.bfmtv.com/dpvpg5ZEe9Ok_Xy6HlICw_xO3-8=/0x197:2048x1349/800x0/images/Yannick-Agnel-en-2016-1185222.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34261,19 +38856,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7bbbbe1ec78ccffe0229cdac7efe9728" + "hash": "7e857514fdc4b95693f056ca6df20eff" }, { - "title": "Lille-Wolfsbourg en direct: Le Losc joue un match à 20 millions", - "description": "Dernier match de poule de Ligue des champions pour Lille qui se déplace à Wolfsbourg. Les Lillois peuvent décrocher une place en 8e de finale de Ligue des champions et sont assurés d'être au pire reversés en Europa League. Coup d'envoi à 21h sur RMC Sport.

", - "content": "Dernier match de poule de Ligue des champions pour Lille qui se déplace à Wolfsbourg. Les Lillois peuvent décrocher une place en 8e de finale de Ligue des champions et sont assurés d'être au pire reversés en Europa League. Coup d'envoi à 21h sur RMC Sport.

", + "title": "JO d'hiver 2022: Douillet pointe \"l'hypocrisie\" d'un boycott diplomatique à Pékin", + "description": "Pour l'ex-judoka et ancien ministre David Douillet, qui s'est exprimé samedi dans les Grandes Gueules du Sport sur RMC, la France ne doit pas suivre les États-Unis qui ont décidé de faire un boycott diplomatique des Jeux olympiques d'hiver en Chine (4-20 février 2022).

", + "content": "Pour l'ex-judoka et ancien ministre David Douillet, qui s'est exprimé samedi dans les Grandes Gueules du Sport sur RMC, la France ne doit pas suivre les États-Unis qui ont décidé de faire un boycott diplomatique des Jeux olympiques d'hiver en Chine (4-20 février 2022).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/lille-wolfsbourg-en-direct-le-losc-joue-un-match-a-24-millions_LS-202112080257.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-douillet-pointe-l-hypocrisie-d-un-boycott-diplomatique-a-pekin_AV-202112110122.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:23:22 GMT", - "enclosure": "https://images.bfmtv.com/2hwZqVovjBu6NhdUsP_eAaroUhQ=/0x208:1984x1324/800x0/images/LOSC-1183549.jpg", + "pubDate": "Sat, 11 Dec 2021 11:31:37 GMT", + "enclosure": "https://images.bfmtv.com/Oh3L-dYYUvuq_leWTCrKB-Obf70=/0x68:1024x644/800x0/images/-873986.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34281,19 +38877,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d1454cbac9e5cc898a6183b6a7a3781c" + "hash": "93f8fd9ea76f07554a97eb3c22dcaf56" }, { - "title": "Une nageuse australienne révèle avoir subi des violences sexuelles de la part d'un dirigeant", - "description": "Médaillée d'argent aux Jeux olympiques de Rio en 2016, l'Australienne Madeline Groves a avoué ces dernières heures avoir été victime de violences sexuelles à l'adolescence, infligées par un responsable qui travaille toujours dans le milieu de la natation en Australie. L'été dernier, Groves avait renoncé aux Jeux pour dénoncer les \"pervers misogynes\" présents dans le milieu.

", - "content": "Médaillée d'argent aux Jeux olympiques de Rio en 2016, l'Australienne Madeline Groves a avoué ces dernières heures avoir été victime de violences sexuelles à l'adolescence, infligées par un responsable qui travaille toujours dans le milieu de la natation en Australie. L'été dernier, Groves avait renoncé aux Jeux pour dénoncer les \"pervers misogynes\" présents dans le milieu.

", + "title": "Affaire Agnel en direct: \"Ça me touche particulièrement\", confie Roxana Maracineanu", + "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", + "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/une-nageuse-australienne-revele-avoir-subi-des-violences-sexuelles-de-la-part-d-un-dirigeant_AV-202112080255.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:21:16 GMT", - "enclosure": "https://images.bfmtv.com/3Rwf28WT08_8Ru-Vg_FA4y05b6o=/0x140:2048x1292/800x0/images/Madeline-Groves-lors-des-Jeux-olympiques-de-Rio-en-aout-2016-1184023.jpg", + "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", + "enclosure": "https://images.bfmtv.com/lZ-WKpzT6izq13Nfk0gLzmM5Dmk=/14x48:2046x1191/800x0/images/Roxana-Maracineanu-1031131.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34301,19 +38898,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c217c8fa2e977f42cfa37dec86c3cae" + "hash": "b69c94e8bc0c359742db4d963ccea51f" }, { - "title": "Boxe: Même détrôné, Joshua affirme avoir \"le meilleur CV\" des lourds", - "description": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua n’est plus champion du monde à l’heure actuelle. Ce qui n’empêche pas la superstar britannique de se placer au sommet de la hiérarchie sur ce qu’il a réalisé dans sa carrière, comme il l’a expliqué dans un entretien exclusif accordé à RMC Sport.

", - "content": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua n’est plus champion du monde à l’heure actuelle. Ce qui n’empêche pas la superstar britannique de se placer au sommet de la hiérarchie sur ce qu’il a réalisé dans sa carrière, comme il l’a expliqué dans un entretien exclusif accordé à RMC Sport.

", + "title": "Luis Fabiano officialise sa retraite", + "description": "En raison de blessures, le dernier match de Luis Fabiano remonte à 2017 avec le Vasco de Gama. Après avoir tenté de se remettre de ses pépins physiques, l’attaquant brésilien de 41 ans vient d'annoncer sa retraite de footballeur.

", + "content": "En raison de blessures, le dernier match de Luis Fabiano remonte à 2017 avec le Vasco de Gama. Après avoir tenté de se remettre de ses pépins physiques, l’attaquant brésilien de 41 ans vient d'annoncer sa retraite de footballeur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-meme-detrone-joshua-affirme-avoir-le-meilleur-cv-des-lourds_AV-202112080247.html", + "link": "https://rmcsport.bfmtv.com/football/luis-fabiano-officialise-sa-retraite_AV-202112110120.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:10:07 GMT", - "enclosure": "https://images.bfmtv.com/7N5YLT-R5uhyT_UFjpfWLwL-zUI=/0x123:2048x1275/800x0/images/Anthony-Joshua-contre-Kubrat-Pulev-1071251.jpg", + "pubDate": "Sat, 11 Dec 2021 11:07:26 GMT", + "enclosure": "https://images.bfmtv.com/ZiKMnulgEEcZ-KEb73mFMg6nCZs=/0x18:800x468/800x0/images/-607070.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34321,19 +38919,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "616e8e2e6b997712630d266b35e37cff" + "hash": "de9d497480c048ab3bee124dc792e386" }, { - "title": "Wolfsburg-Lille: qualification en 8es, Ligue Europa... les scénarios possibles pour le Losc", - "description": "Le Losc affronte Wolfsburg ce mercredi à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions (21h sur RMC Sport 1). Leader du groupe G, Lille peut espérer terminer premier en cas de victoire en Allemagne. Mais les Dogues peuvent également tout perdre en fonction du scénario, et se retrouver à disputer la Ligue Europa en février.

", - "content": "Le Losc affronte Wolfsburg ce mercredi à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions (21h sur RMC Sport 1). Leader du groupe G, Lille peut espérer terminer premier en cas de victoire en Allemagne. Mais les Dogues peuvent également tout perdre en fonction du scénario, et se retrouver à disputer la Ligue Europa en février.

", + "title": "Cardiff-Toulouse en direct: le Stade toulousain à un essai du bonus", + "description": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", + "content": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-qualification-en-8es-ligue-europa-les-scenarios-possibles-pour-le-losc_AV-202112080246.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-cardiff-toulouse-en-direct_LS-202112110107.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:09:45 GMT", - "enclosure": "https://images.bfmtv.com/Ad3RCEjT30EfxUdO6Morp3JkIUg=/6x111:2038x1254/800x0/images/Jose-Fonte-lors-du-match-entre-le-LOSC-et-Wolfsburg-le-14-septembre-1183984.jpg", + "pubDate": "Sat, 11 Dec 2021 10:40:10 GMT", + "enclosure": "https://images.bfmtv.com/pRz5BhI34th2S6A0kr-XgrGi1Js=/0x58:2048x1210/800x0/images/Antoine-Dupont-1136199.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34341,19 +38940,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "226cdd81efc05951b50a1f611f1cd6f3" + "hash": "f8f0edd3d5360ceb4aba3633ad755fbe" }, { - "title": "Boxe: \"Être plus agressif…\", Joshua sait ce qu'il doit changer après la défaite contre Usyk", - "description": "Battu par Oleksandr Usyk pour les ceintures IBF-WBA-WBO des lourds en septembre, Anthony Joshua compte bien retrouver le trône des lourds au plus vite. Mais le Britannique le reconnaît : il devra faire \"des ajustements\" dans son style s’il veut prendre sa revanche sur l’Ukrainien. Il a expliqué pourquoi et comment dans un entretien exclusif accordé à RMC Sport.

", - "content": "Battu par Oleksandr Usyk pour les ceintures IBF-WBA-WBO des lourds en septembre, Anthony Joshua compte bien retrouver le trône des lourds au plus vite. Mais le Britannique le reconnaît : il devra faire \"des ajustements\" dans son style s’il veut prendre sa revanche sur l’Ukrainien. Il a expliqué pourquoi et comment dans un entretien exclusif accordé à RMC Sport.

", + "title": "Affaire Agnel: \"On ne peut qu’être abasourdis\", s'émeut le président de la Fédération", + "description": "Le président de la Fédération française de natation Gilles Sezionale était l’invité ce samedi des Grandes Gueules du Sport, sur RMC. Il a réagi à l’affaire Yannick Agnel, placé en garde à vue dans le cadre d'une information judiciaire ouverte pour \"viol et agression sexuelle sur mineure de 15 ans\".

", + "content": "Le président de la Fédération française de natation Gilles Sezionale était l’invité ce samedi des Grandes Gueules du Sport, sur RMC. Il a réagi à l’affaire Yannick Agnel, placé en garde à vue dans le cadre d'une information judiciaire ouverte pour \"viol et agression sexuelle sur mineure de 15 ans\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-etre-plus-agressif-joshua-sait-ce-qu-il-doit-changer-apres-la-defaite-contre-usyk_AV-202112080245.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-on-ne-peut-qu-etre-abasourdis-s-emeut-le-president-de-la-federation_AV-202112110101.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:09:00 GMT", - "enclosure": "https://images.bfmtv.com/YhEcNhtCNHT-i2Bi0iDUV3b2Ni8=/0x73:2032x1216/800x0/images/Anthony-Joshua-1150644.jpg", + "pubDate": "Sat, 11 Dec 2021 10:26:06 GMT", + "enclosure": "https://images.bfmtv.com/dSz-vjFF_-yf_qBXz59GvQ1w74U=/0x74:2048x1226/800x0/images/Gilles-Sezionale-1186272.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34361,19 +38961,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e5331e477f1824dddcf6832c5b7a914" + "hash": "fb0db4330c419736de96ea3db77b2871" }, { - "title": "JO d'hiver 2022: la Chine tacle l'Australie après l'annonce de son boycott diplomatique", - "description": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", - "content": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", + "title": "Ligue 1 en direct: des annonces la semaine prochaine pour la sécurité dans les stades", + "description": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", + "content": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-l-australie-annonce-a-son-tour-un-boycott-diplomatique-a-pekin_AV-202112070443.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-18e-journee_LN-202112090152.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:50:36 GMT", - "enclosure": "https://images.bfmtv.com/CnrEvSNK_0w1h1qJf78xgxFzFIU=/0x185:2048x1337/800x0/images/Pekin-2022-1002626.jpg", + "pubDate": "Thu, 09 Dec 2021 08:40:20 GMT", + "enclosure": "https://images.bfmtv.com/Pv2Ccc146B3YWA7VysSZTFraAl4=/0x33:2048x1185/800x0/images/Vincent-LABRUNE-1103746.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34381,19 +38982,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "07c008cbae9a0f9a1a2b5a1bccac71c4" + "hash": "375dd67dcc0513b6b1f1d8d474b3b720" }, { - "title": "PSG-Bruges: \"On a encore des choses à améliorer\", estime Wijnaldum", - "description": "Titulaire face à Bruges mardi au Parc des Princes, Georginio Wijnaldum a expliqué au micro de PSG TV que son équipe devait encore progresser, malgré sa large victoire 4-1 lors de la 6e journée de Ligue des champions.

", - "content": "Titulaire face à Bruges mardi au Parc des Princes, Georginio Wijnaldum a expliqué au micro de PSG TV que son équipe devait encore progresser, malgré sa large victoire 4-1 lors de la 6e journée de Ligue des champions.

", + "title": "Cyclisme: 18 mois de prison pour les voleurs de vélos des Mondiaux sur piste", + "description": "La justice française a condamné vendredi deux jeunes hommes à 18 mois de prison ferme, pour avoir participé au vol de vélos de l'équipe italienne de cyclisme sur piste aux Mondiaux de Roubaix en octobre.

", + "content": "La justice française a condamné vendredi deux jeunes hommes à 18 mois de prison ferme, pour avoir participé au vol de vélos de l'équipe italienne de cyclisme sur piste aux Mondiaux de Roubaix en octobre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-on-a-encore-des-choses-a-ameliorer-estime-wijnaldum_AV-202112080225.html", + "link": "https://rmcsport.bfmtv.com/cyclisme/cyclisme-18-mois-de-prison-pour-les-voleurs-de-velos-des-mondiaux-sur-piste_AV-202112110088.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:47:44 GMT", - "enclosure": "https://images.bfmtv.com/I6m1LAC_csH9QtHNxryI98zuX4U=/0x106:2048x1258/800x0/images/Wijnaldum-avec-le-PSG-contre-Bruges-en-Ligue-des-champions-1183989.jpg", + "pubDate": "Sat, 11 Dec 2021 10:03:14 GMT", + "enclosure": "https://images.bfmtv.com/OpH-DY-WZDuZSFR5jExiLZfIZeM=/0x212:2048x1364/800x0/images/Mondiaux-de-cyclisme-1186254.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34401,59 +39003,62 @@ "favorite": false, "created": false, "tags": [], - "hash": "eec7699ef26409bd6ab94e6ee314bfdf" + "hash": "1af70ff668519285afb9af18d3ccbb80" }, { - "title": "Ligue 1 en direct: \"si la France sort du Top 5 européen, on deviendra le championnat de Slovénie\", prévient Labrune", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Val d'Isère (slalom géant): Odermatt leader après la première manche, Pinturault et Faivre en embuscade", + "description": "Alexis Pinturault, tenant du titre du classement général, s'est classé 2e de la première manche du slalom géant de Val-d'Isère, ce samedi dans le cadre de la Coupe du monde de ski alpin. Marco Odermatt a signé le meilleur temps, Matthieu Faivre a terminé 4e.

", + "content": "Alexis Pinturault, tenant du titre du classement général, s'est classé 2e de la première manche du slalom géant de Val-d'Isère, ce samedi dans le cadre de la Coupe du monde de ski alpin. Marco Odermatt a signé le meilleur temps, Matthieu Faivre a terminé 4e.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/val-d-isere-slalom-geant-odermatt-leader-apres-la-premiere-manche-pinturault-et-faivre-en-embuscade_AV-202112110073.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/r1cJPiHPLP59IAQ8d2-02euWbcM=/0x128:2048x1280/800x0/images/Vincent-Labrune-1172296.jpg", + "pubDate": "Sat, 11 Dec 2021 09:30:19 GMT", + "enclosure": "https://images.bfmtv.com/8F5jA0PQqolgEtRONgc6my2qzlw=/0x106:2048x1258/800x0/images/Alexis-Pinturault-1186246.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "aca2c118935223e280d9d671bbb0b78b" + "hash": "0f6805cfed216b1930311a3874a385d9" }, { - "title": "Ligue des champions: Lille peut écrire une des plus belles pages de son histoire", - "description": "Le Losc a son destin en main pour cette dernière journée de Ligue des champions. Les Lillois peuvent se qualifier pour les huitièmes de finale voir même terminer premier de leur groupe en cas de victoire à Wolfsbourg.

", - "content": "Le Losc a son destin en main pour cette dernière journée de Ligue des champions. Les Lillois peuvent se qualifier pour les huitièmes de finale voir même terminer premier de leur groupe en cas de victoire à Wolfsbourg.

", + "title": "Europa Conference League: le match Tottenham-Rennes définitivement annulé", + "description": "Le match d'Europa Conference League entre Tottenham et Rennes n'aura finalement pas lieu. Prévu initialement jeudi soir à Londres, il avait d'abord été reporté en raison de nombreux cas de Covid-19 chez les Spurs.

", + "content": "Le match d'Europa Conference League entre Tottenham et Rennes n'aura finalement pas lieu. Prévu initialement jeudi soir à Londres, il avait d'abord été reporté en raison de nombreux cas de Covid-19 chez les Spurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-lille-peut-ecrire-une-des-plus-belles-pages-de-son-histoire_AD-202112080217.html", + "link": "https://rmcsport.bfmtv.com/football/europa-conference-league/europa-conference-league-le-match-tottenham-rennes-definitivement-annule_AV-202112110070.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:36:16 GMT", - "enclosure": "https://images.bfmtv.com/jBTIlpmhwiF2c2JSI0Z5pLHmy64=/0x38:768x470/800x0/images/L-attaquant-de-Lille-Burak-Yilmaz-c-vient-d-ouvrir-la-marque-contre-Nantes-le-27-novembre-2021-a-Villeneuve-d-Ascq-1176808.jpg", + "pubDate": "Sat, 11 Dec 2021 09:13:36 GMT", + "enclosure": "https://images.bfmtv.com/y-HvxCqjPzFnK9tDte5jgvCHVco=/0x0:2048x1152/800x0/images/Harry-Kane-et-Flavien-Tait-1186247.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "838b0cfa7fcf0e984f469f33545d32e4" + "hash": "ff5ecdac7d6f4fff7426de0e086c8e49" }, { - "title": "Open d’Australie: Tsonga privé d’invitation, au profit de Pouille", - "description": "Lucas Pouille a hérité d’une wild-card pour le prochain Open d’Australie, au détriment de Jo-Wilfried Tsonga, 260e mondial, qui rêvait de s'aligner à Melbourne le mois prochain.

", - "content": "Lucas Pouille a hérité d’une wild-card pour le prochain Open d’Australie, au détriment de Jo-Wilfried Tsonga, 260e mondial, qui rêvait de s'aligner à Melbourne le mois prochain.

", + "title": "Prix du Bourbonnais : Face Time Bourbon en tête d'affiche", + "description": "Deuxième course qualificative au Prix d'Amérique (30 janvier), le Prix du Bourbonnais se dispute ce dimanche 12 décembre sur l'hippodrome de Vincennes et sera marqué par la présence du champion Face Time Bourbon.

", + "content": "Deuxième course qualificative au Prix d'Amérique (30 janvier), le Prix du Bourbonnais se dispute ce dimanche 12 décembre sur l'hippodrome de Vincennes et sera marqué par la présence du champion Face Time Bourbon.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/open-australie/open-d-australie-tsonga-prive-d-invitation-au-profit-de-pouille_AV-202112080213.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/prix-du-bourbonnais-face-time-bourbon-en-tete-d-affiche_AN-202112110069.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:33:03 GMT", - "enclosure": "https://images.bfmtv.com/3MHX2A9Ez6dzWQQumZtvd2qjg1w=/0x62:1200x737/800x0/images/-865123.jpg", + "pubDate": "Sat, 11 Dec 2021 09:13:02 GMT", + "enclosure": "https://images.bfmtv.com/99CLRc0XI2H3jY_C6cOe-7TTLmQ=/7x45:791x486/800x0/images/Face-Time-Bourbon-vise-un-nouveau-succes-1186245.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34461,19 +39066,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "89a9ed88a3b6d6b436312c9e60eaad0e" + "hash": "595ac81be944e5f5869320e2c5378de3" }, { - "title": "Wolfsburg-Lille: à quelle heure et sur quelle chaîne regarder le match de Ligue des champions", - "description": "Lille joue sa qualification pour les huitièmes de finale de la Ligue des champions à Wolfsburg, ce mercredi (21h). Un match nul suffit aux hommes de Jocelyn Gourvennec, maîtres de leur destin.

", - "content": "Lille joue sa qualification pour les huitièmes de finale de la Ligue des champions à Wolfsburg, ce mercredi (21h). Un match nul suffit aux hommes de Jocelyn Gourvennec, maîtres de leur destin.

", + "title": "Cardiff-Toulouse en direct: le Stade toulousain vise le bonus", + "description": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", + "content": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-a-quelle-heure-et-sur-quelle-chaine-regarder-le-match-de-ligue-des-champions_AV-202112080208.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-cardiff-toulouse-en-direct_LS-202112110107.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:23:01 GMT", - "enclosure": "https://images.bfmtv.com/pB5utHNiSnW053v27R4topcgRBY=/0x162:2048x1314/800x0/images/Burak-Yilmaz-face-a-Maxence-Lacroix-1183981.jpg", + "pubDate": "Sat, 11 Dec 2021 10:40:10 GMT", + "enclosure": "https://images.bfmtv.com/pRz5BhI34th2S6A0kr-XgrGi1Js=/0x58:2048x1210/800x0/images/Antoine-Dupont-1136199.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34481,19 +39087,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c45a26dbea2880f858009936a4f4c64" + "hash": "b0c973c07117a4f3abcc800f7611aa1a" }, { - "title": "Affaire Pinot-Schmitt: Pinot remercie ses soutiens et veut se tourner vers Paris 2024", - "description": "Dix jours après le début de l'affaire, Margaux Pinot a publié un message sur ses réseaux sociaux pour remercier l'ensemble des personnes qui l'ont soutenue depuis la révélation des violences conjugales qu'elle aurait subi. La double championne d'Europe souhaite \"continuer à se battre pour que justice soit faite\", tout en se tournant dès maintenant vers Paris 2024.

", - "content": "Dix jours après le début de l'affaire, Margaux Pinot a publié un message sur ses réseaux sociaux pour remercier l'ensemble des personnes qui l'ont soutenue depuis la révélation des violences conjugales qu'elle aurait subi. La double championne d'Europe souhaite \"continuer à se battre pour que justice soit faite\", tout en se tournant dès maintenant vers Paris 2024.

", + "title": "Barça: Laporta promet aux supporters des renforts cet hiver", + "description": "Loin des premières places en Liga et fraîchement éliminé de la Ligue des champions, le Barça vit un début de saison galère. Pour permettre à Xavi de vite redresser la barre, le président Joan Laporta a promis de tout faire pour recruter des joueurs en janvier.

", + "content": "Loin des premières places en Liga et fraîchement éliminé de la Ligue des champions, le Barça vit un début de saison galère. Pour permettre à Xavi de vite redresser la barre, le président Joan Laporta a promis de tout faire pour recruter des joueurs en janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-pinot-remercie-ses-soutiens-et-veut-se-tourner-vers-paris-2024_AV-202112080206.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/barca-laporta-promet-aux-supporters-des-renforts-cet-hiver_AV-202112110064.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:18:26 GMT", - "enclosure": "https://images.bfmtv.com/Z6n9yhifu5oYgS6BCEHFAOtZzXg=/0x140:2048x1292/800x0/images/Margaux-Pinot-face-a-la-presse-1182040.jpg", + "pubDate": "Sat, 11 Dec 2021 09:06:39 GMT", + "enclosure": "https://images.bfmtv.com/C1TO6crkVIOSdWoXUHul_4fbF_k=/0x68:2048x1220/800x0/images/Joan-Laporta-1170972.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34501,19 +39108,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "abba2a2c0d13c2485c5f7311a1e06263" + "hash": "aa04e876941bdd62fb195828a21eda45" }, { - "title": "Atlético de Madrid: Joao Felix souhaiterait partir en janvier, selon la presse espagnole", - "description": "Sous contrat jusqu'en 2026, Joao Felix réfléchit sérieusement à quitter l'Atlético dès cet hiver, assure la presse espagnole. Les Colchoneros n'y seraient pas opposés.

", - "content": "Sous contrat jusqu'en 2026, Joao Felix réfléchit sérieusement à quitter l'Atlético dès cet hiver, assure la presse espagnole. Les Colchoneros n'y seraient pas opposés.

", + "title": "GP d'Abu Dhabi de F1 en direct: Hamilton encore le plus rapide avant les qualifs", + "description": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", + "content": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/atletico-de-madrid-joao-felix-souhaiterait-partir-en-janvier-selon-la-presse-espagnole_AV-202112080202.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abou-dhabi-de-f1-en-direct-hamilton-verstappen-duel-final-pour-le-titre_LN-202112100118.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:15:20 GMT", - "enclosure": "https://images.bfmtv.com/aNJIoonj6ZnHxoVrtYMzi21liBc=/0x15:1200x690/800x0/images/Joao-Felix-1183964.jpg", + "pubDate": "Fri, 10 Dec 2021 07:42:07 GMT", + "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34521,39 +39129,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e58c630c0e8577c9763542fb534e7c3" + "hash": "9c80367641411c603b1727357cc0e133" }, { - "title": "Tottenham: au moins six cas de Covid-19 parmi les joueurs, le match face à Brighton en suspens", - "description": "Au moins six joueurs de Tottenham ont été testés positifs au Covid-19 cette semaine, ce qui pourrait remettre en cause la tenue de leurs prochains matches en Premier League, mais pas encore celui face à Rennes en Coupe d'Europe, ce jeudi (21h).

", - "content": "Au moins six joueurs de Tottenham ont été testés positifs au Covid-19 cette semaine, ce qui pourrait remettre en cause la tenue de leurs prochains matches en Premier League, mais pas encore celui face à Rennes en Coupe d'Europe, ce jeudi (21h).

", + "title": "PSG en direct: la conf de Pochettino avant Monaco", + "description": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", + "content": "Le PSG recevra Monaco dimanche soir (20h45) en clôture de la 18e journée de Ligue 1. Mauricio Pochettino sera en conférence de presse ce samedi à partir de 14h. Suivez sur RMC Sport les dernières infos liées au club de la capitale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-au-moins-six-cas-de-covid-19-parmi-les-joueurs-le-match-face-a-brighton-en-suspens_AV-202112080199.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conf-de-pochettino-avant-monaco_LN-202112110112.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:12:34 GMT", - "enclosure": "https://images.bfmtv.com/pZSkGFq2bzj6l5OjLz_Kbn1IY9A=/0x125:1200x800/800x0/images/Les-joueurs-de-Tottenham-celebrant-un-but-en-Premier-League-1183917.jpg", + "pubDate": "Sat, 11 Dec 2021 10:51:01 GMT", + "enclosure": "https://images.bfmtv.com/OkxVy7-9k73U51C8jQEGZIR4W4k=/0x4:1200x679/800x0/images/Mauricio-Pochettino-1181815.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "fbb27b6e586d3e87b3bc8f9c16f16c3b" + "hash": "6a3f35655a57d6950f564941818f6467" }, { - "title": "Handball: le calvaire d’Amandine Tissier, championne de France, atteinte de sclérose en plaques", - "description": "Amandine Tessier, championne de France de handball avec Brest l’année dernière, a mis sa carrière entre parenthèses la semaine dernière pour soigner la sclérose en plaques dont elle souffre. Elle raconte son calvaire dans Le Parisien.

", - "content": "Amandine Tessier, championne de France de handball avec Brest l’année dernière, a mis sa carrière entre parenthèses la semaine dernière pour soigner la sclérose en plaques dont elle souffre. Elle raconte son calvaire dans Le Parisien.

", + "title": "Champions Cup, Cardiff-Toulouse en direct: le Stade part à la défense de son titre", + "description": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", + "content": "Vainqueur de la dernière édition de la Champions Cup, le Stade Toulousain lance la défense de son titre sur la pelouse de Cardiff à partir de 14h. Le meilleur joueur de la planète rugby, Antoine Dupont, est titulaire !

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/handball-le-calvaire-d-amandine-tissier-championne-de-france-atteinte-de-sclerose-en-plaques_AV-202112080192.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-cardiff-toulouse-en-direct_LS-202112110107.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 08:54:49 GMT", - "enclosure": "https://images.bfmtv.com/x0HZAvOO603oVcJOFvWpd4hYNzc=/14x66:2046x1209/800x0/images/Amandine-Tissier-1183958.jpg", + "pubDate": "Sat, 11 Dec 2021 10:40:10 GMT", + "enclosure": "https://images.bfmtv.com/pRz5BhI34th2S6A0kr-XgrGi1Js=/0x58:2048x1210/800x0/images/Antoine-Dupont-1136199.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34561,19 +39171,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f5276ff7078f76048fb83f7d2358bb2" + "hash": "41c9dd989a9a97d0d7253826d1d35a18" }, { - "title": "Boxe: la WBC impose à Fury de défendre son titre contre Whyte", - "description": "Près de deux mois après son succès d'anthologie face à Deontay Wilder, Tyson Fury connaît son prochain adversaire. Il s'agit de Dillian Whyte, contre qui il devra défendre sa ceinture de champion du monde des lourds. Une décision prise mardi soir par la WBC.

", - "content": "Près de deux mois après son succès d'anthologie face à Deontay Wilder, Tyson Fury connaît son prochain adversaire. Il s'agit de Dillian Whyte, contre qui il devra défendre sa ceinture de champion du monde des lourds. Une décision prise mardi soir par la WBC.

", + "title": "Affaire Agnel en direct: le président de la fédération de natation \"abasourdi\"", + "description": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", + "content": "Yannick Agnel est accusé de viol et agression sexuelle sur mineure. L'ancien nageur champion olympique a été placé en garde à vue jeudi. L'affaire remonte à 2016.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-la-wbc-impose-a-fury-de-defendre-son-titre-contre-whyte_AV-202112080174.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-en-direct-les-dernieres-infos-sur-le-dossier_LN-202112110044.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 08:29:45 GMT", - "enclosure": "https://images.bfmtv.com/9UZeq7X11_vs7HOUWM2Zcufb-rg=/0x50:2032x1193/800x0/images/Tyson-Fury-lors-d-une-soiree-de-combats-de-boxe-a-Wembley-le-20-novembre-1183934.jpg", + "pubDate": "Sat, 11 Dec 2021 07:40:25 GMT", + "enclosure": "https://images.bfmtv.com/W6kcKJNSxCl3PGu1CwJs48cRhnY=/0x212:2048x1364/800x0/images/Agnel-1186218.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34581,19 +39192,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "83bf24f5e9afac9aade6fc4957c35aff" + "hash": "2b3fa9f79bbdabd11d42b9191c3497e7" }, { - "title": "Boxe: \"Si une énorme offre arrive…\", Joshua prêt à s’écarter pour un choc Fury-Usyk", - "description": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua est déjà tourné vers la reconquête des sommets de la catégorie. Mais la superstar britannique ouvre la porte à s’écarter de sa revanche contractuelle afin de laisser l’Ukrainien affronter Tyson Fury pour les quatre ceintures avant de prendre le vainqueur, comme il l’a confirmé dans un entretien exclusif accordé à RMC Sport.

", - "content": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua est déjà tourné vers la reconquête des sommets de la catégorie. Mais la superstar britannique ouvre la porte à s’écarter de sa revanche contractuelle afin de laisser l’Ukrainien affronter Tyson Fury pour les quatre ceintures avant de prendre le vainqueur, comme il l’a confirmé dans un entretien exclusif accordé à RMC Sport.

", + "title": "Le football européen est \"l'otage des Qataris\", selon le président de Naples", + "description": "Aurelio De Laurentiis, président de Naples, a déploré la proximité de l'UEFA avec le Qatar, mais aussi le fait que l'Association européenne des clubs (ECA) soit dirigée par Nasser Al-Khelaïfi, le patron qatari du PSG.

", + "content": "Aurelio De Laurentiis, président de Naples, a déploré la proximité de l'UEFA avec le Qatar, mais aussi le fait que l'Association européenne des clubs (ECA) soit dirigée par Nasser Al-Khelaïfi, le patron qatari du PSG.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-si-une-enorme-offre-arrive-joshua-pret-a-s-ecarter-pour-un-choc-fury-usyk_AV-202112080170.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/le-football-europeen-est-l-otage-des-qataris-selon-le-president-de-naples_AV-202112110056.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 08:22:25 GMT", - "enclosure": "https://images.bfmtv.com/TwRD-cwACve2sGe6v3fGTcUUeSI=/0x141:2048x1293/800x0/images/Anthony-Joshua-1155683.jpg", + "pubDate": "Sat, 11 Dec 2021 08:37:37 GMT", + "enclosure": "https://images.bfmtv.com/0qiih09E8ttkwvck6z6v6dyHyYI=/1x1:3009x1693/800x0/images/-868973.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34601,19 +39213,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "06bf9023931f6db6d86d864907776b31" + "hash": "0d71503e8c9b9b8bfd5ebf9ef041cf74" }, { - "title": "Manchester City: Guardiola critique Walker après son craquage qui va lui coûter les 8es", - "description": "Kyle Walker, arrière droit de Manchester City, a été expulsé pour une grossière balayette sur André Silva, mardi lors de la défaite à Leipzig (2-1). L’Anglais sera au moins suspendu pour le 8e de finale aller et peut-être pour le retour.

", - "content": "Kyle Walker, arrière droit de Manchester City, a été expulsé pour une grossière balayette sur André Silva, mardi lors de la défaite à Leipzig (2-1). L’Anglais sera au moins suspendu pour le 8e de finale aller et peut-être pour le retour.

", + "title": "F1: De Bruyne affiche son soutien à Verstappen avant le GP d'Abu Dhabi", + "description": "Avant l'ultime combat entre Max Verstappen et Lewis Hamilton ce dimanche à Abu Dhabi, Kevin De Bruyne a tenu à encourager le pilote néerlandais sur les réseaux sociaux. Il espère qu'il sera sacré à l'issue du dernier GP de la saison de Formule 1.

", + "content": "Avant l'ultime combat entre Max Verstappen et Lewis Hamilton ce dimanche à Abu Dhabi, Kevin De Bruyne a tenu à encourager le pilote néerlandais sur les réseaux sociaux. Il espère qu'il sera sacré à l'issue du dernier GP de la saison de Formule 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-guardiola-critique-walker-apres-son-craquage-qui-va-lui-couter-les-8es_AV-202112080167.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-de-bruyne-affiche-son-soutien-a-verstappen-avant-le-gp-d-abu-dhabi_AV-202112110047.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 08:16:08 GMT", - "enclosure": "https://images.bfmtv.com/tYY7jVz2QtxqWRxah2KZJNRDvr8=/0x106:2048x1258/800x0/images/Le-carton-rouge-inflige-a-Kyle-Walker-1183920.jpg", + "pubDate": "Sat, 11 Dec 2021 07:57:45 GMT", + "enclosure": "https://images.bfmtv.com/OO-SeSeBQAXCzIcduoivThuW9dk=/0x51:2048x1203/800x0/images/Kevin-DE-BRUYNE-1186217.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34621,19 +39234,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "33c3e884508d73437e40412ee393fb87" + "hash": "a73cc9558c15b6748c592d790f14916f" }, { - "title": "OL-OM: Les sanctions vont tomber", - "description": "Le sort du match OL-OM interrompu au bout de 5 minutes après un jet de bouteille sur Dimitri Payet va être tranché par la commission de discipline ce mercredi.

", - "content": "Le sort du match OL-OM interrompu au bout de 5 minutes après un jet de bouteille sur Dimitri Payet va être tranché par la commission de discipline ce mercredi.

", + "title": "Manchester United: Rangnick ne fera pas le forcing pour retenir Pogba", + "description": "En conférence de presse vendredi, le nouvel entraîneur de Manchester United, Ralf Rangnick, a fait passer un message clair concernant Paul Pogba. Il ne cherchera pas à tout prix à conserver le champion du monde français, dont le contrat prendra fin l'été prochain.

", + "content": "En conférence de presse vendredi, le nouvel entraîneur de Manchester United, Ralf Rangnick, a fait passer un message clair concernant Paul Pogba. Il ne cherchera pas à tout prix à conserver le champion du monde français, dont le contrat prendra fin l'été prochain.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ol-om-les-sanctions-vont-tomber_AD-202112080149.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-rangnick-ne-fera-pas-le-forcing-pour-retenir-pogba_AV-202112110040.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 07:53:27 GMT", - "enclosure": "https://images.bfmtv.com/1o2oEmbJ9CMFN92xhu8uQT3B54s=/0x97:768x529/800x0/images/Le-meneur-de-jeu-de-Marseille-Dimitri-Payet-touche-par-une-bouteille-d-eau-lancee-depuis-la-tribune-lors-du-match-contre-Lyon-a-Decines-Charpieu-le-21-novembre-2021-1171842.jpg", + "pubDate": "Sat, 11 Dec 2021 07:19:58 GMT", + "enclosure": "https://images.bfmtv.com/Iqb62K1AjQyfYgpqezj24yD12pY=/0x106:2048x1258/800x0/images/Ralf-RANGNICK-1186211.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34641,19 +39255,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ec4439888e7a50972b09f1a9b977ece2" + "hash": "708d958420bcf5b5d00ffd2f620b2ae1" }, { - "title": "Real Madrid: toujours aussi performant, Modric a l'impression d'avoir les jambes de sa vingtaine", - "description": "Encore une fois essentiel lors de la victoire du Real Madrid face à l'Inter Milan mardi soir (2-0) lors de la dernière journée de la phase de groupes de la Ligue des champions, Luka Modric a confié après la rencontre se sentir au top de sa forme. Le milieu croate de 36 ans aimerait d'ailleurs que l'on se concentre moins sur son âge, et davantage sur ses performances.

", - "content": "Encore une fois essentiel lors de la victoire du Real Madrid face à l'Inter Milan mardi soir (2-0) lors de la dernière journée de la phase de groupes de la Ligue des champions, Luka Modric a confié après la rencontre se sentir au top de sa forme. Le milieu croate de 36 ans aimerait d'ailleurs que l'on se concentre moins sur son âge, et davantage sur ses performances.

", + "title": "Mercato: Kolo Muani confirme qu'il quittera Nantes cet été", + "description": "Auteur d'un doublé lors de la victoire renversante du FC Nantes vendredi face à Lens (3-2), en ouverture de la 18e journée de Ligue 1, Randal Kolo Muani a fait le point sur son avenir à l'issue de la rencontre. Le jeune attaquant français partira libre en fin de saison.

", + "content": "Auteur d'un doublé lors de la victoire renversante du FC Nantes vendredi face à Lens (3-2), en ouverture de la 18e journée de Ligue 1, Randal Kolo Muani a fait le point sur son avenir à l'issue de la rencontre. Le jeune attaquant français partira libre en fin de saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-toujours-aussi-performant-modric-a-l-impression-d-avoir-les-jambes-de-sa-vingtaine_AV-202112080147.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/mercato-kolo-muani-confirme-qu-il-quittera-nantes-cet-ete_AV-202112110038.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 07:51:49 GMT", - "enclosure": "https://images.bfmtv.com/iAC15KRsn6T1mTO0kJIA_uOh2VE=/14x0:2046x1143/800x0/images/Luka-Modric-lors-du-match-entre-le-Real-Madrid-et-l-Inter-Milan-le-7-decembre-1183889.jpg", + "pubDate": "Sat, 11 Dec 2021 06:47:25 GMT", + "enclosure": "https://images.bfmtv.com/dJLGEWIY-Pgjss4ubke9jx-WeFE=/0x0:2032x1143/800x0/images/Randal-Kolo-Muani-a-droite-1186194.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34661,19 +39276,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7f14200fbbae0a48633001c853632631" + "hash": "4800e9741e35fbd49a1f5da3e040bd99" }, { - "title": "Zidane dévoile d'autres photos de la réunion France 98", - "description": "Zinedine Zidane a diffusé plusieurs photos de la soirée de retrouvailles des champions du monde 1998, organisée lundi à Paris.

", - "content": "Zinedine Zidane a diffusé plusieurs photos de la soirée de retrouvailles des champions du monde 1998, organisée lundi à Paris.

", + "title": "NBA: un maillot de la légende Bill Russell vendu 1,1 million de dollars aux enchères", + "description": "Lors d'une vente aux enchères organisée vendredi, dont une partie des bénéfices sera reversée à une organisation d'aide aux jeunes défavorisés, un maillot porté par la légende des Boston Celtics Bill Russell a été vendu pour 1.116.250 dollars.

", + "content": "Lors d'une vente aux enchères organisée vendredi, dont une partie des bénéfices sera reversée à une organisation d'aide aux jeunes défavorisés, un maillot porté par la légende des Boston Celtics Bill Russell a été vendu pour 1.116.250 dollars.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/zidane-devoile-d-autres-photos-de-la-reunion-france-98_AV-202112080137.html", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-un-maillot-de-la-legende-bill-russell-vendu-1-1-million-de-dollars-aux-encheres_AV-202112110026.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 07:46:30 GMT", - "enclosure": "https://images.bfmtv.com/iPSYT8T7AK0Fny4dogXCeY_Ezno=/0x106:2048x1258/800x0/images/Zinedine-Zidane-1042712.jpg", + "pubDate": "Sat, 11 Dec 2021 06:18:55 GMT", + "enclosure": "https://images.bfmtv.com/9JpkzrsEy6xkHAnJA9vFbY389dY=/0x73:2048x1225/800x0/images/Bill-RUSSELL-en-novembre-2021-1186184.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34681,39 +39297,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "b11d3df9f9976a95c244fe7dc0390d63" + "hash": "c7b8df6b7b87a64e1f3bace7a7592596" }, { - "title": "ASSE: Romeyer ne comprend pas \"les réactions de quelques abrutis\"", - "description": "Deux jours après la mise à pied de Claude Puel, consécutive à la déroute des Verts contre Rennes (5-0), Roland Romeyer a défendu sa gestion d’un club en grande difficulté, lanterne rouge de Ligue 1.

", - "content": "Deux jours après la mise à pied de Claude Puel, consécutive à la déroute des Verts contre Rennes (5-0), Roland Romeyer a défendu sa gestion d’un club en grande difficulté, lanterne rouge de Ligue 1.

", + "title": "PSG: la mise au point de Deschamps sur l’avenir de Mbappé", + "description": "Invité de Rothen s’enflamme vendredi sur RMC, le sélectionneur de l’équipe de France Didier Deschamps a clarifié ses propos sur l’avenir de Kylian Mbappé, en fin de contrat au PSG à l’issue de la saison. Pour le Basque, le Parisien n’a pas forcément besoin de quitter Paris et de partir à l’étranger pour progresser.

", + "content": "Invité de Rothen s’enflamme vendredi sur RMC, le sélectionneur de l’équipe de France Didier Deschamps a clarifié ses propos sur l’avenir de Kylian Mbappé, en fin de contrat au PSG à l’issue de la saison. Pour le Basque, le Parisien n’a pas forcément besoin de quitter Paris et de partir à l’étranger pour progresser.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-romeyer-ne-comprend-pas-les-reactions-de-quelques-abrutis_AV-202112080120.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/psg-la-mise-au-point-de-deschamps-sur-l-avenir-de-mbappe_AV-202112100550.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 07:24:42 GMT", - "enclosure": "https://images.bfmtv.com/JiQ1ld4U4jAWfVlxTTd7d4dvQmM=/0x0:1200x675/800x0/images/Roland-Romeyer-1183869.jpg", + "pubDate": "Fri, 10 Dec 2021 23:36:47 GMT", + "enclosure": "https://images.bfmtv.com/Dh8YO_FiUrG0tZ1rE5zq_69l-30=/0x162:2048x1314/800x0/images/Deschamps-et-Mbappe-1186156.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "7d1b184b0b535abf49b7876e5d4f89ff" + "hash": "2ad13df583f9398aebb6b33054d3bc11" }, { - "title": "Mercato en direct: Juninho parti de Lyon dès janvier?", - "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "PRONOS PARIS RMC Le pari sûr du 11 décembre – Série A", + "description": "Notre pronostic: la Fiorentina bat la Salernitana (1.30)

", + "content": "Notre pronostic: la Fiorentina bat la Salernitana (1.30)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-11-decembre-serie-a_AN-202112100435.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", - "enclosure": "https://images.bfmtv.com/kPy5M3sOIDjK0WvAy7tIGvfdkLE=/2x4:8498x4783/800x0/images/-871596.jpg", + "pubDate": "Fri, 10 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/PYg704X1AE03e0OyYknw5HAnC1M=/0x104:1984x1220/800x0/images/Joie-Fiorentina-1186013.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34721,19 +39339,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5755d56493a6c15feb4c7d05ca1cc282" + "hash": "4f2f5db8979c84fbc8f4211d0dd7e74f" }, { - "title": "Real Madrid: Ancelotti pas intéressé par le destin du Barça, condamné à l'exploit sur la pelouse du Bayern", - "description": "Quelques dizaines de minutes après s'être assuré, avec son Real Madrid, la première place du groupe D en s'imposant face à l'Inter Milan (2-0) mardi soir, Carlo Ancelotti a répondu aux questions des journalistes. Interrogé sur le destin du FC Barcelone en Ligue des champions, l'entraîneur italien a expliqué ne pas y prêter attention.

", - "content": "Quelques dizaines de minutes après s'être assuré, avec son Real Madrid, la première place du groupe D en s'imposant face à l'Inter Milan (2-0) mardi soir, Carlo Ancelotti a répondu aux questions des journalistes. Interrogé sur le destin du FC Barcelone en Ligue des champions, l'entraîneur italien a expliqué ne pas y prêter attention.

", + "title": "PRONOS PARIS RMC Le buteur du jour du 11 décembre – Série A", + "description": "Notre pronostic: Dusan Vlahovic marque contre la Salernitana (1.66)

", + "content": "Notre pronostic: Dusan Vlahovic marque contre la Salernitana (1.66)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-ancelotti-pas-interesse-par-le-destin-du-barca-condamne-a-l-exploit-sur-la-pelouse-du-bayern_AV-202112080092.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-11-decembre-serie-a_AN-202112100430.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 06:55:31 GMT", - "enclosure": "https://images.bfmtv.com/iSuQKBftjshiQJi6KL8gPA2tq_I=/0x0:2048x1152/800x0/images/Carlo-Ancelotti-lors-de-la-rencontre-de-Ligue-des-champions-entre-le-Real-Madrid-et-l-Inter-Milan-le-7-decembre-1183819.jpg", + "pubDate": "Fri, 10 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/705OrojlSM4KdFtpfEUOPkSXqaY=/0x104:1984x1220/800x0/images/Dusan-Vlahovic-Fiorentina-1186009.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34741,19 +39360,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0037b2f6c09b2121a9b16b50d2b207af" + "hash": "3421b3d868952abe7ba243b659ed617f" }, { - "title": "OL: Juninho parti de Lyon dès janvier?", - "description": "Selon L’Equipe, Juninho, directeur sportif de Lyon, devrait quitter ses fonctions dès le mois de janvier après avoir annoncé son départ en fin de saison, sur RMC. Des propos qui ont surpris au sein du club.

", - "content": "Selon L’Equipe, Juninho, directeur sportif de Lyon, devrait quitter ses fonctions dès le mois de janvier après avoir annoncé son départ en fin de saison, sur RMC. Des propos qui ont surpris au sein du club.

", + "title": "PRONOS PARIS RMC Le pari extérieur du 11 décembre – Série A", + "description": "Notre pronostic: Milan s’impose à Udine (1.85)

", + "content": "Notre pronostic: Milan s’impose à Udine (1.85)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-juninho-parti-de-lyon-des-janvier_AV-202112080089.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-exterieur-du-11-decembre-serie-a_AN-202112100428.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 06:54:12 GMT", - "enclosure": "https://images.bfmtv.com/ffGb7F3CILQOmNb8IF9mSMYsmRM=/0x43:1200x718/800x0/images/Juninho-1034267.jpg", + "pubDate": "Fri, 10 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/XCoTHznhY3QM3MLdDhByIw_WvcQ=/0x159:2000x1284/800x0/images/Zlatan-Ibrahimovic-Milan-1186005.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34761,19 +39381,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e1582fdd1078a32e6f82dac953607ad" + "hash": "07b38c12bd31d5fdbbcc85a0b3a10b8e" }, { - "title": "Porto-Atlético: Pepe en veut à M.Turpin et au VAR", - "description": "Pepe, défenseur de Porto, reproche à M.Turpin d’avoir cédé à la précipitation et de ne pas avoir su maintenir le calme lors du match très tendu entre Porto et l’Atlético de Madrid (1-3), mardi en Ligue des champions.

", - "content": "Pepe, défenseur de Porto, reproche à M.Turpin d’avoir cédé à la précipitation et de ne pas avoir su maintenir le calme lors du match très tendu entre Porto et l’Atlético de Madrid (1-3), mardi en Ligue des champions.

", + "title": "PRONOS PARIS RMC Le pari rugby de Denis Charvet du 11 décembre – Champions Cup", + "description": "Mon pronostic : Bordeaux-Bègles bat Leicester (3.35)

", + "content": "Mon pronostic : Bordeaux-Bègles bat Leicester (3.35)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-atletico-pepe-en-veut-a-m-turpin-et-au-var_AV-202112080071.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-rugby-de-denis-charvet-du-11-decembre-champions-cup_AN-202112100273.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 06:32:37 GMT", - "enclosure": "https://images.bfmtv.com/paWOC5iAFFppSbr8usPbl_tdWUc=/0x105:2048x1257/800x0/images/M-Turpin-inflige-un-carton-rouge-a-Wendell-1183816.jpg", + "pubDate": "Fri, 10 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/p6e93LR6hKqaJGNgUsFUAfBvg1k=/1x209:2001x1334/800x0/images/UBB-1185783.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34781,19 +39402,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "48f240c85452d89be047fa80d0b49d41" + "hash": "1497e93a5038cc83a1e76abad51910a1" }, { - "title": "Open d'Australie: Novak Djokovic sur la liste des participants, pas Serena Williams", - "description": "Quelques jours après avoir semé le doute sur sa présence ou non à l'Open d'Australie (17-30 janvier 2022) le mois prochain, Novak Djokovic fait bien partie de la liste des participants au premier Grand Chelem de la saison. L'Américaine Serena Williams est, en revanche, absente de la liste.

", - "content": "Quelques jours après avoir semé le doute sur sa présence ou non à l'Open d'Australie (17-30 janvier 2022) le mois prochain, Novak Djokovic fait bien partie de la liste des participants au premier Grand Chelem de la saison. L'Américaine Serena Williams est, en revanche, absente de la liste.

", + "title": "Barça: un ex-éducateur de la Masia accusé d’abus sexuels sur mineurs", + "description": "Une soixantaine de témoins accusent un ancien éducateur du centre de formation du Barça d’avoir commis des abus sexuels et des faits de harcèlement sur des mineurs dont il avait la charge en tant que professeur de sport dans une école de la cité catalane.

", + "content": "Une soixantaine de témoins accusent un ancien éducateur du centre de formation du Barça d’avoir commis des abus sexuels et des faits de harcèlement sur des mineurs dont il avait la charge en tant que professeur de sport dans une école de la cité catalane.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/open-australie/open-d-australie-novak-djokovic-sur-la-liste-des-participants-pas-serena-williams_AV-202112080064.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-un-ex-educateur-de-la-masia-accuse-d-abus-sexuels-sur-mineurs_AV-202112100542.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 06:21:33 GMT", - "enclosure": "https://images.bfmtv.com/ErgLQe2BAobR01zIzT8E-f232Tk=/0x54:2032x1197/800x0/images/Novak-Djokovic-1181338.jpg", + "pubDate": "Fri, 10 Dec 2021 22:48:05 GMT", + "enclosure": "https://images.bfmtv.com/_Qk5LJjAbgietOm9pGjuPk7wzbA=/0x107:2048x1259/800x0/images/Un-ex-cadre-de-la-Masia-accuse-d-abus-sur-mineurs-1186146.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34801,19 +39423,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e25e04e316c99a785a259eaea39399e5" + "hash": "db6abc8480b42081003d2d7aa58fc980" }, { - "title": "Porto-Atlético: \"c’est pour ça que je suis revenu\", la grande fierté de Griezmann, élu homme du match", - "description": "Impliqué sur les trois buts de son équipe, Antoine Griezmann a affiché sa fierté et son émotion après le succès de l’Atlético de Madrid à Porto (1-3), offrant une qualification quasiment inespérée pour les huitièmes de finale de la Ligue des champions.

", - "content": "Impliqué sur les trois buts de son équipe, Antoine Griezmann a affiché sa fierté et son émotion après le succès de l’Atlético de Madrid à Porto (1-3), offrant une qualification quasiment inespérée pour les huitièmes de finale de la Ligue des champions.

", + "title": "Lens: \"On doit tous se remettre en question\", la colère froide de Cahuzac après la défaite à Nantes", + "description": "Le capitaine de Lens Yannick Cahuzac était amer après la défaite 3-2 concédé à Nantes après avoir mené 2-0 à la Beaujoire, vendredi en ouverture de la 18eme journée de Ligue 1.

", + "content": "Le capitaine de Lens Yannick Cahuzac était amer après la défaite 3-2 concédé à Nantes après avoir mené 2-0 à la Beaujoire, vendredi en ouverture de la 18eme journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-atletico-c-est-pour-ca-que-je-suis-revenu-la-grande-fierte-de-griezmann-elu-homme-du-match_AV-202112080037.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-on-doit-tous-se-remettre-en-question-la-colere-froide-de-cahuzac-apres-la-defaite-a-nantes_AN-202112100537.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 05:45:53 GMT", - "enclosure": "https://images.bfmtv.com/F58Y1z35Q746J9J3aOkY1zYS3ns=/6x127:2038x1270/800x0/images/Antoine-Griezmann-et-Thomas-Lemar-1183775.jpg", + "pubDate": "Fri, 10 Dec 2021 22:40:20 GMT", + "enclosure": "https://images.bfmtv.com/VSqbfDgiB8h8LI8TG534cqKBSH8=/1x0:1665x936/800x0/images/Jerome-Cahuzac-1186138.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34821,39 +39444,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "18e7df523bc4c5f5d5c2bf2c2c276595" + "hash": "58b4cf8b28535d8c688b072eecf71b05" }, { - "title": "Mercato en direct: Zidane au PSG? Charbonnier en a parlé avec lui, il raconte dans l'After", - "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "Ligue 1: Nantes renverse Lens et prive les Sang et Or du podium", + "description": "Mené 2-0 à la pause, à domicile contre Lens, le FC Nantes est revenu en deuxième période pour s'imposer 3-2 vendredi lors de la 18eme journée de Ligue 1. Les Sang et Or manquent l’opportunité de monter provisoirement sur le podium.

", + "content": "Mené 2-0 à la pause, à domicile contre Lens, le FC Nantes est revenu en deuxième période pour s'imposer 3-2 vendredi lors de la 18eme journée de Ligue 1. Les Sang et Or manquent l’opportunité de monter provisoirement sur le podium.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nantes-renverse-lens-et-prive-les-sang-or-du-podium_AV-202112100525.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", - "enclosure": "https://images.bfmtv.com/z2mlpPn41NwALUU54BEZnTXL_U4=/0x217:2048x1369/800x0/images/Zidane-au-soutien-du-Qatar-en-2010-1172558.jpg", + "pubDate": "Fri, 10 Dec 2021 22:03:24 GMT", + "enclosure": "https://images.bfmtv.com/k1w_RDr0FuiEWvyJ0gZiZmSV3Js=/0x106:2048x1258/800x0/images/Nantes-Lens-1186116.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "5a9095201a806ebb4438472e1bdacbaf" + "hash": "5e2b0fefacd44d91a163e9c07b02afe8" }, { - "title": "Zidane au PSG? Charbonnier en a parlé avec lui, il raconte dans l'After", - "description": "Lionel Charbonnier, membre de la Dream Team RMC, a participé à la réunion des champions du monde 1998 à Paris lundi. Il a notamment discuté avec Zinedine Zidane de la rumeur l’envoyant au PSG.

", - "content": "Lionel Charbonnier, membre de la Dream Team RMC, a participé à la réunion des champions du monde 1998 à Paris lundi. Il a notamment discuté avec Zinedine Zidane de la rumeur l’envoyant au PSG.

", + "title": "Champions Cup: le Racing ne rate pas ses débuts et corrige Northampton", + "description": "Le Racing 92 a décroché une victoire bonifiée à Northampton (14-45) ce vendredi lors de la première journée de Champions Cup. Porté par ses cadres, le club francilien a parfaitement réussi son entrée en lice dans la compétition européenne.

", + "content": "Le Racing 92 a décroché une victoire bonifiée à Northampton (14-45) ce vendredi lors de la première journée de Champions Cup. Porté par ses cadres, le club francilien a parfaitement réussi son entrée en lice dans la compétition européenne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/le-ressenti-de-charbonnier-sur-zidane-au-psg-apres-le-repas-de-france-98_AV-202112080028.html", + "link": "https://rmcsport.bfmtv.com/rugby/coupe-d-europe/champions-cup-le-racing-ne-rate-pas-ses-debuts-et-corrige-northampton_AV-202112100523.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 05:17:49 GMT", - "enclosure": "https://images.bfmtv.com/h7eB9lWq2UpSgKSaxe4PMiLmEBA=/0x39:2048x1191/800x0/images/Zinedine-Zidane-1177940.jpg", + "pubDate": "Fri, 10 Dec 2021 21:53:02 GMT", + "enclosure": "https://images.bfmtv.com/RwJwbNvk8tkF0znYefDSUzycpwg=/0x141:2032x1284/800x0/images/Virimi-Vakatawa-lors-du-match-Northampton-Racing-1186122.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34861,19 +39486,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc4bbe6e9250a2b398a24be4d25273ce" + "hash": "fcc68d18b5e4b04201055d4212503508" }, { - "title": "Coupe arabe: un choc Maroc-Algérie en quarts", - "description": "Tenue en échec par l’Egypte (1-1) lors de son dernier match de groupe, l’Algérie défiera le Maroc pour un choc bouillant, samedi en quarts de finale de la Coupe arabe actuellement organisée par la Fifa au Qatar.

", - "content": "Tenue en échec par l’Egypte (1-1) lors de son dernier match de groupe, l’Algérie défiera le Maroc pour un choc bouillant, samedi en quarts de finale de la Coupe arabe actuellement organisée par la Fifa au Qatar.

", + "title": "Euroligue: Monaco, défait contre Milan, enchaîne une cinquième défaite", + "description": "Monaco s'est incliné 71-65 face à Milan vendredi lors de la 14eme journée d'Euroligue.

", + "content": "Monaco s'est incliné 71-65 face à Milan vendredi lors de la 14eme journée d'Euroligue.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-arabe-un-choc-maroc-algerie-en-quarts_AV-202112080021.html", + "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroligue-monaco-defait-contre-milan-enchaine-une-cinquieme-defaite_AD-202112100520.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 05:00:52 GMT", - "enclosure": "https://images.bfmtv.com/OtDRAqzInoo6pAZfk_UeXkp-fAQ=/0x106:2048x1258/800x0/images/Zakaria-Draoui-1183766.jpg", + "pubDate": "Fri, 10 Dec 2021 21:43:57 GMT", + "enclosure": "https://images.bfmtv.com/NIc8a4w03Cd0kcRoqhxc2rbSt8Y=/0x8:2048x1160/800x0/images/Donatas-Motiejunas-1186118.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34881,19 +39507,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cdd5abb0eab0c81956e08c29059308eb" + "hash": "5662d4c98f7eb18f7695e721ae4a588d" }, { - "title": "Barça: Xavi veut \"écrire l'histoire\" face au Bayern (malgré l'historique très défavorable)", - "description": "Deuxième de sa poule de Ligue des champions, le Barça se déplace mercredi à Munich lors de la sixième journée. Les protégés de Xavi ont besoin d'une victoire pour assurer leur qualification et seraient en danger en cas de nul ou de défaite. L'entraîneur catalan le sait et croit en les chances de son équipe, malgré le terrible bilan blaugrana sur le terrain du Bayern.

", - "content": "Deuxième de sa poule de Ligue des champions, le Barça se déplace mercredi à Munich lors de la sixième journée. Les protégés de Xavi ont besoin d'une victoire pour assurer leur qualification et seraient en danger en cas de nul ou de défaite. L'entraîneur catalan le sait et croit en les chances de son équipe, malgré le terrible bilan blaugrana sur le terrain du Bayern.

", + "title": "Covid: Herbert, non vacciné, renonce à sa participation à l'Open d’Australie", + "description": "Pierre-Hugues Herbert a choisi de ne pas participer à l’Open d’Australie en janvier 2022. Le Français a expliqué vendredi qu’il renonçait en raison de son classement en simple et de sa volonté de ne pas se faire vacciner contre le Covid-19 avant le premier tournoi du Grand Chelem de l’année.

", + "content": "Pierre-Hugues Herbert a choisi de ne pas participer à l’Open d’Australie en janvier 2022. Le Français a expliqué vendredi qu’il renonçait en raison de son classement en simple et de sa volonté de ne pas se faire vacciner contre le Covid-19 avant le premier tournoi du Grand Chelem de l’année.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-xavi-veut-ecrire-l-histoire-face-au-bayern-malgre-l-historique-tres-defavorable_AV-202112080020.html", + "link": "https://rmcsport.bfmtv.com/tennis/open-australie/covid-herbert-non-vaccine-renonce-a-sa-participation-a-l-open-d-australie_AV-202112100518.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:16:48 GMT", - "enclosure": "https://images.bfmtv.com/da9Dq1hRXRMfT0rgxTqJRNqMZfI=/0x49:2048x1201/800x0/images/Xavi-lors-d-une-conference-de-presse-du-Barca-1183631.jpg", + "pubDate": "Fri, 10 Dec 2021 21:32:51 GMT", + "enclosure": "https://images.bfmtv.com/cvSz4itSkuLgVALonNtWY4fR-L4=/0x0:2048x1152/800x0/images/Pierre-Hugues-Herbert-lors-de-la-Coupe-Davis-1186110.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34901,19 +39528,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a585401ad057b6b01ebbc82b6f6b935c" + "hash": "5371afd16e7be5894c1a31963243cd40" }, { - "title": "JO d'hiver 2022: l’Australie annonce à son tour un boycott diplomatique à Pékin", - "description": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", - "content": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", + "title": "PSG: Paredes reconnait des \"premiers mois compliqués\" pour Messi à Paris", + "description": "Ami et coéquipier de Lionel Messi depuis plusieurs saisons en sélection nationale, Leandro Paredes a évoqué sur la chaîne ESPN Argentina l’arrivée de la Pulga cet été et son adaptation dans le club parisien.

", + "content": "Ami et coéquipier de Lionel Messi depuis plusieurs saisons en sélection nationale, Leandro Paredes a évoqué sur la chaîne ESPN Argentina l’arrivée de la Pulga cet été et son adaptation dans le club parisien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-l-australie-annonce-a-son-tour-un-boycott-diplomatique-a-pekin_AV-202112070443.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-paredes-reconnait-des-premiers-mois-compliques-pour-messi-a-paris_AV-202112100513.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:50:36 GMT", - "enclosure": "https://images.bfmtv.com/CnrEvSNK_0w1h1qJf78xgxFzFIU=/0x185:2048x1337/800x0/images/Pekin-2022-1002626.jpg", + "pubDate": "Fri, 10 Dec 2021 21:09:37 GMT", + "enclosure": "https://images.bfmtv.com/yT809Fg12JolJGvxqj3e2jjYmXs=/0x0:768x432/800x0/images/La-star-argentine-Lionel-Messi-et-son-compatriote-Leandro-Paredes-lors-d-un-entrainement-du-PSG-le-19-aout-2021-au-Camp-des-Loges-a-Saint-Germain-en-Laye-1117392.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34921,19 +39549,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a630e69413065d4a27913ff52f22975" + "hash": "ae2530a9ec3ffaa600dd03212b7ffaa6" }, { - "title": "Mondial de hand: les Bleues souffrent mais s'imposent contre le Monténégro", - "description": "Malmenées pendant une grande partie de la rencontre, les handballeuses françaises ont réussi à s'en sortir contre le Monténégro en s'imposant 24-19, mardi soir à Granollers (Espagne), et aborderont le tour principal à partir de jeudi en position de force.

", - "content": "Malmenées pendant une grande partie de la rencontre, les handballeuses françaises ont réussi à s'en sortir contre le Monténégro en s'imposant 24-19, mardi soir à Granollers (Espagne), et aborderont le tour principal à partir de jeudi en position de force.

", + "title": "GP d'Abu Dhabi de F1 en direct: Hamilton-Verstappen, le duel en qualif' approche", + "description": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", + "content": "Qui de Max Verstappen (Red Bull) ou Lewis Hamilton (Mercedes) sera sacré champion du monde de Formule 1? À égalité de points au classement, les deux rivaux s'affrontent sur le tracé de Yas Marina à Abu Dhabi (Émirats arabes unis) pour le dernier Grand Prix de la saison de F1. Le départ de la course est prévu ce dimanche à 14h00. Un événement à suivre dans ce live RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-les-bleues-souffrent-mais-s-imposent-contre-le-montenegro_AV-202112070441.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-abou-dhabi-de-f1-en-direct-hamilton-verstappen-duel-final-pour-le-titre_LN-202112100118.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:38:26 GMT", - "enclosure": "https://images.bfmtv.com/-6k1-NBBvcZlJzzGRE5HAriPB2w=/0x42:2048x1194/800x0/images/France-Montenegro-1183629.jpg", + "pubDate": "Fri, 10 Dec 2021 07:42:07 GMT", + "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34941,19 +39570,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "27ae6f42acce62a0aea8f6dbb6837023" + "hash": "3e46eccaf819e2848f46085f43915c07" }, { - "title": "Ligue des champions: Paris qualifié, mais avec le pire bilan de l’ère QSI", - "description": "Le PSG a battu Bruges ce mardi lors de la sixième journée de la phase de poules de la Ligue des champions (4-1, sur RMC Sport 1). Deuxième de son groupe derrière Manchester City, le club francilien s’est rassuré mais signe tout de même le pire bilan de l’ère QSI au premier tour de la compétition, à égalité avec la saison 2018-2019.

", - "content": "Le PSG a battu Bruges ce mardi lors de la sixième journée de la phase de poules de la Ligue des champions (4-1, sur RMC Sport 1). Deuxième de son groupe derrière Manchester City, le club francilien s’est rassuré mais signe tout de même le pire bilan de l’ère QSI au premier tour de la compétition, à égalité avec la saison 2018-2019.

", + "title": "Ligue 1: la belle initiative de Strasbourg avant la réception de l'OM", + "description": "Malgré l’interdiction de déplacement des supporters de l’OM à Strasbourg pour le match de la 18e journée de Ligue 1 prévu ce dimanche à la Meinau, le club alsacien a choisi de ne pas vendre les 1.000 billets récupérés. A la place, le RCS en fera cadeau aux licenciés et bénévoles de ses clubs partenaires.

", + "content": "Malgré l’interdiction de déplacement des supporters de l’OM à Strasbourg pour le match de la 18e journée de Ligue 1 prévu ce dimanche à la Meinau, le club alsacien a choisi de ne pas vendre les 1.000 billets récupérés. A la place, le RCS en fera cadeau aux licenciés et bénévoles de ses clubs partenaires.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-paris-qualifie-mais-avec-le-pire-bilan-de-l-ere-qsi_AV-202112070440.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-la-belle-initiative-de-strasbourg-avant-la-reception-de-l-om_AV-202112100506.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:21:52 GMT", - "enclosure": "https://images.bfmtv.com/ALGJUjgcq33l6W-gFQowQZY6QHo=/0x153:2048x1305/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183621.jpg", + "pubDate": "Fri, 10 Dec 2021 20:53:28 GMT", + "enclosure": "https://images.bfmtv.com/UNZiprqRONTMo4e4jDlON2SHKh4=/0x212:2048x1364/800x0/images/Un-superbe-tifo-des-supporters-de-Strasbourg-en-L1-1186098.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34961,19 +39591,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c8d45e4065912f0b075ff45a2ef9ba1c" + "hash": "0222c8cb0615a7d17e6eced6778bc38e" }, { - "title": "PRONOS PARIS RMC Les paris du 8 décembre sur Wolfsburg - Lille – Ligue des Champions", - "description": "Notre pronostic : match nul entre Wolfsburg et Lille (3.40)

", - "content": "Notre pronostic : match nul entre Wolfsburg et Lille (3.40)

", + "title": "Equipe de France: Benzema, Mbappé, son avenir... les vérités de Deschamps dans Rothen s'enflamme", + "description": "Didier Deschamps était l’invité exceptionnel de l’émission Rothen s’enflamme ce vendredi sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France a répondu à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Du bilan des Bleus en 2021, au retour de Karim Benzema, en passant par son avenir à la tête de l’équipe tricolore ou encore le poste d’entraîneur du PSG, Olivier Giroud… le technicien n’a éludé aucun sujet pendant deux heures d’un entretien exclusif. Pour ceux qui l’ont raté, voici les meilleures déclarations de Didier Deschamps.

", + "content": "Didier Deschamps était l’invité exceptionnel de l’émission Rothen s’enflamme ce vendredi sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France a répondu à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Du bilan des Bleus en 2021, au retour de Karim Benzema, en passant par son avenir à la tête de l’équipe tricolore ou encore le poste d’entraîneur du PSG, Olivier Giroud… le technicien n’a éludé aucun sujet pendant deux heures d’un entretien exclusif. Pour ceux qui l’ont raté, voici les meilleures déclarations de Didier Deschamps.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/les-paris-du-08-decembre-sur-wolfsburg-lille-ligue-des-champions_AN-202112070383.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-benzema-mbappe-son-avenir-les-verites-de-deschamps-dans-rothen-s-enflamme_AV-202112100496.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:05:00 GMT", - "enclosure": "https://images.bfmtv.com/2hwZqVovjBu6NhdUsP_eAaroUhQ=/0x208:1984x1324/800x0/images/LOSC-1183549.jpg", + "pubDate": "Fri, 10 Dec 2021 19:59:12 GMT", + "enclosure": "https://images.bfmtv.com/grxEyR1auO8eblBoeeHdLROPQRk=/0x0:1280x720/800x0/images/Didier-Deschamps-lors-de-son-passage-dans-Rothen-s-enflamme-1186091.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -34981,39 +39612,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb83ff783e4d8c63df5dab076740dacc" + "hash": "ac4ade12559ab0d5eef7a6e3dce6d35c" }, { - "title": "PRONO PARIS RMC Le pari du jour du 8 décembre – Ligue des Champions", - "description": "Notre pronostic : l’Atalanta s’impose face à Villarreal (1.75)

", - "content": "Notre pronostic : l’Atalanta s’impose face à Villarreal (1.75)

", + "title": "Clauss, Nkunku, Savanier bientôt chez les Bleus? Les réponses de Deschamps", + "description": "Dans Rothen s’enflamme, vendredi sur RMC, le sélectionneur Didier Deschamps s’est exprimé au sujet de Jonathan Clauss (Lens), Christopher Nkunku (Leipzig) et Téji Savanier (Montpellier). Trois joueurs dont on dit qu'ils sont proches de l’équipe de France.

", + "content": "Dans Rothen s’enflamme, vendredi sur RMC, le sélectionneur Didier Deschamps s’est exprimé au sujet de Jonathan Clauss (Lens), Christopher Nkunku (Leipzig) et Téji Savanier (Montpellier). Trois joueurs dont on dit qu'ils sont proches de l’équipe de France.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/prono-paris-rmc-le-pari-du-jour-du-8-decembre-ligue-des-champions_AN-202112070382.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/clauss-nkunku-savanier-bientot-chez-les-bleus-les-reponses-de-deschamps_AV-202112100495.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/KGDxayY4DEsKG3AdzkFbdvba1Qk=/0x209:2000x1334/800x0/images/Atalanta-1183548.jpg", + "pubDate": "Fri, 10 Dec 2021 19:45:17 GMT", + "enclosure": "https://images.bfmtv.com/10Nm8U3U7Csy0RqSZ8TEKufd0eA=/0x0:2048x1152/800x0/images/Jonathan-Clauss-1154575.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "42892a52c2079a0046cb722b2ca96fd3" + "hash": "3d2b4d096e2d4b946c49e797e82a0a3f" }, { - "title": "PRONO PARIS RMC Le pari de folie du 8 décembre - Ligue des Champions", - "description": "Notre pronostic : Match nul entre Manchester United et les Young Boys (4.75)

", - "content": "Notre pronostic : Match nul entre Manchester United et les Young Boys (4.75)

", + "title": "Ligue 1 en direct: des mesures pour la sécurité dans les stades bientôt annoncées", + "description": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", + "content": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/prono-paris-rmc-le-pari-de-folie-du-8-decembre-ligue-des-champions_AN-202112070381.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-18e-journee_LN-202112090152.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/0fpDVAph4Laqdb5ebAPBXw2Fiz4=/7x96:1975x1203/800x0/images/R-Rangnick-1183547.jpg", + "pubDate": "Thu, 09 Dec 2021 08:40:20 GMT", + "enclosure": "https://images.bfmtv.com/NPxqX7Pob1-qtuuM_by8luPYhrY=/14x0:2046x1143/800x0/images/9-policiers-blesses-et-21-interpellations-le-bilan-des-incidents-du-Classique-OM-PSG-1153496.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -35021,19 +39654,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5a80752e37797ee2d954716b72840096" + "hash": "18253fe795bd6bf63df67be8f9757f39" }, { - "title": "PRONOS PARIS RMC Le buteur du 8 décembre – Ligue des Champions", - "description": "Notre pronostic : Darwin Núñez marque contre le Dynamo Kiev (2.00)

", - "content": "Notre pronostic : Darwin Núñez marque contre le Dynamo Kiev (2.00)

", + "title": "Natation: cinq mois après avoir heurté le mur aux JO, Ndoye-Brouard a \"toujours une appréhension\"", + "description": "Après les JO de Tokyo au cours desquels il avait été disqualifié pour avoir heurté le mur avec sa tête cet été, le nageur tricolore Yohann Ndoye-Brouard (21 ans) avoue ne pas être complètement serein dans le bassin. Un handicap alors que les championnats de France ont débuté à Montpellier.

", + "content": "Après les JO de Tokyo au cours desquels il avait été disqualifié pour avoir heurté le mur avec sa tête cet été, le nageur tricolore Yohann Ndoye-Brouard (21 ans) avoue ne pas être complètement serein dans le bassin. Un handicap alors que les championnats de France ont débuté à Montpellier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-8-decembre-ligue-des-champions_AN-202112070380.html", + "link": "https://rmcsport.bfmtv.com/natation/championnat-de-france-de-natation-ndoye-brouard-a-toujours-une-apprehension-apres-avoir-heurte-le-mur-aux-jo_AN-202112100494.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/9FJjbYgEZ-9wL1prOzuDPckOZuw=/0x0:1984x1116/800x0/images/Darwin-Nunez-1183546.jpg", + "pubDate": "Fri, 10 Dec 2021 19:39:22 GMT", + "enclosure": "https://images.bfmtv.com/CCbKy2_C95SFFAwLmARgeGAFcpw=/0x0:2048x1152/800x0/images/Yohann-Ndoye-Brouard-1186090.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -35041,19 +39675,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c82546eb420416670c0d543222a19d4" + "hash": "ed789cbbab6594da2d1f2154d4a09038" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 6 décembre – Ligue des Champions", - "description": "Notre pronostic : Benfica s’impose contre le Dynamo Kiev et plus de 1,5 but dans la rencontre (1.43)

", - "content": "Notre pronostic : Benfica s’impose contre le Dynamo Kiev et plus de 1,5 but dans la rencontre (1.43)

", + "title": "Affaire Yannick Agnel: la Fédération française de natation pourrait se constituer partie civile", + "description": "Au lendemain de sa garde à vue pour des faits supposés de viol sur mineure, le sort de Yannick Agnel fait beaucoup parler. La Fédération française de natation a aissé entendre vendredi qu’elle pourrait se constituer \"partie civile\" dans cette affaire.

", + "content": "Au lendemain de sa garde à vue pour des faits supposés de viol sur mineure, le sort de Yannick Agnel fait beaucoup parler. La Fédération française de natation a aissé entendre vendredi qu’elle pourrait se constituer \"partie civile\" dans cette affaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-6-decembre-ligue-des-champions_AN-202112070378.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-yannick-agnel-la-federation-francaise-de-natation-pourrait-se-constituer-partie-civile_AV-202112100492.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/7opxpXluHDuIYg-345rJCYavpaY=/0x208:1984x1324/800x0/images/Benfica-1183545.jpg", + "pubDate": "Fri, 10 Dec 2021 19:22:20 GMT", + "enclosure": "https://images.bfmtv.com/GxB8rB-FUZ7QCgkY7vNxxbRpE4o=/0x34:768x466/800x0/images/Yannick-Agnel-lors-des-series-du-100-m-libre-des-championnats-de-France-a-Montpellier-le-1er-avril-2016-1185423.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", @@ -35061,37 +39696,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "7693ae3dba44dfbce5670f8c2c1bf22f" + "hash": "1c03757be172706eac9f908d30c561e4" }, { - "title": "Ligue des champions: les adversaires potentiels du PSG en huitièmes de finale", - "description": "Deuxième de son groupe de Ligue des champions derrière Manchester City, le PSG ne sera pas tête de série pour le tirage au sort des huitièmes de finale lundi prochain. Le Bayern Munich, Liverpool et le Real Madrid, vainqueurs de leur poule respective, font partie des adversaires potentiels.

", - "content": "Deuxième de son groupe de Ligue des champions derrière Manchester City, le PSG ne sera pas tête de série pour le tirage au sort des huitièmes de finale lundi prochain. Le Bayern Munich, Liverpool et le Real Madrid, vainqueurs de leur poule respective, font partie des adversaires potentiels.

", + "title": "Equipe de France: \"Je ne donne pas une wild-card à vie\", Deschamps s'explique sur le cas Giroud", + "description": "Le sélectionneur de l’équipe de France est revenu dans Rothen s’enflamme sur le cas d’Olivier Giroud, non sélectionné depuis l’Euro. Il raconte avoir discuté avec l’avant-centre au sujet de ce changement de statut.

", + "content": "Le sélectionneur de l’équipe de France est revenu dans Rothen s’enflamme sur le cas d’Olivier Giroud, non sélectionné depuis l’Euro. Il raconte avoir discuté avec l’avant-centre au sujet de ce changement de statut.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-du-psg-en-huitiemes-de-finale_AV-202112070437.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-je-ne-donne-pas-des-wild-cards-a-vie-deschamps-s-explique-sur-le-cas-giroud_AV-202112100488.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:57:15 GMT", - "enclosure": "https://images.bfmtv.com/CjxkXjpsOm5xkWS055w_x92iSB8=/0x27:1888x1089/800x0/images/PSG-1183608.jpg", + "pubDate": "Fri, 10 Dec 2021 19:12:59 GMT", + "enclosure": "https://images.bfmtv.com/C3bY8avX4aZqxMI3ggtMLkz_iNk=/0x20:2048x1172/800x0/images/Olivier-Giroud-et-Didier-Deschamps-1139886.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "00fe9a3073c71c11ef3eb361aab4d19e" + "hash": "552eff9f38e637853e2afd4a9324a38f" }, { - "title": "Ligue des champions: la superbe soirée de Griezmann, qui qualifie l'Atlético pour les 8es", - "description": "L’Atlético de Madrid s’est imposé sur la pelouse de Porto (1-3) ce mardi lors de la sixième journée des poules de la Ligue des champions. Buteur puis passeur décisif, et encore impliqué sur le troisième but des siens, Antoine Griezmann a grandement contribué à la qualification des Colchoneros pour les huitièmes de finale.

", - "content": "L’Atlético de Madrid s’est imposé sur la pelouse de Porto (1-3) ce mardi lors de la sixième journée des poules de la Ligue des champions. Buteur puis passeur décisif, et encore impliqué sur le troisième but des siens, Antoine Griezmann a grandement contribué à la qualification des Colchoneros pour les huitièmes de finale.

", + "title": "Stade Français: l'ex-All Black Laumape veut jouer pour les Tonga", + "description": "Arrivé cet été au Stade français, Ngani Laumapé a déclaré vendredi en conférence de presse qu’il pourrait utiliser la nouvelle règle d’éligibilité aux sélections nationales pour évoluer avec les Tonga, pays de ses parents, lui le All Black aux 15 sélections. Le Parisien n'a plus été appelé depuis 2020.

", + "content": "Arrivé cet été au Stade français, Ngani Laumapé a déclaré vendredi en conférence de presse qu’il pourrait utiliser la nouvelle règle d’éligibilité aux sélections nationales pour évoluer avec les Tonga, pays de ses parents, lui le All Black aux 15 sélections. Le Parisien n'a plus été appelé depuis 2020.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-folle-soiree-de-griezmann-qui-qualifie-l-atletico-pour-les-8es_AV-202112070427.html", + "link": "https://rmcsport.bfmtv.com/rugby/stade-francais-l-ex-all-black-laumape-veut-jouer-pour-les-tonga_AD-202112100483.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:41:31 GMT", - "enclosure": "https://images.bfmtv.com/7XXFKrql9CtJEFUZEvvtC-ScnrU=/3x0:2035x1143/800x0/images/Antoine-Griezmann-lors-de-Porto-Atletico-1183580.jpg", + "pubDate": "Fri, 10 Dec 2021 19:06:46 GMT", + "enclosure": "https://images.bfmtv.com/Ja6wxT2l7tYPTqDH6z1PQ9-whwg=/0x0:2048x1152/800x0/images/Ngani-Laumape-1186073.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35101,17 +39736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b62051277844ede8b920b9605f3a1561" + "hash": "29e8a52196c5d4c76d401306ae8a7384" }, { - "title": "Ligue des champions: Haller affole un peu plus les compteurs avec l'Ajax", - "description": "Sébastien Haller a marqué son dixième but de la saison en Ligue des champions, ce mardi soir contre le Sporting (4-2). L’attaquant ivoirien de l’Ajax s’offre un record après seulement six matchs dans la compétition.

", - "content": "Sébastien Haller a marqué son dixième but de la saison en Ligue des champions, ce mardi soir contre le Sporting (4-2). L’attaquant ivoirien de l’Ajax s’offre un record après seulement six matchs dans la compétition.

", + "title": "Nantes-Lens en direct: renversés par les Nantais, les Lensois manquent le podium!", + "description": "Revivez dans les conditions du direct sur notre site la victoire de Nantes contre Lens (3-2), en ouverture de la 18e journée de Ligue 1.

", + "content": "Revivez dans les conditions du direct sur notre site la victoire de Nantes contre Lens (3-2), en ouverture de la 18e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-haller-affole-un-peu-plus-les-compteurs-avec-l-ajax_AV-202112070421.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-lens-en-direct-les-lensois-veulent-retrouver-le-podium_LS-202112100482.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:27:39 GMT", - "enclosure": "https://images.bfmtv.com/aKRAgvM0PH4xyOfz9jhcWykeZkg=/0x0:2048x1152/800x0/images/Sebastien-Haller-avec-l-Ajax-Amsterdam-1183574.jpg", + "pubDate": "Fri, 10 Dec 2021 19:03:23 GMT", + "enclosure": "https://images.bfmtv.com/M27OTaCcL8dzvNqlHNeqbj0_bOs=/14x0:2030x1134/800x0/images/Nantes-Lens-Kalimuendo-face-a-Cyprien-1186097.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35121,77 +39756,77 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8ab4b22bf747eead8d3d57cd6adac06" + "hash": "c5c0f36a8a7ad9ba8cb70e4c1a2cdf49" }, { - "title": "Ligue des champions: tous les qualifiés pour les huitièmes après les matchs de mardi", - "description": "Certains tickets pour les huitièmes de finales de la Ligue des champions et les barrages de Ligue Europa restaient à attribuer ce mardi soir. Les clubs de Madrid, l'Atlético et le Real, sont les grands gagnants du jour.

", - "content": "Certains tickets pour les huitièmes de finales de la Ligue des champions et les barrages de Ligue Europa restaient à attribuer ce mardi soir. Les clubs de Madrid, l'Atlético et le Real, sont les grands gagnants du jour.

", + "title": "Deschamps un jour au PSG? L’échange animé entre Rothen et le sélectionneur des Bleus", + "description": "Interrogé sur son avenir dans Rothen s’enflamme, sur RMC, Didier Deschamps n’a pas complètement fermé la porte au fait de rejoindre un jour le banc du Paris Saint-Germain. Une réponse qui a fait bondir Jérôme Rothen sur le plateau.

", + "content": "Interrogé sur son avenir dans Rothen s’enflamme, sur RMC, Didier Deschamps n’a pas complètement fermé la porte au fait de rejoindre un jour le banc du Paris Saint-Germain. Une réponse qui a fait bondir Jérôme Rothen sur le plateau.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-tous-les-qualifies-pour-les-huitiemes-apres-les-matchs-de-mardi_AV-202112070420.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/deschamps-un-jour-au-psg-l-echange-anime-entre-rothen-et-le-selectionneur-des-bleus_AV-202112100468.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:21:39 GMT", - "enclosure": "https://images.bfmtv.com/eC02it32NH_hhAWwZ14NhXSIajM=/0x107:2048x1259/800x0/images/Toni-Kroos-lors-de-Real-Madrid-Inter-Milan-1183576.jpg", + "pubDate": "Fri, 10 Dec 2021 18:28:49 GMT", + "enclosure": "https://images.bfmtv.com/0ZLQ2q8wTgQow2vOWF5ueBL2iZ4=/0x0:1280x720/800x0/images/Deschamps-invite-de-Rothen-S-enflamme-sur-RMC-1185987.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "505d761e7c380686762fc79c9296e862" + "hash": "4d40defe5771dcc5b4aa16913dc5d9f6" }, { - "title": "Ligue des champions: Mbappé flambe, Griezmann sauve l'Atlético, Haller enchaîne... Les moments forts de mardi en vidéo", - "description": "L'AC Milan, battu 2-1 par Liverpool à San Siro, a échoué à se qualifier pour les huitièmes de finale de la Ligue des champions, ce mardi soir lors de la dernière journée de la phase de poules. Dans le même temps, Antoine Griezmann a brillé avec l'Atlético de Madrid.

", - "content": "L'AC Milan, battu 2-1 par Liverpool à San Siro, a échoué à se qualifier pour les huitièmes de finale de la Ligue des champions, ce mardi soir lors de la dernière journée de la phase de poules. Dans le même temps, Antoine Griezmann a brillé avec l'Atlético de Madrid.

", + "title": "Equipe de France: Deschamps entretient le flou sur son avenir après la Coupe du monde", + "description": "Sous contrat jusqu’à la Coupe du monde 2022, l’avenir de Didier Deschamps sur le banc de l’Equipe de France est encore incertain. Dans \"Rothen s’enflamme\" l’émission RMC, le Français est resté énigmatique sur son avenir.

", + "content": "Sous contrat jusqu’à la Coupe du monde 2022, l’avenir de Didier Deschamps sur le banc de l’Equipe de France est encore incertain. Dans \"Rothen s’enflamme\" l’émission RMC, le Français est resté énigmatique sur son avenir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-mbappe-flambe-griezmann-sauve-l-atletico-haller-enchaine-les-moments-forts-de-mardi-en-video_AN-202112070417.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-deschamps-entretient-le-flou-sur-son-avenir-apres-la-coupe-du-monde_AV-202112100461.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:11:17 GMT", - "enclosure": "https://images.bfmtv.com/-8SvI_TbGEBg0CKJ53Dgf4FoBkA=/214x49:2038x1075/800x0/images/Milan-Liverpool-1183575.jpg", + "pubDate": "Fri, 10 Dec 2021 18:21:28 GMT", + "enclosure": "https://images.bfmtv.com/dzFCbI8bjxUxcGmm79Y4NGNjiXU=/0x127:2048x1279/800x0/images/Didier-Deschamps-1185949.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f0efa35289bd2166091c8c7daf21067" + "hash": "7e33b400142b70a9ab44f9bcbcade13a" }, { - "title": "Incidents OL-OM: les dirigeants marseillais n'ont pas été convoqués par la commission de discipline", - "description": "INFO RMC SPORT. Alors que la commission de discipline de la LFP doit se pencher ce mercredi sur les incidents du match OL-OM, arrêté le 21 novembre au Groupama Stadium, cette dernière n'a pas jugé bon de convier les dirigeants marseillais - contrairement à leurs homologues lyonnais.

", - "content": "INFO RMC SPORT. Alors que la commission de discipline de la LFP doit se pencher ce mercredi sur les incidents du match OL-OM, arrêté le 21 novembre au Groupama Stadium, cette dernière n'a pas jugé bon de convier les dirigeants marseillais - contrairement à leurs homologues lyonnais.

", + "title": "Equipe de France: Giroud-Mbappé, embrouilles entre les familles... Deschamps revient sur les tensions à l'Euro", + "description": "Dans Rothen s’enflamme, ce vendredi sur RMC, le sélectionneur de l'équipe de France Didier Deschamps est revenu sur l’année des Bleus et sur les tensions qui ont pu naître dans le groupe France durant l’Euro, cet été.

", + "content": "Dans Rothen s’enflamme, ce vendredi sur RMC, le sélectionneur de l'équipe de France Didier Deschamps est revenu sur l’année des Bleus et sur les tensions qui ont pu naître dans le groupe France durant l’Euro, cet été.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-dirigeants-marseillais-n-ont-pas-ete-convoques-par-la-commission-de-discipline_AV-202112070413.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-giroud-mbappe-embrouilles-entre-les-familles-deschamps-revient-sur-les-tensions-a-l-euro_AV-202112100433.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 21:36:44 GMT", - "enclosure": "https://images.bfmtv.com/-SSuP9pasRsmVhk5VXS5o6ZCLfk=/0x212:2048x1364/800x0/images/Pablo-Longoria-1128568.jpg", + "pubDate": "Fri, 10 Dec 2021 17:48:45 GMT", + "enclosure": "https://images.bfmtv.com/WhCDo9M9I3QedlumOFIW6-NuX7k=/0x0:2048x1152/800x0/images/Didier-Deschamps-avec-Kingsley-Coman-chez-les-Bleus-1165468.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "5df789115bd354dd7f451b6f7e192907" + "hash": "0e30893fe15dae71dbd0b05e1633ca35" }, { - "title": "Porto-Atlético: les larmes de Suarez après sa sortie sur blessure", - "description": "Luis Suarez n’a pas terminé le match décisif entre Porto et l’Atlético de Madrid ce mardi en Ligue des champions. Blessé et remplacé dès la douzième minute, l’attaquant uruguayen a fondu en larmes sur le banc des Colchoneros.

", - "content": "Luis Suarez n’a pas terminé le match décisif entre Porto et l’Atlético de Madrid ce mardi en Ligue des champions. Blessé et remplacé dès la douzième minute, l’attaquant uruguayen a fondu en larmes sur le banc des Colchoneros.

", + "title": "Manchester United: pour Rangnick, Pogba ne sera pas de retour avant \"quelques semaines\"", + "description": "Blessé à la cuisse depuis le rassemblement avec l’équipe de France en novembre dernier, le retour de Paul Pogba sur les terrains n’interviendra pas avant \"quelques semaines\". C’est son entraîneur à Manchester United Ralf Rangnick qui l’a annoncé vendredi en conférence de presse.

", + "content": "Blessé à la cuisse depuis le rassemblement avec l’équipe de France en novembre dernier, le retour de Paul Pogba sur les terrains n’interviendra pas avant \"quelques semaines\". C’est son entraîneur à Manchester United Ralf Rangnick qui l’a annoncé vendredi en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-atletico-les-larmes-de-suarez-apres-sa-sortie-sur-blessure_AV-202112070410.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-pour-rangnick-pogba-ne-sera-pas-de-retour-avant-quelques-semaines_AV-202112100410.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 21:04:36 GMT", - "enclosure": "https://images.bfmtv.com/2kITD8BCHzJyUs_IuNrnoTE9qRU=/0x75:2048x1227/800x0/images/Luis-Suarez-en-larmes-lors-de-Porto-Atletico-1183567.jpg", + "pubDate": "Fri, 10 Dec 2021 17:10:19 GMT", + "enclosure": "https://images.bfmtv.com/pjz7BvDzkBjHDBeXbVpDyj2JSTE=/0x52:2048x1204/800x0/images/Paul-Pogba-1168884.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35201,17 +39836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d0054ed5638817b4b2414f670fee4904" + "hash": "ede7e61d276054392925ff755a3312cb" }, { - "title": "PSG-Bruges: \"La graine est plantée, il y aura de belles fleurs\", Pochettino satisfait de la relation Mbappé-Messi", - "description": "Après la nette victoire du PSG contre Bruges, ce mardi soir en Ligue des champions (4-1, sur RMC Sport 1), Mauricio Pochettino a évoqué la relation naissante entre Lionel Messi et Kylian Mbappé, tous les deux auteurs d’un doublé.

", - "content": "Après la nette victoire du PSG contre Bruges, ce mardi soir en Ligue des champions (4-1, sur RMC Sport 1), Mauricio Pochettino a évoqué la relation naissante entre Lionel Messi et Kylian Mbappé, tous les deux auteurs d’un doublé.

", + "title": "Premier League: Klopp est persuadé que Gerrard entraînera un jour Liverpool", + "description": "Désormais sur le banc d'Aston Villa, Steven Gerrard fera son retour samedi à Anfield pour la 16e journée de Premier League. Avant d'entraîner un jour Liverpool ? Jürgen Klopp en est totalement convaincu.

", + "content": "Désormais sur le banc d'Aston Villa, Steven Gerrard fera son retour samedi à Anfield pour la 16e journée de Premier League. Avant d'entraîner un jour Liverpool ? Jürgen Klopp en est totalement convaincu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-la-graine-est-plantee-il-y-aura-de-belles-fleurs-pochettino-satisfait-de-la-relation-mbappe-messi_AV-202112070408.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-klopp-est-persuade-que-gerrard-entrainera-un-jour-liverpool_AV-202112100403.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 20:57:50 GMT", - "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", + "pubDate": "Fri, 10 Dec 2021 17:02:11 GMT", + "enclosure": "https://images.bfmtv.com/tk1dhlMcx_b5OtNgPcvKwndrzao=/0x20:2048x1172/800x0/images/Juergen-Klopp-1185947.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35221,17 +39856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "caa76def0e2e2e12869a1788491a3062" + "hash": "accc46487663ac968a80b686c6d9d7e4" }, { - "title": "PSG-Bruges en direct: Les adversaires potentiels du PSG en Ligue des champions", - "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", - "content": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", + "title": "Pro D2: Bayonne-Montauban reporté à dimanche en raison des intempéries", + "description": "A cause des intempéries, le match de Pro D2 entre Bayonne et Montauban, prévu vendredi soir, est reporté à dimanche après-midi.

", + "content": "A cause des intempéries, le match de Pro D2 entre Bayonne et Montauban, prévu vendredi soir, est reporté à dimanche après-midi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", + "link": "https://rmcsport.bfmtv.com/rugby/pro-d2-bayonne-montauban-reporte-a-dimanche-en-raison-des-intemperies_AD-202112100390.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", - "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", + "pubDate": "Fri, 10 Dec 2021 16:50:58 GMT", + "enclosure": "https://images.bfmtv.com/MXn7NnyXjASU0sao4x6WcaO1xd4=/0x106:2048x1258/800x0/images/Aviron-bayonnais-1185966.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35241,17 +39876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c8769451603bd59b437de7b2f76c26c" + "hash": "96ca3f3ed062e5d9e4b46fa3b2ff128e" }, { - "title": "PSG-Bruges: Mbappé explique pourquoi il a laissé le penalty à Messi, qui a besoin de \"confiance\"", - "description": "Lors de la victoire 4-1 du PSG contre le Club Bruges, Kylian Mbappé a laissé Lionel Messi tirer le penalty du quatrième but de la soirée, ce mardi en Ligue des champions. Il s'en est expliqué au micro de RMC Sport.

", - "content": "Lors de la victoire 4-1 du PSG contre le Club Bruges, Kylian Mbappé a laissé Lionel Messi tirer le penalty du quatrième but de la soirée, ce mardi en Ligue des champions. Il s'en est expliqué au micro de RMC Sport.

", + "title": "Echecs: le Norvégien Magnus Carlsen conserve son titre de champion du monde", + "description": "Il a remporté une quatrième partie contre son challenger russe Ian Nepomniachtchi vendredi à Dubaï.

", + "content": "Il a remporté une quatrième partie contre son challenger russe Ian Nepomniachtchi vendredi à Dubaï.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-mbappe-explique-pourquoi-il-a-laisse-le-penalty-a-messi-qui-a-besoin-de-confiance_AN-202112070401.html", + "link": "https://rmcsport.bfmtv.com/societe/echecs-le-norvegien-magnus-carlsen-conserve-son-titre-de-champion-du-monde_AD-202112100386.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 20:15:07 GMT", - "enclosure": "https://images.bfmtv.com/lTtzIEIRuI5t64A6vjmcxS-i0q4=/375x117:1911x981/800x0/images/Kylian-Mbappe-1183564.jpg", + "pubDate": "Fri, 10 Dec 2021 16:47:00 GMT", + "enclosure": "https://images.bfmtv.com/gAA-uPBuC_Jij-uyVbbjRHN4I_4=/0x40:768x472/800x0/images/Le-grand-maitre-norvegien-Magnus-Carlsen-sacre-champion-du-monde-des-echecs-a-Dubai-le-decembre-2021-1185959.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35261,17 +39896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a34ac0fe05b612bb492fb9719eac97fd" + "hash": "74b1a0fc151ae9b1d888f84749b7cd81" }, { - "title": "Wolfsbourg-Lille: \"Si on joue pour le nul, on peut perdre ce match\", préviennent Gourvennec et Fonte", - "description": "Le LOSC, qui se déplace à Wolfsbourg mercredi soir en Ligue des champions (21h, RMC Sport 1), a besoin d’un match nul pour se qualifier pour les huitièmes de finale. Mais l’entraîneur Jocelyn Gourvennec et le capitaine Jose Fonte ne veulent pas être \"dans le calcul\".

", - "content": "Le LOSC, qui se déplace à Wolfsbourg mercredi soir en Ligue des champions (21h, RMC Sport 1), a besoin d’un match nul pour se qualifier pour les huitièmes de finale. Mais l’entraîneur Jocelyn Gourvennec et le capitaine Jose Fonte ne veulent pas être \"dans le calcul\".

", + "title": "Evénement RMC Sport: Suivez en direct video l'interview de Didier Deschamps dans Rothen s'enflamme", + "description": "Après la victoire de l'équipe de France de football en Ligue des nations, le sélectionneur Didier Deschamps est l'invité exceptionnel de Jérôme Rothen dans l'émission Rothen s'enflamme sur RMC.

", + "content": "Après la victoire de l'équipe de France de football en Ligue des nations, le sélectionneur Didier Deschamps est l'invité exceptionnel de Jérôme Rothen dans l'émission Rothen s'enflamme sur RMC.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsbourg-lille-si-on-joue-pour-le-nul-on-peut-perdre-ce-match-previennent-gourvennec-et-fonte_AV-202112070400.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/evenement-rmc-sporrt-suivez-en-direct-video-l-interview-de-didier-deschamps-dans-rothen-s-enflamme_AN-202112100383.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 20:09:06 GMT", - "enclosure": "https://images.bfmtv.com/cUBBcF2tcuhMxAv81XGV902khd0=/0x40:768x472/800x0/images/Jocelyn-Gourvennec-entraineur-du-Losc-lors-de-la-rencontre-de-Ligue-1-entre-le-PSG-et-Lille-le-29-octobre-2021-a-Paris-1158180.jpg", + "pubDate": "Fri, 10 Dec 2021 16:44:41 GMT", + "enclosure": "https://images.bfmtv.com/ymK23A4mZ9lCDrgueVabfjbsasU=/6x3:1238x696/800x0/images/Didier-Deschamps-invite-exceptionnel-de-Rothen-s-enflamme-vendredi-10-decembre-1185904.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35281,17 +39916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e425e17bad05909baad1f674f8e089c1" + "hash": "76ed372391fcacd5f82b02e913c79528" }, { - "title": "VIDEO. Ligue des champions: les doublés de Mbappé et Messi qui permettent au PSG de torpiller Bruges", - "description": "Le PSG s'est imposé 4-1 face au Club Bruges, ce mardi soir pour la fin de la phase de groupes de la Ligue des champions (sur RMC Sport 1). Kylian Mbappé et Lionel Messi ont chacun inscrit un doublé.

", - "content": "Le PSG s'est imposé 4-1 face au Club Bruges, ce mardi soir pour la fin de la phase de groupes de la Ligue des champions (sur RMC Sport 1). Kylian Mbappé et Lionel Messi ont chacun inscrit un doublé.

", + "title": "Nantes-Lens en direct: les Lensois réalisent un début de rencontre parfait", + "description": "Suivez en direct commenté sur notre site la rencontre Nantes-Lens, comptant pour la 18e journée de Ligue 1. Le coup d'envoi est prévu à 21h.

", + "content": "Suivez en direct commenté sur notre site la rencontre Nantes-Lens, comptant pour la 18e journée de Ligue 1. Le coup d'envoi est prévu à 21h.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-doubles-de-mbappe-et-messi-qui-permettent-au-psg-de-torpiller-bruges_AV-202112070393.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-lens-en-direct-les-lensois-veulent-retrouver-le-podium_LS-202112100482.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 19:47:00 GMT", - "enclosure": "https://images.bfmtv.com/rqUoUGva3_q4_xEonIC4CXIuObs=/0x102:2048x1254/800x0/images/PSG-Bruges-1183557.jpg", + "pubDate": "Fri, 10 Dec 2021 19:03:23 GMT", + "enclosure": "https://images.bfmtv.com/M27OTaCcL8dzvNqlHNeqbj0_bOs=/14x0:2030x1134/800x0/images/Nantes-Lens-Kalimuendo-face-a-Cyprien-1186097.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35301,17 +39936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "438b94d6032ab293679f7b0d4f97b1a3" + "hash": "0435b32028881fef93663c54884d612f" }, { - "title": "Ligue des champions en direct: la première place pour le Real, le miracle de la soirée pour l'Atlético", - "description": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", - "content": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", + "title": "Ski alpin: \"Sur le plan sportif, ça n’a pas beaucoup de sens de faire les JO en Chine\", regrette Clément Noël", + "description": "Avant le premier slalom de la saison de la Coupe du monde de ski alpin programmé ce dimanche à Val d’Isère, Clément Noël s'est longuement confié à RMC Sport. Le Vosgien s'est exprimé à la fois sur ses objectifs, son détachement par rapport aux JO et ses pistes pour rendre son sport plus attractif.

", + "content": "Avant le premier slalom de la saison de la Coupe du monde de ski alpin programmé ce dimanche à Val d’Isère, Clément Noël s'est longuement confié à RMC Sport. Le Vosgien s'est exprimé à la fois sur ses objectifs, son détachement par rapport aux JO et ses pistes pour rendre son sport plus attractif.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-real-atletico-ac-milan-le-multiplex-en-direct_LS-202112070316.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/ski-alpin-sur-le-plan-sportif-ca-n-a-pas-beaucoup-de-sens-de-faire-les-jo-en-chine-regrette-clement-noel_AV-202112100377.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:17:22 GMT", - "enclosure": "https://images.bfmtv.com/eQA4N_xWDeG_82yCeLbqR7R2Ke4=/0x107:2048x1259/800x0/images/Toni-Kroos-1183566.jpg", + "pubDate": "Fri, 10 Dec 2021 16:34:41 GMT", + "enclosure": "https://images.bfmtv.com/B55stMn0dCno8dcQswgWE7pSfTU=/0x58:2048x1210/800x0/images/Clement-Noel-1185896.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35321,17 +39956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c7271642a537f13501b0c5d37f26e49" + "hash": "13e59952c50955d46833aa5bf6e1cbd2" }, { - "title": "PSG-Bruges: Mbappé dépasse la barre des 30 buts et entre un peu plus dans l'histoire de la Ligue des champions", - "description": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", - "content": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", + "title": "Didier Deschamps en direct dans Rothen s'enflamme: le sélectionneur des Bleus invité de RMC", + "description": "Didier Deschamps est l’invité exceptionnel de l’émission Rothen s’enflamme sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France répondra à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Le bilan des Bleus en 2021, le retour de Karim Benzema, son avenir à la tête de l’équipe, les ambitions au Mondial… le technicien sera présent pendant près de deux heures pour un entretien exclusif.

", + "content": "Didier Deschamps est l’invité exceptionnel de l’émission Rothen s’enflamme sur RMC. Présent en studio à moins d’un an de la Coupe du monde au Qatar, le sélectionneur de l’équipe de France répondra à toutes les questions de Jérôme Rothen et Jean-Louis Tourre. Le bilan des Bleus en 2021, le retour de Karim Benzema, son avenir à la tête de l’équipe, les ambitions au Mondial… le technicien sera présent pendant près de deux heures pour un entretien exclusif.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-mbappe-un-peu-plus-dans-l-histoire-de-la-ligue-des-champions_AV-202112070386.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/didier-deschamps-en-direct-dans-rothen-s-enflamme-le-selectionneur-des-bleus-invite-de-rmc_LN-202112100375.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:52:48 GMT", - "enclosure": "https://images.bfmtv.com/O_ChEYYD7eTfC4SrVVtVGGjJYp8=/0x131:2048x1283/800x0/images/Kylian-Mbappe-contre-Bruges-1183550.jpg", + "pubDate": "Fri, 10 Dec 2021 16:33:41 GMT", + "enclosure": "https://images.bfmtv.com/0ZLQ2q8wTgQow2vOWF5ueBL2iZ4=/0x0:1280x720/800x0/images/Deschamps-invite-de-Rothen-S-enflamme-sur-RMC-1185987.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35341,17 +39976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "33a2d17e980c1e2f6ba247a7931d44b6" + "hash": "31874b4dd27c7d1c589bd8f470167853" }, { - "title": "PSG-Bruges: le bel enroulé de Messi pour le 3-0 en vidéo", - "description": "Le PSG s'est amusé, ce mardi soir contre Bruges (sur RMC Sport 1). Lionel Messi a inscrit le but du 3-0 en première période d’un enroulé du pied gauche à l’entrée de la surface. Son quatrième but de la saison en Ligue des champions.

", - "content": "Le PSG s'est amusé, ce mardi soir contre Bruges (sur RMC Sport 1). Lionel Messi a inscrit le but du 3-0 en première période d’un enroulé du pied gauche à l’entrée de la surface. Son quatrième but de la saison en Ligue des champions.

", + "title": "ARES Fighting 2: Taylor Lapilus, le premier jour du reste de sa vie", + "description": "Après deux ans d’absence, Taylor Lapilus fait son retour dans la cage ce samedi à Levallois face au Brésilien Wilson Reis en combat principal de l’événement ARES FC 2 (en direct à partir de 21h sur RMC Sport 2). La première marche d’un chemin qui devrait mener le consultant MMA de RMC Sport à un retour à l’UFC, où il évolué entre 2015 et 2016, dans les mois à venir.

", + "content": "Après deux ans d’absence, Taylor Lapilus fait son retour dans la cage ce samedi à Levallois face au Brésilien Wilson Reis en combat principal de l’événement ARES FC 2 (en direct à partir de 21h sur RMC Sport 2). La première marche d’un chemin qui devrait mener le consultant MMA de RMC Sport à un retour à l’UFC, où il évolué entre 2015 et 2016, dans les mois à venir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-le-bel-enroule-de-messi-pour-le-3-0-en-video_AV-202112070385.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ares-fighting-2-taylor-lapilus-le-premier-jour-du-reste-de-sa-vie_AV-202112100374.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:45:59 GMT", - "enclosure": "https://images.bfmtv.com/DTq3uqNqJpEDcbiSKOC1tapibls=/0x77:2048x1229/800x0/images/Lionel-Messi-contre-Bruges-1183552.jpg", + "pubDate": "Fri, 10 Dec 2021 16:33:06 GMT", + "enclosure": "https://images.bfmtv.com/2A7lB7vn_U3YoG5JFAavRlBzdns=/0x23:800x473/800x0/images/Taylor-Lapilus-1185915.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35361,17 +39996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d2bf493e546603f92f7ecd57d75b9498" + "hash": "4ce6c961a6bec71b3619480884813e42" }, { - "title": "PSG-Bruges en direct: Pochettino satisfait du contenu et de la relation Mbappé-Messi", - "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", - "content": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", + "title": "Manchester City: le dossier Haaland tend déjà Guardiola", + "description": "Pep Guardiola a refusé de réagir aux rumeurs entourant un éventuel transfert d’Erling Haaland vers Manchester City. Le technicien catalan a préféré se concentrer sur la réception de Wolverhampton ce samedi en Premier League plutôt que sur les déclarations de Mino Raiola sur l’avenir du buteur norvégien.

", + "content": "Pep Guardiola a refusé de réagir aux rumeurs entourant un éventuel transfert d’Erling Haaland vers Manchester City. Le technicien catalan a préféré se concentrer sur la réception de Wolverhampton ce samedi en Premier League plutôt que sur les déclarations de Mino Raiola sur l’avenir du buteur norvégien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-city-le-dossier-haaland-tend-deja-guardiola_AV-202112100373.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", - "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", + "pubDate": "Fri, 10 Dec 2021 16:32:12 GMT", + "enclosure": "https://images.bfmtv.com/MsQpjBCYQQrTUMsvqOSleri91Ss=/0x152:2000x1277/800x0/images/Pep-Guardiola-1185926.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35381,17 +40016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "512c37798909c1b753750a941800a4dd" + "hash": "f53115d921ffb3d8723ab1c3e8ea9699" }, { - "title": "Galatasaray: le coach Fatih Terim transporté à l'hôpital avant le match décisif de Ligue Europa", - "description": "Fatih Terim, l’entraîneur de Galatasaray, a été transporté à l’hôpital lundi à seulement trois jours du duel entre le club stambouliote et la Lazio Rome pour la première place du groupe E de Ligue Europa. Le technicien turc se trouve toujours en observation et risque bien de rater le déplacement de son équipe en Italie.

", - "content": "Fatih Terim, l’entraîneur de Galatasaray, a été transporté à l’hôpital lundi à seulement trois jours du duel entre le club stambouliote et la Lazio Rome pour la première place du groupe E de Ligue Europa. Le technicien turc se trouve toujours en observation et risque bien de rater le déplacement de son équipe en Italie.

", + "title": "L’OM officialise la signature d’un nouveau contrat pour Dieng", + "description": "Mis en évidence la saison dernière à l’Olympique de Marseille, Bamba Dieng a vu ses efforts être récompensés. Ce vendredi, le club français a annoncé la signature d’un nouveau contrat pour l’attaquant sénégalais.

", + "content": "Mis en évidence la saison dernière à l’Olympique de Marseille, Bamba Dieng a vu ses efforts être récompensés. Ce vendredi, le club français a annoncé la signature d’un nouveau contrat pour l’attaquant sénégalais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-le-coach-fatih-terim-transporte-a-l-hopital-avant-le-match-decisif-de-ligue-europa_AV-202112070379.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-marseille/l-om-officialise-la-signature-d-un-nouveau-contrat-pour-dieng_AV-202112100365.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:20:08 GMT", - "enclosure": "https://images.bfmtv.com/PDVzRCmTMBuZsuHfdz9-SDdF90A=/0x225:2048x1377/800x0/images/Fatih-Terim-avec-Galatasaray-1183543.jpg", + "pubDate": "Fri, 10 Dec 2021 16:21:19 GMT", + "enclosure": "https://images.bfmtv.com/p6v9j48T7oW2fVOoE2HxApCL0lg=/6x111:2038x1254/800x0/images/Bamba-Dieng-1138769.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35401,17 +40036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "18925d65b3ac8dcb514905d97ba98593" + "hash": "dbb6b2ad70ef90f5510b3bea17c82d95" }, { - "title": "PSG-Bruges: le doublé express de Mbappé en vidéo", - "description": "Kylian Mbappé a inscrit un doublé en seulement sept minutes, face à Bruges, ce mardi soir (sur RMC Sport 1). Le Paris Saint-Germain a donc fait rapidement le break dans ce dernier match de poule de Ligue des champions.

", - "content": "Kylian Mbappé a inscrit un doublé en seulement sept minutes, face à Bruges, ce mardi soir (sur RMC Sport 1). Le Paris Saint-Germain a donc fait rapidement le break dans ce dernier match de poule de Ligue des champions.

", + "title": "Judo: Teddy Riner blessé, forfait pour la Champions League", + "description": "Touché aux cervicales, Teddy Riner ne pourra pas participer à la Champions League avec le Paris Saint-Germain, ce samedi à Prague.

", + "content": "Touché aux cervicales, Teddy Riner ne pourra pas participer à la Champions League avec le Paris Saint-Germain, ce samedi à Prague.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-le-double-express-de-mbappe-en-video_AV-202112070375.html", + "link": "https://rmcsport.bfmtv.com/judo/judo-teddy-riner-blesse-forfait-pour-la-coupe-d-europe_AV-202112100357.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:02:02 GMT", - "enclosure": "https://images.bfmtv.com/1bT2C0cbtyGlfB11F_3Q1sk9Wf8=/0x162:2048x1314/800x0/images/Kylian-Mbappe-face-a-Bruges-1183544.jpg", + "pubDate": "Fri, 10 Dec 2021 16:13:35 GMT", + "enclosure": "https://images.bfmtv.com/6Z7ljN6xDKFWz5XOIlpsMAxqWeY=/0x53:2048x1205/800x0/images/Teddy-Riner-avec-le-PSG-1185912.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35421,17 +40056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d5a226acf3c767878fe76716025299db" + "hash": "627cfaf17b02966a7e27d86028c041d4" }, { - "title": "PSG: \"Neymar est calme, mais a encore très mal à la cheville\", confie Nenê", - "description": "Blessé à la cheville gauche lors de la victoire du PSG face à Saint-Etienne fin novembre (1-3), Neymar va être éloigné des terrains pour une période de six à huit semaines. Au micro de RMC Sport ce mardi, l’ancien Parisien Nenê a donné des nouvelles de son ami et compatriote.

", - "content": "Blessé à la cheville gauche lors de la victoire du PSG face à Saint-Etienne fin novembre (1-3), Neymar va être éloigné des terrains pour une période de six à huit semaines. Au micro de RMC Sport ce mardi, l’ancien Parisien Nenê a donné des nouvelles de son ami et compatriote.

", + "title": "Liga: la Fédé espagnole démolit Tebas sur l'accord entre la ligue et le fonds CVC", + "description": "L’accord entre LaLiga et le fonds d’investissement CVC a été approuvé ce vendredi, malgré l’opposition du Real Madrid et du FC Barcelone. La fédération espagnole a de son côté violemment attaqué Javier Tebas, le président de LaLiga.

", + "content": "L’accord entre LaLiga et le fonds d’investissement CVC a été approuvé ce vendredi, malgré l’opposition du Real Madrid et du FC Barcelone. La fédération espagnole a de son côté violemment attaqué Javier Tebas, le président de LaLiga.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-neymar-est-calme-mais-a-encore-tres-mal-a-la-cheville-confie-nene_AV-202112070373.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-la-fede-espagnole-demolit-tebas-sur-l-accord-entre-la-ligue-et-le-fonds-cvc_AV-202112100344.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 17:45:10 GMT", - "enclosure": "https://images.bfmtv.com/5nfCq3mkWuvPTo2rWI-deWr92o8=/0x106:2048x1258/800x0/images/Nene-et-Neymar-1183534.jpg", + "pubDate": "Fri, 10 Dec 2021 15:51:24 GMT", + "enclosure": "https://images.bfmtv.com/gngG6BExVY5lJjWCfoce5zi7bSc=/0x212:2048x1364/800x0/images/Javier-Tebas-1185897.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35441,17 +40076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6fb8949b49025d9d29b1d05ae8ea4c7e" + "hash": "407a048a78d49a1b35a6489bf0d029de" }, { - "title": "Roland-Garros: Noah apporte son soutien à Forget et ironise sur la \"famille du tennis\"", - "description": "Yannick Noah, dans un message publié sur Instagram, a apporté son soutien à Guy Forget, qui quitte ses fonctions de directeur de Roland-Garros et du Masters 1000 de Paris. Selon l'artiste et ancien tennisman, son ami s'est fait \"virer de la famille du tennis\".

", - "content": "Yannick Noah, dans un message publié sur Instagram, a apporté son soutien à Guy Forget, qui quitte ses fonctions de directeur de Roland-Garros et du Masters 1000 de Paris. Selon l'artiste et ancien tennisman, son ami s'est fait \"virer de la famille du tennis\".

", + "title": "Biathlon (Hochfilzen): Braisaz-Bouchet sur le podium du sprint", + "description": "Justine Braisaz-Bouchet a terminé deuxième du sprint d'Hochfilzen ce vendredi en Autriche. La Française de 25 ans a signé son premier podium de la saison de biathlon derrière la Bélarusse Hanna Sola.

", + "content": "Justine Braisaz-Bouchet a terminé deuxième du sprint d'Hochfilzen ce vendredi en Autriche. La Française de 25 ans a signé son premier podium de la saison de biathlon derrière la Bélarusse Hanna Sola.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/roland-garros/roland-garros-noah-apporte-son-soutien-a-forget-avec-un-message-desabuse_AV-202112070371.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-hochfilzen-braisaz-bouchet-sur-le-podium-du-sprint_AV-202112100342.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 17:33:23 GMT", - "enclosure": "https://images.bfmtv.com/BkNmitiFbzvtCuSPj1SDC6NshEk=/0x124:1792x1132/800x0/images/Yannick-Noah-1183505.jpg", + "pubDate": "Fri, 10 Dec 2021 15:41:58 GMT", + "enclosure": "https://images.bfmtv.com/DH6ijJI9bPbgy7XtYl_loOLJ9kY=/0x106:2048x1258/800x0/images/Justine-Braisaz-Bouchet-sur-le-sprint-a-Hochfilzen-1185890.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35461,17 +40096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3227c53eb53610ebef1d1a74e16d00a8" + "hash": "948a250a0905923f6f7bf3fd7fe76dbd" }, { - "title": "PSG-Bruges: Pochettino demande plus d'investissement à ses hommes pour le bien de l'équipe", - "description": "Avant d’affronter Bruges ce mardi soir (18h45), pour le dernier match de poule du Paris Saint-Germain en Ligue des champions, Mauricio Pochettino a évoqué l’attitude de ses joueurs, au micro de RMC Sport.

", - "content": "Avant d’affronter Bruges ce mardi soir (18h45), pour le dernier match de poule du Paris Saint-Germain en Ligue des champions, Mauricio Pochettino a évoqué l’attitude de ses joueurs, au micro de RMC Sport.

", + "title": "Aston Villa: Gerrard ne compte pas faire de cadeau à Liverpool", + "description": "Avec trois victoires et une défaite pour ses quatre premiers matchs sur le banc d’Aston Villa, Steven Gerrard effectue des bons débuts. Mais ce samedi, une rencontre spéciale l’attend car il affrontera son club de cœur: Liverpool. Un évènement sur lequel l’Anglais est revenu en conférence de presse.

", + "content": "Avec trois victoires et une défaite pour ses quatre premiers matchs sur le banc d’Aston Villa, Steven Gerrard effectue des bons débuts. Mais ce samedi, une rencontre spéciale l’attend car il affrontera son club de cœur: Liverpool. Un évènement sur lequel l’Anglais est revenu en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-pochettino-demande-plus-d-investissement-a-ses-hommes-pour-le-bien-de-l-equipe_AV-202112070369.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/aston-villa-gerrard-ne-compte-pas-faire-de-cadeau-a-liverpool_AV-202112100333.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 17:28:59 GMT", - "enclosure": "https://images.bfmtv.com/I6X2EQBr5aBEciqBg7-KhTrfpyQ=/0x229:496x508/800x0/images/L-entraineur-argentin-du-Paris-Saint-Germain-Mauricio-Pochettino-lors-d-une-conference-de-presse-au-Parc-des-Princes-a-Paris-le-18-octobre-2021-1156167.jpg", + "pubDate": "Fri, 10 Dec 2021 15:23:43 GMT", + "enclosure": "https://images.bfmtv.com/jDT_dkHz_nnt0IYp9wy6X0mWeyw=/0x0:1008x567/800x0/images/-866725.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35481,17 +40116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d52c861f74b9629ee0b91ef40a875ef" + "hash": "1c20a377601c0b081cb42f704450ded7" }, { - "title": "PSG: pendant ce temps, Neymar poursuit sa rééducation", - "description": "Absent entre six et huit semaines à cause d'une blessure à la cheville gauche survenue contre Saint-Etienne fin novembre, Neymar a donné de ses nouvelles sur les réseaux sociaux. Avant le match de Ligue des champions du PSG face à Bruges ce mardi, l’attaquant poursuit sa rééducation.

", - "content": "Absent entre six et huit semaines à cause d'une blessure à la cheville gauche survenue contre Saint-Etienne fin novembre, Neymar a donné de ses nouvelles sur les réseaux sociaux. Avant le match de Ligue des champions du PSG face à Bruges ce mardi, l’attaquant poursuit sa rééducation.

", + "title": "PSG: Mbappé élu meilleur joueur de la semaine en Ligue des champions", + "description": "Auteur d'une grande performance mardi soir lors de la victoire du PSG contre Bruges (4-1) avec un doublé et une passe décisive, Kylian Mbappé a été élu meilleur joueur de la semaine en Ligue des champions. Les Français Antoine Griezmann et Jonathan Ikoné étaient aussi dans la course.

", + "content": "Auteur d'une grande performance mardi soir lors de la victoire du PSG contre Bruges (4-1) avec un doublé et une passe décisive, Kylian Mbappé a été élu meilleur joueur de la semaine en Ligue des champions. Les Français Antoine Griezmann et Jonathan Ikoné étaient aussi dans la course.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pendant-ce-temps-neymar-poursuit-sa-reeducation_AV-202112070367.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-mbappe-elu-meilleur-joueur-de-la-semaine-en-ligue-des-champions_AV-202112100331.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 17:21:39 GMT", - "enclosure": "https://images.bfmtv.com/ipwj0lO5pW1aTpMZucRXDgJkkVo=/0x345:1808x1362/800x0/images/Neymar-avec-le-PSG-sous-une-fine-neige-1177172.jpg", + "pubDate": "Fri, 10 Dec 2021 15:16:00 GMT", + "enclosure": "https://images.bfmtv.com/94BjD4HbF8sJ595RmmuXNGdBsVA=/0x106:2048x1258/800x0/images/Kylian-Mbappe-lors-de-PSG-Bruges-1183541.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35501,17 +40136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "12c5ef7986a7ef2a4b6d1cfb17abf058" + "hash": "a373c5c0ea899b0019c6ffb54b89575a" }, { - "title": "PSG-Bruges en direct: \"La graine est plantée, les bourgeons sortent\", se satisfait Pochettino", - "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", - "content": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", + "title": "Top 14: Jaminet rejoindra Toulouse en fin de saison", + "description": "INFO RMC SPORT. L’arrière international français Melvyn Jaminet (22 ans, 6 sélections), révélation de l’année, a trouvé un accord avec le Stade Toulousain avec qui il évoluera les trois prochaines saisons.

", + "content": "INFO RMC SPORT. L’arrière international français Melvyn Jaminet (22 ans, 6 sélections), révélation de l’année, a trouvé un accord avec le Stade Toulousain avec qui il évoluera les trois prochaines saisons.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14-jaminet-rejoindra-toulouse-en-fin-de-saison_AV-202112100327.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", - "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", + "pubDate": "Fri, 10 Dec 2021 14:58:04 GMT", + "enclosure": "https://images.bfmtv.com/U9cz7a0ZzjcVHxU4CwYGALFdYH0=/0x71:2048x1223/800x0/images/Melvyn-JAMINET-1185877.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35521,17 +40156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f64fcd826a9c7a0e27ab84b7a657280e" + "hash": "e5542416cd4c802857884c301d3a4947" }, { - "title": "Ballon d’or: Lewandowski calme le jeu après ses déclarations sur Messi", - "description": "Dans un entretien accordé au journal allemand Kicker, Robert Lewandowski est revenu sur ses déclarations des derniers jours, où il avait commenté les mots de Lionel Messi lors de la cérémonie du Ballon d’or.

", - "content": "Dans un entretien accordé au journal allemand Kicker, Robert Lewandowski est revenu sur ses déclarations des derniers jours, où il avait commenté les mots de Lionel Messi lors de la cérémonie du Ballon d’or.

", + "title": "Bayern: le Covid ne devrait pas laisser de séquelles à Kimmich sur le long terme", + "description": "Julian Nagelsmann a donné ce vendredi des nouvelles de Joshua Kimmich, non vacciné et touché par le Covid. Selon son entraîneur, le joueur du Bayern souffre d'infiltrats pulmonaires, mais cela ne devrait pas lui laisser de séquelles.

", + "content": "Julian Nagelsmann a donné ce vendredi des nouvelles de Joshua Kimmich, non vacciné et touché par le Covid. Selon son entraîneur, le joueur du Bayern souffre d'infiltrats pulmonaires, mais cela ne devrait pas lui laisser de séquelles.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/ballon-d-or-lewandowski-calme-le-jeu-apres-ses-declarations-sur-messi_AV-202112070365.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-le-covid-ne-devrait-pas-laisser-de-sequelles-a-kimmich-sur-le-long-terme_AD-202112100326.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 17:04:12 GMT", - "enclosure": "https://images.bfmtv.com/073q2QzV1BeSJe7oBq5IH823nSw=/0x70:2048x1222/800x0/images/Robert-Lewandowski-1178290.jpg", + "pubDate": "Fri, 10 Dec 2021 14:55:46 GMT", + "enclosure": "https://images.bfmtv.com/BFQs_eavJuyfK22ZFLbovb-lxLk=/0x33:768x465/800x0/images/Le-milieu-du-Bayern-Joshua-Kimmich-le-6-novembre-2021-a-Munich-en-Allemagne-1181376.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35541,17 +40176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "691dd16620b76e9d3eea325e6f9404bf" + "hash": "6ac9b8c6efe1994c8a5bf566ab6499b3" }, { - "title": "PSG-Bruges: les compos officielles, avec Messi, Mbappé et le duo Lang-De Ketelaere côté belge", - "description": "Déjà assuré de la deuxième place du groupe A, le PSG ne fera pas l’impasse sur le match contre Bruges ce mardi en Ligue des champions (18h45, sur RMC Sport 1). Comme annoncé par RMC Sport, Mauricio Pochettino a aligné la meilleure équipe possible. Découvrez les compos officielles.

", - "content": "Déjà assuré de la deuxième place du groupe A, le PSG ne fera pas l’impasse sur le match contre Bruges ce mardi en Ligue des champions (18h45, sur RMC Sport 1). Comme annoncé par RMC Sport, Mauricio Pochettino a aligné la meilleure équipe possible. Découvrez les compos officielles.

", + "title": "Les pronos hippiques du samedi 11 décembre 2021", + "description": "Le Quinté+ du samedi 11 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du samedi 11 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-les-compos-officielles-avec-messi-mbappe-et-le-duo-lang-de-ketelaere-cote-belge_AV-202112070362.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-samedi-11-decembre-2021_AN-202112100325.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 16:56:28 GMT", - "enclosure": "https://images.bfmtv.com/TmlcmIMPmombjV4BdC9kIJH_DU4=/0x0:2048x1152/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183525.jpg", + "pubDate": "Fri, 10 Dec 2021 14:53:06 GMT", + "enclosure": "https://images.bfmtv.com/N9V9yrwQ3JD7dchlTjwECSLZCwk=/1x35:337x224/800x0/images/Les-pronos-hippiques-du-samedi-11-decembre-2021-1185032.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35561,17 +40196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b526ed5d6df063821b1cdadd0c5784b0" + "hash": "38565e58e72f90b0437fb0b599c6cd06" }, { - "title": "Mercato en direct: Kingsley Coman indécis sur son avenir", - "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "OM: Sampaoli ne veut pas faire de \"promesse\" à Mandanda", + "description": "Alors qu'il a décidé de titulariser Steve Mandanda face au Lokomotiv Moscou jeudi en Ligue Europa, l'entraîneur de l'OM Jorge Sampaoli ne veut pas promettre au gardien de 36 ans une place de titulaire en Conference League et en Coupe de France.

", + "content": "Alors qu'il a décidé de titulariser Steve Mandanda face au Lokomotiv Moscou jeudi en Ligue Europa, l'entraîneur de l'OM Jorge Sampaoli ne veut pas promettre au gardien de 36 ans une place de titulaire en Conference League et en Coupe de France.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-sampaoli-ne-veut-pas-faire-de-promesse-a-mandanda_AV-202112100323.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", - "enclosure": "https://images.bfmtv.com/I393YoXgpAjg8mA7EVnHGp4Gpqo=/0x39:768x471/800x0/images/Kingsley-Coman-avec-le-Bayern-lors-du-Klassiker-contre-le-Borussia-Dortmund-a-Munich-le-6-mars-2021-1130255.jpg", + "pubDate": "Fri, 10 Dec 2021 14:46:55 GMT", + "enclosure": "https://images.bfmtv.com/iaojv_fwSCtHsVsFBX3zOd5khP4=/0x99:2048x1251/800x0/images/Steve-MANDANDA-1161986.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35581,17 +40216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c08f1d9800351930fbd816ec36ee03df" + "hash": "c37c87c11778d644952b57f2a00b925d" }, { - "title": "Open d'Australie: des joueurs non-vaccinés seront acceptés, mais avec un protocole très strict", - "description": "RMC Sport est en mesure de confirmer que ce mardi matin, dans un mail, l’ATP a précisé aux joueurs le protocole sanitaire à respecter afin de participer à l’Open d’Australie (17-30 janvier), comme révélé par L’Equipe.

", - "content": "RMC Sport est en mesure de confirmer que ce mardi matin, dans un mail, l’ATP a précisé aux joueurs le protocole sanitaire à respecter afin de participer à l’Open d’Australie (17-30 janvier), comme révélé par L’Equipe.

", + "title": "Saint-Etienne: Dupraz favori, mais d'autres options sont à l'étude", + "description": "Dernier de Ligue 1, Saint-Etienne continue de chercher le bon profil pour succéder à Claude Puel. Si la balance penche du côté de Pascal Dupraz, l'ancien entraîneur du Téfécé est en concurrence avec David Guion et Frédéric Hantz. Les dirigeants stéphanois pourraient aussi faire confiance à Julien Sablé, qui sera sur le banc samedi à Reims.

", + "content": "Dernier de Ligue 1, Saint-Etienne continue de chercher le bon profil pour succéder à Claude Puel. Si la balance penche du côté de Pascal Dupraz, l'ancien entraîneur du Téfécé est en concurrence avec David Guion et Frédéric Hantz. Les dirigeants stéphanois pourraient aussi faire confiance à Julien Sablé, qui sera sur le banc samedi à Reims.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/open-d-australie-des-joueurs-non-vaccines-seront-acceptes-mais-avec-un-protocole-tres-strict_AV-202112070355.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-dupraz-favori-mais-d-autres-options-sont-a-l-etude_AV-202112100318.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 16:15:59 GMT", - "enclosure": "https://images.bfmtv.com/ivhGMdPkpE9u1FEDmRdWc7g7XeU=/0x20:768x452/800x0/images/Novak-Djokovic-lors-de-la-finale-de-l-Open-d-Australie-le-21-fevrier-2021-1179043.jpg", + "pubDate": "Fri, 10 Dec 2021 14:38:05 GMT", + "enclosure": "https://images.bfmtv.com/fx0B4hUbRRfePOfLuKyMvAWtzFE=/0x0:2048x1152/800x0/images/Pascal-Dupraz-1185840.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35601,17 +40236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f580282ed04ed4a915663aebe0a9c74c" + "hash": "05c4319a7c231626876b8e2899c6ac8d" }, { - "title": "PSG-Bruges: la compo de Paris avec un trio de stars devant un milieu consistant", - "description": "Mauricio Pochettino a composé un onze de départ disposant de sérieux atouts pour, enfin, séduire, face à Bruges (coup d'envoi à 18h45, sur RMC Sport 1). Wijnaldum, Verratti et Gueye sont associés au milieu. Diallo est titulaire en défense, avec Marquinhos.

", - "content": "Mauricio Pochettino a composé un onze de départ disposant de sérieux atouts pour, enfin, séduire, face à Bruges (coup d'envoi à 18h45, sur RMC Sport 1). Wijnaldum, Verratti et Gueye sont associés au milieu. Diallo est titulaire en défense, avec Marquinhos.

", + "title": "Ligue Europa: Sampaoli peste contre le manque d'efficacité de l'OM", + "description": "Satisfait de la qualification de l’OM pour l'Europa Conference League grâce à la victoire contre le Lokomotiv Moscou jeudi (1-0), Jorge Sampaoli a malgré tout regretté la manque d’efficacité offensive de son équipe.

", + "content": "Satisfait de la qualification de l’OM pour l'Europa Conference League grâce à la victoire contre le Lokomotiv Moscou jeudi (1-0), Jorge Sampaoli a malgré tout regretté la manque d’efficacité offensive de son équipe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-un-trio-de-stars-devant-un-milieu-consistant-pour-paris_AV-202112070354.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-on-doit-s-ameliorer-dans-la-finition-dit-sampaoli_AV-202112090644.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 16:14:58 GMT", - "enclosure": "https://images.bfmtv.com/_-FfsV8ix-iohWnL5sxwU0KLlqs=/0x0:1200x675/800x0/images/Lionel-Messi-1183432.jpg", + "pubDate": "Thu, 09 Dec 2021 23:27:23 GMT", + "enclosure": "https://images.bfmtv.com/SoEQ6LSzm1yEmP9-irbCsXAGfno=/0x28:1200x703/800x0/images/Jorge-Sampaoli-1179641.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35621,37 +40256,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "3732f6e573422212f3d3ff83800396da" + "hash": "b8d9057c24a1897cfe5d99ac30f3a8c9" }, { - "title": "Top 14: Pollard va quitter Montpellier pour rejoindre Leicester", - "description": "Comme annoncé par RMC Sport le 20 septembre, Handré Pollard quittera Montpellier à la fin de son contrat et rejoindra Leicester en Angleterre. Le club héraultais a communiqué le départ du demi d'ouverture ce mardi sur son site.

", - "content": "Comme annoncé par RMC Sport le 20 septembre, Handré Pollard quittera Montpellier à la fin de son contrat et rejoindra Leicester en Angleterre. Le club héraultais a communiqué le départ du demi d'ouverture ce mardi sur son site.

", + "title": "Football féminin: \"Benfica veut un jour aller chercher une finale européenne\", Lacasse présente le projet du club lisboète", + "description": "Première buteuse de l’histoire du Benfica en Ligue des champions féminine, Cloé Lacasse s’est confiée à RMC Sport sur le projet du club lisboète qui découvre la compétition cette année. L’attaquante canadienne en dit plus sur les ambitions du Benfica, sèchement battu ce jeudi par l’OL (0-5) en phase de groupe, et l’évolution de la discipline au Portugal qui est en plein essor.

", + "content": "Première buteuse de l’histoire du Benfica en Ligue des champions féminine, Cloé Lacasse s’est confiée à RMC Sport sur le projet du club lisboète qui découvre la compétition cette année. L’attaquante canadienne en dit plus sur les ambitions du Benfica, sèchement battu ce jeudi par l’OL (0-5) en phase de groupe, et l’évolution de la discipline au Portugal qui est en plein essor.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14-pollard-va-quitter-montpellier-pour-rejoindre-leicester_AV-202112070349.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/ligue-des-champions/football-feminin-benfica-veut-un-jour-aller-chercher-une-finale-europeenne-lacasse-presente-le-projet-du-club-lisboete_AN-202112090640.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:52:29 GMT", - "enclosure": "https://images.bfmtv.com/B5_D51-RY6cLnghlROxUaysh2Kk=/103x58:1783x1003/800x0/images/Handre-Pollard-1131612.jpg", + "pubDate": "Thu, 09 Dec 2021 23:13:23 GMT", + "enclosure": "https://images.bfmtv.com/2y0-rlrdnY5jIvc42Sguvsjd8Mk=/0x48:1200x723/800x0/images/Benfica-1185416.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "909bef89978c1f2ea147655dba03e64f" + "hash": "a2e15f4b17bdbd51229fcd695929706b" }, { - "title": "Ligue des champions: la mise en garde du Bayern Munich au Barça", - "description": "Déjà qualifié pour les huitièmes de la finale de la Ligue des champions, le Bayern Munich recevra dans son stade le FC Barcelone dont le destin européen est encore très incertain. En conférence de presse, l’entraîneur du club allemand, Julian Nagelsmann, a annoncé qu’il allait aligner \"la meilleure équipe possible\".

", - "content": "Déjà qualifié pour les huitièmes de la finale de la Ligue des champions, le Bayern Munich recevra dans son stade le FC Barcelone dont le destin européen est encore très incertain. En conférence de presse, l’entraîneur du club allemand, Julian Nagelsmann, a annoncé qu’il allait aligner \"la meilleure équipe possible\".

", + "title": "PRONOS PARIS RMC Les paris du 10 décembre sur Nantes – Lens – Ligue 1", + "description": "Notre pronostic: Nantes ne perd pas contre Lens et les deux équipes marquent (2.25)

", + "content": "Notre pronostic: Nantes ne perd pas contre Lens et les deux équipes marquent (2.25)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-mise-en-garde-du-bayern-munich-au-barca_AV-202112070340.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-10-decembre-sur-nantes-lens-ligue-1_AN-202112090337.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:32:34 GMT", - "enclosure": "https://images.bfmtv.com/KjKqorO82aiQVSITkEWsAVbRtpI=/0x11:768x443/800x0/images/Le-nouvel-entraineur-du-Bayern-Munich-Julian-Nagelsmann-a-son-arrivee-avant-le-match-de-l-Audi-Summer-Tour-2021-contre-le-Borussia-Moenchengladbach-le-28-juillet-2021-a-Munich-1083455.jpg", + "pubDate": "Thu, 09 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/h7Busuj1oHWbBlAr7S001uaDK8k=/0x104:2000x1229/800x0/images/Kolo-Muani-Nantes-1185022.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35661,17 +40296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "279705c73147a787343bbfa04642e20c" + "hash": "4f2daab4073cefb5cc9481a240e448cb" }, { - "title": "Youth League: l'exceptionnelle remontée du PSG face à Bruges pour arracher la qualification en 8es", - "description": "Les moins de 19 ans du PSG l’ont emporté à la dernière seconde face à Bruges, mardi après-midi en Youth League (3-2), après avoir été menés 2-0 en infériorité numérique. Les Parisiens prennent ainsi la première place de leur groupe et sont qualifiés directement pour les huitièmes de finale sans avoir à passer par les barrages.

", - "content": "Les moins de 19 ans du PSG l’ont emporté à la dernière seconde face à Bruges, mardi après-midi en Youth League (3-2), après avoir été menés 2-0 en infériorité numérique. Les Parisiens prennent ainsi la première place de leur groupe et sont qualifiés directement pour les huitièmes de finale sans avoir à passer par les barrages.

", + "title": "PRONOS PARIS RMC Le buteur du jour du 10 décembre – Ligue 1", + "description": "Notre pronostic: Ludovic Blas marque contre Lens (3.45)

", + "content": "Notre pronostic: Ludovic Blas marque contre Lens (3.45)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/youth-league/youth-league-l-exceptionnelle-remontee-du-psg-face-a-bruges-pour-arracher-la-qualification-en-8es_AV-202112070336.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-10-decembre-ligue-1_AN-202112090336.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:21:30 GMT", - "enclosure": "https://images.bfmtv.com/Ijzf5yUN9aeqIMFvlohtpcp1QTU=/0x106:2048x1258/800x0/images/Xavi-Simons-lors-de-PSG-Bruges-1183490.jpg", + "pubDate": "Thu, 09 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/nAVRRRzJzTm6NbIRIICdXhKjDXQ=/0x104:1984x1220/800x0/images/Ludovic-Blas-Nantes-1185017.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35681,17 +40316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ea877b01c739bf1c5e60b61bff6a4b6" + "hash": "51b427fe987708bf4746c80ce970cb2e" }, { - "title": "Mercato: Sergio Gomez sur les tablettes de l’OM ?", - "description": "Malgré son gros recrutement l’été dernier, l’Olympique de Marseille essaiera de se montrer actif cet hiver. À la recherche d’un nouveau latéral, les dirigeants phocéens seraient, selon le média DHnet, fans du latéral gauche d’Anderlecht, Sergio Gomez.

", - "content": "Malgré son gros recrutement l’été dernier, l’Olympique de Marseille essaiera de se montrer actif cet hiver. À la recherche d’un nouveau latéral, les dirigeants phocéens seraient, selon le média DHnet, fans du latéral gauche d’Anderlecht, Sergio Gomez.

", + "title": "PRONOS PARIS RMC Le nul du jour du 10 décembre – Série A - Italie", + "description": "Notre pronostic: match nul lors du derby de Gênes (3.10)

", + "content": "Notre pronostic: match nul lors du derby de Gênes (3.10)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-marseille/mercato-sergio-gomez-sur-les-tablettes-de-l-om_AV-202112070332.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-10-decembre-serie-a-italie_AN-202112090333.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:01:18 GMT", - "enclosure": "https://images.bfmtv.com/tqxImGMjCFy9GHgjyMoJWwGbTuU=/0x106:2048x1258/800x0/images/Sergio-Gomez-1183459.jpg", + "pubDate": "Thu, 09 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/pjx5NCGKhW5VkUgCgksgxQ9OcTc=/0x76:2000x1201/800x0/images/Joie-de-la-Sampdoria-1185015.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35701,17 +40336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2a570e49a77184ba275510eba6631b6f" + "hash": "9276aa4eb711c039801d4c0d866c0a21" }, { - "title": "Juve: la remise en question de Rabiot", - "description": "Le milieu international français de la Juventus, Adrien Rabiot, a admis qu'il devait \"faire plus\" pour les Bianconeri, avec davantage de buts et de passes décisives, notamment pour faire taire les sifflets l'ayant visé récemment.

", - "content": "Le milieu international français de la Juventus, Adrien Rabiot, a admis qu'il devait \"faire plus\" pour les Bianconeri, avec davantage de buts et de passes décisives, notamment pour faire taire les sifflets l'ayant visé récemment.

", + "title": "PRONOS PARIS RMC Le pari sûr du 10 décembre – Jupiler League - Belgique", + "description": "Notre pronostic: Charleroi bat Ostende (1.47)

", + "content": "Notre pronostic: Charleroi bat Ostende (1.47)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/juve-la-remise-en-question-de-rabiot_AD-202112070329.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-10-decembre-jupiler-league-belgique_AN-202112090331.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:48:46 GMT", - "enclosure": "https://images.bfmtv.com/PvUUpKvTX7FAEll6cC1QJqOXuLM=/0x62:1200x737/800x0/images/Adrien-Rabiot-1163315.jpg", + "pubDate": "Thu, 09 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/zVp_vYx4uhEyiAeSyi3D1YNN8Ig=/0x104:2000x1229/800x0/images/Shamar-Nicholson-Charleroi-1185012.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35721,17 +40356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "cd7df01e734bf879b550b70c67ff4efa" + "hash": "b1e130b1a620255524b68fbfaae99a5f" }, { - "title": "PSG-Bruges: les Belges veulent faire un gros coup au Parc", - "description": "Avant d’affronter le Paris Saint-Germain, mardi soir au Parc des Princes, l’entraîneur de Bruges, Philippe Clement, a encore l’espoir de faire un gros coup, de prendre des points et d’être reversé en Europa League.

", - "content": "Avant d’affronter le Paris Saint-Germain, mardi soir au Parc des Princes, l’entraîneur de Bruges, Philippe Clement, a encore l’espoir de faire un gros coup, de prendre des points et d’être reversé en Europa League.

", + "title": "Liga: le Barça perd Depay et Alba sur blessures", + "description": "Le Barça a indiqué jeudi que Memphis Depay et Jordi Alba souffraient tous les deux de blessures musculaires contractées la veille lors de la défaite des Catalans contre le Bayern (3-0) en Ligue des champions. La durée de leurs indisponibilités n’a pas été précisée.

", + "content": "Le Barça a indiqué jeudi que Memphis Depay et Jordi Alba souffraient tous les deux de blessures musculaires contractées la veille lors de la défaite des Catalans contre le Bayern (3-0) en Ligue des champions. La durée de leurs indisponibilités n’a pas été précisée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-les-belges-veulent-faire-un-gros-coup-au-parc_AV-202112070326.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-barca-perd-depay-et-alba-sur-blessures_AV-202112090631.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:44:50 GMT", - "enclosure": "https://images.bfmtv.com/D9yAJsWIYfUxyZZj5MpBtp7Cdvk=/0x106:2048x1258/800x0/images/Philippe-Clement-entraineur-de-bruges-1183468.jpg", + "pubDate": "Thu, 09 Dec 2021 22:47:17 GMT", + "enclosure": "https://images.bfmtv.com/tuejoQGtda_e0GIt7V8En1ZqJ4M=/0x153:2048x1305/800x0/images/Jordi-Alba-face-au-Bayern-Munich-en-Ligue-des-champions-1185404.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35741,37 +40376,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "cfcef041a71c88914c0f93e53c106682" + "hash": "9d925158b1396109f07218a2f7e7c592" }, { - "title": "Affaire Pinot-Schmitt: Margaux Pinot raconte d’autres faits de violences d'Alain Schmitt", - "description": "Dans une interview à Paris Match, la judokate Margaux Pinot est revenue sur la nuit durant laquelle son compagnon, Alain Schmitt, l'aurait agressée, expliquant que ce n'était pas la première fois qu'il s'en prenait à elle physiquement.

", - "content": "Dans une interview à Paris Match, la judokate Margaux Pinot est revenue sur la nuit durant laquelle son compagnon, Alain Schmitt, l'aurait agressée, expliquant que ce n'était pas la première fois qu'il s'en prenait à elle physiquement.

", + "title": "Ligue Europa: les adversaires potentiels du Barça en barrage", + "description": "Eliminé de la Ligue des champions, le Barça a été repêché mercredi en Ligue Europa. Une C3 que les Catalans débuteront en février lors d’un barrage. Avec six adversaires potentiels.

", + "content": "Eliminé de la Ligue des champions, le Barça a été repêché mercredi en Ligue Europa. Une C3 que les Catalans débuteront en février lors d’un barrage. Avec six adversaires potentiels.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-margaux-pinot-raconte-d-autres-faits-de-violences-d-alain-schmitt_AV-202112070314.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-les-adversaires-potentiels-du-barca-en-barrage_AV-202112090630.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:06:37 GMT", - "enclosure": "https://images.bfmtv.com/L1I95mIwfvhAvqT2kbu6coeWsy0=/0x0:1200x675/800x0/images/Margaux-Pinot-1183442.jpg", + "pubDate": "Thu, 09 Dec 2021 22:44:12 GMT", + "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "d761015d489d5784f86aadb328a3ee38" + "hash": "6a0498d7db5d391ea41791b2f8e5c46f" }, { - "title": "Dortmund-Bayern: Bellingham connaît sa sanction pour ses propos sur l’arbitre", - "description": "La défaite du Borussia Dortmund face au Bayern Munich (2-3) n’avait pas été bien prise par Jude Bellingham. À la fin de la rencontre, le milieu de terrain avait dénoncé l’arbitrage de Felix Zwayer. Ce mardi, l’Anglais a pris connaissance de la sanction la Fédération allemande de football.

", - "content": "La défaite du Borussia Dortmund face au Bayern Munich (2-3) n’avait pas été bien prise par Jude Bellingham. À la fin de la rencontre, le milieu de terrain avait dénoncé l’arbitrage de Felix Zwayer. Ce mardi, l’Anglais a pris connaissance de la sanction la Fédération allemande de football.

", + "title": "Ligue des champions féminine: l'OL surclasse le Benfica et se qualifie pour les quarts", + "description": "Les Lyonnaises ont largement battu le Benfica jeudi soir en Ligue des champions féminine (5-0). Avant même la dernière journée de la phase de groupe, elles décrochent leur ticket pour les quarts de finale de la compétition.

", + "content": "Les Lyonnaises ont largement battu le Benfica jeudi soir en Ligue des champions féminine (5-0). Avant même la dernière journée de la phase de groupe, elles décrochent leur ticket pour les quarts de finale de la compétition.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-bellingham-connait-sa-sanction-pour-ses-propos-sur-l-arbitre_AV-202112070306.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/ligue-des-champions-feminine-l-ol-surclasse-le-benfica-et-se-qualifie-pour-les-quarts_AN-202112090619.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 13:46:38 GMT", - "enclosure": "https://images.bfmtv.com/q-alK_kHBwj_Nvt8Z2Hm8c2IAHA=/0x87:1200x762/800x0/images/Jude-Bellingham-1181783.jpg", + "pubDate": "Thu, 09 Dec 2021 22:27:15 GMT", + "enclosure": "https://images.bfmtv.com/tGurMJq-CIOhlq45IoXzdtRBpbg=/0x205:2048x1357/800x0/images/Ada-Hegerberg-a-inscrit-un-double-contre-le-Benfica-1185390.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35781,17 +40416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a5681ac8e66d7d1d1cbc74224214e2e" + "hash": "d18e7384d2086be800a77e32eebbe100" }, { - "title": "PSG-Bruges: Mbappé un peu plus dans l'histoire de la Ligue des champions", - "description": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", - "content": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", + "title": "Ligue des champions en direct: les adversaires potentiels du Barça en barrage de la Ligue Europa", + "description": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", + "content": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-mbappe-un-peu-plus-dans-l-histoire-de-la-ligue-des-champions_AV-202112070386.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-multiplex-en-direct_LS-202112080539.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:52:48 GMT", - "enclosure": "https://images.bfmtv.com/O_ChEYYD7eTfC4SrVVtVGGjJYp8=/0x131:2048x1283/800x0/images/Kylian-Mbappe-contre-Bruges-1183550.jpg", + "pubDate": "Wed, 08 Dec 2021 18:14:34 GMT", + "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35801,57 +40436,57 @@ "favorite": false, "created": false, "tags": [], - "hash": "acc4297a793283e841423461bc2a83a0" + "hash": "695db7968e6e1521c8bc7688cc0f234b" }, { - "title": "PSG-Bruges en direct: Mbappé s'offre un nouveau record en Ligue des champions", - "description": "Assuré des huitièmes de finale et de la deuxième place, le PSG accueille Bruges, mardi (18h45, sur RMC Sport 1), à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions. Un duel qu'il n'a pas intérêt à prendre à la légère.

", - "content": "Assuré des huitièmes de finale et de la deuxième place, le PSG accueille Bruges, mardi (18h45, sur RMC Sport 1), à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions. Un duel qu'il n'a pas intérêt à prendre à la légère.

", + "title": "Ligue Europa: quels adversaires potentiels pour l'OL et Monaco en 8es ? Tous les qualifiés pour les barrages et la phase finale", + "description": "A l'issue de la sixième et dernière journée de la phase de groupes disputée ce jeudi, les qualifiés pour les huitièmes de finale et les barrages de la Ligue Europa sont désormais connues. Lyon et Monaco seront les deux représentants français, avec une place déjà acquise pour les 8es.

", + "content": "A l'issue de la sixième et dernière journée de la phase de groupes disputée ce jeudi, les qualifiés pour les huitièmes de finale et les barrages de la Ligue Europa sont désormais connues. Lyon et Monaco seront les deux représentants français, avec une place déjà acquise pour les 8es.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-quels-adversaires-potentiels-pour-l-ol-et-monaco-en-8es-tous-les-qualifies-pour-les-barrages-et-la-phase-finale_AV-202112090611.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", - "enclosure": "https://images.bfmtv.com/7_Giz3HEviK-9jqjA0PHjQTm6fU=/0x106:2048x1258/800x0/images/PSG-1183551.jpg", + "pubDate": "Thu, 09 Dec 2021 22:10:46 GMT", + "enclosure": "https://images.bfmtv.com/R5obYlnRfgYjpaVYgweg29xz88I=/258x363:2018x1353/800x0/images/Lyon-1185350.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "bcf7da7a69eb4a0e997a15078481c7b4" + "hash": "236623815a9d9e9ed239b847292b6835" }, { - "title": "Ligue des champions: Real, Atlético, AC Milan… le multiplex en direct", - "description": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", - "content": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", + "title": "Europa Conference League: les adversaires potentiels de l’OM en barrage", + "description": "Victorieux du Lokomotiv Moscou (1-0) ce jeudi lors de la dernière journée de Ligue Europa, l’OM a assuré son repêchage en Europa Conference League. Il passera par un barrage face à l’un des deuxièmes de la C4.

", + "content": "Victorieux du Lokomotiv Moscou (1-0) ce jeudi lors de la dernière journée de Ligue Europa, l’OM a assuré son repêchage en Europa Conference League. Il passera par un barrage face à l’un des deuxièmes de la C4.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-real-atletico-ac-milan-le-multiplex-en-direct_LS-202112070316.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-les-adversaires-potentiels-de-l-om-en-barrage_AV-202112090607.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:17:22 GMT", - "enclosure": "https://images.bfmtv.com/cR52yrckFfNepA5QX6tj35em-nY=/0x36:2048x1188/800x0/images/Vinicius-Jr-1177356.jpg", + "pubDate": "Thu, 09 Dec 2021 22:05:31 GMT", + "enclosure": "https://images.bfmtv.com/dBKfbs5PP_l1sPAeRnzPei1N9Bs=/0x40:768x472/800x0/images/La-joie-du-milieu-de-terrain-bresilien-de-Marseille-Gerson-felicite-par-son-coequipier-Amine-Harit-apres-avoir-ouvert-le-score-a-domicile-contre-Brest-lors-de-la-17e-journee-de-Ligue-1-le-4-decembre-2021-au-Stade-Velodrome-1181755.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3024aab1f0849228867db5c4743952cd" + "hash": "abb51d064a57f65bd4ca9962610965c0" }, { - "title": "Champions Cup: forfait des Scarlets contre Bristol à cause des mesures anti-Covid", - "description": "L'équipe galloise des Scarlets, dont 32 joueurs et membres du staff sont en quarantaine dans le cadre des mesures anti-Covid, a déclaré forfait pour son match de Coupe d'Europe de rugby, prévu samedi à Bristol, a annoncé mardi l'EPCR.

", - "content": "L'équipe galloise des Scarlets, dont 32 joueurs et membres du staff sont en quarantaine dans le cadre des mesures anti-Covid, a déclaré forfait pour son match de Coupe d'Europe de rugby, prévu samedi à Bristol, a annoncé mardi l'EPCR.

", + "title": "Ligue Europa: l’OM domine le Lokomotiv Moscou et décroche son repêchage en Europa Conference League", + "description": "Vainqueur du Lokomotiv Moscou jeudi soir (1-0), l’OM termine troisième de son groupe en Ligue Europa. Les Marseillais sont donc reversés en Europa Conference League.

", + "content": "Vainqueur du Lokomotiv Moscou jeudi soir (1-0), l’OM termine troisième de son groupe en Ligue Europa. Les Marseillais sont donc reversés en Europa Conference League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/champions-cup-forfait-des-scarlets-contre-bristol-a-cause-des-mesures-anti-covid_AD-202112070299.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-l-om-domine-le-lokomotiv-moscou-et-decroche-son-repechage-en-europa-conference-league_AV-202112090603.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 13:23:12 GMT", - "enclosure": "https://images.bfmtv.com/QcvBcsVY3xv4CncEuo1CEYQYv1E=/0x40:768x472/800x0/images/Les-joueurs-des-Scarlets-ici-avant-le-match-contre-Toulon-en-Coupe-d-Europe-a-Llannelli-le-18-decembre-2020-sont-forfait-contre-Bristol-1183403.jpg", + "pubDate": "Thu, 09 Dec 2021 22:00:06 GMT", + "enclosure": "https://images.bfmtv.com/6glcF8TDN4vCBG0NuSKqrxydrFQ=/0x42:2048x1194/800x0/images/Grace-a-un-but-de-Milik-l-OM-s-est-impose-conter-le-Lokomotiv-Moscou-1185368.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35861,17 +40496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "32c627c1dc4f0114762ffe847eb6dd5a" + "hash": "c7eac4cd1b662e79e70d930991a7dcda" }, { - "title": "Barça: \"Selon le Real Madrid, je n’avais pas le niveau\", s’amuse Pedri", - "description": "Dans une interview accordée à France Football, Pedri revient sur un test effectué au Real Madrid il y a quatre ans. Le milieu de terrain du Barça, qui a reçu le trophée Kopa 2021, avait été jugé peu convaincant par le club merengue.

", - "content": "Dans une interview accordée à France Football, Pedri revient sur un test effectué au Real Madrid il y a quatre ans. Le milieu de terrain du Barça, qui a reçu le trophée Kopa 2021, avait été jugé peu convaincant par le club merengue.

", + "title": "Euroligue: nouvelle défaite pour l'Asvel face à Vitoria", + "description": "Villeurbanne a chuté face à Vitoria (91-66) ce jeudi lors de la 14e journée d'Euroligue, mais reste aux portes du top 8 qualificatif pour les play-offs.

", + "content": "Villeurbanne a chuté face à Vitoria (91-66) ce jeudi lors de la 14e journée d'Euroligue, mais reste aux portes du top 8 qualificatif pour les play-offs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-selon-le-real-madrid-je-n-avais-pas-le-niveau-s-amuse-pedri_AV-202112070291.html", + "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroligue-nouvelle-defaite-pour-l-asvel-face-a-vitoria_AV-202112090600.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 13:03:28 GMT", - "enclosure": "https://images.bfmtv.com/--wDVIMj1TatPyL4pUynQ9gctcc=/0x33:2048x1185/800x0/images/Pedri-FC-Barcelone-1175291.jpg", + "pubDate": "Thu, 09 Dec 2021 21:49:33 GMT", + "enclosure": "https://images.bfmtv.com/I5hcqPDjv_y1CEbbzyu6-khML8Q=/0x0:2048x1152/800x0/images/T-J-PARKER-1185367.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35881,17 +40516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "574be31dc4e8a6c435fd89591ef7a0f6" + "hash": "5356e53d9c02ff1920f7a648faf0a5c8" }, { - "title": "Mercato: Icardi veut rester au PSG cet hiver", - "description": "INFO RMC SPORT – En contrat jusqu’en juin 2024, Mauro Icardi n’a aucune intention de quitter le PSG cet hiver selon son entourage. Seule une éventuelle volonté du club parisien de le voir quitter la capitale pourrait l’amener à réfléchir à cette éventualité.

", - "content": "INFO RMC SPORT – En contrat jusqu’en juin 2024, Mauro Icardi n’a aucune intention de quitter le PSG cet hiver selon son entourage. Seule une éventuelle volonté du club parisien de le voir quitter la capitale pourrait l’amener à réfléchir à cette éventualité.

", + "title": "Accusé d'agression sexuelle, Pierre Ménès sera jugé le 8 juin annonce son avocat", + "description": "L'ancien chroniqueur de Canal+, Pierre Ménès, visé par une enquête pour agression sexuelle, est sorti de garde à vue ce jeudi soir. Il est convoqué devant le tribunal correctionnel le 8 juin pour y être jugé de ces faits selon son avocat.

", + "content": "L'ancien chroniqueur de Canal+, Pierre Ménès, visé par une enquête pour agression sexuelle, est sorti de garde à vue ce jeudi soir. Il est convoqué devant le tribunal correctionnel le 8 juin pour y être jugé de ces faits selon son avocat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-icardi-veut-rester-au-psg-cet-hiver_AN-202112070289.html", + "link": "https://rmcsport.bfmtv.com/societe/accuse-d-agression-sexuelle-pierre-menes-sera-juge-le-8-juin-affirme-son-avocat_AV-202112090593.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 12:55:53 GMT", - "enclosure": "https://images.bfmtv.com/0FOhT_nomSNYIysvj9-KhSHZL10=/0x106:2000x1231/800x0/images/Pochettino-Icardi-1152737.jpg", + "pubDate": "Thu, 09 Dec 2021 21:21:48 GMT", + "enclosure": "https://images.bfmtv.com/JwRfTvMKyAklKOdqgUkmsnzj1og=/0x106:1200x781/800x0/images/-880895.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35901,17 +40536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5792c291704d9f65945a7d0ab2df3587" + "hash": "712d73f06f241598ef0d85a1ba7f9526" }, { - "title": "Coupe de France: la joie et le soulagement de l’AS Cannet-Rocheville, qui jouera l’OM au Vélodrome", - "description": "Joueurs et dirigeants de l’AS Cannet-Rocheville nagent dans le bonheur depuis qu’ils ont la certitude de pouvoir jouer le 32e de finale face à l’OM au Vélodrome.

", - "content": "Joueurs et dirigeants de l’AS Cannet-Rocheville nagent dans le bonheur depuis qu’ils ont la certitude de pouvoir jouer le 32e de finale face à l’OM au Vélodrome.

", + "title": "Mondial de hand: les Françaises maîtrisent la Pologne au tour principal", + "description": "Les Françaises ont très bien débuté le tour principal du Mondial en s’imposant facilement contre la Pologne jeudi soir (26-16). En cas de victoire face aux Serbes samedi, les Bleues assureraient leur qualification en quart de finale.

", + "content": "Les Françaises ont très bien débuté le tour principal du Mondial en s’imposant facilement contre la Pologne jeudi soir (26-16). En cas de victoire face aux Serbes samedi, les Bleues assureraient leur qualification en quart de finale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-la-joie-et-le-soulagement-de-l-as-cannet-rocheville-qui-jouera-l-om-au-velodrome_AV-202112070286.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-les-francaises-maitrisent-la-pologne-au-tour-principal_AV-202112090589.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 12:51:28 GMT", - "enclosure": "https://images.bfmtv.com/VFzpxMKJEeVYvhWmPu56ZT_ISvM=/0x24:1200x699/800x0/images/-955606.jpg", + "pubDate": "Thu, 09 Dec 2021 21:14:02 GMT", + "enclosure": "https://images.bfmtv.com/uCUNF9MxwWGtGmLVxB6pX1rchU8=/0x52:2048x1204/800x0/images/Pauletta-Foppa-et-les-Bleues-se-sont-imposes-contre-la-Pologne-1185348.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35921,17 +40556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "cab07c6ae8e2af38eba6c94fe92b6231" + "hash": "8072a32573578d64668cd2370fb3e1b5" }, { - "title": "Saint-Etienne: Puel, ça pourrait coûter très cher", - "description": "L’éviction de Claude Puel de son poste à Saint-Etienne va coûter cher au club même si les dirigeants préparaient cette issue depuis plusieurs semaines. Et l’ancien manager n’est pas du genre à négocier.

", - "content": "L’éviction de Claude Puel de son poste à Saint-Etienne va coûter cher au club même si les dirigeants préparaient cette issue depuis plusieurs semaines. Et l’ancien manager n’est pas du genre à négocier.

", + "title": "Sturm Graz-Monaco: l'ASM, remaniée et rajeunie, accrochée en Autriche", + "description": "Déjà qualifié pour les 8es de finale de la Ligue Europa, Monaco a concédé le match nul ce jeudi au Sturm Graz (1-1). Un match marqué par les nombreux changements apportés par Niko Kovac dans son onze de départ.

", + "content": "Déjà qualifié pour les 8es de finale de la Ligue Europa, Monaco a concédé le match nul ce jeudi au Sturm Graz (1-1). Un match marqué par les nombreux changements apportés par Niko Kovac dans son onze de départ.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-possible-cout-tres-eleve-de-l-eviction-de-claude-puel_AV-202112070285.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/sturm-graz-monaco-l-asm-remaniee-et-rajeunie-accrochee-en-autriche_AD-202112090578.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 12:49:20 GMT", - "enclosure": "https://images.bfmtv.com/Oz0v1_InO8AwRKRav1-6lbt9NHk=/6x167:2038x1310/800x0/images/Claude-Puel-1183413.jpg", + "pubDate": "Thu, 09 Dec 2021 20:31:45 GMT", + "enclosure": "https://images.bfmtv.com/or8XqNr84kWS3n94pFko2af_qL8=/0x62:768x494/800x0/images/L-AS-Monaco-avec-une-equipe-profondement-remaniee-a-ramene-un-resultat-nul-1-1-de-Graz-en-Ligue-Europa-le-9-decembre-2021-1185332.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35941,17 +40576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "db1801993885cb5f72f80cf71d689555" + "hash": "bf9134b1a9a6ec18d756fbca5abe6580" }, { - "title": "Premier League: Saint-Maximin a offert une montre d'une grande valeur à un fan de Newcastle", - "description": "Titulaire indiscutable à Newcastle, Allan Saint-Maximin est depuis son arrivée, en 2019, un joueur grandement apprécié par les supporters. Pour le remercier de son affection fidèle au club, le joueur français a même offert à un fan une montre estimée à plus de 2000 euros.

", - "content": "Titulaire indiscutable à Newcastle, Allan Saint-Maximin est depuis son arrivée, en 2019, un joueur grandement apprécié par les supporters. Pour le remercier de son affection fidèle au club, le joueur français a même offert à un fan une montre estimée à plus de 2000 euros.

", + "title": "Ligue des champions: Villarreal dernier qualifié, les adversaires potentiels du PSG et de Lille en huitièmes", + "description": "Qualifiés mercredi pour les huitièmes de finale de Ligue des champions, les Lillois attendent désormais le tirage au sort de lundi pour connaître leur futur adversaire. Une équipe s’est ajoutée jeudi soir à la liste des candidats: Villarreal.

", + "content": "Qualifiés mercredi pour les huitièmes de finale de Ligue des champions, les Lillois attendent désormais le tirage au sort de lundi pour connaître leur futur adversaire. Une équipe s’est ajoutée jeudi soir à la liste des candidats: Villarreal.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-saint-maximin-a-offert-une-montre-d-une-grande-valeur-a-un-fan-de-newcastle_AV-202112070281.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-villarreal-dernier-qualifie-les-adversaires-potentiels-de-lille-en-huitiemes_AV-202112090571.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 12:35:23 GMT", - "enclosure": "https://images.bfmtv.com/nUkeHcmaDsFJGKOeDMu3cRVnFbM=/0x0:1200x675/800x0/images/Allan-Saint-Maximin-1157533.jpg", + "pubDate": "Thu, 09 Dec 2021 20:10:32 GMT", + "enclosure": "https://images.bfmtv.com/RJGoAoXxGtEp5wkTQoj17mrDKCg=/14x0:2046x1143/800x0/images/Les-Lillois-apres-leur-victoire-a-Wolfsburg-1185324.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35961,17 +40596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f3426de37d3c6c8ef76a0651aa773208" + "hash": "f162604dd5a85fe68672c25c197a701f" }, { - "title": "Les grandes interviews RMC Sport: le sacre de la Coupe du monde 2018 avec Guy Stéphan", - "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Retour ce mardi sur l’invitation de Guy Stéphan, adjoint de Didier Deschamps en équipe de France, dans l’émission Le Vestiaire quelques semaines après le sacre mondial en 2018.

", - "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Retour ce mardi sur l’invitation de Guy Stéphan, adjoint de Didier Deschamps en équipe de France, dans l’émission Le Vestiaire quelques semaines après le sacre mondial en 2018.

", + "title": "Incidents OL-OM: Marseille estime que les sanctions ne sont pas à la hauteur", + "description": "Mercredi, la commission de discipline de la LFP a rendu son verdict après les incidents lors d’OL-OM, avec notamment le match à rejouer et un point de retrait pour Lyon. Des sanctions qui ne contentent pas le club phocéen.

", + "content": "Mercredi, la commission de discipline de la LFP a rendu son verdict après les incidents lors d’OL-OM, avec notamment le match à rejouer et un point de retrait pour Lyon. Des sanctions qui ne contentent pas le club phocéen.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/les-grandes-interviews-rmc-sport-le-sacre-de-la-coupe-du-monde-2018-avec-guy-stephan_AV-202112070276.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-marseille-estime-que-les-sanctions-ne-sont-pas-a-la-hauteur_AV-202112090567.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 12:19:14 GMT", - "enclosure": "https://images.bfmtv.com/N1L19F3NMu-hfyuDcgqOJdRUYco=/0x36:2048x1188/800x0/images/Guy-Stephan-1183376.jpg", + "pubDate": "Thu, 09 Dec 2021 20:00:10 GMT", + "enclosure": "https://images.bfmtv.com/4fiMuUAXnCSxgg3cOrzhXoN89UY=/0x146:2048x1298/800x0/images/OL-OM-1184497.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -35981,17 +40616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c11af1f128fb982a2218d726d1e698aa" + "hash": "62085a5bc06b970fb3f8a0cf6e5249b6" }, { - "title": "Ligue des champions en direct: le groupe du PSG avec Kimpembe", - "description": "Dernier match de poule de Ligue des champions pour le PSG face à Bruges. les Parisiens sont assurés de terminer à la deuxième place de leur poule mais doivent rassurer sur leur jeu. Coup d'envoi à 18h45 sur RMC Sport.

", - "content": "Dernier match de poule de Ligue des champions pour le PSG face à Bruges. les Parisiens sont assurés de terminer à la deuxième place de leur poule mais doivent rassurer sur leur jeu. Coup d'envoi à 18h45 sur RMC Sport.

", + "title": "Ligue Europa: l'OL se contente d'un triste nul face aux Rangers", + "description": "Déjà qualifiés pour les huitièmes de finale de la Ligue Europa, et assurés de terminer en tête de leur groupe, les Lyonnais voulaient profiter de la réception des Rangers pour se rassurer après des résultats décevants en Ligue 1. Mais ils ont dû se contenter d'un nul (1-1) à domicile.

", + "content": "Déjà qualifiés pour les huitièmes de finale de la Ligue Europa, et assurés de terminer en tête de leur groupe, les Lyonnais voulaient profiter de la réception des Rangers pour se rassurer après des résultats décevants en Ligue 1. Mais ils ont dû se contenter d'un nul (1-1) à domicile.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-l-ol-se-contente-d-un-triste-nul-face-aux-rangers_AV-202112090557.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", - "enclosure": "https://images.bfmtv.com/vBuHDJwAAt6xYsczaIt0A9uxgX8=/14x219:2046x1362/800x0/images/Bruges-PSG-le-15-09-2021-1130432.jpg", + "pubDate": "Thu, 09 Dec 2021 19:42:36 GMT", + "enclosure": "https://images.bfmtv.com/_8vT2jfW1cUvuKAvRa4zfab3mEM=/0x51:2048x1203/800x0/images/Lyon-Rangers-1185303.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36001,57 +40636,57 @@ "favorite": false, "created": false, "tags": [], - "hash": "6116d609e2c94230b872fd38de8072fc" + "hash": "36c78388b238bc480d6c3aabf339c05b" }, { - "title": "F1: le père de Verstappen fait monter la pression autour de la crainte d'un accrochage avec Hamilton", - "description": "Le père de Max Verstappen a indiqué que son fils fera tout ce qui est en son pouvoir pour remporter la victoire, alors qu’un accident entre le Néerlandais et Lewis Hamilton est redouté par la FIA.

", - "content": "Le père de Max Verstappen a indiqué que son fils fera tout ce qui est en son pouvoir pour remporter la victoire, alors qu’un accident entre le Néerlandais et Lewis Hamilton est redouté par la FIA.

", + "title": "Premier League: après Rennes, le match de Tottenham à Brighton aussi reporté", + "description": "Touché par le Covid-19, Tottenham a obtenu jeudi le report de son match prévu dimanche contre Brighton en Premier League. Jeudi, l’UEFA avait tardivement officialisé le report de la rencontre des Spurs contre Rennes en Europa Conference League.

", + "content": "Touché par le Covid-19, Tottenham a obtenu jeudi le report de son match prévu dimanche contre Brighton en Premier League. Jeudi, l’UEFA avait tardivement officialisé le report de la rencontre des Spurs contre Rennes en Europa Conference League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-pere-de-verstappen-fait-monter-la-pression-autour-de-la-crainte-d-un-accrochage-avec-hamilton_AV-202112070191.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-apres-rennes-le-match-de-tottenham-a-brighton-aussi-reporte_AV-202112090554.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:56:30 GMT", - "enclosure": "https://images.bfmtv.com/9av2vLrwxvsKYdCAxEUlzGthMDA=/0x0:1200x675/800x0/images/Jos-Verstappen-et-Max-Verstappen-1183276.jpg", + "pubDate": "Thu, 09 Dec 2021 19:39:19 GMT", + "enclosure": "https://images.bfmtv.com/R8LfLNCUZykzY4JytnytldcuMcg=/0x25:2048x1177/800x0/images/Tottenham-face-a-Norwich-le-5-decembre-1185307.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b664b91005b2648a5fc706e38804fa46" + "hash": "e85cf4bb577862207d067111da9e03c2" }, { - "title": "Affaire Hamraoui en direct: Diallo et Hamraoui, les retrouvailles à l'entraînement collectif", - "description": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", - "content": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", + "title": "Affaire Agnel: ce que l'on sait après la garde à vue de Yannick Agnel pour des faits supposés de viol sur mineure", + "description": "L'ancien nageur de 29 ans Yannick Agnel, double champion olympique en 2012 a été interpellé ce jeudi dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été placé en garde à vue à Mulhouse.

", + "content": "L'ancien nageur de 29 ans Yannick Agnel, double champion olympique en 2012 a été interpellé ce jeudi dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été placé en garde à vue à Mulhouse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-en-direct-les-dernieres-infos-un-mois-apres-l-agression_LN-202112030167.html", + "link": "https://rmcsport.bfmtv.com/natation/affaire-agnel-ce-que-l-on-sait-apres-la-garde-a-vue-de-yannick-agnel-pour-des-faits-supposes-de-viol-sur-mineure_AV-202112090549.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:08:41 GMT", - "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", + "pubDate": "Thu, 09 Dec 2021 19:22:36 GMT", + "enclosure": "https://images.bfmtv.com/rK8VcQYexgSt4QcO1IfbpXW6ZeI=/0x106:2048x1258/800x0/images/Yannick-Agnel-1064414.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "15d743b7bd1c2272a12b95bb33791ba4" + "hash": "59c381e68bbe4f60d2f92fb7cf162918" }, { - "title": "PSG: Hamraoui et Diallo, les retrouvailles avec le groupe ce mardi", - "description": "Didier Ollé-Nicolle, l'entraîneur de l’équipe féminine du PSG, a annoncé le retour de Kheira Hamraoui et Aminata Diallo avec le groupe, ce mardi, un mois après l’agression subie par la première nommée sous les yeux de la seconde.

", - "content": "Didier Ollé-Nicolle, l'entraîneur de l’équipe féminine du PSG, a annoncé le retour de Kheira Hamraoui et Aminata Diallo avec le groupe, ce mardi, un mois après l’agression subie par la première nommée sous les yeux de la seconde.

", + "title": "Europa Conference League: un bras de fer Rennes-Tottenham pour la date du report", + "description": "Tottenham comptant dans ses rangs plusieurs cas de Covid-19, l’UEFA a reporté le match face à Rennes en Europa Conference League. La date de ce report fait désormais l’objet de négociations tendues entre les deux clubs.

", + "content": "Tottenham comptant dans ses rangs plusieurs cas de Covid-19, l’UEFA a reporté le match face à Rennes en Europa Conference League. La date de ce report fait désormais l’objet de négociations tendues entre les deux clubs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/psg-hamraoui-et-diallo-les-retrouvailles-avec-le-groupe-ce-mardi_AV-202112070175.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-un-bras-de-fer-rennes-tottenham-pour-la-date-du-report_AV-202112090533.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:14:16 GMT", - "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", + "pubDate": "Thu, 09 Dec 2021 19:01:03 GMT", + "enclosure": "https://images.bfmtv.com/snjtaHbiZAqGWzFAxTVCf3UMeHo=/0x40:768x472/800x0/images/Flavien-Tait-presse-Lucas-Moura-lors-de-la-rencontre-entre-Rennes-et-Tottenham-dans-le-cadre-de-la-premiere-journee-de-Ligue-Europa-Conference-jeudi-16-septembre-2021-a-Rennes-1130754.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36061,17 +40696,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c589bb21edc2d42bcc6e17de3953fbdf" + "hash": "0e4c7796f06bdc3b3e5c50e507fa0d93" }, { - "title": "PSG: la photo de Zidane à Paris qui fait beaucoup parler", - "description": "Youri Djorkaeff a posté lundi soir une photo prise à Paris en compagnie de certains champions du monde 1998, dont Zinédine Zidane. Un cliché particulièrement remarqué à l’heure où le nom de \"Zizou\" circule dans la sphère du PSG.

", - "content": "Youri Djorkaeff a posté lundi soir une photo prise à Paris en compagnie de certains champions du monde 1998, dont Zinédine Zidane. Un cliché particulièrement remarqué à l’heure où le nom de \"Zizou\" circule dans la sphère du PSG.

", + "title": "Mercato: Létang confirme des discussions avec la Fiorentina pour Ikoné", + "description": "Invité de RMC jeudi soir dans Rothen s'enflamme, Olivier Létang a confirmé qu’il y avait bien des discussions avec la Fiorentina pour le transfert de Jonathan Ikoné cet hiver. Mais le président du LOSC assure qu’il y aura peu de départs au mercato hivernal.

", + "content": "Invité de RMC jeudi soir dans Rothen s'enflamme, Olivier Létang a confirmé qu’il y avait bien des discussions avec la Fiorentina pour le transfert de Jonathan Ikoné cet hiver. Mais le président du LOSC assure qu’il y aura peu de départs au mercato hivernal.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/psg-la-photo-de-zidane-a-paris-qui-fait-beaucoup-parler_AV-202112070171.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-letang-confirme-des-discussions-avec-la-fiorentina-pour-ikone_AV-202112090528.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:03:48 GMT", - "enclosure": "https://images.bfmtv.com/I3Sb4DIYuErlJx-F4h3ZkwpqMX4=/0x22:2048x1174/800x0/images/Zinedine-Zidane-1175362.jpg", + "pubDate": "Thu, 09 Dec 2021 18:56:16 GMT", + "enclosure": "https://images.bfmtv.com/Hr0Z-GPLviUAIIR_qCEeumXkgJE=/0x169:2048x1321/800x0/images/Jonathan-Ikone-contre-Wolfsburg-mercredi-1185278.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36081,17 +40716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c06068633f2a4fcffee147254f81328" + "hash": "8b3369fc49b06f6015079cfe2a6770e6" }, { - "title": "OM: Milik, Kamara, Guendouzi... Longoria en dit plus sur les dossiers chauds du mercato", - "description": "Pablo Longoria, président de l'OM, dont il fut auparavant le directeur sportif, a évoqué dans une interview à L'Equipe toutes les négociations en cours concernant les joueurs prêtés à l'OM cette saison. Il est aussi question de Boubacar Kamara, un dossier complexe.

", - "content": "Pablo Longoria, président de l'OM, dont il fut auparavant le directeur sportif, a évoqué dans une interview à L'Equipe toutes les négociations en cours concernant les joueurs prêtés à l'OM cette saison. Il est aussi question de Boubacar Kamara, un dossier complexe.

", + "title": "OM-Lokomotiv Moscou: Mandanda et Balerdi relancés, Payet sur le banc", + "description": "Steve Mandanda, Leonardo Balerdi ou encore Gerson sont titulaires pour le match entre l'OM et le Lokomotiv Moscou ce jeudi soir en Ligue Europa (21h). Marseille a besoin d'un point pour être reversé en Europa Conference League.

", + "content": "Steve Mandanda, Leonardo Balerdi ou encore Gerson sont titulaires pour le match entre l'OM et le Lokomotiv Moscou ce jeudi soir en Ligue Europa (21h). Marseille a besoin d'un point pour être reversé en Europa Conference League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/om-milik-kamara-guendouzi-longoria-en-dit-plus-sur-les-dossiers-chauds-du-mercato_AV-202112070164.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/om-lokomotiv-moscou-mandanda-et-balerdi-relances-payet-sur-le-banc_AV-202112090526.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 08:55:25 GMT", - "enclosure": "https://images.bfmtv.com/kR2YAnKepwQGUK3cwCgBeIO5WsU=/0x22:2048x1174/800x0/images/Arkadiusz-MILIK-1160235.jpg", + "pubDate": "Thu, 09 Dec 2021 18:54:00 GMT", + "enclosure": "https://images.bfmtv.com/iaojv_fwSCtHsVsFBX3zOd5khP4=/0x99:2048x1251/800x0/images/Steve-MANDANDA-1161986.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36101,17 +40736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdb87a2889b7747be966192e1037933d" + "hash": "88c92e0a16415e52ab10a38abce6ad2c" }, { - "title": "Ligue des champions: la nomination d’Aytekin pour un rival du Barça interpelle la presse madrilène", - "description": "La nomination de l’arbitre allemand Deniz Aytekin pour la rencontre entre le Benfica et le Dinamo Kiev, ce mardi (21h) en Ligue des champions amuse la presse madrilène qui rappelle son passif avec le Barça, en lutte à distance avec le Benfica pour la qualification pour les huitièmes.

", - "content": "La nomination de l’arbitre allemand Deniz Aytekin pour la rencontre entre le Benfica et le Dinamo Kiev, ce mardi (21h) en Ligue des champions amuse la presse madrilène qui rappelle son passif avec le Barça, en lutte à distance avec le Benfica pour la qualification pour les huitièmes.

", + "title": "Yannick Agnel placé en garde à vue pour des faits supposés de viol sur mineure", + "description": "L'ancien nageur Yannick Agnel (29 ans), double champion olympique, a été interpellé dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été interpellé à Paris puis placé en garde à vue à Mulhouse.

", + "content": "L'ancien nageur Yannick Agnel (29 ans), double champion olympique, a été interpellé dans le cadre d'une information judiciaire ouverte pour des faits supposés de viol sur mineure. Il a été interpellé à Paris puis placé en garde à vue à Mulhouse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-nomination-d-aytekin-pour-un-rival-du-barca-interpelle-la-presse-madrilene_AV-202112070162.html", + "link": "https://rmcsport.bfmtv.com/natation/yannick-agnel-place-en-garde-a-vue-pour-des-faits-supposes-de-viol-sur-mineur_AN-202112090361.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 08:51:59 GMT", - "enclosure": "https://images.bfmtv.com/FZvOEmHETNVri4I1g_ff3txip5A=/0x55:2048x1207/800x0/images/Deniz-Aytekin-1183243.jpg", + "pubDate": "Thu, 09 Dec 2021 15:34:29 GMT", + "enclosure": "https://images.bfmtv.com/jvn4do0i9iIXSNwbCRblswam4-Q=/0x74:2048x1226/800x0/images/Yannick-Agnel-1185007.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36121,17 +40756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5f2e37bc03f5307464ad3d1162e9a597" + "hash": "404c806502c1f5d92a901c14ca5db972" }, { - "title": "JO 2022 de Pékin: la colère de la Chine après le boycott diplomatique des Etats-Unis", - "description": "La Chine a exprimé sa colère mardi après l'annonce par les Etats-Unis d'un \"boycott diplomatique\" des Jeux olympiques d'hiver 2022 de Pékin au nom de la défense des droits de l'Homme.

", - "content": "La Chine a exprimé sa colère mardi après l'annonce par les Etats-Unis d'un \"boycott diplomatique\" des Jeux olympiques d'hiver 2022 de Pékin au nom de la défense des droits de l'Homme.

", + "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Marseille – Lokomotiv Moscou – Ligue Europa", + "description": "Notre pronostic: nul entre Marseille et le Lokomotiv (4.90)

", + "content": "Notre pronostic: nul entre Marseille et le Lokomotiv (4.90)

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-de-pekin-la-colere-de-la-chine-apres-le-boycott-diplomatique-des-etats-unis_AD-202112070155.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-marseille-lokomotiv-moscou-ligue-europa_AN-202112080416.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 08:35:41 GMT", - "enclosure": "https://images.bfmtv.com/OUWnt6k3Hvr2Ew1zq4JTglcaWvg=/0x32:768x464/800x0/images/Les-Etats-Unis-n-enverront-aucun-representant-diplomatique-aux-Jeux-olympiques-et-paralympiques-d-hiver-de-Pekin-de-2022-1182975.jpg", + "pubDate": "Wed, 08 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/MMt7NKZcsRek8WaYrZ2McilkvyE=/0x226:1984x1342/800x0/images/William-Saliba-lors-de-Lokomotiv-Marseille-1184257.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36141,17 +40776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a704f8ea20c796e6fe390d37fab63c20" + "hash": "9ba5adbbc55fa0a965b319a1b433b59e" }, { - "title": "PSG-Bruges: \"Leonardo ne voulait pas me vendre\", assure Nsoki", - "description": "Dans une interview accordée au Parisien, en marge de la réception de Bruges au Parc des Princes (18h45), en Ligue des champions, l’ancien défenseur du PSG, Stanley Nsoki, est revenu sur ses années parisiennes, et notamment les raisons de son départ à l’été 2019.

", - "content": "Dans une interview accordée au Parisien, en marge de la réception de Bruges au Parc des Princes (18h45), en Ligue des champions, l’ancien défenseur du PSG, Stanley Nsoki, est revenu sur ses années parisiennes, et notamment les raisons de son départ à l’été 2019.

", + "title": "PRONOS PARIS RMC Le pari football de Rolland Courbis du 9 décembre - Ligue Europa", + "description": "Mon pronostic : Marseille s’impose face au Lokomotiv Moscou, Milik buteur (2.25)

", + "content": "Mon pronostic : Marseille s’impose face au Lokomotiv Moscou, Milik buteur (2.25)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-leonardo-ne-voulait-pas-me-vendre-assure-nsoki_AV-202112070149.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-rolland-courbis-du-9-decembre-ligue-europa_AN-202112090276.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 08:28:18 GMT", - "enclosure": "https://images.bfmtv.com/RlrOUgeugOrklaFZVJi5Hs5CHhQ=/0x0:1200x675/800x0/images/Stanley-Nsoki-1183229.jpg", + "pubDate": "Thu, 09 Dec 2021 12:15:30 GMT", + "enclosure": "https://images.bfmtv.com/d5mmyX8h-DDzlC90ixcXqioiDTk=/13x40:1997x1156/800x0/images/A-Milik-1184930.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36161,17 +40796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "87ebb99bc0b23ded445931660c7bcbc4" + "hash": "17c876c751fd625729ea899e0af13adf" }, { - "title": "Ligue des champions: Match à trois Porto-Atlético-Milan, choc Real-Inter, les enjeux de la soirée", - "description": "Dernière journée des matchs de poule de Ligue des champions et la tension est à son maximun dans deux groupes. Le PSG, lui, affronte Bruges sur RMC Sport à 18h45.

", - "content": "Dernière journée des matchs de poule de Ligue des champions et la tension est à son maximun dans deux groupes. Le PSG, lui, affronte Bruges sur RMC Sport à 18h45.

", + "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 9 décembre – NBA", + "description": "Mon pronostic : les Lakers s’imposent contre Memphis, LeBron James marque plus de 24,5 points (2.60)

", + "content": "Mon pronostic : les Lakers s’imposent contre Memphis, LeBron James marque plus de 24,5 points (2.60)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions-match-a-trois-porto-atletico-milan-choc-real-inter-les-enjeux-de-la-soiree_AD-202112070127.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-9-decembre-nba_AN-202112090499.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 07:53:18 GMT", - "enclosure": "https://images.bfmtv.com/1C4mWSIMd3cIoO-NRhiVLUAiqts=/0x39:768x471/800x0/images/Le-Neerlandais-Stefan-de-Vrij-a-la-lutte-avec-le-Francais-Karim-Benzema-lors-du-match-aller-de-Ligue-des-champions-entre-Inter-Milan-et-Real-Madrid-le-15-septembre-2021-au-stade-San-Siro-de-Milan-1183128.jpg", + "pubDate": "Thu, 09 Dec 2021 18:19:13 GMT", + "enclosure": "https://images.bfmtv.com/nHoAKT55e_H0w-v5M0dKkLZMLEg=/1x5:2001x1130/800x0/images/L-James-et-M-Monk-1185244.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36181,17 +40816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "03f6f5042cd595512a991775d248599d" + "hash": "5ed14e9bc7cf42c45c9325855e1ccdf4" }, { - "title": "PSG-Bruges: à quelle heure et sur quelle chaîne regarder le match de Ligue des champions", - "description": "Le PSG reçoit le FC Bruges, ce mardi (18h45) lors de la sixième et dernière journée de la phase de poule de la Ligue des champions en étant déjà qualifié pour les huitièmes de finale. Un horaire inhabituel.

", - "content": "Le PSG reçoit le FC Bruges, ce mardi (18h45) lors de la sixième et dernière journée de la phase de poule de la Ligue des champions en étant déjà qualifié pour les huitièmes de finale. Un horaire inhabituel.

", + "title": "JO 2022: pour Macron, un boycott diplomatique des Jeux de Pékin serait \"tout petit et symbolique\"", + "description": "Décider d'un boycott purement diplomatique mais pas sportif des Jeux olympiques 2022 d'hiver de Pékin serait une mesure \"toute petite et symbolique\", a estimé jeudi le président Emmanuel Macron.

", + "content": "Décider d'un boycott purement diplomatique mais pas sportif des Jeux olympiques 2022 d'hiver de Pékin serait une mesure \"toute petite et symbolique\", a estimé jeudi le président Emmanuel Macron.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-a-quelle-heure-et-sur-quelle-chaine-regarder-le-match-de-ligue-des-champions_AV-202112070118.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-pour-macron-un-boycott-diplomatique-des-jeux-de-pekin-serait-tout-petit-et-symbolique_AD-202112090498.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 07:44:08 GMT", - "enclosure": "https://images.bfmtv.com/jFeytpIb6f-gRg_fEge4pMsHaUM=/0x14:2048x1166/800x0/images/Lionel-Messi-a-l-entrainement-1183192.jpg", + "pubDate": "Thu, 09 Dec 2021 18:18:39 GMT", + "enclosure": "https://images.bfmtv.com/UJ-dWhJ_lskgkiF5ICezfaOyHuc=/0x40:768x472/800x0/images/Le-president-francais-Emmanuel-Macron-a-Paris-le-9-decembre-2021-1185134.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36201,17 +40836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a84dace584e7a4ab7baabb1eb0f42d3" + "hash": "77863f46ad22a4f788581166fac16fbf" }, { - "title": "Tottenham: les Spurs déplorent huit cas positifs au Covid-19, selon la presse anglaise", - "description": "L’information n’est pas encore confirmée par le club de Tottenham, mais le Times révèle ce mardi que la pandémie de Covid-19 a réalisé une percée dans les rangs des Spurs. Six joueurs seraient touchés avant la réception de Rennes en Ligue Europa Conférence.

", - "content": "L’information n’est pas encore confirmée par le club de Tottenham, mais le Times révèle ce mardi que la pandémie de Covid-19 a réalisé une percée dans les rangs des Spurs. Six joueurs seraient touchés avant la réception de Rennes en Ligue Europa Conférence.

", + "title": "Accusation de viol: France Info suspend sa collaboration avec Yannick Agnel", + "description": "France Info suspend sa collaboration avec l'ancien nageur champion olympique Yannick Agnel interpellé jeudi et placé en garde à vue dans le cadre d'une enquête pour \"viol et agression sexuelle sur mineure de 15 ans, a annoncé le média à l'AFP.

", + "content": "France Info suspend sa collaboration avec l'ancien nageur champion olympique Yannick Agnel interpellé jeudi et placé en garde à vue dans le cadre d'une enquête pour \"viol et agression sexuelle sur mineure de 15 ans, a annoncé le média à l'AFP.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-les-spurs-deplorent-huit-cas-positifs-au-covid-19-selon-la-presse-anglaise_AV-202112070117.html", + "link": "https://rmcsport.bfmtv.com/natation/accusation-de-viol-france-info-suspend-sa-collaboration-avec-yannick-agnel_AD-202112090491.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 07:43:08 GMT", - "enclosure": "https://images.bfmtv.com/-2wDRIgTqr2KM2c0Lf2KYweeiuo=/0x0:1200x675/800x0/images/Antonio-Conte-1183179.jpg", + "pubDate": "Thu, 09 Dec 2021 18:10:13 GMT", + "enclosure": "https://images.bfmtv.com/TOyAyEpgUtYNco9m0zVW6QZz6Po=/0x53:1024x629/800x0/images/-779538.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36221,17 +40856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "01c0a324fec049b75b538d8d7d972ddf" + "hash": "350892c6a05c4dd4fc3d4bfa38aa9d23" }, { - "title": "Mercato en direct: Milik, Guendouzi, Ünder, Kamara... Longoria et les dossiers chauds de l'OM", - "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "Incidents OL-OM: Rothen remonté contre la LFP sur le cas Payet", + "description": "Jérôme Rothen aurait aimé que Dimitri Payet soit entendu et convoqué à Paris par la commission de discipline de la Ligue, qui a jugé la responsabilité de l'OL dans les incidents survenus lors du match Lyon-Marseille en novembre.

", + "content": "Jérôme Rothen aurait aimé que Dimitri Payet soit entendu et convoqué à Paris par la commission de discipline de la Ligue, qui a jugé la responsabilité de l'OL dans les incidents survenus lors du match Lyon-Marseille en novembre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-rothen-remonte-contre-la-lfp-sur-le-cas-payet_AV-202112090488.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", - "enclosure": "https://images.bfmtv.com/lAsDxStLM8ahkQtGs-E_TefhH3k=/0x0:2048x1152/800x0/images/Arkadiusz-Milik-avec-l-OM-1181586.jpg", + "pubDate": "Thu, 09 Dec 2021 18:05:30 GMT", + "enclosure": "https://images.bfmtv.com/GRURv_TXtUZ3p8oMt9XMjcPuP1k=/154x126:1530x900/800x0/images/Jerome-Rothen-1132375.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36241,17 +40876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "425671c5b2cea49b465d64d0e0b6b06b" + "hash": "4ff7203d64df89c898e078b300a2595c" }, { - "title": "Boxe: Tommy Fury renonce à son combat face au Youtuber Jake Paul", - "description": "Tommy Fury, demi-frère de la star britannique Tyson, a renoncé à son combat face au Youtuber Jake Paul, initialement prévu le 18 décembre prochain, en raison d’une infection thoracique et d’une côté cassée.

", - "content": "Tommy Fury, demi-frère de la star britannique Tyson, a renoncé à son combat face au Youtuber Jake Paul, initialement prévu le 18 décembre prochain, en raison d’une infection thoracique et d’une côté cassée.

", + "title": "Champion olympique, consultant, e-sport: les différentes casquettes de Yannick Agnel", + "description": "Le nageur Yannick Agnel a été placé en garde à vue jeudi dans le cadre d'une information judiciaire ouverte pour viol sur mineure. Double champion olympique en 2012, retraité quatre ans plus tard, il s’était depuis lancé dans le e-sport. Avec des projets variés, Yannick Agnel est devenu une figure médiatique.

", + "content": "Le nageur Yannick Agnel a été placé en garde à vue jeudi dans le cadre d'une information judiciaire ouverte pour viol sur mineure. Double champion olympique en 2012, retraité quatre ans plus tard, il s’était depuis lancé dans le e-sport. Avec des projets variés, Yannick Agnel est devenu une figure médiatique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-tommy-fury-renonce-a-son-combat-face-au-youtuber-jake-paul_AV-202112070073.html", + "link": "https://rmcsport.bfmtv.com/natation/champion-olympique-consultant-e-sport-les-differentes-casquettes-de-yannick-agnel_AN-202112090482.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 06:55:04 GMT", - "enclosure": "https://images.bfmtv.com/t6mYiZ1K7p9QhSRRDpG86CjMVTk=/0x135:2048x1287/800x0/images/Tommy-Fury-1183140.jpg", + "pubDate": "Thu, 09 Dec 2021 17:58:31 GMT", + "enclosure": "https://images.bfmtv.com/dpvpg5ZEe9Ok_Xy6HlICw_xO3-8=/0x197:2048x1349/800x0/images/Yannick-Agnel-en-2016-1185222.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36261,37 +40896,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "d136026993687e15d67bfed22c1a02c3" + "hash": "c05e05d17be7f8f9321494b2592bb103" }, { - "title": "Hand: Didier Dinart nommé sélectionneur de l'Arabie saoudite", - "description": "L'ancien patron de la défense des Bleus et ex-sélectionneur de l'équipe de France masculine de handball, Didier Dinart, a été nommé à la tête de la sélection de l'Arabie Saoudite.

", - "content": "L'ancien patron de la défense des Bleus et ex-sélectionneur de l'équipe de France masculine de handball, Didier Dinart, a été nommé à la tête de la sélection de l'Arabie Saoudite.

", + "title": "PSG: directeur technique du centre de formation, Cabaye félicite Simons et Michut", + "description": "Directeur technique du centre de formation du PSG depuis l’été dernier, Yohan Cabaye participe pleinement à l’évolution des jeunes du club de la capitale. Dans une interview pour Le Parisien, l’ancien milieu de terrain est revenu sur les situations délicates de Xavi Simons et Edouard Michut.

", + "content": "Directeur technique du centre de formation du PSG depuis l’été dernier, Yohan Cabaye participe pleinement à l’évolution des jeunes du club de la capitale. Dans une interview pour Le Parisien, l’ancien milieu de terrain est revenu sur les situations délicates de Xavi Simons et Edouard Michut.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/hand-didier-dinart-nomme-selectionneur-de-l-arabie-saoudite_AV-202112070069.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-directeur-technique-du-centre-de-formation-cabaye-felicite-simons-et-michut_AV-202112090474.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 06:49:12 GMT", - "enclosure": "https://images.bfmtv.com/G9bZIIYMtNb7A4kAXXGHhnG_09k=/0x124:1200x799/800x0/images/Didier-Dinart-1183133.jpg", + "pubDate": "Thu, 09 Dec 2021 17:46:57 GMT", + "enclosure": "https://images.bfmtv.com/I9FOYfZ8IdCANi8gEYpmCLV9D88=/0x26:2048x1178/800x0/images/Yohan-Cabaye-PSG-1038951.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "071fb543f39774d2ee8b3c10522da82e" + "hash": "185311c774713e8b1b2ee12113b8579c" }, { - "title": "Ligue 1 en direct: Longoria craint des conséquences si OL-OM est à rejouer", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Saint-Etienne: ce que Sablé a déjà changé depuis sa prise de fonction", + "description": "Désigné pour assurer l'intérim au poste d'entraîneur de Saint-Etienne après l'éviction de Claude Puel dimanche, Julien Sablé a décidé de créer un \"conseil des sages\" composé de cinq joueurs, afin d'impliquer son groupe dans le processus décisionnel.

", + "content": "Désigné pour assurer l'intérim au poste d'entraîneur de Saint-Etienne après l'éviction de Claude Puel dimanche, Julien Sablé a décidé de créer un \"conseil des sages\" composé de cinq joueurs, afin d'impliquer son groupe dans le processus décisionnel.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-ce-que-sable-a-deja-change-depuis-sa-prise-de-fonction_AV-202112090465.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", + "pubDate": "Thu, 09 Dec 2021 17:26:29 GMT", + "enclosure": "https://images.bfmtv.com/VUyQ847VnaD-_0PcfQhCepMdf8c=/0x0:2048x1152/800x0/images/Julien-Sable-1185170.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36301,17 +40936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4752aa0b6a4cfd84267d8a5fe2c240b2" + "hash": "8776259128020ef5d650dfaa5adae4a6" }, { - "title": "Incidents OL-OM: Longoria redoute des conséquences si le match est à rejouer", - "description": "Pablo Longoria, président de Marseille, met en garde sur les conséquences des sanctions qui seront prises, mercredi par la commission de discipline sur les incidents du match entre l’OL et l’OM, le 21 novembre dernier.

", - "content": "Pablo Longoria, président de Marseille, met en garde sur les conséquences des sanctions qui seront prises, mercredi par la commission de discipline sur les incidents du match entre l’OL et l’OM, le 21 novembre dernier.

", + "title": "Thierry Henry veut encore entraîner et apprend à comprendre la nouvelle génération", + "description": "Après avoir connu le succès en tant que joueur, Thierry Henry vit une seconde jeunesse avec son rôle de consultant chez Amazon. Dans une interview pour GQ, le Français a affirmé ne pas avoir fait une croix sur le métier d’entraîneur, et explique la nécessité de comprendre la \"nouvelle génération\".

", + "content": "Après avoir connu le succès en tant que joueur, Thierry Henry vit une seconde jeunesse avec son rôle de consultant chez Amazon. Dans une interview pour GQ, le Français a affirmé ne pas avoir fait une croix sur le métier d’entraîneur, et explique la nécessité de comprendre la \"nouvelle génération\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-longoria-redoute-des-consequences-si-le-match-est-a-rejouer_AV-202112070053.html", + "link": "https://rmcsport.bfmtv.com/football/thierry-henry-veut-encore-entrainer-et-apprend-a-comprendre-la-nouvelle-generation_AV-202112090455.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 06:30:38 GMT", - "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", + "pubDate": "Thu, 09 Dec 2021 17:10:08 GMT", + "enclosure": "https://images.bfmtv.com/IZ_fWG6RjhAH2HPe35x2CLBLzWQ=/4x85:1364x850/800x0/images/Thierry-Henry-1172448.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36321,17 +40956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "85b4ab11bfa148ee2cae366a62824ebe" + "hash": "ace7db7add69dbf15da99931ac445848" }, { - "title": "OL: Accord de \"naming\" entre OL Groupe et LDLC pour la future arena", - "description": "OL Groupe, la holding de l'Olympique lyonnais, et le distributeur de produits de haute technologie LDLC ont annoncé, lundi, un accord de \"naming\" pour la future salle multifonctions de l'OL. 

", - "content": "OL Groupe, la holding de l'Olympique lyonnais, et le distributeur de produits de haute technologie LDLC ont annoncé, lundi, un accord de \"naming\" pour la future salle multifonctions de l'OL. 

", + "title": "Sturm Graz-Monaco en direct : L'ASM concède le nul (1-1)", + "description": "Déjà assuré de la qualification pour les huitièmes de finale de la Ligue Europa, Monaco a ramené un point face au Sturm Graz et termine la phase de groupe invaincu.

", + "content": "Déjà assuré de la qualification pour les huitièmes de finale de la Ligue Europa, Monaco a ramené un point face au Sturm Graz et termine la phase de groupe invaincu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-accord-de-naming-entre-ol-groupe-et-ldlc-pour-la-future-arena_AV-202112070046.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/sturm-graz-monaco-en-direct-un-duo-volland-ben-yedder-en-attaque_LS-202112090441.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 06:21:10 GMT", - "enclosure": "https://images.bfmtv.com/fkkxwG6rDnVRMibTkladjA4zc_I=/0x0:1200x675/800x0/images/Jean-Michel-Aulas-1183104.jpg", + "pubDate": "Thu, 09 Dec 2021 16:57:53 GMT", + "enclosure": "https://images.bfmtv.com/a8NBmdJVJViaPOiotehPftV648Q=/0x104:2000x1229/800x0/images/Volland-face-au-Sturm-Graz-1185242.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36341,17 +40976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2803a1bef973ca2da21cf31854e33cb0" + "hash": "6de7480ff55a0447941d68cd7cb81a8b" }, { - "title": "OL: Aulas propose de remplacer un joueur blessé en cas d’incident", - "description": "Jean-Michel Aulas, président de l’OL, a formulé une nouvelle idée en cas d’incidents lors d’un match: pouvoir remplacer un joueur supplémentaire ciblé par des violences, comme ce fut le cas de Dimitri Payet lors d’OL-OM, le 21 novembre dernier.

", - "content": "Jean-Michel Aulas, président de l’OL, a formulé une nouvelle idée en cas d’incidents lors d’un match: pouvoir remplacer un joueur supplémentaire ciblé par des violences, comme ce fut le cas de Dimitri Payet lors d’OL-OM, le 21 novembre dernier.

", + "title": "OL-Rangers, les compos: Bosz fait tourner, première pour Vogel", + "description": "C'est avec une équipe largement remaniée que l'OL affronte le Rangers FC, jeudi soir pour la 6e et dernière journée de la phase de groupes de la Ligue Europa. Le match est sans enjeu, ce qui permet à Pollersbeck, Vogel et Keita de débuter.

", + "content": "C'est avec une équipe largement remaniée que l'OL affronte le Rangers FC, jeudi soir pour la 6e et dernière journée de la phase de groupes de la Ligue Europa. Le match est sans enjeu, ce qui permet à Pollersbeck, Vogel et Keita de débuter.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-aulas-propose-de-remplacer-un-joueur-blesse-en-cas-d-incident_AV-202112070030.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ol-rangers-les-compos-bosz-fait-tourner-premiere-pour-vogel_AV-202112090439.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 05:49:00 GMT", - "enclosure": "https://images.bfmtv.com/lLVLDV27M0j4AM0BRfpKjGn4wlg=/0x212:2048x1364/800x0/images/Jean-Michel-Aulas-1183085.jpg", + "pubDate": "Thu, 09 Dec 2021 16:54:23 GMT", + "enclosure": "https://images.bfmtv.com/4WXSpLk9F00_bhtkPTw4AqHJjOY=/0x61:1696x1015/800x0/images/Pollersbeck-1185147.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36361,17 +40996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "90bc46f90535324ae15022de789cef32" + "hash": "36d76d4d322e01cd76a5dedc6b1bbf8f" }, { - "title": "OM: Longoria a trouvé la raison des difficultés actuelles de l’équipe", - "description": "Dans une interview à L’Equipe, Pablo Longoria, président de l’OM, défend l’approche de Jorge Sampaoli malgré les difficultés actuelles de l’équipe qui doit garder le contrôle de jeu car elle n’est \"pas construite pour jouer physique\".

", - "content": "Dans une interview à L’Equipe, Pablo Longoria, président de l’OM, défend l’approche de Jorge Sampaoli malgré les difficultés actuelles de l’équipe qui doit garder le contrôle de jeu car elle n’est \"pas construite pour jouer physique\".

", + "title": "UFC 269: Dustin Poirier, l’or après l’argent?", + "description": "Double vainqueur de Conor McGregor en 2021, Dustin Poirier aurait pu combattre pour la ceinture des légers de l’UFC en mai dernier. Mais il a préféré le gros chèque du choc contre la superstar irlandaise. Cinq mois plus tard, le combattant américain battu par Khabib Nurmagomedov pour le titre en 2019 a enfin une nouvelle chance de toucher son Graal ce week-end à Las Vegas (à suivre en direct et en exclusivité à partir de 4h dans la nuit de samedi à dimanche sur RMC Sport 2) contre le combattant brésilien Charles Oliveira. Et il s’avance en favori des observateurs.

", + "content": "Double vainqueur de Conor McGregor en 2021, Dustin Poirier aurait pu combattre pour la ceinture des légers de l’UFC en mai dernier. Mais il a préféré le gros chèque du choc contre la superstar irlandaise. Cinq mois plus tard, le combattant américain battu par Khabib Nurmagomedov pour le titre en 2019 a enfin une nouvelle chance de toucher son Graal ce week-end à Las Vegas (à suivre en direct et en exclusivité à partir de 4h dans la nuit de samedi à dimanche sur RMC Sport 2) contre le combattant brésilien Charles Oliveira. Et il s’avance en favori des observateurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-longoria-a-trouve-la-raison-des-difficultes-actuelles-de-l-equipe_AV-202112070022.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ufc-269-dustin-poirier-l-or-apres-l-argent_AV-202112090428.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 05:22:06 GMT", - "enclosure": "https://images.bfmtv.com/-SSuP9pasRsmVhk5VXS5o6ZCLfk=/0x212:2048x1364/800x0/images/Pablo-Longoria-1128568.jpg", + "pubDate": "Thu, 09 Dec 2021 16:43:25 GMT", + "enclosure": "https://images.bfmtv.com/APH2f_WX47CkyojEWTv4QOjIdkM=/0x137:2048x1289/800x0/images/Dustin-Poirier-1185117.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36381,37 +41016,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b60c070bfc658d3780f6dd9369b3743" + "hash": "0a7c40e8268ef205fb0ef1e894f0e70b" }, { - "title": "Djokovic participera à l'ATP Cup, bon signe pour l'Open d'Australie", - "description": "Novak Djokovic a été retenu dans l'équipe de la Serbie pour participer à l'ATP Cup qui aura lieu en Australie en janvier, quelques jours avant le premier Grand Chelem de la saison à Melbourne, où sa participation est encore incertaine.

", - "content": "Novak Djokovic a été retenu dans l'équipe de la Serbie pour participer à l'ATP Cup qui aura lieu en Australie en janvier, quelques jours avant le premier Grand Chelem de la saison à Melbourne, où sa participation est encore incertaine.

", + "title": "OL-Rangers en direct: malgré un Cherki décisif, les Lyonnais manquent l'opportunité d'une victoire historique", + "description": "Déjà assuré de la qualification en huitièmes de finale et de la première place de son groupe, Lyon accueille les Glasgow Rangers, jeudi en Ligue Europa. Coup d'envoi à 18h45 sur RMC Sport 2.

", + "content": "Déjà assuré de la qualification en huitièmes de finale et de la première place de son groupe, Lyon accueille les Glasgow Rangers, jeudi en Ligue Europa. Coup d'envoi à 18h45 sur RMC Sport 2.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/djokovic-participera-a-l-atp-cup-bon-signe-pour-l-open-d-australie_AD-202112070016.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ol-rangers-en-direct-sans-paqueta-lyon-peut-conclure-une-phase-de-groupes-parfaite_LS-202112090426.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 04:48:53 GMT", - "enclosure": "https://images.bfmtv.com/ErgLQe2BAobR01zIzT8E-f232Tk=/0x54:2032x1197/800x0/images/Novak-Djokovic-1181338.jpg", + "pubDate": "Thu, 09 Dec 2021 16:40:50 GMT", + "enclosure": "https://images.bfmtv.com/f6y01NOHi7-CbmAEQSwFuEc88w0=/0x105:2048x1257/800x0/images/OL-Rangers-1185267.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "72a327228fcf890e6427d3fee1785b11" + "hash": "9091be394bccaa86ceee65da776caef4" }, { - "title": "Point en moins ou match perdu, trois questions sur OL-OM avant la commission de discipline", - "description": "La commission de discipline de la Ligue de football professionnel annoncera ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'interruption du match face à l'Olympique de Marseille, le 21 novembre au Groupama Stadium. Avant ce verdict attendu, retour sur cette affaire en trois questions.

", - "content": "La commission de discipline de la Ligue de football professionnel annoncera ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'interruption du match face à l'Olympique de Marseille, le 21 novembre au Groupama Stadium. Avant ce verdict attendu, retour sur cette affaire en trois questions.

", + "title": "OM-Lokomotiv Moscou en direct: l'OM en tête grâce à Milik, la C4 se rapproche", + "description": "L'OM n'a besoin que d'un match nul face au Lokomotiv pour être reversé en Conference League. Mais à la pause, les Marseillais virent en tête après une bonne première période, récompensée par une tête gagnante de Milik. Le second acte à suivre dans notre live commenté.

", + "content": "L'OM n'a besoin que d'un match nul face au Lokomotiv pour être reversé en Conference League. Mais à la pause, les Marseillais virent en tête après une bonne première période, récompensée par une tête gagnante de Milik. Le second acte à suivre dans notre live commenté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/point-en-moins-ou-match-perdu-trois-questions-sur-ol-om-avant-la-commission-de-discipline_AV-202112070015.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-om-lokomotiv-moscou-en-direct_LS-202112090420.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:07:13 GMT", - "enclosure": "https://images.bfmtv.com/YUzaZSDOddKudjP1EhIzSEW7nSc=/0x60:768x492/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", + "pubDate": "Thu, 09 Dec 2021 16:33:38 GMT", + "enclosure": "https://images.bfmtv.com/OC_f-b4x_CIz9Ov35325Rwy1-0A=/0x106:2048x1258/800x0/images/1185345.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36421,17 +41056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c7cc465f3965ee368b61e5f9f57e12d" + "hash": "17173a601de627ff7b993677ecb6c600" }, { - "title": "PSG: Hakimi juge sa relation avec Messi et défend Pochettino", - "description": "A la veille du match de Ligue des champions face à Bruges, ce mardi au Parc des Princes (18h45), Achraf Hakimi s’est exprimé au micro de RMC Sport. L’occasion pour le latéral droit du PSG de commenter son association avec Lionel Messi dans le couloir droit. Et de saluer le travail de son coach.

", - "content": "A la veille du match de Ligue des champions face à Bruges, ce mardi au Parc des Princes (18h45), Achraf Hakimi s’est exprimé au micro de RMC Sport. L’occasion pour le latéral droit du PSG de commenter son association avec Lionel Messi dans le couloir droit. Et de saluer le travail de son coach.

", + "title": "Filets, vidéos, grilles... les pistes à l'étude de la LFP pour la sécurité dans les stades", + "description": "Info RMC Sport - La Ligue planche sur plusieurs mesures pour la sécurisation des stades. Elle veut notamment vérifier d’ici la fin de saison tous les systèmes de vidéo-protection des stades afin de s’assurer de leur efficacité et généraliser la mise en place d’un système de filet amovible.

", + "content": "Info RMC Sport - La Ligue planche sur plusieurs mesures pour la sécurisation des stades. Elle veut notamment vérifier d’ici la fin de saison tous les systèmes de vidéo-protection des stades afin de s’assurer de leur efficacité et généraliser la mise en place d’un système de filet amovible.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-hakimi-juge-sa-relation-avec-messi-et-defend-pochettino_AV-202112060571.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/filets-videos-grilles-les-pistes-a-l-etude-de-la-lfp-pour-la-securite-dans-les-stades_AV-202112090413.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:08:25 GMT", - "enclosure": "https://images.bfmtv.com/Z6_mvkHOLiC4131mVQdjZdi4SX4=/0x68:2048x1220/800x0/images/Achraf-Hakimi-1132639.jpg", + "pubDate": "Thu, 09 Dec 2021 16:25:18 GMT", + "enclosure": "https://images.bfmtv.com/LJN4y2A5ViNmMsexU1LP0heFpGQ=/0x35:768x467/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36441,17 +41076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "38a8bf40aea413baa05d1d9816e2b3fd" + "hash": "0120025400cdb422d8740ff75fac0897" }, { - "title": "PRONOS PARIS RMC Les paris sur PSG – Bruges du 7 décembre – Ligue des Champions", - "description": "Notre pronostic : Paris bat Bruges (1.28)

", - "content": "Notre pronostic : Paris bat Bruges (1.28)

", + "title": "F1: \"Je ne suis pas mal à l'aise\", Verstappen affiche sa sérénité à Abou Dhabi", + "description": "À la veille des séances d'essais à Abou Dhabi, pour le dénouement de la saison de F1 et de la lutte pour le titre de champion du monde, Max Verstappen a assuré ne pas ressentir de pression particulière. Idem pour Lewis Hamilton.

", + "content": "À la veille des séances d'essais à Abou Dhabi, pour le dénouement de la saison de F1 et de la lutte pour le titre de champion du monde, Max Verstappen a assuré ne pas ressentir de pression particulière. Idem pour Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-sur-psg-bruges-du-7-decembre-ligue-des-champions_AN-202112060294.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-je-ne-suis-pas-mal-a-l-aise-verstappen-affiche-sa-serenite-a-abou-dhabi_AV-202112090407.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/fsF4C_quMOjnEC6av3BfuUtZ1dk=/0x67:2000x1192/800x0/images/Paris-Saint-Germain-1182726.jpg", + "pubDate": "Thu, 09 Dec 2021 16:17:53 GMT", + "enclosure": "https://images.bfmtv.com/ntO4XQcA37Pcqyaa6kgH4_Z733A=/0x74:2048x1226/800x0/images/Max-Verstappen-1185066.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36461,17 +41096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdbf7ded048c1b85617d6fd03abb4e0e" + "hash": "06e680c43fd38d71661671b05f14197e" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 7 décembre – Ligue des Champions", - "description": "Notre pronostic : le Real Madrid ne perd pas face à l’Inter et les deux équipes marquent (1.90)

", - "content": "Notre pronostic : le Real Madrid ne perd pas face à l’Inter et les deux équipes marquent (1.90)

", + "title": "La Ligue 2 passera à 18 clubs à partir de la saison 2024-2025", + "description": "La LFP a officiellement acté jeudi le passage de la Ligue 2 à 18 clubs à partir de la saison 2024-2025.

", + "content": "La LFP a officiellement acté jeudi le passage de la Ligue 2 à 18 clubs à partir de la saison 2024-2025.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-7-decembre-ligue-des-champions_AN-202112060292.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/la-ligue-2-passera-a-18-clubs-a-partir-de-la-saison-2024-2025_AN-202112090391.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/IrtZa1SaHqcYX35-iN1_L0vvELY=/3x18:1987x1134/800x0/images/T-Kroos-1182725.jpg", + "pubDate": "Thu, 09 Dec 2021 16:04:58 GMT", + "enclosure": "https://images.bfmtv.com/NCzalMBXTqmBRng1fZBp2OXKjqY=/0x52:768x484/800x0/images/Logo-de-la-Ligue-2-1153920.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36481,17 +41116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "efc9872c10a9f04d3576dc68f89d9e2b" + "hash": "e120b9ecf45e301b72b7b4925ef06796" }, { - "title": "PRONOS PARIS RMC Le pari de folie du 7 décembre – Ligue des Champions", - "description": "Notre pronostic : l’Atletico de Madrid s’impose à Porto et les deux équipes marquent (4.80)

", - "content": "Notre pronostic : l’Atletico de Madrid s’impose à Porto et les deux équipes marquent (4.80)

", + "title": "Bayern-Barça: Lenglet se justifie après les images polémiques, tout sourire, avec Lewandowski", + "description": "Après la défaite contre le Bayern mercredi soir (3-0) synonyme d’élimination dès la phase de poule pour le Barça, Clément Lenglet a été vu en train de rire avec son adversaire Robert Lewandowski. L’image a déclenché la colère des supporters et a poussé le Français à s’expliquer.

", + "content": "Après la défaite contre le Bayern mercredi soir (3-0) synonyme d’élimination dès la phase de poule pour le Barça, Clément Lenglet a été vu en train de rire avec son adversaire Robert Lewandowski. L’image a déclenché la colère des supporters et a poussé le Français à s’expliquer.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-7-decembre-ligue-des-champions_AN-202112060290.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bayern-barca-lenglet-se-justifie-apres-les-images-polemiques-tout-sourire-avec-lewandowski_AV-202112090383.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/jHN2J2BCQ0RVUTPev48KJI8vTFI=/1x91:1985x1207/800x0/images/Atletico-Madrid-1182721.jpg", + "pubDate": "Thu, 09 Dec 2021 15:58:00 GMT", + "enclosure": "https://images.bfmtv.com/_7ofL6f6KU954Vq_FNRZE-CNekQ=/114x81:754x441/800x0/images/Le-defenseur-francais-du-Barca-Clement-Lenglet-gauche-felicite-l-avant-centre-polonais-du-Bayern-Robert-Lewandowski-apres-le-match-de-ligue-des-Champions-entre-les-deux-equipes-a-Munich-le-8-decembre-2021-1184905.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36501,17 +41136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "30c023027a198e4c741f280833460d51" + "hash": "0a9f6e24194a25a7227dd3a5a583eb09" }, { - "title": "PRONOS PARIS RMC Le buteur du 7 décembre – Ligue des Champions", - "description": "Notre pronostic : Haller (Ajax) marque face au Sporting Portugal (2.10)

", - "content": "Notre pronostic : Haller (Ajax) marque face au Sporting Portugal (2.10)

", + "title": "Mercato: Raiola fait monter la pression pour Haaland", + "description": "Les chances de voir Erling Haaland quitter le Borussia Dortmund l’été prochain sont grandes. Et ce ne sont pas les déclarations de son agent qui vont dissuader les observateurs de foot de penser l’inverse. Dans un entretien à Sport 1, Mino Raiola a parlé de l’avenir de son poulain.

", + "content": "Les chances de voir Erling Haaland quitter le Borussia Dortmund l’été prochain sont grandes. Et ce ne sont pas les déclarations de son agent qui vont dissuader les observateurs de foot de penser l’inverse. Dans un entretien à Sport 1, Mino Raiola a parlé de l’avenir de son poulain.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-7-decembre-ligue-des-champions_AN-202112060288.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-raiola-fait-monter-la-pression-pour-haaland_AV-202112090322.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/1-KvW-eVyeW24ELL3X6hOfr_1oE=/0x0:1984x1116/800x0/images/S-Haller-1182720.jpg", + "pubDate": "Thu, 09 Dec 2021 14:25:35 GMT", + "enclosure": "https://images.bfmtv.com/aWdz0MjvmYxgsGakVX2_opyRK8A=/0x0:752x423/800x0/images/L-attaquant-norvegien-du-Borussia-Dortmund-Erling-Haaland-encourage-ses-coequipiers-depuis-les-tribunes-lors-de-la-rencontre-de-Ligue-des-champions-contre-l-Ajax-Amsterdam-groupe-C-a-domicile-le-3-Novembre-2021-1176056.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36521,17 +41156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "be72cb67cc2c8715f64ea83fa0b7e1af" + "hash": "5db56d8d6983e2f3b52e8796b638126d" }, { - "title": "PRONOS PARIS RMC Le pari football d’Eric Di Meco du 7 décembre – Ligue des Champions", - "description": "Mon pronostic : le Milan AC bat Liverpool (2.05)

", - "content": "Mon pronostic : le Milan AC bat Liverpool (2.05)

", + "title": "Coupes d'Europe: les clubs français se portent mieux, la preuve en stat", + "description": "Les six équipes françaises engagées dans les compétitions européennes cette saison pourraient encore être présentes en février lors des phases à élimination directe. Seul l'OM doit encore valider son billet pour la Conference League. En attendant la dernière journée ce jeudi en Ligue Europa et en C4, les clubs français peuvent déjà mesurer leur progression lors des phases de groupes.

", + "content": "Les six équipes françaises engagées dans les compétitions européennes cette saison pourraient encore être présentes en février lors des phases à élimination directe. Seul l'OM doit encore valider son billet pour la Conference League. En attendant la dernière journée ce jeudi en Ligue Europa et en C4, les clubs français peuvent déjà mesurer leur progression lors des phases de groupes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-d-eric-di-meco-du-7-decembre-ligue-des-champions_AN-202112060287.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/coupes-d-europe-les-clubs-francais-se-portent-mieux-la-preuve-en-stat_AV-202112090321.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:00:00 GMT", - "enclosure": "https://images.bfmtv.com/IIbEZ-oD4xEWzYv9ITWQjqgXeKA=/0x51:1984x1167/800x0/images/F-Kessie-1182719.jpg", + "pubDate": "Thu, 09 Dec 2021 14:18:53 GMT", + "enclosure": "https://images.bfmtv.com/7z3UfCv9QAGjasbl781VRIXC3ao=/6x101:2038x1244/800x0/images/Losc-Wolfsburg-1184513.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36541,17 +41176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2756ba4fefb8fcec39cc5a4f726c0507" + "hash": "ec2d8737afa117fb75daa42cf5c43c00" }, { - "title": "Premier League: Everton s'impose sur le fil face à Arsenal grâce à un missile de Gray", - "description": "Une semaine après la défaite face à Manchester United, Arsenal s'est sabordé ce lundi sur la pelouse d'Everton (2-1). Les Gunners restent à distance du top 5 de la Premier League.

", - "content": "Une semaine après la défaite face à Manchester United, Arsenal s'est sabordé ce lundi sur la pelouse d'Everton (2-1). Les Gunners restent à distance du top 5 de la Premier League.

", + "title": "OM: Rongier explique pourquoi il ne marque presque jamais", + "description": "Joueur important dans le onze de départ de l’Olympique de Marseille, Valentin Rongier ne brille pas par ses statistiques devant le but. Invité lundi sur le plateau de BFM Marseille, le milieu de terrain a expliqué ce problème par \"un manque de lucidité\".

", + "content": "Joueur important dans le onze de départ de l’Olympique de Marseille, Valentin Rongier ne brille pas par ses statistiques devant le but. Invité lundi sur le plateau de BFM Marseille, le milieu de terrain a expliqué ce problème par \"un manque de lucidité\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-everton-s-impose-sur-le-fil-face-a-arsenal-grace-a-un-missile-de-gray_AV-202112060555.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-valentin-rongier-explique-pourquoi-il-ne-marque-presque-jamais_AV-202112090317.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 22:11:54 GMT", - "enclosure": "https://images.bfmtv.com/Dfv1gHTMScCjiyCCA7NXmg-ZEqs=/0x167:2000x1292/800x0/images/Richarlison-1183032.jpg", + "pubDate": "Thu, 09 Dec 2021 14:08:28 GMT", + "enclosure": "https://images.bfmtv.com/pf2q1HHQ8NJHTOxQ7bgkHDouQF8=/0x143:2048x1295/800x0/images/Valentin-Rongier-1167218.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36561,17 +41196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1350002439a2e913a9bf0ba2ec6984e7" + "hash": "2386050bf4582f97deb6ff1d9932b180" }, { - "title": "Incidents OL-OM: ce que dit le rapport de M. Buquet sur le déroulé de la soirée", - "description": "À deux jours des décisions de la commission de discipline de la Ligue de football professionnel concernant les incidents qui ont provoqué l'interruption d'OL-OM le 21 novembre dernier, RMC Sport s'est procuré le rapport de l'arbitre Ruddy Buquet, dans lequel il explique n'avoir jamais voulu reprendre la rencontre.

", - "content": "À deux jours des décisions de la commission de discipline de la Ligue de football professionnel concernant les incidents qui ont provoqué l'interruption d'OL-OM le 21 novembre dernier, RMC Sport s'est procuré le rapport de l'arbitre Ruddy Buquet, dans lequel il explique n'avoir jamais voulu reprendre la rencontre.

", + "title": "Ligue 1: \"Pep Genesio\", comment l'entraîneur du Stade Rennais juge son surnom", + "description": "Dans un entretien pour le magazine So Foot, Bruno Genesio revient avec franchise sur sa perception de son surnom lié à l'entraîneur de Manchester City Pep Guardiola. L'actuel coach du Stade Rennais assure qu'il prend la chose \"sur le ton de la plaisanterie\". Mais ça n'a pas été toujours le cas.

", + "content": "Dans un entretien pour le magazine So Foot, Bruno Genesio revient avec franchise sur sa perception de son surnom lié à l'entraîneur de Manchester City Pep Guardiola. L'actuel coach du Stade Rennais assure qu'il prend la chose \"sur le ton de la plaisanterie\". Mais ça n'a pas été toujours le cas.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-ce-que-dit-le-rapport-de-m-buquet-sur-le-deroule-de-la-soiree_AV-202112060552.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pep-guardiola-comment-l-entraineur-du-stade-rennais-juge-son-surnom_AV-202112090307.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 22:04:46 GMT", - "enclosure": "https://images.bfmtv.com/WO5K-D9aCrCuNiY20pZra1bZuwU=/0x36:2048x1188/800x0/images/L-arbitre-Ruddy-Buquet-s-exprime-apres-OL-OM-1171950.jpg", + "pubDate": "Thu, 09 Dec 2021 13:44:56 GMT", + "enclosure": "https://images.bfmtv.com/pdikyk_c0P4fP49-VZCytXlND-Q=/0x134:2048x1286/800x0/images/Bruno-Genesio-1150756.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36581,17 +41216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae07e0d357be5b02d901274644ee6f57" + "hash": "fafd47d4f8e23796748d3cabaa67ac8e" }, { - "title": "Ballon d'or: Lewandowski a ressenti \"de la tristesse\" après le sacre de Messi", - "description": "Deuxième du Ballon d'or juste derrière Lionel Messi, Robert Lewandowski n'a pas caché sa peine après le résultat, alors que la Pulga a demandé à ce que le Polonais soit le lauréat de l'édition 2020.

", - "content": "Deuxième du Ballon d'or juste derrière Lionel Messi, Robert Lewandowski n'a pas caché sa peine après le résultat, alors que la Pulga a demandé à ce que le Polonais soit le lauréat de l'édition 2020.

", + "title": "Saint-Etienne: Khazri dément avoir acheté un immeuble pour loger des sans-abris", + "description": "Wahbi Khazri a démenti une rumeur lancée sur les réseaux sociaux selon laquelle l’attaquant de Saint-Etienne avait acheté un immeuble pour louer à bas coût des appartements à des sans-abris.

", + "content": "Wahbi Khazri a démenti une rumeur lancée sur les réseaux sociaux selon laquelle l’attaquant de Saint-Etienne avait acheté un immeuble pour louer à bas coût des appartements à des sans-abris.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/ballon-d-or-lewandowski-a-ressenti-de-la-tristesse-apres-le-sacre-de-messi_AV-202112060541.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-khazri-dement-avoir-achete-un-immeuble-pour-loger-des-sans-abris_AV-202112090302.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 21:29:19 GMT", - "enclosure": "https://images.bfmtv.com/ahtAbloXHghC38z86uAZxWzxhPg=/0x143:2000x1268/800x0/images/Lewandowski-1183030.jpg", + "pubDate": "Thu, 09 Dec 2021 13:35:19 GMT", + "enclosure": "https://images.bfmtv.com/xFO3OqWx-L2vCk3n4wbPRJYjdXU=/0x118:2048x1270/800x0/images/Wahbi-Khazri-1184964.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36601,17 +41236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4e249a2db99fc4cb1b3333a9f053b646" + "hash": "140da4f7c20f1f6f1132caadd148083a" }, { - "title": "Mondial de handball: Flippes touchée à la cheville et remplacée par Ahanda", - "description": "Victime d'une entorse de la cheville, Laura Flippes a déclaré forfait ce lundi pour le reste du Mondial 2021. L'arrière droite a été remplacée par Orland Ahanda.

", - "content": "Victime d'une entorse de la cheville, Laura Flippes a déclaré forfait ce lundi pour le reste du Mondial 2021. L'arrière droite a été remplacée par Orland Ahanda.

", + "title": "F1: Verstappen estime être \"traité différemment\" des autres pilotes, la pression monte à Abou Dhabi", + "description": "Furieux d'avoir été pénalisé en Arabie Saoudite, Max Verstappen considère que la direction de course de la F1 le traite de façon injuste sur son pilotage. Avant le début du dernier GP de la saison, à Abou Dhabi, le pilote Red Bull met la pression sur la FIA.

", + "content": "Furieux d'avoir été pénalisé en Arabie Saoudite, Max Verstappen considère que la direction de course de la F1 le traite de façon injuste sur son pilotage. Avant le début du dernier GP de la saison, à Abou Dhabi, le pilote Red Bull met la pression sur la FIA.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/mondial-de-handball-flippes-touchee-a-la-cheville-et-remplacee-par-ahanda_AD-202112060537.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-verstappen-estime-etre-traite-differement-des-autres-pilotes_AV-202112090296.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 21:26:02 GMT", - "enclosure": "https://images.bfmtv.com/JoUmuzCwOu2w7Fx98Ctsgi1N_7U=/0x39:768x471/800x0/images/L-arriere-droite-des-Bleues-Laura-Flippes-au-cours-du-match-de-l-equipe-de-France-contre-la-Slovenie-au-premier-tour-du-Mondial-2021-le-5-decembre-2021-a-Granollers-1182999.jpg", + "pubDate": "Thu, 09 Dec 2021 13:25:26 GMT", + "enclosure": "https://images.bfmtv.com/xxTqXP4GEp0oC6ytHJ72N0J1wTI=/0x0:2048x1152/800x0/images/Verstappen-1184959.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36621,17 +41256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "283414a67593c72bdd938fe79177e6a5" + "hash": "c72f0e75b29a325e79271251ad713273" }, { - "title": "Ligue 1 en direct: l'arbitre d'OL-OM accuse Aulas de l'avoir menacé dans son rapport", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Nigeria: Rohr garde \"un petit espoir\" de récupérer Osimhen pour la CAN 2022", + "description": "Alors que Naples avait communiqué une absence de plusieurs mois pour Victor Osimhen après un choc violent au visage, le buteur pourrait revenir plus vite que prévu. Le sélectionneur du Nigeria a assuré ce jeudi qu'il existe \"un petit espoir\" de le voir participer à la CAN 2022 entre janvier et février.

", + "content": "Alors que Naples avait communiqué une absence de plusieurs mois pour Victor Osimhen après un choc violent au visage, le buteur pourrait revenir plus vite que prévu. Le sélectionneur du Nigeria a assuré ce jeudi qu'il existe \"un petit espoir\" de le voir participer à la CAN 2022 entre janvier et février.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-d-afrique-des-nations/nigeria-rohr-garde-un-petit-espoir-de-recuperer-osimhen-pour-la-can-2022_AV-202112090293.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/UGHynbgsZ__Bb-yuqzYL1MBo4no=/0x200:2048x1352/800x0/images/Jean-Michel-Aulas-face-a-la-presse-apres-OL-OM-1173221.jpg", + "pubDate": "Thu, 09 Dec 2021 13:17:39 GMT", + "enclosure": "https://images.bfmtv.com/UfjJuPF3FsW3UyDhs5lJIfKfS-w=/0x0:2000x1125/800x0/images/Victor-Osimhen-Naples-1132900.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36641,17 +41276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "cdc15d089f5c992e767c9b18e60f90b8" + "hash": "6c621af4d32e4c15232286095a977990" }, { - "title": "Incidents OL-OM: dans son rapport, M. Buquet accuse Aulas de l'avoir menacé", - "description": "Alors que la Ligue de football professionnel va annoncer ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'incident survenu lors du match face à l'Olympique de Marseille le 21 novembre dernier, RMC Sport s'est procuré le rapport rédigé par l'arbitre de la rencontre ce soir-là. Ruddy Buquet y dénonce notamment les propos menaçants de Jean-Michel Aulas.

", - "content": "Alors que la Ligue de football professionnel va annoncer ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'incident survenu lors du match face à l'Olympique de Marseille le 21 novembre dernier, RMC Sport s'est procuré le rapport rédigé par l'arbitre de la rencontre ce soir-là. Ruddy Buquet y dénonce notamment les propos menaçants de Jean-Michel Aulas.

", + "title": "LOSC: Gourvennec savoure l'accueil des fans après la qualification en Ligue des champions", + "description": "De nombreux supporters du LOSC se sont rendus à l'aéroport de Lille-Lesquin ce jeudi matin pour accueillir en triomphe les joueurs lillois, qui se sont qualifiés mercredi pour les huitièmes de finale de Ligue des champions grâce à leur victoire face à Wolfsburg (3-1).

", + "content": "De nombreux supporters du LOSC se sont rendus à l'aéroport de Lille-Lesquin ce jeudi matin pour accueillir en triomphe les joueurs lillois, qui se sont qualifiés mercredi pour les huitièmes de finale de Ligue des champions grâce à leur victoire face à Wolfsburg (3-1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-dans-son-rapport-m-buquet-accuse-aulas-de-l-avoir-menace_AV-202112060535.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/losc-gourvennec-savoure-l-accueil-des-fans-apres-la-qualification-en-ligue-des-champions_AV-202112090290.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 21:11:52 GMT", - "enclosure": "https://images.bfmtv.com/D3EIgaVqZ7IdPhrkSoa0nS2hpfs=/0x115:2048x1267/800x0/images/Matteo-Guendouzi-discute-avec-Ruddy-Buquet-lors-de-OL-OM-1171965.jpg", + "pubDate": "Thu, 09 Dec 2021 13:11:50 GMT", + "enclosure": "https://images.bfmtv.com/vGx4mpoEivRZ9GgnvUE-1i0acd8=/0x0:2048x1152/800x0/images/Jocelyn-Gourvennec-1184969.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36661,17 +41296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8cf4853944322d8c0b383b3dbc1159b7" + "hash": "c2115da8f5f8d16c9a67fd6a8f8435cb" }, { - "title": "OM: Rongier en dit plus sur la mauvaise passe de Milik", - "description": "Invité de BFM Marseille ce lundi, Valentin Rongier s'est exprimé sur l'état de forme d'Arkadiusz Milik, très discret depuis le début de la saison avec le club phocéen.

", - "content": "Invité de BFM Marseille ce lundi, Valentin Rongier s'est exprimé sur l'état de forme d'Arkadiusz Milik, très discret depuis le début de la saison avec le club phocéen.

", + "title": "Tour de France: la spectatrice à la pancarte condamnée à une amende", + "description": "La spectatrice à la pancarte ayant provoqué une chute massive lors du Tour de France l’été dernier a été condamnée une amende de 1.200 euros, ce jeudi par le tribunal correctionnel de Brest.

", + "content": "La spectatrice à la pancarte ayant provoqué une chute massive lors du Tour de France l’été dernier a été condamnée une amende de 1.200 euros, ce jeudi par le tribunal correctionnel de Brest.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-rongier-en-dit-plus-sur-la-mauvaise-passe-de-milik_AV-202112060532.html", + "link": "https://rmcsport.bfmtv.com/cyclisme/tour-de-france/tour-de-france-la-spectatrice-a-la-pancarte-condamnee-a-une-amende_AV-202112090286.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 21:05:44 GMT", - "enclosure": "https://images.bfmtv.com/lAsDxStLM8ahkQtGs-E_TefhH3k=/0x0:2048x1152/800x0/images/Arkadiusz-Milik-avec-l-OM-1181586.jpg", + "pubDate": "Thu, 09 Dec 2021 12:53:10 GMT", + "enclosure": "https://images.bfmtv.com/qrCOtTDydi6ZAZH2i0brcuJHIhw=/7x88:1063x682/800x0/images/La-chute-sur-le-Tour-de-France-1055978.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36681,17 +41316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "97e4cb18b6a4e629d090a0ac622ec8f3" + "hash": "b32439f83a5c099ca414be500bd1659c" }, { - "title": "Stade Toulousain : Julien Marchand de retour à l'entraînement", - "description": "Touché face à la Géorgie avec les Bleus, le talonneur international du Stade Toulousain a fait son  retour ce lundi à l’entraînement avec ses coéquipiers. Reste à savoir s’il sera aligné samedi à Cardiff en Coupe d’Europe avec le Stade Toulousain.

", - "content": "Touché face à la Géorgie avec les Bleus, le talonneur international du Stade Toulousain a fait son  retour ce lundi à l’entraînement avec ses coéquipiers. Reste à savoir s’il sera aligné samedi à Cardiff en Coupe d’Europe avec le Stade Toulousain.

", + "title": "Lyon: Juninho, les raisons d'un départ", + "description": "C'est fait, ce qui n'était encore qu'une hypothèse, le départ avancé du directeur sportif de l'OL, Juninho dès la trêve des confiseurs est devenu réalité. Son président, qui l'a fait venir au printemps 2019 a appuyé sur le bouton. Décryptage.

", + "content": "C'est fait, ce qui n'était encore qu'une hypothèse, le départ avancé du directeur sportif de l'OL, Juninho dès la trêve des confiseurs est devenu réalité. Son président, qui l'a fait venir au printemps 2019 a appuyé sur le bouton. Décryptage.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/stade-toulousain-julien-marchand-de-retour-a-l-entrainement_AN-202112060526.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-lyon/lyon-juninho-les-raisons-d-un-depart_AV-202112090285.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 20:43:50 GMT", - "enclosure": "https://images.bfmtv.com/Tz7SJndVrC9CzbqJ_NZVJFmZCWY=/0x54:1984x1170/800x0/images/Julien-Marchand-1055292.jpg", + "pubDate": "Thu, 09 Dec 2021 12:50:13 GMT", + "enclosure": "https://images.bfmtv.com/91DYCYPmwbklACvwY56DyeW5Rjg=/0x0:1376x774/800x0/images/-848768.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36701,17 +41336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba19c06fcb7759e23dc200dfc3d2d43f" + "hash": "f80b60663ef871d7eb41541e84ef40f2" }, { - "title": "Porto: un cas de Covid détecté avant le match décisif face à l'Atlético", - "description": "Alors que Porto va jouer un match décisif face à l'Atlético, ce mardi Ligue des champions (21h), le club portugais doit se passer de Pepê, testé positif au Covid-19.

", - "content": "Alors que Porto va jouer un match décisif face à l'Atlético, ce mardi Ligue des champions (21h), le club portugais doit se passer de Pepê, testé positif au Covid-19.

", + "title": "Bayern: affaibli par le Covid, Kimmich ne rejouera avant 2022", + "description": "Le Bayern Munich a publié un communiqué ce jeudi pour annoncer l’absence de Joshua Kimmich pour les derniers matchs de l’année. Le milieu de terrain allemand ressent toujours les effets du covid et n’a plus joué depuis un mois.

", + "content": "Le Bayern Munich a publié un communiqué ce jeudi pour annoncer l’absence de Joshua Kimmich pour les derniers matchs de l’année. Le milieu de terrain allemand ressent toujours les effets du covid et n’a plus joué depuis un mois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-un-cas-de-covid-detecte-avant-le-match-decisif-face-a-l-atletico_AD-202112060520.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-affaibli-par-le-covid-kimmich-ne-rejouera-avant-2022_AV-202112090282.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 20:25:48 GMT", - "enclosure": "https://images.bfmtv.com/f8cNqI6QcU4p9GNg8GgEEU-BKco=/0x208:1984x1324/800x0/images/FC-Porto-1136621.jpg", + "pubDate": "Thu, 09 Dec 2021 12:46:57 GMT", + "enclosure": "https://images.bfmtv.com/iBRJP8sRbLkUMZ49ssmzPBjoBe0=/0x106:2048x1258/800x0/images/Joshua-Kimmich-1184948.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36721,57 +41356,57 @@ "favorite": false, "created": false, "tags": [], - "hash": "cbfeb0530aa191ea356e8afc89d42a52" + "hash": "09e5fc3b34f1dc438742ebd583007b37" }, { - "title": "OM: Rongier raconte le \"déclic\" qu'il a eu grâce à Sampaoli", - "description": "Invité de BFM Marseille ce lundi, Valentin Rongier est revenu sur la préparation estivale de l'Olympique de Marseille, au cours de laquelle il a vécu un \"déclic\". Le milieu de terrain de 26 ans explique avoir tout fait pour démontrer à l'entraîneur Jorge Sampaoli ses qualités.

", - "content": "Invité de BFM Marseille ce lundi, Valentin Rongier est revenu sur la préparation estivale de l'Olympique de Marseille, au cours de laquelle il a vécu un \"déclic\". Le milieu de terrain de 26 ans explique avoir tout fait pour démontrer à l'entraîneur Jorge Sampaoli ses qualités.

", + "title": "Saint-Etienne: nommé entraîneur intérimaire, Sablé change de capitaine", + "description": "Nommé entraîneur de Saint-Etienne par intérim après l’éviction de Claude Puel, Julien Sablé a pris une première décision en changeant de capitaine. Le brassard quitte le bras de Mahdi Camara pour rejoindre celui de Wahbi Khazri.

", + "content": "Nommé entraîneur de Saint-Etienne par intérim après l’éviction de Claude Puel, Julien Sablé a pris une première décision en changeant de capitaine. Le brassard quitte le bras de Mahdi Camara pour rejoindre celui de Wahbi Khazri.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-rongier-raconte-le-declic-qu-il-a-eu-grace-a-sampaoli_AV-202112060517.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-nomme-entraineur-interimaire-sable-change-de-capitaine_AV-202112090278.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 20:18:39 GMT", - "enclosure": "https://images.bfmtv.com/pf2q1HHQ8NJHTOxQ7bgkHDouQF8=/0x143:2048x1295/800x0/images/Valentin-Rongier-1167218.jpg", + "pubDate": "Thu, 09 Dec 2021 12:29:11 GMT", + "enclosure": "https://images.bfmtv.com/j63whodjrWYf0KPJdYR0TY2POOk=/0x106:2048x1258/800x0/images/Wahbi-Khazri-1184936.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0094e082edf98444ed33817ca39dc393" + "hash": "efd0bf5158b6a788b38de2eb57f1a8fa" }, { - "title": "Dortmund-Bayern: une plainte déposée contre Bellingham pour \"diffamation\" envers l'arbitre", - "description": "Après la défaite du Borussia Dortmund face au Bayern Munich samedi (2-3), Jude Bellingham s'en était pris à l'arbitre qu'il a accusé de corruption. Ce lundi, la Fédération allemande de football a ouvert une enquête sur les propos du milieu anglais du Borussia, qui pourrait également faire l'objet de poursuites pénales après une plainte déposée ce week-end.

", - "content": "Après la défaite du Borussia Dortmund face au Bayern Munich samedi (2-3), Jude Bellingham s'en était pris à l'arbitre qu'il a accusé de corruption. Ce lundi, la Fédération allemande de football a ouvert une enquête sur les propos du milieu anglais du Borussia, qui pourrait également faire l'objet de poursuites pénales après une plainte déposée ce week-end.

", + "title": "Barça: les chiffres désastreux du fiasco en Ligue des champions", + "description": "Dominé par le Bayern Munich (3-0), le FC Barcelone a vu son aventure en Ligue des champions se terminer brusquement. Troisième de leur groupe, les Catalans joueront la Ligue Europa à partir de février prochain. Voici les chiffres et statistiques illustrant cette campagne catastrophique du club de Liga.

", + "content": "Dominé par le Bayern Munich (3-0), le FC Barcelone a vu son aventure en Ligue des champions se terminer brusquement. Troisième de leur groupe, les Catalans joueront la Ligue Europa à partir de février prochain. Voici les chiffres et statistiques illustrant cette campagne catastrophique du club de Liga.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-une-plainte-deposee-contre-bellingham-pour-diffamation-envers-l-arbitre_AN-202112060507.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-les-chiffres-desastreux-du-fiasco-en-ligue-des-champions_AV-202112090277.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 19:45:00 GMT", - "enclosure": "https://images.bfmtv.com/q-alK_kHBwj_Nvt8Z2Hm8c2IAHA=/0x87:1200x762/800x0/images/Jude-Bellingham-1181783.jpg", + "pubDate": "Thu, 09 Dec 2021 12:25:04 GMT", + "enclosure": "https://images.bfmtv.com/3SbOFWHSUMtFJ34Lali5w1sYC1I=/0x0:2048x1152/800x0/images/FC-Barcelone-1184919.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7075458e34d68d8d5b700ab0f36d6178" + "hash": "ff35931161d791e1ccf15dc659e72185" }, { - "title": "Barça : Memphis veut \"une revanche\" face au Bayern", - "description": "Dans l'obligation de ne pas perdre à Munich, Memphis Depay veut une \"revanche\" face au Bayern Munich, qui a humilié le club catalan en 2020 (8-2), avant de récidiver lors du match aller au Camp Nou (0-3).

", - "content": "Dans l'obligation de ne pas perdre à Munich, Memphis Depay veut une \"revanche\" face au Bayern Munich, qui a humilié le club catalan en 2020 (8-2), avant de récidiver lors du match aller au Camp Nou (0-3).

", + "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Lyon – Rangers – Ligue Europa", + "description": "Notre pronostic: Lyon ne perd pas contre les Rangers et les deux équipes marquent (1.86)

", + "content": "Notre pronostic: Lyon ne perd pas contre les Rangers et les deux équipes marquent (1.86)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-memphis-veut-une-revanche-face-au-bayern_AV-202112060505.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-lyon-rangers-ligue-europa_AN-202112080418.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 19:41:38 GMT", - "enclosure": "https://images.bfmtv.com/u-FTeAoNJ5xnwOsbMnItwrzSxJE=/0x39:768x471/800x0/images/L-attaquant-neerlandais-de-Barcelone-Memphis-Depay-tente-de-dribbler-le-gardien-grec-de-Benfica-Odisseas-Vlachodimos-lors-de-leur-match-de-groupes-de-la-Ligue-des-Champions-le-23-novembre-2021-au-Camp-Nou-1173292.jpg", + "pubDate": "Wed, 08 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/FairGJMszrFuua2bvQ-OxWIf0Yw=/0x104:1984x1220/800x0/images/Moussa-Dembele-Lyon-1184258.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36781,37 +41416,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "0bfcc4f889529a47b5136ee30a513631" + "hash": "1081daebafa51b3eda52dfac1f9b89c2" }, { - "title": "PSG: \"J'ai l'impression que Pochettino fait tout pour se faire virer\", observe Di Meco", - "description": "Eric Di Meco se demande si Mauricio Pochettino a le charisme nécessaire pour tirer le meilleur de l'effectif de stars du PSG. Notre consultant estime que le coach argentin est même prêt à faire ses valises si une belle porte de sortie s'offre à lui.

", - "content": "Eric Di Meco se demande si Mauricio Pochettino a le charisme nécessaire pour tirer le meilleur de l'effectif de stars du PSG. Notre consultant estime que le coach argentin est même prêt à faire ses valises si une belle porte de sortie s'offre à lui.

", + "title": "Barça-Bayern: Xavi a poussé un énorme coup de gueule dans le vestiaire", + "description": "La défaite du FC Barcelone sur la pelouse du Bayern Munich, mercredi en Ligue des champions (3-0), n’a pas du tout plu à Xavi. Selon Sport, à la pause, le coach catalan a sérieusement secoué ses joueurs, dominés en Bavière avant d'être éliminés de la C1.

", + "content": "La défaite du FC Barcelone sur la pelouse du Bayern Munich, mercredi en Ligue des champions (3-0), n’a pas du tout plu à Xavi. Selon Sport, à la pause, le coach catalan a sérieusement secoué ses joueurs, dominés en Bavière avant d'être éliminés de la C1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-j-ai-l-impression-que-pochettino-fait-tout-pour-se-faire-virer-observe-di-meco_AV-202112060497.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-bayern-xavi-a-pousse-un-enorme-coup-de-gueule-dans-le-vestiaire_AV-202112090274.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 19:16:56 GMT", - "enclosure": "https://images.bfmtv.com/8ETljshnemy-T8Cn7ReCNvv9WrQ=/0x80:2048x1232/800x0/images/Mauricio-Pochettino-parle-tactique-avec-Lionel-Messi-1182571.jpg", + "pubDate": "Thu, 09 Dec 2021 12:11:29 GMT", + "enclosure": "https://images.bfmtv.com/ha-BGR6BdAv_M7sE7PVYOLC22qQ=/0x48:2000x1173/800x0/images/Xavi-Hernandez-Barcelone-1176107.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "de95bb03313ad5857b219ee8605d4c1f" + "hash": "fa69a863643e9f4de1fe77b479889078" }, { - "title": "Incidents OL-OM: pourquoi Marseille demande que Lyon ait match perdu", - "description": "Dans le dossier qu'elle présentera à la Ligue de football professionnel ce mercredi, avant l'annonce des sanctions adressées à l'Olympique Lyonnais, le club phocéen estime que son homologue rhodanien devrait avoir match perdu. Cette décision de la LFP fera suite au jet de bouteille qui a atteint Dimitri Payet le 21 novembre dernier lors du choc OL-OM au Groupama Stadium.

", - "content": "Dans le dossier qu'elle présentera à la Ligue de football professionnel ce mercredi, avant l'annonce des sanctions adressées à l'Olympique Lyonnais, le club phocéen estime que son homologue rhodanien devrait avoir match perdu. Cette décision de la LFP fera suite au jet de bouteille qui a atteint Dimitri Payet le 21 novembre dernier lors du choc OL-OM au Groupama Stadium.

", + "title": "Mondial de handball: Krumbholz pointe \"la peur\" des Bleues de ne pas être à la hauteur", + "description": "La France entame son tour principal contre la Pologne ce jeudi (20h30) en ayant fait le plein de points. Malgré tout, Olivier Krumbholz sent son équipe inhibée, portée par la peur de mal faire et de ne pas pouvoir honorer son statut de championne olympique.

", + "content": "La France entame son tour principal contre la Pologne ce jeudi (20h30) en ayant fait le plein de points. Malgré tout, Olivier Krumbholz sent son équipe inhibée, portée par la peur de mal faire et de ne pas pouvoir honorer son statut de championne olympique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pourquoi-l-om-demande-que-l-ol-ait-match-perdu-apres-les-incidents_AV-202112060489.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-handball-krumbholz-pointe-la-peur-des-bleues-de-ne-pas-etre-a-la-hauteur_AV-202112090267.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 19:05:39 GMT", - "enclosure": "https://images.bfmtv.com/8WDUfWwbGwrs1fivUdqJdhlB9IY=/0x375:2048x1527/800x0/images/Dimitri-Payet-a-terre-durant-OL-OM-1172368.jpg", + "pubDate": "Thu, 09 Dec 2021 12:02:06 GMT", + "enclosure": "https://images.bfmtv.com/2oRhSwnJK-mkbikHKZw9ZoDmgAw=/0x159:2048x1311/800x0/images/Olivier-Krumbholz-le-selectionneur-des-Bleues-1182062.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36821,37 +41456,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "333e6a5ff0bba1f9d56793d65c3acb0c" + "hash": "71bcf8a941b121ee932a35700ce1a655" }, { - "title": "Standard-Charleroi: un homme mis en examen pour tentative d'homicide après les \"scènes de guerre\"", - "description": "Un homme \"a été mis en examen pour tentative d'homicide et incendie criminel\" ce lundi, a indiqué la Fédération belge de football, alors que des incidents ont éclaté dans le championnat ce week-end lors de deux matchs différents. Des événements très graves qui sont allés jusqu'à provoquer l'ire du ministère de l'Intérieur.

", - "content": "Un homme \"a été mis en examen pour tentative d'homicide et incendie criminel\" ce lundi, a indiqué la Fédération belge de football, alors que des incidents ont éclaté dans le championnat ce week-end lors de deux matchs différents. Des événements très graves qui sont allés jusqu'à provoquer l'ire du ministère de l'Intérieur.

", + "title": "Ligue des champions: 54 supporters du Dynamo Kiev arrêtés lors d'affrontements avec ceux du Benfica", + "description": "En marge de la rencontre ce mercredi de Ligue des champions entre le Benfica Lisbonne et le Dynamo Kiev, qui a vu la victoire (2-0) et la qualification pour les huitièmes de finales du club lisboète, la police portugaise a arrêté 54 supporters du club ukrainien pour avoir participé à des affrontements avec des fans adverses.

", + "content": "En marge de la rencontre ce mercredi de Ligue des champions entre le Benfica Lisbonne et le Dynamo Kiev, qui a vu la victoire (2-0) et la qualification pour les huitièmes de finales du club lisboète, la police portugaise a arrêté 54 supporters du club ukrainien pour avoir participé à des affrontements avec des fans adverses.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/standard-charleroi-un-homme-mis-en-examen-pour-homicide-apres-les-scenes-de-guerre_AN-202112060470.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-54-supporters-du-dynamo-kiev-arretes-lors-d-affrontements-avec-ceux-du-benfica_AV-202112090256.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:41:59 GMT", - "enclosure": "https://images.bfmtv.com/aERsWVASX_Qp1V-DcpJtbmQU_MQ=/0x106:2048x1258/800x0/images/Un-match-entre-le-Standard-Liege-et-Charleroi-le-3-mars-2020-1182788.jpg", + "pubDate": "Thu, 09 Dec 2021 11:47:31 GMT", + "enclosure": "https://images.bfmtv.com/Q_QaP8ZWVj7Q-eAtZo0eHla5fes=/0x106:2048x1258/800x0/images/Benfica-1184896.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02ac6c7ebd51b151c4b88f85f49f0e21" + "hash": "85e7e9f0027ee301a21cdaf8e684c1a3" }, { - "title": "JO d'hiver 2022: les États-Unis annoncent un boycott diplomatique à Pékin", - "description": "La Maison Blanche a annoncé ce lundi que les Etats-Unis vont boycotter diplomatiquement les prochains Jeux olympiques et paralympiques d'hiver, qui se dérouleront à Pékin du 4 au 20 février 2022.

", - "content": "La Maison Blanche a annoncé ce lundi que les Etats-Unis vont boycotter diplomatiquement les prochains Jeux olympiques et paralympiques d'hiver, qui se dérouleront à Pékin du 4 au 20 février 2022.

", + "title": "F1: pour Ecclestone, Mercedes \"joue un jeu psychologique\" avec Verstappen", + "description": "Ancien grand patron de la F1, Bernie Ecclestone estime, dans un entretien relayé par le quotidien Het Laatste Nieuws, que Max Verstappen est malmené par l'expérience et l'influence de Lewis Hamilton mais aussi de Mercedes.

", + "content": "Ancien grand patron de la F1, Bernie Ecclestone estime, dans un entretien relayé par le quotidien Het Laatste Nieuws, que Max Verstappen est malmené par l'expérience et l'influence de Lewis Hamilton mais aussi de Mercedes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-les-etats-unis-annoncent-un-boycott-diplomatique-a-pekin_AN-202112060464.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-pour-ecclestone-mercedes-joue-un-jeu-psychologique-avec-verstappen_AV-202112090250.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:35:41 GMT", - "enclosure": "https://images.bfmtv.com/6FSfWzTuuZ_eWYXBqBDYe2bbkOA=/0x75:768x507/800x0/images/Le-president-americain-Joe-Biden-le-2-decembre-2021-a-Bethesda-dans-le-Maryland-1180560.jpg", + "pubDate": "Thu, 09 Dec 2021 11:38:00 GMT", + "enclosure": "https://images.bfmtv.com/PwiJPWuW--GApJmKLF4q_CpLkvE=/4x5:4724x2660/800x0/images/-862115.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36861,17 +41496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "08e549ed5555cb583ffd9a42d7c6c650" + "hash": "4d4098db82b1d874d2036310a0ffaf5d" }, { - "title": "Coupe de France: le match Cannet-Rocheville-Marseille se jouera au Vélodrome", - "description": "L'ES Cannet-Rocheville n'étant pas en mesure d'accueillir l'Olympique de Marseille pour leur match de Coupe de France le 19 décembre prochain, l'OM a décidé d'accepter d'organiser la rencontre au stade Vélodrome.

", - "content": "L'ES Cannet-Rocheville n'étant pas en mesure d'accueillir l'Olympique de Marseille pour leur match de Coupe de France le 19 décembre prochain, l'OM a décidé d'accepter d'organiser la rencontre au stade Vélodrome.

", + "title": "Ligue Europa: à quelle heure et sur quelle chaîne suivre Sturm Graz-Monaco", + "description": "Assuré de terminer à la première place de son groupe en Ligue Europa, l'AS Monaco se rend en Autriche ce jeudi (18h45), pour y défier le Sturm Graz. Niko Kovac a déjà prévu de faire tourner avec en toile de fond le match ce dimanche face au PSG, en Ligue 1.

", + "content": "Assuré de terminer à la première place de son groupe en Ligue Europa, l'AS Monaco se rend en Autriche ce jeudi (18h45), pour y défier le Sturm Graz. Niko Kovac a déjà prévu de faire tourner avec en toile de fond le match ce dimanche face au PSG, en Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-le-match-cannet-rocheville-marseille-se-jouera-au-velodrome_AV-202112060458.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-a-quelle-heure-et-sur-quelle-chaine-suivre-sturm-graz-monaco_AV-202112090246.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:29:15 GMT", - "enclosure": "https://images.bfmtv.com/kL5P5yjhxlXv8aGDxDpLELGkuPQ=/0x210:2048x1362/800x0/images/Velodrome-1159418.jpg", + "pubDate": "Thu, 09 Dec 2021 11:35:56 GMT", + "enclosure": "https://images.bfmtv.com/yTnfJiSq2GP8NkwjVGQO6AMIGgU=/0x106:2048x1258/800x0/images/Monaco-1184876.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36881,37 +41516,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "057120b75427c4d478df1247de71e5a3" + "hash": "2b36cc6ce8287cf1f88cf94f79793253" }, { - "title": "PSG: Pochettino laisse \"les joueurs livrés à eux-mêmes\", regrette Rothen", - "description": "À la veille de PSG-Bruges, ce mardi (18h45 sur RMC Sport 1), Jérôme Rothen a critiqué le travail de Mauricio Pochettino dans son émission \"Rothen s'enflamme\". Selon lui, l'entraîneur du club de la capitale doit \"rassurer tactiquement\" ses joueurs, qui proposent un spectacle décevant depuis plusieurs semaines.

", - "content": "À la veille de PSG-Bruges, ce mardi (18h45 sur RMC Sport 1), Jérôme Rothen a critiqué le travail de Mauricio Pochettino dans son émission \"Rothen s'enflamme\". Selon lui, l'entraîneur du club de la capitale doit \"rassurer tactiquement\" ses joueurs, qui proposent un spectacle décevant depuis plusieurs semaines.

", + "title": "F1: le Grand Prix d'Abou Dhabi prolongé jusqu'en 2030", + "description": "La Formule 1 a confirmé ce jeudi un nouvel accord avec le promoteur du Grand Prix d'Abu Dhabi, pour que la course reste au calendrier jusqu'en 2030 sur le Circuit de Yas Marina. L'événément se tient depuis 2009 et sera une nouvelle fois, ce week-end, le dernier rendez-vous de la saison. qui s'annonce décisif en vue du titre de champion du monde entre Max Verstappen et Lewis Hamilton.

", + "content": "La Formule 1 a confirmé ce jeudi un nouvel accord avec le promoteur du Grand Prix d'Abu Dhabi, pour que la course reste au calendrier jusqu'en 2030 sur le Circuit de Yas Marina. L'événément se tient depuis 2009 et sera une nouvelle fois, ce week-end, le dernier rendez-vous de la saison. qui s'annonce décisif en vue du titre de champion du monde entre Max Verstappen et Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-laisse-les-joueurs-livres-a-eux-memes-regrette-rothen_AV-202112060416.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-grand-prix-d-abou-dhabi-prolonge-jusqu-en-2030_AV-202112090241.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:58:53 GMT", - "enclosure": "https://images.bfmtv.com/IUbjLbEqeTu4wR4Y1duPZQv1ut4=/0x0:2048x1152/800x0/images/Lionel-Messi-sous-la-neige-a-Saint-Etienne-1181963.jpg", + "pubDate": "Thu, 09 Dec 2021 11:26:14 GMT", + "enclosure": "https://images.bfmtv.com/hWdbRYJwOu1HOArjD8TPLNhWKoE=/0x212:2048x1364/800x0/images/Abu-Dhabi-1184887.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f8433f0173c06ed7cbb38cc4477fc81f" + "hash": "f78a3825feb426a3ff999e148c20691f" }, { - "title": "Anthony Joshua: \"Je veux récupérer mes ceintures\"", - "description": "EXCLU RMC SPORT. Il n’est plus champion du monde depuis fin septembre et sa défaite contre Oleksandr Usyk pour les titres IBF-WBA-WBO des lourds. Mais Anthony Joshua reste une des plus grandes stars actuelles de la boxe. Très rare dans les médias français, le combattant britannique a accordé un entretien exclusif à RMC Sport. Revanche contre Usyk, changements à venir à l'entraînement, Tyson Fury, Tony Yoka: \"AJ\" revient sur tous les sujets qui font son actualité et plus encore.

", - "content": "EXCLU RMC SPORT. Il n’est plus champion du monde depuis fin septembre et sa défaite contre Oleksandr Usyk pour les titres IBF-WBA-WBO des lourds. Mais Anthony Joshua reste une des plus grandes stars actuelles de la boxe. Très rare dans les médias français, le combattant britannique a accordé un entretien exclusif à RMC Sport. Revanche contre Usyk, changements à venir à l'entraînement, Tyson Fury, Tony Yoka: \"AJ\" revient sur tous les sujets qui font son actualité et plus encore.

", + "title": "Les images géniales de Nenê qui réussit le challenge de la lucarne d’Evry", + "description": "Le Brésilien Nenê a profité de son passage en région parisienne pour se rendre mercredi à Evry et tenter le fameux challenge de la lucarne. Un défi relevé avec brio par l’ancien joueur du PSG, qui a fêté sa réussite au milieu des jeunes du quartier des Pyramides.

", + "content": "Le Brésilien Nenê a profité de son passage en région parisienne pour se rendre mercredi à Evry et tenter le fameux challenge de la lucarne. Un défi relevé avec brio par l’ancien joueur du PSG, qui a fêté sa réussite au milieu des jeunes du quartier des Pyramides.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/anthony-joshua-je-veux-recuperer-mes-ceintures_AV-202112060407.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/les-images-geniales-de-nene-qui-reussit-le-challenge-de-la-lucarne-d-evry_AV-202112090237.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:47:46 GMT", - "enclosure": "https://images.bfmtv.com/4pIJEkqtcWIufJxqMcwb40-WmMo=/0x62:2032x1205/800x0/images/Anthony-Joshua-987595.jpg", + "pubDate": "Thu, 09 Dec 2021 11:20:51 GMT", + "enclosure": "https://images.bfmtv.com/B51zh7OfdYj0owNqILHjHMv_YOY=/0x0:1280x720/800x0/images/Nene-1184929.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36921,17 +41556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "78aa90edc4423bc9846d828dd9b40462" + "hash": "accabc916fcbf0c7a587ea4cd8b78f7a" }, { - "title": "Saint-Étienne: Sablé assurera l'intérim après la mise à pied de Claude Puel", - "description": "Au lendemain de la mise à pied de Claude Puel, Julien Sablé a été choisi par l'AS Saint-Etienne pour assurer l'intérim jusqu'à la nomination d'un nouvel entraîneur.

", - "content": "Au lendemain de la mise à pied de Claude Puel, Julien Sablé a été choisi par l'AS Saint-Etienne pour assurer l'intérim jusqu'à la nomination d'un nouvel entraîneur.

", + "title": "Chelsea: Tuchel recadre ses joueurs après le nul face au Zénith", + "description": "Chelsea a réalisé une mauvaise opération en concédant le match (3-3) face au Zenith mercredi en Ligue des champions. À l’issue de la rencontre, l’entraîneur Thomas Tuchel est revenu sur l’attitude de ses joueurs qui d’après lui n’ont pas mis l’intensité qu’il fallait pour gagner ce match.

", + "content": "Chelsea a réalisé une mauvaise opération en concédant le match (3-3) face au Zenith mercredi en Ligue des champions. À l’issue de la rencontre, l’entraîneur Thomas Tuchel est revenu sur l’attitude de ses joueurs qui d’après lui n’ont pas mis l’intensité qu’il fallait pour gagner ce match.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-sable-assurera-l-interim-apres-la-mise-a-pied-de-claude-puel_AV-202112060392.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-tuchel-recadre-ses-joueurs-apres-le-nul-face-au-zenith_AV-202112090225.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:26:58 GMT", - "enclosure": "https://images.bfmtv.com/5nv2tBB3AWVGeH6MqETeIxWJSNQ=/0x62:1200x737/800x0/images/-806024.jpg", + "pubDate": "Thu, 09 Dec 2021 10:57:49 GMT", + "enclosure": "https://images.bfmtv.com/KQh7QJY0XM4qe57-xnyVcQRK8MY=/0x35:2048x1187/800x0/images/Thomas-Tuchel-1130374.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36941,37 +41576,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "8146c78d571f5c7daf07d26d871232e2" + "hash": "8e2065ad3b795c50170063c4711a1348" }, { - "title": "Mondial 2022: une équipe norvégienne sort un maillot anti-Qatar", - "description": "La formation de Tromsø IL, qui évolue dans le championnat norvégien, a dévoilé ce lundi un maillot avec un QR code fonctionnel qui renvoie vers le site du club, où sont dénoncées les conditions de travail au Qatar.

", - "content": "La formation de Tromsø IL, qui évolue dans le championnat norvégien, a dévoilé ce lundi un maillot avec un QR code fonctionnel qui renvoie vers le site du club, où sont dénoncées les conditions de travail au Qatar.

", + "title": "Ligue Europa: à quelle heure et sur quelle chaîne suivre OM-Lokomotiv Moscou", + "description": "L'OM termine sa phase de groupes de Ligue Europa ce jeudi avec la réception du Lokomotiv Moscou. Déjà éliminée pour la suite de la compétition, l'équipe de Jorge Sampaoli vise la troisième place de sa poule, synonyme de repêchage en Conference League.

", + "content": "L'OM termine sa phase de groupes de Ligue Europa ce jeudi avec la réception du Lokomotiv Moscou. Déjà éliminée pour la suite de la compétition, l'équipe de Jorge Sampaoli vise la troisième place de sa poule, synonyme de repêchage en Conference League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/mondial-2022-une-equipe-norvegienne-sort-un-maillot-anti-qatar_AV-202112060387.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-a-quelle-heure-et-sur-quelle-chaine-suivre-om-lokomotiv-moscou_AV-202112090222.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:20:19 GMT", - "enclosure": "https://images.bfmtv.com/KxmAb_5Cnz4wU6I6roI8e6yuW3w=/0x103:1984x1219/800x0/images/Ballon-de-foot-1064209.jpg", + "pubDate": "Thu, 09 Dec 2021 10:48:21 GMT", + "enclosure": "https://images.bfmtv.com/bXVN-tu7c3E11IExYjiH3GE47WU=/0x106:2048x1258/800x0/images/Pol-Lirola-1184858.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a485bc5ba06a87d1d64524b4742ec98f" + "hash": "8365e3f8ce2e969b4dd55cf69b0b04ef" }, { - "title": "Monaco: saison terminée pour Krépin Diatta, opéré des croisés avec succès", - "description": "L'attaquant sénégalais de l'AS Monaco Krépin Diatta (22 ans), opéré d'une lésion du ligament antérieur du genou gauche ce lundi, ne rejouera plus cette saison sous le maillot du club de la Principauté.

", - "content": "L'attaquant sénégalais de l'AS Monaco Krépin Diatta (22 ans), opéré d'une lésion du ligament antérieur du genou gauche ce lundi, ne rejouera plus cette saison sous le maillot du club de la Principauté.

", + "title": "Barça: les lourdes conséquences économiques de l'élimination en Ligue des champions", + "description": "Par rapport à ses prévisions, le Barça, éliminé de la Ligue des champions en phase de groupes, devrait faire une croix sur plus de 30 millions d'euros. Un sérieux camouflet en pleine crise économique.

", + "content": "Par rapport à ses prévisions, le Barça, éliminé de la Ligue des champions en phase de groupes, devrait faire une croix sur plus de 30 millions d'euros. Un sérieux camouflet en pleine crise économique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-saison-terminee-pour-krepin-diatta-opere-des-croises-avec-succes_AV-202112060373.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-les-lourdes-consequences-economiques-de-l-elimination-en-ligue-des-champions_AV-202112090216.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 16:54:53 GMT", - "enclosure": "https://images.bfmtv.com/W2CICT7aEggBMneVfYG57sQz7gc=/0x0:1200x675/800x0/images/Krepin-Diatta-1182763.jpg", + "pubDate": "Thu, 09 Dec 2021 10:44:11 GMT", + "enclosure": "https://images.bfmtv.com/mZTItPgzUw0XQDompC-rqlLVS9Y=/0x18:2048x1170/800x0/images/Pique-1184813.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -36981,17 +41616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "df3864e473d054b6e56bca71d2a89746" + "hash": "fa6c39550228c311c8a8321598891b94" }, { - "title": "OL: coup dur pour Denayer, qui va être absent deux mois", - "description": "Sorti blessé lors du match entre les Girondins de Bordeaux et l'Olympique Lyonnais, dimanche en Ligue 1 (2-2), Jason Denayer sera absent deux mois. Le défenseur central souffre d'une entorse de la cheville droite, a indiqué le club rhodanien dans un communiqué.

", - "content": "Sorti blessé lors du match entre les Girondins de Bordeaux et l'Olympique Lyonnais, dimanche en Ligue 1 (2-2), Jason Denayer sera absent deux mois. Le défenseur central souffre d'une entorse de la cheville droite, a indiqué le club rhodanien dans un communiqué.

", + "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Sturm Graz – Monaco – Ligue Europa", + "description": "PRONOS PARIS RMC Les paris du 9 décembre sur Sturm Graz – Monaco – Ligue Europa\nNotre pronostic: Monaco s’impose à Graz (1.80)

", + "content": "PRONOS PARIS RMC Les paris du 9 décembre sur Sturm Graz – Monaco – Ligue Europa\nNotre pronostic: Monaco s’impose à Graz (1.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-coup-dur-pour-denayer-qui-va-etre-absent-deux-mois_AV-202112060365.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-sturm-graz-monaco-ligue-europa_AN-202112080415.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 16:46:08 GMT", - "enclosure": "https://images.bfmtv.com/j3yG2YxKSrNdEf4uKE5ZFQiI0dA=/0x34:1200x709/800x0/images/Jason-Denayer-1182334.jpg", + "pubDate": "Wed, 08 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/ui1Ccey3UAbudD2yoGq8rQYDgs4=/0x104:1984x1220/800x0/images/Ben-Yedder-lors-de-Monaco-Graz-1184254.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37001,17 +41636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "68eefda267056fa546f68cae13857c36" + "hash": "9bae2e97dd26316083e8f285c245d68a" }, { - "title": "Incidents OL-OM: un rapport de la préfecture et de la DDSP rejette la faute sur la Ligue", - "description": "Deux semaines et demi après l'arrêt et le report de la rencontre entre l'OL et l'OM, un rapport co-rédigé par la préfecture d'Auvergne-Rhône-Alpes et la Direction départementale de la sécurité publique consulté par RMC Sport indique que les membres de la Ligue présents sur place \"semblaient privilégier une reprise\".

", - "content": "Deux semaines et demi après l'arrêt et le report de la rencontre entre l'OL et l'OM, un rapport co-rédigé par la préfecture d'Auvergne-Rhône-Alpes et la Direction départementale de la sécurité publique consulté par RMC Sport indique que les membres de la Ligue présents sur place \"semblaient privilégier une reprise\".

", + "title": "Tennis: Amélie Mauresmo nommée nouvelle directrice de Roland-Garros", + "description": "Le président de la Fédération française de tennis, Gilles Moretton, a nommé Amélie Mauresmo comme nouvelle directrice de Roland-Garros. Elle remplace Guy Forget.

", + "content": "Le président de la Fédération française de tennis, Gilles Moretton, a nommé Amélie Mauresmo comme nouvelle directrice de Roland-Garros. Elle remplace Guy Forget.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-un-rapport-de-la-prefecture-et-de-la-ddsp-rejette-la-faute-sur-la-ligue_AV-202112060339.html", + "link": "https://rmcsport.bfmtv.com/tennis/roland-garros/tennis-amelie-mauresmo-nommee-nouvelle-directrice-de-roland-garros_AV-202112090202.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 16:19:32 GMT", - "enclosure": "https://images.bfmtv.com/cYZCJ3C5jbxw__gAo3KoSS80NCA=/0x50:768x482/800x0/images/Le-milieu-de-terrain-de-l-Olympique-de-Marseille-Dimitri-Payet-s-apprete-a-tirer-un-corner-lors-du-match-de-cloture-de-la-14e-journee-de-Ligue-1-face-a-Lyon-le-22-novembre-2021-au-Groupama-Stadium-a-Decines-Charpieu-pres-de-Lyon-1173198.jpg", + "pubDate": "Thu, 09 Dec 2021 10:16:13 GMT", + "enclosure": "https://images.bfmtv.com/8sXHfd9h06FlZp4yfQ7AuMM6dkQ=/0x0:2048x1152/800x0/images/Amelie-Mauresmo-1056662.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37021,57 +41656,57 @@ "favorite": false, "created": false, "tags": [], - "hash": "8923affcad3e82ee1d1bad21d3ab9643" + "hash": "7b07f569688057b5ef40559042899fe8" }, { - "title": "Tennis: la WTA officialise son calendrier 2022 et acte son boycott de la Chine", - "description": "La WTA a publié ce lundi son calendrier pour les six premiers mois de la saison 2022 et aucun tournois chinois ne s'y trouve. Un acte majeur de la part de Steve Simon, qui avait eu des mots forts après la révélation de l'affaire Peng Shuai.

", - "content": "La WTA a publié ce lundi son calendrier pour les six premiers mois de la saison 2022 et aucun tournois chinois ne s'y trouve. Un acte majeur de la part de Steve Simon, qui avait eu des mots forts après la révélation de l'affaire Peng Shuai.

", + "title": "Accusé d'agression sexuelle, Pierre Menès placé en garde à vue", + "description": "L'ex-chroniqueur vedette de Canal+ Pierre Ménès, visé par une enquête pour agression sexuelle, a été placé jeudi en garde à vue, selon des sources proches du dossier, confirmant une information du Parisien.

", + "content": "L'ex-chroniqueur vedette de Canal+ Pierre Ménès, visé par une enquête pour agression sexuelle, a été placé jeudi en garde à vue, selon des sources proches du dossier, confirmant une information du Parisien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/tennis-la-wta-officialise-son-calendrier-2022-et-acte-son-boycott-de-la-chine_AV-202112060330.html", + "link": "https://rmcsport.bfmtv.com/football/accuse-d-agression-sexuelle-pierre-menes-place-en-garde-a-vue_AN-202112090199.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:59:24 GMT", - "enclosure": "https://images.bfmtv.com/b-NX9lhOxku0fBkpjMvy57cpBS4=/0x40:768x472/800x0/images/La-joueuse-chinoise-Peng-Shuai-lors-d-un-match-du-tournoi-WTA-de-Pekin-le-2-octobre-2017-1170748.jpg", + "pubDate": "Thu, 09 Dec 2021 10:07:35 GMT", + "enclosure": "https://images.bfmtv.com/gBItA1HGtpUuxYDrItFUCcL0_rk=/0x40:768x472/800x0/images/Pierre-Menes-le-15-octobre-2021-a-Paris-1178041.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec321b5440943767027af8390b6ce9ec" + "hash": "70a089431dd1136fca3a52c65b28f5fa" }, { - "title": "OL: les supporters des Rangers interdits à Lyon", - "description": "À trois jours du match entre l'Olympique Lyonnais et les Glasgow Rangers jeudi en Ligue Europa (sur RMC Sport), un arrêté ministériel publié ce lundi interdit le déplacement des supporters écossais à Lyon. 2 200 d'entre eux devaient assister à ce match comptant pour la 6e journée de Ligue Europa.

", - "content": "À trois jours du match entre l'Olympique Lyonnais et les Glasgow Rangers jeudi en Ligue Europa (sur RMC Sport), un arrêté ministériel publié ce lundi interdit le déplacement des supporters écossais à Lyon. 2 200 d'entre eux devaient assister à ce match comptant pour la 6e journée de Ligue Europa.

", + "title": "PSG: Messi sans pitié avec ses enfants lors d’un foot dans son salon", + "description": "Lionel Messi s’est lancé dans un match de football avec ses enfants dans son salon, mercredi lors de la journée de repos. Et l’attaquant du PSG n’a pas levé le pied lors d’une partie musclée.

", + "content": "Lionel Messi s’est lancé dans un match de football avec ses enfants dans son salon, mercredi lors de la journée de repos. Et l’attaquant du PSG n’a pas levé le pied lors d’une partie musclée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ol-les-supporters-des-rangers-interdits-a-lyon_AV-202112060329.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-sans-pitie-avec-ses-enfants-lors-d-un-foot-dans-son-salon_AV-202112090198.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:56:45 GMT", - "enclosure": "https://images.bfmtv.com/vAkF-MIVxCZ56NNf5Na3xZiB3O4=/0x84:2048x1236/800x0/images/Les-supporters-des-Rangers-lors-du-match-aller-entre-l-OL-et-le-club-de-Glasgow-le-16-septembre-1182742.jpg", + "pubDate": "Thu, 09 Dec 2021 10:05:05 GMT", + "enclosure": "https://images.bfmtv.com/GSl5GZAzmx9t11cy_Z_PFAghj4o=/0x65:2048x1217/800x0/images/Lionel-Messi-1184826.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8d745027063502e49a6e81b39a9db723" + "hash": "e995bdf5da4fdcc83bee51d5e3ff24b2" }, { - "title": "Coupe de France : Avant son match face à l’OM, Le Cannet, sans stade, tire la sonnette d’alarme", - "description": "Ce qui était une grande joie au moment du tirage au sort lundi dernier est en train de tourner au cauchemar: les amateurs du Cannet-Rocheville ne savent toujours pas où ils pourront recevoir l'OM en 32e de finale de coupe de France le dimanche 19 décembre.

", - "content": "Ce qui était une grande joie au moment du tirage au sort lundi dernier est en train de tourner au cauchemar: les amateurs du Cannet-Rocheville ne savent toujours pas où ils pourront recevoir l'OM en 32e de finale de coupe de France le dimanche 19 décembre.

", + "title": "Ligue Europa: à quelle heure et sur quelle chaîne suivre OL-Glasgow Rangers", + "description": "Après des derniers jours agités, l'OL retrouve le Groupama Stadium ce jeudi (18h45) pour la dernière journée de la phase de groupes de Ligue Europa. Déjà qualifiée et assurée de la première place, l'équipe de Peter Bosz recevra les Glasgow Rangers.

", + "content": "Après des derniers jours agités, l'OL retrouve le Groupama Stadium ce jeudi (18h45) pour la dernière journée de la phase de groupes de Ligue Europa. Déjà qualifiée et assurée de la première place, l'équipe de Peter Bosz recevra les Glasgow Rangers.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-avant-son-match-face-a-l-om-le-cannet-sans-stade-tire-la-sonnette-d-alarme_AV-202112060323.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-a-quelle-heure-et-sur-quelle-chaine-suivre-ol-glasgow-rangers_AV-202112090193.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:33:28 GMT", - "enclosure": "https://images.bfmtv.com/0fgFY64v7W1LaegIfAeNtItvj8M=/0x175:2048x1327/800x0/images/Le-stade-Velodrome-a-huis-clos-pour-OM-Troyes-1181282.jpg", + "pubDate": "Thu, 09 Dec 2021 09:54:47 GMT", + "enclosure": "https://images.bfmtv.com/WbU3j8F1IBgZs0QDv4tSIYR6l_4=/0x106:2048x1258/800x0/images/Lyon-1184809.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37081,17 +41716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0eb9bb5af0360143294535b1caad5dc0" + "hash": "4e6bf24d2fece15fc6bfc5abfb7f7c6f" }, { - "title": "PSG: \"Les gens critiquent toujours\", Hakimi réclame de la patience", - "description": "En conférence de presse ce lundi, à la veille du dernier rendez-vous de la phase de poules de la Ligue des champions face à Bruges (mardi à 18h45, en direct sur RMC Sport 1), le latéral droit Achraf Hakimi a estimé que les joueurs du PSG avait encore besoin de temps pour assimiler les demandes de leur entraîneur, Mauricio Pochettino.

", - "content": "En conférence de presse ce lundi, à la veille du dernier rendez-vous de la phase de poules de la Ligue des champions face à Bruges (mardi à 18h45, en direct sur RMC Sport 1), le latéral droit Achraf Hakimi a estimé que les joueurs du PSG avait encore besoin de temps pour assimiler les demandes de leur entraîneur, Mauricio Pochettino.

", + "title": "Ligue des champions: quand aura lieu le tirage au sort des huitièmes de finale", + "description": "Le LOSC et le PSG ont encore quelques jours à patienter avant de connaître leur adversaire pour les huitièmes de finale de la Ligue des champions. Le tirage au sort de la compétition de l'UEFA aura lieu ce lundi.

", + "content": "Le LOSC et le PSG ont encore quelques jours à patienter avant de connaître leur adversaire pour les huitièmes de finale de la Ligue des champions. Le tirage au sort de la compétition de l'UEFA aura lieu ce lundi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-les-gens-critiquent-toujours-hakimi-reclame-de-la-patience_AV-202112060322.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-quand-aura-lieu-le-tirage-au-sort-des-huitiemes-de-finale_AV-202112090177.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:26:32 GMT", - "enclosure": "https://images.bfmtv.com/cTPSglOa2Bh96dMyMFmXsfwhMos=/0x0:1200x675/800x0/images/Achraf-Hakimi-1182743.jpg", + "pubDate": "Thu, 09 Dec 2021 09:26:24 GMT", + "enclosure": "https://images.bfmtv.com/ALGJUjgcq33l6W-gFQowQZY6QHo=/0x153:2048x1305/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183621.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37101,17 +41736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "685de39923307454d18dd756abc781b5" + "hash": "4ef390adfdd76fd60c85c73f1ffd7037" }, { - "title": "Ligue 1: huis clos, point de retrait... ce que risque l'OL après l'incident contre l'OM", - "description": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", - "content": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", + "title": "Ligue Europa: comment l’OM peut se qualifier pour l'Europa Conference League", + "description": "L’OM reçoit le Lokomotiv Moscou, ce jeudi (21h) en Ligue Europa avec l’ambition de conserver sa troisième place qui lui permettra d’être reversé en Conference League. La donne est très simple pour les Marseillais.

", + "content": "L’OM reçoit le Lokomotiv Moscou, ce jeudi (21h) en Ligue Europa avec l’ambition de conserver sa troisième place qui lui permettra d’être reversé en Conference League. La donne est très simple pour les Marseillais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-un-possible-retrait-d-un-point-avec-sursis-pour-l-ol-apres-l-incident-contre-l-om_AV-202112060319.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-comment-l-om-peut-se-qualifier-pour-l-europa-conference-league_AV-202112090166.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:20:37 GMT", - "enclosure": "https://images.bfmtv.com/YUzaZSDOddKudjP1EhIzSEW7nSc=/0x60:768x492/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", + "pubDate": "Thu, 09 Dec 2021 09:07:11 GMT", + "enclosure": "https://images.bfmtv.com/MMt7NKZcsRek8WaYrZ2McilkvyE=/0x226:1984x1342/800x0/images/William-Saliba-lors-de-Lokomotiv-Marseille-1184257.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37121,17 +41756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1aa75513da60a08e6e62cb24b3cf0e78" + "hash": "36edd2a3893445dcb3ee8632c7054e2b" }, { - "title": "PSG-Bruges: le monologue de Pochettino pour assurer qu'il \"se sent bien malgré les tempêtes\"", - "description": "A la veille de la réception de Bruges en Ligue des champions (18h45, sur RMC Sport 1), Mauricio Pochettino est revenu sur les critiques dont son équipe fait l'objet depuis quelques semaines. Malgré les tempêtes, le technicien \"se sent bien\" et garde la confiance de ses joueurs.

", - "content": "A la veille de la réception de Bruges en Ligue des champions (18h45, sur RMC Sport 1), Mauricio Pochettino est revenu sur les critiques dont son équipe fait l'objet depuis quelques semaines. Malgré les tempêtes, le technicien \"se sent bien\" et garde la confiance de ses joueurs.

", + "title": "Ligue Europa: pourquoi l'OM jouera à fond l'Europa Conference League en cas de qualification", + "description": "Eliminé de la course aux 16es de finale de la Ligue Europa, l'OM reçoit le Lokomotiv Moscou, ce jeudi (21h) avec l'ambition de ne surtout pas perdre pour être reversé en Conference League, que le club veut jouer à fond.

", + "content": "Eliminé de la course aux 16es de finale de la Ligue Europa, l'OM reçoit le Lokomotiv Moscou, ce jeudi (21h) avec l'ambition de ne surtout pas perdre pour être reversé en Conference League, que le club veut jouer à fond.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-le-monologue-de-pochettino-pour-assurer-qu-il-se-sent-bien-malgre-les-tempetes_AV-202112060317.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-pourquoi-l-om-jouera-a-fond-l-europa-conference-league-en-cas-de-qualification_AV-202112090165.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:17:50 GMT", - "enclosure": "https://images.bfmtv.com/I6X2EQBr5aBEciqBg7-KhTrfpyQ=/0x229:496x508/800x0/images/L-entraineur-argentin-du-Paris-Saint-Germain-Mauricio-Pochettino-lors-d-une-conference-de-presse-au-Parc-des-Princes-a-Paris-le-18-octobre-2021-1156167.jpg", + "pubDate": "Thu, 09 Dec 2021 09:04:28 GMT", + "enclosure": "https://images.bfmtv.com/mvdTPpL4tVZh7RTNgZhiktiRxCs=/0x105:2048x1257/800x0/images/L-OM-veut-jouer-a-fond-la-Conference-League-1184777.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37141,77 +41776,77 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5f6784125554e35402d402cd975bb8c" + "hash": "e3c991c58a33d58d4772c8839025fba0" }, { - "title": "Rugby: l'essai de l'année pour les Français Penaud et Boulard", - "description": "Les essais inscrits par l'ailier français Damian Penaud et l'arrière française Emilie Boulard, respectivement contre l'Ecosse et le pays de Galles lors du Tournoi des six nations 2021, ont été élus les plus beaux de l'année, a annoncé lundi World Rugby.

", - "content": "Les essais inscrits par l'ailier français Damian Penaud et l'arrière française Emilie Boulard, respectivement contre l'Ecosse et le pays de Galles lors du Tournoi des six nations 2021, ont été élus les plus beaux de l'année, a annoncé lundi World Rugby.

", + "title": "F1: le directeur de course prévient Verstappen en cas de crash", + "description": "Michael Masi, directeur de course de la Formule 1, prévient que des sanctions pourraient être prises en cas d’accident volontaire, dimanche lors du dernier Grand Prix de la saison à Abou Dhabi où le titre mondial se jouera entre Max Verstappen et Lewis Hamilton.

", + "content": "Michael Masi, directeur de course de la Formule 1, prévient que des sanctions pourraient être prises en cas d’accident volontaire, dimanche lors du dernier Grand Prix de la saison à Abou Dhabi où le titre mondial se jouera entre Max Verstappen et Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/rugby-l-essai-de-l-annee-pour-les-francais-penaud-et-boulard_AD-202112060312.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-directeur-de-course-previent-verstappen-en-cas-de-crash_AV-202112090161.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:12:16 GMT", - "enclosure": "https://images.bfmtv.com/ms6h7IDVFXBI1s2FUcq99gDT3TI=/0x40:768x472/800x0/images/L-ailier-francais-Damian-Penaud-file-marquer-un-essai-apres-son-interception-face-a-la-Nouvelle-Zelande-lors-du-dernier-test-match-de-la-tournee-d-automne-le-20-novembre-2021-au-Stade-de-France-a-Saint-Denis-1171411.jpg", + "pubDate": "Thu, 09 Dec 2021 08:50:55 GMT", + "enclosure": "https://images.bfmtv.com/IUo7tLZx3FAWIzMMRgSy9YeuPcM=/0x106:2048x1258/800x0/images/Max-Verstappen-1184760.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3c90ac165f6054a3702a5d8f3189028" + "hash": "6d1fcd23e68928c7c6c11d81bf54fb11" }, { - "title": "F2: talon cassé, contusions… Fittipaldi présente ses blessures après l‘accident avec Pourchaire", - "description": "Pris dans une terrible collision avec la voiture du Français Théo Pourchaire, le Brésilien Enzo Fittipaldi a donné des nouvelles rassurantes sur les réseaux sociaux, publiant une photo de lui à l’hôpital avec le pouce levé.

", - "content": "Pris dans une terrible collision avec la voiture du Français Théo Pourchaire, le Brésilien Enzo Fittipaldi a donné des nouvelles rassurantes sur les réseaux sociaux, publiant une photo de lui à l’hôpital avec le pouce levé.

", + "title": "Conference League en direct: Rennes demande que ses intérêts soient \"respectés\"", + "description": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", + "content": "Après une semaine européenne, qui a vu la qualification du PSG et du LOSC pour les huitièmes de finale de la Ligue des champions, la Ligue 1 reprend ses droits ce week-end à l'occasion de la 18e journée. Déjà champion d'automne, le PSG accueillera l'AS Monaco ce dimanche, alors que l'OL se déplacera plus tôt sur la pelouse de Lille. D'ici là, suivez toutes les informations du championnat français avec notre live commenté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f2-talon-casse-contusions-fittipaldi-presente-ses-blessures-apres-l-accident-avec-pourchaire_AV-202112060302.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-18e-journee_LN-202112090152.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:41:59 GMT", - "enclosure": "https://images.bfmtv.com/QgwL8xd7SOdRS4xK6_hIKKxbFWQ=/0x125:1200x800/800x0/images/Illustration-de-la-violence-du-choc-entre-Theo-Pourchaire-et-Enzo-Fittipaldi-1182731.jpg", + "pubDate": "Thu, 09 Dec 2021 08:40:20 GMT", + "enclosure": "https://images.bfmtv.com/jZu-FbNfY8IVvinQGOQkXgv8IoU=/7x107:1991x1223/800x0/images/Gaetan-Laborde-Rennes-1178750.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89baa6f2ec2d56cfb3eb98e9c781b114" + "hash": "910955981c6b35acb9a3c5f15743796e" }, { - "title": "Real Madrid: Casemiro confiant pour l'avenir de Camavinga", - "description": "Le Real Madrid affronte l’Inter Milan mardi lors de la sixième journée des poules de la Ligue des champions. Interrogé sur l'intégration d’Eduardo Camavinga, le Brésilien Casemiro a affiché une belle confiance à l’égard du milieu français.

", - "content": "Le Real Madrid affronte l’Inter Milan mardi lors de la sixième journée des poules de la Ligue des champions. Interrogé sur l'intégration d’Eduardo Camavinga, le Brésilien Casemiro a affiché une belle confiance à l’égard du milieu français.

", + "title": "JO 2022 de Pékin: Blanquer annonce que la France ne participera pas au boycott diplomatique", + "description": "Invité de RMC ce jeudi, Jean-Michel Blanquer a confirmé que la France ne participera pas au boycott diplomatique, pour l'heure prononcé par quatre pays dont les Etats-Unis, à l'occasion des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022. Pour autant, le ministre de l'Éducation nationale, de la Jeunesse et des Sports condamne les \"persécutions\" de la Chine à l'encontre des \"minorités\" comme \"sur les Ouïghours\".

", + "content": "Invité de RMC ce jeudi, Jean-Michel Blanquer a confirmé que la France ne participera pas au boycott diplomatique, pour l'heure prononcé par quatre pays dont les Etats-Unis, à l'occasion des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022. Pour autant, le ministre de l'Éducation nationale, de la Jeunesse et des Sports condamne les \"persécutions\" de la Chine à l'encontre des \"minorités\" comme \"sur les Ouïghours\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-casemiro-confiant-pour-l-avenir-de-camavinga_AV-202112060296.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-de-pekin-blanquer-annonce-que-la-france-ne-participera-pas-au-boycott-diplomatique_AV-202112090144.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:32:21 GMT", - "enclosure": "https://images.bfmtv.com/lQzuzZRmvOH0uyiaW2ROXC-FbVY=/0x17:2048x1169/800x0/images/Eduardo-Camavinga-avec-le-Real-Madrid-1182723.jpg", + "pubDate": "Thu, 09 Dec 2021 08:24:08 GMT", + "enclosure": "https://images.bfmtv.com/G2GJI6tBABDGfIrDB3Z43NstQS0=/4x4:1812x1021/800x0/images/Blanquer-sur-RMC-1184769.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba58fdb7beb9bae1b61f89086a0f62ec" + "hash": "0016d8c30c06d936dcfa241134ac8fd2" }, { - "title": "PSG: Sergio Ramos forfait face à Bruges, Kimpembe incertain", - "description": "Trop juste sur le plan physique, le défenseur central du PSG, Sergio Ramos, sera absent pour le match de Ligue des champions face à Bruges, mardi au Parc des Princes (18h45 en direct sur RMC Sport 1).

", - "content": "Trop juste sur le plan physique, le défenseur central du PSG, Sergio Ramos, sera absent pour le match de Ligue des champions face à Bruges, mardi au Parc des Princes (18h45 en direct sur RMC Sport 1).

", + "title": "Mercato en direct: Sablé sur le banc de Saint-Etienne ce week-end", + "description": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue ds champions, mais aussi chez ceux largués en championnat. Suivez tioutes les infos en direct sur RMC Sport.

", + "content": "A moins d'un mois du début officiel du mercato d'hiver, les grandes manoeuvres ont commencé dans les principaux clubs participant à la Ligue ds champions, mais aussi chez ceux largués en championnat. Suivez tioutes les infos en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-sergio-ramos-forfait-face-a-bruges-kimpembe-incertain_AV-202112060274.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-9-decembre_LN-202112090128.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:48:59 GMT", - "enclosure": "https://images.bfmtv.com/7m-qfhTwLE18hCdBBD4kar0LUOg=/0x37:2048x1189/800x0/images/Sergio-RAMOS-1180944.jpg", + "pubDate": "Thu, 09 Dec 2021 07:51:11 GMT", + "enclosure": "https://images.bfmtv.com/rll1QEUBZS8OrKviuTu39Q-R-Q8=/16x0:1984x1107/800x0/images/Julien-Sable-1182842.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37221,37 +41856,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "8837da6cb1647267432f8574fb7f4509" + "hash": "70c8071461d90ca4a281dfbaf481f28a" }, { - "title": "Juventus: altercation entre Morata et Allegri en plein match", - "description": "Massimiliano Allegri a alpagué Alvaro Morata lors de son remplacement pendant le match entre la Juventus et le Genoa dimanche en Serie A. L’entraîneur turinois a reproché à l’attaquant espagnol un carton jaune reçu stupidement pour contestation.

", - "content": "Massimiliano Allegri a alpagué Alvaro Morata lors de son remplacement pendant le match entre la Juventus et le Genoa dimanche en Serie A. L’entraîneur turinois a reproché à l’attaquant espagnol un carton jaune reçu stupidement pour contestation.

", + "title": "Piqué, Xavi, ter Stegen... l’élimination du Barça inspire les réseaux sociaux", + "description": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions amuse beaucoup les réseaux sociaux très inspirés par les malheurs du Barça et de son gardien Marc-André ter Stegen, notamment.

", + "content": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions amuse beaucoup les réseaux sociaux très inspirés par les malheurs du Barça et de son gardien Marc-André ter Stegen, notamment.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/juventus-altercation-entre-morata-et-allegri-en-plein-match_AV-202112060271.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/pique-xavi-ter-stegen-l-elimination-du-barca-inspire-les-reseaux-sociaux_AV-202112090126.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:42:40 GMT", - "enclosure": "https://images.bfmtv.com/h1NdXz42u_PU7XrTpZCLkTM_Kec=/0x0:2048x1152/800x0/images/L-altercation-entre-Alvaro-Morata-et-Massimiliano-Allegri-lors-de-Juventus-Genoa-1182695.jpg", + "pubDate": "Thu, 09 Dec 2021 07:46:40 GMT", + "enclosure": "https://images.bfmtv.com/VzeWarZKssrPdrcOnOfNhmI9ESc=/0x52:2032x1195/800x0/images/Marc-Andre-ter-Stegen-1184720.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b690c437383048a988a952d5ca78ea7" + "hash": "021af0e1e2c6c79b266eed170fa99df0" }, { - "title": "Scandale en Colombie, la \"finale\" d'accession en D1 probablement truquée", - "description": "L'Union Magdalena s'est imposé samedi sur la pelouse de Llaneros (2-1), et termine de justesse en tête de son groupe pour la promotion en Première division colombienne. Un match entâché de forts soupçons de corruption, l'Union ayant inscrit ses deux buts aux 95e et 96e minutes, avec une défense adverse apathique. De quoi créer un gros scandale en Colombie. Et même une affaire d'Etat...

", - "content": "L'Union Magdalena s'est imposé samedi sur la pelouse de Llaneros (2-1), et termine de justesse en tête de son groupe pour la promotion en Première division colombienne. Un match entâché de forts soupçons de corruption, l'Union ayant inscrit ses deux buts aux 95e et 96e minutes, avec une défense adverse apathique. De quoi créer un gros scandale en Colombie. Et même une affaire d'Etat...

", + "title": "Barça-Bayern: Après les avoir chambrés avant-match, Müller se paye les Blaugrana après le 3-0", + "description": "Artisan de la nouvelle victoire du Bayern Munich (3-0) face au FC Barcelone ce mercredi en Ligue des champions, Thomas Müller s'est livré après la partie à une analyse sur les failles sportives actuelles du club catalan. L'attaquant allemand estime que le Barça \"ne peut pas faire face à l'intensité\" proposée au plus haut niveau.

", + "content": "Artisan de la nouvelle victoire du Bayern Munich (3-0) face au FC Barcelone ce mercredi en Ligue des champions, Thomas Müller s'est livré après la partie à une analyse sur les failles sportives actuelles du club catalan. L'attaquant allemand estime que le Barça \"ne peut pas faire face à l'intensité\" proposée au plus haut niveau.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/scandale-en-colombie-la-finale-d-accession-en-d1-probablement-truquee_AV-202112060270.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-bayern-apres-les-avoir-chambre-avant-match-muller-se-paye-les-blaugrana-apres-le-3-0_AV-202112090105.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:37:25 GMT", - "enclosure": "https://images.bfmtv.com/GhCvFPip7RpYxgsAuBlLimj5JAQ=/11x4:1611x904/800x0/images/L-Union-Magdalena-s-est-impose-sur-la-pelouse-de-Llaneros-1182684.jpg", + "pubDate": "Thu, 09 Dec 2021 07:28:26 GMT", + "enclosure": "https://images.bfmtv.com/Q4JPt8tKl0giPC7hhIrdveBBdUo=/0x0:2048x1152/800x0/images/Thomas-Mueller-1184689.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37261,17 +41896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "53c6a135f2343afe006f68a42f60ade1" + "hash": "e9bf73c6ed4bf764f3fd42f94d1b999e" }, { - "title": "Ligue 1 en direct: le match de Coupe de France Cannet-Rocheville-OM se jouera au Vélodrome", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Tour de France: jugement attendu pour la spectatrice à la pancarte", + "description": "Elle avait provoqué la chute d'un tiers du peloton lors d ela première étape avec sa pancarte \"Allez Opi-Omi\".

", + "content": "Elle avait provoqué la chute d'un tiers du peloton lors d ela première étape avec sa pancarte \"Allez Opi-Omi\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/cyclisme/tour-de-france/tour-de-france-jugement-attendu-pour-la-spectatrice-a-la-pancarte_AD-202112090103.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/0fgFY64v7W1LaegIfAeNtItvj8M=/0x175:2048x1327/800x0/images/Le-stade-Velodrome-a-huis-clos-pour-OM-Troyes-1181282.jpg", + "pubDate": "Thu, 09 Dec 2021 07:25:27 GMT", + "enclosure": "https://images.bfmtv.com/nYeJE2-AcYw4Lle2LAsf0v_l7X8=/0x40:768x472/800x0/images/Coureurs-a-terre-apres-une-chute-dans-la-premiere-etape-du-Tour-de-France-le-26-juin-2021-1066946.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37281,17 +41916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "05f9ec16952fb179df59c422ad1cea93" + "hash": "501eb42477457c81c806b5db98e2c80f" }, { - "title": "Mercato: Haaland, Vinicius, Diaby… la valeur des plus grandes pépites du foot", - "description": "L’Observatoire du football CIES a dévoilé le top 10, par poste, des joueurs de moins de 23 ans dont la valeur estimée sera la plus importante lors du prochain mercato hivernal. Malgré sa dernière année de contrat avec le PSG, Mbappé réussit l'exploit de faire partie du top 10 européen, composé intégralement de joueurs offensifs.

", - "content": "L’Observatoire du football CIES a dévoilé le top 10, par poste, des joueurs de moins de 23 ans dont la valeur estimée sera la plus importante lors du prochain mercato hivernal. Malgré sa dernière année de contrat avec le PSG, Mbappé réussit l'exploit de faire partie du top 10 européen, composé intégralement de joueurs offensifs.

", + "title": "Incidents OL-OM: \"cirque\", \"injustice\" et \"psychodrame\" dans la presse après les sanctions", + "description": "Les sanctions infligées à Lyon après les incidents lors du match face à Marseille ne satisfont personne comme le soulignent les médias locaux, ce jeudi matin.

", + "content": "Les sanctions infligées à Lyon après les incidents lors du match face à Marseille ne satisfont personne comme le soulignent les médias locaux, ce jeudi matin.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-haaland-vinicius-diaby-la-valeur-des-plus-grandes-pepites-du-foot_AV-202112060260.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-cirque-injustice-et-psychodrame-dans-la-presse-apres-les-sanctions_AV-202112090088.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:11:21 GMT", - "enclosure": "https://images.bfmtv.com/iEVcVsNPEkLaDzEu58Z2BQ9jGw0=/0x41:2048x1193/800x0/images/Erling-Haaland-1144123.jpg", + "pubDate": "Thu, 09 Dec 2021 07:02:31 GMT", + "enclosure": "https://images.bfmtv.com/GWcviwBcP5EY2NZfh9Lc82shQGw=/0x194:2048x1346/800x0/images/Dimitri-Payet-touche-par-un-projectile-lors-de-OL-OM-1172166.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37301,17 +41936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a5d249cfb7d295b29c6bccff221fe768" + "hash": "73761d7f16f771392f3a58572a7ee631" }, { - "title": "F1: un accrochage pour un titre mondial ? Prost, Senna, Schumacher... des précédents célèbres", - "description": "Que ce soit Alain Prost et Ayrton Senna dans les années 80-90, ou bien un jeune Michael Schumacher en 1994, les pilotes ont parfois usé de procédés peu éthiques pour s'adjuger le titre en Formule 1 à l'issue d'un accrochage.

", - "content": "Que ce soit Alain Prost et Ayrton Senna dans les années 80-90, ou bien un jeune Michael Schumacher en 1994, les pilotes ont parfois usé de procédés peu éthiques pour s'adjuger le titre en Formule 1 à l'issue d'un accrochage.

", + "title": "Manchester United: Ralf Rangnick justifie la nomination d'un psychologue", + "description": "En conférence de presse avant la rencontre de Ligue des champions face aux Young Boys de Berne, Ralf Rangnick, nouveau manager de Manchester United, a expliqué la nomination au club d'un psychologue du sport. Le technicien allemand a fait appel à Sascha Lense, qu'il a déjà côtoyé au RB Leipzig, alors que les Red Devils ne possédaient aucun professionnel dans le domaine depuis 2001.

", + "content": "En conférence de presse avant la rencontre de Ligue des champions face aux Young Boys de Berne, Ralf Rangnick, nouveau manager de Manchester United, a expliqué la nomination au club d'un psychologue du sport. Le technicien allemand a fait appel à Sascha Lense, qu'il a déjà côtoyé au RB Leipzig, alors que les Red Devils ne possédaient aucun professionnel dans le domaine depuis 2001.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-un-accrochage-pour-un-titre-mondial-prost-senna-schumacher-des-precedents-celebres_AV-202112060253.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ralf-rangnick-justifie-la-nomination-d-un-psychologue_AV-202112090077.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:53:55 GMT", - "enclosure": "https://images.bfmtv.com/ZM_dKqOLZHLiAV9Qog-rtNij1m4=/0x50:1184x716/800x0/images/Alain-Prost-1182668.jpg", + "pubDate": "Thu, 09 Dec 2021 06:56:56 GMT", + "enclosure": "https://images.bfmtv.com/CieoJ1vEzoUQPTNpENFDMcr9dYY=/0x0:2032x1143/800x0/images/Ralf-Rangnick-1184647.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37321,17 +41956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "98b0137dc831abadc694555afd2d3350" + "hash": "8a45914776d647560a12f6353ee1e8f3" }, { - "title": "Les grandes interviews RMC Sport: les retrouvailles Gallas-Terry en 2016", - "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce lundi, découvrez ou redécouvrez l’un des moments forts de l’année 2016. Anciens coéquipiers à Chelsea, William Gallas et John Terry se sont retrouvés au centre d'entraînement des Blues. Anecdotes, souvenirs, chambrage, l'influence de Marcel Desailly... Terry s'est longuement livré sur sa longue carrière de joueur.

", - "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce lundi, découvrez ou redécouvrez l’un des moments forts de l’année 2016. Anciens coéquipiers à Chelsea, William Gallas et John Terry se sont retrouvés au centre d'entraînement des Blues. Anecdotes, souvenirs, chambrage, l'influence de Marcel Desailly... Terry s'est longuement livré sur sa longue carrière de joueur.

", + "title": "Barça: l'appel à l'unité de Laporta après l'élimination historique en Ligue des champions", + "description": "Éliminé de la Ligue des champions à l'issue de la phase de groupes, après sa défaite ce mercredi face au Bayern Munich (3-0), le FC Barcelone reste plongé dans la crise, aussi bien économique que sportive. Si le club catalan ne verra pas les huitièmes de finale pour la première fois depuis la saison 2003-2004, le président Joan Laporta a rapidement lancé un message d'unité aux supporters.

", + "content": "Éliminé de la Ligue des champions à l'issue de la phase de groupes, après sa défaite ce mercredi face au Bayern Munich (3-0), le FC Barcelone reste plongé dans la crise, aussi bien économique que sportive. Si le club catalan ne verra pas les huitièmes de finale pour la première fois depuis la saison 2003-2004, le président Joan Laporta a rapidement lancé un message d'unité aux supporters.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/les-grandes-interviews-rmc-sport-les-retrouvailles-gallas-terry-en-2016_AV-202112060251.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-l-appel-a-l-unite-de-laporta-apres-l-elimination-historique-en-ligue-des-champions_AV-202112090051.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:48:32 GMT", - "enclosure": "https://images.bfmtv.com/yw975QLJhd4u0sDZabq-R0qc4Io=/0x0:720x405/800x0/images/John-Terry-et-William-Gallas-en-2016-1182667.jpg", + "pubDate": "Thu, 09 Dec 2021 06:23:02 GMT", + "enclosure": "https://images.bfmtv.com/C1TO6crkVIOSdWoXUHul_4fbF_k=/0x68:2048x1220/800x0/images/Joan-Laporta-1170972.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37341,17 +41976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "75571947f0521152b5629aafc38fe87f" + "hash": "20bd573e45f88808c4f7a4487adb2633" }, { - "title": "Rallye : Loeb et Ogier face à face au Monte-Carlo? Les deux champions en essai dans les Hautes-Alpes le même jour", - "description": "Sébastien Loeb est venu essayer la Ford Puma Hybride à Bréziers. Sébastien Ogier était lui le même jour dans le Buëch mais n’a pas pu rouler puisque Elfyn Evans avait cassé la Toyota Yaris la veille. Pour l’instant, l’Automobile Club de Monaco ne confirme aucune inscription des deux pilotes pour le prochain Monte-Carlo.

", - "content": "Sébastien Loeb est venu essayer la Ford Puma Hybride à Bréziers. Sébastien Ogier était lui le même jour dans le Buëch mais n’a pas pu rouler puisque Elfyn Evans avait cassé la Toyota Yaris la veille. Pour l’instant, l’Automobile Club de Monaco ne confirme aucune inscription des deux pilotes pour le prochain Monte-Carlo.

", + "title": "Ligue des champions en direct: la presse sans pitié avec le Barça après son élimination", + "description": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", + "content": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 3-0 combinée à la victoire de Benfica sur le Dynamo Kiev.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/rallye/rallye-loeb-et-ogier-face-a-face-au-monte-carlo-les-deux-champions-en-essai-dans-les-hautes-alpes-le-meme-jour_AV-202112060247.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-multiplex-en-direct_LS-202112080539.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:38:20 GMT", - "enclosure": "https://images.bfmtv.com/KTpzV6znyJGw-XAuP3B_3YpxkII=/0x39:768x471/800x0/images/Les-deux-pilotes-francais-Sebastien-Loeb-Hyundai-et-Sebatien-Ogier-Citroen-lors-de-la-presentation-du-Rallye-de-Catalogne-le-24-octobre-2019-a-Salou-1171718.jpg", + "pubDate": "Wed, 08 Dec 2021 18:14:34 GMT", + "enclosure": "https://images.bfmtv.com/5l5SgLpTG7iR3FUIb-_7e6Je_Xs=/0x122:672x500/800x0/images/La-une-de-Marca-de-ce-jeudi-1184616.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37361,17 +41996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d1574acf79fa330e3c449941b7b030f0" + "hash": "740ec72deafbfb45a66af015470adda0" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 6 décembre – Ligue 2", - "description": "Notre pronostic : Toulouse s’impose à Niort et au moins deux buts (2.15)

", - "content": "Notre pronostic : Toulouse s’impose à Niort et au moins deux buts (2.15)

", + "title": "Bayern-Barça: Lenglet rigole avec Lewandowski et provoque la colère des supporters catalans", + "description": "Clément Lenglet, défenseur du FC Barcelone, se retrouve au cœur des critiques pour avoir affiché un large sourire aux côtés de Robert Lewandowski après l'élimination historique du Barça dès la phase de poule de la Ligue des champions.

", + "content": "Clément Lenglet, défenseur du FC Barcelone, se retrouve au cœur des critiques pour avoir affiché un large sourire aux côtés de Robert Lewandowski après l'élimination historique du Barça dès la phase de poule de la Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-6-decembre-ligue-2_AN-202112050223.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bayern-barca-lenglet-rigole-avec-lewandowski-et-provoque-la-colere-des-supporters-catalans_AV-202112090034.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/uuj6HfCeytuLIlBz5FVi3vR5iTk=/0x0:1984x1116/800x0/images/R-Healey-1182151.jpg", + "pubDate": "Thu, 09 Dec 2021 05:57:14 GMT", + "enclosure": "https://images.bfmtv.com/imnGbOKzEPV5_ZkOI99DjvKTKaY=/0x197:2048x1349/800x0/images/Le-sourire-de-Clement-Lenglet-avec-Robert-Lewandowski-apres-l-elimination-du-Barca-ne-passe-pas-du-tout-1184601.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37381,17 +42016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8023ee05f836343343f9f3b1955c8807" + "hash": "dbb7b566480beefa368e951900d4d8c4" }, { - "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 6 décembre – NBA", - "description": "Mon pronostic : Atlanta s’impose à Minnesota (2.05)

", - "content": "Mon pronostic : Atlanta s’impose à Minnesota (2.05)

", + "title": "Ligue des champions: \"en-dessous de zéro\", la presse espagnole enfonce le Barça après son élimination", + "description": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", + "content": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-6-decembre-nba_AN-202112060246.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-en-dessous-de-zero-la-presse-espagnole-enfonce-le-barca-apres-son-elimination_AV-202112090020.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:31:25 GMT", - "enclosure": "https://images.bfmtv.com/ULuDIAbbEflcoxqIlflDsmv5Vc0=/1x0:2001x1125/800x0/images/Atlanta-1182663.jpg", + "pubDate": "Thu, 09 Dec 2021 05:25:40 GMT", + "enclosure": "https://images.bfmtv.com/u39cdX67yEGMwGgSzcuz60afVZc=/0x14:752x437/800x0/images/La-une-de-Mundo-Deportivo-de-ce-jeudi-1184590.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37401,17 +42036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "408e6703e01892a9ee46de51cd8466ef" + "hash": "48be83c9c90e726c5d6ee56ea55fcc1c" }, { - "title": "Benzema blessé, Dembélé en forme... Le week-end des Bleus", - "description": "A moins d'un an de la Coupe du monde de football au Qatar, qu''ont fait les potentiels membres de l'équipe de France ce week-end?

", - "content": "A moins d'un an de la Coupe du monde de football au Qatar, qu''ont fait les potentiels membres de l'équipe de France ce week-end?

", + "title": "Tour de France: jugement jeudi pour la spectatrice à la pancarte", + "description": "Le tribunal correctionnel de Brest doit rendre son jugement jeudi dans l'affaire de la femme qui avait provoqué une chute massive de coureurs lors du Tour de France en brandissant une pancarte en juin dernier.

", + "content": "Le tribunal correctionnel de Brest doit rendre son jugement jeudi dans l'affaire de la femme qui avait provoqué une chute massive de coureurs lors du Tour de France en brandissant une pancarte en juin dernier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/benzema-blesse-dembele-en-forme-le-week-end-des-bleus_AD-202112060237.html", + "link": "https://rmcsport.bfmtv.com/cyclisme/tour-de-france/tour-de-france-jugement-jeudi-pour-la-spectatrice-a-la-pancarte_AD-202112090011.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:06:08 GMT", - "enclosure": "https://images.bfmtv.com/4CAxK0MorCJzgRg6i8V_qQ0JT1c=/0x55:768x487/800x0/images/Karim-Benzema-g-avec-le-Real-Madrid-contre-la-Real-Sociedad-en-Liga-le-4-decembre-2021-au-stade-Anoeta-a-Saint-Sebastien-1182638.jpg", + "pubDate": "Thu, 09 Dec 2021 04:49:45 GMT", + "enclosure": "https://images.bfmtv.com/qrCOtTDydi6ZAZH2i0brcuJHIhw=/7x88:1063x682/800x0/images/La-chute-sur-le-Tour-de-France-1055978.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37421,17 +42056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1bdcc5097d78214353147218c6f9cc9" + "hash": "b48a8b552251f9648d4269263ea82dc8" }, { - "title": "Ligue 1: un possible retrait d'un point avec sursis pour l'OL après l'incident contre l'OM", - "description": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", - "content": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", + "title": "Basket: une tribune fermée pour Gravelines-Dunkerque après la banderole insultante", + "description": "Le club nordiste a été sanctionné de la fermeture d’une tribune et d’une amende de 1500 euros à la suite d’une banderole insultante déployée lors du match face au Portel le 5 novembre dernier.

", + "content": "Le club nordiste a été sanctionné de la fermeture d’une tribune et d’une amende de 1500 euros à la suite d’une banderole insultante déployée lors du match face au Portel le 5 novembre dernier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-un-possible-retrait-d-un-point-avec-sursis-pour-l-ol-apres-l-incident-contre-l-om_AV-202112060319.html", + "link": "https://rmcsport.bfmtv.com/basket/basket-une-tribune-fermee-pour-gravelines-dunkerque-apres-la-banderole-insultante_AN-202112090010.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:20:37 GMT", - "enclosure": "https://images.bfmtv.com/YUzaZSDOddKudjP1EhIzSEW7nSc=/0x60:768x492/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", + "pubDate": "Thu, 09 Dec 2021 00:18:16 GMT", + "enclosure": "https://images.bfmtv.com/9ouFMwyt7N6dCfUt8pQog7ahnpY=/0x106:2048x1258/800x0/images/Basket-illustration-976031.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37441,17 +42076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f2d3d11d8ba6bff978672bf28ff6a618" + "hash": "ee065564f3192f5f4ce7674e72d429c3" }, { - "title": "Ligue 1 en direct: ce que risque l'OL après le jet de bouteille sur Payet, un point de retrait avec sursis possible", - "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", - "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "title": "Ligue des champions: le PSG en démonstration, le Real Madrid en quarts", + "description": "Le Paris SG féminin, déjà qualifié en quarts de finale de Ligue des champions, a enchaîné un cinquième succès (6-0) dans le groupe B mercredi à Kharkiv (Ukraine) lors de l'avant-dernière journée des poules, marquée par la qualification du Real Madrid et le succès de Wolfsburg.

", + "content": "Le Paris SG féminin, déjà qualifié en quarts de finale de Ligue des champions, a enchaîné un cinquième succès (6-0) dans le groupe B mercredi à Kharkiv (Ukraine) lors de l'avant-dernière journée des poules, marquée par la qualification du Real Madrid et le succès de Wolfsburg.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/ligue-des-champions/ligue-des-champions-le-psg-en-demonstration-le-real-madrid-en-quarts_AD-202112090009.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", - "enclosure": "https://images.bfmtv.com/HUIle36ERb8WjXM7JbTN-xOU1oY=/0x212:2048x1364/800x0/images/Dimitri-Payet-au-sol-lors-d-OL-OM-1173034.jpg", + "pubDate": "Thu, 09 Dec 2021 00:08:06 GMT", + "enclosure": "https://images.bfmtv.com/v6ylP1oIa9F8tQiR3BUIfowudKk=/0x106:2048x1258/800x0/images/Les-joueuses-du-PSG-avec-Hamraoui-et-Baltimore-1168470.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37461,17 +42096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "02c86fa3d1e33a17fb167356a28b2246" + "hash": "a62b2800040a33c5c7c0f193932df7db" }, { - "title": "F1: les clés de la finale Hamilton-Verstappen au Grand Prix d'Abou Dhabi", - "description": "Les deux pilotes ont le même nombre de points avant le début du dernier Grand Prix de Formule 1 de la saison.

", - "content": "Les deux pilotes ont le même nombre de points avant le début du dernier Grand Prix de Formule 1 de la saison.

", + "title": "Barça: \"Un coup de massue\" pour Xavi après l'élimination en Ligue des champions", + "description": "Sorti de la Ligue des champions dès la phase de groupes pour la première fois depuis la saison 2000-2001, le FC Barcelone est tombé très bas. Mais s'il reconnaît que la situation est \"triste et difficile\", Xavi veut aussi y voir \"le début d'une nouvelle étape\".

", + "content": "Sorti de la Ligue des champions dès la phase de groupes pour la première fois depuis la saison 2000-2001, le FC Barcelone est tombé très bas. Mais s'il reconnaît que la situation est \"triste et difficile\", Xavi veut aussi y voir \"le début d'une nouvelle étape\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/f1-les-cles-de-la-finale-hamilton-verstappen-au-grand-prix-d-abou-dhabi_AD-202112060222.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-un-coup-de-massue-pour-xavi-apres-l-elimination-en-ligue-des-champions_AV-202112090008.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 11:45:52 GMT", - "enclosure": "https://images.bfmtv.com/QuffaZnxzLa7I-9A0RuLqUEgetA=/0x39:768x471/800x0/images/Lewis-Hamilton-Mercedes-celebre-sa-victoire-au-GP-d-Arabie-saoudite-devant-Max-Verstappen-Red-Bull-le-5-decembre-2021-au-circuit-de-Jeddah-1182560.jpg", + "pubDate": "Thu, 09 Dec 2021 00:02:33 GMT", + "enclosure": "https://images.bfmtv.com/8pX0tca9v3vwt-n1R-JCqY2W8D4=/0x61:2048x1213/800x0/images/Xavi-Hernandez-1184566.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37481,17 +42116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1442f014fe427fc8e648e5a7584ae2c8" + "hash": "104890f0c63b8724f1275b0927c09215" }, { - "title": "PSG: Ramos bien présent à l’entraînement avant Bruges, Kimpembe absent", - "description": "Sergio Ramos a pris part à la séance collective du PSG ce lundi à la veille de la réception de Bruges lors de la sixième journée des poules de la Ligue des champions (dès 18h45 sur RMC Sport 1). L’espoir de voir le défenseur espagnol jouer contre le club belge existe donc bel et bien.

", - "content": "Sergio Ramos a pris part à la séance collective du PSG ce lundi à la veille de la réception de Bruges lors de la sixième journée des poules de la Ligue des champions (dès 18h45 sur RMC Sport 1). L’espoir de voir le défenseur espagnol jouer contre le club belge existe donc bel et bien.

", + "title": "Wolfsburg-Lille: \"C’est historique\", les Dogues laissent éclater leur joie", + "description": "Lille a décroché la qualification pour les 8es de finale de la Ligue des champions en s’imposant à Wolfsburg (3-1) ce mercredi. Jocelyn Gourvennec et Benjamin André ont exprimé leur satisfaction après ce moment rare dans la vie du club nordiste.

", + "content": "Lille a décroché la qualification pour les 8es de finale de la Ligue des champions en s’imposant à Wolfsburg (3-1) ce mercredi. Jocelyn Gourvennec et Benjamin André ont exprimé leur satisfaction après ce moment rare dans la vie du club nordiste.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-ramos-bien-present-a-l-entrainement-avant-bruges-kimpembe-absent_AV-202112060213.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-c-est-historique-les-dogues-laissent-eclater-leur-joie_AV-202112080653.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 11:32:20 GMT", - "enclosure": "https://images.bfmtv.com/VcFfGJTTFFmghvpryvCiG7ZQFh0=/0x0:2048x1152/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182605.jpg", + "pubDate": "Wed, 08 Dec 2021 23:58:01 GMT", + "enclosure": "https://images.bfmtv.com/m-856iKfGlnmZ_Xf3ryisf0akSU=/0x16:768x448/800x0/images/La-joie-du-Canadien-Jonathan-David-et-de-l-Anglais-Angel-Gomes-auteurs-chacun-d-un-but-lors-de-la-victoire-de-Lille-3-1-sur-le-terrain-de-Wolfsbourg-lors-de-la-6e-journee-du-groupe-G-de-la-Ligue-des-Champions-le-8-decembre-2021-1184548.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37501,17 +42136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "afcaa9669bc603a30bd799d48fbe0410" + "hash": "e9f463eaec2a63313481d5ff7c9d9cd6" }, { - "title": "Le foot belge sous le choc après les graves incidents lors de Standard de Liège-Charleroi", - "description": "Comme en Ligue 1, la Jupiler Pro League est frappé par des graves débordements avec les supporters. Dimanche, le derby wallon comptant pour la 17eme journée opposant le Standard de Liège au Sporting Charleroi a été définitivement arrêté à la 88e minutes...

", - "content": "Comme en Ligue 1, la Jupiler Pro League est frappé par des graves débordements avec les supporters. Dimanche, le derby wallon comptant pour la 17eme journée opposant le Standard de Liège au Sporting Charleroi a été définitivement arrêté à la 88e minutes...

", + "title": "Incidents OL-OM: Cardoze explique que l'OM voulait avoir match gagné", + "description": "Jacques Cardoze, le directeur de la communication de l'OM, a réagi dans l'After Foot sur RMC aux décisions de la commission de discipline de la Ligue, qui a décidé de retirer un point ferme à l'OL après les incidents survenus lors du match Lyon-Marseille. Le match sera aussi rejoué.

", + "content": "Jacques Cardoze, le directeur de la communication de l'OM, a réagi dans l'After Foot sur RMC aux décisions de la commission de discipline de la Ligue, qui a décidé de retirer un point ferme à l'OL après les incidents survenus lors du match Lyon-Marseille. Le match sera aussi rejoué.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/le-foot-belge-sous-le-choc-apres-les-graves-incidents-lors-de-standard-de-liege-charleroi_AD-202112060209.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-cardoze-explique-que-l-om-voulait-avoir-match-gagne_AV-202112080650.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 11:27:09 GMT", - "enclosure": "https://images.bfmtv.com/b0kBCHG4Hhliy-Tjfm-M6zbnK6A=/0x212:2048x1364/800x0/images/Les-fans-du-Standard-de-Liege-1182596.jpg", + "pubDate": "Wed, 08 Dec 2021 23:23:55 GMT", + "enclosure": "https://images.bfmtv.com/EYeRNLBMaMQIdaq-D8hCaNuC_nI=/0x210:2048x1362/800x0/images/Jacques-CARDOZE-1184541.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37521,17 +42156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d7e6edb67db55d5f4a23fd5172f56b7d" + "hash": "6ac0fb24770f55747283da033c38fd32" }, { - "title": "Serie A: Ibrahimovic \"espère\" rester toute sa vie à l’AC Milan", - "description": "Sous contrat jusqu’en juin 2022 avec l’AC Milan, Zlatan Ibrahimovic, 40 ans, ne semble pas encore prêt à mettre un terme à sa carrière de footballeur. Mais lorsque l’heure de sa retraite sportive aura sonné, le Suédois espère bien continuer à avoir un rôle à Milan.

", - "content": "Sous contrat jusqu’en juin 2022 avec l’AC Milan, Zlatan Ibrahimovic, 40 ans, ne semble pas encore prêt à mettre un terme à sa carrière de footballeur. Mais lorsque l’heure de sa retraite sportive aura sonné, le Suédois espère bien continuer à avoir un rôle à Milan.

", + "title": "Ligue 1 en direct: Rennes dénonce \"le manque de fair-play\" de Tottenham et veut jouer", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/serie-a-ibrahimovic-espere-rester-toute-sa-vie-a-l-ac-milan_AV-202112060202.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 11:17:29 GMT", - "enclosure": "https://images.bfmtv.com/MwB6p1BxcUGVP4hA4XiaNEj32Eg=/0x39:2048x1191/800x0/images/Zlatan-Ibrahimovic-1182591.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/1qXSI53YdnVzaShsqsN6ZbDok2E=/0x104:2000x1229/800x0/images/Kane-et-Truffert-lors-de-Rennes-Tottenham-1184253.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37541,17 +42176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c06f278eacae11ce87018d948fe3f73a" + "hash": "4d4b9d7fe72179f882854e215d0ce018" }, { - "title": "Triathlon: Vincent Luis boucle un Ironman 70.3 avec un super temps... après avoir été percuté par une voiture", - "description": "Passé par-dessus une voiture qui n'avait rien à faire là, Vincent Luis est tout de même parvenu à terminer deuxième de son premier Ironman 70.3, malgré la douleur et le choc psychologique, à Indian Wells (Etats-Unis).

", - "content": "Passé par-dessus une voiture qui n'avait rien à faire là, Vincent Luis est tout de même parvenu à terminer deuxième de son premier Ironman 70.3, malgré la douleur et le choc psychologique, à Indian Wells (Etats-Unis).

", + "title": "PRONOS PARIS RMC Les paris du 9 décembre sur Tottenham - Rennes – Ligue Europa Conférence", + "description": "Notre pronostic: Tottenham ne perd pas face à Rennes et plus de 1,5 but dans le match (1.44)

", + "content": "Notre pronostic: Tottenham ne perd pas face à Rennes et plus de 1,5 but dans le match (1.44)

", "category": "", - "link": "https://rmcsport.bfmtv.com/athletisme/triathlon-vincent-luis-boucle-un-ironman-70-3-avec-un-super-temps-apres-avoir-ete-percute-par-une-voiture_AV-202112060195.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-9-decembre-sur-tottenham-rennes-ligue-europa-conference_AN-202112080414.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 11:07:14 GMT", - "enclosure": "https://images.bfmtv.com/ocEglSM7I47sFuYks1Ntkl4_8sY=/0x117:1200x792/800x0/images/Vincent-Luis-1182589.jpg", + "pubDate": "Wed, 08 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/1qXSI53YdnVzaShsqsN6ZbDok2E=/0x104:2000x1229/800x0/images/Kane-et-Truffert-lors-de-Rennes-Tottenham-1184253.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37561,17 +42196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "815f0d28028acb1193b4f4cd709e3a76" + "hash": "b4504887d8cd61ddfa289944f595bf35" }, { - "title": "PSG: le clan Messi douterait de Pochettino", - "description": "Le PSG affronte Bruges mardi lors de la sixième journée de la phase de poules de la Ligue des champions (18h45 sur RMC Sport 1). L’occasion pour Lionel Messi d’améliorer ses statistiques avec le club francilien alors que la presse fait état d’incertitudes chez les proches de l’Argentin au sujet des compétences de Mauricio Pochettino.

", - "content": "Le PSG affronte Bruges mardi lors de la sixième journée de la phase de poules de la Ligue des champions (18h45 sur RMC Sport 1). L’occasion pour Lionel Messi d’améliorer ses statistiques avec le club francilien alors que la presse fait état d’incertitudes chez les proches de l’Argentin au sujet des compétences de Mauricio Pochettino.

", + "title": "Ligue des champions: la déroute du Barça, Yilmaz, Greenwood... les principaux buts de mercredi", + "description": "Lors de la victoire 3-0 du Bayern Munich face au Barça, Leroy Sané a inscrit l'un des plus beaux buts de la dernière soirée de Ligue des champions de l'année 2021. Deux jolis buts ont aussi été marqués à Old Trafford, où Manchester United et le Young Boys s'affrontaient.

", + "content": "Lors de la victoire 3-0 du Bayern Munich face au Barça, Leroy Sané a inscrit l'un des plus beaux buts de la dernière soirée de Ligue des champions de l'année 2021. Deux jolis buts ont aussi été marqués à Old Trafford, où Manchester United et le Young Boys s'affrontaient.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-le-clan-messi-douterait-de-pochettino_AV-202112060189.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-deroute-du-barca-yilmaz-greenwood-les-principaux-buts-de-mercredi_AV-202112080638.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:44:48 GMT", - "enclosure": "https://images.bfmtv.com/8ETljshnemy-T8Cn7ReCNvv9WrQ=/0x80:2048x1232/800x0/images/Mauricio-Pochettino-parle-tactique-avec-Lionel-Messi-1182571.jpg", + "pubDate": "Wed, 08 Dec 2021 22:48:43 GMT", + "enclosure": "https://images.bfmtv.com/qj-48cFOBC15TKYG1dT65uWyriM=/0x69:2048x1221/800x0/images/Bayern-Barca-1184523.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37581,17 +42216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d696f7d87b618dc72f17bd944d6cc2f8" + "hash": "607896f35e2b1b08fa0fd2c225706dc5" }, { - "title": "Les pronos hippiques du mardi 7 décembre 2021", - "description": " Le Quinté+ du mardi 7 décembre est programmé sur l’hippodrome de Chantilly dans la discipline du galop. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": " Le Quinté+ du mardi 7 décembre est programmé sur l’hippodrome de Chantilly dans la discipline du galop. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Incidents OL-OM: la colère d’Alvaro après le verdict de la commission", + "description": "Les décisions de la commission de discipline de la LFP ont été dévoilées ce mercredi après les incidents lors d’OL-OM. Si le club lyonnais est lourdement sanctionné, le verdict ne plaît pas à Alvaro Gonzalez.

", + "content": "Les décisions de la commission de discipline de la LFP ont été dévoilées ce mercredi après les incidents lors d’OL-OM. Si le club lyonnais est lourdement sanctionné, le verdict ne plaît pas à Alvaro Gonzalez.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-mardi-7-decembre-2021_AN-202112060186.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-la-colere-d-alvaro-apres-le-verdict-de-la-commission_AV-202112080632.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:43:22 GMT", - "enclosure": "https://images.bfmtv.com/58tkO2rpNGRQsRRsDsFrc0Ph_Pc=/4x3:1252x705/800x0/images/Les-pronos-hippiques-du-dimanche-28-novembre-2021-1176702.jpg", + "pubDate": "Wed, 08 Dec 2021 22:36:41 GMT", + "enclosure": "https://images.bfmtv.com/D1NjSFguBwA7ZOzG_LYB69JW87w=/0x39:768x471/800x0/images/Le-meneur-de-jeu-de-Marseille-Dimitri-Payet-touche-par-une-bouteille-d-eau-au-moment-de-tirer-un-corner-contre-Lyon-au-Parc-OL-le-21-novembre-2021-1171867.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37601,17 +42236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "66df6491f903bac75c3e76b894478fa5" + "hash": "1b345eab8c9d40431e9d851b46ce3105" }, { - "title": "F1: Que doivent faire Verstappen ou Hamilton au dernier Grand Prix pour être champion?", - "description": "Pour la première fois depuis 1974, deux pilotes vont s'élancer de la grille de départ du dernier Grand Prix de la saison avec le même nombre de point.

", - "content": "Pour la première fois depuis 1974, deux pilotes vont s'élancer de la grille de départ du dernier Grand Prix de la saison avec le même nombre de point.

", + "title": "Ligue des champions: les adversaires potentiels du PSG et de Lille en huitièmes", + "description": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", + "content": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-que-doivent-faire-verstappen-ou-hamilton-au-dernier-grand-prix-pour-etre-champion_AV-202112060174.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-pour-le-psg-et-lille-en-huitiemes_AV-202112080630.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:22:42 GMT", - "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", + "pubDate": "Wed, 08 Dec 2021 22:26:59 GMT", + "enclosure": "https://images.bfmtv.com/g5YAk7GIILjNzuwqBugOg4wvmR8=/0x5:2048x1157/800x0/images/PSG-1184529.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37621,17 +42256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7451efa30349186c4fd74ab738ad0682" + "hash": "4947eb9edc8d553d358b1930cb9f478d" }, { - "title": "F1: Verstappen, Hamilton… qui sera champion du monde s’ils s’accrochent à Abu Dhabi", - "description": "Revenu à hauteur de Max Verstappen au classement des pilotes ce week-end, Lewis Hamilton n'a aucune chance d'être sacré champion du monde en cas d'égalité parfaite au classement à l'issue du dernier Grand Prix de la saison, le week-end prochain. Le Britannique doit absolument obtenir un meilleur résultat que le Néerlandais à Abu Dhabi. Voici pourquoi.

", - "content": "Revenu à hauteur de Max Verstappen au classement des pilotes ce week-end, Lewis Hamilton n'a aucune chance d'être sacré champion du monde en cas d'égalité parfaite au classement à l'issue du dernier Grand Prix de la saison, le week-end prochain. Le Britannique doit absolument obtenir un meilleur résultat que le Néerlandais à Abu Dhabi. Voici pourquoi.

", + "title": "Ligue des champions: corrigé par le Bayern, le Barça se retrouve en Ligue Europa", + "description": "Balayé par le Bayern (3-0) ce mercredi à Munich, le FC Barcelone ne disputera pas les huitièmes de finale de la Ligue des champions. Une énorme désillusion pour les joueurs de Xavi, qui sont reversés en Ligue Europa.

", + "content": "Balayé par le Bayern (3-0) ce mercredi à Munich, le FC Barcelone ne disputera pas les huitièmes de finale de la Ligue des champions. Une énorme désillusion pour les joueurs de Xavi, qui sont reversés en Ligue Europa.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-verstappen-hamilton-qui-sera-champion-du-monde-s-ils-s-accrochent-a-abu-dhabi_AV-202112060173.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-corrige-par-le-bayern-le-barca-se-retrouve-en-ligue-europa_AV-202112080623.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:15:03 GMT", - "enclosure": "https://images.bfmtv.com/jppBX6TpqiwB0yiUpTk8k68-JNk=/0x0:1200x675/800x0/images/Max-Verstappen-et-Lewis-Hamilton-1182558.jpg", + "pubDate": "Wed, 08 Dec 2021 21:56:01 GMT", + "enclosure": "https://images.bfmtv.com/gEhV3S63TFwRexP3aP5nD8520o4=/0x0:2048x1152/800x0/images/Benjamin-Pavard-et-Ousmane-Dembele-1184512.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37641,17 +42276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a0b100597d2f6eee05208f9a419e3737" + "hash": "40e0df5a0af3fd344015219af12c1194" }, { - "title": "Ligue 1: Saint-Etienne nomme Loïc Perrin coordinateur sportif", - "description": "Ancien capitaine emblématique des Verts, Loïc Perrin, qui a pris sa retraite sportive à l’été 2020, endosse un nouveau costume au club. Jusqu’alors conseiller de l’ASSE, l’ex-défenseur va désormais occuper le poste de coordinateur sportif.

", - "content": "Ancien capitaine emblématique des Verts, Loïc Perrin, qui a pris sa retraite sportive à l’été 2020, endosse un nouveau costume au club. Jusqu’alors conseiller de l’ASSE, l’ex-défenseur va désormais occuper le poste de coordinateur sportif.

", + "title": "Ligue des champions: le Losc qualifié pour les huitièmes, en surclassant Wolfsburg", + "description": "Vainqueur 3-1 à Wolfsburg, le Losc s'est qualifié pour les huitièmes de finale de la Ligue des champions. Le champion de France, qui rejoint le PSG, s'est offert au passage la première place de son groupe, lui conférant ainsi le statut de tête de série pour le tirage au sort.

", + "content": "Vainqueur 3-1 à Wolfsburg, le Losc s'est qualifié pour les huitièmes de finale de la Ligue des champions. Le champion de France, qui rejoint le PSG, s'est offert au passage la première place de son groupe, lui conférant ainsi le statut de tête de série pour le tirage au sort.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-saint-etienne-nomme-loic-perrin-coordinateur-sportif_AV-202112060172.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-losc-qualifie-pour-les-huitiemes-en-surclassant-wolfsburg_AV-202112080622.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:11:21 GMT", - "enclosure": "https://images.bfmtv.com/D4iXoGB4ATUVZcazcZgYRwaqyt0=/0x106:2048x1258/800x0/images/Loic-Perrin-1182556.jpg", + "pubDate": "Wed, 08 Dec 2021 21:55:11 GMT", + "enclosure": "https://images.bfmtv.com/7z3UfCv9QAGjasbl781VRIXC3ao=/6x101:2038x1244/800x0/images/Losc-Wolfsburg-1184513.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37661,17 +42296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5d4934d6af5f1482dc5daa6eecb0fd56" + "hash": "a93510ee4912490b2fdd362db90e68a7" }, { - "title": "\"Une période très difficile\", Lucas Hernandez revient sur ses démêlés avec la justice espagnole", - "description": "Dans un entretien accordé lundi à Kicker, le défenseur du Bayern Munich et de l’équipe de France, Lucas Hernandez, est revenu sur ses débuts compliqués en Bavière. Et sur ses ennuis avec la justice espagnole pour des violences conjugales avec sa compagne remontant à 2017.

", - "content": "Dans un entretien accordé lundi à Kicker, le défenseur du Bayern Munich et de l’équipe de France, Lucas Hernandez, est revenu sur ses débuts compliqués en Bavière. Et sur ses ennuis avec la justice espagnole pour des violences conjugales avec sa compagne remontant à 2017.

", + "title": "L'OM écope d'une amende, après les propos racistes contre Suk", + "description": "L'OM a écopé d'une amende de 10.000 euros pour les propos à caractère discriminatoire tenus à l'encontre de l'attaquant de Troyes Hyun-Jun Suk, a annoncé mercredi la commission de discipline de la LFP.

", + "content": "L'OM a écopé d'une amende de 10.000 euros pour les propos à caractère discriminatoire tenus à l'encontre de l'attaquant de Troyes Hyun-Jun Suk, a annoncé mercredi la commission de discipline de la LFP.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-lucas-hernandez-raconte-la-pire-periode-de-sa-carriere_AV-202112060171.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/l-om-ecope-d-une-amende-apres-les-propos-racistes-contre-suk_AV-202112080615.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:09:55 GMT", - "enclosure": "https://images.bfmtv.com/BkNY8H5A_fvuRSKu8NZxojCB_mc=/0x0:2048x1152/800x0/images/Lucas-Hernandez-1182557.jpg", + "pubDate": "Wed, 08 Dec 2021 21:29:03 GMT", + "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37681,17 +42316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7ae9834237e774c67f2c30b6f1000831" + "hash": "cf3b84a662a6244471624c7e721bb696" }, { - "title": "Justin Bonomo, plus gros gagnant de l'histoire du poker", - "description": "En s'imposant sur le High Roller du WPT Five Diamond ce week-end Justin Bonomo ets devenu le plus gros gagnant de l'histoire du poker. L'américain a dépassé la barre des 57 millions $ de gains en carrière.

", - "content": "En s'imposant sur le High Roller du WPT Five Diamond ce week-end Justin Bonomo ets devenu le plus gros gagnant de l'histoire du poker. L'américain a dépassé la barre des 57 millions $ de gains en carrière.

", + "title": "Incidents OL-OM: Lyon dénonce le verdict et s’en prend violemment à Cardoze", + "description": "Sanctionné d’un point de retrait ferme, l’OL, qui devra également rejouer le match face à l’OM, a publié un communiqué pour afficher sa colère. Et critiquer Jacques Cardoze, le directeur de la communication de Marseille, accusé d’avoir voulu faire pression sur la commission de discipline.

", + "content": "Sanctionné d’un point de retrait ferme, l’OL, qui devra également rejouer le match face à l’OM, a publié un communiqué pour afficher sa colère. Et critiquer Jacques Cardoze, le directeur de la communication de Marseille, accusé d’avoir voulu faire pression sur la commission de discipline.

", "category": "", - "link": "https://rmcsport.bfmtv.com/poker/justin-bonomo-plus-gros-gagnant-de-l-histoire-du-poker_AN-202112100009.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-lyon-denonce-le-verdict-et-s-en-prend-violemment-a-cardoze_AN-202112080614.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:06:00 GMT", - "enclosure": "https://images.bfmtv.com/KxUnU61unUy__TnrDKRE5vfYd2U=/4x25:644x385/800x0/images/Justin-Bonomo-plus-gros-gagnant-de-l-histoire-du-poker-1182647.jpg", + "pubDate": "Wed, 08 Dec 2021 21:22:13 GMT", + "enclosure": "https://images.bfmtv.com/YqzCAMCkMqTTfpfMh6jDMaTrHFw=/0x64:768x496/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-quitte-la-pelouse-apres-avoir-ete-touche-a-la-tempe-par-une-bouteille-lancee-depuis-une-tribune-de-supporters-lyonnais-au-Parc-OL-le-21-novembre-2021-1171860.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37701,17 +42336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a53df4b4fbce89bdb8c664a5efcddbaf" + "hash": "e5b0cc1cb15517f379daedb453e55a71" }, { - "title": "Pourquoi l'OL n’y arrive plus en Ligue 1", - "description": "L’OL a concédé le nul contre Bordeaux (2-2) ce dimanche en clôture de la 17e journée de Ligue 1. Seulement douzième du classement en attendant le verdict pour le match contre l’OM, le club rhodanien connaît une crise de résultats. Une situation qui s’explique aussi bien par certains choix de Peter Bosz que par l’état d’esprit de certains joueurs.

", - "content": "L’OL a concédé le nul contre Bordeaux (2-2) ce dimanche en clôture de la 17e journée de Ligue 1. Seulement douzième du classement en attendant le verdict pour le match contre l’OM, le club rhodanien connaît une crise de résultats. Une situation qui s’explique aussi bien par certains choix de Peter Bosz que par l’état d’esprit de certains joueurs.

", + "title": "Incidents OL-OM: la réponse ferme de la LFP après le coup de gueule de Cardoze", + "description": "Après avoir annoncé les décisions prises à l’encontre de l’OL pour les incidents survenus contre l'OM, Sébastien Deneux, le président de la commission de discipline de la LFP, a répondu avec fermeté à Jacques Cardoze. Le directeur de la communication du club phocéen avait poussé un coup de gueule contre l'absence de représentant du club phocéen à Paris.

", + "content": "Après avoir annoncé les décisions prises à l’encontre de l’OL pour les incidents survenus contre l'OM, Sébastien Deneux, le président de la commission de discipline de la LFP, a répondu avec fermeté à Jacques Cardoze. Le directeur de la communication du club phocéen avait poussé un coup de gueule contre l'absence de représentant du club phocéen à Paris.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/pourquoi-l-ol-n-y-arrive-plus-en-ligue-1_AV-202112060167.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-la-reponse-ferme-de-la-lfp-apres-le-coup-de-gueule-de-cardoze_AV-202112080611.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:59:43 GMT", - "enclosure": "https://images.bfmtv.com/7IJnqvgB2zKvWI0gdw4KHaSZ6p8=/0x39:768x471/800x0/images/Le-milieu-de-terrain-bresilien-de-Lyon-Lucas-Paqueta-g-a-la-lutte-avec-le-defenseur-portugais-de-Bordeaux-Ricardo-Mangas-lors-de-la-17e-journee-de-Ligue-1-le-5-decembre-2021-au-Matmut-Atlantique-Stadium-1182335.jpg", + "pubDate": "Wed, 08 Dec 2021 21:05:37 GMT", + "enclosure": "https://images.bfmtv.com/4fiMuUAXnCSxgg3cOrzhXoN89UY=/0x146:2048x1298/800x0/images/OL-OM-1184497.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37721,17 +42356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c49050f69607d7dc052b35a486d67a4e" + "hash": "24715ee824de6ce957267ab6ba956ea2" }, { - "title": "Metz: \"Niane est toujours en train de pleurer\", Antonetti allume son attaquant", - "description": "Visiblement ulcéré par la performance de ses joueurs et plus particulièrement d’Ibrahima Niane, Frédéric Antonetti a apostrophé son attaquant en conférence de presse après la lourde défaite de Metz à Monaco (4-0), dimanche en Ligue 1.

", - "content": "Visiblement ulcéré par la performance de ses joueurs et plus particulièrement d’Ibrahima Niane, Frédéric Antonetti a apostrophé son attaquant en conférence de presse après la lourde défaite de Metz à Monaco (4-0), dimanche en Ligue 1.

", + "title": "Ligue des champions: Atalanta-Villarreal reporté en raison de la neige", + "description": "D'importantes chutes de neige ont provoqué le report du match Atalanta-Villarreal, mercredi soir en Ligue des champions. La rencontre, comptant pour le groupe F, est reprogrammée à jeudi.

", + "content": "D'importantes chutes de neige ont provoqué le report du match Atalanta-Villarreal, mercredi soir en Ligue des champions. La rencontre, comptant pour le groupe F, est reprogrammée à jeudi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/metz-niane-est-toujours-en-train-de-pleurer-antonetti-allume-son-attaquant_AV-202112060157.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-atalanta-villarreal-reporte-en-raison-de-la-neige_AV-202112080609.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:36:40 GMT", - "enclosure": "https://images.bfmtv.com/v4ZbBSm9nQD5Bb_BHnKtFqOUXFo=/0x106:2048x1258/800x0/images/Ibrahima-Niane-1182533.jpg", + "pubDate": "Wed, 08 Dec 2021 21:02:50 GMT", + "enclosure": "https://images.bfmtv.com/ng7IzZb5N20mUFGoATokx3QrGOg=/0x212:2048x1364/800x0/images/Atlanta-neige-1184500.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37741,17 +42376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "96feea01db5270a9960cb6bcddd86857" + "hash": "1a651086167ed4a84359b8fe6cb3124e" }, { - "title": "PSG-Bruges J-1 en direct: Sergio Ramos forfait, Kimpembe incertain", - "description": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", - "content": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", + "title": "Incidents OL-OM: un point de retrait ferme pour Lyon, le match à rejouer", + "description": "La commission de discipline de la Ligue de football professionnel était réunie ce mercredi pour étudier les sanctions à infliger après les incidents survenus le 21 novembre lors du choc OL-OM. Le match sera rejoué à Lyon. L'OL écope d'un point de retrait ferme au classement.

", + "content": "La commission de discipline de la Ligue de football professionnel était réunie ce mercredi pour étudier les sanctions à infliger après les incidents survenus le 21 novembre lors du choc OL-OM. Le match sera rejoué à Lyon. L'OL écope d'un point de retrait ferme au classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-bruges-j-1-en-direct-la-tension-monte-a-paris_LN-202112060147.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-un-point-de-retrait-ferme-pour-lyon-le-match-a-rejouer_AV-202112080602.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:09:03 GMT", - "enclosure": "https://images.bfmtv.com/VcFfGJTTFFmghvpryvCiG7ZQFh0=/0x0:2048x1152/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182605.jpg", + "pubDate": "Wed, 08 Dec 2021 20:34:18 GMT", + "enclosure": "https://images.bfmtv.com/LJN4y2A5ViNmMsexU1LP0heFpGQ=/0x35:768x467/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37761,17 +42396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d37dee592084f438d7902c60ec2dbb89" + "hash": "518e18bb6d6460bb31551a0f84234bdf" }, { - "title": "F1: \"Combat du siècle\", \"Braking Bad\"… la presse mondiale s’enflamme pour le duel Hamilton-Verstappen", - "description": "La course d’anthologie que se sont livrés Lewis Hamilton et Max Verstappen dimanche au Grand Prix d’Arabie saoudite, avant-dernière manche du championnat du monde de Formule 1 fait les gros titres des journaux ce lundi matin à travers le monde.

", - "content": "La course d’anthologie que se sont livrés Lewis Hamilton et Max Verstappen dimanche au Grand Prix d’Arabie saoudite, avant-dernière manche du championnat du monde de Formule 1 fait les gros titres des journaux ce lundi matin à travers le monde.

", + "title": "Wolfsburg-Lille: le but de Yilmaz après un contre express en vidéo", + "description": "Avec un but à la 11e minute, Burak Yilmaz a permis au Losc de mener 1-0 sur le terrain de Wolfsburg, mercredi soir dans le cadre de la 6e et dernière journée de la phase de groupes de la Ligue des champions.

", + "content": "Avec un but à la 11e minute, Burak Yilmaz a permis au Losc de mener 1-0 sur le terrain de Wolfsburg, mercredi soir dans le cadre de la 6e et dernière journée de la phase de groupes de la Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-combat-du-siecle-braking-bad-la-presse-mondiale-s-enflamme-pour-le-duel-hamilton-verstappen_AV-202112060140.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-le-but-de-yilmaz-apres-un-contre-express-en-video_AV-202112080599.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 08:54:48 GMT", - "enclosure": "https://images.bfmtv.com/KQDV06LM2hZcDAuQTMNT0wL_Sh4=/5x31:773x463/800x0/images/La-Une-de-The-Sun-1182512.jpg", + "pubDate": "Wed, 08 Dec 2021 20:24:24 GMT", + "enclosure": "https://images.bfmtv.com/6Kcs-Aq9W0ZMHY6o67hhgfkJ8uc=/0x0:1920x1080/800x0/images/Wolfsburg-Lille-1184486.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37781,17 +42416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fc8ad84ad3252691cac43aa877b9b389" + "hash": "f71bd1f1f6157715df7a641cbc8b8cab" }, { - "title": "Mercato: Salah snobe le Barça", - "description": "Régulièrement annoncé dans les petits papiers du FC Barcelone, Mohamed Salah a assuré à une chaîne de télévision égyptienne son souhait de faire durer l’aventure avec Liverpool, où l’attaquant de 29 ans se sent bien. Le Barça attendra.

", - "content": "Régulièrement annoncé dans les petits papiers du FC Barcelone, Mohamed Salah a assuré à une chaîne de télévision égyptienne son souhait de faire durer l’aventure avec Liverpool, où l’attaquant de 29 ans se sent bien. Le Barça attendra.

", + "title": "Ligue des champions: Chelsea accroché en fin de match, la Juventus termine leader", + "description": "Un scénario dantesque a permis à la Juventus, victorieuse 1-0 contre Malmö, de terminer en tête du groupe H de la Ligue des champions. Car dans le même temps, Chelsea a concédé un nul 3-3 contre le Zénith à deux minutes de la fin du temps additionnel. Les Bianconeri pourraient donc être sur la route du PSG en huitièmes de finale.

", + "content": "Un scénario dantesque a permis à la Juventus, victorieuse 1-0 contre Malmö, de terminer en tête du groupe H de la Ligue des champions. Car dans le même temps, Chelsea a concédé un nul 3-3 contre le Zénith à deux minutes de la fin du temps additionnel. Les Bianconeri pourraient donc être sur la route du PSG en huitièmes de finale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-salah-snobe-le-barca_AV-202112060135.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-en-direct-suivez-zenith-chelsea-et-juventus-malmo_LS-202112080498.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 08:38:12 GMT", - "enclosure": "https://images.bfmtv.com/gylC9uZZXGD5L_8FphvNaKkgo8k=/0x0:1200x675/800x0/images/Mohamed-Salah-1176780.jpg", + "pubDate": "Wed, 08 Dec 2021 17:04:15 GMT", + "enclosure": "https://images.bfmtv.com/3X-tV_Fj2RrqjfxFoBi_ro7iFMI=/0x0:1840x1035/800x0/images/Chelsea-Zenith-1184387.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37801,17 +42436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ef4901010fafc75c2e9184394743ffa" + "hash": "e19f3dc130cf8d843c43f8284dfe26ba" }, { - "title": "GP d'Arabie Saoudite en direct: Hamilton charge Verstappen après leur accrochage", - "description": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", - "content": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", + "title": "Golf: Tiger Woods va reprendre en famille, avec son fils Charlie", + "description": "Tiger Woods va faire son retour à la compétition, en famille, sans pression, la semaine prochaine au PNC Championship, à Orlando, dix mois après avoir été grièvement blessé dans un accident de la route à Los Angeles.

", + "content": "Tiger Woods va faire son retour à la compétition, en famille, sans pression, la semaine prochaine au PNC Championship, à Orlando, dix mois après avoir été grièvement blessé dans un accident de la route à Los Angeles.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-en-direct-suivez-le-grand-prix-d-arabie-saoudite_LS-202112050239.html", + "link": "https://rmcsport.bfmtv.com/golf/golf-tiger-woods-va-reprendre-en-famille-avec-son-fils-charlie_AD-202112080586.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:18:56 GMT", - "enclosure": "https://images.bfmtv.com/Vzqvl-Vh3G3nsHwIkKi-dnkCi-M=/0x212:2048x1364/800x0/images/Max-Verstappen-et-Lewis-Hamilton-au-restart-du-GP-d-Arabie-Saoudite-1182291.jpg", + "pubDate": "Wed, 08 Dec 2021 19:45:59 GMT", + "enclosure": "https://images.bfmtv.com/ez4AscANoE7rptJhxYUyqh5H3TQ=/0x55:768x487/800x0/images/L-Americain-Tiger-Woods-lors-d-une-conference-de-presse-le-18-juillet-2020-a-Dublin-Ohio-apres-le-3e-tour-du-tournoi-du-Memorial-1184400.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37821,17 +42456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3cf4a1763b93e82e14f6bb720208d475" + "hash": "cdeffcb8c95cec0ff80949e20066fcbe" }, { - "title": "GP d’Arabie saoudite: Hamilton se paye la conduite de Verstappen", - "description": "Lewis Hamilton a remporté dimanche le Grand Prix d’Arabie saoudite devant Max Verstappen. A égalité avec le Néerlandais au classement général, le pilote britannique a critiqué la conduite de son rival après l’avant-dernière course de la saison.

", - "content": "Lewis Hamilton a remporté dimanche le Grand Prix d’Arabie saoudite devant Max Verstappen. A égalité avec le Néerlandais au classement général, le pilote britannique a critiqué la conduite de son rival après l’avant-dernière course de la saison.

", + "title": "Tennis: pourquoi les joueurs du top 100 sont si nombreux aux championnats de France interclubs", + "description": "Compétition par équipe populaire auprès des passionnés de tennis, les championnats de France interclubs de la FFT opposent les meilleurs clubs français chaque année en fin de saison. Pourquoi, alors que la saison est terminée, de nombreux joueurs et joueuses des circuits ATP et WTA y prennent part ? Éléments de réponse.

", + "content": "Compétition par équipe populaire auprès des passionnés de tennis, les championnats de France interclubs de la FFT opposent les meilleurs clubs français chaque année en fin de saison. Pourquoi, alors que la saison est terminée, de nombreux joueurs et joueuses des circuits ATP et WTA y prennent part ? Éléments de réponse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-hamilton-se-paye-la-conduite-de-verstappen_AV-202112060126.html", + "link": "https://rmcsport.bfmtv.com/tennis/tennis-pourquoi-les-joueurs-du-top-100-sont-si-nombreux-aux-championnats-de-france-interclubs_AV-202112080578.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 08:22:08 GMT", - "enclosure": "https://images.bfmtv.com/gr0imL3ak7Vrn4d563dkPvJejd8=/0x210:2048x1362/800x0/images/Lewis-Hamilton-a-droite-et-Max-Verstappen-apres-le-GP-d-Arabie-saoudite-1182500.jpg", + "pubDate": "Wed, 08 Dec 2021 19:29:51 GMT", + "enclosure": "https://images.bfmtv.com/gmaoNoAdIji00V_sIeBzuKK0u7A=/0x140:2048x1292/800x0/images/Hugo-Gaston-1164126.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37841,17 +42476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb082f1a3d202a9aec63a8231918d5ac" + "hash": "893aeb7531954ffbd2cf9840a12dcb8d" }, { - "title": "Albert Solal, la chasse au record", - "description": "Albert Solal, coach mental, psychothérapeute et spécialiste d'expressos, tentera dimanche prochain d'entrer au Guinness Book en jouant la plus longue partie de poker jamais disputée online.

", - "content": "Albert Solal, coach mental, psychothérapeute et spécialiste d'expressos, tentera dimanche prochain d'entrer au Guinness Book en jouant la plus longue partie de poker jamais disputée online.

", + "title": "PSG: Rothen estime que Mbappé \"doit être le patron\", plus que Messi", + "description": "Pour Jérôme Rothen, les stars du PSG ont tout intérêt à se mettre au service de Kylian Mbappé, qu'il considère comme le véritable \"patron\" de cette équipe, encore plus après sa magnifique prestation mardi contre Bruges (4-1) en Ligue des champions.

", + "content": "Pour Jérôme Rothen, les stars du PSG ont tout intérêt à se mettre au service de Kylian Mbappé, qu'il considère comme le véritable \"patron\" de cette équipe, encore plus après sa magnifique prestation mardi contre Bruges (4-1) en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/poker/albert-solal-la-chasse-au-record_AN-202112060220.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-rothen-estime-que-mbappe-doit-etre-le-patron-plus-que-messi_AV-202112080573.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 08:20:34 GMT", - "enclosure": "https://images.bfmtv.com/_IPZ0tt2tzNm8Il-LZPvbHSW9eM=/0x112:1200x787/800x0/images/Albert-Solal-la-chasse-au-record-1182618.jpg", + "pubDate": "Wed, 08 Dec 2021 19:11:36 GMT", + "enclosure": "https://images.bfmtv.com/D8VThAFYgQtZKtXTyST9g-XiFP4=/0x0:1056x594/800x0/images/Jerome-Rothen-1137662.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37861,17 +42496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7ee06e11d7f56dcdbf8b8947500a918b" + "hash": "fe8f5c2bc9aefc5276042b2907d3516c" }, { - "title": "PSG-Bruges J-1 en direct: La tension monte à Paris", - "description": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", - "content": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", + "title": "Ligue des champions: \"en-dessous de zéro \", la presse espagnole enfonce le Barça après son élimination", + "description": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", + "content": "L’élimination du FC Barcelone dès la phase de poule de la Ligue des champions est le sujet en une des quotidiens sportifs espagnols, ce jeudi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-bruges-j-1-en-direct-la-tension-monte-a-paris_LN-202112060147.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-en-dessous-de-zero-la-presse-espagnole-enfonce-le-barca-apres-son-elimination_AV-202112090020.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:09:03 GMT", - "enclosure": "https://images.bfmtv.com/XhNQDRo0j0xLvkebz9Idop5962E=/0x0:1184x666/800x0/images/Mauricio-Pochettino-1179636.jpg", + "pubDate": "Thu, 09 Dec 2021 05:25:40 GMT", + "enclosure": "https://images.bfmtv.com/u39cdX67yEGMwGgSzcuz60afVZc=/0x14:752x437/800x0/images/La-une-de-Mundo-Deportivo-de-ce-jeudi-1184590.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37881,17 +42516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d34e2bc68cca4a3e9940634aac1468a9" + "hash": "e56377ac6becb4c3b9fa196e16fc656c" }, { - "title": "Ligue 1: la stat’ terrible (et historique) de Bordeaux à domicile", - "description": "Bien que revenus deux fois à hauteur de l’Olympique lyonnais, dimanche (2-2), les Bordelais peinent toujours autant à domicile. Au Matmut Atlantique, les joueurs de Vladimir Petkovic connaissent même une crise de résultats sans précédent dans l’histoire du club.

", - "content": "Bien que revenus deux fois à hauteur de l’Olympique lyonnais, dimanche (2-2), les Bordelais peinent toujours autant à domicile. Au Matmut Atlantique, les joueurs de Vladimir Petkovic connaissent même une crise de résultats sans précédent dans l’histoire du club.

", + "title": "Ligue des champions en direct: humilié à Munich, Barcelone est éliminé, Benfica et Salzbourg file en 8es !", + "description": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 2-0 combinée à la victoire de Benfica sur le Dynamo.

", + "content": "Coup de tonnerre dans cette Ligue des champions ! Barcelone est éliminé après sa défaite à Munich 2-0 combinée à la victoire de Benfica sur le Dynamo.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-la-stat-terrible-et-historique-de-bordeaux-a-domicile_AV-202112060103.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-le-multiplex-en-direct_LS-202112080539.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:38:26 GMT", - "enclosure": "https://images.bfmtv.com/1Qi4Tl8iYJ98y_E7i11QxARBDRk=/0x39:768x471/800x0/images/L-entraineur-croate-de-Bordeaux-Vladimir-Petkovic-lors-du-match-contre-Lyon-en-cloture-de-la-17e-journee-de-Ligue-1-le-5-decembre-2021-au-Matmut-Atlantique-Stadium-1182345.jpg", + "pubDate": "Wed, 08 Dec 2021 18:14:34 GMT", + "enclosure": "https://images.bfmtv.com/4C_wkUXNkiFbOQDAchM5Cdvyk3E=/0x0:1200x675/800x0/images/Memphis-Depay-1184036.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37901,17 +42536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d83932c15739bd4447a099d191686ce" + "hash": "3dc403157eb85a1aca89fb152092f500" }, { - "title": "Mercato en direct: Saint-Etienne nomme un nouveau coordinateur sportif", - "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "Wolfsburg-Lille: les compos avec la surprise Gudmundsson", + "description": "Maîtres de leur destin, les Lillois défient ce mercredi les Allemands de Wolfsburg (21h sur RMC Sport 1) avec l'objectif de rejoindre les huitièmes de finale de la Ligue des champions. Les compositions des deux équipes sont tombées.

", + "content": "Maîtres de leur destin, les Lillois défient ce mercredi les Allemands de Wolfsburg (21h sur RMC Sport 1) avec l'objectif de rejoindre les huitièmes de finale de la Ligue des champions. Les compositions des deux équipes sont tombées.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-les-compos-avec-la-surprise-gudmundsson_AV-202112080567.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", - "enclosure": "https://images.bfmtv.com/nDdUVHO46zoFK6bzjbpRsw3nnSo=/0x67:2048x1219/800x0/images/Loic-Perrin-1174647.jpg", + "pubDate": "Wed, 08 Dec 2021 19:02:18 GMT", + "enclosure": "https://images.bfmtv.com/d_shQdzoE05ncZd3pU94SF_YZlY=/0x68:2048x1220/800x0/images/Angel-GOMES-1184294.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37921,17 +42556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "796150d8d5058de7c330ae288239d5b0" + "hash": "cc31103042d7298291168ae3f6f20e90" }, { - "title": "Boxe: Davis se blesse à la main mais conserve son titre face à Cruz", - "description": "Gervonta Davis a conservé dimanche son titre WBA des légers en dominant le Mexicain Isaac Cruz par décision unanime. L'Américain de 27 ans reste invaincu après 26 combats chez les pros.

", - "content": "Gervonta Davis a conservé dimanche son titre WBA des légers en dominant le Mexicain Isaac Cruz par décision unanime. L'Américain de 27 ans reste invaincu après 26 combats chez les pros.

", + "title": "PSG: Paredes explique comment le vestiaire a vécu les coulisses de l'arrivée de Messi", + "description": "Coéquipier de Lionel Messi en Argentine, Leandro Paredes l’est également en club au PSG depuis l’été dernier. Dans une interview sur le compte Youtube du club, le milieu de terrain a évoqué son rapport avec \"la Pulga\".

", + "content": "Coéquipier de Lionel Messi en Argentine, Leandro Paredes l’est également en club au PSG depuis l’été dernier. Dans une interview sur le compte Youtube du club, le milieu de terrain a évoqué son rapport avec \"la Pulga\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-davis-se-blesse-a-la-main-mais-conserve-son-titre-face-a-cruz_AV-202112060068.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-paredes-explique-comment-le-vestiaire-a-vecu-les-coulisses-de-l-arrivee-de-messi_AV-202112080560.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 06:42:26 GMT", - "enclosure": "https://images.bfmtv.com/XvC0OlrVmQB0-j3fgS-8z96w_oE=/0x0:2048x1152/800x0/images/Gervonta-Davis-a-droite-face-a-Isaac-Cruz-1182427.jpg", + "pubDate": "Wed, 08 Dec 2021 18:44:23 GMT", + "enclosure": "https://images.bfmtv.com/yT809Fg12JolJGvxqj3e2jjYmXs=/0x0:768x432/800x0/images/La-star-argentine-Lionel-Messi-et-son-compatriote-Leandro-Paredes-lors-d-un-entrainement-du-PSG-le-19-aout-2021-au-Camp-des-Loges-a-Saint-Germain-en-Laye-1117392.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37941,17 +42576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "58a4d148c490ef9b7aa545e8e0985ab4" + "hash": "37c6aab095765164c5f6957f103793fa" }, { - "title": "F2: Pourchaire donne de ses nouvelles après son crash au GP d’Arabie saoudite", - "description": "Grand espoir du paddock en Formule 2, Théo Pourchaire a été victime d’un accident impressionnant, dimanche en Arabie saoudite. Le pilote français, 18 ans, a donné des nouvelles de lui rassurantes quelques heures après, sur ses réseaux sociaux.

", - "content": "Grand espoir du paddock en Formule 2, Théo Pourchaire a été victime d’un accident impressionnant, dimanche en Arabie saoudite. Le pilote français, 18 ans, a donné des nouvelles de lui rassurantes quelques heures après, sur ses réseaux sociaux.

", + "title": "Ligue des champions: les adversaires potentiels pour le PSG et Lille en huitièmes", + "description": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", + "content": "Il y aura deux représentants français en huitièmes de finale de Ligue des champions. Après le PSG, Lille a validé son billet pour le prochain tour en dominant Wolfsburg (3-1) ce mercredi. Ils connaissent leurs adversaires potentiels.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f2-pourchaire-donne-de-ses-nouvelles-apres-son-crash-au-gp-d-arabie-saoudite_AV-202112060053.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-pour-le-psg-et-lille-en-huitiemes_AV-202112080630.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 06:23:57 GMT", - "enclosure": "https://images.bfmtv.com/jQnCPkUYQAy7ARQiQ_C6lCLkCGs=/0x39:768x471/800x0/images/Le-pilote-francais-Theo-Pourchaire-17-ans-et-vice-champion-du-monde-de-Formule-3-en-2020-s-entraine-sur-le-simulateur-AOTech-le-19-fevrier-2021-a-Tigery-dans-l-Essonne-995031.jpg", + "pubDate": "Wed, 08 Dec 2021 22:26:59 GMT", + "enclosure": "https://images.bfmtv.com/g5YAk7GIILjNzuwqBugOg4wvmR8=/0x5:2048x1157/800x0/images/PSG-1184529.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37961,17 +42596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8eceac92a2316cff833d047dbc5e5a3c" + "hash": "e5d2efcd2b11c9038598759842b18bcb" }, { - "title": "Bordeaux-OL en direct: Lyonnais et Girondins se quittent dos à dos, l'OL miraculé en fin de match", - "description": "Bordeaux et Lyon se sont rendus coup pour coup ce dimanche en clôture de la 17e journée de Ligue 1 (2-2). L'OL est même passé tout près de la correctionnelle en fin de match.

", - "content": "Bordeaux et Lyon se sont rendus coup pour coup ce dimanche en clôture de la 17e journée de Ligue 1 (2-2). L'OL est même passé tout près de la correctionnelle en fin de match.

", + "title": "JO 2022 de Pékin: le Canada annonce à son tour un boycott diplomatique", + "description": "Après les Etats-Unis, le Royaume-Uni et l'Australie, le Premier ministre canadien, Justin Trudeau, a annoncé ce mercredi un boycott diplomatique des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022.

", + "content": "Après les Etats-Unis, le Royaume-Uni et l'Australie, le Premier ministre canadien, Justin Trudeau, a annoncé ce mercredi un boycott diplomatique des Jeux olympiques d'hiver de Pékin, qui auront lieu en février 2022.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-bordeaux-ol-en-direct_LS-202112050237.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-de-pekin-le-canada-annonce-a-son-tour-un-boycott-diplomatique_AV-202112080545.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:10:24 GMT", - "enclosure": "https://images.bfmtv.com/Y4ipY_ai5LRaJE086BPMTqdy9SA=/0x106:2048x1258/800x0/images/Bordeaux-OL-1182321.jpg", + "pubDate": "Wed, 08 Dec 2021 18:19:24 GMT", + "enclosure": "https://images.bfmtv.com/ov51_jbjOzPIwQKlvQzoB3dl1Qo=/0x0:2048x1152/800x0/images/Justin-Trudeau-1184386.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -37981,17 +42616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e6341a363d927f3d039703a5865b844" + "hash": "9ec10b682f1f028a0bb5c756243116ee" }, { - "title": "NBA: un Rudy Gobert \"clutch\" fait gagner Utah contre Cleveland", - "description": "Décisif dans les derniers instants du match face aux Cavs (109-108), Rudy Gobert a permis aux Jazz d’arracher leur 16e succès de la saison dans la Conférence Ouest, dans la nuit de dimanche à lundi. Auteur d’une nouvelle performance défensive, le pivot français termine avec 6 points et 20 rebonds.

", - "content": "Décisif dans les derniers instants du match face aux Cavs (109-108), Rudy Gobert a permis aux Jazz d’arracher leur 16e succès de la saison dans la Conférence Ouest, dans la nuit de dimanche à lundi. Auteur d’une nouvelle performance défensive, le pivot français termine avec 6 points et 20 rebonds.

", + "title": "OL: Juninho confirme et explique son départ précipité cet hiver", + "description": "C’est désormais officiel. Juninho a confirmé ce mercredi son départ de l’OL dès le mois de janvier de son poste de directeur sportif. A la fois pour le bien du club et le sien, selon le Brésilien.

", + "content": "C’est désormais officiel. Juninho a confirmé ce mercredi son départ de l’OL dès le mois de janvier de son poste de directeur sportif. A la fois pour le bien du club et le sien, selon le Brésilien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/nba/nba-un-gobert-clutch-fait-gagner-utah-contre-cleveland_AV-202112060029.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-juninho-confirme-et-explique-son-depart-precipite-cet-hiver_AD-202112080543.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 05:42:39 GMT", - "enclosure": "https://images.bfmtv.com/K-NIlFi07LPKHzAE3Ll2QQAwtqU=/0x106:2048x1258/800x0/images/Rudy-Gobert-Utah-Jazz-1182394.jpg", + "pubDate": "Wed, 08 Dec 2021 18:17:24 GMT", + "enclosure": "https://images.bfmtv.com/0BUSdo7ZpII1HoAD4jD5kcecp04=/0x16:1024x592/800x0/images/-873563.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38001,17 +42636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "79ae284fd3415bfb7e6a7fd1e77a0cc8" + "hash": "089003de3109d25bd759e3c192f84923" }, { - "title": "OL: \"On est dans l’urgence\", la grosse colère d'Anthony Lopes après le nul à Bordeaux", - "description": "Révolté par le match insuffisant de son équipe, dimanche à Bordeaux (2-2), Anthony Lopes a eu des mots forts pour qualifier les récentes performances de l’Olympique lyonnais. S’il ne veut pas encore parler de crise, le gardien portugais a conscience que la situation devient urgente en Ligue 1.

", - "content": "Révolté par le match insuffisant de son équipe, dimanche à Bordeaux (2-2), Anthony Lopes a eu des mots forts pour qualifier les récentes performances de l’Olympique lyonnais. S’il ne veut pas encore parler de crise, le gardien portugais a conscience que la situation devient urgente en Ligue 1.

", + "title": "Mercato en direct: Juninho explique son départ précipité de l'OL", + "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-on-est-dans-l-urgence-la-grosse-colere-d-anthony-lopes-apres-le-nul-a-bordeaux_AV-202112060019.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 05:24:09 GMT", - "enclosure": "https://images.bfmtv.com/7GEOAGLjkU-nBtBR-rUiJB7aYHc=/78x336:1902x1362/800x0/images/Anthony-Lopes-OL-1182382.jpg", + "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", + "enclosure": "https://images.bfmtv.com/F5M5NcUenXwsb6ACeOb2rNOIHqk=/0x0:2048x1152/800x0/images/Juninho-1162286.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38021,17 +42656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "917c514cbbaca698514f196c4d4c421b" + "hash": "8fa4ad139a86d2a6c010623e6f28b155" }, { - "title": "Bordeaux-OL: \"Rien à voir avec le système\", Bosz défend ses choix et n’accable pas Gusto", - "description": "Peter Bosz a tenu un discours plutôt positif après le nul de l’OL sur la pelouse de Bordeaux, ce dimanche, lors de la 17e journée de Ligue 1 (2-2). Le coach de Lyon estime que la contreperformance de son équipe n’est pas liée au système mis en place au Matmut Atlantique. Sans véritable attaquant.

", - "content": "Peter Bosz a tenu un discours plutôt positif après le nul de l’OL sur la pelouse de Bordeaux, ce dimanche, lors de la 17e journée de Ligue 1 (2-2). Le coach de Lyon estime que la contreperformance de son équipe n’est pas liée au système mis en place au Matmut Atlantique. Sans véritable attaquant.

", + "title": "Incidents OL-OM: le coup de gueule surprise de Marseille, qui menace de ne pas accepter les décisions", + "description": "Comme révélé par RMC Sport, la commission de discipline de la LFP, qui se penche ce mercredi sur les incidents du match OL-OM, n'a pas jugé bon de convier les dirigeants marseillais. Ce qui a poussé Jacques Cardoze, le directeur de la communication du club phocéen, à s'en prendre à la Ligue ce mercredi devant les journalistes lors d'une intervention surprise.

", + "content": "Comme révélé par RMC Sport, la commission de discipline de la LFP, qui se penche ce mercredi sur les incidents du match OL-OM, n'a pas jugé bon de convier les dirigeants marseillais. Ce qui a poussé Jacques Cardoze, le directeur de la communication du club phocéen, à s'en prendre à la Ligue ce mercredi devant les journalistes lors d'une intervention surprise.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-rien-a-voir-avec-le-systeme-bosz-defend-ses-choix-et-n-accable-pas-gusto_AV-202112050338.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-coup-de-gueule-surprise-de-marseille-qui-menace-de-ne-pas-accepter-les-decisions_AV-202112080532.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 23:20:13 GMT", - "enclosure": "https://images.bfmtv.com/OO3C28NNrFZobBvO5tH8TmS6Cos=/0x68:2048x1220/800x0/images/Peter-BOSZ-1174364.jpg", + "pubDate": "Wed, 08 Dec 2021 17:55:15 GMT", + "enclosure": "https://images.bfmtv.com/4_tSaavbk5svJg6yLJyI2ASOa64=/7x7:1591x898/800x0/images/Jacques-Cardoze-1184419.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38041,17 +42676,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7086cd58e4d712158533b5540ca76e65" + "hash": "6154705c8fb79f7b92993484095e665d" }, { - "title": "PRONOS PARIS RMC Le nul du jour du 6 décembre – Liga - Espagne", - "description": "Notre pronostic : pas de vainqueur entre Getafe et Bilbao (3.05)

", - "content": "Notre pronostic : pas de vainqueur entre Getafe et Bilbao (3.05)

", + "title": "Mercato: Gallardo refuse l'Europe et reste à River Plate", + "description": "Annoncé en Europe depuis plusieurs années, l’heure du grand départ n’a pas encore sonné pour Marcelo Gallardo. Le technicien argentin a décidé de prolonger avec River Plate, alors qu’il arrivait en fin de contrat.

", + "content": "Annoncé en Europe depuis plusieurs années, l’heure du grand départ n’a pas encore sonné pour Marcelo Gallardo. Le technicien argentin a décidé de prolonger avec River Plate, alors qu’il arrivait en fin de contrat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-6-decembre-liga-espagne_AN-202112050221.html", + "link": "https://rmcsport.bfmtv.com/football/mercato-gallardo-refuse-l-europe-et-reste-a-river-plate_AV-202112080530.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/z58sytdUaDInDdkpqQo33-_KRW4=/0x0:1984x1116/800x0/images/D-Suarez-1182150.jpg", + "pubDate": "Wed, 08 Dec 2021 17:52:04 GMT", + "enclosure": "https://images.bfmtv.com/sUgrITmonJV3R7AJxw0qYpN6lIY=/280x77:2040x1067/800x0/images/Gallardo-1176040.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38061,17 +42696,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "363887378decb92d9d5c4ad063e17c38" + "hash": "f92f209ec5dcfe11e8c288c67b23f325" }, { - "title": "PRONOS PARIS RMC Le pari de folie du 6 décembre – Série A - Italie", - "description": "Notre pronostic : match nul entre l’Empoli et l’Udinese et les deux équipes marquent (3.80)

", - "content": "Notre pronostic : match nul entre l’Empoli et l’Udinese et les deux équipes marquent (3.80)

", + "title": "Atlético: Vrsaljko opéré pour une fracture de l'arcade zygomatique", + "description": "Sime Vrsaljko, le défenseur croate de l'Atlético de Madrid, a reçu un coup lors de la victoire 3-1 de son équipe contre Porto en Ligue des champions. Le diagnostic a révélé une fracture au visage, qui nécessite une intervention chirurgicale.

", + "content": "Sime Vrsaljko, le défenseur croate de l'Atlético de Madrid, a reçu un coup lors de la victoire 3-1 de son équipe contre Porto en Ligue des champions. Le diagnostic a révélé une fracture au visage, qui nécessite une intervention chirurgicale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-6-decembre-serie-a-italie_AN-202112050220.html", + "link": "https://rmcsport.bfmtv.com/football/liga/atletico-vrsaljko-opere-pour-une-fracture-de-l-arcade-zygomatique_AV-202112080523.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/eQvyLLt5PM0KHVf5c3NUyvEWY_M=/15x0:1999x1116/800x0/images/Beto-1182148.jpg", + "pubDate": "Wed, 08 Dec 2021 17:39:16 GMT", + "enclosure": "https://images.bfmtv.com/4BzXIj8UjXt1hCWBICYto61SlPE=/0x104:2048x1256/800x0/images/Atletico-Porto-Vrsaljko-1184365.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38081,17 +42716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5d0546042f9aa0c82704722ab8136fc" + "hash": "cf7751d2ca12b555d73ec68fd4861862" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 6 décembre – Premier League - Angleterre", - "description": "Notre pronostic : Arsenal ne perd pas sur la pelouse d’Everton (1.34)

", - "content": "Notre pronostic : Arsenal ne perd pas sur la pelouse d’Everton (1.34)

", + "title": "Ligue 1 en direct: le match de Rennes à Tottenham reporté en raison du Covid-19", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-6-decembre-premier-league-angleterre_AN-202112050218.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 23:00:00 GMT", - "enclosure": "https://images.bfmtv.com/kj3Ze9ByrlnqgUtTTxZ_4mDbk34=/0x0:2000x1125/800x0/images/A-Ramsdale-1182147.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/1qXSI53YdnVzaShsqsN6ZbDok2E=/0x104:2000x1229/800x0/images/Kane-et-Truffert-lors-de-Rennes-Tottenham-1184253.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38101,17 +42736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a78dddb36166232f190772ea28e23e4" + "hash": "4591540b434afa6747dad98f9438f54d" }, { - "title": "Top 14: le Stade Français renversant face à La Rochelle", - "description": "Mené 20-6, le Stade Français a finalement tout renversé pour battre La Rochelle ce dimanche (25-20), en clôture de la 12e journée de Top 14. Un vrai soulagement dans l'optique de s'éloigner de la zone rouge.

", - "content": "Mené 20-6, le Stade Français a finalement tout renversé pour battre La Rochelle ce dimanche (25-20), en clôture de la 12e journée de Top 14. Un vrai soulagement dans l'optique de s'éloigner de la zone rouge.

", + "title": "Bastia annonce le décès de Jacques Zimako, l'une de ses légendes", + "description": "Grande figure du SC Bastia et champion de France avec Saint-Étienne, l'ancien international français (13 sélections) Jacques Zimako est décédé ce mercredi à l'âge de 69 ans.

", + "content": "Grande figure du SC Bastia et champion de France avec Saint-Étienne, l'ancien international français (13 sélections) Jacques Zimako est décédé ce mercredi à l'âge de 69 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-le-stade-francais-renversant-face-a-la-rochelle_AD-202112050335.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/bastia-annonce-le-deces-de-jacques-zimako-l-une-de-ses-legendes_AN-202112080515.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 22:36:39 GMT", - "enclosure": "https://images.bfmtv.com/f1fGh8bMyoAF1lptyYh67qGZdxk=/0x112:2048x1264/800x0/images/Le-Stade-Francais-a-tout-renverse-face-aux-Rochelais-1182343.jpg", + "pubDate": "Wed, 08 Dec 2021 17:28:22 GMT", + "enclosure": "https://images.bfmtv.com/zHUSt8-N9wv2TTRofsMs5kWUfoE=/6x161:2038x1304/800x0/images/Jacques-Zimako-1184356.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38121,17 +42756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "93e4dde4eee54eeecd08b2e1e5e0d1bc" + "hash": "47f6237a1eec49d23d9e9d85eb94cf93" }, { - "title": "AC Milan: \"Plus ma queue de cheval est longue, plus je suis fort\", la nouvelle punchline de Zlatan", - "description": "Lors d’une interview accordée ce dimanche à Rai 3, Zlatan Ibrahimovic a distillé quelques nouvelles punchlines dont il a le secret. En promotion pour la sortie de son livre \"Adrenalina\", l’attaquant de l’AC Milan a notamment expliqué que sa force provenait... de ses cheveux.

", - "content": "Lors d’une interview accordée ce dimanche à Rai 3, Zlatan Ibrahimovic a distillé quelques nouvelles punchlines dont il a le secret. En promotion pour la sortie de son livre \"Adrenalina\", l’attaquant de l’AC Milan a notamment expliqué que sa force provenait... de ses cheveux.

", + "title": "Cyclisme: Cavendish et sa famille agressés à leur domicile", + "description": "Dans un message publié ce mercredi sur ses réseaux sociaux, Mark Cavendish révèle avoir été agressé à son domicile par quatre hommes armés le 27 novembre. La compagne et les enfants du sprinteur britannique étaient également présents au moment des faits.

", + "content": "Dans un message publié ce mercredi sur ses réseaux sociaux, Mark Cavendish révèle avoir été agressé à son domicile par quatre hommes armés le 27 novembre. La compagne et les enfants du sprinteur britannique étaient également présents au moment des faits.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/ac-milan-plus-ma-queue-de-cheval-est-longue-plus-je-suis-fort-la-nouvelle-punchline-de-zlatan_AV-202112050334.html", + "link": "https://rmcsport.bfmtv.com/cyclisme/cyclisme-cavendish-et-sa-famille-agresses-a-leur-domicile_AV-202112080510.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 22:21:08 GMT", - "enclosure": "https://images.bfmtv.com/uHEJiElx9pnL8MLZdvcn1c6Tu1Q=/0x0:2048x1152/800x0/images/Zlatan-Ibrahimovic-1174964.jpg", + "pubDate": "Wed, 08 Dec 2021 17:22:35 GMT", + "enclosure": "https://images.bfmtv.com/dTRVVU8j8U7pdyLrOHF8oIyBHZg=/0x28:2032x1171/800x0/images/Mark-Cavendish-1184353.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38141,17 +42776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "438817160f750d7865efe7de790f87ae" + "hash": "755c146d6ee6a55bf643dbf5b0c5d907" }, { - "title": "Stade Français-La Rochelle en direct: Paris s'offre un cador et respire au classement", - "description": "Le Stade Français s'impose 25 à 20 face à La Rochelle au terme d'un match à suspense ! Mené 20 à 6 au bout de 3O minutes, Paris a réussi à inverser la tendance jusqu'à l'emporter !

", - "content": "Le Stade Français s'impose 25 à 20 face à La Rochelle au terme d'un match à suspense ! Mené 20 à 6 au bout de 3O minutes, Paris a réussi à inverser la tendance jusqu'à l'emporter !

", + "title": "Boxe: Wilder ouvre la porte à la retraite deux mois après sa défaite contre Fury", + "description": "Encore battu par Tyson Fury en octobre, Deontay Wilder semblait parti pour reposer son corps meurtri avant de remonter sur le ring pour de nouveaux challenges. Mais le surpuissant poids lourd américain évoque désormais une possible retraite, expliquant avoir atteint tous les objectifs pour lesquels il était venu à la boxe.

", + "content": "Encore battu par Tyson Fury en octobre, Deontay Wilder semblait parti pour reposer son corps meurtri avant de remonter sur le ring pour de nouveaux challenges. Mais le surpuissant poids lourd américain évoque désormais une possible retraite, expliquant avoir atteint tous les objectifs pour lesquels il était venu à la boxe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-stade-francais-la-rochelle-en-direct_LS-202112050287.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-wilder-ouvre-la-porte-a-la-retraite-deux-mois-apres-sa-defaite-contre-fury_AV-202112080505.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 18:46:50 GMT", - "enclosure": "https://images.bfmtv.com/jDWW_2gDWLM3j43xes_b3Bsbbs0=/0x106:2048x1258/800x0/images/Match-a-suspense-entre-le-Stade-Francais-et-La-Rochelle-1182336.jpg", + "pubDate": "Wed, 08 Dec 2021 17:14:14 GMT", + "enclosure": "https://images.bfmtv.com/QenoADJixuPsxx3-CxCBIEKY3VE=/0x46:2048x1198/800x0/images/Deontay-Wilder-1147574.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38161,17 +42796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "90ab2cc8b5847dc62856ff61f1fc33f5" + "hash": "47022aeabb5917bad4d86f3d24ab0b5a" }, { - "title": "Bordeaux-OL: les Lyonnais s’inquiètent pour Denayer, sorti sur blessure", - "description": "Accroché par Bordeaux au Matmut Atlantique (2-2) en clôture de la 17e journée de Ligue 1, l'OL a perdu peut-être pour longtemps son défenseur central Jason Denayer. Le Belge pourrait avoir été victime d'une fracture du péroné.

", - "content": "Accroché par Bordeaux au Matmut Atlantique (2-2) en clôture de la 17e journée de Ligue 1, l'OL a perdu peut-être pour longtemps son défenseur central Jason Denayer. Le Belge pourrait avoir été victime d'une fracture du péroné.

", + "title": "F1: Jean Todt proche d'un retour chez Ferrari", + "description": "Directeur de l’écurie Ferrari entre 1993 et 2008, Jean Todt pourrait y effectuer son retour l'année prochaine. D’après le Corriere della Serra, il existerait des discussions entre les deux parties. Un rôle de \"super consultant\" aurait été avancé.

", + "content": "Directeur de l’écurie Ferrari entre 1993 et 2008, Jean Todt pourrait y effectuer son retour l'année prochaine. D’après le Corriere della Serra, il existerait des discussions entre les deux parties. Un rôle de \"super consultant\" aurait été avancé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-les-lyonnais-s-inquietent-pour-denayer-sorti-sur-blessure_AV-202112050329.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-jean-todt-proche-d-un-retour-chez-ferrari_AV-202112080500.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 21:53:35 GMT", - "enclosure": "https://images.bfmtv.com/j3yG2YxKSrNdEf4uKE5ZFQiI0dA=/0x34:1200x709/800x0/images/Jason-Denayer-1182334.jpg", + "pubDate": "Wed, 08 Dec 2021 17:05:56 GMT", + "enclosure": "https://images.bfmtv.com/EhEvQZU25TEE0plP3U_H3usbh-s=/0x0:768x432/800x0/images/Le-president-de-la-Federation-internationale-FIA-Jean-Todt-a-Paris-le-16-novembre-2020-981399.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38181,17 +42816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1460902497e511014066ab5e2b681a5c" + "hash": "9b82713695be26d0394246e1727f2781" }, { - "title": "Ligue 1: ça ne va pas mieux pour l'OL, qui s'en sort très bien à Bordeaux", - "description": "Englués dans le ventre mou du classement, les joueurs de l'OL ont perdu deux nouveaux points sur la pelouse de Bordeaux (2-2). Menés deux fois, les Girondins ont su revenir, mais ils restent sous la menace de Clermont, premier relégable.

", - "content": "Englués dans le ventre mou du classement, les joueurs de l'OL ont perdu deux nouveaux points sur la pelouse de Bordeaux (2-2). Menés deux fois, les Girondins ont su revenir, mais ils restent sous la menace de Clermont, premier relégable.

", + "title": "Un joueur de Valladolid alcoolisé provoque un grave accident", + "description": "Gonzalo Plata, prêté à Valladolid par le Sporting Portugal, a percuté un taxi avec son véhicule, vers sept heures du matin, le renversant. Son alcootest était deux fois supérieur au taux autorisé.

", + "content": "Gonzalo Plata, prêté à Valladolid par le Sporting Portugal, a percuté un taxi avec son véhicule, vers sept heures du matin, le renversant. Son alcootest était deux fois supérieur au taux autorisé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-ca-ne-va-pas-mieux-pour-l-ol-qui-s-en-sort-tres-bien-a-bordeaux_AN-202112050327.html", + "link": "https://rmcsport.bfmtv.com/football/liga/un-joueur-de-valladolid-alcoolise-provoque-un-grave-accident_AN-202112080485.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 21:45:35 GMT", - "enclosure": "https://images.bfmtv.com/s3wGk3BPqjsrZaxKz03hPULc3m4=/0x106:2048x1258/800x0/images/Lucas-Paqueta-lors-de-Bordeaux-OL-1182346.jpg", + "pubDate": "Wed, 08 Dec 2021 16:49:41 GMT", + "enclosure": "https://images.bfmtv.com/EbQCEvq9wrjv6ounG_j45_hWG3c=/0x102:2048x1254/800x0/images/Gonzalo-Plata-1184300.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38201,17 +42836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1088a3fd9598370cd653cf9439116e49" + "hash": "15c73936314b7807141eac538d128ba1" }, { - "title": "Nice: \"Je suis le seul responsable\", lâche Galtier après la débâcle contre Strasbourg", - "description": "Nice a encaissé une lourde défaite face à Strasbourg, ce dimanche, lors de la 17e journée de Ligue 1 (0-3). La troisième de suite à domicile. Une mauvaise passe qui pousse Christophe Galtier à se remettre en question.

", - "content": "Nice a encaissé une lourde défaite face à Strasbourg, ce dimanche, lors de la 17e journée de Ligue 1 (0-3). La troisième de suite à domicile. Une mauvaise passe qui pousse Christophe Galtier à se remettre en question.

", + "title": "OM-Lokomotiv: Sampaoli optimiste pour Payet, qui n'est toutefois pas à 100%", + "description": "Dimitri Payet, gêné par des douleurs musculaires, a pu s'entraîner \"normalement\" à la veille du match OM-Lokomotiv Moscou en Ligue Europa. Jorge Sampaoli espère compter sur son meneur de jeu.

", + "content": "Dimitri Payet, gêné par des douleurs musculaires, a pu s'entraîner \"normalement\" à la veille du match OM-Lokomotiv Moscou en Ligue Europa. Jorge Sampaoli espère compter sur son meneur de jeu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-je-suis-le-seul-responsable-lache-galtier-apres-la-debacle-contre-strasbourg_AV-202112050323.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/om-lokomotiv-sampaoli-optimiste-pour-payet-qui-n-est-toutefois-pas-a-100_AV-202112080479.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 21:25:20 GMT", - "enclosure": "https://images.bfmtv.com/xy-GtbyVoNmCigIjcMJtbiXUwaM=/0x57:2000x1182/800x0/images/Christophe-Galtier-1182035.jpg", + "pubDate": "Wed, 08 Dec 2021 16:43:02 GMT", + "enclosure": "https://images.bfmtv.com/0VEKOUb26sSoIppb1iYq8zI1xDQ=/0x65:1920x1145/800x0/images/OM-Payet-Sampaoli-1184299.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38221,37 +42856,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "e6e39f861aba7b9ba312808aade87b3a" + "hash": "43fa15c21383181417794d34697bdda6" }, { - "title": "GP d’Arabie Saoudite: l'agacement d'Hamilton après l’accrochage avec Verstappen", - "description": "Le Britannique Lewis Hamilton et le Néerlandais Max Verstappen, à la lutte pour le titre, ont chacun donné leur point de vue sur l'incident qui a vu les deux pilotes s'accrocher ce dimanche. Et forcément, ils ne sont pas d'accord.

", - "content": "Le Britannique Lewis Hamilton et le Néerlandais Max Verstappen, à la lutte pour le titre, ont chacun donné leur point de vue sur l'incident qui a vu les deux pilotes s'accrocher ce dimanche. Et forcément, ils ne sont pas d'accord.

", + "title": "Biarritz: le centre de formation du BO placé sous surveillance", + "description": "La Fédération Française de Rugby a \"placé sous surveillance\" le centre de formation du Biarritz Olympique après avoir constaté plusieurs dysfonctionnements. Par ailleurs, les socios ont demandé au président du secteur amateur, David Couzinet, et aux autres glorieux anciens de s’en aller.

", + "content": "La Fédération Française de Rugby a \"placé sous surveillance\" le centre de formation du Biarritz Olympique après avoir constaté plusieurs dysfonctionnements. Par ailleurs, les socios ont demandé au président du secteur amateur, David Couzinet, et aux autres glorieux anciens de s’en aller.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-l-agacement-d-hamilton-apres-l-accrochage-avec-verstappen_AV-202112050321.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/biarritz-le-centre-de-formation-du-bo-place-sous-surveillance_AV-202112080474.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 21:20:56 GMT", - "enclosure": "https://images.bfmtv.com/EFMuPxED3PASOmGwkK3UnkpMsGk=/0x0:1200x675/800x0/images/Lewis-Hamilton-1182329.jpg", + "pubDate": "Wed, 08 Dec 2021 16:34:47 GMT", + "enclosure": "https://images.bfmtv.com/LxyliE1FYfgalv42YcKISPMbPAQ=/0x106:2048x1258/800x0/images/Biarritz-Olympique-1184314.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "255972c7c738ed0286178d8a53336c95" + "hash": "bbf26a2bafc2c6825a453a37bb2b178f" }, { - "title": "Mondial de hand: impériales contre la Slovénie, les Bleues déjà qualifiées pour le tour principal", - "description": "L'équipe de France de handball a survolé les débats ce dimanche face à la Slovénie (29-18). Championnes olympiques, les Bleues sont déjà qualifiées pour le tour principal du Mondial en Espagne.

", - "content": "L'équipe de France de handball a survolé les débats ce dimanche face à la Slovénie (29-18). Championnes olympiques, les Bleues sont déjà qualifiées pour le tour principal du Mondial en Espagne.

", + "title": "Pourquoi des produits dérivés du PSG se sont retrouvés sur la boutique en ligne de l'OM?", + "description": "Dans la journée de mardi, plusieurs produits dérivés à l'effigie du Paris Saint-Germain se sont retrouvés à la vente sur le site de la boutique officielle de l'Olympique de Marseille. Une belle boulette provoquée par Panini France, prestateur de service du club phocéen, qui s'en est excusé auprès du peuple marseillais.

", + "content": "Dans la journée de mardi, plusieurs produits dérivés à l'effigie du Paris Saint-Germain se sont retrouvés à la vente sur le site de la boutique officielle de l'Olympique de Marseille. Une belle boulette provoquée par Panini France, prestateur de service du club phocéen, qui s'en est excusé auprès du peuple marseillais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-imperiales-contre-la-slovenie-les-bleues-deja-qualifiees-pour-le-tour-principal_AD-202112050311.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/pourquoi-des-produits-derives-du-psg-se-sont-retrouves-sur-la-boutique-en-ligne-de-l-om_AV-202112080281.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 20:06:27 GMT", - "enclosure": "https://images.bfmtv.com/pKju6ZYTk3B1YPt8nRj_NtdFozg=/0x106:2048x1258/800x0/images/Les-Bleues-victorieuses-au-Mondial-de-hand-1182301.jpg", + "pubDate": "Wed, 08 Dec 2021 10:44:10 GMT", + "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38261,17 +42896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d43d8b0b727562ba1e89d43ec431ee60" + "hash": "6a8fa02991276e88662ff3235052d6e3" }, { - "title": "GP d'Arabie Saoudite: victoire cruciale d'Hamilton devant Verstappen après une course de folie", - "description": "Lewis Hamilton s'est imposé dimanche à Jeddah devant son grand rival qu'il a rejoint au classement au terme d'une course complètement folle, avant le dernier Grand Prix de la saison, dimanche prochain. Complètement dingue on vous dit.

", - "content": "Lewis Hamilton s'est imposé dimanche à Jeddah devant son grand rival qu'il a rejoint au classement au terme d'une course complètement folle, avant le dernier Grand Prix de la saison, dimanche prochain. Complètement dingue on vous dit.

", + "title": "Ligue des champions: Messi a égalé un prestigieux record de Ronaldo lors de PSG-Bruges", + "description": "En inscrivant un doublé avec le PSG face à Bruges mardi soir (4-1), Messi a marqué face à un 38e club différent en Ligue des champions. De quoi égaler le record de Cristiano Ronaldo.

", + "content": "En inscrivant un doublé avec le PSG face à Bruges mardi soir (4-1), Messi a marqué face à un 38e club différent en Ligue des champions. De quoi égaler le record de Cristiano Ronaldo.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-victoire-cruciale-d-hamilton-devant-verstappen-apres-une-course-de-folie_AV-202112050315.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-messi-a-egale-un-prestigieux-record-de-ronaldo-lors-de-psg-bruges_AV-202112080275.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 20:04:00 GMT", - "enclosure": "https://images.bfmtv.com/UO7SRyRqkKmMRZ4WOBrOcqxh1rw=/0x7:1200x682/800x0/images/Lewis-Hamilton-et-Max-Verstappen-1182318.jpg", + "pubDate": "Wed, 08 Dec 2021 10:40:38 GMT", + "enclosure": "https://images.bfmtv.com/jUjGl5syiegrtUG7JW8AzyGr_Jg=/0x60:768x492/800x0/images/L-attaquant-argentin-du-Paris-Saint-Germain-Lionel-Messi-marque-le-3e-but-face-a-Bruges-lors-de-la-6e-journee-du-groupe-A-de-la-Ligue-des-Champions-le-7-novembre-2021-au-Parc-des-Princes-1183562.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38281,17 +42916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e9ecf9076d9b52947919dee0939ffe1" + "hash": "7bbbbe1ec78ccffe0229cdac7efe9728" }, { - "title": "Real Madrid: \"On rentre au stand\", le message de Benzema après sa blessure", - "description": "Au lendemain de sa blessure à la cuisse, Karim Benzema a posté un message ce dimanche sur les réseaux. L’attaquant du Real Madrid, d’ores et déjà forfait contre l’Inter mardi en Ligue des champions, explique qu’il va se reposer pour \"revenir plus fort\".

", - "content": "Au lendemain de sa blessure à la cuisse, Karim Benzema a posté un message ce dimanche sur les réseaux. L’attaquant du Real Madrid, d’ores et déjà forfait contre l’Inter mardi en Ligue des champions, explique qu’il va se reposer pour \"revenir plus fort\".

", + "title": "Lille-Wolfsbourg en direct: Le Losc joue un match à 20 millions", + "description": "Dernier match de poule de Ligue des champions pour Lille qui se déplace à Wolfsbourg. Les Lillois peuvent décrocher une place en 8e de finale de Ligue des champions et sont assurés d'être au pire reversés en Europa League. Coup d'envoi à 21h sur RMC Sport.

", + "content": "Dernier match de poule de Ligue des champions pour Lille qui se déplace à Wolfsbourg. Les Lillois peuvent décrocher une place en 8e de finale de Ligue des champions et sont assurés d'être au pire reversés en Europa League. Coup d'envoi à 21h sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-on-rentre-au-stand-le-message-de-benzema-apres-sa-blessure_AV-202112050310.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/lille-wolfsbourg-en-direct-le-losc-joue-un-match-a-24-millions_LS-202112080257.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:59:54 GMT", - "enclosure": "https://images.bfmtv.com/_8M4UwzOy_jdWisnzZ-jzyiKJV0=/0x99:2048x1251/800x0/images/Benzema-1174670.jpg", + "pubDate": "Wed, 08 Dec 2021 10:23:22 GMT", + "enclosure": "https://images.bfmtv.com/2hwZqVovjBu6NhdUsP_eAaroUhQ=/0x208:1984x1324/800x0/images/LOSC-1183549.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38301,17 +42936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "544e8e50b217355c29787b92633d1069" + "hash": "d1454cbac9e5cc898a6183b6a7a3781c" }, { - "title": "PSG: \"On ne peut pas se cacher\", Mbappé analyse les problèmes de repli défensif des attaquants", - "description": "Dans une interview accordée à Prime Video, Kylian Mbappé est revenu sur les difficultés que rencontre la défense du PSG cette saison avec, à l’origine de ses maux, un travail des attaquants jugé trop insuffisant à la perte du ballon. L’attaquant parisien entrevoit une solution.

", - "content": "Dans une interview accordée à Prime Video, Kylian Mbappé est revenu sur les difficultés que rencontre la défense du PSG cette saison avec, à l’origine de ses maux, un travail des attaquants jugé trop insuffisant à la perte du ballon. L’attaquant parisien entrevoit une solution.

", + "title": "Une nageuse australienne révèle avoir subi des violences sexuelles de la part d'un dirigeant", + "description": "Médaillée d'argent aux Jeux olympiques de Rio en 2016, l'Australienne Madeline Groves a avoué ces dernières heures avoir été victime de violences sexuelles à l'adolescence, infligées par un responsable qui travaille toujours dans le milieu de la natation en Australie. L'été dernier, Groves avait renoncé aux Jeux pour dénoncer les \"pervers misogynes\" présents dans le milieu.

", + "content": "Médaillée d'argent aux Jeux olympiques de Rio en 2016, l'Australienne Madeline Groves a avoué ces dernières heures avoir été victime de violences sexuelles à l'adolescence, infligées par un responsable qui travaille toujours dans le milieu de la natation en Australie. L'été dernier, Groves avait renoncé aux Jeux pour dénoncer les \"pervers misogynes\" présents dans le milieu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-on-ne-peut-pas-se-cacher-mbappe-analyse-les-problemes-de-repli-defensif-des-attaquants_AV-202112050307.html", + "link": "https://rmcsport.bfmtv.com/natation/une-nageuse-australienne-revele-avoir-subi-des-violences-sexuelles-de-la-part-d-un-dirigeant_AV-202112080255.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:55:01 GMT", - "enclosure": "https://images.bfmtv.com/AG72qkDrr1LaDPPC3QP6aXYb8Eg=/0x78:1200x753/800x0/images/Kylian-Mbappe-1182294.jpg", + "pubDate": "Wed, 08 Dec 2021 10:21:16 GMT", + "enclosure": "https://images.bfmtv.com/3Rwf28WT08_8Ru-Vg_FA4y05b6o=/0x140:2048x1292/800x0/images/Madeline-Groves-lors-des-Jeux-olympiques-de-Rio-en-aout-2016-1184023.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38321,17 +42956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "296aeaf4d2e11ea06a129057774be7c4" + "hash": "7c217c8fa2e977f42cfa37dec86c3cae" }, { - "title": "PSG: Mbappé explique comment il a vécu son après-Euro et son départ avorté au Real Madrid", - "description": "Dans une interview accordée à Amazon Prime Vidéo, Kylian Mbappé a répondu aux questions de Thierry Henry. L’attaquant du PSG en a profité pour revenir sur son été agité, avec la déception de l’Euro 2021 et son envie de départ au Real Madrid.

", - "content": "Dans une interview accordée à Amazon Prime Vidéo, Kylian Mbappé a répondu aux questions de Thierry Henry. L’attaquant du PSG en a profité pour revenir sur son été agité, avec la déception de l’Euro 2021 et son envie de départ au Real Madrid.

", + "title": "Boxe: Même détrôné, Joshua affirme avoir \"le meilleur CV\" des lourds", + "description": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua n’est plus champion du monde à l’heure actuelle. Ce qui n’empêche pas la superstar britannique de se placer au sommet de la hiérarchie sur ce qu’il a réalisé dans sa carrière, comme il l’a expliqué dans un entretien exclusif accordé à RMC Sport.

", + "content": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua n’est plus champion du monde à l’heure actuelle. Ce qui n’empêche pas la superstar britannique de se placer au sommet de la hiérarchie sur ce qu’il a réalisé dans sa carrière, comme il l’a expliqué dans un entretien exclusif accordé à RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/psg-mbappe-explique-comment-il-a-vecu-son-apres-euro-et-son-depart-avorte-au-real-madrid_AV-202112050300.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-meme-detrone-joshua-affirme-avoir-le-meilleur-cv-des-lourds_AV-202112080247.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:29:57 GMT", - "enclosure": "https://images.bfmtv.com/BS-hWN2RmIQoue45PGmjeF7fuTE=/3x25:2035x1168/800x0/images/Kylian-MBAPPE-1181388.jpg", + "pubDate": "Wed, 08 Dec 2021 10:10:07 GMT", + "enclosure": "https://images.bfmtv.com/7N5YLT-R5uhyT_UFjpfWLwL-zUI=/0x123:2048x1275/800x0/images/Anthony-Joshua-contre-Kubrat-Pulev-1071251.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38341,17 +42976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "09440a8f223754de36361e9b9569853a" + "hash": "616e8e2e6b997712630d266b35e37cff" }, { - "title": "GP d'Arabie Saoudite en direct: victoire d'Hamilton devant Verstappen, pénalisé avec clémence", - "description": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", - "content": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", + "title": "Wolfsburg-Lille: qualification en 8es, Ligue Europa... les scénarios possibles pour le Losc", + "description": "Le Losc affronte Wolfsburg ce mercredi à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions (21h sur RMC Sport 1). Leader du groupe G, Lille peut espérer terminer premier en cas de victoire en Allemagne. Mais les Dogues peuvent également tout perdre en fonction du scénario, et se retrouver à disputer la Ligue Europa en février.

", + "content": "Le Losc affronte Wolfsburg ce mercredi à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions (21h sur RMC Sport 1). Leader du groupe G, Lille peut espérer terminer premier en cas de victoire en Allemagne. Mais les Dogues peuvent également tout perdre en fonction du scénario, et se retrouver à disputer la Ligue Europa en février.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-en-direct-suivez-le-grand-prix-d-arabie-saoudite_LS-202112050239.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-qualification-en-8es-ligue-europa-les-scenarios-possibles-pour-le-losc_AV-202112080246.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:18:56 GMT", - "enclosure": "https://images.bfmtv.com/Vzqvl-Vh3G3nsHwIkKi-dnkCi-M=/0x212:2048x1364/800x0/images/Max-Verstappen-et-Lewis-Hamilton-au-restart-du-GP-d-Arabie-Saoudite-1182291.jpg", + "pubDate": "Wed, 08 Dec 2021 10:09:45 GMT", + "enclosure": "https://images.bfmtv.com/Ad3RCEjT30EfxUdO6Morp3JkIUg=/6x111:2038x1254/800x0/images/Jose-Fonte-lors-du-match-entre-le-LOSC-et-Wolfsburg-le-14-septembre-1183984.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38361,17 +42996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd32d01deaa55cded837ad37effa7583" + "hash": "226cdd81efc05951b50a1f611f1cd6f3" }, { - "title": "Bordeaux-OL, les compos: le coup tactique de Bosz avec une défense à trois", - "description": "En quête de points, Bordeaux et l'OL doivent s'imposer ce dimanche pour ne pas sombrer dans la crise ce dimanche, en clôture de la 17e journée de Ligue 1. Lyon et Peter Bosz se présentent avec une défense à trois et Paqueta en numéro 9.

", - "content": "En quête de points, Bordeaux et l'OL doivent s'imposer ce dimanche pour ne pas sombrer dans la crise ce dimanche, en clôture de la 17e journée de Ligue 1. Lyon et Peter Bosz se présentent avec une défense à trois et Paqueta en numéro 9.

", + "title": "Boxe: \"Être plus agressif…\", Joshua sait ce qu'il doit changer après la défaite contre Usyk", + "description": "Battu par Oleksandr Usyk pour les ceintures IBF-WBA-WBO des lourds en septembre, Anthony Joshua compte bien retrouver le trône des lourds au plus vite. Mais le Britannique le reconnaît : il devra faire \"des ajustements\" dans son style s’il veut prendre sa revanche sur l’Ukrainien. Il a expliqué pourquoi et comment dans un entretien exclusif accordé à RMC Sport.

", + "content": "Battu par Oleksandr Usyk pour les ceintures IBF-WBA-WBO des lourds en septembre, Anthony Joshua compte bien retrouver le trône des lourds au plus vite. Mais le Britannique le reconnaît : il devra faire \"des ajustements\" dans son style s’il veut prendre sa revanche sur l’Ukrainien. Il a expliqué pourquoi et comment dans un entretien exclusif accordé à RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-les-compos-le-coup-tactique-de-bosz-avec-une-defense-a-trois_AV-202112050298.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-etre-plus-agressif-joshua-sait-ce-qu-il-doit-changer-apres-la-defaite-contre-usyk_AV-202112080245.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:29:11 GMT", - "enclosure": "https://images.bfmtv.com/62K583vTyPjo9TJfMFqzAFdLWWc=/0x17:2048x1169/800x0/images/Lucas-PAQUETA-1151602.jpg", + "pubDate": "Wed, 08 Dec 2021 10:09:00 GMT", + "enclosure": "https://images.bfmtv.com/YhEcNhtCNHT-i2Bi0iDUV3b2Ni8=/0x73:2032x1216/800x0/images/Anthony-Joshua-1150644.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38381,17 +43016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c653b1e5b4bdb6bf4f56c18c8a0ce26" + "hash": "3e5331e477f1824dddcf6832c5b7a914" }, { - "title": "GP d’Arabie saoudite: folie de Verstappen, instant lunaire entre la FIA et Red Bull... 2e départ fou", - "description": "Déjà interrompu après le crash de Mick Schumacher, le Grand Prix d’Arabie saoudite a connu un nouveau drapeau rouge quelques instants après le deuxième départ. La faute à une conduite surprenante de Max Verstappen ainsi qu’aux accidents de Sergio Perez et Nikita Mazepin.

", - "content": "Déjà interrompu après le crash de Mick Schumacher, le Grand Prix d’Arabie saoudite a connu un nouveau drapeau rouge quelques instants après le deuxième départ. La faute à une conduite surprenante de Max Verstappen ainsi qu’aux accidents de Sergio Perez et Nikita Mazepin.

", + "title": "JO d'hiver 2022: la Chine tacle l'Australie après l'annonce de son boycott diplomatique", + "description": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", + "content": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-folie-de-verstappen-instant-lunaire-entre-la-fia-et-red-bull-2e-depart-fou_AV-202112050290.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-l-australie-annonce-a-son-tour-un-boycott-diplomatique-a-pekin_AV-202112070443.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:10:42 GMT", - "enclosure": "https://images.bfmtv.com/95qJ9eQW8OXYG8KWsj_HFuZNpdM=/0x212:2048x1364/800x0/images/Lewis-Hamilton-lors-du-GP-d-Arabie-saoudite-1182265.jpg", + "pubDate": "Tue, 07 Dec 2021 23:50:36 GMT", + "enclosure": "https://images.bfmtv.com/CnrEvSNK_0w1h1qJf78xgxFzFIU=/0x185:2048x1337/800x0/images/Pekin-2022-1002626.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38401,17 +43036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bcef612962424917e3dca466d764800a" + "hash": "07c008cbae9a0f9a1a2b5a1bccac71c4" }, { - "title": "Tottenham-Norwich: grand pont, lucarne… Lucas s’offre un but sensationnel", - "description": "Tottenham a étrillé Norwich, ce dimanche, lors de la 15e journée de Premier League (3-0). Un match marqué par le bijou de Lucas. L’ailier brésilien des Spurs a ouvert le score au terme d’une action somptueuse.

", - "content": "Tottenham a étrillé Norwich, ce dimanche, lors de la 15e journée de Premier League (3-0). Un match marqué par le bijou de Lucas. L’ailier brésilien des Spurs a ouvert le score au terme d’une action somptueuse.

", + "title": "PSG-Bruges: \"On a encore des choses à améliorer\", estime Wijnaldum", + "description": "Titulaire face à Bruges mardi au Parc des Princes, Georginio Wijnaldum a expliqué au micro de PSG TV que son équipe devait encore progresser, malgré sa large victoire 4-1 lors de la 6e journée de Ligue des champions.

", + "content": "Titulaire face à Bruges mardi au Parc des Princes, Georginio Wijnaldum a expliqué au micro de PSG TV que son équipe devait encore progresser, malgré sa large victoire 4-1 lors de la 6e journée de Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-norwich-grand-pont-lucarne-lucas-s-offre-un-but-sensationnel_AV-202112050278.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-on-a-encore-des-choses-a-ameliorer-estime-wijnaldum_AV-202112080225.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 18:15:12 GMT", - "enclosure": "https://images.bfmtv.com/9FxJ8S4caqNVRcKnwHTw-ePNqFc=/0x59:2048x1211/800x0/images/Lucas-1182244.jpg", + "pubDate": "Wed, 08 Dec 2021 09:47:44 GMT", + "enclosure": "https://images.bfmtv.com/I6m1LAC_csH9QtHNxryI98zuX4U=/0x106:2048x1258/800x0/images/Wijnaldum-avec-le-PSG-contre-Bruges-en-Ligue-des-champions-1183989.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38421,17 +43056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "748e766f25b7729209016cd1e3672406" + "hash": "eec7699ef26409bd6ab94e6ee314bfdf" }, { - "title": "Nice-Strasbourg: victoire éclatante du Racing, claque inquiétante pour les Aiglons", - "description": "Nice, après un bon nul 0-0 à Paris, a été lourdement battu 3 à 0 par Strasbourg, sa troisième défaite d'affilée à domicile et sans but marqué, dimanche lors de la 17e journée de Ligue 1.

", - "content": "Nice, après un bon nul 0-0 à Paris, a été lourdement battu 3 à 0 par Strasbourg, sa troisième défaite d'affilée à domicile et sans but marqué, dimanche lors de la 17e journée de Ligue 1.

", + "title": "Ligue 1 en direct: \"si la France sort du Top 5 européen, on deviendra le championnat de Slovénie\", prévient Labrune", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-strasbourg-victoire-eclatante-du-racing-claque-inquietante-pour-les-aiglons_AV-202112050277.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 18:09:07 GMT", - "enclosure": "https://images.bfmtv.com/QRka5ajMgPFdv8n-TZvX-V1Iub4=/0x0:1200x675/800x0/images/Ludovic-Ajorque-a-inscrit-son-9e-but-de-la-saison-a-Nice-1182241.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/r1cJPiHPLP59IAQ8d2-02euWbcM=/0x128:2048x1280/800x0/images/Vincent-Labrune-1172296.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38441,17 +43076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d6afaca0673ac58d37156f2ba775604f" + "hash": "aca2c118935223e280d9d671bbb0b78b" }, { - "title": "F1: Mazepin agacé par le comportement des autres pilotes envers lui", - "description": "Nikita Mazepin a regretté le comportement de certains pilotes contre lui en marge du GP d’Arabie saoudite. Le pilote russe de l’écurie Haas F1 est déçu du manque de respect à son encontre, notamment lors des qualifications de l’avant-dernière course de la saison.

", - "content": "Nikita Mazepin a regretté le comportement de certains pilotes contre lui en marge du GP d’Arabie saoudite. Le pilote russe de l’écurie Haas F1 est déçu du manque de respect à son encontre, notamment lors des qualifications de l’avant-dernière course de la saison.

", + "title": "Ligue des champions: Lille peut écrire une des plus belles pages de son histoire", + "description": "Le Losc a son destin en main pour cette dernière journée de Ligue des champions. Les Lillois peuvent se qualifier pour les huitièmes de finale voir même terminer premier de leur groupe en cas de victoire à Wolfsbourg.

", + "content": "Le Losc a son destin en main pour cette dernière journée de Ligue des champions. Les Lillois peuvent se qualifier pour les huitièmes de finale voir même terminer premier de leur groupe en cas de victoire à Wolfsbourg.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-mazepin-agace-par-le-comportement-des-autres-pilotes-envers-lui_AV-202112050274.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-lille-peut-ecrire-une-des-plus-belles-pages-de-son-histoire_AD-202112080217.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 17:55:47 GMT", - "enclosure": "https://images.bfmtv.com/8Oxy91UEHFOuMqrT12gST6eKfpU=/0x0:2048x1152/800x0/images/Nikita-Mazepin-en-Formule-1-1182227.jpg", + "pubDate": "Wed, 08 Dec 2021 09:36:16 GMT", + "enclosure": "https://images.bfmtv.com/jBTIlpmhwiF2c2JSI0Z5pLHmy64=/0x38:768x470/800x0/images/L-attaquant-de-Lille-Burak-Yilmaz-c-vient-d-ouvrir-la-marque-contre-Nantes-le-27-novembre-2021-a-Villeneuve-d-Ascq-1176808.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38461,17 +43096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fcc12a7d34f9dea735ceaba927d39226" + "hash": "838b0cfa7fcf0e984f469f33545d32e4" }, { - "title": "Metz: après la claque à Monaco, Antonetti a envoyé ses joueurs parler aux supporters", - "description": "Le FC Metz s’est lourdement incliné sur la pelouse de l’AS Monaco, ce dimanche, lors de la 17e journée de Ligue 1 (4-0). Après la rencontre, Frédéric Antonetti a demandé à ses joueurs d’aller s’expliquer avec les supporters qui avaient fait le déplacement en Principauté.

", - "content": "Le FC Metz s’est lourdement incliné sur la pelouse de l’AS Monaco, ce dimanche, lors de la 17e journée de Ligue 1 (4-0). Après la rencontre, Frédéric Antonetti a demandé à ses joueurs d’aller s’expliquer avec les supporters qui avaient fait le déplacement en Principauté.

", + "title": "Open d’Australie: Tsonga privé d’invitation, au profit de Pouille", + "description": "Lucas Pouille a hérité d’une wild-card pour le prochain Open d’Australie, au détriment de Jo-Wilfried Tsonga, 260e mondial, qui rêvait de s'aligner à Melbourne le mois prochain.

", + "content": "Lucas Pouille a hérité d’une wild-card pour le prochain Open d’Australie, au détriment de Jo-Wilfried Tsonga, 260e mondial, qui rêvait de s'aligner à Melbourne le mois prochain.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/metz-apres-la-claque-a-monaco-antonetti-a-envoye-ses-joueurs-parler-aux-supporters_AV-202112050268.html", + "link": "https://rmcsport.bfmtv.com/tennis/open-australie/open-d-australie-tsonga-prive-d-invitation-au-profit-de-pouille_AV-202112080213.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 17:36:26 GMT", - "enclosure": "https://images.bfmtv.com/u_VygnoAbXMXI7cIaRezCW6W2q8=/0x0:2048x1152/800x0/images/Frederic-Antonetti-1182212.jpg", + "pubDate": "Wed, 08 Dec 2021 09:33:03 GMT", + "enclosure": "https://images.bfmtv.com/3MHX2A9Ez6dzWQQumZtvd2qjg1w=/0x62:1200x737/800x0/images/-865123.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38481,17 +43116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c935eb84657d2c6912f71f6072b4806" + "hash": "89a9ed88a3b6d6b436312c9e60eaad0e" }, { - "title": "Saint-Etienne: Puel mis à pied après la déroute contre Rennes, Dupraz et Guion évoqués", - "description": "La direction de l’AS Saint-Etienne a tranché dans le vif après la défaite de Verts contre Rennes ce dimanche (5-0). Claude Puel est mis à pied et ne devrait plus rester longtemps au sein du club stéphanois alors que Pascal Dupraz ou David Guion sont en pole pour lui succéder.

", - "content": "La direction de l’AS Saint-Etienne a tranché dans le vif après la défaite de Verts contre Rennes ce dimanche (5-0). Claude Puel est mis à pied et ne devrait plus rester longtemps au sein du club stéphanois alors que Pascal Dupraz ou David Guion sont en pole pour lui succéder.

", + "title": "Wolfsburg-Lille: à quelle heure et sur quelle chaîne regarder le match de Ligue des champions", + "description": "Lille joue sa qualification pour les huitièmes de finale de la Ligue des champions à Wolfsburg, ce mercredi (21h). Un match nul suffit aux hommes de Jocelyn Gourvennec, maîtres de leur destin.

", + "content": "Lille joue sa qualification pour les huitièmes de finale de la Ligue des champions à Wolfsburg, ce mercredi (21h). Un match nul suffit aux hommes de Jocelyn Gourvennec, maîtres de leur destin.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-puel-mis-a-pied-apres-la-deroute-contre-rennes-dupraz-et-guion-evoques_AV-202112050253.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsburg-lille-a-quelle-heure-et-sur-quelle-chaine-regarder-le-match-de-ligue-des-champions_AV-202112080208.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 17:01:16 GMT", - "enclosure": "https://images.bfmtv.com/o_WhfJoK13tVX8NfX9bonV0ABj8=/0x96:2048x1248/800x0/images/Claude-Puel-n-est-plus-entraineur-de-Saint-Etienne-1182182.jpg", + "pubDate": "Wed, 08 Dec 2021 09:23:01 GMT", + "enclosure": "https://images.bfmtv.com/pB5utHNiSnW053v27R4topcgRBY=/0x162:2048x1314/800x0/images/Burak-Yilmaz-face-a-Maxence-Lacroix-1183981.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38501,17 +43136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "13004eb2145fc0f125fce18420e04817" + "hash": "5c45a26dbea2880f858009936a4f4c64" }, { - "title": "ASSE-Rennes en direct: Puel mis à pied par Saint-Etienne après la claque", - "description": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", - "content": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", + "title": "Affaire Pinot-Schmitt: Pinot remercie ses soutiens et veut se tourner vers Paris 2024", + "description": "Dix jours après le début de l'affaire, Margaux Pinot a publié un message sur ses réseaux sociaux pour remercier l'ensemble des personnes qui l'ont soutenue depuis la révélation des violences conjugales qu'elle aurait subi. La double championne d'Europe souhaite \"continuer à se battre pour que justice soit faite\", tout en se tournant dès maintenant vers Paris 2024.

", + "content": "Dix jours après le début de l'affaire, Margaux Pinot a publié un message sur ses réseaux sociaux pour remercier l'ensemble des personnes qui l'ont soutenue depuis la révélation des violences conjugales qu'elle aurait subi. La double championne d'Europe souhaite \"continuer à se battre pour que justice soit faite\", tout en se tournant dès maintenant vers Paris 2024.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-rennes-en-direct-les-rennais-peuvent-reprendre-la-deuxieme-place_LS-202112050118.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-pinot-remercie-ses-soutiens-et-veut-se-tourner-vers-paris-2024_AV-202112080206.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 11:01:45 GMT", - "enclosure": "https://images.bfmtv.com/44M6FoABIyNnDRsyrzddkhqQVXU=/0x240:512x528/800x0/images/L-entraineur-de-Saint-Etienne-Claude-Puel-lors-de-la-defaite-a-domicile-de-son-equipe-battue-5-0-par-Rennes-le-5-decembre-2021-au-Stade-Geoffroy-Guichard-1182177.jpg", + "pubDate": "Wed, 08 Dec 2021 09:18:26 GMT", + "enclosure": "https://images.bfmtv.com/Z6n9yhifu5oYgS6BCEHFAOtZzXg=/0x140:2048x1292/800x0/images/Margaux-Pinot-face-a-la-presse-1182040.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38521,17 +43156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "40b49bd3db7bc5be6e46bda9aaced103" + "hash": "abba2a2c0d13c2485c5f7311a1e06263" }, { - "title": "Ligue 1: Monaco cartonne face à Metz, Montpellier et Angers se replacent, Lorient s'enfonce", - "description": "Nantes s'est imposé à Lorient 1-0 grâce à un exploit individuel de Wylan Cyprien. Dominateur de la première à la dernière minute, Monaco a très largement battu Metz (4-0).

", - "content": "Nantes s'est imposé à Lorient 1-0 grâce à un exploit individuel de Wylan Cyprien. Dominateur de la première à la dernière minute, Monaco a très largement battu Metz (4-0).

", + "title": "Atlético de Madrid: Joao Felix souhaiterait partir en janvier, selon la presse espagnole", + "description": "Sous contrat jusqu'en 2026, Joao Felix réfléchit sérieusement à quitter l'Atlético dès cet hiver, assure la presse espagnole. Les Colchoneros n'y seraient pas opposés.

", + "content": "Sous contrat jusqu'en 2026, Joao Felix réfléchit sérieusement à quitter l'Atlético dès cet hiver, assure la presse espagnole. Les Colchoneros n'y seraient pas opposés.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-monaco-cartonne-face-a-metz-montpellier-et-angers-se-replacent-lorient-s-enfonce_AV-202112050242.html", + "link": "https://rmcsport.bfmtv.com/football/liga/atletico-de-madrid-joao-felix-souhaiterait-partir-en-janvier-selon-la-presse-espagnole_AV-202112080202.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:30:04 GMT", - "enclosure": "https://images.bfmtv.com/Yk-4qUJ-xkPy9oedZX0wSofXTHs=/0x0:1200x675/800x0/images/La-rage-de-vaincre-des-Monegasques-et-de-Kevin-Volland-1182173.jpg", + "pubDate": "Wed, 08 Dec 2021 09:15:20 GMT", + "enclosure": "https://images.bfmtv.com/aNJIoonj6ZnHxoVrtYMzi21liBc=/0x15:1200x690/800x0/images/Joao-Felix-1183964.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38541,17 +43176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "052847d3294d92f1d404d9be83b303ee" + "hash": "9e58c630c0e8577c9763542fb534e7c3" }, { - "title": "Manchester United-Crystal Palace: première victorieuse mais perfectible pour Rangnick", - "description": "Ralf Rangnick a dirigé Manchester United pour la première fois ce dimanche lors de la 15e journée de Premier League contre Crystal Palace. Un but de Fred dans les dernières minutes a offert la victoire aux Red Devils (1-0) devant le public d’Old Trafford.

", - "content": "Ralf Rangnick a dirigé Manchester United pour la première fois ce dimanche lors de la 15e journée de Premier League contre Crystal Palace. Un but de Fred dans les dernières minutes a offert la victoire aux Red Devils (1-0) devant le public d’Old Trafford.

", + "title": "Tottenham: au moins six cas de Covid-19 parmi les joueurs, le match face à Brighton en suspens", + "description": "Au moins six joueurs de Tottenham ont été testés positifs au Covid-19 cette semaine, ce qui pourrait remettre en cause la tenue de leurs prochains matches en Premier League, mais pas encore celui face à Rennes en Coupe d'Europe, ce jeudi (21h).

", + "content": "Au moins six joueurs de Tottenham ont été testés positifs au Covid-19 cette semaine, ce qui pourrait remettre en cause la tenue de leurs prochains matches en Premier League, mais pas encore celui face à Rennes en Coupe d'Europe, ce jeudi (21h).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-crystal-palace-premiere-victorieuse-mais-perfectible-pour-rangnick_AV-202112050240.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-au-moins-six-cas-de-covid-19-parmi-les-joueurs-le-match-face-a-brighton-en-suspens_AV-202112080199.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:09:00 GMT", - "enclosure": "https://images.bfmtv.com/HccSJJV_qg7rMrG2hAjp7CVlxNI=/0x0:2032x1143/800x0/images/Ralf-Rangnick-lors-de-son-premier-match-sur-le-banc-de-Manchester-United-1182165.jpg", + "pubDate": "Wed, 08 Dec 2021 09:12:34 GMT", + "enclosure": "https://images.bfmtv.com/pZSkGFq2bzj6l5OjLz_Kbn1IY9A=/0x125:1200x800/800x0/images/Les-joueurs-de-Tottenham-celebrant-un-but-en-Premier-League-1183917.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38561,17 +43196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c2ea2c34d5a80f7e1ce5d86c75f3daaa" + "hash": "fbb27b6e586d3e87b3bc8f9c16f16c3b" }, { - "title": "F2: Pourchaire victime d’un accident spectaculaire et évacué à l'hôpital", - "description": "Théo Pourchaire a été victime d’un incident au départ du Grand Prix de F2 d’Arabie saoudite, ce dimanche à Djeddah. Le jeune Français, qui n’a pas réussi à démarrer, s’est fait violemment percuté par l’arrière. De quoi entraîner une longue interruption de la course.

", - "content": "Théo Pourchaire a été victime d’un incident au départ du Grand Prix de F2 d’Arabie saoudite, ce dimanche à Djeddah. Le jeune Français, qui n’a pas réussi à démarrer, s’est fait violemment percuté par l’arrière. De quoi entraîner une longue interruption de la course.

", + "title": "Handball: le calvaire d’Amandine Tissier, championne de France, atteinte de sclérose en plaques", + "description": "Amandine Tessier, championne de France de handball avec Brest l’année dernière, a mis sa carrière entre parenthèses la semaine dernière pour soigner la sclérose en plaques dont elle souffre. Elle raconte son calvaire dans Le Parisien.

", + "content": "Amandine Tessier, championne de France de handball avec Brest l’année dernière, a mis sa carrière entre parenthèses la semaine dernière pour soigner la sclérose en plaques dont elle souffre. Elle raconte son calvaire dans Le Parisien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f2-pourchaire-victime-d-un-accident-spectaculaire-et-evacue-a-l-hopital_AV-202112050228.html", + "link": "https://rmcsport.bfmtv.com/handball/handball-le-calvaire-d-amandine-tissier-championne-de-france-atteinte-de-sclerose-en-plaques_AV-202112080192.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:43:30 GMT", - "enclosure": "https://images.bfmtv.com/mwm4S7bUqjSQdWOr5jL_GFNkSWc=/0x12:1200x687/800x0/images/-868155.jpg", + "pubDate": "Wed, 08 Dec 2021 08:54:49 GMT", + "enclosure": "https://images.bfmtv.com/x0HZAvOO603oVcJOFvWpd4hYNzc=/14x66:2046x1209/800x0/images/Amandine-Tissier-1183958.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38581,17 +43216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "239118765ab68c5fb355dceace14a931" + "hash": "1f5276ff7078f76048fb83f7d2358bb2" }, { - "title": "Bordeaux-OL en direct: Lyon pousse mais les Girondins sont toujours dangereux", - "description": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", - "content": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", + "title": "Boxe: la WBC impose à Fury de défendre son titre contre Whyte", + "description": "Près de deux mois après son succès d'anthologie face à Deontay Wilder, Tyson Fury connaît son prochain adversaire. Il s'agit de Dillian Whyte, contre qui il devra défendre sa ceinture de champion du monde des lourds. Une décision prise mardi soir par la WBC.

", + "content": "Près de deux mois après son succès d'anthologie face à Deontay Wilder, Tyson Fury connaît son prochain adversaire. Il s'agit de Dillian Whyte, contre qui il devra défendre sa ceinture de champion du monde des lourds. Une décision prise mardi soir par la WBC.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-bordeaux-ol-en-direct_LS-202112050237.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-la-wbc-impose-a-fury-de-defendre-son-titre-contre-whyte_AV-202112080174.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:10:24 GMT", - "enclosure": "https://images.bfmtv.com/Y4ipY_ai5LRaJE086BPMTqdy9SA=/0x106:2048x1258/800x0/images/Bordeaux-OL-1182321.jpg", + "pubDate": "Wed, 08 Dec 2021 08:29:45 GMT", + "enclosure": "https://images.bfmtv.com/9UZeq7X11_vs7HOUWM2Zcufb-rg=/0x50:2032x1193/800x0/images/Tyson-Fury-lors-d-une-soiree-de-combats-de-boxe-a-Wembley-le-20-novembre-1183934.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38601,17 +43236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0702525b49059ca02b5d13376f864a25" + "hash": "83bf24f5e9afac9aade6fc4957c35aff" }, { - "title": "GP d'Arabie Saoudite en direct: victoire d'Hamilton devant Verstappen après une course de folie", - "description": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", - "content": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", + "title": "Boxe: \"Si une énorme offre arrive…\", Joshua prêt à s’écarter pour un choc Fury-Usyk", + "description": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua est déjà tourné vers la reconquête des sommets de la catégorie. Mais la superstar britannique ouvre la porte à s’écarter de sa revanche contractuelle afin de laisser l’Ukrainien affronter Tyson Fury pour les quatre ceintures avant de prendre le vainqueur, comme il l’a confirmé dans un entretien exclusif accordé à RMC Sport.

", + "content": "Détrôné des titres IBF-WBA-WBO des lourds avec sa défaite face à Oleksandr Usyk en septembre, Anthony Joshua est déjà tourné vers la reconquête des sommets de la catégorie. Mais la superstar britannique ouvre la porte à s’écarter de sa revanche contractuelle afin de laisser l’Ukrainien affronter Tyson Fury pour les quatre ceintures avant de prendre le vainqueur, comme il l’a confirmé dans un entretien exclusif accordé à RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-en-direct-suivez-le-grand-prix-d-arabie-saoudite_LS-202112050239.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-si-une-enorme-offre-arrive-joshua-pret-a-s-ecarter-pour-un-choc-fury-usyk_AV-202112080170.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:18:56 GMT", - "enclosure": "https://images.bfmtv.com/Vzqvl-Vh3G3nsHwIkKi-dnkCi-M=/0x212:2048x1364/800x0/images/Max-Verstappen-et-Lewis-Hamilton-au-restart-du-GP-d-Arabie-Saoudite-1182291.jpg", + "pubDate": "Wed, 08 Dec 2021 08:22:25 GMT", + "enclosure": "https://images.bfmtv.com/TwRD-cwACve2sGe6v3fGTcUUeSI=/0x141:2048x1293/800x0/images/Anthony-Joshua-1155683.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38621,17 +43256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d84762e824d3be472d15c8c84afd94cb" + "hash": "06bf9023931f6db6d86d864907776b31" }, { - "title": "Stade Français-La Rochelle en direct: match fou à Jean-Bouin, déjà cinq essais marqués", - "description": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", - "content": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", + "title": "Manchester City: Guardiola critique Walker après son craquage qui va lui coûter les 8es", + "description": "Kyle Walker, arrière droit de Manchester City, a été expulsé pour une grossière balayette sur André Silva, mardi lors de la défaite à Leipzig (2-1). L’Anglais sera au moins suspendu pour le 8e de finale aller et peut-être pour le retour.

", + "content": "Kyle Walker, arrière droit de Manchester City, a été expulsé pour une grossière balayette sur André Silva, mardi lors de la défaite à Leipzig (2-1). L’Anglais sera au moins suspendu pour le 8e de finale aller et peut-être pour le retour.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-stade-francais-la-rochelle-en-direct_LS-202112050287.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-guardiola-critique-walker-apres-son-craquage-qui-va-lui-couter-les-8es_AV-202112080167.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 18:46:50 GMT", - "enclosure": "https://images.bfmtv.com/h9sMXTLk8ayWW_JHPiP1pL8QPC0=/0x0:1184x666/800x0/images/-859705.jpg", + "pubDate": "Wed, 08 Dec 2021 08:16:08 GMT", + "enclosure": "https://images.bfmtv.com/tYY7jVz2QtxqWRxah2KZJNRDvr8=/0x106:2048x1258/800x0/images/Le-carton-rouge-inflige-a-Kyle-Walker-1183920.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38641,17 +43276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "303e3fea6d96423b39308bccbf8c8f37" + "hash": "33c3e884508d73437e40412ee393fb87" }, { - "title": "CAN2022 : Aliou Cissé répond à Jürgen Klopp, sur le \"petit tournoi\"", - "description": "Alors que Jürgen Klopp avait qualifié la Coupe d'Afrique des Nations de \"petit tournoi\", semble-t-il de façon ironique, Aliou Cissé, le sélectionneur du Sénégal, lui a répondu en tempérant les débats.

", - "content": "Alors que Jürgen Klopp avait qualifié la Coupe d'Afrique des Nations de \"petit tournoi\", semble-t-il de façon ironique, Aliou Cissé, le sélectionneur du Sénégal, lui a répondu en tempérant les débats.

", + "title": "OL-OM: Les sanctions vont tomber", + "description": "Le sort du match OL-OM interrompu au bout de 5 minutes après un jet de bouteille sur Dimitri Payet va être tranché par la commission de discipline ce mercredi.

", + "content": "Le sort du match OL-OM interrompu au bout de 5 minutes après un jet de bouteille sur Dimitri Payet va être tranché par la commission de discipline ce mercredi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/matchs-amicaux/can2022-aliou-cisse-repond-a-jurgen-klopp-sur-le-petit-tournoi_AV-202112050227.html", + "link": "https://rmcsport.bfmtv.com/football/ol-om-les-sanctions-vont-tomber_AD-202112080149.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:41:46 GMT", - "enclosure": "https://images.bfmtv.com/1zuE1n571u5pgVQIssRNbcryLNc=/0x78:1200x753/800x0/images/-842801.jpg", + "pubDate": "Wed, 08 Dec 2021 07:53:27 GMT", + "enclosure": "https://images.bfmtv.com/1o2oEmbJ9CMFN92xhu8uQT3B54s=/0x97:768x529/800x0/images/Le-meneur-de-jeu-de-Marseille-Dimitri-Payet-touche-par-une-bouteille-d-eau-lancee-depuis-la-tribune-lors-du-match-contre-Lyon-a-Decines-Charpieu-le-21-novembre-2021-1171842.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38661,17 +43296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "48018fcf4eaa128d58b67cfeed07d0fd" + "hash": "ec4439888e7a50972b09f1a9b977ece2" }, { - "title": "Cleangame remporte la finale du GNT pour la deuxième fois de sa carrière", - "description": "Alors qu'il devait rendre la distance de 50 mètres, Cleangame n'a pas déçu ses preneurs en terrassant l'opposition et en remportant pour la deuxième fois de sa carrière la finale du Grand National du Trot ce dimanche 5 décembre sur l'hippodrome de Vincennes.

", - "content": "Alors qu'il devait rendre la distance de 50 mètres, Cleangame n'a pas déçu ses preneurs en terrassant l'opposition et en remportant pour la deuxième fois de sa carrière la finale du Grand National du Trot ce dimanche 5 décembre sur l'hippodrome de Vincennes.

", + "title": "Real Madrid: toujours aussi performant, Modric a l'impression d'avoir les jambes de sa vingtaine", + "description": "Encore une fois essentiel lors de la victoire du Real Madrid face à l'Inter Milan mardi soir (2-0) lors de la dernière journée de la phase de groupes de la Ligue des champions, Luka Modric a confié après la rencontre se sentir au top de sa forme. Le milieu croate de 36 ans aimerait d'ailleurs que l'on se concentre moins sur son âge, et davantage sur ses performances.

", + "content": "Encore une fois essentiel lors de la victoire du Real Madrid face à l'Inter Milan mardi soir (2-0) lors de la dernière journée de la phase de groupes de la Ligue des champions, Luka Modric a confié après la rencontre se sentir au top de sa forme. Le milieu croate de 36 ans aimerait d'ailleurs que l'on se concentre moins sur son âge, et davantage sur ses performances.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/cleangame-remporte-la-finale-du-gnt-pour-la-deuxieme-fois-de-sa-carriere_AN-202112050226.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-toujours-aussi-performant-modric-a-l-impression-d-avoir-les-jambes-de-sa-vingtaine_AV-202112080147.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:37:47 GMT", - "enclosure": "https://images.bfmtv.com/xH1S-BamOw0FBX6ZDjza8Zb5VFU=/0x106:2048x1258/800x0/images/Cleangame-remporte-la-finale-du-GNT-edition-2021-1182149.jpg", + "pubDate": "Wed, 08 Dec 2021 07:51:49 GMT", + "enclosure": "https://images.bfmtv.com/iAC15KRsn6T1mTO0kJIA_uOh2VE=/14x0:2046x1143/800x0/images/Luka-Modric-lors-du-match-entre-le-Real-Madrid-et-l-Inter-Milan-le-7-decembre-1183889.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38681,17 +43316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5232c4758b70f703a4833af6524620be" + "hash": "7f14200fbbae0a48633001c853632631" }, { - "title": "PSG: Herrera et Ramos de retour à l’entraînement avant Bruges", - "description": "Sergio Ramos et Ander Herrera ont repris l’entraînement ce dimanche avec le PSG. Une bonne nouvelle pour le club parisien à deux jours du dernier match des poules de la Ligue des champions, mardi contre Bruges (sur RMC Sport 1).

", - "content": "Sergio Ramos et Ander Herrera ont repris l’entraînement ce dimanche avec le PSG. Une bonne nouvelle pour le club parisien à deux jours du dernier match des poules de la Ligue des champions, mardi contre Bruges (sur RMC Sport 1).

", + "title": "Zidane dévoile d'autres photos de la réunion France 98", + "description": "Zinedine Zidane a diffusé plusieurs photos de la soirée de retrouvailles des champions du monde 1998, organisée lundi à Paris.

", + "content": "Zinedine Zidane a diffusé plusieurs photos de la soirée de retrouvailles des champions du monde 1998, organisée lundi à Paris.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-herrera-de-retour-a-l-entrainement-avant-le-match-europeen-contre-bruges_AV-202112050219.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/zidane-devoile-d-autres-photos-de-la-reunion-france-98_AV-202112080137.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:26:22 GMT", - "enclosure": "https://images.bfmtv.com/Gti6hEyDALvkloJJIwAw_YDNlPc=/14x0:2046x1143/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182152.jpg", + "pubDate": "Wed, 08 Dec 2021 07:46:30 GMT", + "enclosure": "https://images.bfmtv.com/iPSYT8T7AK0Fny4dogXCeY_Ezno=/0x106:2048x1258/800x0/images/Zinedine-Zidane-1042712.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38701,17 +43336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f97dd489eeb4a78ee661f9fbd9ecdad8" + "hash": "b11d3df9f9976a95c244fe7dc0390d63" }, { - "title": "Saint-Etienne: le message d'espoir de Puel après la déroute contre Rennes", - "description": "Corrigé par le Stade Rennais (5-0) ce dimanche lors de la 17e journée de Ligue 1, Saint-Etienne reste englué à la dernière place du classement. S'il est conscient des lacunes de ses joueurs, Claude Puel estime qu'ils sont capables de réagir.

", - "content": "Corrigé par le Stade Rennais (5-0) ce dimanche lors de la 17e journée de Ligue 1, Saint-Etienne reste englué à la dernière place du classement. S'il est conscient des lacunes de ses joueurs, Claude Puel estime qu'ils sont capables de réagir.

", + "title": "ASSE: Romeyer ne comprend pas \"les réactions de quelques abrutis\"", + "description": "Deux jours après la mise à pied de Claude Puel, consécutive à la déroute des Verts contre Rennes (5-0), Roland Romeyer a défendu sa gestion d’un club en grande difficulté, lanterne rouge de Ligue 1.

", + "content": "Deux jours après la mise à pied de Claude Puel, consécutive à la déroute des Verts contre Rennes (5-0), Roland Romeyer a défendu sa gestion d’un club en grande difficulté, lanterne rouge de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-message-d-espoir-de-puel-apres-la-deroute-contre-rennes_AV-202112050212.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-romeyer-ne-comprend-pas-les-reactions-de-quelques-abrutis_AV-202112080120.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:00:35 GMT", - "enclosure": "https://images.bfmtv.com/bxpH_b7dya6GhTOiEIPf4S2s7Yg=/0x106:2048x1258/800x0/images/Claude-PUEL-1182099.jpg", + "pubDate": "Wed, 08 Dec 2021 07:24:42 GMT", + "enclosure": "https://images.bfmtv.com/JiQ1ld4U4jAWfVlxTTd7d4dvQmM=/0x0:1200x675/800x0/images/Roland-Romeyer-1183869.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38721,17 +43356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e1f712242c732a41eea9faee8b1458ec" + "hash": "7d1b184b0b535abf49b7876e5d4f89ff" }, { - "title": "Nice-Strasbourg en direct : le Racing inflige une leçon aux Aiglons", - "description": "Sur leur terrain, les Aiglons ont sombré face à une équipe de Strasbourg solide et inspirée. Les Alsaciens ont profité du réalisme d'Ajorque, Diallo et Thomasson pour s'offrir une victoire de prestige, 3-0.

", - "content": "Sur leur terrain, les Aiglons ont sombré face à une équipe de Strasbourg solide et inspirée. Les Alsaciens ont profité du réalisme d'Ajorque, Diallo et Thomasson pour s'offrir une victoire de prestige, 3-0.

", + "title": "Mercato en direct: Juninho parti de Lyon dès janvier?", + "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nice-strasbourg-en-direct_LS-202112050190.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 14:17:26 GMT", - "enclosure": "https://images.bfmtv.com/7jMHIiR8yGY-2zPjMdwYRVsKqSY=/0x106:2048x1258/800x0/images/Perrin-avec-Lemina-et-Todibo-lors-de-Nice-Strasbourg-1182216.jpg", + "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", + "enclosure": "https://images.bfmtv.com/kPy5M3sOIDjK0WvAy7tIGvfdkLE=/2x4:8498x4783/800x0/images/-871596.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38741,17 +43376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d44d7143bd142655863db906fae7ed7" + "hash": "5755d56493a6c15feb4c7d05ca1cc282" }, { - "title": "PSG-Bruges: l’arbitre espagnol Gil Manzano au sifflet, une première pour les Parisiens", - "description": "Jesus Gil Manzano a été désigné pour arbitrer le match de la 6eme journée de phase de poules entre le PSG et Bruges, mardi au Parc des Princes (coup d’envoi à 18h45 en direct sur RMC Sport 1). L'Espagnol n’a jamais arbitré le club parisien.

", - "content": "Jesus Gil Manzano a été désigné pour arbitrer le match de la 6eme journée de phase de poules entre le PSG et Bruges, mardi au Parc des Princes (coup d’envoi à 18h45 en direct sur RMC Sport 1). L'Espagnol n’a jamais arbitré le club parisien.

", + "title": "Real Madrid: Ancelotti pas intéressé par le destin du Barça, condamné à l'exploit sur la pelouse du Bayern", + "description": "Quelques dizaines de minutes après s'être assuré, avec son Real Madrid, la première place du groupe D en s'imposant face à l'Inter Milan (2-0) mardi soir, Carlo Ancelotti a répondu aux questions des journalistes. Interrogé sur le destin du FC Barcelone en Ligue des champions, l'entraîneur italien a expliqué ne pas y prêter attention.

", + "content": "Quelques dizaines de minutes après s'être assuré, avec son Real Madrid, la première place du groupe D en s'imposant face à l'Inter Milan (2-0) mardi soir, Carlo Ancelotti a répondu aux questions des journalistes. Interrogé sur le destin du FC Barcelone en Ligue des champions, l'entraîneur italien a expliqué ne pas y prêter attention.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-l-arbitre-espagnol-gil-manzano-au-sifflet-une-premiere-pour-les-parisiens_AV-202112050184.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-ancelotti-pas-interesse-par-le-destin-du-barca-condamne-a-l-exploit-sur-la-pelouse-du-bayern_AV-202112080092.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 14:11:21 GMT", - "enclosure": "https://images.bfmtv.com/zXg4o4yrqU8WrUvBRJ6PUs09_mM=/0x0:2048x1152/800x0/images/Jesus-Gil-Manzano-arbitrera-PSG-Bruges-1182090.jpg", + "pubDate": "Wed, 08 Dec 2021 06:55:31 GMT", + "enclosure": "https://images.bfmtv.com/iSuQKBftjshiQJi6KL8gPA2tq_I=/0x0:2048x1152/800x0/images/Carlo-Ancelotti-lors-de-la-rencontre-de-Ligue-des-champions-entre-le-Real-Madrid-et-l-Inter-Milan-le-7-decembre-1183819.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38761,17 +43396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c918ed286b9663a2f593485829e7bd4" + "hash": "0037b2f6c09b2121a9b16b50d2b207af" }, { - "title": "Les pronos hippiques du lundi 6 décembre 2021", - "description": "Le Quinté+ du lundi 6 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du lundi 6 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "OL: Juninho parti de Lyon dès janvier?", + "description": "Selon L’Equipe, Juninho, directeur sportif de Lyon, devrait quitter ses fonctions dès le mois de janvier après avoir annoncé son départ en fin de saison, sur RMC. Des propos qui ont surpris au sein du club.

", + "content": "Selon L’Equipe, Juninho, directeur sportif de Lyon, devrait quitter ses fonctions dès le mois de janvier après avoir annoncé son départ en fin de saison, sur RMC. Des propos qui ont surpris au sein du club.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-lundi-6-decembre-2021_AN-202112050181.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-juninho-parti-de-lyon-des-janvier_AV-202112080089.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 14:03:28 GMT", - "enclosure": "https://images.bfmtv.com/9XV2MFBYK7ptueR4KVkM57oSATY=/0x41:800x491/800x0/images/Les-pronos-hippiques-du-lundi-6-decembre-2021-1181814.jpg", + "pubDate": "Wed, 08 Dec 2021 06:54:12 GMT", + "enclosure": "https://images.bfmtv.com/ffGb7F3CILQOmNb8IF9mSMYsmRM=/0x43:1200x718/800x0/images/Juninho-1034267.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38781,17 +43416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "81368e021ed3a9608419cb48e0dd2ff4" + "hash": "3e1582fdd1078a32e6f82dac953607ad" }, { - "title": "Saint Etienne-Rennes: les Bretons enfoncent les Verts avec un festival de Terrier", - "description": "Porté par un triplé de Martin Terrier, Rennes a corrigé Saint-Etienne (5-0) ce dimanche à Geoffroy-Guichard lors de la 17e journée de Ligue 1. Les Bretons sont deuxièmes du classement derrière le PSG alors que les Verts restent derniers du championnat.

", - "content": "Porté par un triplé de Martin Terrier, Rennes a corrigé Saint-Etienne (5-0) ce dimanche à Geoffroy-Guichard lors de la 17e journée de Ligue 1. Les Bretons sont deuxièmes du classement derrière le PSG alors que les Verts restent derniers du championnat.

", + "title": "Porto-Atlético: Pepe en veut à M.Turpin et au VAR", + "description": "Pepe, défenseur de Porto, reproche à M.Turpin d’avoir cédé à la précipitation et de ne pas avoir su maintenir le calme lors du match très tendu entre Porto et l’Atlético de Madrid (1-3), mardi en Ligue des champions.

", + "content": "Pepe, défenseur de Porto, reproche à M.Turpin d’avoir cédé à la précipitation et de ne pas avoir su maintenir le calme lors du match très tendu entre Porto et l’Atlético de Madrid (1-3), mardi en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-rennes-les-bretons-enfoncent-les-verts-avec-un-festival-de-terrier_AV-202112050180.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-atletico-pepe-en-veut-a-m-turpin-et-au-var_AV-202112080071.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 14:03:23 GMT", - "enclosure": "https://images.bfmtv.com/SKbN9MWtuNJhHhRO-ndjTU_ZTN4=/0x137:2048x1289/800x0/images/Martin-Terrier-a-marque-un-triple-lors-de-ASSE-Rennes-1182083.jpg", + "pubDate": "Wed, 08 Dec 2021 06:32:37 GMT", + "enclosure": "https://images.bfmtv.com/paWOC5iAFFppSbr8usPbl_tdWUc=/0x105:2048x1257/800x0/images/M-Turpin-inflige-un-carton-rouge-a-Wendell-1183816.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38801,17 +43436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd6c6e63b13d36cfd95692ce6cd3bb59" + "hash": "48f240c85452d89be047fa80d0b49d41" }, { - "title": "Egypte: un entraîneur décède d'une crise cardiaque après le but de la victoire de son équipe", - "description": "L'entraîneur égyptien Adham El-Selhadar est décédé des suites d'une crise cardiaque survenue en plein match. Il avait 53 ans.

", - "content": "L'entraîneur égyptien Adham El-Selhadar est décédé des suites d'une crise cardiaque survenue en plein match. Il avait 53 ans.

", + "title": "Open d'Australie: Novak Djokovic sur la liste des participants, pas Serena Williams", + "description": "Quelques jours après avoir semé le doute sur sa présence ou non à l'Open d'Australie (17-30 janvier 2022) le mois prochain, Novak Djokovic fait bien partie de la liste des participants au premier Grand Chelem de la saison. L'Américaine Serena Williams est, en revanche, absente de la liste.

", + "content": "Quelques jours après avoir semé le doute sur sa présence ou non à l'Open d'Australie (17-30 janvier 2022) le mois prochain, Novak Djokovic fait bien partie de la liste des participants au premier Grand Chelem de la saison. L'Américaine Serena Williams est, en revanche, absente de la liste.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/egypte-un-entraineur-decede-d-une-crise-cardiaque-apres-le-but-de-la-victoire-de-son-equipe_AN-202112050173.html", + "link": "https://rmcsport.bfmtv.com/tennis/open-australie/open-d-australie-novak-djokovic-sur-la-liste-des-participants-pas-serena-williams_AV-202112080064.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:49:42 GMT", - "enclosure": "https://images.bfmtv.com/1j-9HmDYJ6s6fKHL2IH2Tf_E9Bg=/0x0:2048x1152/800x0/images/Image-d-illustration-1182081.jpg", + "pubDate": "Wed, 08 Dec 2021 06:21:33 GMT", + "enclosure": "https://images.bfmtv.com/ErgLQe2BAobR01zIzT8E-f232Tk=/0x54:2032x1197/800x0/images/Novak-Djokovic-1181338.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38821,17 +43456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3fb6bd2c29a051003eb4220939f140e7" + "hash": "e25e04e316c99a785a259eaea39399e5" }, { - "title": "Coupe Davis 2022: la France face à l’Equateur en barrages", - "description": "Eliminée prématurément lors de la phase finale de la Coupe Davis 2021, la France devra passer par un barrage l’année prochaine. Le tirage au sort a livré l’Equateur comme adversaire des Bleus qui auront l’avantage de recevoir.

", - "content": "Eliminée prématurément lors de la phase finale de la Coupe Davis 2021, la France devra passer par un barrage l’année prochaine. Le tirage au sort a livré l’Equateur comme adversaire des Bleus qui auront l’avantage de recevoir.

", + "title": "Porto-Atlético: \"c’est pour ça que je suis revenu\", la grande fierté de Griezmann, élu homme du match", + "description": "Impliqué sur les trois buts de son équipe, Antoine Griezmann a affiché sa fierté et son émotion après le succès de l’Atlético de Madrid à Porto (1-3), offrant une qualification quasiment inespérée pour les huitièmes de finale de la Ligue des champions.

", + "content": "Impliqué sur les trois buts de son équipe, Antoine Griezmann a affiché sa fierté et son émotion après le succès de l’Atlético de Madrid à Porto (1-3), offrant une qualification quasiment inespérée pour les huitièmes de finale de la Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis-2022-la-france-face-a-l-equateur-en-barrages_AD-202112050170.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-atletico-c-est-pour-ca-que-je-suis-revenu-la-grande-fierte-de-griezmann-elu-homme-du-match_AV-202112080037.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:31:47 GMT", - "enclosure": "https://images.bfmtv.com/RLFHvZc9u8QTF3TOhqttBzo7XKI=/0x40:768x472/800x0/images/Le-capitaine-de-l-equipe-de-France-Sebastien-Grosjean-lors-de-l-edition-precedente-de-Coupe-Davis-a-Madrid-le-21-novembre-2019-1170855.jpg", + "pubDate": "Wed, 08 Dec 2021 05:45:53 GMT", + "enclosure": "https://images.bfmtv.com/F58Y1z35Q746J9J3aOkY1zYS3ns=/6x127:2038x1270/800x0/images/Antoine-Griezmann-et-Thomas-Lemar-1183775.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38841,17 +43476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a75ec6a9f1b25f397db7cab1c382d18d" + "hash": "18e7df523bc4c5f5d5c2bf2c2c276595" }, { - "title": "Stade Français-La Rochelle en direct: Paris veut remonter au classement", - "description": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", - "content": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", + "title": "Mercato en direct: Zidane au PSG? Charbonnier en a parlé avec lui, il raconte dans l'After", + "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-stade-francais-la-rochelle-en-direct_LS-202112050287.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 18:46:50 GMT", - "enclosure": "https://images.bfmtv.com/h9sMXTLk8ayWW_JHPiP1pL8QPC0=/0x0:1184x666/800x0/images/-859705.jpg", + "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", + "enclosure": "https://images.bfmtv.com/z2mlpPn41NwALUU54BEZnTXL_U4=/0x217:2048x1369/800x0/images/Zidane-au-soutien-du-Qatar-en-2010-1172558.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38861,17 +43496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "317e37d517496537182c04d5184fb34d" + "hash": "5a9095201a806ebb4438472e1bdacbaf" }, { - "title": "Bordeaux-OL en direct: les Lyonnais doivent absolument réagir en Gironde", - "description": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", - "content": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", + "title": "Zidane au PSG? Charbonnier en a parlé avec lui, il raconte dans l'After", + "description": "Lionel Charbonnier, membre de la Dream Team RMC, a participé à la réunion des champions du monde 1998 à Paris lundi. Il a notamment discuté avec Zinedine Zidane de la rumeur l’envoyant au PSG.

", + "content": "Lionel Charbonnier, membre de la Dream Team RMC, a participé à la réunion des champions du monde 1998 à Paris lundi. Il a notamment discuté avec Zinedine Zidane de la rumeur l’envoyant au PSG.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-bordeaux-ol-en-direct_LS-202112050237.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/le-ressenti-de-charbonnier-sur-zidane-au-psg-apres-le-repas-de-france-98_AV-202112080028.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 16:10:24 GMT", - "enclosure": "https://images.bfmtv.com/eDwGBQSW1hg4g1G7b4PRQNJkdks=/0x33:2048x1185/800x0/images/Lucas-PAQUETA-1181914.jpg", + "pubDate": "Wed, 08 Dec 2021 05:17:49 GMT", + "enclosure": "https://images.bfmtv.com/h7eB9lWq2UpSgKSaxe4PMiLmEBA=/0x39:2048x1191/800x0/images/Zinedine-Zidane-1177940.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38881,17 +43516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "999f9300da896937915ccf04f47f9937" + "hash": "dc4bbe6e9250a2b398a24be4d25273ce" }, { - "title": "Biathlon: les Bleues triomphent au relais d’Östersund, Jacquelin sur le podium sur la poursuite", - "description": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", - "content": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", + "title": "Coupe arabe: un choc Maroc-Algérie en quarts", + "description": "Tenue en échec par l’Egypte (1-1) lors de son dernier match de groupe, l’Algérie défiera le Maroc pour un choc bouillant, samedi en quarts de finale de la Coupe arabe actuellement organisée par la Fifa au Qatar.

", + "content": "Tenue en échec par l’Egypte (1-1) lors de son dernier match de groupe, l’Algérie défiera le Maroc pour un choc bouillant, samedi en quarts de finale de la Coupe arabe actuellement organisée par la Fifa au Qatar.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-les-bleues-triomphent-au-relais-d-ostersund-premiere-victoire-pour-la-france_AV-202112050168.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-arabe-un-choc-maroc-algerie-en-quarts_AV-202112080021.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:22:03 GMT", - "enclosure": "https://images.bfmtv.com/MTkp5pHu1e8M4Uk6MUiFz7R_iKM=/0x27:2048x1179/800x0/images/Justine-Braisaz-Bouchet-1182075.jpg", + "pubDate": "Wed, 08 Dec 2021 05:00:52 GMT", + "enclosure": "https://images.bfmtv.com/OtDRAqzInoo6pAZfk_UeXkp-fAQ=/0x106:2048x1258/800x0/images/Zakaria-Draoui-1183766.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38901,17 +43536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "39d0dec988812cf7f47b6f9c352c3dec" + "hash": "cdd5abb0eab0c81956e08c29059308eb" }, { - "title": "Mondial de handball: gagneur hors pair, philosophe, gueulard… Krumbholz pas encore rassasié", - "description": "Le sélectionneur de l’équipe de France féminine de handball, Olivier Krumbholz, a tout connu avec les Bleues. De l’anonymat en 1998 au sacre olympique cet été, le Messin est un des plus gros palmarès du sport français et a encore faim avant de rencontrer la Slovénie ce dimanche (18h) lors des poules du Mondial disputé à Granollers en Espagne.

", - "content": "Le sélectionneur de l’équipe de France féminine de handball, Olivier Krumbholz, a tout connu avec les Bleues. De l’anonymat en 1998 au sacre olympique cet été, le Messin est un des plus gros palmarès du sport français et a encore faim avant de rencontrer la Slovénie ce dimanche (18h) lors des poules du Mondial disputé à Granollers en Espagne.

", + "title": "Barça: Xavi veut \"écrire l'histoire\" face au Bayern (malgré l'historique très défavorable)", + "description": "Deuxième de sa poule de Ligue des champions, le Barça se déplace mercredi à Munich lors de la sixième journée. Les protégés de Xavi ont besoin d'une victoire pour assurer leur qualification et seraient en danger en cas de nul ou de défaite. L'entraîneur catalan le sait et croit en les chances de son équipe, malgré le terrible bilan blaugrana sur le terrain du Bayern.

", + "content": "Deuxième de sa poule de Ligue des champions, le Barça se déplace mercredi à Munich lors de la sixième journée. Les protégés de Xavi ont besoin d'une victoire pour assurer leur qualification et seraient en danger en cas de nul ou de défaite. L'entraîneur catalan le sait et croit en les chances de son équipe, malgré le terrible bilan blaugrana sur le terrain du Bayern.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-handball-gagneur-hors-pair-philosophe-gueulard-krumbholz-pas-encore-rassasie_AV-202112050162.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-xavi-veut-ecrire-l-histoire-face-au-bayern-malgre-l-historique-tres-defavorable_AV-202112080020.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:00:24 GMT", - "enclosure": "https://images.bfmtv.com/vNeDWah_wsriR4rSP0Km8fzMJAI=/0x165:2048x1317/800x0/images/Olivier-Krumbholz-le-patron-des-Bleues-1182067.jpg", + "pubDate": "Wed, 08 Dec 2021 00:16:48 GMT", + "enclosure": "https://images.bfmtv.com/da9Dq1hRXRMfT0rgxTqJRNqMZfI=/0x49:2048x1201/800x0/images/Xavi-lors-d-une-conference-de-presse-du-Barca-1183631.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38921,17 +43556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fe96926572fd0903c0f34861c17fcdc7" + "hash": "a585401ad057b6b01ebbc82b6f6b935c" }, { - "title": "Top 14: Toulon officialise l'arrivée du Rochelais West", - "description": "Le Rugby club toulonnais a officialisé le recrutement de l'ouvreur néo-zélandais Ihaia West. Sous contrat avec La Rochelle jusqu'à la fin de la saison de Top 14, le joueur de 29 ans rejoindra ensuite le RCT pour trois ans.

", - "content": "Le Rugby club toulonnais a officialisé le recrutement de l'ouvreur néo-zélandais Ihaia West. Sous contrat avec La Rochelle jusqu'à la fin de la saison de Top 14, le joueur de 29 ans rejoindra ensuite le RCT pour trois ans.

", + "title": "JO d'hiver 2022: l’Australie annonce à son tour un boycott diplomatique à Pékin", + "description": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", + "content": "Le Premier ministre australien Scott Morrison a confirmé ce mercredi qu’aucun diplomate ne se rendrait à Pékin pour les Jeux olympiques d’hiver du 4 au 20 février prochain. Une manière de se ranger derrière les Etats-Unis et d’adresser un signal fort en raison du non-respect des droits de l’homme en Chine et de l’affaire de la joueuse de tennis Peng Shuai.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-toulon-officialise-l-arrivee-du-rochelais-west_AV-202112050157.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-l-australie-annonce-a-son-tour-un-boycott-diplomatique-a-pekin_AV-202112070443.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 12:34:33 GMT", - "enclosure": "https://images.bfmtv.com/Rkh-n1epo2NRUeNDfC3y1XIyVM4=/0x11:2048x1163/800x0/images/Ihaia-West-avec-La-Rochelle-contre-Toulon-en-Top-14-1182054.jpg", + "pubDate": "Tue, 07 Dec 2021 23:50:36 GMT", + "enclosure": "https://images.bfmtv.com/CnrEvSNK_0w1h1qJf78xgxFzFIU=/0x185:2048x1337/800x0/images/Pekin-2022-1002626.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38941,17 +43576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "781ea71c5cd44ae6526e9362a5659327" + "hash": "8a630e69413065d4a27913ff52f22975" }, { - "title": "Ligue 1: pourquoi le PSG commence à inquiéter", - "description": "Solide leader de Ligue 1 et qualifié pour les huitièmes de finale de la Ligue des champions, Paris peine pourtant à convaincre cette saison. Son nul contre Lens samedi (1-1) est venu confirmer ses lacunes dans le jeu.

", - "content": "Solide leader de Ligue 1 et qualifié pour les huitièmes de finale de la Ligue des champions, Paris peine pourtant à convaincre cette saison. Son nul contre Lens samedi (1-1) est venu confirmer ses lacunes dans le jeu.

", + "title": "Mondial de hand: les Bleues souffrent mais s'imposent contre le Monténégro", + "description": "Malmenées pendant une grande partie de la rencontre, les handballeuses françaises ont réussi à s'en sortir contre le Monténégro en s'imposant 24-19, mardi soir à Granollers (Espagne), et aborderont le tour principal à partir de jeudi en position de force.

", + "content": "Malmenées pendant une grande partie de la rencontre, les handballeuses françaises ont réussi à s'en sortir contre le Monténégro en s'imposant 24-19, mardi soir à Granollers (Espagne), et aborderont le tour principal à partir de jeudi en position de force.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pourquoi-le-psg-commence-a-inquieter_AV-202112050156.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-les-bleues-souffrent-mais-s-imposent-contre-le-montenegro_AV-202112070441.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 12:31:27 GMT", - "enclosure": "https://images.bfmtv.com/RjIfkz3lc-niSiGMkKCSQXVcqlo=/0x8:2048x1160/800x0/images/Lionel-MESSI-1182042.jpg", + "pubDate": "Tue, 07 Dec 2021 23:38:26 GMT", + "enclosure": "https://images.bfmtv.com/-6k1-NBBvcZlJzzGRE5HAriPB2w=/0x42:2048x1194/800x0/images/France-Montenegro-1183629.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38961,17 +43596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7f4755afca37fc2e85c54db980d22fe9" + "hash": "27ae6f42acce62a0aea8f6dbb6837023" }, { - "title": "Affaire Pinot-Schmitt: le retour auprès des proches avant les suites judiciaires", - "description": "Huit jours après l’altercation entre Margaux Pinot et Alain Schmitt au domicile de la judoka, les deux protagonistes se sont exprimés et l’affaire devrait connaître une avancée pendant la semaine à venir. En attendant les suites judiciaires, ils se sont tous les deux offerts un répit chacun de leur côté auprès de leurs proches.

", - "content": "Huit jours après l’altercation entre Margaux Pinot et Alain Schmitt au domicile de la judoka, les deux protagonistes se sont exprimés et l’affaire devrait connaître une avancée pendant la semaine à venir. En attendant les suites judiciaires, ils se sont tous les deux offerts un répit chacun de leur côté auprès de leurs proches.

", + "title": "Ligue des champions: Paris qualifié, mais avec le pire bilan de l’ère QSI", + "description": "Le PSG a battu Bruges ce mardi lors de la sixième journée de la phase de poules de la Ligue des champions (4-1, sur RMC Sport 1). Deuxième de son groupe derrière Manchester City, le club francilien s’est rassuré mais signe tout de même le pire bilan de l’ère QSI au premier tour de la compétition, à égalité avec la saison 2018-2019.

", + "content": "Le PSG a battu Bruges ce mardi lors de la sixième journée de la phase de poules de la Ligue des champions (4-1, sur RMC Sport 1). Deuxième de son groupe derrière Manchester City, le club francilien s’est rassuré mais signe tout de même le pire bilan de l’ère QSI au premier tour de la compétition, à égalité avec la saison 2018-2019.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-le-retour-aupres-des-proches-avant-les-suites-judiciaires_AV-202112050149.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-paris-qualifie-mais-avec-le-pire-bilan-de-l-ere-qsi_AV-202112070440.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 12:15:13 GMT", - "enclosure": "https://images.bfmtv.com/Z6n9yhifu5oYgS6BCEHFAOtZzXg=/0x140:2048x1292/800x0/images/Margaux-Pinot-face-a-la-presse-1182040.jpg", + "pubDate": "Tue, 07 Dec 2021 23:21:52 GMT", + "enclosure": "https://images.bfmtv.com/ALGJUjgcq33l6W-gFQowQZY6QHo=/0x153:2048x1305/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183621.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -38981,17 +43616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "af5e86135ebdd1d1b514ed681bed6753" + "hash": "c8d45e4065912f0b075ff45a2ef9ba1c" }, { - "title": "Ligue 1 : Nice-Strasbourg en direct", - "description": "À l'Allianz Riviera, les Aiglons accueillent cet après-midi le Racing Club de Strasbourg. Les Niçois peuvent revenir sur le podium en cas de succès, mais les Alsaciens sont en forme et remontent doucement au classement.

", - "content": "À l'Allianz Riviera, les Aiglons accueillent cet après-midi le Racing Club de Strasbourg. Les Niçois peuvent revenir sur le podium en cas de succès, mais les Alsaciens sont en forme et remontent doucement au classement.

", + "title": "PRONOS PARIS RMC Les paris du 8 décembre sur Wolfsburg - Lille – Ligue des Champions", + "description": "Notre pronostic : match nul entre Wolfsburg et Lille (3.40)

", + "content": "Notre pronostic : match nul entre Wolfsburg et Lille (3.40)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nice-strasbourg-en-direct_LS-202112050190.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/les-paris-du-08-decembre-sur-wolfsburg-lille-ligue-des-champions_AN-202112070383.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 14:17:26 GMT", - "enclosure": "https://images.bfmtv.com/e4LmvBN0fBwMBwLqi7p8Tv_MgW0=/0x106:2048x1258/800x0/images/Andy-Delort-avec-Nice-1171376.jpg", + "pubDate": "Tue, 07 Dec 2021 23:05:00 GMT", + "enclosure": "https://images.bfmtv.com/2hwZqVovjBu6NhdUsP_eAaroUhQ=/0x208:1984x1324/800x0/images/LOSC-1183549.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39001,17 +43636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6fa670be8b6f8b7d0e383f788a3f94e4" + "hash": "eb83ff783e4d8c63df5dab076740dacc" }, { - "title": "Biathlon: les Bleues triomphent au relais d’Östersund, première victoire pour la France", - "description": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", - "content": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", + "title": "PRONO PARIS RMC Le pari du jour du 8 décembre – Ligue des Champions", + "description": "Notre pronostic : l’Atalanta s’impose face à Villarreal (1.75)

", + "content": "Notre pronostic : l’Atalanta s’impose face à Villarreal (1.75)

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-les-bleues-triomphent-au-relais-d-ostersund-premiere-victoire-pour-la-france_AV-202112050168.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/prono-paris-rmc-le-pari-du-jour-du-8-decembre-ligue-des-champions_AN-202112070382.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:22:03 GMT", - "enclosure": "https://images.bfmtv.com/MTkp5pHu1e8M4Uk6MUiFz7R_iKM=/0x27:2048x1179/800x0/images/Justine-Braisaz-Bouchet-1182075.jpg", + "pubDate": "Tue, 07 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/KGDxayY4DEsKG3AdzkFbdvba1Qk=/0x209:2000x1334/800x0/images/Atalanta-1183548.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39021,17 +43656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "69bf73102594cf1a69989b8e811a5eb8" + "hash": "42892a52c2079a0046cb722b2ca96fd3" }, { - "title": "Les grandes interviews RMC Sport: Le Vestiaire des champions du monde 1998 avec Barthez", - "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce dimanche, prenez le temps de vous plonger dans Le Vestiaire, émission culte de la chaîne, avec les champions du monde 1998. En 2017, Fabien Barthez, Emmanuel Petit, Christophe Dugarry et Frank Leboeuf échnageaient leurs souvenirs.

", - "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce dimanche, prenez le temps de vous plonger dans Le Vestiaire, émission culte de la chaîne, avec les champions du monde 1998. En 2017, Fabien Barthez, Emmanuel Petit, Christophe Dugarry et Frank Leboeuf échnageaient leurs souvenirs.

", + "title": "PRONO PARIS RMC Le pari de folie du 8 décembre - Ligue des Champions", + "description": "Notre pronostic : Match nul entre Manchester United et les Young Boys (4.75)

", + "content": "Notre pronostic : Match nul entre Manchester United et les Young Boys (4.75)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/les-grandes-interviews-rmc-sport-le-vestiaire-des-champions-du-monde-1998-avec-barthez_AN-202112050014.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/prono-paris-rmc-le-pari-de-folie-du-8-decembre-ligue-des-champions_AN-202112070381.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 12:00:00 GMT", - "enclosure": "https://images.bfmtv.com/Xx7Mq4ioeit33UzXGC9OdImnXx8=/13x3:1517x849/800x0/images/Le-Vestiaire-special-Mondial-1998-1181834.jpg", + "pubDate": "Tue, 07 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/0fpDVAph4Laqdb5ebAPBXw2Fiz4=/7x96:1975x1203/800x0/images/R-Rangnick-1183547.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39041,37 +43676,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f896d1c8f2b090d11103e38db33e5e2" + "hash": "5a80752e37797ee2d954716b72840096" }, { - "title": "Real Madrid: Ancelotti inquiet après la blessure de Benzema", - "description": "Carlo Ancelotti a donné des nouvelles de Karim Benzema, sorti blessé samedi lord du succès du Real Madrid face à la Real Sociedad (2-0). Selon le technicien, l’attaquant tricolore manquera le duel contre l’Inter en Ligue des champions et pourrait même rater le derby madrilène face à l’Atlético dimanche prochain.

", - "content": "Carlo Ancelotti a donné des nouvelles de Karim Benzema, sorti blessé samedi lord du succès du Real Madrid face à la Real Sociedad (2-0). Selon le technicien, l’attaquant tricolore manquera le duel contre l’Inter en Ligue des champions et pourrait même rater le derby madrilène face à l’Atlético dimanche prochain.

", + "title": "PRONOS PARIS RMC Le buteur du 8 décembre – Ligue des Champions", + "description": "Notre pronostic : Darwin Núñez marque contre le Dynamo Kiev (2.00)

", + "content": "Notre pronostic : Darwin Núñez marque contre le Dynamo Kiev (2.00)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-ancelotti-inquiet-apres-la-blessure-de-benzema_AV-202112050141.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-8-decembre-ligue-des-champions_AN-202112070380.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 11:47:10 GMT", - "enclosure": "https://images.bfmtv.com/8GtxIJseW_25FHeIo0E-8igcx7M=/0x0:2048x1152/800x0/images/Karim-Benzema-blesse-lors-du-match-Real-Sociedad-Real-Madrid-1182033.jpg", + "pubDate": "Tue, 07 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/9FJjbYgEZ-9wL1prOzuDPckOZuw=/0x0:1984x1116/800x0/images/Darwin-Nunez-1183546.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6892f07a273deaf05866c5fe1168e223" + "hash": "1c82546eb420416670c0d543222a19d4" }, { - "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 5 décembre – Ligue 1", - "description": "Mon pronostic : Nice ne perd pas face à Strasbourg et au moins trois buts (2.25)

", - "content": "Mon pronostic : Nice ne perd pas face à Strasbourg et au moins trois buts (2.25)

", + "title": "PRONOS PARIS RMC Le pari sûr du 6 décembre – Ligue des Champions", + "description": "Notre pronostic : Benfica s’impose contre le Dynamo Kiev et plus de 1,5 but dans la rencontre (1.43)

", + "content": "Notre pronostic : Benfica s’impose contre le Dynamo Kiev et plus de 1,5 but dans la rencontre (1.43)

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-5-decembre-ligue-1_AN-202112050140.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-6-decembre-ligue-des-champions_AN-202112070378.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 11:46:41 GMT", - "enclosure": "https://images.bfmtv.com/xy-GtbyVoNmCigIjcMJtbiXUwaM=/0x57:2000x1182/800x0/images/Christophe-Galtier-1182035.jpg", + "pubDate": "Tue, 07 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/7opxpXluHDuIYg-345rJCYavpaY=/0x208:1984x1324/800x0/images/Benfica-1183545.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39081,17 +43716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ffee1f411e31f116cbb135e40e0f397d" + "hash": "7693ae3dba44dfbce5670f8c2c1bf22f" }, { - "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 5 décembre – Ligue 1", - "description": "Mon pronostic : Lyon s’impose à Bordeaux et au moins trois buts dans la rencontre (1.98)

", - "content": "Mon pronostic : Lyon s’impose à Bordeaux et au moins trois buts dans la rencontre (1.98)

", + "title": "Ligue des champions: les adversaires potentiels du PSG en huitièmes de finale", + "description": "Deuxième de son groupe de Ligue des champions derrière Manchester City, le PSG ne sera pas tête de série pour le tirage au sort des huitièmes de finale lundi prochain. Le Bayern Munich, Liverpool et le Real Madrid, vainqueurs de leur poule respective, font partie des adversaires potentiels.

", + "content": "Deuxième de son groupe de Ligue des champions derrière Manchester City, le PSG ne sera pas tête de série pour le tirage au sort des huitièmes de finale lundi prochain. Le Bayern Munich, Liverpool et le Real Madrid, vainqueurs de leur poule respective, font partie des adversaires potentiels.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-5-decembre-ligue-1_AN-202112050136.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-du-psg-en-huitiemes-de-finale_AV-202112070437.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 11:37:32 GMT", - "enclosure": "https://images.bfmtv.com/m8ZeNRR0eQjhAKlZ3-vsnYUnoPw=/0x216:1984x1332/800x0/images/Lyon-1182028.jpg", + "pubDate": "Tue, 07 Dec 2021 22:57:15 GMT", + "enclosure": "https://images.bfmtv.com/CjxkXjpsOm5xkWS055w_x92iSB8=/0x27:1888x1089/800x0/images/PSG-1183608.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39101,37 +43736,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee9ddbcc2439ca0daeb4ebe883f8b649" + "hash": "00fe9a3073c71c11ef3eb361aab4d19e" }, { - "title": "GP d'Arabie saoudite: Verstappen champion du monde dès ce dimanche si...", - "description": "Max Verstappen peut être champion du monde de F1, ce dimanche en Arabie saoudite, s'il inscrit 18 points de plus que Lewis Hamilton. Cela implique donc qu'il se classe 1er ou 2e, et que l'homme fort de Mercedes termine très loin du podium.

", - "content": "Max Verstappen peut être champion du monde de F1, ce dimanche en Arabie saoudite, s'il inscrit 18 points de plus que Lewis Hamilton. Cela implique donc qu'il se classe 1er ou 2e, et que l'homme fort de Mercedes termine très loin du podium.

", + "title": "Ligue des champions: la superbe soirée de Griezmann, qui qualifie l'Atlético pour les 8es", + "description": "L’Atlético de Madrid s’est imposé sur la pelouse de Porto (1-3) ce mardi lors de la sixième journée des poules de la Ligue des champions. Buteur puis passeur décisif, et encore impliqué sur le troisième but des siens, Antoine Griezmann a grandement contribué à la qualification des Colchoneros pour les huitièmes de finale.

", + "content": "L’Atlético de Madrid s’est imposé sur la pelouse de Porto (1-3) ce mardi lors de la sixième journée des poules de la Ligue des champions. Buteur puis passeur décisif, et encore impliqué sur le troisième but des siens, Antoine Griezmann a grandement contribué à la qualification des Colchoneros pour les huitièmes de finale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-verstappen-champion-du-monde-des-ce-dimanche-si_AV-202112040066.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-folle-soiree-de-griezmann-qui-qualifie-l-atletico-pour-les-8es_AV-202112070427.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 09:53:23 GMT", - "enclosure": "https://images.bfmtv.com/YseROwdlLP43MBBet8bsucTJm64=/14x0:2030x1134/800x0/images/Max-Verstappen-1180174.jpg", + "pubDate": "Tue, 07 Dec 2021 22:41:31 GMT", + "enclosure": "https://images.bfmtv.com/7XXFKrql9CtJEFUZEvvtC-ScnrU=/3x0:2035x1143/800x0/images/Antoine-Griezmann-lors-de-Porto-Atletico-1183580.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "173128cfc4cd220026638276ef7486c5" + "hash": "b62051277844ede8b920b9605f3a1561" }, { - "title": "ASSE-Rennes en direct: les Rennais s'amusent, Puel appelle à \"ne pas lâcher\"", - "description": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", - "content": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", + "title": "Ligue des champions: Haller affole un peu plus les compteurs avec l'Ajax", + "description": "Sébastien Haller a marqué son dixième but de la saison en Ligue des champions, ce mardi soir contre le Sporting (4-2). L’attaquant ivoirien de l’Ajax s’offre un record après seulement six matchs dans la compétition.

", + "content": "Sébastien Haller a marqué son dixième but de la saison en Ligue des champions, ce mardi soir contre le Sporting (4-2). L’attaquant ivoirien de l’Ajax s’offre un record après seulement six matchs dans la compétition.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-rennes-en-direct-les-rennais-peuvent-reprendre-la-deuxieme-place_LS-202112050118.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-haller-affole-un-peu-plus-les-compteurs-avec-l-ajax_AV-202112070421.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 11:01:45 GMT", - "enclosure": "https://images.bfmtv.com/KvXyoYgweRwBD1aYDRgDDuO3uhI=/0x0:1200x675/800x0/images/Martin-Terrier-1182065.jpg", + "pubDate": "Tue, 07 Dec 2021 22:27:39 GMT", + "enclosure": "https://images.bfmtv.com/aKRAgvM0PH4xyOfz9jhcWykeZkg=/0x0:2048x1152/800x0/images/Sebastien-Haller-avec-l-Ajax-Amsterdam-1183574.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39141,17 +43776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c03c53b1bf223f052f5998888eb5f6d" + "hash": "b8ab4b22bf747eead8d3d57cd6adac06" }, { - "title": "Biathlon en direct: Jacquelin troisième de la poursuite, Christiansen vainqueur", - "description": "Après la victoire des filles de l'équipe de France lors du relais en début d'après-midi, les hommes vont tenter d'aller chercher une première victoire cette saison lors de la poursuite de 12,5 kilomètres à Östersund.

", - "content": "Après la victoire des filles de l'équipe de France lors du relais en début d'après-midi, les hommes vont tenter d'aller chercher une première victoire cette saison lors de la poursuite de 12,5 kilomètres à Östersund.

", + "title": "Ligue des champions: tous les qualifiés pour les huitièmes après les matchs de mardi", + "description": "Certains tickets pour les huitièmes de finales de la Ligue des champions et les barrages de Ligue Europa restaient à attribuer ce mardi soir. Les clubs de Madrid, l'Atlético et le Real, sont les grands gagnants du jour.

", + "content": "Certains tickets pour les huitièmes de finales de la Ligue des champions et les barrages de Ligue Europa restaient à attribuer ce mardi soir. Les clubs de Madrid, l'Atlético et le Real, sont les grands gagnants du jour.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-visent-encore-un-podium-au-relais_LN-202112050117.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-tous-les-qualifies-pour-les-huitiemes-apres-les-matchs-de-mardi_AV-202112070420.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:58:41 GMT", - "enclosure": "https://images.bfmtv.com/f-xBeBIYHu_I1sW602Vxwx8ewV8=/0x40:768x472/800x0/images/Le-Francais-Emilien-Jacquelin-recharge-sa-carabine-lors-du-relais-4x7-5-km-aux-Championnats-du-monde-de-biathlon-le-20-fevrier-2021-a-Pokljuka-Slovenie-1181643.jpg", + "pubDate": "Tue, 07 Dec 2021 22:21:39 GMT", + "enclosure": "https://images.bfmtv.com/eC02it32NH_hhAWwZ14NhXSIajM=/0x107:2048x1259/800x0/images/Toni-Kroos-lors-de-Real-Madrid-Inter-Milan-1183576.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39161,37 +43796,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c9ead98b4b71199457d68270301a97e" + "hash": "505d761e7c380686762fc79c9296e862" }, { - "title": "Cassano raconte un clash avec Cristiano Ronaldo sur WhatsApp", - "description": "Vexé par les critiques de l’ancien sulfureux attaquant italien Antonio Cassano, Cristiano Ronaldo, alors à la Juventus, n’a pas hésité à s’expliquer avec l’ex-joueur du Real Madrid sur WhatsApp.

", - "content": "Vexé par les critiques de l’ancien sulfureux attaquant italien Antonio Cassano, Cristiano Ronaldo, alors à la Juventus, n’a pas hésité à s’expliquer avec l’ex-joueur du Real Madrid sur WhatsApp.

", + "title": "Ligue des champions: Mbappé flambe, Griezmann sauve l'Atlético, Haller enchaîne... Les moments forts de mardi en vidéo", + "description": "L'AC Milan, battu 2-1 par Liverpool à San Siro, a échoué à se qualifier pour les huitièmes de finale de la Ligue des champions, ce mardi soir lors de la dernière journée de la phase de poules. Dans le même temps, Antoine Griezmann a brillé avec l'Atlético de Madrid.

", + "content": "L'AC Milan, battu 2-1 par Liverpool à San Siro, a échoué à se qualifier pour les huitièmes de finale de la Ligue des champions, ce mardi soir lors de la dernière journée de la phase de poules. Dans le même temps, Antoine Griezmann a brillé avec l'Atlético de Madrid.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/cassano-raconte-un-clash-avec-cristiano-ronaldo-sur-whats-app_AN-202112050111.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-mbappe-flambe-griezmann-sauve-l-atletico-haller-enchaine-les-moments-forts-de-mardi-en-video_AN-202112070417.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:48:42 GMT", - "enclosure": "https://images.bfmtv.com/_fYwte1zYsO_anwAZPLbD8xN8QU=/0x108:2032x1251/800x0/images/Cristiano-Ronaldo-1181991.jpg", + "pubDate": "Tue, 07 Dec 2021 22:11:17 GMT", + "enclosure": "https://images.bfmtv.com/-8SvI_TbGEBg0CKJ53Dgf4FoBkA=/214x49:2038x1075/800x0/images/Milan-Liverpool-1183575.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "b32aec21bdb213faa69d4240b38b4fa7" + "hash": "0f0efa35289bd2166091c8c7daf21067" }, { - "title": "Ligue 1, le multiplex en direct: Monaco et Montpellier bien lancés, Reims à 10 pour toute la seconde période", - "description": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", - "content": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", + "title": "Incidents OL-OM: les dirigeants marseillais n'ont pas été convoqués par la commission de discipline", + "description": "INFO RMC SPORT. Alors que la commission de discipline de la LFP doit se pencher ce mercredi sur les incidents du match OL-OM, arrêté le 21 novembre au Groupama Stadium, cette dernière n'a pas jugé bon de convier les dirigeants marseillais - contrairement à leurs homologues lyonnais.

", + "content": "INFO RMC SPORT. Alors que la commission de discipline de la LFP doit se pencher ce mercredi sur les incidents du match OL-OM, arrêté le 21 novembre au Groupama Stadium, cette dernière n'a pas jugé bon de convier les dirigeants marseillais - contrairement à leurs homologues lyonnais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-le-multiplex-de-la-17e-journee-en-direct_LS-202112050106.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-dirigeants-marseillais-n-ont-pas-ete-convoques-par-la-commission-de-discipline_AV-202112070413.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:44:05 GMT", - "enclosure": "https://images.bfmtv.com/c9eXX0Hz-HZBqBwADyuC3hiPGfA=/0x106:2048x1258/800x0/images/Monaco-Metz-1182104.jpg", + "pubDate": "Tue, 07 Dec 2021 21:36:44 GMT", + "enclosure": "https://images.bfmtv.com/-SSuP9pasRsmVhk5VXS5o6ZCLfk=/0x212:2048x1364/800x0/images/Pablo-Longoria-1128568.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39201,17 +43836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "efcb9527925c4e8478e09cd5f0e9ef85" + "hash": "5df789115bd354dd7f451b6f7e192907" }, { - "title": "Bundesliga: Leipzig vire son entraîneur Jesse Marsch", - "description": "Seulement 11e de Bundesliga, et éliminé de la Ligue des champions, le RB Leipzig a décidé de se séparer de son entraîneur Jesse Marsch ce dimanche. L'Américain était arrivé cet été pour succéder à Julian Nagelsmann

", - "content": "Seulement 11e de Bundesliga, et éliminé de la Ligue des champions, le RB Leipzig a décidé de se séparer de son entraîneur Jesse Marsch ce dimanche. L'Américain était arrivé cet été pour succéder à Julian Nagelsmann

", + "title": "Porto-Atlético: les larmes de Suarez après sa sortie sur blessure", + "description": "Luis Suarez n’a pas terminé le match décisif entre Porto et l’Atlético de Madrid ce mardi en Ligue des champions. Blessé et remplacé dès la douzième minute, l’attaquant uruguayen a fondu en larmes sur le banc des Colchoneros.

", + "content": "Luis Suarez n’a pas terminé le match décisif entre Porto et l’Atlético de Madrid ce mardi en Ligue des champions. Blessé et remplacé dès la douzième minute, l’attaquant uruguayen a fondu en larmes sur le banc des Colchoneros.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-leipzig-vire-son-entraineur-jesse-marsch_AV-202112050092.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-atletico-les-larmes-de-suarez-apres-sa-sortie-sur-blessure_AV-202112070410.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:09:02 GMT", - "enclosure": "https://images.bfmtv.com/DXWGWwmTAOFzYAnI08Ux-LZwuf0=/0x31:2048x1183/800x0/images/Jesse-Marsch-1181977.jpg", + "pubDate": "Tue, 07 Dec 2021 21:04:36 GMT", + "enclosure": "https://images.bfmtv.com/2kITD8BCHzJyUs_IuNrnoTE9qRU=/0x75:2048x1227/800x0/images/Luis-Suarez-en-larmes-lors-de-Porto-Atletico-1183567.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39221,17 +43856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6f09097daef72e06f8c8fd3af659fb1b" + "hash": "d0054ed5638817b4b2414f670fee4904" }, { - "title": "PSG: \"Messi m’a dit qu’il souffrait de jouer dans le froid et la neige\", révèle Suarez", - "description": "Ami et ex-partenaire de Lionel Messi au Barça, Luis Suarez échange quotidiennement avec la star du PSG. Le septuple Ballon d’Or lui a confié qu’il s’adaptait difficilement aux conditions météorologiques en France.

", - "content": "Ami et ex-partenaire de Lionel Messi au Barça, Luis Suarez échange quotidiennement avec la star du PSG. Le septuple Ballon d’Or lui a confié qu’il s’adaptait difficilement aux conditions météorologiques en France.

", + "title": "PSG-Bruges: \"La graine est plantée, il y aura de belles fleurs\", Pochettino satisfait de la relation Mbappé-Messi", + "description": "Après la nette victoire du PSG contre Bruges, ce mardi soir en Ligue des champions (4-1, sur RMC Sport 1), Mauricio Pochettino a évoqué la relation naissante entre Lionel Messi et Kylian Mbappé, tous les deux auteurs d’un doublé.

", + "content": "Après la nette victoire du PSG contre Bruges, ce mardi soir en Ligue des champions (4-1, sur RMC Sport 1), Mauricio Pochettino a évoqué la relation naissante entre Lionel Messi et Kylian Mbappé, tous les deux auteurs d’un doublé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-m-a-dit-qu-il-souffrait-de-jouer-dans-froid-et-la-neige-revele-suarez_AV-202112050084.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-la-graine-est-plantee-il-y-aura-de-belles-fleurs-pochettino-satisfait-de-la-relation-mbappe-messi_AV-202112070408.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 09:50:33 GMT", - "enclosure": "https://images.bfmtv.com/IUbjLbEqeTu4wR4Y1duPZQv1ut4=/0x0:2048x1152/800x0/images/Lionel-Messi-sous-la-neige-a-Saint-Etienne-1181963.jpg", + "pubDate": "Tue, 07 Dec 2021 20:57:50 GMT", + "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39241,17 +43876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "542df3c4c628f9466b49b312d7618eb8" + "hash": "caa76def0e2e2e12869a1788491a3062" }, { - "title": "GP d'Arabie saoudite: le père de Verstappen pas tendre envers Hamilton", - "description": "Dans une interview accordée au Daily Mail, avant le Grand Prix d'Arabie saoudite programmé ce dimanche à Jeddah (départ 18h30), Jos Verstappen, le père de Max, en dit plus sur la rivalité entre son fils et Lewis Hamilton.

", - "content": "Dans une interview accordée au Daily Mail, avant le Grand Prix d'Arabie saoudite programmé ce dimanche à Jeddah (départ 18h30), Jos Verstappen, le père de Max, en dit plus sur la rivalité entre son fils et Lewis Hamilton.

", + "title": "PSG-Bruges en direct: Les adversaires potentiels du PSG en Ligue des champions", + "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", + "content": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-le-pere-de-verstappen-pas-tendre-envers-hamilton_AV-202112050075.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 09:26:54 GMT", - "enclosure": "https://images.bfmtv.com/FxvInIBG0VgbsbZvMu8ZNFY-Kgw=/0x0:2048x1152/800x0/images/Max-VERSTAPPEN-et-son-pere-Jos-1181941.jpg", + "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", + "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39261,17 +43896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b3187b617a3364ebdb6032400366b535" + "hash": "9c8769451603bd59b437de7b2f76c26c" }, { - "title": "Boxe: Joshua prêt à combattre contre Yoka \"n'importe quand\"", - "description": "Dans un entretien exclusif accordé à RMC Sport qui sera diffusé en intégralité lundi, la star de la boxe, Anthony Joshua s’exprime sur Tony Yoka, son successeur comme champion olympique des poids lourds. Bonne nouvelle, le Britannique n’exclut pas à l’avenir un combat face au Français.

", - "content": "Dans un entretien exclusif accordé à RMC Sport qui sera diffusé en intégralité lundi, la star de la boxe, Anthony Joshua s’exprime sur Tony Yoka, son successeur comme champion olympique des poids lourds. Bonne nouvelle, le Britannique n’exclut pas à l’avenir un combat face au Français.

", + "title": "PSG-Bruges: Mbappé explique pourquoi il a laissé le penalty à Messi, qui a besoin de \"confiance\"", + "description": "Lors de la victoire 4-1 du PSG contre le Club Bruges, Kylian Mbappé a laissé Lionel Messi tirer le penalty du quatrième but de la soirée, ce mardi en Ligue des champions. Il s'en est expliqué au micro de RMC Sport.

", + "content": "Lors de la victoire 4-1 du PSG contre le Club Bruges, Kylian Mbappé a laissé Lionel Messi tirer le penalty du quatrième but de la soirée, ce mardi en Ligue des champions. Il s'en est expliqué au micro de RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-joshua-pret-a-combattre-contre-yoka-n-importe-quand_AV-202112050059.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-mbappe-explique-pourquoi-il-a-laisse-le-penalty-a-messi-qui-a-besoin-de-confiance_AN-202112070401.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 08:56:29 GMT", - "enclosure": "https://images.bfmtv.com/BqNSSIf7tUyiMv3rKL4S-Vrwi_U=/12x0:1596x891/800x0/images/Anthony-Joshua-1181935.jpg", + "pubDate": "Tue, 07 Dec 2021 20:15:07 GMT", + "enclosure": "https://images.bfmtv.com/lTtzIEIRuI5t64A6vjmcxS-i0q4=/375x117:1911x981/800x0/images/Kylian-Mbappe-1183564.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39281,17 +43916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f866d22388c055210374c88e7b6fd9b6" + "hash": "a34ac0fe05b612bb492fb9719eac97fd" }, { - "title": "Dortmund-Bayern: le gros coup de gueule d'Haaland contre l'arbitre", - "description": "Passablement agacé après la défaite du Borussia Dortmund samedi face au Bayern (3-2) dans le choc de la 14e journée de Bundesliga, Erling Haaland a dénoncé \"un scandale\". En cause, entre autres, une action litigieuse qui aurait pu permettre au BvB de bénéficier d'un penalty.

", - "content": "Passablement agacé après la défaite du Borussia Dortmund samedi face au Bayern (3-2) dans le choc de la 14e journée de Bundesliga, Erling Haaland a dénoncé \"un scandale\". En cause, entre autres, une action litigieuse qui aurait pu permettre au BvB de bénéficier d'un penalty.

", + "title": "Wolfsbourg-Lille: \"Si on joue pour le nul, on peut perdre ce match\", préviennent Gourvennec et Fonte", + "description": "Le LOSC, qui se déplace à Wolfsbourg mercredi soir en Ligue des champions (21h, RMC Sport 1), a besoin d’un match nul pour se qualifier pour les huitièmes de finale. Mais l’entraîneur Jocelyn Gourvennec et le capitaine Jose Fonte ne veulent pas être \"dans le calcul\".

", + "content": "Le LOSC, qui se déplace à Wolfsbourg mercredi soir en Ligue des champions (21h, RMC Sport 1), a besoin d’un match nul pour se qualifier pour les huitièmes de finale. Mais l’entraîneur Jocelyn Gourvennec et le capitaine Jose Fonte ne veulent pas être \"dans le calcul\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-le-gros-coup-de-gueule-d-haaland-contre-l-arbitre_AV-202112050054.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/wolfsbourg-lille-si-on-joue-pour-le-nul-on-peut-perdre-ce-match-previennent-gourvennec-et-fonte_AV-202112070400.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 08:44:37 GMT", - "enclosure": "https://images.bfmtv.com/V0VNnUYa8tCz7KvM4G1WQzaWFyQ=/0x40:2048x1192/800x0/images/Erling-HAALAND-1181926.jpg", + "pubDate": "Tue, 07 Dec 2021 20:09:06 GMT", + "enclosure": "https://images.bfmtv.com/cUBBcF2tcuhMxAv81XGV902khd0=/0x40:768x472/800x0/images/Jocelyn-Gourvennec-entraineur-du-Losc-lors-de-la-rencontre-de-Ligue-1-entre-le-PSG-et-Lille-le-29-octobre-2021-a-Paris-1158180.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39301,17 +43936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b86520c2dc3bf891c594cbde0f03f97f" + "hash": "e425e17bad05909baad1f674f8e089c1" }, { - "title": "Dortmund-Bayern en direct : Haaland en colère contre l'arbitrage", - "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", - "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "title": "VIDEO. Ligue des champions: les doublés de Mbappé et Messi qui permettent au PSG de torpiller Bruges", + "description": "Le PSG s'est imposé 4-1 face au Club Bruges, ce mardi soir pour la fin de la phase de groupes de la Ligue des champions (sur RMC Sport 1). Kylian Mbappé et Lionel Messi ont chacun inscrit un doublé.

", + "content": "Le PSG s'est imposé 4-1 face au Club Bruges, ce mardi soir pour la fin de la phase de groupes de la Ligue des champions (sur RMC Sport 1). Kylian Mbappé et Lionel Messi ont chacun inscrit un doublé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-doubles-de-mbappe-et-messi-qui-permettent-au-psg-de-torpiller-bruges_AV-202112070393.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", - "enclosure": "https://images.bfmtv.com/7Z_ewWmr3762wQuJnSV-MClFYWc=/0x11:2048x1163/800x0/images/Erling-Haaland-celebre-avec-Dortmund-1181713.jpg", + "pubDate": "Tue, 07 Dec 2021 19:47:00 GMT", + "enclosure": "https://images.bfmtv.com/rqUoUGva3_q4_xEonIC4CXIuObs=/0x102:2048x1254/800x0/images/PSG-Bruges-1183557.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39321,17 +43956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "be6d6295263ebb02b24a703d471ef37b" + "hash": "438b94d6032ab293679f7b0d4f97b1a3" }, { - "title": "Bordeaux-OL: sur quelle chaîne et à quelle heure regarder le match de Ligue 1", - "description": "En grande difficulté au classement, les Girondins de Bordeaux accueillent ce dimanche soir l'OL (20h45) en clôture de la 17e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et à la radio sur RMC.

", - "content": "En grande difficulté au classement, les Girondins de Bordeaux accueillent ce dimanche soir l'OL (20h45) en clôture de la 17e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et à la radio sur RMC.

", + "title": "Ligue des champions en direct: la première place pour le Real, le miracle de la soirée pour l'Atlético", + "description": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", + "content": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-sur-quelle-chaine-et-a-quelle-heure-regarder-le-match-de-ligue-1_AV-202112050044.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-real-atletico-ac-milan-le-multiplex-en-direct_LS-202112070316.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 08:09:02 GMT", - "enclosure": "https://images.bfmtv.com/eDwGBQSW1hg4g1G7b4PRQNJkdks=/0x33:2048x1185/800x0/images/Lucas-PAQUETA-1181914.jpg", + "pubDate": "Tue, 07 Dec 2021 14:17:22 GMT", + "enclosure": "https://images.bfmtv.com/eQA4N_xWDeG_82yCeLbqR7R2Ke4=/0x107:2048x1259/800x0/images/Toni-Kroos-1183566.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39341,17 +43976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f63be81be43409e5e06bb47134d7419c" + "hash": "4c7271642a537f13501b0c5d37f26e49" }, { - "title": "Lens-PSG: la stat qui montre que les Parisiens finissent (presque) toujours par s’en sortir", - "description": "Comme souvent cette saison, le PSG a été mené au score à Lens avant d’arracher le match nul 1-1 en fin de rencontre samedi lors de la 17eme journée de Ligue 1. Une mauvaise habitude qui rapporte quand même des points.

", - "content": "Comme souvent cette saison, le PSG a été mené au score à Lens avant d’arracher le match nul 1-1 en fin de rencontre samedi lors de la 17eme journée de Ligue 1. Une mauvaise habitude qui rapporte quand même des points.

", + "title": "PSG-Bruges: Mbappé dépasse la barre des 30 buts et entre un peu plus dans l'histoire de la Ligue des champions", + "description": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", + "content": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-la-stat-qui-montre-que-les-parisiens-finissent-presque-toujours-par-s-en-sortir_AV-202112050043.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-mbappe-un-peu-plus-dans-l-histoire-de-la-ligue-des-champions_AV-202112070386.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 07:50:51 GMT", - "enclosure": "https://images.bfmtv.com/n9LFV6kvMf9qVKT9dUXL7lz2VJE=/0x106:2048x1258/800x0/images/La-joie-des-joueurs-parisiens-a-Lens-1181918.jpg", + "pubDate": "Tue, 07 Dec 2021 18:52:48 GMT", + "enclosure": "https://images.bfmtv.com/O_ChEYYD7eTfC4SrVVtVGGjJYp8=/0x131:2048x1283/800x0/images/Kylian-Mbappe-contre-Bruges-1183550.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39361,17 +43996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0b2400c09fe5a6467e1e075ddcfcd6cc" + "hash": "33a2d17e980c1e2f6ba247a7931d44b6" }, { - "title": "Bordeaux: Lopez met la pression sur les joueurs et conforte Petkovic", - "description": "Dans un entretien à L'Equipe, avant un rendez-vous important contre l'OL ce dimanche (20h45), Gérard Lopez, qui conforte Vladimir Petkovic, assure avoir confiance en son équipe pour redresser la barre. Mais le président des Girondins attend beaucoup plus de la part de ses joueurs, actuels 18es de Ligue 1. Il vise notamment certains cadres.

", - "content": "Dans un entretien à L'Equipe, avant un rendez-vous important contre l'OL ce dimanche (20h45), Gérard Lopez, qui conforte Vladimir Petkovic, assure avoir confiance en son équipe pour redresser la barre. Mais le président des Girondins attend beaucoup plus de la part de ses joueurs, actuels 18es de Ligue 1. Il vise notamment certains cadres.

", + "title": "PSG-Bruges: le bel enroulé de Messi pour le 3-0 en vidéo", + "description": "Le PSG s'est amusé, ce mardi soir contre Bruges (sur RMC Sport 1). Lionel Messi a inscrit le but du 3-0 en première période d’un enroulé du pied gauche à l’entrée de la surface. Son quatrième but de la saison en Ligue des champions.

", + "content": "Le PSG s'est amusé, ce mardi soir contre Bruges (sur RMC Sport 1). Lionel Messi a inscrit le but du 3-0 en première période d’un enroulé du pied gauche à l’entrée de la surface. Son quatrième but de la saison en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-lopez-met-la-pression-sur-costil-et-koscielny_AV-202112050041.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-le-bel-enroule-de-messi-pour-le-3-0-en-video_AV-202112070385.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 07:35:15 GMT", - "enclosure": "https://images.bfmtv.com/f927sWTglf92PioJHKKA4xJtmfk=/0x0:2048x1152/800x0/images/Gerard-Lopez-1174569.jpg", + "pubDate": "Tue, 07 Dec 2021 18:45:59 GMT", + "enclosure": "https://images.bfmtv.com/DTq3uqNqJpEDcbiSKOC1tapibls=/0x77:2048x1229/800x0/images/Lionel-Messi-contre-Bruges-1183552.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39381,17 +44016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f480fed40c922b6afd2eaf63ce62f3c9" + "hash": "d2bf493e546603f92f7ecd57d75b9498" }, { - "title": "Monaco-Metz: Boadu, enfin libéré?", - "description": "Recruté pour 17 millions d’euros cet été, l’international espoir néerlandais Myron Boadu (14 sélections, 11 buts) a débloqué son compteur en Ligue 1 sur la pelouse d’Angers mercredi. Un but qui pourrait enfin lancer son aventure avec le club de la Principauté.

", - "content": "Recruté pour 17 millions d’euros cet été, l’international espoir néerlandais Myron Boadu (14 sélections, 11 buts) a débloqué son compteur en Ligue 1 sur la pelouse d’Angers mercredi. Un but qui pourrait enfin lancer son aventure avec le club de la Principauté.

", + "title": "PSG-Bruges en direct: Pochettino satisfait du contenu et de la relation Mbappé-Messi", + "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", + "content": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-metz-boadu-enfin-libere_AV-202112050013.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 07:00:00 GMT", - "enclosure": "https://images.bfmtv.com/BgT12hoO1K8EVL9vzBzzCUhpjYA=/0x36:2048x1188/800x0/images/Myron-Boadu-AS-Monaco-1181813.jpg", + "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", + "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39401,17 +44036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "93cad69c6ac864ea3f6ae0194a0afbbb" + "hash": "512c37798909c1b753750a941800a4dd" }, { - "title": "ASSE-Rennes en direct: les Rennais dominent les débats", - "description": "Suivez en direct et en intégralité sur notre site la rencontre ASSE-Rennes, comptant pour la 17e journée de Ligue 1. Le coup d'envoi est prévu à 13h.

", - "content": "Suivez en direct et en intégralité sur notre site la rencontre ASSE-Rennes, comptant pour la 17e journée de Ligue 1. Le coup d'envoi est prévu à 13h.

", + "title": "Galatasaray: le coach Fatih Terim transporté à l'hôpital avant le match décisif de Ligue Europa", + "description": "Fatih Terim, l’entraîneur de Galatasaray, a été transporté à l’hôpital lundi à seulement trois jours du duel entre le club stambouliote et la Lazio Rome pour la première place du groupe E de Ligue Europa. Le technicien turc se trouve toujours en observation et risque bien de rater le déplacement de son équipe en Italie.

", + "content": "Fatih Terim, l’entraîneur de Galatasaray, a été transporté à l’hôpital lundi à seulement trois jours du duel entre le club stambouliote et la Lazio Rome pour la première place du groupe E de Ligue Europa. Le technicien turc se trouve toujours en observation et risque bien de rater le déplacement de son équipe en Italie.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-rennes-en-direct-les-rennais-peuvent-reprendre-la-deuxieme-place_LS-202112050118.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-le-coach-fatih-terim-transporte-a-l-hopital-avant-le-match-decisif-de-ligue-europa_AV-202112070379.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 11:01:45 GMT", - "enclosure": "https://images.bfmtv.com/jZu-FbNfY8IVvinQGOQkXgv8IoU=/7x107:1991x1223/800x0/images/Gaetan-Laborde-Rennes-1178750.jpg", + "pubDate": "Tue, 07 Dec 2021 18:20:08 GMT", + "enclosure": "https://images.bfmtv.com/PDVzRCmTMBuZsuHfdz9-SDdF90A=/0x225:2048x1377/800x0/images/Fatih-Terim-avec-Galatasaray-1183543.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39421,17 +44056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d7e44833ae34694dbda3512f55ad8e0" + "hash": "18925d65b3ac8dcb514905d97ba98593" }, { - "title": "Biathlon en direct: les Bleues dans le coup pour le podium au relais", - "description": "Au lendemain du doublé d'Anaïs Bescond et d'Anaïs Chevalier-Bouchet en poursuite samedi à Östersund (Suède), lors de la Coupe du monde de biathlon, les Bleues espèrent encore décrocher un podium en relais ce dimanche (12h35). Cet après-midi, à 15h15, les hommes tenteront de briller aussi à la poursuite.

", - "content": "Au lendemain du doublé d'Anaïs Bescond et d'Anaïs Chevalier-Bouchet en poursuite samedi à Östersund (Suède), lors de la Coupe du monde de biathlon, les Bleues espèrent encore décrocher un podium en relais ce dimanche (12h35). Cet après-midi, à 15h15, les hommes tenteront de briller aussi à la poursuite.

", + "title": "PSG-Bruges: le doublé express de Mbappé en vidéo", + "description": "Kylian Mbappé a inscrit un doublé en seulement sept minutes, face à Bruges, ce mardi soir (sur RMC Sport 1). Le Paris Saint-Germain a donc fait rapidement le break dans ce dernier match de poule de Ligue des champions.

", + "content": "Kylian Mbappé a inscrit un doublé en seulement sept minutes, face à Bruges, ce mardi soir (sur RMC Sport 1). Le Paris Saint-Germain a donc fait rapidement le break dans ce dernier match de poule de Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-visent-encore-un-podium-au-relais_LN-202112050117.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-le-double-express-de-mbappe-en-video_AV-202112070375.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:58:41 GMT", - "enclosure": "https://images.bfmtv.com/zUFYf0AwJkA-g4QUVN4yUyiGmsg=/0x0:2048x1152/800x0/images/Anais-Bescond-2e-de-la-poursuite-1181513.jpg", + "pubDate": "Tue, 07 Dec 2021 18:02:02 GMT", + "enclosure": "https://images.bfmtv.com/1bT2C0cbtyGlfB11F_3Q1sk9Wf8=/0x162:2048x1314/800x0/images/Kylian-Mbappe-face-a-Bruges-1183544.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39441,17 +44076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2017226c994f7b54f19664778f76e390" + "hash": "d5a226acf3c767878fe76716025299db" }, { - "title": "Ligue 1 : suivez le multiplex de la 17e journée en direct", - "description": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", - "content": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", + "title": "PSG: \"Neymar est calme, mais a encore très mal à la cheville\", confie Nenê", + "description": "Blessé à la cheville gauche lors de la victoire du PSG face à Saint-Etienne fin novembre (1-3), Neymar va être éloigné des terrains pour une période de six à huit semaines. Au micro de RMC Sport ce mardi, l’ancien Parisien Nenê a donné des nouvelles de son ami et compatriote.

", + "content": "Blessé à la cheville gauche lors de la victoire du PSG face à Saint-Etienne fin novembre (1-3), Neymar va être éloigné des terrains pour une période de six à huit semaines. Au micro de RMC Sport ce mardi, l’ancien Parisien Nenê a donné des nouvelles de son ami et compatriote.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-le-multiplex-de-la-17e-journee-en-direct_LS-202112050106.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-neymar-est-calme-mais-a-encore-tres-mal-a-la-cheville-confie-nene_AV-202112070373.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:44:05 GMT", - "enclosure": "https://images.bfmtv.com/gW3OE2MJsNqX5Q_BiFj5mMO2t4g=/7x107:1991x1223/800x0/images/Wissam-Ben-Yedder-Monaco-1128594.jpg", + "pubDate": "Tue, 07 Dec 2021 17:45:10 GMT", + "enclosure": "https://images.bfmtv.com/5nfCq3mkWuvPTo2rWI-deWr92o8=/0x106:2048x1258/800x0/images/Nene-et-Neymar-1183534.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39461,17 +44096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f4e0239c6b931766cca651c792b524dc" + "hash": "6fb8949b49025d9d29b1d05ae8ea4c7e" }, { - "title": "UFC: Aldo trop fort pour Font, le gros KO de Fiziev", - "description": "Le Brésilien José Aldo s’est imposé face à Rob Font sur décision unanime samedi lors du main event de l’UFC Vegas 44. La magnifique soirée de MMA a également été marquée par le KO magistral de Rafael Fiziev sur Brad Riddell.

", - "content": "Le Brésilien José Aldo s’est imposé face à Rob Font sur décision unanime samedi lors du main event de l’UFC Vegas 44. La magnifique soirée de MMA a également été marquée par le KO magistral de Rafael Fiziev sur Brad Riddell.

", + "title": "Roland-Garros: Noah apporte son soutien à Forget et ironise sur la \"famille du tennis\"", + "description": "Yannick Noah, dans un message publié sur Instagram, a apporté son soutien à Guy Forget, qui quitte ses fonctions de directeur de Roland-Garros et du Masters 1000 de Paris. Selon l'artiste et ancien tennisman, son ami s'est fait \"virer de la famille du tennis\".

", + "content": "Yannick Noah, dans un message publié sur Instagram, a apporté son soutien à Guy Forget, qui quitte ses fonctions de directeur de Roland-Garros et du Masters 1000 de Paris. Selon l'artiste et ancien tennisman, son ami s'est fait \"virer de la famille du tennis\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ufc-aldo-trop-fort-pour-font-le-gros-ko-de-fiziev_AN-202112050031.html", + "link": "https://rmcsport.bfmtv.com/tennis/roland-garros/roland-garros-noah-apporte-son-soutien-a-forget-avec-un-message-desabuse_AV-202112070371.html", "creator": "", - "pubDate": "Sun, 05 Dec 2021 06:59:43 GMT", - "enclosure": "https://images.bfmtv.com/VNJ7cJClas7tMwjaKTXf02Fjom0=/3x8:1059x602/800x0/images/Le-KO-magique-Rafael-Fiziev-1181894.jpg", + "pubDate": "Tue, 07 Dec 2021 17:33:23 GMT", + "enclosure": "https://images.bfmtv.com/BkNmitiFbzvtCuSPj1SDC6NshEk=/0x124:1792x1132/800x0/images/Yannick-Noah-1183505.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39481,17 +44116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "774e76dcfef92953c24d05c7ace7dade" + "hash": "3227c53eb53610ebef1d1a74e16d00a8" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 5 décembre – Ligue 1", - "description": "Notre pronostic : Monaco bat Metz par au moins deux buts d’écart (1.92)

", - "content": "Notre pronostic : Monaco bat Metz par au moins deux buts d’écart (1.92)

", + "title": "PSG-Bruges: Pochettino demande plus d'investissement à ses hommes pour le bien de l'équipe", + "description": "Avant d’affronter Bruges ce mardi soir (18h45), pour le dernier match de poule du Paris Saint-Germain en Ligue des champions, Mauricio Pochettino a évoqué l’attitude de ses joueurs, au micro de RMC Sport.

", + "content": "Avant d’affronter Bruges ce mardi soir (18h45), pour le dernier match de poule du Paris Saint-Germain en Ligue des champions, Mauricio Pochettino a évoqué l’attitude de ses joueurs, au micro de RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-5-decembre-ligue-1_AN-202112040215.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-pochettino-demande-plus-d-investissement-a-ses-hommes-pour-le-bien-de-l-equipe_AV-202112070369.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:06:00 GMT", - "enclosure": "https://images.bfmtv.com/H-mFsjKvJOJB6KR9Nq-VLrz3BJY=/1x0:2001x1125/800x0/images/Monaco-1181628.jpg", + "pubDate": "Tue, 07 Dec 2021 17:28:59 GMT", + "enclosure": "https://images.bfmtv.com/I6X2EQBr5aBEciqBg7-KhTrfpyQ=/0x229:496x508/800x0/images/L-entraineur-argentin-du-Paris-Saint-Germain-Mauricio-Pochettino-lors-d-une-conference-de-presse-au-Parc-des-Princes-a-Paris-le-18-octobre-2021-1156167.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39501,17 +44136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c9900fad6dda8f81bfc3bf1cf25cdf5" + "hash": "3d52c861f74b9629ee0b91ef40a875ef" }, { - "title": "Lens-PSG: Pochettino admet que ce n’était \"pas la meilleure soirée\" des Parisiens", - "description": "Mauricio Pochettino, l'entraîneur du PSG, a bien été obligé de reconnaître que son équipe avait souffert à Bollaert-Delelis pour obtenir le minimum attendu pour cette équipe, face à Lens (1-1), à savoir un point.

", - "content": "Mauricio Pochettino, l'entraîneur du PSG, a bien été obligé de reconnaître que son équipe avait souffert à Bollaert-Delelis pour obtenir le minimum attendu pour cette équipe, face à Lens (1-1), à savoir un point.

", + "title": "PSG: pendant ce temps, Neymar poursuit sa rééducation", + "description": "Absent entre six et huit semaines à cause d'une blessure à la cheville gauche survenue contre Saint-Etienne fin novembre, Neymar a donné de ses nouvelles sur les réseaux sociaux. Avant le match de Ligue des champions du PSG face à Bruges ce mardi, l’attaquant poursuit sa rééducation.

", + "content": "Absent entre six et huit semaines à cause d'une blessure à la cheville gauche survenue contre Saint-Etienne fin novembre, Neymar a donné de ses nouvelles sur les réseaux sociaux. Avant le match de Ligue des champions du PSG face à Bruges ce mardi, l’attaquant poursuit sa rééducation.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-pochettino-admet-que-ce-n-etait-pas-la-meilleure-soiree-des-parisiens_AV-202112040317.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pendant-ce-temps-neymar-poursuit-sa-reeducation_AV-202112070367.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:05:25 GMT", - "enclosure": "https://images.bfmtv.com/OkxVy7-9k73U51C8jQEGZIR4W4k=/0x4:1200x679/800x0/images/Mauricio-Pochettino-1181815.jpg", + "pubDate": "Tue, 07 Dec 2021 17:21:39 GMT", + "enclosure": "https://images.bfmtv.com/ipwj0lO5pW1aTpMZucRXDgJkkVo=/0x345:1808x1362/800x0/images/Neymar-avec-le-PSG-sous-une-fine-neige-1177172.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39521,17 +44156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ecd708292252073f28cc82128cddc110" + "hash": "12c5ef7986a7ef2a4b6d1cfb17abf058" }, { - "title": "PRONOS PARIS RMC Le nul du jour du 5 décembre – Ligue 1", - "description": "Notre pronostic : pas de vainqueur entre Reims et Angers (2.95)

", - "content": "Notre pronostic : pas de vainqueur entre Reims et Angers (2.95)

", + "title": "PSG-Bruges en direct: \"La graine est plantée, les bourgeons sortent\", se satisfait Pochettino", + "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", + "content": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions, le PSG s'est rassuré face à Bruges, ce mardi soir lors de la 6e journée (4-1), avec des doublés de Kylian Mbappé et Lionel Messi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-5-decembre-ligue-1_AN-202112040212.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:05:00 GMT", - "enclosure": "https://images.bfmtv.com/vnB3u4aKKI6qTGSJQY3sWvVWEmc=/0x104:1984x1220/800x0/images/H-Ekitike-1181626.jpg", + "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", + "enclosure": "https://images.bfmtv.com/QPPH6JgyCtejaraILbvbFzc8DJE=/0x0:2048x1152/800x0/images/PSG-1183556.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39541,17 +44176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1fd18960f8fedda2db87c4613beda2e1" + "hash": "f64fcd826a9c7a0e27ab84b7a657280e" }, { - "title": "PRONOS PARIS RMC Le pari de folie du 5 décembre – Ligue 1", - "description": "Notre pronostic : match nul entre Bordeaux et Lyon (4.40)

", - "content": "Notre pronostic : match nul entre Bordeaux et Lyon (4.40)

", + "title": "Ballon d’or: Lewandowski calme le jeu après ses déclarations sur Messi", + "description": "Dans un entretien accordé au journal allemand Kicker, Robert Lewandowski est revenu sur ses déclarations des derniers jours, où il avait commenté les mots de Lionel Messi lors de la cérémonie du Ballon d’or.

", + "content": "Dans un entretien accordé au journal allemand Kicker, Robert Lewandowski est revenu sur ses déclarations des derniers jours, où il avait commenté les mots de Lionel Messi lors de la cérémonie du Ballon d’or.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/football/pronos-paris-rmc-le-pari-de-folie-du-5-decembre-ligue-1_AN-202112040209.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/ballon-d-or-lewandowski-calme-le-jeu-apres-ses-declarations-sur-messi_AV-202112070365.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/hFqz_9VPSjSNKVpzbdGhPZ95Sq0=/0x131:1984x1247/800x0/images/J-Boateng-1181624.jpg", + "pubDate": "Tue, 07 Dec 2021 17:04:12 GMT", + "enclosure": "https://images.bfmtv.com/073q2QzV1BeSJe7oBq5IH823nSw=/0x70:2048x1222/800x0/images/Robert-Lewandowski-1178290.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39561,17 +44196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ffca5af2bbe499e9d4259e3eb4b26ab7" + "hash": "691dd16620b76e9d3eea325e6f9404bf" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 5 décembre – Ligue 1", - "description": "Notre pronostic : Montpellier ne perd pas face à Clermont (1.35)

", - "content": "Notre pronostic : Montpellier ne perd pas face à Clermont (1.35)

", + "title": "PSG-Bruges: les compos officielles, avec Messi, Mbappé et le duo Lang-De Ketelaere côté belge", + "description": "Déjà assuré de la deuxième place du groupe A, le PSG ne fera pas l’impasse sur le match contre Bruges ce mardi en Ligue des champions (18h45, sur RMC Sport 1). Comme annoncé par RMC Sport, Mauricio Pochettino a aligné la meilleure équipe possible. Découvrez les compos officielles.

", + "content": "Déjà assuré de la deuxième place du groupe A, le PSG ne fera pas l’impasse sur le match contre Bruges ce mardi en Ligue des champions (18h45, sur RMC Sport 1). Comme annoncé par RMC Sport, Mauricio Pochettino a aligné la meilleure équipe possible. Découvrez les compos officielles.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-5-decembre-ligue-1_AN-202112040207.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-les-compos-officielles-avec-messi-mbappe-et-le-duo-lang-de-ketelaere-cote-belge_AV-202112070362.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/QXKGkKfWQ-sSu21-e-OCS8tapxo=/0x208:1984x1324/800x0/images/Montpellier-1181621.jpg", + "pubDate": "Tue, 07 Dec 2021 16:56:28 GMT", + "enclosure": "https://images.bfmtv.com/TmlcmIMPmombjV4BdC9kIJH_DU4=/0x0:2048x1152/800x0/images/Kylian-Mbappe-et-Lionel-Messi-avec-le-PSG-1183525.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39581,17 +44216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f8b63611daf527ae71ec14be3784c2b3" + "hash": "b526ed5d6df063821b1cdadd0c5784b0" }, { - "title": "PRONOS PARIS RMC Le pari à domicile du 5 décembre – Ligue 1", - "description": "Notre pronostic : Nice bat Strasbourg (1.83)

", - "content": "Notre pronostic : Nice bat Strasbourg (1.83)

", + "title": "Mercato en direct: Kingsley Coman indécis sur son avenir", + "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-5-decembre-ligue-1_AN-202112040199.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/EULVGiBXDoaMCKw5qwK0UqLexpM=/7x108:1991x1224/800x0/images/Nice-1181608.jpg", + "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", + "enclosure": "https://images.bfmtv.com/I393YoXgpAjg8mA7EVnHGp4Gpqo=/0x39:768x471/800x0/images/Kingsley-Coman-avec-le-Bayern-lors-du-Klassiker-contre-le-Borussia-Dortmund-a-Munich-le-6-mars-2021-1130255.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39601,17 +44236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7a2b4e50ac6729990ef3c45fd52e8c0" + "hash": "c08f1d9800351930fbd816ec36ee03df" }, { - "title": "PRONOS PARIS RMC Le pari à l’extérieur du 5 décembre – Ligue 1", - "description": "Notre pronostic : Rennes s’impose à Saint-Etienne (1.80)

", - "content": "Notre pronostic : Rennes s’impose à Saint-Etienne (1.80)

", + "title": "Open d'Australie: des joueurs non-vaccinés seront acceptés, mais avec un protocole très strict", + "description": "RMC Sport est en mesure de confirmer que ce mardi matin, dans un mail, l’ATP a précisé aux joueurs le protocole sanitaire à respecter afin de participer à l’Open d’Australie (17-30 janvier), comme révélé par L’Equipe.

", + "content": "RMC Sport est en mesure de confirmer que ce mardi matin, dans un mail, l’ATP a précisé aux joueurs le protocole sanitaire à respecter afin de participer à l’Open d’Australie (17-30 janvier), comme révélé par L’Equipe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-5-decembre-ligue-1_AN-202112040198.html", + "link": "https://rmcsport.bfmtv.com/tennis/open-d-australie-des-joueurs-non-vaccines-seront-acceptes-mais-avec-un-protocole-tres-strict_AV-202112070355.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/edcET7xhE9qVGOkF1di_qWOus4g=/0x66:2000x1191/800x0/images/Rennes-1181603.jpg", + "pubDate": "Tue, 07 Dec 2021 16:15:59 GMT", + "enclosure": "https://images.bfmtv.com/ivhGMdPkpE9u1FEDmRdWc7g7XeU=/0x20:768x452/800x0/images/Novak-Djokovic-lors-de-la-finale-de-l-Open-d-Australie-le-21-fevrier-2021-1179043.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39621,17 +44256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5735f253520a57065c208945f3ac61e5" + "hash": "f580282ed04ed4a915663aebe0a9c74c" }, { - "title": "PRONOS PARIS RMC Le buteur du jour du 5 décembre – Ligue 1", - "description": "Notre pronostic : Ludovic Blas (Nantes) marque à Lorient (3.55)

", - "content": "Notre pronostic : Ludovic Blas (Nantes) marque à Lorient (3.55)

", + "title": "PSG-Bruges: la compo de Paris avec un trio de stars devant un milieu consistant", + "description": "Mauricio Pochettino a composé un onze de départ disposant de sérieux atouts pour, enfin, séduire, face à Bruges (coup d'envoi à 18h45, sur RMC Sport 1). Wijnaldum, Verratti et Gueye sont associés au milieu. Diallo est titulaire en défense, avec Marquinhos.

", + "content": "Mauricio Pochettino a composé un onze de départ disposant de sérieux atouts pour, enfin, séduire, face à Bruges (coup d'envoi à 18h45, sur RMC Sport 1). Wijnaldum, Verratti et Gueye sont associés au milieu. Diallo est titulaire en défense, avec Marquinhos.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-5-decembre-ligue-1_AN-202112040195.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-un-trio-de-stars-devant-un-milieu-consistant-pour-paris_AV-202112070354.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 23:00:00 GMT", - "enclosure": "https://images.bfmtv.com/mfBfIC03pOGLE4wwOTlpyrV2bKM=/0x0:1984x1116/800x0/images/L-Blas-1181598.jpg", + "pubDate": "Tue, 07 Dec 2021 16:14:58 GMT", + "enclosure": "https://images.bfmtv.com/_-FfsV8ix-iohWnL5sxwU0KLlqs=/0x0:1200x675/800x0/images/Lionel-Messi-1183432.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39641,17 +44276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "898852683c1e1149b9fc1f14be2b2538" + "hash": "3732f6e573422212f3d3ff83800396da" }, { - "title": "Top 14: le choc pour l'UBB face à Toulouse", - "description": "L'UBB, qui restait sur quatre défaites face à son adversaire du soir, a battu le Stade Toulousain ce samedi (17-7), dans le choc de la 12e journée de Top 14. Les Bordelais prennent la tête du classement.

", - "content": "L'UBB, qui restait sur quatre défaites face à son adversaire du soir, a battu le Stade Toulousain ce samedi (17-7), dans le choc de la 12e journée de Top 14. Les Bordelais prennent la tête du classement.

", + "title": "Top 14: Pollard va quitter Montpellier pour rejoindre Leicester", + "description": "Comme annoncé par RMC Sport le 20 septembre, Handré Pollard quittera Montpellier à la fin de son contrat et rejoindra Leicester en Angleterre. Le club héraultais a communiqué le départ du demi d'ouverture ce mardi sur son site.

", + "content": "Comme annoncé par RMC Sport le 20 septembre, Handré Pollard quittera Montpellier à la fin de son contrat et rejoindra Leicester en Angleterre. Le club héraultais a communiqué le départ du demi d'ouverture ce mardi sur son site.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-le-choc-pour-l-ubb-face-a-toulouse_AD-202112040308.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14-pollard-va-quitter-montpellier-pour-rejoindre-leicester_AV-202112070349.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 22:39:42 GMT", - "enclosure": "https://images.bfmtv.com/3N1Jqri3TghseuuPSn1QdDeeff8=/0x106:2048x1258/800x0/images/Le-choc-entre-Bordeaux-et-Toulouse-a-tourne-en-faveur-de-l-UBB-1181795.jpg", + "pubDate": "Tue, 07 Dec 2021 15:52:29 GMT", + "enclosure": "https://images.bfmtv.com/B5_D51-RY6cLnghlROxUaysh2Kk=/103x58:1783x1003/800x0/images/Handre-Pollard-1131612.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39661,37 +44296,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "4779fddb9482064474600977dd229279" + "hash": "909bef89978c1f2ea147655dba03e64f" }, { - "title": "Dortmund-Bayern: Bellingham s’en prend à l’arbitre, \"qui a déjà truqué un match\"", - "description": "Alors qu’il dénonçait le penalty accordé au Bayern Munich en fin de match, Jude Bellingham a rappelé le passif de l’arbitre à l’origine de la décision, entaché d’un passif de corruption.

", - "content": "Alors qu’il dénonçait le penalty accordé au Bayern Munich en fin de match, Jude Bellingham a rappelé le passif de l’arbitre à l’origine de la décision, entaché d’un passif de corruption.

", + "title": "Ligue des champions: la mise en garde du Bayern Munich au Barça", + "description": "Déjà qualifié pour les huitièmes de la finale de la Ligue des champions, le Bayern Munich recevra dans son stade le FC Barcelone dont le destin européen est encore très incertain. En conférence de presse, l’entraîneur du club allemand, Julian Nagelsmann, a annoncé qu’il allait aligner \"la meilleure équipe possible\".

", + "content": "Déjà qualifié pour les huitièmes de la finale de la Ligue des champions, le Bayern Munich recevra dans son stade le FC Barcelone dont le destin européen est encore très incertain. En conférence de presse, l’entraîneur du club allemand, Julian Nagelsmann, a annoncé qu’il allait aligner \"la meilleure équipe possible\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-bellingham-s-en-prend-a-l-arbitre-qui-a-deja-truque-un-match_AV-202112040307.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-mise-en-garde-du-bayern-munich-au-barca_AV-202112070340.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 22:35:48 GMT", - "enclosure": "https://images.bfmtv.com/q-alK_kHBwj_Nvt8Z2Hm8c2IAHA=/0x87:1200x762/800x0/images/Jude-Bellingham-1181783.jpg", + "pubDate": "Tue, 07 Dec 2021 15:32:34 GMT", + "enclosure": "https://images.bfmtv.com/KjKqorO82aiQVSITkEWsAVbRtpI=/0x11:768x443/800x0/images/Le-nouvel-entraineur-du-Bayern-Munich-Julian-Nagelsmann-a-son-arrivee-avant-le-match-de-l-Audi-Summer-Tour-2021-contre-le-Borussia-Moenchengladbach-le-28-juillet-2021-a-Munich-1083455.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bdd95a2fb5681161896dc141ae6e83d" + "hash": "279705c73147a787343bbfa04642e20c" }, { - "title": "Lens-PSG: la jolie déclaration d'amour de Verratti aux Lensois", - "description": "Le milieu de terrain parisien Marco Verratti a rendu hommage à la prestation du RC Lens, pas loin de surprendre le PSG (1-1), leader de Ligue 1. Et a souligné les ressources mentales de sa propre équipe, revenue en fin de match pour accrocher le point du match nul au terme d’une nouvelle prestation décevante.

", - "content": "Le milieu de terrain parisien Marco Verratti a rendu hommage à la prestation du RC Lens, pas loin de surprendre le PSG (1-1), leader de Ligue 1. Et a souligné les ressources mentales de sa propre équipe, revenue en fin de match pour accrocher le point du match nul au terme d’une nouvelle prestation décevante.

", + "title": "Youth League: l'exceptionnelle remontée du PSG face à Bruges pour arracher la qualification en 8es", + "description": "Les moins de 19 ans du PSG l’ont emporté à la dernière seconde face à Bruges, mardi après-midi en Youth League (3-2), après avoir été menés 2-0 en infériorité numérique. Les Parisiens prennent ainsi la première place de leur groupe et sont qualifiés directement pour les huitièmes de finale sans avoir à passer par les barrages.

", + "content": "Les moins de 19 ans du PSG l’ont emporté à la dernière seconde face à Bruges, mardi après-midi en Youth League (3-2), après avoir été menés 2-0 en infériorité numérique. Les Parisiens prennent ainsi la première place de leur groupe et sont qualifiés directement pour les huitièmes de finale sans avoir à passer par les barrages.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-fan-des-lensois-verratti-veut-retenir-le-caractere-des-parisiens_AV-202112040306.html", + "link": "https://rmcsport.bfmtv.com/football/youth-league/youth-league-l-exceptionnelle-remontee-du-psg-face-a-bruges-pour-arracher-la-qualification-en-8es_AV-202112070336.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 22:31:40 GMT", - "enclosure": "https://images.bfmtv.com/s0qYCPWpHr_RgFYNcflQjskdmQU=/0x37:1200x712/800x0/images/Marco-Verratti-1181791.jpg", + "pubDate": "Tue, 07 Dec 2021 15:21:30 GMT", + "enclosure": "https://images.bfmtv.com/Ijzf5yUN9aeqIMFvlohtpcp1QTU=/0x106:2048x1258/800x0/images/Xavi-Simons-lors-de-PSG-Bruges-1183490.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39701,17 +44336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee072335b15586943e100005836b24de" + "hash": "5ea877b01c739bf1c5e60b61bff6a4b6" }, { - "title": "Lens-PSG en direct: Lensois et Parisiens dos à dos, Verratti salue la prestation des Nordistes", - "description": "Le choc de la 17e journée de Ligue 1 a tenu ses promesses. Lens et le PSG se sont quittés sur un nul (1-1) après une égalisation de Wijnaldum dans les arrêts de jeu.

", - "content": "Le choc de la 17e journée de Ligue 1 a tenu ses promesses. Lens et le PSG se sont quittés sur un nul (1-1) après une égalisation de Wijnaldum dans les arrêts de jeu.

", + "title": "Mercato: Sergio Gomez sur les tablettes de l’OM ?", + "description": "Malgré son gros recrutement l’été dernier, l’Olympique de Marseille essaiera de se montrer actif cet hiver. À la recherche d’un nouveau latéral, les dirigeants phocéens seraient, selon le média DHnet, fans du latéral gauche d’Anderlecht, Sergio Gomez.

", + "content": "Malgré son gros recrutement l’été dernier, l’Olympique de Marseille essaiera de se montrer actif cet hiver. À la recherche d’un nouveau latéral, les dirigeants phocéens seraient, selon le média DHnet, fans du latéral gauche d’Anderlecht, Sergio Gomez.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-marseille/mercato-sergio-gomez-sur-les-tablettes-de-l-om_AV-202112070332.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", - "enclosure": "https://images.bfmtv.com/JKg6vMg52ZHeyIH1Mq_vBJbZYr4=/0x55:2048x1207/800x0/images/Messi-lors-de-Lens-PSG-1181764.jpg", + "pubDate": "Tue, 07 Dec 2021 15:01:18 GMT", + "enclosure": "https://images.bfmtv.com/tqxImGMjCFy9GHgjyMoJWwGbTuU=/0x106:2048x1258/800x0/images/Sergio-Gomez-1183459.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39721,17 +44356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "cad57d0cfa7d2614bd494d51c4570d11" + "hash": "2a570e49a77184ba275510eba6631b6f" }, { - "title": "Lens-PSG: champion d'automne, Paris encore poussif et en échec face à de séduisants Lensois", - "description": "Le PSG s'est contenté du nul contre Lens (1-1) ce samedi lors de la 17e journée de Ligue 1. Après l'ouverture du score de Seko Fofana sur une erreur de Keylor Navas, Georginio Wijnaldum a égalisé dans les derniers instants sur un centre de Kylian Mbappé.

", - "content": "Le PSG s'est contenté du nul contre Lens (1-1) ce samedi lors de la 17e journée de Ligue 1. Après l'ouverture du score de Seko Fofana sur une erreur de Keylor Navas, Georginio Wijnaldum a égalisé dans les derniers instants sur un centre de Kylian Mbappé.

", + "title": "Juve: la remise en question de Rabiot", + "description": "Le milieu international français de la Juventus, Adrien Rabiot, a admis qu'il devait \"faire plus\" pour les Bianconeri, avec davantage de buts et de passes décisives, notamment pour faire taire les sifflets l'ayant visé récemment.

", + "content": "Le milieu international français de la Juventus, Adrien Rabiot, a admis qu'il devait \"faire plus\" pour les Bianconeri, avec davantage de buts et de passes décisives, notamment pour faire taire les sifflets l'ayant visé récemment.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-champion-d-automne-paris-encore-poussif-et-en-echec-face-a-de-seduisants-lensois_AV-202112040302.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/juve-la-remise-en-question-de-rabiot_AD-202112070329.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 22:08:12 GMT", - "enclosure": "https://images.bfmtv.com/GiZt78NQvyTCgoxuEAHZn3H5JT8=/0x106:2048x1258/800x0/images/Marco-Verratti-lors-de-Lens-PSG-1181787.jpg", + "pubDate": "Tue, 07 Dec 2021 14:48:46 GMT", + "enclosure": "https://images.bfmtv.com/PvUUpKvTX7FAEll6cC1QJqOXuLM=/0x62:1200x737/800x0/images/Adrien-Rabiot-1163315.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39741,17 +44376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "95df058316fe313eb0ba1a37a9e9f329" + "hash": "cd7df01e734bf879b550b70c67ff4efa" }, { - "title": "Liga: le Real Madrid s'envole en tête du classement après sa victoire contre la Real Sociedad", - "description": "Malgré la perte de Karim Benzema sur blessure, le Real Madrid s'est imposé face à la Real Sociedad (2-0) ce samedi, dans le cadre de la 16e journée de Liga. Les joueurs de Carlo Ancelotti ont désormais huit points d'avance sur Séville en tête du classement.

", - "content": "Malgré la perte de Karim Benzema sur blessure, le Real Madrid s'est imposé face à la Real Sociedad (2-0) ce samedi, dans le cadre de la 16e journée de Liga. Les joueurs de Carlo Ancelotti ont désormais huit points d'avance sur Séville en tête du classement.

", + "title": "PSG-Bruges: les Belges veulent faire un gros coup au Parc", + "description": "Avant d’affronter le Paris Saint-Germain, mardi soir au Parc des Princes, l’entraîneur de Bruges, Philippe Clement, a encore l’espoir de faire un gros coup, de prendre des points et d’être reversé en Europa League.

", + "content": "Avant d’affronter le Paris Saint-Germain, mardi soir au Parc des Princes, l’entraîneur de Bruges, Philippe Clement, a encore l’espoir de faire un gros coup, de prendre des points et d’être reversé en Europa League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-real-madrid-s-envole-en-tete-du-classement-apres-sa-victoire-contre-la-real-sociedad_AD-202112040301.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-les-belges-veulent-faire-un-gros-coup-au-parc_AV-202112070326.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 22:06:20 GMT", - "enclosure": "https://images.bfmtv.com/xXE4iO11LSZ1IMmETylaAkZAgB0=/0x78:2048x1230/800x0/images/Vinicius-buteur-avec-le-Real-1181785.jpg", + "pubDate": "Tue, 07 Dec 2021 14:44:50 GMT", + "enclosure": "https://images.bfmtv.com/D9yAJsWIYfUxyZZj5MpBtp7Cdvk=/0x106:2048x1258/800x0/images/Philippe-Clement-entraineur-de-bruges-1183468.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39761,17 +44396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f94fd4c7c79c31e4a6590d07fe71db3" + "hash": "cfcef041a71c88914c0f93e53c106682" }, { - "title": "Volley: rencontre avec Nicole, première joueuse transgenre du championnat de France", - "description": "Originaire du Pérou, Nicole est devenue la première joueuse de volleyball transgenre à évoluer dans le championnat français. Elle a reçu sa licence il y a deux semaines. Un long chemin parcouru. C’est son club de Chaville, dans les Hauts-de-Seine (en Nationale 2), qui lui a permis d’être officiellement licenciée.

", - "content": "Originaire du Pérou, Nicole est devenue la première joueuse de volleyball transgenre à évoluer dans le championnat français. Elle a reçu sa licence il y a deux semaines. Un long chemin parcouru. C’est son club de Chaville, dans les Hauts-de-Seine (en Nationale 2), qui lui a permis d’être officiellement licenciée.

", + "title": "Affaire Pinot-Schmitt: Margaux Pinot raconte d’autres faits de violences d'Alain Schmitt", + "description": "Dans une interview à Paris Match, la judokate Margaux Pinot est revenue sur la nuit durant laquelle son compagnon, Alain Schmitt, l'aurait agressée, expliquant que ce n'était pas la première fois qu'il s'en prenait à elle physiquement.

", + "content": "Dans une interview à Paris Match, la judokate Margaux Pinot est revenue sur la nuit durant laquelle son compagnon, Alain Schmitt, l'aurait agressée, expliquant que ce n'était pas la première fois qu'il s'en prenait à elle physiquement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/volley/volley-rencontre-avec-nicole-premiere-joueuse-transgenre-du-championnat-de-france_AV-202112040297.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-margaux-pinot-raconte-d-autres-faits-de-violences-d-alain-schmitt_AV-202112070314.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 21:12:35 GMT", - "enclosure": "https://images.bfmtv.com/zfCteuUWT1nGEJG3yZoIiy248VA=/0x0:1280x720/800x0/images/Nicole-premiere-joueuse-transgenre-1181617.jpg", + "pubDate": "Tue, 07 Dec 2021 14:06:37 GMT", + "enclosure": "https://images.bfmtv.com/L1I95mIwfvhAvqT2kbu6coeWsy0=/0x0:1200x675/800x0/images/Margaux-Pinot-1183442.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39781,17 +44416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7260fe5e26e73ea288c20ff52ceecc33" + "hash": "d761015d489d5784f86aadb328a3ee38" }, { - "title": "Real Sociedad-Real Madrid: inquiétude pour Benzema, blessé avant une grosse semaine", - "description": "L'avant-centre international français Karim Benzema est sorti à la 18e minute du match du Real Madrid sur le terrain de la Real Sociedad comptant pour la 16e journée de Liga samedi, visiblement touché à la jambe gauche.

", - "content": "L'avant-centre international français Karim Benzema est sorti à la 18e minute du match du Real Madrid sur le terrain de la Real Sociedad comptant pour la 16e journée de Liga samedi, visiblement touché à la jambe gauche.

", + "title": "Dortmund-Bayern: Bellingham connaît sa sanction pour ses propos sur l’arbitre", + "description": "La défaite du Borussia Dortmund face au Bayern Munich (2-3) n’avait pas été bien prise par Jude Bellingham. À la fin de la rencontre, le milieu de terrain avait dénoncé l’arbitrage de Felix Zwayer. Ce mardi, l’Anglais a pris connaissance de la sanction la Fédération allemande de football.

", + "content": "La défaite du Borussia Dortmund face au Bayern Munich (2-3) n’avait pas été bien prise par Jude Bellingham. À la fin de la rencontre, le milieu de terrain avait dénoncé l’arbitrage de Felix Zwayer. Ce mardi, l’Anglais a pris connaissance de la sanction la Fédération allemande de football.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-sociedad-real-madrid-inquietude-pour-benzema-blesse-avant-une-grosse-semaine_AV-202112040291.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-bellingham-connait-sa-sanction-pour-ses-propos-sur-l-arbitre_AV-202112070306.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 20:39:57 GMT", - "enclosure": "https://images.bfmtv.com/FyuD78coI0R1bKJJfFST_uaWUHM=/0x0:1184x666/800x0/images/Karim-Benzema-1181765.jpg", + "pubDate": "Tue, 07 Dec 2021 13:46:38 GMT", + "enclosure": "https://images.bfmtv.com/q-alK_kHBwj_Nvt8Z2Hm8c2IAHA=/0x87:1200x762/800x0/images/Jude-Bellingham-1181783.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39801,17 +44436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5a96a65e87c86f63b849df0414944fd8" + "hash": "0a5681ac8e66d7d1d1cbc74224214e2e" }, { - "title": "PSG: Ollé-Nicolle admet que le groupe a été \"impacté\" par l'affaire Hamraoui-Diallo", - "description": "Alors que le retour d'Aminata Diallo et Kheira Hamraoui dans le groupe du PSG se précise, les Parisiennes se sont imposées ce samedi contre le GPSO Issy (3-0). Après le match, Didier Ollé-Nicolle admet que le groupe a été touché physiquement et mentalement par l'affaire.

", - "content": "Alors que le retour d'Aminata Diallo et Kheira Hamraoui dans le groupe du PSG se précise, les Parisiennes se sont imposées ce samedi contre le GPSO Issy (3-0). Après le match, Didier Ollé-Nicolle admet que le groupe a été touché physiquement et mentalement par l'affaire.

", + "title": "PSG-Bruges: Mbappé un peu plus dans l'histoire de la Ligue des champions", + "description": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", + "content": "Kylian Mbappé a signé un doublé ce mardi soir lors du dernier match de poule du PSG en Ligue des champions face à Bruges (sur RMC Sport 1). L’attaquant tricolore est devenu le plus jeune joueur à atteindre la barre des 30 buts dans la prestigieuse compétition.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/d1/psg-olle-nicolle-admet-que-le-groupe-a-ete-impacte-par-l-affaire-hamraoui-diallo_AV-202112040290.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-mbappe-un-peu-plus-dans-l-histoire-de-la-ligue-des-champions_AV-202112070386.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 20:30:18 GMT", - "enclosure": "https://images.bfmtv.com/KTn-cOXQPXxMILTuYbboiRt5aGA=/0x212:2048x1364/800x0/images/Didier-Olle-Nicolle-PSG-F-1181754.jpg", + "pubDate": "Tue, 07 Dec 2021 18:52:48 GMT", + "enclosure": "https://images.bfmtv.com/O_ChEYYD7eTfC4SrVVtVGGjJYp8=/0x131:2048x1283/800x0/images/Kylian-Mbappe-contre-Bruges-1183550.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39821,17 +44456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e366bd48d2b06ea25f7af2eccce8cd2d" + "hash": "acc4297a793283e841423461bc2a83a0" }, { - "title": "Lille-Troyes: Jonathan David a tout changé pour les Dogues", - "description": "Lille a arraché un nouveau succès cette fois à domicile contre Troyes (2-1) avec un but en fin de match, samedi lors de la 17e journée de Ligue 1. L'entrée en jeu de Jonathan David, meilleur buteur du championnat de France, y est pour beaucoup.

", - "content": "Lille a arraché un nouveau succès cette fois à domicile contre Troyes (2-1) avec un but en fin de match, samedi lors de la 17e journée de Ligue 1. L'entrée en jeu de Jonathan David, meilleur buteur du championnat de France, y est pour beaucoup.

", + "title": "PSG-Bruges en direct: Mbappé s'offre un nouveau record en Ligue des champions", + "description": "Assuré des huitièmes de finale et de la deuxième place, le PSG accueille Bruges, mardi (18h45, sur RMC Sport 1), à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions. Un duel qu'il n'a pas intérêt à prendre à la légère.

", + "content": "Assuré des huitièmes de finale et de la deuxième place, le PSG accueille Bruges, mardi (18h45, sur RMC Sport 1), à l'occasion de la 6e et dernière journée de la phase de groupes de la Ligue des champions. Un duel qu'il n'a pas intérêt à prendre à la légère.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-jonathan-david-a-tout-change-pour-les-dogues_AV-202112040286.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 20:02:00 GMT", - "enclosure": "https://images.bfmtv.com/_3Z68iXYaZkzy9jd7iS2HaY-Qpo=/0x208:1200x883/800x0/images/Jonathan-David-1181753.jpg", + "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", + "enclosure": "https://images.bfmtv.com/7_Giz3HEviK-9jqjA0PHjQTm6fU=/0x106:2048x1258/800x0/images/PSG-1183551.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39841,17 +44476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4fcb9dd38c1990293dab0b34ef7f85ad" + "hash": "bcf7da7a69eb4a0e997a15078481c7b4" }, { - "title": "Lille-Troyes en direct : Le LOSC et David s'imposent au forceps face à Troyes", - "description": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", - "content": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", + "title": "Ligue des champions: Real, Atlético, AC Milan… le multiplex en direct", + "description": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", + "content": "Sixième et dernière journée de Ligue des champions ce mardi, à suivre en direct commenté sur le site de RMC Sport. Le groupe B sera particulièrement intéressant à suivre avec une lutte à trois pour la deuxième place qualificative entre Porto, l’Atlético de Madrid et l’AC Milan. A vivre aussi l’affiche entre le Real Madrid et l’Inter Milan.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-en-direct-le-losc-veut-confirmer_LS-202112040213.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-real-atletico-ac-milan-le-multiplex-en-direct_LS-202112070316.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:00:04 GMT", - "enclosure": "https://images.bfmtv.com/HOgGspRzlInkVf-BcnosNnlZsoQ=/0x25:2048x1177/800x0/images/Renato-Sanches-lors-de-Lille-Troyes-1181709.jpg", + "pubDate": "Tue, 07 Dec 2021 14:17:22 GMT", + "enclosure": "https://images.bfmtv.com/cR52yrckFfNepA5QX6tj35em-nY=/0x36:2048x1188/800x0/images/Vinicius-Jr-1177356.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39861,17 +44496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "035bc520686f159a31f7f9733ece0805" + "hash": "3024aab1f0849228867db5c4743952cd" }, { - "title": "Bundesliga: Lewandowski plus fort que Haaland, le Bayern croque Dortmund", - "description": "Le duel entre le Bayern Munich et le Borussia Dortmund s’est achevé sur une victoire des Bavarois (2-3) lors de la 14e journée de Bundesliga. Au terme d’un match intense et spectaculaire, Robert Lewandowski a signé un doublé et fait mieux que Erling Haaland, buteur malheureux.

", - "content": "Le duel entre le Bayern Munich et le Borussia Dortmund s’est achevé sur une victoire des Bavarois (2-3) lors de la 14e journée de Bundesliga. Au terme d’un match intense et spectaculaire, Robert Lewandowski a signé un doublé et fait mieux que Erling Haaland, buteur malheureux.

", + "title": "Champions Cup: forfait des Scarlets contre Bristol à cause des mesures anti-Covid", + "description": "L'équipe galloise des Scarlets, dont 32 joueurs et membres du staff sont en quarantaine dans le cadre des mesures anti-Covid, a déclaré forfait pour son match de Coupe d'Europe de rugby, prévu samedi à Bristol, a annoncé mardi l'EPCR.

", + "content": "L'équipe galloise des Scarlets, dont 32 joueurs et membres du staff sont en quarantaine dans le cadre des mesures anti-Covid, a déclaré forfait pour son match de Coupe d'Europe de rugby, prévu samedi à Bristol, a annoncé mardi l'EPCR.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-lewandowski-plus-fort-que-haaland-le-bayern-croque-dortmund_AV-202112040279.html", + "link": "https://rmcsport.bfmtv.com/football/champions-cup-forfait-des-scarlets-contre-bristol-a-cause-des-mesures-anti-covid_AD-202112070299.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 19:50:10 GMT", - "enclosure": "https://images.bfmtv.com/jT9RDKAUVTJja8bPuXAHCkY8Gjw=/0x0:2048x1152/800x0/images/Manuel-Neuer-et-Robert-Lewandowski-celebrent-la-victoire-du-Bayern-contre-Dortmund-1181744.jpg", + "pubDate": "Tue, 07 Dec 2021 13:23:12 GMT", + "enclosure": "https://images.bfmtv.com/QcvBcsVY3xv4CncEuo1CEYQYv1E=/0x40:768x472/800x0/images/Les-joueurs-des-Scarlets-ici-avant-le-match-contre-Toulon-en-Coupe-d-Europe-a-Llannelli-le-18-decembre-2020-sont-forfait-contre-Bristol-1183403.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39881,17 +44516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b25abe89f7070af5ba2bffe564e1b4cd" + "hash": "32c627c1dc4f0114762ffe847eb6dd5a" }, { - "title": "Top 14: Pau arrache le nul dans les derniers instants contre Toulon", - "description": "Final à suspense ce samedi entre Pau et Toulon, qui ont fait match nul (16-16) dans le cadre de la 12e journée de Top 14. Un résultat arraché en toute fin de match par les Palois.

", - "content": "Final à suspense ce samedi entre Pau et Toulon, qui ont fait match nul (16-16) dans le cadre de la 12e journée de Top 14. Un résultat arraché en toute fin de match par les Palois.

", + "title": "Barça: \"Selon le Real Madrid, je n’avais pas le niveau\", s’amuse Pedri", + "description": "Dans une interview accordée à France Football, Pedri revient sur un test effectué au Real Madrid il y a quatre ans. Le milieu de terrain du Barça, qui a reçu le trophée Kopa 2021, avait été jugé peu convaincant par le club merengue.

", + "content": "Dans une interview accordée à France Football, Pedri revient sur un test effectué au Real Madrid il y a quatre ans. Le milieu de terrain du Barça, qui a reçu le trophée Kopa 2021, avait été jugé peu convaincant par le club merengue.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-pau-arrache-le-nul-dans-les-derniers-instants-contre-toulon_AD-202112040276.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-selon-le-real-madrid-je-n-avais-pas-le-niveau-s-amuse-pedri_AV-202112070291.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 19:22:45 GMT", - "enclosure": "https://images.bfmtv.com/HY5iGz6ZEwkGZbLOIajOR8HRCE0=/0x49:2048x1201/800x0/images/Manu-lors-de-Pau-Toulon-1181738.jpg", + "pubDate": "Tue, 07 Dec 2021 13:03:28 GMT", + "enclosure": "https://images.bfmtv.com/--wDVIMj1TatPyL4pUynQ9gctcc=/0x33:2048x1185/800x0/images/Pedri-FC-Barcelone-1175291.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39901,17 +44536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bb4d55b127404ad82e3c6d5d8d51f19c" + "hash": "574be31dc4e8a6c435fd89591ef7a0f6" }, { - "title": "OM-Brest: Sampaoli \"très frustré\" par la défaite et un penalty qui \"coûte très cher\"", - "description": "Le scénario du match de l’OM, ultra-dominateur avant de subir le retour des Brestois (défaite 2-1 au Vélodrome), a suscité beaucoup de frustration chez le technicien argentin Jorge Sampaoli.

", - "content": "Le scénario du match de l’OM, ultra-dominateur avant de subir le retour des Brestois (défaite 2-1 au Vélodrome), a suscité beaucoup de frustration chez le technicien argentin Jorge Sampaoli.

", + "title": "Mercato: Icardi veut rester au PSG cet hiver", + "description": "INFO RMC SPORT – En contrat jusqu’en juin 2024, Mauro Icardi n’a aucune intention de quitter le PSG cet hiver selon son entourage. Seule une éventuelle volonté du club parisien de le voir quitter la capitale pourrait l’amener à réfléchir à cette éventualité.

", + "content": "INFO RMC SPORT – En contrat jusqu’en juin 2024, Mauro Icardi n’a aucune intention de quitter le PSG cet hiver selon son entourage. Seule une éventuelle volonté du club parisien de le voir quitter la capitale pourrait l’amener à réfléchir à cette éventualité.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-sampaoli-tres-frustre-par-la-defaite-et-un-penalty-qui-coute-tres-cher_AV-202112040269.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-icardi-veut-rester-au-psg-cet-hiver_AN-202112070289.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 18:53:54 GMT", - "enclosure": "https://images.bfmtv.com/AaT-HyH4aOpDY5BgvepF_D9HpJk=/0x17:1200x692/800x0/images/Jorge-Sampaoli-1181720.jpg", + "pubDate": "Tue, 07 Dec 2021 12:55:53 GMT", + "enclosure": "https://images.bfmtv.com/0FOhT_nomSNYIysvj9-KhSHZL10=/0x106:2000x1231/800x0/images/Pochettino-Icardi-1152737.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39921,17 +44556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "970f21c605815b69b4ca7d3c98befdd7" + "hash": "5792c291704d9f65945a7d0ab2df3587" }, { - "title": "Dortmund-Bayern en direct : les Bavarois s'offrent une victoire cruciale sur le fil", - "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", - "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "title": "Coupe de France: la joie et le soulagement de l’AS Cannet-Rocheville, qui jouera l’OM au Vélodrome", + "description": "Joueurs et dirigeants de l’AS Cannet-Rocheville nagent dans le bonheur depuis qu’ils ont la certitude de pouvoir jouer le 32e de finale face à l’OM au Vélodrome.

", + "content": "Joueurs et dirigeants de l’AS Cannet-Rocheville nagent dans le bonheur depuis qu’ils ont la certitude de pouvoir jouer le 32e de finale face à l’OM au Vélodrome.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-la-joie-et-le-soulagement-de-l-as-cannet-rocheville-qui-jouera-l-om-au-velodrome_AV-202112070286.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", - "enclosure": "https://images.bfmtv.com/HD8MsEJG9z-J16ITXA_EimM_1ic=/0x101:2048x1253/800x0/images/Coman-et-Mueller-avec-le-Bayern-1181736.jpg", + "pubDate": "Tue, 07 Dec 2021 12:51:28 GMT", + "enclosure": "https://images.bfmtv.com/VFzpxMKJEeVYvhWmPu56ZT_ISvM=/0x24:1200x699/800x0/images/-955606.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39941,17 +44576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2a8e03a6deae324a1eefc901e9fe3c7b" + "hash": "cab07c6ae8e2af38eba6c94fe92b6231" }, { - "title": "GP d’Arabie saoudite: la pole pour Hamilton, Verstappen finit dans le mur après une grosse erreur", - "description": "Lewis Hamilton a signé le meilleur temps des qualifications pour le GP d’Arabie saoudite ce samedi. Le pilote britannique de l’écurie Mercedes s’élancera en pole position lors de la course dimanche. Max Verstappen, son rival pour le titre mondial, partira troisième derrière Valtteri Bottas. après avoir heurté le mur.

", - "content": "Lewis Hamilton a signé le meilleur temps des qualifications pour le GP d’Arabie saoudite ce samedi. Le pilote britannique de l’écurie Mercedes s’élancera en pole position lors de la course dimanche. Max Verstappen, son rival pour le titre mondial, partira troisième derrière Valtteri Bottas. après avoir heurté le mur.

", + "title": "Saint-Etienne: Puel, ça pourrait coûter très cher", + "description": "L’éviction de Claude Puel de son poste à Saint-Etienne va coûter cher au club même si les dirigeants préparaient cette issue depuis plusieurs semaines. Et l’ancien manager n’est pas du genre à négocier.

", + "content": "L’éviction de Claude Puel de son poste à Saint-Etienne va coûter cher au club même si les dirigeants préparaient cette issue depuis plusieurs semaines. Et l’ancien manager n’est pas du genre à négocier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-la-pole-pour-hamilton-verstappen-finit-dans-le-mur-apres-une-grosse-erreur_AV-202112040263.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-possible-cout-tres-eleve-de-l-eviction-de-claude-puel_AV-202112070285.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 18:35:36 GMT", - "enclosure": "https://images.bfmtv.com/M54EJlvaUQpgHAoBkDr5vxiZlwE=/0x150:2048x1302/800x0/images/Lewis-Hamilton-lors-des-qualifications-du-GP-d-Arabie-saoudite-1181707.jpg", + "pubDate": "Tue, 07 Dec 2021 12:49:20 GMT", + "enclosure": "https://images.bfmtv.com/Oz0v1_InO8AwRKRav1-6lbt9NHk=/6x167:2038x1310/800x0/images/Claude-Puel-1183413.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39961,17 +44596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9ae0edccf9b640b60556706f88a5fe8" + "hash": "db1801993885cb5f72f80cf71d689555" }, { - "title": "Ligue 1: terrible rechute pour l'OM, Brest poursuit son incroyable série", - "description": "Ultra-dominateur en première période, l'OM a pourtant été piégé ce samedi au Vélodrome par Brest (2-1), qui a confirmé son excellente forme actuelle.

", - "content": "Ultra-dominateur en première période, l'OM a pourtant été piégé ce samedi au Vélodrome par Brest (2-1), qui a confirmé son excellente forme actuelle.

", + "title": "Premier League: Saint-Maximin a offert une montre d'une grande valeur à un fan de Newcastle", + "description": "Titulaire indiscutable à Newcastle, Allan Saint-Maximin est depuis son arrivée, en 2019, un joueur grandement apprécié par les supporters. Pour le remercier de son affection fidèle au club, le joueur français a même offert à un fan une montre estimée à plus de 2000 euros.

", + "content": "Titulaire indiscutable à Newcastle, Allan Saint-Maximin est depuis son arrivée, en 2019, un joueur grandement apprécié par les supporters. Pour le remercier de son affection fidèle au club, le joueur français a même offert à un fan une montre estimée à plus de 2000 euros.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-terrible-rechute-pour-l-om-brest-poursuit-son-incroyable-serie_AV-202112040255.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-saint-maximin-a-offert-une-montre-d-une-grande-valeur-a-un-fan-de-newcastle_AV-202112070281.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 18:18:34 GMT", - "enclosure": "https://images.bfmtv.com/NZkE1HBWOkfH3XnBOItDfsD6XO4=/0x0:1200x675/800x0/images/Franck-Honorat-1181694.jpg", + "pubDate": "Tue, 07 Dec 2021 12:35:23 GMT", + "enclosure": "https://images.bfmtv.com/nUkeHcmaDsFJGKOeDMu3cRVnFbM=/0x0:1200x675/800x0/images/Allan-Saint-Maximin-1157533.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -39981,17 +44616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a9e906075cea4bf2aa20441d6c1ac5e" + "hash": "f3426de37d3c6c8ef76a0651aa773208" }, { - "title": "GP d'Arabie saoudite en direct: Hamilton en pole, Verstappen part à la faute", - "description": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", - "content": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", + "title": "Les grandes interviews RMC Sport: le sacre de la Coupe du monde 2018 avec Guy Stéphan", + "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Retour ce mardi sur l’invitation de Guy Stéphan, adjoint de Didier Deschamps en équipe de France, dans l’émission Le Vestiaire quelques semaines après le sacre mondial en 2018.

", + "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Retour ce mardi sur l’invitation de Guy Stéphan, adjoint de Didier Deschamps en équipe de France, dans l’émission Le Vestiaire quelques semaines après le sacre mondial en 2018.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-en-direct-verstappen-hamilton-avant-dernier-duel-pour-le-titre_LN-202112040175.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/les-grandes-interviews-rmc-sport-le-sacre-de-la-coupe-du-monde-2018-avec-guy-stephan_AV-202112070276.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:49:10 GMT", - "enclosure": "https://images.bfmtv.com/HGm11AmVQPJyCdBIg-oXdI-WEQs=/0x0:2048x1152/800x0/images/Lewis-Hamilton-en-Arabie-saoudite-1181592.jpg", + "pubDate": "Tue, 07 Dec 2021 12:19:14 GMT", + "enclosure": "https://images.bfmtv.com/N1L19F3NMu-hfyuDcgqOJdRUYco=/0x36:2048x1188/800x0/images/Guy-Stephan-1183376.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40001,17 +44636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d8a5d9f3f66a3be50aca1744f7777fc" + "hash": "c11af1f128fb982a2218d726d1e698aa" }, { - "title": "Lens-PSG: Mbappé remplaçant face aux Lensois (et c'est un événement)", - "description": "Mauricio Pochettino a décidé de faire souffler son attaquant Kylian Mbappé qui sera remplaçant lors du match entre le PSG et Lens, samedi soir à Bollaert pour le compte de la 17eme journée de Ligue 1.

", - "content": "Mauricio Pochettino a décidé de faire souffler son attaquant Kylian Mbappé qui sera remplaçant lors du match entre le PSG et Lens, samedi soir à Bollaert pour le compte de la 17eme journée de Ligue 1.

", + "title": "Ligue des champions en direct: le groupe du PSG avec Kimpembe", + "description": "Dernier match de poule de Ligue des champions pour le PSG face à Bruges. les Parisiens sont assurés de terminer à la deuxième place de leur poule mais doivent rassurer sur leur jeu. Coup d'envoi à 18h45 sur RMC Sport.

", + "content": "Dernier match de poule de Ligue des champions pour le PSG face à Bruges. les Parisiens sont assurés de terminer à la deuxième place de leur poule mais doivent rassurer sur leur jeu. Coup d'envoi à 18h45 sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-mbappe-remplacant-face-aux-lensois_AV-202112040242.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/ligue-des-champions-en-direct-psg-bruges-pour-bien-finir_LS-202112070193.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:21:00 GMT", - "enclosure": "https://images.bfmtv.com/esQSanv8sqMNMt7gBvJiv6la9b8=/0x106:2048x1258/800x0/images/Kylian-Mbappe-sur-le-banc-1181672.jpg", + "pubDate": "Tue, 07 Dec 2021 09:58:59 GMT", + "enclosure": "https://images.bfmtv.com/vBuHDJwAAt6xYsczaIt0A9uxgX8=/14x219:2046x1362/800x0/images/Bruges-PSG-le-15-09-2021-1130432.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40021,17 +44656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ec51ae805cbdeac846c33650308b2e8" + "hash": "6116d609e2c94230b872fd38de8072fc" }, { - "title": "Liga: le Barça perd gros face au Betis, première défaite pour Xavi", - "description": "Sans inspiration malgré une entrée en jeu convaincante d’Ousmane Dembélé, le FC Barcelone s’est incliné 1-0 face au Betis Séville samedi au Camp Nou lors de la 16eme journée de Liga. Une très mauvaise affaire pour Xavi qui concède sa première défaite sur le banc du Barça.

", - "content": "Sans inspiration malgré une entrée en jeu convaincante d’Ousmane Dembélé, le FC Barcelone s’est incliné 1-0 face au Betis Séville samedi au Camp Nou lors de la 16eme journée de Liga. Une très mauvaise affaire pour Xavi qui concède sa première défaite sur le banc du Barça.

", + "title": "F1: le père de Verstappen fait monter la pression autour de la crainte d'un accrochage avec Hamilton", + "description": "Le père de Max Verstappen a indiqué que son fils fera tout ce qui est en son pouvoir pour remporter la victoire, alors qu’un accident entre le Néerlandais et Lewis Hamilton est redouté par la FIA.

", + "content": "Le père de Max Verstappen a indiqué que son fils fera tout ce qui est en son pouvoir pour remporter la victoire, alors qu’un accident entre le Néerlandais et Lewis Hamilton est redouté par la FIA.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-barca-perd-gros-face-au-betis-premiere-defaite-pour-xavi_AV-202112040231.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-le-pere-de-verstappen-fait-monter-la-pression-autour-de-la-crainte-d-un-accrochage-avec-hamilton_AV-202112070191.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:20:07 GMT", - "enclosure": "https://images.bfmtv.com/TU7ufDh5yy27N3bH8wXJsnI8_kE=/0x0:2048x1152/800x0/images/Ousmane-Dembele-face-au-Betis-Seville-1181650.jpg", + "pubDate": "Tue, 07 Dec 2021 09:56:30 GMT", + "enclosure": "https://images.bfmtv.com/9av2vLrwxvsKYdCAxEUlzGthMDA=/0x0:1200x675/800x0/images/Jos-Verstappen-et-Max-Verstappen-1183276.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40041,17 +44676,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0795387e24055088267623878fe5a52f" + "hash": "b664b91005b2648a5fc706e38804fa46" }, { - "title": "Premier League: Origi sauve Liverpool à Wolverhampton, les Reds leaders", - "description": "Liverpool s’est contenté d’un succès sur la plus petite des marges (1-0) ce samedi sur le terrain des Wolves lors de la 15e journée de Premier League. Avec cette victoire précieuse, les Reds s’emparent de la place de leader du championnat après la défaite de Chelsea.

", - "content": "Liverpool s’est contenté d’un succès sur la plus petite des marges (1-0) ce samedi sur le terrain des Wolves lors de la 15e journée de Premier League. Avec cette victoire précieuse, les Reds s’emparent de la place de leader du championnat après la défaite de Chelsea.

", + "title": "Affaire Hamraoui en direct: Diallo et Hamraoui, les retrouvailles à l'entraînement collectif", + "description": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", + "content": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-origi-sauve-liverpool-a-wolverhampton-les-reds-leaders_AV-202112040230.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-en-direct-les-dernieres-infos-un-mois-apres-l-agression_LN-202112030167.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:18:04 GMT", - "enclosure": "https://images.bfmtv.com/7xEdYAtpW3q8JdLpqCNXGif3EHs=/0x17:2048x1169/800x0/images/La-joie-de-Divock-Origi-apres-le-but-de-la-victoire-des-Reds-a-Wolverhampton-1181648.jpg", + "pubDate": "Fri, 03 Dec 2021 09:08:41 GMT", + "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40061,37 +44696,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "aefe5e51bb72cdd7e08d5c067aeeb93d" + "hash": "15d743b7bd1c2272a12b95bb33791ba4" }, { - "title": "Chelsea: Tuchel admet \"une période difficile\" pour Mendy et parle de \"perte de confiance\"", - "description": "Edouard Mendy est loin d’avoir affiché son meilleur niveau lors de la défaite de Chelsea face à West Ham (3-2) ce samedi en Premier League. Après le match, Thomas Tuchel a confirmé que son gardien traverse \"une période difficile\".

", - "content": "Edouard Mendy est loin d’avoir affiché son meilleur niveau lors de la défaite de Chelsea face à West Ham (3-2) ce samedi en Premier League. Après le match, Thomas Tuchel a confirmé que son gardien traverse \"une période difficile\".

", + "title": "PSG: Hamraoui et Diallo, les retrouvailles avec le groupe ce mardi", + "description": "Didier Ollé-Nicolle, l'entraîneur de l’équipe féminine du PSG, a annoncé le retour de Kheira Hamraoui et Aminata Diallo avec le groupe, ce mardi, un mois après l’agression subie par la première nommée sous les yeux de la seconde.

", + "content": "Didier Ollé-Nicolle, l'entraîneur de l’équipe féminine du PSG, a annoncé le retour de Kheira Hamraoui et Aminata Diallo avec le groupe, ce mardi, un mois après l’agression subie par la première nommée sous les yeux de la seconde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-tuchel-admet-une-periode-difficile-pour-mendy-et-parle-de-perte-de-confiance_AV-202112040229.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/psg-hamraoui-et-diallo-les-retrouvailles-avec-le-groupe-ce-mardi_AV-202112070175.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:17:11 GMT", - "enclosure": "https://images.bfmtv.com/DR5Y8J8ET5Bm3HIbhobehya74Qk=/255x106:2031x1105/800x0/images/Edouard-Mendy-1155311.jpg", + "pubDate": "Tue, 07 Dec 2021 09:14:16 GMT", + "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6667c90f48fe5f296a9c8a4d10f71b27" + "hash": "c589bb21edc2d42bcc6e17de3953fbdf" }, { - "title": "Premier League: première victoire de Newcastle, face à Burnley", - "description": "Après sept défaites et sept matchs nuls en Premier League, Newcastle a connu ce samedi sa première victoire de la saison face à Burnley en gagnant 1-0. C’est l’attaquant Callum Wilson qui a inscrit le seul but de la rencontre.

", - "content": "Après sept défaites et sept matchs nuls en Premier League, Newcastle a connu ce samedi sa première victoire de la saison face à Burnley en gagnant 1-0. C’est l’attaquant Callum Wilson qui a inscrit le seul but de la rencontre.

", + "title": "PSG: la photo de Zidane à Paris qui fait beaucoup parler", + "description": "Youri Djorkaeff a posté lundi soir une photo prise à Paris en compagnie de certains champions du monde 1998, dont Zinédine Zidane. Un cliché particulièrement remarqué à l’heure où le nom de \"Zizou\" circule dans la sphère du PSG.

", + "content": "Youri Djorkaeff a posté lundi soir une photo prise à Paris en compagnie de certains champions du monde 1998, dont Zinédine Zidane. Un cliché particulièrement remarqué à l’heure où le nom de \"Zizou\" circule dans la sphère du PSG.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-premiere-victoire-de-newcastle-face-a-burnley_AV-202112040247.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-la-photo-de-zidane-a-paris-qui-fait-beaucoup-parler_AV-202112070171.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:16:00 GMT", - "enclosure": "https://images.bfmtv.com/mE5vL_bptE56dxgTw560yR-ZsT4=/0x76:2048x1228/800x0/images/Newcastle-1181657.jpg", + "pubDate": "Tue, 07 Dec 2021 09:03:48 GMT", + "enclosure": "https://images.bfmtv.com/I3Sb4DIYuErlJx-F4h3ZkwpqMX4=/0x22:2048x1174/800x0/images/Zinedine-Zidane-1175362.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40101,37 +44736,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "65294301d8d7b9fdbbeec6e8f7249c22" + "hash": "0c06068633f2a4fcffee147254f81328" }, { - "title": "Chelsea: Silva regrette le nombre de changements autorisés en Premier League", - "description": "Face à West Ham, Chelsea a connu ce samedi sa deuxième défaite en Premier League (3-2). En zone mixte, le défenseur Thiago Silva est revenu sur cette rencontre mais a surtout regretté le fait que la Premier League n’autorise aux équipes que trois changements. Dans d’autres championnats, ce chiffre s’élève à cinq.

", - "content": "Face à West Ham, Chelsea a connu ce samedi sa deuxième défaite en Premier League (3-2). En zone mixte, le défenseur Thiago Silva est revenu sur cette rencontre mais a surtout regretté le fait que la Premier League n’autorise aux équipes que trois changements. Dans d’autres championnats, ce chiffre s’élève à cinq.

", + "title": "OM: Milik, Kamara, Guendouzi... Longoria en dit plus sur les dossiers chauds du mercato", + "description": "Pablo Longoria, président de l'OM, dont il fut auparavant le directeur sportif, a évoqué dans une interview à L'Equipe toutes les négociations en cours concernant les joueurs prêtés à l'OM cette saison. Il est aussi question de Boubacar Kamara, un dossier complexe.

", + "content": "Pablo Longoria, président de l'OM, dont il fut auparavant le directeur sportif, a évoqué dans une interview à L'Equipe toutes les négociations en cours concernant les joueurs prêtés à l'OM cette saison. Il est aussi question de Boubacar Kamara, un dossier complexe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-silva-regrette-le-nombre-de-changements-autorises-en-premier-league_AV-202112040216.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/om-milik-kamara-guendouzi-longoria-en-dit-plus-sur-les-dossiers-chauds-du-mercato_AV-202112070164.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:48:48 GMT", - "enclosure": "https://images.bfmtv.com/IaSI1NUSwUlxtKSHEqxjIqupEQE=/255x0:2031x999/800x0/images/Thiago-Silva-1021136.jpg", + "pubDate": "Tue, 07 Dec 2021 08:55:25 GMT", + "enclosure": "https://images.bfmtv.com/kR2YAnKepwQGUK3cwCgBeIO5WsU=/0x22:2048x1174/800x0/images/Arkadiusz-MILIK-1160235.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e163459640077899fa6faaf138b2612" + "hash": "bdb87a2889b7747be966192e1037933d" }, { - "title": "Biathlon: Bescond \"hyper satisfaite\" après sa 2e place à la poursuite", - "description": "A trois mois des Jeux olympiques d'hiver à Pékin, la Française Anaïs Bescond savoure sa deuxième place décrochée à la poursuite d'Östersund samedi, dans le cadre de la Coupe du monde de biathlon.

", - "content": "A trois mois des Jeux olympiques d'hiver à Pékin, la Française Anaïs Bescond savoure sa deuxième place décrochée à la poursuite d'Östersund samedi, dans le cadre de la Coupe du monde de biathlon.

", + "title": "Ligue des champions: la nomination d’Aytekin pour un rival du Barça interpelle la presse madrilène", + "description": "La nomination de l’arbitre allemand Deniz Aytekin pour la rencontre entre le Benfica et le Dinamo Kiev, ce mardi (21h) en Ligue des champions amuse la presse madrilène qui rappelle son passif avec le Barça, en lutte à distance avec le Benfica pour la qualification pour les huitièmes.

", + "content": "La nomination de l’arbitre allemand Deniz Aytekin pour la rencontre entre le Benfica et le Dinamo Kiev, ce mardi (21h) en Ligue des champions amuse la presse madrilène qui rappelle son passif avec le Barça, en lutte à distance avec le Benfica pour la qualification pour les huitièmes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-anais-bescond-hyper-satisfaite-apres-sa-2e-place-a-la-poursuite_AV-202112040206.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-la-nomination-d-aytekin-pour-un-rival-du-barca-interpelle-la-presse-madrilene_AV-202112070162.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:36:31 GMT", - "enclosure": "https://images.bfmtv.com/OT_a2rhZtYnm3HJCZOYsvcwX3B4=/0x0:2032x1143/800x0/images/Anais-Bescond-1181612.jpg", + "pubDate": "Tue, 07 Dec 2021 08:51:59 GMT", + "enclosure": "https://images.bfmtv.com/FZvOEmHETNVri4I1g_ff3txip5A=/0x55:2048x1207/800x0/images/Deniz-Aytekin-1183243.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40141,17 +44776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "645bba89add2e9c18c1670b5ee713223" + "hash": "5f2e37bc03f5307464ad3d1162e9a597" }, { - "title": "Biathlon: les Bleus deuxièmes du relais d'Östersund", - "description": "Fabien Claude, Emilien Jacquelin, Simon Desthieux et Quentin Fillon Maillet ont terminé à la deuxième place du relais d’Östersund (Suède). La victoire revient à la Norvège, impériale au tir. Longtemps deuxième, la Russie termine sur la troisième marche du podium.

", - "content": "Fabien Claude, Emilien Jacquelin, Simon Desthieux et Quentin Fillon Maillet ont terminé à la deuxième place du relais d’Östersund (Suède). La victoire revient à la Norvège, impériale au tir. Longtemps deuxième, la Russie termine sur la troisième marche du podium.

", + "title": "JO 2022 de Pékin: la colère de la Chine après le boycott diplomatique des Etats-Unis", + "description": "La Chine a exprimé sa colère mardi après l'annonce par les Etats-Unis d'un \"boycott diplomatique\" des Jeux olympiques d'hiver 2022 de Pékin au nom de la défense des droits de l'Homme.

", + "content": "La Chine a exprimé sa colère mardi après l'annonce par les Etats-Unis d'un \"boycott diplomatique\" des Jeux olympiques d'hiver 2022 de Pékin au nom de la défense des droits de l'Homme.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-les-bleus-deuxiemes-du-relais-d-ostersund_AD-202112040197.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-2022-de-pekin-la-colere-de-la-chine-apres-le-boycott-diplomatique-des-etats-unis_AD-202112070155.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:14:30 GMT", - "enclosure": "https://images.bfmtv.com/FzGTHUDQuH-uxRjOFlDvaBsnxQc=/0x106:2048x1258/800x0/images/Fillon-Maillet-Claude-Desthieux-et-Jacquelin-1181597.jpg", + "pubDate": "Tue, 07 Dec 2021 08:35:41 GMT", + "enclosure": "https://images.bfmtv.com/OUWnt6k3Hvr2Ew1zq4JTglcaWvg=/0x32:768x464/800x0/images/Les-Etats-Unis-n-enverront-aucun-representant-diplomatique-aux-Jeux-olympiques-et-paralympiques-d-hiver-de-Pekin-de-2022-1182975.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40161,17 +44796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b40d8a81847afa8b4d127a769f18dfcf" + "hash": "a704f8ea20c796e6fe390d37fab63c20" }, { - "title": "Rugby à 7: les Bleus au pied du podium à Dubaï, les Bleues encore en bronze", - "description": "L'équipe de France masculine de rugby à 7 a échoué à la quatrième place du tournoi de Dubaï, deuxième manche de la saison. Les Bleues ont dominé la Russie en petite finale, pour monter sur le podium, comme lors de la première étape.

", - "content": "L'équipe de France masculine de rugby à 7 a échoué à la quatrième place du tournoi de Dubaï, deuxième manche de la saison. Les Bleues ont dominé la Russie en petite finale, pour monter sur le podium, comme lors de la première étape.

", + "title": "PSG-Bruges: \"Leonardo ne voulait pas me vendre\", assure Nsoki", + "description": "Dans une interview accordée au Parisien, en marge de la réception de Bruges au Parc des Princes (18h45), en Ligue des champions, l’ancien défenseur du PSG, Stanley Nsoki, est revenu sur ses années parisiennes, et notamment les raisons de son départ à l’été 2019.

", + "content": "Dans une interview accordée au Parisien, en marge de la réception de Bruges au Parc des Princes (18h45), en Ligue des champions, l’ancien défenseur du PSG, Stanley Nsoki, est revenu sur ses années parisiennes, et notamment les raisons de son départ à l’été 2019.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/rugby-a-7-les-bleus-au-pied-du-podium-a-dubai-les-bleues-encore-en-bronze_AV-202112040194.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-leonardo-ne-voulait-pas-me-vendre-assure-nsoki_AV-202112070149.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:12:11 GMT", - "enclosure": "https://images.bfmtv.com/bN11mYu8Q05gedJ7F7NIfIhF6uY=/0x0:1200x675/800x0/images/L-equipe-de-France-masculine-de-rugby-a-7-1181594.jpg", + "pubDate": "Tue, 07 Dec 2021 08:28:18 GMT", + "enclosure": "https://images.bfmtv.com/RlrOUgeugOrklaFZVJi5Hs5CHhQ=/0x0:1200x675/800x0/images/Stanley-Nsoki-1183229.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40181,17 +44816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f173236df3d7d4e4ae13c1a52cd33deb" + "hash": "87ebb99bc0b23ded445931660c7bcbc4" }, { - "title": "OM-Brest, les compos: Payet est bien là, Milik encore sur le banc", - "description": "Longtemps incertain pour la réception de Brest ce samedi, Dimitri Payet est bien titulaire dans le onze de l’OM. A l’inverse, Jorge Sampaoli a encore choisi de se passer d’Arkadiusz Milik au coup d’envoi de ce match de la 17e journée de Ligue 1, au Vélodrome.

", - "content": "Longtemps incertain pour la réception de Brest ce samedi, Dimitri Payet est bien titulaire dans le onze de l’OM. A l’inverse, Jorge Sampaoli a encore choisi de se passer d’Arkadiusz Milik au coup d’envoi de ce match de la 17e journée de Ligue 1, au Vélodrome.

", + "title": "Ligue des champions: Match à trois Porto-Atlético-Milan, choc Real-Inter, les enjeux de la soirée", + "description": "Dernière journée des matchs de poule de Ligue des champions et la tension est à son maximun dans deux groupes. Le PSG, lui, affronte Bruges sur RMC Sport à 18h45.

", + "content": "Dernière journée des matchs de poule de Ligue des champions et la tension est à son maximun dans deux groupes. Le PSG, lui, affronte Bruges sur RMC Sport à 18h45.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-les-compos-payet-est-bien-la-milik-encore-sur-le-banc_AV-202112040187.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions-match-a-trois-porto-atletico-milan-choc-real-inter-les-enjeux-de-la-soiree_AD-202112070127.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:42:49 GMT", - "enclosure": "https://images.bfmtv.com/lAsDxStLM8ahkQtGs-E_TefhH3k=/0x0:2048x1152/800x0/images/Arkadiusz-Milik-avec-l-OM-1181586.jpg", + "pubDate": "Tue, 07 Dec 2021 07:53:18 GMT", + "enclosure": "https://images.bfmtv.com/1C4mWSIMd3cIoO-NRhiVLUAiqts=/0x39:768x471/800x0/images/Le-Neerlandais-Stefan-de-Vrij-a-la-lutte-avec-le-Francais-Karim-Benzema-lors-du-match-aller-de-Ligue-des-champions-entre-Inter-Milan-et-Real-Madrid-le-15-septembre-2021-au-stade-San-Siro-de-Milan-1183128.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40201,17 +44836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a3434be0a5ee9c555863b3f9f1f5b1f7" + "hash": "03f6f5042cd595512a991775d248599d" }, { - "title": "Rennes: des peines de prison contre deux jeunes qui projetaient un attentat au Roazhon Park", - "description": "La cour d’assises des mineurs de Paris a condamné ce vendredi deux individus à dix et six ans de prison ferme pour avoir projeté un attentat contre le Roazhon Park de Rennes. Les deux hommes, désormais âgés de 21 ans, prévoyaient également de partir combattre en Syrie.

", - "content": "La cour d’assises des mineurs de Paris a condamné ce vendredi deux individus à dix et six ans de prison ferme pour avoir projeté un attentat contre le Roazhon Park de Rennes. Les deux hommes, désormais âgés de 21 ans, prévoyaient également de partir combattre en Syrie.

", + "title": "PSG-Bruges: à quelle heure et sur quelle chaîne regarder le match de Ligue des champions", + "description": "Le PSG reçoit le FC Bruges, ce mardi (18h45) lors de la sixième et dernière journée de la phase de poule de la Ligue des champions en étant déjà qualifié pour les huitièmes de finale. Un horaire inhabituel.

", + "content": "Le PSG reçoit le FC Bruges, ce mardi (18h45) lors de la sixième et dernière journée de la phase de poule de la Ligue des champions en étant déjà qualifié pour les huitièmes de finale. Un horaire inhabituel.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/rennes-des-peines-de-prison-contre-deux-jeunes-qui-projetaient-un-attentat-au-roazhon-park_AV-202112040180.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-a-quelle-heure-et-sur-quelle-chaine-regarder-le-match-de-ligue-des-champions_AV-202112070118.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:12:00 GMT", - "enclosure": "https://images.bfmtv.com/9oOtYlAZthFtwQF8OuTH1QTk7DQ=/308x554:1732x1355/800x0/images/Le-Roazhon-Park-de-Rennes-1181577.jpg", + "pubDate": "Tue, 07 Dec 2021 07:44:08 GMT", + "enclosure": "https://images.bfmtv.com/jFeytpIb6f-gRg_fEge4pMsHaUM=/0x14:2048x1166/800x0/images/Lionel-Messi-a-l-entrainement-1183192.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40221,17 +44856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e4e8a2fc2b3a6f32f533dd90711f7f98" + "hash": "9a84dace584e7a4ab7baabb1eb0f42d3" }, { - "title": "Premier League: battu par West Ham, Chelsea peut perdre sa place de leader", - "description": "Au terme d’un derby londonien animé, Chelsea a connu ce samedi sa deuxième défaite de la saison face à West Ham (3-2). Malgré les buts de Thiago Silva et Mason Mount, les Blues ont vu les Hammers revenir au score et Masuaku les crucifier en fin de match. Une mauvaise opération pour le leader de Premier League, qui pourrait perdre cette place en cas de succès de Manchester City et Liverpool.

", - "content": "Au terme d’un derby londonien animé, Chelsea a connu ce samedi sa deuxième défaite de la saison face à West Ham (3-2). Malgré les buts de Thiago Silva et Mason Mount, les Blues ont vu les Hammers revenir au score et Masuaku les crucifier en fin de match. Une mauvaise opération pour le leader de Premier League, qui pourrait perdre cette place en cas de succès de Manchester City et Liverpool.

", + "title": "Tottenham: les Spurs déplorent huit cas positifs au Covid-19, selon la presse anglaise", + "description": "L’information n’est pas encore confirmée par le club de Tottenham, mais le Times révèle ce mardi que la pandémie de Covid-19 a réalisé une percée dans les rangs des Spurs. Six joueurs seraient touchés avant la réception de Rennes en Ligue Europa Conférence.

", + "content": "L’information n’est pas encore confirmée par le club de Tottenham, mais le Times révèle ce mardi que la pandémie de Covid-19 a réalisé une percée dans les rangs des Spurs. Six joueurs seraient touchés avant la réception de Rennes en Ligue Europa Conférence.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-battu-par-west-ham-chelsea-peut-perdre-sa-place-de-leader_AV-202112040173.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-les-spurs-deplorent-huit-cas-positifs-au-covid-19-selon-la-presse-anglaise_AV-202112070117.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:39:38 GMT", - "enclosure": "https://images.bfmtv.com/weFo3b-o6xLniim5Kbc-RPxnPSE=/0x0:2048x1152/800x0/images/Thomas-Tuchel-1161150.jpg", + "pubDate": "Tue, 07 Dec 2021 07:43:08 GMT", + "enclosure": "https://images.bfmtv.com/-2wDRIgTqr2KM2c0Lf2KYweeiuo=/0x0:1200x675/800x0/images/Antonio-Conte-1183179.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40241,17 +44876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8774f64637e9179aa6a1366b3189cb85" + "hash": "01c0a324fec049b75b538d8d7d972ddf" }, { - "title": "Lens-PSG en direct: Fofana surprend Paris, le RCL est récompensé de ses efforts", - "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", - "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", + "title": "Mercato en direct: Milik, Guendouzi, Ünder, Kamara... Longoria et les dossiers chauds de l'OM", + "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", - "enclosure": "https://images.bfmtv.com/JKg6vMg52ZHeyIH1Mq_vBJbZYr4=/0x55:2048x1207/800x0/images/Messi-lors-de-Lens-PSG-1181764.jpg", + "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", + "enclosure": "https://images.bfmtv.com/lAsDxStLM8ahkQtGs-E_TefhH3k=/0x0:2048x1152/800x0/images/Arkadiusz-Milik-avec-l-OM-1181586.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40261,17 +44896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "efa0bc97bc2d62ed227c52b7a685e4c5" + "hash": "425671c5b2cea49b465d64d0e0b6b06b" }, { - "title": "OM-Brest en direct: Marseille surpris à domicile par de surprenants bretons", - "description": "Marseille s'écroule à domicile face à Brest après avoir mené 1-0. Score final 2 à 1 pour les Bretons qui enchainent une 6e victoire d’affilée en Ligue 1.

", - "content": "Marseille s'écroule à domicile face à Brest après avoir mené 1-0. Score final 2 à 1 pour les Bretons qui enchainent une 6e victoire d’affilée en Ligue 1.

", + "title": "Boxe: Tommy Fury renonce à son combat face au Youtuber Jake Paul", + "description": "Tommy Fury, demi-frère de la star britannique Tyson, a renoncé à son combat face au Youtuber Jake Paul, initialement prévu le 18 décembre prochain, en raison d’une infection thoracique et d’une côté cassée.

", + "content": "Tommy Fury, demi-frère de la star britannique Tyson, a renoncé à son combat face au Youtuber Jake Paul, initialement prévu le 18 décembre prochain, en raison d’une infection thoracique et d’une côté cassée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-en-direct-les-marseillais-veulent-enchainer-lors-de-la-17e-journee-de-ligue-1_LS-202112040169.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-tommy-fury-renonce-a-son-combat-face-au-youtuber-jake-paul_AV-202112070073.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:29:46 GMT", - "enclosure": "https://images.bfmtv.com/6f4jCR5goy_5sWwk0KEwt5z-vw0=/0x65:2048x1217/800x0/images/Harit-etPierre-Gabriel-lors-d-OM-Brest-1181658.jpg", + "pubDate": "Tue, 07 Dec 2021 06:55:04 GMT", + "enclosure": "https://images.bfmtv.com/t6mYiZ1K7p9QhSRRDpG86CjMVTk=/0x135:2048x1287/800x0/images/Tommy-Fury-1183140.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40281,37 +44916,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c3e22d2dc6ede481b163252d6119aaa" + "hash": "d136026993687e15d67bfed22c1a02c3" }, { - "title": "Manchester United: Ibrahimovic scandalisé après avoir dû payer... un jus de fruit", - "description": "Zlatan Ibrahimovic n'a toujours pas digéré d'avoir dû payer un jus de fruit à une livre sterling, lors d'un déplacement avec Manchester United. Dans son livre, le Suédois considère que cette anecdote est la conséquence de la \"petite mentalité\" du club anglais.

", - "content": "Zlatan Ibrahimovic n'a toujours pas digéré d'avoir dû payer un jus de fruit à une livre sterling, lors d'un déplacement avec Manchester United. Dans son livre, le Suédois considère que cette anecdote est la conséquence de la \"petite mentalité\" du club anglais.

", + "title": "Hand: Didier Dinart nommé sélectionneur de l'Arabie saoudite", + "description": "L'ancien patron de la défense des Bleus et ex-sélectionneur de l'équipe de France masculine de handball, Didier Dinart, a été nommé à la tête de la sélection de l'Arabie Saoudite.

", + "content": "L'ancien patron de la défense des Bleus et ex-sélectionneur de l'équipe de France masculine de handball, Didier Dinart, a été nommé à la tête de la sélection de l'Arabie Saoudite.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ibrahimovic-scandalise-apres-avoir-du-payer-un-jus-de-fruit_AV-202112040164.html", + "link": "https://rmcsport.bfmtv.com/handball/hand-didier-dinart-nomme-selectionneur-de-l-arabie-saoudite_AV-202112070069.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:16:38 GMT", - "enclosure": "https://images.bfmtv.com/0YbQJAuwbQuRlBYaLjtTEWJqxR8=/0x55:2048x1207/800x0/images/Ibrahimovic-1181539.jpg", + "pubDate": "Tue, 07 Dec 2021 06:49:12 GMT", + "enclosure": "https://images.bfmtv.com/G9bZIIYMtNb7A4kAXXGHhnG_09k=/0x124:1200x799/800x0/images/Didier-Dinart-1183133.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "36c1095ab1739de5a8a88410041f4316" + "hash": "071fb543f39774d2ee8b3c10522da82e" }, { - "title": "Ecosse: un homme arrêté après avoir lancé une bouteille sur un joueur", - "description": "Ancien joueur des Rangers, Barrie McKay a reçu une bouteille lors d'un match du championnat écossais entre son équipe de Heart of Midlothian et le Celtic. Une enquête a été ouverte et un homme a été arrêté.

", - "content": "Ancien joueur des Rangers, Barrie McKay a reçu une bouteille lors d'un match du championnat écossais entre son équipe de Heart of Midlothian et le Celtic. Une enquête a été ouverte et un homme a été arrêté.

", + "title": "Ligue 1 en direct: Longoria craint des conséquences si OL-OM est à rejouer", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ecosse-un-homme-arrete-apres-avoir-lance-une-bouteille-sur-un-joueur_AV-202112040160.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:06:47 GMT", - "enclosure": "https://images.bfmtv.com/3X4VU-3pV6r7ntSDxirE8xuJMwo=/0x0:1024x576/800x0/images/Barrie-McKay-victime-d-un-jet-de-bouteille-1181516.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40321,17 +44956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c37943a2428ac738d5bf347177af1f0" + "hash": "4752aa0b6a4cfd84267d8a5fe2c240b2" }, { - "title": "Les pronos hippiques du dimanche 5 décembre 2021", - "description": "Le Quinté+ du dimanche 5 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du dimanche 5 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Incidents OL-OM: Longoria redoute des conséquences si le match est à rejouer", + "description": "Pablo Longoria, président de Marseille, met en garde sur les conséquences des sanctions qui seront prises, mercredi par la commission de discipline sur les incidents du match entre l’OL et l’OM, le 21 novembre dernier.

", + "content": "Pablo Longoria, président de Marseille, met en garde sur les conséquences des sanctions qui seront prises, mercredi par la commission de discipline sur les incidents du match entre l’OL et l’OM, le 21 novembre dernier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-dimanche-5-decembre-2021_AN-202112040143.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-longoria-redoute-des-consequences-si-le-match-est-a-rejouer_AV-202112070053.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 13:20:18 GMT", - "enclosure": "https://images.bfmtv.com/IKkf27eu21JWF2d6zd6uFKOIG3Y=/0x42:800x492/800x0/images/Les-pronos-hippiques-du-5-decembre-2021-1181092.jpg", + "pubDate": "Tue, 07 Dec 2021 06:30:38 GMT", + "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40341,17 +44976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "470f8d6bfb8a9a9dc724320aafc3e69a" + "hash": "85b4ab11bfa148ee2cae366a62824ebe" }, { - "title": "PSG: Messi assure qu'il n'a \"jamais cherché à être le meilleur\"", - "description": "Lionel Messi affirme, dans une interview accordée à France Football, ne pas être \"intéressé\" de savoir s'il est le meilleur joueur du monde ou non. \"Je n'accorde pas tellement d'importance à tout ça\", dit-il.

", - "content": "Lionel Messi affirme, dans une interview accordée à France Football, ne pas être \"intéressé\" de savoir s'il est le meilleur joueur du monde ou non. \"Je n'accorde pas tellement d'importance à tout ça\", dit-il.

", + "title": "OL: Accord de \"naming\" entre OL Groupe et LDLC pour la future arena", + "description": "OL Groupe, la holding de l'Olympique lyonnais, et le distributeur de produits de haute technologie LDLC ont annoncé, lundi, un accord de \"naming\" pour la future salle multifonctions de l'OL. 

", + "content": "OL Groupe, la holding de l'Olympique lyonnais, et le distributeur de produits de haute technologie LDLC ont annoncé, lundi, un accord de \"naming\" pour la future salle multifonctions de l'OL. 

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-assure-qu-il-n-a-jamais-cherche-a-etre-le-meilleur_AV-202112040135.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-accord-de-naming-entre-ol-groupe-et-ldlc-pour-la-future-arena_AV-202112070046.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 12:39:19 GMT", - "enclosure": "https://images.bfmtv.com/65hvHoWyoz3ftaSAdyDveczaOd4=/0x0:1200x675/800x0/images/Lionel-Messi-1179555.jpg", + "pubDate": "Tue, 07 Dec 2021 06:21:10 GMT", + "enclosure": "https://images.bfmtv.com/fkkxwG6rDnVRMibTkladjA4zc_I=/0x0:1200x675/800x0/images/Jean-Michel-Aulas-1183104.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40361,17 +44996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "444125b17d07d83c55b925ad872c92d6" + "hash": "2803a1bef973ca2da21cf31854e33cb0" }, { - "title": "Lens-PSG en direct: Messi bute sur le poteau dans un Bollaert bouillant", - "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", - "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", + "title": "OL: Aulas propose de remplacer un joueur blessé en cas d’incident", + "description": "Jean-Michel Aulas, président de l’OL, a formulé une nouvelle idée en cas d’incidents lors d’un match: pouvoir remplacer un joueur supplémentaire ciblé par des violences, comme ce fut le cas de Dimitri Payet lors d’OL-OM, le 21 novembre dernier.

", + "content": "Jean-Michel Aulas, président de l’OL, a formulé une nouvelle idée en cas d’incidents lors d’un match: pouvoir remplacer un joueur supplémentaire ciblé par des violences, comme ce fut le cas de Dimitri Payet lors d’OL-OM, le 21 novembre dernier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-aulas-propose-de-remplacer-un-joueur-blesse-en-cas-d-incident_AV-202112070030.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", - "enclosure": "https://images.bfmtv.com/V4GviEeMbOqTGW98MQjl9WZmGwY=/0x0:752x423/800x0/images/Les-attaquants-argentins-Lionel-Messi-et-Angel-Di-Maria-a-l-echauffement-avant-leur-match-contre-Lyon-le-19-septembre-2021-au-Parc-des-Princes-1179041.jpg", + "pubDate": "Tue, 07 Dec 2021 05:49:00 GMT", + "enclosure": "https://images.bfmtv.com/lLVLDV27M0j4AM0BRfpKjGn4wlg=/0x212:2048x1364/800x0/images/Jean-Michel-Aulas-1183085.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40381,17 +45016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4aee5d3913a1d6185644e4ed518dee06" + "hash": "90bc46f90535324ae15022de789cef32" }, { - "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 4 décembre – Ligue 1", - "description": "Mon pronostic : Marseille ne perd pas face à Brest et les deux équipes marquent (2.00)

", - "content": "Mon pronostic : Marseille ne perd pas face à Brest et les deux équipes marquent (2.00)

", + "title": "OM: Longoria a trouvé la raison des difficultés actuelles de l’équipe", + "description": "Dans une interview à L’Equipe, Pablo Longoria, président de l’OM, défend l’approche de Jorge Sampaoli malgré les difficultés actuelles de l’équipe qui doit garder le contrôle de jeu car elle n’est \"pas construite pour jouer physique\".

", + "content": "Dans une interview à L’Equipe, Pablo Longoria, président de l’OM, défend l’approche de Jorge Sampaoli malgré les difficultés actuelles de l’équipe qui doit garder le contrôle de jeu car elle n’est \"pas construite pour jouer physique\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-4-decembre-ligue-1_AN-202112040122.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-longoria-a-trouve-la-raison-des-difficultes-actuelles-de-l-equipe_AV-202112070022.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 12:02:11 GMT", - "enclosure": "https://images.bfmtv.com/8vn7AIRpfPgppENTg6vpJcHEwwc=/0x30:1984x1146/800x0/images/A-Milik-1181496.jpg", + "pubDate": "Tue, 07 Dec 2021 05:22:06 GMT", + "enclosure": "https://images.bfmtv.com/-SSuP9pasRsmVhk5VXS5o6ZCLfk=/0x212:2048x1364/800x0/images/Pablo-Longoria-1128568.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40401,17 +45036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8d340af99b63f2374c8ecb477247eaa4" + "hash": "2b60c070bfc658d3780f6dd9369b3743" }, { - "title": "Les grandes interviews RMC Sport: le premier entretien de Mbappé à son arrivée au PSG", - "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce samedi, découvrez ou redécouvrez le premier entretien accordé par Kylian Mbappé au moment de son arrivée au PSG en septembre 2017.

", - "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce samedi, découvrez ou redécouvrez le premier entretien accordé par Kylian Mbappé au moment de son arrivée au PSG en septembre 2017.

", + "title": "Djokovic participera à l'ATP Cup, bon signe pour l'Open d'Australie", + "description": "Novak Djokovic a été retenu dans l'équipe de la Serbie pour participer à l'ATP Cup qui aura lieu en Australie en janvier, quelques jours avant le premier Grand Chelem de la saison à Melbourne, où sa participation est encore incertaine.

", + "content": "Novak Djokovic a été retenu dans l'équipe de la Serbie pour participer à l'ATP Cup qui aura lieu en Australie en janvier, quelques jours avant le premier Grand Chelem de la saison à Melbourne, où sa participation est encore incertaine.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/les-grandes-interviews-rmc-sport-le-premier-entretien-de-mbappe-a-son-arrivee-au-psg_AN-202112040012.html", + "link": "https://rmcsport.bfmtv.com/tennis/djokovic-participera-a-l-atp-cup-bon-signe-pour-l-open-d-australie_AD-202112070016.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 12:00:00 GMT", - "enclosure": "https://images.bfmtv.com/nFJxJtfqzkZRpQAfB0U59BjjiH0=/4x55:1380x829/800x0/images/Kylian-Mbappe-sur-RMC-Sport-en-2017-1181255.jpg", + "pubDate": "Tue, 07 Dec 2021 04:48:53 GMT", + "enclosure": "https://images.bfmtv.com/ErgLQe2BAobR01zIzT8E-f232Tk=/0x54:2032x1197/800x0/images/Novak-Djokovic-1181338.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40421,17 +45056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "369c5e2bfb6d1b976552e52a458676c6" + "hash": "72a327228fcf890e6427d3fee1785b11" }, { - "title": "Biathlon en direct: les Bleus deuxièmes du relais derrière la Norvège", - "description": "Comme le week-end passé, la Coupe du monde de biathlon faisait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e places d'Anaïs Bescond et Anaïs Chevalier-Bouchet. Elle s'est achevée avec la 2e place des Tricolores au relais messieurs derrière la Norvège.

", - "content": "Comme le week-end passé, la Coupe du monde de biathlon faisait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e places d'Anaïs Bescond et Anaïs Chevalier-Bouchet. Elle s'est achevée avec la 2e place des Tricolores au relais messieurs derrière la Norvège.

", + "title": "Point en moins ou match perdu, trois questions sur OL-OM avant la commission de discipline", + "description": "La commission de discipline de la Ligue de football professionnel annoncera ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'interruption du match face à l'Olympique de Marseille, le 21 novembre au Groupama Stadium. Avant ce verdict attendu, retour sur cette affaire en trois questions.

", + "content": "La commission de discipline de la Ligue de football professionnel annoncera ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'interruption du match face à l'Olympique de Marseille, le 21 novembre au Groupama Stadium. Avant ce verdict attendu, retour sur cette affaire en trois questions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-veulent-briller-sur-la-poursuite_LN-202112040116.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/point-en-moins-ou-match-perdu-trois-questions-sur-ol-om-avant-la-commission-de-discipline_AV-202112070015.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:54:00 GMT", - "enclosure": "https://images.bfmtv.com/TNoMfgNqAz66_LxBPDgeFASyBbc=/0x106:2048x1258/800x0/images/Quentin-Fillon-Maillet-1181550.jpg", + "pubDate": "Tue, 07 Dec 2021 00:07:13 GMT", + "enclosure": "https://images.bfmtv.com/YUzaZSDOddKudjP1EhIzSEW7nSc=/0x60:768x492/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40441,17 +45076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e2edeab501757e4bed112c7224a82e0" + "hash": "5c7cc465f3965ee368b61e5f9f57e12d" }, { - "title": "Dortmund-Bayern en direct : le BVB puni par un penalty accordé après vidéo", - "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", - "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "title": "PSG: Hakimi juge sa relation avec Messi et défend Pochettino", + "description": "A la veille du match de Ligue des champions face à Bruges, ce mardi au Parc des Princes (18h45), Achraf Hakimi s’est exprimé au micro de RMC Sport. L’occasion pour le latéral droit du PSG de commenter son association avec Lionel Messi dans le couloir droit. Et de saluer le travail de son coach.

", + "content": "A la veille du match de Ligue des champions face à Bruges, ce mardi au Parc des Princes (18h45), Achraf Hakimi s’est exprimé au micro de RMC Sport. L’occasion pour le latéral droit du PSG de commenter son association avec Lionel Messi dans le couloir droit. Et de saluer le travail de son coach.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-hakimi-juge-sa-relation-avec-messi-et-defend-pochettino_AV-202112060571.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", - "enclosure": "https://images.bfmtv.com/HD8MsEJG9z-J16ITXA_EimM_1ic=/0x101:2048x1253/800x0/images/Coman-et-Mueller-avec-le-Bayern-1181736.jpg", + "pubDate": "Mon, 06 Dec 2021 23:08:25 GMT", + "enclosure": "https://images.bfmtv.com/Z6_mvkHOLiC4131mVQdjZdi4SX4=/0x68:2048x1220/800x0/images/Achraf-Hakimi-1132639.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40461,17 +45096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "24362c9f9f5d48bb93c4c951fa9800cb" + "hash": "38a8bf40aea413baa05d1d9816e2b3fd" }, { - "title": "Lille-Troyes en direct : Jonathan David ramène le LOSC", - "description": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", - "content": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", + "title": "PRONOS PARIS RMC Les paris sur PSG – Bruges du 7 décembre – Ligue des Champions", + "description": "Notre pronostic : Paris bat Bruges (1.28)

", + "content": "Notre pronostic : Paris bat Bruges (1.28)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-en-direct-le-losc-veut-confirmer_LS-202112040213.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-sur-psg-bruges-du-7-decembre-ligue-des-champions_AN-202112060294.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:00:04 GMT", - "enclosure": "https://images.bfmtv.com/HOgGspRzlInkVf-BcnosNnlZsoQ=/0x25:2048x1177/800x0/images/Renato-Sanches-lors-de-Lille-Troyes-1181709.jpg", + "pubDate": "Mon, 06 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/fsF4C_quMOjnEC6av3BfuUtZ1dk=/0x67:2000x1192/800x0/images/Paris-Saint-Germain-1182726.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40481,17 +45116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc54ef0cbc9db7ae52a4df3e15d2c551" + "hash": "bdbf7ded048c1b85617d6fd03abb4e0e" }, { - "title": "Lens-PSG en direct: Mbappé laissé sur le banc, un trio d'attaque 100% argentin pour Paris", - "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", - "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", + "title": "PRONOS PARIS RMC Le pari du jour du 7 décembre – Ligue des Champions", + "description": "Notre pronostic : le Real Madrid ne perd pas face à l’Inter et les deux équipes marquent (1.90)

", + "content": "Notre pronostic : le Real Madrid ne perd pas face à l’Inter et les deux équipes marquent (1.90)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-7-decembre-ligue-des-champions_AN-202112060292.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", - "enclosure": "https://images.bfmtv.com/V4GviEeMbOqTGW98MQjl9WZmGwY=/0x0:752x423/800x0/images/Les-attaquants-argentins-Lionel-Messi-et-Angel-Di-Maria-a-l-echauffement-avant-leur-match-contre-Lyon-le-19-septembre-2021-au-Parc-des-Princes-1179041.jpg", + "pubDate": "Mon, 06 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/IrtZa1SaHqcYX35-iN1_L0vvELY=/3x18:1987x1134/800x0/images/T-Kroos-1182725.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40501,17 +45136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5a942f3b17e7c59e472bee3813d860c0" + "hash": "efc9872c10a9f04d3576dc68f89d9e2b" }, { - "title": "OM-Brest: à quelle heure et sur quelle chaîne regarder le match de Ligue 1", - "description": "L’OM accueille Brest ce samedi à 17h au stade Vélodrome, un match comptant pour la 17e journée de Ligue 1.

", - "content": "L’OM accueille Brest ce samedi à 17h au stade Vélodrome, un match comptant pour la 17e journée de Ligue 1.

", + "title": "PRONOS PARIS RMC Le pari de folie du 7 décembre – Ligue des Champions", + "description": "Notre pronostic : l’Atletico de Madrid s’impose à Porto et les deux équipes marquent (4.80)

", + "content": "Notre pronostic : l’Atletico de Madrid s’impose à Porto et les deux équipes marquent (4.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-a-quelle-heure-et-sur-quelle-chaine-regarder-le-match-de-ligue-1_AV-202112040115.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-7-decembre-ligue-des-champions_AN-202112060290.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:47:36 GMT", - "enclosure": "https://images.bfmtv.com/IoAkFxR2nh4MYeiZXyAsMe9q7bI=/0x0:2048x1152/800x0/images/Matteo-Guendouzi-1160560.jpg", + "pubDate": "Mon, 06 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/jHN2J2BCQ0RVUTPev48KJI8vTFI=/1x91:1985x1207/800x0/images/Atletico-Madrid-1182721.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40521,17 +45156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "40dd5bf9c997d3eb4c5d4242709e3e5a" + "hash": "30c023027a198e4c741f280833460d51" }, { - "title": "Barça: une offensive de l’AC Milan pour Umtiti ?", - "description": "Avec l’absence pour plusieurs mois de Simon Kjaer, l’AC Milan devrait recruter lors du mercato hivernal un défenseur central. Selon Sport, les Milanais pourraient lancer prochainement une offensive afin de recruter Samuel Umtiti.

", - "content": "Avec l’absence pour plusieurs mois de Simon Kjaer, l’AC Milan devrait recruter lors du mercato hivernal un défenseur central. Selon Sport, les Milanais pourraient lancer prochainement une offensive afin de recruter Samuel Umtiti.

", + "title": "PRONOS PARIS RMC Le buteur du 7 décembre – Ligue des Champions", + "description": "Notre pronostic : Haller (Ajax) marque face au Sporting Portugal (2.10)

", + "content": "Notre pronostic : Haller (Ajax) marque face au Sporting Portugal (2.10)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-une-offensive-de-l-ac-milan-pour-umtiti_AV-202112040105.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-7-decembre-ligue-des-champions_AN-202112060288.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:30:15 GMT", - "enclosure": "https://images.bfmtv.com/x9bnHk5j99Aej1RDcfBsOVaEkE8=/0x68:2048x1220/800x0/images/Samuel-Umtiti-1123672.jpg", + "pubDate": "Mon, 06 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/1-KvW-eVyeW24ELL3X6hOfr_1oE=/0x0:1984x1116/800x0/images/S-Haller-1182720.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40541,17 +45176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "549fed02b451fc4b8790432a75505250" + "hash": "be72cb67cc2c8715f64ea83fa0b7e1af" }, { - "title": "Ballon d'or: les votes les plus surprenants des journalistes", - "description": "Les détails des votes du Ballon d’or 2021, attribué à Lionel Messi devant Robert Lewandowski, ont été dévoilés. Certains classements peuvent surprendre…

", - "content": "Les détails des votes du Ballon d’or 2021, attribué à Lionel Messi devant Robert Lewandowski, ont été dévoilés. Certains classements peuvent surprendre…

", + "title": "PRONOS PARIS RMC Le pari football d’Eric Di Meco du 7 décembre – Ligue des Champions", + "description": "Mon pronostic : le Milan AC bat Liverpool (2.05)

", + "content": "Mon pronostic : le Milan AC bat Liverpool (2.05)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ballon-d-or-les-votes-les-plus-surprenants-des-journalistes_AV-202112040099.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-d-eric-di-meco-du-7-decembre-ligue-des-champions_AN-202112060287.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:17:50 GMT", - "enclosure": "https://images.bfmtv.com/Hbw8RZKPUV3XWDCzavG5UU3cIr0=/0x24:2048x1176/800x0/images/Lionel-Messi-1181442.jpg", + "pubDate": "Mon, 06 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/IIbEZ-oD4xEWzYv9ITWQjqgXeKA=/0x51:1984x1167/800x0/images/F-Kessie-1182719.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40561,17 +45196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3330fd2eaf48e7fe12dad5f2c0121b65" + "hash": "2756ba4fefb8fcec39cc5a4f726c0507" }, { - "title": "Dortmund-Bayern en direct : Lewandowski répond directement à Brandt", - "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", - "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "title": "Premier League: Everton s'impose sur le fil face à Arsenal grâce à un missile de Gray", + "description": "Une semaine après la défaite face à Manchester United, Arsenal s'est sabordé ce lundi sur la pelouse d'Everton (2-1). Les Gunners restent à distance du top 5 de la Premier League.

", + "content": "Une semaine après la défaite face à Manchester United, Arsenal s'est sabordé ce lundi sur la pelouse d'Everton (2-1). Les Gunners restent à distance du top 5 de la Premier League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-everton-s-impose-sur-le-fil-face-a-arsenal-grace-a-un-missile-de-gray_AV-202112060555.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", - "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", + "pubDate": "Mon, 06 Dec 2021 22:11:54 GMT", + "enclosure": "https://images.bfmtv.com/Dfv1gHTMScCjiyCCA7NXmg-ZEqs=/0x167:2000x1292/800x0/images/Richarlison-1183032.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40581,17 +45216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff2880d9222e9ada49267ccec58a1e63" + "hash": "1350002439a2e913a9bf0ba2ec6984e7" }, { - "title": "Lille-Troyes en direct : un duo Yilmaz-Ikoné en attaque, David sur le banc", - "description": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", - "content": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", + "title": "Incidents OL-OM: ce que dit le rapport de M. Buquet sur le déroulé de la soirée", + "description": "À deux jours des décisions de la commission de discipline de la Ligue de football professionnel concernant les incidents qui ont provoqué l'interruption d'OL-OM le 21 novembre dernier, RMC Sport s'est procuré le rapport de l'arbitre Ruddy Buquet, dans lequel il explique n'avoir jamais voulu reprendre la rencontre.

", + "content": "À deux jours des décisions de la commission de discipline de la Ligue de football professionnel concernant les incidents qui ont provoqué l'interruption d'OL-OM le 21 novembre dernier, RMC Sport s'est procuré le rapport de l'arbitre Ruddy Buquet, dans lequel il explique n'avoir jamais voulu reprendre la rencontre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-en-direct-le-losc-veut-confirmer_LS-202112040213.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-ce-que-dit-le-rapport-de-m-buquet-sur-le-deroule-de-la-soiree_AV-202112060552.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:00:04 GMT", - "enclosure": "https://images.bfmtv.com/750VDUByVahnQLm86lqxxpIM0GU=/0x169:2048x1321/800x0/images/Burak-YILMAZ-1150769.jpg", + "pubDate": "Mon, 06 Dec 2021 22:04:46 GMT", + "enclosure": "https://images.bfmtv.com/WO5K-D9aCrCuNiY20pZra1bZuwU=/0x36:2048x1188/800x0/images/L-arbitre-Ruddy-Buquet-s-exprime-apres-OL-OM-1171950.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40601,17 +45236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6c891aa9388656440fa94c8c4339c32a" + "hash": "ae07e0d357be5b02d901274644ee6f57" }, { - "title": "GP d'Arabie saoudite en direct: pas de sanction contre Hamilton", - "description": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", - "content": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", + "title": "Ballon d'or: Lewandowski a ressenti \"de la tristesse\" après le sacre de Messi", + "description": "Deuxième du Ballon d'or juste derrière Lionel Messi, Robert Lewandowski n'a pas caché sa peine après le résultat, alors que la Pulga a demandé à ce que le Polonais soit le lauréat de l'édition 2020.

", + "content": "Deuxième du Ballon d'or juste derrière Lionel Messi, Robert Lewandowski n'a pas caché sa peine après le résultat, alors que la Pulga a demandé à ce que le Polonais soit le lauréat de l'édition 2020.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-en-direct-verstappen-hamilton-avant-dernier-duel-pour-le-titre_LN-202112040175.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/ballon-d-or-lewandowski-a-ressenti-de-la-tristesse-apres-le-sacre-de-messi_AV-202112060541.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:49:10 GMT", - "enclosure": "https://images.bfmtv.com/HGm11AmVQPJyCdBIg-oXdI-WEQs=/0x0:2048x1152/800x0/images/Lewis-Hamilton-en-Arabie-saoudite-1181592.jpg", + "pubDate": "Mon, 06 Dec 2021 21:29:19 GMT", + "enclosure": "https://images.bfmtv.com/ahtAbloXHghC38z86uAZxWzxhPg=/0x143:2000x1268/800x0/images/Lewandowski-1183030.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40621,17 +45256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf0bdc5649bc7003831cd7d7d492227e" + "hash": "4e249a2db99fc4cb1b3333a9f053b646" }, { - "title": "Lens-PSG en direct: Mbappé laissé sur le banc", - "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", - "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", + "title": "Mondial de handball: Flippes touchée à la cheville et remplacée par Ahanda", + "description": "Victime d'une entorse de la cheville, Laura Flippes a déclaré forfait ce lundi pour le reste du Mondial 2021. L'arrière droite a été remplacée par Orland Ahanda.

", + "content": "Victime d'une entorse de la cheville, Laura Flippes a déclaré forfait ce lundi pour le reste du Mondial 2021. L'arrière droite a été remplacée par Orland Ahanda.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", + "link": "https://rmcsport.bfmtv.com/football/mondial-de-handball-flippes-touchee-a-la-cheville-et-remplacee-par-ahanda_AD-202112060537.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", - "enclosure": "https://images.bfmtv.com/BS-hWN2RmIQoue45PGmjeF7fuTE=/3x25:2035x1168/800x0/images/Kylian-MBAPPE-1181388.jpg", + "pubDate": "Mon, 06 Dec 2021 21:26:02 GMT", + "enclosure": "https://images.bfmtv.com/JoUmuzCwOu2w7Fx98Ctsgi1N_7U=/0x39:768x471/800x0/images/L-arriere-droite-des-Bleues-Laura-Flippes-au-cours-du-match-de-l-equipe-de-France-contre-la-Slovenie-au-premier-tour-du-Mondial-2021-le-5-decembre-2021-a-Granollers-1182999.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40641,17 +45276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2735eed687fbcb6aa5fc8a7ae565e97c" + "hash": "283414a67593c72bdd938fe79177e6a5" }, { - "title": "ASSE: le plan de Serge Bueno pour racheter le club et éviter un repreneur étranger", - "description": "Opposé à l’idée que l'AS Saint-Etienne soit rachetée par des investisseurs étrangers, l’homme d’affaire franco-israélien Serge Bueno envisage de faire une offre à la direction des Verts dans les prochains jours. Son projet repose en partie sur la participation des \"entreprises et des décideurs locaux\".

", - "content": "Opposé à l’idée que l'AS Saint-Etienne soit rachetée par des investisseurs étrangers, l’homme d’affaire franco-israélien Serge Bueno envisage de faire une offre à la direction des Verts dans les prochains jours. Son projet repose en partie sur la participation des \"entreprises et des décideurs locaux\".

", + "title": "Ligue 1 en direct: l'arbitre d'OL-OM accuse Aulas de l'avoir menacé dans son rapport", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-le-plan-de-serge-bueno-pour-racheter-le-club-et-eviter-un-repreneur-etranger_AV-202112040098.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:15:02 GMT", - "enclosure": "https://images.bfmtv.com/4g8bwIEwYRTzI_7ykBz_SCByTXw=/14x0:2046x1143/800x0/images/Roland-Romeyer-1181471.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/UGHynbgsZ__Bb-yuqzYL1MBo4no=/0x200:2048x1352/800x0/images/Jean-Michel-Aulas-face-a-la-presse-apres-OL-OM-1173221.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40661,17 +45296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ae122c115fe85f0c3c4c5f3fcbff232" + "hash": "cdc15d089f5c992e767c9b18e60f90b8" }, { - "title": "Mercato: Newcastle prêt à casser sa tirelire pour Lingard", - "description": "Doté de moyens colossaux avec l’arrivée des investisseurs saoudiens, Newcastle compte frapper fort dès le mercato hivernal. Derniers au classement de Premier League, les Magpies seraient prêts d’après le Times à casser leur tirelire pour s’attacher les services de Jesse Lingard.

", - "content": "Doté de moyens colossaux avec l’arrivée des investisseurs saoudiens, Newcastle compte frapper fort dès le mercato hivernal. Derniers au classement de Premier League, les Magpies seraient prêts d’après le Times à casser leur tirelire pour s’attacher les services de Jesse Lingard.

", + "title": "Incidents OL-OM: dans son rapport, M. Buquet accuse Aulas de l'avoir menacé", + "description": "Alors que la Ligue de football professionnel va annoncer ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'incident survenu lors du match face à l'Olympique de Marseille le 21 novembre dernier, RMC Sport s'est procuré le rapport rédigé par l'arbitre de la rencontre ce soir-là. Ruddy Buquet y dénonce notamment les propos menaçants de Jean-Michel Aulas.

", + "content": "Alors que la Ligue de football professionnel va annoncer ce mercredi les sanctions infligées à l'Olympique Lyonnais après l'incident survenu lors du match face à l'Olympique de Marseille le 21 novembre dernier, RMC Sport s'est procuré le rapport rédigé par l'arbitre de la rencontre ce soir-là. Ruddy Buquet y dénonce notamment les propos menaçants de Jean-Michel Aulas.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/mercato-newcastle-pret-a-casser-sa-tirelire-pour-lingard_AV-202112040096.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-dans-son-rapport-m-buquet-accuse-aulas-de-l-avoir-menace_AV-202112060535.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:04:41 GMT", - "enclosure": "https://images.bfmtv.com/lmSink1hJOjuswOw46S37pQihBc=/0x0:2016x1134/800x0/images/Jesse-Lingard-avec-Manchester-United-1153727.jpg", + "pubDate": "Mon, 06 Dec 2021 21:11:52 GMT", + "enclosure": "https://images.bfmtv.com/D3EIgaVqZ7IdPhrkSoa0nS2hpfs=/0x115:2048x1267/800x0/images/Matteo-Guendouzi-discute-avec-Ruddy-Buquet-lors-de-OL-OM-1171965.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40681,17 +45316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "950ddffc49e066af5d70694d397d2b59" + "hash": "8cf4853944322d8c0b383b3dbc1159b7" }, { - "title": "F1: sur quelle chaîne et à quelle heure regarder le GP d'Arabie Saoudite", - "description": "L'avant-dernière course de la saison de F1, le Grand Prix d'Arabie Saoudite à Djeddah, se déroule ce dimanche 5 décembre. L'extinction des feux est prévue à 18h30. Max Verstappen, qui compte huit points d'avance sur Lewis Hamilton, peut être sacré champion.

", - "content": "L'avant-dernière course de la saison de F1, le Grand Prix d'Arabie Saoudite à Djeddah, se déroule ce dimanche 5 décembre. L'extinction des feux est prévue à 18h30. Max Verstappen, qui compte huit points d'avance sur Lewis Hamilton, peut être sacré champion.

", + "title": "OM: Rongier en dit plus sur la mauvaise passe de Milik", + "description": "Invité de BFM Marseille ce lundi, Valentin Rongier s'est exprimé sur l'état de forme d'Arkadiusz Milik, très discret depuis le début de la saison avec le club phocéen.

", + "content": "Invité de BFM Marseille ce lundi, Valentin Rongier s'est exprimé sur l'état de forme d'Arkadiusz Milik, très discret depuis le début de la saison avec le club phocéen.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-sur-quelle-chaine-et-a-quelle-heure-regarder-le-gp-d-arabie-saoudite_AV-202112040093.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-rongier-en-dit-plus-sur-la-mauvaise-passe-de-milik_AV-202112060532.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 10:58:02 GMT", - "enclosure": "https://images.bfmtv.com/LRBpwZRjxi09iAXy0b25LMxrSCw=/0x106:2048x1258/800x0/images/GP-Arabie-Saoudite-1181445.jpg", + "pubDate": "Mon, 06 Dec 2021 21:05:44 GMT", + "enclosure": "https://images.bfmtv.com/lAsDxStLM8ahkQtGs-E_TefhH3k=/0x0:2048x1152/800x0/images/Arkadiusz-Milik-avec-l-OM-1181586.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40701,37 +45336,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "c50f61bce450565c27e7e5c43c0ecacc" + "hash": "97e4cb18b6a4e629d090a0ac622ec8f3" }, { - "title": "Ligue 1 en direct: le groupe du PSG face à Lens, encore sans Ramos", - "description": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", - "content": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", + "title": "Stade Toulousain : Julien Marchand de retour à l'entraînement", + "description": "Touché face à la Géorgie avec les Bleus, le talonneur international du Stade Toulousain a fait son  retour ce lundi à l’entraînement avec ses coéquipiers. Reste à savoir s’il sera aligné samedi à Cardiff en Coupe d’Europe avec le Stade Toulousain.

", + "content": "Touché face à la Géorgie avec les Bleus, le talonneur international du Stade Toulousain a fait son  retour ce lundi à l’entraînement avec ses coéquipiers. Reste à savoir s’il sera aligné samedi à Cardiff en Coupe d’Europe avec le Stade Toulousain.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-de-17e-journee_LN-202112030112.html", + "link": "https://rmcsport.bfmtv.com/rugby/stade-toulousain-julien-marchand-de-retour-a-l-entrainement_AN-202112060526.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 07:34:55 GMT", - "enclosure": "https://images.bfmtv.com/ITxG3x_BfUuCbiq4k2NqGuXjfJI=/0x67:2048x1219/800x0/images/Sergio-Ramos-1172389.jpg", + "pubDate": "Mon, 06 Dec 2021 20:43:50 GMT", + "enclosure": "https://images.bfmtv.com/Tz7SJndVrC9CzbqJ_NZVJFmZCWY=/0x54:1984x1170/800x0/images/Julien-Marchand-1055292.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f72068f5495ffe7f50725224c578c10" + "hash": "ba19c06fcb7759e23dc200dfc3d2d43f" }, { - "title": "Dortmund-Bayern en direct : Tolisso, Hernandez et Coman titulaires face à Haaland", - "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", - "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "title": "Porto: un cas de Covid détecté avant le match décisif face à l'Atlético", + "description": "Alors que Porto va jouer un match décisif face à l'Atlético, ce mardi Ligue des champions (21h), le club portugais doit se passer de Pepê, testé positif au Covid-19.

", + "content": "Alors que Porto va jouer un match décisif face à l'Atlético, ce mardi Ligue des champions (21h), le club portugais doit se passer de Pepê, testé positif au Covid-19.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/porto-un-cas-de-covid-detecte-avant-le-match-decisif-face-a-l-atletico_AD-202112060520.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", - "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", + "pubDate": "Mon, 06 Dec 2021 20:25:48 GMT", + "enclosure": "https://images.bfmtv.com/f8cNqI6QcU4p9GNg8GgEEU-BKco=/0x208:1984x1324/800x0/images/FC-Porto-1136621.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40741,37 +45376,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "30b5dc3b2bae445d3bb33d0ddfe37d32" + "hash": "cbfeb0530aa191ea356e8afc89d42a52" }, { - "title": "OM-Brest en direct: Marseille se fait égaliser sur penalty", - "description": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", - "content": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", + "title": "OM: Rongier raconte le \"déclic\" qu'il a eu grâce à Sampaoli", + "description": "Invité de BFM Marseille ce lundi, Valentin Rongier est revenu sur la préparation estivale de l'Olympique de Marseille, au cours de laquelle il a vécu un \"déclic\". Le milieu de terrain de 26 ans explique avoir tout fait pour démontrer à l'entraîneur Jorge Sampaoli ses qualités.

", + "content": "Invité de BFM Marseille ce lundi, Valentin Rongier est revenu sur la préparation estivale de l'Olympique de Marseille, au cours de laquelle il a vécu un \"déclic\". Le milieu de terrain de 26 ans explique avoir tout fait pour démontrer à l'entraîneur Jorge Sampaoli ses qualités.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-en-direct-les-marseillais-veulent-enchainer-lors-de-la-17e-journee-de-ligue-1_LS-202112040169.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-rongier-raconte-le-declic-qu-il-a-eu-grace-a-sampaoli_AV-202112060517.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:29:46 GMT", - "enclosure": "https://images.bfmtv.com/gISSXyiDd48JVHIljjhzUBEEFS4=/0x106:2048x1258/800x0/images/Luan-Peres-Arek-Milik-et-Dimitri-Payet-avec-l-OM-1181561.jpg", + "pubDate": "Mon, 06 Dec 2021 20:18:39 GMT", + "enclosure": "https://images.bfmtv.com/pf2q1HHQ8NJHTOxQ7bgkHDouQF8=/0x143:2048x1295/800x0/images/Valentin-Rongier-1167218.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "47c84b5514cfb65d14e76cffc80d4f98" + "hash": "0094e082edf98444ed33817ca39dc393" }, { - "title": "GP d'Arabie saoudite en direct: enquête contre Hamilton avant les qualifications", - "description": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", - "content": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", + "title": "Dortmund-Bayern: une plainte déposée contre Bellingham pour \"diffamation\" envers l'arbitre", + "description": "Après la défaite du Borussia Dortmund face au Bayern Munich samedi (2-3), Jude Bellingham s'en était pris à l'arbitre qu'il a accusé de corruption. Ce lundi, la Fédération allemande de football a ouvert une enquête sur les propos du milieu anglais du Borussia, qui pourrait également faire l'objet de poursuites pénales après une plainte déposée ce week-end.

", + "content": "Après la défaite du Borussia Dortmund face au Bayern Munich samedi (2-3), Jude Bellingham s'en était pris à l'arbitre qu'il a accusé de corruption. Ce lundi, la Fédération allemande de football a ouvert une enquête sur les propos du milieu anglais du Borussia, qui pourrait également faire l'objet de poursuites pénales après une plainte déposée ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-en-direct-verstappen-hamilton-avant-dernier-duel-pour-le-titre_LN-202112040175.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-une-plainte-deposee-contre-bellingham-pour-diffamation-envers-l-arbitre_AN-202112060507.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:49:10 GMT", - "enclosure": "https://images.bfmtv.com/HGm11AmVQPJyCdBIg-oXdI-WEQs=/0x0:2048x1152/800x0/images/Lewis-Hamilton-en-Arabie-saoudite-1181592.jpg", + "pubDate": "Mon, 06 Dec 2021 19:45:00 GMT", + "enclosure": "https://images.bfmtv.com/q-alK_kHBwj_Nvt8Z2Hm8c2IAHA=/0x87:1200x762/800x0/images/Jude-Bellingham-1181783.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40781,17 +45416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1479e765d80f521dbdb4cc89e62058d2" + "hash": "7075458e34d68d8d5b700ab0f36d6178" }, { - "title": "OM-Brest en direct: Payet est bien titulaire, Milik et Under remplaçants", - "description": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", - "content": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", + "title": "Barça : Memphis veut \"une revanche\" face au Bayern", + "description": "Dans l'obligation de ne pas perdre à Munich, Memphis Depay veut une \"revanche\" face au Bayern Munich, qui a humilié le club catalan en 2020 (8-2), avant de récidiver lors du match aller au Camp Nou (0-3).

", + "content": "Dans l'obligation de ne pas perdre à Munich, Memphis Depay veut une \"revanche\" face au Bayern Munich, qui a humilié le club catalan en 2020 (8-2), avant de récidiver lors du match aller au Camp Nou (0-3).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-en-direct-les-marseillais-veulent-enchainer-lors-de-la-17e-journee-de-ligue-1_LS-202112040169.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-memphis-veut-une-revanche-face-au-bayern_AV-202112060505.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 14:29:46 GMT", - "enclosure": "https://images.bfmtv.com/gISSXyiDd48JVHIljjhzUBEEFS4=/0x106:2048x1258/800x0/images/Luan-Peres-Arek-Milik-et-Dimitri-Payet-avec-l-OM-1181561.jpg", + "pubDate": "Mon, 06 Dec 2021 19:41:38 GMT", + "enclosure": "https://images.bfmtv.com/u-FTeAoNJ5xnwOsbMnItwrzSxJE=/0x39:768x471/800x0/images/L-attaquant-neerlandais-de-Barcelone-Memphis-Depay-tente-de-dribbler-le-gardien-grec-de-Benfica-Odisseas-Vlachodimos-lors-de-leur-match-de-groupes-de-la-Ligue-des-Champions-le-23-novembre-2021-au-Camp-Nou-1173292.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40801,37 +45436,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "508a8f43a587c8aff09a6dcf378004d8" + "hash": "0bfcc4f889529a47b5136ee30a513631" }, { - "title": "OM: ce que Payet et Mandanda ont dit aux supporters pour éviter les débordements", - "description": "Pablo Longoria, Dimitri Payet et Steve Mandanda ont pris part vendredi à une réunion avec les supporters marseillais pour rappeler l'importance de ne plus avoir d'incident au Vélodrome. Tous se sont promis de faire preuve d’une grande vigilance.

", - "content": "Pablo Longoria, Dimitri Payet et Steve Mandanda ont pris part vendredi à une réunion avec les supporters marseillais pour rappeler l'importance de ne plus avoir d'incident au Vélodrome. Tous se sont promis de faire preuve d’une grande vigilance.

", + "title": "PSG: \"J'ai l'impression que Pochettino fait tout pour se faire virer\", observe Di Meco", + "description": "Eric Di Meco se demande si Mauricio Pochettino a le charisme nécessaire pour tirer le meilleur de l'effectif de stars du PSG. Notre consultant estime que le coach argentin est même prêt à faire ses valises si une belle porte de sortie s'offre à lui.

", + "content": "Eric Di Meco se demande si Mauricio Pochettino a le charisme nécessaire pour tirer le meilleur de l'effectif de stars du PSG. Notre consultant estime que le coach argentin est même prêt à faire ses valises si une belle porte de sortie s'offre à lui.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-ce-que-payet-et-mandanda-ont-dit-aux-supporters-pour-eviter-les-debordements_AV-202112040064.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-j-ai-l-impression-que-pochettino-fait-tout-pour-se-faire-virer-observe-di-meco_AV-202112060497.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 09:49:42 GMT", - "enclosure": "https://images.bfmtv.com/1dRHqqVtGJaP0vdeXIivkrJzFlw=/0x0:2048x1152/800x0/images/Dimitri-Payet-et-Steve-Mandanda-1181424.jpg", + "pubDate": "Mon, 06 Dec 2021 19:16:56 GMT", + "enclosure": "https://images.bfmtv.com/8ETljshnemy-T8Cn7ReCNvv9WrQ=/0x80:2048x1232/800x0/images/Mauricio-Pochettino-parle-tactique-avec-Lionel-Messi-1182571.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "88f8008511484c3f48bd13a473f9fb64" + "hash": "de95bb03313ad5857b219ee8605d4c1f" }, { - "title": "PSG: Messi raconte pourquoi il s'est allongé derrière le mur contre Manchester City", - "description": "Lionel Messi, dans une interview publiée samedi dans France Football, revient sur le moment le plus étonnant de PSG-Manchester City: l'Argentin s'était allongé derrière un mur parisien sur un coup franc adverse. Un geste qui avait surpris, mais qu'il trouve tout à fait normal.

", - "content": "Lionel Messi, dans une interview publiée samedi dans France Football, revient sur le moment le plus étonnant de PSG-Manchester City: l'Argentin s'était allongé derrière un mur parisien sur un coup franc adverse. Un geste qui avait surpris, mais qu'il trouve tout à fait normal.

", + "title": "Incidents OL-OM: pourquoi Marseille demande que Lyon ait match perdu", + "description": "Dans le dossier qu'elle présentera à la Ligue de football professionnel ce mercredi, avant l'annonce des sanctions adressées à l'Olympique Lyonnais, le club phocéen estime que son homologue rhodanien devrait avoir match perdu. Cette décision de la LFP fera suite au jet de bouteille qui a atteint Dimitri Payet le 21 novembre dernier lors du choc OL-OM au Groupama Stadium.

", + "content": "Dans le dossier qu'elle présentera à la Ligue de football professionnel ce mercredi, avant l'annonce des sanctions adressées à l'Olympique Lyonnais, le club phocéen estime que son homologue rhodanien devrait avoir match perdu. Cette décision de la LFP fera suite au jet de bouteille qui a atteint Dimitri Payet le 21 novembre dernier lors du choc OL-OM au Groupama Stadium.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-messi-raconte-pourquoi-il-s-est-allonge-derriere-le-mur-contre-manchester-city_AV-202112040053.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pourquoi-l-om-demande-que-l-ol-ait-match-perdu-apres-les-incidents_AV-202112060489.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 09:03:26 GMT", - "enclosure": "https://images.bfmtv.com/Hqm-zc0JztuT7SBF4hKbxHRJHZo=/0x109:2048x1261/800x0/images/Lionel-Messi-allonge-au-sol-derriere-le-mur-parisien-1137125.jpg", + "pubDate": "Mon, 06 Dec 2021 19:05:39 GMT", + "enclosure": "https://images.bfmtv.com/8WDUfWwbGwrs1fivUdqJdhlB9IY=/0x375:2048x1527/800x0/images/Dimitri-Payet-a-terre-durant-OL-OM-1172368.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40841,37 +45476,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "74fdab582493cbcc0c464928cb38d564" + "hash": "333e6a5ff0bba1f9d56793d65c3acb0c" }, { - "title": "Mercato: Ousmane Dembélé serait courtisé par Tottenham", - "description": "En fin de contrat l'été prochain, Ousmane Dembélé n'a toujours pas trouvé d'accord avec le FC Barcelone pour une prolongation. Selon le quotidien Mundo Deportivo, Tottenham compte profiter de la situation pour recruter le Français sans débourser la moindre indemnité de transfert.

", - "content": "En fin de contrat l'été prochain, Ousmane Dembélé n'a toujours pas trouvé d'accord avec le FC Barcelone pour une prolongation. Selon le quotidien Mundo Deportivo, Tottenham compte profiter de la situation pour recruter le Français sans débourser la moindre indemnité de transfert.

", + "title": "Standard-Charleroi: un homme mis en examen pour tentative d'homicide après les \"scènes de guerre\"", + "description": "Un homme \"a été mis en examen pour tentative d'homicide et incendie criminel\" ce lundi, a indiqué la Fédération belge de football, alors que des incidents ont éclaté dans le championnat ce week-end lors de deux matchs différents. Des événements très graves qui sont allés jusqu'à provoquer l'ire du ministère de l'Intérieur.

", + "content": "Un homme \"a été mis en examen pour tentative d'homicide et incendie criminel\" ce lundi, a indiqué la Fédération belge de football, alors que des incidents ont éclaté dans le championnat ce week-end lors de deux matchs différents. Des événements très graves qui sont allés jusqu'à provoquer l'ire du ministère de l'Intérieur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-ousmane-dembele-serait-courtise-par-tottenham_AV-202112040050.html", + "link": "https://rmcsport.bfmtv.com/football/standard-charleroi-un-homme-mis-en-examen-pour-homicide-apres-les-scenes-de-guerre_AN-202112060470.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 08:43:34 GMT", - "enclosure": "https://images.bfmtv.com/-nIJ64YiA861PaDr_ti_SH-tkZI=/0x27:2048x1179/800x0/images/Ousmane-DEMBELE-1181396.jpg", + "pubDate": "Mon, 06 Dec 2021 18:41:59 GMT", + "enclosure": "https://images.bfmtv.com/aERsWVASX_Qp1V-DcpJtbmQU_MQ=/0x106:2048x1258/800x0/images/Un-match-entre-le-Standard-Liege-et-Charleroi-le-3-mars-2020-1182788.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "8bb47310130eaccee5008f4e079a064a" + "hash": "02ac6c7ebd51b151c4b88f85f49f0e21" }, { - "title": "PSG: Donnarumma assure être \"ami\" avec Navas", - "description": "\"Il n'y a pas le moindre conflit\", affirme Gianluigi Donnarumma, dans une interview accordée à France Football, à propos de son \"excellent rapport\" avec Keylor Navas au PSG.

", - "content": "\"Il n'y a pas le moindre conflit\", affirme Gianluigi Donnarumma, dans une interview accordée à France Football, à propos de son \"excellent rapport\" avec Keylor Navas au PSG.

", + "title": "JO d'hiver 2022: les États-Unis annoncent un boycott diplomatique à Pékin", + "description": "La Maison Blanche a annoncé ce lundi que les Etats-Unis vont boycotter diplomatiquement les prochains Jeux olympiques et paralympiques d'hiver, qui se dérouleront à Pékin du 4 au 20 février 2022.

", + "content": "La Maison Blanche a annoncé ce lundi que les Etats-Unis vont boycotter diplomatiquement les prochains Jeux olympiques et paralympiques d'hiver, qui se dérouleront à Pékin du 4 au 20 février 2022.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-donnarumma-assure-etre-ami-avec-navas_AV-202112040039.html", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-d-hiver-2022-les-etats-unis-annoncent-un-boycott-diplomatique-a-pekin_AN-202112060464.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 08:00:54 GMT", - "enclosure": "https://images.bfmtv.com/-z-E69xmqPlkVOoxgoMUMdopaMM=/0x67:2048x1219/800x0/images/Navas-Donnarumma-1181392.jpg", + "pubDate": "Mon, 06 Dec 2021 18:35:41 GMT", + "enclosure": "https://images.bfmtv.com/6FSfWzTuuZ_eWYXBqBDYe2bbkOA=/0x75:768x507/800x0/images/Le-president-americain-Joe-Biden-le-2-decembre-2021-a-Bethesda-dans-le-Maryland-1180560.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40881,17 +45516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "668db64aee3c12ee2ab7b78c51f0bc12" + "hash": "08e549ed5555cb583ffd9a42d7c6c650" }, { - "title": "Lens-PSG: sur quelle chaîne et à quelle heure regarder le match de Ligue 1", - "description": "Cinquième au classement, le RC Lens accueille le leader parisien ce samedi (21h) à l'occasion de la 17e journée de Ligue 1. Un match à suivre sur Canal+ Décalé et à la radio sur RMC.

", - "content": "Cinquième au classement, le RC Lens accueille le leader parisien ce samedi (21h) à l'occasion de la 17e journée de Ligue 1. Un match à suivre sur Canal+ Décalé et à la radio sur RMC.

", + "title": "Coupe de France: le match Cannet-Rocheville-Marseille se jouera au Vélodrome", + "description": "L'ES Cannet-Rocheville n'étant pas en mesure d'accueillir l'Olympique de Marseille pour leur match de Coupe de France le 19 décembre prochain, l'OM a décidé d'accepter d'organiser la rencontre au stade Vélodrome.

", + "content": "L'ES Cannet-Rocheville n'étant pas en mesure d'accueillir l'Olympique de Marseille pour leur match de Coupe de France le 19 décembre prochain, l'OM a décidé d'accepter d'organiser la rencontre au stade Vélodrome.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-sur-quelle-chaine-et-a-quelle-heure-regarder-le-match-de-ligue-1_AV-202112040038.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-le-match-cannet-rocheville-marseille-se-jouera-au-velodrome_AV-202112060458.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 07:50:40 GMT", - "enclosure": "https://images.bfmtv.com/BS-hWN2RmIQoue45PGmjeF7fuTE=/3x25:2035x1168/800x0/images/Kylian-MBAPPE-1181388.jpg", + "pubDate": "Mon, 06 Dec 2021 18:29:15 GMT", + "enclosure": "https://images.bfmtv.com/kL5P5yjhxlXv8aGDxDpLELGkuPQ=/0x210:2048x1362/800x0/images/Velodrome-1159418.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40901,37 +45536,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "261eeaba2df08c8b8af9ee10d7803e25" + "hash": "057120b75427c4d478df1247de71e5a3" }, { - "title": "Mercato: en feu avec Lille, Jonathan David serait ciblé par Arsenal", - "description": "Selon la presse britannique, Arsenal pense à Jonathan David pour renforcer son attaque l'été prochain. Le Canadien de 21 ans est l'actuel meilleur buteur de Ligue 1 avec 10 réalisations.

", - "content": "Selon la presse britannique, Arsenal pense à Jonathan David pour renforcer son attaque l'été prochain. Le Canadien de 21 ans est l'actuel meilleur buteur de Ligue 1 avec 10 réalisations.

", + "title": "PSG: Pochettino laisse \"les joueurs livrés à eux-mêmes\", regrette Rothen", + "description": "À la veille de PSG-Bruges, ce mardi (18h45 sur RMC Sport 1), Jérôme Rothen a critiqué le travail de Mauricio Pochettino dans son émission \"Rothen s'enflamme\". Selon lui, l'entraîneur du club de la capitale doit \"rassurer tactiquement\" ses joueurs, qui proposent un spectacle décevant depuis plusieurs semaines.

", + "content": "À la veille de PSG-Bruges, ce mardi (18h45 sur RMC Sport 1), Jérôme Rothen a critiqué le travail de Mauricio Pochettino dans son émission \"Rothen s'enflamme\". Selon lui, l'entraîneur du club de la capitale doit \"rassurer tactiquement\" ses joueurs, qui proposent un spectacle décevant depuis plusieurs semaines.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-feu-avec-lille-jonathan-david-serait-cible-par-arsenal_AV-202112040031.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-laisse-les-joueurs-livres-a-eux-memes-regrette-rothen_AV-202112060416.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 07:15:00 GMT", - "enclosure": "https://images.bfmtv.com/o-t3jfE9OFNmhx61FY09lvmZgSs=/10x57:2042x1200/800x0/images/Jonathan-DAVID-1181385.jpg", + "pubDate": "Mon, 06 Dec 2021 17:58:53 GMT", + "enclosure": "https://images.bfmtv.com/IUbjLbEqeTu4wR4Y1duPZQv1ut4=/0x0:2048x1152/800x0/images/Lionel-Messi-sous-la-neige-a-Saint-Etienne-1181963.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "4df25b612088f461f6698108fcc31dcc" + "hash": "f8433f0173c06ed7cbb38cc4477fc81f" }, { - "title": "Liga: menacé d'exclusion des coupes d'Europe, le Betis contre-attaque", - "description": "Le Betis Séville, qui fait partie des huit clubs européens sanctionnés vendredi par l'UEFA pour des dettes excessives ou des impayés, assure être en règle. Le club de Nabil Fekir risque une exclusion des coupes d'Europe pour trois saisons.

", - "content": "Le Betis Séville, qui fait partie des huit clubs européens sanctionnés vendredi par l'UEFA pour des dettes excessives ou des impayés, assure être en règle. Le club de Nabil Fekir risque une exclusion des coupes d'Europe pour trois saisons.

", + "title": "Anthony Joshua: \"Je veux récupérer mes ceintures\"", + "description": "EXCLU RMC SPORT. Il n’est plus champion du monde depuis fin septembre et sa défaite contre Oleksandr Usyk pour les titres IBF-WBA-WBO des lourds. Mais Anthony Joshua reste une des plus grandes stars actuelles de la boxe. Très rare dans les médias français, le combattant britannique a accordé un entretien exclusif à RMC Sport. Revanche contre Usyk, changements à venir à l'entraînement, Tyson Fury, Tony Yoka: \"AJ\" revient sur tous les sujets qui font son actualité et plus encore.

", + "content": "EXCLU RMC SPORT. Il n’est plus champion du monde depuis fin septembre et sa défaite contre Oleksandr Usyk pour les titres IBF-WBA-WBO des lourds. Mais Anthony Joshua reste une des plus grandes stars actuelles de la boxe. Très rare dans les médias français, le combattant britannique a accordé un entretien exclusif à RMC Sport. Revanche contre Usyk, changements à venir à l'entraînement, Tyson Fury, Tony Yoka: \"AJ\" revient sur tous les sujets qui font son actualité et plus encore.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-menace-d-exclusion-des-coupes-d-europe-le-betis-contre-attaque_AV-202112040028.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/anthony-joshua-je-veux-recuperer-mes-ceintures_AV-202112060407.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 06:45:18 GMT", - "enclosure": "https://images.bfmtv.com/0q-JVVz-eC8ANBORl_5dZCoFhZM=/0x0:2048x1152/800x0/images/Alex-MORENO-et-Nabil-FEKIR-1181340.jpg", + "pubDate": "Mon, 06 Dec 2021 17:47:46 GMT", + "enclosure": "https://images.bfmtv.com/4pIJEkqtcWIufJxqMcwb40-WmMo=/0x62:2032x1205/800x0/images/Anthony-Joshua-987595.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40941,17 +45576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "60909c6046e4e6c11eb9f2b6f57be9fa" + "hash": "78aa90edc4423bc9846d828dd9b40462" }, { - "title": "Open d'Australie: Djokovic entretient le flou sur sa participation", - "description": "Neuf fois titré à Melbourne, dont la dernière fois en février, Novak Djokovic refuse toujours de dire s'il a été vacciné contre le Covid-19, et donc s'il pourra participer ou non à l'Open d'Australie au mois de janvier.

", - "content": "Neuf fois titré à Melbourne, dont la dernière fois en février, Novak Djokovic refuse toujours de dire s'il a été vacciné contre le Covid-19, et donc s'il pourra participer ou non à l'Open d'Australie au mois de janvier.

", + "title": "Saint-Étienne: Sablé assurera l'intérim après la mise à pied de Claude Puel", + "description": "Au lendemain de la mise à pied de Claude Puel, Julien Sablé a été choisi par l'AS Saint-Etienne pour assurer l'intérim jusqu'à la nomination d'un nouvel entraîneur.

", + "content": "Au lendemain de la mise à pied de Claude Puel, Julien Sablé a été choisi par l'AS Saint-Etienne pour assurer l'intérim jusqu'à la nomination d'un nouvel entraîneur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/open-d-australie-djokovic-entretient-le-flou-sur-sa-participation_AV-202112040014.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-sable-assurera-l-interim-apres-la-mise-a-pied-de-claude-puel_AV-202112060392.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 06:20:00 GMT", - "enclosure": "https://images.bfmtv.com/ErgLQe2BAobR01zIzT8E-f232Tk=/0x54:2032x1197/800x0/images/Novak-Djokovic-1181338.jpg", + "pubDate": "Mon, 06 Dec 2021 17:26:58 GMT", + "enclosure": "https://images.bfmtv.com/5nv2tBB3AWVGeH6MqETeIxWJSNQ=/0x62:1200x737/800x0/images/-806024.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -40961,37 +45596,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "441b3a1c14e738689b277ecacdf0c528" + "hash": "8146c78d571f5c7daf07d26d871232e2" }, { - "title": "Portugal: Sarabia et le Sporting dominent Benfica dans un intense derby de Lisbonne", - "description": "Le Sporting a largement battu Benfica (3-1) ce vendredi lors de la 13e journée du championnat portugais. Un but rapide de Pablo Sarabia a fait basculer un derby de Lisbonne, marqué par de nombreuses fautes et une grosse intensité. Paulinho et Matheus Nunes ont assuré la victoire des Lions.

", - "content": "Le Sporting a largement battu Benfica (3-1) ce vendredi lors de la 13e journée du championnat portugais. Un but rapide de Pablo Sarabia a fait basculer un derby de Lisbonne, marqué par de nombreuses fautes et une grosse intensité. Paulinho et Matheus Nunes ont assuré la victoire des Lions.

", + "title": "Mondial 2022: une équipe norvégienne sort un maillot anti-Qatar", + "description": "La formation de Tromsø IL, qui évolue dans le championnat norvégien, a dévoilé ce lundi un maillot avec un QR code fonctionnel qui renvoie vers le site du club, où sont dénoncées les conditions de travail au Qatar.

", + "content": "La formation de Tromsø IL, qui évolue dans le championnat norvégien, a dévoilé ce lundi un maillot avec un QR code fonctionnel qui renvoie vers le site du club, où sont dénoncées les conditions de travail au Qatar.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-sarabia-et-le-sporting-dominent-benfica-dans-un-intense-derby-de-lisbonne_AV-202112030572.html", + "link": "https://rmcsport.bfmtv.com/football/mondial-2022-une-equipe-norvegienne-sort-un-maillot-anti-qatar_AV-202112060387.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:14:25 GMT", - "enclosure": "https://images.bfmtv.com/h3s_3nSpiiChVPhWqnu0wmHnKBs=/0x85:2032x1228/800x0/images/Pablo-Sarabia-buteur-lors-du-derby-de-Lisbonne-1181313.jpg", + "pubDate": "Mon, 06 Dec 2021 17:20:19 GMT", + "enclosure": "https://images.bfmtv.com/KxmAb_5Cnz4wU6I6roI8e6yuW3w=/0x103:1984x1219/800x0/images/Ballon-de-foot-1064209.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0bedafe12913b17958d4f5868547dbdb" + "hash": "a485bc5ba06a87d1d64524b4742ec98f" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 4 décembre – Ligue 1", - "description": "Notre pronostic: le Paris-SG ne perd pas à Lens et les deux équipes marquent (1.80)

", - "content": "Notre pronostic: le Paris-SG ne perd pas à Lens et les deux équipes marquent (1.80)

", + "title": "Monaco: saison terminée pour Krépin Diatta, opéré des croisés avec succès", + "description": "L'attaquant sénégalais de l'AS Monaco Krépin Diatta (22 ans), opéré d'une lésion du ligament antérieur du genou gauche ce lundi, ne rejouera plus cette saison sous le maillot du club de la Principauté.

", + "content": "L'attaquant sénégalais de l'AS Monaco Krépin Diatta (22 ans), opéré d'une lésion du ligament antérieur du genou gauche ce lundi, ne rejouera plus cette saison sous le maillot du club de la Principauté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-4-decembre-ligue-1_AN-202112030447.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-saison-terminee-pour-krepin-diatta-opere-des-croises-avec-succes_AV-202112060373.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:05:00 GMT", - "enclosure": "https://images.bfmtv.com/cgMMT5uFmAdh3U4Zw20WYHPgq1A=/1x205:2001x1330/800x0/images/Kylian-Mbappe-Paris-SG-1181123.jpg", + "pubDate": "Mon, 06 Dec 2021 16:54:53 GMT", + "enclosure": "https://images.bfmtv.com/W2CICT7aEggBMneVfYG57sQz7gc=/0x0:1200x675/800x0/images/Krepin-Diatta-1182763.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41001,17 +45636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ebf4da532ff3825604c8663c9409a33" + "hash": "df3864e473d054b6e56bca71d2a89746" }, { - "title": "Biathlon en direct: Bescond et Chevalier-Bouchet sur le podium de la poursuite", - "description": "Comme le week-end passé, la Coupe du monde de biathlon fait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e place d'Anaïs Bescond et Anaïs Chevalier-Bouchet, derrière la Norvégienne Roeiseland. A 15h10, place au relais masculin. C'est à suivre en direct commenté sur RMC Sport.

", - "content": "Comme le week-end passé, la Coupe du monde de biathlon fait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e place d'Anaïs Bescond et Anaïs Chevalier-Bouchet, derrière la Norvégienne Roeiseland. A 15h10, place au relais masculin. C'est à suivre en direct commenté sur RMC Sport.

", + "title": "OL: coup dur pour Denayer, qui va être absent deux mois", + "description": "Sorti blessé lors du match entre les Girondins de Bordeaux et l'Olympique Lyonnais, dimanche en Ligue 1 (2-2), Jason Denayer sera absent deux mois. Le défenseur central souffre d'une entorse de la cheville droite, a indiqué le club rhodanien dans un communiqué.

", + "content": "Sorti blessé lors du match entre les Girondins de Bordeaux et l'Olympique Lyonnais, dimanche en Ligue 1 (2-2), Jason Denayer sera absent deux mois. Le défenseur central souffre d'une entorse de la cheville droite, a indiqué le club rhodanien dans un communiqué.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-veulent-briller-sur-la-poursuite_LN-202112040116.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-coup-dur-pour-denayer-qui-va-etre-absent-deux-mois_AV-202112060365.html", "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:54:00 GMT", - "enclosure": "https://images.bfmtv.com/zUFYf0AwJkA-g4QUVN4yUyiGmsg=/0x0:2048x1152/800x0/images/Anais-Bescond-2e-de-la-poursuite-1181513.jpg", + "pubDate": "Mon, 06 Dec 2021 16:46:08 GMT", + "enclosure": "https://images.bfmtv.com/j3yG2YxKSrNdEf4uKE5ZFQiI0dA=/0x34:1200x709/800x0/images/Jason-Denayer-1182334.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41021,17 +45656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e46afa25f58ecc517fb6a35a879363d8" + "hash": "68eefda267056fa546f68cae13857c36" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 4 décembre – Ligue 1", - "description": "Notre pronostic: les deux équipes marquent lors de Marseille – Brest (1.72)

", - "content": "Notre pronostic: les deux équipes marquent lors de Marseille – Brest (1.72)

", + "title": "Incidents OL-OM: un rapport de la préfecture et de la DDSP rejette la faute sur la Ligue", + "description": "Deux semaines et demi après l'arrêt et le report de la rencontre entre l'OL et l'OM, un rapport co-rédigé par la préfecture d'Auvergne-Rhône-Alpes et la Direction départementale de la sécurité publique consulté par RMC Sport indique que les membres de la Ligue présents sur place \"semblaient privilégier une reprise\".

", + "content": "Deux semaines et demi après l'arrêt et le report de la rencontre entre l'OL et l'OM, un rapport co-rédigé par la préfecture d'Auvergne-Rhône-Alpes et la Direction départementale de la sécurité publique consulté par RMC Sport indique que les membres de la Ligue présents sur place \"semblaient privilégier une reprise\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-4-decembre-ligue-1_AN-202112030439.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-un-rapport-de-la-prefecture-et-de-la-ddsp-rejette-la-faute-sur-la-ligue_AV-202112060339.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/JzvvviJsGCSURCPfCl4TGt-W5Uc=/7x107:1991x1223/800x0/images/Gerson-Marseille-1181118.jpg", + "pubDate": "Mon, 06 Dec 2021 16:19:32 GMT", + "enclosure": "https://images.bfmtv.com/cYZCJ3C5jbxw__gAo3KoSS80NCA=/0x50:768x482/800x0/images/Le-milieu-de-terrain-de-l-Olympique-de-Marseille-Dimitri-Payet-s-apprete-a-tirer-un-corner-lors-du-match-de-cloture-de-la-14e-journee-de-Ligue-1-face-a-Lyon-le-22-novembre-2021-au-Groupama-Stadium-a-Decines-Charpieu-pres-de-Lyon-1173198.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41041,57 +45676,57 @@ "favorite": false, "created": false, "tags": [], - "hash": "247fa7e4a0127d04f50d6e5a1c371a70" + "hash": "8923affcad3e82ee1d1bad21d3ab9643" }, { - "title": "PRONOS PARIS RMC Le pari de folie du 4 décembre – Ligue 1", - "description": "Notre pronostic: Lille bat Troyes 1-0/2-0/3-0, David ou Yilmaz buteur (3.20)

", - "content": "Notre pronostic: Lille bat Troyes 1-0/2-0/3-0, David ou Yilmaz buteur (3.20)

", + "title": "Tennis: la WTA officialise son calendrier 2022 et acte son boycott de la Chine", + "description": "La WTA a publié ce lundi son calendrier pour les six premiers mois de la saison 2022 et aucun tournois chinois ne s'y trouve. Un acte majeur de la part de Steve Simon, qui avait eu des mots forts après la révélation de l'affaire Peng Shuai.

", + "content": "La WTA a publié ce lundi son calendrier pour les six premiers mois de la saison 2022 et aucun tournois chinois ne s'y trouve. Un acte majeur de la part de Steve Simon, qui avait eu des mots forts après la révélation de l'affaire Peng Shuai.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-4-decembre-ligue-1_AN-202112030436.html", + "link": "https://rmcsport.bfmtv.com/tennis/tennis-la-wta-officialise-son-calendrier-2022-et-acte-son-boycott-de-la-chine_AV-202112060330.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/eYZZAk1D1nvZd6pOXvvXQfuoEhE=/0x104:1984x1220/800x0/images/Jonathan-David-Lille-1181114.jpg", + "pubDate": "Mon, 06 Dec 2021 15:59:24 GMT", + "enclosure": "https://images.bfmtv.com/b-NX9lhOxku0fBkpjMvy57cpBS4=/0x40:768x472/800x0/images/La-joueuse-chinoise-Peng-Shuai-lors-d-un-match-du-tournoi-WTA-de-Pekin-le-2-octobre-2017-1170748.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "9492f2ab39c6b4894469603e1fed5ebd" + "hash": "ec321b5440943767027af8390b6ce9ec" }, { - "title": "PRONOS PARIS RMC Le nul du jour du 4 décembre – Premier League - Angleterre", - "description": "Notre pronostic: pas de vainqueur entre Southampton et Brighton (3.15)

", - "content": "Notre pronostic: pas de vainqueur entre Southampton et Brighton (3.15)

", + "title": "OL: les supporters des Rangers interdits à Lyon", + "description": "À trois jours du match entre l'Olympique Lyonnais et les Glasgow Rangers jeudi en Ligue Europa (sur RMC Sport), un arrêté ministériel publié ce lundi interdit le déplacement des supporters écossais à Lyon. 2 200 d'entre eux devaient assister à ce match comptant pour la 6e journée de Ligue Europa.

", + "content": "À trois jours du match entre l'Olympique Lyonnais et les Glasgow Rangers jeudi en Ligue Europa (sur RMC Sport), un arrêté ministériel publié ce lundi interdit le déplacement des supporters écossais à Lyon. 2 200 d'entre eux devaient assister à ce match comptant pour la 6e journée de Ligue Europa.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-4-decembre-premier-league-angleterre_AN-202112030432.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ol-les-supporters-des-rangers-interdits-a-lyon_AV-202112060329.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/26ILD-NKEIc1ukGQT74Am6A6DRc=/0x117:2000x1242/800x0/images/Neal-Maupay-Brighton-1181112.jpg", + "pubDate": "Mon, 06 Dec 2021 15:56:45 GMT", + "enclosure": "https://images.bfmtv.com/vAkF-MIVxCZ56NNf5Na3xZiB3O4=/0x84:2048x1236/800x0/images/Les-supporters-des-Rangers-lors-du-match-aller-entre-l-OL-et-le-club-de-Glasgow-le-16-septembre-1182742.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "afe1ed2c7bff1c04b95894707ee85de7" + "hash": "8d745027063502e49a6e81b39a9db723" }, { - "title": "PRONOS PARIS RMC Le pari football de Jérôme Rothen du 4 décembre – Ligue 1", - "description": "Mon pronostic : Lens ne perd pas face au PSG et les deux équipes marquent (2.95)

", - "content": "Mon pronostic : Lens ne perd pas face au PSG et les deux équipes marquent (2.95)

", + "title": "Coupe de France : Avant son match face à l’OM, Le Cannet, sans stade, tire la sonnette d’alarme", + "description": "Ce qui était une grande joie au moment du tirage au sort lundi dernier est en train de tourner au cauchemar: les amateurs du Cannet-Rocheville ne savent toujours pas où ils pourront recevoir l'OM en 32e de finale de coupe de France le dimanche 19 décembre.

", + "content": "Ce qui était une grande joie au moment du tirage au sort lundi dernier est en train de tourner au cauchemar: les amateurs du Cannet-Rocheville ne savent toujours pas où ils pourront recevoir l'OM en 32e de finale de coupe de France le dimanche 19 décembre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-jerome-rothen-du-4-decembre-ligue-1_AN-202112030310.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-avant-son-match-face-a-l-om-le-cannet-sans-stade-tire-la-sonnette-d-alarme_AV-202112060323.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/Q1GmwmHopEqaIZFAdAkl8kzzL6Q=/0x0:1984x1116/800x0/images/Arnaud-Kalimuendo-1180913.jpg", + "pubDate": "Mon, 06 Dec 2021 15:33:28 GMT", + "enclosure": "https://images.bfmtv.com/0fgFY64v7W1LaegIfAeNtItvj8M=/0x175:2048x1327/800x0/images/Le-stade-Velodrome-a-huis-clos-pour-OM-Troyes-1181282.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41101,17 +45736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "36578605e5107e62ae6f2b0681582aff" + "hash": "0eb9bb5af0360143294535b1caad5dc0" }, { - "title": "PRONOS PARIS RMC Le buteur du jour du 4 décembre – Bundesliga - Allemagne", - "description": "Notre pronostic: Erling Haaland marque contre le Bayern (2.00)

", - "content": "Notre pronostic: Erling Haaland marque contre le Bayern (2.00)

", + "title": "PSG: \"Les gens critiquent toujours\", Hakimi réclame de la patience", + "description": "En conférence de presse ce lundi, à la veille du dernier rendez-vous de la phase de poules de la Ligue des champions face à Bruges (mardi à 18h45, en direct sur RMC Sport 1), le latéral droit Achraf Hakimi a estimé que les joueurs du PSG avait encore besoin de temps pour assimiler les demandes de leur entraîneur, Mauricio Pochettino.

", + "content": "En conférence de presse ce lundi, à la veille du dernier rendez-vous de la phase de poules de la Ligue des champions face à Bruges (mardi à 18h45, en direct sur RMC Sport 1), le latéral droit Achraf Hakimi a estimé que les joueurs du PSG avait encore besoin de temps pour assimiler les demandes de leur entraîneur, Mauricio Pochettino.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-4-decembre-bundesliga-allemagne_AN-202112030430.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-les-gens-critiquent-toujours-hakimi-reclame-de-la-patience_AV-202112060322.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/K4Pf_pB1FNnidoOOcBT8VUeFUT0=/0x104:1984x1220/800x0/images/Erling-Haaland-Dortmund-1181102.jpg", + "pubDate": "Mon, 06 Dec 2021 15:26:32 GMT", + "enclosure": "https://images.bfmtv.com/cTPSglOa2Bh96dMyMFmXsfwhMos=/0x0:1200x675/800x0/images/Achraf-Hakimi-1182743.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41121,17 +45756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0098e766c6bead5d57f2d1e316ee161e" + "hash": "685de39923307454d18dd756abc781b5" }, { - "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 4 décembre – Ligue 1", - "description": "Mon pronostic : le PSG mène à la mi-temps à Lens, gagne et Messi buteur (3.55 via MyMatch)

", - "content": "Mon pronostic : le PSG mène à la mi-temps à Lens, gagne et Messi buteur (3.55 via MyMatch)

", + "title": "Ligue 1: huis clos, point de retrait... ce que risque l'OL après l'incident contre l'OM", + "description": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", + "content": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-4-decembre-ligue-1_AN-202112030306.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-un-possible-retrait-d-un-point-avec-sursis-pour-l-ol-apres-l-incident-contre-l-om_AV-202112060319.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/9QvW1Zxidan4OKjv2xqqWFfaTQM=/0x0:1984x1116/800x0/images/Lionel-Messi-1180906.jpg", + "pubDate": "Mon, 06 Dec 2021 15:20:37 GMT", + "enclosure": "https://images.bfmtv.com/YUzaZSDOddKudjP1EhIzSEW7nSc=/0x60:768x492/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41141,17 +45776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff160a50be28d52c7438685b499a53b2" + "hash": "1aa75513da60a08e6e62cb24b3cf0e78" }, { - "title": "PRONOS PARIS RMC Le pari rugby de Denis Charvet du 4 décembre – Top 14", - "description": "Mon pronostic : l’UBB bat le Stade Toulousain avec 8 à 14 points d’écart (3.95)

", - "content": "Mon pronostic : l’UBB bat le Stade Toulousain avec 8 à 14 points d’écart (3.95)

", + "title": "PSG-Bruges: le monologue de Pochettino pour assurer qu'il \"se sent bien malgré les tempêtes\"", + "description": "A la veille de la réception de Bruges en Ligue des champions (18h45, sur RMC Sport 1), Mauricio Pochettino est revenu sur les critiques dont son équipe fait l'objet depuis quelques semaines. Malgré les tempêtes, le technicien \"se sent bien\" et garde la confiance de ses joueurs.

", + "content": "A la veille de la réception de Bruges en Ligue des champions (18h45, sur RMC Sport 1), Mauricio Pochettino est revenu sur les critiques dont son équipe fait l'objet depuis quelques semaines. Malgré les tempêtes, le technicien \"se sent bien\" et garde la confiance de ses joueurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-rugby-de-denis-charvet-du-4-decembre-top-14_AN-202112030305.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-le-monologue-de-pochettino-pour-assurer-qu-il-se-sent-bien-malgre-les-tempetes_AV-202112060317.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 23:00:00 GMT", - "enclosure": "https://images.bfmtv.com/jWyGYxgFJR5MnBFzzOxO7jSYUfk=/0x104:2000x1229/800x0/images/UBB-1180905.jpg", + "pubDate": "Mon, 06 Dec 2021 15:17:50 GMT", + "enclosure": "https://images.bfmtv.com/I6X2EQBr5aBEciqBg7-KhTrfpyQ=/0x229:496x508/800x0/images/L-entraineur-argentin-du-Paris-Saint-Germain-Mauricio-Pochettino-lors-d-une-conference-de-presse-au-Parc-des-Princes-a-Paris-le-18-octobre-2021-1156167.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41161,77 +45796,77 @@ "favorite": false, "created": false, "tags": [], - "hash": "da8bf12b9602684aa43dde13be34c0fc" + "hash": "f5f6784125554e35402d402cd975bb8c" }, { - "title": "Coupe de France: imbroglio sur le choix du stade de Cannet-OM", - "description": "Le club de l’ES Cannet-Rocheville cherche encore une solution pour accueillir son 32e de finale de Coupe de France face à l’OM. Si l’idée de jouer le match au Vélodrome semble écartée, le club de National 3 ne sait pas encore où il affrontera Marseille.

", - "content": "Le club de l’ES Cannet-Rocheville cherche encore une solution pour accueillir son 32e de finale de Coupe de France face à l’OM. Si l’idée de jouer le match au Vélodrome semble écartée, le club de National 3 ne sait pas encore où il affrontera Marseille.

", + "title": "Rugby: l'essai de l'année pour les Français Penaud et Boulard", + "description": "Les essais inscrits par l'ailier français Damian Penaud et l'arrière française Emilie Boulard, respectivement contre l'Ecosse et le pays de Galles lors du Tournoi des six nations 2021, ont été élus les plus beaux de l'année, a annoncé lundi World Rugby.

", + "content": "Les essais inscrits par l'ailier français Damian Penaud et l'arrière française Emilie Boulard, respectivement contre l'Ecosse et le pays de Galles lors du Tournoi des six nations 2021, ont été élus les plus beaux de l'année, a annoncé lundi World Rugby.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-imbroglio-sur-le-choix-du-stade-de-cannet-om_AV-202112030546.html", + "link": "https://rmcsport.bfmtv.com/rugby/rugby-l-essai-de-l-annee-pour-les-francais-penaud-et-boulard_AD-202112060312.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 22:05:12 GMT", - "enclosure": "https://images.bfmtv.com/0fgFY64v7W1LaegIfAeNtItvj8M=/0x175:2048x1327/800x0/images/Le-stade-Velodrome-a-huis-clos-pour-OM-Troyes-1181282.jpg", + "pubDate": "Mon, 06 Dec 2021 15:12:16 GMT", + "enclosure": "https://images.bfmtv.com/ms6h7IDVFXBI1s2FUcq99gDT3TI=/0x40:768x472/800x0/images/L-ailier-francais-Damian-Penaud-file-marquer-un-essai-apres-son-interception-face-a-la-Nouvelle-Zelande-lors-du-dernier-test-match-de-la-tournee-d-automne-le-20-novembre-2021-au-Stade-de-France-a-Saint-Denis-1171411.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "52f94e69faaa6d713cd3b534eca87edb" + "hash": "b3c90ac165f6054a3702a5d8f3189028" }, { - "title": "La belle initiative d’Aston Villa pour rendre hommage à un enfant tué par son père et sa belle-mère", - "description": "Le match de la 15e journée de Premier League entre Aston Villa et Leicester dimanche (17h30) sera marqué par une minute d’applaudissements à la 6e minute afin d’honorer la mémoire du petit Arthur Labinjo-Hughes. Cet enfant de 6 ans est mort l’an passé, tué par sa belle-mère. Son père a été condamné pour homicide involontaire.

", - "content": "Le match de la 15e journée de Premier League entre Aston Villa et Leicester dimanche (17h30) sera marqué par une minute d’applaudissements à la 6e minute afin d’honorer la mémoire du petit Arthur Labinjo-Hughes. Cet enfant de 6 ans est mort l’an passé, tué par sa belle-mère. Son père a été condamné pour homicide involontaire.

", + "title": "F2: talon cassé, contusions… Fittipaldi présente ses blessures après l‘accident avec Pourchaire", + "description": "Pris dans une terrible collision avec la voiture du Français Théo Pourchaire, le Brésilien Enzo Fittipaldi a donné des nouvelles rassurantes sur les réseaux sociaux, publiant une photo de lui à l’hôpital avec le pouce levé.

", + "content": "Pris dans une terrible collision avec la voiture du Français Théo Pourchaire, le Brésilien Enzo Fittipaldi a donné des nouvelles rassurantes sur les réseaux sociaux, publiant une photo de lui à l’hôpital avec le pouce levé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/la-belle-initiative-d-aston-villa-pour-rendre-hommage-a-un-enfant-tue-par-son-pere-et-sa-belle-mere_AV-202112030545.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f2-talon-casse-contusions-fittipaldi-presente-ses-blessures-apres-l-accident-avec-pourchaire_AV-202112060302.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 22:03:54 GMT", - "enclosure": "https://images.bfmtv.com/D7FIkuGJ8V55Y779bblEa7t-ZD4=/0x0:2048x1152/800x0/images/Les-joueurs-d-Aston-Villa-1181263.jpg", + "pubDate": "Mon, 06 Dec 2021 14:41:59 GMT", + "enclosure": "https://images.bfmtv.com/QgwL8xd7SOdRS4xK6_hIKKxbFWQ=/0x125:1200x800/800x0/images/Illustration-de-la-violence-du-choc-entre-Theo-Pourchaire-et-Enzo-Fittipaldi-1182731.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "43922817061f2de3a04617858fe304af" + "hash": "89baa6f2ec2d56cfb3eb98e9c781b114" }, { - "title": "Coupe Davis: la Croatie en finale, saison terminée pour Djokovic", - "description": "La Croatie a battu la Serbie 2-1 en demi-finale de Coupe Davis vendredi à Madrid. Le numéro un mondial Novak Djokovic, vainqueur de son simple face à Marin Cilic, est quant à lui en vacances.

", - "content": "La Croatie a battu la Serbie 2-1 en demi-finale de Coupe Davis vendredi à Madrid. Le numéro un mondial Novak Djokovic, vainqueur de son simple face à Marin Cilic, est quant à lui en vacances.

", + "title": "Real Madrid: Casemiro confiant pour l'avenir de Camavinga", + "description": "Le Real Madrid affronte l’Inter Milan mardi lors de la sixième journée des poules de la Ligue des champions. Interrogé sur l'intégration d’Eduardo Camavinga, le Brésilien Casemiro a affiché une belle confiance à l’égard du milieu français.

", + "content": "Le Real Madrid affronte l’Inter Milan mardi lors de la sixième journée des poules de la Ligue des champions. Interrogé sur l'intégration d’Eduardo Camavinga, le Brésilien Casemiro a affiché une belle confiance à l’égard du milieu français.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-la-croatie-en-finale-saison-terminee-pour-djokovic_AD-202112030542.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-casemiro-confiant-pour-l-avenir-de-camavinga_AV-202112060296.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 21:54:43 GMT", - "enclosure": "https://images.bfmtv.com/hXryxjwYGpx9QEIeO0KXePg8CDc=/0x115:2048x1267/800x0/images/Novak-Djokovic-avec-la-Serbie-1181279.jpg", + "pubDate": "Mon, 06 Dec 2021 14:32:21 GMT", + "enclosure": "https://images.bfmtv.com/lQzuzZRmvOH0uyiaW2ROXC-FbVY=/0x17:2048x1169/800x0/images/Eduardo-Camavinga-avec-le-Real-Madrid-1182723.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0de0249e724663ea91f42f2980d0b20d" + "hash": "ba58fdb7beb9bae1b61f89086a0f62ec" }, { - "title": "Le Betis Séville, Porto et le Sporting menacés d'exclusion des coupes d'Europe par l'UEFA", - "description": "L'UEFA sanctionne huit clubs européens en raison de leur dette excessive et leurs impayés, dont le Betis Séville, le FC Porto ou encore le Sporting Portugal. Les équipes en question vont devoir payer une amende mais en cas d'infraction répétée fin janvier, elles pourraient être exclues des coupes d'Europe pour trois saisons.

", - "content": "L'UEFA sanctionne huit clubs européens en raison de leur dette excessive et leurs impayés, dont le Betis Séville, le FC Porto ou encore le Sporting Portugal. Les équipes en question vont devoir payer une amende mais en cas d'infraction répétée fin janvier, elles pourraient être exclues des coupes d'Europe pour trois saisons.

", + "title": "PSG: Sergio Ramos forfait face à Bruges, Kimpembe incertain", + "description": "Trop juste sur le plan physique, le défenseur central du PSG, Sergio Ramos, sera absent pour le match de Ligue des champions face à Bruges, mardi au Parc des Princes (18h45 en direct sur RMC Sport 1).

", + "content": "Trop juste sur le plan physique, le défenseur central du PSG, Sergio Ramos, sera absent pour le match de Ligue des champions face à Bruges, mardi au Parc des Princes (18h45 en direct sur RMC Sport 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/le-betis-seville-porto-et-le-sporting-menaces-d-exclusion-des-coupes-d-europe-par-l-uefa_AV-202112030535.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-sergio-ramos-forfait-face-a-bruges-kimpembe-incertain_AV-202112060274.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 21:33:17 GMT", - "enclosure": "https://images.bfmtv.com/6GD1sCjHo4jRIzfotkVkLinVyws=/6x109:2022x1243/800x0/images/La-celebration-du-Betis-Seville-1181270.jpg", + "pubDate": "Mon, 06 Dec 2021 13:48:59 GMT", + "enclosure": "https://images.bfmtv.com/7m-qfhTwLE18hCdBBD4kar0LUOg=/0x37:2048x1189/800x0/images/Sergio-RAMOS-1180944.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41241,37 +45876,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c65f5ee169df4675cfad6f7af75cff5" + "hash": "8837da6cb1647267432f8574fb7f4509" }, { - "title": "Racing: Thomas vers La Rochelle à la fin de saison", - "description": "Libre en fin de saison, Teddy Thomas se trouve en contact avancé avec le club de La Rochelle. L’ailier du Racing va s’engager pour trois saisons avec les Maritimes selon le journal Sud Ouest.

", - "content": "Libre en fin de saison, Teddy Thomas se trouve en contact avancé avec le club de La Rochelle. L’ailier du Racing va s’engager pour trois saisons avec les Maritimes selon le journal Sud Ouest.

", + "title": "Juventus: altercation entre Morata et Allegri en plein match", + "description": "Massimiliano Allegri a alpagué Alvaro Morata lors de son remplacement pendant le match entre la Juventus et le Genoa dimanche en Serie A. L’entraîneur turinois a reproché à l’attaquant espagnol un carton jaune reçu stupidement pour contestation.

", + "content": "Massimiliano Allegri a alpagué Alvaro Morata lors de son remplacement pendant le match entre la Juventus et le Genoa dimanche en Serie A. L’entraîneur turinois a reproché à l’attaquant espagnol un carton jaune reçu stupidement pour contestation.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/racing-thomas-vers-la-rochelle-a-la-fin-de-saison_AV-202112030531.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/juventus-altercation-entre-morata-et-allegri-en-plein-match_AV-202112060271.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 21:17:45 GMT", - "enclosure": "https://images.bfmtv.com/vIFJTznRuwpBaA5jGzP49Yy00rE=/0x106:2048x1258/800x0/images/Teddy-Thomas-avec-le-Racing-92-1181257.jpg", + "pubDate": "Mon, 06 Dec 2021 13:42:40 GMT", + "enclosure": "https://images.bfmtv.com/h1NdXz42u_PU7XrTpZCLkTM_Kec=/0x0:2048x1152/800x0/images/L-altercation-entre-Alvaro-Morata-et-Massimiliano-Allegri-lors-de-Juventus-Genoa-1182695.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "c718a9f2cc2acc475c0f05cafedf2f3b" + "hash": "6b690c437383048a988a952d5ca78ea7" }, { - "title": "Affaire Suk lors d'OM-Troyes: procédure interne ouverte à l'OM et gros rappel à l'ordre de Longoria", - "description": "Une procédure a été ouverte à l'OM et des sanctions sont à venir, après les propos racistes prononcés contre Hyun-Jun Suk dimanche, lors de la victoire de l'OM face à Troyes (1-0) en Ligue 1. Pablo Longoria a par ailleurs fait un gros rappel à l'ordre avec des règles \"non négociables\".

", - "content": "Une procédure a été ouverte à l'OM et des sanctions sont à venir, après les propos racistes prononcés contre Hyun-Jun Suk dimanche, lors de la victoire de l'OM face à Troyes (1-0) en Ligue 1. Pablo Longoria a par ailleurs fait un gros rappel à l'ordre avec des règles \"non négociables\".

", + "title": "Scandale en Colombie, la \"finale\" d'accession en D1 probablement truquée", + "description": "L'Union Magdalena s'est imposé samedi sur la pelouse de Llaneros (2-1), et termine de justesse en tête de son groupe pour la promotion en Première division colombienne. Un match entâché de forts soupçons de corruption, l'Union ayant inscrit ses deux buts aux 95e et 96e minutes, avec une défense adverse apathique. De quoi créer un gros scandale en Colombie. Et même une affaire d'Etat...

", + "content": "L'Union Magdalena s'est imposé samedi sur la pelouse de Llaneros (2-1), et termine de justesse en tête de son groupe pour la promotion en Première division colombienne. Un match entâché de forts soupçons de corruption, l'Union ayant inscrit ses deux buts aux 95e et 96e minutes, avec une défense adverse apathique. De quoi créer un gros scandale en Colombie. Et même une affaire d'Etat...

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/affaire-suk-lors-d-om-troyes-procedure-interne-ouverte-a-l-om-et-gros-rappel-a-l-ordre-de-longoria_AV-202112030479.html", + "link": "https://rmcsport.bfmtv.com/football/scandale-en-colombie-la-finale-d-accession-en-d1-probablement-truquee_AV-202112060270.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:05:12 GMT", - "enclosure": "https://images.bfmtv.com/Gsrp-BFbJMkiLJI5hoinesiYi8M=/0x0:2048x1152/800x0/images/Pablo-Longoria-1170791.jpg", + "pubDate": "Mon, 06 Dec 2021 13:37:25 GMT", + "enclosure": "https://images.bfmtv.com/GhCvFPip7RpYxgsAuBlLimj5JAQ=/11x4:1611x904/800x0/images/L-Union-Magdalena-s-est-impose-sur-la-pelouse-de-Llaneros-1182684.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41281,17 +45916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "251269b238927d9eeb8ea01745203bf5" + "hash": "53c6a135f2343afe006f68a42f60ade1" }, { - "title": "OM en direct: procédure interne et rappel à l'ordre de Longoria, après les propos racistes contre Suk", - "description": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. A la veille du match, Jorge Sampaoli et Pol Lirola ont pris la parole en conférence de presse.

", - "content": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. A la veille du match, Jorge Sampaoli et Pol Lirola ont pris la parole en conférence de presse.

", + "title": "Ligue 1 en direct: le match de Coupe de France Cannet-Rocheville-OM se jouera au Vélodrome", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-en-direct-la-conf-de-sampaoli-et-lirola-avant-brest_LN-202112030234.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:43:55 GMT", - "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/0fgFY64v7W1LaegIfAeNtItvj8M=/0x175:2048x1327/800x0/images/Le-stade-Velodrome-a-huis-clos-pour-OM-Troyes-1181282.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41301,17 +45936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "30f5e2d023250d131dc3076c082a42ee" + "hash": "05f9ec16952fb179df59c422ad1cea93" }, { - "title": "PSG: Hakimi juge la Ligue 1 \"très difficile\"", - "description": "Arrivé l’été dernier en provenance de l’Inter Milan, Achraf Hakimi continue de s’adapter à la Ligue 1. Dans une interview sur le site du club, le latéral droit du PSG a souligné le niveau élevé du championnat français, tout en abordant le match de samedi contre Lens (à 21h).

", - "content": "Arrivé l’été dernier en provenance de l’Inter Milan, Achraf Hakimi continue de s’adapter à la Ligue 1. Dans une interview sur le site du club, le latéral droit du PSG a souligné le niveau élevé du championnat français, tout en abordant le match de samedi contre Lens (à 21h).

", + "title": "Mercato: Haaland, Vinicius, Diaby… la valeur des plus grandes pépites du foot", + "description": "L’Observatoire du football CIES a dévoilé le top 10, par poste, des joueurs de moins de 23 ans dont la valeur estimée sera la plus importante lors du prochain mercato hivernal. Malgré sa dernière année de contrat avec le PSG, Mbappé réussit l'exploit de faire partie du top 10 européen, composé intégralement de joueurs offensifs.

", + "content": "L’Observatoire du football CIES a dévoilé le top 10, par poste, des joueurs de moins de 23 ans dont la valeur estimée sera la plus importante lors du prochain mercato hivernal. Malgré sa dernière année de contrat avec le PSG, Mbappé réussit l'exploit de faire partie du top 10 européen, composé intégralement de joueurs offensifs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-hakimi-juge-la-ligue-1-tres-difficile_AV-202112030468.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-haaland-vinicius-diaby-la-valeur-des-plus-grandes-pepites-du-foot_AV-202112060260.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:47:15 GMT", - "enclosure": "https://images.bfmtv.com/e2le8K0AoWn54anF2myBv0N1mjU=/0x100:1920x1180/800x0/images/Hakimi-1134375.jpg", + "pubDate": "Mon, 06 Dec 2021 13:11:21 GMT", + "enclosure": "https://images.bfmtv.com/iEVcVsNPEkLaDzEu58Z2BQ9jGw0=/0x41:2048x1193/800x0/images/Erling-Haaland-1144123.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41321,17 +45956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "52957702de32ac195b30f296a351584a" + "hash": "a5d249cfb7d295b29c6bccff221fe768" }, { - "title": "Portugal: report du prochain match de championnat du Belenenses SAD, décimé par le Covid-19", - "description": "Le match de clôture de la 13e journée du championnat portugais entre Vizela et le Belenenses SAD initiallement porgrammée dimanche soir a été reporté en raison des nombreux cas de Covid.

", - "content": "Le match de clôture de la 13e journée du championnat portugais entre Vizela et le Belenenses SAD initiallement porgrammée dimanche soir a été reporté en raison des nombreux cas de Covid.

", + "title": "F1: un accrochage pour un titre mondial ? Prost, Senna, Schumacher... des précédents célèbres", + "description": "Que ce soit Alain Prost et Ayrton Senna dans les années 80-90, ou bien un jeune Michael Schumacher en 1994, les pilotes ont parfois usé de procédés peu éthiques pour s'adjuger le titre en Formule 1 à l'issue d'un accrochage.

", + "content": "Que ce soit Alain Prost et Ayrton Senna dans les années 80-90, ou bien un jeune Michael Schumacher en 1994, les pilotes ont parfois usé de procédés peu éthiques pour s'adjuger le titre en Formule 1 à l'issue d'un accrochage.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-report-du-prochain-match-de-championnat-du-belenenses-sad-decime-par-le-covid-19_AD-202112030442.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-un-accrochage-pour-un-titre-mondial-prost-senna-schumacher-des-precedents-celebres_AV-202112060253.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:19:09 GMT", - "enclosure": "https://images.bfmtv.com/nFAsfGinB4DElwTqXsAi74aNf0I=/0x162:2048x1314/800x0/images/Les-joueurs-du-club-de-Belenenses-1177577.jpg", + "pubDate": "Mon, 06 Dec 2021 12:53:55 GMT", + "enclosure": "https://images.bfmtv.com/ZM_dKqOLZHLiAV9Qog-rtNij1m4=/0x50:1184x716/800x0/images/Alain-Prost-1182668.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41341,17 +45976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "50d69760342b388bd98945adde607e48" + "hash": "98b0137dc831abadc694555afd2d3350" }, { - "title": "Coupe du monde 2022: la rencontre entre l’Afrique du Sud et le Ghana ne sera pas rejouée", - "description": "Dans le cadre des qualifications pour la Coupe du monde 2022, le Ghana s’était imposé 1-0 contre l’Afrique du Sud grâce à un penalty d’André Ayew. Mais les Sud-Africains avaient demandé à faire rejouer le match en estimant que le penalty donné était litigieux. Mais ce vendredi, la demande des Bafana Bafana a été rejetée par la Fifa.

", - "content": "Dans le cadre des qualifications pour la Coupe du monde 2022, le Ghana s’était imposé 1-0 contre l’Afrique du Sud grâce à un penalty d’André Ayew. Mais les Sud-Africains avaient demandé à faire rejouer le match en estimant que le penalty donné était litigieux. Mais ce vendredi, la demande des Bafana Bafana a été rejetée par la Fifa.

", + "title": "Les grandes interviews RMC Sport: les retrouvailles Gallas-Terry en 2016", + "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce lundi, découvrez ou redécouvrez l’un des moments forts de l’année 2016. Anciens coéquipiers à Chelsea, William Gallas et John Terry se sont retrouvés au centre d'entraînement des Blues. Anecdotes, souvenirs, chambrage, l'influence de Marcel Desailly... Terry s'est longuement livré sur sa longue carrière de joueur.

", + "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce lundi, découvrez ou redécouvrez l’un des moments forts de l’année 2016. Anciens coéquipiers à Chelsea, William Gallas et John Terry se sont retrouvés au centre d'entraînement des Blues. Anecdotes, souvenirs, chambrage, l'influence de Marcel Desailly... Terry s'est longuement livré sur sa longue carrière de joueur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-la-rencontre-entre-l-afrique-du-sud-et-le-ghana-ne-sera-pas-rejouee_AV-202112030434.html", + "link": "https://rmcsport.bfmtv.com/football/les-grandes-interviews-rmc-sport-les-retrouvailles-gallas-terry-en-2016_AV-202112060251.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:11:50 GMT", - "enclosure": "https://images.bfmtv.com/Vqcc89X1eONO3xJ_ijNn0_4BRG4=/0x42:2048x1194/800x0/images/Hugo-Broos-1181051.jpg", + "pubDate": "Mon, 06 Dec 2021 12:48:32 GMT", + "enclosure": "https://images.bfmtv.com/yw975QLJhd4u0sDZabq-R0qc4Io=/0x0:720x405/800x0/images/John-Terry-et-William-Gallas-en-2016-1182667.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41361,17 +45996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b1dae55cb3b4728c9fe8046729e444f" + "hash": "75571947f0521152b5629aafc38fe87f" }, { - "title": "Saint-Etienne: le point sur les dossiers des éventuels repreneurs", - "description": "C'est dans un contexte économique et sportif pour le moins compliqué, avec une 20e place en Ligue 1, que Saint-Etienne continue de chercher un repreneur. Le maintien du club dans l'élite est une donnée prépondérante à une éventuelle cession.

", - "content": "C'est dans un contexte économique et sportif pour le moins compliqué, avec une 20e place en Ligue 1, que Saint-Etienne continue de chercher un repreneur. Le maintien du club dans l'élite est une donnée prépondérante à une éventuelle cession.

", + "title": "Rallye : Loeb et Ogier face à face au Monte-Carlo? Les deux champions en essai dans les Hautes-Alpes le même jour", + "description": "Sébastien Loeb est venu essayer la Ford Puma Hybride à Bréziers. Sébastien Ogier était lui le même jour dans le Buëch mais n’a pas pu rouler puisque Elfyn Evans avait cassé la Toyota Yaris la veille. Pour l’instant, l’Automobile Club de Monaco ne confirme aucune inscription des deux pilotes pour le prochain Monte-Carlo.

", + "content": "Sébastien Loeb est venu essayer la Ford Puma Hybride à Bréziers. Sébastien Ogier était lui le même jour dans le Buëch mais n’a pas pu rouler puisque Elfyn Evans avait cassé la Toyota Yaris la veille. Pour l’instant, l’Automobile Club de Monaco ne confirme aucune inscription des deux pilotes pour le prochain Monte-Carlo.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-point-sur-les-dossiers-des-eventuels-repreneurs_AV-202112030423.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/rallye/rallye-loeb-et-ogier-face-a-face-au-monte-carlo-les-deux-champions-en-essai-dans-les-hautes-alpes-le-meme-jour_AV-202112060247.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:00:43 GMT", - "enclosure": "https://images.bfmtv.com/FuMLZHdu-z53asetN7_J2epCSLI=/0x212:2048x1364/800x0/images/Saint-Etienne-1181074.jpg", + "pubDate": "Mon, 06 Dec 2021 12:38:20 GMT", + "enclosure": "https://images.bfmtv.com/KTpzV6znyJGw-XAuP3B_3YpxkII=/0x39:768x471/800x0/images/Les-deux-pilotes-francais-Sebastien-Loeb-Hyundai-et-Sebatien-Ogier-Citroen-lors-de-la-presentation-du-Rallye-de-Catalogne-le-24-octobre-2019-a-Salou-1171718.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41381,17 +46016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "647c9923fe759aff5b6cb2944105d9c6" + "hash": "d1574acf79fa330e3c449941b7b030f0" }, { - "title": "Varane raconte comment Zidane l’a poussé à refuser Manchester United et Ferguson pour le Real", - "description": "Recruté pendant l’été par Manchester United, Raphaël Varane aurait pu signer en Premier League dès 2011. Malgré une visite de Sir Alex Ferguson, le défenseur français avait finalement rejoint le Real Madrid après l’intervention de Zinedine Zidane.

", - "content": "Recruté pendant l’été par Manchester United, Raphaël Varane aurait pu signer en Premier League dès 2011. Malgré une visite de Sir Alex Ferguson, le défenseur français avait finalement rejoint le Real Madrid après l’intervention de Zinedine Zidane.

", + "title": "PRONOS PARIS RMC Le pari du jour du 6 décembre – Ligue 2", + "description": "Notre pronostic : Toulouse s’impose à Niort et au moins deux buts (2.15)

", + "content": "Notre pronostic : Toulouse s’impose à Niort et au moins deux buts (2.15)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/varane-raconte-comment-zidane-l-a-pousse-a-refuser-manchester-united-et-ferguson-pour-le-real_AV-202112030417.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-6-decembre-ligue-2_AN-202112050223.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 16:51:58 GMT", - "enclosure": "https://images.bfmtv.com/fHYu4al9cT9J34HiFJR9oalV74U=/0x0:2032x1143/800x0/images/Raphael-Varane-avec-Manchester-United-1181067.jpg", + "pubDate": "Sun, 05 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/uuj6HfCeytuLIlBz5FVi3vR5iTk=/0x0:1984x1116/800x0/images/R-Healey-1182151.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41401,17 +46036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "11177d1ad1b32a153f63740a07c635fa" + "hash": "8023ee05f836343343f9f3b1955c8807" }, { - "title": "Affaire Hamraoui-Diallo: vers un retour à l’entrainement collectif la semaine prochaine?", - "description": "Le PSG se prépare au retour dans le groupe de Kheira Hamraoui et Aminata Dallo la semaine prochaine. Mais rien n'est simple.

", - "content": "Le PSG se prépare au retour dans le groupe de Kheira Hamraoui et Aminata Dallo la semaine prochaine. Mais rien n'est simple.

", + "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 6 décembre – NBA", + "description": "Mon pronostic : Atlanta s’impose à Minnesota (2.05)

", + "content": "Mon pronostic : Atlanta s’impose à Minnesota (2.05)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-diallo-vers-un-retour-a-l-entrainement-collectif-la-semaine-prochaine_AV-202112030413.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-6-decembre-nba_AN-202112060246.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 16:46:13 GMT", - "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", + "pubDate": "Mon, 06 Dec 2021 12:31:25 GMT", + "enclosure": "https://images.bfmtv.com/ULuDIAbbEflcoxqIlflDsmv5Vc0=/1x0:2001x1125/800x0/images/Atlanta-1182663.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41421,17 +46056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "600ccc7f84713a9524c1ecef1511bb8c" + "hash": "408e6703e01892a9ee46de51cd8466ef" }, { - "title": "Ligue 1: pourquoi Lens aura un maillot spécial face au PSG", - "description": "Les joueurs du RC Lens porteront un maillot spécial pour affronter le PSG samedi soir au stade Bollaert pour le compte de la 17e journée de Ligue 1. Une tunique collector pour célébrer la Sainte-Barbe, la patronne des pompiers et surtout des mineurs.

", - "content": "Les joueurs du RC Lens porteront un maillot spécial pour affronter le PSG samedi soir au stade Bollaert pour le compte de la 17e journée de Ligue 1. Une tunique collector pour célébrer la Sainte-Barbe, la patronne des pompiers et surtout des mineurs.

", + "title": "Benzema blessé, Dembélé en forme... Le week-end des Bleus", + "description": "A moins d'un an de la Coupe du monde de football au Qatar, qu''ont fait les potentiels membres de l'équipe de France ce week-end?

", + "content": "A moins d'un an de la Coupe du monde de football au Qatar, qu''ont fait les potentiels membres de l'équipe de France ce week-end?

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pourquoi-lens-aura-un-maillot-special-face-au-psg_AV-202112030404.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/benzema-blesse-dembele-en-forme-le-week-end-des-bleus_AD-202112060237.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 16:28:20 GMT", - "enclosure": "https://images.bfmtv.com/YyPMLvb90_0u1fKDc6pV1DA4D7c=/0x0:2048x1152/800x0/images/Les-joueurs-du-RC-Lens-auront-un-maillot-special-face-au-PSG-1181043.jpg", + "pubDate": "Mon, 06 Dec 2021 12:06:08 GMT", + "enclosure": "https://images.bfmtv.com/4CAxK0MorCJzgRg6i8V_qQ0JT1c=/0x55:768x487/800x0/images/Karim-Benzema-g-avec-le-Real-Madrid-contre-la-Real-Sociedad-en-Liga-le-4-decembre-2021-au-stade-Anoeta-a-Saint-Sebastien-1182638.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41441,17 +46076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "babc662aef59bf0e790dba473f0f9307" + "hash": "f1bdcc5097d78214353147218c6f9cc9" }, { - "title": "F1: Hamilton-Verstappen, ce qu'il faut attendre des deux dernières courses bouillantes de la saison", - "description": "Il n'y a que huit points d'écart entre le leader Max Verstappen (Red Bull) et le tenant du titre Lewis Hamilton (Mercedes) au classement du championnat du monde de Formule 1, à deux courses de la fin de la saison. Le premier acte de ce dénouement est prévu ce dimanche 5 décembre, en Arabie Saoudite.

", - "content": "Il n'y a que huit points d'écart entre le leader Max Verstappen (Red Bull) et le tenant du titre Lewis Hamilton (Mercedes) au classement du championnat du monde de Formule 1, à deux courses de la fin de la saison. Le premier acte de ce dénouement est prévu ce dimanche 5 décembre, en Arabie Saoudite.

", + "title": "Ligue 1: un possible retrait d'un point avec sursis pour l'OL après l'incident contre l'OM", + "description": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", + "content": "Deux semaines et demi après l'incident qui a provoqué l'interruption de la rencontre entre l'Olympique Lyonnais et l'Olympique de Marseille le 21 novembre au Groupama Stadium, l'OL va être fixé mercredi sur ses sanctions. Selon nos informations, le retrait d'un point avec sursis est possible ainsi qu'un nouveau match à huis clos.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-verstappen-ce-qu-il-faut-attendre-des-deux-dernieres-courses-bouillantes-de-la-saison_AV-202112020306.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-un-possible-retrait-d-un-point-avec-sursis-pour-l-ol-apres-l-incident-contre-l-om_AV-202112060319.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 13:17:04 GMT", - "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", + "pubDate": "Mon, 06 Dec 2021 15:20:37 GMT", + "enclosure": "https://images.bfmtv.com/YUzaZSDOddKudjP1EhIzSEW7nSc=/0x60:768x492/800x0/images/Le-capitaine-de-l-OM-Dimitri-Payet-touhe-par-une-bouteille-lancee-par-un-supporter-lyonnais-depuis-le-virage-nord-du-Parc-OL-le-21-novembre-2021-1172188.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41461,17 +46096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad8b2d6a7cf97322fcf2924da6580098" + "hash": "f2d3d11d8ba6bff978672bf28ff6a618" }, { - "title": "Formule 1: Hamilton devance de peu Verstappen pendant les premiers essais libres du GP d’Arabie Saoudite", - "description": "Ce vendredi avait lieu les premiers essais libres du Grand Prix d’Arabie Saoudite. Pour l’occasion, Lewis Hamilton a réalisé le meilleur temps devant Max Verstappen à 56 millièmes. Le duel entre les deux pilotes semble déjà lancé.

", - "content": "Ce vendredi avait lieu les premiers essais libres du Grand Prix d’Arabie Saoudite. Pour l’occasion, Lewis Hamilton a réalisé le meilleur temps devant Max Verstappen à 56 millièmes. Le duel entre les deux pilotes semble déjà lancé.

", + "title": "Ligue 1 en direct: ce que risque l'OL après le jet de bouteille sur Payet, un point de retrait avec sursis possible", + "description": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", + "content": " Suivez en direct toutes les informations avant la 18e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/formule-1-hamilton-devance-de-peu-verstappen-pendant-les-premiers-essais-libres-du-gp-d-arabie-saoudite_AV-202112030377.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-infos-en-direct-avant-la-18e-journee_LN-202112060283.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 15:49:08 GMT", - "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", + "pubDate": "Mon, 06 Dec 2021 14:11:44 GMT", + "enclosure": "https://images.bfmtv.com/HUIle36ERb8WjXM7JbTN-xOU1oY=/0x212:2048x1364/800x0/images/Dimitri-Payet-au-sol-lors-d-OL-OM-1173034.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41481,17 +46116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "990471746e4327e4adf2de823be2a51a" + "hash": "02c86fa3d1e33a17fb167356a28b2246" }, { - "title": "Euro 2021: il y aurait pu avoir des morts lors de la finale à Wembley, selon un rapport", - "description": "Un rapport indépendant publié ce vendredi en Angleterre pointe le nauffrage collectif ayant entraîné les graves incidents à Wembley lors de la finale de l'Euro en juillet dernier.

", - "content": "Un rapport indépendant publié ce vendredi en Angleterre pointe le nauffrage collectif ayant entraîné les graves incidents à Wembley lors de la finale de l'Euro en juillet dernier.

", + "title": "F1: les clés de la finale Hamilton-Verstappen au Grand Prix d'Abou Dhabi", + "description": "Les deux pilotes ont le même nombre de points avant le début du dernier Grand Prix de Formule 1 de la saison.

", + "content": "Les deux pilotes ont le même nombre de points avant le début du dernier Grand Prix de Formule 1 de la saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/euro/euro-2021-il-y-aurait-pu-avoir-des-morts-lors-de-la-finale-a-wembley-selon-un-rapport_AV-202112030359.html", + "link": "https://rmcsport.bfmtv.com/football/f1-les-cles-de-la-finale-hamilton-verstappen-au-grand-prix-d-abou-dhabi_AD-202112060222.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 15:00:03 GMT", - "enclosure": "https://images.bfmtv.com/muOHc9WaXIfvcPfdBIpczTDDHRo=/0x101:2048x1253/800x0/images/Des-supporters-anglais-a-Wembley-1181007.jpg", + "pubDate": "Mon, 06 Dec 2021 11:45:52 GMT", + "enclosure": "https://images.bfmtv.com/QuffaZnxzLa7I-9A0RuLqUEgetA=/0x39:768x471/800x0/images/Lewis-Hamilton-Mercedes-celebre-sa-victoire-au-GP-d-Arabie-saoudite-devant-Max-Verstappen-Red-Bull-le-5-decembre-2021-au-circuit-de-Jeddah-1182560.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41501,17 +46136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c880ada2535f8f48581cf9ef32298e3" + "hash": "1442f014fe427fc8e648e5a7584ae2c8" }, { - "title": "Barça: \"Il est intransférable\", Xavi met fin aux rumeurs sur De Jong", - "description": "En conférence de presse ce vendredi, Xavi s'est montré très clair concernant l'avenir de Frenkie de Jong. L'entraîneur du Barça compte sur le milieu néerlandais, malgré les rumeurs évoquant un possible départ dans les prochains mois.

", - "content": "En conférence de presse ce vendredi, Xavi s'est montré très clair concernant l'avenir de Frenkie de Jong. L'entraîneur du Barça compte sur le milieu néerlandais, malgré les rumeurs évoquant un possible départ dans les prochains mois.

", + "title": "PSG: Ramos bien présent à l’entraînement avant Bruges, Kimpembe absent", + "description": "Sergio Ramos a pris part à la séance collective du PSG ce lundi à la veille de la réception de Bruges lors de la sixième journée des poules de la Ligue des champions (dès 18h45 sur RMC Sport 1). L’espoir de voir le défenseur espagnol jouer contre le club belge existe donc bel et bien.

", + "content": "Sergio Ramos a pris part à la séance collective du PSG ce lundi à la veille de la réception de Bruges lors de la sixième journée des poules de la Ligue des champions (dès 18h45 sur RMC Sport 1). L’espoir de voir le défenseur espagnol jouer contre le club belge existe donc bel et bien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-il-est-intransferable-xavi-met-fin-aux-rumeurs-sur-de-jong_AV-202112030357.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-ramos-bien-present-a-l-entrainement-avant-bruges-kimpembe-absent_AV-202112060213.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 14:54:11 GMT", - "enclosure": "https://images.bfmtv.com/lDeiLJluOuBYMHuQbn6cKCYNSQo=/0x49:2048x1201/800x0/images/Xavi-HERNANDEZ-1180983.jpg", + "pubDate": "Mon, 06 Dec 2021 11:32:20 GMT", + "enclosure": "https://images.bfmtv.com/VcFfGJTTFFmghvpryvCiG7ZQFh0=/0x0:2048x1152/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182605.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41521,17 +46156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "682e7e692579f1cc22deb8e1ca056c84" + "hash": "afcaa9669bc603a30bd799d48fbe0410" }, { - "title": "Rennes: Gomis regrette le manque de considération des joueurs africains et espère \"des solutions\"", - "description": "Ce vendredi en conférence de presse, Alfred Gomis a regretté l’absence d’Edouard Mendy dans la liste des 30 nominés au Ballon d’or. Le gardien du Stade Rennais espère également que le manque de considération pour les joueurs africains est un problème qui sera rapidement réglé.

", - "content": "Ce vendredi en conférence de presse, Alfred Gomis a regretté l’absence d’Edouard Mendy dans la liste des 30 nominés au Ballon d’or. Le gardien du Stade Rennais espère également que le manque de considération pour les joueurs africains est un problème qui sera rapidement réglé.

", + "title": "Le foot belge sous le choc après les graves incidents lors de Standard de Liège-Charleroi", + "description": "Comme en Ligue 1, la Jupiler Pro League est frappé par des graves débordements avec les supporters. Dimanche, le derby wallon comptant pour la 17eme journée opposant le Standard de Liège au Sporting Charleroi a été définitivement arrêté à la 88e minutes...

", + "content": "Comme en Ligue 1, la Jupiler Pro League est frappé par des graves débordements avec les supporters. Dimanche, le derby wallon comptant pour la 17eme journée opposant le Standard de Liège au Sporting Charleroi a été définitivement arrêté à la 88e minutes...

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/rennes-gomis-regrette-le-manque-de-consideration-des-joueurs-africains-et-espere-des-solutions_AV-202112030356.html", + "link": "https://rmcsport.bfmtv.com/football/le-foot-belge-sous-le-choc-apres-les-graves-incidents-lors-de-standard-de-liege-charleroi_AD-202112060209.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 14:52:36 GMT", - "enclosure": "https://images.bfmtv.com/u2tzGja44fboUtyJ7gYl5uImfh4=/0x104:1984x1220/800x0/images/Alfred-Gomis-Rennes-1103384.jpg", + "pubDate": "Mon, 06 Dec 2021 11:27:09 GMT", + "enclosure": "https://images.bfmtv.com/b0kBCHG4Hhliy-Tjfm-M6zbnK6A=/0x212:2048x1364/800x0/images/Les-fans-du-Standard-de-Liege-1182596.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41541,17 +46176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e31e27f76817505fede850d0207772d" + "hash": "d7e6edb67db55d5f4a23fd5172f56b7d" }, { - "title": "Coupe du monde tous les deux ans: un vice-président de la FIFA esquisse un plan B", - "description": "Victor Montagliani, vice-président canadien de la FIFA et président de la CONCACAF, estime que l'idée de Coupe du monde tous les deux ans peut être remplacée par le retour de la Coupe des confédérations ou la création d'une Ligue des nations mondiale.

", - "content": "Victor Montagliani, vice-président canadien de la FIFA et président de la CONCACAF, estime que l'idée de Coupe du monde tous les deux ans peut être remplacée par le retour de la Coupe des confédérations ou la création d'une Ligue des nations mondiale.

", + "title": "Serie A: Ibrahimovic \"espère\" rester toute sa vie à l’AC Milan", + "description": "Sous contrat jusqu’en juin 2022 avec l’AC Milan, Zlatan Ibrahimovic, 40 ans, ne semble pas encore prêt à mettre un terme à sa carrière de footballeur. Mais lorsque l’heure de sa retraite sportive aura sonné, le Suédois espère bien continuer à avoir un rôle à Milan.

", + "content": "Sous contrat jusqu’en juin 2022 avec l’AC Milan, Zlatan Ibrahimovic, 40 ans, ne semble pas encore prêt à mettre un terme à sa carrière de footballeur. Mais lorsque l’heure de sa retraite sportive aura sonné, le Suédois espère bien continuer à avoir un rôle à Milan.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-tous-les-deux-ans-un-vice-president-de-la-fifa-esquisse-un-plan-b_AV-202112030346.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/serie-a-ibrahimovic-espere-rester-toute-sa-vie-a-l-ac-milan_AV-202112060202.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 14:37:47 GMT", - "enclosure": "https://images.bfmtv.com/TbnujSAFQk9XgaK6gLFOt6zKjpc=/0x98:2048x1250/800x0/images/Victor-Montagliani-1180995.jpg", + "pubDate": "Mon, 06 Dec 2021 11:17:29 GMT", + "enclosure": "https://images.bfmtv.com/MwB6p1BxcUGVP4hA4XiaNEj32Eg=/0x39:2048x1191/800x0/images/Zlatan-Ibrahimovic-1182591.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41561,17 +46196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b268624ef23b493af394cb54280fd8e5" + "hash": "c06f278eacae11ce87018d948fe3f73a" }, { - "title": "Top 14: \"Je pense qu’il va manquer au Top 14. Peut-être un peu moins aux arbitres…\", le dernier tour de piste de Rory Kockott", - "description": "A 35 ans, le demi de mêlée sud-africain de Castres Rory Kockott a annoncé qu’il raccrocherait les crampons à la l’issue de la saison. Après onze années à batailler sur les terrains, récompensées par deux Bouclier de Brennus, il s’est taillé une solide réputation de joueur à la fois talentueux et pénible. Adulé à Castres, souvent détesté ailleurs, pour sa dernière saison, adversaires et partenaires témoignent de son jeu et sa personnalité atypiques.

", - "content": "A 35 ans, le demi de mêlée sud-africain de Castres Rory Kockott a annoncé qu’il raccrocherait les crampons à la l’issue de la saison. Après onze années à batailler sur les terrains, récompensées par deux Bouclier de Brennus, il s’est taillé une solide réputation de joueur à la fois talentueux et pénible. Adulé à Castres, souvent détesté ailleurs, pour sa dernière saison, adversaires et partenaires témoignent de son jeu et sa personnalité atypiques.

", + "title": "Triathlon: Vincent Luis boucle un Ironman 70.3 avec un super temps... après avoir été percuté par une voiture", + "description": "Passé par-dessus une voiture qui n'avait rien à faire là, Vincent Luis est tout de même parvenu à terminer deuxième de son premier Ironman 70.3, malgré la douleur et le choc psychologique, à Indian Wells (Etats-Unis).

", + "content": "Passé par-dessus une voiture qui n'avait rien à faire là, Vincent Luis est tout de même parvenu à terminer deuxième de son premier Ironman 70.3, malgré la douleur et le choc psychologique, à Indian Wells (Etats-Unis).

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-je-pense-qu-il-va-manquer-au-top-14-peut-etre-un-peu-moins-aux-arbitres-le-dernier-tour-de-piste-de-rory-kockott_AN-202112030339.html", + "link": "https://rmcsport.bfmtv.com/athletisme/triathlon-vincent-luis-boucle-un-ironman-70-3-avec-un-super-temps-apres-avoir-ete-percute-par-une-voiture_AV-202112060195.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 14:12:33 GMT", - "enclosure": "https://images.bfmtv.com/L5AG0VfBE3AGTxw9QIQCWZqw5PE=/0x106:2048x1258/800x0/images/Rory-Kockott-1180979.jpg", + "pubDate": "Mon, 06 Dec 2021 11:07:14 GMT", + "enclosure": "https://images.bfmtv.com/ocEglSM7I47sFuYks1Ntkl4_8sY=/0x117:1200x792/800x0/images/Vincent-Luis-1182589.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41581,17 +46216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "90cf5fe01bc3bed5ccd35205dfe6df8d" + "hash": "815f0d28028acb1193b4f4cd709e3a76" }, { - "title": "Top 14: Rory Kockott fait le bilan, avant de raccrocher les crampons", - "description": "Il est une figure du Top 14. Au moment de vivre ses derniers mois de rugbyman, le demi de mêlée de Castres, qui ne se livre pas souvent, refait le film de sa carrière. Des grands moments, de grands adversaires, comme le demi de mêlée clermontois Morgan Parra. Plus de dix ans en France, des titres et cette éternelle image de provocateur. Un caractère qu’il a forgé depuis tout petit, au milieu de ses frères et sœurs.

", - "content": "Il est une figure du Top 14. Au moment de vivre ses derniers mois de rugbyman, le demi de mêlée de Castres, qui ne se livre pas souvent, refait le film de sa carrière. Des grands moments, de grands adversaires, comme le demi de mêlée clermontois Morgan Parra. Plus de dix ans en France, des titres et cette éternelle image de provocateur. Un caractère qu’il a forgé depuis tout petit, au milieu de ses frères et sœurs.

", + "title": "PSG: le clan Messi douterait de Pochettino", + "description": "Le PSG affronte Bruges mardi lors de la sixième journée de la phase de poules de la Ligue des champions (18h45 sur RMC Sport 1). L’occasion pour Lionel Messi d’améliorer ses statistiques avec le club francilien alors que la presse fait état d’incertitudes chez les proches de l’Argentin au sujet des compétences de Mauricio Pochettino.

", + "content": "Le PSG affronte Bruges mardi lors de la sixième journée de la phase de poules de la Ligue des champions (18h45 sur RMC Sport 1). L’occasion pour Lionel Messi d’améliorer ses statistiques avec le club francilien alors que la presse fait état d’incertitudes chez les proches de l’Argentin au sujet des compétences de Mauricio Pochettino.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-rory-kockott-fait-le-bilan-avant-de-raccrocher-les-crampons_AV-202112030336.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-le-clan-messi-douterait-de-pochettino_AV-202112060189.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 14:03:08 GMT", - "enclosure": "https://images.bfmtv.com/2QN_-7qs97YXqi9Ho2Uq7pMookk=/0x106:2048x1258/800x0/images/Rory-Kockott-avec-Castres-le-02-octobre-2021-1180965.jpg", + "pubDate": "Mon, 06 Dec 2021 10:44:48 GMT", + "enclosure": "https://images.bfmtv.com/8ETljshnemy-T8Cn7ReCNvv9WrQ=/0x80:2048x1232/800x0/images/Mauricio-Pochettino-parle-tactique-avec-Lionel-Messi-1182571.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41601,17 +46236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bce23767137fb4e10503dfd69074897a" + "hash": "d696f7d87b618dc72f17bd944d6cc2f8" }, { - "title": "OM: Payet incertain contre Brest, Sampaoli veut apprendre à jouer sans lui", - "description": "Encore très bon mercredi soir à Nantes, Dimitri Payet ne s'est pas entraîné avec le groupe de l'OM ce vendredi matin, et n'est pas sûr de pouvoir jouer samedi contre Brest. Son entraîneur Jorge Sampaoli, qui reconnait une sorte de dépendance, aimerait trouver des solutions en son absence.

", - "content": "Encore très bon mercredi soir à Nantes, Dimitri Payet ne s'est pas entraîné avec le groupe de l'OM ce vendredi matin, et n'est pas sûr de pouvoir jouer samedi contre Brest. Son entraîneur Jorge Sampaoli, qui reconnait une sorte de dépendance, aimerait trouver des solutions en son absence.

", + "title": "Les pronos hippiques du mardi 7 décembre 2021", + "description": " Le Quinté+ du mardi 7 décembre est programmé sur l’hippodrome de Chantilly dans la discipline du galop. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": " Le Quinté+ du mardi 7 décembre est programmé sur l’hippodrome de Chantilly dans la discipline du galop. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-payet-incertain-contre-brest-sampaoli-veut-apprendre-a-jouer-sans-lui_AV-202112030334.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-mardi-7-decembre-2021_AN-202112060186.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 13:54:09 GMT", - "enclosure": "https://images.bfmtv.com/vWz4C1O4NYXL9fR-NQEDlfh06x4=/0x106:2048x1258/800x0/images/Dimitri-Payet-1180962.jpg", + "pubDate": "Mon, 06 Dec 2021 10:43:22 GMT", + "enclosure": "https://images.bfmtv.com/58tkO2rpNGRQsRRsDsFrc0Ph_Pc=/4x3:1252x705/800x0/images/Les-pronos-hippiques-du-dimanche-28-novembre-2021-1176702.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41621,17 +46256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d3761905e1f1619d0be489ba333d296" + "hash": "66df6491f903bac75c3e76b894478fa5" }, { - "title": "PSG: Ramos à nouveau forfait pour le match contre Lens", - "description": "Absent de la séance d'entraînement du PSG ce vendredi matin, Sergio Ramos ne fera pas partie du groupe de Mauricio Pochettino pour le déplacement à Lens samedi. Il a ressenti une fatigue musculaire après son premier match.

", - "content": "Absent de la séance d'entraînement du PSG ce vendredi matin, Sergio Ramos ne fera pas partie du groupe de Mauricio Pochettino pour le déplacement à Lens samedi. Il a ressenti une fatigue musculaire après son premier match.

", + "title": "F1: Que doivent faire Verstappen ou Hamilton au dernier Grand Prix pour être champion?", + "description": "Pour la première fois depuis 1974, deux pilotes vont s'élancer de la grille de départ du dernier Grand Prix de la saison avec le même nombre de point.

", + "content": "Pour la première fois depuis 1974, deux pilotes vont s'élancer de la grille de départ du dernier Grand Prix de la saison avec le même nombre de point.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-a-nouveau-forfait-pour-le-match-contre-lens_AV-202112030333.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-que-doivent-faire-verstappen-ou-hamilton-au-dernier-grand-prix-pour-etre-champion_AV-202112060174.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 13:47:39 GMT", - "enclosure": "https://images.bfmtv.com/7m-qfhTwLE18hCdBBD4kar0LUOg=/0x37:2048x1189/800x0/images/Sergio-RAMOS-1180944.jpg", + "pubDate": "Mon, 06 Dec 2021 10:22:42 GMT", + "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41641,17 +46276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "161f7d5abdc1879d44c831aa671dc74e" + "hash": "7451efa30349186c4fd74ab738ad0682" }, { - "title": "OM: Sampaoli ouvre grand la porte à un départ d'Amavi", - "description": "Très, très peu utilisé par Jorge Sampaoli cette saison, le latéral gauche de l'OM Jordan Amavi a été invité ce vendredi par son entraîneur à se trouver un nouveau club lors du mercato hivernal. S'il le souhaite.

", - "content": "Très, très peu utilisé par Jorge Sampaoli cette saison, le latéral gauche de l'OM Jordan Amavi a été invité ce vendredi par son entraîneur à se trouver un nouveau club lors du mercato hivernal. S'il le souhaite.

", + "title": "F1: Verstappen, Hamilton… qui sera champion du monde s’ils s’accrochent à Abu Dhabi", + "description": "Revenu à hauteur de Max Verstappen au classement des pilotes ce week-end, Lewis Hamilton n'a aucune chance d'être sacré champion du monde en cas d'égalité parfaite au classement à l'issue du dernier Grand Prix de la saison, le week-end prochain. Le Britannique doit absolument obtenir un meilleur résultat que le Néerlandais à Abu Dhabi. Voici pourquoi.

", + "content": "Revenu à hauteur de Max Verstappen au classement des pilotes ce week-end, Lewis Hamilton n'a aucune chance d'être sacré champion du monde en cas d'égalité parfaite au classement à l'issue du dernier Grand Prix de la saison, le week-end prochain. Le Britannique doit absolument obtenir un meilleur résultat que le Néerlandais à Abu Dhabi. Voici pourquoi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-sampaoli-ouvre-grand-la-porte-a-un-depart-d-amavi_AV-202112030326.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-verstappen-hamilton-qui-sera-champion-du-monde-s-ils-s-accrochent-a-abu-dhabi_AV-202112060173.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 13:36:11 GMT", - "enclosure": "https://images.bfmtv.com/EHW2KNDtaHOhQMfoO-W5uIY-qZU=/0x112:2048x1264/800x0/images/Jordan-Amavi-1180945.jpg", + "pubDate": "Mon, 06 Dec 2021 10:15:03 GMT", + "enclosure": "https://images.bfmtv.com/jppBX6TpqiwB0yiUpTk8k68-JNk=/0x0:1200x675/800x0/images/Max-Verstappen-et-Lewis-Hamilton-1182558.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41661,17 +46296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee877257f6a8aacf909c2b76b242ef3c" + "hash": "a0b100597d2f6eee05208f9a419e3737" }, { - "title": "Ligue des champions: Bayern-Barça à huis clos en raison du Covid-19", - "description": "La résurgence du Covid-19 en Europe, avec le variant Omicron, pousse la région de Bavière à fermer les stades au public. Conséquence: le Bayern Munich va terminer l'année à huis clos à l'Allianz Arena. Il n'y aura donc pas de spectateurs pour le match face au Barça, en Ligue des champions.

", - "content": "La résurgence du Covid-19 en Europe, avec le variant Omicron, pousse la région de Bavière à fermer les stades au public. Conséquence: le Bayern Munich va terminer l'année à huis clos à l'Allianz Arena. Il n'y aura donc pas de spectateurs pour le match face au Barça, en Ligue des champions.

", + "title": "Ligue 1: Saint-Etienne nomme Loïc Perrin coordinateur sportif", + "description": "Ancien capitaine emblématique des Verts, Loïc Perrin, qui a pris sa retraite sportive à l’été 2020, endosse un nouveau costume au club. Jusqu’alors conseiller de l’ASSE, l’ex-défenseur va désormais occuper le poste de coordinateur sportif.

", + "content": "Ancien capitaine emblématique des Verts, Loïc Perrin, qui a pris sa retraite sportive à l’été 2020, endosse un nouveau costume au club. Jusqu’alors conseiller de l’ASSE, l’ex-défenseur va désormais occuper le poste de coordinateur sportif.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-bayern-barca-a-huis-clos-en-raison-du-covid-19_AV-202112030324.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-saint-etienne-nomme-loic-perrin-coordinateur-sportif_AV-202112060172.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 13:35:31 GMT", - "enclosure": "https://images.bfmtv.com/nkYGyglA6e2erS9A5az1SpuxUCI=/0x0:2048x1152/800x0/images/Allianz-Arena-huis-clos-1180916.jpg", + "pubDate": "Mon, 06 Dec 2021 10:11:21 GMT", + "enclosure": "https://images.bfmtv.com/D4iXoGB4ATUVZcazcZgYRwaqyt0=/0x106:2048x1258/800x0/images/Loic-Perrin-1182556.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41681,17 +46316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f18fc5a0d21f643661982431309a7ac5" + "hash": "5d4934d6af5f1482dc5daa6eecb0fd56" }, { - "title": "OL: \"Souci mental\", \"manque de combativité\", le constat sans concession de Caqueret", - "description": "En conférence de presse ce vendredi, Maxence Caqueret n'a pas fait dans la langue de bois au moment d'évoquer les difficultés lyonnaises cette saison. Pointés à une décevante 10e place, les Gones doivent réagir dimanche à Bordeaux.

", - "content": "En conférence de presse ce vendredi, Maxence Caqueret n'a pas fait dans la langue de bois au moment d'évoquer les difficultés lyonnaises cette saison. Pointés à une décevante 10e place, les Gones doivent réagir dimanche à Bordeaux.

", + "title": "\"Une période très difficile\", Lucas Hernandez revient sur ses démêlés avec la justice espagnole", + "description": "Dans un entretien accordé lundi à Kicker, le défenseur du Bayern Munich et de l’équipe de France, Lucas Hernandez, est revenu sur ses débuts compliqués en Bavière. Et sur ses ennuis avec la justice espagnole pour des violences conjugales avec sa compagne remontant à 2017.

", + "content": "Dans un entretien accordé lundi à Kicker, le défenseur du Bayern Munich et de l’équipe de France, Lucas Hernandez, est revenu sur ses débuts compliqués en Bavière. Et sur ses ennuis avec la justice espagnole pour des violences conjugales avec sa compagne remontant à 2017.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-souci-mental-manque-de-combativite-le-constat-sans-concession-de-caqueret_AV-202112030319.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-lucas-hernandez-raconte-la-pire-periode-de-sa-carriere_AV-202112060171.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 13:10:32 GMT", - "enclosure": "https://images.bfmtv.com/4LnWvox5iKtoe3hsQ6UOYDUps6U=/0x0:2048x1152/800x0/images/Maxence-CAQUERET-1180926.jpg", + "pubDate": "Mon, 06 Dec 2021 10:09:55 GMT", + "enclosure": "https://images.bfmtv.com/BkNY8H5A_fvuRSKu8NZxojCB_mc=/0x0:2048x1152/800x0/images/Lucas-Hernandez-1182557.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41701,17 +46336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "58d927129557ff90f0bd632e2523aa49" + "hash": "7ae9834237e774c67f2c30b6f1000831" }, { - "title": "FC Barcelone: Laporta dément avoir demandé à Messi de jouer gratuitement", - "description": "À cause de soucis financiers, le FC Barcelone n’a pas pu trouver un accord avec Lionel Messi pour prolonger son contrat. Si l’Argentin a rejoint le PSG l’été dernier, son cas continue de faire parler en Espagne. Dans un entretien à TV3, le président Joan Laporta a nié avoir demandé à l’attaquant de jouer gratuitement.

", - "content": "À cause de soucis financiers, le FC Barcelone n’a pas pu trouver un accord avec Lionel Messi pour prolonger son contrat. Si l’Argentin a rejoint le PSG l’été dernier, son cas continue de faire parler en Espagne. Dans un entretien à TV3, le président Joan Laporta a nié avoir demandé à l’attaquant de jouer gratuitement.

", + "title": "Justin Bonomo, plus gros gagnant de l'histoire du poker", + "description": "En s'imposant sur le High Roller du WPT Five Diamond ce week-end Justin Bonomo ets devenu le plus gros gagnant de l'histoire du poker. L'américain a dépassé la barre des 57 millions $ de gains en carrière.

", + "content": "En s'imposant sur le High Roller du WPT Five Diamond ce week-end Justin Bonomo ets devenu le plus gros gagnant de l'histoire du poker. L'américain a dépassé la barre des 57 millions $ de gains en carrière.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/fc-barcelone-laporta-dement-avoir-demande-a-messi-de-jouer-gratuitement_AV-202112030308.html", + "link": "https://rmcsport.bfmtv.com/poker/justin-bonomo-plus-gros-gagnant-de-l-histoire-du-poker_AN-202112100009.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 12:36:24 GMT", - "enclosure": "https://images.bfmtv.com/TKxwzRYiaHwyNASD0_e1U477KW0=/0x40:768x472/800x0/images/Le-president-du-FC-Barcelone-Joan-Laporta-lors-d-un-point-presse-axe-sur-la-non-prolongation-du-contrat-de-Leo-Messi-au-Camp-Nou-le-6-aout-2021-1080266.jpg", + "pubDate": "Mon, 06 Dec 2021 10:06:00 GMT", + "enclosure": "https://images.bfmtv.com/KxUnU61unUy__TnrDKRE5vfYd2U=/4x25:644x385/800x0/images/Justin-Bonomo-plus-gros-gagnant-de-l-histoire-du-poker-1182647.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41721,17 +46356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3328c0adebe1ce7704f33652c220a4ac" + "hash": "a53df4b4fbce89bdb8c664a5efcddbaf" }, { - "title": "Les grandes interviews RMC Sport: Klopp, l'apôtre du gegenpressing", - "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Rendez-vous ce vendredi avec Jürgen Klopp. L'entraîneur allemand de Liverpool s'était confié à Footissime en novembre 2018, en détaillant notamment sa vision du \"gegenpressing\".

", - "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Rendez-vous ce vendredi avec Jürgen Klopp. L'entraîneur allemand de Liverpool s'était confié à Footissime en novembre 2018, en détaillant notamment sa vision du \"gegenpressing\".

", + "title": "Pourquoi l'OL n’y arrive plus en Ligue 1", + "description": "L’OL a concédé le nul contre Bordeaux (2-2) ce dimanche en clôture de la 17e journée de Ligue 1. Seulement douzième du classement en attendant le verdict pour le match contre l’OM, le club rhodanien connaît une crise de résultats. Une situation qui s’explique aussi bien par certains choix de Peter Bosz que par l’état d’esprit de certains joueurs.

", + "content": "L’OL a concédé le nul contre Bordeaux (2-2) ce dimanche en clôture de la 17e journée de Ligue 1. Seulement douzième du classement en attendant le verdict pour le match contre l’OM, le club rhodanien connaît une crise de résultats. Une situation qui s’explique aussi bien par certains choix de Peter Bosz que par l’état d’esprit de certains joueurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/les-grandes-interviews-rmc-sport-klopp-l-apotre-du-gegenpressing_AN-202112030014.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/pourquoi-l-ol-n-y-arrive-plus-en-ligue-1_AV-202112060167.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 12:00:00 GMT", - "enclosure": "https://images.bfmtv.com/INvUjCjDZWBkFApdLfOexA1-cU0=/0x3:1024x579/800x0/images/Juergen-Klopp-Footissime-novembre-2018-1180119.jpg", + "pubDate": "Mon, 06 Dec 2021 09:59:43 GMT", + "enclosure": "https://images.bfmtv.com/7IJnqvgB2zKvWI0gdw4KHaSZ6p8=/0x39:768x471/800x0/images/Le-milieu-de-terrain-bresilien-de-Lyon-Lucas-Paqueta-g-a-la-lutte-avec-le-defenseur-portugais-de-Bordeaux-Ricardo-Mangas-lors-de-la-17e-journee-de-Ligue-1-le-5-decembre-2021-au-Matmut-Atlantique-Stadium-1182335.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41741,17 +46376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f2a3a8081107baf3992f0880fcccf7b" + "hash": "c49050f69607d7dc052b35a486d67a4e" }, { - "title": "Juventus: le transfert de Ronaldo vers Manchester United dans le viseur de la justice italienne", - "description": "La justice italienne, qui s'intéresse depuis plusieurs semaines à de possibles irrégularités dans les comptes de la Juventus, aurait désormais le transfert de Cristiano Ronaldo vers Manchester United dans son viseur. De nouvelles perquisitions ont été ordonnées.

", - "content": "La justice italienne, qui s'intéresse depuis plusieurs semaines à de possibles irrégularités dans les comptes de la Juventus, aurait désormais le transfert de Cristiano Ronaldo vers Manchester United dans son viseur. De nouvelles perquisitions ont été ordonnées.

", + "title": "Metz: \"Niane est toujours en train de pleurer\", Antonetti allume son attaquant", + "description": "Visiblement ulcéré par la performance de ses joueurs et plus particulièrement d’Ibrahima Niane, Frédéric Antonetti a apostrophé son attaquant en conférence de presse après la lourde défaite de Metz à Monaco (4-0), dimanche en Ligue 1.

", + "content": "Visiblement ulcéré par la performance de ses joueurs et plus particulièrement d’Ibrahima Niane, Frédéric Antonetti a apostrophé son attaquant en conférence de presse après la lourde défaite de Metz à Monaco (4-0), dimanche en Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/juventus-le-transfert-de-ronaldo-vers-manchester-united-dans-le-viseur-de-la-justice-italienne_AV-202112030277.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/metz-niane-est-toujours-en-train-de-pleurer-antonetti-allume-son-attaquant_AV-202112060157.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 11:49:02 GMT", - "enclosure": "https://images.bfmtv.com/OnwFlV7S7OmiG1C0plWmQqlHSW0=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-avec-la-Juventus-1088753.jpg", + "pubDate": "Mon, 06 Dec 2021 09:36:40 GMT", + "enclosure": "https://images.bfmtv.com/v4ZbBSm9nQD5Bb_BHnKtFqOUXFo=/0x106:2048x1258/800x0/images/Ibrahima-Niane-1182533.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41761,17 +46396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a576ec5bbe9b516ff0fef63fdeadd327" + "hash": "96feea01db5270a9960cb6bcddd86857" }, { - "title": "FC Barcelone: la présence de Fati face au Bayern Munich compromise", - "description": "Blessé depuis le match nul 3-3 face au Celta Vigo au début du mois de novembre, Ansu Fati est loin d’être assuré de disputer le dernier match de poule de Ligue des champions du FC Barcelone face au Bayern Munich.

", - "content": "Blessé depuis le match nul 3-3 face au Celta Vigo au début du mois de novembre, Ansu Fati est loin d’être assuré de disputer le dernier match de poule de Ligue des champions du FC Barcelone face au Bayern Munich.

", + "title": "PSG-Bruges J-1 en direct: Sergio Ramos forfait, Kimpembe incertain", + "description": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", + "content": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/fc-barcelone-la-presence-de-fati-face-au-bayern-munich-compromise_AV-202112030265.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-bruges-j-1-en-direct-la-tension-monte-a-paris_LN-202112060147.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 11:31:48 GMT", - "enclosure": "https://images.bfmtv.com/j4EVumjbN5t85SMWzTpKCgmxhFA=/0x65:2048x1217/800x0/images/Ansu-Fati-1147589.jpg", + "pubDate": "Mon, 06 Dec 2021 09:09:03 GMT", + "enclosure": "https://images.bfmtv.com/VcFfGJTTFFmghvpryvCiG7ZQFh0=/0x0:2048x1152/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182605.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41781,17 +46416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "edbe8875051f7db20e062530f116ac8a" + "hash": "d37dee592084f438d7902c60ec2dbb89" }, { - "title": "GP d'Arabie saoudite: Hamilton dénonce les \"terrifiantes\" lois saoudiennes, le concert de Bieber sous le feu des critiques", - "description": "Lewis Hamilton a reconnu que disputer un Grand Prix de Formule 1 en Arabie Saoudite, un pays critiqué pour ses manquements aux droits humains, ne le mettait pas à l'aise. Il portera pour l'occasion un casque aux couleurs de la communauté LGBT+.

", - "content": "Lewis Hamilton a reconnu que disputer un Grand Prix de Formule 1 en Arabie Saoudite, un pays critiqué pour ses manquements aux droits humains, ne le mettait pas à l'aise. Il portera pour l'occasion un casque aux couleurs de la communauté LGBT+.

", + "title": "F1: \"Combat du siècle\", \"Braking Bad\"… la presse mondiale s’enflamme pour le duel Hamilton-Verstappen", + "description": "La course d’anthologie que se sont livrés Lewis Hamilton et Max Verstappen dimanche au Grand Prix d’Arabie saoudite, avant-dernière manche du championnat du monde de Formule 1 fait les gros titres des journaux ce lundi matin à travers le monde.

", + "content": "La course d’anthologie que se sont livrés Lewis Hamilton et Max Verstappen dimanche au Grand Prix d’Arabie saoudite, avant-dernière manche du championnat du monde de Formule 1 fait les gros titres des journaux ce lundi matin à travers le monde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-hamilton-denonce-les-terrifiantes-lois-saoudiennes-le-concert-de-bieber-sous-le-feu-des-critiques_AV-202112030256.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-combat-du-siecle-braking-bad-la-presse-mondiale-s-enflamme-pour-le-duel-hamilton-verstappen_AV-202112060140.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 11:25:10 GMT", - "enclosure": "https://images.bfmtv.com/Wj8xmcvgRDfbSdQR3mYrrFrlNCU=/0x124:2048x1276/800x0/images/Lewis-Hamilton-1180821.jpg", + "pubDate": "Mon, 06 Dec 2021 08:54:48 GMT", + "enclosure": "https://images.bfmtv.com/KQDV06LM2hZcDAuQTMNT0wL_Sh4=/5x31:773x463/800x0/images/La-Une-de-The-Sun-1182512.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41801,17 +46436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "41d660fac8102a6b26ed96ec10122135" + "hash": "fc8ad84ad3252691cac43aa877b9b389" }, { - "title": "Mercato en direct: Xavi compte sur De Jong et Dembélé", - "description": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "Mercato: Salah snobe le Barça", + "description": "Régulièrement annoncé dans les petits papiers du FC Barcelone, Mohamed Salah a assuré à une chaîne de télévision égyptienne son souhait de faire durer l’aventure avec Liverpool, où l’attaquant de 29 ans se sent bien. Le Barça attendra.

", + "content": "Régulièrement annoncé dans les petits papiers du FC Barcelone, Mohamed Salah a assuré à une chaîne de télévision égyptienne son souhait de faire durer l’aventure avec Liverpool, où l’attaquant de 29 ans se sent bien. Le Barça attendra.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-2-decembre_LN-202112020061.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-salah-snobe-le-barca_AV-202112060135.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 06:35:38 GMT", - "enclosure": "https://images.bfmtv.com/ha-BGR6BdAv_M7sE7PVYOLC22qQ=/0x48:2000x1173/800x0/images/Xavi-Hernandez-Barcelone-1176107.jpg", + "pubDate": "Mon, 06 Dec 2021 08:38:12 GMT", + "enclosure": "https://images.bfmtv.com/gylC9uZZXGD5L_8FphvNaKkgo8k=/0x0:1200x675/800x0/images/Mohamed-Salah-1176780.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41821,17 +46456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd9d5bd9958092e46304ecf129c6a639" + "hash": "5ef4901010fafc75c2e9184394743ffa" }, { - "title": "Clermont: Bayo explique comment il a rebondi après sa garde à vue", - "description": "Mohamed Bayo (23 ans), attaquant de Clermont, est revenu sur l’accident qu’il a provoqué fin octobre et qui a entrainé son placement en garde à vue.

", - "content": "Mohamed Bayo (23 ans), attaquant de Clermont, est revenu sur l’accident qu’il a provoqué fin octobre et qui a entrainé son placement en garde à vue.

", + "title": "GP d'Arabie Saoudite en direct: Hamilton charge Verstappen après leur accrochage", + "description": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", + "content": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/clermont-bayo-explique-comment-il-a-rebondi-apres-sa-garde-a-vue_AV-202112030246.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-en-direct-suivez-le-grand-prix-d-arabie-saoudite_LS-202112050239.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 11:02:42 GMT", - "enclosure": "https://images.bfmtv.com/d0fdwVJTWgVXGllvvW0we7KfvAE=/0x142:2048x1294/800x0/images/Mohamed-Bayo-1180840.jpg", + "pubDate": "Sun, 05 Dec 2021 16:18:56 GMT", + "enclosure": "https://images.bfmtv.com/Vzqvl-Vh3G3nsHwIkKi-dnkCi-M=/0x212:2048x1364/800x0/images/Max-Verstappen-et-Lewis-Hamilton-au-restart-du-GP-d-Arabie-Saoudite-1182291.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41841,17 +46476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "afe5984e3073bb3112e6756cd43dfecf" + "hash": "3cf4a1763b93e82e14f6bb720208d475" }, { - "title": "Affaire Pinot-Schmitt en direct: Schmitt maintient sa version et lit le message que Riner lui a envoyé", - "description": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", - "content": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", + "title": "GP d’Arabie saoudite: Hamilton se paye la conduite de Verstappen", + "description": "Lewis Hamilton a remporté dimanche le Grand Prix d’Arabie saoudite devant Max Verstappen. A égalité avec le Néerlandais au classement général, le pilote britannique a critiqué la conduite de son rival après l’avant-dernière course de la saison.

", + "content": "Lewis Hamilton a remporté dimanche le Grand Prix d’Arabie saoudite devant Max Verstappen. A égalité avec le Néerlandais au classement général, le pilote britannique a critiqué la conduite de son rival après l’avant-dernière course de la saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-en-direct-margaux-pinot-va-s-exprimer-a-18h_LN-202112020373.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-hamilton-se-paye-la-conduite-de-verstappen_AV-202112060126.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:54:42 GMT", - "enclosure": "https://images.bfmtv.com/TbIr1pTY6uRr4XHaXF5cPDAXQeY=/0x0:1280x720/800x0/images/Alain-Schmitt-1181111.jpg", + "pubDate": "Mon, 06 Dec 2021 08:22:08 GMT", + "enclosure": "https://images.bfmtv.com/gr0imL3ak7Vrn4d563dkPvJejd8=/0x210:2048x1362/800x0/images/Lewis-Hamilton-a-droite-et-Max-Verstappen-apres-le-GP-d-Arabie-saoudite-1182500.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41861,17 +46496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1f451bdbfbebb799ac7fbfa6ffe59d1" + "hash": "fb082f1a3d202a9aec63a8231918d5ac" }, { - "title": "Mercato en direct: le transferts de Ronaldo vers Manchester United dans le viseur de la justice italienne", - "description": "A un mois de l'ouverture du mercato d'hiver, suivez en direct toutes les rumeurs et infos du marché des transferts.

", - "content": "A un mois de l'ouverture du mercato d'hiver, suivez en direct toutes les rumeurs et infos du marché des transferts.

", + "title": "Albert Solal, la chasse au record", + "description": "Albert Solal, coach mental, psychothérapeute et spécialiste d'expressos, tentera dimanche prochain d'entrer au Guinness Book en jouant la plus longue partie de poker jamais disputée online.

", + "content": "Albert Solal, coach mental, psychothérapeute et spécialiste d'expressos, tentera dimanche prochain d'entrer au Guinness Book en jouant la plus longue partie de poker jamais disputée online.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-2-decembre_LN-202112020061.html", + "link": "https://rmcsport.bfmtv.com/poker/albert-solal-la-chasse-au-record_AN-202112060220.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 06:35:38 GMT", - "enclosure": "https://images.bfmtv.com/evpmxuh5REdljYjlTaziBKYMVi0=/0x78:2048x1230/800x0/images/Cristiano-Ronaldo-1180451.jpg", + "pubDate": "Mon, 06 Dec 2021 08:20:34 GMT", + "enclosure": "https://images.bfmtv.com/_IPZ0tt2tzNm8Il-LZPvbHSW9eM=/0x112:1200x787/800x0/images/Albert-Solal-la-chasse-au-record-1182618.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41881,17 +46516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "943413d12fe601dce17045adcc54cb3e" + "hash": "7ee06e11d7f56dcdbf8b8947500a918b" }, { - "title": "Affaire Pinot-Schmitt en direct: l'avocat de Pinot \"conteste formellement\" la version de Schmitt", - "description": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", - "content": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", + "title": "PSG-Bruges J-1 en direct: La tension monte à Paris", + "description": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", + "content": "Le PSG termine la phase de groupe de Ligue des champions face à Bruges mardi (coup d'envoi à 18h45, match en direct sur RMC Sport 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-en-direct-margaux-pinot-va-s-exprimer-a-18h_LN-202112020373.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-bruges-j-1-en-direct-la-tension-monte-a-paris_LN-202112060147.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:54:42 GMT", - "enclosure": "https://images.bfmtv.com/CNMV6jPNtqg84LVQ88KlVS8PLO4=/0x0:1280x720/800x0/images/Avocat-Pinot-1180839.jpg", + "pubDate": "Mon, 06 Dec 2021 09:09:03 GMT", + "enclosure": "https://images.bfmtv.com/XhNQDRo0j0xLvkebz9Idop5962E=/0x0:1184x666/800x0/images/Mauricio-Pochettino-1179636.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41901,17 +46536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "562020fac04ebbf4ebf9764d5eba0289" + "hash": "d34e2bc68cca4a3e9940634aac1468a9" }, { - "title": "PSG: Ramos absent de l’entraînement avant le déplacement à Lens", - "description": "Sergio Ramos, déjà en tribune face à Nice (0-0) mercredi, était absent de l’entraînement, ce vendredi matin à la veille du déplacement à Lens, samedi (21h, 17e journée de Ligue 1).

", - "content": "Sergio Ramos, déjà en tribune face à Nice (0-0) mercredi, était absent de l’entraînement, ce vendredi matin à la veille du déplacement à Lens, samedi (21h, 17e journée de Ligue 1).

", + "title": "Ligue 1: la stat’ terrible (et historique) de Bordeaux à domicile", + "description": "Bien que revenus deux fois à hauteur de l’Olympique lyonnais, dimanche (2-2), les Bordelais peinent toujours autant à domicile. Au Matmut Atlantique, les joueurs de Vladimir Petkovic connaissent même une crise de résultats sans précédent dans l’histoire du club.

", + "content": "Bien que revenus deux fois à hauteur de l’Olympique lyonnais, dimanche (2-2), les Bordelais peinent toujours autant à domicile. Au Matmut Atlantique, les joueurs de Vladimir Petkovic connaissent même une crise de résultats sans précédent dans l’histoire du club.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-absent-de-l-entrainement-avant-le-deplacement-a-lens_AV-202112030235.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-la-stat-terrible-et-historique-de-bordeaux-a-domicile_AV-202112060103.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:43:58 GMT", - "enclosure": "https://images.bfmtv.com/XT35VVni4LgVYF9FkBnXJVPbOaY=/0x37:1200x712/800x0/images/Sergio-Ramos-1178510.jpg", + "pubDate": "Mon, 06 Dec 2021 07:38:26 GMT", + "enclosure": "https://images.bfmtv.com/1Qi4Tl8iYJ98y_E7i11QxARBDRk=/0x39:768x471/800x0/images/L-entraineur-croate-de-Bordeaux-Vladimir-Petkovic-lors-du-match-contre-Lyon-en-cloture-de-la-17e-journee-de-Ligue-1-le-5-decembre-2021-au-Matmut-Atlantique-Stadium-1182345.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41921,17 +46556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "55df7d47affe79a5c7a8576a0f684ff6" + "hash": "7d83932c15739bd4447a099d191686ce" }, { - "title": "OM en direct: la conf de Sampaoli et Lirola avant Brest", - "description": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. Ce vendredi, l'entraîneur Jorge Sampaoli et le latéral Pol Lirola s'exprimeront devant la presse. Une conférence à suivre sur RMC Sport à partir de 13h15.

", - "content": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. Ce vendredi, l'entraîneur Jorge Sampaoli et le latéral Pol Lirola s'exprimeront devant la presse. Une conférence à suivre sur RMC Sport à partir de 13h15.

", + "title": "Mercato en direct: Saint-Etienne nomme un nouveau coordinateur sportif", + "description": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu moins d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-en-direct-la-conf-de-sampaoli-et-lirola-avant-brest_LN-202112030234.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-6-decembre_LN-202112060095.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:43:55 GMT", - "enclosure": "https://images.bfmtv.com/y9Ag2hVD6DPX13Fi_GsQLJIwMP0=/0x93:2048x1245/800x0/images/Jorge-SAMPAOLI-1129654.jpg", + "pubDate": "Mon, 06 Dec 2021 07:21:04 GMT", + "enclosure": "https://images.bfmtv.com/nDdUVHO46zoFK6bzjbpRsw3nnSo=/0x67:2048x1219/800x0/images/Loic-Perrin-1174647.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41941,17 +46576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c4e1d5cbefb4930820e4beacb565f69" + "hash": "796150d8d5058de7c330ae288239d5b0" }, { - "title": "PSG en direct: Toutes les infos à la veille de Lens-PSG", - "description": "Après son match nul décevant face à Nice, le PSG enchaîne par un déplacement à Lens, pas non plus au mieux de sa forme. Suivez toutes les infos sur la compo du groupe parisien et la conf de presse de Pochettino.

", - "content": "Après son match nul décevant face à Nice, le PSG enchaîne par un déplacement à Lens, pas non plus au mieux de sa forme. Suivez toutes les infos sur la compo du groupe parisien et la conf de presse de Pochettino.

", + "title": "Boxe: Davis se blesse à la main mais conserve son titre face à Cruz", + "description": "Gervonta Davis a conservé dimanche son titre WBA des légers en dominant le Mexicain Isaac Cruz par décision unanime. L'Américain de 27 ans reste invaincu après 26 combats chez les pros.

", + "content": "Gervonta Davis a conservé dimanche son titre WBA des légers en dominant le Mexicain Isaac Cruz par décision unanime. L'Américain de 27 ans reste invaincu après 26 combats chez les pros.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-en-direct-toutes-les-infos-a-la-veille-de-lens-psg_LN-202112030232.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-davis-se-blesse-a-la-main-mais-conserve-son-titre-face-a-cruz_AV-202112060068.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:41:21 GMT", - "enclosure": "https://images.bfmtv.com/gDjJHCHiQ7T3S32OYgI2-Htlud4=/0x0:1200x675/800x0/images/Sergio-Ramos-1177105.jpg", + "pubDate": "Mon, 06 Dec 2021 06:42:26 GMT", + "enclosure": "https://images.bfmtv.com/XvC0OlrVmQB0-j3fgS-8z96w_oE=/0x0:2048x1152/800x0/images/Gervonta-Davis-a-droite-face-a-Isaac-Cruz-1182427.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41961,17 +46596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "291905b64dd5ce36d5f220d2b7103862" + "hash": "58a4d148c490ef9b7aa545e8e0985ab4" }, { - "title": "Premier League: pour sa première conférence de presse, Rangnick décrit Manchester United comme \"le plus grand club du monde\"", - "description": "Jusqu’à la fin de la saison c’est Ralf Rangnick qui prendre place sur le banc de touche à Manchester United. Pour sa première conférence de presse, l’entraîneur allemand a affiché sa joie d’être dans ce club et apporté des précisions sur ce qu’il souhaite apporter.

", - "content": "Jusqu’à la fin de la saison c’est Ralf Rangnick qui prendre place sur le banc de touche à Manchester United. Pour sa première conférence de presse, l’entraîneur allemand a affiché sa joie d’être dans ce club et apporté des précisions sur ce qu’il souhaite apporter.

", + "title": "F2: Pourchaire donne de ses nouvelles après son crash au GP d’Arabie saoudite", + "description": "Grand espoir du paddock en Formule 2, Théo Pourchaire a été victime d’un accident impressionnant, dimanche en Arabie saoudite. Le pilote français, 18 ans, a donné des nouvelles de lui rassurantes quelques heures après, sur ses réseaux sociaux.

", + "content": "Grand espoir du paddock en Formule 2, Théo Pourchaire a été victime d’un accident impressionnant, dimanche en Arabie saoudite. Le pilote français, 18 ans, a donné des nouvelles de lui rassurantes quelques heures après, sur ses réseaux sociaux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-pour-sa-premiere-conference-de-presse-rangnick-decrit-manchester-united-comme-le-plus-grand-club-du-monde_AV-202112030229.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f2-pourchaire-donne-de-ses-nouvelles-apres-son-crash-au-gp-d-arabie-saoudite_AV-202112060053.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:38:03 GMT", - "enclosure": "https://images.bfmtv.com/VZpvAaryeSmDkEAekaNzVcqkFRs=/0x78:2048x1230/800x0/images/Ralf-Rangnick-1179316.jpg", + "pubDate": "Mon, 06 Dec 2021 06:23:57 GMT", + "enclosure": "https://images.bfmtv.com/jQnCPkUYQAy7ARQiQ_C6lCLkCGs=/0x39:768x471/800x0/images/Le-pilote-francais-Theo-Pourchaire-17-ans-et-vice-champion-du-monde-de-Formule-3-en-2020-s-entraine-sur-le-simulateur-AOTech-le-19-fevrier-2021-a-Tigery-dans-l-Essonne-995031.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -41981,17 +46616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0569d77869f9c6810692bbf01ca83662" + "hash": "8eceac92a2316cff833d047dbc5e5a3c" }, { - "title": "Avec 801 buts, Ronaldo est-il le meilleur buteur de l'histoire du football?", - "description": "Grâce à son doublé réussi jeudi lors de la victoire de Manchester United contre Arsenal (3-2), Cristiano Ronaldo a dépassé la barre des 800 buts en carrière. Mais le Portugais ne détient pas encore le record absolu.

", - "content": "Grâce à son doublé réussi jeudi lors de la victoire de Manchester United contre Arsenal (3-2), Cristiano Ronaldo a dépassé la barre des 800 buts en carrière. Mais le Portugais ne détient pas encore le record absolu.

", + "title": "Bordeaux-OL en direct: Lyonnais et Girondins se quittent dos à dos, l'OL miraculé en fin de match", + "description": "Bordeaux et Lyon se sont rendus coup pour coup ce dimanche en clôture de la 17e journée de Ligue 1 (2-2). L'OL est même passé tout près de la correctionnelle en fin de match.

", + "content": "Bordeaux et Lyon se sont rendus coup pour coup ce dimanche en clôture de la 17e journée de Ligue 1 (2-2). L'OL est même passé tout près de la correctionnelle en fin de match.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/avec-801-buts-ronaldo-est-il-le-meilleur-buteur-de-l-histoire-du-football_AV-202112030225.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-bordeaux-ol-en-direct_LS-202112050237.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:36:30 GMT", - "enclosure": "https://images.bfmtv.com/n70iREgqhlpmGSqE366nVjyAxgc=/0x56:2048x1208/800x0/images/Cristiano-Ronaldo-1180736.jpg", + "pubDate": "Sun, 05 Dec 2021 16:10:24 GMT", + "enclosure": "https://images.bfmtv.com/Y4ipY_ai5LRaJE086BPMTqdy9SA=/0x106:2048x1258/800x0/images/Bordeaux-OL-1182321.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42001,17 +46636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e7c39e9168c722b5b248bc2cddbef55" + "hash": "7e6341a363d927f3d039703a5865b844" }, { - "title": "Coupe du monde 2022: seulement trois morts sur les chantiers au Qatar, selon les organisateurs", - "description": "Dans un entretien à plusieurs médias étrangers, le président du comité d'organisation du Mondial 2022 au Qatar est revenu sur le sujet sensible des travailleurs décédés sur les chantiers. Selon lui, trois morts ont été enregistrées.

", - "content": "Dans un entretien à plusieurs médias étrangers, le président du comité d'organisation du Mondial 2022 au Qatar est revenu sur le sujet sensible des travailleurs décédés sur les chantiers. Selon lui, trois morts ont été enregistrées.

", + "title": "NBA: un Rudy Gobert \"clutch\" fait gagner Utah contre Cleveland", + "description": "Décisif dans les derniers instants du match face aux Cavs (109-108), Rudy Gobert a permis aux Jazz d’arracher leur 16e succès de la saison dans la Conférence Ouest, dans la nuit de dimanche à lundi. Auteur d’une nouvelle performance défensive, le pivot français termine avec 6 points et 20 rebonds.

", + "content": "Décisif dans les derniers instants du match face aux Cavs (109-108), Rudy Gobert a permis aux Jazz d’arracher leur 16e succès de la saison dans la Conférence Ouest, dans la nuit de dimanche à lundi. Auteur d’une nouvelle performance défensive, le pivot français termine avec 6 points et 20 rebonds.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-seulement-trois-morts-sur-les-chantiers-au-qatar-selon-les-organisateurs_AV-202112030218.html", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-un-gobert-clutch-fait-gagner-utah-contre-cleveland_AV-202112060029.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:25:09 GMT", - "enclosure": "https://images.bfmtv.com/nGLnAu3gyA48kLAdE734BDuMC7I=/0x269:2048x1421/800x0/images/Gianni-Infantino-et-Jair-Bolsonaro-aupres-des-travailleurs-du-Mondial-2022-1180805.jpg", + "pubDate": "Mon, 06 Dec 2021 05:42:39 GMT", + "enclosure": "https://images.bfmtv.com/K-NIlFi07LPKHzAE3Ll2QQAwtqU=/0x106:2048x1258/800x0/images/Rudy-Gobert-Utah-Jazz-1182394.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42021,17 +46656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a9bcd7716647a6d9756122e51255fbe3" + "hash": "79ae284fd3415bfb7e6a7fd1e77a0cc8" }, { - "title": "Barça: \"Dembélé est meilleur que Mbappé\", estime Laporta", - "description": "Joan Laporta, président du FC Barcelone, compte toujours conserver Ousmane Dembélé qu’il estime même meilleur que Kylian Mbappé. Problème, la prolongation de son contrat semble très mal engagée.

", - "content": "Joan Laporta, président du FC Barcelone, compte toujours conserver Ousmane Dembélé qu’il estime même meilleur que Kylian Mbappé. Problème, la prolongation de son contrat semble très mal engagée.

", + "title": "OL: \"On est dans l’urgence\", la grosse colère d'Anthony Lopes après le nul à Bordeaux", + "description": "Révolté par le match insuffisant de son équipe, dimanche à Bordeaux (2-2), Anthony Lopes a eu des mots forts pour qualifier les récentes performances de l’Olympique lyonnais. S’il ne veut pas encore parler de crise, le gardien portugais a conscience que la situation devient urgente en Ligue 1.

", + "content": "Révolté par le match insuffisant de son équipe, dimanche à Bordeaux (2-2), Anthony Lopes a eu des mots forts pour qualifier les récentes performances de l’Olympique lyonnais. S’il ne veut pas encore parler de crise, le gardien portugais a conscience que la situation devient urgente en Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-dembele-est-meilleur-que-mbappe-estime-laporta_AV-202112030214.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-on-est-dans-l-urgence-la-grosse-colere-d-anthony-lopes-apres-le-nul-a-bordeaux_AV-202112060019.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:19:46 GMT", - "enclosure": "https://images.bfmtv.com/EXCom0dnw1x0OygcqnY4FlQgWUI=/0x33:2048x1185/800x0/images/Kylian-Mbappe-et-Ousmane-Dembele-1180804.jpg", + "pubDate": "Mon, 06 Dec 2021 05:24:09 GMT", + "enclosure": "https://images.bfmtv.com/7GEOAGLjkU-nBtBR-rUiJB7aYHc=/78x336:1902x1362/800x0/images/Anthony-Lopes-OL-1182382.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42041,17 +46676,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4cf45ae28b623190a1909f81c0cab5a5" + "hash": "917c514cbbaca698514f196c4d4c421b" }, { - "title": "F1: Prost meilleur pilote de l'histoire? C'est l'avis de l'ancien boss de la F1", - "description": "Pour Bernie Ecclestone, l'ancien grand argentier de la F1, Alain Prost est le meilleur pilote de l'histoire. Il estime que le Français a brillé face à une concurrence féroce, à une époque où les aides au pilotage étaient bien plus maigres.

", - "content": "Pour Bernie Ecclestone, l'ancien grand argentier de la F1, Alain Prost est le meilleur pilote de l'histoire. Il estime que le Français a brillé face à une concurrence féroce, à une époque où les aides au pilotage étaient bien plus maigres.

", + "title": "Bordeaux-OL: \"Rien à voir avec le système\", Bosz défend ses choix et n’accable pas Gusto", + "description": "Peter Bosz a tenu un discours plutôt positif après le nul de l’OL sur la pelouse de Bordeaux, ce dimanche, lors de la 17e journée de Ligue 1 (2-2). Le coach de Lyon estime que la contreperformance de son équipe n’est pas liée au système mis en place au Matmut Atlantique. Sans véritable attaquant.

", + "content": "Peter Bosz a tenu un discours plutôt positif après le nul de l’OL sur la pelouse de Bordeaux, ce dimanche, lors de la 17e journée de Ligue 1 (2-2). Le coach de Lyon estime que la contreperformance de son équipe n’est pas liée au système mis en place au Matmut Atlantique. Sans véritable attaquant.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-prost-meilleur-pilote-de-l-histoire-c-est-l-avis-de-l-ancien-boss-de-la-f1_AV-202112030208.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-rien-a-voir-avec-le-systeme-bosz-defend-ses-choix-et-n-accable-pas-gusto_AV-202112050338.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:10:52 GMT", - "enclosure": "https://images.bfmtv.com/PwiJPWuW--GApJmKLF4q_CpLkvE=/4x5:4724x2660/800x0/images/-862115.jpg", + "pubDate": "Sun, 05 Dec 2021 23:20:13 GMT", + "enclosure": "https://images.bfmtv.com/OO3C28NNrFZobBvO5tH8TmS6Cos=/0x68:2048x1220/800x0/images/Peter-BOSZ-1174364.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42061,17 +46696,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e935c680b5950ee38cf8b12b59cf706f" + "hash": "7086cd58e4d712158533b5540ca76e65" }, { - "title": "PSG: Hamraoui dit avoir été menacée par le garde du corps de Diallo, le clan Diallo dément", - "description": "Selon M6, la joueuse du PSG Kheira Hamraoui - agressée début novembre - a dit aux enquêteurs avoir récemment été menacée par le garde du corps de sa coéquipière Aminata Diallo lors d'un entraînement à Bougival.

", - "content": "Selon M6, la joueuse du PSG Kheira Hamraoui - agressée début novembre - a dit aux enquêteurs avoir récemment été menacée par le garde du corps de sa coéquipière Aminata Diallo lors d'un entraînement à Bougival.

", + "title": "PRONOS PARIS RMC Le nul du jour du 6 décembre – Liga - Espagne", + "description": "Notre pronostic : pas de vainqueur entre Getafe et Bilbao (3.05)

", + "content": "Notre pronostic : pas de vainqueur entre Getafe et Bilbao (3.05)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/d1/psg-hamraoui-dit-avoir-ete-menacee-par-le-garde-du-corps-de-diallo_AV-202112030198.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-6-decembre-liga-espagne_AN-202112050221.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:03:32 GMT", - "enclosure": "https://images.bfmtv.com/s5ADzEEAwLJEcaoIon1FP_qepv8=/0x143:2048x1295/800x0/images/Kheira-Hamraoui-1164543.jpg", + "pubDate": "Sun, 05 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/z58sytdUaDInDdkpqQo33-_KRW4=/0x0:1984x1116/800x0/images/D-Suarez-1182150.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42081,17 +46716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e1eac6da5b6e98dfd2f43d9034167993" + "hash": "363887378decb92d9d5c4ad063e17c38" }, { - "title": "Mercato: le Barça toujours plus pessimiste pour Dembélé après une réunion avec son agent", - "description": "Selon Sport, le pessimisme sur une prolongation de contrat d’Ousmane Dembélé a encore grimpé d’un cran après une réunion avec l’agent de l’international français jeudi.

", - "content": "Selon Sport, le pessimisme sur une prolongation de contrat d’Ousmane Dembélé a encore grimpé d’un cran après une réunion avec l’agent de l’international français jeudi.

", + "title": "PRONOS PARIS RMC Le pari de folie du 6 décembre – Série A - Italie", + "description": "Notre pronostic : match nul entre l’Empoli et l’Udinese et les deux équipes marquent (3.80)

", + "content": "Notre pronostic : match nul entre l’Empoli et l’Udinese et les deux équipes marquent (3.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-barca-toujours-plus-pessimiste-pour-dembele-apres-une-reunion-avec-son-agent_AV-202112030189.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-6-decembre-serie-a-italie_AN-202112050220.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:46:31 GMT", - "enclosure": "https://images.bfmtv.com/T2TwJAv7uP220OOhTLO4Whb2oLc=/37x234:1973x1323/800x0/images/Ousmane-Dembele-1179488.jpg", + "pubDate": "Sun, 05 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/eQvyLLt5PM0KHVf5c3NUyvEWY_M=/15x0:1999x1116/800x0/images/Beto-1182148.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42101,17 +46736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "984b4b0ef0b65606cbad22cc81a044a9" + "hash": "f5d0546042f9aa0c82704722ab8136fc" }, { - "title": "Rugby: Parti d’Afrique du Sud, fin du cauchemar pour Cardiff?", - "description": "L’équipe de Cardiff, bloquée en Afrique du Sud depuis plusieurs jours, a pu décoller ce matin pour rentrer. Mais ces joueurs-là doivent maintenant respecter une période de quarantaine et ne feront pas partie de l’équipe qui, si le match a lieu, affrontera le Stade Toulousain la semaine prochaine en Coupe d’Europe.

", - "content": "L’équipe de Cardiff, bloquée en Afrique du Sud depuis plusieurs jours, a pu décoller ce matin pour rentrer. Mais ces joueurs-là doivent maintenant respecter une période de quarantaine et ne feront pas partie de l’équipe qui, si le match a lieu, affrontera le Stade Toulousain la semaine prochaine en Coupe d’Europe.

", + "title": "PRONOS PARIS RMC Le pari sûr du 6 décembre – Premier League - Angleterre", + "description": "Notre pronostic : Arsenal ne perd pas sur la pelouse d’Everton (1.34)

", + "content": "Notre pronostic : Arsenal ne perd pas sur la pelouse d’Everton (1.34)

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/rugby-parti-d-afrique-du-sud-fin-du-cauchemar-pour-cardiff_AN-202112030181.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-6-decembre-premier-league-angleterre_AN-202112050218.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:32:46 GMT", - "enclosure": "https://images.bfmtv.com/yKOlAzU8Bm19rdaTGJrw4PAXxBs=/0x0:2048x1152/800x0/images/Dai-Young-entraineur-des-Cardiff-Blues-1176012.jpg", + "pubDate": "Sun, 05 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/kj3Ze9ByrlnqgUtTTxZ_4mDbk34=/0x0:2000x1125/800x0/images/A-Ramsdale-1182147.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42121,17 +46756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ef1a913341bb0c33dd2cffde3c2a1003" + "hash": "0a78dddb36166232f190772ea28e23e4" }, { - "title": "Hand: Le spleen post-olympique des handballeuses françaises", - "description": "Cinq mois après leur titre olympique à Tokyo, les handballeuses françaises débutent ce vendredi soir contre l’Angola (18h) pour leur premier match des championnats du monde à Granollers en Espagne. Des Bleues qui veulent surfer sur leur première médaille d’or olympique mais qui trainent leur spleen depuis de longues semaines. 

", - "content": "Cinq mois après leur titre olympique à Tokyo, les handballeuses françaises débutent ce vendredi soir contre l’Angola (18h) pour leur premier match des championnats du monde à Granollers en Espagne. Des Bleues qui veulent surfer sur leur première médaille d’or olympique mais qui trainent leur spleen depuis de longues semaines. 

", + "title": "Top 14: le Stade Français renversant face à La Rochelle", + "description": "Mené 20-6, le Stade Français a finalement tout renversé pour battre La Rochelle ce dimanche (25-20), en clôture de la 12e journée de Top 14. Un vrai soulagement dans l'optique de s'éloigner de la zone rouge.

", + "content": "Mené 20-6, le Stade Français a finalement tout renversé pour battre La Rochelle ce dimanche (25-20), en clôture de la 12e journée de Top 14. Un vrai soulagement dans l'optique de s'éloigner de la zone rouge.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/feminin/hand-le-spleen-post-olympique-des-handballeuses-francaises_AN-202112030169.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-le-stade-francais-renversant-face-a-la-rochelle_AD-202112050335.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:10:23 GMT", - "enclosure": "https://images.bfmtv.com/WK4M3xZ2-DCSWqStiDowHx9YnSA=/0x40:768x472/800x0/images/Les-Francaises-victorieuses-de-la-Russie-s-offrent-le-titre-olympique-du-tournoi-de-hand-a-Tokyo-le-8-aout-2021-1081146.jpg", + "pubDate": "Sun, 05 Dec 2021 22:36:39 GMT", + "enclosure": "https://images.bfmtv.com/f1fGh8bMyoAF1lptyYh67qGZdxk=/0x112:2048x1264/800x0/images/Le-Stade-Francais-a-tout-renverse-face-aux-Rochelais-1182343.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42141,17 +46776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e1e77c6ace0c5656b1cfb8c6bdc49265" + "hash": "93e4dde4eee54eeecd08b2e1e5e0d1bc" }, { - "title": "Affaire Hamraoui en direct: Le clan Diallo dément les menaces envers Hamraoui", - "description": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", - "content": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", + "title": "AC Milan: \"Plus ma queue de cheval est longue, plus je suis fort\", la nouvelle punchline de Zlatan", + "description": "Lors d’une interview accordée ce dimanche à Rai 3, Zlatan Ibrahimovic a distillé quelques nouvelles punchlines dont il a le secret. En promotion pour la sortie de son livre \"Adrenalina\", l’attaquant de l’AC Milan a notamment expliqué que sa force provenait... de ses cheveux.

", + "content": "Lors d’une interview accordée ce dimanche à Rai 3, Zlatan Ibrahimovic a distillé quelques nouvelles punchlines dont il a le secret. En promotion pour la sortie de son livre \"Adrenalina\", l’attaquant de l’AC Milan a notamment expliqué que sa force provenait... de ses cheveux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-en-direct-les-dernieres-infos-un-mois-apres-l-agression_LN-202112030167.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/ac-milan-plus-ma-queue-de-cheval-est-longue-plus-je-suis-fort-la-nouvelle-punchline-de-zlatan_AV-202112050334.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:08:41 GMT", - "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", + "pubDate": "Sun, 05 Dec 2021 22:21:08 GMT", + "enclosure": "https://images.bfmtv.com/uHEJiElx9pnL8MLZdvcn1c6Tu1Q=/0x0:2048x1152/800x0/images/Zlatan-Ibrahimovic-1174964.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42161,17 +46796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ebe96b400054d02f6bbb33c3a22ce9b4" + "hash": "438817160f750d7865efe7de790f87ae" }, { - "title": "PSG: la signature de Mbappé au Real Madrid est \"assurée\", selon la presse espagnole", - "description": "Les deux principaux quotidiens sportifs madrilènes assurent que la signature de Kylian Mbappé au Real Madrid l’été prochain devrait être actée en janvier, malgré une possible offensive du PSG pour prolonger son crack.

", - "content": "Les deux principaux quotidiens sportifs madrilènes assurent que la signature de Kylian Mbappé au Real Madrid l’été prochain devrait être actée en janvier, malgré une possible offensive du PSG pour prolonger son crack.

", + "title": "Stade Français-La Rochelle en direct: Paris s'offre un cador et respire au classement", + "description": "Le Stade Français s'impose 25 à 20 face à La Rochelle au terme d'un match à suspense ! Mené 20 à 6 au bout de 3O minutes, Paris a réussi à inverser la tendance jusqu'à l'emporter !

", + "content": "Le Stade Français s'impose 25 à 20 face à La Rochelle au terme d'un match à suspense ! Mené 20 à 6 au bout de 3O minutes, Paris a réussi à inverser la tendance jusqu'à l'emporter !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/psg-la-signature-de-mbappe-au-real-madrid-est-assuree-selon-la-presse-espagnole_AV-202112030165.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-stade-francais-la-rochelle-en-direct_LS-202112050287.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:04:33 GMT", - "enclosure": "https://images.bfmtv.com/fkGh487h1PgrYsOpsJ_4RFHRjKo=/0x0:2048x1152/800x0/images/Kylian-Mbappe-1179101.jpg", + "pubDate": "Sun, 05 Dec 2021 18:46:50 GMT", + "enclosure": "https://images.bfmtv.com/jDWW_2gDWLM3j43xes_b3Bsbbs0=/0x106:2048x1258/800x0/images/Match-a-suspense-entre-le-Stade-Francais-et-La-Rochelle-1182336.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42181,17 +46816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6872998b2c752fdd7568d3e857215363" + "hash": "90ab2cc8b5847dc62856ff61f1fc33f5" }, { - "title": "Toulon : Belleau à Clermont, West courtisé", - "description": "Le demi d’ouverture international Anthony Belleau (25 ans) rejoindra Clermont la saison prochaine. Il a donné son accord. Ihaia West pourrait le remplacer.

", - "content": "Le demi d’ouverture international Anthony Belleau (25 ans) rejoindra Clermont la saison prochaine. Il a donné son accord. Ihaia West pourrait le remplacer.

", + "title": "Bordeaux-OL: les Lyonnais s’inquiètent pour Denayer, sorti sur blessure", + "description": "Accroché par Bordeaux au Matmut Atlantique (2-2) en clôture de la 17e journée de Ligue 1, l'OL a perdu peut-être pour longtemps son défenseur central Jason Denayer. Le Belge pourrait avoir été victime d'une fracture du péroné.

", + "content": "Accroché par Bordeaux au Matmut Atlantique (2-2) en clôture de la 17e journée de Ligue 1, l'OL a perdu peut-être pour longtemps son défenseur central Jason Denayer. Le Belge pourrait avoir été victime d'une fracture du péroné.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/toulon-belleau-a-clermont-west-courtise_AV-202112030163.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-les-lyonnais-s-inquietent-pour-denayer-sorti-sur-blessure_AV-202112050329.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:59:38 GMT", - "enclosure": "https://images.bfmtv.com/6BvusqzgBU8PejBWg0qRc7chqe8=/0x87:2048x1239/800x0/images/Anthony-Belleau-1180727.jpg", + "pubDate": "Sun, 05 Dec 2021 21:53:35 GMT", + "enclosure": "https://images.bfmtv.com/j3yG2YxKSrNdEf4uKE5ZFQiI0dA=/0x34:1200x709/800x0/images/Jason-Denayer-1182334.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42201,17 +46836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e57cd22bc158d190f3f0808cbf2829c1" + "hash": "1460902497e511014066ab5e2b681a5c" }, { - "title": "Athlétisme: décès de Lamine Diack, ancien patron de la fédération internationale", - "description": "Empêtré dans des affaires de corruption et condamné en première instance par la justice française, Lamine Diack, ancien patron de la Fédération internationale d'athlétisme (IAAF), est mort à l'âge de 88 ans.

", - "content": "Empêtré dans des affaires de corruption et condamné en première instance par la justice française, Lamine Diack, ancien patron de la Fédération internationale d'athlétisme (IAAF), est mort à l'âge de 88 ans.

", + "title": "Ligue 1: ça ne va pas mieux pour l'OL, qui s'en sort très bien à Bordeaux", + "description": "Englués dans le ventre mou du classement, les joueurs de l'OL ont perdu deux nouveaux points sur la pelouse de Bordeaux (2-2). Menés deux fois, les Girondins ont su revenir, mais ils restent sous la menace de Clermont, premier relégable.

", + "content": "Englués dans le ventre mou du classement, les joueurs de l'OL ont perdu deux nouveaux points sur la pelouse de Bordeaux (2-2). Menés deux fois, les Girondins ont su revenir, mais ils restent sous la menace de Clermont, premier relégable.

", "category": "", - "link": "https://rmcsport.bfmtv.com/athletisme/athletisme-deces-de-lamine-diack-ancien-patron-de-la-federation-internationale_AV-202112030161.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-ca-ne-va-pas-mieux-pour-l-ol-qui-s-en-sort-tres-bien-a-bordeaux_AN-202112050327.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:55:42 GMT", - "enclosure": "https://images.bfmtv.com/uJF_ga7_fqko0_4JZsCfhED1Nsw=/0x106:2048x1258/800x0/images/Lamine-Diack-1180717.jpg", + "pubDate": "Sun, 05 Dec 2021 21:45:35 GMT", + "enclosure": "https://images.bfmtv.com/s3wGk3BPqjsrZaxKz03hPULc3m4=/0x106:2048x1258/800x0/images/Lucas-Paqueta-lors-de-Bordeaux-OL-1182346.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42221,17 +46856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdda09f3a4d298e3fdcad620f7f0d447" + "hash": "1088a3fd9598370cd653cf9439116e49" }, { - "title": "Sorare, la start-up française qui révolutionne le football avec les NFT", - "description": "Une levée de fonds de 680 millions de dollars, des footballeurs qui investissent, des cartes revendues pour plusieurs centaines de milliers d’euros, des utilisateurs qui se multiplient aux quatre coins du monde et qui peuvent spéculer: la start-up française Sorare, qui mixe jeu de fantasy football et cartes de collection virtuelles sous fond de nouvelles technologies (NFT, blockchain, cryptomonnaie), connaît une croissance explosive. RMC Sport vous plonge dans les dessous du nouveau phénomène du divertissement sportif.

", - "content": "Une levée de fonds de 680 millions de dollars, des footballeurs qui investissent, des cartes revendues pour plusieurs centaines de milliers d’euros, des utilisateurs qui se multiplient aux quatre coins du monde et qui peuvent spéculer: la start-up française Sorare, qui mixe jeu de fantasy football et cartes de collection virtuelles sous fond de nouvelles technologies (NFT, blockchain, cryptomonnaie), connaît une croissance explosive. RMC Sport vous plonge dans les dessous du nouveau phénomène du divertissement sportif.

", + "title": "Nice: \"Je suis le seul responsable\", lâche Galtier après la débâcle contre Strasbourg", + "description": "Nice a encaissé une lourde défaite face à Strasbourg, ce dimanche, lors de la 17e journée de Ligue 1 (0-3). La troisième de suite à domicile. Une mauvaise passe qui pousse Christophe Galtier à se remettre en question.

", + "content": "Nice a encaissé une lourde défaite face à Strasbourg, ce dimanche, lors de la 17e journée de Ligue 1 (0-3). La troisième de suite à domicile. Une mauvaise passe qui pousse Christophe Galtier à se remettre en question.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/sorare-la-start-up-francaise-qui-revolutionne-le-football-avec-les-nft_GN-202112030160.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-je-suis-le-seul-responsable-lache-galtier-apres-la-debacle-contre-strasbourg_AV-202112050323.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:54:14 GMT", - "enclosure": "https://images.bfmtv.com/-_ISPSkfXDlrqnp4NZZqIoMjJE0=/0x0:2032x1143/800x0/images/Les-cartes-NFT-Sorare-de-l-equipe-de-France-1180303.jpg", + "pubDate": "Sun, 05 Dec 2021 21:25:20 GMT", + "enclosure": "https://images.bfmtv.com/xy-GtbyVoNmCigIjcMJtbiXUwaM=/0x57:2000x1182/800x0/images/Christophe-Galtier-1182035.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42241,37 +46876,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "761c5b853723da30956248ce51c92aa2" + "hash": "e6e39f861aba7b9ba312808aade87b3a" }, { - "title": "Les pronos hippiques du samedi 4 décembre", - "description": " Le Quinté+ du samedi 4 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": " Le Quinté+ du samedi 4 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "GP d’Arabie Saoudite: l'agacement d'Hamilton après l’accrochage avec Verstappen", + "description": "Le Britannique Lewis Hamilton et le Néerlandais Max Verstappen, à la lutte pour le titre, ont chacun donné leur point de vue sur l'incident qui a vu les deux pilotes s'accrocher ce dimanche. Et forcément, ils ne sont pas d'accord.

", + "content": "Le Britannique Lewis Hamilton et le Néerlandais Max Verstappen, à la lutte pour le titre, ont chacun donné leur point de vue sur l'incident qui a vu les deux pilotes s'accrocher ce dimanche. Et forcément, ils ne sont pas d'accord.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-samedi-4-decembre_AN-202112030153.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-l-agacement-d-hamilton-apres-l-accrochage-avec-verstappen_AV-202112050321.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:39:43 GMT", - "enclosure": "https://images.bfmtv.com/SXy2GpJ-ycL8GJaedC2Qyb6oFjE=/0x41:800x491/800x0/images/Les-pronos-hippiques-du-samedi-4-decembre-2021-1180709.jpg", + "pubDate": "Sun, 05 Dec 2021 21:20:56 GMT", + "enclosure": "https://images.bfmtv.com/EFMuPxED3PASOmGwkK3UnkpMsGk=/0x0:1200x675/800x0/images/Lewis-Hamilton-1182329.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3f373cd4db7b0ae58d89a9ea6447590f" + "hash": "255972c7c738ed0286178d8a53336c95" }, { - "title": "Premier League: la réaction hilare d'Henry sur l'étrange but encaissé par De Gea", - "description": "Thierry Henry, également consultant pour Prime Video en Angleterre, s'est amusé du but lunaire encaissé par David De Gea lors du choc entre Manchester United et Arsenal. Pour l'ancien international français, le gardien espagnol des Red Devils a commis une erreur qu'il n'avait plus constaté depuis sa formation.

", - "content": "Thierry Henry, également consultant pour Prime Video en Angleterre, s'est amusé du but lunaire encaissé par David De Gea lors du choc entre Manchester United et Arsenal. Pour l'ancien international français, le gardien espagnol des Red Devils a commis une erreur qu'il n'avait plus constaté depuis sa formation.

", + "title": "Mondial de hand: impériales contre la Slovénie, les Bleues déjà qualifiées pour le tour principal", + "description": "L'équipe de France de handball a survolé les débats ce dimanche face à la Slovénie (29-18). Championnes olympiques, les Bleues sont déjà qualifiées pour le tour principal du Mondial en Espagne.

", + "content": "L'équipe de France de handball a survolé les débats ce dimanche face à la Slovénie (29-18). Championnes olympiques, les Bleues sont déjà qualifiées pour le tour principal du Mondial en Espagne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-la-reaction-hilare-d-henry-sur-l-etrange-but-encaisse-par-de-gea_AV-202112030150.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-hand-imperiales-contre-la-slovenie-les-bleues-deja-qualifiees-pour-le-tour-principal_AD-202112050311.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:37:00 GMT", - "enclosure": "https://images.bfmtv.com/kZg-BFBozrdYzeKdVzyAQrEXP5M=/0x58:2048x1210/800x0/images/Thierry-Henry-1180688.jpg", + "pubDate": "Sun, 05 Dec 2021 20:06:27 GMT", + "enclosure": "https://images.bfmtv.com/pKju6ZYTk3B1YPt8nRj_NtdFozg=/0x106:2048x1258/800x0/images/Les-Bleues-victorieuses-au-Mondial-de-hand-1182301.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42281,17 +46916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5bf681b7c7430482b376a6dc49c7b97b" + "hash": "d43d8b0b727562ba1e89d43ec431ee60" }, { - "title": "Incidents Angers-OM: une bombe agricole marseillaise à l'origine des affrontements?", - "description": "L'Equipe revient dans son édition de ce vendredi sur les affrontements entre supporters d'Angers et de l'OM, à la fin du match entre les deux clubs le 22 septembre. Les images de vidéosurveillance auraient permis de constater que la situation a dégénéré après qu'un fan marseillais a jeté une bombe agricole... juste à côté de son propre parcage.

", - "content": "L'Equipe revient dans son édition de ce vendredi sur les affrontements entre supporters d'Angers et de l'OM, à la fin du match entre les deux clubs le 22 septembre. Les images de vidéosurveillance auraient permis de constater que la situation a dégénéré après qu'un fan marseillais a jeté une bombe agricole... juste à côté de son propre parcage.

", + "title": "GP d'Arabie Saoudite: victoire cruciale d'Hamilton devant Verstappen après une course de folie", + "description": "Lewis Hamilton s'est imposé dimanche à Jeddah devant son grand rival qu'il a rejoint au classement au terme d'une course complètement folle, avant le dernier Grand Prix de la saison, dimanche prochain. Complètement dingue on vous dit.

", + "content": "Lewis Hamilton s'est imposé dimanche à Jeddah devant son grand rival qu'il a rejoint au classement au terme d'une course complètement folle, avant le dernier Grand Prix de la saison, dimanche prochain. Complètement dingue on vous dit.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-angers-om-une-bombe-agricole-marseillaise-a-l-origine-des-affrontements_AV-202112030149.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-victoire-cruciale-d-hamilton-devant-verstappen-apres-une-course-de-folie_AV-202112050315.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:36:28 GMT", - "enclosure": "https://images.bfmtv.com/Sw2Jh4VAqSOIbAHwF1lzN9VtF9c=/0x212:2048x1364/800x0/images/Les-incidents-a-la-fin-d-Angers-OM-1180701.jpg", + "pubDate": "Sun, 05 Dec 2021 20:04:00 GMT", + "enclosure": "https://images.bfmtv.com/UO7SRyRqkKmMRZ4WOBrOcqxh1rw=/0x7:1200x682/800x0/images/Lewis-Hamilton-et-Max-Verstappen-1182318.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42301,17 +46936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d240f6f5a101ff56a88ec9517778b7b4" + "hash": "2e9ecf9076d9b52947919dee0939ffe1" }, { - "title": "OL: Cherki joue sous la neige avec les U17 d’un club de Lyon", - "description": "Rayan Cherki (18 ans), jeune attaquant de l’OL, a participé à un entraînement avec l’équipe U17 du club de Sainte Foy-Lès-Lyon, jeudi dans la banlieue de Lyon, malgré la neige.

", - "content": "Rayan Cherki (18 ans), jeune attaquant de l’OL, a participé à un entraînement avec l’équipe U17 du club de Sainte Foy-Lès-Lyon, jeudi dans la banlieue de Lyon, malgré la neige.

", + "title": "Real Madrid: \"On rentre au stand\", le message de Benzema après sa blessure", + "description": "Au lendemain de sa blessure à la cuisse, Karim Benzema a posté un message ce dimanche sur les réseaux. L’attaquant du Real Madrid, d’ores et déjà forfait contre l’Inter mardi en Ligue des champions, explique qu’il va se reposer pour \"revenir plus fort\".

", + "content": "Au lendemain de sa blessure à la cuisse, Karim Benzema a posté un message ce dimanche sur les réseaux. L’attaquant du Real Madrid, d’ores et déjà forfait contre l’Inter mardi en Ligue des champions, explique qu’il va se reposer pour \"revenir plus fort\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-cherki-joue-sous-la-neige-avec-les-u17-d-un-club-de-lyon_AV-202112030128.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-on-rentre-au-stand-le-message-de-benzema-apres-sa-blessure_AV-202112050310.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 07:49:48 GMT", - "enclosure": "https://images.bfmtv.com/gHkr1s3zOnJUpyoOt06PYMrh9cI=/0x247:2032x1390/800x0/images/Rayan-Cherki-1180660.jpg", + "pubDate": "Sun, 05 Dec 2021 19:59:54 GMT", + "enclosure": "https://images.bfmtv.com/_8M4UwzOy_jdWisnzZ-jzyiKJV0=/0x99:2048x1251/800x0/images/Benzema-1174670.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42321,17 +46956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "61db8feaa9b58fed7144605af3cafb6b" + "hash": "544e8e50b217355c29787b92633d1069" }, { - "title": "Equipe de France: Le Sommer a appelé Diacre pour lui faire part de sa motivation", - "description": "Plus convoquée par Corinne Diacre en équipe de France féminine depuis avril dernier, l'attaquante Eugénie Le Sommer a pris l'initiative d'appeler la sélectionneure il y a quelques semaines pour lui faire part de son envie de retrouver les Bleues.

", - "content": "Plus convoquée par Corinne Diacre en équipe de France féminine depuis avril dernier, l'attaquante Eugénie Le Sommer a pris l'initiative d'appeler la sélectionneure il y a quelques semaines pour lui faire part de son envie de retrouver les Bleues.

", + "title": "PSG: \"On ne peut pas se cacher\", Mbappé analyse les problèmes de repli défensif des attaquants", + "description": "Dans une interview accordée à Prime Video, Kylian Mbappé est revenu sur les difficultés que rencontre la défense du PSG cette saison avec, à l’origine de ses maux, un travail des attaquants jugé trop insuffisant à la perte du ballon. L’attaquant parisien entrevoit une solution.

", + "content": "Dans une interview accordée à Prime Video, Kylian Mbappé est revenu sur les difficultés que rencontre la défense du PSG cette saison avec, à l’origine de ses maux, un travail des attaquants jugé trop insuffisant à la perte du ballon. L’attaquant parisien entrevoit une solution.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-sommer-a-appele-diacre-pour-lui-faire-part-de-sa-motivation_AV-202112030115.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-on-ne-peut-pas-se-cacher-mbappe-analyse-les-problemes-de-repli-defensif-des-attaquants_AV-202112050307.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 07:36:40 GMT", - "enclosure": "https://images.bfmtv.com/6HcStmijeUTGO8PiqJfHg_I2DxE=/0x55:2048x1207/800x0/images/Eugenie-Le-SOMMER-1124916.jpg", + "pubDate": "Sun, 05 Dec 2021 19:55:01 GMT", + "enclosure": "https://images.bfmtv.com/AG72qkDrr1LaDPPC3QP6aXYb8Eg=/0x78:1200x753/800x0/images/Kylian-Mbappe-1182294.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42341,17 +46976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb2b2b8a9cc2cb3f2a98f90f32a5edea" + "hash": "296aeaf4d2e11ea06a129057774be7c4" }, { - "title": "Ligue 1 en direct: Ramos absent de l'entraînement ce vendredi", - "description": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", - "content": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", + "title": "PSG: Mbappé explique comment il a vécu son après-Euro et son départ avorté au Real Madrid", + "description": "Dans une interview accordée à Amazon Prime Vidéo, Kylian Mbappé a répondu aux questions de Thierry Henry. L’attaquant du PSG en a profité pour revenir sur son été agité, avec la déception de l’Euro 2021 et son envie de départ au Real Madrid.

", + "content": "Dans une interview accordée à Amazon Prime Vidéo, Kylian Mbappé a répondu aux questions de Thierry Henry. L’attaquant du PSG en a profité pour revenir sur son été agité, avec la déception de l’Euro 2021 et son envie de départ au Real Madrid.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-de-17e-journee_LN-202112030112.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-mbappe-explique-comment-il-a-vecu-son-apres-euro-et-son-depart-avorte-au-real-madrid_AV-202112050300.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 07:34:55 GMT", - "enclosure": "https://images.bfmtv.com/QowGzSOOqzNTthmjfLILbQ7i9Yc=/0x106:2048x1258/800x0/images/Sergio-Ramos-1172824.jpg", + "pubDate": "Sun, 05 Dec 2021 19:29:57 GMT", + "enclosure": "https://images.bfmtv.com/BS-hWN2RmIQoue45PGmjeF7fuTE=/3x25:2035x1168/800x0/images/Kylian-MBAPPE-1181388.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42361,17 +46996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c1172b6d73d0cd29ffa1d7f8702be1f" + "hash": "09440a8f223754de36361e9b9569853a" }, { - "title": "Affaire Pinot: l’avocat de Schmitt dénonce des contradictions dans le témoignage de la judoka", - "description": "Avocat d’Alain Schmitt, accusé de violences conjugales par Margaux Pinot, maître Malik Behloul, interrogé par BFMTV, a pointé selon lui des incohérences dans le témoignage de la judoka.

", - "content": "Avocat d’Alain Schmitt, accusé de violences conjugales par Margaux Pinot, maître Malik Behloul, interrogé par BFMTV, a pointé selon lui des incohérences dans le témoignage de la judoka.

", + "title": "GP d'Arabie Saoudite en direct: victoire d'Hamilton devant Verstappen, pénalisé avec clémence", + "description": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", + "content": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-l-avocat-de-schmitt-denonce-des-contradictions-dans-le-temoignage-de-la-judoka_AV-202112020617.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-en-direct-suivez-le-grand-prix-d-arabie-saoudite_LS-202112050239.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:30:50 GMT", - "enclosure": "https://images.bfmtv.com/QgKFX9bQq3lw20v1Aqwh87aBn8c=/0x40:768x472/800x0/images/Alain-Schmitt-relaxe-des-faits-de-violences-sur-sa-compagne-lors-d-un-point-presse-a-Paris-le-2-decembre-2021-1180368.jpg", + "pubDate": "Sun, 05 Dec 2021 16:18:56 GMT", + "enclosure": "https://images.bfmtv.com/Vzqvl-Vh3G3nsHwIkKi-dnkCi-M=/0x212:2048x1364/800x0/images/Max-Verstappen-et-Lewis-Hamilton-au-restart-du-GP-d-Arabie-Saoudite-1182291.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42381,17 +47016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4e76ad5eb40e67d151cbdf2ec6521d96" + "hash": "bd32d01deaa55cded837ad37effa7583" }, { - "title": "Manchester United: Carrick quitte le club après son intérim réussi", - "description": "Après avoir assuré l’intérim à la suite du limogeage d’Ole Gunnar Solskjaer et avant de céder sa place à Ralf Rangnick, Michael Carrick a finalement décidé de quitter Manchester United. La direction du club a officialisé son départ jeudi soir juste après la victoire des Red Devils face à Arsenal (3-2) en Premier League.

", - "content": "Après avoir assuré l’intérim à la suite du limogeage d’Ole Gunnar Solskjaer et avant de céder sa place à Ralf Rangnick, Michael Carrick a finalement décidé de quitter Manchester United. La direction du club a officialisé son départ jeudi soir juste après la victoire des Red Devils face à Arsenal (3-2) en Premier League.

", + "title": "Bordeaux-OL, les compos: le coup tactique de Bosz avec une défense à trois", + "description": "En quête de points, Bordeaux et l'OL doivent s'imposer ce dimanche pour ne pas sombrer dans la crise ce dimanche, en clôture de la 17e journée de Ligue 1. Lyon et Peter Bosz se présentent avec une défense à trois et Paqueta en numéro 9.

", + "content": "En quête de points, Bordeaux et l'OL doivent s'imposer ce dimanche pour ne pas sombrer dans la crise ce dimanche, en clôture de la 17e journée de Ligue 1. Lyon et Peter Bosz se présentent avec une défense à trois et Paqueta en numéro 9.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-carrick-quitte-le-club-apres-son-interim-reussi_AV-202112020611.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-les-compos-le-coup-tactique-de-bosz-avec-une-defense-a-trois_AV-202112050298.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:09:22 GMT", - "enclosure": "https://images.bfmtv.com/KclzY29hZKZSFn1_7p2B_kbNiTs=/0x0:2048x1152/800x0/images/Michael-Carrick-1180480.jpg", + "pubDate": "Sun, 05 Dec 2021 19:29:11 GMT", + "enclosure": "https://images.bfmtv.com/62K583vTyPjo9TJfMFqzAFdLWWc=/0x17:2048x1169/800x0/images/Lucas-PAQUETA-1151602.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42401,17 +47036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "476e3c3708ba80d2022ebe985f3c3e17" + "hash": "8c653b1e5b4bdb6bf4f56c18c8a0ce26" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 3 décembre – Primeira Liga - Portugal", - "description": "Notre pronostic: Benfica bat le Sporting (1.80)

", - "content": "Notre pronostic: Benfica bat le Sporting (1.80)

", + "title": "GP d’Arabie saoudite: folie de Verstappen, instant lunaire entre la FIA et Red Bull... 2e départ fou", + "description": "Déjà interrompu après le crash de Mick Schumacher, le Grand Prix d’Arabie saoudite a connu un nouveau drapeau rouge quelques instants après le deuxième départ. La faute à une conduite surprenante de Max Verstappen ainsi qu’aux accidents de Sergio Perez et Nikita Mazepin.

", + "content": "Déjà interrompu après le crash de Mick Schumacher, le Grand Prix d’Arabie saoudite a connu un nouveau drapeau rouge quelques instants après le deuxième départ. La faute à une conduite surprenante de Max Verstappen ainsi qu’aux accidents de Sergio Perez et Nikita Mazepin.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-3-decembre-primeira-liga-portugal_AN-202112020496.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-folie-de-verstappen-instant-lunaire-entre-la-fia-et-red-bull-2e-depart-fou_AV-202112050290.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/FdELiDma0JH1MciBDs_-PYOdyPk=/0x104:2000x1229/800x0/images/Darwin-Nunez-Benfica-1180305.jpg", + "pubDate": "Sun, 05 Dec 2021 19:10:42 GMT", + "enclosure": "https://images.bfmtv.com/95qJ9eQW8OXYG8KWsj_HFuZNpdM=/0x212:2048x1364/800x0/images/Lewis-Hamilton-lors-du-GP-d-Arabie-saoudite-1182265.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42421,17 +47056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba24d5c1184bf03f4c0b55dea0971922" + "hash": "bcef612962424917e3dca466d764800a" }, { - "title": "PRONOS PARIS RMC Le nul du jour du 3 décembre – Bundesliga – Allemagne", - "description": " Notre pronostic: pas de vainqueur entre l’Union Berlin et Leipzig (3.75)

", - "content": " Notre pronostic: pas de vainqueur entre l’Union Berlin et Leipzig (3.75)

", + "title": "Tottenham-Norwich: grand pont, lucarne… Lucas s’offre un but sensationnel", + "description": "Tottenham a étrillé Norwich, ce dimanche, lors de la 15e journée de Premier League (3-0). Un match marqué par le bijou de Lucas. L’ailier brésilien des Spurs a ouvert le score au terme d’une action somptueuse.

", + "content": "Tottenham a étrillé Norwich, ce dimanche, lors de la 15e journée de Premier League (3-0). Un match marqué par le bijou de Lucas. L’ailier brésilien des Spurs a ouvert le score au terme d’une action somptueuse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-3-decembre-bundesliga-allemagne_AN-202112020494.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-norwich-grand-pont-lucarne-lucas-s-offre-un-but-sensationnel_AV-202112050278.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/SdMM6Gj_f56kCst51YV8WBRvUHE=/0x104:2000x1229/800x0/images/Christopher-Nkunku-Leipzig-1180295.jpg", + "pubDate": "Sun, 05 Dec 2021 18:15:12 GMT", + "enclosure": "https://images.bfmtv.com/9FxJ8S4caqNVRcKnwHTw-ePNqFc=/0x59:2048x1211/800x0/images/Lucas-1182244.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42441,17 +47076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a17e678ff7db65dc0ee50a7a5f0aec56" + "hash": "748e766f25b7729209016cd1e3672406" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 3 décembre – Liga Pari Match - Ukraine", - "description": "Notre pronostic: le Shakhtar Donetsk bat Lviv par au moins deux buts d’écart (1.42)

", - "content": "Notre pronostic: le Shakhtar Donetsk bat Lviv par au moins deux buts d’écart (1.42)

", + "title": "Nice-Strasbourg: victoire éclatante du Racing, claque inquiétante pour les Aiglons", + "description": "Nice, après un bon nul 0-0 à Paris, a été lourdement battu 3 à 0 par Strasbourg, sa troisième défaite d'affilée à domicile et sans but marqué, dimanche lors de la 17e journée de Ligue 1.

", + "content": "Nice, après un bon nul 0-0 à Paris, a été lourdement battu 3 à 0 par Strasbourg, sa troisième défaite d'affilée à domicile et sans but marqué, dimanche lors de la 17e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-3-decembre-liga-pari-match-ukraine_AN-202112020490.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-strasbourg-victoire-eclatante-du-racing-claque-inquietante-pour-les-aiglons_AV-202112050277.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/ulFnGZbNu6zPjdh_aadNNoSsYos=/0x104:2000x1229/800x0/images/Tete-Shakhtar-1180293.jpg", + "pubDate": "Sun, 05 Dec 2021 18:09:07 GMT", + "enclosure": "https://images.bfmtv.com/QRka5ajMgPFdv8n-TZvX-V1Iub4=/0x0:1200x675/800x0/images/Ludovic-Ajorque-a-inscrit-son-9e-but-de-la-saison-a-Nice-1182241.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42461,17 +47096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4e86fc3a922a7cf4146f87d3745a4672" + "hash": "d6afaca0673ac58d37156f2ba775604f" }, { - "title": "PRONOS PARIS RMC Le pari extérieur du 3 décembre – Jupiler League - Belgique", - "description": "Notre pronostic: l’Union Saint-Gilloise gagne à Saint-Trond (1.68)

", - "content": "Notre pronostic: l’Union Saint-Gilloise gagne à Saint-Trond (1.68)

", + "title": "F1: Mazepin agacé par le comportement des autres pilotes envers lui", + "description": "Nikita Mazepin a regretté le comportement de certains pilotes contre lui en marge du GP d’Arabie saoudite. Le pilote russe de l’écurie Haas F1 est déçu du manque de respect à son encontre, notamment lors des qualifications de l’avant-dernière course de la saison.

", + "content": "Nikita Mazepin a regretté le comportement de certains pilotes contre lui en marge du GP d’Arabie saoudite. Le pilote russe de l’écurie Haas F1 est déçu du manque de respect à son encontre, notamment lors des qualifications de l’avant-dernière course de la saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-exterieur-du-3-decembre-jupiler-league-belgique_AN-202112020484.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-mazepin-agace-par-le-comportement-des-autres-pilotes-envers-lui_AV-202112050274.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/uaX_NYjWM2gym51ObWM8_zuCJIk=/0x104:2000x1229/800x0/images/Deniz-Undav-Standard-1180285.jpg", + "pubDate": "Sun, 05 Dec 2021 17:55:47 GMT", + "enclosure": "https://images.bfmtv.com/8Oxy91UEHFOuMqrT12gST6eKfpU=/0x0:2048x1152/800x0/images/Nikita-Mazepin-en-Formule-1-1182227.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42481,17 +47116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa3c8db70e4ce1960bb903be943d23d1" + "hash": "fcc12a7d34f9dea735ceaba927d39226" }, { - "title": "Premier League: Manchester United et Ronaldo se payent Arsenal", - "description": "A l’issue d’une rencontre très animée à Old Trafford, Manchester United a battu Arsenal 3-2 jeudi lors de la 14eme journée de Premier League. Auteur d’un doublé, Cristiano Ronaldo a franchi la barre symbolique des 800 buts en carrière.

", - "content": "A l’issue d’une rencontre très animée à Old Trafford, Manchester United a battu Arsenal 3-2 jeudi lors de la 14eme journée de Premier League. Auteur d’un doublé, Cristiano Ronaldo a franchi la barre symbolique des 800 buts en carrière.

", + "title": "Metz: après la claque à Monaco, Antonetti a envoyé ses joueurs parler aux supporters", + "description": "Le FC Metz s’est lourdement incliné sur la pelouse de l’AS Monaco, ce dimanche, lors de la 17e journée de Ligue 1 (4-0). Après la rencontre, Frédéric Antonetti a demandé à ses joueurs d’aller s’expliquer avec les supporters qui avaient fait le déplacement en Principauté.

", + "content": "Le FC Metz s’est lourdement incliné sur la pelouse de l’AS Monaco, ce dimanche, lors de la 17e journée de Ligue 1 (4-0). Après la rencontre, Frédéric Antonetti a demandé à ses joueurs d’aller s’expliquer avec les supporters qui avaient fait le déplacement en Principauté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-manchester-united-et-ronaldo-se-payent-arsenal_AV-202112020601.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/metz-apres-la-claque-a-monaco-antonetti-a-envoye-ses-joueurs-parler-aux-supporters_AV-202112050268.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 22:25:54 GMT", - "enclosure": "https://images.bfmtv.com/0yMl_Fw0nxchPAPMmGCxPWGoDoA=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-1180451.jpg", + "pubDate": "Sun, 05 Dec 2021 17:36:26 GMT", + "enclosure": "https://images.bfmtv.com/u_VygnoAbXMXI7cIaRezCW6W2q8=/0x0:2048x1152/800x0/images/Frederic-Antonetti-1182212.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42501,17 +47136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "58befd9420696d307a863055beb9631e" + "hash": "9c935eb84657d2c6912f71f6072b4806" }, { - "title": "Manchester United: Ronaldo dépasse la barre des 800 buts en carrière", - "description": "Encore décisif jeudi soir lors du choc de Premier League entre Manchester United et Arsenal, Cristiano Ronaldo a inscrit ses 800e et 801e buts en carrière. Un total hallucinant.

", - "content": "Encore décisif jeudi soir lors du choc de Premier League entre Manchester United et Arsenal, Cristiano Ronaldo a inscrit ses 800e et 801e buts en carrière. Un total hallucinant.

", + "title": "Saint-Etienne: Puel mis à pied après la déroute contre Rennes, Dupraz et Guion évoqués", + "description": "La direction de l’AS Saint-Etienne a tranché dans le vif après la défaite de Verts contre Rennes ce dimanche (5-0). Claude Puel est mis à pied et ne devrait plus rester longtemps au sein du club stéphanois alors que Pascal Dupraz ou David Guion sont en pole pour lui succéder.

", + "content": "La direction de l’AS Saint-Etienne a tranché dans le vif après la défaite de Verts contre Rennes ce dimanche (5-0). Claude Puel est mis à pied et ne devrait plus rester longtemps au sein du club stéphanois alors que Pascal Dupraz ou David Guion sont en pole pour lui succéder.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ronaldo-depasse-la-barre-des-800-buts-en-carriere_AV-202112020595.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-puel-mis-a-pied-apres-la-deroute-contre-rennes-dupraz-et-guion-evoques_AV-202112050253.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 22:09:27 GMT", - "enclosure": "https://images.bfmtv.com/3wPKjyc_MpyD-ykq9UEuD_0g4zQ=/0x42:2048x1194/800x0/images/Cristiano-Ronaldo-1180431.jpg", + "pubDate": "Sun, 05 Dec 2021 17:01:16 GMT", + "enclosure": "https://images.bfmtv.com/o_WhfJoK13tVX8NfX9bonV0ABj8=/0x96:2048x1248/800x0/images/Claude-Puel-n-est-plus-entraineur-de-Saint-Etienne-1182182.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42521,17 +47156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f0a62a56784e97fc6a52ddf6bd87e4ff" + "hash": "13004eb2145fc0f125fce18420e04817" }, { - "title": "Real Madrid: la demande originale d'Ancelotti à Courtois", - "description": "Encore décisif mercredi lors de la victoire du Real contre Bilbao (1-0) en championnat, Thibaut Courtois a été encensé par Carlo Ancelotti. Pour l'entraîneur du Real Madrid, il est aujourd'hui le meilleur gardien au monde.

", - "content": "Encore décisif mercredi lors de la victoire du Real contre Bilbao (1-0) en championnat, Thibaut Courtois a été encensé par Carlo Ancelotti. Pour l'entraîneur du Real Madrid, il est aujourd'hui le meilleur gardien au monde.

", + "title": "ASSE-Rennes en direct: Puel mis à pied par Saint-Etienne après la claque", + "description": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", + "content": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-la-demande-originale-d-ancelotti-a-courtois_AV-202112020581.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-rennes-en-direct-les-rennais-peuvent-reprendre-la-deuxieme-place_LS-202112050118.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 21:40:48 GMT", - "enclosure": "https://images.bfmtv.com/Qp3DU7rwoC4pjEfWko0eknscI7o=/1x107:1825x1133/800x0/images/Carlo-Ancelotti-1180398.jpg", + "pubDate": "Sun, 05 Dec 2021 11:01:45 GMT", + "enclosure": "https://images.bfmtv.com/44M6FoABIyNnDRsyrzddkhqQVXU=/0x240:512x528/800x0/images/L-entraineur-de-Saint-Etienne-Claude-Puel-lors-de-la-defaite-a-domicile-de-son-equipe-battue-5-0-par-Rennes-le-5-decembre-2021-au-Stade-Geoffroy-Guichard-1182177.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42541,17 +47176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f76b08aeefcab2e4b686928c8a066e94" + "hash": "40b49bd3db7bc5be6e46bda9aaced103" }, { - "title": "Manchester United-Arsenal: le but lunaire encaissé par les Red Devils", - "description": "Le match de la 14eme journée de Premier League entre Manchester United et Arsenal a été marqué par l’ouverture du score des Gunners signée Smith-Rowe alors que De Gea était au sol...

", - "content": "Le match de la 14eme journée de Premier League entre Manchester United et Arsenal a été marqué par l’ouverture du score des Gunners signée Smith-Rowe alors que De Gea était au sol...

", + "title": "Ligue 1: Monaco cartonne face à Metz, Montpellier et Angers se replacent, Lorient s'enfonce", + "description": "Nantes s'est imposé à Lorient 1-0 grâce à un exploit individuel de Wylan Cyprien. Dominateur de la première à la dernière minute, Monaco a très largement battu Metz (4-0).

", + "content": "Nantes s'est imposé à Lorient 1-0 grâce à un exploit individuel de Wylan Cyprien. Dominateur de la première à la dernière minute, Monaco a très largement battu Metz (4-0).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-arsenal-le-but-lunaire-encaisse-par-les-red-devils_AN-202112020580.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-monaco-cartonne-face-a-metz-montpellier-et-angers-se-replacent-lorient-s-enfonce_AV-202112050242.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 21:36:46 GMT", - "enclosure": "https://images.bfmtv.com/_wVz30WS-M0UCn8Vb5ZtipuPW_I=/0x6:1056x600/800x0/images/MU-Arsenal-la-ballon-franchit-la-ligne-de-but-1180418.jpg", + "pubDate": "Sun, 05 Dec 2021 16:30:04 GMT", + "enclosure": "https://images.bfmtv.com/Yk-4qUJ-xkPy9oedZX0wSofXTHs=/0x0:1200x675/800x0/images/La-rage-de-vaincre-des-Monegasques-et-de-Kevin-Volland-1182173.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42561,17 +47196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "07125551e47afd193e1bf71107ab6ab5" + "hash": "052847d3294d92f1d404d9be83b303ee" }, { - "title": "Euroligue: battus, l'Asvel et Monaco n'avancent plus", - "description": "Villeurbanne et Monaco marquent le pas en Euroligue. Le champion de France s'est incliné jeudi sur le parquet du Bayern Munich (73-65) dans la foulée du revers des Monégasques à Fenerbahçe (96-86) lors de la 13e journée.

", - "content": "Villeurbanne et Monaco marquent le pas en Euroligue. Le champion de France s'est incliné jeudi sur le parquet du Bayern Munich (73-65) dans la foulée du revers des Monégasques à Fenerbahçe (96-86) lors de la 13e journée.

", + "title": "Manchester United-Crystal Palace: première victorieuse mais perfectible pour Rangnick", + "description": "Ralf Rangnick a dirigé Manchester United pour la première fois ce dimanche lors de la 15e journée de Premier League contre Crystal Palace. Un but de Fred dans les dernières minutes a offert la victoire aux Red Devils (1-0) devant le public d’Old Trafford.

", + "content": "Ralf Rangnick a dirigé Manchester United pour la première fois ce dimanche lors de la 15e journée de Premier League contre Crystal Palace. Un but de Fred dans les dernières minutes a offert la victoire aux Red Devils (1-0) devant le public d’Old Trafford.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroligue-battus-l-asvel-et-monaco-n-avancent-plus_AD-202112020567.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-crystal-palace-premiere-victorieuse-mais-perfectible-pour-rangnick_AV-202112050240.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 21:06:43 GMT", - "enclosure": "https://images.bfmtv.com/t-EHr5noLHKvSYlYpTKhV9dYYYg=/0x106:2048x1258/800x0/images/L-Asvel-face-au-Maccabi-Tel-Aviv-1154445.jpg", + "pubDate": "Sun, 05 Dec 2021 16:09:00 GMT", + "enclosure": "https://images.bfmtv.com/HccSJJV_qg7rMrG2hAjp7CVlxNI=/0x0:2032x1143/800x0/images/Ralf-Rangnick-lors-de-son-premier-match-sur-le-banc-de-Manchester-United-1182165.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42581,17 +47216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "592f049a3be934efb8d4f005a5a6ba16" + "hash": "c2ea2c34d5a80f7e1ce5d86c75f3daaa" }, { - "title": "PSG: la maladresse de Sergio Ramos qui a dû amuser les supporters de l’OM", - "description": "Le défenseur central du PSG, Sergio Ramos, a posté jeudi sur son compte Instagram une photo d’entraînement au son de Jump, le titre de Van Halen qui accompagne l’entrée des joueurs de l’OM sur la pelouse du stade Vélodrome. Un post que l’Espagnol a vite supprimé.

", - "content": "Le défenseur central du PSG, Sergio Ramos, a posté jeudi sur son compte Instagram une photo d’entraînement au son de Jump, le titre de Van Halen qui accompagne l’entrée des joueurs de l’OM sur la pelouse du stade Vélodrome. Un post que l’Espagnol a vite supprimé.

", + "title": "F2: Pourchaire victime d’un accident spectaculaire et évacué à l'hôpital", + "description": "Théo Pourchaire a été victime d’un incident au départ du Grand Prix de F2 d’Arabie saoudite, ce dimanche à Djeddah. Le jeune Français, qui n’a pas réussi à démarrer, s’est fait violemment percuté par l’arrière. De quoi entraîner une longue interruption de la course.

", + "content": "Théo Pourchaire a été victime d’un incident au départ du Grand Prix de F2 d’Arabie saoudite, ce dimanche à Djeddah. Le jeune Français, qui n’a pas réussi à démarrer, s’est fait violemment percuté par l’arrière. De quoi entraîner une longue interruption de la course.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-la-maladresse-de-sergio-ramos-qui-a-du-amuser-les-supporters-de-l-om_AV-202112020560.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f2-pourchaire-victime-d-un-accident-spectaculaire-et-evacue-a-l-hopital_AV-202112050228.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 20:50:04 GMT", - "enclosure": "https://images.bfmtv.com/PD-g2uS4qZbp_wiwdYr6E0bJWhc=/0x0:2048x1152/800x0/images/Sergio-Ramos-aux-cotes-du-Stephanois-Timothee-Kolodziejczak-1177605.jpg", + "pubDate": "Sun, 05 Dec 2021 15:43:30 GMT", + "enclosure": "https://images.bfmtv.com/mwm4S7bUqjSQdWOr5jL_GFNkSWc=/0x12:1200x687/800x0/images/-868155.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42601,17 +47236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "15bba4e59ba9859f78ac6fa45ff10ba3" + "hash": "239118765ab68c5fb355dceace14a931" }, { - "title": "Affaire Peng Shuai: l'ATP réclame une \"communication directe\", mais ne suit pas le boycott de la WTA", - "description": "Si la WTA a décidé de suspendre ses tournois en Chine pour apporter son soutien à Peng Shuai, l'ATP plaide pour une autre approche. Elle considère que le meilleur moyen d'influer sur sa situation en Chine est de privilégier une présence sur place.

", - "content": "Si la WTA a décidé de suspendre ses tournois en Chine pour apporter son soutien à Peng Shuai, l'ATP plaide pour une autre approche. Elle considère que le meilleur moyen d'influer sur sa situation en Chine est de privilégier une présence sur place.

", + "title": "Bordeaux-OL en direct: Lyon pousse mais les Girondins sont toujours dangereux", + "description": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", + "content": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/affaire-peng-shuai-l-atp-reclame-une-communication-directe-mais-ne-suit-pas-le-boycott-de-la-wta_AV-202112020559.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-bordeaux-ol-en-direct_LS-202112050237.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 20:46:56 GMT", - "enclosure": "https://images.bfmtv.com/KlNlW-dbWmXReF710xcoEJCSxxc=/0x40:768x472/800x0/images/Shuai-Peng-a-l-Open-d-Australie-le-21-janvier-2020-a-Melbourne-1180010.jpg", + "pubDate": "Sun, 05 Dec 2021 16:10:24 GMT", + "enclosure": "https://images.bfmtv.com/Y4ipY_ai5LRaJE086BPMTqdy9SA=/0x106:2048x1258/800x0/images/Bordeaux-OL-1182321.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42621,17 +47256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0b52295276cd64fa6270717c4ec936f3" + "hash": "0702525b49059ca02b5d13376f864a25" }, { - "title": "PSG: la tribune Auteuil fermée pour deux matchs après son anniversaire", - "description": "La commission de discipline de la LFP a livré ses sanctions jeudi après les nombreux fumigènes allumés par les supporters du PSG lors de la réception de Nantes (3-1). La tribune Auteuil, qui fêtait à cette occasion ses 30 ans d'existence, sera fermée deux matchs.

", - "content": "La commission de discipline de la LFP a livré ses sanctions jeudi après les nombreux fumigènes allumés par les supporters du PSG lors de la réception de Nantes (3-1). La tribune Auteuil, qui fêtait à cette occasion ses 30 ans d'existence, sera fermée deux matchs.

", + "title": "GP d'Arabie Saoudite en direct: victoire d'Hamilton devant Verstappen après une course de folie", + "description": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", + "content": "Max Verstappen peut profiter du Grand Prix d’Arabie saoudite pour décrocher le premier titre de champion du monde de sa carrière, ce dimanche à Djeddah. Suivez la course en live sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-la-tribune-auteuil-fermee-pour-deux-matchs-apres-son-anniversaire_AV-202112020548.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-en-direct-suivez-le-grand-prix-d-arabie-saoudite_LS-202112050239.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 20:13:26 GMT", - "enclosure": "https://images.bfmtv.com/xUrHLVn7t4YnCCkvADqGYK42Nw8=/248x465:1832x1356/800x0/images/PSG-Nantes-1180359.jpg", + "pubDate": "Sun, 05 Dec 2021 16:18:56 GMT", + "enclosure": "https://images.bfmtv.com/Vzqvl-Vh3G3nsHwIkKi-dnkCi-M=/0x212:2048x1364/800x0/images/Max-Verstappen-et-Lewis-Hamilton-au-restart-du-GP-d-Arabie-Saoudite-1182291.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42641,17 +47276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6a229aa4988474b1f6f76b4d646f499" + "hash": "d84762e824d3be472d15c8c84afd94cb" }, { - "title": "Ligue 1 en direct: Aulas conforte Peter Bosz et défend son bilan", - "description": "Leader, le PSG a été tenu en échec par Nice (0-0) lors d'un joli choc entre prétendants au podium. Dans l'autre affiche de cette 16e journée, Rennes a été dominé par Lille (1-2). Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", - "content": "Leader, le PSG a été tenu en échec par Nice (0-0) lors d'un joli choc entre prétendants au podium. Dans l'autre affiche de cette 16e journée, Rennes a été dominé par Lille (1-2). Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "title": "Stade Français-La Rochelle en direct: match fou à Jean-Bouin, déjà cinq essais marqués", + "description": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", + "content": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-stade-francais-la-rochelle-en-direct_LS-202112050287.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", - "enclosure": "https://images.bfmtv.com/UGHynbgsZ__Bb-yuqzYL1MBo4no=/0x200:2048x1352/800x0/images/Jean-Michel-Aulas-face-a-la-presse-apres-OL-OM-1173221.jpg", + "pubDate": "Sun, 05 Dec 2021 18:46:50 GMT", + "enclosure": "https://images.bfmtv.com/h9sMXTLk8ayWW_JHPiP1pL8QPC0=/0x0:1184x666/800x0/images/-859705.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42661,17 +47296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff0bb1dbd58da2ef30838d3a7ff8390e" + "hash": "303e3fea6d96423b39308bccbf8c8f37" }, { - "title": "OL: Aulas conforte Peter Bosz et défend son bilan", - "description": "Le président de l’Olympique Lyonnais, Jean-Michel Aulas, ne partage pas les critiques à l’égard de son équipe et de son coach Peter Bosz. Il l’a fait savoir au lendemain du revers des Gones à domicile face à Reims (2-1).

", - "content": "Le président de l’Olympique Lyonnais, Jean-Michel Aulas, ne partage pas les critiques à l’égard de son équipe et de son coach Peter Bosz. Il l’a fait savoir au lendemain du revers des Gones à domicile face à Reims (2-1).

", + "title": "CAN2022 : Aliou Cissé répond à Jürgen Klopp, sur le \"petit tournoi\"", + "description": "Alors que Jürgen Klopp avait qualifié la Coupe d'Afrique des Nations de \"petit tournoi\", semble-t-il de façon ironique, Aliou Cissé, le sélectionneur du Sénégal, lui a répondu en tempérant les débats.

", + "content": "Alors que Jürgen Klopp avait qualifié la Coupe d'Afrique des Nations de \"petit tournoi\", semble-t-il de façon ironique, Aliou Cissé, le sélectionneur du Sénégal, lui a répondu en tempérant les débats.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-aulas-conforte-peter-bosz-et-defend-son-bilan_AV-202112020544.html", + "link": "https://rmcsport.bfmtv.com/football/matchs-amicaux/can2022-aliou-cisse-repond-a-jurgen-klopp-sur-le-petit-tournoi_AV-202112050227.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:50:04 GMT", - "enclosure": "https://images.bfmtv.com/UGHynbgsZ__Bb-yuqzYL1MBo4no=/0x200:2048x1352/800x0/images/Jean-Michel-Aulas-face-a-la-presse-apres-OL-OM-1173221.jpg", + "pubDate": "Sun, 05 Dec 2021 15:41:46 GMT", + "enclosure": "https://images.bfmtv.com/1zuE1n571u5pgVQIssRNbcryLNc=/0x78:1200x753/800x0/images/-842801.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42681,17 +47316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2c559cbeccf94afaa2806c1adbf6e030" + "hash": "48018fcf4eaa128d58b67cfeed07d0fd" }, { - "title": "Cristiano Ronaldo porte Manchester United, avec un doublé pour battre Arsenal", - "description": "Un doublé de Cristiano Ronaldo a permis à Manchester United de s'imposer 3-2 dans le choc de Premier League contre Arsenal, pour la dernière de Michael Carrick sur le banc.

", - "content": "Un doublé de Cristiano Ronaldo a permis à Manchester United de s'imposer 3-2 dans le choc de Premier League contre Arsenal, pour la dernière de Michael Carrick sur le banc.

", + "title": "Cleangame remporte la finale du GNT pour la deuxième fois de sa carrière", + "description": "Alors qu'il devait rendre la distance de 50 mètres, Cleangame n'a pas déçu ses preneurs en terrassant l'opposition et en remportant pour la deuxième fois de sa carrière la finale du Grand National du Trot ce dimanche 5 décembre sur l'hippodrome de Vincennes.

", + "content": "Alors qu'il devait rendre la distance de 50 mètres, Cleangame n'a pas déçu ses preneurs en terrassant l'opposition et en remportant pour la deuxième fois de sa carrière la finale du Grand National du Trot ce dimanche 5 décembre sur l'hippodrome de Vincennes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-suivez-manchester-united-arsenal-en-direct_LS-202112020526.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/cleangame-remporte-la-finale-du-gnt-pour-la-deuxieme-fois-de-sa-carriere_AN-202112050226.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:10:03 GMT", - "enclosure": "https://images.bfmtv.com/AyQv_Rro9PU84b3IcH4IC80SAQw=/0x120:1872x1173/800x0/images/Cristiano-Ronaldo-1152553.jpg", + "pubDate": "Sun, 05 Dec 2021 15:37:47 GMT", + "enclosure": "https://images.bfmtv.com/xH1S-BamOw0FBX6ZDjza8Zb5VFU=/0x106:2048x1258/800x0/images/Cleangame-remporte-la-finale-du-GNT-edition-2021-1182149.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42701,17 +47336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "680ae591cb604632d3f005b2685ff234" + "hash": "5232c4758b70f703a4833af6524620be" }, { - "title": "PSG: Rothen révèle un clash entre des joueurs et Leonardo il y a deux ans", - "description": "Dans son émission Rothen s'enflamme jeudi sur RMC, Jérôme Rothen a raconté un clash ayant opposé il y a deux ans Leonardo à certains joueurs du PSG, dont Edinson Cavani et Keylor Navas.

", - "content": "Dans son émission Rothen s'enflamme jeudi sur RMC, Jérôme Rothen a raconté un clash ayant opposé il y a deux ans Leonardo à certains joueurs du PSG, dont Edinson Cavani et Keylor Navas.

", + "title": "PSG: Herrera et Ramos de retour à l’entraînement avant Bruges", + "description": "Sergio Ramos et Ander Herrera ont repris l’entraînement ce dimanche avec le PSG. Une bonne nouvelle pour le club parisien à deux jours du dernier match des poules de la Ligue des champions, mardi contre Bruges (sur RMC Sport 1).

", + "content": "Sergio Ramos et Ander Herrera ont repris l’entraînement ce dimanche avec le PSG. Une bonne nouvelle pour le club parisien à deux jours du dernier match des poules de la Ligue des champions, mardi contre Bruges (sur RMC Sport 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-rothen-revele-un-clash-entre-des-joueurs-et-leonardo-il-y-a-deux-ans_AV-202112020522.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-herrera-de-retour-a-l-entrainement-avant-le-match-europeen-contre-bruges_AV-202112050219.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:00:59 GMT", - "enclosure": "https://images.bfmtv.com/D8VThAFYgQtZKtXTyST9g-XiFP4=/0x0:1056x594/800x0/images/Jerome-Rothen-1137662.jpg", + "pubDate": "Sun, 05 Dec 2021 15:26:22 GMT", + "enclosure": "https://images.bfmtv.com/Gti6hEyDALvkloJJIwAw_YDNlPc=/14x0:2046x1143/800x0/images/Sergio-Ramos-a-l-entrainement-du-PSG-1182152.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42721,17 +47356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e5161893e818c40ef6edc08b0b825b1" + "hash": "f97dd489eeb4a78ee661f9fbd9ecdad8" }, { - "title": "XV de France: ce que la victoire face aux All Blacks a changé selon Antoine Dupont", - "description": "Près de quinze jours après le triomphe du XV de France face à la Nouvelle-Zélande (40-25) lors du dernier test-match de la tournée d’automne, le capitaine des Bleus, Antoine Dupont, était l’invité exceptionnel du Super Moscato Show jeudi sur RMC. L’occasion pour le demi de mêlée du Stade Toulousain de revenir sur les conséquences de cet exploit.

", - "content": "Près de quinze jours après le triomphe du XV de France face à la Nouvelle-Zélande (40-25) lors du dernier test-match de la tournée d’automne, le capitaine des Bleus, Antoine Dupont, était l’invité exceptionnel du Super Moscato Show jeudi sur RMC. L’occasion pour le demi de mêlée du Stade Toulousain de revenir sur les conséquences de cet exploit.

", + "title": "Saint-Etienne: le message d'espoir de Puel après la déroute contre Rennes", + "description": "Corrigé par le Stade Rennais (5-0) ce dimanche lors de la 17e journée de Ligue 1, Saint-Etienne reste englué à la dernière place du classement. S'il est conscient des lacunes de ses joueurs, Claude Puel estime qu'ils sont capables de réagir.

", + "content": "Corrigé par le Stade Rennais (5-0) ce dimanche lors de la 17e journée de Ligue 1, Saint-Etienne reste englué à la dernière place du classement. S'il est conscient des lacunes de ses joueurs, Claude Puel estime qu'ils sont capables de réagir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/xv-de-france-ce-que-la-victoire-face-aux-all-blacks-a-change-selon-antoine-dupont_AV-202112020519.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-message-d-espoir-de-puel-apres-la-deroute-contre-rennes_AV-202112050212.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:57:02 GMT", - "enclosure": "https://images.bfmtv.com/dtgFUFkBs2AtV4DVcWTEaTYqkgY=/0x106:2048x1258/800x0/images/Dupont-lors-de-France-Nouvelle-Zelande-1171374.jpg", + "pubDate": "Sun, 05 Dec 2021 15:00:35 GMT", + "enclosure": "https://images.bfmtv.com/bxpH_b7dya6GhTOiEIPf4S2s7Yg=/0x106:2048x1258/800x0/images/Claude-PUEL-1182099.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42741,17 +47376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "31356b6e52c6b3cc6d670e1ca3174a51" + "hash": "e1f712242c732a41eea9faee8b1458ec" }, { - "title": "Mercato: Dortmund mystérieux sur une clause libératoire pour Haaland", - "description": "Convoité par les plus grands clubs européens, Erling Haaland pourrait connaître un nouveau tournant dans sa carrière. Depuis des mois, la présence d’une clause libératoire estimée à 75M€ est évoquée. Mais le Borussia Dortmund a refusé de confirmer la présence de cet arrangement dans le contrat du Norvégien.

", - "content": "Convoité par les plus grands clubs européens, Erling Haaland pourrait connaître un nouveau tournant dans sa carrière. Depuis des mois, la présence d’une clause libératoire estimée à 75M€ est évoquée. Mais le Borussia Dortmund a refusé de confirmer la présence de cet arrangement dans le contrat du Norvégien.

", + "title": "Nice-Strasbourg en direct : le Racing inflige une leçon aux Aiglons", + "description": "Sur leur terrain, les Aiglons ont sombré face à une équipe de Strasbourg solide et inspirée. Les Alsaciens ont profité du réalisme d'Ajorque, Diallo et Thomasson pour s'offrir une victoire de prestige, 3-0.

", + "content": "Sur leur terrain, les Aiglons ont sombré face à une équipe de Strasbourg solide et inspirée. Les Alsaciens ont profité du réalisme d'Ajorque, Diallo et Thomasson pour s'offrir une victoire de prestige, 3-0.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-dortmund-mysterieux-sur-une-clause-liberatoire-pour-haaland_AV-202112020513.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nice-strasbourg-en-direct_LS-202112050190.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:46:17 GMT", - "enclosure": "https://images.bfmtv.com/ZQlrw-sxxBTqCcOy0jEvCImisA8=/0x0:2048x1152/800x0/images/Erling-Haaland-1176777.jpg", + "pubDate": "Sun, 05 Dec 2021 14:17:26 GMT", + "enclosure": "https://images.bfmtv.com/7jMHIiR8yGY-2zPjMdwYRVsKqSY=/0x106:2048x1258/800x0/images/Perrin-avec-Lemina-et-Todibo-lors-de-Nice-Strasbourg-1182216.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42761,17 +47396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "17d7f74cc097123ef108c75266ff8478" + "hash": "4d44d7143bd142655863db906fae7ed7" }, { - "title": "Top 14: direction le Stade Français pour Morgan Parra", - "description": "INFO RMC SPORT - Le demi de mêlée international, Morgan Parra, devrait rejoindre le Stade Français en fin de saison. Les deux parties auraient trouvé un accord cette semaine.\n

", - "content": "INFO RMC SPORT - Le demi de mêlée international, Morgan Parra, devrait rejoindre le Stade Français en fin de saison. Les deux parties auraient trouvé un accord cette semaine.\n

", + "title": "PSG-Bruges: l’arbitre espagnol Gil Manzano au sifflet, une première pour les Parisiens", + "description": "Jesus Gil Manzano a été désigné pour arbitrer le match de la 6eme journée de phase de poules entre le PSG et Bruges, mardi au Parc des Princes (coup d’envoi à 18h45 en direct sur RMC Sport 1). L'Espagnol n’a jamais arbitré le club parisien.

", + "content": "Jesus Gil Manzano a été désigné pour arbitrer le match de la 6eme journée de phase de poules entre le PSG et Bruges, mardi au Parc des Princes (coup d’envoi à 18h45 en direct sur RMC Sport 1). L'Espagnol n’a jamais arbitré le club parisien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14-direction-le-stade-francais-pour-morgan-parra_AV-202112020489.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-bruges-l-arbitre-espagnol-gil-manzano-au-sifflet-une-premiere-pour-les-parisiens_AV-202112050184.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:23:37 GMT", - "enclosure": "https://images.bfmtv.com/BxWEkBb7pkeQb1P7gz3Lin1G8cc=/0x0:768x432/800x0/images/Le-demi-de-melee-clermontois-Morgan-Parra-lors-du-quart-de-finale-de-la-Coupe-d-Europe-a-domicile-contre-le-Stade-Toulousain-le-11-avril-2021-au-stade-Marcel-Michelin-1005050.jpg", + "pubDate": "Sun, 05 Dec 2021 14:11:21 GMT", + "enclosure": "https://images.bfmtv.com/zXg4o4yrqU8WrUvBRJ6PUs09_mM=/0x0:2048x1152/800x0/images/Jesus-Gil-Manzano-arbitrera-PSG-Bruges-1182090.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42781,17 +47416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d602467897f24ad2548a76c577d8a4e" + "hash": "4c918ed286b9663a2f593485829e7bd4" }, { - "title": "\"J'ai cru que j'allais y laisser ma vie\", le témoignage fort de Margaux Pinot", - "description": "La judoka Margaux Pinot s’est exprimée ce jeudi lors d’une conférence de presse après la relaxe en première instance de son compagnon Alain Schmitt, qu’elle accuse de violences conjugales.

", - "content": "La judoka Margaux Pinot s’est exprimée ce jeudi lors d’une conférence de presse après la relaxe en première instance de son compagnon Alain Schmitt, qu’elle accuse de violences conjugales.

", + "title": "Les pronos hippiques du lundi 6 décembre 2021", + "description": "Le Quinté+ du lundi 6 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du lundi 6 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/j-ai-cru-que-j-allais-y-laisser-ma-vie-le-temoignage-fort-de-margaux-pinot_AV-202112020482.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-lundi-6-decembre-2021_AN-202112050181.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:15:03 GMT", - "enclosure": "https://images.bfmtv.com/x3m5iNezrcoUzVzCmCsltzIy30A=/8x0:1016x567/800x0/images/Margaux-Pinot-en-conference-de-presse-le-2-decembre-2021-1180232.jpg", + "pubDate": "Sun, 05 Dec 2021 14:03:28 GMT", + "enclosure": "https://images.bfmtv.com/9XV2MFBYK7ptueR4KVkM57oSATY=/0x41:800x491/800x0/images/Les-pronos-hippiques-du-lundi-6-decembre-2021-1181814.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42801,17 +47436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f87872f8c47d47ff0045fc4225d82a95" + "hash": "81368e021ed3a9608419cb48e0dd2ff4" }, { - "title": "Affaire Pinot-Schmitt: ce que disent les deux versions qui s'affrontent", - "description": "Après l’altercation physique qui a opposé Margaux Pinot et son entraîneur et compagnon, Alain Schmitt, dans la nuit de samedi à dimanche puis la relaxe de ce dernier par le tribunal correctionnel de Bobigny mercredi, la judoka et son coach ont livré une version des faits totalement différente.

", - "content": "Après l’altercation physique qui a opposé Margaux Pinot et son entraîneur et compagnon, Alain Schmitt, dans la nuit de samedi à dimanche puis la relaxe de ce dernier par le tribunal correctionnel de Bobigny mercredi, la judoka et son coach ont livré une version des faits totalement différente.

", + "title": "Saint Etienne-Rennes: les Bretons enfoncent les Verts avec un festival de Terrier", + "description": "Porté par un triplé de Martin Terrier, Rennes a corrigé Saint-Etienne (5-0) ce dimanche à Geoffroy-Guichard lors de la 17e journée de Ligue 1. Les Bretons sont deuxièmes du classement derrière le PSG alors que les Verts restent derniers du championnat.

", + "content": "Porté par un triplé de Martin Terrier, Rennes a corrigé Saint-Etienne (5-0) ce dimanche à Geoffroy-Guichard lors de la 17e journée de Ligue 1. Les Bretons sont deuxièmes du classement derrière le PSG alors que les Verts restent derniers du championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-ce-que-disent-les-deux-versions-qui-s-affrontent_AV-202112020478.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-rennes-les-bretons-enfoncent-les-verts-avec-un-festival-de-terrier_AV-202112050180.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:12:01 GMT", - "enclosure": "https://images.bfmtv.com/x3m5iNezrcoUzVzCmCsltzIy30A=/8x0:1016x567/800x0/images/Margaux-Pinot-en-conference-de-presse-le-2-decembre-2021-1180232.jpg", + "pubDate": "Sun, 05 Dec 2021 14:03:23 GMT", + "enclosure": "https://images.bfmtv.com/SKbN9MWtuNJhHhRO-ndjTU_ZTN4=/0x137:2048x1289/800x0/images/Martin-Terrier-a-marque-un-triple-lors-de-ASSE-Rennes-1182083.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42821,17 +47456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "68eff9505ab9f2fdf98720267d7a7086" + "hash": "bd6c6e63b13d36cfd95692ce6cd3bb59" }, { - "title": "Biathlon: Jacquelin et Fillon-Maillet sur le podium, Desthieux perd la tête", - "description": "Les Français Emilien Jacquelin (2e) et Quentin Fillon-Maillet (3e) sont montés jeudi sur le podium du sprint (10 km) d'Ostersund (Suède), comptant pour la Coupe du monde de biathlon, alors que Simon Desthieux (23e) a perdu sa place de leader du classement général au profit du Suédois Sebastian Samuelsson, le vainqueur du jour.

", - "content": "Les Français Emilien Jacquelin (2e) et Quentin Fillon-Maillet (3e) sont montés jeudi sur le podium du sprint (10 km) d'Ostersund (Suède), comptant pour la Coupe du monde de biathlon, alors que Simon Desthieux (23e) a perdu sa place de leader du classement général au profit du Suédois Sebastian Samuelsson, le vainqueur du jour.

", + "title": "Egypte: un entraîneur décède d'une crise cardiaque après le but de la victoire de son équipe", + "description": "L'entraîneur égyptien Adham El-Selhadar est décédé des suites d'une crise cardiaque survenue en plein match. Il avait 53 ans.

", + "content": "L'entraîneur égyptien Adham El-Selhadar est décédé des suites d'une crise cardiaque survenue en plein match. Il avait 53 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-jacquelin-et-fillon-maillet-sur-le-podium-desthieux-perd-la-tete_AD-202112020458.html", + "link": "https://rmcsport.bfmtv.com/football/egypte-un-entraineur-decede-d-une-crise-cardiaque-apres-le-but-de-la-victoire-de-son-equipe_AN-202112050173.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:50:21 GMT", - "enclosure": "https://images.bfmtv.com/zjFeL1MsXZKzqqJDDkKIekD64gs=/0x42:768x474/800x0/images/Emilien-Jacquelin-lors-du-10-km-sprint-de-la-Coupe-du-monde-de-biathlon-a-Ostersund-le-28-novembre-2021-1177206.jpg", + "pubDate": "Sun, 05 Dec 2021 13:49:42 GMT", + "enclosure": "https://images.bfmtv.com/1j-9HmDYJ6s6fKHL2IH2Tf_E9Bg=/0x0:2048x1152/800x0/images/Image-d-illustration-1182081.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42841,17 +47476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3eb1c32afa557bc498b4e9dc4b75e5fa" + "hash": "3fb6bd2c29a051003eb4220939f140e7" }, { - "title": "West Ham: Moyes explique pourquoi Areola est derrière Fabianski dans la hiérarchie", - "description": "Arrivé l’été dernier dans le cadre d’un prêt à West Ham, Alphonse Areola peine à trouver du temps de jeu en Premier League. En conférence de presse, l’entraîneur David Moyes a expliqué la raison du statut de remplaçant du Français, tout en assurant compter sur ce dernier pour l’avenir.

", - "content": "Arrivé l’été dernier dans le cadre d’un prêt à West Ham, Alphonse Areola peine à trouver du temps de jeu en Premier League. En conférence de presse, l’entraîneur David Moyes a expliqué la raison du statut de remplaçant du Français, tout en assurant compter sur ce dernier pour l’avenir.

", + "title": "Coupe Davis 2022: la France face à l’Equateur en barrages", + "description": "Eliminée prématurément lors de la phase finale de la Coupe Davis 2021, la France devra passer par un barrage l’année prochaine. Le tirage au sort a livré l’Equateur comme adversaire des Bleus qui auront l’avantage de recevoir.

", + "content": "Eliminée prématurément lors de la phase finale de la Coupe Davis 2021, la France devra passer par un barrage l’année prochaine. Le tirage au sort a livré l’Equateur comme adversaire des Bleus qui auront l’avantage de recevoir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/west-ham-moyes-explique-pourquoi-areola-est-derriere-fabianski-dans-la-hierarchie_AV-202112020435.html", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis-2022-la-france-face-a-l-equateur-en-barrages_AD-202112050170.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:21:09 GMT", - "enclosure": "https://images.bfmtv.com/I3S3ZttFtVS5AlqrOCLBYQkeBHs=/0x0:2048x1152/800x0/images/Alphonse-Areola-1160509.jpg", + "pubDate": "Sun, 05 Dec 2021 13:31:47 GMT", + "enclosure": "https://images.bfmtv.com/RLFHvZc9u8QTF3TOhqttBzo7XKI=/0x40:768x472/800x0/images/Le-capitaine-de-l-equipe-de-France-Sebastien-Grosjean-lors-de-l-edition-precedente-de-Coupe-Davis-a-Madrid-le-21-novembre-2019-1170855.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42861,17 +47496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c9afa3c52fa1a7bcaa09865b83e9deff" + "hash": "a75ec6a9f1b25f397db7cab1c382d18d" }, { - "title": "PSG: Hamraoui et Diallo encore absentes de l'entraînement collectif", - "description": "Kheira Hamraoui et Aminata Diallo n'ont pas repris l'entraînement collectif avec le PSG. Les deux joueuses, liées par l'affaire de l'agression du 4 novembre, continuent toutefois de travailler individuellement avec le club.

", - "content": "Kheira Hamraoui et Aminata Diallo n'ont pas repris l'entraînement collectif avec le PSG. Les deux joueuses, liées par l'affaire de l'agression du 4 novembre, continuent toutefois de travailler individuellement avec le club.

", + "title": "Stade Français-La Rochelle en direct: Paris veut remonter au classement", + "description": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", + "content": "En clôture de cette 12e journée Top 14, le Stade Français reçoit la Rochelle pour l'ultime choc du week-end. Paris a une belle occasion pour sortir du bas de classement. Coup d'envoi à 21h !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/d1/psg-hamraoui-et-diallo-encore-absentes-de-l-entrainement-collectif_AV-202112020412.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-stade-francais-la-rochelle-en-direct_LS-202112050287.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:54:17 GMT", - "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", + "pubDate": "Sun, 05 Dec 2021 18:46:50 GMT", + "enclosure": "https://images.bfmtv.com/h9sMXTLk8ayWW_JHPiP1pL8QPC0=/0x0:1184x666/800x0/images/-859705.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42881,17 +47516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3faeb8e3c9854b8038d7a875541659cb" + "hash": "317e37d517496537182c04d5184fb34d" }, { - "title": "GP d'Arabie saoudite: Verstappen se sent \"calme\" avant sa première balle de match", - "description": "Avant l’avant-dernière manche du championnat du monde de F1 dimanche lors du Grand Prix d’Arabie saoudite, le leader néerlandais Max Verstappen assure être serein. La pression sera pourtant grande puisque le pilote Red Bull, à la lutte avec Lewis Hamilton, peut être officiellement sacré ce week-end.

", - "content": "Avant l’avant-dernière manche du championnat du monde de F1 dimanche lors du Grand Prix d’Arabie saoudite, le leader néerlandais Max Verstappen assure être serein. La pression sera pourtant grande puisque le pilote Red Bull, à la lutte avec Lewis Hamilton, peut être officiellement sacré ce week-end.

", + "title": "Bordeaux-OL en direct: les Lyonnais doivent absolument réagir en Gironde", + "description": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", + "content": "L'OL se déplace sur la pelouse de Bordeaux ce dimanche soir en clôture de la 17e journée de Ligue 1 (20h45). Une rencontre à suivre en intégralité dans notre live.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-verstappen-se-sent-calme-avant-sa-premiere-balle-de-match_AD-202112020408.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-bordeaux-ol-en-direct_LS-202112050237.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:51:59 GMT", - "enclosure": "https://images.bfmtv.com/YseROwdlLP43MBBet8bsucTJm64=/14x0:2030x1134/800x0/images/Max-Verstappen-1180174.jpg", + "pubDate": "Sun, 05 Dec 2021 16:10:24 GMT", + "enclosure": "https://images.bfmtv.com/eDwGBQSW1hg4g1G7b4PRQNJkdks=/0x33:2048x1185/800x0/images/Lucas-PAQUETA-1181914.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42901,17 +47536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "81b1515fe9a0a3f0d28f3fe1ea4e4e43" + "hash": "999f9300da896937915ccf04f47f9937" }, { - "title": "Ballon d'or: les votes de Messi en tant que jury pour le Trophée Kopa", - "description": "Membre du jury du Trophée Kopa, Lionel Messi a donné le plus de points à Pedri, le grand vainqueur, selon le quotidien Sport. L'Argentin a aussi tenu à récompenser un de ses coéquipiers au PSG et un grand espoir du football anglais.

", - "content": "Membre du jury du Trophée Kopa, Lionel Messi a donné le plus de points à Pedri, le grand vainqueur, selon le quotidien Sport. L'Argentin a aussi tenu à récompenser un de ses coéquipiers au PSG et un grand espoir du football anglais.

", + "title": "Biathlon: les Bleues triomphent au relais d’Östersund, Jacquelin sur le podium sur la poursuite", + "description": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", + "content": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ballon-d-or-les-votes-de-messi-en-tant-que-jury-pour-le-trophee-kopa_AV-202112020398.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-les-bleues-triomphent-au-relais-d-ostersund-premiere-victoire-pour-la-france_AV-202112050168.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:41:55 GMT", - "enclosure": "https://images.bfmtv.com/v_PKMYqYH03f52GPK-RslvOrC8E=/0x24:2048x1176/800x0/images/Lionel-Messi-1178126.jpg", + "pubDate": "Sun, 05 Dec 2021 13:22:03 GMT", + "enclosure": "https://images.bfmtv.com/MTkp5pHu1e8M4Uk6MUiFz7R_iKM=/0x27:2048x1179/800x0/images/Justine-Braisaz-Bouchet-1182075.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42921,17 +47556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0008f06a2a93f6a537c4b7a87432d756" + "hash": "39d0dec988812cf7f47b6f9c352c3dec" }, { - "title": "Affaire Hamraoui en direct: Hamraoui et Diallo encore absentes de l'entraînement du PSG", - "description": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", - "content": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", + "title": "Mondial de handball: gagneur hors pair, philosophe, gueulard… Krumbholz pas encore rassasié", + "description": "Le sélectionneur de l’équipe de France féminine de handball, Olivier Krumbholz, a tout connu avec les Bleues. De l’anonymat en 1998 au sacre olympique cet été, le Messin est un des plus gros palmarès du sport français et a encore faim avant de rencontrer la Slovénie ce dimanche (18h) lors des poules du Mondial disputé à Granollers en Espagne.

", + "content": "Le sélectionneur de l’équipe de France féminine de handball, Olivier Krumbholz, a tout connu avec les Bleues. De l’anonymat en 1998 au sacre olympique cet été, le Messin est un des plus gros palmarès du sport français et a encore faim avant de rencontrer la Slovénie ce dimanche (18h) lors des poules du Mondial disputé à Granollers en Espagne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/affaire-hamraoui-diallo-en-direct-toutes-les-infos_LN-202111110108.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/mondial-de-handball-gagneur-hors-pair-philosophe-gueulard-krumbholz-pas-encore-rassasie_AV-202112050162.html", "creator": "", - "pubDate": "Thu, 11 Nov 2021 08:43:53 GMT", - "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", + "pubDate": "Sun, 05 Dec 2021 13:00:24 GMT", + "enclosure": "https://images.bfmtv.com/vNeDWah_wsriR4rSP0Km8fzMJAI=/0x165:2048x1317/800x0/images/Olivier-Krumbholz-le-patron-des-Bleues-1182067.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42941,17 +47576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a2dd66977542b563399a6bd4b86250e0" + "hash": "fe96926572fd0903c0f34861c17fcdc7" }, { - "title": "Premier League: Newcastle prêt à investir des grosses sommes au mercato dès cet hiver ?", - "description": "Racheté en début de saison par un fond d’investissement saoudien, Newcastle devrait se montrer actif lors du prochain mercato hivernal. Selon the Telegraph, le dernier de Premier League pourrait même ne pas trop regarder à la dépense pour démarrer son projet ambitieux et assurer le maintien dans l'élite.

", - "content": "Racheté en début de saison par un fond d’investissement saoudien, Newcastle devrait se montrer actif lors du prochain mercato hivernal. Selon the Telegraph, le dernier de Premier League pourrait même ne pas trop regarder à la dépense pour démarrer son projet ambitieux et assurer le maintien dans l'élite.

", + "title": "Top 14: Toulon officialise l'arrivée du Rochelais West", + "description": "Le Rugby club toulonnais a officialisé le recrutement de l'ouvreur néo-zélandais Ihaia West. Sous contrat avec La Rochelle jusqu'à la fin de la saison de Top 14, le joueur de 29 ans rejoindra ensuite le RCT pour trois ans.

", + "content": "Le Rugby club toulonnais a officialisé le recrutement de l'ouvreur néo-zélandais Ihaia West. Sous contrat avec La Rochelle jusqu'à la fin de la saison de Top 14, le joueur de 29 ans rejoindra ensuite le RCT pour trois ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-newcastle-pret-a-investir-des-grosses-sommes-au-mercato-des-cet-hiver_AV-202112020390.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-toulon-officialise-l-arrivee-du-rochelais-west_AV-202112050157.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:25:25 GMT", - "enclosure": "https://images.bfmtv.com/DXLZhuyI7tyJfiBQ2UYMoYmfwmI=/0x67:2048x1219/800x0/images/Newcastle-1150737.jpg", + "pubDate": "Sun, 05 Dec 2021 12:34:33 GMT", + "enclosure": "https://images.bfmtv.com/Rkh-n1epo2NRUeNDfC3y1XIyVM4=/0x11:2048x1163/800x0/images/Ihaia-West-avec-La-Rochelle-contre-Toulon-en-Top-14-1182054.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42961,17 +47596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e4c69490d43e861619b94ce21ba604ec" + "hash": "781ea71c5cd44ae6526e9362a5659327" }, { - "title": "Manchester United - Arsenal en direct: un chiffre rond pour CR7, toujours égalité dans ce choc", - "description": "Choc de Premier League à Old Trafford entre Manchester United, qui veut quitter le milieu de tableau avec son (futur) nouveau coach Ralf Rangnick, et Arsenal, qui peut entrer dans le top 4.

", - "content": "Choc de Premier League à Old Trafford entre Manchester United, qui veut quitter le milieu de tableau avec son (futur) nouveau coach Ralf Rangnick, et Arsenal, qui peut entrer dans le top 4.

", + "title": "Ligue 1: pourquoi le PSG commence à inquiéter", + "description": "Solide leader de Ligue 1 et qualifié pour les huitièmes de finale de la Ligue des champions, Paris peine pourtant à convaincre cette saison. Son nul contre Lens samedi (1-1) est venu confirmer ses lacunes dans le jeu.

", + "content": "Solide leader de Ligue 1 et qualifié pour les huitièmes de finale de la Ligue des champions, Paris peine pourtant à convaincre cette saison. Son nul contre Lens samedi (1-1) est venu confirmer ses lacunes dans le jeu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-suivez-manchester-united-arsenal-en-direct_LS-202112020526.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pourquoi-le-psg-commence-a-inquieter_AV-202112050156.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:10:03 GMT", - "enclosure": "https://images.bfmtv.com/AyQv_Rro9PU84b3IcH4IC80SAQw=/0x120:1872x1173/800x0/images/Cristiano-Ronaldo-1152553.jpg", + "pubDate": "Sun, 05 Dec 2021 12:31:27 GMT", + "enclosure": "https://images.bfmtv.com/RjIfkz3lc-niSiGMkKCSQXVcqlo=/0x8:2048x1160/800x0/images/Lionel-MESSI-1182042.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -42981,17 +47616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "08789995be452ffb3222fba9bfe9dab4" + "hash": "7f4755afca37fc2e85c54db980d22fe9" }, { - "title": "LOU: opération des genoux réussie pour Bastareaud", - "description": "Mathieu Bastareaud a été opéré jeudi à Lyon, à la suite de sa double blessure aux genoux. Le LOU ne pourra pas compter sur l'ancien capitaine des Bleus pendant au moins six mois.

", - "content": "Mathieu Bastareaud a été opéré jeudi à Lyon, à la suite de sa double blessure aux genoux. Le LOU ne pourra pas compter sur l'ancien capitaine des Bleus pendant au moins six mois.

", + "title": "Affaire Pinot-Schmitt: le retour auprès des proches avant les suites judiciaires", + "description": "Huit jours après l’altercation entre Margaux Pinot et Alain Schmitt au domicile de la judoka, les deux protagonistes se sont exprimés et l’affaire devrait connaître une avancée pendant la semaine à venir. En attendant les suites judiciaires, ils se sont tous les deux offerts un répit chacun de leur côté auprès de leurs proches.

", + "content": "Huit jours après l’altercation entre Margaux Pinot et Alain Schmitt au domicile de la judoka, les deux protagonistes se sont exprimés et l’affaire devrait connaître une avancée pendant la semaine à venir. En attendant les suites judiciaires, ils se sont tous les deux offerts un répit chacun de leur côté auprès de leurs proches.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-operation-des-genoux-reussie-pour-bastareaud_AV-202112020388.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-le-retour-aupres-des-proches-avant-les-suites-judiciaires_AV-202112050149.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:20:12 GMT", - "enclosure": "https://images.bfmtv.com/OvMetqdy33bTfbeJtlXNBmEac-o=/0x106:2048x1258/800x0/images/Mathieu-Bastareaud-sur-civiere-1176838.jpg", + "pubDate": "Sun, 05 Dec 2021 12:15:13 GMT", + "enclosure": "https://images.bfmtv.com/Z6n9yhifu5oYgS6BCEHFAOtZzXg=/0x140:2048x1292/800x0/images/Margaux-Pinot-face-a-la-presse-1182040.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43001,17 +47636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e19bccab9e03e1a1bd377acfadcef78b" + "hash": "af5e86135ebdd1d1b514ed681bed6753" }, { - "title": "Covid-19: huis clos, masques, variant Omicron... le football européen de nouveau menacé en Europe", - "description": "L'Allemagne et les Pays-Bas ont entrepris le retour des huis clos dans les stades de football, face à la flambée du nombre de cas positifs au coronavirus en Europe. Des décisions dans ce sens pourraient se répéter, compte tenu de la contagiosité du variant Omicron.

", - "content": "L'Allemagne et les Pays-Bas ont entrepris le retour des huis clos dans les stades de football, face à la flambée du nombre de cas positifs au coronavirus en Europe. Des décisions dans ce sens pourraient se répéter, compte tenu de la contagiosité du variant Omicron.

", + "title": "Ligue 1 : Nice-Strasbourg en direct", + "description": "À l'Allianz Riviera, les Aiglons accueillent cet après-midi le Racing Club de Strasbourg. Les Niçois peuvent revenir sur le podium en cas de succès, mais les Alsaciens sont en forme et remontent doucement au classement.

", + "content": "À l'Allianz Riviera, les Aiglons accueillent cet après-midi le Racing Club de Strasbourg. Les Niçois peuvent revenir sur le podium en cas de succès, mais les Alsaciens sont en forme et remontent doucement au classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/covid-19-huis-clos-masques-variant-omicron-le-football-europeen-de-nouveau-menace-en-europe_AV-202112020378.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nice-strasbourg-en-direct_LS-202112050190.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:04:11 GMT", - "enclosure": "https://images.bfmtv.com/sThq4fXlCKAkaw-QIVnk_tju6A8=/74x177:1642x1059/800x0/images/Leipzig-1180125.jpg", + "pubDate": "Sun, 05 Dec 2021 14:17:26 GMT", + "enclosure": "https://images.bfmtv.com/e4LmvBN0fBwMBwLqi7p8Tv_MgW0=/0x106:2048x1258/800x0/images/Andy-Delort-avec-Nice-1171376.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43021,17 +47656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "77a3afb5d0837a51c64724663013cd72" + "hash": "6fa670be8b6f8b7d0e383f788a3f94e4" }, { - "title": "Affaire Pinot-Schmitt en direct: \"J'ai cru que j'allais y laisser ma vie\", Pinot livre sa version", - "description": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", - "content": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", + "title": "Biathlon: les Bleues triomphent au relais d’Östersund, première victoire pour la France", + "description": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", + "content": "Impeccables au tir, Anaïs Bescond, Anaïs Chevalier-Bouchet, Julia Simon et Justine Braisaz-Bouchet ont remporté, avec la manière, le relais d’Östersund. C’est la première victoire de la saison pour l’équipe de France en Coupe du monde de biathlon.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-en-direct-margaux-pinot-va-s-exprimer-a-18h_LN-202112020373.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-les-bleues-triomphent-au-relais-d-ostersund-premiere-victoire-pour-la-france_AV-202112050168.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:54:42 GMT", - "enclosure": "https://images.bfmtv.com/_Hz_v7sCZKIxFTESG0itoZm7Z2c=/0x0:1024x576/800x0/images/Margaux-Pinot-et-son-avocat-1180190.jpg", + "pubDate": "Sun, 05 Dec 2021 13:22:03 GMT", + "enclosure": "https://images.bfmtv.com/MTkp5pHu1e8M4Uk6MUiFz7R_iKM=/0x27:2048x1179/800x0/images/Justine-Braisaz-Bouchet-1182075.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43041,17 +47676,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "060102ac573a6ea8192ce222ded8bd17" + "hash": "69bf73102594cf1a69989b8e811a5eb8" }, { - "title": "Ligue 1: \"On vise l'Europe!\", plaisante Chardonnet après la série historique de Brest", - "description": "Mal au point au classement en début de saison, Brest connaît depuis quelques semaines une belle remontée. Dans le Super Moscato Show sur RMC, le défenseur Brendan Chardonnet a évoqué la série de cinq victoires consécutives du club, tout en évoquant le principal objectif, qui reste le maintien en Ligue 1.

", - "content": "Mal au point au classement en début de saison, Brest connaît depuis quelques semaines une belle remontée. Dans le Super Moscato Show sur RMC, le défenseur Brendan Chardonnet a évoqué la série de cinq victoires consécutives du club, tout en évoquant le principal objectif, qui reste le maintien en Ligue 1.

", + "title": "Les grandes interviews RMC Sport: Le Vestiaire des champions du monde 1998 avec Barthez", + "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce dimanche, prenez le temps de vous plonger dans Le Vestiaire, émission culte de la chaîne, avec les champions du monde 1998. En 2017, Fabien Barthez, Emmanuel Petit, Christophe Dugarry et Frank Leboeuf échnageaient leurs souvenirs.

", + "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce dimanche, prenez le temps de vous plonger dans Le Vestiaire, émission culte de la chaîne, avec les champions du monde 1998. En 2017, Fabien Barthez, Emmanuel Petit, Christophe Dugarry et Frank Leboeuf échnageaient leurs souvenirs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-on-vise-l-europe-plaisante-chardonnet-apres-la-serie-historique-de-brest_AV-202112020370.html", + "link": "https://rmcsport.bfmtv.com/football/les-grandes-interviews-rmc-sport-le-vestiaire-des-champions-du-monde-1998-avec-barthez_AN-202112050014.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:47:30 GMT", - "enclosure": "https://images.bfmtv.com/OBENSzYAKXtFKf5ytoOB8SYFDcE=/0x147:2000x1272/800x0/images/B-Chardonnet-1135313.jpg", + "pubDate": "Sun, 05 Dec 2021 12:00:00 GMT", + "enclosure": "https://images.bfmtv.com/Xx7Mq4ioeit33UzXGC9OdImnXx8=/13x3:1517x849/800x0/images/Le-Vestiaire-special-Mondial-1998-1181834.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43061,37 +47696,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "27bf17da6fbd154cbf14785b0016ca13" + "hash": "3f896d1c8f2b090d11103e38db33e5e2" }, { - "title": "Portugal: décimé par le Covid-19, le Belenenses SAD réclame le report de son prochain match", - "description": "Moins d'une semaine après son match face à Benfica achevé sur un forfait en raison d'un nombre insuffisant de joueurs sur le terrain, conséquence d'une hécatombe de cas positifs au Covid-19, le club de Belenenses SAD réclame le report de la rencontre face à Vizela, lundi en clôture de la 13e journée du championnat portugais.

", - "content": "Moins d'une semaine après son match face à Benfica achevé sur un forfait en raison d'un nombre insuffisant de joueurs sur le terrain, conséquence d'une hécatombe de cas positifs au Covid-19, le club de Belenenses SAD réclame le report de la rencontre face à Vizela, lundi en clôture de la 13e journée du championnat portugais.

", + "title": "Real Madrid: Ancelotti inquiet après la blessure de Benzema", + "description": "Carlo Ancelotti a donné des nouvelles de Karim Benzema, sorti blessé samedi lord du succès du Real Madrid face à la Real Sociedad (2-0). Selon le technicien, l’attaquant tricolore manquera le duel contre l’Inter en Ligue des champions et pourrait même rater le derby madrilène face à l’Atlético dimanche prochain.

", + "content": "Carlo Ancelotti a donné des nouvelles de Karim Benzema, sorti blessé samedi lord du succès du Real Madrid face à la Real Sociedad (2-0). Selon le technicien, l’attaquant tricolore manquera le duel contre l’Inter en Ligue des champions et pourrait même rater le derby madrilène face à l’Atlético dimanche prochain.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-decime-par-le-covid-19-belenenses-reclame-le-report-de-son-prochain-match_AD-202112020361.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-ancelotti-inquiet-apres-la-blessure-de-benzema_AV-202112050141.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:34:45 GMT", - "enclosure": "https://images.bfmtv.com/HgAVq8S7Pva5YviRBhnis1z2sy4=/0x0:2032x1143/800x0/images/Portugal-Belenenses-et-Benfica-chargent-la-Ligue-apres-le-match-de-la-honte-1176964.jpg", + "pubDate": "Sun, 05 Dec 2021 11:47:10 GMT", + "enclosure": "https://images.bfmtv.com/8GtxIJseW_25FHeIo0E-8igcx7M=/0x0:2048x1152/800x0/images/Karim-Benzema-blesse-lors-du-match-Real-Sociedad-Real-Madrid-1182033.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "b38f00a36cb180938d076c9c559824fa" + "hash": "6892f07a273deaf05866c5fe1168e223" }, { - "title": "Double Contact - Keblack: \"Benzema n’a pas fini de nous surprendre\"", - "description": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. A l’occasion de la sortie de son projet \"Contrôle\", on a rencontré Keblack. Le chanteur de l’Oise nous parle de son lien avec les Bleus, de son amitié avec Alexandre Lacazette et de son admiration pour Karim Benzema.

", - "content": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. A l’occasion de la sortie de son projet \"Contrôle\", on a rencontré Keblack. Le chanteur de l’Oise nous parle de son lien avec les Bleus, de son amitié avec Alexandre Lacazette et de son admiration pour Karim Benzema.

", + "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 5 décembre – Ligue 1", + "description": "Mon pronostic : Nice ne perd pas face à Strasbourg et au moins trois buts (2.25)

", + "content": "Mon pronostic : Nice ne perd pas face à Strasbourg et au moins trois buts (2.25)

", "category": "", - "link": "https://rmcsport.bfmtv.com/replay-emissions/double-contact/double-contact-keblack-benzema-n-a-pas-fini-de-nous-surprendre_AV-202112020356.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-5-decembre-ligue-1_AN-202112050140.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:24:52 GMT", - "enclosure": "https://images.bfmtv.com/CRevKcr3OVPvvrcMPI0ww24qLLQ=/0x0:1920x1080/800x0/images/Keblack-1180115.jpg", + "pubDate": "Sun, 05 Dec 2021 11:46:41 GMT", + "enclosure": "https://images.bfmtv.com/xy-GtbyVoNmCigIjcMJtbiXUwaM=/0x57:2000x1182/800x0/images/Christophe-Galtier-1182035.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43101,17 +47736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "baa85d85a827ca3b77ab12b4d72a69a1" + "hash": "ffee1f411e31f116cbb135e40e0f397d" }, { - "title": "Liga: la justice espagnole interdit la tenue de matchs de championnat à l'étranger", - "description": "Un tribunal de Madrid a donné raison ce jeudi à la Fédération espagnole de football, qui était en conflit avec la Ligue et Javier Tebas sur la délocalisation de matchs de Liga à l'étranger.

", - "content": "Un tribunal de Madrid a donné raison ce jeudi à la Fédération espagnole de football, qui était en conflit avec la Ligue et Javier Tebas sur la délocalisation de matchs de Liga à l'étranger.

", + "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 5 décembre – Ligue 1", + "description": "Mon pronostic : Lyon s’impose à Bordeaux et au moins trois buts dans la rencontre (1.98)

", + "content": "Mon pronostic : Lyon s’impose à Bordeaux et au moins trois buts dans la rencontre (1.98)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-la-justice-espagnole-interdit-la-tenue-de-matchs-de-championnat-a-l-etranger_AV-202112020354.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-5-decembre-ligue-1_AN-202112050136.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:21:45 GMT", - "enclosure": "https://images.bfmtv.com/ZYDcSQCHV5Ou3JlaCPHzqy4geW8=/0x30:2048x1182/800x0/images/Javier-TEBAS-1180096.jpg", + "pubDate": "Sun, 05 Dec 2021 11:37:32 GMT", + "enclosure": "https://images.bfmtv.com/m8ZeNRR0eQjhAKlZ3-vsnYUnoPw=/0x216:1984x1332/800x0/images/Lyon-1182028.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43121,37 +47756,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "c65ca10cc92b154a99e060b69f326a22" + "hash": "ee9ddbcc2439ca0daeb4ebe883f8b649" }, { - "title": "Toulon: Kolbe a repris l’entraînement collectif", - "description": "Cheslin Kolbe, qui n’a toujours pas joué la moindre minute au RCT depuis son arrivée en provenance du Stade Toulousain l'été dernier, s'est entraîné normalement jeudi. Ses grands débuts approchent.

", - "content": "Cheslin Kolbe, qui n’a toujours pas joué la moindre minute au RCT depuis son arrivée en provenance du Stade Toulousain l'été dernier, s'est entraîné normalement jeudi. Ses grands débuts approchent.

", + "title": "GP d'Arabie saoudite: Verstappen champion du monde dès ce dimanche si...", + "description": "Max Verstappen peut être champion du monde de F1, ce dimanche en Arabie saoudite, s'il inscrit 18 points de plus que Lewis Hamilton. Cela implique donc qu'il se classe 1er ou 2e, et que l'homme fort de Mercedes termine très loin du podium.

", + "content": "Max Verstappen peut être champion du monde de F1, ce dimanche en Arabie saoudite, s'il inscrit 18 points de plus que Lewis Hamilton. Cela implique donc qu'il se classe 1er ou 2e, et que l'homme fort de Mercedes termine très loin du podium.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/toulon-kolbe-a-repris-l-entrainement-collectif_AV-202112020341.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-verstappen-champion-du-monde-des-ce-dimanche-si_AV-202112040066.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 14:39:48 GMT", - "enclosure": "https://images.bfmtv.com/E5hc2zgPI5yK6EYe8pTeWWo0GI0=/0x32:2032x1175/800x0/images/Cheslin-KOLBE-1180087.jpg", + "pubDate": "Sat, 04 Dec 2021 09:53:23 GMT", + "enclosure": "https://images.bfmtv.com/YseROwdlLP43MBBet8bsucTJm64=/14x0:2030x1134/800x0/images/Max-Verstappen-1180174.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "f50a7282e40d20e59df5af952f944965" + "hash": "173128cfc4cd220026638276ef7486c5" }, { - "title": "Inter: après son malaise cardiaque, Eriksen a repris l'entraînement au Danemark", - "description": "Toujours sous contrat à l'Inter, Christian Eriksen a repris l'entraînement au Danemark, avec OB Odense, l'un de ses clubs formateurs. Aucune indication n'a été donnée concernant un éventuel retour à la compétition du meneur de jeu, victime d'un arrêt cardiaque lors de l'Euro 2021.

", - "content": "Toujours sous contrat à l'Inter, Christian Eriksen a repris l'entraînement au Danemark, avec OB Odense, l'un de ses clubs formateurs. Aucune indication n'a été donnée concernant un éventuel retour à la compétition du meneur de jeu, victime d'un arrêt cardiaque lors de l'Euro 2021.

", + "title": "ASSE-Rennes en direct: les Rennais s'amusent, Puel appelle à \"ne pas lâcher\"", + "description": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", + "content": "Revivez dans les conditions du direct sur notre site la victoire de Rennes sur la pelouse de Saint-Etienne (0-5) pour le compte de la 17e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/inter-apres-son-malaise-cardiaque-eriksen-a-repris-l-entrainement-au-danemark_AV-202112020337.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-rennes-en-direct-les-rennais-peuvent-reprendre-la-deuxieme-place_LS-202112050118.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 14:31:08 GMT", - "enclosure": "https://images.bfmtv.com/yiiI_DBOTBgZ4ZQL5kSrrvggLq0=/352x297:2032x1242/800x0/images/Christian-ERIKSEN-1050718.jpg", + "pubDate": "Sun, 05 Dec 2021 11:01:45 GMT", + "enclosure": "https://images.bfmtv.com/KvXyoYgweRwBD1aYDRgDDuO3uhI=/0x0:1200x675/800x0/images/Martin-Terrier-1182065.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43161,17 +47796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "be627292f1a8a0bdb8fa66459ce42b04" + "hash": "7c03c53b1bf223f052f5998888eb5f6d" }, { - "title": "Incidents Angers-OM: le CNOSF maintient la sanction infligée à Marseille", - "description": "Selon L’Équipe, le CNOSF a confirmé ce jeudi le point de pénalité avec sursis que la commission de discipline de la LFP a infligé à l’OM après les débordements survenus à Angers, le 22 septembre en Ligue 1 (0-0). Le couperet tombera au prochain incident.

", - "content": "Selon L’Équipe, le CNOSF a confirmé ce jeudi le point de pénalité avec sursis que la commission de discipline de la LFP a infligé à l’OM après les débordements survenus à Angers, le 22 septembre en Ligue 1 (0-0). Le couperet tombera au prochain incident.

", + "title": "Biathlon en direct: Jacquelin troisième de la poursuite, Christiansen vainqueur", + "description": "Après la victoire des filles de l'équipe de France lors du relais en début d'après-midi, les hommes vont tenter d'aller chercher une première victoire cette saison lors de la poursuite de 12,5 kilomètres à Östersund.

", + "content": "Après la victoire des filles de l'équipe de France lors du relais en début d'après-midi, les hommes vont tenter d'aller chercher une première victoire cette saison lors de la poursuite de 12,5 kilomètres à Östersund.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-angers-om-le-cnosf-maintient-la-sanction-infligee-a-marseille_AV-202112020334.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-visent-encore-un-podium-au-relais_LN-202112050117.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 14:28:00 GMT", - "enclosure": "https://images.bfmtv.com/2pWSLlQ4q1ThXeUnGZdqSGjR2fU=/0x54:1200x729/800x0/images/Angers-OM-1133172.jpg", + "pubDate": "Sun, 05 Dec 2021 10:58:41 GMT", + "enclosure": "https://images.bfmtv.com/f-xBeBIYHu_I1sW602Vxwx8ewV8=/0x40:768x472/800x0/images/Le-Francais-Emilien-Jacquelin-recharge-sa-carabine-lors-du-relais-4x7-5-km-aux-Championnats-du-monde-de-biathlon-le-20-fevrier-2021-a-Pokljuka-Slovenie-1181643.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43181,17 +47816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5317346ea687c22523727fb3615667f2" + "hash": "5c9ead98b4b71199457d68270301a97e" }, { - "title": "Barça: Dembélé aurait tranché pour son avenir, selon la presse espagnole", - "description": "En fin de contrat au mois de juin, Ousmane Dembélé aurait décidé de ne pas prolonger avec le Barça, d'après Sport. Le champion du monde français voudrait une revalorisation significative de ses émoluments, ce que le club ne souhaiterait pas lui accorder.

", - "content": "En fin de contrat au mois de juin, Ousmane Dembélé aurait décidé de ne pas prolonger avec le Barça, d'après Sport. Le champion du monde français voudrait une revalorisation significative de ses émoluments, ce que le club ne souhaiterait pas lui accorder.

", + "title": "Cassano raconte un clash avec Cristiano Ronaldo sur WhatsApp", + "description": "Vexé par les critiques de l’ancien sulfureux attaquant italien Antonio Cassano, Cristiano Ronaldo, alors à la Juventus, n’a pas hésité à s’expliquer avec l’ex-joueur du Real Madrid sur WhatsApp.

", + "content": "Vexé par les critiques de l’ancien sulfureux attaquant italien Antonio Cassano, Cristiano Ronaldo, alors à la Juventus, n’a pas hésité à s’expliquer avec l’ex-joueur du Real Madrid sur WhatsApp.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/barca-dembele-aurait-tranche-pour-son-avenir-selon-la-presse-espagnole_AV-202112010491.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/cassano-raconte-un-clash-avec-cristiano-ronaldo-sur-whats-app_AN-202112050111.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:22:15 GMT", - "enclosure": "https://images.bfmtv.com/T2TwJAv7uP220OOhTLO4Whb2oLc=/37x234:1973x1323/800x0/images/Ousmane-Dembele-1179488.jpg", + "pubDate": "Sun, 05 Dec 2021 10:48:42 GMT", + "enclosure": "https://images.bfmtv.com/_fYwte1zYsO_anwAZPLbD8xN8QU=/0x108:2032x1251/800x0/images/Cristiano-Ronaldo-1181991.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43201,17 +47836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "548cf4de4afcf90fdf4ed038d1ab9929" + "hash": "b32aec21bdb213faa69d4240b38b4fa7" }, { - "title": "PSG-Nice: les compos avec Messi et le jeune Dina Ebimbe", - "description": "Privé de Neymar mais avec Lionel Messi titulaire, le PSG défie ce mercredi l'OGC Nice (21h), au Parc des Princes, à l'occasion de la 16e journée de Ligue 1. Les compositions sont tombées.

", - "content": "Privé de Neymar mais avec Lionel Messi titulaire, le PSG défie ce mercredi l'OGC Nice (21h), au Parc des Princes, à l'occasion de la 16e journée de Ligue 1. Les compositions sont tombées.

", + "title": "Ligue 1, le multiplex en direct: Monaco et Montpellier bien lancés, Reims à 10 pour toute la seconde période", + "description": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", + "content": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-nice-les-compos-avec-messi-et-le-jeune-dina-ebimbe_AV-202112010489.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-le-multiplex-de-la-17e-journee-en-direct_LS-202112050106.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:18:01 GMT", - "enclosure": "https://images.bfmtv.com/e2nZ9p_0QAxQIftO6uhHsBb5jg8=/0x106:2048x1258/800x0/images/Lionel-MESSI-1179344.jpg", + "pubDate": "Sun, 05 Dec 2021 10:44:05 GMT", + "enclosure": "https://images.bfmtv.com/c9eXX0Hz-HZBqBwADyuC3hiPGfA=/0x106:2048x1258/800x0/images/Monaco-Metz-1182104.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43221,17 +47856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "220cd04a98543135ced8dc28dd62d1ee" + "hash": "efcb9527925c4e8478e09cd5f0e9ef85" }, { - "title": "Le multiplex en direct: le Racing fait mal à Bordeaux, Montpellier en balade", - "description": "On attaque la 16e journée de Ligue 1 par un multiplex à cinq matches. Au programme ce soir, Brest-Saint-Etienne, Troyes-Lorient, Metz-Montpellier, Angers-Monaco et Strasbourg-Bordeaux.

", - "content": "On attaque la 16e journée de Ligue 1 par un multiplex à cinq matches. Au programme ce soir, Brest-Saint-Etienne, Troyes-Lorient, Metz-Montpellier, Angers-Monaco et Strasbourg-Bordeaux.

", + "title": "Bundesliga: Leipzig vire son entraîneur Jesse Marsch", + "description": "Seulement 11e de Bundesliga, et éliminé de la Ligue des champions, le RB Leipzig a décidé de se séparer de son entraîneur Jesse Marsch ce dimanche. L'Américain était arrivé cet été pour succéder à Julian Nagelsmann

", + "content": "Seulement 11e de Bundesliga, et éliminé de la Ligue des champions, le RB Leipzig a décidé de se séparer de son entraîneur Jesse Marsch ce dimanche. L'Américain était arrivé cet été pour succéder à Julian Nagelsmann

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-le-multiplex-en-direct_LS-202112010389.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-leipzig-vire-son-entraineur-jesse-marsch_AV-202112050092.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:53:11 GMT", - "enclosure": "https://images.bfmtv.com/aq-jlkpuIKB_XkKOkXF6etR4yZ8=/0x0:1968x1107/800x0/images/Ludovic-Ajorque-Strasbourg-990858.jpg", + "pubDate": "Sun, 05 Dec 2021 10:09:02 GMT", + "enclosure": "https://images.bfmtv.com/DXWGWwmTAOFzYAnI08Ux-LZwuf0=/0x31:2048x1183/800x0/images/Jesse-Marsch-1181977.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43241,17 +47876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ca10ac1e6b5f3138d7eae383165c28dd" + "hash": "6f09097daef72e06f8c8fd3af659fb1b" }, { - "title": "Mercato en direct: Dembélé ne voudrait pas prolonger au Barça", - "description": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "PSG: \"Messi m’a dit qu’il souffrait de jouer dans le froid et la neige\", révèle Suarez", + "description": "Ami et ex-partenaire de Lionel Messi au Barça, Luis Suarez échange quotidiennement avec la star du PSG. Le septuple Ballon d’Or lui a confié qu’il s’adaptait difficilement aux conditions météorologiques en France.

", + "content": "Ami et ex-partenaire de Lionel Messi au Barça, Luis Suarez échange quotidiennement avec la star du PSG. Le septuple Ballon d’Or lui a confié qu’il s’adaptait difficilement aux conditions météorologiques en France.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-29-novembre_LN-202111290068.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-m-a-dit-qu-il-souffrait-de-jouer-dans-froid-et-la-neige-revele-suarez_AV-202112050084.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 06:25:08 GMT", - "enclosure": "https://images.bfmtv.com/e6NVz2lF_Jyw9TOx23kfyUSeFeo=/0x96:1264x807/800x0/images/Ousmane-Dembele-1158851.jpg", + "pubDate": "Sun, 05 Dec 2021 09:50:33 GMT", + "enclosure": "https://images.bfmtv.com/IUbjLbEqeTu4wR4Y1duPZQv1ut4=/0x0:2048x1152/800x0/images/Lionel-Messi-sous-la-neige-a-Saint-Etienne-1181963.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43261,17 +47896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "77306696b6fa0f7f59a9a1dfff10e1c0" + "hash": "542df3c4c628f9466b49b312d7618eb8" }, { - "title": "Violences conjugales: accusé par Pinot, Schmitt dénonce des menaces de mort après sa relaxe", - "description": "Relaxé pour des faits de violences conjugales sur la championne olympique par équipes, Margaux Pinot, qui est aussi sa compagne, l'entraîneur de judo, Alain Schmitt, donne sa version dans L'Equipe. Et dénonce les menaces dont il est l'objet.

", - "content": "Relaxé pour des faits de violences conjugales sur la championne olympique par équipes, Margaux Pinot, qui est aussi sa compagne, l'entraîneur de judo, Alain Schmitt, donne sa version dans L'Equipe. Et dénonce les menaces dont il est l'objet.

", + "title": "GP d'Arabie saoudite: le père de Verstappen pas tendre envers Hamilton", + "description": "Dans une interview accordée au Daily Mail, avant le Grand Prix d'Arabie saoudite programmé ce dimanche à Jeddah (départ 18h30), Jos Verstappen, le père de Max, en dit plus sur la rivalité entre son fils et Lewis Hamilton.

", + "content": "Dans une interview accordée au Daily Mail, avant le Grand Prix d'Arabie saoudite programmé ce dimanche à Jeddah (départ 18h30), Jos Verstappen, le père de Max, en dit plus sur la rivalité entre son fils et Lewis Hamilton.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/violences-conjugales-accuse-par-pinot-schmitt-denonce-des-menaces-de-mort-apres-sa-relaxe_AV-202112010465.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-le-pere-de-verstappen-pas-tendre-envers-hamilton_AV-202112050075.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:32:35 GMT", - "enclosure": "https://images.bfmtv.com/JRfw8UYpcQUt5XDFXwlSBN6TWFI=/0x211:2048x1363/800x0/images/Alain-Schmitt-en-2015-1178881.jpg", + "pubDate": "Sun, 05 Dec 2021 09:26:54 GMT", + "enclosure": "https://images.bfmtv.com/FxvInIBG0VgbsbZvMu8ZNFY-Kgw=/0x0:2048x1152/800x0/images/Max-VERSTAPPEN-et-son-pere-Jos-1181941.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43281,17 +47916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "43e311106ebb4ec896917c2767ef8d66" + "hash": "b3187b617a3364ebdb6032400366b535" }, { - "title": "Ligue 1, multiplex en direct: l'OL sur le front, Lens vise le podium", - "description": "Trois belles rencontres sont au programme de ce multiplex de Ligue 1, comptant pour la 16e journée de Ligue 1: Lyon-Reims, Clermont-Lens et Rennes-Lille. Coups d'envoi prévus à 21 heures.

", - "content": "Trois belles rencontres sont au programme de ce multiplex de Ligue 1, comptant pour la 16e journée de Ligue 1: Lyon-Reims, Clermont-Lens et Rennes-Lille. Coups d'envoi prévus à 21 heures.

", + "title": "Boxe: Joshua prêt à combattre contre Yoka \"n'importe quand\"", + "description": "Dans un entretien exclusif accordé à RMC Sport qui sera diffusé en intégralité lundi, la star de la boxe, Anthony Joshua s’exprime sur Tony Yoka, son successeur comme champion olympique des poids lourds. Bonne nouvelle, le Britannique n’exclut pas à l’avenir un combat face au Français.

", + "content": "Dans un entretien exclusif accordé à RMC Sport qui sera diffusé en intégralité lundi, la star de la boxe, Anthony Joshua s’exprime sur Tony Yoka, son successeur comme champion olympique des poids lourds. Bonne nouvelle, le Britannique n’exclut pas à l’avenir un combat face au Français.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-multiplex-en-direct-l-ol-sur-le-front-lens-vise-le-podium_LS-202112010458.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-joshua-pret-a-combattre-contre-yoka-n-importe-quand_AV-202112050059.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:24:48 GMT", - "enclosure": "https://images.bfmtv.com/uKk7c2-nA1vvLp3XATXh7-zJ65c=/0x0:1984x1116/800x0/images/Lucas-Paqueta-face-a-Montpellier-1177259.jpg", + "pubDate": "Sun, 05 Dec 2021 08:56:29 GMT", + "enclosure": "https://images.bfmtv.com/BqNSSIf7tUyiMv3rKL4S-Vrwi_U=/12x0:1596x891/800x0/images/Anthony-Joshua-1181935.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43301,17 +47936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f6efa362396e2df02c765ec385791af" + "hash": "f866d22388c055210374c88e7b6fd9b6" }, { - "title": "Nantes-OM en direct: Marseille avec Payet et Harit, Milik sur le banc", - "description": "On poursuit cette 16e de journée de Ligue 1 avec un classique du championnat entre Nantes et l’Olympique de Marseille (21h). Les Marseillais peuvent prendre la 2e place en cas de victoire !

", - "content": "On poursuit cette 16e de journée de Ligue 1 avec un classique du championnat entre Nantes et l’Olympique de Marseille (21h). Les Marseillais peuvent prendre la 2e place en cas de victoire !

", + "title": "Dortmund-Bayern: le gros coup de gueule d'Haaland contre l'arbitre", + "description": "Passablement agacé après la défaite du Borussia Dortmund samedi face au Bayern (3-2) dans le choc de la 14e journée de Bundesliga, Erling Haaland a dénoncé \"un scandale\". En cause, entre autres, une action litigieuse qui aurait pu permettre au BvB de bénéficier d'un penalty.

", + "content": "Passablement agacé après la défaite du Borussia Dortmund samedi face au Bayern (3-2) dans le choc de la 14e journée de Bundesliga, Erling Haaland a dénoncé \"un scandale\". En cause, entre autres, une action litigieuse qui aurait pu permettre au BvB de bénéficier d'un penalty.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nantes-om-en-direct_LS-202112010452.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-le-gros-coup-de-gueule-d-haaland-contre-l-arbitre_AV-202112050054.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:16:16 GMT", - "enclosure": "https://images.bfmtv.com/jPTmcq5722xye_bhFYk40NvHUXw=/0x61:2048x1213/800x0/images/Dimitri-Payet-1152971.jpg", + "pubDate": "Sun, 05 Dec 2021 08:44:37 GMT", + "enclosure": "https://images.bfmtv.com/V0VNnUYa8tCz7KvM4G1WQzaWFyQ=/0x40:2048x1192/800x0/images/Erling-HAALAND-1181926.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43321,17 +47956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d6beada8a321948a3fd3fa6ff5ce31be" + "hash": "b86520c2dc3bf891c594cbde0f03f97f" }, { - "title": "Chelsea: Tuchel explique les difficultés de Saul avec les Blues", - "description": "Saul Niguez n’a quasiment plus été vu depuis la première journée de championnat avec Chelsea, ne disputant que deux minutes de jeu lors des neuf derniers matches de Premier League. Une absence inquiétante que Thomas Tuchel a tenté d’expliquer avant d’affronter Watford, mercredi (20h30).

", - "content": "Saul Niguez n’a quasiment plus été vu depuis la première journée de championnat avec Chelsea, ne disputant que deux minutes de jeu lors des neuf derniers matches de Premier League. Une absence inquiétante que Thomas Tuchel a tenté d’expliquer avant d’affronter Watford, mercredi (20h30).

", + "title": "Dortmund-Bayern en direct : Haaland en colère contre l'arbitrage", + "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-tuchel-explique-les-difficultes-de-saul-avec-les-blues_AV-202112010448.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:13:23 GMT", - "enclosure": "https://images.bfmtv.com/KBRmjNrreMv3p9PEELqKunlHLEY=/0x0:1200x675/800x0/images/Thomas-Tuchel-1179445.jpg", + "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", + "enclosure": "https://images.bfmtv.com/7Z_ewWmr3762wQuJnSV-MClFYWc=/0x11:2048x1163/800x0/images/Erling-Haaland-celebre-avec-Dortmund-1181713.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43341,17 +47976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "35f2d70f21222fc5eee9c0d99f1247ca" + "hash": "be6d6295263ebb02b24a703d471ef37b" }, { - "title": "Équipe de France: Rothen et Petit déplorent les propos de Le Graët sur l'après-Deschamps", - "description": "Dans Rothen s'enflamme sur RMC, mercredi soir, Jérôme Rothen et Emmanuel Petit ont estimé que Noël Le Graët avait manqué de respect à Didier Deschamps en s'exprimant sur le poste de sélectionneur des Bleus après la Coupe du monde 2022.

", - "content": "Dans Rothen s'enflamme sur RMC, mercredi soir, Jérôme Rothen et Emmanuel Petit ont estimé que Noël Le Graët avait manqué de respect à Didier Deschamps en s'exprimant sur le poste de sélectionneur des Bleus après la Coupe du monde 2022.

", + "title": "Bordeaux-OL: sur quelle chaîne et à quelle heure regarder le match de Ligue 1", + "description": "En grande difficulté au classement, les Girondins de Bordeaux accueillent ce dimanche soir l'OL (20h45) en clôture de la 17e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et à la radio sur RMC.

", + "content": "En grande difficulté au classement, les Girondins de Bordeaux accueillent ce dimanche soir l'OL (20h45) en clôture de la 17e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et à la radio sur RMC.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-rothen-et-petit-deplorent-les-propos-de-le-graet-sur-l-apres-deschamps_AV-202112010447.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-ol-sur-quelle-chaine-et-a-quelle-heure-regarder-le-match-de-ligue-1_AV-202112050044.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:11:53 GMT", - "enclosure": "https://images.bfmtv.com/AAz9i1F-dlFzpkZwhPUmuxxHbPE=/0x0:1024x576/800x0/images/Jerome-Rothen-1146485.jpg", + "pubDate": "Sun, 05 Dec 2021 08:09:02 GMT", + "enclosure": "https://images.bfmtv.com/eDwGBQSW1hg4g1G7b4PRQNJkdks=/0x33:2048x1185/800x0/images/Lucas-PAQUETA-1181914.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43361,17 +47996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "97ee593a73586b1906bbdbd0302b5adc" + "hash": "f63be81be43409e5e06bb47134d7419c" }, { - "title": "OL: Le Sommer raconte son expérience américaine dans \"le meilleur championnat du monde\"", - "description": "De retour à Lyon pour la deuxième partie de saison, Eugénie Le Sommer est revenue pour le Super Moscato Show sur son prêt de six mois dans le championnat américain de football (NWSL).

", - "content": "De retour à Lyon pour la deuxième partie de saison, Eugénie Le Sommer est revenue pour le Super Moscato Show sur son prêt de six mois dans le championnat américain de football (NWSL).

", + "title": "Lens-PSG: la stat qui montre que les Parisiens finissent (presque) toujours par s’en sortir", + "description": "Comme souvent cette saison, le PSG a été mené au score à Lens avant d’arracher le match nul 1-1 en fin de rencontre samedi lors de la 17eme journée de Ligue 1. Une mauvaise habitude qui rapporte quand même des points.

", + "content": "Comme souvent cette saison, le PSG a été mené au score à Lens avant d’arracher le match nul 1-1 en fin de rencontre samedi lors de la 17eme journée de Ligue 1. Une mauvaise habitude qui rapporte quand même des points.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/ol-le-sommer-raconte-son-experience-americaine-dans-le-meilleur-championnat-du-monde_AV-202112010412.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-la-stat-qui-montre-que-les-parisiens-finissent-presque-toujours-par-s-en-sortir_AV-202112050043.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:23:21 GMT", - "enclosure": "https://images.bfmtv.com/C6Rj5fOHjODeSA1za7p5nD1ismU=/0x90:1200x765/800x0/images/Eugenie-Le-Sommer-1179403.jpg", + "pubDate": "Sun, 05 Dec 2021 07:50:51 GMT", + "enclosure": "https://images.bfmtv.com/n9LFV6kvMf9qVKT9dUXL7lz2VJE=/0x106:2048x1258/800x0/images/La-joie-des-joueurs-parisiens-a-Lens-1181918.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43381,17 +48016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "52f631669e6bc5e5b54f675b79dc2d85" + "hash": "0b2400c09fe5a6467e1e075ddcfcd6cc" }, { - "title": "Angers-Monaco en direct: les Angevins réduisent l'écart avant l'heure de jeu", - "description": "Angers accueille Monaco à 19h, ce mercredi. Les deux équipes doivent l'emporter pour garder le contact avec les places européennes, mais Monaco n'a plus gagné en Ligue 1 depuis plus d'un mois.

", - "content": "Angers accueille Monaco à 19h, ce mercredi. Les deux équipes doivent l'emporter pour garder le contact avec les places européennes, mais Monaco n'a plus gagné en Ligue 1 depuis plus d'un mois.

", + "title": "Bordeaux: Lopez met la pression sur les joueurs et conforte Petkovic", + "description": "Dans un entretien à L'Equipe, avant un rendez-vous important contre l'OL ce dimanche (20h45), Gérard Lopez, qui conforte Vladimir Petkovic, assure avoir confiance en son équipe pour redresser la barre. Mais le président des Girondins attend beaucoup plus de la part de ses joueurs, actuels 18es de Ligue 1. Il vise notamment certains cadres.

", + "content": "Dans un entretien à L'Equipe, avant un rendez-vous important contre l'OL ce dimanche (20h45), Gérard Lopez, qui conforte Vladimir Petkovic, assure avoir confiance en son équipe pour redresser la barre. Mais le président des Girondins attend beaucoup plus de la part de ses joueurs, actuels 18es de Ligue 1. Il vise notamment certains cadres.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-angers-monaco-en-direct_LS-202112010408.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-lopez-met-la-pression-sur-costil-et-koscielny_AV-202112050041.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:21:58 GMT", - "enclosure": "https://images.bfmtv.com/yHlFIsNGld67yuuUrz1LdBc4x1o=/0x106:2048x1258/800x0/images/Sofiane-Diop-lors-de-Angers-Monaco-1179487.jpg", + "pubDate": "Sun, 05 Dec 2021 07:35:15 GMT", + "enclosure": "https://images.bfmtv.com/f927sWTglf92PioJHKKA4xJtmfk=/0x0:2048x1152/800x0/images/Gerard-Lopez-1174569.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43401,17 +48036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b3f5348c276fb134253fdf166ca9ede" + "hash": "f480fed40c922b6afd2eaf63ce62f3c9" }, { - "title": "PSG-Nice en direct : la surprise Dina Ebimbe, Messi présent", - "description": "Avec Messi et son 7e Ballon d'Or dans son groupe, le PSG accueille ce mercredi soir l'OGC Nice de Christophe Galtier. Les Aiglons, sur le podium de Ligue 1 mais avec 14 points de retard, espèrent ralentir un peu les Parisiens ce soir.

", - "content": "Avec Messi et son 7e Ballon d'Or dans son groupe, le PSG accueille ce mercredi soir l'OGC Nice de Christophe Galtier. Les Aiglons, sur le podium de Ligue 1 mais avec 14 points de retard, espèrent ralentir un peu les Parisiens ce soir.

", + "title": "Monaco-Metz: Boadu, enfin libéré?", + "description": "Recruté pour 17 millions d’euros cet été, l’international espoir néerlandais Myron Boadu (14 sélections, 11 buts) a débloqué son compteur en Ligue 1 sur la pelouse d’Angers mercredi. Un but qui pourrait enfin lancer son aventure avec le club de la Principauté.

", + "content": "Recruté pour 17 millions d’euros cet été, l’international espoir néerlandais Myron Boadu (14 sélections, 11 buts) a débloqué son compteur en Ligue 1 sur la pelouse d’Angers mercredi. Un but qui pourrait enfin lancer son aventure avec le club de la Principauté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-psg-nice-en-direct_LS-202112010403.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-metz-boadu-enfin-libere_AV-202112050013.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:13:42 GMT", - "enclosure": "https://images.bfmtv.com/e2nZ9p_0QAxQIftO6uhHsBb5jg8=/0x106:2048x1258/800x0/images/Lionel-MESSI-1179344.jpg", + "pubDate": "Sun, 05 Dec 2021 07:00:00 GMT", + "enclosure": "https://images.bfmtv.com/BgT12hoO1K8EVL9vzBzzCUhpjYA=/0x36:2048x1188/800x0/images/Myron-Boadu-AS-Monaco-1181813.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43421,17 +48056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3a216d20b3e638af3f9b1ebce0fb3cfb" + "hash": "93cad69c6ac864ea3f6ae0194a0afbbb" }, { - "title": "Rugby: la LNR durcit son protocole Covid-19, notamment pour les joueurs non-vaccinés", - "description": "Afin de lutter face à la propagation du variant Omicron, la Ligue nationale de rugby va durcir son protocole face au Covid-19 en Top 14 et Pro D2. Les changements annoncés font suite aux mesures prises par le gouvernement le 25 novembre.

", - "content": "Afin de lutter face à la propagation du variant Omicron, la Ligue nationale de rugby va durcir son protocole face au Covid-19 en Top 14 et Pro D2. Les changements annoncés font suite aux mesures prises par le gouvernement le 25 novembre.

", + "title": "ASSE-Rennes en direct: les Rennais dominent les débats", + "description": "Suivez en direct et en intégralité sur notre site la rencontre ASSE-Rennes, comptant pour la 17e journée de Ligue 1. Le coup d'envoi est prévu à 13h.

", + "content": "Suivez en direct et en intégralité sur notre site la rencontre ASSE-Rennes, comptant pour la 17e journée de Ligue 1. Le coup d'envoi est prévu à 13h.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/rugby-la-lnr-durcit-son-protocole-covid-19-notamment-pour-les-joueurs-non-vaccines_AV-202112010401.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-rennes-en-direct-les-rennais-peuvent-reprendre-la-deuxieme-place_LS-202112050118.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:09:04 GMT", - "enclosure": "https://images.bfmtv.com/_eKGVSkNLr9xGE3eAva2poZ58Ns=/0x0:768x432/800x0/images/Le-president-de-la-Ligue-nationale-de-rugby-LNR-Rene-Bouscatel-fraichement-elu-le-23-mars-2021-a-Paris-1026711.jpg", + "pubDate": "Sun, 05 Dec 2021 11:01:45 GMT", + "enclosure": "https://images.bfmtv.com/jZu-FbNfY8IVvinQGOQkXgv8IoU=/7x107:1991x1223/800x0/images/Gaetan-Laborde-Rennes-1178750.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43441,17 +48076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "997bb4b0c9d4ba615d31d6891594c138" + "hash": "7d7e44833ae34694dbda3512f55ad8e0" }, { - "title": "Coupe de France: PSG, OM, OL... la programmation des 32es de finale", - "description": "La FFF a dévoilé ce mercredi le programme complet des 32es de finale de la Coupe de France, avec les dates et les horaires. Valenciennes ouvrira le bal contre Strasbourg le jeudi 16 décembre, et les amateurs de l'Entente Feignies-Aulnoye recevront le PSG le dimanche 19 décembre au soir... à Valenciennes.

", - "content": "La FFF a dévoilé ce mercredi le programme complet des 32es de finale de la Coupe de France, avec les dates et les horaires. Valenciennes ouvrira le bal contre Strasbourg le jeudi 16 décembre, et les amateurs de l'Entente Feignies-Aulnoye recevront le PSG le dimanche 19 décembre au soir... à Valenciennes.

", + "title": "Biathlon en direct: les Bleues dans le coup pour le podium au relais", + "description": "Au lendemain du doublé d'Anaïs Bescond et d'Anaïs Chevalier-Bouchet en poursuite samedi à Östersund (Suède), lors de la Coupe du monde de biathlon, les Bleues espèrent encore décrocher un podium en relais ce dimanche (12h35). Cet après-midi, à 15h15, les hommes tenteront de briller aussi à la poursuite.

", + "content": "Au lendemain du doublé d'Anaïs Bescond et d'Anaïs Chevalier-Bouchet en poursuite samedi à Östersund (Suède), lors de la Coupe du monde de biathlon, les Bleues espèrent encore décrocher un podium en relais ce dimanche (12h35). Cet après-midi, à 15h15, les hommes tenteront de briller aussi à la poursuite.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-psg-om-ol-la-programmation-des-32es-de-finale_AV-202112010397.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-visent-encore-un-podium-au-relais_LN-202112050117.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:05:30 GMT", - "enclosure": "https://images.bfmtv.com/VFzpxMKJEeVYvhWmPu56ZT_ISvM=/0x24:1200x699/800x0/images/-955606.jpg", + "pubDate": "Sun, 05 Dec 2021 10:58:41 GMT", + "enclosure": "https://images.bfmtv.com/zUFYf0AwJkA-g4QUVN4yUyiGmsg=/0x0:2048x1152/800x0/images/Anais-Bescond-2e-de-la-poursuite-1181513.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43461,17 +48096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "88c4a16430774cfddf43dc5457142807" + "hash": "2017226c994f7b54f19664778f76e390" }, { - "title": "Coupe de France en direct: le programme complet des 32es, avec les dates et les horaires", - "description": "Les affiches des 32es de finale de la Coupe de France (du 16 au 19 décembre) sont désormais connues. Suivez toutes les infos sur RMC Sport.

", - "content": "Les affiches des 32es de finale de la Coupe de France (du 16 au 19 décembre) sont désormais connues. Suivez toutes les infos sur RMC Sport.

", + "title": "Ligue 1 : suivez le multiplex de la 17e journée en direct", + "description": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", + "content": "La 17e journée de Ligue 1 se poursuit ce dimanche avec le multiplex (coup d'envoi à 15 heures). Suivez les rencontres Lorient-Nantes, Monaco-Metz, Montpellier-Clermont et Reims-Angers en intégralité dans notre live.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-en-direct-le-tirage-des-32e-de-finale_LN-202111290286.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-le-multiplex-de-la-17e-journee-en-direct_LS-202112050106.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 12:33:41 GMT", - "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "pubDate": "Sun, 05 Dec 2021 10:44:05 GMT", + "enclosure": "https://images.bfmtv.com/gW3OE2MJsNqX5Q_BiFj5mMO2t4g=/7x107:1991x1223/800x0/images/Wissam-Ben-Yedder-Monaco-1128594.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43481,17 +48116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d67be4ea16162efe02d59f214d5bf331" + "hash": "f4e0239c6b931766cca651c792b524dc" }, { - "title": "Manchester United: Carrick minimise la mise sur le banc de Ronaldo", - "description": "Avant la réception d'Arsenal en Premier League, Michael Carrick a voulu dédramatiser son choix d'avoir mis Cristiano Ronaldo sur le banc au coup d'envoi du nul 1-1 de Manchester United face à Chelsea.

", - "content": "Avant la réception d'Arsenal en Premier League, Michael Carrick a voulu dédramatiser son choix d'avoir mis Cristiano Ronaldo sur le banc au coup d'envoi du nul 1-1 de Manchester United face à Chelsea.

", + "title": "UFC: Aldo trop fort pour Font, le gros KO de Fiziev", + "description": "Le Brésilien José Aldo s’est imposé face à Rob Font sur décision unanime samedi lors du main event de l’UFC Vegas 44. La magnifique soirée de MMA a également été marquée par le KO magistral de Rafael Fiziev sur Brad Riddell.

", + "content": "Le Brésilien José Aldo s’est imposé face à Rob Font sur décision unanime samedi lors du main event de l’UFC Vegas 44. La magnifique soirée de MMA a également été marquée par le KO magistral de Rafael Fiziev sur Brad Riddell.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-carrick-minimise-la-mise-sur-le-banc-de-ronaldo_AV-202112010381.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/ufc-aldo-trop-fort-pour-font-le-gros-ko-de-fiziev_AN-202112050031.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:45:34 GMT", - "enclosure": "https://images.bfmtv.com/-368HbqZ4lVkloyR4qMVMATREPc=/0x0:1792x1008/800x0/images/Ronaldo-1179359.jpg", + "pubDate": "Sun, 05 Dec 2021 06:59:43 GMT", + "enclosure": "https://images.bfmtv.com/VNJ7cJClas7tMwjaKTXf02Fjom0=/3x8:1059x602/800x0/images/Le-KO-magique-Rafael-Fiziev-1181894.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43501,17 +48136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "07cb5659191b56f2792f3bbf896d7322" + "hash": "774e76dcfef92953c24d05c7ace7dade" }, { - "title": "Mercato: le forcing de Lewandowski auprès de son agent pour rejoindre le Real Madrid", - "description": "Sous contrat jusqu’en juin 2023 avec le Bayern Munich, Robert Lewandowski (33 ans) aurait des envies d’ailleurs. Si son cas devrait intéresser de nombreux clubs, le buteur donnerait selon AS sa priorité au Real Madrid. Au point d’insister auprès de son agent Pini Zahavi pour réaliser ce souhait.

", - "content": "Sous contrat jusqu’en juin 2023 avec le Bayern Munich, Robert Lewandowski (33 ans) aurait des envies d’ailleurs. Si son cas devrait intéresser de nombreux clubs, le buteur donnerait selon AS sa priorité au Real Madrid. Au point d’insister auprès de son agent Pini Zahavi pour réaliser ce souhait.

", + "title": "PRONOS PARIS RMC Le pari du jour du 5 décembre – Ligue 1", + "description": "Notre pronostic : Monaco bat Metz par au moins deux buts d’écart (1.92)

", + "content": "Notre pronostic : Monaco bat Metz par au moins deux buts d’écart (1.92)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-forcing-de-lewandowski-aupres-de-son-agent-pour-rejoindre-le-real-madrid_AV-202112010377.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-5-decembre-ligue-1_AN-202112040215.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:39:46 GMT", - "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", + "pubDate": "Sat, 04 Dec 2021 23:06:00 GMT", + "enclosure": "https://images.bfmtv.com/H-mFsjKvJOJB6KR9Nq-VLrz3BJY=/1x0:2001x1125/800x0/images/Monaco-1181628.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43521,17 +48156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2947f44cbf8da83d270cc02dec6fdb57" + "hash": "1c9900fad6dda8f81bfc3bf1cf25cdf5" }, { - "title": "Equipe de France: Le Sommer vise toujours l'Euro avec les Bleues", - "description": "Malgré de belles performances dans le championnat américain, dont elle revient tout juste, Eugénie Le Sommer n'a plus été appelée par Corinne Diacre en équipe de France depuis le printemps dernier. Invitée ce mercredi du Super Moscato Show, sur RMC, l'attaquante tricolore a confié ne pas avoir reçu d'explications claires.

", - "content": "Malgré de belles performances dans le championnat américain, dont elle revient tout juste, Eugénie Le Sommer n'a plus été appelée par Corinne Diacre en équipe de France depuis le printemps dernier. Invitée ce mercredi du Super Moscato Show, sur RMC, l'attaquante tricolore a confié ne pas avoir reçu d'explications claires.

", + "title": "Lens-PSG: Pochettino admet que ce n’était \"pas la meilleure soirée\" des Parisiens", + "description": "Mauricio Pochettino, l'entraîneur du PSG, a bien été obligé de reconnaître que son équipe avait souffert à Bollaert-Delelis pour obtenir le minimum attendu pour cette équipe, face à Lens (1-1), à savoir un point.

", + "content": "Mauricio Pochettino, l'entraîneur du PSG, a bien été obligé de reconnaître que son équipe avait souffert à Bollaert-Delelis pour obtenir le minimum attendu pour cette équipe, face à Lens (1-1), à savoir un point.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-sommer-n-a-pas-forcement-compris-ses-non-convocations-chez-les-bleues_AV-202112010369.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-pochettino-admet-que-ce-n-etait-pas-la-meilleure-soiree-des-parisiens_AV-202112040317.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:26:28 GMT", - "enclosure": "https://images.bfmtv.com/PP6pDMdy_uwyweeliDvv5v4jYfA=/0x106:2048x1258/800x0/images/Eugenie-Le-Sommer-1179350.jpg", + "pubDate": "Sat, 04 Dec 2021 23:05:25 GMT", + "enclosure": "https://images.bfmtv.com/OkxVy7-9k73U51C8jQEGZIR4W4k=/0x4:1200x679/800x0/images/Mauricio-Pochettino-1181815.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43541,17 +48176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "45e05f18bd8556e4007b64f0753a3b85" + "hash": "ecd708292252073f28cc82128cddc110" }, { - "title": "Manchester United: Nkunku, Haaland... les pistes de Rangnick pour le mercato", - "description": "Arrivé à Manchester United pour un intérim de six mois, Ralf Rangnick aurait déjà des priorités pour les prochains mercatos. Selon le journal Bild, le technicien allemand viserait notamment Christopher Nkunku et Erling Haaland.

", - "content": "Arrivé à Manchester United pour un intérim de six mois, Ralf Rangnick aurait déjà des priorités pour les prochains mercatos. Selon le journal Bild, le technicien allemand viserait notamment Christopher Nkunku et Erling Haaland.

", + "title": "PRONOS PARIS RMC Le nul du jour du 5 décembre – Ligue 1", + "description": "Notre pronostic : pas de vainqueur entre Reims et Angers (2.95)

", + "content": "Notre pronostic : pas de vainqueur entre Reims et Angers (2.95)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-nkunku-haaland-les-pistes-de-rangnick-pour-le-mercato_AV-202112010356.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-5-decembre-ligue-1_AN-202112040212.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:01:14 GMT", - "enclosure": "https://images.bfmtv.com/VZpvAaryeSmDkEAekaNzVcqkFRs=/0x78:2048x1230/800x0/images/Ralf-Rangnick-1179316.jpg", + "pubDate": "Sat, 04 Dec 2021 23:05:00 GMT", + "enclosure": "https://images.bfmtv.com/vnB3u4aKKI6qTGSJQY3sWvVWEmc=/0x104:1984x1220/800x0/images/H-Ekitike-1181626.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43561,17 +48196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f605dc4d2df3ada1175fd60a08de4148" + "hash": "1fd18960f8fedda2db87c4613beda2e1" }, { - "title": "PSG-Nice: \"Il faut lever le pied avec Messi à l'entraînement\", raconte Todibo avant les retrouvailles", - "description": "Titulaire indiscutable dans la charnière centrale de l’OGC Nice, Jean-Clair Todibo affrontera ce mercredi le PSG et son armada offensive. L’occasion pour le Français d’évoquer, sur Canal+, ses retrouvailles avec Lionel Messi, qu’il a connu lors de son passage au FC Barcelone.

", - "content": "Titulaire indiscutable dans la charnière centrale de l’OGC Nice, Jean-Clair Todibo affrontera ce mercredi le PSG et son armada offensive. L’occasion pour le Français d’évoquer, sur Canal+, ses retrouvailles avec Lionel Messi, qu’il a connu lors de son passage au FC Barcelone.

", + "title": "PRONOS PARIS RMC Le pari de folie du 5 décembre – Ligue 1", + "description": "Notre pronostic : match nul entre Bordeaux et Lyon (4.40)

", + "content": "Notre pronostic : match nul entre Bordeaux et Lyon (4.40)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-nice-il-faut-lever-le-pied-avec-messi-a-l-entrainement-raconte-todibo-avant-les-retrouvailles_AV-202112010350.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/football/pronos-paris-rmc-le-pari-de-folie-du-5-decembre-ligue-1_AN-202112040209.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 15:52:38 GMT", - "enclosure": "https://images.bfmtv.com/IjVSUHQ0LfLCINI-KVSzMj26XxU=/0x27:2048x1179/800x0/images/Jean-Clair-TODIBO-1049699.jpg", + "pubDate": "Sat, 04 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/hFqz_9VPSjSNKVpzbdGhPZ95Sq0=/0x131:1984x1247/800x0/images/J-Boateng-1181624.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43581,17 +48216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bb91b42cd8f72c688a22d7883b6bba1a" + "hash": "ffca5af2bbe499e9d4259e3eb4b26ab7" }, { - "title": "Barça: accrochage entre Umtiti et des supporters qui ont bousculé sa voiture", - "description": "Samuel Umtiti s'est énervé face à des supporters peu précautionneux avec sa voiture, mercredi à Barcelone. Le défenseur français du Barça a fini par descendre de son véhicule pour s'expliquer avec eux.

", - "content": "Samuel Umtiti s'est énervé face à des supporters peu précautionneux avec sa voiture, mercredi à Barcelone. Le défenseur français du Barça a fini par descendre de son véhicule pour s'expliquer avec eux.

", + "title": "PRONOS PARIS RMC Le pari sûr du 5 décembre – Ligue 1", + "description": "Notre pronostic : Montpellier ne perd pas face à Clermont (1.35)

", + "content": "Notre pronostic : Montpellier ne perd pas face à Clermont (1.35)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-accrochage-entre-umtiti-et-des-supporters-qui-ont-bouscule-sa-voiture_AV-202112010348.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-5-decembre-ligue-1_AN-202112040207.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 15:49:57 GMT", - "enclosure": "https://images.bfmtv.com/37kDBIXdkA_0BssMY4Vk3wc3b24=/0x0:2048x1152/800x0/images/Samuel-Umtiti-1172213.jpg", + "pubDate": "Sat, 04 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/QXKGkKfWQ-sSu21-e-OCS8tapxo=/0x208:1984x1324/800x0/images/Montpellier-1181621.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43601,17 +48236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d6e356f5ad555873b559f9e8e2bae03" + "hash": "f8b63611daf527ae71ec14be3784c2b3" }, { - "title": "Violences conjugales: Riner, Agbégnénou et le judo français au soutien de Margaux Pinot", - "description": "Teddy Riner, Amandine Buchard, Axel Clerget ou encore Clarisse Agbégnénou ont apporté ce mercredi leur soutien à leur camarade d'équipe de France de judo Margaux Pinot, après que cette dernière, victime présumée de violences conjugales, a posté sur les réseaux sociaux une photo de son visage tuméfié.

", - "content": "Teddy Riner, Amandine Buchard, Axel Clerget ou encore Clarisse Agbégnénou ont apporté ce mercredi leur soutien à leur camarade d'équipe de France de judo Margaux Pinot, après que cette dernière, victime présumée de violences conjugales, a posté sur les réseaux sociaux une photo de son visage tuméfié.

", + "title": "PRONOS PARIS RMC Le pari à domicile du 5 décembre – Ligue 1", + "description": "Notre pronostic : Nice bat Strasbourg (1.83)

", + "content": "Notre pronostic : Nice bat Strasbourg (1.83)

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/violences-conjugales-riner-agbegnenou-et-le-judo-francais-au-soutien-de-margaux-pinot_AV-202112010338.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-5-decembre-ligue-1_AN-202112040199.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 15:25:14 GMT", - "enclosure": "https://images.bfmtv.com/0NURDRu_AjsDUHZn7LF2O2Lvf1s=/6x111:2038x1254/800x0/images/Margaux-Pinot-1178535.jpg", + "pubDate": "Sat, 04 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/EULVGiBXDoaMCKw5qwK0UqLexpM=/7x108:1991x1224/800x0/images/Nice-1181608.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43621,17 +48256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8d09221c01bcf3dce68ea3dc216a2ca2" + "hash": "c7a2b4e50ac6729990ef3c45fd52e8c0" }, { - "title": "Real Madrid: Vinicius veut aider Benzema à \"remporter le Ballon d’or\"", - "description": "Vraie satisfaction du Real Madrid depuis le début de la saison, Vinicius Junior forme un duo redoutable avec Karim Benzema. Sur la chaîne Youtube \"DjMaRiiO\", l’attaquant brésilien a assuré vouloir aider le Français à \"remporter le Ballon d’or un jour\".

", - "content": "Vraie satisfaction du Real Madrid depuis le début de la saison, Vinicius Junior forme un duo redoutable avec Karim Benzema. Sur la chaîne Youtube \"DjMaRiiO\", l’attaquant brésilien a assuré vouloir aider le Français à \"remporter le Ballon d’or un jour\".

", + "title": "PRONOS PARIS RMC Le pari à l’extérieur du 5 décembre – Ligue 1", + "description": "Notre pronostic : Rennes s’impose à Saint-Etienne (1.80)

", + "content": "Notre pronostic : Rennes s’impose à Saint-Etienne (1.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-vinicius-veut-aider-benzema-a-remporter-le-ballon-d-or_AV-202112010330.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-5-decembre-ligue-1_AN-202112040198.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 15:04:56 GMT", - "enclosure": "https://images.bfmtv.com/Nn5LYP0W0Lb2HyPLDLvoLe5BeIs=/0x3:768x435/800x0/images/La-joie-de-l-attaquant-francais-du-Real-Madrid-Karim-Benzema-auteur-d-un-double-face-au-Shakhtar-Donetsk-et-felicite-par-l-attaquant-bresilien-Vinicius-Jr-lors-de-la-4e-journee-de-la-Ligue-des-Champions-le-3-novembre-2021-au-Stade-Santiago-Bernabeu-1159580.jpg", + "pubDate": "Sat, 04 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/edcET7xhE9qVGOkF1di_qWOus4g=/0x66:2000x1191/800x0/images/Rennes-1181603.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43641,17 +48276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0adf4e04af8532f5bb412dc9dbeaa092" + "hash": "5735f253520a57065c208945f3ac61e5" }, { - "title": "OM-Troyes: les deux clubs publient un communiqué commun face aux propos racistes contre Suk", - "description": "L'OM s'est joint à l'Estac pour dénoncer les propos racistes ayant visé l'attaquant sud-coréen Hyun-Jun Suk le 28 novembre, lors de la victoire marseillaise (1-0). Le club phocéen assure vouloir retrouver les auteurs de ces propos.

", - "content": "L'OM s'est joint à l'Estac pour dénoncer les propos racistes ayant visé l'attaquant sud-coréen Hyun-Jun Suk le 28 novembre, lors de la victoire marseillaise (1-0). Le club phocéen assure vouloir retrouver les auteurs de ces propos.

", + "title": "PRONOS PARIS RMC Le buteur du jour du 5 décembre – Ligue 1", + "description": "Notre pronostic : Ludovic Blas (Nantes) marque à Lorient (3.55)

", + "content": "Notre pronostic : Ludovic Blas (Nantes) marque à Lorient (3.55)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-les-deux-clubs-publient-un-communique-commun-face-aux-propos-racistes-contre-suk_AV-202112010328.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-5-decembre-ligue-1_AN-202112040195.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 15:00:33 GMT", - "enclosure": "https://images.bfmtv.com/nmLOYnNCgn01b5zUOk5HNoBBXxQ=/0x20:2048x1172/800x0/images/Hyun-Jun-Suk-1179286.jpg", + "pubDate": "Sat, 04 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/mfBfIC03pOGLE4wwOTlpyrV2bKM=/0x0:1984x1116/800x0/images/L-Blas-1181598.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43661,17 +48296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "82981fcb6af4ec61001da8c90ac21df0" + "hash": "898852683c1e1149b9fc1f14be2b2538" }, { - "title": "PSG: Quartararo a \"hâte\" de donner le coup d’envoi fictif de la rencontre face à Nice", - "description": "Devenu en octobre dernier le premier français à être sacré champion du monde de MotoGP, Fabio Quartararo donnera ce mercredi (à 21h) le coup d’envoi fictif de la rencontre entre le PSG et l’OGC Nice au Parc des Princes. Sur le site du club parisien, le Français évoque sa \"hâte d’y être\".

", - "content": "Devenu en octobre dernier le premier français à être sacré champion du monde de MotoGP, Fabio Quartararo donnera ce mercredi (à 21h) le coup d’envoi fictif de la rencontre entre le PSG et l’OGC Nice au Parc des Princes. Sur le site du club parisien, le Français évoque sa \"hâte d’y être\".

", + "title": "Top 14: le choc pour l'UBB face à Toulouse", + "description": "L'UBB, qui restait sur quatre défaites face à son adversaire du soir, a battu le Stade Toulousain ce samedi (17-7), dans le choc de la 12e journée de Top 14. Les Bordelais prennent la tête du classement.

", + "content": "L'UBB, qui restait sur quatre défaites face à son adversaire du soir, a battu le Stade Toulousain ce samedi (17-7), dans le choc de la 12e journée de Top 14. Les Bordelais prennent la tête du classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-quartararo-a-hate-de-donner-le-coup-d-envoi-fictif-de-la-rencontre-face-a-nice_AV-202112010327.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-le-choc-pour-l-ubb-face-a-toulouse_AD-202112040308.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:51:54 GMT", - "enclosure": "https://images.bfmtv.com/7-LWbE6dNygfCpeckK2fMHrJgbk=/0x8:768x440/800x0/images/Le-bonheur-de-Fabio-Quartararo-tout-juste-sacre-champion-du-monde-en-MotoGP-a-l-issue-du-GP-d-Emilie-Romagne-a-Misano-Adriatico-le-24-octobre-2021-1166858.jpg", + "pubDate": "Sat, 04 Dec 2021 22:39:42 GMT", + "enclosure": "https://images.bfmtv.com/3N1Jqri3TghseuuPSn1QdDeeff8=/0x106:2048x1258/800x0/images/Le-choc-entre-Bordeaux-et-Toulouse-a-tourne-en-faveur-de-l-UBB-1181795.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43681,37 +48316,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdb37258c2f3200f52d44f6b85625361" + "hash": "4779fddb9482064474600977dd229279" }, { - "title": "Challenge européen : Biarritz jouera bien ses matchs à Aguiléra", - "description": "Un temps imaginée, la délocalisation des matchs du Biarritz Olympique en Challenge européen n’aura pas lieu. Le club basque jouera bien dans son enceinte habituelle d’Aguiléra.

", - "content": "Un temps imaginée, la délocalisation des matchs du Biarritz Olympique en Challenge européen n’aura pas lieu. Le club basque jouera bien dans son enceinte habituelle d’Aguiléra.

", + "title": "Dortmund-Bayern: Bellingham s’en prend à l’arbitre, \"qui a déjà truqué un match\"", + "description": "Alors qu’il dénonçait le penalty accordé au Bayern Munich en fin de match, Jude Bellingham a rappelé le passif de l’arbitre à l’origine de la décision, entaché d’un passif de corruption.

", + "content": "Alors qu’il dénonçait le penalty accordé au Bayern Munich en fin de match, Jude Bellingham a rappelé le passif de l’arbitre à l’origine de la décision, entaché d’un passif de corruption.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/challenge-europeen-biarritz-jouera-bien-ses-matchs-a-aguilera_AV-202112010318.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-bayern-bellingham-s-en-prend-a-l-arbitre-qui-a-deja-truque-un-match_AV-202112040307.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:29:44 GMT", - "enclosure": "https://images.bfmtv.com/QPEM7ssD8wdKeclZ7VgHM_4yUHI=/7x52:2039x1195/800x0/images/Le-public-de-Biarritz-1179283.jpg", + "pubDate": "Sat, 04 Dec 2021 22:35:48 GMT", + "enclosure": "https://images.bfmtv.com/q-alK_kHBwj_Nvt8Z2Hm8c2IAHA=/0x87:1200x762/800x0/images/Jude-Bellingham-1181783.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "eb2b71eb21f88f76d100f346435954bc" + "hash": "9bdd95a2fb5681161896dc141ae6e83d" }, { - "title": "\"Bla bla bla\": le père de Messi répond aux critiques après le 7e Ballon d'or de son fils", - "description": "Le septième Ballon d'or reçu par Lionel Messi lundi soir à Paris est sans doute celui qui a fait le plus débat. Mais sur les réseaux sociaux, le père de l'attaquant argentin a balayé les critiques d'un revers de main.

", - "content": "Le septième Ballon d'or reçu par Lionel Messi lundi soir à Paris est sans doute celui qui a fait le plus débat. Mais sur les réseaux sociaux, le père de l'attaquant argentin a balayé les critiques d'un revers de main.

", + "title": "Lens-PSG: la jolie déclaration d'amour de Verratti aux Lensois", + "description": "Le milieu de terrain parisien Marco Verratti a rendu hommage à la prestation du RC Lens, pas loin de surprendre le PSG (1-1), leader de Ligue 1. Et a souligné les ressources mentales de sa propre équipe, revenue en fin de match pour accrocher le point du match nul au terme d’une nouvelle prestation décevante.

", + "content": "Le milieu de terrain parisien Marco Verratti a rendu hommage à la prestation du RC Lens, pas loin de surprendre le PSG (1-1), leader de Ligue 1. Et a souligné les ressources mentales de sa propre équipe, revenue en fin de match pour accrocher le point du match nul au terme d’une nouvelle prestation décevante.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bla-bla-bla-le-pere-de-messi-repond-aux-critiques-apres-le-7e-ballon-d-or-de-son-fils_AV-202112010317.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-fan-des-lensois-verratti-veut-retenir-le-caractere-des-parisiens_AV-202112040306.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:29:17 GMT", - "enclosure": "https://images.bfmtv.com/BB7JOKk0loM-cKlIqEW-Nj_sk3k=/4x109:2036x1252/800x0/images/Jorge-et-Lionel-Messi-1179278.jpg", + "pubDate": "Sat, 04 Dec 2021 22:31:40 GMT", + "enclosure": "https://images.bfmtv.com/s0qYCPWpHr_RgFYNcflQjskdmQU=/0x37:1200x712/800x0/images/Marco-Verratti-1181791.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43721,17 +48356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e0905e067d3d1abb11390ce471c827f4" + "hash": "ee072335b15586943e100005836b24de" }, { - "title": "Barça: enfin un accord avec Setien pour ses indemnités de licenciement", - "description": "Arrivé en janvier 2020 pour remplacer Ernesto Valverde, Quique Setien a quitté le banc du FC Barcelone au mois d’août de la même année. Après des mois de négociations pour le paiement des indemnités de licenciement, un accord aurait été trouvé d’après la Cadena SER.

", - "content": "Arrivé en janvier 2020 pour remplacer Ernesto Valverde, Quique Setien a quitté le banc du FC Barcelone au mois d’août de la même année. Après des mois de négociations pour le paiement des indemnités de licenciement, un accord aurait été trouvé d’après la Cadena SER.

", + "title": "Lens-PSG en direct: Lensois et Parisiens dos à dos, Verratti salue la prestation des Nordistes", + "description": "Le choc de la 17e journée de Ligue 1 a tenu ses promesses. Lens et le PSG se sont quittés sur un nul (1-1) après une égalisation de Wijnaldum dans les arrêts de jeu.

", + "content": "Le choc de la 17e journée de Ligue 1 a tenu ses promesses. Lens et le PSG se sont quittés sur un nul (1-1) après une égalisation de Wijnaldum dans les arrêts de jeu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-enfin-un-accord-avec-setien-pour-ses-indemnites-de-licenciement_AV-202112010314.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:15:51 GMT", - "enclosure": "https://images.bfmtv.com/cv16czk1AgxqhBU7nzyojfBqjxI=/0x26:1024x602/800x0/images/-870085.jpg", + "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", + "enclosure": "https://images.bfmtv.com/JKg6vMg52ZHeyIH1Mq_vBJbZYr4=/0x55:2048x1207/800x0/images/Messi-lors-de-Lens-PSG-1181764.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43741,17 +48376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e73206e5bedd9fa783f4d91f7b5e0d8" + "hash": "cad57d0cfa7d2614bd494d51c4570d11" }, { - "title": "Double Contact - Guy2bezbar: \"J’ai joué contre Mbappé chez les jeunes\"", - "description": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. Après la sortie de son projet \"Coco Jojo\", on a rencontré Guy2bezbar. Le rappeur parisien, bon manieur de ballon, nous raconte ses anecdotes de terrain. A l'image de ce jour où il a croisé le jeune Kylian Mbappé…

", - "content": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. Après la sortie de son projet \"Coco Jojo\", on a rencontré Guy2bezbar. Le rappeur parisien, bon manieur de ballon, nous raconte ses anecdotes de terrain. A l'image de ce jour où il a croisé le jeune Kylian Mbappé…

", + "title": "Lens-PSG: champion d'automne, Paris encore poussif et en échec face à de séduisants Lensois", + "description": "Le PSG s'est contenté du nul contre Lens (1-1) ce samedi lors de la 17e journée de Ligue 1. Après l'ouverture du score de Seko Fofana sur une erreur de Keylor Navas, Georginio Wijnaldum a égalisé dans les derniers instants sur un centre de Kylian Mbappé.

", + "content": "Le PSG s'est contenté du nul contre Lens (1-1) ce samedi lors de la 17e journée de Ligue 1. Après l'ouverture du score de Seko Fofana sur une erreur de Keylor Navas, Georginio Wijnaldum a égalisé dans les derniers instants sur un centre de Kylian Mbappé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/replay-emissions/double-contact/double-contact-guy2bezbar-j-ai-joue-contre-mbappe-chez-les-jeunes_AV-202112010313.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-champion-d-automne-paris-encore-poussif-et-en-echec-face-a-de-seduisants-lensois_AV-202112040302.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:13:10 GMT", - "enclosure": "https://images.bfmtv.com/yhL-vNyjuZiplQCJUBBX2cohfuA=/0x0:1920x1080/800x0/images/Guy2bezbar-1179270.jpg", + "pubDate": "Sat, 04 Dec 2021 22:08:12 GMT", + "enclosure": "https://images.bfmtv.com/GiZt78NQvyTCgoxuEAHZn3H5JT8=/0x106:2048x1258/800x0/images/Marco-Verratti-lors-de-Lens-PSG-1181787.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43761,17 +48396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fe71668fafae4ac0594de6a65879a222" + "hash": "95df058316fe313eb0ba1a37a9e9f329" }, { - "title": "Ligue 1 en direct: le communiqué commun de l'OM et Troyes après les insultes racistes contre Suk", - "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", - "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "title": "Liga: le Real Madrid s'envole en tête du classement après sa victoire contre la Real Sociedad", + "description": "Malgré la perte de Karim Benzema sur blessure, le Real Madrid s'est imposé face à la Real Sociedad (2-0) ce samedi, dans le cadre de la 16e journée de Liga. Les joueurs de Carlo Ancelotti ont désormais huit points d'avance sur Séville en tête du classement.

", + "content": "Malgré la perte de Karim Benzema sur blessure, le Real Madrid s'est imposé face à la Real Sociedad (2-0) ce samedi, dans le cadre de la 16e journée de Liga. Les joueurs de Carlo Ancelotti ont désormais huit points d'avance sur Séville en tête du classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-real-madrid-s-envole-en-tete-du-classement-apres-sa-victoire-contre-la-real-sociedad_AD-202112040301.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", - "enclosure": "https://images.bfmtv.com/-WLlIY8xVZOWBOkc-Wc2gexVPu0=/0x0:1200x675/800x0/images/-861153.jpg", + "pubDate": "Sat, 04 Dec 2021 22:06:20 GMT", + "enclosure": "https://images.bfmtv.com/xXE4iO11LSZ1IMmETylaAkZAgB0=/0x78:2048x1230/800x0/images/Vinicius-buteur-avec-le-Real-1181785.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43781,17 +48416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b4ef9d5807fcd0ad8dc6e551283b29b7" + "hash": "1f94fd4c7c79c31e4a6590d07fe71db3" }, { - "title": "PSG: pour Eto'o, Mbappé sera \"le plus grand pendant 10 ou 15 ans\"", - "description": "Samuel Eto'o, interrogé par AS ce mardi, a affirmé que Kylian Mbappé serait le plus grand joueur du monde au cours des 10 à 15 prochaines années. Pour l'ancien attaquant camerounais, la vedette du PSG \"arrive au bon moment\".

", - "content": "Samuel Eto'o, interrogé par AS ce mardi, a affirmé que Kylian Mbappé serait le plus grand joueur du monde au cours des 10 à 15 prochaines années. Pour l'ancien attaquant camerounais, la vedette du PSG \"arrive au bon moment\".

", + "title": "Volley: rencontre avec Nicole, première joueuse transgenre du championnat de France", + "description": "Originaire du Pérou, Nicole est devenue la première joueuse de volleyball transgenre à évoluer dans le championnat français. Elle a reçu sa licence il y a deux semaines. Un long chemin parcouru. C’est son club de Chaville, dans les Hauts-de-Seine (en Nationale 2), qui lui a permis d’être officiellement licenciée.

", + "content": "Originaire du Pérou, Nicole est devenue la première joueuse de volleyball transgenre à évoluer dans le championnat français. Elle a reçu sa licence il y a deux semaines. Un long chemin parcouru. C’est son club de Chaville, dans les Hauts-de-Seine (en Nationale 2), qui lui a permis d’être officiellement licenciée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pour-eto-o-mbappe-sera-le-plus-grand-pendant-10-ou-15-ans_AV-202111300560.html", + "link": "https://rmcsport.bfmtv.com/volley/volley-rencontre-avec-nicole-premiere-joueuse-transgenre-du-championnat-de-france_AV-202112040297.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 21:46:58 GMT", - "enclosure": "https://images.bfmtv.com/a9WdwzfE3GyNrOe6j-Sspp7Xwx0=/0x0:1040x585/800x0/images/-865722.jpg", + "pubDate": "Sat, 04 Dec 2021 21:12:35 GMT", + "enclosure": "https://images.bfmtv.com/zfCteuUWT1nGEJG3yZoIiy248VA=/0x0:1280x720/800x0/images/Nicole-premiere-joueuse-transgenre-1181617.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43801,17 +48436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7a9d22fc829e1b237be35cf2af2c5fa" + "hash": "7260fe5e26e73ea288c20ff52ceecc33" }, { - "title": "Ligue 1 en direct: les excuses de l'OM après les propos racistes contre Suk", - "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", - "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "title": "Real Sociedad-Real Madrid: inquiétude pour Benzema, blessé avant une grosse semaine", + "description": "L'avant-centre international français Karim Benzema est sorti à la 18e minute du match du Real Madrid sur le terrain de la Real Sociedad comptant pour la 16e journée de Liga samedi, visiblement touché à la jambe gauche.

", + "content": "L'avant-centre international français Karim Benzema est sorti à la 18e minute du match du Real Madrid sur le terrain de la Real Sociedad comptant pour la 16e journée de Liga samedi, visiblement touché à la jambe gauche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-sociedad-real-madrid-inquietude-pour-benzema-blesse-avant-une-grosse-semaine_AV-202112040291.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", - "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "pubDate": "Sat, 04 Dec 2021 20:39:57 GMT", + "enclosure": "https://images.bfmtv.com/FyuD78coI0R1bKJJfFST_uaWUHM=/0x0:1184x666/800x0/images/Karim-Benzema-1181765.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43821,17 +48456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "cbda607ab5ef221faaf53d6e5e1bdd55" + "hash": "5a96a65e87c86f63b849df0414944fd8" }, { - "title": "Premier League: Newcastle n'y arrive toujours pas", - "description": "Proche de signer ce mardi soir sa première victoire de la saison en Premier League face à Norwich, Newcastle a encaissé un but en fin de match et dû se contenter du nul (1-1). Les Magpies, récemment passés sous pavillon saoudien, sont toujours derniers du championnat.

", - "content": "Proche de signer ce mardi soir sa première victoire de la saison en Premier League face à Norwich, Newcastle a encaissé un but en fin de match et dû se contenter du nul (1-1). Les Magpies, récemment passés sous pavillon saoudien, sont toujours derniers du championnat.

", + "title": "PSG: Ollé-Nicolle admet que le groupe a été \"impacté\" par l'affaire Hamraoui-Diallo", + "description": "Alors que le retour d'Aminata Diallo et Kheira Hamraoui dans le groupe du PSG se précise, les Parisiennes se sont imposées ce samedi contre le GPSO Issy (3-0). Après le match, Didier Ollé-Nicolle admet que le groupe a été touché physiquement et mentalement par l'affaire.

", + "content": "Alors que le retour d'Aminata Diallo et Kheira Hamraoui dans le groupe du PSG se précise, les Parisiennes se sont imposées ce samedi contre le GPSO Issy (3-0). Après le match, Didier Ollé-Nicolle admet que le groupe a été touché physiquement et mentalement par l'affaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-newcastle-n-y-arrive-toujours-pas_AV-202111300559.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/d1/psg-olle-nicolle-admet-que-le-groupe-a-ete-impacte-par-l-affaire-hamraoui-diallo_AV-202112040290.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 21:43:30 GMT", - "enclosure": "https://images.bfmtv.com/SFaa8ASUjcn-u7PZnANYPuM1ZPw=/0x145:2048x1297/800x0/images/Newcastle-Norwich-1178828.jpg", + "pubDate": "Sat, 04 Dec 2021 20:30:18 GMT", + "enclosure": "https://images.bfmtv.com/KTn-cOXQPXxMILTuYbboiRt5aGA=/0x212:2048x1364/800x0/images/Didier-Olle-Nicolle-PSG-F-1181754.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43841,17 +48476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c065c53c673773d39c3bc2780a7da27c" + "hash": "e366bd48d2b06ea25f7af2eccce8cd2d" }, { - "title": "L'Angleterre explose la Lettonie 20-0, nouveau record", - "description": "L'Angleterre a écrasé la Lettonie ce mardi soir, sur le score de 20-0. Un record dans le football anglais.

", - "content": "L'Angleterre a écrasé la Lettonie ce mardi soir, sur le score de 20-0. Un record dans le football anglais.

", + "title": "Lille-Troyes: Jonathan David a tout changé pour les Dogues", + "description": "Lille a arraché un nouveau succès cette fois à domicile contre Troyes (2-1) avec un but en fin de match, samedi lors de la 17e journée de Ligue 1. L'entrée en jeu de Jonathan David, meilleur buteur du championnat de France, y est pour beaucoup.

", + "content": "Lille a arraché un nouveau succès cette fois à domicile contre Troyes (2-1) avec un but en fin de match, samedi lors de la 17e journée de Ligue 1. L'entrée en jeu de Jonathan David, meilleur buteur du championnat de France, y est pour beaucoup.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/l-angleterre-explose-la-lettonie-20-0-nouveau-record_AN-202111300555.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-jonathan-david-a-tout-change-pour-les-dogues_AV-202112040286.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 21:39:13 GMT", - "enclosure": "https://images.bfmtv.com/j0WlKLa7dDOhEAyH3qiuNyu9IK8=/0x68:2048x1220/800x0/images/Les-joueuses-de-l-Angleterre-1178835.jpg", + "pubDate": "Sat, 04 Dec 2021 20:02:00 GMT", + "enclosure": "https://images.bfmtv.com/_3Z68iXYaZkzy9jd7iS2HaY-Qpo=/0x208:1200x883/800x0/images/Jonathan-David-1181753.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43861,17 +48496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e12a5e2586a34f2a24669f46a6590b3d" + "hash": "4fcb9dd38c1990293dab0b34ef7f85ad" }, { - "title": "Bayern: vers un retour des matchs à huis clos à l'Allianz Arena", - "description": "Le chef de l'exécutif régional de Bavière a réclamé ce mardi un retour des matchs à huis clos dans son Land, et même dans toute l'Allemagne. Ce qui veut dire que le Bayern Munich pourrait jouer ses prochains matchs à domicile sans spectateur, à commencer par celui contre le Barça, mercredi prochain en Ligue des champions.

", - "content": "Le chef de l'exécutif régional de Bavière a réclamé ce mardi un retour des matchs à huis clos dans son Land, et même dans toute l'Allemagne. Ce qui veut dire que le Bayern Munich pourrait jouer ses prochains matchs à domicile sans spectateur, à commencer par celui contre le Barça, mercredi prochain en Ligue des champions.

", + "title": "Lille-Troyes en direct : Le LOSC et David s'imposent au forceps face à Troyes", + "description": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", + "content": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-vers-un-retour-des-matchs-a-huis-clos-a-l-allianz-arena_AV-202111300538.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-en-direct-le-losc-veut-confirmer_LS-202112040213.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 20:58:00 GMT", - "enclosure": "https://images.bfmtv.com/n9_-KvOtzsipFnny5cFn_NojTbY=/0x140:2048x1292/800x0/images/L-Allianz-Arena-en-octobre-2020-1178809.jpg", + "pubDate": "Sat, 04 Dec 2021 17:00:04 GMT", + "enclosure": "https://images.bfmtv.com/HOgGspRzlInkVf-BcnosNnlZsoQ=/0x25:2048x1177/800x0/images/Renato-Sanches-lors-de-Lille-Troyes-1181709.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43881,17 +48516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "52068b7f2dd6ca2fa2dbe919f386761f" + "hash": "035bc520686f159a31f7f9733ece0805" }, { - "title": "OL: des filets installés \"à contrecoeur\" devant les virages du stade", - "description": "Des filets anti-projectiles vont être installés devant les virages du Groupama Stadium de l'OL, en réaction aux incidents du match contre l'OM. Le club réfléchit toutefois à une autre solution.

", - "content": "Des filets anti-projectiles vont être installés devant les virages du Groupama Stadium de l'OL, en réaction aux incidents du match contre l'OM. Le club réfléchit toutefois à une autre solution.

", + "title": "Bundesliga: Lewandowski plus fort que Haaland, le Bayern croque Dortmund", + "description": "Le duel entre le Bayern Munich et le Borussia Dortmund s’est achevé sur une victoire des Bavarois (2-3) lors de la 14e journée de Bundesliga. Au terme d’un match intense et spectaculaire, Robert Lewandowski a signé un doublé et fait mieux que Erling Haaland, buteur malheureux.

", + "content": "Le duel entre le Bayern Munich et le Borussia Dortmund s’est achevé sur une victoire des Bavarois (2-3) lors de la 14e journée de Bundesliga. Au terme d’un match intense et spectaculaire, Robert Lewandowski a signé un doublé et fait mieux que Erling Haaland, buteur malheureux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-des-filets-installes-a-contrecoeur-devant-les-virages-du-stade_AV-202111300537.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-lewandowski-plus-fort-que-haaland-le-bayern-croque-dortmund_AV-202112040279.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 20:57:19 GMT", - "enclosure": "https://images.bfmtv.com/CoIPxyjGTQwg3SqCaslRG1DVwos=/0x106:2048x1258/800x0/images/Le-Groupama-Stadium-l-antre-de-l-OL-1168457.jpg", + "pubDate": "Sat, 04 Dec 2021 19:50:10 GMT", + "enclosure": "https://images.bfmtv.com/jT9RDKAUVTJja8bPuXAHCkY8Gjw=/0x0:2048x1152/800x0/images/Manuel-Neuer-et-Robert-Lewandowski-celebrent-la-victoire-du-Bayern-contre-Dortmund-1181744.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43901,18 +48536,18 @@ "favorite": false, "created": false, "tags": [], - "hash": "3371348dde260b1cc0a899a6ff555b94" + "hash": "b25abe89f7070af5ba2bffe564e1b4cd" }, { - "title": "Top 14: Morgan Parra explique son départ de Clermont en fin de saison", - "description": "Dans un entretien à La Montagne, Morgan Parra détaille les raisons de son départ de Clermont à l'issue de la saison.

", - "content": "Dans un entretien à La Montagne, Morgan Parra détaille les raisons de son départ de Clermont à l'issue de la saison.

", + "title": "Top 14: Pau arrache le nul dans les derniers instants contre Toulon", + "description": "Final à suspense ce samedi entre Pau et Toulon, qui ont fait match nul (16-16) dans le cadre de la 12e journée de Top 14. Un résultat arraché en toute fin de match par les Palois.

", + "content": "Final à suspense ce samedi entre Pau et Toulon, qui ont fait match nul (16-16) dans le cadre de la 12e journée de Top 14. Un résultat arraché en toute fin de match par les Palois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-morgan-parra-explique-son-depart-de-clermont-en-fin-de-saison_AD-202111300531.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-pau-arrache-le-nul-dans-les-derniers-instants-contre-toulon_AD-202112040276.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 20:24:18 GMT", - "enclosure": "https://images.bfmtv.com/i_ntahe5_g8qzpcp8vsxilWseRM=/0x67:768x499/800x0/images/Le-demi-de-melee-de-Clermont-Morgan-Parra-tape-une-penalite-lors-du-match-de-Top-14-a-domicile-contre-Toulon-le-15-mai-2021-au-stade-Marcel-Michelin-1027522.jpg", - "enclosureType": "image/jpg", + "pubDate": "Sat, 04 Dec 2021 19:22:45 GMT", + "enclosure": "https://images.bfmtv.com/HY5iGz6ZEwkGZbLOIajOR8HRCE0=/0x49:2048x1201/800x0/images/Manu-lors-de-Pau-Toulon-1181738.jpg", + "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", @@ -43921,17 +48556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "87ba5b7639cc66d30d6218a04a0f6f36" + "hash": "bb4d55b127404ad82e3c6d5d8d51f19c" }, { - "title": "Natation: Pellegrini fait ses adieux aux bassins sur une victoire", - "description": "L'Italienne Federica Pellegrini, championne olympique et septuple championne du monde, a pris sa retraite ce mardi soir.

", - "content": "L'Italienne Federica Pellegrini, championne olympique et septuple championne du monde, a pris sa retraite ce mardi soir.

", + "title": "OM-Brest: Sampaoli \"très frustré\" par la défaite et un penalty qui \"coûte très cher\"", + "description": "Le scénario du match de l’OM, ultra-dominateur avant de subir le retour des Brestois (défaite 2-1 au Vélodrome), a suscité beaucoup de frustration chez le technicien argentin Jorge Sampaoli.

", + "content": "Le scénario du match de l’OM, ultra-dominateur avant de subir le retour des Brestois (défaite 2-1 au Vélodrome), a suscité beaucoup de frustration chez le technicien argentin Jorge Sampaoli.

", "category": "", - "link": "https://rmcsport.bfmtv.com/natation/natation-pellegrini-fait-ses-adieux-aux-bassins-sur-une-victoire_AD-202111300528.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-sampaoli-tres-frustre-par-la-defaite-et-un-penalty-qui-coute-tres-cher_AV-202112040269.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 20:18:14 GMT", - "enclosure": "https://images.bfmtv.com/qfMUu1Q8wnvjGP0L2gCg4cyKhkM=/0x0:768x432/800x0/images/Federica-Pellegrini-lors-des-Championnats-d-Europe-de-natation-a-Budapest-le-20-mai-2021-1178789.jpg", + "pubDate": "Sat, 04 Dec 2021 18:53:54 GMT", + "enclosure": "https://images.bfmtv.com/AaT-HyH4aOpDY5BgvepF_D9HpJk=/0x17:1200x692/800x0/images/Jorge-Sampaoli-1181720.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43941,17 +48576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c8369167303c1bc1a5bd39e74852651" + "hash": "970f21c605815b69b4ca7d3c98befdd7" }, { - "title": "Ligue 1: Troyes dénonce des \"propos racistes\" contre Suk face à l'OM", - "description": "L'Estac condamne les propos discriminatoires tenus à l'égard de son attaquant sud-coréen Hyun-Jun Suk, lors de la défaite de dimanche face à l'OM (1-0). L'affaire va être traitée par la commission de discipline de la LFP.

", - "content": "L'Estac condamne les propos discriminatoires tenus à l'égard de son attaquant sud-coréen Hyun-Jun Suk, lors de la défaite de dimanche face à l'OM (1-0). L'affaire va être traitée par la commission de discipline de la LFP.

", + "title": "Dortmund-Bayern en direct : les Bavarois s'offrent une victoire cruciale sur le fil", + "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-troyes-denonce-des-propos-racistes-contre-suk-face-a-l-om_AV-202111300512.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 19:27:48 GMT", - "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", + "enclosure": "https://images.bfmtv.com/HD8MsEJG9z-J16ITXA_EimM_1ic=/0x101:2048x1253/800x0/images/Coman-et-Mueller-avec-le-Bayern-1181736.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43961,17 +48596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab0385c7fb8c16173a8276247c6f3056" + "hash": "2a8e03a6deae324a1eefc901e9fe3c7b" }, { - "title": "Affaire de la sextape: \"contrarié\", Le Graët répond aux critiques de Valbuena", - "description": "La semaine dernière sur RMC, Mathieu Valbuena avait reproché au président de la FFF, Noël Le Graët, de ne jamais l'avoir soutenu ni contacté après l'explosion de \"l'affaire de la sextape\". Dans un entretien à l'AFP, le dirigeant a fait un début de mea culpa.

", - "content": "La semaine dernière sur RMC, Mathieu Valbuena avait reproché au président de la FFF, Noël Le Graët, de ne jamais l'avoir soutenu ni contacté après l'explosion de \"l'affaire de la sextape\". Dans un entretien à l'AFP, le dirigeant a fait un début de mea culpa.

", + "title": "GP d’Arabie saoudite: la pole pour Hamilton, Verstappen finit dans le mur après une grosse erreur", + "description": "Lewis Hamilton a signé le meilleur temps des qualifications pour le GP d’Arabie saoudite ce samedi. Le pilote britannique de l’écurie Mercedes s’élancera en pole position lors de la course dimanche. Max Verstappen, son rival pour le titre mondial, partira troisième derrière Valtteri Bottas. après avoir heurté le mur.

", + "content": "Lewis Hamilton a signé le meilleur temps des qualifications pour le GP d’Arabie saoudite ce samedi. Le pilote britannique de l’écurie Mercedes s’élancera en pole position lors de la course dimanche. Max Verstappen, son rival pour le titre mondial, partira troisième derrière Valtteri Bottas. après avoir heurté le mur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/affaire-de-la-sextape-contrarie-le-graet-repond-aux-critiques-de-valbuena_AV-202111300497.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-la-pole-pour-hamilton-verstappen-finit-dans-le-mur-apres-une-grosse-erreur_AV-202112040263.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:53:34 GMT", - "enclosure": "https://images.bfmtv.com/Q1hzB8lfnzc5nvy23KkYLPAc9LM=/0x106:2048x1258/800x0/images/Noel-Le-Graet-1178746.jpg", + "pubDate": "Sat, 04 Dec 2021 18:35:36 GMT", + "enclosure": "https://images.bfmtv.com/M54EJlvaUQpgHAoBkDr5vxiZlwE=/0x150:2048x1302/800x0/images/Lewis-Hamilton-lors-des-qualifications-du-GP-d-Arabie-saoudite-1181707.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -43981,17 +48616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "adfeb83c7724fe1a6725fa55bb37a1b1" + "hash": "b9ae0edccf9b640b60556706f88a5fe8" }, { - "title": "Coupe du monde 2022: le Qatar assure que les supporters LGBTQ+ seront en sécurité", - "description": "Pour la Coupe du monde 2022, les visiteurs LGBTQ+ pourront assister aux matchs au Qatar, a assuré le président du comité d'organisation, qui demande cependant qu'il n'y ait pas de \"démonstration d'affection en public\".

", - "content": "Pour la Coupe du monde 2022, les visiteurs LGBTQ+ pourront assister aux matchs au Qatar, a assuré le président du comité d'organisation, qui demande cependant qu'il n'y ait pas de \"démonstration d'affection en public\".

", + "title": "Ligue 1: terrible rechute pour l'OM, Brest poursuit son incroyable série", + "description": "Ultra-dominateur en première période, l'OM a pourtant été piégé ce samedi au Vélodrome par Brest (2-1), qui a confirmé son excellente forme actuelle.

", + "content": "Ultra-dominateur en première période, l'OM a pourtant été piégé ce samedi au Vélodrome par Brest (2-1), qui a confirmé son excellente forme actuelle.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-l-organisation-assure-que-les-supporters-lgbtq-seront-en-securite_AV-202111300489.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-terrible-rechute-pour-l-om-brest-poursuit-son-incroyable-serie_AV-202112040255.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:47:38 GMT", - "enclosure": "https://images.bfmtv.com/Gv6ZNyYYw0if4FUCxjncphxDJ0c=/0x56:2048x1208/800x0/images/Nasser-Al-Khater-1178743.jpg", + "pubDate": "Sat, 04 Dec 2021 18:18:34 GMT", + "enclosure": "https://images.bfmtv.com/NZkE1HBWOkfH3XnBOItDfsD6XO4=/0x0:1200x675/800x0/images/Franck-Honorat-1181694.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44001,17 +48636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a11c080e8bc3f3027fc70ba778fb8f09" + "hash": "7a9e906075cea4bf2aa20441d6c1ac5e" }, { - "title": "Dulin: \"Je sais où je veux aller et comment y aller\"", - "description": "Touché mais tout sauf coulé. S’il a perdu sa place en Bleu lors de la dernière tournée d’automne du XV de France, Brice Dulin compte bien s’appuyer sur sa légitime frustration pour vite retrouver son meilleur niveau. Longtemps gêné par sa fracture de la main gauche survenue en finale du dernier Top 14, l’arrière du Stade rochelais a remis les pendules à l’heure samedi dernier contre Pau (36-8). Il se confie à RMC Sport.

", - "content": "Touché mais tout sauf coulé. S’il a perdu sa place en Bleu lors de la dernière tournée d’automne du XV de France, Brice Dulin compte bien s’appuyer sur sa légitime frustration pour vite retrouver son meilleur niveau. Longtemps gêné par sa fracture de la main gauche survenue en finale du dernier Top 14, l’arrière du Stade rochelais a remis les pendules à l’heure samedi dernier contre Pau (36-8). Il se confie à RMC Sport.

", + "title": "GP d'Arabie saoudite en direct: Hamilton en pole, Verstappen part à la faute", + "description": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", + "content": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/dulin-je-sais-ou-je-veux-aller-et-comment-y-aller_AV-202111300463.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-en-direct-verstappen-hamilton-avant-dernier-duel-pour-le-titre_LN-202112040175.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:05:46 GMT", - "enclosure": "https://images.bfmtv.com/IYmGYmshiBgD5Tg4Sr7c4gWkml8=/0x73:768x505/800x0/images/L-arriere-de-La-Rochelle-Brice-Dulin-marque-un-essai-lors-du-match-de-Top-14-a-domicile-contre-Clermont-le-8-novembre-2020-1017927.jpg", + "pubDate": "Sat, 04 Dec 2021 14:49:10 GMT", + "enclosure": "https://images.bfmtv.com/HGm11AmVQPJyCdBIg-oXdI-WEQs=/0x0:2048x1152/800x0/images/Lewis-Hamilton-en-Arabie-saoudite-1181592.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44021,17 +48656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2627c13a969841ba41410254751e7f39" + "hash": "3d8a5d9f3f66a3be50aca1744f7777fc" }, { - "title": "Equipe de France: Le Graët attendra la décision de Deschamps et ne bloquera pas Zidane", - "description": "Si le sélectionneur des Bleus Didier Deschamps est sous contrat jusqu'à la fin de la Coupe du monde 2022, le président de la FFF Noël Le Graët laisse entendre que son aventure sur le banc de l'équipe nationale pourrait se poursuivre au-delà du Mondial. De fait, il ne veut pas demander à Zinedine Zidane d'attendre, même s'il en fait un éventuel successeur.

", - "content": "Si le sélectionneur des Bleus Didier Deschamps est sous contrat jusqu'à la fin de la Coupe du monde 2022, le président de la FFF Noël Le Graët laisse entendre que son aventure sur le banc de l'équipe nationale pourrait se poursuivre au-delà du Mondial. De fait, il ne veut pas demander à Zinedine Zidane d'attendre, même s'il en fait un éventuel successeur.

", + "title": "Lens-PSG: Mbappé remplaçant face aux Lensois (et c'est un événement)", + "description": "Mauricio Pochettino a décidé de faire souffler son attaquant Kylian Mbappé qui sera remplaçant lors du match entre le PSG et Lens, samedi soir à Bollaert pour le compte de la 17eme journée de Ligue 1.

", + "content": "Mauricio Pochettino a décidé de faire souffler son attaquant Kylian Mbappé qui sera remplaçant lors du match entre le PSG et Lens, samedi soir à Bollaert pour le compte de la 17eme journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-graet-attendra-la-decision-de-deschamps-et-ne-bloquera-pas-zidane_AV-202111300453.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-mbappe-remplacant-face-aux-lensois_AV-202112040242.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 17:59:00 GMT", - "enclosure": "https://images.bfmtv.com/KsEdnP8BG2Ky2NxevccwsSh7ohc=/0x106:2048x1258/800x0/images/Noel-Le-Graet-et-Didier-Deschamps-1178687.jpg", + "pubDate": "Sat, 04 Dec 2021 17:21:00 GMT", + "enclosure": "https://images.bfmtv.com/esQSanv8sqMNMt7gBvJiv6la9b8=/0x106:2048x1258/800x0/images/Kylian-Mbappe-sur-le-banc-1181672.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44041,37 +48676,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "82cb1415f78d86d6f0d4092cfbea6ee2" + "hash": "9ec51ae805cbdeac846c33650308b2e8" }, { - "title": "PSG: Messi dans le groupe face à Nice, mais pas Ramos", - "description": "Lionel Messi, souffrant de symptômes de gasto-entérite, sera bien dans le groupe du PSG pour affronter Nice mercredi soir. Ce ne sera pas le cas de Sergio Ramos, que Mauricio Pochettino décrivait comme \"fatigué\" en conférence de presse.

", - "content": "Lionel Messi, souffrant de symptômes de gasto-entérite, sera bien dans le groupe du PSG pour affronter Nice mercredi soir. Ce ne sera pas le cas de Sergio Ramos, que Mauricio Pochettino décrivait comme \"fatigué\" en conférence de presse.

", + "title": "Liga: le Barça perd gros face au Betis, première défaite pour Xavi", + "description": "Sans inspiration malgré une entrée en jeu convaincante d’Ousmane Dembélé, le FC Barcelone s’est incliné 1-0 face au Betis Séville samedi au Camp Nou lors de la 16eme journée de Liga. Une très mauvaise affaire pour Xavi qui concède sa première défaite sur le banc du Barça.

", + "content": "Sans inspiration malgré une entrée en jeu convaincante d’Ousmane Dembélé, le FC Barcelone s’est incliné 1-0 face au Betis Séville samedi au Camp Nou lors de la 16eme journée de Liga. Une très mauvaise affaire pour Xavi qui concède sa première défaite sur le banc du Barça.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-dans-le-groupe-face-a-nice-mais-pas-ramos_AV-202111300444.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-barca-perd-gros-face-au-betis-premiere-defaite-pour-xavi_AV-202112040231.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 17:47:04 GMT", - "enclosure": "https://images.bfmtv.com/Hdgmq-YYHHPeT22nDKBT3K1CGiE=/0x115:2048x1267/800x0/images/Lionel-Messi-1178087.jpg", + "pubDate": "Sat, 04 Dec 2021 17:20:07 GMT", + "enclosure": "https://images.bfmtv.com/TU7ufDh5yy27N3bH8wXJsnI8_kE=/0x0:2048x1152/800x0/images/Ousmane-Dembele-face-au-Betis-Seville-1181650.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "dddc1435c0b82442f24281c7b8353b14" + "hash": "0795387e24055088267623878fe5a52f" }, { - "title": "Ballon d'Or: pour Le Graët, \"Benzema méritait le podium\"", - "description": "Annoncé comme l'un des principaux favoris pour remporter le Ballon d'or, Karim Benzema a terminé à la quatrième place. Et Noël Le Graët ne comprend pas. Dans un entretien à l'AFP, le président de la FFF estime que le Français \"méritait le podium\".

", - "content": "Annoncé comme l'un des principaux favoris pour remporter le Ballon d'or, Karim Benzema a terminé à la quatrième place. Et Noël Le Graët ne comprend pas. Dans un entretien à l'AFP, le président de la FFF estime que le Français \"méritait le podium\".

", + "title": "Premier League: Origi sauve Liverpool à Wolverhampton, les Reds leaders", + "description": "Liverpool s’est contenté d’un succès sur la plus petite des marges (1-0) ce samedi sur le terrain des Wolves lors de la 15e journée de Premier League. Avec cette victoire précieuse, les Reds s’emparent de la place de leader du championnat après la défaite de Chelsea.

", + "content": "Liverpool s’est contenté d’un succès sur la plus petite des marges (1-0) ce samedi sur le terrain des Wolves lors de la 15e journée de Premier League. Avec cette victoire précieuse, les Reds s’emparent de la place de leader du championnat après la défaite de Chelsea.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/ballon-d-or-pour-le-graet-benzema-meritait-le-podium_AV-202111300429.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-origi-sauve-liverpool-a-wolverhampton-les-reds-leaders_AV-202112040230.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 17:28:27 GMT", - "enclosure": "https://images.bfmtv.com/8TfaosY7PxRY0tzJzrIV6Zg8FAs=/0x36:768x468/800x0/images/Le-president-de-la-Federation-francaise-de-football-Noel-Le-Graet-lors-d-une-conference-de-presse-le-10-decembre-2015-au-siege-de-la-FFF-a-Paris-1174566.jpg", + "pubDate": "Sat, 04 Dec 2021 17:18:04 GMT", + "enclosure": "https://images.bfmtv.com/7xEdYAtpW3q8JdLpqCNXGif3EHs=/0x17:2048x1169/800x0/images/La-joie-de-Divock-Origi-apres-le-but-de-la-victoire-des-Reds-a-Wolverhampton-1181648.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44081,37 +48716,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "2a8a05aeacdf751a9664b12212831791" + "hash": "aefe5e51bb72cdd7e08d5c067aeeb93d" }, { - "title": "Mercato: \"L'OM n'a pas été bon\" sur le dossier Kamara, selon Di Meco", - "description": "L’avenir de Boubacar Kamara à l’OM suscite de nombreuses questions. Alors que les dirigeants veulent prolonger le milieu de terrain, en fin de mercato, Eric Di Meco a pointé dans le Super Moscato Show la mauvaise gestion de ce dossier par les Phocéens.

", - "content": "L’avenir de Boubacar Kamara à l’OM suscite de nombreuses questions. Alors que les dirigeants veulent prolonger le milieu de terrain, en fin de mercato, Eric Di Meco a pointé dans le Super Moscato Show la mauvaise gestion de ce dossier par les Phocéens.

", + "title": "Chelsea: Tuchel admet \"une période difficile\" pour Mendy et parle de \"perte de confiance\"", + "description": "Edouard Mendy est loin d’avoir affiché son meilleur niveau lors de la défaite de Chelsea face à West Ham (3-2) ce samedi en Premier League. Après le match, Thomas Tuchel a confirmé que son gardien traverse \"une période difficile\".

", + "content": "Edouard Mendy est loin d’avoir affiché son meilleur niveau lors de la défaite de Chelsea face à West Ham (3-2) ce samedi en Premier League. Après le match, Thomas Tuchel a confirmé que son gardien traverse \"une période difficile\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-l-om-n-a-pas-ete-bon-sur-le-dossier-kamara-selon-di-meco_AV-202111300418.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-tuchel-admet-une-periode-difficile-pour-mendy-et-parle-de-perte-de-confiance_AV-202112040229.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 17:13:28 GMT", - "enclosure": "https://images.bfmtv.com/p9ByU6Jbglk48KNnrD-YQtwIAcU=/0x0:2048x1152/800x0/images/Boubacar-Kamara-1176139.jpg", + "pubDate": "Sat, 04 Dec 2021 17:17:11 GMT", + "enclosure": "https://images.bfmtv.com/DR5Y8J8ET5Bm3HIbhobehya74Qk=/255x106:2031x1105/800x0/images/Edouard-Mendy-1155311.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "c2895cf19f0a13023c9f9502301c9217" + "hash": "6667c90f48fe5f296a9c8a4d10f71b27" }, { - "title": "PSG: un Ballon d'or de Messi va-t-il rapporter gros à Paris?", - "description": "Pour la première fois, un joueur du PSG a décroché le Ballon d'or ce lundi: Lionel Messi. Mais les retombées économiques immédiates devraient être limitées pour le club parisien.

", - "content": "Pour la première fois, un joueur du PSG a décroché le Ballon d'or ce lundi: Lionel Messi. Mais les retombées économiques immédiates devraient être limitées pour le club parisien.

", + "title": "Premier League: première victoire de Newcastle, face à Burnley", + "description": "Après sept défaites et sept matchs nuls en Premier League, Newcastle a connu ce samedi sa première victoire de la saison face à Burnley en gagnant 1-0. C’est l’attaquant Callum Wilson qui a inscrit le seul but de la rencontre.

", + "content": "Après sept défaites et sept matchs nuls en Premier League, Newcastle a connu ce samedi sa première victoire de la saison face à Burnley en gagnant 1-0. C’est l’attaquant Callum Wilson qui a inscrit le seul but de la rencontre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/psg-un-ballon-d-or-de-messi-pourrait-il-rapporter-gros-a-paris_AV-202111290419.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-premiere-victoire-de-newcastle-face-a-burnley_AV-202112040247.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:50:56 GMT", - "enclosure": "https://images.bfmtv.com/qPS4MLS3TX69YKLC-_AWuNclTo4=/0x44:2032x1187/800x0/images/Lionel-Messi-avec-le-Ballon-d-or-2019-1177857.jpg", + "pubDate": "Sat, 04 Dec 2021 17:16:00 GMT", + "enclosure": "https://images.bfmtv.com/mE5vL_bptE56dxgTw560yR-ZsT4=/0x76:2048x1228/800x0/images/Newcastle-1181657.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44121,37 +48756,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b78e68fa37a3ea658e9328330811a89" + "hash": "65294301d8d7b9fdbbeec6e8f7249c22" }, { - "title": "Reims: l'entraîneur Oscar Garcia positif au Covid-19", - "description": "Le Stade de Reims a indiqué ce mardi que son entraîneur Oscar Garcia et son adjoint Ruben Martinez ont été testés positifs au Covid-19. Les deux techniciens ne seront donc pas sur le banc du club champenois mercredi contre l'OL, ni ce week-end contre Angers.

", - "content": "Le Stade de Reims a indiqué ce mardi que son entraîneur Oscar Garcia et son adjoint Ruben Martinez ont été testés positifs au Covid-19. Les deux techniciens ne seront donc pas sur le banc du club champenois mercredi contre l'OL, ni ce week-end contre Angers.

", + "title": "Chelsea: Silva regrette le nombre de changements autorisés en Premier League", + "description": "Face à West Ham, Chelsea a connu ce samedi sa deuxième défaite en Premier League (3-2). En zone mixte, le défenseur Thiago Silva est revenu sur cette rencontre mais a surtout regretté le fait que la Premier League n’autorise aux équipes que trois changements. Dans d’autres championnats, ce chiffre s’élève à cinq.

", + "content": "Face à West Ham, Chelsea a connu ce samedi sa deuxième défaite en Premier League (3-2). En zone mixte, le défenseur Thiago Silva est revenu sur cette rencontre mais a surtout regretté le fait que la Premier League n’autorise aux équipes que trois changements. Dans d’autres championnats, ce chiffre s’élève à cinq.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/reims-l-entraineur-oscar-garcia-positif-au-covid-19_AV-202111300406.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-silva-regrette-le-nombre-de-changements-autorises-en-premier-league_AV-202112040216.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 16:53:37 GMT", - "enclosure": "https://images.bfmtv.com/NFlVhu-9WgOgbrXWf0XfAbUu8d4=/0x46:2048x1198/800x0/images/Oscar-Garcia-1178605.jpg", + "pubDate": "Sat, 04 Dec 2021 16:48:48 GMT", + "enclosure": "https://images.bfmtv.com/IaSI1NUSwUlxtKSHEqxjIqupEQE=/255x0:2031x999/800x0/images/Thiago-Silva-1021136.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "b1a914c80825bdb908b84216b01ff864" + "hash": "5e163459640077899fa6faaf138b2612" }, { - "title": "PSG en direct: Messi dans le groupe face à Nice, mais pas Ramos", - "description": "Le PSG reçoit l'OGC Nice mercredi, en championnat. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé en conférence de presse.

", - "content": "Le PSG reçoit l'OGC Nice mercredi, en championnat. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé en conférence de presse.

", + "title": "Biathlon: Bescond \"hyper satisfaite\" après sa 2e place à la poursuite", + "description": "A trois mois des Jeux olympiques d'hiver à Pékin, la Française Anaïs Bescond savoure sa deuxième place décrochée à la poursuite d'Östersund samedi, dans le cadre de la Coupe du monde de biathlon.

", + "content": "A trois mois des Jeux olympiques d'hiver à Pékin, la Française Anaïs Bescond savoure sa deuxième place décrochée à la poursuite d'Östersund samedi, dans le cadre de la Coupe du monde de biathlon.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-en-direct-suivez-la-conf-de-pochettino-avant-nice_LN-202111300282.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-anais-bescond-hyper-satisfaite-apres-sa-2e-place-a-la-poursuite_AV-202112040206.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:49:57 GMT", - "enclosure": "https://images.bfmtv.com/Hdgmq-YYHHPeT22nDKBT3K1CGiE=/0x115:2048x1267/800x0/images/Lionel-Messi-1178087.jpg", + "pubDate": "Sat, 04 Dec 2021 16:36:31 GMT", + "enclosure": "https://images.bfmtv.com/OT_a2rhZtYnm3HJCZOYsvcwX3B4=/0x0:2032x1143/800x0/images/Anais-Bescond-1181612.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44161,17 +48796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b6107425cf50e8339c2a724dec85364" + "hash": "645bba89add2e9c18c1670b5ee713223" }, { - "title": "OM en direct: Ünder incertain, Dieng probablement forfait à Nantes", - "description": "L'OM affronte Nantes ce mercredi lors de la 16e de Ligue 1. Quatrième du classement et avec un match en moins, le club marseillais peut se rapprocher de la tête du championnat en cas de victoire contre les Canaris. Jorge Sampaoli et Boubacar Kamara se présentent face aux journalistes à la veille du déplacement à la Beaujoire. La conférence de presse de l'OM est à suivre en direct commenté sur RMC Sport.

", - "content": "L'OM affronte Nantes ce mercredi lors de la 16e de Ligue 1. Quatrième du classement et avec un match en moins, le club marseillais peut se rapprocher de la tête du championnat en cas de victoire contre les Canaris. Jorge Sampaoli et Boubacar Kamara se présentent face aux journalistes à la veille du déplacement à la Beaujoire. La conférence de presse de l'OM est à suivre en direct commenté sur RMC Sport.

", + "title": "Biathlon: les Bleus deuxièmes du relais d'Östersund", + "description": "Fabien Claude, Emilien Jacquelin, Simon Desthieux et Quentin Fillon Maillet ont terminé à la deuxième place du relais d’Östersund (Suède). La victoire revient à la Norvège, impériale au tir. Longtemps deuxième, la Russie termine sur la troisième marche du podium.

", + "content": "Fabien Claude, Emilien Jacquelin, Simon Desthieux et Quentin Fillon Maillet ont terminé à la deuxième place du relais d’Östersund (Suède). La victoire revient à la Norvège, impériale au tir. Longtemps deuxième, la Russie termine sur la troisième marche du podium.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-en-direct-suivez-la-conf-de-sampaoli-et-kamara-avant-le-deplacement-a-nantes_LN-202111300272.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-les-bleus-deuxiemes-du-relais-d-ostersund_AD-202112040197.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:18:31 GMT", - "enclosure": "https://images.bfmtv.com/p6v9j48T7oW2fVOoE2HxApCL0lg=/6x111:2038x1254/800x0/images/Bamba-Dieng-1138769.jpg", + "pubDate": "Sat, 04 Dec 2021 16:14:30 GMT", + "enclosure": "https://images.bfmtv.com/FzGTHUDQuH-uxRjOFlDvaBsnxQc=/0x106:2048x1258/800x0/images/Fillon-Maillet-Claude-Desthieux-et-Jacquelin-1181597.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44181,17 +48816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a0c5e6ad08f4f9750c008377e3e215c" + "hash": "b40d8a81847afa8b4d127a769f18dfcf" }, { - "title": "Pierre Ménès accusé d'agression sexuelle: \"Il n'y a aucun élément\", dénonce son avocat", - "description": "Me Arash Derambarsh, l'avocat de Pierre Ménès, nie sur BFMTV l'accusation portée à l'encontre de son client, qui est visé par une enquête pour \"agression sexuelle\" depuis le 20 novembre. L'ancien chroniqueur de Canal+ est mis en cause pour des faits qui seraient survenus lors du match PSG-Nantes.

", - "content": "Me Arash Derambarsh, l'avocat de Pierre Ménès, nie sur BFMTV l'accusation portée à l'encontre de son client, qui est visé par une enquête pour \"agression sexuelle\" depuis le 20 novembre. L'ancien chroniqueur de Canal+ est mis en cause pour des faits qui seraient survenus lors du match PSG-Nantes.

", + "title": "Rugby à 7: les Bleus au pied du podium à Dubaï, les Bleues encore en bronze", + "description": "L'équipe de France masculine de rugby à 7 a échoué à la quatrième place du tournoi de Dubaï, deuxième manche de la saison. Les Bleues ont dominé la Russie en petite finale, pour monter sur le podium, comme lors de la première étape.

", + "content": "L'équipe de France masculine de rugby à 7 a échoué à la quatrième place du tournoi de Dubaï, deuxième manche de la saison. Les Bleues ont dominé la Russie en petite finale, pour monter sur le podium, comme lors de la première étape.

", "category": "", - "link": "https://rmcsport.bfmtv.com/societe/pierre-menes-accuse-d-agression-sexuelle-il-n-y-a-aucun-element-denonce-son-avocat_AV-202111300394.html", + "link": "https://rmcsport.bfmtv.com/rugby/rugby-a-7-les-bleus-au-pied-du-podium-a-dubai-les-bleues-encore-en-bronze_AV-202112040194.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 16:26:55 GMT", - "enclosure": "https://images.bfmtv.com/m6bcpD10N3GHmayFqab9NinBLLE=/0x62:1200x737/800x0/images/-880895.jpg", + "pubDate": "Sat, 04 Dec 2021 16:12:11 GMT", + "enclosure": "https://images.bfmtv.com/bN11mYu8Q05gedJ7F7NIfIhF6uY=/0x0:1200x675/800x0/images/L-equipe-de-France-masculine-de-rugby-a-7-1181594.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44201,17 +48836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "439bfc9d9a942cc8f4af8ebebafd942f" + "hash": "f173236df3d7d4e4ae13c1a52cd33deb" }, { - "title": "Premier League: le discours homophobe d'un consultant beIN Sports au Moyen-Orient en plein direct", - "description": "Consultant pour beIN Sports au Moyen-Orient, l'ancien international égyptien, Mohamed Aboutrika, s'est livré en direct à un long discours homophobe, et a appelé les joueurs musulmans de Premier League à boycotter les campagnes pro-LGBTQ+.

", - "content": "Consultant pour beIN Sports au Moyen-Orient, l'ancien international égyptien, Mohamed Aboutrika, s'est livré en direct à un long discours homophobe, et a appelé les joueurs musulmans de Premier League à boycotter les campagnes pro-LGBTQ+.

", + "title": "OM-Brest, les compos: Payet est bien là, Milik encore sur le banc", + "description": "Longtemps incertain pour la réception de Brest ce samedi, Dimitri Payet est bien titulaire dans le onze de l’OM. A l’inverse, Jorge Sampaoli a encore choisi de se passer d’Arkadiusz Milik au coup d’envoi de ce match de la 17e journée de Ligue 1, au Vélodrome.

", + "content": "Longtemps incertain pour la réception de Brest ce samedi, Dimitri Payet est bien titulaire dans le onze de l’OM. A l’inverse, Jorge Sampaoli a encore choisi de se passer d’Arkadiusz Milik au coup d’envoi de ce match de la 17e journée de Ligue 1, au Vélodrome.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-le-discours-homophobe-d-un-consultant-be-in-sports-au-moyen-orient-en-plein-direct_AV-202111300386.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-les-compos-payet-est-bien-la-milik-encore-sur-le-banc_AV-202112040187.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 16:08:16 GMT", - "enclosure": "https://images.bfmtv.com/4Du45DOQ-2wVHmbBvYjnygRNvjw=/0x155:2048x1307/800x0/images/Un-brassard-arc-en-ciel-porte-le-week-end-dernier-en-Premier-League-1178577.jpg", + "pubDate": "Sat, 04 Dec 2021 15:42:49 GMT", + "enclosure": "https://images.bfmtv.com/lAsDxStLM8ahkQtGs-E_TefhH3k=/0x0:2048x1152/800x0/images/Arkadiusz-Milik-avec-l-OM-1181586.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44221,17 +48856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7db9042b20c591daf58459e93214330a" + "hash": "a3434be0a5ee9c555863b3f9f1f5b1f7" }, { - "title": "Manchester United: Rangnick bien absent contre Arsenal, Carrick sera sur le banc", - "description": "Annoncé officiellement lundi comme nouvel entraîneur de Manchester United, Ralf Rangnick ne sera pas sur le banc pour affronter Arsenal ce jeudi (à 21h15). N'ayant pas encore reçu son permis de travail, l'Allemand va laisser sa place à Michael Carrick pour l'occasion.

", - "content": "Annoncé officiellement lundi comme nouvel entraîneur de Manchester United, Ralf Rangnick ne sera pas sur le banc pour affronter Arsenal ce jeudi (à 21h15). N'ayant pas encore reçu son permis de travail, l'Allemand va laisser sa place à Michael Carrick pour l'occasion.

", + "title": "Rennes: des peines de prison contre deux jeunes qui projetaient un attentat au Roazhon Park", + "description": "La cour d’assises des mineurs de Paris a condamné ce vendredi deux individus à dix et six ans de prison ferme pour avoir projeté un attentat contre le Roazhon Park de Rennes. Les deux hommes, désormais âgés de 21 ans, prévoyaient également de partir combattre en Syrie.

", + "content": "La cour d’assises des mineurs de Paris a condamné ce vendredi deux individus à dix et six ans de prison ferme pour avoir projeté un attentat contre le Roazhon Park de Rennes. Les deux hommes, désormais âgés de 21 ans, prévoyaient également de partir combattre en Syrie.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-rangnick-bien-absent-contre-arsenal-carrick-sera-sur-le-banc_AV-202111300372.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/rennes-des-peines-de-prison-contre-deux-jeunes-qui-projetaient-un-attentat-au-roazhon-park_AV-202112040180.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:47:04 GMT", - "enclosure": "https://images.bfmtv.com/c16Sr8mLIarzHImeQZbojf0k_rc=/8x0:1480x828/800x0/images/-829299.jpg", + "pubDate": "Sat, 04 Dec 2021 15:12:00 GMT", + "enclosure": "https://images.bfmtv.com/9oOtYlAZthFtwQF8OuTH1QTk7DQ=/308x554:1732x1355/800x0/images/Le-Roazhon-Park-de-Rennes-1181577.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44241,17 +48876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4434290782f70ed44e86210290c618eb" + "hash": "e4e8a2fc2b3a6f32f533dd90711f7f98" }, { - "title": "Racing: \"On ne prend personne pour des cons\", lance Gaël Fickou qui défend Teddy Thomas", - "description": "Evidemment déçu de la défaite contre l’Union Bordeaux-Bègles (14-37), Gaël Fickou n’a que très peu goûté les critiques contre son partenaire et ami Teddy Thomas auteur d’un petit chambrage sur Santiago Cordero. Le centre international et co-capitaine du club francilien s’explique pour RMC Sport.\n

", - "content": "Evidemment déçu de la défaite contre l’Union Bordeaux-Bègles (14-37), Gaël Fickou n’a que très peu goûté les critiques contre son partenaire et ami Teddy Thomas auteur d’un petit chambrage sur Santiago Cordero. Le centre international et co-capitaine du club francilien s’explique pour RMC Sport.\n

", + "title": "Premier League: battu par West Ham, Chelsea peut perdre sa place de leader", + "description": "Au terme d’un derby londonien animé, Chelsea a connu ce samedi sa deuxième défaite de la saison face à West Ham (3-2). Malgré les buts de Thiago Silva et Mason Mount, les Blues ont vu les Hammers revenir au score et Masuaku les crucifier en fin de match. Une mauvaise opération pour le leader de Premier League, qui pourrait perdre cette place en cas de succès de Manchester City et Liverpool.

", + "content": "Au terme d’un derby londonien animé, Chelsea a connu ce samedi sa deuxième défaite de la saison face à West Ham (3-2). Malgré les buts de Thiago Silva et Mason Mount, les Blues ont vu les Hammers revenir au score et Masuaku les crucifier en fin de match. Une mauvaise opération pour le leader de Premier League, qui pourrait perdre cette place en cas de succès de Manchester City et Liverpool.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/racing-on-ne-prend-personne-pour-des-cons-lance-gael-fickou-qui-defend-teddy-thomas_AV-202111300368.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-battu-par-west-ham-chelsea-peut-perdre-sa-place-de-leader_AV-202112040173.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:41:24 GMT", - "enclosure": "https://images.bfmtv.com/VRmKU2tXRPSBrrT2EcXGvTF0jmQ=/0x36:1200x711/800x0/images/Gael-Fickou-et-Teddy-Thomas-1178559.jpg", + "pubDate": "Sat, 04 Dec 2021 14:39:38 GMT", + "enclosure": "https://images.bfmtv.com/weFo3b-o6xLniim5Kbc-RPxnPSE=/0x0:2048x1152/800x0/images/Thomas-Tuchel-1161150.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44261,17 +48896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c12c7c43760bc9ced6c19197efa39f91" + "hash": "8774f64637e9179aa6a1366b3189cb85" }, { - "title": "OL: Guimaraes espère que Juninho changera d’avis sur son probable départ", - "description": "Dans Rothen s'enflamme sur RMC il y a quelques semaines, le directeur sportif de l’Olympique Lyonnais, Juninho, laissait entendre que cette saison était la dernière pour lui à Lyon. Des paroles ayant rendu \"triste\" le milieu de terrain Bruno Guimaraes qui espère un changement d’avis de la part du Brésilien.

", - "content": "Dans Rothen s'enflamme sur RMC il y a quelques semaines, le directeur sportif de l’Olympique Lyonnais, Juninho, laissait entendre que cette saison était la dernière pour lui à Lyon. Des paroles ayant rendu \"triste\" le milieu de terrain Bruno Guimaraes qui espère un changement d’avis de la part du Brésilien.

", + "title": "Lens-PSG en direct: Fofana surprend Paris, le RCL est récompensé de ses efforts", + "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", + "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-lyon/ol-guimaraes-espere-que-juninho-changera-d-avis-s-sur-son-probable-depart_AV-202111300356.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:21:05 GMT", - "enclosure": "https://images.bfmtv.com/HrOrNUPqAfmgfJq8X0z35bdEQuk=/0x55:2048x1207/800x0/images/Bruno-Guimaraes-lors-du-match-face-a-Strasbourg-le-12-septembre-1126773.jpg", + "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", + "enclosure": "https://images.bfmtv.com/JKg6vMg52ZHeyIH1Mq_vBJbZYr4=/0x55:2048x1207/800x0/images/Messi-lors-de-Lens-PSG-1181764.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44281,17 +48916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "936aefbdc96f1489c2136a73268a0a6f" + "hash": "efa0bc97bc2d62ed227c52b7a685e4c5" }, { - "title": "OM: Kamara dément des contacts avec le Sénégal", - "description": "International tricolore Espoirs à neuf reprises, Boubacar Kamara a confirmé ce mardi ne pas avoir été contacté par le Sénégal avant la prochaine Coupe d’Afrique des Nations 2022. Le milieu de l’OM a assuré n’être au courant de rien.

", - "content": "International tricolore Espoirs à neuf reprises, Boubacar Kamara a confirmé ce mardi ne pas avoir été contacté par le Sénégal avant la prochaine Coupe d’Afrique des Nations 2022. Le milieu de l’OM a assuré n’être au courant de rien.

", + "title": "OM-Brest en direct: Marseille surpris à domicile par de surprenants bretons", + "description": "Marseille s'écroule à domicile face à Brest après avoir mené 1-0. Score final 2 à 1 pour les Bretons qui enchainent une 6e victoire d’affilée en Ligue 1.

", + "content": "Marseille s'écroule à domicile face à Brest après avoir mené 1-0. Score final 2 à 1 pour les Bretons qui enchainent une 6e victoire d’affilée en Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-kamara-dement-des-contacts-avec-le-senegal_AV-202111300352.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-en-direct-les-marseillais-veulent-enchainer-lors-de-la-17e-journee-de-ligue-1_LS-202112040169.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:04:15 GMT", - "enclosure": "https://images.bfmtv.com/61B2_umWehWfoc3WcrGVv6Z56a4=/0x37:2048x1189/800x0/images/Boubacar-Kamara-avec-les-Espoirs-1178541.jpg", + "pubDate": "Sat, 04 Dec 2021 14:29:46 GMT", + "enclosure": "https://images.bfmtv.com/6f4jCR5goy_5sWwk0KEwt5z-vw0=/0x65:2048x1217/800x0/images/Harit-etPierre-Gabriel-lors-d-OM-Brest-1181658.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44301,37 +48936,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd9495d8c752a262b97e51e9ceeb75eb" + "hash": "0c3e22d2dc6ede481b163252d6119aaa" }, { - "title": "Judo: ce que Margaux Pinot a raconté aux enquêteurs après avoir été victime de violences conjugales", - "description": "Championne olympique de judo par équipes l'été dernier à Tokyo, la Française Margaux Pinot a été victime le week-end passé de violences conjugales de la part de son compagnon et ex-entraîneur Alain Schmitt. L'athlète a décrit aux enquêteurs une dispute qui a très, très mal tourné. Schmitt va être jugé en comparution immédiate.

", - "content": "Championne olympique de judo par équipes l'été dernier à Tokyo, la Française Margaux Pinot a été victime le week-end passé de violences conjugales de la part de son compagnon et ex-entraîneur Alain Schmitt. L'athlète a décrit aux enquêteurs une dispute qui a très, très mal tourné. Schmitt va être jugé en comparution immédiate.

", + "title": "Manchester United: Ibrahimovic scandalisé après avoir dû payer... un jus de fruit", + "description": "Zlatan Ibrahimovic n'a toujours pas digéré d'avoir dû payer un jus de fruit à une livre sterling, lors d'un déplacement avec Manchester United. Dans son livre, le Suédois considère que cette anecdote est la conséquence de la \"petite mentalité\" du club anglais.

", + "content": "Zlatan Ibrahimovic n'a toujours pas digéré d'avoir dû payer un jus de fruit à une livre sterling, lors d'un déplacement avec Manchester United. Dans son livre, le Suédois considère que cette anecdote est la conséquence de la \"petite mentalité\" du club anglais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/judo/judo-ce-que-margaux-pinot-a-raconte-aux-enqueteurs-apres-avoir-ete-victime-de-violences-conjugales_AN-202111300346.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ibrahimovic-scandalise-apres-avoir-du-payer-un-jus-de-fruit_AV-202112040164.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 14:57:20 GMT", - "enclosure": "https://images.bfmtv.com/0NURDRu_AjsDUHZn7LF2O2Lvf1s=/6x111:2038x1254/800x0/images/Margaux-Pinot-1178535.jpg", + "pubDate": "Sat, 04 Dec 2021 14:16:38 GMT", + "enclosure": "https://images.bfmtv.com/0YbQJAuwbQuRlBYaLjtTEWJqxR8=/0x55:2048x1207/800x0/images/Ibrahimovic-1181539.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "79f2b170d03192da1c0b252221043f5a" + "hash": "36c1095ab1739de5a8a88410041f4316" }, { - "title": "OM: les envies de Sampaoli pour le mercato d’hiver", - "description": "Quatrième du classement en championnat, l’Olympique de Marseille effectue un début de saison solide, mais terni par l'élimination en Ligue Europa. Malgré un dernier mercato riche en arrivées, l’entraîneur Jorge Sampaoli espère que le club sera actif lors du mercato hivernal, comme il l’a affirmé ce mardi en conférence de presse.

", - "content": "Quatrième du classement en championnat, l’Olympique de Marseille effectue un début de saison solide, mais terni par l'élimination en Ligue Europa. Malgré un dernier mercato riche en arrivées, l’entraîneur Jorge Sampaoli espère que le club sera actif lors du mercato hivernal, comme il l’a affirmé ce mardi en conférence de presse.

", + "title": "Ecosse: un homme arrêté après avoir lancé une bouteille sur un joueur", + "description": "Ancien joueur des Rangers, Barrie McKay a reçu une bouteille lors d'un match du championnat écossais entre son équipe de Heart of Midlothian et le Celtic. Une enquête a été ouverte et un homme a été arrêté.

", + "content": "Ancien joueur des Rangers, Barrie McKay a reçu une bouteille lors d'un match du championnat écossais entre son équipe de Heart of Midlothian et le Celtic. Une enquête a été ouverte et un homme a été arrêté.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-marseille/om-les-envies-de-sampaoli-pour-le-mercato-d-hiver_AV-202111300339.html", + "link": "https://rmcsport.bfmtv.com/football/ecosse-un-homme-arrete-apres-avoir-lance-une-bouteille-sur-un-joueur_AV-202112040160.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 14:42:19 GMT", - "enclosure": "https://images.bfmtv.com/_5I6zXXscBfSH6BleqEjpcvCVPc=/0x129:2032x1272/800x0/images/Jorge-SAMPAOLI-1174514.jpg", + "pubDate": "Sat, 04 Dec 2021 14:06:47 GMT", + "enclosure": "https://images.bfmtv.com/3X4VU-3pV6r7ntSDxirE8xuJMwo=/0x0:1024x576/800x0/images/Barrie-McKay-victime-d-un-jet-de-bouteille-1181516.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44341,17 +48976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c276107eb6a2b45d1fb84b49fca17ea" + "hash": "1c37943a2428ac738d5bf347177af1f0" }, { - "title": "OM: Kamara \"toujours en réflexion\" pour son avenir", - "description": "Boubacar Kamara s'est présenté ce mardi face à la presse à la veille du match de l'OM à Nantes lors de la 16e journée de Ligue 1. Le milieu marseillais a confirmé avoir digéré son transfert avorté lors du mercato estival mais n'a pas encore décidé de prolonger ou de quitter l'OM dans les prochains mois.

", - "content": "Boubacar Kamara s'est présenté ce mardi face à la presse à la veille du match de l'OM à Nantes lors de la 16e journée de Ligue 1. Le milieu marseillais a confirmé avoir digéré son transfert avorté lors du mercato estival mais n'a pas encore décidé de prolonger ou de quitter l'OM dans les prochains mois.

", + "title": "Les pronos hippiques du dimanche 5 décembre 2021", + "description": "Le Quinté+ du dimanche 5 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du dimanche 5 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-kamara-toujours-en-reflexion-pour-son-avenir_AV-202111300333.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-dimanche-5-decembre-2021_AN-202112040143.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 14:33:25 GMT", - "enclosure": "https://images.bfmtv.com/PpxTcy5d7RbsEyo5-EoD42pqCrQ=/0x0:2048x1152/800x0/images/Boubacar-Kamara-avec-l-OM-1178528.jpg", + "pubDate": "Sat, 04 Dec 2021 13:20:18 GMT", + "enclosure": "https://images.bfmtv.com/IKkf27eu21JWF2d6zd6uFKOIG3Y=/0x42:800x492/800x0/images/Les-pronos-hippiques-du-5-decembre-2021-1181092.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44361,17 +48996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3dcdf490190202e4867dee0304dc2339" + "hash": "470f8d6bfb8a9a9dc724320aafc3e69a" }, { - "title": "PSG: Pochettino défend le 7e sacre de Messi au Ballon d'or", - "description": "S'il comprend les mécontentements, nombreux, exprimés après la remise du trophée à Lionel Messi, Mauricio Pochettino a estimé ce mardi que son compatriote méritait largement son 7e Ballon d'or individuel en carrière.

", - "content": "S'il comprend les mécontentements, nombreux, exprimés après la remise du trophée à Lionel Messi, Mauricio Pochettino a estimé ce mardi que son compatriote méritait largement son 7e Ballon d'or individuel en carrière.

", + "title": "PSG: Messi assure qu'il n'a \"jamais cherché à être le meilleur\"", + "description": "Lionel Messi affirme, dans une interview accordée à France Football, ne pas être \"intéressé\" de savoir s'il est le meilleur joueur du monde ou non. \"Je n'accorde pas tellement d'importance à tout ça\", dit-il.

", + "content": "Lionel Messi affirme, dans une interview accordée à France Football, ne pas être \"intéressé\" de savoir s'il est le meilleur joueur du monde ou non. \"Je n'accorde pas tellement d'importance à tout ça\", dit-il.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-defend-le-7e-sacre-de-messi-au-ballon-d-or_AV-202111300322.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-assure-qu-il-n-a-jamais-cherche-a-etre-le-meilleur_AV-202112040135.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 14:11:18 GMT", - "enclosure": "https://images.bfmtv.com/jOX3ZXohOn-RLZsNKV_kHd-37Os=/0x6:1200x681/800x0/images/Pochettino-et-Messi-1178513.jpg", + "pubDate": "Sat, 04 Dec 2021 12:39:19 GMT", + "enclosure": "https://images.bfmtv.com/65hvHoWyoz3ftaSAdyDveczaOd4=/0x0:1200x675/800x0/images/Lionel-Messi-1179555.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44381,17 +49016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "90e1f44f7837d57fb8ea5317ff7792e0" + "hash": "444125b17d07d83c55b925ad872c92d6" }, { - "title": "Ligue 1 en direct: Troyes dénonce des \"propos racistes\" contre Suk face à l'OM", - "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", - "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "title": "Lens-PSG en direct: Messi bute sur le poteau dans un Bollaert bouillant", + "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", + "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste lutte toujours pour le podium, tandis que Paris a une grosse avance en tête.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", - "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", + "enclosure": "https://images.bfmtv.com/V4GviEeMbOqTGW98MQjl9WZmGwY=/0x0:752x423/800x0/images/Les-attaquants-argentins-Lionel-Messi-et-Angel-Di-Maria-a-l-echauffement-avant-leur-match-contre-Lyon-le-19-septembre-2021-au-Parc-des-Princes-1179041.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44401,17 +49036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "150b74cadf957b2e2d138ce48e272827" + "hash": "4aee5d3913a1d6185644e4ed518dee06" }, { - "title": "PSG: pas de concurrence directe entre Ramos et Kimpembe, selon Pochettino", - "description": "Mauricio Pochettino s'est prononcé mardi sur ses intentions concernant la charnière centrale au PSG avec le retour bienvenu de Sergio Ramos, qui change forcément la donne.

", - "content": "Mauricio Pochettino s'est prononcé mardi sur ses intentions concernant la charnière centrale au PSG avec le retour bienvenu de Sergio Ramos, qui change forcément la donne.

", + "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 4 décembre – Ligue 1", + "description": "Mon pronostic : Marseille ne perd pas face à Brest et les deux équipes marquent (2.00)

", + "content": "Mon pronostic : Marseille ne perd pas face à Brest et les deux équipes marquent (2.00)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pas-de-concurrence-directe-entre-ramos-et-kimpembe-selon-pochettino_AV-202111300317.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-4-decembre-ligue-1_AN-202112040122.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 13:58:30 GMT", - "enclosure": "https://images.bfmtv.com/XT35VVni4LgVYF9FkBnXJVPbOaY=/0x37:1200x712/800x0/images/Sergio-Ramos-1178510.jpg", + "pubDate": "Sat, 04 Dec 2021 12:02:11 GMT", + "enclosure": "https://images.bfmtv.com/8vn7AIRpfPgppENTg6vpJcHEwwc=/0x30:1984x1146/800x0/images/A-Milik-1181496.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44421,17 +49056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "37d1e22300dde71f19545815b7ed612f" + "hash": "8d340af99b63f2374c8ecb477247eaa4" }, { - "title": "Mercato: Torres, Adeyemi, Coutinho... le Barça pourrait bouger cet hiver", - "description": "Après un début de saison compliqué, le FC Barcelone compterait être actif lors du prochain mercato d’hiver selon la presse espagnole. Pour améliorer l’effectif, les dirigeants du club catalan auraient dans leur viseur de nombreux joueurs offensifs. Quelques départs, comme celui de Philippe Coutinho, sont également espérés.

", - "content": "Après un début de saison compliqué, le FC Barcelone compterait être actif lors du prochain mercato d’hiver selon la presse espagnole. Pour améliorer l’effectif, les dirigeants du club catalan auraient dans leur viseur de nombreux joueurs offensifs. Quelques départs, comme celui de Philippe Coutinho, sont également espérés.

", + "title": "Les grandes interviews RMC Sport: le premier entretien de Mbappé à son arrivée au PSG", + "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce samedi, découvrez ou redécouvrez le premier entretien accordé par Kylian Mbappé au moment de son arrivée au PSG en septembre 2017.

", + "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Ce samedi, découvrez ou redécouvrez le premier entretien accordé par Kylian Mbappé au moment de son arrivée au PSG en septembre 2017.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-torres-adeyemi-coutinho-le-barca-pourrait-bouger-cet-hiver_AV-202111300312.html", + "link": "https://rmcsport.bfmtv.com/football/les-grandes-interviews-rmc-sport-le-premier-entretien-de-mbappe-a-son-arrivee-au-psg_AN-202112040012.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 13:45:54 GMT", - "enclosure": "https://images.bfmtv.com/RsCUY1oMht5tsb_rORtVq2bbcXw=/12x0:1532x855/800x0/images/Ferran-Torres-est-cible-par-le-Barca-1176247.jpg", + "pubDate": "Sat, 04 Dec 2021 12:00:00 GMT", + "enclosure": "https://images.bfmtv.com/nFJxJtfqzkZRpQAfB0U59BjjiH0=/4x55:1380x829/800x0/images/Kylian-Mbappe-sur-RMC-Sport-en-2017-1181255.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44441,17 +49076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "032545fcfebdd512be14cb6f3f8e63ef" + "hash": "369c5e2bfb6d1b976552e52a458676c6" }, { - "title": "Racing: Nyakane espéré rapidement, Tafili en contacts avancés", - "description": "Le pilier droit toulousain, Paulo Tafili, est en discussions avancés avec le Racing 92 qui cherche à se renforcer à ce poste pour la saison prochaine mais aussi à plus court terme. L’international sud-africain, Trevor Nyakane, est espéré dans les jours à venir alors que l’arrivée du deuxième ligne namibien Anton Bresler est bouclée.\n

", - "content": "Le pilier droit toulousain, Paulo Tafili, est en discussions avancés avec le Racing 92 qui cherche à se renforcer à ce poste pour la saison prochaine mais aussi à plus court terme. L’international sud-africain, Trevor Nyakane, est espéré dans les jours à venir alors que l’arrivée du deuxième ligne namibien Anton Bresler est bouclée.\n

", + "title": "Biathlon en direct: les Bleus deuxièmes du relais derrière la Norvège", + "description": "Comme le week-end passé, la Coupe du monde de biathlon faisait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e places d'Anaïs Bescond et Anaïs Chevalier-Bouchet. Elle s'est achevée avec la 2e place des Tricolores au relais messieurs derrière la Norvège.

", + "content": "Comme le week-end passé, la Coupe du monde de biathlon faisait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e places d'Anaïs Bescond et Anaïs Chevalier-Bouchet. Elle s'est achevée avec la 2e place des Tricolores au relais messieurs derrière la Norvège.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/racing-nyakane-espere-rapidement-tafili-en-contacts-avances_AV-202111300303.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-veulent-briller-sur-la-poursuite_LN-202112040116.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 13:38:38 GMT", - "enclosure": "https://images.bfmtv.com/oPKOUmnf31VVqbExLJuMTLYNRFg=/0x0:1200x675/800x0/images/Trevor-Nyakane-1178500.jpg", + "pubDate": "Sat, 04 Dec 2021 11:54:00 GMT", + "enclosure": "https://images.bfmtv.com/TNoMfgNqAz66_LxBPDgeFASyBbc=/0x106:2048x1258/800x0/images/Quentin-Fillon-Maillet-1181550.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44461,17 +49096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9cedced2c96a579335046549830d50c" + "hash": "2e2edeab501757e4bed112c7224a82e0" }, { - "title": "Coupe du monde 2022: Bielsa affiche ses inquiétudes pour \"l’avenir du football professionnel\"", - "description": "L’organisation de la Coupe du monde 2022 en hiver est loin de satisfaire tout le monde. Ce lundi en conférence de presse, l’entraîneur de Leeds, Marcelo Bielsa, a dénoncé le rythme que les instances veulent imposer aux joueurs, tout en affichant ses craintes pour l’avenir de ce sport.

", - "content": "L’organisation de la Coupe du monde 2022 en hiver est loin de satisfaire tout le monde. Ce lundi en conférence de presse, l’entraîneur de Leeds, Marcelo Bielsa, a dénoncé le rythme que les instances veulent imposer aux joueurs, tout en affichant ses craintes pour l’avenir de ce sport.

", + "title": "Dortmund-Bayern en direct : le BVB puni par un penalty accordé après vidéo", + "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-bielsa-affiche-ses-inquietudes-pour-l-avenir-du-football-professionnel_AV-202111300298.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 13:17:17 GMT", - "enclosure": "https://images.bfmtv.com/5NhUSBMWB9ZklNSZRt1PQeZMRLk=/0x124:2000x1249/800x0/images/Marcelo-Bielsa-Leeds-1017302.jpg", + "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", + "enclosure": "https://images.bfmtv.com/HD8MsEJG9z-J16ITXA_EimM_1ic=/0x101:2048x1253/800x0/images/Coman-et-Mueller-avec-le-Bayern-1181736.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44481,17 +49116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "57328d548aa0693e435212b328165e9c" + "hash": "24362c9f9f5d48bb93c4c951fa9800cb" }, { - "title": "PSG-Nice: Messi incertain pour des symptômes de gastro-entérite", - "description": "Lionel Messi n'a pas participé à l'entraînement collectif du Paris Saint-Germain ce mardi, à la veille du match face à l'OGC Nice, au Parc des Princes (mercredi à 21h). L'Argentin, qui a soulevé son 7e Ballon d'or lundi soir, est souffrant.

", - "content": "Lionel Messi n'a pas participé à l'entraînement collectif du Paris Saint-Germain ce mardi, à la veille du match face à l'OGC Nice, au Parc des Princes (mercredi à 21h). L'Argentin, qui a soulevé son 7e Ballon d'or lundi soir, est souffrant.

", + "title": "Lille-Troyes en direct : Jonathan David ramène le LOSC", + "description": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", + "content": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-nice-messi-incertain-pour-des-symptomes-de-gastro-enterite_AV-202111300295.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-en-direct-le-losc-veut-confirmer_LS-202112040213.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 13:07:22 GMT", - "enclosure": "https://images.bfmtv.com/LYwD6tooatVlv9SicDaUDfOdNH4=/0x0:1200x675/800x0/images/Lionel-Messi-1178484.jpg", + "pubDate": "Sat, 04 Dec 2021 17:00:04 GMT", + "enclosure": "https://images.bfmtv.com/HOgGspRzlInkVf-BcnosNnlZsoQ=/0x25:2048x1177/800x0/images/Renato-Sanches-lors-de-Lille-Troyes-1181709.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44501,17 +49136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9840d2e36f93da76901ee9629faa539c" + "hash": "dc54ef0cbc9db7ae52a4df3e15d2c551" }, { - "title": "PSG: Messi va présenter son Ballon d’or dès mercredi face à Nice", - "description": "Selon les informations de RMC Sport, le PSG va présenter le Ballon d’or de Lionel Messi au Parc des Princes dès ce mercredi lors de la réception de Nice (21h, 16e journée de Ligue 1), tout en réfléchissant à un évènement plus important le 12 décembre.

", - "content": "Selon les informations de RMC Sport, le PSG va présenter le Ballon d’or de Lionel Messi au Parc des Princes dès ce mercredi lors de la réception de Nice (21h, 16e journée de Ligue 1), tout en réfléchissant à un évènement plus important le 12 décembre.

", + "title": "Lens-PSG en direct: Mbappé laissé sur le banc, un trio d'attaque 100% argentin pour Paris", + "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", + "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-pourrait-presenter-son-ballon-d-or-des-mercredi-face-a-nice_AV-202111300291.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:59:26 GMT", - "enclosure": "https://images.bfmtv.com/azCw8pTgANT-XAUy6AX_i3s5FWs=/4x78:1444x888/800x0/images/Lionel-Messi-et-Luis-Suarez-1178476.jpg", + "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", + "enclosure": "https://images.bfmtv.com/V4GviEeMbOqTGW98MQjl9WZmGwY=/0x0:752x423/800x0/images/Les-attaquants-argentins-Lionel-Messi-et-Angel-Di-Maria-a-l-echauffement-avant-leur-match-contre-Lyon-le-19-septembre-2021-au-Parc-des-Princes-1179041.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44521,17 +49156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "897c7d6aa72f0846bdb1fe5419fff895" + "hash": "5a942f3b17e7c59e472bee3813d860c0" }, { - "title": "OL: les mesures prises et réclamées par Lyon après les incidents face à l'OM", - "description": "Une dizaine de jours après les incidents qui ont entraîné l’arrêt de son match face à l’OM en Ligue 1, l’OL a publié ce mardi un communiqué pour défendre sa position. Les Gones réclament de nouvelles règles et un protocole de sécurité validé par les instances, afin d’améliorer la situation dans les stades français.

", - "content": "Une dizaine de jours après les incidents qui ont entraîné l’arrêt de son match face à l’OM en Ligue 1, l’OL a publié ce mardi un communiqué pour défendre sa position. Les Gones réclament de nouvelles règles et un protocole de sécurité validé par les instances, afin d’améliorer la situation dans les stades français.

", + "title": "OM-Brest: à quelle heure et sur quelle chaîne regarder le match de Ligue 1", + "description": "L’OM accueille Brest ce samedi à 17h au stade Vélodrome, un match comptant pour la 17e journée de Ligue 1.

", + "content": "L’OM accueille Brest ce samedi à 17h au stade Vélodrome, un match comptant pour la 17e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-les-mesures-prises-et-reclamees-par-lyon-apres-les-incidents-face-a-l-om_AV-202111300289.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-a-quelle-heure-et-sur-quelle-chaine-regarder-le-match-de-ligue-1_AV-202112040115.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:58:58 GMT", - "enclosure": "https://images.bfmtv.com/HUIle36ERb8WjXM7JbTN-xOU1oY=/0x212:2048x1364/800x0/images/Dimitri-Payet-au-sol-lors-d-OL-OM-1173034.jpg", + "pubDate": "Sat, 04 Dec 2021 11:47:36 GMT", + "enclosure": "https://images.bfmtv.com/IoAkFxR2nh4MYeiZXyAsMe9q7bI=/0x0:2048x1152/800x0/images/Matteo-Guendouzi-1160560.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44541,17 +49176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "41ce59367769c7dd7e707cd69b6c4c14" + "hash": "40dd5bf9c997d3eb4c5d4242709e3e5a" }, { - "title": "OM: les mots forts du président Macron pour Eyraud", - "description": "Emmanuel Macron a remis lundi la Légion d’honneur à Jacques-Henri Eyraud. Le président de la République a salué le travail de l’ancien président de l’OM et en a aussi profité pour plaisanter avec Kylian Mbappé sur le club phocéen.

", - "content": "Emmanuel Macron a remis lundi la Légion d’honneur à Jacques-Henri Eyraud. Le président de la République a salué le travail de l’ancien président de l’OM et en a aussi profité pour plaisanter avec Kylian Mbappé sur le club phocéen.

", + "title": "Barça: une offensive de l’AC Milan pour Umtiti ?", + "description": "Avec l’absence pour plusieurs mois de Simon Kjaer, l’AC Milan devrait recruter lors du mercato hivernal un défenseur central. Selon Sport, les Milanais pourraient lancer prochainement une offensive afin de recruter Samuel Umtiti.

", + "content": "Avec l’absence pour plusieurs mois de Simon Kjaer, l’AC Milan devrait recruter lors du mercato hivernal un défenseur central. Selon Sport, les Milanais pourraient lancer prochainement une offensive afin de recruter Samuel Umtiti.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-les-mots-forts-du-president-macron-pour-eyraud_AV-202111300284.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-une-offensive-de-l-ac-milan-pour-umtiti_AV-202112040105.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:54:41 GMT", - "enclosure": "https://images.bfmtv.com/hZaFvoR9EdeB1RmLJJsi-wY37wQ=/0x212:2048x1364/800x0/images/Emmanuel-Macron-au-palais-de-l-Elysee-1178474.jpg", + "pubDate": "Sat, 04 Dec 2021 11:30:15 GMT", + "enclosure": "https://images.bfmtv.com/x9bnHk5j99Aej1RDcfBsOVaEkE8=/0x68:2048x1220/800x0/images/Samuel-Umtiti-1123672.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44561,17 +49196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1650498530631d979a5863337b25610" + "hash": "549fed02b451fc4b8790432a75505250" }, { - "title": "\"A Doha, ils veulent Zidane comme entraîneur du PSG\" selon Fred Hermel", - "description": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport et biographe de Zinedine Zidane, le technicien français a bien été sondé par Doha pour éventuellement remplacer Mauricio Pochettino sur le banc du PSG. Mais Zizou n'a pas échangé avec Leonardo et n'est pas intéressé pour l'instant.

", - "content": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport et biographe de Zinedine Zidane, le technicien français a bien été sondé par Doha pour éventuellement remplacer Mauricio Pochettino sur le banc du PSG. Mais Zizou n'a pas échangé avec Leonardo et n'est pas intéressé pour l'instant.

", + "title": "Ballon d'or: les votes les plus surprenants des journalistes", + "description": "Les détails des votes du Ballon d’or 2021, attribué à Lionel Messi devant Robert Lewandowski, ont été dévoilés. Certains classements peuvent surprendre…

", + "content": "Les détails des votes du Ballon d’or 2021, attribué à Lionel Messi devant Robert Lewandowski, ont été dévoilés. Certains classements peuvent surprendre…

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/a-doha-ils-veulent-zidane-comme-entraineur-du-psg-selon-fred-hermel_AV-202111290502.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ballon-d-or-les-votes-les-plus-surprenants-des-journalistes_AV-202112040099.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:38:48 GMT", - "enclosure": "https://images.bfmtv.com/h7eB9lWq2UpSgKSaxe4PMiLmEBA=/0x39:2048x1191/800x0/images/Zinedine-Zidane-1177940.jpg", + "pubDate": "Sat, 04 Dec 2021 11:17:50 GMT", + "enclosure": "https://images.bfmtv.com/Hbw8RZKPUV3XWDCzavG5UU3cIr0=/0x24:2048x1176/800x0/images/Lionel-Messi-1181442.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44581,17 +49216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5167f6085f9f26d7f39353bc306332fc" + "hash": "3330fd2eaf48e7fe12dad5f2c0121b65" }, { - "title": "Ballon d'or: Cristiano Ronaldo clashe l'organisation avec une énorme colère", - "description": "Absent de la cérémonie du Ballon d'or ce lundi soir à Paris, le quintuple vainqueur Cristiano Ronaldo a publié un message incendiaire contre l'organisation.

", - "content": "Absent de la cérémonie du Ballon d'or ce lundi soir à Paris, le quintuple vainqueur Cristiano Ronaldo a publié un message incendiaire contre l'organisation.

", + "title": "Dortmund-Bayern en direct : Lewandowski répond directement à Brandt", + "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/ballon-d-or-cristiano-ronaldo-clashe-l-organisation-en-piquant-une-enorme-colere_AV-202111290501.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:35:43 GMT", - "enclosure": "https://images.bfmtv.com/Ja9F_UoCOZ8lqZy0MNaVeRqVeeQ=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-depite-apres-Portugal-Serbie-1-2-1167324.jpg", + "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", + "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44601,17 +49236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f3da5217d05658b4a022be0e928270c8" + "hash": "ff2880d9222e9ada49267ccec58a1e63" }, { - "title": "Rachat du FC Nantes: des supporters nantais fustigent l’association \"A la Nantaise\"", - "description": "Sur fond de tentative pour racheter le FC Nantes, des supporters nantais ont dénoncé ce lundi la volonté de l'association \"A la Nantaise\" de créer une société.

", - "content": "Sur fond de tentative pour racheter le FC Nantes, des supporters nantais ont dénoncé ce lundi la volonté de l'association \"A la Nantaise\" de créer une société.

", + "title": "Lille-Troyes en direct : un duo Yilmaz-Ikoné en attaque, David sur le banc", + "description": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", + "content": "Trois jours après la belle victoire à Rennes, Lille veut enchaîner un deuxième succès consécutif face à Troyes, quelques jours avant un match décisif face à Wolfsbourg en Ligue des Champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/rachat-du-fc-nantes-des-supporters-nantais-fustigent-l-association-a-la-nantaise_AV-202111290473.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-troyes-en-direct-le-losc-veut-confirmer_LS-202112040213.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 17:59:15 GMT", - "enclosure": "https://images.bfmtv.com/waf2_2EfK1sArgu-Y4nZlxl10zk=/0x106:2048x1258/800x0/images/Des-supporters-de-Nantes-1134141.jpg", + "pubDate": "Sat, 04 Dec 2021 17:00:04 GMT", + "enclosure": "https://images.bfmtv.com/750VDUByVahnQLm86lqxxpIM0GU=/0x169:2048x1321/800x0/images/Burak-YILMAZ-1150769.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44621,17 +49256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6cd71f4bfc6c5e9f52dcd446336e8af9" + "hash": "6c891aa9388656440fa94c8c4339c32a" }, { - "title": "Bruno Martini, nouveau président de la LNH: \"Je n’ai pas coupé le cordon\"", - "description": "Bruno Martini est devenu ce lundi le 5e président de l’histoire de la Ligue nationale de handball (LNH). Il succède à David Tebib, président de l’USAM Nîmes qui assurait l’intérim depuis le départ en 2020 d’Olivier Girault, qui avait tenté de briguer la présidence de la Fédération. Manager général du PSG Handball pendant plus de 10 ans, il avait quitté ses fonctions en janvier 2021 pour rejoindre le monde de l’e-sport et la Team Vitality, une des plus grosses équipes européennes. Démarché pour reprendre les rênes de la Ligue, Bruno Martini, double champion du monde avec la France, n’a pas longtemps hésité. Le handball, c’est sa vie.

", - "content": "Bruno Martini est devenu ce lundi le 5e président de l’histoire de la Ligue nationale de handball (LNH). Il succède à David Tebib, président de l’USAM Nîmes qui assurait l’intérim depuis le départ en 2020 d’Olivier Girault, qui avait tenté de briguer la présidence de la Fédération. Manager général du PSG Handball pendant plus de 10 ans, il avait quitté ses fonctions en janvier 2021 pour rejoindre le monde de l’e-sport et la Team Vitality, une des plus grosses équipes européennes. Démarché pour reprendre les rênes de la Ligue, Bruno Martini, double champion du monde avec la France, n’a pas longtemps hésité. Le handball, c’est sa vie.

", + "title": "GP d'Arabie saoudite en direct: pas de sanction contre Hamilton", + "description": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", + "content": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/handball/bruno-martini-nouveau-president-de-la-lnh-je-n-ai-pas-coupe-le-cordon_AN-202111290463.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-en-direct-verstappen-hamilton-avant-dernier-duel-pour-le-titre_LN-202112040175.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 17:45:41 GMT", - "enclosure": "https://images.bfmtv.com/T85nAjmwOshuDWyJF6YfSopBI1M=/0x0:1648x927/800x0/images/Bruno-Martini-nouveau-president-de-la-LNH-1177948.jpg", + "pubDate": "Sat, 04 Dec 2021 14:49:10 GMT", + "enclosure": "https://images.bfmtv.com/HGm11AmVQPJyCdBIg-oXdI-WEQs=/0x0:2048x1152/800x0/images/Lewis-Hamilton-en-Arabie-saoudite-1181592.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44641,17 +49276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5972108f5244e1c14101aa01c8961760" + "hash": "bf0bdc5649bc7003831cd7d7d492227e" }, { - "title": "Prix Puskas: pourquoi l'incroyable but de Khazri n’est pas dans la sélection", - "description": "La Fifa a dévoilé ce lundi les onze nommés pour le prix Puskas 2021. Une sélection dans laquelle ne figure pas le but de Wahbi Khazri, auteur d’un lob exceptionnel le mois dernier en Ligue 1. Une histoire de timing.

", - "content": "La Fifa a dévoilé ce lundi les onze nommés pour le prix Puskas 2021. Une sélection dans laquelle ne figure pas le but de Wahbi Khazri, auteur d’un lob exceptionnel le mois dernier en Ligue 1. Une histoire de timing.

", + "title": "Lens-PSG en direct: Mbappé laissé sur le banc", + "description": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", + "content": "Le PSG se déplace à Lens ce samedi, pour la 17e journée de Ligue 1. Malgré une petite baisse de forme, le club nordiste est toujours à la lutte pour le podium, tandis que Paris accuse une très grosse avance en tête du championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/prix-puskas-pourquoi-l-incroyable-but-de-khazri-n-est-pas-dans-la-selection_AV-202111290449.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-la-tres-belle-affiche-entre-lens-et-le-psg_LS-202112040220.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 17:25:38 GMT", - "enclosure": "https://images.bfmtv.com/mdl4oTXobNBqiGTxOJOGyNVPdVU=/14x0:2046x1143/800x0/images/Wahbi-KHAZRI-1157343.jpg", + "pubDate": "Sat, 04 Dec 2021 16:54:12 GMT", + "enclosure": "https://images.bfmtv.com/BS-hWN2RmIQoue45PGmjeF7fuTE=/3x25:2035x1168/800x0/images/Kylian-MBAPPE-1181388.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44661,17 +49296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3cf0f2546a6a6ca0c4bbaaccad045dcf" + "hash": "2735eed687fbcb6aa5fc8a7ae565e97c" }, { - "title": "Clermont : Morgan Parra ne restera pas", - "description": "INFO RMC SPORT. Le demi de mêlée international de Clermont Morgan Parra, en fin de contrat, quittera le club auvergnat en fin de saison.

", - "content": "INFO RMC SPORT. Le demi de mêlée international de Clermont Morgan Parra, en fin de contrat, quittera le club auvergnat en fin de saison.

", + "title": "ASSE: le plan de Serge Bueno pour racheter le club et éviter un repreneur étranger", + "description": "Opposé à l’idée que l'AS Saint-Etienne soit rachetée par des investisseurs étrangers, l’homme d’affaire franco-israélien Serge Bueno envisage de faire une offre à la direction des Verts dans les prochains jours. Son projet repose en partie sur la participation des \"entreprises et des décideurs locaux\".

", + "content": "Opposé à l’idée que l'AS Saint-Etienne soit rachetée par des investisseurs étrangers, l’homme d’affaire franco-israélien Serge Bueno envisage de faire une offre à la direction des Verts dans les prochains jours. Son projet repose en partie sur la participation des \"entreprises et des décideurs locaux\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/clermont-morgan-parra-ne-restera-pas_AV-202111290443.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-le-plan-de-serge-bueno-pour-racheter-le-club-et-eviter-un-repreneur-etranger_AV-202112040098.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 17:22:01 GMT", - "enclosure": "https://images.bfmtv.com/BxWEkBb7pkeQb1P7gz3Lin1G8cc=/0x0:768x432/800x0/images/Le-demi-de-melee-clermontois-Morgan-Parra-lors-du-quart-de-finale-de-la-Coupe-d-Europe-a-domicile-contre-le-Stade-Toulousain-le-11-avril-2021-au-stade-Marcel-Michelin-1005050.jpg", + "pubDate": "Sat, 04 Dec 2021 11:15:02 GMT", + "enclosure": "https://images.bfmtv.com/4g8bwIEwYRTzI_7ykBz_SCByTXw=/14x0:2046x1143/800x0/images/Roland-Romeyer-1181471.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44681,17 +49316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "74386a867990aab5d6b6df0ab44934bb" + "hash": "5ae122c115fe85f0c3c4c5f3fcbff232" }, { - "title": "LOU: Bastareaud se laisse un temps de réflexion avant son opération", - "description": "Victime d’une rupture du tendon quadricipital des deux genoux le week-end dernier, Mathieu Bastareaud n’a pas tranché sur la suite qu’il envisageait de donner à sa carrière après ce nouveau coup dur.

", - "content": "Victime d’une rupture du tendon quadricipital des deux genoux le week-end dernier, Mathieu Bastareaud n’a pas tranché sur la suite qu’il envisageait de donner à sa carrière après ce nouveau coup dur.

", + "title": "Mercato: Newcastle prêt à casser sa tirelire pour Lingard", + "description": "Doté de moyens colossaux avec l’arrivée des investisseurs saoudiens, Newcastle compte frapper fort dès le mercato hivernal. Derniers au classement de Premier League, les Magpies seraient prêts d’après le Times à casser leur tirelire pour s’attacher les services de Jesse Lingard.

", + "content": "Doté de moyens colossaux avec l’arrivée des investisseurs saoudiens, Newcastle compte frapper fort dès le mercato hivernal. Derniers au classement de Premier League, les Magpies seraient prêts d’après le Times à casser leur tirelire pour s’attacher les services de Jesse Lingard.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-bastareaud-se-laisse-un-temps-de-reflexion-avant-son-operation_AV-202111290423.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/mercato-newcastle-pret-a-casser-sa-tirelire-pour-lingard_AV-202112040096.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:56:37 GMT", - "enclosure": "https://images.bfmtv.com/VifGBdMzcm3KLr31gsDjrOB3EVc=/4x57:1044x642/800x0/images/-861700.jpg", + "pubDate": "Sat, 04 Dec 2021 11:04:41 GMT", + "enclosure": "https://images.bfmtv.com/lmSink1hJOjuswOw46S37pQihBc=/0x0:2016x1134/800x0/images/Jesse-Lingard-avec-Manchester-United-1153727.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44701,17 +49336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7499c3f4d3b1949ba16ecb3e61897dc8" + "hash": "950ddffc49e066af5d70694d397d2b59" }, { - "title": "PSG: un Ballon d'or de Messi pourrait-il rapporter gros à Paris?", - "description": "Si aucune prime n’est versée au lauréat du Ballon d'or, le coup de boost économique est tout de même énorme d'un point de vue individuel. C'est moins le cas pour le club du grand vainqueur. Qui pourrait être le PSG en cas de nouveau sacre de Lionel Messi.

", - "content": "Si aucune prime n’est versée au lauréat du Ballon d'or, le coup de boost économique est tout de même énorme d'un point de vue individuel. C'est moins le cas pour le club du grand vainqueur. Qui pourrait être le PSG en cas de nouveau sacre de Lionel Messi.

", + "title": "F1: sur quelle chaîne et à quelle heure regarder le GP d'Arabie Saoudite", + "description": "L'avant-dernière course de la saison de F1, le Grand Prix d'Arabie Saoudite à Djeddah, se déroule ce dimanche 5 décembre. L'extinction des feux est prévue à 18h30. Max Verstappen, qui compte huit points d'avance sur Lewis Hamilton, peut être sacré champion.

", + "content": "L'avant-dernière course de la saison de F1, le Grand Prix d'Arabie Saoudite à Djeddah, se déroule ce dimanche 5 décembre. L'extinction des feux est prévue à 18h30. Max Verstappen, qui compte huit points d'avance sur Lewis Hamilton, peut être sacré champion.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/psg-un-ballon-d-or-de-messi-pourrait-il-rapporter-gros-a-paris_AV-202111290419.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-sur-quelle-chaine-et-a-quelle-heure-regarder-le-gp-d-arabie-saoudite_AV-202112040093.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:50:56 GMT", - "enclosure": "https://images.bfmtv.com/qPS4MLS3TX69YKLC-_AWuNclTo4=/0x44:2032x1187/800x0/images/Lionel-Messi-avec-le-Ballon-d-or-2019-1177857.jpg", + "pubDate": "Sat, 04 Dec 2021 10:58:02 GMT", + "enclosure": "https://images.bfmtv.com/LRBpwZRjxi09iAXy0b25LMxrSCw=/0x106:2048x1258/800x0/images/GP-Arabie-Saoudite-1181445.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44721,37 +49356,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "f36d463fc43017c3db723467bc63cb92" + "hash": "c50f61bce450565c27e7e5c43c0ecacc" }, { - "title": "Ballon d’or 2021: deux trophées supplémentaires décernés", - "description": "La 65e édition du Ballon d’or va se dérouler ce lundi au théâtre du Châtelet de Paris. L’occasion de découvrir le nom du lauréat 2021. Deux nouveaux trophées seront également attribués durant la soirée.

", - "content": "La 65e édition du Ballon d’or va se dérouler ce lundi au théâtre du Châtelet de Paris. L’occasion de découvrir le nom du lauréat 2021. Deux nouveaux trophées seront également attribués durant la soirée.

", + "title": "Ligue 1 en direct: le groupe du PSG face à Lens, encore sans Ramos", + "description": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", + "content": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-2021-deux-trophees-supplementaires-decernes_AV-202111290409.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-de-17e-journee_LN-202112030112.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:37:27 GMT", - "enclosure": "https://images.bfmtv.com/Pr62-2q5RhJfC6YqIBHiQugQNyc=/0x33:2048x1185/800x0/images/Le-Ballon-d-or-1177365.jpg", + "pubDate": "Fri, 03 Dec 2021 07:34:55 GMT", + "enclosure": "https://images.bfmtv.com/ITxG3x_BfUuCbiq4k2NqGuXjfJI=/0x67:2048x1219/800x0/images/Sergio-Ramos-1172389.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "64eac1959a5238db4b60e5716124dd76" + "hash": "0f72068f5495ffe7f50725224c578c10" }, { - "title": "Ballon d'or 2021: Alves suggère d'offrir la récompense à Eriksen, \"car la vie est plus importante que le foot\"", - "description": "Dans un plaidoyer émouvant, le Barcelonais Daniel Alves a estimé que le Ballon d'or devrait être remis cette année au Danois Christian Eriksen, qui a frôlé la mort lors du dernier Euro.

", - "content": "Dans un plaidoyer émouvant, le Barcelonais Daniel Alves a estimé que le Ballon d'or devrait être remis cette année au Danois Christian Eriksen, qui a frôlé la mort lors du dernier Euro.

", + "title": "Dortmund-Bayern en direct : Tolisso, Hernandez et Coman titulaires face à Haaland", + "description": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", + "content": "À la lutte pour la première place de la Bundesliga, les deux grands rivaux allemands le Borussia Dortmund et le Bayern Munich se retrouvent ce samedi soir pour un choc qui vaudra cher. Le BVB va-t-il enfin faire chuter les Bavarois ?

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-2021-alves-suggere-d-offrir-la-recompense-a-eriksen-car-la-vie-est-plus-importante-que-le-foot_AV-202111290403.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-dortmund-bayern-en-direct_LS-202112040191.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:34:50 GMT", - "enclosure": "https://images.bfmtv.com/QD0HqwLYIyps8PB0OOulryi5FgU=/0x0:1200x675/800x0/images/Daniel-Alves-1177845.jpg", + "pubDate": "Sat, 04 Dec 2021 15:57:00 GMT", + "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44761,17 +49396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b2fa1552e8eb5ae0262c11682c912653" + "hash": "30b5dc3b2bae445d3bb33d0ddfe37d32" }, { - "title": "The Best: la Fifa rattrape sa boulette avec Edouard Mendy", - "description": "La Fifa a publié ce lundi un nouveau visuel des gardiens nommés pour ses trophées The Best. Et cette fois, le Sénégalais Edouard Mendy est bien vêtu du maillot de son équipe nationale.

", - "content": "La Fifa a publié ce lundi un nouveau visuel des gardiens nommés pour ses trophées The Best. Et cette fois, le Sénégalais Edouard Mendy est bien vêtu du maillot de son équipe nationale.

", + "title": "OM-Brest en direct: Marseille se fait égaliser sur penalty", + "description": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", + "content": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/the-best-la-fifa-rattrape-sa-boulette-avec-edouard-mendy_AV-202111290389.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-en-direct-les-marseillais-veulent-enchainer-lors-de-la-17e-journee-de-ligue-1_LS-202112040169.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:17:27 GMT", - "enclosure": "https://images.bfmtv.com/zlNDmwq2xsKh6btZv47GFApUJmU=/0x92:2048x1244/800x0/images/Edouard-Mendy-1177817.jpg", + "pubDate": "Sat, 04 Dec 2021 14:29:46 GMT", + "enclosure": "https://images.bfmtv.com/gISSXyiDd48JVHIljjhzUBEEFS4=/0x106:2048x1258/800x0/images/Luan-Peres-Arek-Milik-et-Dimitri-Payet-avec-l-OM-1181561.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44781,37 +49416,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae95114384c07be69d3fbf99f2bc3210" + "hash": "47c84b5514cfb65d14e76cffc80d4f98" }, { - "title": "Top 14: le terrible verdict est tombé pour Bastareaud", - "description": "Evacué sur civière et sorti en larmes samedi, lors de la défaite du LOU à Toulon, Mathieu Bastareaud souffre bien d’une rupture du tendon quadricipal des deux genoux. Une blessure rare qui va le mettre à l’arrêt pendant six mois et qui pose la question de la suite de sa carrière.

", - "content": "Evacué sur civière et sorti en larmes samedi, lors de la défaite du LOU à Toulon, Mathieu Bastareaud souffre bien d’une rupture du tendon quadricipal des deux genoux. Une blessure rare qui va le mettre à l’arrêt pendant six mois et qui pose la question de la suite de sa carrière.

", + "title": "GP d'Arabie saoudite en direct: enquête contre Hamilton avant les qualifications", + "description": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", + "content": "Avec un bon résultat de sa part et un coup de pouce, Max Verstappen (Red Bull) a la possibilité de ravir le titre de champion du monde à Lewis Hamilton (Mercedes) dès ce dimanche, à l'occasion du GP d'Arabie saoudite à Djeddah. Avant le début de l'avant-dernière course de l'année, le Néerlandais compte 8 points d'avance sur le Britannique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14-le-terrible-verdict-est-tombe-pour-bastareaud_AV-202111290372.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-en-direct-verstappen-hamilton-avant-dernier-duel-pour-le-titre_LN-202112040175.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:44:24 GMT", - "enclosure": "https://images.bfmtv.com/c6HYWzby3eUD1E2U0niImRmXz9A=/0x39:768x471/800x0/images/Mathieu-Bastareaud-evacue-du-terrain-sur-civiere-apres-s-etre-blesse-sur-le-terrain-de-Toulon-le-27-novembre-2021-1176826.jpg", + "pubDate": "Sat, 04 Dec 2021 14:49:10 GMT", + "enclosure": "https://images.bfmtv.com/HGm11AmVQPJyCdBIg-oXdI-WEQs=/0x0:2048x1152/800x0/images/Lewis-Hamilton-en-Arabie-saoudite-1181592.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ad6aa91525f75ccd3363970e58f16c3b" + "hash": "1479e765d80f521dbdb4cc89e62058d2" }, { - "title": "Prix Puskas: un joueur d'Auxerre en en lice pour le plus beau but de l’année", - "description": "L'ailier de l'AJ, Auxerre Gauthier Hein, a été choisi pour figurer parmi les onze nommés au trophée Puskas, récompensant le plus beau but de l'année. Le résultat du vote sera connu le 17 janvier 2022.

", - "content": "L'ailier de l'AJ, Auxerre Gauthier Hein, a été choisi pour figurer parmi les onze nommés au trophée Puskas, récompensant le plus beau but de l'année. Le résultat du vote sera connu le 17 janvier 2022.

", + "title": "OM-Brest en direct: Payet est bien titulaire, Milik et Under remplaçants", + "description": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", + "content": "L'OM est deuxième de ligue 1 derrière le PSG avant la réception de Brest ce samedi lors de la 17e journée de la saison. Victorieux de Troyes et Nantes cette semaine, les protégés de Jorge Sampaoli espèrent enchaîner un troisième succès consécutif et conforter leur place de dauphin. Lancé dans une série de cinq victoires d'affilée, les Brestois sont en forme et comptent bien se rapprocher du top 5 de la Ligue 1 avec une nouvelle performance au Vélodrome. Un match à suivre dès 17h en direct commenté sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/prix-puskas-un-joueur-d-auxerre-en-en-lice-pour-le-plus-beau-but-de-l-annee_AV-202111290369.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-brest-en-direct-les-marseillais-veulent-enchainer-lors-de-la-17e-journee-de-ligue-1_LS-202112040169.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:43:48 GMT", - "enclosure": "https://images.bfmtv.com/W5418KKY6vFc8nw4pTvXrjewbe4=/0x2:1200x677/800x0/images/Gauthier-Hein-1177809.jpg", + "pubDate": "Sat, 04 Dec 2021 14:29:46 GMT", + "enclosure": "https://images.bfmtv.com/gISSXyiDd48JVHIljjhzUBEEFS4=/0x106:2048x1258/800x0/images/Luan-Peres-Arek-Milik-et-Dimitri-Payet-avec-l-OM-1181561.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44821,17 +49456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f39579c6a3befc58c59098dafc85fd8c" + "hash": "508a8f43a587c8aff09a6dcf378004d8" }, { - "title": "PSG: six à huit semaines d'absence pour Neymar", - "description": "Sorti sur civière dimanche à Saint-Etienne, Neymar souffre d’une entorse de la cheville gauche avec lésions ligamentaires. Le PSG annonce une indisponibilité de six à huit semaines.

", - "content": "Sorti sur civière dimanche à Saint-Etienne, Neymar souffre d’une entorse de la cheville gauche avec lésions ligamentaires. Le PSG annonce une indisponibilité de six à huit semaines.

", + "title": "OM: ce que Payet et Mandanda ont dit aux supporters pour éviter les débordements", + "description": "Pablo Longoria, Dimitri Payet et Steve Mandanda ont pris part vendredi à une réunion avec les supporters marseillais pour rappeler l'importance de ne plus avoir d'incident au Vélodrome. Tous se sont promis de faire preuve d’une grande vigilance.

", + "content": "Pablo Longoria, Dimitri Payet et Steve Mandanda ont pris part vendredi à une réunion avec les supporters marseillais pour rappeler l'importance de ne plus avoir d'incident au Vélodrome. Tous se sont promis de faire preuve d’une grande vigilance.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-six-a-huit-semaines-d-absence-pour-neymar_AV-202111290365.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-ce-que-payet-et-mandanda-ont-dit-aux-supporters-pour-eviter-les-debordements_AV-202112040064.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:35:28 GMT", - "enclosure": "https://images.bfmtv.com/XhddshPxaZy0hCmgHX2LCegVrmY=/0x106:2048x1258/800x0/images/Neymar-1177801.jpg", + "pubDate": "Sat, 04 Dec 2021 09:49:42 GMT", + "enclosure": "https://images.bfmtv.com/1dRHqqVtGJaP0vdeXIivkrJzFlw=/0x0:2048x1152/800x0/images/Dimitri-Payet-et-Steve-Mandanda-1181424.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44841,17 +49476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c45dd9f147326390e71bbbb4fe61ce82" + "hash": "88f8008511484c3f48bd13a473f9fb64" }, { - "title": "Tsonga, aux côtés des jeunes talents du tennis", - "description": "Créée depuis 2018, la Team Jeunes Talents de la BNP Paribas aide à la formation des futurs champions de tennis. Jo-Wilfried Tsonga, parrain du programme, les aide et est témoin des nouvelles générations. Dix nouveaux jeunes joueurs viennent d’intégrer la Team, affiliée à BNP Paribas et la Fédération Française de Tennis. 

", - "content": "Créée depuis 2018, la Team Jeunes Talents de la BNP Paribas aide à la formation des futurs champions de tennis. Jo-Wilfried Tsonga, parrain du programme, les aide et est témoin des nouvelles générations. Dix nouveaux jeunes joueurs viennent d’intégrer la Team, affiliée à BNP Paribas et la Fédération Française de Tennis. 

", + "title": "PSG: Messi raconte pourquoi il s'est allongé derrière le mur contre Manchester City", + "description": "Lionel Messi, dans une interview publiée samedi dans France Football, revient sur le moment le plus étonnant de PSG-Manchester City: l'Argentin s'était allongé derrière un mur parisien sur un coup franc adverse. Un geste qui avait surpris, mais qu'il trouve tout à fait normal.

", + "content": "Lionel Messi, dans une interview publiée samedi dans France Football, revient sur le moment le plus étonnant de PSG-Manchester City: l'Argentin s'était allongé derrière un mur parisien sur un coup franc adverse. Un geste qui avait surpris, mais qu'il trouve tout à fait normal.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/tsonga-aux-cotes-des-jeunes-talents-du-tennis_AV-202111290355.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-messi-raconte-pourquoi-il-s-est-allonge-derriere-le-mur-contre-manchester-city_AV-202112040053.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:21:37 GMT", - "enclosure": "https://images.bfmtv.com/LuX3-G0bHwN9GhaazMxBrcMn5vc=/0x0:1280x720/800x0/images/Jo-Wilfried-Tsonga-et-la-Team-Jeunes-Talents-de-la-BNP-Paribas-1173638.jpg", + "pubDate": "Sat, 04 Dec 2021 09:03:26 GMT", + "enclosure": "https://images.bfmtv.com/Hqm-zc0JztuT7SBF4hKbxHRJHZo=/0x109:2048x1261/800x0/images/Lionel-Messi-allonge-au-sol-derriere-le-mur-parisien-1137125.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44861,17 +49496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c404791a47c6936ed507dc53600a656" + "hash": "74fdab582493cbcc0c464928cb38d564" }, { - "title": "Nantes: la mise au point de Kombouaré sur ses critiques contre les jeunes du centre de formation", - "description": "Après avoir créé la polémique en trouvant \"inquiétant\" le niveau des jeunes au centre de formation du FC Nantes, l’entraîneur des Canaris, Antoine Kombouaré, a nuancé ses propos lundi, à deux jours de la réception de l’OM à la Beaujoire.

", - "content": "Après avoir créé la polémique en trouvant \"inquiétant\" le niveau des jeunes au centre de formation du FC Nantes, l’entraîneur des Canaris, Antoine Kombouaré, a nuancé ses propos lundi, à deux jours de la réception de l’OM à la Beaujoire.

", + "title": "Mercato: Ousmane Dembélé serait courtisé par Tottenham", + "description": "En fin de contrat l'été prochain, Ousmane Dembélé n'a toujours pas trouvé d'accord avec le FC Barcelone pour une prolongation. Selon le quotidien Mundo Deportivo, Tottenham compte profiter de la situation pour recruter le Français sans débourser la moindre indemnité de transfert.

", + "content": "En fin de contrat l'été prochain, Ousmane Dembélé n'a toujours pas trouvé d'accord avec le FC Barcelone pour une prolongation. Selon le quotidien Mundo Deportivo, Tottenham compte profiter de la situation pour recruter le Français sans débourser la moindre indemnité de transfert.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-la-mise-au-point-de-kombouare-sur-ses-critiques-contre-les-jeunes-du-centre-de-formation_AV-202111290351.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-ousmane-dembele-serait-courtise-par-tottenham_AV-202112040050.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:59:55 GMT", - "enclosure": "https://images.bfmtv.com/fYTWH4Gg3OWxHxyNpxv1yzT5CPY=/0x39:768x471/800x0/images/L-entraineur-de-Nantes-Antoine-Kombouare-encourage-ses-joueurs-lors-du-match-de-L1-a-domicilecontre-Marseille-le-20-fevrier-2021-au-stade-de-La-Beaujoire-1035343.jpg", + "pubDate": "Sat, 04 Dec 2021 08:43:34 GMT", + "enclosure": "https://images.bfmtv.com/-nIJ64YiA861PaDr_ti_SH-tkZI=/0x27:2048x1179/800x0/images/Ousmane-DEMBELE-1181396.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44881,17 +49516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "33f668a84d404b1918a09a9eb7bfb700" + "hash": "8bb47310130eaccee5008f4e079a064a" }, { - "title": "Racing 92: Teddy Thomas s’excuse auprès de l’UBB et de Cordero pour son attitude jugée arrogante", - "description": "Teddy Thomas s'est défendu sur Instagram d'avoir voulu manquer de respect à l'UBB et Santiago Cordero dimanche soir, au cours d'un match, remporté par Bordeaux au Racing (37-14) où on l'a vu faire preuve d'impertinence dans ses attitudes. Ce qui a eu le don d'agacer Christophe Urios.

", - "content": "Teddy Thomas s'est défendu sur Instagram d'avoir voulu manquer de respect à l'UBB et Santiago Cordero dimanche soir, au cours d'un match, remporté par Bordeaux au Racing (37-14) où on l'a vu faire preuve d'impertinence dans ses attitudes. Ce qui a eu le don d'agacer Christophe Urios.

", + "title": "PSG: Donnarumma assure être \"ami\" avec Navas", + "description": "\"Il n'y a pas le moindre conflit\", affirme Gianluigi Donnarumma, dans une interview accordée à France Football, à propos de son \"excellent rapport\" avec Keylor Navas au PSG.

", + "content": "\"Il n'y a pas le moindre conflit\", affirme Gianluigi Donnarumma, dans une interview accordée à France Football, à propos de son \"excellent rapport\" avec Keylor Navas au PSG.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/racing-92-teddy-thomas-s-excuse-aupres-de-l-ubb-et-de-cordero-pour-son-attitude-jugee-arrogante_AV-202111290349.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-donnarumma-assure-etre-ami-avec-navas_AV-202112040039.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:58:18 GMT", - "enclosure": "https://images.bfmtv.com/N6ZavHoWjyjWgnitqEDx81DTpB4=/0x43:1200x718/800x0/images/Teddy-Thomas-1177783.jpg", + "pubDate": "Sat, 04 Dec 2021 08:00:54 GMT", + "enclosure": "https://images.bfmtv.com/-z-E69xmqPlkVOoxgoMUMdopaMM=/0x67:2048x1219/800x0/images/Navas-Donnarumma-1181392.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44901,17 +49536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ed5c7e72362bba5bd01315a4d246df3" + "hash": "668db64aee3c12ee2ab7b78c51f0bc12" }, { - "title": "Les pronos hippiques du mardi 30 novembre 2021", - "description": "Le Quinté+ du mardi 30 novembre est programmé sur l’hippodrome de Deauville dans la discipline du plat. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du mardi 30 novembre est programmé sur l’hippodrome de Deauville dans la discipline du plat. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Lens-PSG: sur quelle chaîne et à quelle heure regarder le match de Ligue 1", + "description": "Cinquième au classement, le RC Lens accueille le leader parisien ce samedi (21h) à l'occasion de la 17e journée de Ligue 1. Un match à suivre sur Canal+ Décalé et à la radio sur RMC.

", + "content": "Cinquième au classement, le RC Lens accueille le leader parisien ce samedi (21h) à l'occasion de la 17e journée de Ligue 1. Un match à suivre sur Canal+ Décalé et à la radio sur RMC.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-mardi-30-novembre-2021_AN-202111290348.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lens-psg-sur-quelle-chaine-et-a-quelle-heure-regarder-le-match-de-ligue-1_AV-202112040038.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:56:59 GMT", - "enclosure": "https://images.bfmtv.com/Z5rKyzZe-BVrlNrqNcLuuDmKxcU=/1x35:337x224/800x0/images/Les-pronos-hippiques-du-30-novembre-2021-1177519.jpg", + "pubDate": "Sat, 04 Dec 2021 07:50:40 GMT", + "enclosure": "https://images.bfmtv.com/BS-hWN2RmIQoue45PGmjeF7fuTE=/3x25:2035x1168/800x0/images/Kylian-MBAPPE-1181388.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44921,17 +49556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ca6bb73b2029489214445dc3a59f4b48" + "hash": "261eeaba2df08c8b8af9ee10d7803e25" }, { - "title": "PSG: Marquinhos a entamé des discussions pour une prolongation", - "description": "Selon nos informations, le Paris Saint-Germain a commencé à discuter d’une prolongation de contrat avec Marquinhos, défenseur central et surtout capitaine du PSG, lié au club de la capitale jusqu’en 2024.

", - "content": "Selon nos informations, le Paris Saint-Germain a commencé à discuter d’une prolongation de contrat avec Marquinhos, défenseur central et surtout capitaine du PSG, lié au club de la capitale jusqu’en 2024.

", + "title": "Mercato: en feu avec Lille, Jonathan David serait ciblé par Arsenal", + "description": "Selon la presse britannique, Arsenal pense à Jonathan David pour renforcer son attaque l'été prochain. Le Canadien de 21 ans est l'actuel meilleur buteur de Ligue 1 avec 10 réalisations.

", + "content": "Selon la presse britannique, Arsenal pense à Jonathan David pour renforcer son attaque l'été prochain. Le Canadien de 21 ans est l'actuel meilleur buteur de Ligue 1 avec 10 réalisations.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-marquinhos-a-entame-des-discussions-pour-une-prolongation_AV-202111290331.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-feu-avec-lille-jonathan-david-serait-cible-par-arsenal_AV-202112040031.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:10:30 GMT", - "enclosure": "https://images.bfmtv.com/4by0-zGS0-wbQhd0G9kZmKaKhGU=/0x106:2048x1258/800x0/images/Marquinhos-1150425.jpg", + "pubDate": "Sat, 04 Dec 2021 07:15:00 GMT", + "enclosure": "https://images.bfmtv.com/o-t3jfE9OFNmhx61FY09lvmZgSs=/10x57:2042x1200/800x0/images/Jonathan-DAVID-1181385.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44941,17 +49576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9dab24e6321d7d010370f7c0f85acc4" + "hash": "4df25b612088f461f6698108fcc31dcc" }, { - "title": "Nice: comment Galtier s’inspire de Manchester City avant le match contre le PSG", - "description": "Christophe Galtier a livré lundi un petit secret de sa préparation pour le match entre Nice et le PSG. Avant de défier Paris, mercredi au Parc des Princes lors de la 16e journée de Ligue 1, l’entraîneur niçois s’est notamment appuyé sur la victoire de Manchester City en Ligue des champions.

", - "content": "Christophe Galtier a livré lundi un petit secret de sa préparation pour le match entre Nice et le PSG. Avant de défier Paris, mercredi au Parc des Princes lors de la 16e journée de Ligue 1, l’entraîneur niçois s’est notamment appuyé sur la victoire de Manchester City en Ligue des champions.

", + "title": "Liga: menacé d'exclusion des coupes d'Europe, le Betis contre-attaque", + "description": "Le Betis Séville, qui fait partie des huit clubs européens sanctionnés vendredi par l'UEFA pour des dettes excessives ou des impayés, assure être en règle. Le club de Nabil Fekir risque une exclusion des coupes d'Europe pour trois saisons.

", + "content": "Le Betis Séville, qui fait partie des huit clubs européens sanctionnés vendredi par l'UEFA pour des dettes excessives ou des impayés, assure être en règle. Le club de Nabil Fekir risque une exclusion des coupes d'Europe pour trois saisons.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-comment-galtier-s-inspire-de-manchester-city-avant-le-match-contre-le-psg_AV-202111290325.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-menace-d-exclusion-des-coupes-d-europe-le-betis-contre-attaque_AV-202112040028.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:49:26 GMT", - "enclosure": "https://images.bfmtv.com/Ew8LXuLtyayRQMlluQum0fjFt90=/0x172:2048x1324/800x0/images/Christophe-Galtier-donne-des-consignes-aux-joueurs-de-Nice-1177758.jpg", + "pubDate": "Sat, 04 Dec 2021 06:45:18 GMT", + "enclosure": "https://images.bfmtv.com/0q-JVVz-eC8ANBORl_5dZCoFhZM=/0x0:2048x1152/800x0/images/Alex-MORENO-et-Nabil-FEKIR-1181340.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44961,17 +49596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ccc369a68eb24f4cd6eb85f7882f8c7" + "hash": "60909c6046e4e6c11eb9f2b6f57be9fa" }, { - "title": "Nantes: \"Marcher sur l'OM\", Kombouaré s’amuse de sa petite phrase", - "description": "Antoine Kombouaré a expliqué ses propos en conférence de presse, lui qui avait déclaré vouloir \"marcher sur l’OM\", que le FC Nantes reçoit mercredi (21h), en Ligue 1.

", - "content": "Antoine Kombouaré a expliqué ses propos en conférence de presse, lui qui avait déclaré vouloir \"marcher sur l’OM\", que le FC Nantes reçoit mercredi (21h), en Ligue 1.

", + "title": "Open d'Australie: Djokovic entretient le flou sur sa participation", + "description": "Neuf fois titré à Melbourne, dont la dernière fois en février, Novak Djokovic refuse toujours de dire s'il a été vacciné contre le Covid-19, et donc s'il pourra participer ou non à l'Open d'Australie au mois de janvier.

", + "content": "Neuf fois titré à Melbourne, dont la dernière fois en février, Novak Djokovic refuse toujours de dire s'il a été vacciné contre le Covid-19, et donc s'il pourra participer ou non à l'Open d'Australie au mois de janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-marcher-sur-l-om-kombouare-s-amuse-de-sa-petite-phrase_AV-202111290323.html", + "link": "https://rmcsport.bfmtv.com/tennis/open-d-australie-djokovic-entretient-le-flou-sur-sa-participation_AV-202112040014.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:47:14 GMT", - "enclosure": "https://images.bfmtv.com/tru-36sddlugE2kXJ3eUWsRnGYI=/0x0:1200x675/800x0/images/Antoine-Kombouare-1177738.jpg", + "pubDate": "Sat, 04 Dec 2021 06:20:00 GMT", + "enclosure": "https://images.bfmtv.com/ErgLQe2BAobR01zIzT8E-f232Tk=/0x54:2032x1197/800x0/images/Novak-Djokovic-1181338.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -44981,17 +49616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "587a7c2fd2432533b233406072c20066" + "hash": "441b3a1c14e738689b277ecacdf0c528" }, { - "title": "Toulouse: Sofiane Guitoune prolonge deux ans", - "description": "INFO RMC SPORT - Le centre international du Stade Toulousain, Sofiane Guitoune, va prolonger son contrat cette semaine.\n

", - "content": "INFO RMC SPORT - Le centre international du Stade Toulousain, Sofiane Guitoune, va prolonger son contrat cette semaine.\n

", + "title": "Portugal: Sarabia et le Sporting dominent Benfica dans un intense derby de Lisbonne", + "description": "Le Sporting a largement battu Benfica (3-1) ce vendredi lors de la 13e journée du championnat portugais. Un but rapide de Pablo Sarabia a fait basculer un derby de Lisbonne, marqué par de nombreuses fautes et une grosse intensité. Paulinho et Matheus Nunes ont assuré la victoire des Lions.

", + "content": "Le Sporting a largement battu Benfica (3-1) ce vendredi lors de la 13e journée du championnat portugais. Un but rapide de Pablo Sarabia a fait basculer un derby de Lisbonne, marqué par de nombreuses fautes et une grosse intensité. Paulinho et Matheus Nunes ont assuré la victoire des Lions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/toulouse-sofiane-guitoune-prolonge-deux-ans_AV-202111290321.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-sarabia-et-le-sporting-dominent-benfica-dans-un-intense-derby-de-lisbonne_AV-202112030572.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:34:37 GMT", - "enclosure": "https://images.bfmtv.com/RKeZ3eMXTf7BnNVW7mXwLCq2kYs=/0x44:768x476/800x0/images/Le-centre-toulousain-Sofiane-Guitoune-echappe-a-la-defense-perpignanaise-lors-de-la-10e-journee-du-Top-14-le-6-novembre-2021-au-Stade-Ernest-Wallon-1161724.jpg", + "pubDate": "Fri, 03 Dec 2021 23:14:25 GMT", + "enclosure": "https://images.bfmtv.com/h3s_3nSpiiChVPhWqnu0wmHnKBs=/0x85:2032x1228/800x0/images/Pablo-Sarabia-buteur-lors-du-derby-de-Lisbonne-1181313.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45001,17 +49636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "87e6577628373c0a5416592760d6f42b" + "hash": "0bedafe12913b17958d4f5868547dbdb" }, { - "title": "Nantes: \"Il ne travaillait pas\", comment Kombouaré a relancé Lafont", - "description": "Après deux saisons mitigées au FC Nantes, Alban Lafont, décisif samedi à Lille, exprime enfin tout son talent depuis cet été. A deux jours de la réception de l’OM mercredi (21h) lors de la 16eme journée de Ligue 1, l’entraîneur des Canaris, Antoine Kombouaré, explique les raisons de cette renaissance.

", - "content": "Après deux saisons mitigées au FC Nantes, Alban Lafont, décisif samedi à Lille, exprime enfin tout son talent depuis cet été. A deux jours de la réception de l’OM mercredi (21h) lors de la 16eme journée de Ligue 1, l’entraîneur des Canaris, Antoine Kombouaré, explique les raisons de cette renaissance.

", + "title": "PRONOS PARIS RMC Le pari du jour du 4 décembre – Ligue 1", + "description": "Notre pronostic: le Paris-SG ne perd pas à Lens et les deux équipes marquent (1.80)

", + "content": "Notre pronostic: le Paris-SG ne perd pas à Lens et les deux équipes marquent (1.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-il-ne-travaillait-pas-comment-kombouare-a-relance-lafont_AV-202111290310.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-4-decembre-ligue-1_AN-202112030447.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:22:19 GMT", - "enclosure": "https://images.bfmtv.com/HcUfU881kf-H1rGEhDzL8Io4D0I=/0x0:2048x1152/800x0/images/Alban-Lafont-1177726.jpg", + "pubDate": "Fri, 03 Dec 2021 23:05:00 GMT", + "enclosure": "https://images.bfmtv.com/cgMMT5uFmAdh3U4Zw20WYHPgq1A=/1x205:2001x1330/800x0/images/Kylian-Mbappe-Paris-SG-1181123.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45021,17 +49656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "468f2ee0ec61881d80cc7f965add432b" + "hash": "8ebf4da532ff3825604c8663c9409a33" }, { - "title": "Ballon d'or en direct: Lewandowski est arrivé, la pression monte à Paris", - "description": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", - "content": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", + "title": "Biathlon en direct: Bescond et Chevalier-Bouchet sur le podium de la poursuite", + "description": "Comme le week-end passé, la Coupe du monde de biathlon fait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e place d'Anaïs Bescond et Anaïs Chevalier-Bouchet, derrière la Norvégienne Roeiseland. A 15h10, place au relais masculin. C'est à suivre en direct commenté sur RMC Sport.

", + "content": "Comme le week-end passé, la Coupe du monde de biathlon fait étape à Östersund, en Suède. La journée de samedi a débuté avec le doublé français sur la poursuite dames avec les 2e et 3e place d'Anaïs Bescond et Anaïs Chevalier-Bouchet, derrière la Norvégienne Roeiseland. A 15h10, place au relais masculin. C'est à suivre en direct commenté sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-en-direct-messi-benzema-ou-lewandowski-suivez-la-designation-du-vainqueur-2021_LN-202111290303.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-les-bleues-veulent-briller-sur-la-poursuite_LN-202112040116.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:05:30 GMT", - "enclosure": "https://images.bfmtv.com/AlG7dttBqLvbMhwqw5B8AzUFNpc=/0x104:1984x1220/800x0/images/Robert-Lewandowski-Bayern-1150017.jpg", + "pubDate": "Sat, 04 Dec 2021 11:54:00 GMT", + "enclosure": "https://images.bfmtv.com/zUFYf0AwJkA-g4QUVN4yUyiGmsg=/0x0:2048x1152/800x0/images/Anais-Bescond-2e-de-la-poursuite-1181513.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45041,17 +49676,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d205a42c4930b42da170dd7d97b4410" + "hash": "e46afa25f58ecc517fb6a35a879363d8" }, { - "title": "Tottenham: le beau geste de Kane pour deux supporters américains privés du match à Burnley", - "description": "Harry Kane a invité deux supporters de Tottenham à assister à une rencontre du club londonien cette saison. Une jolie initiative après le report du match contre Burnley ce dimanche pour lequel ces deux fans américains avaient parcouru plusieurs milliers de kilomètres.

", - "content": "Harry Kane a invité deux supporters de Tottenham à assister à une rencontre du club londonien cette saison. Une jolie initiative après le report du match contre Burnley ce dimanche pour lequel ces deux fans américains avaient parcouru plusieurs milliers de kilomètres.

", + "title": "PRONOS PARIS RMC Le pari sûr du 4 décembre – Ligue 1", + "description": "Notre pronostic: les deux équipes marquent lors de Marseille – Brest (1.72)

", + "content": "Notre pronostic: les deux équipes marquent lors de Marseille – Brest (1.72)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-le-beau-geste-de-kane-pour-deux-supporters-americains-prives-du-match-a-burnley_AV-202111290294.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-4-decembre-ligue-1_AN-202112030439.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 12:49:12 GMT", - "enclosure": "https://images.bfmtv.com/6-Xq2X9-x-opF5xt-ctzqDtiWkU=/0x0:2048x1152/800x0/images/Harry-Kane-applaudit-les-supporters-de-Tottenham-1177710.jpg", + "pubDate": "Fri, 03 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/JzvvviJsGCSURCPfCl4TGt-W5Uc=/7x107:1991x1223/800x0/images/Gerson-Marseille-1181118.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45061,17 +49696,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7048e01587c4026d1ac6eb929bc8be5b" + "hash": "247fa7e4a0127d04f50d6e5a1c371a70" }, { - "title": "Football: la détection \"semi-automatisée\" du hors-jeu testée lors de la Coupe arabe", - "description": "La Coupe arabe de football, qui s'ouvre mardi au Qatar, sera le premier grand test de la détection \"semi-automatisée\" du hors-jeu, que la Fifa espère introduire lors du Mondial 2022, a annoncé l'instance lundi.

", - "content": "La Coupe arabe de football, qui s'ouvre mardi au Qatar, sera le premier grand test de la détection \"semi-automatisée\" du hors-jeu, que la Fifa espère introduire lors du Mondial 2022, a annoncé l'instance lundi.

", + "title": "PRONOS PARIS RMC Le pari de folie du 4 décembre – Ligue 1", + "description": "Notre pronostic: Lille bat Troyes 1-0/2-0/3-0, David ou Yilmaz buteur (3.20)

", + "content": "Notre pronostic: Lille bat Troyes 1-0/2-0/3-0, David ou Yilmaz buteur (3.20)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/football-la-detection-semi-automatisee-du-hors-jeu-testee-lors-de-la-coupe-arabe_AD-202111290293.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-4-decembre-ligue-1_AN-202112030436.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 12:45:57 GMT", - "enclosure": "https://images.bfmtv.com/P90RqEo7JqTCV16ZW8_kLpQpTBs=/91x146:2043x1244/800x0/images/Hors-jeu-1035730.jpg", + "pubDate": "Fri, 03 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/eYZZAk1D1nvZd6pOXvvXQfuoEhE=/0x104:1984x1220/800x0/images/Jonathan-David-Lille-1181114.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45081,17 +49716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e2fcbd3288f7816df749dbc8c6ede45" + "hash": "9492f2ab39c6b4894469603e1fed5ebd" }, { - "title": "Coupe de France en direct: les affiches des 32es de finale tombent", - "description": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", - "content": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", + "title": "PRONOS PARIS RMC Le nul du jour du 4 décembre – Premier League - Angleterre", + "description": "Notre pronostic: pas de vainqueur entre Southampton et Brighton (3.15)

", + "content": "Notre pronostic: pas de vainqueur entre Southampton et Brighton (3.15)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-en-direct-le-tirage-des-32e-de-finale_LN-202111290286.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-4-decembre-premier-league-angleterre_AN-202112030432.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 12:33:41 GMT", - "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "pubDate": "Fri, 03 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/26ILD-NKEIc1ukGQT74Am6A6DRc=/0x117:2000x1242/800x0/images/Neal-Maupay-Brighton-1181112.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45101,17 +49736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e272360ec132072d4876a139f4d336b" + "hash": "afe1ed2c7bff1c04b95894707ee85de7" }, { - "title": "Manchester United: ce qu'il faut savoir sur Ralf Rangnick, le nouvel entraîneur des Red Devils", - "description": "Ralf Rangnick (63 ans) va assurer l'intérim sur le banc de Manchester United jusqu'à la fin de la saison ont officialisé ce lundi les Red Devils. Le technicien allemand, qui a inspiré de nombreux compatriotes avec son \"gegenpressing\", a déjà 35 ans de coaching derrière lui, et demeure essentiellement connu pour avoir fait passer le RB Leipzig dans une autre dimension.

", - "content": "Ralf Rangnick (63 ans) va assurer l'intérim sur le banc de Manchester United jusqu'à la fin de la saison ont officialisé ce lundi les Red Devils. Le technicien allemand, qui a inspiré de nombreux compatriotes avec son \"gegenpressing\", a déjà 35 ans de coaching derrière lui, et demeure essentiellement connu pour avoir fait passer le RB Leipzig dans une autre dimension.

", + "title": "PRONOS PARIS RMC Le pari football de Jérôme Rothen du 4 décembre – Ligue 1", + "description": "Mon pronostic : Lens ne perd pas face au PSG et les deux équipes marquent (2.95)

", + "content": "Mon pronostic : Lens ne perd pas face au PSG et les deux équipes marquent (2.95)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ce-qu-il-faut-savoir-sur-ralf-rangnick-le-probable-futur-entraineur-des-red-devils_AV-202111260268.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-jerome-rothen-du-4-decembre-ligue-1_AN-202112030310.html", "creator": "", - "pubDate": "Fri, 26 Nov 2021 11:54:51 GMT", - "enclosure": "https://images.bfmtv.com/Gwx88rVLIc4C-6NLO94K_LtFFu8=/0x70:2048x1222/800x0/images/Ralf-Rangnick-1176000.jpg", + "pubDate": "Fri, 03 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/Q1GmwmHopEqaIZFAdAkl8kzzL6Q=/0x0:1984x1116/800x0/images/Arnaud-Kalimuendo-1180913.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45121,17 +49756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "506c5a36977715cdc49e216c866c335d" + "hash": "36578605e5107e62ae6f2b0681582aff" }, { - "title": "Manchester United: Rangnick officialisé comme nouvel entraîneur jusqu'à la fin de la saison", - "description": "Manchester United a officialisé ce lundi la nomination de Ralf Rangnick comme nouvel entraîneur de l'équipe première. Le technicien allemand assurera l'intérim pendant la fin de saison en Premier League. Il officiera ensuite comme consultant pendant deux années.

", - "content": "Manchester United a officialisé ce lundi la nomination de Ralf Rangnick comme nouvel entraîneur de l'équipe première. Le technicien allemand assurera l'intérim pendant la fin de saison en Premier League. Il officiera ensuite comme consultant pendant deux années.

", + "title": "PRONOS PARIS RMC Le buteur du jour du 4 décembre – Bundesliga - Allemagne", + "description": "Notre pronostic: Erling Haaland marque contre le Bayern (2.00)

", + "content": "Notre pronostic: Erling Haaland marque contre le Bayern (2.00)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-rangnick-officialise-comme-nouvel-entraineur-jusqu-a-la-fin-de-la-saison_AV-202111290268.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-4-decembre-bundesliga-allemagne_AN-202112030430.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:52:28 GMT", - "enclosure": "https://images.bfmtv.com/vLqVUcapHQXnc3FE03wabJ9ajkw=/16x6:2032x1140/800x0/images/Ralf-Rangnick-1177681.jpg", + "pubDate": "Fri, 03 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/K4Pf_pB1FNnidoOOcBT8VUeFUT0=/0x104:1984x1220/800x0/images/Erling-Haaland-Dortmund-1181102.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45141,17 +49776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "34d5649b69a8f5dd19ddfdcc0945f63c" + "hash": "0098e766c6bead5d57f2d1e316ee161e" }, { - "title": "A quoi va ressembler la Coupe arabe au Qatar, répétition générale du Mondial 2022", - "description": "A un an de la Coupe du monde 2022, le Qatar, pays hôte de la compétition, accueille à partir de mardi la Coupe arabe de football.

", - "content": "A un an de la Coupe du monde 2022, le Qatar, pays hôte de la compétition, accueille à partir de mardi la Coupe arabe de football.

", + "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 4 décembre – Ligue 1", + "description": "Mon pronostic : le PSG mène à la mi-temps à Lens, gagne et Messi buteur (3.55 via MyMatch)

", + "content": "Mon pronostic : le PSG mène à la mi-temps à Lens, gagne et Messi buteur (3.55 via MyMatch)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/a-quoi-va-ressembler-la-coupe-arabe-au-qatar-repetition-generale-du-mondial-2022_AD-202111290263.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-4-decembre-ligue-1_AN-202112030306.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:44:36 GMT", - "enclosure": "https://images.bfmtv.com/S3a1IcVfrAwJrekeBIFgfR1pkEs=/0x30:2048x1182/800x0/images/Le-trophee-de-la-Coupe-arabe-de-football-au-Qatar-1177641.jpg", + "pubDate": "Fri, 03 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/9QvW1Zxidan4OKjv2xqqWFfaTQM=/0x0:1984x1116/800x0/images/Lionel-Messi-1180906.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45161,17 +49796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b18c9eed5895752ca44245b02368e151" + "hash": "ff160a50be28d52c7438685b499a53b2" }, { - "title": "Ballon d'or en direct: Messi, Benzema ou Lewandowski? Suivez la désignation du vainqueur 2021", - "description": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", - "content": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", + "title": "PRONOS PARIS RMC Le pari rugby de Denis Charvet du 4 décembre – Top 14", + "description": "Mon pronostic : l’UBB bat le Stade Toulousain avec 8 à 14 points d’écart (3.95)

", + "content": "Mon pronostic : l’UBB bat le Stade Toulousain avec 8 à 14 points d’écart (3.95)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-en-direct-messi-benzema-ou-lewandowski-suivez-la-designation-du-vainqueur-2021_LN-202111290303.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-rugby-de-denis-charvet-du-4-decembre-top-14_AN-202112030305.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:05:30 GMT", - "enclosure": "https://images.bfmtv.com/QkAfnLai92KNFS1kbpfgoYyli7U=/32x3:736x399/800x0/images/Lionel-Messi-sextuple-laureat-du-Ballon-d-Or-ici-distingue-au-Theatre-du-Chatelet-a-Paris-le-2-decembre-2019-1079996.jpg", + "pubDate": "Fri, 03 Dec 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/jWyGYxgFJR5MnBFzzOxO7jSYUfk=/0x104:2000x1229/800x0/images/UBB-1180905.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45181,17 +49816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "68d6f467c5547266dcb23b4ee306b2db" + "hash": "da8bf12b9602684aa43dde13be34c0fc" }, { - "title": "Coupe de France en direct: Le tirage des 32e de finale", - "description": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", - "content": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", + "title": "Coupe de France: imbroglio sur le choix du stade de Cannet-OM", + "description": "Le club de l’ES Cannet-Rocheville cherche encore une solution pour accueillir son 32e de finale de Coupe de France face à l’OM. Si l’idée de jouer le match au Vélodrome semble écartée, le club de National 3 ne sait pas encore où il affrontera Marseille.

", + "content": "Le club de l’ES Cannet-Rocheville cherche encore une solution pour accueillir son 32e de finale de Coupe de France face à l’OM. Si l’idée de jouer le match au Vélodrome semble écartée, le club de National 3 ne sait pas encore où il affrontera Marseille.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-en-direct-le-tirage-des-32e-de-finale_LN-202111290286.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-imbroglio-sur-le-choix-du-stade-de-cannet-om_AV-202112030546.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 12:33:41 GMT", - "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "pubDate": "Fri, 03 Dec 2021 22:05:12 GMT", + "enclosure": "https://images.bfmtv.com/0fgFY64v7W1LaegIfAeNtItvj8M=/0x175:2048x1327/800x0/images/Le-stade-Velodrome-a-huis-clos-pour-OM-Troyes-1181282.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45201,17 +49836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ca3e7f0400b47efca5da49e6291adab9" + "hash": "52f94e69faaa6d713cd3b534eca87edb" }, { - "title": "Stéphane Matheu, un manager comblé", - "description": "Stéphane Matheu était dimanche soir l'invité du RMC Poker Show. Avec un bilan incroyable lors des derniers WSOP à Las Vegas avec 3 bracelets glanés, le manager du Team Winamax est un homme heureux !

", - "content": "Stéphane Matheu était dimanche soir l'invité du RMC Poker Show. Avec un bilan incroyable lors des derniers WSOP à Las Vegas avec 3 bracelets glanés, le manager du Team Winamax est un homme heureux !

", + "title": "La belle initiative d’Aston Villa pour rendre hommage à un enfant tué par son père et sa belle-mère", + "description": "Le match de la 15e journée de Premier League entre Aston Villa et Leicester dimanche (17h30) sera marqué par une minute d’applaudissements à la 6e minute afin d’honorer la mémoire du petit Arthur Labinjo-Hughes. Cet enfant de 6 ans est mort l’an passé, tué par sa belle-mère. Son père a été condamné pour homicide involontaire.

", + "content": "Le match de la 15e journée de Premier League entre Aston Villa et Leicester dimanche (17h30) sera marqué par une minute d’applaudissements à la 6e minute afin d’honorer la mémoire du petit Arthur Labinjo-Hughes. Cet enfant de 6 ans est mort l’an passé, tué par sa belle-mère. Son père a été condamné pour homicide involontaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/poker/stephane-matheu-un-manager-comble_AN-202111290267.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/la-belle-initiative-d-aston-villa-pour-rendre-hommage-a-un-enfant-tue-par-son-pere-et-sa-belle-mere_AV-202112030545.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:30:01 GMT", - "enclosure": "https://images.bfmtv.com/u2y8tzYjb1wDI33SQiu-CHhm9HU=/3x39:1123x669/800x0/images/Stephane-Matheu-un-manager-comble-1177679.jpg", + "pubDate": "Fri, 03 Dec 2021 22:03:54 GMT", + "enclosure": "https://images.bfmtv.com/D7FIkuGJ8V55Y779bblEa7t-ZD4=/0x0:2048x1152/800x0/images/Les-joueurs-d-Aston-Villa-1181263.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45221,17 +49856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "aced8db5746b4cabdf36f97aae5244f3" + "hash": "43922817061f2de3a04617858fe304af" }, { - "title": "Comment le rugby veut poursuivre son implantation en banlieue parisienne", - "description": "La Ligue d’Île-de-France de rugby tente de séduire les jeunes de banlieue. Elle a doublé ses effectifs avec un plan d’un million d’euros et le recrutement de 24 animateurs sportifs territoriaux en lien avec les clubs. Exemple à Champigny-sur-Marne (Val-de-Marne) dont le club a été retenu pour le dispositif. \n

", - "content": "La Ligue d’Île-de-France de rugby tente de séduire les jeunes de banlieue. Elle a doublé ses effectifs avec un plan d’un million d’euros et le recrutement de 24 animateurs sportifs territoriaux en lien avec les clubs. Exemple à Champigny-sur-Marne (Val-de-Marne) dont le club a été retenu pour le dispositif. \n

", + "title": "Coupe Davis: la Croatie en finale, saison terminée pour Djokovic", + "description": "La Croatie a battu la Serbie 2-1 en demi-finale de Coupe Davis vendredi à Madrid. Le numéro un mondial Novak Djokovic, vainqueur de son simple face à Marin Cilic, est quant à lui en vacances.

", + "content": "La Croatie a battu la Serbie 2-1 en demi-finale de Coupe Davis vendredi à Madrid. Le numéro un mondial Novak Djokovic, vainqueur de son simple face à Marin Cilic, est quant à lui en vacances.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/comment-le-rugby-veut-poursuivre-son-implantation-en-banlieue-parisienne_AV-202111290246.html", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-la-croatie-en-finale-saison-terminee-pour-djokovic_AD-202112030542.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:20:30 GMT", - "enclosure": "https://images.bfmtv.com/sDPrdlURk7u49F0vpl-ChZQyado=/0x0:1280x720/800x0/images/Champigny-1177650.jpg", + "pubDate": "Fri, 03 Dec 2021 21:54:43 GMT", + "enclosure": "https://images.bfmtv.com/hXryxjwYGpx9QEIeO0KXePg8CDc=/0x115:2048x1267/800x0/images/Novak-Djokovic-avec-la-Serbie-1181279.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45241,17 +49876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "16d9bf74289c771c2db9b4e761e77068" + "hash": "0de0249e724663ea91f42f2980d0b20d" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 29 novembre – Liga – Espagne", - "description": "Notre pronostic : Osasuna bat Elche (1.82)

", - "content": "Notre pronostic : Osasuna bat Elche (1.82)

", + "title": "Le Betis Séville, Porto et le Sporting menacés d'exclusion des coupes d'Europe par l'UEFA", + "description": "L'UEFA sanctionne huit clubs européens en raison de leur dette excessive et leurs impayés, dont le Betis Séville, le FC Porto ou encore le Sporting Portugal. Les équipes en question vont devoir payer une amende mais en cas d'infraction répétée fin janvier, elles pourraient être exclues des coupes d'Europe pour trois saisons.

", + "content": "L'UEFA sanctionne huit clubs européens en raison de leur dette excessive et leurs impayés, dont le Betis Séville, le FC Porto ou encore le Sporting Portugal. Les équipes en question vont devoir payer une amende mais en cas d'infraction répétée fin janvier, elles pourraient être exclues des coupes d'Europe pour trois saisons.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-29-novembre-liga-espagne_AN-202111280105.html", + "link": "https://rmcsport.bfmtv.com/football/europa-league/le-betis-seville-porto-et-le-sporting-menaces-d-exclusion-des-coupes-d-europe-par-l-uefa_AV-202112030535.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:20:00 GMT", - "enclosure": "https://images.bfmtv.com/IlhC8pbOU9JDcgcSdmwvpVt2ASs=/0x36:2000x1161/800x0/images/Osasuna-1177048.jpg", + "pubDate": "Fri, 03 Dec 2021 21:33:17 GMT", + "enclosure": "https://images.bfmtv.com/6GD1sCjHo4jRIzfotkVkLinVyws=/6x109:2022x1243/800x0/images/La-celebration-du-Betis-Seville-1181270.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45261,17 +49896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ed9033dceeb7324f4e6396774498756" + "hash": "9c65f5ee169df4675cfad6f7af75cff5" }, { - "title": "PARIS PRONOS RMC Le pari basket de Stephen Brun du 29 novembre – NBA", - "description": "Mon pronostic : Houston bat Oklahoma (1.72)

", - "content": "Mon pronostic : Houston bat Oklahoma (1.72)

", + "title": "Racing: Thomas vers La Rochelle à la fin de saison", + "description": "Libre en fin de saison, Teddy Thomas se trouve en contact avancé avec le club de La Rochelle. L’ailier du Racing va s’engager pour trois saisons avec les Maritimes selon le journal Sud Ouest.

", + "content": "Libre en fin de saison, Teddy Thomas se trouve en contact avancé avec le club de La Rochelle. L’ailier du Racing va s’engager pour trois saisons avec les Maritimes selon le journal Sud Ouest.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/paris-pronos-rmc-le-pari-basket-de-stephen-brun-du-29-novembre-nba_AN-202111290243.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/racing-thomas-vers-la-rochelle-a-la-fin-de-saison_AV-202112030531.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:19:03 GMT", - "enclosure": "https://images.bfmtv.com/0fYQGkwJkNRPZfIynH6IlQ3hCTM=/0x119:1984x1235/800x0/images/Houston-1177648.jpg", + "pubDate": "Fri, 03 Dec 2021 21:17:45 GMT", + "enclosure": "https://images.bfmtv.com/vIFJTznRuwpBaA5jGzP49Yy00rE=/0x106:2048x1258/800x0/images/Teddy-Thomas-avec-le-Racing-92-1181257.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45281,17 +49916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "33948e2488209e3b4eef8bfd2165dbdb" + "hash": "c718a9f2cc2acc475c0f05cafedf2f3b" }, { - "title": "Nantes-OM: les supporters marseillais encore interdits à la Beaujoire", - "description": "La Préfecture de la Loire-Atlantique a pris un arrêté pour interdire l’accès à la Beaujoire de tout supporter se prévalant en faveur de Marseille à Nantes, mercredi pour le match entre les deux équipes (21h, 16e journée de Ligue 1).

", - "content": "La Préfecture de la Loire-Atlantique a pris un arrêté pour interdire l’accès à la Beaujoire de tout supporter se prévalant en faveur de Marseille à Nantes, mercredi pour le match entre les deux équipes (21h, 16e journée de Ligue 1).

", + "title": "Affaire Suk lors d'OM-Troyes: procédure interne ouverte à l'OM et gros rappel à l'ordre de Longoria", + "description": "Une procédure a été ouverte à l'OM et des sanctions sont à venir, après les propos racistes prononcés contre Hyun-Jun Suk dimanche, lors de la victoire de l'OM face à Troyes (1-0) en Ligue 1. Pablo Longoria a par ailleurs fait un gros rappel à l'ordre avec des règles \"non négociables\".

", + "content": "Une procédure a été ouverte à l'OM et des sanctions sont à venir, après les propos racistes prononcés contre Hyun-Jun Suk dimanche, lors de la victoire de l'OM face à Troyes (1-0) en Ligue 1. Pablo Longoria a par ailleurs fait un gros rappel à l'ordre avec des règles \"non négociables\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-om-les-supporters-marseillais-encore-interdits-a-la-beaujoire_AV-202111290242.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/affaire-suk-lors-d-om-troyes-procedure-interne-ouverte-a-l-om-et-gros-rappel-a-l-ordre-de-longoria_AV-202112030479.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:18:57 GMT", - "enclosure": "https://images.bfmtv.com/KP6i-FVMkI3_azyw9SUtoQXDTWA=/0x131:2048x1283/800x0/images/Le-cercueil-de-Bernard-Tapie-acclame-par-les-supporters-de-l-OM-1142765.jpg", + "pubDate": "Fri, 03 Dec 2021 18:05:12 GMT", + "enclosure": "https://images.bfmtv.com/Gsrp-BFbJMkiLJI5hoinesiYi8M=/0x0:2048x1152/800x0/images/Pablo-Longoria-1170791.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45301,17 +49936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e930bf9c68224170a1b8ac049308bb93" + "hash": "251269b238927d9eeb8ea01745203bf5" }, { - "title": "LOU: Bastareaud doit passer une IRM ce lundi pour être fixé sur ses blessures aux genoux", - "description": "Le troisième ligne de Lyon, Mathieu Bastareaud, sorti sur civière, en larmes, touché aux deux genoux, lors de la défaite à Toulon (19-13), samedi, doit passer une IRM ce lundi.

", - "content": "Le troisième ligne de Lyon, Mathieu Bastareaud, sorti sur civière, en larmes, touché aux deux genoux, lors de la défaite à Toulon (19-13), samedi, doit passer une IRM ce lundi.

", + "title": "OM en direct: procédure interne et rappel à l'ordre de Longoria, après les propos racistes contre Suk", + "description": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. A la veille du match, Jorge Sampaoli et Pol Lirola ont pris la parole en conférence de presse.

", + "content": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. A la veille du match, Jorge Sampaoli et Pol Lirola ont pris la parole en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-bastareaud-doit-passer-une-irm-ce-lundi-pour-etre-fixe-sur-ses-blessures-aux-genoux_AV-202111290240.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-en-direct-la-conf-de-sampaoli-et-lirola-avant-brest_LN-202112030234.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:16:30 GMT", - "enclosure": "https://images.bfmtv.com/c6HYWzby3eUD1E2U0niImRmXz9A=/0x39:768x471/800x0/images/Mathieu-Bastareaud-evacue-du-terrain-sur-civiere-apres-s-etre-blesse-sur-le-terrain-de-Toulon-le-27-novembre-2021-1176826.jpg", + "pubDate": "Fri, 03 Dec 2021 10:43:55 GMT", + "enclosure": "https://images.bfmtv.com/NdNoKxOpVyxNHx0BlR0NN1eJgE4=/0x42:2048x1194/800x0/images/Pablo-LONGORIA-1162047.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45321,17 +49956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f42270938c5bfac0a6870a842e06f317" + "hash": "30f5e2d023250d131dc3076c082a42ee" }, { - "title": "Top 14: \"Pas le garçon le plus courageux\", Chabal se paye Teddy Thomas", - "description": "Sébastien Chabal a fustigé le comportement de Teddy Thomas ce dimanche lors de la défaite du Racing contre l’UBB (14-37). L’ancienne star du rugby tricolore et désormais consultant a regretté le chambrage de l’ailier francilien.

", - "content": "Sébastien Chabal a fustigé le comportement de Teddy Thomas ce dimanche lors de la défaite du Racing contre l’UBB (14-37). L’ancienne star du rugby tricolore et désormais consultant a regretté le chambrage de l’ailier francilien.

", + "title": "PSG: Hakimi juge la Ligue 1 \"très difficile\"", + "description": "Arrivé l’été dernier en provenance de l’Inter Milan, Achraf Hakimi continue de s’adapter à la Ligue 1. Dans une interview sur le site du club, le latéral droit du PSG a souligné le niveau élevé du championnat français, tout en abordant le match de samedi contre Lens (à 21h).

", + "content": "Arrivé l’été dernier en provenance de l’Inter Milan, Achraf Hakimi continue de s’adapter à la Ligue 1. Dans une interview sur le site du club, le latéral droit du PSG a souligné le niveau élevé du championnat français, tout en abordant le match de samedi contre Lens (à 21h).

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-pas-le-garcon-le-plus-courageux-chabal-se-paye-teddy-thomas_AV-202111290239.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-hakimi-juge-la-ligue-1-tres-difficile_AV-202112030468.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:12:38 GMT", - "enclosure": "https://images.bfmtv.com/2zDZTBwyl1uukAC0rlSikhKSFL8=/0x106:2048x1258/800x0/images/Teddy-Thomas-lors-du-match-Racing-UBB-1177632.jpg", + "pubDate": "Fri, 03 Dec 2021 17:47:15 GMT", + "enclosure": "https://images.bfmtv.com/e2le8K0AoWn54anF2myBv0N1mjU=/0x100:1920x1180/800x0/images/Hakimi-1134375.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45341,17 +49976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f4ed47ff33dfdd6684c9e66ce294e65" + "hash": "52957702de32ac195b30f296a351584a" }, { - "title": "Le prochain Mondial des clubs reprogrammé en février aux Emirats arabes unis", - "description": "La Fifa a reprogrammé la prochaine Coupe du monde des clubs du 3 au 12 février 2022 aux Emirats arabes unis. La compétition était initialement prévue au Japon

", - "content": "La Fifa a reprogrammé la prochaine Coupe du monde des clubs du 3 au 12 février 2022 aux Emirats arabes unis. La compétition était initialement prévue au Japon

", + "title": "Portugal: report du prochain match de championnat du Belenenses SAD, décimé par le Covid-19", + "description": "Le match de clôture de la 13e journée du championnat portugais entre Vizela et le Belenenses SAD initiallement porgrammée dimanche soir a été reporté en raison des nombreux cas de Covid.

", + "content": "Le match de clôture de la 13e journée du championnat portugais entre Vizela et le Belenenses SAD initiallement porgrammée dimanche soir a été reporté en raison des nombreux cas de Covid.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/le-prochain-mondial-des-clubs-reprogramme-en-fevrier-aux-emirats-arabes-unis_AD-202111290233.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-report-du-prochain-match-de-championnat-du-belenenses-sad-decime-par-le-covid-19_AD-202112030442.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 10:55:14 GMT", - "enclosure": "https://images.bfmtv.com/tRPly6B7taGrP0IrT0AXKJz9akM=/0x339:2032x1482/800x0/images/Chelsea-participera-a-la-Coupe-du-monde-des-clubs-apres-son-sacre-en-Ligue-des-champions-1177613.jpg", + "pubDate": "Fri, 03 Dec 2021 17:19:09 GMT", + "enclosure": "https://images.bfmtv.com/nFAsfGinB4DElwTqXsAi74aNf0I=/0x162:2048x1314/800x0/images/Les-joueurs-du-club-de-Belenenses-1177577.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45361,17 +49996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "afa22d2b01577c13922f6ce8b196d934" + "hash": "50d69760342b388bd98945adde607e48" }, { - "title": "Saint-Etienne-PSG: pourquoi Sergio Ramos a réussi sa première selon Thierry Henry", - "description": "Au micro de Prime Video, dont il est le consultant, l’ancien buteur d’Arsenal et de l’équipe de France, Thierry Henry, a analysé le premier match du défenseur espagnol Sergio Ramos avec le PSG, dimanche contre Saint-Etienne (1-3) lors de la 15eme journée de Ligue 1.

", - "content": "Au micro de Prime Video, dont il est le consultant, l’ancien buteur d’Arsenal et de l’équipe de France, Thierry Henry, a analysé le premier match du défenseur espagnol Sergio Ramos avec le PSG, dimanche contre Saint-Etienne (1-3) lors de la 15eme journée de Ligue 1.

", + "title": "Coupe du monde 2022: la rencontre entre l’Afrique du Sud et le Ghana ne sera pas rejouée", + "description": "Dans le cadre des qualifications pour la Coupe du monde 2022, le Ghana s’était imposé 1-0 contre l’Afrique du Sud grâce à un penalty d’André Ayew. Mais les Sud-Africains avaient demandé à faire rejouer le match en estimant que le penalty donné était litigieux. Mais ce vendredi, la demande des Bafana Bafana a été rejetée par la Fifa.

", + "content": "Dans le cadre des qualifications pour la Coupe du monde 2022, le Ghana s’était imposé 1-0 contre l’Afrique du Sud grâce à un penalty d’André Ayew. Mais les Sud-Africains avaient demandé à faire rejouer le match en estimant que le penalty donné était litigieux. Mais ce vendredi, la demande des Bafana Bafana a été rejetée par la Fifa.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-pourquoi-sergio-ramos-a-reussi-sa-premiere-selon-thierry-henry_AV-202111290223.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-la-rencontre-entre-l-afrique-du-sud-et-le-ghana-ne-sera-pas-rejouee_AV-202112030434.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 10:38:16 GMT", - "enclosure": "https://images.bfmtv.com/PD-g2uS4qZbp_wiwdYr6E0bJWhc=/0x0:2048x1152/800x0/images/Sergio-Ramos-aux-cotes-du-Stephanois-Timothee-Kolodziejczak-1177605.jpg", + "pubDate": "Fri, 03 Dec 2021 17:11:50 GMT", + "enclosure": "https://images.bfmtv.com/Vqcc89X1eONO3xJ_ijNn0_4BRG4=/0x42:2048x1194/800x0/images/Hugo-Broos-1181051.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45381,17 +50016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "85efa6d0b922a7081fc4fc2b8ebda16f" + "hash": "5b1dae55cb3b4728c9fe8046729e444f" }, { - "title": "Coupe de France: groupes, qualifiés… le mode d’emploi du tirage pour les 32es de finale", - "description": "Le tirage au sort des 32es de finale de la Coupe de France se déroulera ce lundi. L’occasion pour les clubs de Ligue 1 de découvrir quelle équipe ils affronteront pour leur entrée en lice dans la compétition. Comme ces dernières années, des groupes seront constitués afin de limiter les déplacements. RMC Sport détaille les modalités du tirage au sort.

", - "content": "Le tirage au sort des 32es de finale de la Coupe de France se déroulera ce lundi. L’occasion pour les clubs de Ligue 1 de découvrir quelle équipe ils affronteront pour leur entrée en lice dans la compétition. Comme ces dernières années, des groupes seront constitués afin de limiter les déplacements. RMC Sport détaille les modalités du tirage au sort.

", + "title": "Saint-Etienne: le point sur les dossiers des éventuels repreneurs", + "description": "C'est dans un contexte économique et sportif pour le moins compliqué, avec une 20e place en Ligue 1, que Saint-Etienne continue de chercher un repreneur. Le maintien du club dans l'élite est une donnée prépondérante à une éventuelle cession.

", + "content": "C'est dans un contexte économique et sportif pour le moins compliqué, avec une 20e place en Ligue 1, que Saint-Etienne continue de chercher un repreneur. Le maintien du club dans l'élite est une donnée prépondérante à une éventuelle cession.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-groupes-qualifies-le-mode-d-emploi-du-tirage-pour-les-32es-de-finale_AV-202111290218.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-point-sur-les-dossiers-des-eventuels-repreneurs_AV-202112030423.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 10:29:33 GMT", - "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "pubDate": "Fri, 03 Dec 2021 17:00:43 GMT", + "enclosure": "https://images.bfmtv.com/FuMLZHdu-z53asetN7_J2epCSLI=/0x212:2048x1364/800x0/images/Saint-Etienne-1181074.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45401,17 +50036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2d0edb740f690d8a7798ec161af5e2c5" + "hash": "647c9923fe759aff5b6cb2944105d9c6" }, { - "title": "Portugal: 13 joueurs de Belenenses positifs au variant Omicron", - "description": "L’institut national de santé portugais a annoncé avoir détecté les premiers cas du variant Omicron du coronavirus au pays parmi 13 joueurs de l’équipe de Belenenses, qui a joué avec seulement neuf joueurs avant de déclarer forfait samedi face à Benfica.

", - "content": "L’institut national de santé portugais a annoncé avoir détecté les premiers cas du variant Omicron du coronavirus au pays parmi 13 joueurs de l’équipe de Belenenses, qui a joué avec seulement neuf joueurs avant de déclarer forfait samedi face à Benfica.

", + "title": "Varane raconte comment Zidane l’a poussé à refuser Manchester United et Ferguson pour le Real", + "description": "Recruté pendant l’été par Manchester United, Raphaël Varane aurait pu signer en Premier League dès 2011. Malgré une visite de Sir Alex Ferguson, le défenseur français avait finalement rejoint le Real Madrid après l’intervention de Zinedine Zidane.

", + "content": "Recruté pendant l’été par Manchester United, Raphaël Varane aurait pu signer en Premier League dès 2011. Malgré une visite de Sir Alex Ferguson, le défenseur français avait finalement rejoint le Real Madrid après l’intervention de Zinedine Zidane.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-13-joueurs-de-belenenses-positifs-au-variant-omicron_AV-202111290198.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/varane-raconte-comment-zidane-l-a-pousse-a-refuser-manchester-united-et-ferguson-pour-le-real_AV-202112030417.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:54:52 GMT", - "enclosure": "https://images.bfmtv.com/nFAsfGinB4DElwTqXsAi74aNf0I=/0x162:2048x1314/800x0/images/Les-joueurs-du-club-de-Belenenses-1177577.jpg", + "pubDate": "Fri, 03 Dec 2021 16:51:58 GMT", + "enclosure": "https://images.bfmtv.com/fHYu4al9cT9J34HiFJR9oalV74U=/0x0:2032x1143/800x0/images/Raphael-Varane-avec-Manchester-United-1181067.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45421,17 +50056,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf1ce347b62f226486290e2a8616138b" + "hash": "11177d1ad1b32a153f63740a07c635fa" }, { - "title": "Ballon d’or: le lauréat remportera un cadeau de luxe inédit", - "description": "La cérémonie du Ballon d’or récompensera lundi le meilleur joueur de l’année 2021. En plus du traditionnel trophée, les vainqueurs des éditions féminine et masculine recevront également une montre de luxe fabriquée spécialement pour le Ballon d’or.

", - "content": "La cérémonie du Ballon d’or récompensera lundi le meilleur joueur de l’année 2021. En plus du traditionnel trophée, les vainqueurs des éditions féminine et masculine recevront également une montre de luxe fabriquée spécialement pour le Ballon d’or.

", + "title": "Affaire Hamraoui-Diallo: vers un retour à l’entrainement collectif la semaine prochaine?", + "description": "Le PSG se prépare au retour dans le groupe de Kheira Hamraoui et Aminata Dallo la semaine prochaine. Mais rien n'est simple.

", + "content": "Le PSG se prépare au retour dans le groupe de Kheira Hamraoui et Aminata Dallo la semaine prochaine. Mais rien n'est simple.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-le-laureat-remportera-un-cadeau-de-luxe-inedit_AV-202111290194.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-diallo-vers-un-retour-a-l-entrainement-collectif-la-semaine-prochaine_AV-202112030413.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:50:10 GMT", - "enclosure": "https://images.bfmtv.com/n-EReiG6iIr4a1N4PwNbLb1dG0U=/0x0:2048x1152/800x0/images/La-ceremonie-du-Ballon-d-or-1177571.jpg", + "pubDate": "Fri, 03 Dec 2021 16:46:13 GMT", + "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45441,17 +50076,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9789c997961a69cc19049dad958508a9" + "hash": "600ccc7f84713a9524c1ecef1511bb8c" }, { - "title": "Real Madrid: un fabuleux record pour Benzema, \"fier de devenir le meilleur buteur français de l’histoire\"", - "description": "Auteur de l’égalisation en faveur du Real Madrid, victorieux face au FC Séville (2-1) dimanche en Liga, Karim Benzema a inscrit son 361e but en club depuis le début de sa carrière. Un record pour un joueur français. L’ancien Lyonnais devance d’un but la légende d’Arsenal, Thierry Henry.

", - "content": "Auteur de l’égalisation en faveur du Real Madrid, victorieux face au FC Séville (2-1) dimanche en Liga, Karim Benzema a inscrit son 361e but en club depuis le début de sa carrière. Un record pour un joueur français. L’ancien Lyonnais devance d’un but la légende d’Arsenal, Thierry Henry.

", + "title": "Ligue 1: pourquoi Lens aura un maillot spécial face au PSG", + "description": "Les joueurs du RC Lens porteront un maillot spécial pour affronter le PSG samedi soir au stade Bollaert pour le compte de la 17e journée de Ligue 1. Une tunique collector pour célébrer la Sainte-Barbe, la patronne des pompiers et surtout des mineurs.

", + "content": "Les joueurs du RC Lens porteront un maillot spécial pour affronter le PSG samedi soir au stade Bollaert pour le compte de la 17e journée de Ligue 1. Une tunique collector pour célébrer la Sainte-Barbe, la patronne des pompiers et surtout des mineurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-un-fabuleux-record-pour-benzema-fier-de-devenir-le-meilleur-buteur-francais-de-l-histoire_AV-202111290186.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-pourquoi-lens-aura-un-maillot-special-face-au-psg_AV-202112030404.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:34:17 GMT", - "enclosure": "https://images.bfmtv.com/S1NXDD8ib-lN_-1rY6VzV8bVpxg=/0x0:2048x1152/800x0/images/Karim-Benzema-1177563.jpg", + "pubDate": "Fri, 03 Dec 2021 16:28:20 GMT", + "enclosure": "https://images.bfmtv.com/YyPMLvb90_0u1fKDc6pV1DA4D7c=/0x0:2048x1152/800x0/images/Les-joueurs-du-RC-Lens-auront-un-maillot-special-face-au-PSG-1181043.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45461,17 +50096,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "33884e408728f86e6d9b5a6fd098d433" + "hash": "babc662aef59bf0e790dba473f0f9307" }, { - "title": "Manchester United: Cristiano Ronaldo provoque une grosse explication entre Keane et Carragher", - "description": "Roy Keane, ancien milieu de Manchester United, fustige le choix de Michael Carrick d’avoir laissé Cristiano Ronaldo sur le banc face à Chelsea. Jamie Carragher comprend cette décision et s’interroge sur le niveau du Portugais.

", - "content": "Roy Keane, ancien milieu de Manchester United, fustige le choix de Michael Carrick d’avoir laissé Cristiano Ronaldo sur le banc face à Chelsea. Jamie Carragher comprend cette décision et s’interroge sur le niveau du Portugais.

", + "title": "F1: Hamilton-Verstappen, ce qu'il faut attendre des deux dernières courses bouillantes de la saison", + "description": "Il n'y a que huit points d'écart entre le leader Max Verstappen (Red Bull) et le tenant du titre Lewis Hamilton (Mercedes) au classement du championnat du monde de Formule 1, à deux courses de la fin de la saison. Le premier acte de ce dénouement est prévu ce dimanche 5 décembre, en Arabie Saoudite.

", + "content": "Il n'y a que huit points d'écart entre le leader Max Verstappen (Red Bull) et le tenant du titre Lewis Hamilton (Mercedes) au classement du championnat du monde de Formule 1, à deux courses de la fin de la saison. Le premier acte de ce dénouement est prévu ce dimanche 5 décembre, en Arabie Saoudite.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-cristiano-ronaldo-provoque-une-grosse-explication-entre-keane-et-carragher_AV-202111290183.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-verstappen-ce-qu-il-faut-attendre-des-deux-dernieres-courses-bouillantes-de-la-saison_AV-202112020306.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:26:04 GMT", - "enclosure": "https://images.bfmtv.com/hD7QnUo6OJmNTwdEs0uEEt75zX8=/0x63:2048x1215/800x0/images/Cristiano-Ronaldo-1177553.jpg", + "pubDate": "Thu, 02 Dec 2021 13:17:04 GMT", + "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45481,17 +50116,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "28dda79d1f42467c414dddf7d643ed0b" + "hash": "ad8b2d6a7cf97322fcf2924da6580098" }, { - "title": "Open d'Australie: Djokovic ne participera \"probablement pas\" au tournoi, confie son père", - "description": "Le n°1 mondial du tennis, Novak Djokovic, ne participera \"probablement pas\" à l'Open d'Australie \"dans les conditions\" annoncées de vaccination obligatoire, a déclaré dimanche le père du joueur serbe, en déplorant le \"chantage\" des organisateurs.

", - "content": "Le n°1 mondial du tennis, Novak Djokovic, ne participera \"probablement pas\" à l'Open d'Australie \"dans les conditions\" annoncées de vaccination obligatoire, a déclaré dimanche le père du joueur serbe, en déplorant le \"chantage\" des organisateurs.

", + "title": "Formule 1: Hamilton devance de peu Verstappen pendant les premiers essais libres du GP d’Arabie Saoudite", + "description": "Ce vendredi avait lieu les premiers essais libres du Grand Prix d’Arabie Saoudite. Pour l’occasion, Lewis Hamilton a réalisé le meilleur temps devant Max Verstappen à 56 millièmes. Le duel entre les deux pilotes semble déjà lancé.

", + "content": "Ce vendredi avait lieu les premiers essais libres du Grand Prix d’Arabie Saoudite. Pour l’occasion, Lewis Hamilton a réalisé le meilleur temps devant Max Verstappen à 56 millièmes. Le duel entre les deux pilotes semble déjà lancé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/open-australie/open-d-australie-djokovic-ne-participera-probablement-pas-au-tournoi-confie-son-pere_AD-202111290179.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/formule-1-hamilton-devance-de-peu-verstappen-pendant-les-premiers-essais-libres-du-gp-d-arabie-saoudite_AV-202112030377.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:20:31 GMT", - "enclosure": "https://images.bfmtv.com/hoBr9fj8TEijU6sUQO21Zmfe-3Y=/0x0:1200x675/800x0/images/Le-pere-de-Novak-Djokovic-1177556.jpg", + "pubDate": "Fri, 03 Dec 2021 15:49:08 GMT", + "enclosure": "https://images.bfmtv.com/djsZcl16GekBtbPn2XWA81-MXt4=/0x103:2048x1255/800x0/images/Hamilton-Verstappen-1180042.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45501,17 +50136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "221f2cc9b3c452dcb261ed06f7600279" + "hash": "990471746e4327e4adf2de823be2a51a" }, { - "title": "Ligue 1 en direct: pas de supporters marseillais à Nantes", - "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", - "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "title": "Euro 2021: il y aurait pu avoir des morts lors de la finale à Wembley, selon un rapport", + "description": "Un rapport indépendant publié ce vendredi en Angleterre pointe le nauffrage collectif ayant entraîné les graves incidents à Wembley lors de la finale de l'Euro en juillet dernier.

", + "content": "Un rapport indépendant publié ce vendredi en Angleterre pointe le nauffrage collectif ayant entraîné les graves incidents à Wembley lors de la finale de l'Euro en juillet dernier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", + "link": "https://rmcsport.bfmtv.com/football/euro/euro-2021-il-y-aurait-pu-avoir-des-morts-lors-de-la-finale-a-wembley-selon-un-rapport_AV-202112030359.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", - "enclosure": "https://images.bfmtv.com/eAUAXVFLC-FB7NunhAp2R83I6CU=/0x212:2048x1364/800x0/images/Des-supporters-marseillais-1160501.jpg", + "pubDate": "Fri, 03 Dec 2021 15:00:03 GMT", + "enclosure": "https://images.bfmtv.com/muOHc9WaXIfvcPfdBIpczTDDHRo=/0x101:2048x1253/800x0/images/Des-supporters-anglais-a-Wembley-1181007.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45521,17 +50156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ebdf3b76642f13ae6e52f78f9da6442d" + "hash": "9c880ada2535f8f48581cf9ef32298e3" }, { - "title": "Coupe de France: à quelle heure et sur quelle chaîne regarder le tirage au sort des 32eme de finale", - "description": "C’est ce lundi que se déroule le tirage au sort des 32emes de finale de la Coupe de France avec l’entrée en lice des clubs de Ligue 1. Un tirage diffusé à 19h en direct sur Eurosport 2.

", - "content": "C’est ce lundi que se déroule le tirage au sort des 32emes de finale de la Coupe de France avec l’entrée en lice des clubs de Ligue 1. Un tirage diffusé à 19h en direct sur Eurosport 2.

", + "title": "Barça: \"Il est intransférable\", Xavi met fin aux rumeurs sur De Jong", + "description": "En conférence de presse ce vendredi, Xavi s'est montré très clair concernant l'avenir de Frenkie de Jong. L'entraîneur du Barça compte sur le milieu néerlandais, malgré les rumeurs évoquant un possible départ dans les prochains mois.

", + "content": "En conférence de presse ce vendredi, Xavi s'est montré très clair concernant l'avenir de Frenkie de Jong. L'entraîneur du Barça compte sur le milieu néerlandais, malgré les rumeurs évoquant un possible départ dans les prochains mois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-a-quelle-heure-et-sur-quelle-chaine-regarder-le-tirage-au-sort-des-32eme-de-finale_AN-202111290170.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-il-est-intransferable-xavi-met-fin-aux-rumeurs-sur-de-jong_AV-202112030357.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:54:57 GMT", - "enclosure": "https://images.bfmtv.com/2K1jS73tyDUCRpWepiW6VIB1qKM=/14x222:2046x1365/800x0/images/Le-tirage-au-sort-des-32eme-de-finale-de-la-Coupe-de-France-1177547.jpg", + "pubDate": "Fri, 03 Dec 2021 14:54:11 GMT", + "enclosure": "https://images.bfmtv.com/lDeiLJluOuBYMHuQbn6cKCYNSQo=/0x49:2048x1201/800x0/images/Xavi-HERNANDEZ-1180983.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45541,17 +50176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e4551c892aeb3fbd9762d6e6241c662" + "hash": "682e7e692579f1cc22deb8e1ca056c84" }, { - "title": "NBA: le Turc Enes Kanter change de nom et va obtenir la nationalité américaine", - "description": "L'intérieur turc des Boston Celtics, Enes Kanter, a décidé de changer son nom en \"Enes Kanter Freedom\" et va également obtenir la nationalité américaine lundi, a indiqué le média américain The Athletic dimanche.

", - "content": "L'intérieur turc des Boston Celtics, Enes Kanter, a décidé de changer son nom en \"Enes Kanter Freedom\" et va également obtenir la nationalité américaine lundi, a indiqué le média américain The Athletic dimanche.

", + "title": "Rennes: Gomis regrette le manque de considération des joueurs africains et espère \"des solutions\"", + "description": "Ce vendredi en conférence de presse, Alfred Gomis a regretté l’absence d’Edouard Mendy dans la liste des 30 nominés au Ballon d’or. Le gardien du Stade Rennais espère également que le manque de considération pour les joueurs africains est un problème qui sera rapidement réglé.

", + "content": "Ce vendredi en conférence de presse, Alfred Gomis a regretté l’absence d’Edouard Mendy dans la liste des 30 nominés au Ballon d’or. Le gardien du Stade Rennais espère également que le manque de considération pour les joueurs africains est un problème qui sera rapidement réglé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/nba/nba-le-turc-enes-kanter-change-de-nom-et-va-obtenir-la-nationalite-americaine_AD-202111290166.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/rennes-gomis-regrette-le-manque-de-consideration-des-joueurs-africains-et-espere-des-solutions_AV-202112030356.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:52:47 GMT", - "enclosure": "https://images.bfmtv.com/gGMb67OkEyWfE0ujm60tMwc-hgM=/0x0:2048x1152/800x0/images/Enes-Kanter-face-aux-Raptors-1170737.jpg", + "pubDate": "Fri, 03 Dec 2021 14:52:36 GMT", + "enclosure": "https://images.bfmtv.com/u2tzGja44fboUtyJ7gYl5uImfh4=/0x104:1984x1220/800x0/images/Alfred-Gomis-Rennes-1103384.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45561,17 +50196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad2bbea4ea8ff0ceeb8a3ac845862afb" + "hash": "5e31e27f76817505fede850d0207772d" }, { - "title": "Ballon d’or: qui est le favori des \"fuites\"", - "description": "Le vainqueur du Ballon d’or 2021 sera dévoilé ce lundi soir lors d’une soirée organisée au Théâtre du Châtelet à Paris. Pourtant, des premières fuites plus ou moins crédibles sont apparues sur les réseaux sociaux.

", - "content": "Le vainqueur du Ballon d’or 2021 sera dévoilé ce lundi soir lors d’une soirée organisée au Théâtre du Châtelet à Paris. Pourtant, des premières fuites plus ou moins crédibles sont apparues sur les réseaux sociaux.

", + "title": "Coupe du monde tous les deux ans: un vice-président de la FIFA esquisse un plan B", + "description": "Victor Montagliani, vice-président canadien de la FIFA et président de la CONCACAF, estime que l'idée de Coupe du monde tous les deux ans peut être remplacée par le retour de la Coupe des confédérations ou la création d'une Ligue des nations mondiale.

", + "content": "Victor Montagliani, vice-président canadien de la FIFA et président de la CONCACAF, estime que l'idée de Coupe du monde tous les deux ans peut être remplacée par le retour de la Coupe des confédérations ou la création d'une Ligue des nations mondiale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-qui-est-le-favori-des-fuites_AV-202111290160.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-tous-les-deux-ans-un-vice-president-de-la-fifa-esquisse-un-plan-b_AV-202112030346.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:43:41 GMT", - "enclosure": "https://images.bfmtv.com/M9Ds0AbBkZE25Hqx6meRKxqZyt4=/0x74:2048x1226/800x0/images/Lionel-Messi-avec-le-Ballon-d-or-en-2019-1177531.jpg", + "pubDate": "Fri, 03 Dec 2021 14:37:47 GMT", + "enclosure": "https://images.bfmtv.com/TbnujSAFQk9XgaK6gLFOt6zKjpc=/0x98:2048x1250/800x0/images/Victor-Montagliani-1180995.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45581,17 +50216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "769c7829dcdbb457bb19d674e1dc7f60" + "hash": "b268624ef23b493af394cb54280fd8e5" }, { - "title": "Ballon d’or: Benzema, Mbappé, Kanté… quelles sont les chances des Français?", - "description": "Karim Benzema, Kylian Mbappé et N’Golo Kanté sont les trois Français nommés pour le Ballon d’or 2021 qui sera remis ce lundi. Le Madrilène semble le mieux placé pour un podium même si un sacre semble compliqué.

", - "content": "Karim Benzema, Kylian Mbappé et N’Golo Kanté sont les trois Français nommés pour le Ballon d’or 2021 qui sera remis ce lundi. Le Madrilène semble le mieux placé pour un podium même si un sacre semble compliqué.

", + "title": "Top 14: \"Je pense qu’il va manquer au Top 14. Peut-être un peu moins aux arbitres…\", le dernier tour de piste de Rory Kockott", + "description": "A 35 ans, le demi de mêlée sud-africain de Castres Rory Kockott a annoncé qu’il raccrocherait les crampons à la l’issue de la saison. Après onze années à batailler sur les terrains, récompensées par deux Bouclier de Brennus, il s’est taillé une solide réputation de joueur à la fois talentueux et pénible. Adulé à Castres, souvent détesté ailleurs, pour sa dernière saison, adversaires et partenaires témoignent de son jeu et sa personnalité atypiques.

", + "content": "A 35 ans, le demi de mêlée sud-africain de Castres Rory Kockott a annoncé qu’il raccrocherait les crampons à la l’issue de la saison. Après onze années à batailler sur les terrains, récompensées par deux Bouclier de Brennus, il s’est taillé une solide réputation de joueur à la fois talentueux et pénible. Adulé à Castres, souvent détesté ailleurs, pour sa dernière saison, adversaires et partenaires témoignent de son jeu et sa personnalité atypiques.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-benzema-mbappe-kante-quelles-sont-les-chances-des-francais_AV-202111290147.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-je-pense-qu-il-va-manquer-au-top-14-peut-etre-un-peu-moins-aux-arbitres-le-dernier-tour-de-piste-de-rory-kockott_AN-202112030339.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 08:15:52 GMT", - "enclosure": "https://images.bfmtv.com/oprFm8F0_uW7QHKuYeRP5ESXSDw=/0x74:2048x1226/800x0/images/N-Golo-Kante-Kylian-Mbappe-et-Karim-Benzema-1177515.jpg", + "pubDate": "Fri, 03 Dec 2021 14:12:33 GMT", + "enclosure": "https://images.bfmtv.com/L5AG0VfBE3AGTxw9QIQCWZqw5PE=/0x106:2048x1258/800x0/images/Rory-Kockott-1180979.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45601,17 +50236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5773e0267f6a671d0c798bad9b22f765" + "hash": "90cf5fe01bc3bed5ccd35205dfe6df8d" }, { - "title": "Equipe de France: deux membres du staff des champions du monde 2018 à l'Elysée pour recevoir la Légion d’honneur", - "description": "Deux ans après avoir été faits Chevaliers de la Légion d’honneur, Philippe Tournon, ancien chef de presse de l’équipe de France et Mohamed Sanhadji qui assure la sécurité des Bleus depuis 2004 vont recevoir ce lundi leur insigne lundi à l'Elysée.

", - "content": "Deux ans après avoir été faits Chevaliers de la Légion d’honneur, Philippe Tournon, ancien chef de presse de l’équipe de France et Mohamed Sanhadji qui assure la sécurité des Bleus depuis 2004 vont recevoir ce lundi leur insigne lundi à l'Elysée.

", + "title": "Top 14: Rory Kockott fait le bilan, avant de raccrocher les crampons", + "description": "Il est une figure du Top 14. Au moment de vivre ses derniers mois de rugbyman, le demi de mêlée de Castres, qui ne se livre pas souvent, refait le film de sa carrière. Des grands moments, de grands adversaires, comme le demi de mêlée clermontois Morgan Parra. Plus de dix ans en France, des titres et cette éternelle image de provocateur. Un caractère qu’il a forgé depuis tout petit, au milieu de ses frères et sœurs.

", + "content": "Il est une figure du Top 14. Au moment de vivre ses derniers mois de rugbyman, le demi de mêlée de Castres, qui ne se livre pas souvent, refait le film de sa carrière. Des grands moments, de grands adversaires, comme le demi de mêlée clermontois Morgan Parra. Plus de dix ans en France, des titres et cette éternelle image de provocateur. Un caractère qu’il a forgé depuis tout petit, au milieu de ses frères et sœurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-deux-membres-du-staff-des-champions-du-monde-2018-vont-recevoir-la-legion-d-honneur_AN-202111290127.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-rory-kockott-fait-le-bilan-avant-de-raccrocher-les-crampons_AV-202112030336.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 07:43:19 GMT", - "enclosure": "https://images.bfmtv.com/q_T2D4oUDJkhspy-skJvFe-ffQ0=/4x5:3988x2246/800x0/images/-880708.jpg", + "pubDate": "Fri, 03 Dec 2021 14:03:08 GMT", + "enclosure": "https://images.bfmtv.com/2QN_-7qs97YXqi9Ho2Uq7pMookk=/0x106:2048x1258/800x0/images/Rory-Kockott-avec-Castres-le-02-octobre-2021-1180965.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45621,17 +50256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3de3bcee05b45cbec2c3b67fb101a00d" + "hash": "bce23767137fb4e10503dfd69074897a" }, { - "title": "Naples: la superbe statue en hommage à Maradona", - "description": "Le club de Naples a dévoilé dimanche, en marge du match gagné contre la Lazio en Serie A (4-0), une statue de Diego Maradona. Un peu plus d'un an après la mort de l'Argentin, la formation napolitaine lui rend un nouvel hommage.

", - "content": "Le club de Naples a dévoilé dimanche, en marge du match gagné contre la Lazio en Serie A (4-0), une statue de Diego Maradona. Un peu plus d'un an après la mort de l'Argentin, la formation napolitaine lui rend un nouvel hommage.

", + "title": "OM: Payet incertain contre Brest, Sampaoli veut apprendre à jouer sans lui", + "description": "Encore très bon mercredi soir à Nantes, Dimitri Payet ne s'est pas entraîné avec le groupe de l'OM ce vendredi matin, et n'est pas sûr de pouvoir jouer samedi contre Brest. Son entraîneur Jorge Sampaoli, qui reconnait une sorte de dépendance, aimerait trouver des solutions en son absence.

", + "content": "Encore très bon mercredi soir à Nantes, Dimitri Payet ne s'est pas entraîné avec le groupe de l'OM ce vendredi matin, et n'est pas sûr de pouvoir jouer samedi contre Brest. Son entraîneur Jorge Sampaoli, qui reconnait une sorte de dépendance, aimerait trouver des solutions en son absence.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/naples-la-superbe-statue-en-hommage-a-maradona_AV-202111290119.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-payet-incertain-contre-brest-sampaoli-veut-apprendre-a-jouer-sans-lui_AV-202112030334.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 07:35:11 GMT", - "enclosure": "https://images.bfmtv.com/kN-EiFrT3Sis4-OEhp0t0zcGZkM=/0x65:2048x1217/800x0/images/La-statue-de-Maradona-au-stade-de-Naples-1177483.jpg", + "pubDate": "Fri, 03 Dec 2021 13:54:09 GMT", + "enclosure": "https://images.bfmtv.com/vWz4C1O4NYXL9fR-NQEDlfh06x4=/0x106:2048x1258/800x0/images/Dimitri-Payet-1180962.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45641,17 +50276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d34544113068aac718139ae6ee45600b" + "hash": "3d3761905e1f1619d0be489ba333d296" }, { - "title": "Leo Margets : \"J'ai encore des étoiles plein les yeux\"", - "description": "Un peu moins d'une semaine après son sacre sur l'event #83 The Closer 1.500$ des WSOP pour 376.850$, Leo Margets était l'invitée du RMC Poker Show. La joueuse du Team Winamax s'est confiée comme jamais.

", - "content": "Un peu moins d'une semaine après son sacre sur l'event #83 The Closer 1.500$ des WSOP pour 376.850$, Leo Margets était l'invitée du RMC Poker Show. La joueuse du Team Winamax s'est confiée comme jamais.

", + "title": "PSG: Ramos à nouveau forfait pour le match contre Lens", + "description": "Absent de la séance d'entraînement du PSG ce vendredi matin, Sergio Ramos ne fera pas partie du groupe de Mauricio Pochettino pour le déplacement à Lens samedi. Il a ressenti une fatigue musculaire après son premier match.

", + "content": "Absent de la séance d'entraînement du PSG ce vendredi matin, Sergio Ramos ne fera pas partie du groupe de Mauricio Pochettino pour le déplacement à Lens samedi. Il a ressenti une fatigue musculaire après son premier match.

", "category": "", - "link": "https://rmcsport.bfmtv.com/poker/leo-margets-j-ai-encore-des-etoiles-plein-les-yeux_AN-202111290251.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-a-nouveau-forfait-pour-le-match-contre-lens_AV-202112030333.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 07:11:37 GMT", - "enclosure": "https://images.bfmtv.com/iX3B01jN7lw2AqwGXsM9HOqpj_c=/6x81:1494x918/800x0/images/Leo-Margets-J-ai-encore-des-etoiles-plein-les-yeux-1177655.jpg", + "pubDate": "Fri, 03 Dec 2021 13:47:39 GMT", + "enclosure": "https://images.bfmtv.com/7m-qfhTwLE18hCdBBD4kar0LUOg=/0x37:2048x1189/800x0/images/Sergio-RAMOS-1180944.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45661,17 +50296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a873c84121dba17898c02560aa8126f4" + "hash": "161f7d5abdc1879d44c831aa671dc74e" }, { - "title": "Ballon d’or: le jury, les votes... le mode d'emploi de l'attribution du trophée", - "description": "Le Ballon d’or récompensera lundi le meilleur footballeur de l’année 2021 lors d’une cérémonie organisée au Théâtre du Châtelet à Paris. Voici comment le vainqueur sera désigné parmi les 30 nommés pour cette prestigieuse récompense.

", - "content": "Le Ballon d’or récompensera lundi le meilleur footballeur de l’année 2021 lors d’une cérémonie organisée au Théâtre du Châtelet à Paris. Voici comment le vainqueur sera désigné parmi les 30 nommés pour cette prestigieuse récompense.

", + "title": "OM: Sampaoli ouvre grand la porte à un départ d'Amavi", + "description": "Très, très peu utilisé par Jorge Sampaoli cette saison, le latéral gauche de l'OM Jordan Amavi a été invité ce vendredi par son entraîneur à se trouver un nouveau club lors du mercato hivernal. S'il le souhaite.

", + "content": "Très, très peu utilisé par Jorge Sampaoli cette saison, le latéral gauche de l'OM Jordan Amavi a été invité ce vendredi par son entraîneur à se trouver un nouveau club lors du mercato hivernal. S'il le souhaite.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-le-jury-les-votes-le-mode-d-emploi-du-tirage_AV-202111290101.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-sampaoli-ouvre-grand-la-porte-a-un-depart-d-amavi_AV-202112030326.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 07:11:32 GMT", - "enclosure": "https://images.bfmtv.com/GsIfmzkXOJGQ_nq-W0JnZl4TlFc=/0x116:1600x1016/800x0/images/-828266.jpg", + "pubDate": "Fri, 03 Dec 2021 13:36:11 GMT", + "enclosure": "https://images.bfmtv.com/EHW2KNDtaHOhQMfoO-W5uIY-qZU=/0x112:2048x1264/800x0/images/Jordan-Amavi-1180945.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45681,17 +50316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8d876c7ce56823f5534b7fa215558b7" + "hash": "ee877257f6a8aacf909c2b76b242ef3c" }, { - "title": "Liga: la police aurait séparé Emery et Xavi après Villarreal-Barça", - "description": "Selon le quotidien catalan Sport, Unai Emery et Xavi se sont accrochés dans le tunnel du vestiaire après le match entre Villarreal et le FC Barcelone (1-3) au point que la police a dû tenir les deux hommes à l’écart.

", - "content": "Selon le quotidien catalan Sport, Unai Emery et Xavi se sont accrochés dans le tunnel du vestiaire après le match entre Villarreal et le FC Barcelone (1-3) au point que la police a dû tenir les deux hommes à l’écart.

", + "title": "Ligue des champions: Bayern-Barça à huis clos en raison du Covid-19", + "description": "La résurgence du Covid-19 en Europe, avec le variant Omicron, pousse la région de Bavière à fermer les stades au public. Conséquence: le Bayern Munich va terminer l'année à huis clos à l'Allianz Arena. Il n'y aura donc pas de spectateurs pour le match face au Barça, en Ligue des champions.

", + "content": "La résurgence du Covid-19 en Europe, avec le variant Omicron, pousse la région de Bavière à fermer les stades au public. Conséquence: le Bayern Munich va terminer l'année à huis clos à l'Allianz Arena. Il n'y aura donc pas de spectateurs pour le match face au Barça, en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-la-police-aurait-separe-emery-et-xavi-apres-villarreal-barca_AN-202111290093.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-bayern-barca-a-huis-clos-en-raison-du-covid-19_AV-202112030324.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 07:03:13 GMT", - "enclosure": "https://images.bfmtv.com/0NUltqU_zwvpUjDPqLAcB_EHG18=/0x46:2048x1198/800x0/images/Xavi-et-Unai-Emery-1177455.jpg", + "pubDate": "Fri, 03 Dec 2021 13:35:31 GMT", + "enclosure": "https://images.bfmtv.com/nkYGyglA6e2erS9A5az1SpuxUCI=/0x0:2048x1152/800x0/images/Allianz-Arena-huis-clos-1180916.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45701,17 +50336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "baef67949b792c32137e66b6548df519" + "hash": "f18fc5a0d21f643661982431309a7ac5" }, { - "title": "Ballon d'or: les trois favoris Benzema, Lewandowski et Messi au scanner", - "description": "Le Ballon d'or, c'est pour ce soir. La cérémonie de remise du trophée va se dérouler ce lundi au théâtre du Châtelet, à Paris. Parmi les 30 joueurs nommés, trois sont favoris pour soulever le trophée: Karim Benzema, Robert Lewandowski et Lionel Messi. Stats, forme du moment, titres... On fait le point sur leur année 2021.

", - "content": "Le Ballon d'or, c'est pour ce soir. La cérémonie de remise du trophée va se dérouler ce lundi au théâtre du Châtelet, à Paris. Parmi les 30 joueurs nommés, trois sont favoris pour soulever le trophée: Karim Benzema, Robert Lewandowski et Lionel Messi. Stats, forme du moment, titres... On fait le point sur leur année 2021.

", + "title": "OL: \"Souci mental\", \"manque de combativité\", le constat sans concession de Caqueret", + "description": "En conférence de presse ce vendredi, Maxence Caqueret n'a pas fait dans la langue de bois au moment d'évoquer les difficultés lyonnaises cette saison. Pointés à une décevante 10e place, les Gones doivent réagir dimanche à Bordeaux.

", + "content": "En conférence de presse ce vendredi, Maxence Caqueret n'a pas fait dans la langue de bois au moment d'évoquer les difficultés lyonnaises cette saison. Pointés à une décevante 10e place, les Gones doivent réagir dimanche à Bordeaux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-les-trois-favoris-benzema-lewandowski-et-messi-au-scanner_AV-202111290014.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-souci-mental-manque-de-combativite-le-constat-sans-concession-de-caqueret_AV-202112030319.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 07:00:00 GMT", - "enclosure": "https://images.bfmtv.com/s766r_C1w8j9WNyg2z75tblafbk=/0x93:2048x1245/800x0/images/Karim-Benzema-1168960.jpg", + "pubDate": "Fri, 03 Dec 2021 13:10:32 GMT", + "enclosure": "https://images.bfmtv.com/4LnWvox5iKtoe3hsQ6UOYDUps6U=/0x0:2048x1152/800x0/images/Maxence-CAQUERET-1180926.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45721,17 +50356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1679754776a15060b997a663ab1ca79a" + "hash": "58d927129557ff90f0bd632e2523aa49" }, { - "title": "OM-Troyes en direct: de retour a Marseille, Rami recadre ses détracteurs", - "description": "L'OM s'est imposé 1-0 contre Troyes grâce à un but de Lirola. Les Marseillais reviennent à hauteur de Nice, troisième.

", - "content": "L'OM s'est imposé 1-0 contre Troyes grâce à un but de Lirola. Les Marseillais reviennent à hauteur de Nice, troisième.

", + "title": "FC Barcelone: Laporta dément avoir demandé à Messi de jouer gratuitement", + "description": "À cause de soucis financiers, le FC Barcelone n’a pas pu trouver un accord avec Lionel Messi pour prolonger son contrat. Si l’Argentin a rejoint le PSG l’été dernier, son cas continue de faire parler en Espagne. Dans un entretien à TV3, le président Joan Laporta a nié avoir demandé à l’attaquant de jouer gratuitement.

", + "content": "À cause de soucis financiers, le FC Barcelone n’a pas pu trouver un accord avec Lionel Messi pour prolonger son contrat. Si l’Argentin a rejoint le PSG l’été dernier, son cas continue de faire parler en Espagne. Dans un entretien à TV3, le président Joan Laporta a nié avoir demandé à l’attaquant de jouer gratuitement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-suivez-le-match-en-direct_LS-202111280247.html", + "link": "https://rmcsport.bfmtv.com/football/liga/fc-barcelone-laporta-dement-avoir-demande-a-messi-de-jouer-gratuitement_AV-202112030308.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:27:10 GMT", - "enclosure": "https://images.bfmtv.com/uxKSt6hqAm5brN58aALMr7pbDYw=/0x106:2048x1258/800x0/images/Adil-Rami-1177420.jpg", + "pubDate": "Fri, 03 Dec 2021 12:36:24 GMT", + "enclosure": "https://images.bfmtv.com/TKxwzRYiaHwyNASD0_e1U477KW0=/0x40:768x472/800x0/images/Le-president-du-FC-Barcelone-Joan-Laporta-lors-d-un-point-presse-axe-sur-la-non-prolongation-du-contrat-de-Leo-Messi-au-Camp-Nou-le-6-aout-2021-1080266.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45741,17 +50376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "441aa0415a90184bec5d1bb0c60cb632" + "hash": "3328c0adebe1ce7704f33652c220a4ac" }, { - "title": "Mercato en direct: C'est officiel, Manchester United a un nouveau coach", - "description": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", - "content": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "title": "Les grandes interviews RMC Sport: Klopp, l'apôtre du gegenpressing", + "description": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Rendez-vous ce vendredi avec Jürgen Klopp. L'entraîneur allemand de Liverpool s'était confié à Footissime en novembre 2018, en détaillant notamment sa vision du \"gegenpressing\".

", + "content": "Du 1er au 24 décembre, RMC Sport vous propose de découvrir ou redécouvrir les grandes interviews diffusées à l'antenne. Rendez-vous ce vendredi avec Jürgen Klopp. L'entraîneur allemand de Liverpool s'était confié à Footissime en novembre 2018, en détaillant notamment sa vision du \"gegenpressing\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-29-novembre_LN-202111290068.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/les-grandes-interviews-rmc-sport-klopp-l-apotre-du-gegenpressing_AN-202112030014.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 06:25:08 GMT", - "enclosure": "https://images.bfmtv.com/Gwx88rVLIc4C-6NLO94K_LtFFu8=/0x70:2048x1222/800x0/images/Ralf-Rangnick-1176000.jpg", + "pubDate": "Fri, 03 Dec 2021 12:00:00 GMT", + "enclosure": "https://images.bfmtv.com/INvUjCjDZWBkFApdLfOexA1-cU0=/0x3:1024x579/800x0/images/Juergen-Klopp-Footissime-novembre-2018-1180119.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45761,17 +50396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6228f853f98fb261507c14c148114f34" + "hash": "9f2a3a8081107baf3992f0880fcccf7b" }, { - "title": "ASSE-PSG: Neymar pourrait être absent six semaines", - "description": "Après sa sortie sur blessure à Saint-Etienne, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Neymar pourrait être éloigné des terrains durant un mois et demi. Les premiers examens passés par le n°10 du PSG font état d’une grosse entorse.

", - "content": "Après sa sortie sur blessure à Saint-Etienne, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Neymar pourrait être éloigné des terrains durant un mois et demi. Les premiers examens passés par le n°10 du PSG font état d’une grosse entorse.

", + "title": "Juventus: le transfert de Ronaldo vers Manchester United dans le viseur de la justice italienne", + "description": "La justice italienne, qui s'intéresse depuis plusieurs semaines à de possibles irrégularités dans les comptes de la Juventus, aurait désormais le transfert de Cristiano Ronaldo vers Manchester United dans son viseur. De nouvelles perquisitions ont été ordonnées.

", + "content": "La justice italienne, qui s'intéresse depuis plusieurs semaines à de possibles irrégularités dans les comptes de la Juventus, aurait désormais le transfert de Cristiano Ronaldo vers Manchester United dans son viseur. De nouvelles perquisitions ont été ordonnées.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-neymar-pourrait-etre-absent-six-semaines_AV-202111280275.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/juventus-le-transfert-de-ronaldo-vers-manchester-united-dans-le-viseur-de-la-justice-italienne_AV-202112030277.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 21:24:55 GMT", - "enclosure": "https://images.bfmtv.com/i_AaF-HoU-qZZEYxPk5UXS3aTKc=/0x52:2048x1204/800x0/images/Neymar-1177315.jpg", + "pubDate": "Fri, 03 Dec 2021 11:49:02 GMT", + "enclosure": "https://images.bfmtv.com/OnwFlV7S7OmiG1C0plWmQqlHSW0=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-avec-la-Juventus-1088753.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45781,17 +50416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "30622d15c447d272370cbafc185e01ee" + "hash": "a576ec5bbe9b516ff0fef63fdeadd327" }, { - "title": "OM-Troyes en direct: Lirola trouve la faille dans un match terne", - "description": "L’OM accueille Troyes, ce dimanche au Vélodrome, en clôture de la 15e journée de Ligue 1. Une semaine après leur match arrêté à Lyon, les Marseillais ont l’occasion de recoller au trio de tête en cas de succès.

", - "content": "L’OM accueille Troyes, ce dimanche au Vélodrome, en clôture de la 15e journée de Ligue 1. Une semaine après leur match arrêté à Lyon, les Marseillais ont l’occasion de recoller au trio de tête en cas de succès.

", + "title": "FC Barcelone: la présence de Fati face au Bayern Munich compromise", + "description": "Blessé depuis le match nul 3-3 face au Celta Vigo au début du mois de novembre, Ansu Fati est loin d’être assuré de disputer le dernier match de poule de Ligue des champions du FC Barcelone face au Bayern Munich.

", + "content": "Blessé depuis le match nul 3-3 face au Celta Vigo au début du mois de novembre, Ansu Fati est loin d’être assuré de disputer le dernier match de poule de Ligue des champions du FC Barcelone face au Bayern Munich.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-suivez-le-match-en-direct_LS-202111280247.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/fc-barcelone-la-presence-de-fati-face-au-bayern-munich-compromise_AV-202112030265.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:27:10 GMT", - "enclosure": "https://images.bfmtv.com/NEoci-Td4_l8_xkq1UAAssSJS78=/0x212:2048x1364/800x0/images/Payet-lors-du-match-OM-Troyes-1177312.jpg", + "pubDate": "Fri, 03 Dec 2021 11:31:48 GMT", + "enclosure": "https://images.bfmtv.com/j4EVumjbN5t85SMWzTpKCgmxhFA=/0x65:2048x1217/800x0/images/Ansu-Fati-1147589.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45801,17 +50436,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ccc69b3c854d6c4db4415a009de6cc6d" + "hash": "edbe8875051f7db20e062530f116ac8a" }, { - "title": "ASSE-PSG en direct: Neymar pourrait être absent six semaines", - "description": "Si le PSG s'est imposé à Saint-Etienne ce dimanche (3-1), il a perdu Neymar sur blessure en fin de match. Le Brésilien est touché à la cheville gauche.

", - "content": "Si le PSG s'est imposé à Saint-Etienne ce dimanche (3-1), il a perdu Neymar sur blessure en fin de match. Le Brésilien est touché à la cheville gauche.

", + "title": "GP d'Arabie saoudite: Hamilton dénonce les \"terrifiantes\" lois saoudiennes, le concert de Bieber sous le feu des critiques", + "description": "Lewis Hamilton a reconnu que disputer un Grand Prix de Formule 1 en Arabie Saoudite, un pays critiqué pour ses manquements aux droits humains, ne le mettait pas à l'aise. Il portera pour l'occasion un casque aux couleurs de la communauté LGBT+.

", + "content": "Lewis Hamilton a reconnu que disputer un Grand Prix de Formule 1 en Arabie Saoudite, un pays critiqué pour ses manquements aux droits humains, ne le mettait pas à l'aise. Il portera pour l'occasion un casque aux couleurs de la communauté LGBT+.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-en-direct-paris-veut-se-relancer-apres-son-rate-en-ligue-des-champions_LS-202111280088.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-hamilton-denonce-les-terrifiantes-lois-saoudiennes-le-concert-de-bieber-sous-le-feu-des-critiques_AV-202112030256.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 10:16:44 GMT", - "enclosure": "https://images.bfmtv.com/184plja8iWpKS9wwwffoTO0RyqE=/0x171:1568x1053/800x0/images/Neymar-a-ete-touche-a-la-cheville-contre-Saint-Etienne-1177147.jpg", + "pubDate": "Fri, 03 Dec 2021 11:25:10 GMT", + "enclosure": "https://images.bfmtv.com/Wj8xmcvgRDfbSdQR3mYrrFrlNCU=/0x124:2048x1276/800x0/images/Lewis-Hamilton-1180821.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45821,17 +50456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f69108a6a16848fee41aa3b3226f313f" + "hash": "41d660fac8102a6b26ed96ec10122135" }, { - "title": "Bordeaux: Lopez charge ses joueurs après la défaite contre Brest", - "description": "Gérard Lopez n’a pas du tout apprécié la défaite à domicile de Bordeaux face à Brest, ce dimanche, lors de la 15e journée de Ligue 1 (1-2). Le président des Girondins réclame plus d’investissement de la part de ses joueurs, désormais 17es du classement.

", - "content": "Gérard Lopez n’a pas du tout apprécié la défaite à domicile de Bordeaux face à Brest, ce dimanche, lors de la 15e journée de Ligue 1 (1-2). Le président des Girondins réclame plus d’investissement de la part de ses joueurs, désormais 17es du classement.

", + "title": "Mercato en direct: Xavi compte sur De Jong et Dembélé", + "description": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-lopez-charge-ses-joueurs-apres-la-defaite-contre-brest_AV-202111280272.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-2-decembre_LN-202112020061.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 20:29:55 GMT", - "enclosure": "https://images.bfmtv.com/f927sWTglf92PioJHKKA4xJtmfk=/0x0:2048x1152/800x0/images/Gerard-Lopez-1174569.jpg", + "pubDate": "Thu, 02 Dec 2021 06:35:38 GMT", + "enclosure": "https://images.bfmtv.com/ha-BGR6BdAv_M7sE7PVYOLC22qQ=/0x48:2000x1173/800x0/images/Xavi-Hernandez-Barcelone-1176107.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45841,17 +50476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "84fc62d5da5f8b020d2a6c4521f0f473" + "hash": "bd9d5bd9958092e46304ecf129c6a639" }, { - "title": "Killington (slalom): Shiffrin s'offre une 71e victoire", - "description": "A domicile, à Killington, l'Américaine Mikaela Shiffrin a été la plus rapide sur le slalom ce dimanche. Sa 71e victoire en Coupe du monde.

", - "content": "A domicile, à Killington, l'Américaine Mikaela Shiffrin a été la plus rapide sur le slalom ce dimanche. Sa 71e victoire en Coupe du monde.

", + "title": "Clermont: Bayo explique comment il a rebondi après sa garde à vue", + "description": "Mohamed Bayo (23 ans), attaquant de Clermont, est revenu sur l’accident qu’il a provoqué fin octobre et qui a entrainé son placement en garde à vue.

", + "content": "Mohamed Bayo (23 ans), attaquant de Clermont, est revenu sur l’accident qu’il a provoqué fin octobre et qui a entrainé son placement en garde à vue.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/killington-slalom-shiffrin-s-offre-une-71e-victoire_AD-202111280271.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/clermont-bayo-explique-comment-il-a-rebondi-apres-sa-garde-a-vue_AV-202112030246.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 20:06:40 GMT", - "enclosure": "https://images.bfmtv.com/GPwLMhNe27jHhgauyOWUo0Ug9kw=/0x4:768x436/800x0/images/La-joie-de-Mikaela-Shiffrin-victorieuse-en-slalom-a-Killington-le-28-novembre-2021-1177294.jpg", + "pubDate": "Fri, 03 Dec 2021 11:02:42 GMT", + "enclosure": "https://images.bfmtv.com/d0fdwVJTWgVXGllvvW0we7KfvAE=/0x142:2048x1294/800x0/images/Mohamed-Bayo-1180840.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45861,17 +50496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c9164a8107ddb07b8a58703ebafaf380" + "hash": "afe5984e3073bb3112e6756cd43dfecf" }, { - "title": "PSG: Mbappé rend hommage à Virgil Abloh, figure de la mode, décédé à 41 ans", - "description": "Créateur de la marque Off White, également en charge des collections homme de Louis Vuitton, Virgil Abloh est mort ce dimanche à 41 ans, des suites d'un cancer. Kylian Mbappé lui a rendu hommage.

", - "content": "Créateur de la marque Off White, également en charge des collections homme de Louis Vuitton, Virgil Abloh est mort ce dimanche à 41 ans, des suites d'un cancer. Kylian Mbappé lui a rendu hommage.

", + "title": "Affaire Pinot-Schmitt en direct: Schmitt maintient sa version et lit le message que Riner lui a envoyé", + "description": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", + "content": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-mbappe-rend-hommage-a-virgil-abloh-figure-de-la-mode-decede-a-41-ans_AV-202111280269.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-en-direct-margaux-pinot-va-s-exprimer-a-18h_LN-202112020373.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:40:36 GMT", - "enclosure": "https://images.bfmtv.com/uTV6L9imJkGwKggg2kYqL7i0BRw=/0x82:2048x1234/800x0/images/Virgil-Abloh-1177299.jpg", + "pubDate": "Thu, 02 Dec 2021 15:54:42 GMT", + "enclosure": "https://images.bfmtv.com/TbIr1pTY6uRr4XHaXF5cPDAXQeY=/0x0:1280x720/800x0/images/Alain-Schmitt-1181111.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45881,17 +50516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "23b145d543351a511a360f7eda552715" + "hash": "b1f451bdbfbebb799ac7fbfa6ffe59d1" }, { - "title": "Coupe Davis: l’équipe de France éliminée dès la phase de poules", - "description": "La France, deuxième du groupe C, a été éliminée dimanche de la Coupe Davis dès la phase de poules, n'ayant pu terminer parmi les deux meilleurs deuxièmes des six groupes.

", - "content": "La France, deuxième du groupe C, a été éliminée dimanche de la Coupe Davis dès la phase de poules, n'ayant pu terminer parmi les deux meilleurs deuxièmes des six groupes.

", + "title": "Mercato en direct: le transferts de Ronaldo vers Manchester United dans le viseur de la justice italienne", + "description": "A un mois de l'ouverture du mercato d'hiver, suivez en direct toutes les rumeurs et infos du marché des transferts.

", + "content": "A un mois de l'ouverture du mercato d'hiver, suivez en direct toutes les rumeurs et infos du marché des transferts.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-l-equipe-de-france-eliminee-des-la-phase-de-poules_AV-202111280268.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-rumeurs-et-infos-du-2-decembre_LN-202112020061.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:39:28 GMT", - "enclosure": "https://images.bfmtv.com/jcTViwiEDhQbjDnQI8ysLSNcF6g=/0x0:1200x675/800x0/images/Adrian-Mannarino-1177301.jpg", + "pubDate": "Thu, 02 Dec 2021 06:35:38 GMT", + "enclosure": "https://images.bfmtv.com/evpmxuh5REdljYjlTaziBKYMVi0=/0x78:2048x1230/800x0/images/Cristiano-Ronaldo-1180451.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45901,17 +50536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5fe0402c10cf984325d42642aee94ac3" + "hash": "943413d12fe601dce17045adcc54cb3e" }, { - "title": "ASSE-PSG: Khazri \"s’en fout carrément\" de la prestation de Ramos", - "description": "Après la défaite de Saint-Etienne face au PSG, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Wahbi Khazri a été interrogé sur la grande première de Sergio Ramos dans le championnat de France. Et la réponse de l’attaquant des Verts a été assez cinglante...

", - "content": "Après la défaite de Saint-Etienne face au PSG, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Wahbi Khazri a été interrogé sur la grande première de Sergio Ramos dans le championnat de France. Et la réponse de l’attaquant des Verts a été assez cinglante...

", + "title": "Affaire Pinot-Schmitt en direct: l'avocat de Pinot \"conteste formellement\" la version de Schmitt", + "description": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", + "content": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-khazri-s-en-fout-carrement-de-la-prestation-de-ramos_AV-202111280262.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-en-direct-margaux-pinot-va-s-exprimer-a-18h_LN-202112020373.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:19:08 GMT", - "enclosure": "https://images.bfmtv.com/qmH7jUySYkPlnLUTVlDBP3S-2Mc=/7x111:2039x1254/800x0/images/ASSE-PSG-1177295.jpg", + "pubDate": "Thu, 02 Dec 2021 15:54:42 GMT", + "enclosure": "https://images.bfmtv.com/CNMV6jPNtqg84LVQ88KlVS8PLO4=/0x0:1280x720/800x0/images/Avocat-Pinot-1180839.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45921,17 +50556,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb1bef0b098f9858ccede96e33f0491f" + "hash": "562020fac04ebbf4ebf9764d5eba0289" }, { - "title": "Montpellier-OL: Bosz pas content du contenu malgré la victoire, Gusto pas épargné", - "description": "Malgré la victoire 1-0 sur la pelouse de Montpellier ce dimanche, pour la 15e journée de Ligue 1, Peter Bosz n'était pas satisfait du contenu produit par les joueurs de l'OL. Le technicien appelle à faire mieux, notamment pour le jeune Malo Gusto.

", - "content": "Malgré la victoire 1-0 sur la pelouse de Montpellier ce dimanche, pour la 15e journée de Ligue 1, Peter Bosz n'était pas satisfait du contenu produit par les joueurs de l'OL. Le technicien appelle à faire mieux, notamment pour le jeune Malo Gusto.

", + "title": "PSG: Ramos absent de l’entraînement avant le déplacement à Lens", + "description": "Sergio Ramos, déjà en tribune face à Nice (0-0) mercredi, était absent de l’entraînement, ce vendredi matin à la veille du déplacement à Lens, samedi (21h, 17e journée de Ligue 1).

", + "content": "Sergio Ramos, déjà en tribune face à Nice (0-0) mercredi, était absent de l’entraînement, ce vendredi matin à la veille du déplacement à Lens, samedi (21h, 17e journée de Ligue 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/montpellier-ol-bosz-pas-content-du-contenu-malgre-la-victoire-gusto-pas-epargne_AV-202111280261.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-absent-de-l-entrainement-avant-le-deplacement-a-lens_AV-202112030235.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:17:48 GMT", - "enclosure": "https://images.bfmtv.com/MYdoXUiQfK9uVG4Vf8qRGRwEoW4=/0x106:2048x1258/800x0/images/Peter-Bosz-OL-qui-donne-ses-consignes-1177288.jpg", + "pubDate": "Fri, 03 Dec 2021 10:43:58 GMT", + "enclosure": "https://images.bfmtv.com/XT35VVni4LgVYF9FkBnXJVPbOaY=/0x37:1200x712/800x0/images/Sergio-Ramos-1178510.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45941,17 +50576,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3a7ed785ab593b6bad3974b975cd2878" + "hash": "55df7d47affe79a5c7a8576a0f684ff6" }, { - "title": "OM-Troyes, les compos: Kamara sur le banc après avoir boudé la conférence de presse", - "description": "Dimitri Payet fait son retour dans la compo de l'OM, face à Troyes ce dimanche (20h45). En revanche, après avoir refusé de venir en conférence de presse vendredi, Boubacar Kamara est sur le banc.

", - "content": "Dimitri Payet fait son retour dans la compo de l'OM, face à Troyes ce dimanche (20h45). En revanche, après avoir refusé de venir en conférence de presse vendredi, Boubacar Kamara est sur le banc.

", + "title": "OM en direct: la conf de Sampaoli et Lirola avant Brest", + "description": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. Ce vendredi, l'entraîneur Jorge Sampaoli et le latéral Pol Lirola s'exprimeront devant la presse. Une conférence à suivre sur RMC Sport à partir de 13h15.

", + "content": "L'OM recevra Brest, samedi après-midi au Vélodrome (17h) dans le cadre de la 17e journée de Ligue 1. Ce vendredi, l'entraîneur Jorge Sampaoli et le latéral Pol Lirola s'exprimeront devant la presse. Une conférence à suivre sur RMC Sport à partir de 13h15.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-les-compos-kamara-sur-le-banc-apres-avoir-boude-la-conference-de-presse_AV-202111280260.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-en-direct-la-conf-de-sampaoli-et-lirola-avant-brest_LN-202112030234.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:16:17 GMT", - "enclosure": "https://images.bfmtv.com/HHYKqfB9zU_7op9V4pQbeb6MOzc=/0x0:2048x1152/800x0/images/Boubacar-Kamara-OM-1177296.jpg", + "pubDate": "Fri, 03 Dec 2021 10:43:55 GMT", + "enclosure": "https://images.bfmtv.com/y9Ag2hVD6DPX13Fi_GsQLJIwMP0=/0x93:2048x1245/800x0/images/Jorge-SAMPAOLI-1129654.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45961,17 +50596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8228df3afb1c5f58c1c2a0acd5e187a9" + "hash": "4c4e1d5cbefb4930820e4beacb565f69" }, { - "title": "Coupe de France: Le Havre sorti par une N3, trois équipes de R2 en 32es de finale", - "description": "Après l'élimination de Grenoble et Rodez, Le Havre a également pris la porte ce dimanche face à Chauvigny (National 3) lors du 8e tour de la Coupe de France. Le petit poucet de la compétition, Salouel Saleux, a été éliminé.

", - "content": "Après l'élimination de Grenoble et Rodez, Le Havre a également pris la porte ce dimanche face à Chauvigny (National 3) lors du 8e tour de la Coupe de France. Le petit poucet de la compétition, Salouel Saleux, a été éliminé.

", + "title": "PSG en direct: Toutes les infos à la veille de Lens-PSG", + "description": "Après son match nul décevant face à Nice, le PSG enchaîne par un déplacement à Lens, pas non plus au mieux de sa forme. Suivez toutes les infos sur la compo du groupe parisien et la conf de presse de Pochettino.

", + "content": "Après son match nul décevant face à Nice, le PSG enchaîne par un déplacement à Lens, pas non plus au mieux de sa forme. Suivez toutes les infos sur la compo du groupe parisien et la conf de presse de Pochettino.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-le-havre-sorti-par-une-n3-trois-equipes-de-r2-en-32es-de-finale_AN-202111280257.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-en-direct-toutes-les-infos-a-la-veille-de-lens-psg_LN-202112030232.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:59:01 GMT", - "enclosure": "https://images.bfmtv.com/mpXlxdCmYz46XW59qtOVQpAO4Uo=/242x320:1714x1148/800x0/images/Coupe-de-France-1176976.jpg", + "pubDate": "Fri, 03 Dec 2021 10:41:21 GMT", + "enclosure": "https://images.bfmtv.com/gDjJHCHiQ7T3S32OYgI2-Htlud4=/0x0:1200x675/800x0/images/Sergio-Ramos-1177105.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -45981,17 +50616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ddd9ace5bda3b60369187df0fc32555f" + "hash": "291905b64dd5ce36d5f220d2b7103862" }, { - "title": "Ligue 1: bouillant, le Stade Rennais est la meilleure équipe d'Europe depuis octobre", - "description": "Aucune autre équipe des cinq grands championnats européens n'a gagné plus de points que le Stade Rennais, dauphin du Paris Saint-Germain en Ligue 1, depuis octobre. Et ce n'est pas tout.

", - "content": "Aucune autre équipe des cinq grands championnats européens n'a gagné plus de points que le Stade Rennais, dauphin du Paris Saint-Germain en Ligue 1, depuis octobre. Et ce n'est pas tout.

", + "title": "Premier League: pour sa première conférence de presse, Rangnick décrit Manchester United comme \"le plus grand club du monde\"", + "description": "Jusqu’à la fin de la saison c’est Ralf Rangnick qui prendre place sur le banc de touche à Manchester United. Pour sa première conférence de presse, l’entraîneur allemand a affiché sa joie d’être dans ce club et apporté des précisions sur ce qu’il souhaite apporter.

", + "content": "Jusqu’à la fin de la saison c’est Ralf Rangnick qui prendre place sur le banc de touche à Manchester United. Pour sa première conférence de presse, l’entraîneur allemand a affiché sa joie d’être dans ce club et apporté des précisions sur ce qu’il souhaite apporter.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-bouillant-le-stade-rennais-est-la-meilleure-equipe-d-europe-depuis-octobre_AV-202111280251.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-pour-sa-premiere-conference-de-presse-rangnick-decrit-manchester-united-comme-le-plus-grand-club-du-monde_AV-202112030229.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:43:17 GMT", - "enclosure": "https://images.bfmtv.com/YTEpR29dxA4DNInQmUI2A-TR4pE=/0x104:1200x779/800x0/images/Jeremy-Doku-1177264.jpg", + "pubDate": "Fri, 03 Dec 2021 10:38:03 GMT", + "enclosure": "https://images.bfmtv.com/VZpvAaryeSmDkEAekaNzVcqkFRs=/0x78:2048x1230/800x0/images/Ralf-Rangnick-1179316.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46001,17 +50636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6f6c6bc1a981b7672540b40f388e00ef" + "hash": "0569d77869f9c6810692bbf01ca83662" }, { - "title": "Chelsea-Manchester United: une énorme bourde, de l'intensité et un classement qui se resserre", - "description": "Le choc de la 13e journée de Premier League a abouti à un match nul entre Chelsea et Manchester United ce dimanche (1-1), à Stamford Bridge. Une rencontre marquée par une énorme bourde et qui permet de resserrer les écarts en haut de tableau.

", - "content": "Le choc de la 13e journée de Premier League a abouti à un match nul entre Chelsea et Manchester United ce dimanche (1-1), à Stamford Bridge. Une rencontre marquée par une énorme bourde et qui permet de resserrer les écarts en haut de tableau.

", + "title": "Avec 801 buts, Ronaldo est-il le meilleur buteur de l'histoire du football?", + "description": "Grâce à son doublé réussi jeudi lors de la victoire de Manchester United contre Arsenal (3-2), Cristiano Ronaldo a dépassé la barre des 800 buts en carrière. Mais le Portugais ne détient pas encore le record absolu.

", + "content": "Grâce à son doublé réussi jeudi lors de la victoire de Manchester United contre Arsenal (3-2), Cristiano Ronaldo a dépassé la barre des 800 buts en carrière. Mais le Portugais ne détient pas encore le record absolu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-manchester-united-une-enorme-bourde-de-l-intensite-et-un-classement-qui-se-resserre_AV-202111280249.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/avec-801-buts-ronaldo-est-il-le-meilleur-buteur-de-l-histoire-du-football_AV-202112030225.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:33:46 GMT", - "enclosure": "https://images.bfmtv.com/DoU54y7Sdad8O3dQoo2qV-mS6KI=/0x153:2048x1305/800x0/images/Timo-Werner-lors-de-Chelsea-Manchester-United-1177276.jpg", + "pubDate": "Fri, 03 Dec 2021 10:36:30 GMT", + "enclosure": "https://images.bfmtv.com/n70iREgqhlpmGSqE366nVjyAxgc=/0x56:2048x1208/800x0/images/Cristiano-Ronaldo-1180736.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46021,17 +50656,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "48f64301b3bf7980d010e356d2ae3d54" + "hash": "9e7c39e9168c722b5b248bc2cddbef55" }, { - "title": "XV de France: François Moncla, le capitaine qui a botté les fesses d'un Anglais, est mort", - "description": "Ancien capitaine du XV de France, légende du Racing et de Pau, François Moncla s'est éteint à l'âge de 89 ans.

", - "content": "Ancien capitaine du XV de France, légende du Racing et de Pau, François Moncla s'est éteint à l'âge de 89 ans.

", + "title": "Coupe du monde 2022: seulement trois morts sur les chantiers au Qatar, selon les organisateurs", + "description": "Dans un entretien à plusieurs médias étrangers, le président du comité d'organisation du Mondial 2022 au Qatar est revenu sur le sujet sensible des travailleurs décédés sur les chantiers. Selon lui, trois morts ont été enregistrées.

", + "content": "Dans un entretien à plusieurs médias étrangers, le président du comité d'organisation du Mondial 2022 au Qatar est revenu sur le sujet sensible des travailleurs décédés sur les chantiers. Selon lui, trois morts ont été enregistrées.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/xv-de-france/xv-de-france-francois-moncla-le-capitaine-qui-a-botte-les-fesses-d-un-anglais-est-mort_AD-202111280243.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-seulement-trois-morts-sur-les-chantiers-au-qatar-selon-les-organisateurs_AV-202112030218.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:14:16 GMT", - "enclosure": "https://images.bfmtv.com/q_N3_TzAmhjX0dHTQxrvSMH0KpQ=/0x99:768x531/800x0/images/Le-3e-ligne-francais-Francois-Moncla-C-tente-une-percee-sous-le-regard-des-joueurs-de-Auckland-lors-du-test-match-contre-Auckland-le-24-juillet-1961-a-Auckland-1177257.jpg", + "pubDate": "Fri, 03 Dec 2021 10:25:09 GMT", + "enclosure": "https://images.bfmtv.com/nGLnAu3gyA48kLAdE734BDuMC7I=/0x269:2048x1421/800x0/images/Gianni-Infantino-et-Jair-Bolsonaro-aupres-des-travailleurs-du-Mondial-2022-1180805.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46041,17 +50676,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff9e63c3a736d286ccf780824d18df9c" + "hash": "a9bcd7716647a6d9756122e51255fbe3" }, { - "title": "Racing-UBB en direct: Bordeaux fait voler en éclats la défense du Racing", - "description": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", - "content": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", + "title": "Barça: \"Dembélé est meilleur que Mbappé\", estime Laporta", + "description": "Joan Laporta, président du FC Barcelone, compte toujours conserver Ousmane Dembélé qu’il estime même meilleur que Kylian Mbappé. Problème, la prolongation de son contrat semble très mal engagée.

", + "content": "Joan Laporta, président du FC Barcelone, compte toujours conserver Ousmane Dembélé qu’il estime même meilleur que Kylian Mbappé. Problème, la prolongation de son contrat semble très mal engagée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-racing-ubb-en-direct_LS-202111280242.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-dembele-est-meilleur-que-mbappe-estime-laporta_AV-202112030214.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:10:33 GMT", - "enclosure": "https://images.bfmtv.com/wLeL7lVcDSap3LzLw3YGUNqFtyA=/0x58:2048x1210/800x0/images/Gael-Fickou-avec-le-Racing-92-1121638.jpg", + "pubDate": "Fri, 03 Dec 2021 10:19:46 GMT", + "enclosure": "https://images.bfmtv.com/EXCom0dnw1x0OygcqnY4FlQgWUI=/0x33:2048x1185/800x0/images/Kylian-Mbappe-et-Ousmane-Dembele-1180804.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46061,17 +50696,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "adaf61fdbebf80fd843dea987a9731cd" + "hash": "4cf45ae28b623190a1909f81c0cab5a5" }, { - "title": "Ligue 1: l'OL retrouve le goût de la victoire à Montpellier", - "description": "Une semaine après les incidents face à Marseille, l'OL a remporté son premier match à l'extérieur depuis août, ce dimanche à Montpellier (0-1). Les Gones grimpent à la 7e place et restent au contact des places européennes.

", - "content": "Une semaine après les incidents face à Marseille, l'OL a remporté son premier match à l'extérieur depuis août, ce dimanche à Montpellier (0-1). Les Gones grimpent à la 7e place et restent au contact des places européennes.

", + "title": "F1: Prost meilleur pilote de l'histoire? C'est l'avis de l'ancien boss de la F1", + "description": "Pour Bernie Ecclestone, l'ancien grand argentier de la F1, Alain Prost est le meilleur pilote de l'histoire. Il estime que le Français a brillé face à une concurrence féroce, à une époque où les aides au pilotage étaient bien plus maigres.

", + "content": "Pour Bernie Ecclestone, l'ancien grand argentier de la F1, Alain Prost est le meilleur pilote de l'histoire. Il estime que le Français a brillé face à une concurrence féroce, à une époque où les aides au pilotage étaient bien plus maigres.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-l-ol-retrouve-le-gout-de-la-victoire-a-montpellier_AN-202111280239.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-prost-meilleur-pilote-de-l-histoire-c-est-l-avis-de-l-ancien-boss-de-la-f1_AV-202112030208.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:06:05 GMT", - "enclosure": "https://images.bfmtv.com/uKk7c2-nA1vvLp3XATXh7-zJ65c=/0x0:1984x1116/800x0/images/Lucas-Paqueta-face-a-Montpellier-1177259.jpg", + "pubDate": "Fri, 03 Dec 2021 10:10:52 GMT", + "enclosure": "https://images.bfmtv.com/PwiJPWuW--GApJmKLF4q_CpLkvE=/4x5:4724x2660/800x0/images/-862115.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46081,17 +50716,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7320dd8f0f297bb7d52c9c7fa5ebd62f" + "hash": "e935c680b5950ee38cf8b12b59cf706f" }, { - "title": "OL: Govou n’a \"pas spécialement envie\" de rejoindre la cellule de recrutement", - "description": "Interrogé sur Canal+ Sport, Sidney Govou a expliqué ce dimanche qu’il n’envisageait pas de prendre un poste au sein de la cellule de recrutement de l’OL. L’ancien attaquant lyonnais a été approché par les dirigeants des Gones, mais il a décliné la proposition.

", - "content": "Interrogé sur Canal+ Sport, Sidney Govou a expliqué ce dimanche qu’il n’envisageait pas de prendre un poste au sein de la cellule de recrutement de l’OL. L’ancien attaquant lyonnais a été approché par les dirigeants des Gones, mais il a décliné la proposition.

", + "title": "PSG: Hamraoui dit avoir été menacée par le garde du corps de Diallo, le clan Diallo dément", + "description": "Selon M6, la joueuse du PSG Kheira Hamraoui - agressée début novembre - a dit aux enquêteurs avoir récemment été menacée par le garde du corps de sa coéquipière Aminata Diallo lors d'un entraînement à Bougival.

", + "content": "Selon M6, la joueuse du PSG Kheira Hamraoui - agressée début novembre - a dit aux enquêteurs avoir récemment été menacée par le garde du corps de sa coéquipière Aminata Diallo lors d'un entraînement à Bougival.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-govou-n-a-pas-specialement-envie-de-rejoindre-la-cellule-de-recrutement_AV-202111280237.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/d1/psg-hamraoui-dit-avoir-ete-menacee-par-le-garde-du-corps-de-diallo_AV-202112030198.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:03:20 GMT", - "enclosure": "https://images.bfmtv.com/XNpMgZ0M2gB35p0En8_bEjwK-HQ=/0x83:2048x1235/800x0/images/Sidney-Govou-1170136.jpg", + "pubDate": "Fri, 03 Dec 2021 10:03:32 GMT", + "enclosure": "https://images.bfmtv.com/s5ADzEEAwLJEcaoIon1FP_qepv8=/0x143:2048x1295/800x0/images/Kheira-Hamraoui-1164543.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46101,17 +50736,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b6a41317e2c5b870ec17142f50e3794d" + "hash": "e1eac6da5b6e98dfd2f43d9034167993" }, { - "title": "Ballon d’or: Evra félicite déjà Messi pour son septième sacre", - "description": "Patrice Evra a posté un message très remarqué ce dimanche sur les réseaux. L’ancien capitaine de l’équipe de France adresse ses félicitations à Lionel Messi pour avoir remporté le Ballon d’or 2021. Sauf que la cérémonie est prévue ce lundi soir à Paris…

", - "content": "Patrice Evra a posté un message très remarqué ce dimanche sur les réseaux. L’ancien capitaine de l’équipe de France adresse ses félicitations à Lionel Messi pour avoir remporté le Ballon d’or 2021. Sauf que la cérémonie est prévue ce lundi soir à Paris…

", + "title": "Mercato: le Barça toujours plus pessimiste pour Dembélé après une réunion avec son agent", + "description": "Selon Sport, le pessimisme sur une prolongation de contrat d’Ousmane Dembélé a encore grimpé d’un cran après une réunion avec l’agent de l’international français jeudi.

", + "content": "Selon Sport, le pessimisme sur une prolongation de contrat d’Ousmane Dembélé a encore grimpé d’un cran après une réunion avec l’agent de l’international français jeudi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ballon-d-or-evra-felicite-deja-messi-pour-son-septieme-sacre_AV-202111280235.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-barca-toujours-plus-pessimiste-pour-dembele-apres-une-reunion-avec-son-agent_AV-202112030189.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:46:09 GMT", - "enclosure": "https://images.bfmtv.com/E_bB2kOcrpM_9ysOh8IpB6bWRFg=/6x48:1094x660/800x0/images/-843411.jpg", + "pubDate": "Fri, 03 Dec 2021 09:46:31 GMT", + "enclosure": "https://images.bfmtv.com/T2TwJAv7uP220OOhTLO4Whb2oLc=/37x234:1973x1323/800x0/images/Ousmane-Dembele-1179488.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46121,17 +50756,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ebbdab8db8bd078aea9bdaebb08f16e" + "hash": "984b4b0ef0b65606cbad22cc81a044a9" }, { - "title": "PSG: les stats impressionnantes de Sergio Ramos pour son premier match", - "description": "Sergio Ramos a étrenné pour la première fois son nouveau maillot parisien lors de la victoire du PSG à Saint-Etienne (3-1), livrant une prestation pleine de promesses.

", - "content": "Sergio Ramos a étrenné pour la première fois son nouveau maillot parisien lors de la victoire du PSG à Saint-Etienne (3-1), livrant une prestation pleine de promesses.

", + "title": "Rugby: Parti d’Afrique du Sud, fin du cauchemar pour Cardiff?", + "description": "L’équipe de Cardiff, bloquée en Afrique du Sud depuis plusieurs jours, a pu décoller ce matin pour rentrer. Mais ces joueurs-là doivent maintenant respecter une période de quarantaine et ne feront pas partie de l’équipe qui, si le match a lieu, affrontera le Stade Toulousain la semaine prochaine en Coupe d’Europe.

", + "content": "L’équipe de Cardiff, bloquée en Afrique du Sud depuis plusieurs jours, a pu décoller ce matin pour rentrer. Mais ces joueurs-là doivent maintenant respecter une période de quarantaine et ne feront pas partie de l’équipe qui, si le match a lieu, affrontera le Stade Toulousain la semaine prochaine en Coupe d’Europe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-les-stats-impressionnantes-de-sergio-ramos-pour-son-premier-match_AV-202111280232.html", + "link": "https://rmcsport.bfmtv.com/rugby/rugby-parti-d-afrique-du-sud-fin-du-cauchemar-pour-cardiff_AN-202112030181.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:27:04 GMT", - "enclosure": "https://images.bfmtv.com/gbQp-8PdahoW_nHoSwxlAMF2coo=/0x54:1200x729/800x0/images/Sergio-Ramos-1177244.jpg", + "pubDate": "Fri, 03 Dec 2021 09:32:46 GMT", + "enclosure": "https://images.bfmtv.com/yKOlAzU8Bm19rdaTGJrw4PAXxBs=/0x0:2048x1152/800x0/images/Dai-Young-entraineur-des-Cardiff-Blues-1176012.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46141,17 +50776,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "884955b26e4d5ce61803c7df57ad9340" + "hash": "ef1a913341bb0c33dd2cffde3c2a1003" }, { - "title": "Chelsea-Manchester United: Ronaldo sur le banc pour le choc, un \"choix tactique\"", - "description": "Crstiano Ronaldo a été mis sur le banc par Michael Carrick ce dimanche, pour le choc de Premier League entre Chelsea et Manchester United.

", - "content": "Crstiano Ronaldo a été mis sur le banc par Michael Carrick ce dimanche, pour le choc de Premier League entre Chelsea et Manchester United.

", + "title": "Hand: Le spleen post-olympique des handballeuses françaises", + "description": "Cinq mois après leur titre olympique à Tokyo, les handballeuses françaises débutent ce vendredi soir contre l’Angola (18h) pour leur premier match des championnats du monde à Granollers en Espagne. Des Bleues qui veulent surfer sur leur première médaille d’or olympique mais qui trainent leur spleen depuis de longues semaines. 

", + "content": "Cinq mois après leur titre olympique à Tokyo, les handballeuses françaises débutent ce vendredi soir contre l’Angola (18h) pour leur premier match des championnats du monde à Granollers en Espagne. Des Bleues qui veulent surfer sur leur première médaille d’or olympique mais qui trainent leur spleen depuis de longues semaines. 

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-manchester-united-ronaldo-sur-le-banc-pour-le-choc-un-choix-tactique_AV-202111280219.html", + "link": "https://rmcsport.bfmtv.com/handball/feminin/hand-le-spleen-post-olympique-des-handballeuses-francaises_AN-202112030169.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:40:34 GMT", - "enclosure": "https://images.bfmtv.com/9dqbwZJhoei7028VBGXKA4yI04w=/0x0:1920x1080/800x0/images/Cristiano-Ronaldo-sur-le-banc-avec-Manchester-United-1177223.jpg", + "pubDate": "Fri, 03 Dec 2021 09:10:23 GMT", + "enclosure": "https://images.bfmtv.com/WK4M3xZ2-DCSWqStiDowHx9YnSA=/0x40:768x472/800x0/images/Les-Francaises-victorieuses-de-la-Russie-s-offrent-le-titre-olympique-du-tournoi-de-hand-a-Tokyo-le-8-aout-2021-1081146.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46161,17 +50796,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ccbdf6ebf586ab13fb303912d9b74855" + "hash": "e1e77c6ace0c5656b1cfb8c6bdc49265" }, { - "title": "ASSE-PSG: les Verts défendent Maçon, victime d'insultes après la blessure de Neymar", - "description": "Auteur du tacle qui a entraîné la blessure de Neymar lors d'ASSE-PSG ce dimanche, Yvann Maçon a reçu de nombreuses insultes sur les réseaux sociaux, alors qu'il n'a pas touché le Brésilien sur l'action.

", - "content": "Auteur du tacle qui a entraîné la blessure de Neymar lors d'ASSE-PSG ce dimanche, Yvann Maçon a reçu de nombreuses insultes sur les réseaux sociaux, alors qu'il n'a pas touché le Brésilien sur l'action.

", + "title": "Affaire Hamraoui en direct: Le clan Diallo dément les menaces envers Hamraoui", + "description": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", + "content": "La joueuse du PSG et de l'équipe de France, Kheira Hamraoui, a été violemment agressée le 4 novembre dernier. Une affaire qui avait conduit au placement en garde à vue de sa coéquipière Aminata Diallo, et à une demande de divorce de la part de l'épouse d'Eric Abidal. Suivez les dernières informations sur ce dossier et l'évolution de l'enquête sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-les-verts-defendent-macon-victime-d-insultes-apres-la-blessure-de-neymar_AV-202111280215.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-en-direct-les-dernieres-infos-un-mois-apres-l-agression_LN-202112030167.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:37:53 GMT", - "enclosure": "https://images.bfmtv.com/Xn3cowPngo0NB_ewJO9wuXNHU1A=/0x388:992x946/800x0/images/Neymar-1177152.jpg", + "pubDate": "Fri, 03 Dec 2021 09:08:41 GMT", + "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46181,17 +50816,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c04cf9bf15ba3d5503d42bce3d2ad602" + "hash": "ebe96b400054d02f6bbb33c3a22ce9b4" }, { - "title": "PSG: la triste série de blessures de Neymar s'allonge encore", - "description": "Sorti sur civière, Neymar semble s'être salement amoché la cheville gauche ce dimanche, lors du succès du PSG à Saint-Etienne (3-1) pour la 15e journée de Ligue 1. Et c'est loin d'être la première blessure du Brésilien à Paris.

", - "content": "Sorti sur civière, Neymar semble s'être salement amoché la cheville gauche ce dimanche, lors du succès du PSG à Saint-Etienne (3-1) pour la 15e journée de Ligue 1. Et c'est loin d'être la première blessure du Brésilien à Paris.

", + "title": "PSG: la signature de Mbappé au Real Madrid est \"assurée\", selon la presse espagnole", + "description": "Les deux principaux quotidiens sportifs madrilènes assurent que la signature de Kylian Mbappé au Real Madrid l’été prochain devrait être actée en janvier, malgré une possible offensive du PSG pour prolonger son crack.

", + "content": "Les deux principaux quotidiens sportifs madrilènes assurent que la signature de Kylian Mbappé au Real Madrid l’été prochain devrait être actée en janvier, malgré une possible offensive du PSG pour prolonger son crack.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-la-triste-serie-de-blessures-de-neymar-s-allonge-encore_AV-202111280214.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-la-signature-de-mbappe-au-real-madrid-est-assuree-selon-la-presse-espagnole_AV-202112030165.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:34:21 GMT", - "enclosure": "https://images.bfmtv.com/uBNGPQ6F-DFI5AwVvEKbscg7Umo=/7x111:2039x1254/800x0/images/Neymar-sorti-sur-civiere-avec-le-PSG-1177183.jpg", + "pubDate": "Fri, 03 Dec 2021 09:04:33 GMT", + "enclosure": "https://images.bfmtv.com/fkGh487h1PgrYsOpsJ_4RFHRjKo=/0x0:2048x1152/800x0/images/Kylian-Mbappe-1179101.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46201,17 +50836,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad9874150f02f2a8c634cce58b996893" + "hash": "6872998b2c752fdd7568d3e857215363" }, { - "title": "ASSE-PSG: les images de Neymar en béquilles en quittant le stade", - "description": "Neymar s’est blessé à la cheville gauche lors de la victoire du PSG à Saint-Etienne, ce dimanche, lors de la 15e journée de Ligue 1 (1-3). Le meneur de jeu brésilien, qui semble avoir été sérieusement touché, a quitté Geoffroy-Guichard en béquilles.

", - "content": "Neymar s’est blessé à la cheville gauche lors de la victoire du PSG à Saint-Etienne, ce dimanche, lors de la 15e journée de Ligue 1 (1-3). Le meneur de jeu brésilien, qui semble avoir été sérieusement touché, a quitté Geoffroy-Guichard en béquilles.

", + "title": "Toulon : Belleau à Clermont, West courtisé", + "description": "Le demi d’ouverture international Anthony Belleau (25 ans) rejoindra Clermont la saison prochaine. Il a donné son accord. Ihaia West pourrait le remplacer.

", + "content": "Le demi d’ouverture international Anthony Belleau (25 ans) rejoindra Clermont la saison prochaine. Il a donné son accord. Ihaia West pourrait le remplacer.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-les-images-de-neymar-en-bequilles-en-quittant-le-stade_AV-202111280213.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/toulon-belleau-a-clermont-west-courtise_AV-202112030163.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:29:22 GMT", - "enclosure": "https://images.bfmtv.com/O4Xzw8ATguV0UzMVvOAQbK-tNUo=/0x9:800x459/800x0/images/Neymar-1177200.jpg", + "pubDate": "Fri, 03 Dec 2021 08:59:38 GMT", + "enclosure": "https://images.bfmtv.com/6BvusqzgBU8PejBWg0qRc7chqe8=/0x87:2048x1239/800x0/images/Anthony-Belleau-1180727.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46221,17 +50856,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1640c2792368b9ff46c2947445de779" + "hash": "e57cd22bc158d190f3f0808cbf2829c1" }, { - "title": "Ligue 1: Rennes nouveau dauphin du PSG, Bordeaux plonge", - "description": "Monaco n'est pas parvenu à battre Strasbourg (1-1) ce dimanche au Stade Louis-II lors de la 15e journée de L1, et a, une nouvelle fois, raté l'occasion de revenir dans le groupe de tête. Tout le contraire de Rennes, qui a saisi l'opportunité d'occuper la place de dauphin du Paris Saitn-Germain, après une victoire (2-0) à Lorient.

", - "content": "Monaco n'est pas parvenu à battre Strasbourg (1-1) ce dimanche au Stade Louis-II lors de la 15e journée de L1, et a, une nouvelle fois, raté l'occasion de revenir dans le groupe de tête. Tout le contraire de Rennes, qui a saisi l'opportunité d'occuper la place de dauphin du Paris Saitn-Germain, après une victoire (2-0) à Lorient.

", + "title": "Athlétisme: décès de Lamine Diack, ancien patron de la fédération internationale", + "description": "Empêtré dans des affaires de corruption et condamné en première instance par la justice française, Lamine Diack, ancien patron de la Fédération internationale d'athlétisme (IAAF), est mort à l'âge de 88 ans.

", + "content": "Empêtré dans des affaires de corruption et condamné en première instance par la justice française, Lamine Diack, ancien patron de la Fédération internationale d'athlétisme (IAAF), est mort à l'âge de 88 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-rennes-nouveau-dauphin-du-psg-bordeaux-plonge_AV-202111280211.html", + "link": "https://rmcsport.bfmtv.com/athletisme/athletisme-deces-de-lamine-diack-ancien-patron-de-la-federation-internationale_AV-202112030161.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:22:38 GMT", - "enclosure": "https://images.bfmtv.com/KoKzl7bbqka38Nej5wEXrmR0uc4=/0x0:1200x675/800x0/images/Gaetan-Laborde-1177199.jpg", + "pubDate": "Fri, 03 Dec 2021 08:55:42 GMT", + "enclosure": "https://images.bfmtv.com/uJF_ga7_fqko0_4JZsCfhED1Nsw=/0x106:2048x1258/800x0/images/Lamine-Diack-1180717.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46241,17 +50876,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3cba1a9735468321380931f75bc94afb" + "hash": "bdda09f3a4d298e3fdcad620f7f0d447" }, { - "title": "Covid: l'équipe du Munster touchée et bloquée en Afrique du Sud", - "description": "Après la découverte d'un nouveau variant du Covid-19 en Afrique du Sud, le Munster cherche à quitter le pays avant la fermeture des frontières. Mais l'équipe de rugby doit rester sur place après la révélation d'un cas positif au sein du groupe.

", - "content": "Après la découverte d'un nouveau variant du Covid-19 en Afrique du Sud, le Munster cherche à quitter le pays avant la fermeture des frontières. Mais l'équipe de rugby doit rester sur place après la révélation d'un cas positif au sein du groupe.

", + "title": "Sorare, la start-up française qui révolutionne le football avec les NFT", + "description": "Une levée de fonds de 680 millions de dollars, des footballeurs qui investissent, des cartes revendues pour plusieurs centaines de milliers d’euros, des utilisateurs qui se multiplient aux quatre coins du monde et qui peuvent spéculer: la start-up française Sorare, qui mixe jeu de fantasy football et cartes de collection virtuelles sous fond de nouvelles technologies (NFT, blockchain, cryptomonnaie), connaît une croissance explosive. RMC Sport vous plonge dans les dessous du nouveau phénomène du divertissement sportif.

", + "content": "Une levée de fonds de 680 millions de dollars, des footballeurs qui investissent, des cartes revendues pour plusieurs centaines de milliers d’euros, des utilisateurs qui se multiplient aux quatre coins du monde et qui peuvent spéculer: la start-up française Sorare, qui mixe jeu de fantasy football et cartes de collection virtuelles sous fond de nouvelles technologies (NFT, blockchain, cryptomonnaie), connaît une croissance explosive. RMC Sport vous plonge dans les dessous du nouveau phénomène du divertissement sportif.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/covid-l-equipe-du-munster-touchee-et-bloquee-en-afrique-du-sud_AV-202111280209.html", + "link": "https://rmcsport.bfmtv.com/football/sorare-la-start-up-francaise-qui-revolutionne-le-football-avec-les-nft_GN-202112030160.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:05:05 GMT", - "enclosure": "https://images.bfmtv.com/6YGK_kYQu9mU_Uh4BmsLWxgpq4c=/0x104:2000x1229/800x0/images/L-equipe-du-Munster-1177185.jpg", + "pubDate": "Fri, 03 Dec 2021 08:54:14 GMT", + "enclosure": "https://images.bfmtv.com/-_ISPSkfXDlrqnp4NZZqIoMjJE0=/0x0:2032x1143/800x0/images/Les-cartes-NFT-Sorare-de-l-equipe-de-France-1180303.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46261,17 +50896,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5dfbf39437a5ed89f622a0be0e1aabe1" + "hash": "761c5b853723da30956248ce51c92aa2" }, { - "title": "Montpellier-Lyon en direct: l'OL s'impose dans la douleur et peut remercier Paqueta", - "description": "Une semaine après la rencontre arrêtée entre l'OL et l'OM, les Lyonnais se déplacent à Montpellier. Dixième du championnat avant le coup d'envoi, l'OL doit gagner pour ne pas perdre le contact avec les places européennes.

", - "content": "Une semaine après la rencontre arrêtée entre l'OL et l'OM, les Lyonnais se déplacent à Montpellier. Dixième du championnat avant le coup d'envoi, l'OL doit gagner pour ne pas perdre le contact avec les places européennes.

", + "title": "Les pronos hippiques du samedi 4 décembre", + "description": " Le Quinté+ du samedi 4 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": " Le Quinté+ du samedi 4 décembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-montpellier-lyon-en-direct_LS-202111280205.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-samedi-4-decembre_AN-202112030153.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:21:41 GMT", - "enclosure": "https://images.bfmtv.com/HUKdXuVBGnEnhXdT2Qi32VOXjtg=/0x0:2048x1152/800x0/images/Lucas-Paqueta-contre-Montpellier-1177215.jpg", + "pubDate": "Fri, 03 Dec 2021 08:39:43 GMT", + "enclosure": "https://images.bfmtv.com/SXy2GpJ-ycL8GJaedC2Qyb6oFjE=/0x41:800x491/800x0/images/Les-pronos-hippiques-du-samedi-4-decembre-2021-1180709.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46281,17 +50916,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e2b699c51bcc9119202b5e9a47da8aac" + "hash": "3f373cd4db7b0ae58d89a9ea6447590f" }, { - "title": "ASSE-PSG: \"Si ce n’est pas Mbappé, il n’y a pas rouge\", peste Kolodziejczak", - "description": "Coupable d’avoir annulé une occasion de but en stoppant irrégulièrement Kylian Mbappé, qui filait défier le gardien, Timothée Kolodziejczak a été expulsé. Mais le défenseur estime que le carton rouge qui lui a été adressé ne s’imposait pas franchement.

", - "content": "Coupable d’avoir annulé une occasion de but en stoppant irrégulièrement Kylian Mbappé, qui filait défier le gardien, Timothée Kolodziejczak a été expulsé. Mais le défenseur estime que le carton rouge qui lui a été adressé ne s’imposait pas franchement.

", + "title": "Premier League: la réaction hilare d'Henry sur l'étrange but encaissé par De Gea", + "description": "Thierry Henry, également consultant pour Prime Video en Angleterre, s'est amusé du but lunaire encaissé par David De Gea lors du choc entre Manchester United et Arsenal. Pour l'ancien international français, le gardien espagnol des Red Devils a commis une erreur qu'il n'avait plus constaté depuis sa formation.

", + "content": "Thierry Henry, également consultant pour Prime Video en Angleterre, s'est amusé du but lunaire encaissé par David De Gea lors du choc entre Manchester United et Arsenal. Pour l'ancien international français, le gardien espagnol des Red Devils a commis une erreur qu'il n'avait plus constaté depuis sa formation.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-si-ce-n-est-pas-mbappe-il-n-y-a-pas-rouge-peste-kolodziejczak_AV-202111280202.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-la-reaction-hilare-d-henry-sur-l-etrange-but-encaisse-par-de-gea_AV-202112030150.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:07:14 GMT", - "enclosure": "https://images.bfmtv.com/Vv4dIyRjov551onXueYZwhPWFzA=/0x0:1200x675/800x0/images/Timothee-Kolodziejczak-1177177.jpg", + "pubDate": "Fri, 03 Dec 2021 08:37:00 GMT", + "enclosure": "https://images.bfmtv.com/kZg-BFBozrdYzeKdVzyAQrEXP5M=/0x58:2048x1210/800x0/images/Thierry-Henry-1180688.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46301,17 +50936,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e427d2079ad147a9daf26a802b1e3472" + "hash": "5bf681b7c7430482b376a6dc49c7b97b" }, { - "title": "ASSE-PSG: le message volontaire de Neymar après sa grosse blessure à la cheville", - "description": "Après sa sortie sur civière ce dimanche lors de la victoire du PSG à Saint-Etienne (3-1), dans le cadre de la 15e journée de Ligue 1, Neymar a posté un message sur ses réseaux sociaux. Le Brésilien, qui semble sérieusement touché à la cheville, promet de revenir plus fort.

", - "content": "Après sa sortie sur civière ce dimanche lors de la victoire du PSG à Saint-Etienne (3-1), dans le cadre de la 15e journée de Ligue 1, Neymar a posté un message sur ses réseaux sociaux. Le Brésilien, qui semble sérieusement touché à la cheville, promet de revenir plus fort.

", + "title": "Incidents Angers-OM: une bombe agricole marseillaise à l'origine des affrontements?", + "description": "L'Equipe revient dans son édition de ce vendredi sur les affrontements entre supporters d'Angers et de l'OM, à la fin du match entre les deux clubs le 22 septembre. Les images de vidéosurveillance auraient permis de constater que la situation a dégénéré après qu'un fan marseillais a jeté une bombe agricole... juste à côté de son propre parcage.

", + "content": "L'Equipe revient dans son édition de ce vendredi sur les affrontements entre supporters d'Angers et de l'OM, à la fin du match entre les deux clubs le 22 septembre. Les images de vidéosurveillance auraient permis de constater que la situation a dégénéré après qu'un fan marseillais a jeté une bombe agricole... juste à côté de son propre parcage.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-le-message-volontaire-de-neymar-apres-sa-grosse-blessure-a-la-cheville_AV-202111280201.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-angers-om-une-bombe-agricole-marseillaise-a-l-origine-des-affrontements_AV-202112030149.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:01:29 GMT", - "enclosure": "https://images.bfmtv.com/9F0D2agn9vvA9QBxuWq0a0Z3M3k=/0x212:2048x1364/800x0/images/Neymar-avec-le-PSG-sous-une-fine-neige-1177172.jpg", + "pubDate": "Fri, 03 Dec 2021 08:36:28 GMT", + "enclosure": "https://images.bfmtv.com/Sw2Jh4VAqSOIbAHwF1lzN9VtF9c=/0x212:2048x1364/800x0/images/Les-incidents-a-la-fin-d-Angers-OM-1180701.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46321,17 +50956,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5528119fefbca4d4a15e2b4c39d0b686" + "hash": "d240f6f5a101ff56a88ec9517778b7b4" }, { - "title": "PSG: Pochettino donne les premiers échos de la blessure de Neymar", - "description": "Si le PSG s'est imposé sur la pelouse de Saint-Etienne ce dimanche (3-1), dans le cadre de la 15e journée de Ligue 1, le match a été marqué par la blessure impressionnante de Neymar. Mauricio Pochettino se veut prudent.

", - "content": "Si le PSG s'est imposé sur la pelouse de Saint-Etienne ce dimanche (3-1), dans le cadre de la 15e journée de Ligue 1, le match a été marqué par la blessure impressionnante de Neymar. Mauricio Pochettino se veut prudent.

", + "title": "OL: Cherki joue sous la neige avec les U17 d’un club de Lyon", + "description": "Rayan Cherki (18 ans), jeune attaquant de l’OL, a participé à un entraînement avec l’équipe U17 du club de Sainte Foy-Lès-Lyon, jeudi dans la banlieue de Lyon, malgré la neige.

", + "content": "Rayan Cherki (18 ans), jeune attaquant de l’OL, a participé à un entraînement avec l’équipe U17 du club de Sainte Foy-Lès-Lyon, jeudi dans la banlieue de Lyon, malgré la neige.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-donne-les-premiers-echos-de-la-blessure-de-neymar_AV-202111280197.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-cherki-joue-sous-la-neige-avec-les-u17-d-un-club-de-lyon_AV-202112030128.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 14:47:06 GMT", - "enclosure": "https://images.bfmtv.com/u3MrAImbXq_xl4Dug9Xpp74-TzY=/0x74:2048x1226/800x0/images/Mauricio-Pochettino-coach-du-PSG-1177162.jpg", + "pubDate": "Fri, 03 Dec 2021 07:49:48 GMT", + "enclosure": "https://images.bfmtv.com/gHkr1s3zOnJUpyoOt06PYMrh9cI=/0x247:2032x1390/800x0/images/Rayan-Cherki-1180660.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46341,17 +50976,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0046c9b9393107ae6da6b0f6c3016caa" + "hash": "61db8feaa9b58fed7144605af3cafb6b" }, { - "title": "Les pronos hippiques du lundi 29 novembre 2021", - "description": "Le Quinté+ du lundi 29 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du lundi 29 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Equipe de France: Le Sommer a appelé Diacre pour lui faire part de sa motivation", + "description": "Plus convoquée par Corinne Diacre en équipe de France féminine depuis avril dernier, l'attaquante Eugénie Le Sommer a pris l'initiative d'appeler la sélectionneure il y a quelques semaines pour lui faire part de son envie de retrouver les Bleues.

", + "content": "Plus convoquée par Corinne Diacre en équipe de France féminine depuis avril dernier, l'attaquante Eugénie Le Sommer a pris l'initiative d'appeler la sélectionneure il y a quelques semaines pour lui faire part de son envie de retrouver les Bleues.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-lundi-29-novembre-2021_AN-202111280196.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-sommer-a-appele-diacre-pour-lui-faire-part-de-sa-motivation_AV-202112030115.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 14:41:15 GMT", - "enclosure": "https://images.bfmtv.com/9ajhrxmsWlzcJzk1NkpXll7JYPc=/0x42:800x492/800x0/images/Les-pronos-hippiques-du-29-novembre-2021-1176105.jpg", + "pubDate": "Fri, 03 Dec 2021 07:36:40 GMT", + "enclosure": "https://images.bfmtv.com/6HcStmijeUTGO8PiqJfHg_I2DxE=/0x55:2048x1207/800x0/images/Eugenie-Le-SOMMER-1124916.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46361,17 +50996,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "24a4626d655adaeb798099c5821abe08" + "hash": "eb2b2b8a9cc2cb3f2a98f90f32a5edea" }, { - "title": "Racing-UBB en direct: Bordeaux renverse la situation avec trois essais coup sur coup", - "description": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", - "content": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", + "title": "Ligue 1 en direct: Ramos absent de l'entraînement ce vendredi", + "description": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", + "content": "Suivez en direct toutes les informations avant la 17e journée de Ligue 1 ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-racing-ubb-en-direct_LS-202111280242.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-de-17e-journee_LN-202112030112.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:10:33 GMT", - "enclosure": "https://images.bfmtv.com/wLeL7lVcDSap3LzLw3YGUNqFtyA=/0x58:2048x1210/800x0/images/Gael-Fickou-avec-le-Racing-92-1121638.jpg", + "pubDate": "Fri, 03 Dec 2021 07:34:55 GMT", + "enclosure": "https://images.bfmtv.com/QowGzSOOqzNTthmjfLILbQ7i9Yc=/0x106:2048x1258/800x0/images/Sergio-Ramos-1172824.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46381,17 +51016,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c13c5907595f62f0831073d8fdfa935" + "hash": "4c1172b6d73d0cd29ffa1d7f8702be1f" }, { - "title": "Chelsea-Manchester United en direct : les Red Devils ont résisté aux Blues", - "description": "Contre une équipe de Manchester United en convalescence, Chelsea a dominé sans parvenir à prendre l'avantage et perd de son avance en tête du championnat, après un match nul 1-1 finalement logique.

", - "content": "Contre une équipe de Manchester United en convalescence, Chelsea a dominé sans parvenir à prendre l'avantage et perd de son avance en tête du championnat, après un match nul 1-1 finalement logique.

", + "title": "Affaire Pinot: l’avocat de Schmitt dénonce des contradictions dans le témoignage de la judoka", + "description": "Avocat d’Alain Schmitt, accusé de violences conjugales par Margaux Pinot, maître Malik Behloul, interrogé par BFMTV, a pointé selon lui des incohérences dans le témoignage de la judoka.

", + "content": "Avocat d’Alain Schmitt, accusé de violences conjugales par Margaux Pinot, maître Malik Behloul, interrogé par BFMTV, a pointé selon lui des incohérences dans le témoignage de la judoka.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-chelsea-manchester-united-en-direct_LS-202111280194.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-l-avocat-de-schmitt-denonce-des-contradictions-dans-le-temoignage-de-la-judoka_AV-202112020617.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 14:40:33 GMT", - "enclosure": "https://images.bfmtv.com/WyWTfJg5lRfWeHovHFzv5aYz_Zs=/0x0:2048x1152/800x0/images/Jorginho-face-a-Bruno-Fernandes-1177252.jpg", + "pubDate": "Thu, 02 Dec 2021 23:30:50 GMT", + "enclosure": "https://images.bfmtv.com/QgKFX9bQq3lw20v1Aqwh87aBn8c=/0x40:768x472/800x0/images/Alain-Schmitt-relaxe-des-faits-de-violences-sur-sa-compagne-lors-d-un-point-presse-a-Paris-le-2-decembre-2021-1180368.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46401,17 +51036,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8d4f16d361f4b7bf5453849729a9e5d" + "hash": "4e76ad5eb40e67d151cbdf2ec6521d96" }, { - "title": "Racing-UBB en direct: Bordeaux renverse la situation avec deux essais coup sur coup", - "description": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", - "content": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", + "title": "Manchester United: Carrick quitte le club après son intérim réussi", + "description": "Après avoir assuré l’intérim à la suite du limogeage d’Ole Gunnar Solskjaer et avant de céder sa place à Ralf Rangnick, Michael Carrick a finalement décidé de quitter Manchester United. La direction du club a officialisé son départ jeudi soir juste après la victoire des Red Devils face à Arsenal (3-2) en Premier League.

", + "content": "Après avoir assuré l’intérim à la suite du limogeage d’Ole Gunnar Solskjaer et avant de céder sa place à Ralf Rangnick, Michael Carrick a finalement décidé de quitter Manchester United. La direction du club a officialisé son départ jeudi soir juste après la victoire des Red Devils face à Arsenal (3-2) en Premier League.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-racing-ubb-en-direct_LS-202111280242.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-carrick-quitte-le-club-apres-son-interim-reussi_AV-202112020611.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 18:10:33 GMT", - "enclosure": "https://images.bfmtv.com/wLeL7lVcDSap3LzLw3YGUNqFtyA=/0x58:2048x1210/800x0/images/Gael-Fickou-avec-le-Racing-92-1121638.jpg", + "pubDate": "Thu, 02 Dec 2021 23:09:22 GMT", + "enclosure": "https://images.bfmtv.com/KclzY29hZKZSFn1_7p2B_kbNiTs=/0x0:2048x1152/800x0/images/Michael-Carrick-1180480.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46421,37 +51056,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "a5d4a4ca37b3d74a60dbfbbebc76c8a7" + "hash": "476e3c3708ba80d2022ebe985f3c3e17" }, { - "title": "Manchester City-PSG: les images de l’accrochage très tendu entre Neymar et Mahrez", - "description": "Le choc de Ligue des champions remporté par Manchester City aux dépens du PSG (2-1) mercredi soir à l’Etihad Stadium a été tendu à l’image d’un échange musclé entre Riyad Mahrez et Neymar, capté par RMC Sport.

", - "content": "Le choc de Ligue des champions remporté par Manchester City aux dépens du PSG (2-1) mercredi soir à l’Etihad Stadium a été tendu à l’image d’un échange musclé entre Riyad Mahrez et Neymar, capté par RMC Sport.

", + "title": "PRONOS PARIS RMC Le pari du jour du 3 décembre – Primeira Liga - Portugal", + "description": "Notre pronostic: Benfica bat le Sporting (1.80)

", + "content": "Notre pronostic: Benfica bat le Sporting (1.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-les-images-de-l-accrochage-tres-tendu-entre-neymar-et-mahrez_AV-202111280079.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-3-decembre-primeira-liga-portugal_AN-202112020496.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 09:55:51 GMT", - "enclosure": "https://images.bfmtv.com/IQBZWmOw1sQyN2LNjeIR56z0esI=/1x0:769x432/800x0/images/Manchester-City-PSG-l-accrochage-entre-Neymar-et-Mahrez-1177001.jpg", + "pubDate": "Thu, 02 Dec 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/FdELiDma0JH1MciBDs_-PYOdyPk=/0x104:2000x1229/800x0/images/Darwin-Nunez-Benfica-1180305.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37513e81c91fea9a7289d4cb5a26f733" + "hash": "ba24d5c1184bf03f4c0b55dea0971922" }, { - "title": "Serie A: la réponse de la Juve après les perquisitions de la brigade financière", - "description": "Après les perquisitions dans ses bureaux dans l’enquête sur des transferts douteux, la Juventus a réagi samedi dans un communiqué. Le club dit se tenir à disposition de la justice et assure qu’il collaborera.

", - "content": "Après les perquisitions dans ses bureaux dans l’enquête sur des transferts douteux, la Juventus a réagi samedi dans un communiqué. Le club dit se tenir à disposition de la justice et assure qu’il collaborera.

", + "title": "PRONOS PARIS RMC Le nul du jour du 3 décembre – Bundesliga – Allemagne", + "description": " Notre pronostic: pas de vainqueur entre l’Union Berlin et Leipzig (3.75)

", + "content": " Notre pronostic: pas de vainqueur entre l’Union Berlin et Leipzig (3.75)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-la-reponse-de-la-juve-apres-les-perquisitions-de-la-brigade-financiere_AV-202111280072.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-3-decembre-bundesliga-allemagne_AN-202112020494.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 09:46:12 GMT", - "enclosure": "https://images.bfmtv.com/JWxKnd3wYmwS1MLKSxFAYPVH6hc=/0x118:2048x1270/800x0/images/Andrea-Agnelli-president-de-la-Juve-1176394.jpg", + "pubDate": "Thu, 02 Dec 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/SdMM6Gj_f56kCst51YV8WBRvUHE=/0x104:2000x1229/800x0/images/Christopher-Nkunku-Leipzig-1180295.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46461,37 +51096,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa77517ae8a36c7d585ec1f7840ebd90" + "hash": "a17e678ff7db65dc0ee50a7a5f0aec56" }, { - "title": "Montpellier: Nicollin répond à Maracineanu après son tacle aux clubs de foot", - "description": "Le président de Montpellier, Laurent Nicollin, n’a pas aimé que la ministre chargée des Sports ,Roxana Maracineanu, s’en prennent, sur RMC, aux clubs de foot et qu’elle oppose l’ambiance dans les stades de Ligue 1 à ceux du rugby.

", - "content": "Le président de Montpellier, Laurent Nicollin, n’a pas aimé que la ministre chargée des Sports ,Roxana Maracineanu, s’en prennent, sur RMC, aux clubs de foot et qu’elle oppose l’ambiance dans les stades de Ligue 1 à ceux du rugby.

", + "title": "PRONOS PARIS RMC Le pari sûr du 3 décembre – Liga Pari Match - Ukraine", + "description": "Notre pronostic: le Shakhtar Donetsk bat Lviv par au moins deux buts d’écart (1.42)

", + "content": "Notre pronostic: le Shakhtar Donetsk bat Lviv par au moins deux buts d’écart (1.42)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/montpellier-nicollin-repond-a-maracineanu-apres-son-tacle-aux-clubs-de-foot_AV-202111280063.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-3-decembre-liga-pari-match-ukraine_AN-202112020490.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 09:20:38 GMT", - "enclosure": "https://images.bfmtv.com/DbKOBcQ0EktMBqzs8D3ms6ecngs=/0x0:2048x1152/800x0/images/Laurent-Nicollin-Montpellier-1132411.jpg", + "pubDate": "Thu, 02 Dec 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/ulFnGZbNu6zPjdh_aadNNoSsYos=/0x104:2000x1229/800x0/images/Tete-Shakhtar-1180293.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bff96238de233f413497463e173e9ef8" + "hash": "4e86fc3a922a7cf4146f87d3745a4672" }, { - "title": "Coupe de France: Grenoble protégé par la police après des échauffourées entre ultras stéphanois et grenoblois", - "description": "Andrézieux-Bouthéon, équipe de Nationale 2, a battu Grenoble samedi soir en Coupe de France (3-0) et s'est qualifié pour les 32e de finale. Mais la soirée a ensuite dégénéré avec des altercations entre supporters stéphanois et grenoblois, obligeant l'équipe iséroise à être confinée.

", - "content": "Andrézieux-Bouthéon, équipe de Nationale 2, a battu Grenoble samedi soir en Coupe de France (3-0) et s'est qualifié pour les 32e de finale. Mais la soirée a ensuite dégénéré avec des altercations entre supporters stéphanois et grenoblois, obligeant l'équipe iséroise à être confinée.

", + "title": "PRONOS PARIS RMC Le pari extérieur du 3 décembre – Jupiler League - Belgique", + "description": "Notre pronostic: l’Union Saint-Gilloise gagne à Saint-Trond (1.68)

", + "content": "Notre pronostic: l’Union Saint-Gilloise gagne à Saint-Trond (1.68)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france-grenoble-protege-par-la-police-apres-des-echauffourees-entre-ultras-stephanois-et-grenoblois_AN-202111280060.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-exterieur-du-3-decembre-jupiler-league-belgique_AN-202112020484.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 09:14:57 GMT", - "enclosure": "https://images.bfmtv.com/cPmnce1QKSkFHwo9ArgdiJhwuHE=/0x106:1472x934/800x0/images/Coupe-de-France-1176976.jpg", + "pubDate": "Thu, 02 Dec 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/uaX_NYjWM2gym51ObWM8_zuCJIk=/0x104:2000x1229/800x0/images/Deniz-Undav-Standard-1180285.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46501,17 +51136,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f16e8e5fc070eca39f85796bd37e7349" + "hash": "fa3c8db70e4ce1960bb903be943d23d1" }, { - "title": "Ligue des champions: tensions entre joueurs, Messi invisible... le film de Manchester City-PSG avec des images exclusives", - "description": "Qualifié mais assuré de ne pas pouvoir finir premier de son groupe, le PSG a fait pâle figure mercredi soir, lors de sa défaite contre Manchester City en Ligue des champions. Les stars Messi, Neymar et Mbappé n'ont pas suffi face à ce collectif bien huilé. Eléments de réponse dans le film RMC Sport de la rencontre.

", - "content": "Qualifié mais assuré de ne pas pouvoir finir premier de son groupe, le PSG a fait pâle figure mercredi soir, lors de sa défaite contre Manchester City en Ligue des champions. Les stars Messi, Neymar et Mbappé n'ont pas suffi face à ce collectif bien huilé. Eléments de réponse dans le film RMC Sport de la rencontre.

", + "title": "Premier League: Manchester United et Ronaldo se payent Arsenal", + "description": "A l’issue d’une rencontre très animée à Old Trafford, Manchester United a battu Arsenal 3-2 jeudi lors de la 14eme journée de Premier League. Auteur d’un doublé, Cristiano Ronaldo a franchi la barre symbolique des 800 buts en carrière.

", + "content": "A l’issue d’une rencontre très animée à Old Trafford, Manchester United a battu Arsenal 3-2 jeudi lors de la 14eme journée de Premier League. Auteur d’un doublé, Cristiano Ronaldo a franchi la barre symbolique des 800 buts en carrière.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-accrochages-messi-invisible-le-film-de-manchester-city-psg-avec-des-images-exclusives_AV-202111280059.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-manchester-united-et-ronaldo-se-payent-arsenal_AV-202112020601.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 09:01:39 GMT", - "enclosure": "https://images.bfmtv.com/FEbR2ydk-9h4gbCUXisFWpbkV5M=/0x106:2048x1258/800x0/images/Messi-et-Marquinhos-apres-Manchester-City-PSG-1176895.jpg", + "pubDate": "Thu, 02 Dec 2021 22:25:54 GMT", + "enclosure": "https://images.bfmtv.com/0yMl_Fw0nxchPAPMmGCxPWGoDoA=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-1180451.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46521,17 +51156,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1661c1d81ad86b5fb4ade3b747e48b21" + "hash": "58befd9420696d307a863055beb9631e" }, { - "title": "\"Honte\", \"farce\", \"toucher le fond\": après Beleneses-Benfica, la presse portugaise s’indigne", - "description": "Au lendemain de la rencontre ubuesque entre Beleneses et le Benfica, la presse portugaise n’a pas mâché ses mots pour qualifier cette soirée qu’elle juge désastreuse pour le football national. Touché par le Covid, Belenenses a aligné neuf joueurs au coup d’envoi avant de déclarer forfait en deuxième période.

", - "content": "Au lendemain de la rencontre ubuesque entre Beleneses et le Benfica, la presse portugaise n’a pas mâché ses mots pour qualifier cette soirée qu’elle juge désastreuse pour le football national. Touché par le Covid, Belenenses a aligné neuf joueurs au coup d’envoi avant de déclarer forfait en deuxième période.

", + "title": "Manchester United: Ronaldo dépasse la barre des 800 buts en carrière", + "description": "Encore décisif jeudi soir lors du choc de Premier League entre Manchester United et Arsenal, Cristiano Ronaldo a inscrit ses 800e et 801e buts en carrière. Un total hallucinant.

", + "content": "Encore décisif jeudi soir lors du choc de Premier League entre Manchester United et Arsenal, Cristiano Ronaldo a inscrit ses 800e et 801e buts en carrière. Un total hallucinant.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/honte-farce-toucher-le-fond-apres-beleneses-benfica-la-presse-portugaise-s-indigne_AV-202111280052.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ronaldo-depasse-la-barre-des-800-buts-en-carriere_AV-202112020595.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 08:39:39 GMT", - "enclosure": "https://images.bfmtv.com/WfDV2oq8ZaFZGAV7LTx0aQANu-g=/16x163:2048x1306/800x0/images/Le-match-entre-Beleneses-et-le-Benfica-s-est-termine-par-un-forfait-1176966.jpg", + "pubDate": "Thu, 02 Dec 2021 22:09:27 GMT", + "enclosure": "https://images.bfmtv.com/3wPKjyc_MpyD-ykq9UEuD_0g4zQ=/0x42:2048x1194/800x0/images/Cristiano-Ronaldo-1180431.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46541,17 +51176,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a1b9f45725d522c24141f509b3c809b4" + "hash": "f0a62a56784e97fc6a52ddf6bd87e4ff" }, { - "title": "Portugal: Belenenses et Benfica chargent la Ligue après le match de la honte", - "description": "La rencontre de la 12eme journée du championnat portugais entre Beleneseses et Benfica s’est terminée par un forfait des locaux, réduits à six après avoir débuté la rencontre à neuf en raison de multiple cas de Covid dans l’effectif. Alors que tout le monde se demande pourquoi ce match a pu se disputer, les deux clubs de Lisbonne rejettent la responsabilité sur la Ligue de football portugaise.

", - "content": "La rencontre de la 12eme journée du championnat portugais entre Beleneseses et Benfica s’est terminée par un forfait des locaux, réduits à six après avoir débuté la rencontre à neuf en raison de multiple cas de Covid dans l’effectif. Alors que tout le monde se demande pourquoi ce match a pu se disputer, les deux clubs de Lisbonne rejettent la responsabilité sur la Ligue de football portugaise.

", + "title": "Real Madrid: la demande originale d'Ancelotti à Courtois", + "description": "Encore décisif mercredi lors de la victoire du Real contre Bilbao (1-0) en championnat, Thibaut Courtois a été encensé par Carlo Ancelotti. Pour l'entraîneur du Real Madrid, il est aujourd'hui le meilleur gardien au monde.

", + "content": "Encore décisif mercredi lors de la victoire du Real contre Bilbao (1-0) en championnat, Thibaut Courtois a été encensé par Carlo Ancelotti. Pour l'entraîneur du Real Madrid, il est aujourd'hui le meilleur gardien au monde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-belenenses-et-benfica-chargent-la-ligue-apres-le-match-de-la-honte_AV-202111280051.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-la-demande-originale-d-ancelotti-a-courtois_AV-202112020581.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 08:35:56 GMT", - "enclosure": "https://images.bfmtv.com/HgAVq8S7Pva5YviRBhnis1z2sy4=/0x0:2032x1143/800x0/images/Portugal-Belenenses-et-Benfica-chargent-la-Ligue-apres-le-match-de-la-honte-1176964.jpg", + "pubDate": "Thu, 02 Dec 2021 21:40:48 GMT", + "enclosure": "https://images.bfmtv.com/Qp3DU7rwoC4pjEfWko0eknscI7o=/1x107:1825x1133/800x0/images/Carlo-Ancelotti-1180398.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46561,17 +51196,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "75f0a7e300659db83616fccdab063c6e" + "hash": "f76b08aeefcab2e4b686928c8a066e94" }, { - "title": "Ballon d'Or: Messi, Lewandowski, Benzema, une pluie de prétendants", - "description": "Lundi à Paris, sera remis le Ballon d’or 2021. Un retour après une année blanche en 2020 en raison de la saison bousculée par le Covid-19. De Lionel Messi à Robert Lewandowski en passant par Karim Benzema, les postulants sont nombreux.

", - "content": "Lundi à Paris, sera remis le Ballon d’or 2021. Un retour après une année blanche en 2020 en raison de la saison bousculée par le Covid-19. De Lionel Messi à Robert Lewandowski en passant par Karim Benzema, les postulants sont nombreux.

", + "title": "Manchester United-Arsenal: le but lunaire encaissé par les Red Devils", + "description": "Le match de la 14eme journée de Premier League entre Manchester United et Arsenal a été marqué par l’ouverture du score des Gunners signée Smith-Rowe alors que De Gea était au sol...

", + "content": "Le match de la 14eme journée de Premier League entre Manchester United et Arsenal a été marqué par l’ouverture du score des Gunners signée Smith-Rowe alors que De Gea était au sol...

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-messi-lewandowski-benzema-une-pluie-de-pretendants_AD-202111280050.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-arsenal-le-but-lunaire-encaisse-par-les-red-devils_AN-202112020580.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 08:30:18 GMT", - "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", + "pubDate": "Thu, 02 Dec 2021 21:36:46 GMT", + "enclosure": "https://images.bfmtv.com/_wVz30WS-M0UCn8Vb5ZtipuPW_I=/0x6:1056x600/800x0/images/MU-Arsenal-la-ballon-franchit-la-ligne-de-but-1180418.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46581,17 +51216,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a200551281daa664c64a391259117b36" + "hash": "07125551e47afd193e1bf71107ab6ab5" }, { - "title": "Saint-Etienne-PSG: sur quelle chaîne et à quelle heure regarder le choc des extrêmes en L1", - "description": "Saint-Etienne, avant-dernier du championnat, reçoit le leader parisien dimanche, à 13 heures, pour la 15e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et Canal + Sport.

", - "content": "Saint-Etienne, avant-dernier du championnat, reçoit le leader parisien dimanche, à 13 heures, pour la 15e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et Canal + Sport.

", + "title": "Euroligue: battus, l'Asvel et Monaco n'avancent plus", + "description": "Villeurbanne et Monaco marquent le pas en Euroligue. Le champion de France s'est incliné jeudi sur le parquet du Bayern Munich (73-65) dans la foulée du revers des Monégasques à Fenerbahçe (96-86) lors de la 13e journée.

", + "content": "Villeurbanne et Monaco marquent le pas en Euroligue. Le champion de France s'est incliné jeudi sur le parquet du Bayern Munich (73-65) dans la foulée du revers des Monégasques à Fenerbahçe (96-86) lors de la 13e journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-sur-quelle-chaine-et-a-quelle-heure-regarder-le-choc-des-extremes-en-l1_AV-202111280044.html", + "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroligue-battus-l-asvel-et-monaco-n-avancent-plus_AD-202112020567.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 07:53:53 GMT", - "enclosure": "https://images.bfmtv.com/CzLHjfG_UY_TGYkDQh1qszwbQjM=/0x69:1200x744/800x0/images/Sergio-Ramos-1172235.jpg", + "pubDate": "Thu, 02 Dec 2021 21:06:43 GMT", + "enclosure": "https://images.bfmtv.com/t-EHr5noLHKvSYlYpTKhV9dYYYg=/0x106:2048x1258/800x0/images/L-Asvel-face-au-Maccabi-Tel-Aviv-1154445.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46601,17 +51236,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f4d602b22290748f977493fe9fa0be51" + "hash": "592f049a3be934efb8d4f005a5a6ba16" }, { - "title": "ASSE: \"Je ne suis pas fan du PSG\" avoue Boudebouz", - "description": "Avant d’accueillir les stars du Paris Saint-Germain dans le Chaudron dimanche (13h) pour le compte de la 15eme journée de Ligue 1, le milieu de terrain de l’AS Saint-Etienne n’a aucune appréhension. D’autant qu’il n’est pas un supporter des Parisiens.

", - "content": "Avant d’accueillir les stars du Paris Saint-Germain dans le Chaudron dimanche (13h) pour le compte de la 15eme journée de Ligue 1, le milieu de terrain de l’AS Saint-Etienne n’a aucune appréhension. D’autant qu’il n’est pas un supporter des Parisiens.

", + "title": "PSG: la maladresse de Sergio Ramos qui a dû amuser les supporters de l’OM", + "description": "Le défenseur central du PSG, Sergio Ramos, a posté jeudi sur son compte Instagram une photo d’entraînement au son de Jump, le titre de Van Halen qui accompagne l’entrée des joueurs de l’OM sur la pelouse du stade Vélodrome. Un post que l’Espagnol a vite supprimé.

", + "content": "Le défenseur central du PSG, Sergio Ramos, a posté jeudi sur son compte Instagram une photo d’entraînement au son de Jump, le titre de Van Halen qui accompagne l’entrée des joueurs de l’OM sur la pelouse du stade Vélodrome. Un post que l’Espagnol a vite supprimé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-je-ne-suis-pas-fan-du-psg-avoue-boudebouz_AV-202111280040.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-la-maladresse-de-sergio-ramos-qui-a-du-amuser-les-supporters-de-l-om_AV-202112020560.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 07:25:45 GMT", - "enclosure": "https://images.bfmtv.com/hHqPl5wkG-xAmuuAL_TV6JE-ix8=/0x0:2048x1152/800x0/images/Ryad-Boudebouz-1176950.jpg", + "pubDate": "Thu, 02 Dec 2021 20:50:04 GMT", + "enclosure": "https://images.bfmtv.com/PD-g2uS4qZbp_wiwdYr6E0bJWhc=/0x0:2048x1152/800x0/images/Sergio-Ramos-aux-cotes-du-Stephanois-Timothee-Kolodziejczak-1177605.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46621,17 +51256,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "464841385a2a4536132644951e0a71c9" + "hash": "15bba4e59ba9859f78ac6fa45ff10ba3" }, { - "title": "Monconduit: \"Tout le monde rêve de gagner à l'EuroMillions mais je n'envie pas la vie d'un Neymar\"", - "description": "Blessé à la cuisse avant la trêve, Thomas Monconduit devrait faire son retour ce dimanche après-midi dans le derby face à Rennes au Moustoir (15h). Sa grand-mère députée communiste, son rapport à l'argent dans le foot, son soutien aux Gilets Jaunes... l'occasion d'un large entretien avec le milieu de terrain du FC Lorient à la personnalité qui détonne par ses prises de parole et ses convictions.

", - "content": "Blessé à la cuisse avant la trêve, Thomas Monconduit devrait faire son retour ce dimanche après-midi dans le derby face à Rennes au Moustoir (15h). Sa grand-mère députée communiste, son rapport à l'argent dans le foot, son soutien aux Gilets Jaunes... l'occasion d'un large entretien avec le milieu de terrain du FC Lorient à la personnalité qui détonne par ses prises de parole et ses convictions.

", + "title": "Affaire Peng Shuai: l'ATP réclame une \"communication directe\", mais ne suit pas le boycott de la WTA", + "description": "Si la WTA a décidé de suspendre ses tournois en Chine pour apporter son soutien à Peng Shuai, l'ATP plaide pour une autre approche. Elle considère que le meilleur moyen d'influer sur sa situation en Chine est de privilégier une présence sur place.

", + "content": "Si la WTA a décidé de suspendre ses tournois en Chine pour apporter son soutien à Peng Shuai, l'ATP plaide pour une autre approche. Elle considère que le meilleur moyen d'influer sur sa situation en Chine est de privilégier une présence sur place.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monconduit-tout-le-monde-reve-de-gagner-a-l-euro-millions-mais-je-n-envie-pas-la-vie-d-un-neymar_AV-202111280015.html", + "link": "https://rmcsport.bfmtv.com/tennis/affaire-peng-shuai-l-atp-reclame-une-communication-directe-mais-ne-suit-pas-le-boycott-de-la-wta_AV-202112020559.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 07:00:00 GMT", - "enclosure": "https://images.bfmtv.com/ihUfdVQyd__C0NfftGCubnTzVeI=/2x0:1458x819/800x0/images/Thomas-Monconduit-1176729.jpg", + "pubDate": "Thu, 02 Dec 2021 20:46:56 GMT", + "enclosure": "https://images.bfmtv.com/KlNlW-dbWmXReF710xcoEJCSxxc=/0x40:768x472/800x0/images/Shuai-Peng-a-l-Open-d-Australie-le-21-janvier-2020-a-Melbourne-1180010.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46641,17 +51276,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "883cff710b1ff52931bdb2247d2b5ca3" + "hash": "0b52295276cd64fa6270717c4ec936f3" }, { - "title": "Boxe: Fulton bat Figueroa et devient champion du monde WBC-WBO des super-coqs", - "description": "A l’issue d’un combat très disputé samedi au Park MGM de Las Vegas, l’Américain Stephen Fulton a battu aux points son compatriote Brandon Figueroa dans le choc d’unification des ceintures WBC-WBO des super-coqs. Une victoire contestée par le boxeur texan.

", - "content": "A l’issue d’un combat très disputé samedi au Park MGM de Las Vegas, l’Américain Stephen Fulton a battu aux points son compatriote Brandon Figueroa dans le choc d’unification des ceintures WBC-WBO des super-coqs. Une victoire contestée par le boxeur texan.

", + "title": "PSG: la tribune Auteuil fermée pour deux matchs après son anniversaire", + "description": "La commission de discipline de la LFP a livré ses sanctions jeudi après les nombreux fumigènes allumés par les supporters du PSG lors de la réception de Nantes (3-1). La tribune Auteuil, qui fêtait à cette occasion ses 30 ans d'existence, sera fermée deux matchs.

", + "content": "La commission de discipline de la LFP a livré ses sanctions jeudi après les nombreux fumigènes allumés par les supporters du PSG lors de la réception de Nantes (3-1). La tribune Auteuil, qui fêtait à cette occasion ses 30 ans d'existence, sera fermée deux matchs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-fulton-bat-figueroa-et-devient-champion-du-monde-wbc-wbo-des-super-coqs_AN-202111280035.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-la-tribune-auteuil-fermee-pour-deux-matchs-apres-son-anniversaire_AV-202112020548.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 06:54:26 GMT", - "enclosure": "https://images.bfmtv.com/EIuKqyJ9OI0VdOpJKn-5LpN-o4Y=/8x4:1064x598/800x0/images/Stephen-Fulton-declare-vainqueur-face-a-Brandon-Figueroa-1176944.jpg", + "pubDate": "Thu, 02 Dec 2021 20:13:26 GMT", + "enclosure": "https://images.bfmtv.com/xUrHLVn7t4YnCCkvADqGYK42Nw8=/248x465:1832x1356/800x0/images/PSG-Nantes-1180359.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46661,17 +51296,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "85465724f8815a0c38c748b1da9e55b9" + "hash": "f6a229aa4988474b1f6f76b4d646f499" }, { - "title": "Monaco-Strasbourg: Diop prêt à retrouver son mentor Stéphan", - "description": "Auteur d’un début de saison convaincant avec le club de la Principauté, Sofiane Diop s’est présenté devant la presse à la veille de la rencontre de demain face à Strasbourg. Le milieu de terrain en a profité pour rendre un hommage appuyé à Julien Stéphan. L’actuel coach alsacien l’avait lancé avec la réserve du Stade Rennais.  

", - "content": "Auteur d’un début de saison convaincant avec le club de la Principauté, Sofiane Diop s’est présenté devant la presse à la veille de la rencontre de demain face à Strasbourg. Le milieu de terrain en a profité pour rendre un hommage appuyé à Julien Stéphan. L’actuel coach alsacien l’avait lancé avec la réserve du Stade Rennais.  

", + "title": "Ligue 1 en direct: Aulas conforte Peter Bosz et défend son bilan", + "description": "Leader, le PSG a été tenu en échec par Nice (0-0) lors d'un joli choc entre prétendants au podium. Dans l'autre affiche de cette 16e journée, Rennes a été dominé par Lille (1-2). Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "content": "Leader, le PSG a été tenu en échec par Nice (0-0) lors d'un joli choc entre prétendants au podium. Dans l'autre affiche de cette 16e journée, Rennes a été dominé par Lille (1-2). Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-strasbourg-diop-pret-a-retrouver-son-mentor-stephan_AV-202111280014.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 06:00:00 GMT", - "enclosure": "https://images.bfmtv.com/PDjRFaT_1nb0dJ70aLkA7i9MH7w=/0x22:1200x697/800x0/images/Sofiane-Diop-1176790.jpg", + "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", + "enclosure": "https://images.bfmtv.com/UGHynbgsZ__Bb-yuqzYL1MBo4no=/0x200:2048x1352/800x0/images/Jean-Michel-Aulas-face-a-la-presse-apres-OL-OM-1173221.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46681,17 +51316,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "02eabc044d5bc66f05ad4e83ae61105b" + "hash": "ff0bb1dbd58da2ef30838d3a7ff8390e" }, { - "title": "Nice-Metz: composition d’équipe, style de jeu… Galtier menace de tout changer", - "description": "Marqué par une nouvelle entame de match ratée par ses joueurs face à Metz (0-1), Christophe Galtier, l'entraîneur de Nice, a promis des changements dans la composition d'équipe, qui pourrait adopter un autre style de jeu.

", - "content": "Marqué par une nouvelle entame de match ratée par ses joueurs face à Metz (0-1), Christophe Galtier, l'entraîneur de Nice, a promis des changements dans la composition d'équipe, qui pourrait adopter un autre style de jeu.

", + "title": "OL: Aulas conforte Peter Bosz et défend son bilan", + "description": "Le président de l’Olympique Lyonnais, Jean-Michel Aulas, ne partage pas les critiques à l’égard de son équipe et de son coach Peter Bosz. Il l’a fait savoir au lendemain du revers des Gones à domicile face à Reims (2-1).

", + "content": "Le président de l’Olympique Lyonnais, Jean-Michel Aulas, ne partage pas les critiques à l’égard de son équipe et de son coach Peter Bosz. Il l’a fait savoir au lendemain du revers des Gones à domicile face à Reims (2-1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-metz-composition-d-equipe-style-de-jeu-galtier-menace-de-tout-changer_AV-202111270327.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-aulas-conforte-peter-bosz-et-defend-son-bilan_AV-202112020544.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:19:36 GMT", - "enclosure": "https://images.bfmtv.com/Pc_Hi7sa2qmGCCgOjlAaCTUTWyk=/0x0:1200x675/800x0/images/Christophe-Galtier-1176884.jpg", + "pubDate": "Thu, 02 Dec 2021 19:50:04 GMT", + "enclosure": "https://images.bfmtv.com/UGHynbgsZ__Bb-yuqzYL1MBo4no=/0x200:2048x1352/800x0/images/Jean-Michel-Aulas-face-a-la-presse-apres-OL-OM-1173221.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46701,17 +51336,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "19b39e339384397d168791da2c2343c9" + "hash": "2c559cbeccf94afaa2806c1adbf6e030" }, { - "title": "Reims-Clermont: pour se sauver, Garcia et les Rémois comptent sur les jeunes", - "description": "En quête d'une première victoire depuis fin septembre, Reims espère se sauver grâce à ses joueurs, qu'Oscar Garcia n'hésite pas à lancer dans le grand bain. Ce sera sans doute encore le cas ce dimanche face à Clermont (15h), pour la 15e journée de Ligue 1.

", - "content": "En quête d'une première victoire depuis fin septembre, Reims espère se sauver grâce à ses joueurs, qu'Oscar Garcia n'hésite pas à lancer dans le grand bain. Ce sera sans doute encore le cas ce dimanche face à Clermont (15h), pour la 15e journée de Ligue 1.

", + "title": "Cristiano Ronaldo porte Manchester United, avec un doublé pour battre Arsenal", + "description": "Un doublé de Cristiano Ronaldo a permis à Manchester United de s'imposer 3-2 dans le choc de Premier League contre Arsenal, pour la dernière de Michael Carrick sur le banc.

", + "content": "Un doublé de Cristiano Ronaldo a permis à Manchester United de s'imposer 3-2 dans le choc de Premier League contre Arsenal, pour la dernière de Michael Carrick sur le banc.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/reims-clermont-pour-se-sauver-garcia-et-les-remois-comptent-sur-les-jeunes_AV-202111270321.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-suivez-manchester-united-arsenal-en-direct_LS-202112020526.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:10:46 GMT", - "enclosure": "https://images.bfmtv.com/DemKuMUk8AzNTvbg3rf7JMNWJg8=/0x118:2048x1270/800x0/images/Oscar-Garcia-Reims-1176881.jpg", + "pubDate": "Thu, 02 Dec 2021 19:10:03 GMT", + "enclosure": "https://images.bfmtv.com/AyQv_Rro9PU84b3IcH4IC80SAQw=/0x120:1872x1173/800x0/images/Cristiano-Ronaldo-1152553.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46721,17 +51356,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "391d33a4a892c359061561f1902f4d27" + "hash": "680ae591cb604632d3f005b2685ff234" }, { - "title": "PRONOS PARIS RMC Le pari du jour du 28 novembre – Ligue 1", - "description": "Notre pronostic : Lyon ne perd pas à Montpellier et les deux équipes marquent (1.80)

", - "content": "Notre pronostic : Lyon ne perd pas à Montpellier et les deux équipes marquent (1.80)

", + "title": "PSG: Rothen révèle un clash entre des joueurs et Leonardo il y a deux ans", + "description": "Dans son émission Rothen s'enflamme jeudi sur RMC, Jérôme Rothen a raconté un clash ayant opposé il y a deux ans Leonardo à certains joueurs du PSG, dont Edinson Cavani et Keylor Navas.

", + "content": "Dans son émission Rothen s'enflamme jeudi sur RMC, Jérôme Rothen a raconté un clash ayant opposé il y a deux ans Leonardo à certains joueurs du PSG, dont Edinson Cavani et Keylor Navas.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-28-novembre-ligue-1_AN-202111270165.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-rothen-revele-un-clash-entre-des-joueurs-et-leonardo-il-y-a-deux-ans_AV-202112020522.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:07:00 GMT", - "enclosure": "https://images.bfmtv.com/OfHgXps_5Dn29mnPRp30xBH2ztw=/0x0:1984x1116/800x0/images/H-Aouar-1176641.jpg", + "pubDate": "Thu, 02 Dec 2021 19:00:59 GMT", + "enclosure": "https://images.bfmtv.com/D8VThAFYgQtZKtXTyST9g-XiFP4=/0x0:1056x594/800x0/images/Jerome-Rothen-1137662.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46741,17 +51376,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "da9d55459d8e13bdf99317925f8f9167" + "hash": "5e5161893e818c40ef6edc08b0b825b1" }, { - "title": "PRONOS PARIS RMC Le nul du jour du 28 novembre – Ligue 1", - "description": "Notre pronostic : pas de vainqueur entre Reims et Clermont (3.10)

", - "content": "Notre pronostic : pas de vainqueur entre Reims et Clermont (3.10)

", + "title": "XV de France: ce que la victoire face aux All Blacks a changé selon Antoine Dupont", + "description": "Près de quinze jours après le triomphe du XV de France face à la Nouvelle-Zélande (40-25) lors du dernier test-match de la tournée d’automne, le capitaine des Bleus, Antoine Dupont, était l’invité exceptionnel du Super Moscato Show jeudi sur RMC. L’occasion pour le demi de mêlée du Stade Toulousain de revenir sur les conséquences de cet exploit.

", + "content": "Près de quinze jours après le triomphe du XV de France face à la Nouvelle-Zélande (40-25) lors du dernier test-match de la tournée d’automne, le capitaine des Bleus, Antoine Dupont, était l’invité exceptionnel du Super Moscato Show jeudi sur RMC. L’occasion pour le demi de mêlée du Stade Toulousain de revenir sur les conséquences de cet exploit.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-28-novembre-ligue-1_AN-202111270162.html", + "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/xv-de-france-ce-que-la-victoire-face-aux-all-blacks-a-change-selon-antoine-dupont_AV-202112020519.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:06:00 GMT", - "enclosure": "https://images.bfmtv.com/Lmzp_LrGcYvzp7HgJzlpvdmkZ0Q=/7x0:1991x1116/800x0/images/H-Ekitike-1176638.jpg", + "pubDate": "Thu, 02 Dec 2021 18:57:02 GMT", + "enclosure": "https://images.bfmtv.com/dtgFUFkBs2AtV4DVcWTEaTYqkgY=/0x106:2048x1258/800x0/images/Dupont-lors-de-France-Nouvelle-Zelande-1171374.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46761,17 +51396,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "43129a19f2083aa2a0e69f21cacf92f7" + "hash": "31356b6e52c6b3cc6d670e1ca3174a51" }, { - "title": "PRONOS PARIS RMC Le pari de folie du 28 novembre – Ligue 1", - "description": "Notre pronostic : match nul entre Bordeaux et Brest et les deux équipes marquent (3.75)

", - "content": "Notre pronostic : match nul entre Bordeaux et Brest et les deux équipes marquent (3.75)

", + "title": "Mercato: Dortmund mystérieux sur une clause libératoire pour Haaland", + "description": "Convoité par les plus grands clubs européens, Erling Haaland pourrait connaître un nouveau tournant dans sa carrière. Depuis des mois, la présence d’une clause libératoire estimée à 75M€ est évoquée. Mais le Borussia Dortmund a refusé de confirmer la présence de cet arrangement dans le contrat du Norvégien.

", + "content": "Convoité par les plus grands clubs européens, Erling Haaland pourrait connaître un nouveau tournant dans sa carrière. Depuis des mois, la présence d’une clause libératoire estimée à 75M€ est évoquée. Mais le Borussia Dortmund a refusé de confirmer la présence de cet arrangement dans le contrat du Norvégien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-28-novembre-ligue-1_AN-202111270158.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-dortmund-mysterieux-sur-une-clause-liberatoire-pour-haaland_AV-202112020513.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:05:00 GMT", - "enclosure": "https://images.bfmtv.com/hlTA9SmPkT8g9s3pQnm9_Halg6g=/7x107:1991x1223/800x0/images/B-Costil-1176635.jpg", + "pubDate": "Thu, 02 Dec 2021 18:46:17 GMT", + "enclosure": "https://images.bfmtv.com/ZQlrw-sxxBTqCcOy0jEvCImisA8=/0x0:2048x1152/800x0/images/Erling-Haaland-1176777.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46781,17 +51416,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "faf4e424b49bdcd139756b49f08f2ca0" + "hash": "17d7f74cc097123ef108c75266ff8478" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 28 novembre – Ligue 1", - "description": "Notre pronostic : le PSG s’impose à Saint-Etienne (1.30)

", - "content": "Notre pronostic : le PSG s’impose à Saint-Etienne (1.30)

", + "title": "Top 14: direction le Stade Français pour Morgan Parra", + "description": "INFO RMC SPORT - Le demi de mêlée international, Morgan Parra, devrait rejoindre le Stade Français en fin de saison. Les deux parties auraient trouvé un accord cette semaine.\n

", + "content": "INFO RMC SPORT - Le demi de mêlée international, Morgan Parra, devrait rejoindre le Stade Français en fin de saison. Les deux parties auraient trouvé un accord cette semaine.\n

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-28-novembre-ligue-1_AN-202111270156.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14-direction-le-stade-francais-pour-morgan-parra_AV-202112020489.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:04:00 GMT", - "enclosure": "https://images.bfmtv.com/ilExGzYjv6DP9enn_llanLHPCr8=/0x104:2000x1229/800x0/images/Paris-Saint-Germain-1176634.jpg", + "pubDate": "Thu, 02 Dec 2021 18:23:37 GMT", + "enclosure": "https://images.bfmtv.com/BxWEkBb7pkeQb1P7gz3Lin1G8cc=/0x0:768x432/800x0/images/Le-demi-de-melee-clermontois-Morgan-Parra-lors-du-quart-de-finale-de-la-Coupe-d-Europe-a-domicile-contre-le-Stade-Toulousain-le-11-avril-2021-au-stade-Marcel-Michelin-1005050.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46801,18 +51436,18 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f0d0bf993220be9fe50b57c39ef841a" + "hash": "4d602467897f24ad2548a76c577d8a4e" }, { - "title": "PRONOS PARIS RMC Le pari à l’extérieur du 28 novembre – Ligue 1", - "description": "Notre pronostic : Rennes s’impose à Lorient (1.70)

", - "content": "Notre pronostic : Rennes s’impose à Lorient (1.70)

", + "title": "\"J'ai cru que j'allais y laisser ma vie\", le témoignage fort de Margaux Pinot", + "description": "La judoka Margaux Pinot s’est exprimée ce jeudi lors d’une conférence de presse après la relaxe en première instance de son compagnon Alain Schmitt, qu’elle accuse de violences conjugales.

", + "content": "La judoka Margaux Pinot s’est exprimée ce jeudi lors d’une conférence de presse après la relaxe en première instance de son compagnon Alain Schmitt, qu’elle accuse de violences conjugales.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-28-novembre-ligue-1_AN-202111270155.html", + "link": "https://rmcsport.bfmtv.com/judo/j-ai-cru-que-j-allais-y-laisser-ma-vie-le-temoignage-fort-de-margaux-pinot_AV-202112020482.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:03:00 GMT", - "enclosure": "https://images.bfmtv.com/CtO_eOVYCnjnZkh4iAF9YSivsDg=/0x104:2000x1229/800x0/images/Rennes-1176633.jpg", - "enclosureType": "image/jpg", + "pubDate": "Thu, 02 Dec 2021 18:15:03 GMT", + "enclosure": "https://images.bfmtv.com/x3m5iNezrcoUzVzCmCsltzIy30A=/8x0:1016x567/800x0/images/Margaux-Pinot-en-conference-de-presse-le-2-decembre-2021-1180232.jpg", + "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", @@ -46821,17 +51456,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ebb5dfba786eb8393ef4cfa5be057ebe" + "hash": "f87872f8c47d47ff0045fc4225d82a95" }, { - "title": "PRONOS PARIS RMC Le pari à domicile du 28 novembre – Ligue 1", - "description": "Notre pronostic : Monaco bat Strasbourg (1.65)

", - "content": "Notre pronostic : Monaco bat Strasbourg (1.65)

", + "title": "Affaire Pinot-Schmitt: ce que disent les deux versions qui s'affrontent", + "description": "Après l’altercation physique qui a opposé Margaux Pinot et son entraîneur et compagnon, Alain Schmitt, dans la nuit de samedi à dimanche puis la relaxe de ce dernier par le tribunal correctionnel de Bobigny mercredi, la judoka et son coach ont livré une version des faits totalement différente.

", + "content": "Après l’altercation physique qui a opposé Margaux Pinot et son entraîneur et compagnon, Alain Schmitt, dans la nuit de samedi à dimanche puis la relaxe de ce dernier par le tribunal correctionnel de Bobigny mercredi, la judoka et son coach ont livré une version des faits totalement différente.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-28-novembre-ligue-1_AN-202111270152.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-ce-que-disent-les-deux-versions-qui-s-affrontent_AV-202112020478.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:02:00 GMT", - "enclosure": "https://images.bfmtv.com/nS13qq5GS7zTKoR777r7QHs8kHU=/0x208:1984x1324/800x0/images/Monaco-1176627.jpg", + "pubDate": "Thu, 02 Dec 2021 18:12:01 GMT", + "enclosure": "https://images.bfmtv.com/x3m5iNezrcoUzVzCmCsltzIy30A=/8x0:1016x567/800x0/images/Margaux-Pinot-en-conference-de-presse-le-2-decembre-2021-1180232.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46841,17 +51476,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "178d6addccc51e2999164cac358bf461" + "hash": "68eff9505ab9f2fdf98720267d7a7086" }, { - "title": "PRONOS PARIS RMC Le buteur du jour du 28 novembre – Ligue 1", - "description": "Notre pronostic : Milik (OM) marque face à Troyes (2.20)

", - "content": "Notre pronostic : Milik (OM) marque face à Troyes (2.20)

", + "title": "Biathlon: Jacquelin et Fillon-Maillet sur le podium, Desthieux perd la tête", + "description": "Les Français Emilien Jacquelin (2e) et Quentin Fillon-Maillet (3e) sont montés jeudi sur le podium du sprint (10 km) d'Ostersund (Suède), comptant pour la Coupe du monde de biathlon, alors que Simon Desthieux (23e) a perdu sa place de leader du classement général au profit du Suédois Sebastian Samuelsson, le vainqueur du jour.

", + "content": "Les Français Emilien Jacquelin (2e) et Quentin Fillon-Maillet (3e) sont montés jeudi sur le podium du sprint (10 km) d'Ostersund (Suède), comptant pour la Coupe du monde de biathlon, alors que Simon Desthieux (23e) a perdu sa place de leader du classement général au profit du Suédois Sebastian Samuelsson, le vainqueur du jour.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-28-novembre-ligue-1_AN-202111270150.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-jacquelin-et-fillon-maillet-sur-le-podium-desthieux-perd-la-tete_AD-202112020458.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:01:00 GMT", - "enclosure": "https://images.bfmtv.com/19svXpCpc-j0M-N95oyc2LNl93E=/0x0:1984x1116/800x0/images/A-Milik-1176625.jpg", + "pubDate": "Thu, 02 Dec 2021 17:50:21 GMT", + "enclosure": "https://images.bfmtv.com/zjFeL1MsXZKzqqJDDkKIekD64gs=/0x42:768x474/800x0/images/Emilien-Jacquelin-lors-du-10-km-sprint-de-la-Coupe-du-monde-de-biathlon-a-Ostersund-le-28-novembre-2021-1177206.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46861,17 +51496,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fce9d3aec1fa38a1e898d49ec8ad79c2" + "hash": "3eb1c32afa557bc498b4e9dc4b75e5fa" }, { - "title": "PRONOS PARIS RMC Le pari rugby de Denis Charvet du 28 novembre – Top 14", - "description": "Mon pronostic : Bordeaux-Bègles s’impose sur la pelouse du Racing 92 (3.20)

", - "content": "Mon pronostic : Bordeaux-Bègles s’impose sur la pelouse du Racing 92 (3.20)

", + "title": "West Ham: Moyes explique pourquoi Areola est derrière Fabianski dans la hiérarchie", + "description": "Arrivé l’été dernier dans le cadre d’un prêt à West Ham, Alphonse Areola peine à trouver du temps de jeu en Premier League. En conférence de presse, l’entraîneur David Moyes a expliqué la raison du statut de remplaçant du Français, tout en assurant compter sur ce dernier pour l’avenir.

", + "content": "Arrivé l’été dernier dans le cadre d’un prêt à West Ham, Alphonse Areola peine à trouver du temps de jeu en Premier League. En conférence de presse, l’entraîneur David Moyes a expliqué la raison du statut de remplaçant du Français, tout en assurant compter sur ce dernier pour l’avenir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-rugby-de-denis-charvet-du-28-novembre-top-14_AN-202111270010.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/west-ham-moyes-explique-pourquoi-areola-est-derriere-fabianski-dans-la-hierarchie_AV-202112020435.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 23:00:00 GMT", - "enclosure": "https://images.bfmtv.com/TSBUQ2k7kMzuuYqesSAq7EA2SGU=/15x0:1999x1116/800x0/images/Bordeaux-Begles-1176087.jpg", + "pubDate": "Thu, 02 Dec 2021 17:21:09 GMT", + "enclosure": "https://images.bfmtv.com/I3S3ZttFtVS5AlqrOCLBYQkeBHs=/0x0:2048x1152/800x0/images/Alphonse-Areola-1160509.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46881,17 +51516,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b31f6808edd504594e7fca9c29b6a06" + "hash": "c9afa3c52fa1a7bcaa09865b83e9deff" }, { - "title": "Liga: le Barça s'en sort mais souffre à Villarreal, deuxième victoire pour Xavi", - "description": "Encore groggy de son 0-0 mardi contre Benfica en C1, le FC Barcelone a fini par l'emporter 3-1 samedi à Villarreal lors de la 15e journée de Liga, mais reste à neuf points du leader, le Real Madrid, qui reçoit le Séville FC dimanche.

", - "content": "Encore groggy de son 0-0 mardi contre Benfica en C1, le FC Barcelone a fini par l'emporter 3-1 samedi à Villarreal lors de la 15e journée de Liga, mais reste à neuf points du leader, le Real Madrid, qui reçoit le Séville FC dimanche.

", + "title": "PSG: Hamraoui et Diallo encore absentes de l'entraînement collectif", + "description": "Kheira Hamraoui et Aminata Diallo n'ont pas repris l'entraînement collectif avec le PSG. Les deux joueuses, liées par l'affaire de l'agression du 4 novembre, continuent toutefois de travailler individuellement avec le club.

", + "content": "Kheira Hamraoui et Aminata Diallo n'ont pas repris l'entraînement collectif avec le PSG. Les deux joueuses, liées par l'affaire de l'agression du 4 novembre, continuent toutefois de travailler individuellement avec le club.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-barca-s-en-sort-mais-souffre-a-villarreal-deuxieme-victoire-pour-xavi_AV-202111270317.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/d1/psg-hamraoui-et-diallo-encore-absentes-de-l-entrainement-collectif_AV-202112020412.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 22:47:47 GMT", - "enclosure": "https://images.bfmtv.com/LfiNDr6DixKLRu6HT-pctkWSw0I=/0x0:1200x675/800x0/images/Le-Barca-celebre-le-but-de-Coutinho-1176876.jpg", + "pubDate": "Thu, 02 Dec 2021 16:54:17 GMT", + "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46901,17 +51536,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9d14e94583aed7902861d5f3f53864eb" + "hash": "3faeb8e3c9854b8038d7a875541659cb" }, { - "title": "Copa Libertadores: dans une finale 100% brésilienne, Palmeiras sacré pour la troisième fois", - "description": "Palmeiras a remporté ce samedi la troisième Copa Libertadores de son histoire en dominant Flamengo (2-1 après prolongation), dans une finale 100% brésilienne.

", - "content": "Palmeiras a remporté ce samedi la troisième Copa Libertadores de son histoire en dominant Flamengo (2-1 après prolongation), dans une finale 100% brésilienne.

", + "title": "GP d'Arabie saoudite: Verstappen se sent \"calme\" avant sa première balle de match", + "description": "Avant l’avant-dernière manche du championnat du monde de F1 dimanche lors du Grand Prix d’Arabie saoudite, le leader néerlandais Max Verstappen assure être serein. La pression sera pourtant grande puisque le pilote Red Bull, à la lutte avec Lewis Hamilton, peut être officiellement sacré ce week-end.

", + "content": "Avant l’avant-dernière manche du championnat du monde de F1 dimanche lors du Grand Prix d’Arabie saoudite, le leader néerlandais Max Verstappen assure être serein. La pression sera pourtant grande puisque le pilote Red Bull, à la lutte avec Lewis Hamilton, peut être officiellement sacré ce week-end.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/copa-libertadores/copa-libertadores-dans-une-finale-100-bresilienne-palmeiras-sacre-pour-la-troisieme-fois_AN-202111270316.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/gp-d-arabie-saoudite-verstappen-se-sent-calme-avant-sa-premiere-balle-de-match_AD-202112020408.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 22:45:39 GMT", - "enclosure": "https://images.bfmtv.com/I6mMsP2I_5-QQfhzgBOyZcyj64g=/0x104:2000x1229/800x0/images/Palmeiras-Flamengo-1176859.jpg", + "pubDate": "Thu, 02 Dec 2021 16:51:59 GMT", + "enclosure": "https://images.bfmtv.com/YseROwdlLP43MBBet8bsucTJm64=/14x0:2030x1134/800x0/images/Max-Verstappen-1180174.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46921,37 +51556,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "184f21ec54874c8618df787c9e87aa75" + "hash": "81b1515fe9a0a3f0d28f3fe1ea4e4e43" }, { - "title": "Portugal: faute de joueurs, le match de la honte entre Belenenses et Benfica se finit sur un forfait", - "description": "Après avoir été contraint de débuter le match avec seulement neuf joueurs (dont deux gardiens) ce samedi face à Benfica, Belenenses a finalement déclaré forfait après la mi-temps, en reprenant à 7... et en blessant un joueur à la reprise. Entre temps, les joueurs avaient encaissé sept buts, dans une partie lunaire.

", - "content": "Après avoir été contraint de débuter le match avec seulement neuf joueurs (dont deux gardiens) ce samedi face à Benfica, Belenenses a finalement déclaré forfait après la mi-temps, en reprenant à 7... et en blessant un joueur à la reprise. Entre temps, les joueurs avaient encaissé sept buts, dans une partie lunaire.

", + "title": "Ballon d'or: les votes de Messi en tant que jury pour le Trophée Kopa", + "description": "Membre du jury du Trophée Kopa, Lionel Messi a donné le plus de points à Pedri, le grand vainqueur, selon le quotidien Sport. L'Argentin a aussi tenu à récompenser un de ses coéquipiers au PSG et un grand espoir du football anglais.

", + "content": "Membre du jury du Trophée Kopa, Lionel Messi a donné le plus de points à Pedri, le grand vainqueur, selon le quotidien Sport. L'Argentin a aussi tenu à récompenser un de ses coéquipiers au PSG et un grand espoir du football anglais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-faute-de-joueurs-le-match-de-la-honte-entre-belenenses-et-benfica-se-finit-sur-un-forfait_AV-202111270313.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ballon-d-or-les-votes-de-messi-en-tant-que-jury-pour-le-trophee-kopa_AV-202112020398.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 22:07:10 GMT", - "enclosure": "https://images.bfmtv.com/nojU-LDwcjm1rUrxQpC4PvqcKeI=/0x0:1920x1080/800x0/images/Les-joueurs-de-Belenenses-dans-le-match-de-la-honte-au-Portugal-1176863.jpg", + "pubDate": "Thu, 02 Dec 2021 16:41:55 GMT", + "enclosure": "https://images.bfmtv.com/v_PKMYqYH03f52GPK-RslvOrC8E=/0x24:2048x1176/800x0/images/Lionel-Messi-1178126.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06fe0c2d8f1d85218a91d92af3ff54cf" + "hash": "0008f06a2a93f6a537c4b7a87432d756" }, { - "title": "Nice-Metz: les Aiglons, dauphins du PSG, trébuchent à domicile face à la lanterne rouge", - "description": "Renversants à Clermont le week-end dernier, les Niçois de Christophe Galtier se sont pris les pieds dans le tapis cette fois-ci, contre Metz, la lanterne rouge du classement. Les Grenats, ont décroché un précieux succès (1-0) dans leur quête du maintien.

", - "content": "Renversants à Clermont le week-end dernier, les Niçois de Christophe Galtier se sont pris les pieds dans le tapis cette fois-ci, contre Metz, la lanterne rouge du classement. Les Grenats, ont décroché un précieux succès (1-0) dans leur quête du maintien.

", + "title": "Affaire Hamraoui en direct: Hamraoui et Diallo encore absentes de l'entraînement du PSG", + "description": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", + "content": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-metz-les-aiglons-dauphins-du-psg-trebuchent-a-domicile-face-a-la-lanterne-rouge_AV-202111270312.html", + "link": "https://rmcsport.bfmtv.com/football/affaire-hamraoui-diallo-en-direct-toutes-les-infos_LN-202111110108.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 22:05:38 GMT", - "enclosure": "https://images.bfmtv.com/oRp8gvQIpAS6t7qxXwkRm9H8yQ8=/0x0:1200x675/800x0/images/Jordan-Lotomba-1176861.jpg", + "pubDate": "Thu, 11 Nov 2021 08:43:53 GMT", + "enclosure": "https://images.bfmtv.com/VUqHVAYBJwWMn0RbG5qALNdbQ48=/0x0:1728x972/800x0/images/Aminata-Diallo-et-Kheira-Hamraoui-1164094.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46961,17 +51596,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e82b09c9f9eef73bca62088f6514895e" + "hash": "a2dd66977542b563399a6bd4b86250e0" }, { - "title": "Portugal: situation surréaliste, Belenenses démarre avec... 9 joueurs dont 2 gardiens contre Benfica", - "description": "Opposé à Benfica ce samedi pour la 12e journée du championnat portugais, Belenenses ne compte que neuf joueurs sur sa feuille de match, dont deux gardiens, en raison de 17 cas de Covid-19 au sein de leur équipe.

", - "content": "Opposé à Benfica ce samedi pour la 12e journée du championnat portugais, Belenenses ne compte que neuf joueurs sur sa feuille de match, dont deux gardiens, en raison de 17 cas de Covid-19 au sein de leur équipe.

", + "title": "Premier League: Newcastle prêt à investir des grosses sommes au mercato dès cet hiver ?", + "description": "Racheté en début de saison par un fond d’investissement saoudien, Newcastle devrait se montrer actif lors du prochain mercato hivernal. Selon the Telegraph, le dernier de Premier League pourrait même ne pas trop regarder à la dépense pour démarrer son projet ambitieux et assurer le maintien dans l'élite.

", + "content": "Racheté en début de saison par un fond d’investissement saoudien, Newcastle devrait se montrer actif lors du prochain mercato hivernal. Selon the Telegraph, le dernier de Premier League pourrait même ne pas trop regarder à la dépense pour démarrer son projet ambitieux et assurer le maintien dans l'élite.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-situation-surrealiste-belenenses-demarre-avec-9-joueurs-dont-2-gardiens-contre-benfica_AV-202111270308.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-newcastle-pret-a-investir-des-grosses-sommes-au-mercato-des-cet-hiver_AV-202112020390.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 21:12:05 GMT", - "enclosure": "https://images.bfmtv.com/9Wb0Tnet8ua6SNiyC-KwddqJjAk=/11x1:1211x676/800x0/images/Belenenses-face-a-Benfica-1176850.jpg", + "pubDate": "Thu, 02 Dec 2021 16:25:25 GMT", + "enclosure": "https://images.bfmtv.com/DXLZhuyI7tyJfiBQ2UYMoYmfwmI=/0x67:2048x1219/800x0/images/Newcastle-1150737.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -46981,17 +51616,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b5a74e735fd20622da79dba24b39877d" + "hash": "e4c69490d43e861619b94ce21ba604ec" }, { - "title": "Villarreal-Barça: main non sifflée de Piqué, rouge oublié, vive polémique sur le VAR et l'arbitrage", - "description": "Les premières minutes du match de la 15e journée de Liga entre Villarreal et le Barça ont été marquées par deux polémiques d'arbitrage: pour un carton rouge non sifflé après la semelle de Parejo sur Busquets et après une main de Piqué dans la surface.

", - "content": "Les premières minutes du match de la 15e journée de Liga entre Villarreal et le Barça ont été marquées par deux polémiques d'arbitrage: pour un carton rouge non sifflé après la semelle de Parejo sur Busquets et après une main de Piqué dans la surface.

", + "title": "Manchester United - Arsenal en direct: un chiffre rond pour CR7, toujours égalité dans ce choc", + "description": "Choc de Premier League à Old Trafford entre Manchester United, qui veut quitter le milieu de tableau avec son (futur) nouveau coach Ralf Rangnick, et Arsenal, qui peut entrer dans le top 4.

", + "content": "Choc de Premier League à Old Trafford entre Manchester United, qui veut quitter le milieu de tableau avec son (futur) nouveau coach Ralf Rangnick, et Arsenal, qui peut entrer dans le top 4.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/villarreal-barca-main-non-sifflee-de-pique-rouge-oublie-vive-polemique-sur-le-var-et-l-arbitrage_AV-202111270307.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-suivez-manchester-united-arsenal-en-direct_LS-202112020526.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 21:10:02 GMT", - "enclosure": "https://images.bfmtv.com/mYV2n6SbXQt6OyeotZsUEhj6UNQ=/0x128:2048x1280/800x0/images/Pique-avec-Xavi-lors-d-un-match-du-Barca-1176851.jpg", + "pubDate": "Thu, 02 Dec 2021 19:10:03 GMT", + "enclosure": "https://images.bfmtv.com/AyQv_Rro9PU84b3IcH4IC80SAQw=/0x120:1872x1173/800x0/images/Cristiano-Ronaldo-1152553.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -47001,17 +51636,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "83afd22b28cba0a00a3a858928a3e124" + "hash": "08789995be452ffb3222fba9bfe9dab4" }, { - "title": "Saint-Etienne - PSG: du nouveau côté parisien, Paris voyage avec ses jeunes et Ramos", - "description": "Mauricio Pochettino a emmené avec lui les jeunes Edouard Michut et Xavi Simons dans un secteur de jeu sinistré, à l'occasion du déplacement à Saint-Etienne, ce dimanche (13h).

", - "content": "Mauricio Pochettino a emmené avec lui les jeunes Edouard Michut et Xavi Simons dans un secteur de jeu sinistré, à l'occasion du déplacement à Saint-Etienne, ce dimanche (13h).

", + "title": "LOU: opération des genoux réussie pour Bastareaud", + "description": "Mathieu Bastareaud a été opéré jeudi à Lyon, à la suite de sa double blessure aux genoux. Le LOU ne pourra pas compter sur l'ancien capitaine des Bleus pendant au moins six mois.

", + "content": "Mathieu Bastareaud a été opéré jeudi à Lyon, à la suite de sa double blessure aux genoux. Le LOU ne pourra pas compter sur l'ancien capitaine des Bleus pendant au moins six mois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-du-nouveau-cote-parisien-paris-voyage-avec-ses-jeunes-et-ramos_AV-202111270302.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-operation-des-genoux-reussie-pour-bastareaud_AV-202112020388.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 20:42:20 GMT", - "enclosure": "https://images.bfmtv.com/dvo1R1P2FUB7Tyd1V5X7N27UOzE=/0x50:1200x725/800x0/images/Edouard-Michut-1176848.jpg", + "pubDate": "Thu, 02 Dec 2021 16:20:12 GMT", + "enclosure": "https://images.bfmtv.com/OvMetqdy33bTfbeJtlXNBmEac-o=/0x106:2048x1258/800x0/images/Mathieu-Bastareaud-sur-civiere-1176838.jpg", "enclosureType": "image/jpg", "image": "", "language": "fr", @@ -47021,7970 +51656,8005 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c63f392a4c6a77782bae0caa77d2e16" + "hash": "e19bccab9e03e1a1bd377acfadcef78b" }, { - "title": "Juventus: \"réaliste\", Allegri a quasiment dit adieu au titre de champion d'Italie", - "description": "Défait par l'Atalanta ce samedi (1-0) en Serie A, Massimiliano Allegri a reconnu que le titre serait difficile à jouer cette saison. L'entraîneur de la Juventus l'assure: il faut remettre les compteurs à zéro.

", - "content": "Défait par l'Atalanta ce samedi (1-0) en Serie A, Massimiliano Allegri a reconnu que le titre serait difficile à jouer cette saison. L'entraîneur de la Juventus l'assure: il faut remettre les compteurs à zéro.

", + "title": "Covid-19: huis clos, masques, variant Omicron... le football européen de nouveau menacé en Europe", + "description": "L'Allemagne et les Pays-Bas ont entrepris le retour des huis clos dans les stades de football, face à la flambée du nombre de cas positifs au coronavirus en Europe. Des décisions dans ce sens pourraient se répéter, compte tenu de la contagiosité du variant Omicron.

", + "content": "L'Allemagne et les Pays-Bas ont entrepris le retour des huis clos dans les stades de football, face à la flambée du nombre de cas positifs au coronavirus en Europe. Des décisions dans ce sens pourraient se répéter, compte tenu de la contagiosité du variant Omicron.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/juventus-realiste-allegri-a-quasiment-dit-adieu-au-titre-de-champion-d-italie_AV-202111270300.html", + "link": "https://rmcsport.bfmtv.com/football/covid-19-huis-clos-masques-variant-omicron-le-football-europeen-de-nouveau-menace-en-europe_AV-202112020378.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 20:29:36 GMT", + "pubDate": "Thu, 02 Dec 2021 16:04:11 GMT", + "enclosure": "https://images.bfmtv.com/sThq4fXlCKAkaw-QIVnk_tju6A8=/74x177:1642x1059/800x0/images/Leipzig-1180125.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2725b314ed24fedebe12cb4282f3bbf4" + "hash": "77a3afb5d0837a51c64724663013cd72" }, { - "title": "Rallye du Var: nouvel accident spectaculaire, un blessé grave", - "description": "Au lendemain de l'accident très grave de Ludovic Gal, un nouvel accident très dur a frappé le rallye du Var, avec la sortie de route de Jean-Baptiste Franceschi, blessé grave.

", - "content": "Au lendemain de l'accident très grave de Ludovic Gal, un nouvel accident très dur a frappé le rallye du Var, avec la sortie de route de Jean-Baptiste Franceschi, blessé grave.

", + "title": "Affaire Pinot-Schmitt en direct: \"J'ai cru que j'allais y laisser ma vie\", Pinot livre sa version", + "description": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", + "content": "L’affaire entre la judoka française Margaux Pinot et Alain Schmitt secoue le monde du sport et du judo en particulier. L’athlète de 27 ans accuse son entraîneur et compagnon de lui avoir asséné des coups, frappé la tête contre le sol mais aussi d'avoir tenté de l'étrangler lors d'une altercation dans la nuit de samedi à dimanche dernier à son domicile du Blanc-Mesnil. Remis en liberté par le tribunal correctionnel dans la nuit de mardi à mercredi, ce dernier nie cette version des faits. Toutes les dernières infos sont à suivre en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/rallye/rallye-du-var-nouvel-accident-spectaculaire-un-blesse-grave_AV-202111270296.html", + "link": "https://rmcsport.bfmtv.com/judo/affaire-pinot-schmitt-en-direct-margaux-pinot-va-s-exprimer-a-18h_LN-202112020373.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 19:55:56 GMT", + "pubDate": "Thu, 02 Dec 2021 15:54:42 GMT", + "enclosure": "https://images.bfmtv.com/_Hz_v7sCZKIxFTESG0itoZm7Z2c=/0x0:1024x576/800x0/images/Margaux-Pinot-et-son-avocat-1180190.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "01ab2c9dd75cbc924a5bb97dbafcece8" + "hash": "060102ac573a6ea8192ce222ded8bd17" }, { - "title": "PSG: toujours aucune discussion avec Zidane, assurent des sources qataries", - "description": "Alors que les rumeurs vont bon train autour d'un possible remplacement de Mauricio Pochettino par Zinedine Zidane, dans les rangs du PSG, on assure qu'aucune discussion n'a été entamée avec l'ancien coach du Real.

", - "content": "Alors que les rumeurs vont bon train autour d'un possible remplacement de Mauricio Pochettino par Zinedine Zidane, dans les rangs du PSG, on assure qu'aucune discussion n'a été entamée avec l'ancien coach du Real.

", + "title": "Ligue 1: \"On vise l'Europe!\", plaisante Chardonnet après la série historique de Brest", + "description": "Mal au point au classement en début de saison, Brest connaît depuis quelques semaines une belle remontée. Dans le Super Moscato Show sur RMC, le défenseur Brendan Chardonnet a évoqué la série de cinq victoires consécutives du club, tout en évoquant le principal objectif, qui reste le maintien en Ligue 1.

", + "content": "Mal au point au classement en début de saison, Brest connaît depuis quelques semaines une belle remontée. Dans le Super Moscato Show sur RMC, le défenseur Brendan Chardonnet a évoqué la série de cinq victoires consécutives du club, tout en évoquant le principal objectif, qui reste le maintien en Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/psg-toujours-aucune-discussion-avec-zidane-assurent-des-sources-qataries_AN-202111270292.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-on-vise-l-europe-plaisante-chardonnet-apres-la-serie-historique-de-brest_AV-202112020370.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 19:33:45 GMT", + "pubDate": "Thu, 02 Dec 2021 15:47:30 GMT", + "enclosure": "https://images.bfmtv.com/OBENSzYAKXtFKf5ytoOB8SYFDcE=/0x147:2000x1272/800x0/images/B-Chardonnet-1135313.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e056a7b5f47c7988b8617238c26dbed9" + "hash": "27bf17da6fbd154cbf14785b0016ca13" }, { - "title": "Coupe Davis: \"J'ai bon espoir en ces jeunes-là\", Mahut impressionné par les \"rookies\"", - "description": "Battus 2-1 par la Grande-Bretagne dans le huis-clos sordide d’Innsbruck, les Bleus ont vécu la même campagne qu’en 2019 qu’à Madrid. Mais il y a aura des enseignements positifs à tirer du séjour à la montagne, notamment l'essor et l'avènement d'une nouvelle génération.

", - "content": "Battus 2-1 par la Grande-Bretagne dans le huis-clos sordide d’Innsbruck, les Bleus ont vécu la même campagne qu’en 2019 qu’à Madrid. Mais il y a aura des enseignements positifs à tirer du séjour à la montagne, notamment l'essor et l'avènement d'une nouvelle génération.

", + "title": "Portugal: décimé par le Covid-19, le Belenenses SAD réclame le report de son prochain match", + "description": "Moins d'une semaine après son match face à Benfica achevé sur un forfait en raison d'un nombre insuffisant de joueurs sur le terrain, conséquence d'une hécatombe de cas positifs au Covid-19, le club de Belenenses SAD réclame le report de la rencontre face à Vizela, lundi en clôture de la 13e journée du championnat portugais.

", + "content": "Moins d'une semaine après son match face à Benfica achevé sur un forfait en raison d'un nombre insuffisant de joueurs sur le terrain, conséquence d'une hécatombe de cas positifs au Covid-19, le club de Belenenses SAD réclame le report de la rencontre face à Vizela, lundi en clôture de la 13e journée du championnat portugais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-j-ai-bon-espoir-en-ces-jeunes-la-mahut-impressionne-par-les-rookies_AV-202111270291.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-decime-par-le-covid-19-belenenses-reclame-le-report-de-son-prochain-match_AD-202112020361.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 19:29:23 GMT", + "pubDate": "Thu, 02 Dec 2021 15:34:45 GMT", + "enclosure": "https://images.bfmtv.com/HgAVq8S7Pva5YviRBhnis1z2sy4=/0x0:2032x1143/800x0/images/Portugal-Belenenses-et-Benfica-chargent-la-Ligue-apres-le-match-de-la-honte-1176964.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f8d52f51507c3e760abbd2eb37bd4007" + "hash": "b38f00a36cb180938d076c9c559824fa" }, { - "title": "Serie A: sale semaine pour la Juve, qui s'incline encore face à l'Atalanta", - "description": "Giflée par Chelsea en Ligue des champions mardi (4-0), la Juventus s'est inclinée ce samedi sur sa pelouse face à l'Atalanta (1-0) en Serie A et pointe à une modeste sixième place.

", - "content": "Giflée par Chelsea en Ligue des champions mardi (4-0), la Juventus s'est inclinée ce samedi sur sa pelouse face à l'Atalanta (1-0) en Serie A et pointe à une modeste sixième place.

", + "title": "Double Contact - Keblack: \"Benzema n’a pas fini de nous surprendre\"", + "description": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. A l’occasion de la sortie de son projet \"Contrôle\", on a rencontré Keblack. Le chanteur de l’Oise nous parle de son lien avec les Bleus, de son amitié avec Alexandre Lacazette et de son admiration pour Karim Benzema.

", + "content": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. A l’occasion de la sortie de son projet \"Contrôle\", on a rencontré Keblack. Le chanteur de l’Oise nous parle de son lien avec les Bleus, de son amitié avec Alexandre Lacazette et de son admiration pour Karim Benzema.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-sale-semaine-pour-la-juve-qui-s-incline-encore-face-a-l-atalanta_AV-202111270287.html", + "link": "https://rmcsport.bfmtv.com/replay-emissions/double-contact/double-contact-keblack-benzema-n-a-pas-fini-de-nous-surprendre_AV-202112020356.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 19:06:33 GMT", + "pubDate": "Thu, 02 Dec 2021 15:24:52 GMT", + "enclosure": "https://images.bfmtv.com/CRevKcr3OVPvvrcMPI0ww24qLLQ=/0x0:1920x1080/800x0/images/Keblack-1180115.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9c91abb315abcc8466e22376174d2fa" + "hash": "baa85d85a827ca3b77ab12b4d72a69a1" }, { - "title": "OM-Troyes: Under forfait, Payet dans le groupe", - "description": "Si Cengiz Ünder, touché au dos, n’est pas encore totalement rétabli, Dimitri Payet, choqué après avoir été victime d’un jet de bouteille dimanche à Lyon, figure bien dans le groupe de l’OM pour affronter Troyes dimanche soir au Stade Vélodrome en clôture de la 15eme journée de Ligue 1.

", - "content": "Si Cengiz Ünder, touché au dos, n’est pas encore totalement rétabli, Dimitri Payet, choqué après avoir été victime d’un jet de bouteille dimanche à Lyon, figure bien dans le groupe de l’OM pour affronter Troyes dimanche soir au Stade Vélodrome en clôture de la 15eme journée de Ligue 1.

", + "title": "Liga: la justice espagnole interdit la tenue de matchs de championnat à l'étranger", + "description": "Un tribunal de Madrid a donné raison ce jeudi à la Fédération espagnole de football, qui était en conflit avec la Ligue et Javier Tebas sur la délocalisation de matchs de Liga à l'étranger.

", + "content": "Un tribunal de Madrid a donné raison ce jeudi à la Fédération espagnole de football, qui était en conflit avec la Ligue et Javier Tebas sur la délocalisation de matchs de Liga à l'étranger.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-under-forfait-payet-dans-le-groupe_AV-202111270282.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-la-justice-espagnole-interdit-la-tenue-de-matchs-de-championnat-a-l-etranger_AV-202112020354.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 19:00:23 GMT", + "pubDate": "Thu, 02 Dec 2021 15:21:45 GMT", + "enclosure": "https://images.bfmtv.com/ZYDcSQCHV5Ou3JlaCPHzqy4geW8=/0x30:2048x1182/800x0/images/Javier-TEBAS-1180096.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e443a814d1a6916a42ee2e1d40df41e" + "hash": "c65ca10cc92b154a99e060b69f326a22" }, { - "title": "LOU: les deux genoux touchés pour Bastareaud, sorti en larmes", - "description": "Sorti sur blessure et en larmes après seulement quelques minutes de jeu ce samedi, lors de la défaite de Lyon à Toulon (19-13) pour la 11e journée de Top 14, Mathieu Bastareaud est touché aux deux genoux selon son coach Pierre Mignoni.

", - "content": "Sorti sur blessure et en larmes après seulement quelques minutes de jeu ce samedi, lors de la défaite de Lyon à Toulon (19-13) pour la 11e journée de Top 14, Mathieu Bastareaud est touché aux deux genoux selon son coach Pierre Mignoni.

", + "title": "Toulon: Kolbe a repris l’entraînement collectif", + "description": "Cheslin Kolbe, qui n’a toujours pas joué la moindre minute au RCT depuis son arrivée en provenance du Stade Toulousain l'été dernier, s'est entraîné normalement jeudi. Ses grands débuts approchent.

", + "content": "Cheslin Kolbe, qui n’a toujours pas joué la moindre minute au RCT depuis son arrivée en provenance du Stade Toulousain l'été dernier, s'est entraîné normalement jeudi. Ses grands débuts approchent.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-les-deux-genoux-touches-pour-bastareaud-sorti-en-larmes_AD-202111270289.html", + "link": "https://rmcsport.bfmtv.com/rugby/toulon-kolbe-a-repris-l-entrainement-collectif_AV-202112020341.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 18:50:00 GMT", + "pubDate": "Thu, 02 Dec 2021 14:39:48 GMT", + "enclosure": "https://images.bfmtv.com/E5hc2zgPI5yK6EYe8pTeWWo0GI0=/0x32:2032x1175/800x0/images/Cheslin-KOLBE-1180087.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbb52209f09acaf9ca58e5c78bce9d62" + "hash": "f50a7282e40d20e59df5af952f944965" }, { - "title": "Nice-Metz en direct: le Gym surpris à domicile par la lanterne rouge", - "description": "Mené à la pause après un but de Centonze, l'OGC Nice a poussé sans parvenir à revenir dans le second acte face à Metz qui signe sa deuxième victoire de la saison. Il laisse l'opportunité à Rennes de prendre sa place de dauphin de Ligue 1, ce dimanche.

", - "content": "Mené à la pause après un but de Centonze, l'OGC Nice a poussé sans parvenir à revenir dans le second acte face à Metz qui signe sa deuxième victoire de la saison. Il laisse l'opportunité à Rennes de prendre sa place de dauphin de Ligue 1, ce dimanche.

", + "title": "Inter: après son malaise cardiaque, Eriksen a repris l'entraînement au Danemark", + "description": "Toujours sous contrat à l'Inter, Christian Eriksen a repris l'entraînement au Danemark, avec OB Odense, l'un de ses clubs formateurs. Aucune indication n'a été donnée concernant un éventuel retour à la compétition du meneur de jeu, victime d'un arrêt cardiaque lors de l'Euro 2021.

", + "content": "Toujours sous contrat à l'Inter, Christian Eriksen a repris l'entraînement au Danemark, avec OB Odense, l'un de ses clubs formateurs. Aucune indication n'a été donnée concernant un éventuel retour à la compétition du meneur de jeu, victime d'un arrêt cardiaque lors de l'Euro 2021.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-nice-metz-en-direct_LS-202111270277.html", + "link": "https://rmcsport.bfmtv.com/football/inter-apres-son-malaise-cardiaque-eriksen-a-repris-l-entrainement-au-danemark_AV-202112020337.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 18:42:57 GMT", + "pubDate": "Thu, 02 Dec 2021 14:31:08 GMT", + "enclosure": "https://images.bfmtv.com/yiiI_DBOTBgZ4ZQL5kSrrvggLq0=/352x297:2032x1242/800x0/images/Christian-ERIKSEN-1050718.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "931ee4303547a4e4afb1870843cb6e8f" + "hash": "be627292f1a8a0bdb8fa66459ce42b04" }, { - "title": "Coupe de France : Grenoble et Rodez prennent la porte, l'exploit des Réunionnais de Saint-Denis", - "description": "Lors du 8e tour de la Coupe de France, Grenoble et Rodez se sont fait éliminer par Andrézieux (National 2) et Cannes (National 3), tandis que Nîmes a dû attendre les tirs au but pour se qualifier. L'exploit du jour est pour Saint-Denis, équipe de la Réunion, qui s'est qualifiée pour les 32e de finale.

", - "content": "Lors du 8e tour de la Coupe de France, Grenoble et Rodez se sont fait éliminer par Andrézieux (National 2) et Cannes (National 3), tandis que Nîmes a dû attendre les tirs au but pour se qualifier. L'exploit du jour est pour Saint-Denis, équipe de la Réunion, qui s'est qualifiée pour les 32e de finale.

", + "title": "Incidents Angers-OM: le CNOSF maintient la sanction infligée à Marseille", + "description": "Selon L’Équipe, le CNOSF a confirmé ce jeudi le point de pénalité avec sursis que la commission de discipline de la LFP a infligé à l’OM après les débordements survenus à Angers, le 22 septembre en Ligue 1 (0-0). Le couperet tombera au prochain incident.

", + "content": "Selon L’Équipe, le CNOSF a confirmé ce jeudi le point de pénalité avec sursis que la commission de discipline de la LFP a infligé à l’OM après les débordements survenus à Angers, le 22 septembre en Ligue 1 (0-0). Le couperet tombera au prochain incident.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-grenoble-et-rodez-prennent-la-porte-l-exploit-des-reunionnais-de-saint-denis_AN-202111270272.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-angers-om-le-cnosf-maintient-la-sanction-infligee-a-marseille_AV-202112020334.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 18:23:58 GMT", + "pubDate": "Thu, 02 Dec 2021 14:28:00 GMT", + "enclosure": "https://images.bfmtv.com/2pWSLlQ4q1ThXeUnGZdqSGjR2fU=/0x54:1200x729/800x0/images/Angers-OM-1133172.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "41c8c3c7ac9d73b7d45d6a2b7952f5eb" + "hash": "5317346ea687c22523727fb3615667f2" }, { - "title": "Lille-Nantes: accroché par les Canaris, le LOSC continue sa sale série en Ligue 1", - "description": "Tenu en échec par le FC Nantes 1-1 au stade Pierre-Mauroy samedi lors de la 15e journée de Ligue 1, Lille reste sur une inquiétante série de six matchs sans victoire en championnat.

", - "content": "Tenu en échec par le FC Nantes 1-1 au stade Pierre-Mauroy samedi lors de la 15e journée de Ligue 1, Lille reste sur une inquiétante série de six matchs sans victoire en championnat.

", + "title": "Barça: Dembélé aurait tranché pour son avenir, selon la presse espagnole", + "description": "En fin de contrat au mois de juin, Ousmane Dembélé aurait décidé de ne pas prolonger avec le Barça, d'après Sport. Le champion du monde français voudrait une revalorisation significative de ses émoluments, ce que le club ne souhaiterait pas lui accorder.

", + "content": "En fin de contrat au mois de juin, Ousmane Dembélé aurait décidé de ne pas prolonger avec le Barça, d'après Sport. Le champion du monde français voudrait une revalorisation significative de ses émoluments, ce que le club ne souhaiterait pas lui accorder.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-nantes-accroche-par-les-canaris-le-losc-continue-sa-sale-serie-en-ligue-1_AN-202111270270.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/barca-dembele-aurait-tranche-pour-son-avenir-selon-la-presse-espagnole_AV-202112010491.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 18:16:46 GMT", + "pubDate": "Wed, 01 Dec 2021 19:22:15 GMT", + "enclosure": "https://images.bfmtv.com/T2TwJAv7uP220OOhTLO4Whb2oLc=/37x234:1973x1323/800x0/images/Ousmane-Dembele-1179488.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "238ca623df3a3a4b48ad0bfa33fa133f" + "hash": "548cf4de4afcf90fdf4ed038d1ab9929" }, { - "title": "PSG: Ramos évoque sa longue convalescence et assure pouvoir jouer encore \"quatre ou cinq ans\"", - "description": "Libre de tout contrat après sa longue aventure au Real Madrid, Sergio Ramos n’a toujours pas joué le moindre match depuis son arrivée au PSG. Dans un entretien sur Prime Video, le défenseur de 35 ans a parlé de sa reprise difficile, tout en assurant avoir encore des belles années devant lui.

", - "content": "Libre de tout contrat après sa longue aventure au Real Madrid, Sergio Ramos n’a toujours pas joué le moindre match depuis son arrivée au PSG. Dans un entretien sur Prime Video, le défenseur de 35 ans a parlé de sa reprise difficile, tout en assurant avoir encore des belles années devant lui.

", + "title": "PSG-Nice: les compos avec Messi et le jeune Dina Ebimbe", + "description": "Privé de Neymar mais avec Lionel Messi titulaire, le PSG défie ce mercredi l'OGC Nice (21h), au Parc des Princes, à l'occasion de la 16e journée de Ligue 1. Les compositions sont tombées.

", + "content": "Privé de Neymar mais avec Lionel Messi titulaire, le PSG défie ce mercredi l'OGC Nice (21h), au Parc des Princes, à l'occasion de la 16e journée de Ligue 1. Les compositions sont tombées.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-evoque-sa-longue-convalescence-et-assure-pouvoir-jouer-encore-quatre-ou-cinq-ans_AV-202111270261.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-nice-les-compos-avec-messi-et-le-jeune-dina-ebimbe_AV-202112010489.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 17:43:51 GMT", + "pubDate": "Wed, 01 Dec 2021 19:18:01 GMT", + "enclosure": "https://images.bfmtv.com/e2nZ9p_0QAxQIftO6uhHsBb5jg8=/0x106:2048x1258/800x0/images/Lionel-MESSI-1179344.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea270f28a8c4e0b9ba4cef8715c951c9" + "hash": "220cd04a98543135ced8dc28dd62d1ee" }, { - "title": "PSG: vers une présence de Simons et Michut dans le groupe face à Saint-Etienne", - "description": "Avec le nombre élevé de blessés dans le secteur du milieu de terrain au PSG, les jeunes Xavi Simons et Edouard Michut ont été invités à s’entraîner avec les professionnels. Non convoqués avec les U19, les deux jeunes pourraient bien être dans le groupe pour affronter Saint-Etienne dimanche (13h).

", - "content": "Avec le nombre élevé de blessés dans le secteur du milieu de terrain au PSG, les jeunes Xavi Simons et Edouard Michut ont été invités à s’entraîner avec les professionnels. Non convoqués avec les U19, les deux jeunes pourraient bien être dans le groupe pour affronter Saint-Etienne dimanche (13h).

", + "title": "Le multiplex en direct: le Racing fait mal à Bordeaux, Montpellier en balade", + "description": "On attaque la 16e journée de Ligue 1 par un multiplex à cinq matches. Au programme ce soir, Brest-Saint-Etienne, Troyes-Lorient, Metz-Montpellier, Angers-Monaco et Strasbourg-Bordeaux.

", + "content": "On attaque la 16e journée de Ligue 1 par un multiplex à cinq matches. Au programme ce soir, Brest-Saint-Etienne, Troyes-Lorient, Metz-Montpellier, Angers-Monaco et Strasbourg-Bordeaux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-vers-une-presence-de-simons-et-michut-dans-le-groupe-face-a-saint-etienne_AV-202111270260.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-le-multiplex-en-direct_LS-202112010389.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 17:34:05 GMT", + "pubDate": "Wed, 01 Dec 2021 16:53:11 GMT", + "enclosure": "https://images.bfmtv.com/aq-jlkpuIKB_XkKOkXF6etR4yZ8=/0x0:1968x1107/800x0/images/Ludovic-Ajorque-Strasbourg-990858.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5637e8e4891c99309196f145af64eceb" + "hash": "ca10ac1e6b5f3138d7eae383165c28dd" }, { - "title": "Dortmund: victoire, but fou et bras d’honneur d'une fan, le savoureux retour d’Haaland", - "description": "Entré en jeu en fin de match face à Wolfsburg, l’attaquant du Borussia Dortmund Erling Haaland, de retour de blessure après cinq semaines d’absence, a inscrit le troisième but de son équipe, victorieuse 3-1 dans le cadre de la 13e journée de Bundesliga. Une réalisation célébrée avec un bras d'honneur d'une supportrice adverse en retour.

", - "content": "Entré en jeu en fin de match face à Wolfsburg, l’attaquant du Borussia Dortmund Erling Haaland, de retour de blessure après cinq semaines d’absence, a inscrit le troisième but de son équipe, victorieuse 3-1 dans le cadre de la 13e journée de Bundesliga. Une réalisation célébrée avec un bras d'honneur d'une supportrice adverse en retour.

", + "title": "Mercato en direct: Dembélé ne voudrait pas prolonger au Barça", + "description": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-victoire-but-fou-et-bras-d-honneur-d-une-fan-le-savoureux-retour-d-haaland_AV-202111270256.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-29-novembre_LN-202111290068.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 17:25:07 GMT", + "pubDate": "Mon, 29 Nov 2021 06:25:08 GMT", + "enclosure": "https://images.bfmtv.com/e6NVz2lF_Jyw9TOx23kfyUSeFeo=/0x96:1264x807/800x0/images/Ousmane-Dembele-1158851.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "63cc08fc9a8758b6299d15aa4cf6142e" + "hash": "77306696b6fa0f7f59a9a1dfff10e1c0" }, { - "title": "Premier League: le nouveau festival de Liverpool, qui atteint un record face à Southampton", - "description": "Une nouvelle fois impressionnants, les Reds ont étrillé Southampton (4-0), permettant à Liverpool de revenir provisoirement à un point seulement de Chelsea, le leader de Premier League, au classement.

", - "content": "Une nouvelle fois impressionnants, les Reds ont étrillé Southampton (4-0), permettant à Liverpool de revenir provisoirement à un point seulement de Chelsea, le leader de Premier League, au classement.

", + "title": "Violences conjugales: accusé par Pinot, Schmitt dénonce des menaces de mort après sa relaxe", + "description": "Relaxé pour des faits de violences conjugales sur la championne olympique par équipes, Margaux Pinot, qui est aussi sa compagne, l'entraîneur de judo, Alain Schmitt, donne sa version dans L'Equipe. Et dénonce les menaces dont il est l'objet.

", + "content": "Relaxé pour des faits de violences conjugales sur la championne olympique par équipes, Margaux Pinot, qui est aussi sa compagne, l'entraîneur de judo, Alain Schmitt, donne sa version dans L'Equipe. Et dénonce les menaces dont il est l'objet.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-le-nouveau-festival-de-liverpool-qui-atteint-un-record-face-a-southampton_AV-202111270253.html", + "link": "https://rmcsport.bfmtv.com/judo/violences-conjugales-accuse-par-pinot-schmitt-denonce-des-menaces-de-mort-apres-sa-relaxe_AV-202112010465.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 17:19:43 GMT", + "pubDate": "Wed, 01 Dec 2021 18:32:35 GMT", + "enclosure": "https://images.bfmtv.com/JRfw8UYpcQUt5XDFXwlSBN6TWFI=/0x211:2048x1363/800x0/images/Alain-Schmitt-en-2015-1178881.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e230650fe9a7acbe5123db92a32c4c0" + "hash": "43e311106ebb4ec896917c2767ef8d66" }, { - "title": "Toulon-LOU: les images terribles de Bastareaud, qui sort en larmes après une grosse blessure", - "description": "Gravement blessé au genou lors de la rencontre face à Toulon, Mathieu Bastareaud est sorti sur civière en larmes dès la 4e minute, après s'être écroulé tout seul. Une nouvelle tuile pour le capitaine du LOU.

", - "content": "Gravement blessé au genou lors de la rencontre face à Toulon, Mathieu Bastareaud est sorti sur civière en larmes dès la 4e minute, après s'être écroulé tout seul. Une nouvelle tuile pour le capitaine du LOU.

", + "title": "Ligue 1, multiplex en direct: l'OL sur le front, Lens vise le podium", + "description": "Trois belles rencontres sont au programme de ce multiplex de Ligue 1, comptant pour la 16e journée de Ligue 1: Lyon-Reims, Clermont-Lens et Rennes-Lille. Coups d'envoi prévus à 21 heures.

", + "content": "Trois belles rencontres sont au programme de ce multiplex de Ligue 1, comptant pour la 16e journée de Ligue 1: Lyon-Reims, Clermont-Lens et Rennes-Lille. Coups d'envoi prévus à 21 heures.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/toulon-lou-les-images-terribles-de-bastareaud-qui-sort-en-larmes-apres-une-grosse-blessure_AD-202111270250.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-multiplex-en-direct-l-ol-sur-le-front-lens-vise-le-podium_LS-202112010458.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 17:13:34 GMT", + "pubDate": "Wed, 01 Dec 2021 18:24:48 GMT", + "enclosure": "https://images.bfmtv.com/uKk7c2-nA1vvLp3XATXh7-zJ65c=/0x0:1984x1116/800x0/images/Lucas-Paqueta-face-a-Montpellier-1177259.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0e62b99f88094fe5d40440657851439c" + "hash": "1f6efa362396e2df02c765ec385791af" }, { - "title": "Monaco: Kovac compare l’importance de Golovin à celle de Messi au Barça", - "description": "Ce dimanche, l’AS Monaco recevra dans son stade Strasbourg (15h). En conférence de presse, le technicien monégasque Niko Kovac est revenu sur l’importance d'Aleksandr Golovin. Pour appuyer son propos, le Croate a fait une comparaison avec le FC Barcelone et Lionel Messi.

", - "content": "Ce dimanche, l’AS Monaco recevra dans son stade Strasbourg (15h). En conférence de presse, le technicien monégasque Niko Kovac est revenu sur l’importance d'Aleksandr Golovin. Pour appuyer son propos, le Croate a fait une comparaison avec le FC Barcelone et Lionel Messi.

", + "title": "Nantes-OM en direct: Marseille avec Payet et Harit, Milik sur le banc", + "description": "On poursuit cette 16e de journée de Ligue 1 avec un classique du championnat entre Nantes et l’Olympique de Marseille (21h). Les Marseillais peuvent prendre la 2e place en cas de victoire !

", + "content": "On poursuit cette 16e de journée de Ligue 1 avec un classique du championnat entre Nantes et l’Olympique de Marseille (21h). Les Marseillais peuvent prendre la 2e place en cas de victoire !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-kovac-compare-l-importance-de-golovin-a-celle-de-messi-au-barca_AV-202111270246.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-nantes-om-en-direct_LS-202112010452.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 17:04:52 GMT", + "pubDate": "Wed, 01 Dec 2021 18:16:16 GMT", + "enclosure": "https://images.bfmtv.com/jPTmcq5722xye_bhFYk40NvHUXw=/0x61:2048x1213/800x0/images/Dimitri-Payet-1152971.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cae6fccc6d015f17bfa2b7320f94a3af" + "hash": "d6beada8a321948a3fd3fa6ff5ce31be" }, { - "title": "Rugby: privés de match à Twickenham, les Samoa entonnent quand même leur hymne", - "description": "Alors que le Fédération anglaise de rugby a annulé la rencontre entre les Barbarians britanniques et les Samoa à quelques heures du coup d'envoi, les Samoans sont tout de même venus sur la pelouse pour chanter leur hymne.

", - "content": "Alors que le Fédération anglaise de rugby a annulé la rencontre entre les Barbarians britanniques et les Samoa à quelques heures du coup d'envoi, les Samoans sont tout de même venus sur la pelouse pour chanter leur hymne.

", + "title": "Chelsea: Tuchel explique les difficultés de Saul avec les Blues", + "description": "Saul Niguez n’a quasiment plus été vu depuis la première journée de championnat avec Chelsea, ne disputant que deux minutes de jeu lors des neuf derniers matches de Premier League. Une absence inquiétante que Thomas Tuchel a tenté d’expliquer avant d’affronter Watford, mercredi (20h30).

", + "content": "Saul Niguez n’a quasiment plus été vu depuis la première journée de championnat avec Chelsea, ne disputant que deux minutes de jeu lors des neuf derniers matches de Premier League. Une absence inquiétante que Thomas Tuchel a tenté d’expliquer avant d’affronter Watford, mercredi (20h30).

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/rugby-prives-de-match-a-twickenham-les-samoa-entonnent-quand-meme-leur-hymne_AD-202111270244.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-tuchel-explique-les-difficultes-de-saul-avec-les-blues_AV-202112010448.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 16:59:07 GMT", + "pubDate": "Wed, 01 Dec 2021 18:13:23 GMT", + "enclosure": "https://images.bfmtv.com/KBRmjNrreMv3p9PEELqKunlHLEY=/0x0:1200x675/800x0/images/Thomas-Tuchel-1179445.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23c206afceebbce4b97f3e052b10b4c4" + "hash": "35f2d70f21222fc5eee9c0d99f1247ca" }, { - "title": "MMA: le calvaire de Diego Sanchez, légende de l’UFC, à cause du Covid-19", - "description": "A 39 ans, le combattant américain Diego Sanchez est actuellement hospitalisé pour une pneumonie provoquée par le Covid-19. Non vacciné, il a partagé son cauchemar sur les réseaux sociaux.

", - "content": "A 39 ans, le combattant américain Diego Sanchez est actuellement hospitalisé pour une pneumonie provoquée par le Covid-19. Non vacciné, il a partagé son cauchemar sur les réseaux sociaux.

", + "title": "Équipe de France: Rothen et Petit déplorent les propos de Le Graët sur l'après-Deschamps", + "description": "Dans Rothen s'enflamme sur RMC, mercredi soir, Jérôme Rothen et Emmanuel Petit ont estimé que Noël Le Graët avait manqué de respect à Didier Deschamps en s'exprimant sur le poste de sélectionneur des Bleus après la Coupe du monde 2022.

", + "content": "Dans Rothen s'enflamme sur RMC, mercredi soir, Jérôme Rothen et Emmanuel Petit ont estimé que Noël Le Graët avait manqué de respect à Didier Deschamps en s'exprimant sur le poste de sélectionneur des Bleus après la Coupe du monde 2022.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/mma-le-calvaire-de-diego-sanchez-legende-de-l-ufc-a-cause-du-covid-19_AN-202111270235.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-rothen-et-petit-deplorent-les-propos-de-le-graet-sur-l-apres-deschamps_AV-202112010447.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 16:49:48 GMT", + "pubDate": "Wed, 01 Dec 2021 18:11:53 GMT", + "enclosure": "https://images.bfmtv.com/AAz9i1F-dlFzpkZwhPUmuxxHbPE=/0x0:1024x576/800x0/images/Jerome-Rothen-1146485.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "808352ce713cd6c03b1bf796a4595533" + "hash": "97ee593a73586b1906bbdbd0302b5adc" }, { - "title": "Real Madrid: Ancelotti garantit le côté gauche à Vinicius, même si Mbappé arrive", - "description": "Vinicius jouera sur l'aile gauche du 4-3-3 du Real Madrid tant que Carlo Ancelotti sera l'entraîneur du club merengue, c'est le sens du message délivré ce samedi par le technicien italien. La possible arrivée prochaine de Kylian Mbappé n'y changera rien, a-t-il assuré.

", - "content": "Vinicius jouera sur l'aile gauche du 4-3-3 du Real Madrid tant que Carlo Ancelotti sera l'entraîneur du club merengue, c'est le sens du message délivré ce samedi par le technicien italien. La possible arrivée prochaine de Kylian Mbappé n'y changera rien, a-t-il assuré.

", + "title": "OL: Le Sommer raconte son expérience américaine dans \"le meilleur championnat du monde\"", + "description": "De retour à Lyon pour la deuxième partie de saison, Eugénie Le Sommer est revenue pour le Super Moscato Show sur son prêt de six mois dans le championnat américain de football (NWSL).

", + "content": "De retour à Lyon pour la deuxième partie de saison, Eugénie Le Sommer est revenue pour le Super Moscato Show sur son prêt de six mois dans le championnat américain de football (NWSL).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-ancelotti-garantit-le-cote-gauche-a-vinicius-meme-si-mbappe-arrive_AV-202111270232.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/ol-le-sommer-raconte-son-experience-americaine-dans-le-meilleur-championnat-du-monde_AV-202112010412.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 16:36:34 GMT", + "pubDate": "Wed, 01 Dec 2021 17:23:21 GMT", + "enclosure": "https://images.bfmtv.com/C6Rj5fOHjODeSA1za7p5nD1ismU=/0x90:1200x765/800x0/images/Eugenie-Le-Sommer-1179403.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5acf8c30744fc44098d8ebf1fc00ef5b" + "hash": "52f631669e6bc5e5b54f675b79dc2d85" }, { - "title": "AC Milan: Pioli annonce le retour de Maignan face à Sassuolo", - "description": "Après avoir été opéré du poignet en octobre, Mike Maignan va faire ce dimanche son retour à la compétition avec l'AC Milan, face à Sassuolo. C’est son entraîneur Stefano Pioli qui l’a annoncé en conférence de presse.

", - "content": "Après avoir été opéré du poignet en octobre, Mike Maignan va faire ce dimanche son retour à la compétition avec l'AC Milan, face à Sassuolo. C’est son entraîneur Stefano Pioli qui l’a annoncé en conférence de presse.

", + "title": "Angers-Monaco en direct: les Angevins réduisent l'écart avant l'heure de jeu", + "description": "Angers accueille Monaco à 19h, ce mercredi. Les deux équipes doivent l'emporter pour garder le contact avec les places européennes, mais Monaco n'a plus gagné en Ligue 1 depuis plus d'un mois.

", + "content": "Angers accueille Monaco à 19h, ce mercredi. Les deux équipes doivent l'emporter pour garder le contact avec les places européennes, mais Monaco n'a plus gagné en Ligue 1 depuis plus d'un mois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/ac-milan-pioli-annonce-le-retour-de-maignan-face-a-sassuolo_AV-202111270215.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-angers-monaco-en-direct_LS-202112010408.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 15:26:10 GMT", + "pubDate": "Wed, 01 Dec 2021 17:21:58 GMT", + "enclosure": "https://images.bfmtv.com/yHlFIsNGld67yuuUrz1LdBc4x1o=/0x106:2048x1258/800x0/images/Sofiane-Diop-lors-de-Angers-Monaco-1179487.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "765aea03a59fb3b833a5d30fef0755f1" + "hash": "8b3f5348c276fb134253fdf166ca9ede" }, { - "title": "Coupe du monde: les Serbes ont reversé leur prime de qualification aux enfants défavorisés", - "description": "Directement qualifiés pour la Coupe du monde 2022 au Qatar grâce à leur victoire au Portugal (1-2), les joueurs de la Serbie ont décidé de reverser la prime d'un million d’euros, promise par le président de la République serbe à des enfants, en situation précaire.

", - "content": "Directement qualifiés pour la Coupe du monde 2022 au Qatar grâce à leur victoire au Portugal (1-2), les joueurs de la Serbie ont décidé de reverser la prime d'un million d’euros, promise par le président de la République serbe à des enfants, en situation précaire.

", + "title": "PSG-Nice en direct : la surprise Dina Ebimbe, Messi présent", + "description": "Avec Messi et son 7e Ballon d'Or dans son groupe, le PSG accueille ce mercredi soir l'OGC Nice de Christophe Galtier. Les Aiglons, sur le podium de Ligue 1 mais avec 14 points de retard, espèrent ralentir un peu les Parisiens ce soir.

", + "content": "Avec Messi et son 7e Ballon d'Or dans son groupe, le PSG accueille ce mercredi soir l'OGC Nice de Christophe Galtier. Les Aiglons, sur le podium de Ligue 1 mais avec 14 points de retard, espèrent ralentir un peu les Parisiens ce soir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-les-serbes-ont-reverse-leur-prime-de-qualification-aux-enfants-defavorises_AV-202111270209.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-psg-nice-en-direct_LS-202112010403.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 15:03:30 GMT", + "pubDate": "Wed, 01 Dec 2021 17:13:42 GMT", + "enclosure": "https://images.bfmtv.com/e2nZ9p_0QAxQIftO6uhHsBb5jg8=/0x106:2048x1258/800x0/images/Lionel-MESSI-1179344.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "099c602d621abd302e0612e44ef0b23c" + "hash": "3a216d20b3e638af3f9b1ebce0fb3cfb" }, { - "title": "Lille-Nantes en direct : David titulaire, les Lillois visent le top 10", - "description": "La 15e journée de Ligue 1 se poursuit ce samedi après-midi avec Lille (12e) qui reçoit Nantes (11e). Dans une première partie de saison compliquée, les Dogues espèrent bien rallier la première moitié de tableau en s’imposant devant leur public. Mais les Nantais partagent aussi cet objectif.

", - "content": "La 15e journée de Ligue 1 se poursuit ce samedi après-midi avec Lille (12e) qui reçoit Nantes (11e). Dans une première partie de saison compliquée, les Dogues espèrent bien rallier la première moitié de tableau en s’imposant devant leur public. Mais les Nantais partagent aussi cet objectif.

", + "title": "Rugby: la LNR durcit son protocole Covid-19, notamment pour les joueurs non-vaccinés", + "description": "Afin de lutter face à la propagation du variant Omicron, la Ligue nationale de rugby va durcir son protocole face au Covid-19 en Top 14 et Pro D2. Les changements annoncés font suite aux mesures prises par le gouvernement le 25 novembre.

", + "content": "Afin de lutter face à la propagation du variant Omicron, la Ligue nationale de rugby va durcir son protocole face au Covid-19 en Top 14 et Pro D2. Les changements annoncés font suite aux mesures prises par le gouvernement le 25 novembre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-nantes-en-direct-les-lillois-visent-le-top-10_LS-202111270206.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/rugby-la-lnr-durcit-son-protocole-covid-19-notamment-pour-les-joueurs-non-vaccines_AV-202112010401.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 14:58:32 GMT", + "pubDate": "Wed, 01 Dec 2021 17:09:04 GMT", + "enclosure": "https://images.bfmtv.com/_eKGVSkNLr9xGE3eAva2poZ58Ns=/0x0:768x432/800x0/images/Le-president-de-la-Ligue-nationale-de-rugby-LNR-Rene-Bouscatel-fraichement-elu-le-23-mars-2021-a-Paris-1026711.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d651c81ac772c64a80f090addf080d0f" + "hash": "997bb4b0c9d4ba615d31d6891594c138" }, { - "title": "Premier League: Arsenal se relance face à Newcastle après sa grosse défaite à Liverpool", - "description": "Pour le début de cette treizième journée de Premier League, Arsenal a rebondi en dominant Newcastle ce samedi (2-0). Ce sont les jeunes Saka et Martinelli qui ont permis aux Gunners de se rassurer après la lourde défaite du week-end dernier face à Liverpool (4-0)

", - "content": "Pour le début de cette treizième journée de Premier League, Arsenal a rebondi en dominant Newcastle ce samedi (2-0). Ce sont les jeunes Saka et Martinelli qui ont permis aux Gunners de se rassurer après la lourde défaite du week-end dernier face à Liverpool (4-0)

", + "title": "Coupe de France: PSG, OM, OL... la programmation des 32es de finale", + "description": "La FFF a dévoilé ce mercredi le programme complet des 32es de finale de la Coupe de France, avec les dates et les horaires. Valenciennes ouvrira le bal contre Strasbourg le jeudi 16 décembre, et les amateurs de l'Entente Feignies-Aulnoye recevront le PSG le dimanche 19 décembre au soir... à Valenciennes.

", + "content": "La FFF a dévoilé ce mercredi le programme complet des 32es de finale de la Coupe de France, avec les dates et les horaires. Valenciennes ouvrira le bal contre Strasbourg le jeudi 16 décembre, et les amateurs de l'Entente Feignies-Aulnoye recevront le PSG le dimanche 19 décembre au soir... à Valenciennes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-arsenal-se-relance-face-a-newcastle-apres-sa-grosse-defaite-a-liverpool_AV-202111270205.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-psg-om-ol-la-programmation-des-32es-de-finale_AV-202112010397.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 14:57:07 GMT", + "pubDate": "Wed, 01 Dec 2021 17:05:30 GMT", + "enclosure": "https://images.bfmtv.com/VFzpxMKJEeVYvhWmPu56ZT_ISvM=/0x24:1200x699/800x0/images/-955606.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3adc0b0ca223016cd7199216741641a5" + "hash": "88c4a16430774cfddf43dc5457142807" }, { - "title": "Incidents OL-OM: les Lyonnais \"préoccupés\" par des possibles sanctions", - "description": "Entre la victoire en Ligue Europa jeudi à Bröndby (3-1) et un déplacement à Montpellier dimanche en Ligue 1, les joueurs de l’OL et leur entraîneur Peter Bosz reconnaissent qu’ils appréhendent de possibles sanctions de la commission de discipline consécutives aux incidents survenus lors du match interrompu face à l’OM, dimanche dernier au Groupama Stadium.

", - "content": "Entre la victoire en Ligue Europa jeudi à Bröndby (3-1) et un déplacement à Montpellier dimanche en Ligue 1, les joueurs de l’OL et leur entraîneur Peter Bosz reconnaissent qu’ils appréhendent de possibles sanctions de la commission de discipline consécutives aux incidents survenus lors du match interrompu face à l’OM, dimanche dernier au Groupama Stadium.

", + "title": "Coupe de France en direct: le programme complet des 32es, avec les dates et les horaires", + "description": "Les affiches des 32es de finale de la Coupe de France (du 16 au 19 décembre) sont désormais connues. Suivez toutes les infos sur RMC Sport.

", + "content": "Les affiches des 32es de finale de la Coupe de France (du 16 au 19 décembre) sont désormais connues. Suivez toutes les infos sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-lyonnais-preoccupes-par-des-possibles-sanctions_AV-202111270200.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-en-direct-le-tirage-des-32e-de-finale_LN-202111290286.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 14:40:12 GMT", + "pubDate": "Mon, 29 Nov 2021 12:33:41 GMT", + "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab76c1e44a26b31d450f3a440b6089d1" + "hash": "d67be4ea16162efe02d59f214d5bf331" }, { - "title": "PSG: face aux rumeurs sur son avenir, Pochettino assure que \"c'est bon signe\"", - "description": "Face aux rumeurs l'envoyant à Manchester United à moyen terme, Mauricio Pochettino a affirmé ce samedi en conférence de presse qu'il était complètement \"concentré\" sur le PSG.

", - "content": "Face aux rumeurs l'envoyant à Manchester United à moyen terme, Mauricio Pochettino a affirmé ce samedi en conférence de presse qu'il était complètement \"concentré\" sur le PSG.

", + "title": "Manchester United: Carrick minimise la mise sur le banc de Ronaldo", + "description": "Avant la réception d'Arsenal en Premier League, Michael Carrick a voulu dédramatiser son choix d'avoir mis Cristiano Ronaldo sur le banc au coup d'envoi du nul 1-1 de Manchester United face à Chelsea.

", + "content": "Avant la réception d'Arsenal en Premier League, Michael Carrick a voulu dédramatiser son choix d'avoir mis Cristiano Ronaldo sur le banc au coup d'envoi du nul 1-1 de Manchester United face à Chelsea.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-face-aux-rumeurs-sur-son-avenir-pochettino-assure-que-c-est-bon-signe_AV-202111270186.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-carrick-minimise-la-mise-sur-le-banc-de-ronaldo_AV-202112010381.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 14:04:27 GMT", + "pubDate": "Wed, 01 Dec 2021 16:45:34 GMT", + "enclosure": "https://images.bfmtv.com/-368HbqZ4lVkloyR4qMVMATREPc=/0x0:1792x1008/800x0/images/Ronaldo-1179359.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ff374ceba67919a6598328ee87a750a" + "hash": "07cb5659191b56f2792f3bbf896d7322" }, { - "title": "PSG: quatre forfaits pour Saint-Etienne", - "description": "Le PSG doit se passer de Marco Verratti, Ander Herrera, Georginio Wijnaldum et Mauro Icardi pour le déplacement à Saint-Etienne ce dimanche en Ligue 1 (13h).

", - "content": "Le PSG doit se passer de Marco Verratti, Ander Herrera, Georginio Wijnaldum et Mauro Icardi pour le déplacement à Saint-Etienne ce dimanche en Ligue 1 (13h).

", + "title": "Mercato: le forcing de Lewandowski auprès de son agent pour rejoindre le Real Madrid", + "description": "Sous contrat jusqu’en juin 2023 avec le Bayern Munich, Robert Lewandowski (33 ans) aurait des envies d’ailleurs. Si son cas devrait intéresser de nombreux clubs, le buteur donnerait selon AS sa priorité au Real Madrid. Au point d’insister auprès de son agent Pini Zahavi pour réaliser ce souhait.

", + "content": "Sous contrat jusqu’en juin 2023 avec le Bayern Munich, Robert Lewandowski (33 ans) aurait des envies d’ailleurs. Si son cas devrait intéresser de nombreux clubs, le buteur donnerait selon AS sa priorité au Real Madrid. Au point d’insister auprès de son agent Pini Zahavi pour réaliser ce souhait.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-quatre-forfaits-pour-saint-etienne_AD-202111270179.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-forcing-de-lewandowski-aupres-de-son-agent-pour-rejoindre-le-real-madrid_AV-202112010377.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:47:15 GMT", + "pubDate": "Wed, 01 Dec 2021 16:39:46 GMT", + "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8f51c1f33ddc0d57babf91b455c70518" + "hash": "2947f44cbf8da83d270cc02dec6fdb57" }, { - "title": "Les pronos hippiques du dimanche 28 novembre 2021", - "description": " Le Quinté+ du dimanche 28 novembre est programmé sur l’hippodrome d'Auteuil dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": " Le Quinté+ du dimanche 28 novembre est programmé sur l’hippodrome d'Auteuil dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "Equipe de France: Le Sommer vise toujours l'Euro avec les Bleues", + "description": "Malgré de belles performances dans le championnat américain, dont elle revient tout juste, Eugénie Le Sommer n'a plus été appelée par Corinne Diacre en équipe de France depuis le printemps dernier. Invitée ce mercredi du Super Moscato Show, sur RMC, l'attaquante tricolore a confié ne pas avoir reçu d'explications claires.

", + "content": "Malgré de belles performances dans le championnat américain, dont elle revient tout juste, Eugénie Le Sommer n'a plus été appelée par Corinne Diacre en équipe de France depuis le printemps dernier. Invitée ce mercredi du Super Moscato Show, sur RMC, l'attaquante tricolore a confié ne pas avoir reçu d'explications claires.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-dimanche-28-novembre-2021_AN-202111270178.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-sommer-n-a-pas-forcement-compris-ses-non-convocations-chez-les-bleues_AV-202112010369.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:31:26 GMT", + "pubDate": "Wed, 01 Dec 2021 16:26:28 GMT", + "enclosure": "https://images.bfmtv.com/PP6pDMdy_uwyweeliDvv5v4jYfA=/0x106:2048x1258/800x0/images/Eugenie-Le-Sommer-1179350.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b23229de065d94a5c5f1f952f5bfbf53" + "hash": "45e05f18bd8556e4007b64f0753a3b85" }, { - "title": "F1: Hamilton vit dans la \"peur\" d'attraper le Covid avant la fin de saison", - "description": "À la lutte pour le titre avec Max Verstappen alors qu'il reste seulement deux courses, Lewis Hamilton fait tout pour ne pas attraper le coronavirus d'ici la fin de la saison de F1. Il dit vivre dans une \"peur constante\" face à cette menace.

", - "content": "À la lutte pour le titre avec Max Verstappen alors qu'il reste seulement deux courses, Lewis Hamilton fait tout pour ne pas attraper le coronavirus d'ici la fin de la saison de F1. Il dit vivre dans une \"peur constante\" face à cette menace.

", + "title": "Manchester United: Nkunku, Haaland... les pistes de Rangnick pour le mercato", + "description": "Arrivé à Manchester United pour un intérim de six mois, Ralf Rangnick aurait déjà des priorités pour les prochains mercatos. Selon le journal Bild, le technicien allemand viserait notamment Christopher Nkunku et Erling Haaland.

", + "content": "Arrivé à Manchester United pour un intérim de six mois, Ralf Rangnick aurait déjà des priorités pour les prochains mercatos. Selon le journal Bild, le technicien allemand viserait notamment Christopher Nkunku et Erling Haaland.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-vit-dans-la-peur-d-attraper-le-covid-avant-la-fin-de-saison_AV-202111270173.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-nkunku-haaland-les-pistes-de-rangnick-pour-le-mercato_AV-202112010356.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:09:16 GMT", + "pubDate": "Wed, 01 Dec 2021 16:01:14 GMT", + "enclosure": "https://images.bfmtv.com/VZpvAaryeSmDkEAekaNzVcqkFRs=/0x78:2048x1230/800x0/images/Ralf-Rangnick-1179316.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e83e68b9e73776722de20ccc6188d7f" + "hash": "f605dc4d2df3ada1175fd60a08de4148" }, { - "title": "Italie: perquisitions dans les bureaux de la Juventus, sur des transferts douteux", - "description": "En pleine enquête sur des transferts douteux, la police italienne a perquisitionné les bureaux de la Juventus ce vendredi. Le club italien est soupçonné d'avoir donné de fausses informations à des investisseurs et d'avoir produit des factures pour des transactions inexistantes

", - "content": "En pleine enquête sur des transferts douteux, la police italienne a perquisitionné les bureaux de la Juventus ce vendredi. Le club italien est soupçonné d'avoir donné de fausses informations à des investisseurs et d'avoir produit des factures pour des transactions inexistantes

", + "title": "PSG-Nice: \"Il faut lever le pied avec Messi à l'entraînement\", raconte Todibo avant les retrouvailles", + "description": "Titulaire indiscutable dans la charnière centrale de l’OGC Nice, Jean-Clair Todibo affrontera ce mercredi le PSG et son armada offensive. L’occasion pour le Français d’évoquer, sur Canal+, ses retrouvailles avec Lionel Messi, qu’il a connu lors de son passage au FC Barcelone.

", + "content": "Titulaire indiscutable dans la charnière centrale de l’OGC Nice, Jean-Clair Todibo affrontera ce mercredi le PSG et son armada offensive. L’occasion pour le Français d’évoquer, sur Canal+, ses retrouvailles avec Lionel Messi, qu’il a connu lors de son passage au FC Barcelone.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/italie-perquisitions-dans-les-bureaux-de-la-juventus-sur-des-transferts-douteux_AD-202111270172.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-nice-il-faut-lever-le-pied-avec-messi-a-l-entrainement-raconte-todibo-avant-les-retrouvailles_AV-202112010350.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:08:33 GMT", + "pubDate": "Wed, 01 Dec 2021 15:52:38 GMT", + "enclosure": "https://images.bfmtv.com/IjVSUHQ0LfLCINI-KVSzMj26XxU=/0x27:2048x1179/800x0/images/Jean-Clair-TODIBO-1049699.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bfd327da4949191edaacd9ed4bac50fc" + "hash": "bb91b42cd8f72c688a22d7883b6bba1a" }, { - "title": "PSG: Bernat salue le \"très beau geste\" du club après sa grave blessure", - "description": "Absent pendant plus d’un an après une rupture du ligament croisé au genou gauche, Juan Bernat retrouve du temps de jeu avec le PSG. Dans un entretien accordé à Canal+, le latéral gauche espagnol revient sur ses difficultés à guérir de sa blessure et la prolongation offerte par le club parisien.

", - "content": "Absent pendant plus d’un an après une rupture du ligament croisé au genou gauche, Juan Bernat retrouve du temps de jeu avec le PSG. Dans un entretien accordé à Canal+, le latéral gauche espagnol revient sur ses difficultés à guérir de sa blessure et la prolongation offerte par le club parisien.

", + "title": "Barça: accrochage entre Umtiti et des supporters qui ont bousculé sa voiture", + "description": "Samuel Umtiti s'est énervé face à des supporters peu précautionneux avec sa voiture, mercredi à Barcelone. Le défenseur français du Barça a fini par descendre de son véhicule pour s'expliquer avec eux.

", + "content": "Samuel Umtiti s'est énervé face à des supporters peu précautionneux avec sa voiture, mercredi à Barcelone. Le défenseur français du Barça a fini par descendre de son véhicule pour s'expliquer avec eux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-bernat-salue-le-tres-beau-geste-du-club-apres-sa-grave-blessure_AV-202111270169.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-accrochage-entre-umtiti-et-des-supporters-qui-ont-bouscule-sa-voiture_AV-202112010348.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:00:02 GMT", + "pubDate": "Wed, 01 Dec 2021 15:49:57 GMT", + "enclosure": "https://images.bfmtv.com/37kDBIXdkA_0BssMY4Vk3wc3b24=/0x0:2048x1152/800x0/images/Samuel-Umtiti-1172213.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, - "created": true, + "created": false, "tags": [], - "hash": "69cd89d967d51491b0de61a3c4cfa4d4" + "hash": "7d6e356f5ad555873b559f9e8e2bae03" }, { - "title": "Boxe: un boxeur espagnol totalement nu pour valider sa pesée", - "description": "Comme le rapporte Ouest-France, le boxeur espagnol Aitor Nieto, adversaire du Français Jordy Weiss ce samedi soir à Laval pour les ceintures des IBO et WBA des mi-moyens, n’a pas hésité à retirer son caleçon pour valider sa pesée.

", - "content": "Comme le rapporte Ouest-France, le boxeur espagnol Aitor Nieto, adversaire du Français Jordy Weiss ce samedi soir à Laval pour les ceintures des IBO et WBA des mi-moyens, n’a pas hésité à retirer son caleçon pour valider sa pesée.

", + "title": "Violences conjugales: Riner, Agbégnénou et le judo français au soutien de Margaux Pinot", + "description": "Teddy Riner, Amandine Buchard, Axel Clerget ou encore Clarisse Agbégnénou ont apporté ce mercredi leur soutien à leur camarade d'équipe de France de judo Margaux Pinot, après que cette dernière, victime présumée de violences conjugales, a posté sur les réseaux sociaux une photo de son visage tuméfié.

", + "content": "Teddy Riner, Amandine Buchard, Axel Clerget ou encore Clarisse Agbégnénou ont apporté ce mercredi leur soutien à leur camarade d'équipe de France de judo Margaux Pinot, après que cette dernière, victime présumée de violences conjugales, a posté sur les réseaux sociaux une photo de son visage tuméfié.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-un-boxeur-espagnol-totalement-nu-pour-valider-sa-pesee_AN-202111270166.html", + "link": "https://rmcsport.bfmtv.com/judo/violences-conjugales-riner-agbegnenou-et-le-judo-francais-au-soutien-de-margaux-pinot_AV-202112010338.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:46:44 GMT", + "pubDate": "Wed, 01 Dec 2021 15:25:14 GMT", + "enclosure": "https://images.bfmtv.com/0NURDRu_AjsDUHZn7LF2O2Lvf1s=/6x111:2038x1254/800x0/images/Margaux-Pinot-1178535.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9562f631fb02c2327a4f21bf83e908ae" + "hash": "8d09221c01bcf3dce68ea3dc216a2ca2" }, { - "title": "PSG en direct: \"On ne crée pas les rumeurs\", se défend Pochettino", - "description": "Le PSG va à Saint-Étienne dimanche (13h00), dans le cadre de la 15e journée de Ligue 1. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé devant la presse.

", - "content": "Le PSG va à Saint-Étienne dimanche (13h00), dans le cadre de la 15e journée de Ligue 1. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé devant la presse.

", + "title": "Real Madrid: Vinicius veut aider Benzema à \"remporter le Ballon d’or\"", + "description": "Vraie satisfaction du Real Madrid depuis le début de la saison, Vinicius Junior forme un duo redoutable avec Karim Benzema. Sur la chaîne Youtube \"DjMaRiiO\", l’attaquant brésilien a assuré vouloir aider le Français à \"remporter le Ballon d’or un jour\".

", + "content": "Vraie satisfaction du Real Madrid depuis le début de la saison, Vinicius Junior forme un duo redoutable avec Karim Benzema. Sur la chaîne Youtube \"DjMaRiiO\", l’attaquant brésilien a assuré vouloir aider le Français à \"remporter le Ballon d’or un jour\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conference-de-presse-de-pochettino-avant-l-asse_LN-202111270164.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-vinicius-veut-aider-benzema-a-remporter-le-ballon-d-or_AV-202112010330.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:43:40 GMT", + "pubDate": "Wed, 01 Dec 2021 15:04:56 GMT", + "enclosure": "https://images.bfmtv.com/Nn5LYP0W0Lb2HyPLDLvoLe5BeIs=/0x3:768x435/800x0/images/La-joie-de-l-attaquant-francais-du-Real-Madrid-Karim-Benzema-auteur-d-un-double-face-au-Shakhtar-Donetsk-et-felicite-par-l-attaquant-bresilien-Vinicius-Jr-lors-de-la-4e-journee-de-la-Ligue-des-Champions-le-3-novembre-2021-au-Stade-Santiago-Bernabeu-1159580.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "27f6ebdf6a28d975f4aadaf442e6c413" + "hash": "0adf4e04af8532f5bb412dc9dbeaa092" }, { - "title": "OL en direct: la conf de Peter Bosz avant Montpellier", - "description": "L'entraîneur de l'Olympique Lyonnais Peter Bosz a rendez-vous samedi à 14h20 pour la conférence de presse à la veille du déplacement de l'Olympique Lyonnais sur la pelouse de Montpellier, dimanche (17h) dans le cadre de la 15eme journée de Ligue 1. Une conf' à suivre en direct commenté sur RMC Sport.

", - "content": "L'entraîneur de l'Olympique Lyonnais Peter Bosz a rendez-vous samedi à 14h20 pour la conférence de presse à la veille du déplacement de l'Olympique Lyonnais sur la pelouse de Montpellier, dimanche (17h) dans le cadre de la 15eme journée de Ligue 1. Une conf' à suivre en direct commenté sur RMC Sport.

", + "title": "OM-Troyes: les deux clubs publient un communiqué commun face aux propos racistes contre Suk", + "description": "L'OM s'est joint à l'Estac pour dénoncer les propos racistes ayant visé l'attaquant sud-coréen Hyun-Jun Suk le 28 novembre, lors de la victoire marseillaise (1-0). Le club phocéen assure vouloir retrouver les auteurs de ces propos.

", + "content": "L'OM s'est joint à l'Estac pour dénoncer les propos racistes ayant visé l'attaquant sud-coréen Hyun-Jun Suk le 28 novembre, lors de la victoire marseillaise (1-0). Le club phocéen assure vouloir retrouver les auteurs de ces propos.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-en-direct-la-conf-de-peter-bosz-avant-montpellier_LN-202111270161.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-les-deux-clubs-publient-un-communique-commun-face-aux-propos-racistes-contre-suk_AV-202112010328.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:39:49 GMT", + "pubDate": "Wed, 01 Dec 2021 15:00:33 GMT", + "enclosure": "https://images.bfmtv.com/nmLOYnNCgn01b5zUOk5HNoBBXxQ=/0x20:2048x1172/800x0/images/Hyun-Jun-Suk-1179286.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7581513e752fe2abc46c334899c579c" + "hash": "82981fcb6af4ec61001da8c90ac21df0" }, { - "title": "PRONOS PARIS RMC Les paris du 27 novembre sur Lille - Nantes - Ligue 1", - "description": "Notre pronostic: Lille bat Nantes et Jonathan David marque (2.65)

", - "content": "Notre pronostic: Lille bat Nantes et Jonathan David marque (2.65)

", + "title": "PSG: Quartararo a \"hâte\" de donner le coup d’envoi fictif de la rencontre face à Nice", + "description": "Devenu en octobre dernier le premier français à être sacré champion du monde de MotoGP, Fabio Quartararo donnera ce mercredi (à 21h) le coup d’envoi fictif de la rencontre entre le PSG et l’OGC Nice au Parc des Princes. Sur le site du club parisien, le Français évoque sa \"hâte d’y être\".

", + "content": "Devenu en octobre dernier le premier français à être sacré champion du monde de MotoGP, Fabio Quartararo donnera ce mercredi (à 21h) le coup d’envoi fictif de la rencontre entre le PSG et l’OGC Nice au Parc des Princes. Sur le site du club parisien, le Français évoque sa \"hâte d’y être\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-27-novembre-sur-lille-nantes-ligue-1_AN-202111260352.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-quartararo-a-hate-de-donner-le-coup-d-envoi-fictif-de-la-rencontre-face-a-nice_AV-202112010327.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:20:00 GMT", + "pubDate": "Wed, 01 Dec 2021 14:51:54 GMT", + "enclosure": "https://images.bfmtv.com/7-LWbE6dNygfCpeckK2fMHrJgbk=/0x8:768x440/800x0/images/Le-bonheur-de-Fabio-Quartararo-tout-juste-sacre-champion-du-monde-en-MotoGP-a-l-issue-du-GP-d-Emilie-Romagne-a-Misano-Adriatico-le-24-octobre-2021-1166858.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "60ebaeeb5e1ded92a768319a60d7fb5a" + "hash": "bdb37258c2f3200f52d44f6b85625361" }, { - "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 27 novembre – Ligue 1", - "description": "Mon pronostic : Lille bat Nantes et plus de 2,5 buts (2.40)

", - "content": "Mon pronostic : Lille bat Nantes et plus de 2,5 buts (2.40)

", + "title": "Challenge européen : Biarritz jouera bien ses matchs à Aguiléra", + "description": "Un temps imaginée, la délocalisation des matchs du Biarritz Olympique en Challenge européen n’aura pas lieu. Le club basque jouera bien dans son enceinte habituelle d’Aguiléra.

", + "content": "Un temps imaginée, la délocalisation des matchs du Biarritz Olympique en Challenge européen n’aura pas lieu. Le club basque jouera bien dans son enceinte habituelle d’Aguiléra.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-27-novembre-ligue-1_AN-202111270149.html", + "link": "https://rmcsport.bfmtv.com/rugby/challenge-europeen-biarritz-jouera-bien-ses-matchs-a-aguilera_AV-202112010318.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:18:50 GMT", + "pubDate": "Wed, 01 Dec 2021 14:29:44 GMT", + "enclosure": "https://images.bfmtv.com/QPEM7ssD8wdKeclZ7VgHM_4yUHI=/7x52:2039x1195/800x0/images/Le-public-de-Biarritz-1179283.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12ee87e1fe560f33520302d383f327b0" + "hash": "eb2b71eb21f88f76d100f346435954bc" }, { - "title": "PRONOS PARIS RMC Les paris du 27 novembre sur Nice - Metz - Ligue 1", - "description": "Notre pronostic: Nice bat Metz (1.40)

", - "content": "Notre pronostic: Nice bat Metz (1.40)

", + "title": "\"Bla bla bla\": le père de Messi répond aux critiques après le 7e Ballon d'or de son fils", + "description": "Le septième Ballon d'or reçu par Lionel Messi lundi soir à Paris est sans doute celui qui a fait le plus débat. Mais sur les réseaux sociaux, le père de l'attaquant argentin a balayé les critiques d'un revers de main.

", + "content": "Le septième Ballon d'or reçu par Lionel Messi lundi soir à Paris est sans doute celui qui a fait le plus débat. Mais sur les réseaux sociaux, le père de l'attaquant argentin a balayé les critiques d'un revers de main.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-27-novembre-sur-nice-metz-ligue-1_AN-202111260349.html", + "link": "https://rmcsport.bfmtv.com/football/bla-bla-bla-le-pere-de-messi-repond-aux-critiques-apres-le-7e-ballon-d-or-de-son-fils_AV-202112010317.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:17:00 GMT", + "pubDate": "Wed, 01 Dec 2021 14:29:17 GMT", + "enclosure": "https://images.bfmtv.com/BB7JOKk0loM-cKlIqEW-Nj_sk3k=/4x109:2036x1252/800x0/images/Jorge-et-Lionel-Messi-1179278.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f8b2c51277d760b93be19dd9e9e522ba" + "hash": "e0905e067d3d1abb11390ce471c827f4" }, { - "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 27 novembre – Ligue 1", - "description": "Mon pronostic : Nice bat Metz par au moins deux buts d’écart (2.00)

", - "content": "Mon pronostic : Nice bat Metz par au moins deux buts d’écart (2.00)

", + "title": "Barça: enfin un accord avec Setien pour ses indemnités de licenciement", + "description": "Arrivé en janvier 2020 pour remplacer Ernesto Valverde, Quique Setien a quitté le banc du FC Barcelone au mois d’août de la même année. Après des mois de négociations pour le paiement des indemnités de licenciement, un accord aurait été trouvé d’après la Cadena SER.

", + "content": "Arrivé en janvier 2020 pour remplacer Ernesto Valverde, Quique Setien a quitté le banc du FC Barcelone au mois d’août de la même année. Après des mois de négociations pour le paiement des indemnités de licenciement, un accord aurait été trouvé d’après la Cadena SER.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-27-novembre-ligue-1_AN-202111270146.html", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-enfin-un-accord-avec-setien-pour-ses-indemnites-de-licenciement_AV-202112010314.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:16:04 GMT", + "pubDate": "Wed, 01 Dec 2021 14:15:51 GMT", + "enclosure": "https://images.bfmtv.com/cv16czk1AgxqhBU7nzyojfBqjxI=/0x26:1024x602/800x0/images/-870085.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e47bd793ac375dbc9dd1c76a41054748" + "hash": "3e73206e5bedd9fa783f4d91f7b5e0d8" }, { - "title": "Coupe Davis: Bartoli allume Piqué, \"il ne connaît rien au tennis\"", - "description": "Marion Bartoli estime que Gerard Piqué, qui a racheté la Coupe Davis, a \"massacré\" la compétition en changeant le format et en étant prêt à l'installer durablement à Abou Dhabi. Des \"mauvaises décisions\" qui démontrent que le footballeur espagnol ne \"connaît rien\" à ce sport.

", - "content": "Marion Bartoli estime que Gerard Piqué, qui a racheté la Coupe Davis, a \"massacré\" la compétition en changeant le format et en étant prêt à l'installer durablement à Abou Dhabi. Des \"mauvaises décisions\" qui démontrent que le footballeur espagnol ne \"connaît rien\" à ce sport.

", + "title": "Double Contact - Guy2bezbar: \"J’ai joué contre Mbappé chez les jeunes\"", + "description": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. Après la sortie de son projet \"Coco Jojo\", on a rencontré Guy2bezbar. Le rappeur parisien, bon manieur de ballon, nous raconte ses anecdotes de terrain. A l'image de ce jour où il a croisé le jeune Kylian Mbappé…

", + "content": "RMC Sport a sa rubrique \"culture-sport\" baptisée \"Double Contact\". Tout au long de l’année, on vous propose des entretiens intimes et décalés, avec des artistes qui font l’actualité. Après la sortie de son projet \"Coco Jojo\", on a rencontré Guy2bezbar. Le rappeur parisien, bon manieur de ballon, nous raconte ses anecdotes de terrain. A l'image de ce jour où il a croisé le jeune Kylian Mbappé…

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-bartoli-allume-pique-il-ne-connait-rien-au-tennis_AV-202111270128.html", + "link": "https://rmcsport.bfmtv.com/replay-emissions/double-contact/double-contact-guy2bezbar-j-ai-joue-contre-mbappe-chez-les-jeunes_AV-202112010313.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 11:28:05 GMT", + "pubDate": "Wed, 01 Dec 2021 14:13:10 GMT", + "enclosure": "https://images.bfmtv.com/yhL-vNyjuZiplQCJUBBX2cohfuA=/0x0:1920x1080/800x0/images/Guy2bezbar-1179270.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a6c81f180c4d76bf2644f1d83b3c63d1" + "hash": "fe71668fafae4ac0594de6a65879a222" }, { - "title": "Biathlon en direct: les Françaises discrètes sur l'individuel", - "description": "La France et la Norvège reprennent leur duel habituel avec le démarrage, samedi à Ostersund, de la Coupe du monde de biathlon. Au programme: l'individuel 15 km dames à 11h45, puis l'individuel 20km hommes à 15h00.

", - "content": "La France et la Norvège reprennent leur duel habituel avec le démarrage, samedi à Ostersund, de la Coupe du monde de biathlon. Au programme: l'individuel 15 km dames à 11h45, puis l'individuel 20km hommes à 15h00.

", + "title": "Ligue 1 en direct: le communiqué commun de l'OM et Troyes après les insultes racistes contre Suk", + "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-suivez-le-debut-de-la-coupe-du-monde-a-ostersund_LN-202111270111.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 10:36:53 GMT", + "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", + "enclosure": "https://images.bfmtv.com/-WLlIY8xVZOWBOkc-Wc2gexVPu0=/0x0:1200x675/800x0/images/-861153.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b62eda5869c9177644b5f7f3e65b499c" + "hash": "b4ef9d5807fcd0ad8dc6e551283b29b7" }, { - "title": "Ligue 1: le gardien français est-il un monument en péril ?", - "description": "Ils sont de moins en moins à garder les cages des équipes du championnat de France. Barrés par des recrues étrangères, frileusement lancés dans le grand bain, les gardiens français deviennent petit à petit une denrée rare. La faute à un retard dans la formation que la Fédération française de football cherche aujourd’hui à combler.

", - "content": "Ils sont de moins en moins à garder les cages des équipes du championnat de France. Barrés par des recrues étrangères, frileusement lancés dans le grand bain, les gardiens français deviennent petit à petit une denrée rare. La faute à un retard dans la formation que la Fédération française de football cherche aujourd’hui à combler.

", + "title": "PSG: pour Eto'o, Mbappé sera \"le plus grand pendant 10 ou 15 ans\"", + "description": "Samuel Eto'o, interrogé par AS ce mardi, a affirmé que Kylian Mbappé serait le plus grand joueur du monde au cours des 10 à 15 prochaines années. Pour l'ancien attaquant camerounais, la vedette du PSG \"arrive au bon moment\".

", + "content": "Samuel Eto'o, interrogé par AS ce mardi, a affirmé que Kylian Mbappé serait le plus grand joueur du monde au cours des 10 à 15 prochaines années. Pour l'ancien attaquant camerounais, la vedette du PSG \"arrive au bon moment\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-le-gardien-francais-est-il-un-monument-en-peril_AV-202111270109.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pour-eto-o-mbappe-sera-le-plus-grand-pendant-10-ou-15-ans_AV-202111300560.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 10:36:04 GMT", + "pubDate": "Tue, 30 Nov 2021 21:46:58 GMT", + "enclosure": "https://images.bfmtv.com/a9WdwzfE3GyNrOe6j-Sspp7Xwx0=/0x0:1040x585/800x0/images/-865722.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e88b3d1f3375381545d750efd3e444ac" + "hash": "a7a9d22fc829e1b237be35cf2af2c5fa" }, { - "title": "Zidane au PSG, \"ce serait une trahison totale de Marseille\" selon Bartoli", - "description": "Dans les Grandes Gueules du Sport sur RMC, ce samedi, Marion Bartoli a estimé qu'une signature de Zinedine Zidane au PSG serait une \"trahison\" pour Marseille, la ville de \"ses racines\".

", - "content": "Dans les Grandes Gueules du Sport sur RMC, ce samedi, Marion Bartoli a estimé qu'une signature de Zinedine Zidane au PSG serait une \"trahison\" pour Marseille, la ville de \"ses racines\".

", + "title": "Ligue 1 en direct: les excuses de l'OM après les propos racistes contre Suk", + "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/zidane-au-psg-ce-serait-une-trahison-totale-de-marseille-selon-bartoli_AV-202111270093.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 10:01:46 GMT", + "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", + "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d51f58f1d4051827825244b6a0ec0269" + "hash": "cbda607ab5ef221faaf53d6e5e1bdd55" }, { - "title": "Les trois quarts des enfants ayant pratiqué un sport ont subi des abus, selon une étude", - "description": "Une étude européenne, menée dans six pays, montre que les trois quarts des enfants ayant pratiqué un sport ont été victimes d'abus psychologiques ou physiques.

", - "content": "Une étude européenne, menée dans six pays, montre que les trois quarts des enfants ayant pratiqué un sport ont été victimes d'abus psychologiques ou physiques.

", + "title": "Premier League: Newcastle n'y arrive toujours pas", + "description": "Proche de signer ce mardi soir sa première victoire de la saison en Premier League face à Norwich, Newcastle a encaissé un but en fin de match et dû se contenter du nul (1-1). Les Magpies, récemment passés sous pavillon saoudien, sont toujours derniers du championnat.

", + "content": "Proche de signer ce mardi soir sa première victoire de la saison en Premier League face à Norwich, Newcastle a encaissé un but en fin de match et dû se contenter du nul (1-1). Les Magpies, récemment passés sous pavillon saoudien, sont toujours derniers du championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/societe/les-trois-quarts-des-enfants-ayant-pratique-un-sport-ont-subi-des-abus_AD-202111270088.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-newcastle-n-y-arrive-toujours-pas_AV-202111300559.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 09:50:51 GMT", + "pubDate": "Tue, 30 Nov 2021 21:43:30 GMT", + "enclosure": "https://images.bfmtv.com/SFaa8ASUjcn-u7PZnANYPuM1ZPw=/0x145:2048x1297/800x0/images/Newcastle-Norwich-1178828.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cd75d6c54ca8289974668e1d060401f8" + "hash": "c065c53c673773d39c3bc2780a7da27c" }, { - "title": "Biathlon: la Coupe du monde reprend, les JO dans le viseur", - "description": "A moins de trois mois des Jeux olympiques de Pékin, la saison de Coupe du monde de biathlon reprend ce samedi à Ostersund (Suède). Et les Français veulent briller.

", - "content": "A moins de trois mois des Jeux olympiques de Pékin, la saison de Coupe du monde de biathlon reprend ce samedi à Ostersund (Suède). Et les Français veulent briller.

", + "title": "L'Angleterre explose la Lettonie 20-0, nouveau record", + "description": "L'Angleterre a écrasé la Lettonie ce mardi soir, sur le score de 20-0. Un record dans le football anglais.

", + "content": "L'Angleterre a écrasé la Lettonie ce mardi soir, sur le score de 20-0. Un record dans le football anglais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-la-coupe-du-monde-reprend-les-jo-dans-le-viseur_AD-202111270075.html", + "link": "https://rmcsport.bfmtv.com/football/feminin/l-angleterre-explose-la-lettonie-20-0-nouveau-record_AN-202111300555.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 09:25:12 GMT", + "pubDate": "Tue, 30 Nov 2021 21:39:13 GMT", + "enclosure": "https://images.bfmtv.com/j0WlKLa7dDOhEAyH3qiuNyu9IK8=/0x68:2048x1220/800x0/images/Les-joueuses-de-l-Angleterre-1178835.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23a4a7220645bac11363339f0954860a" + "hash": "e12a5e2586a34f2a24669f46a6590b3d" }, { - "title": "Top 14: retour aux affaires courantes après la période internationale", - "description": "Le Top 14 est de retour ce week-end, après les matchs internationaux. Le Stade Toulousain, leader, est privé de nombreux joueurs face à Brive ce samedi (21h05).

", - "content": "Le Top 14 est de retour ce week-end, après les matchs internationaux. Le Stade Toulousain, leader, est privé de nombreux joueurs face à Brive ce samedi (21h05).

", + "title": "Bayern: vers un retour des matchs à huis clos à l'Allianz Arena", + "description": "Le chef de l'exécutif régional de Bavière a réclamé ce mardi un retour des matchs à huis clos dans son Land, et même dans toute l'Allemagne. Ce qui veut dire que le Bayern Munich pourrait jouer ses prochains matchs à domicile sans spectateur, à commencer par celui contre le Barça, mercredi prochain en Ligue des champions.

", + "content": "Le chef de l'exécutif régional de Bavière a réclamé ce mardi un retour des matchs à huis clos dans son Land, et même dans toute l'Allemagne. Ce qui veut dire que le Bayern Munich pourrait jouer ses prochains matchs à domicile sans spectateur, à commencer par celui contre le Barça, mercredi prochain en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-retour-aux-affaires-courantes-apres-la-periode-internationale_AD-202111270071.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bayern-vers-un-retour-des-matchs-a-huis-clos-a-l-allianz-arena_AV-202111300538.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 09:19:20 GMT", + "pubDate": "Tue, 30 Nov 2021 20:58:00 GMT", + "enclosure": "https://images.bfmtv.com/n9_-KvOtzsipFnny5cFn_NojTbY=/0x140:2048x1292/800x0/images/L-Allianz-Arena-en-octobre-2020-1178809.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8448d92796ca7f3d488f4495d9392896" + "hash": "52068b7f2dd6ca2fa2dbe919f386761f" }, { - "title": "Coupe Davis en direct: les Français s'inclinent face aux Britanniques", - "description": "Avec Mannarino et Rinderknech en simple, l’équipe de France s’est inclinée contre les Britanniques. Pour se qualifier en quarts de finale, les Bleus espèrent terminer parmi les meilleurs deuxièmes. Mais ça semble très compromis.

", - "content": "Avec Mannarino et Rinderknech en simple, l’équipe de France s’est inclinée contre les Britanniques. Pour se qualifier en quarts de finale, les Bleus espèrent terminer parmi les meilleurs deuxièmes. Mais ça semble très compromis.

", + "title": "OL: des filets installés \"à contrecoeur\" devant les virages du stade", + "description": "Des filets anti-projectiles vont être installés devant les virages du Groupama Stadium de l'OL, en réaction aux incidents du match contre l'OM. Le club réfléchit toutefois à une autre solution.

", + "content": "Des filets anti-projectiles vont être installés devant les virages du Groupama Stadium de l'OL, en réaction aux incidents du match contre l'OM. Le club réfléchit toutefois à une autre solution.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-en-direct-les-francais-jouent-gros-face-aux-britanniques_LN-202111270063.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-des-filets-installes-a-contrecoeur-devant-les-virages-du-stade_AV-202111300537.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 09:02:25 GMT", + "pubDate": "Tue, 30 Nov 2021 20:57:19 GMT", + "enclosure": "https://images.bfmtv.com/CoIPxyjGTQwg3SqCaslRG1DVwos=/0x106:2048x1258/800x0/images/Le-Groupama-Stadium-l-antre-de-l-OL-1168457.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "379081f438fe74a53e0206bf923605d6" + "hash": "3371348dde260b1cc0a899a6ff555b94" }, { - "title": "Mercato: Newcastle encore dans le flou, en raison d'une mesure contraignante", - "description": "Dans un premier temps en vigueur jusqu'au 30 novembre, l'interdiction en Premier League de nouer des accords commerciaux avec des entreprises liées aux propriétaires des clubs a été prolongée. Ce qui, comme rapporté par le Daily Mail, jette un froid sur Newcastle, sous pavillon saoudien, en vue du mercato hivernal.

", - "content": "Dans un premier temps en vigueur jusqu'au 30 novembre, l'interdiction en Premier League de nouer des accords commerciaux avec des entreprises liées aux propriétaires des clubs a été prolongée. Ce qui, comme rapporté par le Daily Mail, jette un froid sur Newcastle, sous pavillon saoudien, en vue du mercato hivernal.

", + "title": "Top 14: Morgan Parra explique son départ de Clermont en fin de saison", + "description": "Dans un entretien à La Montagne, Morgan Parra détaille les raisons de son départ de Clermont à l'issue de la saison.

", + "content": "Dans un entretien à La Montagne, Morgan Parra détaille les raisons de son départ de Clermont à l'issue de la saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-newcastle-encore-dans-le-flou-en-raison-d-une-mesure-contraignante_AV-202111270061.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-morgan-parra-explique-son-depart-de-clermont-en-fin-de-saison_AD-202111300531.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 08:49:02 GMT", + "pubDate": "Tue, 30 Nov 2021 20:24:18 GMT", + "enclosure": "https://images.bfmtv.com/i_ntahe5_g8qzpcp8vsxilWseRM=/0x67:768x499/800x0/images/Le-demi-de-melee-de-Clermont-Morgan-Parra-tape-une-penalite-lors-du-match-de-Top-14-a-domicile-contre-Toulon-le-15-mai-2021-au-stade-Marcel-Michelin-1027522.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5a351c67e03cc3d085016d714bab33b" + "hash": "87ba5b7639cc66d30d6218a04a0f6f36" }, { - "title": "Barça: les négociations pour la prolongation de Dembélé patinent", - "description": "Le Barça veut prolonger Ousmane Dembélé, dont le contrat se termine à la fin de la saison. Mais les négociations patinent selon Sport. Le volet financier pose problème.

", - "content": "Le Barça veut prolonger Ousmane Dembélé, dont le contrat se termine à la fin de la saison. Mais les négociations patinent selon Sport. Le volet financier pose problème.

", + "title": "Natation: Pellegrini fait ses adieux aux bassins sur une victoire", + "description": "L'Italienne Federica Pellegrini, championne olympique et septuple championne du monde, a pris sa retraite ce mardi soir.

", + "content": "L'Italienne Federica Pellegrini, championne olympique et septuple championne du monde, a pris sa retraite ce mardi soir.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/barca-les-negociations-pour-la-prolongation-de-dembele-patinent_AV-202111270060.html", + "link": "https://rmcsport.bfmtv.com/natation/natation-pellegrini-fait-ses-adieux-aux-bassins-sur-une-victoire_AD-202111300528.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 08:47:51 GMT", + "pubDate": "Tue, 30 Nov 2021 20:18:14 GMT", + "enclosure": "https://images.bfmtv.com/qfMUu1Q8wnvjGP0L2gCg4cyKhkM=/0x0:768x432/800x0/images/Federica-Pellegrini-lors-des-Championnats-d-Europe-de-natation-a-Budapest-le-20-mai-2021-1178789.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e44cc16b06b74c572881d763de261f53" + "hash": "8c8369167303c1bc1a5bd39e74852651" }, { - "title": "Coupe Davis: défaite interdite pour les Bleus, face à la Grande-Bretagne", - "description": "L'équipe de France est sous pression pour son deuxième match de poule de Coupe Davis, ce samedi face à la Grande-Bretagne à Innsbruck (Autriche).

", - "content": "L'équipe de France est sous pression pour son deuxième match de poule de Coupe Davis, ce samedi face à la Grande-Bretagne à Innsbruck (Autriche).

", + "title": "Ligue 1: Troyes dénonce des \"propos racistes\" contre Suk face à l'OM", + "description": "L'Estac condamne les propos discriminatoires tenus à l'égard de son attaquant sud-coréen Hyun-Jun Suk, lors de la défaite de dimanche face à l'OM (1-0). L'affaire va être traitée par la commission de discipline de la LFP.

", + "content": "L'Estac condamne les propos discriminatoires tenus à l'égard de son attaquant sud-coréen Hyun-Jun Suk, lors de la défaite de dimanche face à l'OM (1-0). L'affaire va être traitée par la commission de discipline de la LFP.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-defaite-interdite-pour-les-bleus-face-a-la-grande-bretagne_AD-202111270057.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-troyes-denonce-des-propos-racistes-contre-suk-face-a-l-om_AV-202111300512.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 08:42:16 GMT", + "pubDate": "Tue, 30 Nov 2021 19:27:48 GMT", + "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ffda0e53416292bd45e7f875a79bcb5" + "hash": "ab0385c7fb8c16173a8276247c6f3056" }, { - "title": "La WTA \"demeure profondément inquiète\" pour la joueuse chinoise Peng Shuai", - "description": "Steve Simon, le président de la WTA, reste très inquiet pour la joueuse chinoise Peng Shuai. Avant de réapparaitre le week-end dernier dans des images diffusées par les médias d’Etat, elle était restée invisible pendant plusieurs semaines après avoir accusé de viol un haut dirigeant chinois.

", - "content": "Steve Simon, le président de la WTA, reste très inquiet pour la joueuse chinoise Peng Shuai. Avant de réapparaitre le week-end dernier dans des images diffusées par les médias d’Etat, elle était restée invisible pendant plusieurs semaines après avoir accusé de viol un haut dirigeant chinois.

", + "title": "Affaire de la sextape: \"contrarié\", Le Graët répond aux critiques de Valbuena", + "description": "La semaine dernière sur RMC, Mathieu Valbuena avait reproché au président de la FFF, Noël Le Graët, de ne jamais l'avoir soutenu ni contacté après l'explosion de \"l'affaire de la sextape\". Dans un entretien à l'AFP, le dirigeant a fait un début de mea culpa.

", + "content": "La semaine dernière sur RMC, Mathieu Valbuena avait reproché au président de la FFF, Noël Le Graët, de ne jamais l'avoir soutenu ni contacté après l'explosion de \"l'affaire de la sextape\". Dans un entretien à l'AFP, le dirigeant a fait un début de mea culpa.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/wta/la-wta-demeure-profondement-inquiete-pour-la-joueuse-chinoise-peng-shuai_AD-202111270054.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/affaire-de-la-sextape-contrarie-le-graet-repond-aux-critiques-de-valbuena_AV-202111300497.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 08:35:01 GMT", + "pubDate": "Tue, 30 Nov 2021 18:53:34 GMT", + "enclosure": "https://images.bfmtv.com/Q1hzB8lfnzc5nvy23KkYLPAc9LM=/0x106:2048x1258/800x0/images/Noel-Le-Graet-1178746.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b03c91c2cdace8b67ee84e5aaf0dc6dd" + "hash": "adfeb83c7724fe1a6725fa55bb37a1b1" }, { - "title": "Manchester United: l'option ten Hag privilégiée en cas d'échec avec Pochettino", - "description": "Selon le Daily Mail, Manchester United étudierait la piste Erik ten Hag en cas de refus ou d'échec des négociations avec Mauricio Pochettino pour occuper le poste d’entraîneur la saison prochaine.

", - "content": "Selon le Daily Mail, Manchester United étudierait la piste Erik ten Hag en cas de refus ou d'échec des négociations avec Mauricio Pochettino pour occuper le poste d’entraîneur la saison prochaine.

", + "title": "Coupe du monde 2022: le Qatar assure que les supporters LGBTQ+ seront en sécurité", + "description": "Pour la Coupe du monde 2022, les visiteurs LGBTQ+ pourront assister aux matchs au Qatar, a assuré le président du comité d'organisation, qui demande cependant qu'il n'y ait pas de \"démonstration d'affection en public\".

", + "content": "Pour la Coupe du monde 2022, les visiteurs LGBTQ+ pourront assister aux matchs au Qatar, a assuré le président du comité d'organisation, qui demande cependant qu'il n'y ait pas de \"démonstration d'affection en public\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-l-option-ten-hag-privilegiee-en-cas-d-echec-avec-pochettino_AV-202111270041.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-l-organisation-assure-que-les-supporters-lgbtq-seront-en-securite_AV-202111300489.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 07:38:11 GMT", + "pubDate": "Tue, 30 Nov 2021 18:47:38 GMT", + "enclosure": "https://images.bfmtv.com/Gv6ZNyYYw0if4FUCxjncphxDJ0c=/0x56:2048x1208/800x0/images/Nasser-Al-Khater-1178743.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30bb7bae61c455c5a56a5938c8bcef1a" + "hash": "a11c080e8bc3f3027fc70ba778fb8f09" }, { - "title": "Liga: l'improbable but gag de Bilbao contre Grenade", - "description": "L'Athletic Bilbao a sauvé le point du match nul face à Grenade (2-2), grâce à un but improbable en seconde période marqué contre son camp par Luis Maximiano, vendredi en ouverture de la 15e journée de Liga.

", - "content": "L'Athletic Bilbao a sauvé le point du match nul face à Grenade (2-2), grâce à un but improbable en seconde période marqué contre son camp par Luis Maximiano, vendredi en ouverture de la 15e journée de Liga.

", + "title": "Dulin: \"Je sais où je veux aller et comment y aller\"", + "description": "Touché mais tout sauf coulé. S’il a perdu sa place en Bleu lors de la dernière tournée d’automne du XV de France, Brice Dulin compte bien s’appuyer sur sa légitime frustration pour vite retrouver son meilleur niveau. Longtemps gêné par sa fracture de la main gauche survenue en finale du dernier Top 14, l’arrière du Stade rochelais a remis les pendules à l’heure samedi dernier contre Pau (36-8). Il se confie à RMC Sport.

", + "content": "Touché mais tout sauf coulé. S’il a perdu sa place en Bleu lors de la dernière tournée d’automne du XV de France, Brice Dulin compte bien s’appuyer sur sa légitime frustration pour vite retrouver son meilleur niveau. Longtemps gêné par sa fracture de la main gauche survenue en finale du dernier Top 14, l’arrière du Stade rochelais a remis les pendules à l’heure samedi dernier contre Pau (36-8). Il se confie à RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/liga-l-improbable-but-gag-de-bilbao-contre-grenade_AV-202111270036.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/dulin-je-sais-ou-je-veux-aller-et-comment-y-aller_AV-202111300463.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 07:15:50 GMT", + "pubDate": "Tue, 30 Nov 2021 18:05:46 GMT", + "enclosure": "https://images.bfmtv.com/IYmGYmshiBgD5Tg4Sr7c4gWkml8=/0x73:768x505/800x0/images/L-arriere-de-La-Rochelle-Brice-Dulin-marque-un-essai-lors-du-match-de-Top-14-a-domicile-contre-Clermont-le-8-novembre-2020-1017927.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b5bd8e9c85638b368155599e4a13310" + "hash": "2627c13a969841ba41410254751e7f39" }, { - "title": "NBA: LeBron James mis à l'amende pour une célébration \"obscène\"", - "description": "LeBron James a écopé vendredi d'une amende de 15.000 dollars pour \"geste obscène\", deux jours après la victoire des Los Angeles Lakers face à Indiana.

", - "content": "LeBron James a écopé vendredi d'une amende de 15.000 dollars pour \"geste obscène\", deux jours après la victoire des Los Angeles Lakers face à Indiana.

", + "title": "Equipe de France: Le Graët attendra la décision de Deschamps et ne bloquera pas Zidane", + "description": "Si le sélectionneur des Bleus Didier Deschamps est sous contrat jusqu'à la fin de la Coupe du monde 2022, le président de la FFF Noël Le Graët laisse entendre que son aventure sur le banc de l'équipe nationale pourrait se poursuivre au-delà du Mondial. De fait, il ne veut pas demander à Zinedine Zidane d'attendre, même s'il en fait un éventuel successeur.

", + "content": "Si le sélectionneur des Bleus Didier Deschamps est sous contrat jusqu'à la fin de la Coupe du monde 2022, le président de la FFF Noël Le Graët laisse entendre que son aventure sur le banc de l'équipe nationale pourrait se poursuivre au-delà du Mondial. De fait, il ne veut pas demander à Zinedine Zidane d'attendre, même s'il en fait un éventuel successeur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/nba/nba-le-bron-james-mis-a-l-amende-pour-une-celebration-obscene_AD-202111270028.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-le-graet-attendra-la-decision-de-deschamps-et-ne-bloquera-pas-zidane_AV-202111300453.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 06:33:09 GMT", + "pubDate": "Tue, 30 Nov 2021 17:59:00 GMT", + "enclosure": "https://images.bfmtv.com/KsEdnP8BG2Ky2NxevccwsSh7ohc=/0x106:2048x1258/800x0/images/Noel-Le-Graet-et-Didier-Deschamps-1178687.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f728589157d63f4287021176e991309d" + "hash": "82cb1415f78d86d6f0d4092cfbea6ee2" }, { - "title": "Serie A: perquisitions de la brigade financière à la Juve, Agnelli et Nedved visés", - "description": "La presse italienne annonce ce vendredi que la Juventus a fait l'objet de perquisitions de la part de la brigade financière. Plusieurs dirigeants, dont Andrea Agnelli, Pavel Nedved et Fabio Paratici, sont visés par une enquête.

", - "content": "La presse italienne annonce ce vendredi que la Juventus a fait l'objet de perquisitions de la part de la brigade financière. Plusieurs dirigeants, dont Andrea Agnelli, Pavel Nedved et Fabio Paratici, sont visés par une enquête.

", + "title": "PSG: Messi dans le groupe face à Nice, mais pas Ramos", + "description": "Lionel Messi, souffrant de symptômes de gasto-entérite, sera bien dans le groupe du PSG pour affronter Nice mercredi soir. Ce ne sera pas le cas de Sergio Ramos, que Mauricio Pochettino décrivait comme \"fatigué\" en conférence de presse.

", + "content": "Lionel Messi, souffrant de symptômes de gasto-entérite, sera bien dans le groupe du PSG pour affronter Nice mercredi soir. Ce ne sera pas le cas de Sergio Ramos, que Mauricio Pochettino décrivait comme \"fatigué\" en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-perquisitions-de-la-brigade-financiere-a-la-juve-agnelli-et-nedved-vises_AV-202111260594.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-dans-le-groupe-face-a-nice-mais-pas-ramos_AV-202111300444.html", "creator": "", - "pubDate": "Fri, 26 Nov 2021 23:50:51 GMT", + "pubDate": "Tue, 30 Nov 2021 17:47:04 GMT", + "enclosure": "https://images.bfmtv.com/Hdgmq-YYHHPeT22nDKBT3K1CGiE=/0x115:2048x1267/800x0/images/Lionel-Messi-1178087.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "df6933885f63e633a7150ce70beb18f0" + "hash": "dddc1435c0b82442f24281c7b8353b14" }, { - "title": "Ligue 1 en direct: quatre forfaits au PSG avant Saint-Etienne", - "description": "La 15e journée de Ligue 1 débute ce vendredi soir avec un match Lens-Angers, avant des rencontres ASSE-PSG, Montpellier-OL ou OM-Troyes durant le week-end. Suivez toutes les principales informations liées au championnat de France dans le direct de RMC Sport.

", - "content": "La 15e journée de Ligue 1 débute ce vendredi soir avec un match Lens-Angers, avant des rencontres ASSE-PSG, Montpellier-OL ou OM-Troyes durant le week-end. Suivez toutes les principales informations liées au championnat de France dans le direct de RMC Sport.

", + "title": "Ballon d'Or: pour Le Graët, \"Benzema méritait le podium\"", + "description": "Annoncé comme l'un des principaux favoris pour remporter le Ballon d'or, Karim Benzema a terminé à la quatrième place. Et Noël Le Graët ne comprend pas. Dans un entretien à l'AFP, le président de la FFF estime que le Français \"méritait le podium\".

", + "content": "Annoncé comme l'un des principaux favoris pour remporter le Ballon d'or, Karim Benzema a terminé à la quatrième place. Et Noël Le Graët ne comprend pas. Dans un entretien à l'AFP, le président de la FFF estime que le Français \"méritait le podium\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-principales-infos-et-declas-de-la-15e-journee_LN-202111260161.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/ballon-d-or-pour-le-graet-benzema-meritait-le-podium_AV-202111300429.html", "creator": "", - "pubDate": "Fri, 26 Nov 2021 08:32:24 GMT", + "pubDate": "Tue, 30 Nov 2021 17:28:27 GMT", + "enclosure": "https://images.bfmtv.com/8TfaosY7PxRY0tzJzrIV6Zg8FAs=/0x36:768x468/800x0/images/Le-president-de-la-Federation-francaise-de-football-Noel-Le-Graet-lors-d-une-conference-de-presse-le-10-decembre-2015-au-siege-de-la-FFF-a-Paris-1174566.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b5c4f67abd08de4ad52de088b09f71a" + "hash": "2a8a05aeacdf751a9664b12212831791" }, { - "title": "PSG: Marco Verratti absent plusieurs semaines ?", - "description": "Selon L’Equipe, le milieu de terrain du PSG, Marco Verratti, blessé aux quadriceps, devrait être absent des terrains durant trois semaines.

", - "content": "Selon L’Equipe, le milieu de terrain du PSG, Marco Verratti, blessé aux quadriceps, devrait être absent des terrains durant trois semaines.

", + "title": "Mercato: \"L'OM n'a pas été bon\" sur le dossier Kamara, selon Di Meco", + "description": "L’avenir de Boubacar Kamara à l’OM suscite de nombreuses questions. Alors que les dirigeants veulent prolonger le milieu de terrain, en fin de mercato, Eric Di Meco a pointé dans le Super Moscato Show la mauvaise gestion de ce dossier par les Phocéens.

", + "content": "L’avenir de Boubacar Kamara à l’OM suscite de nombreuses questions. Alors que les dirigeants veulent prolonger le milieu de terrain, en fin de mercato, Eric Di Meco a pointé dans le Super Moscato Show la mauvaise gestion de ce dossier par les Phocéens.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-marco-verratti-absent-plusieurs-semaines_AV-202111250658.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-l-om-n-a-pas-ete-bon-sur-le-dossier-kamara-selon-di-meco_AV-202111300418.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 22:59:36 GMT", + "pubDate": "Tue, 30 Nov 2021 17:13:28 GMT", + "enclosure": "https://images.bfmtv.com/p9ByU6Jbglk48KNnrD-YQtwIAcU=/0x0:2048x1152/800x0/images/Boubacar-Kamara-1176139.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3bf9cca30c29f5a331c50c13bbaac2e" + "hash": "c2895cf19f0a13023c9f9502301c9217" }, { - "title": "Brondby-OL: Cherki savoure son superbe doublé", - "description": "Lyon a poursuivi son parcours sans-faute en Ligue Europa en alignant ce jeudi une cinquième victoire de rang à Brondby (1-3). Un succès qui porte le sceau de Rayan Cherki, auteur d’un doublé et qui a remis en selle les siens alors que l’OL était mené.

", - "content": "Lyon a poursuivi son parcours sans-faute en Ligue Europa en alignant ce jeudi une cinquième victoire de rang à Brondby (1-3). Un succès qui porte le sceau de Rayan Cherki, auteur d’un doublé et qui a remis en selle les siens alors que l’OL était mené.

", + "title": "PSG: un Ballon d'or de Messi va-t-il rapporter gros à Paris?", + "description": "Pour la première fois, un joueur du PSG a décroché le Ballon d'or ce lundi: Lionel Messi. Mais les retombées économiques immédiates devraient être limitées pour le club parisien.

", + "content": "Pour la première fois, un joueur du PSG a décroché le Ballon d'or ce lundi: Lionel Messi. Mais les retombées économiques immédiates devraient être limitées pour le club parisien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/brondby-ol-cherki-savoure-son-superbe-double_AV-202111250657.html", + "link": "https://rmcsport.bfmtv.com/football/psg-un-ballon-d-or-de-messi-pourrait-il-rapporter-gros-a-paris_AV-202111290419.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 22:54:33 GMT", + "pubDate": "Mon, 29 Nov 2021 16:50:56 GMT", + "enclosure": "https://images.bfmtv.com/qPS4MLS3TX69YKLC-_AWuNclTo4=/0x44:2032x1187/800x0/images/Lionel-Messi-avec-le-Ballon-d-or-2019-1177857.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f054dc459bc733d6453c6aed76f9cac1" + "hash": "8b78e68fa37a3ea658e9328330811a89" }, { - "title": "OM: \"On doit grandir\", l'avertissement de Sampaoli après l’élimination en Ligue Europa", - "description": "L’entraîneur de l’Olympique de Marseille, Jorge Sampaoli, était déçu après la défaite face à Galatasaray (4-2), synonyme d’élimination en Ligue Europa. L'Argentin estime que son groupe n'est pas assez mature.

", - "content": "L’entraîneur de l’Olympique de Marseille, Jorge Sampaoli, était déçu après la défaite face à Galatasaray (4-2), synonyme d’élimination en Ligue Europa. L'Argentin estime que son groupe n'est pas assez mature.

", + "title": "Reims: l'entraîneur Oscar Garcia positif au Covid-19", + "description": "Le Stade de Reims a indiqué ce mardi que son entraîneur Oscar Garcia et son adjoint Ruben Martinez ont été testés positifs au Covid-19. Les deux techniciens ne seront donc pas sur le banc du club champenois mercredi contre l'OL, ni ce week-end contre Angers.

", + "content": "Le Stade de Reims a indiqué ce mardi que son entraîneur Oscar Garcia et son adjoint Ruben Martinez ont été testés positifs au Covid-19. Les deux techniciens ne seront donc pas sur le banc du club champenois mercredi contre l'OL, ni ce week-end contre Angers.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/om-on-doit-grandir-l-avertissement-de-sampaoli-apres-l-elimination-en-ligue-europa_AV-202111250646.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/reims-l-entraineur-oscar-garcia-positif-au-covid-19_AV-202111300406.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 22:24:57 GMT", + "pubDate": "Tue, 30 Nov 2021 16:53:37 GMT", + "enclosure": "https://images.bfmtv.com/NFlVhu-9WgOgbrXWf0XfAbUu8d4=/0x46:2048x1198/800x0/images/Oscar-Garcia-1178605.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c45765a1602b4120176d0ff8c1b08c3" + "hash": "b1a914c80825bdb908b84216b01ff864" }, { - "title": "Ligue Europa: déjà qualifié, l’OL plane toujours grâce à Cherki", - "description": "Déjà qualifié pour les 8emes de finale, l’Olympique Lyonnais a signé sa cinquième victoire en autant de match en Ligue Europa sur la pelouse de Bröndby, battu 3-1 ce jeudi soir. Les Gones peuvent remercier leur jeune crack Rayan Cherki, auteur d’un somptueux doublé en deuxième période.

", - "content": "Déjà qualifié pour les 8emes de finale, l’Olympique Lyonnais a signé sa cinquième victoire en autant de match en Ligue Europa sur la pelouse de Bröndby, battu 3-1 ce jeudi soir. Les Gones peuvent remercier leur jeune crack Rayan Cherki, auteur d’un somptueux doublé en deuxième période.

", + "title": "PSG en direct: Messi dans le groupe face à Nice, mais pas Ramos", + "description": "Le PSG reçoit l'OGC Nice mercredi, en championnat. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé en conférence de presse.

", + "content": "Le PSG reçoit l'OGC Nice mercredi, en championnat. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-deja-qualifie-l-ol-plane-toujours-grace-a-cherki_AV-202111250634.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-en-direct-suivez-la-conf-de-pochettino-avant-nice_LN-202111300282.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 22:03:26 GMT", + "pubDate": "Tue, 30 Nov 2021 12:49:57 GMT", + "enclosure": "https://images.bfmtv.com/Hdgmq-YYHHPeT22nDKBT3K1CGiE=/0x115:2048x1267/800x0/images/Lionel-Messi-1178087.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "96bd0d9f14bf6e0a7fb1548a1c6c5b4a" + "hash": "8b6107425cf50e8339c2a724dec85364" }, { - "title": "Europa Conference League: Tottenham en danger, Conte critique ses joueurs", - "description": "Battus par les Slovènes de Mura (2-1) ce jeudi, les Spurs n'ont pas leur destin en main avant la dernière journée de la phase de poules de l'Europa Conference League. Virtuellement éliminés, ils n'ont pas échappé aux critiques de leur nouvel entraîneur Antonio Conte.

", - "content": "Battus par les Slovènes de Mura (2-1) ce jeudi, les Spurs n'ont pas leur destin en main avant la dernière journée de la phase de poules de l'Europa Conference League. Virtuellement éliminés, ils n'ont pas échappé aux critiques de leur nouvel entraîneur Antonio Conte.

", + "title": "OM en direct: Ünder incertain, Dieng probablement forfait à Nantes", + "description": "L'OM affronte Nantes ce mercredi lors de la 16e de Ligue 1. Quatrième du classement et avec un match en moins, le club marseillais peut se rapprocher de la tête du championnat en cas de victoire contre les Canaris. Jorge Sampaoli et Boubacar Kamara se présentent face aux journalistes à la veille du déplacement à la Beaujoire. La conférence de presse de l'OM est à suivre en direct commenté sur RMC Sport.

", + "content": "L'OM affronte Nantes ce mercredi lors de la 16e de Ligue 1. Quatrième du classement et avec un match en moins, le club marseillais peut se rapprocher de la tête du championnat en cas de victoire contre les Canaris. Jorge Sampaoli et Boubacar Kamara se présentent face aux journalistes à la veille du déplacement à la Beaujoire. La conférence de presse de l'OM est à suivre en direct commenté sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-tottenham-en-danger-conte-critique-ses-joueurs_AV-202111250631.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-en-direct-suivez-la-conf-de-sampaoli-et-kamara-avant-le-deplacement-a-nantes_LN-202111300272.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 21:58:49 GMT", + "pubDate": "Tue, 30 Nov 2021 12:18:31 GMT", + "enclosure": "https://images.bfmtv.com/p6v9j48T7oW2fVOoE2HxApCL0lg=/6x111:2038x1254/800x0/images/Bamba-Dieng-1138769.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c27b60a88c0d0ea596aa0791a91c0b6d" + "hash": "1a0c5e6ad08f4f9750c008377e3e215c" }, { - "title": "Monaco-Real Sociedad: une victoire et une qualification pour l’ASM", - "description": "Monaco a poursuivi ce jeudi son excellent parcours en Ligue Europa en disposant de la Real Sociedad (2-1) à Louis-II, lors de la 5e journée. Assurés d’achever la phase de poules à la première place, les coéquipiers de Wissam Ben Yedder sont qualifiés pour les 8es de finale.

", - "content": "Monaco a poursuivi ce jeudi son excellent parcours en Ligue Europa en disposant de la Real Sociedad (2-1) à Louis-II, lors de la 5e journée. Assurés d’achever la phase de poules à la première place, les coéquipiers de Wissam Ben Yedder sont qualifiés pour les 8es de finale.

", + "title": "Pierre Ménès accusé d'agression sexuelle: \"Il n'y a aucun élément\", dénonce son avocat", + "description": "Me Arash Derambarsh, l'avocat de Pierre Ménès, nie sur BFMTV l'accusation portée à l'encontre de son client, qui est visé par une enquête pour \"agression sexuelle\" depuis le 20 novembre. L'ancien chroniqueur de Canal+ est mis en cause pour des faits qui seraient survenus lors du match PSG-Nantes.

", + "content": "Me Arash Derambarsh, l'avocat de Pierre Ménès, nie sur BFMTV l'accusation portée à l'encontre de son client, qui est visé par une enquête pour \"agression sexuelle\" depuis le 20 novembre. L'ancien chroniqueur de Canal+ est mis en cause pour des faits qui seraient survenus lors du match PSG-Nantes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/monaco-real-sociedad-une-victoire-et-une-qualification-pour-l-asm_AN-202111250628.html", + "link": "https://rmcsport.bfmtv.com/societe/pierre-menes-accuse-d-agression-sexuelle-il-n-y-a-aucun-element-denonce-son-avocat_AV-202111300394.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 21:56:28 GMT", + "pubDate": "Tue, 30 Nov 2021 16:26:55 GMT", + "enclosure": "https://images.bfmtv.com/m6bcpD10N3GHmayFqab9NinBLLE=/0x62:1200x737/800x0/images/-880895.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d8327ca2ce14501fbc2e19060a71e6c8" + "hash": "439bfc9d9a942cc8f4af8ebebafd942f" }, { - "title": "Rennes: \"Je suis fâché\", Genesio tacle ses joueurs malgré la qualification", - "description": "En dépit de la qualification du Stade Rennais pour les 8emes de finale de l’Europa Conference League, l’entraîneur breton Bruno Genesio n’a pas aimé du tout l’attitude de ses joueurs, tenus en échec par le Vitesse Arnhem (3-3) après avoir mené deux fois au score.

", - "content": "En dépit de la qualification du Stade Rennais pour les 8emes de finale de l’Europa Conference League, l’entraîneur breton Bruno Genesio n’a pas aimé du tout l’attitude de ses joueurs, tenus en échec par le Vitesse Arnhem (3-3) après avoir mené deux fois au score.

", + "title": "Premier League: le discours homophobe d'un consultant beIN Sports au Moyen-Orient en plein direct", + "description": "Consultant pour beIN Sports au Moyen-Orient, l'ancien international égyptien, Mohamed Aboutrika, s'est livré en direct à un long discours homophobe, et a appelé les joueurs musulmans de Premier League à boycotter les campagnes pro-LGBTQ+.

", + "content": "Consultant pour beIN Sports au Moyen-Orient, l'ancien international égyptien, Mohamed Aboutrika, s'est livré en direct à un long discours homophobe, et a appelé les joueurs musulmans de Premier League à boycotter les campagnes pro-LGBTQ+.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/rennes-je-suis-fache-genesio-tacle-ses-joueurs-malgre-la-qualification_AV-202111250602.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-le-discours-homophobe-d-un-consultant-be-in-sports-au-moyen-orient-en-plein-direct_AV-202111300386.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 21:10:58 GMT", + "pubDate": "Tue, 30 Nov 2021 16:08:16 GMT", + "enclosure": "https://images.bfmtv.com/4Du45DOQ-2wVHmbBvYjnygRNvjw=/0x155:2048x1307/800x0/images/Un-brassard-arc-en-ciel-porte-le-week-end-dernier-en-Premier-League-1178577.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5f62fec89d4768d7417e2f92bf46a1d9" + "hash": "7db9042b20c591daf58459e93214330a" }, { - "title": "OM: Guendouzi reconnaît une \"énorme déception\" après l'élimination en Ligue Europa", - "description": "Au micro de RMC Sport, Mattéo Guendouzi a confié sa frustration après la défaite de l'OM jeudi contre Galatasaray (4-2), synonyme pour son équipe d'élimination en Ligue Europa. Il promet une réaction dès dimanche en championnat.

", - "content": "Au micro de RMC Sport, Mattéo Guendouzi a confié sa frustration après la défaite de l'OM jeudi contre Galatasaray (4-2), synonyme pour son équipe d'élimination en Ligue Europa. Il promet une réaction dès dimanche en championnat.

", + "title": "Manchester United: Rangnick bien absent contre Arsenal, Carrick sera sur le banc", + "description": "Annoncé officiellement lundi comme nouvel entraîneur de Manchester United, Ralf Rangnick ne sera pas sur le banc pour affronter Arsenal ce jeudi (à 21h15). N'ayant pas encore reçu son permis de travail, l'Allemand va laisser sa place à Michael Carrick pour l'occasion.

", + "content": "Annoncé officiellement lundi comme nouvel entraîneur de Manchester United, Ralf Rangnick ne sera pas sur le banc pour affronter Arsenal ce jeudi (à 21h15). N'ayant pas encore reçu son permis de travail, l'Allemand va laisser sa place à Michael Carrick pour l'occasion.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/om-guendouzi-reconnait-une-enorme-deception-apres-l-elimination-en-ligue-europa_AV-202111250598.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-rangnick-bien-absent-contre-arsenal-carrick-sera-sur-le-banc_AV-202111300372.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 21:08:44 GMT", + "pubDate": "Tue, 30 Nov 2021 15:47:04 GMT", + "enclosure": "https://images.bfmtv.com/c16Sr8mLIarzHImeQZbojf0k_rc=/8x0:1480x828/800x0/images/-829299.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22b115f89cad8c4cb3a84d8dea5e622d" + "hash": "4434290782f70ed44e86210290c618eb" }, { - "title": "Coupe Davis: Alcaraz positif au Covid-19 et forfait pour la phase finale", - "description": "Le jeune espagnol Carlos Alcaraz a été testé positif au Covid-19 et est ainsi contraint de déclarer forfait pour la phase finale de la Coupe Davis, qui a débuté jeudi entre Madrid, Innsbruck (Autriche) et Turin (Italie), a annoncé le joueur sur les réseaux sociaux jeudi.

", - "content": "Le jeune espagnol Carlos Alcaraz a été testé positif au Covid-19 et est ainsi contraint de déclarer forfait pour la phase finale de la Coupe Davis, qui a débuté jeudi entre Madrid, Innsbruck (Autriche) et Turin (Italie), a annoncé le joueur sur les réseaux sociaux jeudi.

", + "title": "Racing: \"On ne prend personne pour des cons\", lance Gaël Fickou qui défend Teddy Thomas", + "description": "Evidemment déçu de la défaite contre l’Union Bordeaux-Bègles (14-37), Gaël Fickou n’a que très peu goûté les critiques contre son partenaire et ami Teddy Thomas auteur d’un petit chambrage sur Santiago Cordero. Le centre international et co-capitaine du club francilien s’explique pour RMC Sport.\n

", + "content": "Evidemment déçu de la défaite contre l’Union Bordeaux-Bègles (14-37), Gaël Fickou n’a que très peu goûté les critiques contre son partenaire et ami Teddy Thomas auteur d’un petit chambrage sur Santiago Cordero. Le centre international et co-capitaine du club francilien s’explique pour RMC Sport.\n

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-alcaraz-positif-au-covid-19-et-forfait-pour-la-phase-finale_AD-202111250588.html", + "link": "https://rmcsport.bfmtv.com/rugby/racing-on-ne-prend-personne-pour-des-cons-lance-gael-fickou-qui-defend-teddy-thomas_AV-202111300368.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 20:46:58 GMT", + "pubDate": "Tue, 30 Nov 2021 15:41:24 GMT", + "enclosure": "https://images.bfmtv.com/VRmKU2tXRPSBrrT2EcXGvTF0jmQ=/0x36:1200x711/800x0/images/Gael-Fickou-et-Teddy-Thomas-1178559.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0bbecb7c417850068e545c54eaae551a" + "hash": "c12c7c43760bc9ced6c19197efa39f91" }, { - "title": "Coupe Davis: \"Je ne suis pas au niveau\", regrette Gasquet", - "description": "Richard Gasquet, sélectionné en équipe de France de Coupe Davis pour son expérience, a regretté de ne pas avoir eu \"le niveau\", après sa défaite dans le premier match contre la République tchèque, jeudi à Innsbruck ; face à Tomas Machac.

", - "content": "Richard Gasquet, sélectionné en équipe de France de Coupe Davis pour son expérience, a regretté de ne pas avoir eu \"le niveau\", après sa défaite dans le premier match contre la République tchèque, jeudi à Innsbruck ; face à Tomas Machac.

", + "title": "OL: Guimaraes espère que Juninho changera d’avis sur son probable départ", + "description": "Dans Rothen s'enflamme sur RMC il y a quelques semaines, le directeur sportif de l’Olympique Lyonnais, Juninho, laissait entendre que cette saison était la dernière pour lui à Lyon. Des paroles ayant rendu \"triste\" le milieu de terrain Bruno Guimaraes qui espère un changement d’avis de la part du Brésilien.

", + "content": "Dans Rothen s'enflamme sur RMC il y a quelques semaines, le directeur sportif de l’Olympique Lyonnais, Juninho, laissait entendre que cette saison était la dernière pour lui à Lyon. Des paroles ayant rendu \"triste\" le milieu de terrain Bruno Guimaraes qui espère un changement d’avis de la part du Brésilien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-je-ne-suis-pas-au-niveau-regrette-gasquet_AD-202111250575.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-lyon/ol-guimaraes-espere-que-juninho-changera-d-avis-s-sur-son-probable-depart_AV-202111300356.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 20:25:18 GMT", + "pubDate": "Tue, 30 Nov 2021 15:21:05 GMT", + "enclosure": "https://images.bfmtv.com/HrOrNUPqAfmgfJq8X0z35bdEQuk=/0x55:2048x1207/800x0/images/Bruno-Guimaraes-lors-du-match-face-a-Strasbourg-le-12-septembre-1126773.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb4b33901772cf1904c723a74f6c921e" + "hash": "936aefbdc96f1489c2136a73268a0a6f" }, { - "title": "Europa Conference League: Laborde et Mura envoient le Stade Rennais en huitièmes", - "description": "Grâce à un triplé de son buteur Gaëtan Laborde mais aussi à la victoire surprise de Mura face à Tottenham (2-1), le Stade Rennais, pourtant tenu en échec par le Vitesse Arnhem 3-3 au Roazhon Park, décroche son ticket pour les 8emes de finale de l’Europa Conference League.

", - "content": "Grâce à un triplé de son buteur Gaëtan Laborde mais aussi à la victoire surprise de Mura face à Tottenham (2-1), le Stade Rennais, pourtant tenu en échec par le Vitesse Arnhem 3-3 au Roazhon Park, décroche son ticket pour les 8emes de finale de l’Europa Conference League.

", + "title": "OM: Kamara dément des contacts avec le Sénégal", + "description": "International tricolore Espoirs à neuf reprises, Boubacar Kamara a confirmé ce mardi ne pas avoir été contacté par le Sénégal avant la prochaine Coupe d’Afrique des Nations 2022. Le milieu de l’OM a assuré n’être au courant de rien.

", + "content": "International tricolore Espoirs à neuf reprises, Boubacar Kamara a confirmé ce mardi ne pas avoir été contacté par le Sénégal avant la prochaine Coupe d’Afrique des Nations 2022. Le milieu de l’OM a assuré n’être au courant de rien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-laborde-et-mura-envoient-le-stade-rennais-en-huitiemes_AV-202111250558.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-kamara-dement-des-contacts-avec-le-senegal_AV-202111300352.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 19:56:13 GMT", + "pubDate": "Tue, 30 Nov 2021 15:04:15 GMT", + "enclosure": "https://images.bfmtv.com/61B2_umWehWfoc3WcrGVv6Z56a4=/0x37:2048x1189/800x0/images/Boubacar-Kamara-avec-les-Espoirs-1178541.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ddc03c67f48312a18b5903ab9b83bb49" + "hash": "bd9495d8c752a262b97e51e9ceeb75eb" }, { - "title": "VIDEO. Galatasaray-OM: Marseille coule en Turquie et sort de la Ligue Europa", - "description": "Sèchement battu par Galatasaray (4-2) ce jeudi soir à Istanbul, Marseille est éliminé de la Ligue Europa avant même la dernière journée de la phase de groupes. Le club phocéen tentera de limiter la casse en rejoignant la Ligue Europa Conference.

", - "content": "Sèchement battu par Galatasaray (4-2) ce jeudi soir à Istanbul, Marseille est éliminé de la Ligue Europa avant même la dernière journée de la phase de groupes. Le club phocéen tentera de limiter la casse en rejoignant la Ligue Europa Conference.

", + "title": "Judo: ce que Margaux Pinot a raconté aux enquêteurs après avoir été victime de violences conjugales", + "description": "Championne olympique de judo par équipes l'été dernier à Tokyo, la Française Margaux Pinot a été victime le week-end passé de violences conjugales de la part de son compagnon et ex-entraîneur Alain Schmitt. L'athlète a décrit aux enquêteurs une dispute qui a très, très mal tourné. Schmitt va être jugé en comparution immédiate.

", + "content": "Championne olympique de judo par équipes l'été dernier à Tokyo, la Française Margaux Pinot a été victime le week-end passé de violences conjugales de la part de son compagnon et ex-entraîneur Alain Schmitt. L'athlète a décrit aux enquêteurs une dispute qui a très, très mal tourné. Schmitt va être jugé en comparution immédiate.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/video-galatasaray-om-marseille-coule-en-turquie-et-sort-de-la-ligue-europa_AN-202111250551.html", + "link": "https://rmcsport.bfmtv.com/judo/judo-ce-que-margaux-pinot-a-raconte-aux-enqueteurs-apres-avoir-ete-victime-de-violences-conjugales_AN-202111300346.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 19:48:37 GMT", + "pubDate": "Tue, 30 Nov 2021 14:57:20 GMT", + "enclosure": "https://images.bfmtv.com/0NURDRu_AjsDUHZn7LF2O2Lvf1s=/6x111:2038x1254/800x0/images/Margaux-Pinot-1178535.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87cce5d5a5e377bd6d78b43c7f684846" + "hash": "79f2b170d03192da1c0b252221043f5a" }, { - "title": "Brondby-OL: Cherki, Keita, Lukeba… Bosz fait confiance aux espoirs lyonnais", - "description": "Déjà assuré de terminer à la première place de son groupe, et par conséquent d'être qualifié pour les 8es de finale de la Ligue Europa, l’OL présente une équipe fortement remaniée pour son déplacement à Brondby, ce jeudi, lors de la 5e journée de Ligue Europa (sur RMC Sport 1).

", - "content": "Déjà assuré de terminer à la première place de son groupe, et par conséquent d'être qualifié pour les 8es de finale de la Ligue Europa, l’OL présente une équipe fortement remaniée pour son déplacement à Brondby, ce jeudi, lors de la 5e journée de Ligue Europa (sur RMC Sport 1).

", + "title": "OM: les envies de Sampaoli pour le mercato d’hiver", + "description": "Quatrième du classement en championnat, l’Olympique de Marseille effectue un début de saison solide, mais terni par l'élimination en Ligue Europa. Malgré un dernier mercato riche en arrivées, l’entraîneur Jorge Sampaoli espère que le club sera actif lors du mercato hivernal, comme il l’a affirmé ce mardi en conférence de presse.

", + "content": "Quatrième du classement en championnat, l’Olympique de Marseille effectue un début de saison solide, mais terni par l'élimination en Ligue Europa. Malgré un dernier mercato riche en arrivées, l’entraîneur Jorge Sampaoli espère que le club sera actif lors du mercato hivernal, comme il l’a affirmé ce mardi en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/brondby-ol-cherki-keita-lukeba-bosz-fait-confiance-aux-espoirs-lyonnais_AV-202111250540.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/olympique-marseille/om-les-envies-de-sampaoli-pour-le-mercato-d-hiver_AV-202111300339.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 19:24:12 GMT", + "pubDate": "Tue, 30 Nov 2021 14:42:19 GMT", + "enclosure": "https://images.bfmtv.com/_5I6zXXscBfSH6BleqEjpcvCVPc=/0x129:2032x1272/800x0/images/Jorge-SAMPAOLI-1174514.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a95a65c10fa4f03c968a5e8ff20dc53" + "hash": "9c276107eb6a2b45d1fb84b49fca17ea" }, { - "title": "Brondby-OL en direct: l'OL poursuit le sans faute, Cherki flamboyant", - "description": "Déjà assuré de terminer à la première place de son groupe, l'Olympique Lyonnais se déplace à Brondby pour la cinquième journée d'Europa League. Peter Bosz a décidé d'aligner une équipe remaniée.

", - "content": "Déjà assuré de terminer à la première place de son groupe, l'Olympique Lyonnais se déplace à Brondby pour la cinquième journée d'Europa League. Peter Bosz a décidé d'aligner une équipe remaniée.

", + "title": "OM: Kamara \"toujours en réflexion\" pour son avenir", + "description": "Boubacar Kamara s'est présenté ce mardi face à la presse à la veille du match de l'OM à Nantes lors de la 16e journée de Ligue 1. Le milieu marseillais a confirmé avoir digéré son transfert avorté lors du mercato estival mais n'a pas encore décidé de prolonger ou de quitter l'OM dans les prochains mois.

", + "content": "Boubacar Kamara s'est présenté ce mardi face à la presse à la veille du match de l'OM à Nantes lors de la 16e journée de Ligue 1. Le milieu marseillais a confirmé avoir digéré son transfert avorté lors du mercato estival mais n'a pas encore décidé de prolonger ou de quitter l'OM dans les prochains mois.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-league-brondby-ol-en-direct_LS-202111250534.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-kamara-toujours-en-reflexion-pour-son-avenir_AV-202111300333.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 19:16:31 GMT", + "pubDate": "Tue, 30 Nov 2021 14:33:25 GMT", + "enclosure": "https://images.bfmtv.com/PpxTcy5d7RbsEyo5-EoD42pqCrQ=/0x0:2048x1152/800x0/images/Boubacar-Kamara-avec-l-OM-1178528.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d844ecc285a0214fb1c914839f453b2" + "hash": "3dcdf490190202e4867dee0304dc2339" }, { - "title": "Galatasaray-OM: des projectiles lancés sur la pelouse par les supporters turcs, tensions à Istanbul", - "description": "Le match de Ligue Europa entre Galatasaray et l'OM a été marqué par des incidents en tribunes ce jeudi. Les Marseillais ont été visés par des projectiles lancés par des supporters turcs.

", - "content": "Le match de Ligue Europa entre Galatasaray et l'OM a été marqué par des incidents en tribunes ce jeudi. Les Marseillais ont été visés par des projectiles lancés par des supporters turcs.

", + "title": "PSG: Pochettino défend le 7e sacre de Messi au Ballon d'or", + "description": "S'il comprend les mécontentements, nombreux, exprimés après la remise du trophée à Lionel Messi, Mauricio Pochettino a estimé ce mardi que son compatriote méritait largement son 7e Ballon d'or individuel en carrière.

", + "content": "S'il comprend les mécontentements, nombreux, exprimés après la remise du trophée à Lionel Messi, Mauricio Pochettino a estimé ce mardi que son compatriote méritait largement son 7e Ballon d'or individuel en carrière.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-des-projectiles-lances-sur-la-pelouse-par-les-supporters-turcs-tensions-a-istanbul_AV-202111250521.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-defend-le-7e-sacre-de-messi-au-ballon-d-or_AV-202111300322.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 18:47:31 GMT", + "pubDate": "Tue, 30 Nov 2021 14:11:18 GMT", + "enclosure": "https://images.bfmtv.com/jOX3ZXohOn-RLZsNKV_kHd-37Os=/0x6:1200x681/800x0/images/Pochettino-et-Messi-1178513.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c68501e1d1b71adb666a17f0b3f9e1d5" + "hash": "90e1f44f7837d57fb8ea5317ff7792e0" }, { - "title": "Le PSG a-t-il fait une erreur en recrutant Messi? La Dream Team divisée", - "description": "Dans \"Rothen S’enflamme\" jeudi sur RMC, Jérôme Rothen et Nicolas Anelka sont revenus sur les débuts mitigés de Lionel Messi, au lendemain d’une performance encore décevante face à Manchester City (2-1) en Ligue des champions.

", - "content": "Dans \"Rothen S’enflamme\" jeudi sur RMC, Jérôme Rothen et Nicolas Anelka sont revenus sur les débuts mitigés de Lionel Messi, au lendemain d’une performance encore décevante face à Manchester City (2-1) en Ligue des champions.

", + "title": "Ligue 1 en direct: Troyes dénonce des \"propos racistes\" contre Suk face à l'OM", + "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/le-psg-a-t-il-fait-une-erreur-en-recrutant-messi-la-dream-team-divisee_AV-202111250501.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 18:18:20 GMT", + "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", + "enclosure": "https://images.bfmtv.com/s8QpeRhbYtmX5j0kIwTWPpp-fpk=/14x191:2030x1325/800x0/images/Hyun-Jun-SUK-1178760.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba452911c479293b01b666ebcf528347" + "hash": "150b74cadf957b2e2d138ce48e272827" }, { - "title": "Monaco-Real Sociedad en direct: l'AS Monaco fait tomber la Real et file en 8es de finale", - "description": "Monaco s’impose finalement 2-1 face à la Real Sociedad et se qualifie officiellement pour les 8es de finale de la Ligue Europa !

", - "content": "Monaco s’impose finalement 2-1 face à la Real Sociedad et se qualifie officiellement pour les 8es de finale de la Ligue Europa !

", + "title": "PSG: pas de concurrence directe entre Ramos et Kimpembe, selon Pochettino", + "description": "Mauricio Pochettino s'est prononcé mardi sur ses intentions concernant la charnière centrale au PSG avec le retour bienvenu de Sergio Ramos, qui change forcément la donne.

", + "content": "Mauricio Pochettino s'est prononcé mardi sur ses intentions concernant la charnière centrale au PSG avec le retour bienvenu de Sergio Ramos, qui change forcément la donne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-monaco-real-sociedad-en-direct_LS-202111250500.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pas-de-concurrence-directe-entre-ramos-et-kimpembe-selon-pochettino_AV-202111300317.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 18:15:47 GMT", + "pubDate": "Tue, 30 Nov 2021 13:58:30 GMT", + "enclosure": "https://images.bfmtv.com/XT35VVni4LgVYF9FkBnXJVPbOaY=/0x37:1200x712/800x0/images/Sergio-Ramos-1178510.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3bb2d308bb9e3529afd1b26558c053b6" + "hash": "37d1e22300dde71f19545815b7ed612f" }, { - "title": "VIDEO. Galatasaray-OM: l'ouverture du score des Turcs après une erreur de Kamara", - "description": "Galatasaray n'a eu besoin que de 14 minutes pour ouvrir le score face à l'OM, ce jeudi, lors de la cinquième journée de la phase de poules de la Ligue Europa (sur RMC Sport 1). Boubacar Kamara est en partie responsable.

", - "content": "Galatasaray n'a eu besoin que de 14 minutes pour ouvrir le score face à l'OM, ce jeudi, lors de la cinquième journée de la phase de poules de la Ligue Europa (sur RMC Sport 1). Boubacar Kamara est en partie responsable.

", + "title": "Mercato: Torres, Adeyemi, Coutinho... le Barça pourrait bouger cet hiver", + "description": "Après un début de saison compliqué, le FC Barcelone compterait être actif lors du prochain mercato d’hiver selon la presse espagnole. Pour améliorer l’effectif, les dirigeants du club catalan auraient dans leur viseur de nombreux joueurs offensifs. Quelques départs, comme celui de Philippe Coutinho, sont également espérés.

", + "content": "Après un début de saison compliqué, le FC Barcelone compterait être actif lors du prochain mercato d’hiver selon la presse espagnole. Pour améliorer l’effectif, les dirigeants du club catalan auraient dans leur viseur de nombreux joueurs offensifs. Quelques départs, comme celui de Philippe Coutinho, sont également espérés.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-l-ouverture-du-score-des-turcs-apres-une-erreur-de-kamara_AV-202111250496.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-torres-adeyemi-coutinho-le-barca-pourrait-bouger-cet-hiver_AV-202111300312.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 18:11:27 GMT", + "pubDate": "Tue, 30 Nov 2021 13:45:54 GMT", + "enclosure": "https://images.bfmtv.com/RsCUY1oMht5tsb_rORtVq2bbcXw=/12x0:1532x855/800x0/images/Ferran-Torres-est-cible-par-le-Barca-1176247.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4cd9e54069d8994a6ad41fb68406e68b" + "hash": "032545fcfebdd512be14cb6f3f8e63ef" }, { - "title": "Top 14: Arthur Vincent va prolonger à Montpellier", - "description": "Le trois quart centre international, Arthur Vincent, va prolonger son aventure avec le Montpellier Hérault Rugby. Formé au club, il portera ce maillot deux années supplémentaires, en dépit des sollicitations du Stade Toulousain.

", - "content": "Le trois quart centre international, Arthur Vincent, va prolonger son aventure avec le Montpellier Hérault Rugby. Formé au club, il portera ce maillot deux années supplémentaires, en dépit des sollicitations du Stade Toulousain.

", + "title": "Racing: Nyakane espéré rapidement, Tafili en contacts avancés", + "description": "Le pilier droit toulousain, Paulo Tafili, est en discussions avancés avec le Racing 92 qui cherche à se renforcer à ce poste pour la saison prochaine mais aussi à plus court terme. L’international sud-africain, Trevor Nyakane, est espéré dans les jours à venir alors que l’arrivée du deuxième ligne namibien Anton Bresler est bouclée.\n

", + "content": "Le pilier droit toulousain, Paulo Tafili, est en discussions avancés avec le Racing 92 qui cherche à se renforcer à ce poste pour la saison prochaine mais aussi à plus court terme. L’international sud-africain, Trevor Nyakane, est espéré dans les jours à venir alors que l’arrivée du deuxième ligne namibien Anton Bresler est bouclée.\n

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/top-14-arthur-vincent-va-prolonger-a-montpellier_AV-202111250481.html", + "link": "https://rmcsport.bfmtv.com/rugby/racing-nyakane-espere-rapidement-tafili-en-contacts-avances_AV-202111300303.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:53:03 GMT", + "pubDate": "Tue, 30 Nov 2021 13:38:38 GMT", + "enclosure": "https://images.bfmtv.com/oPKOUmnf31VVqbExLJuMTLYNRFg=/0x0:1200x675/800x0/images/Trevor-Nyakane-1178500.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "36d88b1a27b6159133ff19374bc63160" + "hash": "e9cedced2c96a579335046549830d50c" }, { - "title": "Mercato: Zidane, pas encore au PSG", - "description": "Au cœur de rumeurs concernant un éventuel départ en Angleterre et à Manchester United, Mauricio Pochettino n'a pas demandé au PSG d'être libéré. Le club de la capitale n’a par ailleurs pas entamé de discussions directes avec Zinédine Zidane, ni avec aucun entraîneur.

", - "content": "Au cœur de rumeurs concernant un éventuel départ en Angleterre et à Manchester United, Mauricio Pochettino n'a pas demandé au PSG d'être libéré. Le club de la capitale n’a par ailleurs pas entamé de discussions directes avec Zinédine Zidane, ni avec aucun entraîneur.

", + "title": "Coupe du monde 2022: Bielsa affiche ses inquiétudes pour \"l’avenir du football professionnel\"", + "description": "L’organisation de la Coupe du monde 2022 en hiver est loin de satisfaire tout le monde. Ce lundi en conférence de presse, l’entraîneur de Leeds, Marcelo Bielsa, a dénoncé le rythme que les instances veulent imposer aux joueurs, tout en affichant ses craintes pour l’avenir de ce sport.

", + "content": "L’organisation de la Coupe du monde 2022 en hiver est loin de satisfaire tout le monde. Ce lundi en conférence de presse, l’entraîneur de Leeds, Marcelo Bielsa, a dénoncé le rythme que les instances veulent imposer aux joueurs, tout en affichant ses craintes pour l’avenir de ce sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/mercato-zidane-pas-encore-au-psg_AV-202111250464.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-bielsa-affiche-ses-inquietudes-pour-l-avenir-du-football-professionnel_AV-202111300298.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:37:22 GMT", + "pubDate": "Tue, 30 Nov 2021 13:17:17 GMT", + "enclosure": "https://images.bfmtv.com/5NhUSBMWB9ZklNSZRt1PQeZMRLk=/0x124:2000x1249/800x0/images/Marcelo-Bielsa-Leeds-1017302.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9946776feefdad0da8864a9e5fea92f" + "hash": "57328d548aa0693e435212b328165e9c" }, { - "title": "Le gardien de l’Iran dans le livre des records grâce au dégagement à la main le plus long de l'histoire", - "description": "Le gardien de but de l’Iran et de Boavista, Alireza Beiranvand, est entré dans l’histoire du football en inscrivant son nom dans le Guinness des Records. Le 11 octobre 2016, le portier de la sélection iranienne avait dégagé le ballon de la main à distance record de 61,26m lors d’un match de qualification pour la Coupe du monde 2018 face à la Corée du Sud.\n

", - "content": "Le gardien de but de l’Iran et de Boavista, Alireza Beiranvand, est entré dans l’histoire du football en inscrivant son nom dans le Guinness des Records. Le 11 octobre 2016, le portier de la sélection iranienne avait dégagé le ballon de la main à distance record de 61,26m lors d’un match de qualification pour la Coupe du monde 2018 face à la Corée du Sud.\n

", + "title": "PSG-Nice: Messi incertain pour des symptômes de gastro-entérite", + "description": "Lionel Messi n'a pas participé à l'entraînement collectif du Paris Saint-Germain ce mardi, à la veille du match face à l'OGC Nice, au Parc des Princes (mercredi à 21h). L'Argentin, qui a soulevé son 7e Ballon d'or lundi soir, est souffrant.

", + "content": "Lionel Messi n'a pas participé à l'entraînement collectif du Paris Saint-Germain ce mardi, à la veille du match face à l'OGC Nice, au Parc des Princes (mercredi à 21h). L'Argentin, qui a soulevé son 7e Ballon d'or lundi soir, est souffrant.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/le-gardien-l-iran-dans-le-livre-des-records-grace-au-degagement-a-la-main-le-plus-long-de-l-histoire_AD-202111250450.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-nice-messi-incertain-pour-des-symptomes-de-gastro-enterite_AV-202111300295.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:23:43 GMT", + "pubDate": "Tue, 30 Nov 2021 13:07:22 GMT", + "enclosure": "https://images.bfmtv.com/LYwD6tooatVlv9SicDaUDfOdNH4=/0x0:1200x675/800x0/images/Lionel-Messi-1178484.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "245b44bf41b547cf3e7970f661bd3c68" + "hash": "9840d2e36f93da76901ee9629faa539c" }, { - "title": "Juventus: la colère et les larmes de Ronaldo après l'élimination contre Porto en Ligue des champions", - "description": "Dans la série documentaire All or Nothing: Juventus d'Amazon Prime Video, Cristiano Ronaldo apparaît en larmes à la suite de l'élimination du club italien face au FC Porto lors de l'édition 2020-2021 de la Ligue des champions.

", - "content": "Dans la série documentaire All or Nothing: Juventus d'Amazon Prime Video, Cristiano Ronaldo apparaît en larmes à la suite de l'élimination du club italien face au FC Porto lors de l'édition 2020-2021 de la Ligue des champions.

", + "title": "PSG: Messi va présenter son Ballon d’or dès mercredi face à Nice", + "description": "Selon les informations de RMC Sport, le PSG va présenter le Ballon d’or de Lionel Messi au Parc des Princes dès ce mercredi lors de la réception de Nice (21h, 16e journée de Ligue 1), tout en réfléchissant à un évènement plus important le 12 décembre.

", + "content": "Selon les informations de RMC Sport, le PSG va présenter le Ballon d’or de Lionel Messi au Parc des Princes dès ce mercredi lors de la réception de Nice (21h, 16e journée de Ligue 1), tout en réfléchissant à un évènement plus important le 12 décembre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/juventus-la-colere-et-les-larmes-de-ronaldo-apres-l-elimination-contre-porto-en-ligue-des-champions_AV-202111250449.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-pourrait-presenter-son-ballon-d-or-des-mercredi-face-a-nice_AV-202111300291.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:22:07 GMT", + "pubDate": "Tue, 30 Nov 2021 12:59:26 GMT", + "enclosure": "https://images.bfmtv.com/azCw8pTgANT-XAUy6AX_i3s5FWs=/4x78:1444x888/800x0/images/Lionel-Messi-et-Luis-Suarez-1178476.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05cd3fdc4c2ef50795cd0613ecd311b9" + "hash": "897c7d6aa72f0846bdb1fe5419fff895" }, { - "title": "Barça: toujours blessé, Pedri ne devrait pas rejouer avant 2022", - "description": "Absent des terrains depuis fin septembre en raison d'une blessure à une cuisse, Pedri va manquer encore plusieurs matchs. Selon la presse espagnole, le jeune milieu du FC Barcelone ne retrouvera les terrains qu'en début d'année prochaine.

", - "content": "Absent des terrains depuis fin septembre en raison d'une blessure à une cuisse, Pedri va manquer encore plusieurs matchs. Selon la presse espagnole, le jeune milieu du FC Barcelone ne retrouvera les terrains qu'en début d'année prochaine.

", + "title": "OL: les mesures prises et réclamées par Lyon après les incidents face à l'OM", + "description": "Une dizaine de jours après les incidents qui ont entraîné l’arrêt de son match face à l’OM en Ligue 1, l’OL a publié ce mardi un communiqué pour défendre sa position. Les Gones réclament de nouvelles règles et un protocole de sécurité validé par les instances, afin d’améliorer la situation dans les stades français.

", + "content": "Une dizaine de jours après les incidents qui ont entraîné l’arrêt de son match face à l’OM en Ligue 1, l’OL a publié ce mardi un communiqué pour défendre sa position. Les Gones réclament de nouvelles règles et un protocole de sécurité validé par les instances, afin d’améliorer la situation dans les stades français.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-toujours-blesse-pedri-ne-devrait-pas-rejouer-avant-2022_AV-202111250442.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-les-mesures-prises-et-reclamees-par-lyon-apres-les-incidents-face-a-l-om_AV-202111300289.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:16:28 GMT", + "pubDate": "Tue, 30 Nov 2021 12:58:58 GMT", + "enclosure": "https://images.bfmtv.com/HUIle36ERb8WjXM7JbTN-xOU1oY=/0x212:2048x1364/800x0/images/Dimitri-Payet-au-sol-lors-d-OL-OM-1173034.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10504b6557cc5d2734dbdc40ec9ed0fe" + "hash": "41ce59367769c7dd7e707cd69b6c4c14" }, { - "title": "Les pronos hippiques du vendredi 26 novembre 2021", - "description": "Le Quinté+ du vendredi 26 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", - "content": "Le Quinté+ du vendredi 26 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "title": "OM: les mots forts du président Macron pour Eyraud", + "description": "Emmanuel Macron a remis lundi la Légion d’honneur à Jacques-Henri Eyraud. Le président de la République a salué le travail de l’ancien président de l’OM et en a aussi profité pour plaisanter avec Kylian Mbappé sur le club phocéen.

", + "content": "Emmanuel Macron a remis lundi la Légion d’honneur à Jacques-Henri Eyraud. Le président de la République a salué le travail de l’ancien président de l’OM et en a aussi profité pour plaisanter avec Kylian Mbappé sur le club phocéen.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-vendredi-26-novembre-2021_AN-202111250439.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-les-mots-forts-du-president-macron-pour-eyraud_AV-202111300284.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:12:25 GMT", + "pubDate": "Tue, 30 Nov 2021 12:54:41 GMT", + "enclosure": "https://images.bfmtv.com/hZaFvoR9EdeB1RmLJJsi-wY37wQ=/0x212:2048x1364/800x0/images/Emmanuel-Macron-au-palais-de-l-Elysee-1178474.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "49457793b9d066990b6a9f2a7145c448" + "hash": "f1650498530631d979a5863337b25610" }, { - "title": "XV de France: Labit entretient le flou sur la concurrence entre Ntamack et Jalibert", - "description": "Invité sur le plateau du Super Moscato Show jeudi sur RMC, Laurent Labit, l’entraîneur du XV de France en charge des arrières, n’a pas levé le voile sur les intentions à terme du staff des Bleus au sujet du poste d’ouvreur. La concurrence est féroce entre Romain Ntamack et Matthieu Jalibert.

", - "content": "Invité sur le plateau du Super Moscato Show jeudi sur RMC, Laurent Labit, l’entraîneur du XV de France en charge des arrières, n’a pas levé le voile sur les intentions à terme du staff des Bleus au sujet du poste d’ouvreur. La concurrence est féroce entre Romain Ntamack et Matthieu Jalibert.

", + "title": "\"A Doha, ils veulent Zidane comme entraîneur du PSG\" selon Fred Hermel", + "description": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport et biographe de Zinedine Zidane, le technicien français a bien été sondé par Doha pour éventuellement remplacer Mauricio Pochettino sur le banc du PSG. Mais Zizou n'a pas échangé avec Leonardo et n'est pas intéressé pour l'instant.

", + "content": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport et biographe de Zinedine Zidane, le technicien français a bien été sondé par Doha pour éventuellement remplacer Mauricio Pochettino sur le banc du PSG. Mais Zizou n'a pas échangé avec Leonardo et n'est pas intéressé pour l'instant.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/xv-de-france-labit-entretient-le-flou-sur-la-concurrence-entre-ntamack-et-jalibert_AV-202111250415.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/a-doha-ils-veulent-zidane-comme-entraineur-du-psg-selon-fred-hermel_AV-202111290502.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:40:37 GMT", + "pubDate": "Mon, 29 Nov 2021 18:38:48 GMT", + "enclosure": "https://images.bfmtv.com/h7eB9lWq2UpSgKSaxe4PMiLmEBA=/0x39:2048x1191/800x0/images/Zinedine-Zidane-1177940.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "604199f7ab7c4a7df4298092a66d6ecc" + "hash": "5167f6085f9f26d7f39353bc306332fc" }, { - "title": "Galatasaray-OM: Marseille avec Gerson et Dieng", - "description": "L'OM se déplace ce jeudi soir sur le terrain de Galatasaray en Ligue Europa (18h45, RMC Sport 1) avec l'interdiction ou presque de perdre. Pour ce match capital, Marseille sera privé de Dimitri Payet et Valentin Rongier, suspendus.

", - "content": "L'OM se déplace ce jeudi soir sur le terrain de Galatasaray en Ligue Europa (18h45, RMC Sport 1) avec l'interdiction ou presque de perdre. Pour ce match capital, Marseille sera privé de Dimitri Payet et Valentin Rongier, suspendus.

", + "title": "Ballon d'or: Cristiano Ronaldo clashe l'organisation avec une énorme colère", + "description": "Absent de la cérémonie du Ballon d'or ce lundi soir à Paris, le quintuple vainqueur Cristiano Ronaldo a publié un message incendiaire contre l'organisation.

", + "content": "Absent de la cérémonie du Ballon d'or ce lundi soir à Paris, le quintuple vainqueur Cristiano Ronaldo a publié un message incendiaire contre l'organisation.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-marseille-avec-gerson-et-dieng_AV-202111250406.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/ballon-d-or-cristiano-ronaldo-clashe-l-organisation-en-piquant-une-enorme-colere_AV-202111290501.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:30:01 GMT", + "pubDate": "Mon, 29 Nov 2021 18:35:43 GMT", + "enclosure": "https://images.bfmtv.com/Ja9F_UoCOZ8lqZy0MNaVeRqVeeQ=/0x0:2048x1152/800x0/images/Cristiano-Ronaldo-depite-apres-Portugal-Serbie-1-2-1167324.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db086e383929a50fc664d01fbb366e6a" + "hash": "f3da5217d05658b4a022be0e928270c8" }, { - "title": "Manchester United aurait un accord avec Rangnick pour devenir le prochain coach", - "description": "Selon les informations de The Athletic, Ralf Rangnick serait tombé d'accord avec Manchester United pour prendre la suite d'Ole Gunnar Solskjaer. Il s'agirait d'un contrat de six mois pour le technicien allemand, avec ensuite deux ans dans un rôle de consultant.

", - "content": "Selon les informations de The Athletic, Ralf Rangnick serait tombé d'accord avec Manchester United pour prendre la suite d'Ole Gunnar Solskjaer. Il s'agirait d'un contrat de six mois pour le technicien allemand, avec ensuite deux ans dans un rôle de consultant.

", + "title": "Rachat du FC Nantes: des supporters nantais fustigent l’association \"A la Nantaise\"", + "description": "Sur fond de tentative pour racheter le FC Nantes, des supporters nantais ont dénoncé ce lundi la volonté de l'association \"A la Nantaise\" de créer une société.

", + "content": "Sur fond de tentative pour racheter le FC Nantes, des supporters nantais ont dénoncé ce lundi la volonté de l'association \"A la Nantaise\" de créer une société.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-aurait-un-accord-avec-rangnick-pour-devenir-le-prochain-coach_AV-202111250387.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/rachat-du-fc-nantes-des-supporters-nantais-fustigent-l-association-a-la-nantaise_AV-202111290473.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:01:00 GMT", + "pubDate": "Mon, 29 Nov 2021 17:59:15 GMT", + "enclosure": "https://images.bfmtv.com/waf2_2EfK1sArgu-Y4nZlxl10zk=/0x106:2048x1258/800x0/images/Des-supporters-de-Nantes-1134141.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2300f3609d0136bf400ae139cce8639" + "hash": "6cd71f4bfc6c5e9f52dcd446336e8af9" }, { - "title": "Le projet de mi-temps de 25 minutes en football est retoqué", - "description": "Le projet de prolonger la durée de la mi-temps de 15 à 25 minutes a été retoqué par l’International Football Association Board (IFAB) ce jeudi. Parmi les autres dossiers l’ordre du jour, le principe des cinq remplacements autorisés au cours d’un match pour être adopté définitivement en 2022.

", - "content": "Le projet de prolonger la durée de la mi-temps de 15 à 25 minutes a été retoqué par l’International Football Association Board (IFAB) ce jeudi. Parmi les autres dossiers l’ordre du jour, le principe des cinq remplacements autorisés au cours d’un match pour être adopté définitivement en 2022.

", + "title": "Bruno Martini, nouveau président de la LNH: \"Je n’ai pas coupé le cordon\"", + "description": "Bruno Martini est devenu ce lundi le 5e président de l’histoire de la Ligue nationale de handball (LNH). Il succède à David Tebib, président de l’USAM Nîmes qui assurait l’intérim depuis le départ en 2020 d’Olivier Girault, qui avait tenté de briguer la présidence de la Fédération. Manager général du PSG Handball pendant plus de 10 ans, il avait quitté ses fonctions en janvier 2021 pour rejoindre le monde de l’e-sport et la Team Vitality, une des plus grosses équipes européennes. Démarché pour reprendre les rênes de la Ligue, Bruno Martini, double champion du monde avec la France, n’a pas longtemps hésité. Le handball, c’est sa vie.

", + "content": "Bruno Martini est devenu ce lundi le 5e président de l’histoire de la Ligue nationale de handball (LNH). Il succède à David Tebib, président de l’USAM Nîmes qui assurait l’intérim depuis le départ en 2020 d’Olivier Girault, qui avait tenté de briguer la présidence de la Fédération. Manager général du PSG Handball pendant plus de 10 ans, il avait quitté ses fonctions en janvier 2021 pour rejoindre le monde de l’e-sport et la Team Vitality, une des plus grosses équipes européennes. Démarché pour reprendre les rênes de la Ligue, Bruno Martini, double champion du monde avec la France, n’a pas longtemps hésité. Le handball, c’est sa vie.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/le-projet-de-mi-temps-de-25-minutes-en-football-est-retoque_AV-202111250385.html", + "link": "https://rmcsport.bfmtv.com/handball/bruno-martini-nouveau-president-de-la-lnh-je-n-ai-pas-coupe-le-cordon_AN-202111290463.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 15:57:36 GMT", + "pubDate": "Mon, 29 Nov 2021 17:45:41 GMT", + "enclosure": "https://images.bfmtv.com/T85nAjmwOshuDWyJF6YfSopBI1M=/0x0:1648x927/800x0/images/Bruno-Martini-nouveau-president-de-la-LNH-1177948.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e60e9d8d0a96c60341d172a8298cb677" + "hash": "5972108f5244e1c14101aa01c8961760" }, { - "title": "Mercato en direct: Zidane, pas encore au PSG", - "description": "La date du 1er janvier, permettant aux joueurs en fin de contrat de s'engager ailleurs, approche à grands pas. Du côté du mercato des entraîneurs, tous les regards sont braqués sur Manchester United, qui travaille sur la succession de Solskjaer. Toutes les infos sont à retrouver dans ce live RMC Sport.

", - "content": "La date du 1er janvier, permettant aux joueurs en fin de contrat de s'engager ailleurs, approche à grands pas. Du côté du mercato des entraîneurs, tous les regards sont braqués sur Manchester United, qui travaille sur la succession de Solskjaer. Toutes les infos sont à retrouver dans ce live RMC Sport.

", + "title": "Prix Puskas: pourquoi l'incroyable but de Khazri n’est pas dans la sélection", + "description": "La Fifa a dévoilé ce lundi les onze nommés pour le prix Puskas 2021. Une sélection dans laquelle ne figure pas le but de Wahbi Khazri, auteur d’un lob exceptionnel le mois dernier en Ligue 1. Une histoire de timing.

", + "content": "La Fifa a dévoilé ce lundi les onze nommés pour le prix Puskas 2021. Une sélection dans laquelle ne figure pas le but de Wahbi Khazri, auteur d’un lob exceptionnel le mois dernier en Ligue 1. Une histoire de timing.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-25-novembre_LN-202111250337.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/prix-puskas-pourquoi-l-incroyable-but-de-khazri-n-est-pas-dans-la-selection_AV-202111290449.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 14:28:58 GMT", + "pubDate": "Mon, 29 Nov 2021 17:25:38 GMT", + "enclosure": "https://images.bfmtv.com/mdl4oTXobNBqiGTxOJOGyNVPdVU=/14x0:2046x1143/800x0/images/Wahbi-KHAZRI-1157343.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7636efe8b2141b610c513ceec54e24d0" + "hash": "3cf0f2546a6a6ca0c4bbaaccad045dcf" }, { - "title": "Galatasaray-OM en direct: Marseille coule et est éliminé de la Ligue Europa", - "description": "L'OM a été largement dominé sur la pelouse de Galatasaray ce jeudi lors de la 5e journée de Ligue Europa (4-2). Avec la victoire de la Lazio, Marseille est officiellement éliminé de la compétition et tentera d'aller chercher une qualification pour les barrages de la Ligue Europa Conférence lors de la dernière journée.

", - "content": "L'OM a été largement dominé sur la pelouse de Galatasaray ce jeudi lors de la 5e journée de Ligue Europa (4-2). Avec la victoire de la Lazio, Marseille est officiellement éliminé de la compétition et tentera d'aller chercher une qualification pour les barrages de la Ligue Europa Conférence lors de la dernière journée.

", + "title": "Clermont : Morgan Parra ne restera pas", + "description": "INFO RMC SPORT. Le demi de mêlée international de Clermont Morgan Parra, en fin de contrat, quittera le club auvergnat en fin de saison.

", + "content": "INFO RMC SPORT. Le demi de mêlée international de Clermont Morgan Parra, en fin de contrat, quittera le club auvergnat en fin de saison.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-suivez-le-choc-bouillant-galatasaray-om_LS-202111250316.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/clermont-morgan-parra-ne-restera-pas_AV-202111290443.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 14:00:00 GMT", + "pubDate": "Mon, 29 Nov 2021 17:22:01 GMT", + "enclosure": "https://images.bfmtv.com/BxWEkBb7pkeQb1P7gz3Lin1G8cc=/0x0:768x432/800x0/images/Le-demi-de-melee-clermontois-Morgan-Parra-lors-du-quart-de-finale-de-la-Coupe-d-Europe-a-domicile-contre-le-Stade-Toulousain-le-11-avril-2021-au-stade-Marcel-Michelin-1005050.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b8988e34870d243b19adc2740ec45aa7" + "hash": "74386a867990aab5d6b6df0ab44934bb" }, { - "title": "Tennis: la Coupe Davis pourrait avoir lieu à Abu Dhabi pendant cinq ans", - "description": "Selon le Telegraph, la société Kosmos, qui organise la Coupe Davis, a trouvé un accord avec les Emirats arabes unis pour que la compétition se déroule à Abu Dhabi les cinq prochaines années.

", - "content": "Selon le Telegraph, la société Kosmos, qui organise la Coupe Davis, a trouvé un accord avec les Emirats arabes unis pour que la compétition se déroule à Abu Dhabi les cinq prochaines années.

", + "title": "LOU: Bastareaud se laisse un temps de réflexion avant son opération", + "description": "Victime d’une rupture du tendon quadricipital des deux genoux le week-end dernier, Mathieu Bastareaud n’a pas tranché sur la suite qu’il envisageait de donner à sa carrière après ce nouveau coup dur.

", + "content": "Victime d’une rupture du tendon quadricipital des deux genoux le week-end dernier, Mathieu Bastareaud n’a pas tranché sur la suite qu’il envisageait de donner à sa carrière après ce nouveau coup dur.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/tennis-la-coupe-davis-pourrait-avoir-lieu-a-abu-dhabi-pendant-cinq-ans_AV-202111250144.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-bastareaud-se-laisse-un-temps-de-reflexion-avant-son-operation_AV-202111290423.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 08:18:56 GMT", + "pubDate": "Mon, 29 Nov 2021 16:56:37 GMT", + "enclosure": "https://images.bfmtv.com/VifGBdMzcm3KLr31gsDjrOB3EVc=/4x57:1044x642/800x0/images/-861700.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f13e178097192ea6fdb2375cca321600" + "hash": "7499c3f4d3b1949ba16ecb3e61897dc8" }, { - "title": "Manchester City-PSG: Pochettino renie ses principes avec ses stars, selon Henry", - "description": "Jamie Carragher et Thierry Henry, consultants pour la chaîne américaine CBS Sports, estiment que Mauricio Pochettino ne parvient pas à faire passer son message auprès de ses stars. Le premier le pousse à quitter le PSG, le second trouve qu’il renie ses principes.

", - "content": "Jamie Carragher et Thierry Henry, consultants pour la chaîne américaine CBS Sports, estiment que Mauricio Pochettino ne parvient pas à faire passer son message auprès de ses stars. Le premier le pousse à quitter le PSG, le second trouve qu’il renie ses principes.

", + "title": "PSG: un Ballon d'or de Messi pourrait-il rapporter gros à Paris?", + "description": "Si aucune prime n’est versée au lauréat du Ballon d'or, le coup de boost économique est tout de même énorme d'un point de vue individuel. C'est moins le cas pour le club du grand vainqueur. Qui pourrait être le PSG en cas de nouveau sacre de Lionel Messi.

", + "content": "Si aucune prime n’est versée au lauréat du Ballon d'or, le coup de boost économique est tout de même énorme d'un point de vue individuel. C'est moins le cas pour le club du grand vainqueur. Qui pourrait être le PSG en cas de nouveau sacre de Lionel Messi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-pochettino-renie-ses-principes-avec-ses-stars-selon-thierry-henry_AV-202111250141.html", + "link": "https://rmcsport.bfmtv.com/football/psg-un-ballon-d-or-de-messi-pourrait-il-rapporter-gros-a-paris_AV-202111290419.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 08:07:59 GMT", + "pubDate": "Mon, 29 Nov 2021 16:50:56 GMT", + "enclosure": "https://images.bfmtv.com/qPS4MLS3TX69YKLC-_AWuNclTo4=/0x44:2032x1187/800x0/images/Lionel-Messi-avec-le-Ballon-d-or-2019-1177857.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f8482e0b095b558cdc7ca6b3100eacc" + "hash": "f36d463fc43017c3db723467bc63cb92" }, { - "title": "Rugby: la licence de Radosavljevic suspendue par la Fédération de rugby à XIII", - "description": "Ludovic Radosavljevic, suspendu six mois pour injures racistes et limogé en septembre par Provence Rugby, souhaitait se reconvertir dans le rugby à XIII au club d’Avignon. Mais la Fédération a suspendu sa licence mercredi.

", - "content": "Ludovic Radosavljevic, suspendu six mois pour injures racistes et limogé en septembre par Provence Rugby, souhaitait se reconvertir dans le rugby à XIII au club d’Avignon. Mais la Fédération a suspendu sa licence mercredi.

", + "title": "Ballon d’or 2021: deux trophées supplémentaires décernés", + "description": "La 65e édition du Ballon d’or va se dérouler ce lundi au théâtre du Châtelet de Paris. L’occasion de découvrir le nom du lauréat 2021. Deux nouveaux trophées seront également attribués durant la soirée.

", + "content": "La 65e édition du Ballon d’or va se dérouler ce lundi au théâtre du Châtelet de Paris. L’occasion de découvrir le nom du lauréat 2021. Deux nouveaux trophées seront également attribués durant la soirée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/rugby-la-licence-de-radosavljevic-suspendue-par-la-federation-de-rugby-a-xiii_AN-202111250132.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-2021-deux-trophees-supplementaires-decernes_AV-202111290409.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 07:53:01 GMT", + "pubDate": "Mon, 29 Nov 2021 16:37:27 GMT", + "enclosure": "https://images.bfmtv.com/Pr62-2q5RhJfC6YqIBHiQugQNyc=/0x33:2048x1185/800x0/images/Le-Ballon-d-or-1177365.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "45319858d88517590779f82d8270177e" + "hash": "64eac1959a5238db4b60e5716124dd76" }, { - "title": "Manchester City-PSG. la stat qui fait mal: Navas a touché plus de ballons que Mbappé", - "description": "Signe de l’impuissance parisienne dans la possession de balle face à Manchester City (2-1), Keylor Navas, gardien parisien, a touché plus de ballons que Kylian Mbappé, mercredi en Ligue des champions.

", - "content": "Signe de l’impuissance parisienne dans la possession de balle face à Manchester City (2-1), Keylor Navas, gardien parisien, a touché plus de ballons que Kylian Mbappé, mercredi en Ligue des champions.

", + "title": "Ballon d'or 2021: Alves suggère d'offrir la récompense à Eriksen, \"car la vie est plus importante que le foot\"", + "description": "Dans un plaidoyer émouvant, le Barcelonais Daniel Alves a estimé que le Ballon d'or devrait être remis cette année au Danois Christian Eriksen, qui a frôlé la mort lors du dernier Euro.

", + "content": "Dans un plaidoyer émouvant, le Barcelonais Daniel Alves a estimé que le Ballon d'or devrait être remis cette année au Danois Christian Eriksen, qui a frôlé la mort lors du dernier Euro.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-la-stat-qui-fait-mal-navas-a-touche-plus-de-ballons-que-mbappe_AV-202111250104.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-2021-alves-suggere-d-offrir-la-recompense-a-eriksen-car-la-vie-est-plus-importante-que-le-foot_AV-202111290403.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 07:24:19 GMT", + "pubDate": "Mon, 29 Nov 2021 16:34:50 GMT", + "enclosure": "https://images.bfmtv.com/QD0HqwLYIyps8PB0OOulryi5FgU=/0x0:1200x675/800x0/images/Daniel-Alves-1177845.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d44ae559c7f39ff5af73b795da185a26" + "hash": "b2fa1552e8eb5ae0262c11682c912653" }, { - "title": "La Suisse envoie du chocolat à l'Irlande du Nord pour les remercier du nul contre l'Italie", - "description": "Dix jours après la qualification de la Suisse pour la Coupe du monde 2022, en partie grâce au nul entre l'Irlande du Nord et l'Italie (0-0), le sélectionneur helvète, Murat Yakin, s'est mis en scène dans une vidéo où il envoie du chocolat aux Irlandais pour les remercier.

", - "content": "Dix jours après la qualification de la Suisse pour la Coupe du monde 2022, en partie grâce au nul entre l'Irlande du Nord et l'Italie (0-0), le sélectionneur helvète, Murat Yakin, s'est mis en scène dans une vidéo où il envoie du chocolat aux Irlandais pour les remercier.

", + "title": "The Best: la Fifa rattrape sa boulette avec Edouard Mendy", + "description": "La Fifa a publié ce lundi un nouveau visuel des gardiens nommés pour ses trophées The Best. Et cette fois, le Sénégalais Edouard Mendy est bien vêtu du maillot de son équipe nationale.

", + "content": "La Fifa a publié ce lundi un nouveau visuel des gardiens nommés pour ses trophées The Best. Et cette fois, le Sénégalais Edouard Mendy est bien vêtu du maillot de son équipe nationale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/qualifications/coupe-du-monde-2022-qualifs-le-selectionneur-suisse-envoie-du-chocolat-a-l-irlande-du-nord_AV-202111250102.html", + "link": "https://rmcsport.bfmtv.com/football/the-best-la-fifa-rattrape-sa-boulette-avec-edouard-mendy_AV-202111290389.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 07:22:38 GMT", + "pubDate": "Mon, 29 Nov 2021 16:17:27 GMT", + "enclosure": "https://images.bfmtv.com/zlNDmwq2xsKh6btZv47GFApUJmU=/0x92:2048x1244/800x0/images/Edouard-Mendy-1177817.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "640a9298de8e49bfd9cf689c1e34d5a5" + "hash": "ae95114384c07be69d3fbf99f2bc3210" }, { - "title": "PSG: pour Rothen, le trio Messi-Mbappé-Neymar \"n'a pas existé\" face à Manchester City", - "description": "Logiquement battu par Manchester City mercredi soir en Ligue des champions (2-1), le PSG n'a pas réussi à punir les Skyblues en contre, comme au match aller. Pour Jérôme Rothen, cela s'explique en partie parce que le trio offensif Lionel Messi, Kylian Mbappé, Neymar, n'a pas été à la hauteur.

", - "content": "Logiquement battu par Manchester City mercredi soir en Ligue des champions (2-1), le PSG n'a pas réussi à punir les Skyblues en contre, comme au match aller. Pour Jérôme Rothen, cela s'explique en partie parce que le trio offensif Lionel Messi, Kylian Mbappé, Neymar, n'a pas été à la hauteur.

", + "title": "Top 14: le terrible verdict est tombé pour Bastareaud", + "description": "Evacué sur civière et sorti en larmes samedi, lors de la défaite du LOU à Toulon, Mathieu Bastareaud souffre bien d’une rupture du tendon quadricipal des deux genoux. Une blessure rare qui va le mettre à l’arrêt pendant six mois et qui pose la question de la suite de sa carrière.

", + "content": "Evacué sur civière et sorti en larmes samedi, lors de la défaite du LOU à Toulon, Mathieu Bastareaud souffre bien d’une rupture du tendon quadricipal des deux genoux. Une blessure rare qui va le mettre à l’arrêt pendant six mois et qui pose la question de la suite de sa carrière.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-pour-rothen-le-trio-messi-mbappe-neymar-n-a-pas-existe-face-a-manchester-city_AV-202111250062.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14-le-terrible-verdict-est-tombe-pour-bastareaud_AV-202111290372.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 06:34:27 GMT", + "pubDate": "Mon, 29 Nov 2021 15:44:24 GMT", + "enclosure": "https://images.bfmtv.com/c6HYWzby3eUD1E2U0niImRmXz9A=/0x39:768x471/800x0/images/Mathieu-Bastareaud-evacue-du-terrain-sur-civiere-apres-s-etre-blesse-sur-le-terrain-de-Toulon-le-27-novembre-2021-1176826.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ecd1b931cf948a5261571a54760e9b21" + "hash": "ad6aa91525f75ccd3363970e58f16c3b" }, { - "title": "PSG: \"Les joueurs connaissent ma situation\", Pochettino réagit encore aux rumeurs sur son avenir", - "description": "Mauricio Pochettino, entraîneur du PSG, a de nouveau été interrogé sur les rumeurs autour de son avenir, mercredi après la défaite contre Manchester City (2-1) en Ligue des champions.

", - "content": "Mauricio Pochettino, entraîneur du PSG, a de nouveau été interrogé sur les rumeurs autour de son avenir, mercredi après la défaite contre Manchester City (2-1) en Ligue des champions.

", + "title": "Prix Puskas: un joueur d'Auxerre en en lice pour le plus beau but de l’année", + "description": "L'ailier de l'AJ, Auxerre Gauthier Hein, a été choisi pour figurer parmi les onze nommés au trophée Puskas, récompensant le plus beau but de l'année. Le résultat du vote sera connu le 17 janvier 2022.

", + "content": "L'ailier de l'AJ, Auxerre Gauthier Hein, a été choisi pour figurer parmi les onze nommés au trophée Puskas, récompensant le plus beau but de l'année. Le résultat du vote sera connu le 17 janvier 2022.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-les-joueurs-connaissent-ma-situation-pochettino-reagit-encore-aux-rumeurs-sur-son-avenir_AV-202111250060.html", + "link": "https://rmcsport.bfmtv.com/football/prix-puskas-un-joueur-d-auxerre-en-en-lice-pour-le-plus-beau-but-de-l-annee_AV-202111290369.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 06:32:53 GMT", + "pubDate": "Mon, 29 Nov 2021 15:43:48 GMT", + "enclosure": "https://images.bfmtv.com/W5418KKY6vFc8nw4pTvXrjewbe4=/0x2:1200x677/800x0/images/Gauthier-Hein-1177809.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e0fbc59da13aef183f446cd5c7722c5" + "hash": "f39579c6a3befc58c59098dafc85fd8c" }, { - "title": "PSG: pour Herrera, Manchester City est \"la meilleure équipe du monde avec le ballon\"", - "description": "Ander Herrera, milieu de terrain du PSG, a reconnu la supériorité de Manchester City dans la possession de balle après la victoire des Anglais (2-1) mercredi. Il regrette aussi le manque de réalisme de son équipe.

", - "content": "Ander Herrera, milieu de terrain du PSG, a reconnu la supériorité de Manchester City dans la possession de balle après la victoire des Anglais (2-1) mercredi. Il regrette aussi le manque de réalisme de son équipe.

", + "title": "PSG: six à huit semaines d'absence pour Neymar", + "description": "Sorti sur civière dimanche à Saint-Etienne, Neymar souffre d’une entorse de la cheville gauche avec lésions ligamentaires. Le PSG annonce une indisponibilité de six à huit semaines.

", + "content": "Sorti sur civière dimanche à Saint-Etienne, Neymar souffre d’une entorse de la cheville gauche avec lésions ligamentaires. Le PSG annonce une indisponibilité de six à huit semaines.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-pour-herrera-manchester-city-est-la-meilleure-equipe-du-monde-avec-le-ballon_AV-202111250042.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-six-a-huit-semaines-d-absence-pour-neymar_AV-202111290365.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 05:57:38 GMT", + "pubDate": "Mon, 29 Nov 2021 15:35:28 GMT", + "enclosure": "https://images.bfmtv.com/XhddshPxaZy0hCmgHX2LCegVrmY=/0x106:2048x1258/800x0/images/Neymar-1177801.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "437b457546af2e24c1170b58cd72ea07" + "hash": "c45dd9f147326390e71bbbb4fe61ce82" }, { - "title": "Manchester City-PSG: Pochettino note des progrès dans le jeu parisien", - "description": "Mauricio Pochettino, entraîneur du PSG, note des progrès dans le jeu de son équipe malgré la défaite sur le terrain de Manchester City (2-1) en Ligue des champions, mercredi.

", - "content": "Mauricio Pochettino, entraîneur du PSG, note des progrès dans le jeu de son équipe malgré la défaite sur le terrain de Manchester City (2-1) en Ligue des champions, mercredi.

", + "title": "Tsonga, aux côtés des jeunes talents du tennis", + "description": "Créée depuis 2018, la Team Jeunes Talents de la BNP Paribas aide à la formation des futurs champions de tennis. Jo-Wilfried Tsonga, parrain du programme, les aide et est témoin des nouvelles générations. Dix nouveaux jeunes joueurs viennent d’intégrer la Team, affiliée à BNP Paribas et la Fédération Française de Tennis. 

", + "content": "Créée depuis 2018, la Team Jeunes Talents de la BNP Paribas aide à la formation des futurs champions de tennis. Jo-Wilfried Tsonga, parrain du programme, les aide et est témoin des nouvelles générations. Dix nouveaux jeunes joueurs viennent d’intégrer la Team, affiliée à BNP Paribas et la Fédération Française de Tennis. 

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-pochettino-note-des-progres-dans-le-jeu-parisien_AV-202111250030.html", + "link": "https://rmcsport.bfmtv.com/tennis/tsonga-aux-cotes-des-jeunes-talents-du-tennis_AV-202111290355.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 05:34:47 GMT", + "pubDate": "Mon, 29 Nov 2021 15:21:37 GMT", + "enclosure": "https://images.bfmtv.com/LuX3-G0bHwN9GhaazMxBrcMn5vc=/0x0:1280x720/800x0/images/Jo-Wilfried-Tsonga-et-la-Team-Jeunes-Talents-de-la-BNP-Paribas-1173638.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbe353dfc078117beeed21cad3e802cc" + "hash": "9c404791a47c6936ed507dc53600a656" }, { - "title": "Real Madrid: la première réaction de Benzema après sa condamnation", - "description": "Karim Benzema a publié un message sur son compte Instagram après son but face à Tiraspol (0-3), mercredi en Ligue des champions, quelques heures après sa condamnation dans l’affaire de la sextape.

", - "content": "Karim Benzema a publié un message sur son compte Instagram après son but face à Tiraspol (0-3), mercredi en Ligue des champions, quelques heures après sa condamnation dans l’affaire de la sextape.

", + "title": "Nantes: la mise au point de Kombouaré sur ses critiques contre les jeunes du centre de formation", + "description": "Après avoir créé la polémique en trouvant \"inquiétant\" le niveau des jeunes au centre de formation du FC Nantes, l’entraîneur des Canaris, Antoine Kombouaré, a nuancé ses propos lundi, à deux jours de la réception de l’OM à la Beaujoire.

", + "content": "Après avoir créé la polémique en trouvant \"inquiétant\" le niveau des jeunes au centre de formation du FC Nantes, l’entraîneur des Canaris, Antoine Kombouaré, a nuancé ses propos lundi, à deux jours de la réception de l’OM à la Beaujoire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-la-premiere-reaction-de-benzema-apres-sa-condamnation_AV-202111250020.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-la-mise-au-point-de-kombouare-sur-ses-critiques-contre-les-jeunes-du-centre-de-formation_AV-202111290351.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 05:11:01 GMT", + "pubDate": "Mon, 29 Nov 2021 14:59:55 GMT", + "enclosure": "https://images.bfmtv.com/fYTWH4Gg3OWxHxyNpxv1yzT5CPY=/0x39:768x471/800x0/images/L-entraineur-de-Nantes-Antoine-Kombouare-encourage-ses-joueurs-lors-du-match-de-L1-a-domicilecontre-Marseille-le-20-fevrier-2021-au-stade-de-La-Beaujoire-1035343.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "68c6ac3f3cfb8a1a781ce5f8fe063c40" + "hash": "33f668a84d404b1918a09a9eb7bfb700" }, { - "title": "Real Madrid: Ancelotti a trouvé Benzema \"calme\" après sa condamnation dans l'affaire de la sextape", - "description": "Carlo Ancelotti, entraîneur du Real Madrid, a trouvé Karim Benzema \"calme\" lors de la victoire sur le terrain du Sheriff Tiraspol (0-3), mercredi en Ligue des champions quelques heures après sa condamnation dans l'affaire de la sextape.

", - "content": "Carlo Ancelotti, entraîneur du Real Madrid, a trouvé Karim Benzema \"calme\" lors de la victoire sur le terrain du Sheriff Tiraspol (0-3), mercredi en Ligue des champions quelques heures après sa condamnation dans l'affaire de la sextape.

", + "title": "Racing 92: Teddy Thomas s’excuse auprès de l’UBB et de Cordero pour son attitude jugée arrogante", + "description": "Teddy Thomas s'est défendu sur Instagram d'avoir voulu manquer de respect à l'UBB et Santiago Cordero dimanche soir, au cours d'un match, remporté par Bordeaux au Racing (37-14) où on l'a vu faire preuve d'impertinence dans ses attitudes. Ce qui a eu le don d'agacer Christophe Urios.

", + "content": "Teddy Thomas s'est défendu sur Instagram d'avoir voulu manquer de respect à l'UBB et Santiago Cordero dimanche soir, au cours d'un match, remporté par Bordeaux au Racing (37-14) où on l'a vu faire preuve d'impertinence dans ses attitudes. Ce qui a eu le don d'agacer Christophe Urios.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-ancelotti-a-trouve-benzema-calme-apres-sa-condamnation-dans-l-affaire-de-la-sextape_AD-202111250017.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/racing-92-teddy-thomas-s-excuse-aupres-de-l-ubb-et-de-cordero-pour-son-attitude-jugee-arrogante_AV-202111290349.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 04:55:00 GMT", + "pubDate": "Mon, 29 Nov 2021 14:58:18 GMT", + "enclosure": "https://images.bfmtv.com/N6ZavHoWjyjWgnitqEDx81DTpB4=/0x43:1200x718/800x0/images/Teddy-Thomas-1177783.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b1979d9924792b6b38918055117526b" + "hash": "8ed5c7e72362bba5bd01315a4d246df3" }, { - "title": "Manchester City-PSG: Manu Petit dénonce les \"comportements scandaleux\" de certains joueurs parisiens", - "description": "Membre de la Dream Team RMC Sport, Manu Petit ne décolérait pas après la défaite (2-1) des Parisiens à Manchester City en Ligue des champions, agacé par le comportement de certains joueurs pas suffisamment concernés par l’équilibre de l’équipe.

", - "content": "Membre de la Dream Team RMC Sport, Manu Petit ne décolérait pas après la défaite (2-1) des Parisiens à Manchester City en Ligue des champions, agacé par le comportement de certains joueurs pas suffisamment concernés par l’équilibre de l’équipe.

", + "title": "Les pronos hippiques du mardi 30 novembre 2021", + "description": "Le Quinté+ du mardi 30 novembre est programmé sur l’hippodrome de Deauville dans la discipline du plat. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du mardi 30 novembre est programmé sur l’hippodrome de Deauville dans la discipline du plat. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-manu-petit-denonce-les-comportements-scandaleux-de-certains-joueurs-parisiens_AV-202111250016.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-mardi-30-novembre-2021_AN-202111290348.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 00:18:54 GMT", + "pubDate": "Mon, 29 Nov 2021 14:56:59 GMT", + "enclosure": "https://images.bfmtv.com/Z5rKyzZe-BVrlNrqNcLuuDmKxcU=/1x35:337x224/800x0/images/Les-pronos-hippiques-du-30-novembre-2021-1177519.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb8a2853b37a8b6ceb91f8f6ebe4dd3f" + "hash": "ca6bb73b2029489214445dc3a59f4b48" }, { - "title": "Manchester City-PSG: la heatmap édifiante de Paris, acculé sur son but", - "description": "Le PSG a obtenu sa qualification pour les 8es de finale de la Ligue des champions ce mercredi en dépit de sa défaite à Manchester City (2-1). La prestation inquiète toutefois avec une domination sans partage des Cityzens. Comme l’atteste la heatmap de Paris.

", - "content": "Le PSG a obtenu sa qualification pour les 8es de finale de la Ligue des champions ce mercredi en dépit de sa défaite à Manchester City (2-1). La prestation inquiète toutefois avec une domination sans partage des Cityzens. Comme l’atteste la heatmap de Paris.

", + "title": "PSG: Marquinhos a entamé des discussions pour une prolongation", + "description": "Selon nos informations, le Paris Saint-Germain a commencé à discuter d’une prolongation de contrat avec Marquinhos, défenseur central et surtout capitaine du PSG, lié au club de la capitale jusqu’en 2024.

", + "content": "Selon nos informations, le Paris Saint-Germain a commencé à discuter d’une prolongation de contrat avec Marquinhos, défenseur central et surtout capitaine du PSG, lié au club de la capitale jusqu’en 2024.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-la-heatmap-inquietante-de-paris-accule-sur-son-but_AV-202111240620.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-marquinhos-a-entame-des-discussions-pour-une-prolongation_AV-202111290331.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:57:04 GMT", + "pubDate": "Mon, 29 Nov 2021 14:10:30 GMT", + "enclosure": "https://images.bfmtv.com/4by0-zGS0-wbQhd0G9kZmKaKhGU=/0x106:2048x1258/800x0/images/Marquinhos-1150425.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22620527a44148f544fed869c5945faa" + "hash": "d9dab24e6321d7d010370f7c0f85acc4" }, { - "title": "Sheriff-Real: Benzema encore buteur malgré ses démêlés judiciaires", - "description": "Irrésistible depuis le début de la saison, Karim Benzema a marqué pour la quatrième rencontre d'affilée en Ligue des champions au terme d'une journée marquée par sa condamnation dans l'affaire de la sextape pour complicité de tentative de chantage sur Mathieu Valbuena.

", - "content": "Irrésistible depuis le début de la saison, Karim Benzema a marqué pour la quatrième rencontre d'affilée en Ligue des champions au terme d'une journée marquée par sa condamnation dans l'affaire de la sextape pour complicité de tentative de chantage sur Mathieu Valbuena.

", + "title": "Nice: comment Galtier s’inspire de Manchester City avant le match contre le PSG", + "description": "Christophe Galtier a livré lundi un petit secret de sa préparation pour le match entre Nice et le PSG. Avant de défier Paris, mercredi au Parc des Princes lors de la 16e journée de Ligue 1, l’entraîneur niçois s’est notamment appuyé sur la victoire de Manchester City en Ligue des champions.

", + "content": "Christophe Galtier a livré lundi un petit secret de sa préparation pour le match entre Nice et le PSG. Avant de défier Paris, mercredi au Parc des Princes lors de la 16e journée de Ligue 1, l’entraîneur niçois s’est notamment appuyé sur la victoire de Manchester City en Ligue des champions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/sheriff-real-benzema-encore-buteur-malgre-ses-demeles-judiciaires_AV-202111240619.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-comment-galtier-s-inspire-de-manchester-city-avant-le-match-contre-le-psg_AV-202111290325.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:26:08 GMT", + "pubDate": "Mon, 29 Nov 2021 13:49:26 GMT", + "enclosure": "https://images.bfmtv.com/Ew8LXuLtyayRQMlluQum0fjFt90=/0x172:2048x1324/800x0/images/Christophe-Galtier-donne-des-consignes-aux-joueurs-de-Nice-1177758.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6c9c1b2365752080f02495d36afeb53f" + "hash": "9ccc369a68eb24f4cd6eb85f7882f8c7" }, { - "title": "Bruges-Leipzig: auteur d’un doublé, Nkunku poursuit sa superbe saison", - "description": "Grand artisan du carton de Leipzig à Bruges (5-0) lors de la 5e journée de Ligue des champions, avec un doublé, Christopher Nkunku confirme sa saison de haut niveau. Au point d’intégrer l’équipe de France en 2022 ?

", - "content": "Grand artisan du carton de Leipzig à Bruges (5-0) lors de la 5e journée de Ligue des champions, avec un doublé, Christopher Nkunku confirme sa saison de haut niveau. Au point d’intégrer l’équipe de France en 2022 ?

", + "title": "Nantes: \"Marcher sur l'OM\", Kombouaré s’amuse de sa petite phrase", + "description": "Antoine Kombouaré a expliqué ses propos en conférence de presse, lui qui avait déclaré vouloir \"marcher sur l’OM\", que le FC Nantes reçoit mercredi (21h), en Ligue 1.

", + "content": "Antoine Kombouaré a expliqué ses propos en conférence de presse, lui qui avait déclaré vouloir \"marcher sur l’OM\", que le FC Nantes reçoit mercredi (21h), en Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bruges-leipzig-auteur-d-un-double-nkunku-poursuit-sa-superbe-saison_AV-202111240617.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-marcher-sur-l-om-kombouare-s-amuse-de-sa-petite-phrase_AV-202111290323.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:20:15 GMT", + "pubDate": "Mon, 29 Nov 2021 13:47:14 GMT", + "enclosure": "https://images.bfmtv.com/tru-36sddlugE2kXJ3eUWsRnGYI=/0x0:1200x675/800x0/images/Antoine-Kombouare-1177738.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "90d1340d930e40b7441604ea987d79f0" + "hash": "587a7c2fd2432533b233406072c20066" }, { - "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Galatasaray - Marseille - Ligue Europa", - "description": "Notre pronostic: Marseille ne perd pas à Galatasaray et moins de 2,5 buts dans le match (1.76)

", - "content": "Notre pronostic: Marseille ne perd pas à Galatasaray et moins de 2,5 buts dans le match (1.76)

", + "title": "Toulouse: Sofiane Guitoune prolonge deux ans", + "description": "INFO RMC SPORT - Le centre international du Stade Toulousain, Sofiane Guitoune, va prolonger son contrat cette semaine.\n

", + "content": "INFO RMC SPORT - Le centre international du Stade Toulousain, Sofiane Guitoune, va prolonger son contrat cette semaine.\n

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-galatasaray-marseille-ligue-europa_AN-202111240374.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/toulouse-sofiane-guitoune-prolonge-deux-ans_AV-202111290321.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:04:00 GMT", + "pubDate": "Mon, 29 Nov 2021 13:34:37 GMT", + "enclosure": "https://images.bfmtv.com/RKeZ3eMXTf7BnNVW7mXwLCq2kYs=/0x44:768x476/800x0/images/Le-centre-toulousain-Sofiane-Guitoune-echappe-a-la-defense-perpignanaise-lors-de-la-10e-journee-du-Top-14-le-6-novembre-2021-au-Stade-Ernest-Wallon-1161724.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eebe162d8b505395f0bd86335c379ef9" + "hash": "87e6577628373c0a5416592760d6f42b" }, { - "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Monaco - Real Sociedad – Ligue Europa", - "description": "Notre pronostic: Monaco ne perd pas contre la Real Sociedad et les deux équipes marquent (2.25)

", - "content": "Notre pronostic: Monaco ne perd pas contre la Real Sociedad et les deux équipes marquent (2.25)

", + "title": "Nantes: \"Il ne travaillait pas\", comment Kombouaré a relancé Lafont", + "description": "Après deux saisons mitigées au FC Nantes, Alban Lafont, décisif samedi à Lille, exprime enfin tout son talent depuis cet été. A deux jours de la réception de l’OM mercredi (21h) lors de la 16eme journée de Ligue 1, l’entraîneur des Canaris, Antoine Kombouaré, explique les raisons de cette renaissance.

", + "content": "Après deux saisons mitigées au FC Nantes, Alban Lafont, décisif samedi à Lille, exprime enfin tout son talent depuis cet été. A deux jours de la réception de l’OM mercredi (21h) lors de la 16eme journée de Ligue 1, l’entraîneur des Canaris, Antoine Kombouaré, explique les raisons de cette renaissance.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-monaco-real-sociedad-ligue-europa_AN-202111240368.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-il-ne-travaillait-pas-comment-kombouare-a-relance-lafont_AV-202111290310.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:03:00 GMT", + "pubDate": "Mon, 29 Nov 2021 13:22:19 GMT", + "enclosure": "https://images.bfmtv.com/HcUfU881kf-H1rGEhDzL8Io4D0I=/0x0:2048x1152/800x0/images/Alban-Lafont-1177726.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83a2724625cb532b60afe17f51c77edb" + "hash": "468f2ee0ec61881d80cc7f965add432b" }, { - "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Brondby - Lyon – Ligue Europa", - "description": "Notre pronostic: Lyon ne perd pas à Brondby et plus de 2,5 buts dans le match (2.40)

", - "content": "Notre pronostic: Lyon ne perd pas à Brondby et plus de 2,5 buts dans le match (2.40)

", + "title": "Ballon d'or en direct: Lewandowski est arrivé, la pression monte à Paris", + "description": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", + "content": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-brondby-lyon-ligue-europa_AN-202111240367.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-en-direct-messi-benzema-ou-lewandowski-suivez-la-designation-du-vainqueur-2021_LN-202111290303.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:02:00 GMT", + "pubDate": "Mon, 29 Nov 2021 13:05:30 GMT", + "enclosure": "https://images.bfmtv.com/AlG7dttBqLvbMhwqw5B8AzUFNpc=/0x104:1984x1220/800x0/images/Robert-Lewandowski-Bayern-1150017.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6231646040e72f92a6129672e9a4cb39" + "hash": "4d205a42c4930b42da170dd7d97b4410" }, { - "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Rennes - Vitesse – Ligue Europa Conférence", - "description": "Notre pronostic: Rennes bat Vitesse Arnhem (1.38)

", - "content": "Notre pronostic: Rennes bat Vitesse Arnhem (1.38)

", + "title": "Tottenham: le beau geste de Kane pour deux supporters américains privés du match à Burnley", + "description": "Harry Kane a invité deux supporters de Tottenham à assister à une rencontre du club londonien cette saison. Une jolie initiative après le report du match contre Burnley ce dimanche pour lequel ces deux fans américains avaient parcouru plusieurs milliers de kilomètres.

", + "content": "Harry Kane a invité deux supporters de Tottenham à assister à une rencontre du club londonien cette saison. Une jolie initiative après le report du match contre Burnley ce dimanche pour lequel ces deux fans américains avaient parcouru plusieurs milliers de kilomètres.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-rennes-vitesse-ligue-europa-conference_AN-202111240365.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-le-beau-geste-de-kane-pour-deux-supporters-americains-prives-du-match-a-burnley_AV-202111290294.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:01:00 GMT", + "pubDate": "Mon, 29 Nov 2021 12:49:12 GMT", + "enclosure": "https://images.bfmtv.com/6-Xq2X9-x-opF5xt-ctzqDtiWkU=/0x0:2048x1152/800x0/images/Harry-Kane-applaudit-les-supporters-de-Tottenham-1177710.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b9c62836fc6c2141039b6f9cf4a1bff" + "hash": "7048e01587c4026d1ac6eb929bc8be5b" }, { - "title": "Manchester City-PSG: le petit accrochage entre Neymar et Paredes en fin de première période", - "description": "Sur RMC Sport, Emmanuel Petit a poussé un coup de gueule à la mi-temps du choc entre Manchester City et le PSG sur le comportement de certains joueurs parisiens, en prenant pour exemple une réflexion adressée à Neymar par Leandro Paredes.

", - "content": "Sur RMC Sport, Emmanuel Petit a poussé un coup de gueule à la mi-temps du choc entre Manchester City et le PSG sur le comportement de certains joueurs parisiens, en prenant pour exemple une réflexion adressée à Neymar par Leandro Paredes.

", + "title": "Football: la détection \"semi-automatisée\" du hors-jeu testée lors de la Coupe arabe", + "description": "La Coupe arabe de football, qui s'ouvre mardi au Qatar, sera le premier grand test de la détection \"semi-automatisée\" du hors-jeu, que la Fifa espère introduire lors du Mondial 2022, a annoncé l'instance lundi.

", + "content": "La Coupe arabe de football, qui s'ouvre mardi au Qatar, sera le premier grand test de la détection \"semi-automatisée\" du hors-jeu, que la Fifa espère introduire lors du Mondial 2022, a annoncé l'instance lundi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-le-petit-accrochage-entre-neymar-et-paredes-en-fin-de-premiere-periode_AV-202111240613.html", + "link": "https://rmcsport.bfmtv.com/football/football-la-detection-semi-automatisee-du-hors-jeu-testee-lors-de-la-coupe-arabe_AD-202111290293.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:00:55 GMT", + "pubDate": "Mon, 29 Nov 2021 12:45:57 GMT", + "enclosure": "https://images.bfmtv.com/P90RqEo7JqTCV16ZW8_kLpQpTBs=/91x146:2043x1244/800x0/images/Hors-jeu-1035730.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0216a9a3923298bb7887a3f0b6531e6b" + "hash": "3e2fcbd3288f7816df749dbc8c6ede45" }, { - "title": "Manchester City-PSG: \"Je suis très satisfait de tous les joueurs\", assure Pochettino après la défaite", - "description": "Mauricio Pochettino, l'entraîneur du Paris Saint-Germain, a préféré retenir la qualification après la défaite (1-2) plus que logique et méritée du Paris Saint-Germain à l'Etihad Stadium, face à Manchester City.

", - "content": "Mauricio Pochettino, l'entraîneur du Paris Saint-Germain, a préféré retenir la qualification après la défaite (1-2) plus que logique et méritée du Paris Saint-Germain à l'Etihad Stadium, face à Manchester City.

", + "title": "Coupe de France en direct: les affiches des 32es de finale tombent", + "description": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", + "content": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-je-suis-tres-satisfait-de-tous-les-joueurs-assure-pochettino-apres-la-defaite_AV-202111240607.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-en-direct-le-tirage-des-32e-de-finale_LN-202111290286.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 22:45:20 GMT", + "pubDate": "Mon, 29 Nov 2021 12:33:41 GMT", + "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c524f5afd5bb1bf23032b9354e437d9c" + "hash": "7e272360ec132072d4876a139f4d336b" }, { - "title": "Manchester City-PSG: \"Un bon match dans l’ensemble\", estime Kimpembe malgré la défaite", - "description": "Le défenseur central du PSG, Presnel Kimpembe, a relevé des points positifs de la prestation parisienne, pourtant très inquiétante à l'Etihad Stadium, contre Manchester City (1-2).

", - "content": "Le défenseur central du PSG, Presnel Kimpembe, a relevé des points positifs de la prestation parisienne, pourtant très inquiétante à l'Etihad Stadium, contre Manchester City (1-2).

", + "title": "Manchester United: ce qu'il faut savoir sur Ralf Rangnick, le nouvel entraîneur des Red Devils", + "description": "Ralf Rangnick (63 ans) va assurer l'intérim sur le banc de Manchester United jusqu'à la fin de la saison ont officialisé ce lundi les Red Devils. Le technicien allemand, qui a inspiré de nombreux compatriotes avec son \"gegenpressing\", a déjà 35 ans de coaching derrière lui, et demeure essentiellement connu pour avoir fait passer le RB Leipzig dans une autre dimension.

", + "content": "Ralf Rangnick (63 ans) va assurer l'intérim sur le banc de Manchester United jusqu'à la fin de la saison ont officialisé ce lundi les Red Devils. Le technicien allemand, qui a inspiré de nombreux compatriotes avec son \"gegenpressing\", a déjà 35 ans de coaching derrière lui, et demeure essentiellement connu pour avoir fait passer le RB Leipzig dans une autre dimension.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-un-bon-match-dans-l-ensemble-estime-kimpembe-malgre-la-defaite_AV-202111240598.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-ce-qu-il-faut-savoir-sur-ralf-rangnick-le-probable-futur-entraineur-des-red-devils_AV-202111260268.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 22:23:52 GMT", + "pubDate": "Fri, 26 Nov 2021 11:54:51 GMT", + "enclosure": "https://images.bfmtv.com/Gwx88rVLIc4C-6NLO94K_LtFFu8=/0x70:2048x1222/800x0/images/Ralf-Rangnick-1176000.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3715431d13751e78f6baa2fdcc4c6d33" + "hash": "506c5a36977715cdc49e216c866c335d" }, { - "title": "Ligue des champions: les adversaires potentiels pour le PSG en huitièmes, avec plusieurs cadors européens", - "description": "Battu par Manchester City mercredi (2-1) mais qualifié pour les huitièmes de finale de la Ligue des champions, le PSG terminera deuxième de sa poule. Avec le risque d'affronter un cador européen en huitièmes.

", - "content": "Battu par Manchester City mercredi (2-1) mais qualifié pour les huitièmes de finale de la Ligue des champions, le PSG terminera deuxième de sa poule. Avec le risque d'affronter un cador européen en huitièmes.

", + "title": "Manchester United: Rangnick officialisé comme nouvel entraîneur jusqu'à la fin de la saison", + "description": "Manchester United a officialisé ce lundi la nomination de Ralf Rangnick comme nouvel entraîneur de l'équipe première. Le technicien allemand assurera l'intérim pendant la fin de saison en Premier League. Il officiera ensuite comme consultant pendant deux années.

", + "content": "Manchester United a officialisé ce lundi la nomination de Ralf Rangnick comme nouvel entraîneur de l'équipe première. Le technicien allemand assurera l'intérim pendant la fin de saison en Premier League. Il officiera ensuite comme consultant pendant deux années.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-pour-le-psg-en-huitiemes_AV-202111240594.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-rangnick-officialise-comme-nouvel-entraineur-jusqu-a-la-fin-de-la-saison_AV-202111290268.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 22:17:43 GMT", + "pubDate": "Mon, 29 Nov 2021 11:52:28 GMT", + "enclosure": "https://images.bfmtv.com/vLqVUcapHQXnc3FE03wabJ9ajkw=/16x6:2032x1140/800x0/images/Ralf-Rangnick-1177681.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8a8cfd9275b2ac9c52bfcfd6ebd99ac4" + "hash": "34d5649b69a8f5dd19ddfdcc0945f63c" }, { - "title": "Ligue des champions: Benzema, Nkunku, Mbappé, Thiago... les principaux buts de mercredi soir", - "description": "Karim Benzema a été l'un des buteurs de la soirée de mercredi en Ligue des champions. L'attaquant tricolore a participé à la victoire (et qualification) du Real Madrid contre le Sheriff Tiraspol (3-0). Dans le même temps, un autre Français, Christopher Nkunku, a profité du carton du RB Leipzig (5-0 contre le Club Bruges) pour s'illustrer.

", - "content": "Karim Benzema a été l'un des buteurs de la soirée de mercredi en Ligue des champions. L'attaquant tricolore a participé à la victoire (et qualification) du Real Madrid contre le Sheriff Tiraspol (3-0). Dans le même temps, un autre Français, Christopher Nkunku, a profité du carton du RB Leipzig (5-0 contre le Club Bruges) pour s'illustrer.

", + "title": "A quoi va ressembler la Coupe arabe au Qatar, répétition générale du Mondial 2022", + "description": "A un an de la Coupe du monde 2022, le Qatar, pays hôte de la compétition, accueille à partir de mardi la Coupe arabe de football.

", + "content": "A un an de la Coupe du monde 2022, le Qatar, pays hôte de la compétition, accueille à partir de mardi la Coupe arabe de football.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-benzema-nkunku-mbappe-thiago-les-principaux-buts-de-mercredi-soir_AV-202111240586.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/a-quoi-va-ressembler-la-coupe-arabe-au-qatar-repetition-generale-du-mondial-2022_AD-202111290263.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 22:04:34 GMT", + "pubDate": "Mon, 29 Nov 2021 11:44:36 GMT", + "enclosure": "https://images.bfmtv.com/S3a1IcVfrAwJrekeBIFgfR1pkEs=/0x30:2048x1182/800x0/images/Le-trophee-de-la-Coupe-arabe-de-football-au-Qatar-1177641.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "24fd1d92acb0c447030d22d6e0588eb3" + "hash": "b18c9eed5895752ca44245b02368e151" }, { - "title": "Manchester City-PSG: battu mais qualifié, Paris abandonne la première place après un match inquiétant", - "description": "Manchester City a battu le Paris Saint-Germain (2-1) au terme d'une rencontre qui a vu les deux équipes se qualifier pour les huitièmes de finale de la Ligue des champions. City est assuré de conserver la première place avant la dernière journée.

", - "content": "Manchester City a battu le Paris Saint-Germain (2-1) au terme d'une rencontre qui a vu les deux équipes se qualifier pour les huitièmes de finale de la Ligue des champions. City est assuré de conserver la première place avant la dernière journée.

", + "title": "Ballon d'or en direct: Messi, Benzema ou Lewandowski? Suivez la désignation du vainqueur 2021", + "description": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", + "content": "Après une année 2020 blanche, c'est le retour du Ballon d'or ce lundi. Lionel Messi est le grand favori à sa propre succession, mais Robert Lewandowski et Karim Benzema pourraient aussi être récompensés.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-battu-mais-qualifie-paris-abandonne-la-premiere-place-aux-skyblues-apres-un-match-inquietant_AV-202111240583.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-en-direct-messi-benzema-ou-lewandowski-suivez-la-designation-du-vainqueur-2021_LN-202111290303.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:57:23 GMT", + "pubDate": "Mon, 29 Nov 2021 13:05:30 GMT", + "enclosure": "https://images.bfmtv.com/QkAfnLai92KNFS1kbpfgoYyli7U=/32x3:736x399/800x0/images/Lionel-Messi-sextuple-laureat-du-Ballon-d-Or-ici-distingue-au-Theatre-du-Chatelet-a-Paris-le-2-decembre-2019-1079996.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e3b9c1176feb34c5cc52ba5a1d9a60e" + "hash": "68d6f467c5547266dcb23b4ee306b2db" }, { - "title": "Manchester City-PSG: le but de Mbappé après un joli mouvement collectif", - "description": "Largement dominé par Manchester City en première période, le PSG a réussi à ouvrir le score dès le retour des vestiaires grâce à Kylian Mbappé, ce mercredi, en Ligue des champions.

", - "content": "Largement dominé par Manchester City en première période, le PSG a réussi à ouvrir le score dès le retour des vestiaires grâce à Kylian Mbappé, ce mercredi, en Ligue des champions.

", + "title": "Coupe de France en direct: Le tirage des 32e de finale", + "description": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", + "content": "Entrée en lice des clubs de Ligue 1 dans la seule compétition qui regroupe tous les clubs de football du pays. Début du tirage vers 19h.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-le-but-de-mbappe-apres-un-joli-mouvement-collectif_AV-202111240573.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-en-direct-le-tirage-des-32e-de-finale_LN-202111290286.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:21:15 GMT", + "pubDate": "Mon, 29 Nov 2021 12:33:41 GMT", + "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "91b433468b9e5c87deb2fcc8a6f8e769" + "hash": "ca3e7f0400b47efca5da49e6291adab9" }, { - "title": "Affaire de la sextape: Maracineanu rappelle le \"devoir d'exemplarité des sportifs\"", - "description": "Pour Roxana Maracineanu, ministre déléguée aux Sports, le jugement dans l'affaire de la sextape rappelle que, à ses yeux, les sportifs doivent faire preuve d'un \"devoir d'exemplarité\".

", - "content": "Pour Roxana Maracineanu, ministre déléguée aux Sports, le jugement dans l'affaire de la sextape rappelle que, à ses yeux, les sportifs doivent faire preuve d'un \"devoir d'exemplarité\".

", + "title": "Stéphane Matheu, un manager comblé", + "description": "Stéphane Matheu était dimanche soir l'invité du RMC Poker Show. Avec un bilan incroyable lors des derniers WSOP à Las Vegas avec 3 bracelets glanés, le manager du Team Winamax est un homme heureux !

", + "content": "Stéphane Matheu était dimanche soir l'invité du RMC Poker Show. Avec un bilan incroyable lors des derniers WSOP à Las Vegas avec 3 bracelets glanés, le manager du Team Winamax est un homme heureux !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/affaire-de-la-sextape-maracineanu-rappelle-le-devoir-d-exemplarite-des-sportifs_AV-202111240572.html", + "link": "https://rmcsport.bfmtv.com/poker/stephane-matheu-un-manager-comble_AN-202111290267.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:19:44 GMT", + "pubDate": "Mon, 29 Nov 2021 11:30:01 GMT", + "enclosure": "https://images.bfmtv.com/u2y8tzYjb1wDI33SQiu-CHhm9HU=/3x39:1123x669/800x0/images/Stephane-Matheu-un-manager-comble-1177679.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "846438894670f7b42b440b59608bda5a" + "hash": "aced8db5746b4cabdf36f97aae5244f3" }, { - "title": "Saint-Etienne: le numéro 24 retiré en hommage à Loïc Perrin", - "description": "En hommage à son ancien capitaine Loïc Perrin, Saint-Etienne a annoncé ce mercredi que le numéro 24 ne serait plus attribué chez les Verts. Un maillot collector a également été lancé.

", - "content": "En hommage à son ancien capitaine Loïc Perrin, Saint-Etienne a annoncé ce mercredi que le numéro 24 ne serait plus attribué chez les Verts. Un maillot collector a également été lancé.

", + "title": "Comment le rugby veut poursuivre son implantation en banlieue parisienne", + "description": "La Ligue d’Île-de-France de rugby tente de séduire les jeunes de banlieue. Elle a doublé ses effectifs avec un plan d’un million d’euros et le recrutement de 24 animateurs sportifs territoriaux en lien avec les clubs. Exemple à Champigny-sur-Marne (Val-de-Marne) dont le club a été retenu pour le dispositif. \n

", + "content": "La Ligue d’Île-de-France de rugby tente de séduire les jeunes de banlieue. Elle a doublé ses effectifs avec un plan d’un million d’euros et le recrutement de 24 animateurs sportifs territoriaux en lien avec les clubs. Exemple à Champigny-sur-Marne (Val-de-Marne) dont le club a été retenu pour le dispositif. \n

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-numero-24-retire-en-hommage-a-loic-perrin_AV-202111240562.html", + "link": "https://rmcsport.bfmtv.com/rugby/comment-le-rugby-veut-poursuivre-son-implantation-en-banlieue-parisienne_AV-202111290246.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:03:14 GMT", + "pubDate": "Mon, 29 Nov 2021 11:20:30 GMT", + "enclosure": "https://images.bfmtv.com/sDPrdlURk7u49F0vpl-ChZQyado=/0x0:1280x720/800x0/images/Champigny-1177650.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e25d25b934276e654759eba77494dab3" + "hash": "16d9bf74289c771c2db9b4e761e77068" }, { - "title": "Boxe: Fury voudrait combattre en février ou en mars (mais n'a pas encore d'adversaire)", - "description": "Selon un promoteur britannique, qui a parlé avec Tyson Fury le week-end dernier, le champion du monde WBC des lourds a envie de combattre début 2022, en février ou mars. Mais il lui faut trouver un adversaire.

", - "content": "Selon un promoteur britannique, qui a parlé avec Tyson Fury le week-end dernier, le champion du monde WBC des lourds a envie de combattre début 2022, en février ou mars. Mais il lui faut trouver un adversaire.

", + "title": "PRONOS PARIS RMC Le pari du jour du 29 novembre – Liga – Espagne", + "description": "Notre pronostic : Osasuna bat Elche (1.82)

", + "content": "Notre pronostic : Osasuna bat Elche (1.82)

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-fury-voudrait-combattre-en-fevrier-ou-en-mars-mais-n-a-pas-encore-d-adversaire_AV-202111240312.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-29-novembre-liga-espagne_AN-202111280105.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 13:32:57 GMT", + "pubDate": "Mon, 29 Nov 2021 11:20:00 GMT", + "enclosure": "https://images.bfmtv.com/IlhC8pbOU9JDcgcSdmwvpVt2ASs=/0x36:2000x1161/800x0/images/Osasuna-1177048.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8d9c497c1b8ad3c38d442cdfcd1bea32" + "hash": "8ed9033dceeb7324f4e6396774498756" }, { - "title": "FC Barcelone: Xavi emballé par le profil de Braithwaite", - "description": "Blessé depuis plusieurs mois, Martin Braithwaite pourrait avoir l’occasion de montrer sa valeur à son entraîneur Xavi lorsqu’il reviendra de blessure. Selon Sport, l’ancien milieu du FC Barcelone serait emballé par le profil de l’attaquant danois.

", - "content": "Blessé depuis plusieurs mois, Martin Braithwaite pourrait avoir l’occasion de montrer sa valeur à son entraîneur Xavi lorsqu’il reviendra de blessure. Selon Sport, l’ancien milieu du FC Barcelone serait emballé par le profil de l’attaquant danois.

", + "title": "PARIS PRONOS RMC Le pari basket de Stephen Brun du 29 novembre – NBA", + "description": "Mon pronostic : Houston bat Oklahoma (1.72)

", + "content": "Mon pronostic : Houston bat Oklahoma (1.72)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/fc-barcelone-xavi-emballe-par-le-profil-de-braithwaite_AV-202111240307.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/paris-pronos-rmc-le-pari-basket-de-stephen-brun-du-29-novembre-nba_AN-202111290243.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 13:19:56 GMT", + "pubDate": "Mon, 29 Nov 2021 11:19:03 GMT", + "enclosure": "https://images.bfmtv.com/0fYQGkwJkNRPZfIynH6IlQ3hCTM=/0x119:1984x1235/800x0/images/Houston-1177648.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f3b3c2fc2c9b4d8d0b0515aa91e4168" + "hash": "33948e2488209e3b4eef8bfd2165dbdb" }, { - "title": "Naples: le chirurgien qui a soigné Osimhen parle d'une des \"opérations les plus dures\" de sa carrière", - "description": "Le chirurgien Giampaolo Tartaro, qui a opéré mardi Victor Osimhen, qui souffrait d'une vingtaine de fractures au visage, a détaillé les soins effectués sur l'attaquant de Naples. La reconstruction s'annonce longue pour le Nigérian, qui devrait louper les trois prochains mois de compétition.

", - "content": "Le chirurgien Giampaolo Tartaro, qui a opéré mardi Victor Osimhen, qui souffrait d'une vingtaine de fractures au visage, a détaillé les soins effectués sur l'attaquant de Naples. La reconstruction s'annonce longue pour le Nigérian, qui devrait louper les trois prochains mois de compétition.

", + "title": "Nantes-OM: les supporters marseillais encore interdits à la Beaujoire", + "description": "La Préfecture de la Loire-Atlantique a pris un arrêté pour interdire l’accès à la Beaujoire de tout supporter se prévalant en faveur de Marseille à Nantes, mercredi pour le match entre les deux équipes (21h, 16e journée de Ligue 1).

", + "content": "La Préfecture de la Loire-Atlantique a pris un arrêté pour interdire l’accès à la Beaujoire de tout supporter se prévalant en faveur de Marseille à Nantes, mercredi pour le match entre les deux équipes (21h, 16e journée de Ligue 1).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/naples-le-chirurgien-qui-a-soigne-osimhen-parle-d-une-des-operations-les-plus-dures-de-sa-carriere_AV-202111240301.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nantes-om-les-supporters-marseillais-encore-interdits-a-la-beaujoire_AV-202111290242.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:58:29 GMT", + "pubDate": "Mon, 29 Nov 2021 11:18:57 GMT", + "enclosure": "https://images.bfmtv.com/KP6i-FVMkI3_azyw9SUtoQXDTWA=/0x131:2048x1283/800x0/images/Le-cercueil-de-Bernard-Tapie-acclame-par-les-supporters-de-l-OM-1142765.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "31aac5d0edd88dfd4555d71d4aa98d1d" + "hash": "e930bf9c68224170a1b8ac049308bb93" }, { - "title": "Tottenham: restrictions alimentaires, entraînements, Emerson apprend à \"souffrir\" avec Conte", - "description": "Arrivé en fin de mercato en provenance du FC Barcelone, Emerson Royal n’a pas vraiment connu des débuts idylliques avec Tottenham. Après le départ de Nuno Espirito Santo, c’est Antonio Conte qui a pris le relais. Dans une interview à Sky Sports, le latéral droit dévoile les méthodes de l’Italien.

", - "content": "Arrivé en fin de mercato en provenance du FC Barcelone, Emerson Royal n’a pas vraiment connu des débuts idylliques avec Tottenham. Après le départ de Nuno Espirito Santo, c’est Antonio Conte qui a pris le relais. Dans une interview à Sky Sports, le latéral droit dévoile les méthodes de l’Italien.

", + "title": "LOU: Bastareaud doit passer une IRM ce lundi pour être fixé sur ses blessures aux genoux", + "description": "Le troisième ligne de Lyon, Mathieu Bastareaud, sorti sur civière, en larmes, touché aux deux genoux, lors de la défaite à Toulon (19-13), samedi, doit passer une IRM ce lundi.

", + "content": "Le troisième ligne de Lyon, Mathieu Bastareaud, sorti sur civière, en larmes, touché aux deux genoux, lors de la défaite à Toulon (19-13), samedi, doit passer une IRM ce lundi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-restrictions-alimentaires-entrainements-emerson-apprend-a-souffrir-avec-conte_AV-202111240295.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-bastareaud-doit-passer-une-irm-ce-lundi-pour-etre-fixe-sur-ses-blessures-aux-genoux_AV-202111290240.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:44:35 GMT", + "pubDate": "Mon, 29 Nov 2021 11:16:30 GMT", + "enclosure": "https://images.bfmtv.com/c6HYWzby3eUD1E2U0niImRmXz9A=/0x39:768x471/800x0/images/Mathieu-Bastareaud-evacue-du-terrain-sur-civiere-apres-s-etre-blesse-sur-le-terrain-de-Toulon-le-27-novembre-2021-1176826.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "943420ee4d585df4c14f6cc4724a4233" + "hash": "f42270938c5bfac0a6870a842e06f317" }, { - "title": "Ligue Europa en direct: les confs de Marseille, Lyon et Monaco", - "description": "Suivez en direct les conférences de presse de Lyon, Marseille et Monaco avant leurs matchs comptant pour la 5e journée de la Ligue Europa, jeudi.

", - "content": "Suivez en direct les conférences de presse de Lyon, Marseille et Monaco avant leurs matchs comptant pour la 5e journée de la Ligue Europa, jeudi.

", + "title": "Top 14: \"Pas le garçon le plus courageux\", Chabal se paye Teddy Thomas", + "description": "Sébastien Chabal a fustigé le comportement de Teddy Thomas ce dimanche lors de la défaite du Racing contre l’UBB (14-37). L’ancienne star du rugby tricolore et désormais consultant a regretté le chambrage de l’ailier francilien.

", + "content": "Sébastien Chabal a fustigé le comportement de Teddy Thomas ce dimanche lors de la défaite du Racing contre l’UBB (14-37). L’ancienne star du rugby tricolore et désormais consultant a regretté le chambrage de l’ailier francilien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-en-direct-les-confs-de-marseille-lyon-et-monaco_LN-202111240293.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-pas-le-garcon-le-plus-courageux-chabal-se-paye-teddy-thomas_AV-202111290239.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:43:02 GMT", + "pubDate": "Mon, 29 Nov 2021 11:12:38 GMT", + "enclosure": "https://images.bfmtv.com/2zDZTBwyl1uukAC0rlSikhKSFL8=/0x106:2048x1258/800x0/images/Teddy-Thomas-lors-du-match-Racing-UBB-1177632.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9a1b353cf0412decac5b1062762cf87e" + "hash": "1f4ed47ff33dfdd6684c9e66ce294e65" }, { - "title": "Barça-Benfica: la réaction hallucinée de Jesus face au raté énorme de Seferovic", - "description": "Jorge Jesus, entraîneur du Benfica Lisbonne, s’est effondré au sol de dépit après le gros raté de son attaquant Haris Seferovic à la fin du match sur le terrain du FC Barcelone (0-0), mardi en Ligue des champions.

", - "content": "Jorge Jesus, entraîneur du Benfica Lisbonne, s’est effondré au sol de dépit après le gros raté de son attaquant Haris Seferovic à la fin du match sur le terrain du FC Barcelone (0-0), mardi en Ligue des champions.

", + "title": "Le prochain Mondial des clubs reprogrammé en février aux Emirats arabes unis", + "description": "La Fifa a reprogrammé la prochaine Coupe du monde des clubs du 3 au 12 février 2022 aux Emirats arabes unis. La compétition était initialement prévue au Japon

", + "content": "La Fifa a reprogrammé la prochaine Coupe du monde des clubs du 3 au 12 février 2022 aux Emirats arabes unis. La compétition était initialement prévue au Japon

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-benfica-la-reaction-hallucinee-de-jesus-face-au-rate-enorme-de-seferovic_AV-202111240289.html", + "link": "https://rmcsport.bfmtv.com/football/le-prochain-mondial-des-clubs-reprogramme-en-fevrier-aux-emirats-arabes-unis_AD-202111290233.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:30:47 GMT", + "pubDate": "Mon, 29 Nov 2021 10:55:14 GMT", + "enclosure": "https://images.bfmtv.com/tRPly6B7taGrP0IrT0AXKJz9akM=/0x339:2032x1482/800x0/images/Chelsea-participera-a-la-Coupe-du-monde-des-clubs-apres-son-sacre-en-Ligue-des-champions-1177613.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "330d90afd765bf866c51d14ba8bfb128" + "hash": "afa22d2b01577c13922f6ce8b196d934" }, { - "title": "Coupe Davis: le coup de gueule des capitaines d'équipe, dont Grosjean", - "description": "La phase de groupes de la Coupe Davis commence ce jeudi pour l'équipe de France de Sébastien Grosjean, qui affrontera la République Tchèque. L'ensemble des capitaines de la poule C, où se trouve aussi la Grande-Bretagne, a protesté contre le choix de garder Innsbruck en tant que ville-hôte, en Autriche, qui imposera un huis clos pour les rencontres.

", - "content": "La phase de groupes de la Coupe Davis commence ce jeudi pour l'équipe de France de Sébastien Grosjean, qui affrontera la République Tchèque. L'ensemble des capitaines de la poule C, où se trouve aussi la Grande-Bretagne, a protesté contre le choix de garder Innsbruck en tant que ville-hôte, en Autriche, qui imposera un huis clos pour les rencontres.

", + "title": "Saint-Etienne-PSG: pourquoi Sergio Ramos a réussi sa première selon Thierry Henry", + "description": "Au micro de Prime Video, dont il est le consultant, l’ancien buteur d’Arsenal et de l’équipe de France, Thierry Henry, a analysé le premier match du défenseur espagnol Sergio Ramos avec le PSG, dimanche contre Saint-Etienne (1-3) lors de la 15eme journée de Ligue 1.

", + "content": "Au micro de Prime Video, dont il est le consultant, l’ancien buteur d’Arsenal et de l’équipe de France, Thierry Henry, a analysé le premier match du défenseur espagnol Sergio Ramos avec le PSG, dimanche contre Saint-Etienne (1-3) lors de la 15eme journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-le-coup-des-gueule-des-capitaines-d-equipes-dont-grosjean_AV-202111240286.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-pourquoi-sergio-ramos-a-reussi-sa-premiere-selon-thierry-henry_AV-202111290223.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:21:48 GMT", + "pubDate": "Mon, 29 Nov 2021 10:38:16 GMT", + "enclosure": "https://images.bfmtv.com/PD-g2uS4qZbp_wiwdYr6E0bJWhc=/0x0:2048x1152/800x0/images/Sergio-Ramos-aux-cotes-du-Stephanois-Timothee-Kolodziejczak-1177605.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d06a890d50327d37a785a10033588b01" + "hash": "85efa6d0b922a7081fc4fc2b8ebda16f" }, { - "title": "Mercato: le plan de Dortmund pour convaincre Haaland de rester", - "description": "Convoité par les plus grands clubs européens, Erling Haaland sera l’une des principales attractions du mercato estival. Mais le Borussia Dortmund ne désespère pas de garder l'attaquant norvégien. Selon Sky Germany, le club allemand aurait un plan pour conserver le joueur.

", - "content": "Convoité par les plus grands clubs européens, Erling Haaland sera l’une des principales attractions du mercato estival. Mais le Borussia Dortmund ne désespère pas de garder l'attaquant norvégien. Selon Sky Germany, le club allemand aurait un plan pour conserver le joueur.

", + "title": "Coupe de France: groupes, qualifiés… le mode d’emploi du tirage pour les 32es de finale", + "description": "Le tirage au sort des 32es de finale de la Coupe de France se déroulera ce lundi. L’occasion pour les clubs de Ligue 1 de découvrir quelle équipe ils affronteront pour leur entrée en lice dans la compétition. Comme ces dernières années, des groupes seront constitués afin de limiter les déplacements. RMC Sport détaille les modalités du tirage au sort.

", + "content": "Le tirage au sort des 32es de finale de la Coupe de France se déroulera ce lundi. L’occasion pour les clubs de Ligue 1 de découvrir quelle équipe ils affronteront pour leur entrée en lice dans la compétition. Comme ces dernières années, des groupes seront constitués afin de limiter les déplacements. RMC Sport détaille les modalités du tirage au sort.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-plan-de-dortmund-pour-convaincre-haaland-de-rester_AV-202111240263.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-groupes-qualifies-le-mode-d-emploi-du-tirage-pour-les-32es-de-finale_AV-202111290218.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:46:29 GMT", + "pubDate": "Mon, 29 Nov 2021 10:29:33 GMT", + "enclosure": "https://images.bfmtv.com/76PqEZG5ZWnaxzO0ISzCvI5aXbU=/0x121:1808x1138/800x0/images/Le-trophee-de-la-Coupe-de-France-1177602.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cb4e70fd4e70836ba4fed0a5a53f4a2b" + "hash": "2d0edb740f690d8a7798ec161af5e2c5" }, { - "title": "Coupe du monde 2022: tollé en Norvège après l'arrestation de deux reporters au Qatar", - "description": "Deux reporters de la télévision norvégienne ont été temporairement détenus au Qatar, où ils effectuaient un reportage sur la préparation de la Coupe du monde 2022. Ce qui a provoqué une vague d'indignation au pays.

", - "content": "Deux reporters de la télévision norvégienne ont été temporairement détenus au Qatar, où ils effectuaient un reportage sur la préparation de la Coupe du monde 2022. Ce qui a provoqué une vague d'indignation au pays.

", + "title": "Portugal: 13 joueurs de Belenenses positifs au variant Omicron", + "description": "L’institut national de santé portugais a annoncé avoir détecté les premiers cas du variant Omicron du coronavirus au pays parmi 13 joueurs de l’équipe de Belenenses, qui a joué avec seulement neuf joueurs avant de déclarer forfait samedi face à Benfica.

", + "content": "L’institut national de santé portugais a annoncé avoir détecté les premiers cas du variant Omicron du coronavirus au pays parmi 13 joueurs de l’équipe de Belenenses, qui a joué avec seulement neuf joueurs avant de déclarer forfait samedi face à Benfica.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-tolle-en-norvege-apres-l-arrestation-de-deux-reporters-au-qatar_AD-202111240256.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-13-joueurs-de-belenenses-positifs-au-variant-omicron_AV-202111290198.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:32:14 GMT", + "pubDate": "Mon, 29 Nov 2021 09:54:52 GMT", + "enclosure": "https://images.bfmtv.com/nFAsfGinB4DElwTqXsAi74aNf0I=/0x162:2048x1314/800x0/images/Les-joueurs-du-club-de-Belenenses-1177577.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58960903199d55dcf70a033919fbbfc1" + "hash": "bf1ce347b62f226486290e2a8616138b" }, { - "title": "Manchester City-PSG: avant Paris, des Skyblues en pleine confiance", - "description": "Battu au match aller par le PSG (2-0), Manchester City est dans une très grande forme avant de recevoir le club parisien ce mercredi soir en Ligue des champions (21h, RMC Sport 1). Et ce malgré l'absence de Kevin de Bruyne, et toujours de véritable numéro 9.

", - "content": "Battu au match aller par le PSG (2-0), Manchester City est dans une très grande forme avant de recevoir le club parisien ce mercredi soir en Ligue des champions (21h, RMC Sport 1). Et ce malgré l'absence de Kevin de Bruyne, et toujours de véritable numéro 9.

", + "title": "Ballon d’or: le lauréat remportera un cadeau de luxe inédit", + "description": "La cérémonie du Ballon d’or récompensera lundi le meilleur joueur de l’année 2021. En plus du traditionnel trophée, les vainqueurs des éditions féminine et masculine recevront également une montre de luxe fabriquée spécialement pour le Ballon d’or.

", + "content": "La cérémonie du Ballon d’or récompensera lundi le meilleur joueur de l’année 2021. En plus du traditionnel trophée, les vainqueurs des éditions féminine et masculine recevront également une montre de luxe fabriquée spécialement pour le Ballon d’or.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-avant-paris-des-skyblues-en-pleine-confiance_AV-202111240250.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-le-laureat-remportera-un-cadeau-de-luxe-inedit_AV-202111290194.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:22:53 GMT", + "pubDate": "Mon, 29 Nov 2021 09:50:10 GMT", + "enclosure": "https://images.bfmtv.com/n-EReiG6iIr4a1N4PwNbLb1dG0U=/0x0:2048x1152/800x0/images/La-ceremonie-du-Ballon-d-or-1177571.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb8f4f1aac8e4e8bed89a9475f34e2e1" + "hash": "9789c997961a69cc19049dad958508a9" }, { - "title": "Disparition de Peng Shuai: l’UE demande \"des preuves vérifiables\" et une enquête \"transparente\"", - "description": "Disparue pendant plusieurs jours, Peng Shuai a récemment donné signe de vie sur les réseaux sociaux de journalistes chinois. L’Union Européenne a annoncé vouloir des preuves de la part des autorités de Chine sur la liberté de mouvement de la joueuse de tennis. Mais aussi une enquête sur l’agression sexuelle dont elle dit avoir été victime par l’ancien vice Premier ministre Zhang Gaoli.

", - "content": "Disparue pendant plusieurs jours, Peng Shuai a récemment donné signe de vie sur les réseaux sociaux de journalistes chinois. L’Union Européenne a annoncé vouloir des preuves de la part des autorités de Chine sur la liberté de mouvement de la joueuse de tennis. Mais aussi une enquête sur l’agression sexuelle dont elle dit avoir été victime par l’ancien vice Premier ministre Zhang Gaoli.

", + "title": "Real Madrid: un fabuleux record pour Benzema, \"fier de devenir le meilleur buteur français de l’histoire\"", + "description": "Auteur de l’égalisation en faveur du Real Madrid, victorieux face au FC Séville (2-1) dimanche en Liga, Karim Benzema a inscrit son 361e but en club depuis le début de sa carrière. Un record pour un joueur français. L’ancien Lyonnais devance d’un but la légende d’Arsenal, Thierry Henry.

", + "content": "Auteur de l’égalisation en faveur du Real Madrid, victorieux face au FC Séville (2-1) dimanche en Liga, Karim Benzema a inscrit son 361e but en club depuis le début de sa carrière. Un record pour un joueur français. L’ancien Lyonnais devance d’un but la légende d’Arsenal, Thierry Henry.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/disparition-de-peng-shuai-l-ue-demande-des-preuves-verifiables-et-une-enquete-transparente_AV-202111240247.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-un-fabuleux-record-pour-benzema-fier-de-devenir-le-meilleur-buteur-francais-de-l-histoire_AV-202111290186.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:15:46 GMT", + "pubDate": "Mon, 29 Nov 2021 09:34:17 GMT", + "enclosure": "https://images.bfmtv.com/S1NXDD8ib-lN_-1rY6VzV8bVpxg=/0x0:2048x1152/800x0/images/Karim-Benzema-1177563.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "211961a7b418dd7a6eeaba0ddb6db036" + "hash": "33884e408728f86e6d9b5a6fd098d433" }, { - "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 24 novembre - NBA", - "description": "Mon pronostic : au moins 25pts pour Tatum et Durant, 9 passes pour Harden lors de Boston - Brooklyn (3.65) !

", - "content": "Mon pronostic : au moins 25pts pour Tatum et Durant, 9 passes pour Harden lors de Boston - Brooklyn (3.65) !

", + "title": "Manchester United: Cristiano Ronaldo provoque une grosse explication entre Keane et Carragher", + "description": "Roy Keane, ancien milieu de Manchester United, fustige le choix de Michael Carrick d’avoir laissé Cristiano Ronaldo sur le banc face à Chelsea. Jamie Carragher comprend cette décision et s’interroge sur le niveau du Portugais.

", + "content": "Roy Keane, ancien milieu de Manchester United, fustige le choix de Michael Carrick d’avoir laissé Cristiano Ronaldo sur le banc face à Chelsea. Jamie Carragher comprend cette décision et s’interroge sur le niveau du Portugais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-24-novembre-nba_AN-202111240244.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-cristiano-ronaldo-provoque-une-grosse-explication-entre-keane-et-carragher_AV-202111290183.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:13:08 GMT", + "pubDate": "Mon, 29 Nov 2021 09:26:04 GMT", + "enclosure": "https://images.bfmtv.com/hD7QnUo6OJmNTwdEs0uEEt75zX8=/0x63:2048x1215/800x0/images/Cristiano-Ronaldo-1177553.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a2394fffa2cad962740daefe6efb422" + "hash": "28dda79d1f42467c414dddf7d643ed0b" }, { - "title": "Manchester City-PSG: touché à l'entraînement, Verratti vers un forfait", - "description": "Sorti touché de l'entraînement à Manchester mardi soir, Marco Verratti est incertain pour la rencontre de Ligue des champions ce mercredi (21h sur RMC Sport 1) face à City. Le milieu italien du PSG a effectué samedi dernier son retour sur les terrains. Georginio Wijnaldum n’a lui non plus pas terminé l’entraînement mardi soir.

", - "content": "Sorti touché de l'entraînement à Manchester mardi soir, Marco Verratti est incertain pour la rencontre de Ligue des champions ce mercredi (21h sur RMC Sport 1) face à City. Le milieu italien du PSG a effectué samedi dernier son retour sur les terrains. Georginio Wijnaldum n’a lui non plus pas terminé l’entraînement mardi soir.

", + "title": "Open d'Australie: Djokovic ne participera \"probablement pas\" au tournoi, confie son père", + "description": "Le n°1 mondial du tennis, Novak Djokovic, ne participera \"probablement pas\" à l'Open d'Australie \"dans les conditions\" annoncées de vaccination obligatoire, a déclaré dimanche le père du joueur serbe, en déplorant le \"chantage\" des organisateurs.

", + "content": "Le n°1 mondial du tennis, Novak Djokovic, ne participera \"probablement pas\" à l'Open d'Australie \"dans les conditions\" annoncées de vaccination obligatoire, a déclaré dimanche le père du joueur serbe, en déplorant le \"chantage\" des organisateurs.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-touche-a-l-entrainement-verratti-vers-un-forfait_AV-202111240240.html", + "link": "https://rmcsport.bfmtv.com/tennis/open-australie/open-d-australie-djokovic-ne-participera-probablement-pas-au-tournoi-confie-son-pere_AD-202111290179.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:05:29 GMT", + "pubDate": "Mon, 29 Nov 2021 09:20:31 GMT", + "enclosure": "https://images.bfmtv.com/hoBr9fj8TEijU6sUQO21Zmfe-3Y=/0x0:1200x675/800x0/images/Le-pere-de-Novak-Djokovic-1177556.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "259d7c0e407506893d7a4b5f61ae6d55" + "hash": "221f2cc9b3c452dcb261ed06f7600279" }, { - "title": "Affaire de la sextape: Benzema \"reste sélectionnable\" malgré sa condamnation, insiste Le Graët", - "description": "Noël Le Graët, président de la Fédération française de football (FFF), a réaffirmé sa position sur Karim Benzema, malgré sa condamnation dans l’affaire de la sextape: l’attaquant reste sélectionnable avec l’équipe de France.

", - "content": "Noël Le Graët, président de la Fédération française de football (FFF), a réaffirmé sa position sur Karim Benzema, malgré sa condamnation dans l’affaire de la sextape: l’attaquant reste sélectionnable avec l’équipe de France.

", + "title": "Ligue 1 en direct: pas de supporters marseillais à Nantes", + "description": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", + "content": "Pas le temps de souffler que les clubs de Ligue 1 rejouent dès mercredi lors de la 16e journée de la saison. Leader, le PSG affrontera Nice lors d'un joli choc entre prétendants au podium mais sera privé de Neymar face aux Aiglons. Dans l'autre affiche de cette 16e journée, Rennes accueillera Lille. Retrouvez toutes les dernières informations sur le championnat de France en direct sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/affaire-de-la-sextape-benzema-reste-selectionnable-malgre-sa-condamnation-insiste-le-graet_AV-202111240233.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-informations-avant-la-16e-journee_LN-202111290171.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:55:52 GMT", + "pubDate": "Mon, 29 Nov 2021 08:55:46 GMT", + "enclosure": "https://images.bfmtv.com/eAUAXVFLC-FB7NunhAp2R83I6CU=/0x212:2048x1364/800x0/images/Des-supporters-marseillais-1160501.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1401607e5d4a8f3f8aa7760b58a8704b" + "hash": "ebdf3b76642f13ae6e52f78f9da6442d" }, { - "title": "Manchester City-PSG en direct: deux joueurs vers un forfait côté parisien", - "description": "Le PSG peut assurer sa qualification pour les huitièmes de finale de la Ligue des champions ce mercredi soir, sur la pelouse de son plus grand rival du groupe, Manchester City. Un choc à suivre à 21h sur RMC Sport.

", - "content": "Le PSG peut assurer sa qualification pour les huitièmes de finale de la Ligue des champions ce mercredi soir, sur la pelouse de son plus grand rival du groupe, Manchester City. Un choc à suivre à 21h sur RMC Sport.

", + "title": "Coupe de France: à quelle heure et sur quelle chaîne regarder le tirage au sort des 32eme de finale", + "description": "C’est ce lundi que se déroule le tirage au sort des 32emes de finale de la Coupe de France avec l’entrée en lice des clubs de Ligue 1. Un tirage diffusé à 19h en direct sur Eurosport 2.

", + "content": "C’est ce lundi que se déroule le tirage au sort des 32emes de finale de la Coupe de France avec l’entrée en lice des clubs de Ligue 1. Un tirage diffusé à 19h en direct sur Eurosport 2.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-suivez-en-direct-le-choc-manchester-city-psg_LS-202111240229.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-a-quelle-heure-et-sur-quelle-chaine-regarder-le-tirage-au-sort-des-32eme-de-finale_AN-202111290170.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:47:18 GMT", + "pubDate": "Mon, 29 Nov 2021 08:54:57 GMT", + "enclosure": "https://images.bfmtv.com/2K1jS73tyDUCRpWepiW6VIB1qKM=/14x222:2046x1365/800x0/images/Le-tirage-au-sort-des-32eme-de-finale-de-la-Coupe-de-France-1177547.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4006db0a7827aa8b43b97850e07e5580" + "hash": "1e4551c892aeb3fbd9762d6e6241c662" }, { - "title": "Affaire de la sextape: Valbuena est \"soulagé\" par le jugement selon son avocat", - "description": "Me Didier Domat, avocat de Mathieu Valbuena, a indiqué ce mercredi que son client est \"soulage\" après la condamnation des cinq prévenus, dont Karim Benzema, dans l'affaire de la sextape. Le tribunal correctionnel de Versailles a prononcé une peine d'un an d'emprisonnement avec sursis et 75.000 d'amende pour le joueur du Real Madrid, tout en reconnaissant le statut de victime de Valbuena.

", - "content": "Me Didier Domat, avocat de Mathieu Valbuena, a indiqué ce mercredi que son client est \"soulage\" après la condamnation des cinq prévenus, dont Karim Benzema, dans l'affaire de la sextape. Le tribunal correctionnel de Versailles a prononcé une peine d'un an d'emprisonnement avec sursis et 75.000 d'amende pour le joueur du Real Madrid, tout en reconnaissant le statut de victime de Valbuena.

", + "title": "NBA: le Turc Enes Kanter change de nom et va obtenir la nationalité américaine", + "description": "L'intérieur turc des Boston Celtics, Enes Kanter, a décidé de changer son nom en \"Enes Kanter Freedom\" et va également obtenir la nationalité américaine lundi, a indiqué le média américain The Athletic dimanche.

", + "content": "L'intérieur turc des Boston Celtics, Enes Kanter, a décidé de changer son nom en \"Enes Kanter Freedom\" et va également obtenir la nationalité américaine lundi, a indiqué le média américain The Athletic dimanche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/affaire-de-la-sextape-mathieu-valbuena-est-soulage-par-le-jugement-selon-son-avocat_AV-202111240226.html", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-le-turc-enes-kanter-change-de-nom-et-va-obtenir-la-nationalite-americaine_AD-202111290166.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:42:21 GMT", + "pubDate": "Mon, 29 Nov 2021 08:52:47 GMT", + "enclosure": "https://images.bfmtv.com/gGMb67OkEyWfE0ujm60tMwc-hgM=/0x0:2048x1152/800x0/images/Enes-Kanter-face-aux-Raptors-1170737.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1645539446d452056a65ca46dbd241b" + "hash": "ad2bbea4ea8ff0ceeb8a3ac845862afb" }, { - "title": "Coupe Davis: Gasquet et Mannarino préférés à Gaston en équipe de France", - "description": "Sébastien Grosjean, capitaine de l’équipe de France de Coupe Davis, a annoncé sa sélection pour l’édition 2021, ce mercredi. Richard Gasquet et Adrian Mannarino en font partie à l’inverse d’Hugo Gaston, qui sort d’un beau parcours à Paris-Bercy.

", - "content": "Sébastien Grosjean, capitaine de l’équipe de France de Coupe Davis, a annoncé sa sélection pour l’édition 2021, ce mercredi. Richard Gasquet et Adrian Mannarino en font partie à l’inverse d’Hugo Gaston, qui sort d’un beau parcours à Paris-Bercy.

", + "title": "Ballon d’or: qui est le favori des \"fuites\"", + "description": "Le vainqueur du Ballon d’or 2021 sera dévoilé ce lundi soir lors d’une soirée organisée au Théâtre du Châtelet à Paris. Pourtant, des premières fuites plus ou moins crédibles sont apparues sur les réseaux sociaux.

", + "content": "Le vainqueur du Ballon d’or 2021 sera dévoilé ce lundi soir lors d’une soirée organisée au Théâtre du Châtelet à Paris. Pourtant, des premières fuites plus ou moins crédibles sont apparues sur les réseaux sociaux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-gasquet-prefere-a-gaston-en-equipe-de-france_AV-202111240216.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-qui-est-le-favori-des-fuites_AV-202111290160.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:28:10 GMT", + "pubDate": "Mon, 29 Nov 2021 08:43:41 GMT", + "enclosure": "https://images.bfmtv.com/M9Ds0AbBkZE25Hqx6meRKxqZyt4=/0x74:2048x1226/800x0/images/Lionel-Messi-avec-le-Ballon-d-or-en-2019-1177531.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d0d3ade6bba9d1e0994e1516a22d0a2" + "hash": "769c7829dcdbb457bb19d674e1dc7f60" }, { - "title": "Violences dans les stades: une communication difficile à gérer pour les clubs", - "description": "Interview avec Jérôme Touboul, ancien journaliste à L'Equipe et à la communication du PSG, directeur d'une agence de communication pour comprendre comment les clubs peuvent faire face au phénomène.

", - "content": "Interview avec Jérôme Touboul, ancien journaliste à L'Equipe et à la communication du PSG, directeur d'une agence de communication pour comprendre comment les clubs peuvent faire face au phénomène.

", + "title": "Ballon d’or: Benzema, Mbappé, Kanté… quelles sont les chances des Français?", + "description": "Karim Benzema, Kylian Mbappé et N’Golo Kanté sont les trois Français nommés pour le Ballon d’or 2021 qui sera remis ce lundi. Le Madrilène semble le mieux placé pour un podium même si un sacre semble compliqué.

", + "content": "Karim Benzema, Kylian Mbappé et N’Golo Kanté sont les trois Français nommés pour le Ballon d’or 2021 qui sera remis ce lundi. Le Madrilène semble le mieux placé pour un podium même si un sacre semble compliqué.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/violences-dans-les-stades-une-communication-difficile-a-gerer-pour-les-clubs_AN-202111240210.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-benzema-mbappe-kante-quelles-sont-les-chances-des-francais_AV-202111290147.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:23:58 GMT", + "pubDate": "Mon, 29 Nov 2021 08:15:52 GMT", + "enclosure": "https://images.bfmtv.com/oprFm8F0_uW7QHKuYeRP5ESXSDw=/0x74:2048x1226/800x0/images/N-Golo-Kante-Kylian-Mbappe-et-Karim-Benzema-1177515.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3fc496520acaac7abf0a7b939ede2e16" + "hash": "5773e0267f6a671d0c798bad9b22f765" }, { - "title": "Manchester United: Valverde, Emery… les dernières pistes pour le poste d’entraîneur", - "description": "De nouvelles pistes émergent pour occuper le poste de manager de Manchester United après l’éviction d’Ole Gunnar Solskjaer, le week-end dernier. Les Espagnols Unai Emery et Ernesto Valverde sont cités.

", - "content": "De nouvelles pistes émergent pour occuper le poste de manager de Manchester United après l’éviction d’Ole Gunnar Solskjaer, le week-end dernier. Les Espagnols Unai Emery et Ernesto Valverde sont cités.

", + "title": "Equipe de France: deux membres du staff des champions du monde 2018 à l'Elysée pour recevoir la Légion d’honneur", + "description": "Deux ans après avoir été faits Chevaliers de la Légion d’honneur, Philippe Tournon, ancien chef de presse de l’équipe de France et Mohamed Sanhadji qui assure la sécurité des Bleus depuis 2004 vont recevoir ce lundi leur insigne lundi à l'Elysée.

", + "content": "Deux ans après avoir été faits Chevaliers de la Légion d’honneur, Philippe Tournon, ancien chef de presse de l’équipe de France et Mohamed Sanhadji qui assure la sécurité des Bleus depuis 2004 vont recevoir ce lundi leur insigne lundi à l'Elysée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-valverde-emery-les-dernieres-pistes-pour-le-poste-d-entraineur_AV-202111240200.html", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-deux-membres-du-staff-des-champions-du-monde-2018-vont-recevoir-la-legion-d-honneur_AN-202111290127.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:12:17 GMT", + "pubDate": "Mon, 29 Nov 2021 07:43:19 GMT", + "enclosure": "https://images.bfmtv.com/q_T2D4oUDJkhspy-skJvFe-ffQ0=/4x5:3988x2246/800x0/images/-880708.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1335a3595d11eb852a3deae088d59a4a" + "hash": "3de3bcee05b45cbec2c3b67fb101a00d" }, { - "title": "PRONOS PARIS RMC Le pari football d'Eric Di Meco du 24 novembre - Ligue des Champions", - "description": "Mon pronostic : victoire de City, Sterling et Mbappé buteurs (13.00) !

", - "content": "Mon pronostic : victoire de City, Sterling et Mbappé buteurs (13.00) !

", + "title": "Naples: la superbe statue en hommage à Maradona", + "description": "Le club de Naples a dévoilé dimanche, en marge du match gagné contre la Lazio en Serie A (4-0), une statue de Diego Maradona. Un peu plus d'un an après la mort de l'Argentin, la formation napolitaine lui rend un nouvel hommage.

", + "content": "Le club de Naples a dévoilé dimanche, en marge du match gagné contre la Lazio en Serie A (4-0), une statue de Diego Maradona. Un peu plus d'un an après la mort de l'Argentin, la formation napolitaine lui rend un nouvel hommage.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-d-eric-di-meco-du-24-novembre-ligue-des-champions_AN-202111240199.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/naples-la-superbe-statue-en-hommage-a-maradona_AV-202111290119.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:11:52 GMT", + "pubDate": "Mon, 29 Nov 2021 07:35:11 GMT", + "enclosure": "https://images.bfmtv.com/kN-EiFrT3Sis4-OEhp0t0zcGZkM=/0x65:2048x1217/800x0/images/La-statue-de-Maradona-au-stade-de-Naples-1177483.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ff4a070a17e35db501c472c2972e61a" + "hash": "d34544113068aac718139ae6ee45600b" }, { - "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 24 novembre - Ligue des Champions", - "description": "Mon pronostic : City ne perd pas, les deux équipes marquent, Mbappé buteur (4.10) !

", - "content": "Mon pronostic : City ne perd pas, les deux équipes marquent, Mbappé buteur (4.10) !

", + "title": "Leo Margets : \"J'ai encore des étoiles plein les yeux\"", + "description": "Un peu moins d'une semaine après son sacre sur l'event #83 The Closer 1.500$ des WSOP pour 376.850$, Leo Margets était l'invitée du RMC Poker Show. La joueuse du Team Winamax s'est confiée comme jamais.

", + "content": "Un peu moins d'une semaine après son sacre sur l'event #83 The Closer 1.500$ des WSOP pour 376.850$, Leo Margets était l'invitée du RMC Poker Show. La joueuse du Team Winamax s'est confiée comme jamais.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-24-novembre-ligue-des-champions_AN-202111240193.html", + "link": "https://rmcsport.bfmtv.com/poker/leo-margets-j-ai-encore-des-etoiles-plein-les-yeux_AN-202111290251.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 10:01:16 GMT", + "pubDate": "Mon, 29 Nov 2021 07:11:37 GMT", + "enclosure": "https://images.bfmtv.com/iX3B01jN7lw2AqwGXsM9HOqpj_c=/6x81:1494x918/800x0/images/Leo-Margets-J-ai-encore-des-etoiles-plein-les-yeux-1177655.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25d282d375c0df9d787201814b98d490" + "hash": "a873c84121dba17898c02560aa8126f4" }, { - "title": "Equipe de France: Pour Benzema, un ciel Bleu malgré la condamnation", - "description": "Karim Benzema a été condamné a un an de prison avec sursis et 75.000 euros d'amende dans l'affaire de la sextape. Mais son avenir en sélection qu'il vient de retrouver n'est pas menacé.

", - "content": "Karim Benzema a été condamné a un an de prison avec sursis et 75.000 euros d'amende dans l'affaire de la sextape. Mais son avenir en sélection qu'il vient de retrouver n'est pas menacé.

", + "title": "Ballon d’or: le jury, les votes... le mode d'emploi de l'attribution du trophée", + "description": "Le Ballon d’or récompensera lundi le meilleur footballeur de l’année 2021 lors d’une cérémonie organisée au Théâtre du Châtelet à Paris. Voici comment le vainqueur sera désigné parmi les 30 nommés pour cette prestigieuse récompense.

", + "content": "Le Ballon d’or récompensera lundi le meilleur footballeur de l’année 2021 lors d’une cérémonie organisée au Théâtre du Châtelet à Paris. Voici comment le vainqueur sera désigné parmi les 30 nommés pour cette prestigieuse récompense.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-pour-benzema-un-ciel-bleu-malgre-la-condamnation_AD-202111240191.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-le-jury-les-votes-le-mode-d-emploi-du-tirage_AV-202111290101.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 09:51:03 GMT", + "pubDate": "Mon, 29 Nov 2021 07:11:32 GMT", + "enclosure": "https://images.bfmtv.com/GsIfmzkXOJGQ_nq-W0JnZl4TlFc=/0x116:1600x1016/800x0/images/-828266.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "65d7cbc0fa974dcc45a51550ee6e29a7" + "hash": "b8d876c7ce56823f5534b7fa215558b7" }, { - "title": "Chelsea-Juventus: Rabiot moqué et vivement critiqué par la presse italienne", - "description": "La prestation d’Adrien Rabiot lors de Chelsea-Juventus (4-0), mardi en Ligue des champions, est sévèrement critiquée par la presse italienne, ce mercredi matin. Pour la Gazzetta, le Français a été le plus mauvais joueur.

", - "content": "La prestation d’Adrien Rabiot lors de Chelsea-Juventus (4-0), mardi en Ligue des champions, est sévèrement critiquée par la presse italienne, ce mercredi matin. Pour la Gazzetta, le Français a été le plus mauvais joueur.

", + "title": "Liga: la police aurait séparé Emery et Xavi après Villarreal-Barça", + "description": "Selon le quotidien catalan Sport, Unai Emery et Xavi se sont accrochés dans le tunnel du vestiaire après le match entre Villarreal et le FC Barcelone (1-3) au point que la police a dû tenir les deux hommes à l’écart.

", + "content": "Selon le quotidien catalan Sport, Unai Emery et Xavi se sont accrochés dans le tunnel du vestiaire après le match entre Villarreal et le FC Barcelone (1-3) au point que la police a dû tenir les deux hommes à l’écart.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/chelsea-juventus-rabiot-moque-et-vivement-critique-par-la-presse-italienne_AV-202111240187.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-la-police-aurait-separe-emery-et-xavi-apres-villarreal-barca_AN-202111290093.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 09:45:55 GMT", + "pubDate": "Mon, 29 Nov 2021 07:03:13 GMT", + "enclosure": "https://images.bfmtv.com/0NUltqU_zwvpUjDPqLAcB_EHG18=/0x46:2048x1198/800x0/images/Xavi-et-Unai-Emery-1177455.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "111231da9a604eeb6b6456fec5a4af57" + "hash": "baef67949b792c32137e66b6548df519" }, { - "title": "Galatasaray-OM: Sampaoli convoque un minot pour remplacer Payet, suspendu", - "description": "L'OM a rendez-vous sur la pelouse de Galatasaray ce jeudi (18h45), pour la cinquième journée de Ligue Europa, importante en vue de la qualification. Jorge Sampaoli ne pourra pas compter sur Dimitri Payet et Valentin Rongier, tous les deux suspendus. En l'absence du milieu offensif, le technicien argentin a convoqué Jonathan Pitou, un \"minot\" de 17 ans.

", - "content": "L'OM a rendez-vous sur la pelouse de Galatasaray ce jeudi (18h45), pour la cinquième journée de Ligue Europa, importante en vue de la qualification. Jorge Sampaoli ne pourra pas compter sur Dimitri Payet et Valentin Rongier, tous les deux suspendus. En l'absence du milieu offensif, le technicien argentin a convoqué Jonathan Pitou, un \"minot\" de 17 ans.

", + "title": "Ballon d'or: les trois favoris Benzema, Lewandowski et Messi au scanner", + "description": "Le Ballon d'or, c'est pour ce soir. La cérémonie de remise du trophée va se dérouler ce lundi au théâtre du Châtelet, à Paris. Parmi les 30 joueurs nommés, trois sont favoris pour soulever le trophée: Karim Benzema, Robert Lewandowski et Lionel Messi. Stats, forme du moment, titres... On fait le point sur leur année 2021.

", + "content": "Le Ballon d'or, c'est pour ce soir. La cérémonie de remise du trophée va se dérouler ce lundi au théâtre du Châtelet, à Paris. Parmi les 30 joueurs nommés, trois sont favoris pour soulever le trophée: Karim Benzema, Robert Lewandowski et Lionel Messi. Stats, forme du moment, titres... On fait le point sur leur année 2021.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-sampaoli-convoque-un-minot-pour-remplacer-payet-suspendu_AV-202111240186.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-les-trois-favoris-benzema-lewandowski-et-messi-au-scanner_AV-202111290014.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 09:45:08 GMT", + "pubDate": "Mon, 29 Nov 2021 07:00:00 GMT", + "enclosure": "https://images.bfmtv.com/s766r_C1w8j9WNyg2z75tblafbk=/0x93:2048x1245/800x0/images/Karim-Benzema-1168960.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0349e43f94f584face28fee541ba1f8b" + "hash": "1679754776a15060b997a663ab1ca79a" }, { - "title": "Benzema condamné dans l'affaire de la sextape: ses avocats, \"sidérés\", vont faire appel", - "description": "Les avocats de Karim Benzema ont annoncé qu’ils allaient faire appel de la condamnation de Karim Benzema à un an de prison avec sursis et 75.000 euros d’amende dans l’affaire du chantage à la sextape. Ils accusent le coup après ce jugement mais assurent qu’il sera innocenté.

", - "content": "Les avocats de Karim Benzema ont annoncé qu’ils allaient faire appel de la condamnation de Karim Benzema à un an de prison avec sursis et 75.000 euros d’amende dans l’affaire du chantage à la sextape. Ils accusent le coup après ce jugement mais assurent qu’il sera innocenté.

", + "title": "OM-Troyes en direct: de retour a Marseille, Rami recadre ses détracteurs", + "description": "L'OM s'est imposé 1-0 contre Troyes grâce à un but de Lirola. Les Marseillais reviennent à hauteur de Nice, troisième.

", + "content": "L'OM s'est imposé 1-0 contre Troyes grâce à un but de Lirola. Les Marseillais reviennent à hauteur de Nice, troisième.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/benzema-condamne-dans-l-affaire-de-la-sextape-ses-avocats-sideres-vont-faire-appel_AV-202111240181.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-suivez-le-match-en-direct_LS-202111280247.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 09:35:17 GMT", + "pubDate": "Sun, 28 Nov 2021 18:27:10 GMT", + "enclosure": "https://images.bfmtv.com/uxKSt6hqAm5brN58aALMr7pbDYw=/0x106:2048x1258/800x0/images/Adil-Rami-1177420.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52ed4b89a0d932b9597afbf9b4ef96a0" + "hash": "441aa0415a90184bec5d1bb0c60cb632" }, { - "title": "Manchester City-PSG: Paris qualifié pour les huitièmes de Ligue des champions si...", - "description": "Le PSG se déplace ce mercredi (21h) sur la pelouse de Manchester City, pour la cinquième journée de la phase de groupes de Ligue des champions. Plusieurs options existent pour que le PSG se qualifie directement pour les huitièmes de finale à l'issue de sa rencontre à l'Etihad Stadium.

", - "content": "Le PSG se déplace ce mercredi (21h) sur la pelouse de Manchester City, pour la cinquième journée de la phase de groupes de Ligue des champions. Plusieurs options existent pour que le PSG se qualifie directement pour les huitièmes de finale à l'issue de sa rencontre à l'Etihad Stadium.

", + "title": "Mercato en direct: C'est officiel, Manchester United a un nouveau coach", + "description": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", + "content": "Le mercato d'hiver ouvre ses portes dans un peu plus d'un mois: suivez toutes les informations et rumeurs sur les renforts attendus ou sur les joueurs en fin de contrat en juin 2022, qui pourront négocier librement dès le 1er janvier.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-paris-qualifie-pour-les-huitiemes-de-ligue-des-champions-si_AV-202111240175.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-29-novembre_LN-202111290068.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 09:18:50 GMT", + "pubDate": "Mon, 29 Nov 2021 06:25:08 GMT", + "enclosure": "https://images.bfmtv.com/Gwx88rVLIc4C-6NLO94K_LtFFu8=/0x70:2048x1222/800x0/images/Ralf-Rangnick-1176000.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e6e4301e468aab385021d126a782e8a" + "hash": "6228f853f98fb261507c14c148114f34" }, { - "title": "Procès de la sextape: Karim Benzema reconnu coupable et condamné à un an avec sursis", - "description": "Le tribunal a rendu son jugement sur cinq hommes, dont Karim Benzema, accusés d'avoir tenté d’obtenir de l’argent de la part du footballeur Mathieu Valbuena après la découverte d'une vidéo de ses ébats.

", - "content": "Le tribunal a rendu son jugement sur cinq hommes, dont Karim Benzema, accusés d'avoir tenté d’obtenir de l’argent de la part du footballeur Mathieu Valbuena après la découverte d'une vidéo de ses ébats.

", + "title": "ASSE-PSG: Neymar pourrait être absent six semaines", + "description": "Après sa sortie sur blessure à Saint-Etienne, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Neymar pourrait être éloigné des terrains durant un mois et demi. Les premiers examens passés par le n°10 du PSG font état d’une grosse entorse.

", + "content": "Après sa sortie sur blessure à Saint-Etienne, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Neymar pourrait être éloigné des terrains durant un mois et demi. Les premiers examens passés par le n°10 du PSG font état d’une grosse entorse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/societe/proces-de-la-sextape-karim-benzema-reconnu-coupable_AN-202111240163.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-neymar-pourrait-etre-absent-six-semaines_AV-202111280275.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 08:59:59 GMT", + "pubDate": "Sun, 28 Nov 2021 21:24:55 GMT", + "enclosure": "https://images.bfmtv.com/i_AaF-HoU-qZZEYxPk5UXS3aTKc=/0x52:2048x1204/800x0/images/Neymar-1177315.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2159396b7e89bb953142f511278bd9f" + "hash": "30622d15c447d272370cbafc185e01ee" }, { - "title": "Real: Ancelotti agace les fans d'Everton avec une comparaison automobile peu flatteuse", - "description": "Revenu à la tête du Real Madrid cet été, Carlo Ancelotti a comparé son équipe à une voiture de course Ferrari. Le \"Mister\" en a profité, avec ironie, pour dire qu'il préfère être au volant d'un véhicule de la célèbre marque au cheval cabré plutôt que d'une Fiat 500. Le sous-entendu n'a pas été très apprécié par tous les fans d'Everton, où le technicien italien se trouvait la saison dernière.

", - "content": "Revenu à la tête du Real Madrid cet été, Carlo Ancelotti a comparé son équipe à une voiture de course Ferrari. Le \"Mister\" en a profité, avec ironie, pour dire qu'il préfère être au volant d'un véhicule de la célèbre marque au cheval cabré plutôt que d'une Fiat 500. Le sous-entendu n'a pas été très apprécié par tous les fans d'Everton, où le technicien italien se trouvait la saison dernière.

", + "title": "OM-Troyes en direct: Lirola trouve la faille dans un match terne", + "description": "L’OM accueille Troyes, ce dimanche au Vélodrome, en clôture de la 15e journée de Ligue 1. Une semaine après leur match arrêté à Lyon, les Marseillais ont l’occasion de recoller au trio de tête en cas de succès.

", + "content": "L’OM accueille Troyes, ce dimanche au Vélodrome, en clôture de la 15e journée de Ligue 1. Une semaine après leur match arrêté à Lyon, les Marseillais ont l’occasion de recoller au trio de tête en cas de succès.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-ancelotti-agace-les-fans-d-everton-avec-une-comparaison-automobile-peu-flatteuse_AV-202111240142.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-suivez-le-match-en-direct_LS-202111280247.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 08:18:11 GMT", + "pubDate": "Sun, 28 Nov 2021 18:27:10 GMT", + "enclosure": "https://images.bfmtv.com/NEoci-Td4_l8_xkq1UAAssSJS78=/0x212:2048x1364/800x0/images/Payet-lors-du-match-OM-Troyes-1177312.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55a71c60e7319cf5ae340b513d8b47a7" + "hash": "ccc69b3c854d6c4db4415a009de6cc6d" }, { - "title": "Manchester United: Carrick dédie la victoire en Ligue des champions à Solskjaer", - "description": "Michael Carrick, nommé entraîneur intérimaire de Manchester United, a dédié la victoire des Red Devils à Villarreal (2-0) en Ligue des champions mardi, à Ole Gunnar Solskjaer, démis de ses fonctions le week-end dernier.

", - "content": "Michael Carrick, nommé entraîneur intérimaire de Manchester United, a dédié la victoire des Red Devils à Villarreal (2-0) en Ligue des champions mardi, à Ole Gunnar Solskjaer, démis de ses fonctions le week-end dernier.

", + "title": "ASSE-PSG en direct: Neymar pourrait être absent six semaines", + "description": "Si le PSG s'est imposé à Saint-Etienne ce dimanche (3-1), il a perdu Neymar sur blessure en fin de match. Le Brésilien est touché à la cheville gauche.

", + "content": "Si le PSG s'est imposé à Saint-Etienne ce dimanche (3-1), il a perdu Neymar sur blessure en fin de match. Le Brésilien est touché à la cheville gauche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-united-carrick-dedie-la-victoire-en-ligue-des-champions-a-solskjaer_AV-202111240138.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-en-direct-paris-veut-se-relancer-apres-son-rate-en-ligue-des-champions_LS-202111280088.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 08:09:21 GMT", + "pubDate": "Sun, 28 Nov 2021 10:16:44 GMT", + "enclosure": "https://images.bfmtv.com/184plja8iWpKS9wwwffoTO0RyqE=/0x171:1568x1053/800x0/images/Neymar-a-ete-touche-a-la-cheville-contre-Saint-Etienne-1177147.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "562ea11d582fbacd841b596aa8b0e468" + "hash": "f69108a6a16848fee41aa3b3226f313f" }, { - "title": "Affaire de la sextape en direct: Benzema reste \"sélectionnable\", maintient Le Graët", - "description": "Le tribunal correctionnel de Versailles rend son jugement ce mercredi vers 9h30 dans l'affaire du chantage à la sextape contre Mathieu Valbuena. Il dira si Karim Benzema est coupable ou non de complicité de tentative de chantage.

", - "content": "Le tribunal correctionnel de Versailles rend son jugement ce mercredi vers 9h30 dans l'affaire du chantage à la sextape contre Mathieu Valbuena. Il dira si Karim Benzema est coupable ou non de complicité de tentative de chantage.

", + "title": "Bordeaux: Lopez charge ses joueurs après la défaite contre Brest", + "description": "Gérard Lopez n’a pas du tout apprécié la défaite à domicile de Bordeaux face à Brest, ce dimanche, lors de la 15e journée de Ligue 1 (1-2). Le président des Girondins réclame plus d’investissement de la part de ses joueurs, désormais 17es du classement.

", + "content": "Gérard Lopez n’a pas du tout apprécié la défaite à domicile de Bordeaux face à Brest, ce dimanche, lors de la 15e journée de Ligue 1 (1-2). Le président des Girondins réclame plus d’investissement de la part de ses joueurs, désormais 17es du classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/affaire-de-la-sextape-en-direct-benzema-va-savoir-le-verdict-rendu-ce-mercredi_LN-202111240101.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/bordeaux-lopez-charge-ses-joueurs-apres-la-defaite-contre-brest_AV-202111280272.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 07:12:02 GMT", + "pubDate": "Sun, 28 Nov 2021 20:29:55 GMT", + "enclosure": "https://images.bfmtv.com/f927sWTglf92PioJHKKA4xJtmfk=/0x0:2048x1152/800x0/images/Gerard-Lopez-1174569.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fecdc596e3aff392e72516539e1149cd" + "hash": "84fc62d5da5f8b020d2a6c4521f0f473" }, { - "title": "Transat Jacques Vabre: la victoire pour Cammas et Caudrelier", - "description": "Franck Cammas et Charles Caudrelier (Gitana) ont remporté ce mardi la 15e édition de la Transat Jacques-Vabre, dans la catégorie Ultim, la plus prestigieuse, en franchissant la ligne d'arrivée en Martinique.

", - "content": "Franck Cammas et Charles Caudrelier (Gitana) ont remporté ce mardi la 15e édition de la Transat Jacques-Vabre, dans la catégorie Ultim, la plus prestigieuse, en franchissant la ligne d'arrivée en Martinique.

", + "title": "Killington (slalom): Shiffrin s'offre une 71e victoire", + "description": "A domicile, à Killington, l'Américaine Mikaela Shiffrin a été la plus rapide sur le slalom ce dimanche. Sa 71e victoire en Coupe du monde.

", + "content": "A domicile, à Killington, l'Américaine Mikaela Shiffrin a été la plus rapide sur le slalom ce dimanche. Sa 71e victoire en Coupe du monde.

", "category": "", - "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-la-victoire-pour-cammas-et-caudrelier_AN-202111230282.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/ski-alpin/killington-slalom-shiffrin-s-offre-une-71e-victoire_AD-202111280271.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 14:20:16 GMT", + "pubDate": "Sun, 28 Nov 2021 20:06:40 GMT", + "enclosure": "https://images.bfmtv.com/GPwLMhNe27jHhgauyOWUo0Ug9kw=/0x4:768x436/800x0/images/La-joie-de-Mikaela-Shiffrin-victorieuse-en-slalom-a-Killington-le-28-novembre-2021-1177294.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d7a21916a9dd30c9930641a5bdea6106" + "hash": "c9164a8107ddb07b8a58703ebafaf380" }, { - "title": "Incidents OL-OM: \"Il est dépassé par les événements\", confie l’avocat du lanceur de la bouteille", - "description": "L’avocat du supporter qui a lancé une bouteille d’eau sur Dimitri Payet lors d'Ol-OM explique le geste de son client. Ce dernier regrette son attitude.

", - "content": "L’avocat du supporter qui a lancé une bouteille d’eau sur Dimitri Payet lors d'Ol-OM explique le geste de son client. Ce dernier regrette son attitude.

", + "title": "PSG: Mbappé rend hommage à Virgil Abloh, figure de la mode, décédé à 41 ans", + "description": "Créateur de la marque Off White, également en charge des collections homme de Louis Vuitton, Virgil Abloh est mort ce dimanche à 41 ans, des suites d'un cancer. Kylian Mbappé lui a rendu hommage.

", + "content": "Créateur de la marque Off White, également en charge des collections homme de Louis Vuitton, Virgil Abloh est mort ce dimanche à 41 ans, des suites d'un cancer. Kylian Mbappé lui a rendu hommage.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-il-est-depasse-par-les-evenements-confie-l-avocat-du-lanceur-de-bouteilles_AV-202111230277.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-mbappe-rend-hommage-a-virgil-abloh-figure-de-la-mode-decede-a-41-ans_AV-202111280269.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 13:59:32 GMT", + "pubDate": "Sun, 28 Nov 2021 19:40:36 GMT", + "enclosure": "https://images.bfmtv.com/uTV6L9imJkGwKggg2kYqL7i0BRw=/0x82:2048x1234/800x0/images/Virgil-Abloh-1177299.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4779fd156d22ddeaef7aca1bc0ac6fcb" + "hash": "23b145d543351a511a360f7eda552715" }, { - "title": "Manchester City-PSG: Guardiola redoute l’imprévisibilité de Messi", - "description": "Pep Guardiola, manager de Manchester City, se réjouit de retrouver Lionel Messi, mercredi lors du choc face au PSG (21h, sur RMC Sport 1) en Ligue des champions même s’il le redoute.

", - "content": "Pep Guardiola, manager de Manchester City, se réjouit de retrouver Lionel Messi, mercredi lors du choc face au PSG (21h, sur RMC Sport 1) en Ligue des champions même s’il le redoute.

", + "title": "Coupe Davis: l’équipe de France éliminée dès la phase de poules", + "description": "La France, deuxième du groupe C, a été éliminée dimanche de la Coupe Davis dès la phase de poules, n'ayant pu terminer parmi les deux meilleurs deuxièmes des six groupes.

", + "content": "La France, deuxième du groupe C, a été éliminée dimanche de la Coupe Davis dès la phase de poules, n'ayant pu terminer parmi les deux meilleurs deuxièmes des six groupes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-guardiola-redoute-l-imprevisibilite-de-messi_AV-202111230271.html", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-l-equipe-de-france-eliminee-des-la-phase-de-poules_AV-202111280268.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 13:30:32 GMT", + "pubDate": "Sun, 28 Nov 2021 19:39:28 GMT", + "enclosure": "https://images.bfmtv.com/jcTViwiEDhQbjDnQI8ysLSNcF6g=/0x0:1200x675/800x0/images/Adrian-Mannarino-1177301.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10d2d9c3514b9252e1c4f99863d1d810" + "hash": "5fe0402c10cf984325d42642aee94ac3" }, { - "title": "Incidents OL-OM: le message de Lyon aux supporters lésés par l'interruption du match", - "description": "L'OL s'est rapproché des supporters, présents au Groupama Stadium dimanche, pour annoncer des mesures commerciales à venir, une fois que la sort de la rencontre OL-OM, interrompue, sera fixé.

", - "content": "L'OL s'est rapproché des supporters, présents au Groupama Stadium dimanche, pour annoncer des mesures commerciales à venir, une fois que la sort de la rencontre OL-OM, interrompue, sera fixé.

", + "title": "ASSE-PSG: Khazri \"s’en fout carrément\" de la prestation de Ramos", + "description": "Après la défaite de Saint-Etienne face au PSG, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Wahbi Khazri a été interrogé sur la grande première de Sergio Ramos dans le championnat de France. Et la réponse de l’attaquant des Verts a été assez cinglante...

", + "content": "Après la défaite de Saint-Etienne face au PSG, ce dimanche lors de la 15e journée de Ligue 1 (1-3), Wahbi Khazri a été interrogé sur la grande première de Sergio Ramos dans le championnat de France. Et la réponse de l’attaquant des Verts a été assez cinglante...

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-message-de-lyon-aux-supporters-leses-par-l-interruption-du-match_AV-202111230267.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-khazri-s-en-fout-carrement-de-la-prestation-de-ramos_AV-202111280262.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 13:10:58 GMT", + "pubDate": "Sun, 28 Nov 2021 19:19:08 GMT", + "enclosure": "https://images.bfmtv.com/qmH7jUySYkPlnLUTVlDBP3S-2Mc=/7x111:2039x1254/800x0/images/ASSE-PSG-1177295.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "13a485e3c5934293c67636df8bbbc4e5" + "hash": "eb1bef0b098f9858ccede96e33f0491f" }, { - "title": "Affaire Hamraoui: le message d’Eric Abidal à sa femme après sa demande de divorce", - "description": "Eric Abidal a publié un message sur les réseaux sociaux, ce mardi, en direction de sa femme, qui a demandé le divorce il y a quatre jours après avoir appris la liaison de son époux avec Kheira Hamraoui, la joueuse du PSG agressée le 4 novembre dernier.

", - "content": "Eric Abidal a publié un message sur les réseaux sociaux, ce mardi, en direction de sa femme, qui a demandé le divorce il y a quatre jours après avoir appris la liaison de son époux avec Kheira Hamraoui, la joueuse du PSG agressée le 4 novembre dernier.

", + "title": "Montpellier-OL: Bosz pas content du contenu malgré la victoire, Gusto pas épargné", + "description": "Malgré la victoire 1-0 sur la pelouse de Montpellier ce dimanche, pour la 15e journée de Ligue 1, Peter Bosz n'était pas satisfait du contenu produit par les joueurs de l'OL. Le technicien appelle à faire mieux, notamment pour le jeune Malo Gusto.

", + "content": "Malgré la victoire 1-0 sur la pelouse de Montpellier ce dimanche, pour la 15e journée de Ligue 1, Peter Bosz n'était pas satisfait du contenu produit par les joueurs de l'OL. Le technicien appelle à faire mieux, notamment pour le jeune Malo Gusto.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-le-message-d-eric-abidal-a-sa-femme-apres-sa-demande-de-divorce_AV-202111230259.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/montpellier-ol-bosz-pas-content-du-contenu-malgre-la-victoire-gusto-pas-epargne_AV-202111280261.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:41:42 GMT", + "pubDate": "Sun, 28 Nov 2021 19:17:48 GMT", + "enclosure": "https://images.bfmtv.com/MYdoXUiQfK9uVG4Vf8qRGRwEoW4=/0x106:2048x1258/800x0/images/Peter-Bosz-OL-qui-donne-ses-consignes-1177288.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47b341081926f535d521cf49bdda8596" + "hash": "3a7ed785ab593b6bad3974b975cd2878" }, { - "title": "Equipe de France, basket: Benitez et Kamagate dans la liste", - "description": "En vue des qualifications pour la Coupe du monde 2023, l’Equipe de France de basket jouera ce vendredi face au Monténégro et lundi prochain contre la Hongrie. Alors que trois joueurs des Bleus sont absents, le sélectionneur Vincent Collet a choisi de rester sur sa liste de base en n’appelant personne pour les remplacer.

", - "content": "En vue des qualifications pour la Coupe du monde 2023, l’Equipe de France de basket jouera ce vendredi face au Monténégro et lundi prochain contre la Hongrie. Alors que trois joueurs des Bleus sont absents, le sélectionneur Vincent Collet a choisi de rester sur sa liste de base en n’appelant personne pour les remplacer.

", + "title": "OM-Troyes, les compos: Kamara sur le banc après avoir boudé la conférence de presse", + "description": "Dimitri Payet fait son retour dans la compo de l'OM, face à Troyes ce dimanche (20h45). En revanche, après avoir refusé de venir en conférence de presse vendredi, Boubacar Kamara est sur le banc.

", + "content": "Dimitri Payet fait son retour dans la compo de l'OM, face à Troyes ce dimanche (20h45). En revanche, après avoir refusé de venir en conférence de presse vendredi, Boubacar Kamara est sur le banc.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/equipe-de-france-basket-benitez-et-kamagate-dans-la-liste_AV-202111230257.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-les-compos-kamara-sur-le-banc-apres-avoir-boude-la-conference-de-presse_AV-202111280260.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:38:31 GMT", + "pubDate": "Sun, 28 Nov 2021 19:16:17 GMT", + "enclosure": "https://images.bfmtv.com/HHYKqfB9zU_7op9V4pQbeb6MOzc=/0x0:2048x1152/800x0/images/Boubacar-Kamara-OM-1177296.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a2f0f23bc65dbf2ec073dff54d5cbca8" + "hash": "8228df3afb1c5f58c1c2a0acd5e187a9" }, { - "title": "Mercato: le Barça de plus en plus inquiet pour la prolongation de Dembélé", - "description": "En fin de contrat à l’issue de la saison, l’avenir d’Ousmane Dembélé au FC Barcelone est toujours aussi incertain. Si les Catalans souhaitent prolonger leur attaquant, les dirigeants seraient de plus en plus inquiets sur ce dossier, surtout à cause de l’agent du joueur qui inciterait son poulain à partir selon Mundo Deportivo.

", - "content": "En fin de contrat à l’issue de la saison, l’avenir d’Ousmane Dembélé au FC Barcelone est toujours aussi incertain. Si les Catalans souhaitent prolonger leur attaquant, les dirigeants seraient de plus en plus inquiets sur ce dossier, surtout à cause de l’agent du joueur qui inciterait son poulain à partir selon Mundo Deportivo.

", + "title": "Coupe de France: Le Havre sorti par une N3, trois équipes de R2 en 32es de finale", + "description": "Après l'élimination de Grenoble et Rodez, Le Havre a également pris la porte ce dimanche face à Chauvigny (National 3) lors du 8e tour de la Coupe de France. Le petit poucet de la compétition, Salouel Saleux, a été éliminé.

", + "content": "Après l'élimination de Grenoble et Rodez, Le Havre a également pris la porte ce dimanche face à Chauvigny (National 3) lors du 8e tour de la Coupe de France. Le petit poucet de la compétition, Salouel Saleux, a été éliminé.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/mercato-le-barca-de-plus-en-plus-inquiet-pour-la-prolongation-de-dembele_AV-202111230252.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-le-havre-sorti-par-une-n3-trois-equipes-de-r2-en-32es-de-finale_AN-202111280257.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:27:54 GMT", + "pubDate": "Sun, 28 Nov 2021 18:59:01 GMT", + "enclosure": "https://images.bfmtv.com/mpXlxdCmYz46XW59qtOVQpAO4Uo=/242x320:1714x1148/800x0/images/Coupe-de-France-1176976.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "549a3c2e7ec6c80e25c6ecfe20447c87" + "hash": "ddd9ace5bda3b60369187df0fc32555f" }, { - "title": "Supporter du SC Bastia éborgné à Reims: un policier renvoyé aux assises", - "description": "Six ans après les faits, le policier accusé d'avoir éborgné Maxime Beux, le soir du 13 février 2016 lors d’affrontements entre des supporters du SC Bastia et des policiers à Reims, devrait faire face à la justice dans les prochains mois.

", - "content": "Six ans après les faits, le policier accusé d'avoir éborgné Maxime Beux, le soir du 13 février 2016 lors d’affrontements entre des supporters du SC Bastia et des policiers à Reims, devrait faire face à la justice dans les prochains mois.

", + "title": "Ligue 1: bouillant, le Stade Rennais est la meilleure équipe d'Europe depuis octobre", + "description": "Aucune autre équipe des cinq grands championnats européens n'a gagné plus de points que le Stade Rennais, dauphin du Paris Saint-Germain en Ligue 1, depuis octobre. Et ce n'est pas tout.

", + "content": "Aucune autre équipe des cinq grands championnats européens n'a gagné plus de points que le Stade Rennais, dauphin du Paris Saint-Germain en Ligue 1, depuis octobre. Et ce n'est pas tout.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/supporter-du-sc-bastia-eborgne-a-reims-un-policier-renvoye-aux-assises_AV-202111230247.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-bouillant-le-stade-rennais-est-la-meilleure-equipe-d-europe-depuis-octobre_AV-202111280251.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:16:04 GMT", + "pubDate": "Sun, 28 Nov 2021 18:43:17 GMT", + "enclosure": "https://images.bfmtv.com/YTEpR29dxA4DNInQmUI2A-TR4pE=/0x104:1200x779/800x0/images/Jeremy-Doku-1177264.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bef313cce3b7adbf5c2f558a34c76b01" + "hash": "6f6c6bc1a981b7672540b40f388e00ef" }, { - "title": "Boxe: Ali-Foreman, revivez le mythe comme si vous y étiez (Fighter Club)", - "description": "Il y a un peu plus de quarante-sept ans, le 30 octobre 1974, Kinshasa accueillait un championnat du monde des poids lourds qui allait entrer dans la légende: le champion George Foreman contre le challenger qui veut reconquérir le trône Muhammad Ali. Un combat à jamais gravé dans l’histoire de la boxe, pour tout ce qu’il représente, que le RMC Fighter Club vous propose de revivre via trois épisodes exceptionnels.

", - "content": "Il y a un peu plus de quarante-sept ans, le 30 octobre 1974, Kinshasa accueillait un championnat du monde des poids lourds qui allait entrer dans la légende: le champion George Foreman contre le challenger qui veut reconquérir le trône Muhammad Ali. Un combat à jamais gravé dans l’histoire de la boxe, pour tout ce qu’il représente, que le RMC Fighter Club vous propose de revivre via trois épisodes exceptionnels.

", + "title": "Chelsea-Manchester United: une énorme bourde, de l'intensité et un classement qui se resserre", + "description": "Le choc de la 13e journée de Premier League a abouti à un match nul entre Chelsea et Manchester United ce dimanche (1-1), à Stamford Bridge. Une rencontre marquée par une énorme bourde et qui permet de resserrer les écarts en haut de tableau.

", + "content": "Le choc de la 13e journée de Premier League a abouti à un match nul entre Chelsea et Manchester United ce dimanche (1-1), à Stamford Bridge. Une rencontre marquée par une énorme bourde et qui permet de resserrer les écarts en haut de tableau.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-ali-foreman-revivez-le-mythe-comme-si-vous-y-etiez-fighter-club_AV-202111230240.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-manchester-united-une-enorme-bourde-de-l-intensite-et-un-classement-qui-se-resserre_AV-202111280249.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:03:01 GMT", + "pubDate": "Sun, 28 Nov 2021 18:33:46 GMT", + "enclosure": "https://images.bfmtv.com/DoU54y7Sdad8O3dQoo2qV-mS6KI=/0x153:2048x1305/800x0/images/Timo-Werner-lors-de-Chelsea-Manchester-United-1177276.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9d3c29f57ffc826840bdf16c2c600a4" + "hash": "48f64301b3bf7980d010e356d2ae3d54" }, { - "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 23 novembre - Ligue des Champions", - "description": "Mon pronostic : Lille bat Salzbourg (2.60) !

", - "content": "Mon pronostic : Lille bat Salzbourg (2.60) !

", + "title": "XV de France: François Moncla, le capitaine qui a botté les fesses d'un Anglais, est mort", + "description": "Ancien capitaine du XV de France, légende du Racing et de Pau, François Moncla s'est éteint à l'âge de 89 ans.

", + "content": "Ancien capitaine du XV de France, légende du Racing et de Pau, François Moncla s'est éteint à l'âge de 89 ans.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-23-novembre-ligue-des-champions_AN-202111230230.html", + "link": "https://rmcsport.bfmtv.com/rugby/xv-de-france/xv-de-france-francois-moncla-le-capitaine-qui-a-botte-les-fesses-d-un-anglais-est-mort_AD-202111280243.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 11:51:25 GMT", + "pubDate": "Sun, 28 Nov 2021 18:14:16 GMT", + "enclosure": "https://images.bfmtv.com/q_N3_TzAmhjX0dHTQxrvSMH0KpQ=/0x99:768x531/800x0/images/Le-3e-ligne-francais-Francois-Moncla-C-tente-une-percee-sous-le-regard-des-joueurs-de-Auckland-lors-du-test-match-contre-Auckland-le-24-juillet-1961-a-Auckland-1177257.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a46f4fc15695ae2c517ba4b6d02c3af1" + "hash": "ff9e63c3a736d286ccf780824d18df9c" }, { - "title": "Ligue des champions: les clubs qui peuvent se qualifier pour les huitièmes ce mardi", - "description": "Quatre équipes ont déjà validé leur billet pour la phase à élimination directe qui débutera en février, et cinq autres pourraient les rejoindre dès ce mardi.

", - "content": "Quatre équipes ont déjà validé leur billet pour la phase à élimination directe qui débutera en février, et cinq autres pourraient les rejoindre dès ce mardi.

", + "title": "Racing-UBB en direct: Bordeaux fait voler en éclats la défense du Racing", + "description": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", + "content": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-clubs-qui-peuvent-se-qualifier-pour-les-huitiemes-ce-mardi_AV-202111230224.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-racing-ubb-en-direct_LS-202111280242.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 11:35:05 GMT", + "pubDate": "Sun, 28 Nov 2021 18:10:33 GMT", + "enclosure": "https://images.bfmtv.com/wLeL7lVcDSap3LzLw3YGUNqFtyA=/0x58:2048x1210/800x0/images/Gael-Fickou-avec-le-Racing-92-1121638.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "39bf25d802534bf7f68973ff1d24c28e" + "hash": "adaf61fdbebf80fd843dea987a9731cd" }, { - "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 23 novembre - NBA", - "description": "Mon pronostic : les Lakers gagnent à New York (2.35) !

", - "content": "Mon pronostic : les Lakers gagnent à New York (2.35) !

", + "title": "Ligue 1: l'OL retrouve le goût de la victoire à Montpellier", + "description": "Une semaine après les incidents face à Marseille, l'OL a remporté son premier match à l'extérieur depuis août, ce dimanche à Montpellier (0-1). Les Gones grimpent à la 7e place et restent au contact des places européennes.

", + "content": "Une semaine après les incidents face à Marseille, l'OL a remporté son premier match à l'extérieur depuis août, ce dimanche à Montpellier (0-1). Les Gones grimpent à la 7e place et restent au contact des places européennes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-23-novembre-nba_AN-202111230219.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-l-ol-retrouve-le-gout-de-la-victoire-a-montpellier_AN-202111280239.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 11:22:03 GMT", + "pubDate": "Sun, 28 Nov 2021 18:06:05 GMT", + "enclosure": "https://images.bfmtv.com/uKk7c2-nA1vvLp3XATXh7-zJ65c=/0x0:1984x1116/800x0/images/Lucas-Paqueta-face-a-Montpellier-1177259.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a7da4797528fddc48ffb7180148917f5" + "hash": "7320dd8f0f297bb7d52c9c7fa5ebd62f" }, { - "title": "JO de Paris 2024: la justice autorise la reprise des travaux d’une piscine d’entraînement", - "description": "En juillet 2024, les Jeux olympiques auront lieu à Paris. Des travaux sont effectués pour préparer idéalement ce grand événement sportif. Depuis quelques semaines, les travaux concernant une piscine d’entraînement à Aubervilliers avaient été suspendus. Mais ce mardi, la cour administrative de Paris a levé cette suspension.

", - "content": "En juillet 2024, les Jeux olympiques auront lieu à Paris. Des travaux sont effectués pour préparer idéalement ce grand événement sportif. Depuis quelques semaines, les travaux concernant une piscine d’entraînement à Aubervilliers avaient été suspendus. Mais ce mardi, la cour administrative de Paris a levé cette suspension.

", + "title": "OL: Govou n’a \"pas spécialement envie\" de rejoindre la cellule de recrutement", + "description": "Interrogé sur Canal+ Sport, Sidney Govou a expliqué ce dimanche qu’il n’envisageait pas de prendre un poste au sein de la cellule de recrutement de l’OL. L’ancien attaquant lyonnais a été approché par les dirigeants des Gones, mais il a décliné la proposition.

", + "content": "Interrogé sur Canal+ Sport, Sidney Govou a expliqué ce dimanche qu’il n’envisageait pas de prendre un poste au sein de la cellule de recrutement de l’OL. L’ancien attaquant lyonnais a été approché par les dirigeants des Gones, mais il a décliné la proposition.

", "category": "", - "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-de-paris-2024-la-justice-autorise-la-reprise-des-travaux-d-une-piscine-d-entrainement_AV-202111230215.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-govou-n-a-pas-specialement-envie-de-rejoindre-la-cellule-de-recrutement_AV-202111280237.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 11:14:51 GMT", + "pubDate": "Sun, 28 Nov 2021 18:03:20 GMT", + "enclosure": "https://images.bfmtv.com/XNpMgZ0M2gB35p0En8_bEjwK-HQ=/0x83:2048x1235/800x0/images/Sidney-Govou-1170136.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25233b3a750e022e8543152dbd6c6aed" + "hash": "b6a41317e2c5b870ec17142f50e3794d" }, { - "title": "AS Rome: Afena-Gyan dément tout notion de racisme à son encontre dans une vidéo du club", - "description": "Le jeune joueur de l’AS Rome, Felix Afena-Gyan (18 ans), a réfuté toute intention de racisme son égard après la diffusion d’une vidéo où il se fait offrir des chaussures par José Mourinho, son entraîneur au sein du club italien.

", - "content": "Le jeune joueur de l’AS Rome, Felix Afena-Gyan (18 ans), a réfuté toute intention de racisme son égard après la diffusion d’une vidéo où il se fait offrir des chaussures par José Mourinho, son entraîneur au sein du club italien.

", + "title": "Ballon d’or: Evra félicite déjà Messi pour son septième sacre", + "description": "Patrice Evra a posté un message très remarqué ce dimanche sur les réseaux. L’ancien capitaine de l’équipe de France adresse ses félicitations à Lionel Messi pour avoir remporté le Ballon d’or 2021. Sauf que la cérémonie est prévue ce lundi soir à Paris…

", + "content": "Patrice Evra a posté un message très remarqué ce dimanche sur les réseaux. L’ancien capitaine de l’équipe de France adresse ses félicitations à Lionel Messi pour avoir remporté le Ballon d’or 2021. Sauf que la cérémonie est prévue ce lundi soir à Paris…

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/as-rome-afena-gyan-dement-tout-notion-de-racisme-a-son-encontre-dans-une-video-du-club_AN-202111230210.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ballon-d-or-evra-felicite-deja-messi-pour-son-septieme-sacre_AV-202111280235.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 11:10:01 GMT", + "pubDate": "Sun, 28 Nov 2021 17:46:09 GMT", + "enclosure": "https://images.bfmtv.com/E_bB2kOcrpM_9ysOh8IpB6bWRFg=/6x48:1094x660/800x0/images/-843411.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca429c5349e56db86e087732b5b7c9fd" + "hash": "8ebbdab8db8bd078aea9bdaebb08f16e" }, { - "title": "Volley, LAM: \"Si nous ne sommes pas écoutés, nous ne jouerons pas\", menace Bazin", - "description": "La 14e journée du championnat de France de volley (LAM) le 29 décembre est en danger face à la levée de bouclier des joueurs organisés autour de leur syndicat, ProSmash. Le président de ce groupement, Yannick Bazin (passeur du Nantes-Rezé) explique l’exaspération des volleyeurs et propose une solution.

", - "content": "La 14e journée du championnat de France de volley (LAM) le 29 décembre est en danger face à la levée de bouclier des joueurs organisés autour de leur syndicat, ProSmash. Le président de ce groupement, Yannick Bazin (passeur du Nantes-Rezé) explique l’exaspération des volleyeurs et propose une solution.

", + "title": "PSG: les stats impressionnantes de Sergio Ramos pour son premier match", + "description": "Sergio Ramos a étrenné pour la première fois son nouveau maillot parisien lors de la victoire du PSG à Saint-Etienne (3-1), livrant une prestation pleine de promesses.

", + "content": "Sergio Ramos a étrenné pour la première fois son nouveau maillot parisien lors de la victoire du PSG à Saint-Etienne (3-1), livrant une prestation pleine de promesses.

", "category": "", - "link": "https://rmcsport.bfmtv.com/volley/volley-lam-si-nous-ne-sommes-pas-ecoutes-nous-ne-jouerons-pas-menace-bazin_AV-202111230200.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-les-stats-impressionnantes-de-sergio-ramos-pour-son-premier-match_AV-202111280232.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 10:48:39 GMT", + "pubDate": "Sun, 28 Nov 2021 17:27:04 GMT", + "enclosure": "https://images.bfmtv.com/gbQp-8PdahoW_nHoSwxlAMF2coo=/0x54:1200x729/800x0/images/Sergio-Ramos-1177244.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b9ab334f2179d0328eaa31116fc6d96" + "hash": "884955b26e4d5ce61803c7df57ad9340" }, { - "title": "Barça: la maison de Fati cambriolée avec des membres de sa famille à l’intérieur", - "description": "Selon La Vanguardia, le domicile d’Ansu Fati a fait l’objet d’un cambriolage, samedi dernier, lors du derby entre le Barça et l’Espanyol Barcelone en Liga (1-0). L’attaquant de 19 ans se trouvait au Camp Nou mais certains de ses proches étaient sur place.

", - "content": "Selon La Vanguardia, le domicile d’Ansu Fati a fait l’objet d’un cambriolage, samedi dernier, lors du derby entre le Barça et l’Espanyol Barcelone en Liga (1-0). L’attaquant de 19 ans se trouvait au Camp Nou mais certains de ses proches étaient sur place.

", + "title": "Chelsea-Manchester United: Ronaldo sur le banc pour le choc, un \"choix tactique\"", + "description": "Crstiano Ronaldo a été mis sur le banc par Michael Carrick ce dimanche, pour le choc de Premier League entre Chelsea et Manchester United.

", + "content": "Crstiano Ronaldo a été mis sur le banc par Michael Carrick ce dimanche, pour le choc de Premier League entre Chelsea et Manchester United.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-la-maison-de-fati-cambriolee-avec-des-membres-de-sa-famille-a-l-interieur_AV-202111230197.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/chelsea-manchester-united-ronaldo-sur-le-banc-pour-le-choc-un-choix-tactique_AV-202111280219.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 10:44:50 GMT", + "pubDate": "Sun, 28 Nov 2021 16:40:34 GMT", + "enclosure": "https://images.bfmtv.com/9dqbwZJhoei7028VBGXKA4yI04w=/0x0:1920x1080/800x0/images/Cristiano-Ronaldo-sur-le-banc-avec-Manchester-United-1177223.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fc95b39ff49b2903ad0167359829c95f" + "hash": "ccbdf6ebf586ab13fb303912d9b74855" }, { - "title": "Manchester City-PSG: grande première pour Sergio Ramos dans le groupe", - "description": "Comme attendu, Sergio Ramos apparaît pour la première fois dans le groupe du PSG depuis sa signature l’été dernier, pour affronter Manchester City, mercredi (21h, sur RMC Sport 1) en Ligue des champions.

", - "content": "Comme attendu, Sergio Ramos apparaît pour la première fois dans le groupe du PSG depuis sa signature l’été dernier, pour affronter Manchester City, mercredi (21h, sur RMC Sport 1) en Ligue des champions.

", + "title": "ASSE-PSG: les Verts défendent Maçon, victime d'insultes après la blessure de Neymar", + "description": "Auteur du tacle qui a entraîné la blessure de Neymar lors d'ASSE-PSG ce dimanche, Yvann Maçon a reçu de nombreuses insultes sur les réseaux sociaux, alors qu'il n'a pas touché le Brésilien sur l'action.

", + "content": "Auteur du tacle qui a entraîné la blessure de Neymar lors d'ASSE-PSG ce dimanche, Yvann Maçon a reçu de nombreuses insultes sur les réseaux sociaux, alors qu'il n'a pas touché le Brésilien sur l'action.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-grande-premiere-pour-sergio-ramos-dans-le-groupe_AV-202111230192.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-les-verts-defendent-macon-victime-d-insultes-apres-la-blessure-de-neymar_AV-202111280215.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 10:42:06 GMT", + "pubDate": "Sun, 28 Nov 2021 16:37:53 GMT", + "enclosure": "https://images.bfmtv.com/Xn3cowPngo0NB_ewJO9wuXNHU1A=/0x388:992x946/800x0/images/Neymar-1177152.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b68827eb411ffbb576af0ad750bdf7f1" + "hash": "c04cf9bf15ba3d5503d42bce3d2ad602" }, { - "title": "Incidents OL-OM: Darmanin promet des décisions rapides, notamment sur le volet sécurité", - "description": "Le ministre de l'Intérieur, Gérald Darmanin, et la ministre déléguée aux Sports, Roxana Maracineanu, en compagnie des instances du football français, ont évoqué ce mardi les incidents survenu à Lyon et les moyens d'y mettre fin pour le reste de la saison.

", - "content": "Le ministre de l'Intérieur, Gérald Darmanin, et la ministre déléguée aux Sports, Roxana Maracineanu, en compagnie des instances du football français, ont évoqué ce mardi les incidents survenu à Lyon et les moyens d'y mettre fin pour le reste de la saison.

", + "title": "PSG: la triste série de blessures de Neymar s'allonge encore", + "description": "Sorti sur civière, Neymar semble s'être salement amoché la cheville gauche ce dimanche, lors du succès du PSG à Saint-Etienne (3-1) pour la 15e journée de Ligue 1. Et c'est loin d'être la première blessure du Brésilien à Paris.

", + "content": "Sorti sur civière, Neymar semble s'être salement amoché la cheville gauche ce dimanche, lors du succès du PSG à Saint-Etienne (3-1) pour la 15e journée de Ligue 1. Et c'est loin d'être la première blessure du Brésilien à Paris.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-darmanin-promet-des-decisions-rapides-notamment-sur-le-volet-securite_AV-202111230189.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-la-triste-serie-de-blessures-de-neymar-s-allonge-encore_AV-202111280214.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 10:40:05 GMT", + "pubDate": "Sun, 28 Nov 2021 16:34:21 GMT", + "enclosure": "https://images.bfmtv.com/uBNGPQ6F-DFI5AwVvEKbscg7Umo=/7x111:2039x1254/800x0/images/Neymar-sorti-sur-civiere-avec-le-PSG-1177183.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1cac910afc4c309f14dda7dcb3286c0" + "hash": "ad9874150f02f2a8c634cce58b996893" }, { - "title": "XV de France: Castex positif au coronavirus, pas d'inquiétude chez les Bleus", - "description": "Jean Castex, le Premier ministre français, a été testé positif au coronavirus lundi moins de 48 heures après avoir félicité les joueurs du XV de France dans le vestiaire après le match face aux All Blacks. Ce qui ne suscite pas d'inquiétude particulière.

", - "content": "Jean Castex, le Premier ministre français, a été testé positif au coronavirus lundi moins de 48 heures après avoir félicité les joueurs du XV de France dans le vestiaire après le match face aux All Blacks. Ce qui ne suscite pas d'inquiétude particulière.

", + "title": "ASSE-PSG: les images de Neymar en béquilles en quittant le stade", + "description": "Neymar s’est blessé à la cheville gauche lors de la victoire du PSG à Saint-Etienne, ce dimanche, lors de la 15e journée de Ligue 1 (1-3). Le meneur de jeu brésilien, qui semble avoir été sérieusement touché, a quitté Geoffroy-Guichard en béquilles.

", + "content": "Neymar s’est blessé à la cheville gauche lors de la victoire du PSG à Saint-Etienne, ce dimanche, lors de la 15e journée de Ligue 1 (1-3). Le meneur de jeu brésilien, qui semble avoir été sérieusement touché, a quitté Geoffroy-Guichard en béquilles.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/xv-de-france-castex-positif-au-coronavirus-apres-avoir-felicite-les-bleus-le-top-14-impacte_AV-202111230163.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-psg-les-images-de-neymar-en-bequilles-en-quittant-le-stade_AV-202111280213.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 09:48:43 GMT", + "pubDate": "Sun, 28 Nov 2021 16:29:22 GMT", + "enclosure": "https://images.bfmtv.com/O4Xzw8ATguV0UzMVvOAQbK-tNUo=/0x9:800x459/800x0/images/Neymar-1177200.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a10393530439f8a01069bb791ba347e7" + "hash": "f1640c2792368b9ff46c2947445de779" }, { - "title": "Manchester United: Jorge Mendes aurait poussé pour le licenciement de Solskjaer", - "description": "Selon plusieurs médias anglais, l’agent de Cristiano Ronaldo, Jorge Mendes, a joué un rôle - plus que décisif ? - dans le renvoi du Norvégien Ole Gunnar Solskjaer.

", - "content": "Selon plusieurs médias anglais, l’agent de Cristiano Ronaldo, Jorge Mendes, a joué un rôle - plus que décisif ? - dans le renvoi du Norvégien Ole Gunnar Solskjaer.

", + "title": "Ligue 1: Rennes nouveau dauphin du PSG, Bordeaux plonge", + "description": "Monaco n'est pas parvenu à battre Strasbourg (1-1) ce dimanche au Stade Louis-II lors de la 15e journée de L1, et a, une nouvelle fois, raté l'occasion de revenir dans le groupe de tête. Tout le contraire de Rennes, qui a saisi l'opportunité d'occuper la place de dauphin du Paris Saitn-Germain, après une victoire (2-0) à Lorient.

", + "content": "Monaco n'est pas parvenu à battre Strasbourg (1-1) ce dimanche au Stade Louis-II lors de la 15e journée de L1, et a, une nouvelle fois, raté l'occasion de revenir dans le groupe de tête. Tout le contraire de Rennes, qui a saisi l'opportunité d'occuper la place de dauphin du Paris Saitn-Germain, après une victoire (2-0) à Lorient.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-jorge-mendes-aurait-pousse-pour-le-licenciement-de-solskjaer_AV-202111230160.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-rennes-nouveau-dauphin-du-psg-bordeaux-plonge_AV-202111280211.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 09:42:51 GMT", + "pubDate": "Sun, 28 Nov 2021 16:22:38 GMT", + "enclosure": "https://images.bfmtv.com/KoKzl7bbqka38Nej5wEXrmR0uc4=/0x0:1200x675/800x0/images/Gaetan-Laborde-1177199.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4144700bb5e5d8ae36601179219690fd" + "hash": "3cba1a9735468321380931f75bc94afb" }, { - "title": "Lille-Salzbourg: comment le Losc peut faire un grand pas vers les 8es", - "description": "Le Losc reçoit Salzbourg, ce mardi, lors de l’avant-dernière journée de la Ligue des champions (21h sur RMC Sport 1). Même s’il l’emporte, le club nordiste ne peut pas encore valider sa place en 8es de finale. Mais il peut déjà s’assurer de prolonger son aventure européenne.

", - "content": "Le Losc reçoit Salzbourg, ce mardi, lors de l’avant-dernière journée de la Ligue des champions (21h sur RMC Sport 1). Même s’il l’emporte, le club nordiste ne peut pas encore valider sa place en 8es de finale. Mais il peut déjà s’assurer de prolonger son aventure européenne.

", + "title": "Covid: l'équipe du Munster touchée et bloquée en Afrique du Sud", + "description": "Après la découverte d'un nouveau variant du Covid-19 en Afrique du Sud, le Munster cherche à quitter le pays avant la fermeture des frontières. Mais l'équipe de rugby doit rester sur place après la révélation d'un cas positif au sein du groupe.

", + "content": "Après la découverte d'un nouveau variant du Covid-19 en Afrique du Sud, le Munster cherche à quitter le pays avant la fermeture des frontières. Mais l'équipe de rugby doit rester sur place après la révélation d'un cas positif au sein du groupe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/lille-salzbourg-les-dogues-peuvent-faire-un-grand-pas-vers-les-8es_AV-202111230151.html", + "link": "https://rmcsport.bfmtv.com/rugby/covid-l-equipe-du-munster-touchee-et-bloquee-en-afrique-du-sud_AV-202111280209.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 09:31:37 GMT", + "pubDate": "Sun, 28 Nov 2021 16:05:05 GMT", + "enclosure": "https://images.bfmtv.com/6YGK_kYQu9mU_Uh4BmsLWxgpq4c=/0x104:2000x1229/800x0/images/L-equipe-du-Munster-1177185.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4341500a7c5b74e99e4baa56aaceb491" + "hash": "5dfbf39437a5ed89f622a0be0e1aabe1" }, { - "title": "Disparition de Peng Shuai: la Chine appelle à cesser de \"monter en épingle\" l'affaire", - "description": "Le porte-parole du ministère chinois des Affaires étrangères a exhorté les responsables politiques étrangers inquiets du sort de Shuai Peng à arrêter toute forme de pression politique sur le régime.

", - "content": "Le porte-parole du ministère chinois des Affaires étrangères a exhorté les responsables politiques étrangers inquiets du sort de Shuai Peng à arrêter toute forme de pression politique sur le régime.

", + "title": "Montpellier-Lyon en direct: l'OL s'impose dans la douleur et peut remercier Paqueta", + "description": "Une semaine après la rencontre arrêtée entre l'OL et l'OM, les Lyonnais se déplacent à Montpellier. Dixième du championnat avant le coup d'envoi, l'OL doit gagner pour ne pas perdre le contact avec les places européennes.

", + "content": "Une semaine après la rencontre arrêtée entre l'OL et l'OM, les Lyonnais se déplacent à Montpellier. Dixième du championnat avant le coup d'envoi, l'OL doit gagner pour ne pas perdre le contact avec les places européennes.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/wta/disparition-de-peng-shuai-la-chine-appelle-a-cesser-de-monter-en-epingle-l-affaire_AV-202111230136.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-montpellier-lyon-en-direct_LS-202111280205.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 08:50:31 GMT", + "pubDate": "Sun, 28 Nov 2021 15:21:41 GMT", + "enclosure": "https://images.bfmtv.com/HUKdXuVBGnEnhXdT2Qi32VOXjtg=/0x0:2048x1152/800x0/images/Lucas-Paqueta-contre-Montpellier-1177215.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "90fc2174d7655e3e3a913c02fec577b3" + "hash": "e2b699c51bcc9119202b5e9a47da8aac" }, { - "title": "PSG: Messi répète qu’il reviendra un jour au Barça", - "description": "Lionel Messi, l'attaquant du PSG, a de nouveau répété son souhait de revenir un jour au FC Barcelone qu’il a quitté l’été dernier pour Paris.

", - "content": "Lionel Messi, l'attaquant du PSG, a de nouveau répété son souhait de revenir un jour au FC Barcelone qu’il a quitté l’été dernier pour Paris.

", + "title": "ASSE-PSG: \"Si ce n’est pas Mbappé, il n’y a pas rouge\", peste Kolodziejczak", + "description": "Coupable d’avoir annulé une occasion de but en stoppant irrégulièrement Kylian Mbappé, qui filait défier le gardien, Timothée Kolodziejczak a été expulsé. Mais le défenseur estime que le carton rouge qui lui a été adressé ne s’imposait pas franchement.

", + "content": "Coupable d’avoir annulé une occasion de but en stoppant irrégulièrement Kylian Mbappé, qui filait défier le gardien, Timothée Kolodziejczak a été expulsé. Mais le défenseur estime que le carton rouge qui lui a été adressé ne s’imposait pas franchement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-repete-qu-il-reviendra-un-jour-au-barca_AV-202111230125.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-si-ce-n-est-pas-mbappe-il-n-y-a-pas-rouge-peste-kolodziejczak_AV-202111280202.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 08:21:48 GMT", + "pubDate": "Sun, 28 Nov 2021 15:07:14 GMT", + "enclosure": "https://images.bfmtv.com/Vv4dIyRjov551onXueYZwhPWFzA=/0x0:1200x675/800x0/images/Timothee-Kolodziejczak-1177177.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc42e89308cf09a3cb9971e836af2528" + "hash": "e427d2079ad147a9daf26a802b1e3472" }, { - "title": "Lille-Salzbourg: sur quelle chaîne regarder ce match crucial de Ligue des champions", - "description": "Le LOSC peut faire un grand pas vers la qualification en huitièmes de finale de la Ligue des champions en cas de victoire ce mardi soir (21h), face à Salzbourg. Un match à suivre sur RMC Sport 1.

", - "content": "Le LOSC peut faire un grand pas vers la qualification en huitièmes de finale de la Ligue des champions en cas de victoire ce mardi soir (21h), face à Salzbourg. Un match à suivre sur RMC Sport 1.

", + "title": "ASSE-PSG: le message volontaire de Neymar après sa grosse blessure à la cheville", + "description": "Après sa sortie sur civière ce dimanche lors de la victoire du PSG à Saint-Etienne (3-1), dans le cadre de la 15e journée de Ligue 1, Neymar a posté un message sur ses réseaux sociaux. Le Brésilien, qui semble sérieusement touché à la cheville, promet de revenir plus fort.

", + "content": "Après sa sortie sur civière ce dimanche lors de la victoire du PSG à Saint-Etienne (3-1), dans le cadre de la 15e journée de Ligue 1, Neymar a posté un message sur ses réseaux sociaux. Le Brésilien, qui semble sérieusement touché à la cheville, promet de revenir plus fort.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/lille-salzbourg-sur-quelle-chaine-regarder-ce-match-crucial-de-ligue-des-champions_AV-202111230123.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-le-message-volontaire-de-neymar-apres-sa-grosse-blessure-a-la-cheville_AV-202111280201.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 08:20:02 GMT", + "pubDate": "Sun, 28 Nov 2021 15:01:29 GMT", + "enclosure": "https://images.bfmtv.com/9F0D2agn9vvA9QBxuWq0a0Z3M3k=/0x212:2048x1364/800x0/images/Neymar-avec-le-PSG-sous-une-fine-neige-1177172.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "01435052ed61c299d5ba5a4c6bb307cc" + "hash": "5528119fefbca4d4a15e2b4c39d0b686" }, { - "title": "Ligue 1: \"Heureusement que j’ai emmené mon fils au rugby plutôt qu’au football\", la charge de Maracineanu contre les clubs", - "description": "Invitée sur RMC ce mardi, Roxana Maracineanu, ministre déléguée des Sports, a adressé une grosse charge aux clubs de football les taxant de laxisme avec les supporters, quelques heures avant une réunion entre les acteurs du sport et plusieurs ministres.

", - "content": "Invitée sur RMC ce mardi, Roxana Maracineanu, ministre déléguée des Sports, a adressé une grosse charge aux clubs de football les taxant de laxisme avec les supporters, quelques heures avant une réunion entre les acteurs du sport et plusieurs ministres.

", + "title": "PSG: Pochettino donne les premiers échos de la blessure de Neymar", + "description": "Si le PSG s'est imposé sur la pelouse de Saint-Etienne ce dimanche (3-1), dans le cadre de la 15e journée de Ligue 1, le match a été marqué par la blessure impressionnante de Neymar. Mauricio Pochettino se veut prudent.

", + "content": "Si le PSG s'est imposé sur la pelouse de Saint-Etienne ce dimanche (3-1), dans le cadre de la 15e journée de Ligue 1, le match a été marqué par la blessure impressionnante de Neymar. Mauricio Pochettino se veut prudent.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-heureusement-que-j-ai-emmene-mon-fils-plutot-au-rugby-qu-au-football-la-charge-de-maracineanu-contre-les-clubs_AV-202111230111.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-donne-les-premiers-echos-de-la-blessure-de-neymar_AV-202111280197.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 07:59:22 GMT", + "pubDate": "Sun, 28 Nov 2021 14:47:06 GMT", + "enclosure": "https://images.bfmtv.com/u3MrAImbXq_xl4Dug9Xpp74-TzY=/0x74:2048x1226/800x0/images/Mauricio-Pochettino-coach-du-PSG-1177162.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "46a6f07190aa1f8f11a2d2218a433a11" + "hash": "0046c9b9393107ae6da6b0f6c3016caa" }, { - "title": "Coupe du monde 2022: Ibrahimovic confie avoir frappé intentionnellement Azpilicueta", - "description": "L’attaquant suédois Zlatan Ibrahimovic persiste et signe, César Azpilicueta méritait le terrible coup d’épaule que lui a asséné l’attaquant milanais. Si c’était à refaire, il recommencerait, assure-t-il au Guardian.

", - "content": "L’attaquant suédois Zlatan Ibrahimovic persiste et signe, César Azpilicueta méritait le terrible coup d’épaule que lui a asséné l’attaquant milanais. Si c’était à refaire, il recommencerait, assure-t-il au Guardian.

", + "title": "Les pronos hippiques du lundi 29 novembre 2021", + "description": "Le Quinté+ du lundi 29 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du lundi 29 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-ibrahimovic-confie-avoir-frappe-intentionnellement-azpilicueta_AV-202111230096.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-lundi-29-novembre-2021_AN-202111280196.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 07:39:43 GMT", + "pubDate": "Sun, 28 Nov 2021 14:41:15 GMT", + "enclosure": "https://images.bfmtv.com/9ajhrxmsWlzcJzk1NkpXll7JYPc=/0x42:800x492/800x0/images/Les-pronos-hippiques-du-29-novembre-2021-1176105.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b0fb38c3a51c18e1757f9ae359321d2" + "hash": "24a4626d655adaeb798099c5821abe08" }, { - "title": "Incidents OL-OM en direct: les clubs ont rendez-vous au ministère de l’Intérieur", - "description": "Les ministres de l'Intérieur et ceux chargés des Sports rencontrent ce mardi les instances du football français pour voir \"ce qu'il faut faire\" après les incidents survenus dimanche soir lors du match OL-OM à Lyon.

", - "content": "Les ministres de l'Intérieur et ceux chargés des Sports rencontrent ce mardi les instances du football français pour voir \"ce qu'il faut faire\" après les incidents survenus dimanche soir lors du match OL-OM à Lyon.

", + "title": "Racing-UBB en direct: Bordeaux renverse la situation avec trois essais coup sur coup", + "description": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", + "content": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-en-direct-les-clubs-ont-rendez-vous-au-ministere-de-l-interieur_LN-202111230091.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-racing-ubb-en-direct_LS-202111280242.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 07:29:32 GMT", + "pubDate": "Sun, 28 Nov 2021 18:10:33 GMT", + "enclosure": "https://images.bfmtv.com/wLeL7lVcDSap3LzLw3YGUNqFtyA=/0x58:2048x1210/800x0/images/Gael-Fickou-avec-le-Racing-92-1121638.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55bd19074b51226a55ee2530666a7487" + "hash": "1c13c5907595f62f0831073d8fdfa935" }, { - "title": "AC Milan: Zlatan estime le niveau technique de la Premier League surcoté", - "description": "Dans une longue interview accordée au Guardian, Zlatan Ibrahimovic évoque de nombreux sujets, dont le niveau technique de la Premier League qu’il estime surcoté en comparaison à celui de l’Espagne, de l’Italie ou de la France.

", - "content": "Dans une longue interview accordée au Guardian, Zlatan Ibrahimovic évoque de nombreux sujets, dont le niveau technique de la Premier League qu’il estime surcoté en comparaison à celui de l’Espagne, de l’Italie ou de la France.

", + "title": "Chelsea-Manchester United en direct : les Red Devils ont résisté aux Blues", + "description": "Contre une équipe de Manchester United en convalescence, Chelsea a dominé sans parvenir à prendre l'avantage et perd de son avance en tête du championnat, après un match nul 1-1 finalement logique.

", + "content": "Contre une équipe de Manchester United en convalescence, Chelsea a dominé sans parvenir à prendre l'avantage et perd de son avance en tête du championnat, après un match nul 1-1 finalement logique.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/ac-milan-zlatan-estime-le-niveau-technique-de-la-premier-league-surcote_AV-202111230060.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-chelsea-manchester-united-en-direct_LS-202111280194.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 06:46:45 GMT", + "pubDate": "Sun, 28 Nov 2021 14:40:33 GMT", + "enclosure": "https://images.bfmtv.com/WyWTfJg5lRfWeHovHFzv5aYz_Zs=/0x0:2048x1152/800x0/images/Jorginho-face-a-Bruno-Fernandes-1177252.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eeb74c7da13d616fb4b8ca014c2e94ce" + "hash": "b8d4f16d361f4b7bf5453849729a9e5d" }, { - "title": "PSG: Messi ravi d’évoluer au sein d’un vestiaire \"très soudé\"", - "description": "Lionel Messi est revenu pour Marca sur ses premiers mois au Paris Saint-Germain et notamment son intégration au vestiaire du club de la capitale. Un vestiaire à l'accent très sud-américain.

", - "content": "Lionel Messi est revenu pour Marca sur ses premiers mois au Paris Saint-Germain et notamment son intégration au vestiaire du club de la capitale. Un vestiaire à l'accent très sud-américain.

", + "title": "Racing-UBB en direct: Bordeaux renverse la situation avec deux essais coup sur coup", + "description": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", + "content": "Suite et fin de la 11e journée de Top 14 avec le choc entre le Racing et Bordeaux-Bègles ! Les Bordelais espèrent faire un coup à La Défense Arena et ainsi recoller au leader toulousain. Coup d’envoi à 21h05 !

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-messi-ravi-d-evoluer-au-sein-d-un-vestiaire-tres-soude_AV-202111230055.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-racing-ubb-en-direct_LS-202111280242.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 06:42:10 GMT", + "pubDate": "Sun, 28 Nov 2021 18:10:33 GMT", + "enclosure": "https://images.bfmtv.com/wLeL7lVcDSap3LzLw3YGUNqFtyA=/0x58:2048x1210/800x0/images/Gael-Fickou-avec-le-Racing-92-1121638.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a8fe87fb96fdef9ad755be3f32c8d8b" + "hash": "a5d4a4ca37b3d74a60dbfbbebc76c8a7" }, { - "title": "PSG: Messi vit comme \"un spectacle\" d’être aux côtés de Sergio Ramos", - "description": "Longtemps adversaires avec le Real Madrid et le FC Barcelone, Lionel Messi et Sergio Ramos se côtoient désormais au PSG. Un \"spectacle\" pour l’Argentin qui confie vouer du respect pour le défenseur espagnol.

", - "content": "Longtemps adversaires avec le Real Madrid et le FC Barcelone, Lionel Messi et Sergio Ramos se côtoient désormais au PSG. Un \"spectacle\" pour l’Argentin qui confie vouer du respect pour le défenseur espagnol.

", + "title": "Manchester City-PSG: les images de l’accrochage très tendu entre Neymar et Mahrez", + "description": "Le choc de Ligue des champions remporté par Manchester City aux dépens du PSG (2-1) mercredi soir à l’Etihad Stadium a été tendu à l’image d’un échange musclé entre Riyad Mahrez et Neymar, capté par RMC Sport.

", + "content": "Le choc de Ligue des champions remporté par Manchester City aux dépens du PSG (2-1) mercredi soir à l’Etihad Stadium a été tendu à l’image d’un échange musclé entre Riyad Mahrez et Neymar, capté par RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-vit-comme-un-spectacle-d-etre-aux-cotes-de-sergio-ramos_AV-202111230032.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-les-images-de-l-accrochage-tres-tendu-entre-neymar-et-mahrez_AV-202111280079.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 05:58:42 GMT", + "pubDate": "Sun, 28 Nov 2021 09:55:51 GMT", + "enclosure": "https://images.bfmtv.com/IQBZWmOw1sQyN2LNjeIR56z0esI=/1x0:769x432/800x0/images/Manchester-City-PSG-l-accrochage-entre-Neymar-et-Mahrez-1177001.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "504e2fb81a1b08f6b52b292fc294e095" + "hash": "37513e81c91fea9a7289d4cb5a26f733" }, { - "title": "Real Madrid: les louanges de Vinicius pour Benzema", - "description": "Dans une interview accordée à la Cadena Ser, Vincius Junior loue son association avec Karim Benzema au sein de l’attaque madrilène. Il vote pour que le Français soit Ballon d’or.

", - "content": "Dans une interview accordée à la Cadena Ser, Vincius Junior loue son association avec Karim Benzema au sein de l’attaque madrilène. Il vote pour que le Français soit Ballon d’or.

", + "title": "Serie A: la réponse de la Juve après les perquisitions de la brigade financière", + "description": "Après les perquisitions dans ses bureaux dans l’enquête sur des transferts douteux, la Juventus a réagi samedi dans un communiqué. Le club dit se tenir à disposition de la justice et assure qu’il collaborera.

", + "content": "Après les perquisitions dans ses bureaux dans l’enquête sur des transferts douteux, la Juventus a réagi samedi dans un communiqué. Le club dit se tenir à disposition de la justice et assure qu’il collaborera.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-les-louanges-de-vinicius-pour-benzema_AV-202111230020.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-la-reponse-de-la-juve-apres-les-perquisitions-de-la-brigade-financiere_AV-202111280072.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 05:38:15 GMT", + "pubDate": "Sun, 28 Nov 2021 09:46:12 GMT", + "enclosure": "https://images.bfmtv.com/JWxKnd3wYmwS1MLKSxFAYPVH6hc=/0x118:2048x1270/800x0/images/Andrea-Agnelli-president-de-la-Juve-1176394.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e352aca1323255a9b5bfd82432ecbc45" + "hash": "aa77517ae8a36c7d585ec1f7840ebd90" }, { - "title": "NBA: LeBron James prend un match, Stewart deux après leur accrochage", - "description": "LeBron James a écopé d'un match de suspension pour avoir asséné un coup au visage du joueur de Detroit, Isaiah Stewart, qui a écopé d'une sanction de deux matchs pour sa réaction.

", - "content": "LeBron James a écopé d'un match de suspension pour avoir asséné un coup au visage du joueur de Detroit, Isaiah Stewart, qui a écopé d'une sanction de deux matchs pour sa réaction.

", + "title": "Montpellier: Nicollin répond à Maracineanu après son tacle aux clubs de foot", + "description": "Le président de Montpellier, Laurent Nicollin, n’a pas aimé que la ministre chargée des Sports ,Roxana Maracineanu, s’en prennent, sur RMC, aux clubs de foot et qu’elle oppose l’ambiance dans les stades de Ligue 1 à ceux du rugby.

", + "content": "Le président de Montpellier, Laurent Nicollin, n’a pas aimé que la ministre chargée des Sports ,Roxana Maracineanu, s’en prennent, sur RMC, aux clubs de foot et qu’elle oppose l’ambiance dans les stades de Ligue 1 à ceux du rugby.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/nba/nba-le-bron-james-suspendu-un-match-pour-son-coup-sur-stewart_AV-202111230009.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/montpellier-nicollin-repond-a-maracineanu-apres-son-tacle-aux-clubs-de-foot_AV-202111280063.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 05:08:04 GMT", + "pubDate": "Sun, 28 Nov 2021 09:20:38 GMT", + "enclosure": "https://images.bfmtv.com/DbKOBcQ0EktMBqzs8D3ms6ecngs=/0x0:2048x1152/800x0/images/Laurent-Nicollin-Montpellier-1132411.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "82935b336752dac4e2216164ae479680" + "hash": "bff96238de233f413497463e173e9ef8" }, { - "title": "Transat Jacques-Vabre: Rogues et Souben s'imposent en Ocean Fifty", - "description": "Sébastien Rogues et Matthieu Souben (Primonial) ont coupé la ligne d'arrivée en premier de la Transart Jacques-Vabre, dans la nuit de lundi à mardi en Martinique.

", - "content": "Sébastien Rogues et Matthieu Souben (Primonial) ont coupé la ligne d'arrivée en premier de la Transart Jacques-Vabre, dans la nuit de lundi à mardi en Martinique.

", + "title": "Coupe de France: Grenoble protégé par la police après des échauffourées entre ultras stéphanois et grenoblois", + "description": "Andrézieux-Bouthéon, équipe de Nationale 2, a battu Grenoble samedi soir en Coupe de France (3-0) et s'est qualifié pour les 32e de finale. Mais la soirée a ensuite dégénéré avec des altercations entre supporters stéphanois et grenoblois, obligeant l'équipe iséroise à être confinée.

", + "content": "Andrézieux-Bouthéon, équipe de Nationale 2, a battu Grenoble samedi soir en Coupe de France (3-0) et s'est qualifié pour les 32e de finale. Mais la soirée a ensuite dégénéré avec des altercations entre supporters stéphanois et grenoblois, obligeant l'équipe iséroise à être confinée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-rogues-et-souben-s-imposent-en-ocean-fifty_AV-202111230007.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france-grenoble-protege-par-la-police-apres-des-echauffourees-entre-ultras-stephanois-et-grenoblois_AN-202111280060.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 04:51:25 GMT", + "pubDate": "Sun, 28 Nov 2021 09:14:57 GMT", + "enclosure": "https://images.bfmtv.com/cPmnce1QKSkFHwo9ArgdiJhwuHE=/0x106:1472x934/800x0/images/Coupe-de-France-1176976.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04a10081142ff0a001d1b77aa8276c19" + "hash": "f16e8e5fc070eca39f85796bd37e7349" }, { - "title": "Ligue des champions: \"Cela peut être un moment très important\", Lille au pied du mur à Salzbourg", - "description": "Le LOSC a l'occasion de faire un grand pas vers la qualification en affrontant Salzbourg mardi soir en Ligue des champions. un match à suivre sur RMC Sport, coup d'envoi à 21h.

", - "content": "Le LOSC a l'occasion de faire un grand pas vers la qualification en affrontant Salzbourg mardi soir en Ligue des champions. un match à suivre sur RMC Sport, coup d'envoi à 21h.

", + "title": "Ligue des champions: tensions entre joueurs, Messi invisible... le film de Manchester City-PSG avec des images exclusives", + "description": "Qualifié mais assuré de ne pas pouvoir finir premier de son groupe, le PSG a fait pâle figure mercredi soir, lors de sa défaite contre Manchester City en Ligue des champions. Les stars Messi, Neymar et Mbappé n'ont pas suffi face à ce collectif bien huilé. Eléments de réponse dans le film RMC Sport de la rencontre.

", + "content": "Qualifié mais assuré de ne pas pouvoir finir premier de son groupe, le PSG a fait pâle figure mercredi soir, lors de sa défaite contre Manchester City en Ligue des champions. Les stars Messi, Neymar et Mbappé n'ont pas suffi face à ce collectif bien huilé. Eléments de réponse dans le film RMC Sport de la rencontre.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-cela-peut-etre-un-moment-tres-important-lille-au-pied-du-mur-salzbourg_AV-202111220570.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-accrochages-messi-invisible-le-film-de-manchester-city-psg-avec-des-images-exclusives_AV-202111280059.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:28:45 GMT", + "pubDate": "Sun, 28 Nov 2021 09:01:39 GMT", + "enclosure": "https://images.bfmtv.com/FEbR2ydk-9h4gbCUXisFWpbkV5M=/0x106:2048x1258/800x0/images/Messi-et-Marquinhos-apres-Manchester-City-PSG-1176895.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59f78a0b9478a61d13866016c988b629" + "hash": "1661c1d81ad86b5fb4ade3b747e48b21" }, { - "title": "Mercato: Zidane au PSG? \"Ça ne me parait pas impossible\", glisse Fred Hermel", - "description": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport, Zinedine Zidane a clairement dit non à Manchester United, pour succéder à Ole Gunnar Solskjaer. En revanche, le technicien français pourrait bien se retrouver, un jour, sur le banc du PSG.

", - "content": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport, Zinedine Zidane a clairement dit non à Manchester United, pour succéder à Ole Gunnar Solskjaer. En revanche, le technicien français pourrait bien se retrouver, un jour, sur le banc du PSG.

", + "title": "\"Honte\", \"farce\", \"toucher le fond\": après Beleneses-Benfica, la presse portugaise s’indigne", + "description": "Au lendemain de la rencontre ubuesque entre Beleneses et le Benfica, la presse portugaise n’a pas mâché ses mots pour qualifier cette soirée qu’elle juge désastreuse pour le football national. Touché par le Covid, Belenenses a aligné neuf joueurs au coup d’envoi avant de déclarer forfait en deuxième période.

", + "content": "Au lendemain de la rencontre ubuesque entre Beleneses et le Benfica, la presse portugaise n’a pas mâché ses mots pour qualifier cette soirée qu’elle juge désastreuse pour le football national. Touché par le Covid, Belenenses a aligné neuf joueurs au coup d’envoi avant de déclarer forfait en deuxième période.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-zidane-au-psg-ca-ne-me-parait-pas-impossible-glisse-fred-hermel_AV-202111220568.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/honte-farce-toucher-le-fond-apres-beleneses-benfica-la-presse-portugaise-s-indigne_AV-202111280052.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:18:11 GMT", + "pubDate": "Sun, 28 Nov 2021 08:39:39 GMT", + "enclosure": "https://images.bfmtv.com/WfDV2oq8ZaFZGAV7LTx0aQANu-g=/16x163:2048x1306/800x0/images/Le-match-entre-Beleneses-et-le-Benfica-s-est-termine-par-un-forfait-1176966.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6c3ec63737411a0a380dc0974fda8e2b" + "hash": "a1b9f45725d522c24141f509b3c809b4" }, { - "title": "Tennis: Après les polémiques l'ATP revoit la règle sur les pauses-toilettes", - "description": "Les pauses de Novak Djokovic avaient notamment suscité une levée de bouclier.

", - "content": "Les pauses de Novak Djokovic avaient notamment suscité une levée de bouclier.

", + "title": "Portugal: Belenenses et Benfica chargent la Ligue après le match de la honte", + "description": "La rencontre de la 12eme journée du championnat portugais entre Beleneseses et Benfica s’est terminée par un forfait des locaux, réduits à six après avoir débuté la rencontre à neuf en raison de multiple cas de Covid dans l’effectif. Alors que tout le monde se demande pourquoi ce match a pu se disputer, les deux clubs de Lisbonne rejettent la responsabilité sur la Ligue de football portugaise.

", + "content": "La rencontre de la 12eme journée du championnat portugais entre Beleneseses et Benfica s’est terminée par un forfait des locaux, réduits à six après avoir débuté la rencontre à neuf en raison de multiple cas de Covid dans l’effectif. Alors que tout le monde se demande pourquoi ce match a pu se disputer, les deux clubs de Lisbonne rejettent la responsabilité sur la Ligue de football portugaise.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/tennis-apres-les-polemiques-l-atp-revoit-la-regle-sur-les-pauses-toilettes_AD-202111220566.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-belenenses-et-benfica-chargent-la-ligue-apres-le-match-de-la-honte_AV-202111280051.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:12:18 GMT", + "pubDate": "Sun, 28 Nov 2021 08:35:56 GMT", + "enclosure": "https://images.bfmtv.com/HgAVq8S7Pva5YviRBhnis1z2sy4=/0x0:2032x1143/800x0/images/Portugal-Belenenses-et-Benfica-chargent-la-Ligue-apres-le-match-de-la-honte-1176964.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "205578d7d0eab2e44f9db493fa3bf699" + "hash": "75f0a7e300659db83616fccdab063c6e" }, { - "title": "PRONOS PARIS RMC Les paris sur Lille – Salzbourg du 23 novembre – Ligue des Champions", - "description": "Notre pronostic : Lille ne perd pas face à Salzbourg et moins de 3,5 buts (1.88)

", - "content": "Notre pronostic : Lille ne perd pas face à Salzbourg et moins de 3,5 buts (1.88)

", + "title": "Ballon d'Or: Messi, Lewandowski, Benzema, une pluie de prétendants", + "description": "Lundi à Paris, sera remis le Ballon d’or 2021. Un retour après une année blanche en 2020 en raison de la saison bousculée par le Covid-19. De Lionel Messi à Robert Lewandowski en passant par Karim Benzema, les postulants sont nombreux.

", + "content": "Lundi à Paris, sera remis le Ballon d’or 2021. Un retour après une année blanche en 2020 en raison de la saison bousculée par le Covid-19. De Lionel Messi à Robert Lewandowski en passant par Karim Benzema, les postulants sont nombreux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-sur-lille-salzbourg-du-23-novembre-ligue-des-champions_AN-202111220315.html", + "link": "https://rmcsport.bfmtv.com/football/ballon-d-or-messi-lewandowski-benzema-une-pluie-de-pretendants_AD-202111280050.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:06:00 GMT", + "pubDate": "Sun, 28 Nov 2021 08:30:18 GMT", + "enclosure": "https://images.bfmtv.com/FKKtGc1FSApaFaXq1THqntEjlPQ=/0x39:768x471/800x0/images/L-attaquant-polonais-du-Bayern-Robert-Lewandowski-buteur-contre-Benfica-en-Ligue-des-champions-le-2-novembre-2021-a-Munich-1160635.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "acbe83b1230205a2be43a379a526113c" + "hash": "a200551281daa664c64a391259117b36" }, { - "title": "PRONOS PARIS RMC Le pari de folie du 23 novembre – Ligue des Champions", - "description": "Notre pronostic : match nul entre Villarreal et Manchester United et les deux équipes marquent (3.80)

", - "content": "Notre pronostic : match nul entre Villarreal et Manchester United et les deux équipes marquent (3.80)

", + "title": "Saint-Etienne-PSG: sur quelle chaîne et à quelle heure regarder le choc des extrêmes en L1", + "description": "Saint-Etienne, avant-dernier du championnat, reçoit le leader parisien dimanche, à 13 heures, pour la 15e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et Canal + Sport.

", + "content": "Saint-Etienne, avant-dernier du championnat, reçoit le leader parisien dimanche, à 13 heures, pour la 15e journée de Ligue 1. Un match à suivre sur Amazon Prime Vidéo et Canal + Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-23-novembre-ligue-des-champions_AN-202111220314.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-sur-quelle-chaine-et-a-quelle-heure-regarder-le-choc-des-extremes-en-l1_AV-202111280044.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:05:00 GMT", + "pubDate": "Sun, 28 Nov 2021 07:53:53 GMT", + "enclosure": "https://images.bfmtv.com/CzLHjfG_UY_TGYkDQh1qszwbQjM=/0x69:1200x744/800x0/images/Sergio-Ramos-1172235.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ef27b49acead3542b53d427bd522bf7" + "hash": "f4d602b22290748f977493fe9fa0be51" }, { - "title": "PRONOS PARIS RMC Le pari sûr du 23 novembre – Ligue des Champions", - "description": "Notre pronostic : le Bayern Munich s’impose sur la pelouse du Dinamo Kiev et au moins deux buts dans la rencontre (1.33)

", - "content": "Notre pronostic : le Bayern Munich s’impose sur la pelouse du Dinamo Kiev et au moins deux buts dans la rencontre (1.33)

", + "title": "ASSE: \"Je ne suis pas fan du PSG\" avoue Boudebouz", + "description": "Avant d’accueillir les stars du Paris Saint-Germain dans le Chaudron dimanche (13h) pour le compte de la 15eme journée de Ligue 1, le milieu de terrain de l’AS Saint-Etienne n’a aucune appréhension. D’autant qu’il n’est pas un supporter des Parisiens.

", + "content": "Avant d’accueillir les stars du Paris Saint-Germain dans le Chaudron dimanche (13h) pour le compte de la 15eme journée de Ligue 1, le milieu de terrain de l’AS Saint-Etienne n’a aucune appréhension. D’autant qu’il n’est pas un supporter des Parisiens.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-23-novembre-ligue-des-champions_AN-202111220312.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/asse-je-ne-suis-pas-fan-du-psg-avoue-boudebouz_AV-202111280040.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:04:00 GMT", + "pubDate": "Sun, 28 Nov 2021 07:25:45 GMT", + "enclosure": "https://images.bfmtv.com/hHqPl5wkG-xAmuuAL_TV6JE-ix8=/0x0:2048x1152/800x0/images/Ryad-Boudebouz-1176950.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4941b2e819ae5e499fa941938bf8ee82" + "hash": "464841385a2a4536132644951e0a71c9" }, { - "title": "PRONOS PARIS RMC Le pari à l’extérieur du 23 novembre – Ligue des Champions", - "description": "Notre pronostic : l’Atalanta s’impose sur la pelouse des Young Boys Berne (1.80)

", - "content": "Notre pronostic : l’Atalanta s’impose sur la pelouse des Young Boys Berne (1.80)

", + "title": "Monconduit: \"Tout le monde rêve de gagner à l'EuroMillions mais je n'envie pas la vie d'un Neymar\"", + "description": "Blessé à la cuisse avant la trêve, Thomas Monconduit devrait faire son retour ce dimanche après-midi dans le derby face à Rennes au Moustoir (15h). Sa grand-mère députée communiste, son rapport à l'argent dans le foot, son soutien aux Gilets Jaunes... l'occasion d'un large entretien avec le milieu de terrain du FC Lorient à la personnalité qui détonne par ses prises de parole et ses convictions.

", + "content": "Blessé à la cuisse avant la trêve, Thomas Monconduit devrait faire son retour ce dimanche après-midi dans le derby face à Rennes au Moustoir (15h). Sa grand-mère députée communiste, son rapport à l'argent dans le foot, son soutien aux Gilets Jaunes... l'occasion d'un large entretien avec le milieu de terrain du FC Lorient à la personnalité qui détonne par ses prises de parole et ses convictions.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-23-novembre-ligue-des-champions_AN-202111220311.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monconduit-tout-le-monde-reve-de-gagner-a-l-euro-millions-mais-je-n-envie-pas-la-vie-d-un-neymar_AV-202111280015.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:03:00 GMT", - "folder": "00.03 News/Sport - FR", - "feed": "RMC Sport", + "pubDate": "Sun, 28 Nov 2021 07:00:00 GMT", + "enclosure": "https://images.bfmtv.com/ihUfdVQyd__C0NfftGCubnTzVeI=/2x0:1458x819/800x0/images/Thomas-Monconduit-1176729.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9749397a49f08a1d7579f01c8da60052" + "hash": "883cff710b1ff52931bdb2247d2b5ca3" }, { - "title": "PRONOS PARIS RMC Le pari à domicile du 23 novembre – Ligue des Champions", - "description": "Notre pronostic : le FC Séville bat Wolfsbourg (1.73)

", - "content": "Notre pronostic : le FC Séville bat Wolfsbourg (1.73)

", + "title": "Boxe: Fulton bat Figueroa et devient champion du monde WBC-WBO des super-coqs", + "description": "A l’issue d’un combat très disputé samedi au Park MGM de Las Vegas, l’Américain Stephen Fulton a battu aux points son compatriote Brandon Figueroa dans le choc d’unification des ceintures WBC-WBO des super-coqs. Une victoire contestée par le boxeur texan.

", + "content": "A l’issue d’un combat très disputé samedi au Park MGM de Las Vegas, l’Américain Stephen Fulton a battu aux points son compatriote Brandon Figueroa dans le choc d’unification des ceintures WBC-WBO des super-coqs. Une victoire contestée par le boxeur texan.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-23-novembre-ligue-des-champions_AN-202111220310.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-fulton-bat-figueroa-et-devient-champion-du-monde-wbc-wbo-des-super-coqs_AN-202111280035.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:02:00 GMT", + "pubDate": "Sun, 28 Nov 2021 06:54:26 GMT", + "enclosure": "https://images.bfmtv.com/EIuKqyJ9OI0VdOpJKn-5LpN-o4Y=/8x4:1064x598/800x0/images/Stephen-Fulton-declare-vainqueur-face-a-Brandon-Figueroa-1176944.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa0343d4749eb1b774fb059efe9af216" + "hash": "85465724f8815a0c38c748b1da9e55b9" }, { - "title": "PRONOS PARIS RMC Le buteur du 23 novembre – Ligue des Champions", - "description": "Notre pronostic : Depay (Barcelone) marque face au Benfica Lisbonne (2.20)

", - "content": "Notre pronostic : Depay (Barcelone) marque face au Benfica Lisbonne (2.20)

", + "title": "Monaco-Strasbourg: Diop prêt à retrouver son mentor Stéphan", + "description": "Auteur d’un début de saison convaincant avec le club de la Principauté, Sofiane Diop s’est présenté devant la presse à la veille de la rencontre de demain face à Strasbourg. Le milieu de terrain en a profité pour rendre un hommage appuyé à Julien Stéphan. L’actuel coach alsacien l’avait lancé avec la réserve du Stade Rennais.  

", + "content": "Auteur d’un début de saison convaincant avec le club de la Principauté, Sofiane Diop s’est présenté devant la presse à la veille de la rencontre de demain face à Strasbourg. Le milieu de terrain en a profité pour rendre un hommage appuyé à Julien Stéphan. L’actuel coach alsacien l’avait lancé avec la réserve du Stade Rennais.  

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-23-novembre-ligue-des-champions_AN-202111220308.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-strasbourg-diop-pret-a-retrouver-son-mentor-stephan_AV-202111280014.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:01:00 GMT", + "pubDate": "Sun, 28 Nov 2021 06:00:00 GMT", + "enclosure": "https://images.bfmtv.com/PDjRFaT_1nb0dJ70aLkA7i9MH7w=/0x22:1200x697/800x0/images/Sofiane-Diop-1176790.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c536503c6542b45d2fcf07f3c35b77f" + "hash": "02eabc044d5bc66f05ad4e83ae61105b" }, { - "title": "PRONOS PARIS RMC Le pari football d’Eric Di Meco du 23 novembre – Ligue des Champions", - "description": "Mon pronostic : Chelsea s’impose par au moins deux buts d’écart face à la Juventus (2.65)

", - "content": "Mon pronostic : Chelsea s’impose par au moins deux buts d’écart face à la Juventus (2.65)

", + "title": "Nice-Metz: composition d’équipe, style de jeu… Galtier menace de tout changer", + "description": "Marqué par une nouvelle entame de match ratée par ses joueurs face à Metz (0-1), Christophe Galtier, l'entraîneur de Nice, a promis des changements dans la composition d'équipe, qui pourrait adopter un autre style de jeu.

", + "content": "Marqué par une nouvelle entame de match ratée par ses joueurs face à Metz (0-1), Christophe Galtier, l'entraîneur de Nice, a promis des changements dans la composition d'équipe, qui pourrait adopter un autre style de jeu.

", "category": "", - "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-d-eric-di-meco-du-23-novembre-ligue-des-champions_AN-202111220307.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-metz-composition-d-equipe-style-de-jeu-galtier-menace-de-tout-changer_AV-202111270327.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 23:00:00 GMT", + "pubDate": "Sat, 27 Nov 2021 23:19:36 GMT", + "enclosure": "https://images.bfmtv.com/Pc_Hi7sa2qmGCCgOjlAaCTUTWyk=/0x0:1200x675/800x0/images/Christophe-Galtier-1176884.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c5d45525c03c29ba07bd2a5566eda90" + "hash": "19b39e339384397d168791da2c2343c9" }, { - "title": "Platini se paye ceux qui ne jurent que par les statistiques dans le football", - "description": "Dans une interview fleuve la revue de l'After, l'ancien numéro 10 des Bleus revient sur les dérives du football actuelle.

", - "content": "Dans une interview fleuve la revue de l'After, l'ancien numéro 10 des Bleus revient sur les dérives du football actuelle.

", + "title": "Reims-Clermont: pour se sauver, Garcia et les Rémois comptent sur les jeunes", + "description": "En quête d'une première victoire depuis fin septembre, Reims espère se sauver grâce à ses joueurs, qu'Oscar Garcia n'hésite pas à lancer dans le grand bain. Ce sera sans doute encore le cas ce dimanche face à Clermont (15h), pour la 15e journée de Ligue 1.

", + "content": "En quête d'une première victoire depuis fin septembre, Reims espère se sauver grâce à ses joueurs, qu'Oscar Garcia n'hésite pas à lancer dans le grand bain. Ce sera sans doute encore le cas ce dimanche face à Clermont (15h), pour la 15e journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/platini-se-paye-ceux-qui-ne-jurent-que-par-les-statistiques-dans-le-football_AV-202111220564.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/reims-clermont-pour-se-sauver-garcia-et-les-remois-comptent-sur-les-jeunes_AV-202111270321.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 22:59:23 GMT", + "pubDate": "Sat, 27 Nov 2021 23:10:46 GMT", + "enclosure": "https://images.bfmtv.com/DemKuMUk8AzNTvbg3rf7JMNWJg8=/0x118:2048x1270/800x0/images/Oscar-Garcia-Reims-1176881.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02cc63da6f2a7c87979191b6dfe9b2dc" + "hash": "391d33a4a892c359061561f1902f4d27" }, { - "title": "Ligue des champions: Messi voit le PSG parmi les favoris, mais évoque des manques", - "description": "Dans une interview accordée à Marca, et dont le quotidien espagnol a diffusé ce lundi soir des extraits, Lionel Messi évoque notamment le statut du PSG en Ligue des champions. S'il classe son équipe parmi les favoris pour le titre, l'Argentin estime que celle-ci doit encore progresser.

", - "content": "Dans une interview accordée à Marca, et dont le quotidien espagnol a diffusé ce lundi soir des extraits, Lionel Messi évoque notamment le statut du PSG en Ligue des champions. S'il classe son équipe parmi les favoris pour le titre, l'Argentin estime que celle-ci doit encore progresser.

", + "title": "PRONOS PARIS RMC Le pari du jour du 28 novembre – Ligue 1", + "description": "Notre pronostic : Lyon ne perd pas à Montpellier et les deux équipes marquent (1.80)

", + "content": "Notre pronostic : Lyon ne perd pas à Montpellier et les deux équipes marquent (1.80)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-messi-voit-le-psg-parmi-les-favoris-mais-evoque-des-manques_AV-202111220553.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-du-jour-du-28-novembre-ligue-1_AN-202111270165.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 22:34:23 GMT", + "pubDate": "Sat, 27 Nov 2021 23:07:00 GMT", + "enclosure": "https://images.bfmtv.com/OfHgXps_5Dn29mnPRp30xBH2ztw=/0x0:1984x1116/800x0/images/H-Aouar-1176641.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86e0c10ea1415dd57060abee6973bcd1" + "hash": "da9d55459d8e13bdf99317925f8f9167" }, { - "title": "Manchester City-PSG: un arbitre italien avec des souvenirs contrastés pour Paris", - "description": "L’UEFA a désigné Daniele Orsato pour diriger le choc entre Manchester City et le PSG, mercredi à l’Etihad Stadium (21h sur RMC Sport 1), en Ligue des champions. L’arbitre italien de 45 ans a souvent croisé Paris dans le passé. Avec un souvenir douloureux, mais aussi de belles victoires. A Manchester notamment…

", - "content": "L’UEFA a désigné Daniele Orsato pour diriger le choc entre Manchester City et le PSG, mercredi à l’Etihad Stadium (21h sur RMC Sport 1), en Ligue des champions. L’arbitre italien de 45 ans a souvent croisé Paris dans le passé. Avec un souvenir douloureux, mais aussi de belles victoires. A Manchester notamment…

", + "title": "PRONOS PARIS RMC Le nul du jour du 28 novembre – Ligue 1", + "description": "Notre pronostic : pas de vainqueur entre Reims et Clermont (3.10)

", + "content": "Notre pronostic : pas de vainqueur entre Reims et Clermont (3.10)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-un-arbitre-italien-avec-des-souvenirs-contrastes-pour-paris_AV-202111220542.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-nul-du-jour-du-28-novembre-ligue-1_AN-202111270162.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 22:16:05 GMT", + "pubDate": "Sat, 27 Nov 2021 23:06:00 GMT", + "enclosure": "https://images.bfmtv.com/Lmzp_LrGcYvzp7HgJzlpvdmkZ0Q=/7x0:1991x1116/800x0/images/H-Ekitike-1176638.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ddd1b95f57069431a30991e5fb3db8f" + "hash": "43129a19f2083aa2a0e69f21cacf92f7" }, { - "title": "Ligue 2: Dijon éteint Auxerre et sort de la zone rouge", - "description": "Dijon remonte à la 12e place. Auxerre tombe à la troisième place.

", - "content": "Dijon remonte à la 12e place. Auxerre tombe à la troisième place.

", + "title": "PRONOS PARIS RMC Le pari de folie du 28 novembre – Ligue 1", + "description": "Notre pronostic : match nul entre Bordeaux et Brest et les deux équipes marquent (3.75)

", + "content": "Notre pronostic : match nul entre Bordeaux et Brest et les deux équipes marquent (3.75)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-2/ligue-2-dijon-eteint-auxerre-et-sort-de-la-zone-rouge_AD-202111220539.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-28-novembre-ligue-1_AN-202111270158.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 22:08:31 GMT", + "pubDate": "Sat, 27 Nov 2021 23:05:00 GMT", + "enclosure": "https://images.bfmtv.com/hlTA9SmPkT8g9s3pQnm9_Halg6g=/7x107:1991x1223/800x0/images/B-Costil-1176635.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "609fa9ed7376e4e92e34ab15e9c4aef0" + "hash": "faf4e424b49bdcd139756b49f08f2ca0" }, { - "title": "OL-OM: le car des Marseillais visé par des jets de projectiles après la rencontre", - "description": "INFO RMC SPORT - Le car de l'OM a été dimanche soir la cible de jets de projectiles après le match arrêté contre l'OL, et après avoir déposé les joueurs marseillais à l'aéroport.

", - "content": "INFO RMC SPORT - Le car de l'OM a été dimanche soir la cible de jets de projectiles après le match arrêté contre l'OL, et après avoir déposé les joueurs marseillais à l'aéroport.

", + "title": "PRONOS PARIS RMC Le pari sûr du 28 novembre – Ligue 1", + "description": "Notre pronostic : le PSG s’impose à Saint-Etienne (1.30)

", + "content": "Notre pronostic : le PSG s’impose à Saint-Etienne (1.30)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-le-car-des-marseillais-vise-par-des-jets-de-projectiles-apres-la-rencontre_AV-202111220531.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-28-novembre-ligue-1_AN-202111270156.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 21:43:26 GMT", + "pubDate": "Sat, 27 Nov 2021 23:04:00 GMT", + "enclosure": "https://images.bfmtv.com/ilExGzYjv6DP9enn_llanLHPCr8=/0x104:2000x1229/800x0/images/Paris-Saint-Germain-1176634.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a493947dc0c21095116186d3468d69b" + "hash": "9f0d0bf993220be9fe50b57c39ef841a" }, { - "title": "Argentine: une ex-liaison de Maradona accuse d'abus la star et son entourage", - "description": "Elle accuse notamment l'ancien numéro 10 argentin disparu l'année dernière de viols.

", - "content": "Elle accuse notamment l'ancien numéro 10 argentin disparu l'année dernière de viols.

", + "title": "PRONOS PARIS RMC Le pari à l’extérieur du 28 novembre – Ligue 1", + "description": "Notre pronostic : Rennes s’impose à Lorient (1.70)

", + "content": "Notre pronostic : Rennes s’impose à Lorient (1.70)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/argentine-une-ex-liaison-de-maradona-accuse-d-abus-la-star-et-son-entourage_AD-202111220529.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-28-novembre-ligue-1_AN-202111270155.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 21:41:56 GMT", + "pubDate": "Sat, 27 Nov 2021 23:03:00 GMT", + "enclosure": "https://images.bfmtv.com/CtO_eOVYCnjnZkh4iAF9YSivsDg=/0x104:2000x1229/800x0/images/Rennes-1176633.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55239c4a3c42d1f75b821ca03baedd5e" + "hash": "ebb5dfba786eb8393ef4cfa5be057ebe" }, { - "title": "Mercato: Bounedjah dans le viseur du Barça? La réponse de Xavi", - "description": "Alors qu'une rumeur faisait état d'un intérêt du Barça pour l'attaquant algérien d'Al Sadd, Baghdad Bounedjah, Xavi a éteint cette piste ce lundi, louant les qualités du joueur mais niant tout intérêt pour lui.

", - "content": "Alors qu'une rumeur faisait état d'un intérêt du Barça pour l'attaquant algérien d'Al Sadd, Baghdad Bounedjah, Xavi a éteint cette piste ce lundi, louant les qualités du joueur mais niant tout intérêt pour lui.

", + "title": "PRONOS PARIS RMC Le pari à domicile du 28 novembre – Ligue 1", + "description": "Notre pronostic : Monaco bat Strasbourg (1.65)

", + "content": "Notre pronostic : Monaco bat Strasbourg (1.65)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-bounedjah-dans-le-viseur-du-barca-la-reponse-de-xavi_AV-202111220522.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-28-novembre-ligue-1_AN-202111270152.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 21:16:54 GMT", + "pubDate": "Sat, 27 Nov 2021 23:02:00 GMT", + "enclosure": "https://images.bfmtv.com/nS13qq5GS7zTKoR777r7QHs8kHU=/0x208:1984x1324/800x0/images/Monaco-1176627.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0aaf6af22b7bdb6b909f29f9d1c8aab" + "hash": "178d6addccc51e2999164cac358bf461" }, { - "title": "OL-OM: \"J'ai maintenant peur d'effectuer des corners à l'extérieur\", explique Payet", - "description": "Le meneur de jeu marseillais Dimitri Payet touché par un jet de bouteille au Groupama Stadium lors de OL-OM a porté plainte.

", - "content": "Le meneur de jeu marseillais Dimitri Payet touché par un jet de bouteille au Groupama Stadium lors de OL-OM a porté plainte.

", + "title": "PRONOS PARIS RMC Le buteur du jour du 28 novembre – Ligue 1", + "description": "Notre pronostic : Milik (OM) marque face à Troyes (2.20)

", + "content": "Notre pronostic : Milik (OM) marque face à Troyes (2.20)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-j-ai-maintenant-peur-quand-d-effectuer-des-corners-a-l-exterieur-explique-payet_AV-202111220510.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-jour-du-28-novembre-ligue-1_AN-202111270150.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 20:46:08 GMT", + "pubDate": "Sat, 27 Nov 2021 23:01:00 GMT", + "enclosure": "https://images.bfmtv.com/19svXpCpc-j0M-N95oyc2LNl93E=/0x0:1984x1116/800x0/images/A-Milik-1176625.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bfa87eb7cbf7adc0b477b08b6db81247" + "hash": "fce9d3aec1fa38a1e898d49ec8ad79c2" }, { - "title": "Manchester City-PSG: Donnarumma appelle ses partenaires \"à souffrir ensemble\" avant le choc", - "description": "A deux jours du déplacement à Manchester City, ce mercredi en Ligue des champions (21h sur RMC Sport 1), Gianluigi Donnarumma a mis en avant le bon état d’esprit qui règne dans le vestiaire du PSG. En exhortant ses coéquipiers à viser la victoire à l’Etihad Stadium.

", - "content": "A deux jours du déplacement à Manchester City, ce mercredi en Ligue des champions (21h sur RMC Sport 1), Gianluigi Donnarumma a mis en avant le bon état d’esprit qui règne dans le vestiaire du PSG. En exhortant ses coéquipiers à viser la victoire à l’Etihad Stadium.

", + "title": "PRONOS PARIS RMC Le pari rugby de Denis Charvet du 28 novembre – Top 14", + "description": "Mon pronostic : Bordeaux-Bègles s’impose sur la pelouse du Racing 92 (3.20)

", + "content": "Mon pronostic : Bordeaux-Bègles s’impose sur la pelouse du Racing 92 (3.20)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-donnarumma-appelle-ses-partenaires-a-souffrir-ensemble-avant-le-choc_AV-202111220507.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-rugby-de-denis-charvet-du-28-novembre-top-14_AN-202111270010.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 20:31:57 GMT", + "pubDate": "Sat, 27 Nov 2021 23:00:00 GMT", + "enclosure": "https://images.bfmtv.com/TSBUQ2k7kMzuuYqesSAq7EA2SGU=/15x0:1999x1116/800x0/images/Bordeaux-Begles-1176087.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf88d64689a4ea394e2e16d306a4823f" + "hash": "5b31f6808edd504594e7fca9c29b6a06" }, { - "title": "Incidents OL-OM: pourquoi le Groupama Stadium n'est pas équipé de filets anti-projectiles", - "description": "Contrairement à plusieurs autres stades français, le Groupama Stadium dans lequel évolue l'OL n'est pas équipé de filets anti-projectiles devant ses virages. Au lendemain des incidents face à l'OM, le directeur général du football Vincent Ponsot s'en est expliqué dans Rothen s'enflamme, sur RMC.

", - "content": "Contrairement à plusieurs autres stades français, le Groupama Stadium dans lequel évolue l'OL n'est pas équipé de filets anti-projectiles devant ses virages. Au lendemain des incidents face à l'OM, le directeur général du football Vincent Ponsot s'en est expliqué dans Rothen s'enflamme, sur RMC.

", + "title": "Liga: le Barça s'en sort mais souffre à Villarreal, deuxième victoire pour Xavi", + "description": "Encore groggy de son 0-0 mardi contre Benfica en C1, le FC Barcelone a fini par l'emporter 3-1 samedi à Villarreal lors de la 15e journée de Liga, mais reste à neuf points du leader, le Real Madrid, qui reçoit le Séville FC dimanche.

", + "content": "Encore groggy de son 0-0 mardi contre Benfica en C1, le FC Barcelone a fini par l'emporter 3-1 samedi à Villarreal lors de la 15e journée de Liga, mais reste à neuf points du leader, le Real Madrid, qui reçoit le Séville FC dimanche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-pourquoi-le-groupama-stadium-n-est-pas-equipe-de-filets-anti-projectiles_AV-202111220497.html", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-le-barca-s-en-sort-mais-souffre-a-villarreal-deuxieme-victoire-pour-xavi_AV-202111270317.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 19:57:15 GMT", + "pubDate": "Sat, 27 Nov 2021 22:47:47 GMT", + "enclosure": "https://images.bfmtv.com/LfiNDr6DixKLRu6HT-pctkWSw0I=/0x0:1200x675/800x0/images/Le-Barca-celebre-le-but-de-Coutinho-1176876.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "62396c980fb0fb2907a2598bfe921ad5" + "hash": "9d14e94583aed7902861d5f3f53864eb" }, { - "title": "Ligue2: L2: Des incidents avant le match Dijon-Auxerre", - "description": "Les violences ont eu lieu dans un bar proche du stade de Dijon. Il n'y a eu ni blessés, ni interpellations.

", - "content": "Les violences ont eu lieu dans un bar proche du stade de Dijon. Il n'y a eu ni blessés, ni interpellations.

", + "title": "Copa Libertadores: dans une finale 100% brésilienne, Palmeiras sacré pour la troisième fois", + "description": "Palmeiras a remporté ce samedi la troisième Copa Libertadores de son histoire en dominant Flamengo (2-1 après prolongation), dans une finale 100% brésilienne.

", + "content": "Palmeiras a remporté ce samedi la troisième Copa Libertadores de son histoire en dominant Flamengo (2-1 après prolongation), dans une finale 100% brésilienne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-2/ligue2-l2-des-incidents-avant-le-match-dijon-auxerre_AN-202111220490.html", + "link": "https://rmcsport.bfmtv.com/football/copa-libertadores/copa-libertadores-dans-une-finale-100-bresilienne-palmeiras-sacre-pour-la-troisieme-fois_AN-202111270316.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 19:43:50 GMT", + "pubDate": "Sat, 27 Nov 2021 22:45:39 GMT", + "enclosure": "https://images.bfmtv.com/I6mMsP2I_5-QQfhzgBOyZcyj64g=/0x104:2000x1229/800x0/images/Palmeiras-Flamengo-1176859.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee7251f271c0abec0b6f07f9f59dcafb" + "hash": "184f21ec54874c8618df787c9e87aa75" }, { - "title": "Incidents OL-OM: Di Meco invite la LFP à \"taper fort\" avec de lourdes sanctions", - "description": "Éric Di Meco a suivi avec consternation les incidents qui ont entraîné l’interruption du choc entre l’OM et l’OL, dimanche lors de la 14e journée de Ligue 1. Notre consultant appelle la commission de discipline de la LFP à prendre des sanctions exemplaires, afin d’enrayer la spirale de violences qui perturbe la saison en cours.

", - "content": "Éric Di Meco a suivi avec consternation les incidents qui ont entraîné l’interruption du choc entre l’OM et l’OL, dimanche lors de la 14e journée de Ligue 1. Notre consultant appelle la commission de discipline de la LFP à prendre des sanctions exemplaires, afin d’enrayer la spirale de violences qui perturbe la saison en cours.

", + "title": "Portugal: faute de joueurs, le match de la honte entre Belenenses et Benfica se finit sur un forfait", + "description": "Après avoir été contraint de débuter le match avec seulement neuf joueurs (dont deux gardiens) ce samedi face à Benfica, Belenenses a finalement déclaré forfait après la mi-temps, en reprenant à 7... et en blessant un joueur à la reprise. Entre temps, les joueurs avaient encaissé sept buts, dans une partie lunaire.

", + "content": "Après avoir été contraint de débuter le match avec seulement neuf joueurs (dont deux gardiens) ce samedi face à Benfica, Belenenses a finalement déclaré forfait après la mi-temps, en reprenant à 7... et en blessant un joueur à la reprise. Entre temps, les joueurs avaient encaissé sept buts, dans une partie lunaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-di-meco-invite-la-lfp-a-taper-fort-avec-de-lourdes-sanctions_AV-202111220488.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-faute-de-joueurs-le-match-de-la-honte-entre-belenenses-et-benfica-se-finit-sur-un-forfait_AV-202111270313.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 19:39:27 GMT", + "pubDate": "Sat, 27 Nov 2021 22:07:10 GMT", + "enclosure": "https://images.bfmtv.com/nojU-LDwcjm1rUrxQpC4PvqcKeI=/0x0:1920x1080/800x0/images/Les-joueurs-de-Belenenses-dans-le-match-de-la-honte-au-Portugal-1176863.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "1bd45863b5cf7ec3ce106e412edaeea6" + "hash": "06fe0c2d8f1d85218a91d92af3ff54cf" }, { - "title": "Incidents OL-OM: les versions contradictoires des différents acteurs", - "description": "Un match interrompu, puis annoncé sur le point de reprendre par le speaker du stade, puis définitivement arrêté, deux clubs qui ne décrivent pas les mêmes discussions en coulisses, le préfet et la LFP qui règlent leurs comptes... Difficile de savoir ce qu'il s'est réellement passé après les incidents d'OL-OM, dimanche soir en Ligue 1, tant les versions des différents acteurs divergent.

", - "content": "Un match interrompu, puis annoncé sur le point de reprendre par le speaker du stade, puis définitivement arrêté, deux clubs qui ne décrivent pas les mêmes discussions en coulisses, le préfet et la LFP qui règlent leurs comptes... Difficile de savoir ce qu'il s'est réellement passé après les incidents d'OL-OM, dimanche soir en Ligue 1, tant les versions des différents acteurs divergent.

", + "title": "Nice-Metz: les Aiglons, dauphins du PSG, trébuchent à domicile face à la lanterne rouge", + "description": "Renversants à Clermont le week-end dernier, les Niçois de Christophe Galtier se sont pris les pieds dans le tapis cette fois-ci, contre Metz, la lanterne rouge du classement. Les Grenats, ont décroché un précieux succès (1-0) dans leur quête du maintien.

", + "content": "Renversants à Clermont le week-end dernier, les Niçois de Christophe Galtier se sont pris les pieds dans le tapis cette fois-ci, contre Metz, la lanterne rouge du classement. Les Grenats, ont décroché un précieux succès (1-0) dans leur quête du maintien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-versions-contradictoires-des-differents-acteurs_AV-202111220486.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/nice-metz-les-aiglons-dauphins-du-psg-trebuchent-a-domicile-face-a-la-lanterne-rouge_AV-202111270312.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 19:23:21 GMT", + "pubDate": "Sat, 27 Nov 2021 22:05:38 GMT", + "enclosure": "https://images.bfmtv.com/oRp8gvQIpAS6t7qxXwkRm9H8yQ8=/0x0:1200x675/800x0/images/Jordan-Lotomba-1176861.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9de8187e8f0a153b91860ecbec6913f8" + "hash": "e82b09c9f9eef73bca62088f6514895e" }, { - "title": "Incidents OL-OM: Les mesures que pourraient réclamer les clubs face à la violence dans les stades", - "description": "Après les incidents navrants qui ont conduit l'arbitre à interrompre le match de Ligue 1 OL-OM dès la deuxième minute, les dirigeants de clubs et la LFP ont rendez-vous au ministère de l'Intérieur. Et ils attendent des mesures.

", - "content": "Après les incidents navrants qui ont conduit l'arbitre à interrompre le match de Ligue 1 OL-OM dès la deuxième minute, les dirigeants de clubs et la LFP ont rendez-vous au ministère de l'Intérieur. Et ils attendent des mesures.

", + "title": "Portugal: situation surréaliste, Belenenses démarre avec... 9 joueurs dont 2 gardiens contre Benfica", + "description": "Opposé à Benfica ce samedi pour la 12e journée du championnat portugais, Belenenses ne compte que neuf joueurs sur sa feuille de match, dont deux gardiens, en raison de 17 cas de Covid-19 au sein de leur équipe.

", + "content": "Opposé à Benfica ce samedi pour la 12e journée du championnat portugais, Belenenses ne compte que neuf joueurs sur sa feuille de match, dont deux gardiens, en raison de 17 cas de Covid-19 au sein de leur équipe.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-mesures-que-pourraient-reclamer-les-clubs-face-a-la-violence-dans-les-stades_AV-202111220478.html", + "link": "https://rmcsport.bfmtv.com/football/primeira-liga/portugal-situation-surrealiste-belenenses-demarre-avec-9-joueurs-dont-2-gardiens-contre-benfica_AV-202111270308.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 19:08:28 GMT", + "pubDate": "Sat, 27 Nov 2021 21:12:05 GMT", + "enclosure": "https://images.bfmtv.com/9Wb0Tnet8ua6SNiyC-KwddqJjAk=/11x1:1211x676/800x0/images/Belenenses-face-a-Benfica-1176850.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "332d34a5d7fd169ee7ecf8cf253c9166" + "hash": "b5a74e735fd20622da79dba24b39877d" }, { - "title": "OL-OM: la moue d’Henry écoutant Aulas devient un mème", - "description": "Les incidents qui ont entraîné l’interruption d’OL-OM, dimanche lors de la 14e journée de Ligue 1, ont été commentés en direct par Thierry Henry sur Amazon Prime Video. Et l’ancien attaquant des Bleus a semblé assez décontenancé par les explications de Jean-Michel Aulas. Au point de voir sa moue détournée en masse sur les réseaux.

", - "content": "Les incidents qui ont entraîné l’interruption d’OL-OM, dimanche lors de la 14e journée de Ligue 1, ont été commentés en direct par Thierry Henry sur Amazon Prime Video. Et l’ancien attaquant des Bleus a semblé assez décontenancé par les explications de Jean-Michel Aulas. Au point de voir sa moue détournée en masse sur les réseaux.

", + "title": "Villarreal-Barça: main non sifflée de Piqué, rouge oublié, vive polémique sur le VAR et l'arbitrage", + "description": "Les premières minutes du match de la 15e journée de Liga entre Villarreal et le Barça ont été marquées par deux polémiques d'arbitrage: pour un carton rouge non sifflé après la semelle de Parejo sur Busquets et après une main de Piqué dans la surface.

", + "content": "Les premières minutes du match de la 15e journée de Liga entre Villarreal et le Barça ont été marquées par deux polémiques d'arbitrage: pour un carton rouge non sifflé après la semelle de Parejo sur Busquets et après une main de Piqué dans la surface.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-la-moue-d-henry-ecoutant-aulas-devient-un-meme_AV-202111220469.html", + "link": "https://rmcsport.bfmtv.com/football/liga/villarreal-barca-main-non-sifflee-de-pique-rouge-oublie-vive-polemique-sur-le-var-et-l-arbitrage_AV-202111270307.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:54:26 GMT", + "pubDate": "Sat, 27 Nov 2021 21:10:02 GMT", + "enclosure": "https://images.bfmtv.com/mYV2n6SbXQt6OyeotZsUEhj6UNQ=/0x128:2048x1280/800x0/images/Pique-avec-Xavi-lors-d-un-match-du-Barca-1176851.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "33ad9a8314e437568bdf7c38ee9f7635" + "hash": "83afd22b28cba0a00a3a858928a3e124" }, { - "title": "Transat Jacques-Vabre: Une arrivée sous haute tension sociale", - "description": "L'arrivée du premier bateau, prévue ce lundi soir à Fort-de-France, se déroule en pleine grève générale.

", - "content": "L'arrivée du premier bateau, prévue ce lundi soir à Fort-de-France, se déroule en pleine grève générale.

", + "title": "Saint-Etienne - PSG: du nouveau côté parisien, Paris voyage avec ses jeunes et Ramos", + "description": "Mauricio Pochettino a emmené avec lui les jeunes Edouard Michut et Xavi Simons dans un secteur de jeu sinistré, à l'occasion du déplacement à Saint-Etienne, ce dimanche (13h).

", + "content": "Mauricio Pochettino a emmené avec lui les jeunes Edouard Michut et Xavi Simons dans un secteur de jeu sinistré, à l'occasion du déplacement à Saint-Etienne, ce dimanche (13h).

", "category": "", - "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-une-arrivee-sous-haute-tension-sociale_AN-202111220454.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-psg-du-nouveau-cote-parisien-paris-voyage-avec-ses-jeunes-et-ramos_AV-202111270302.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:25:36 GMT", + "pubDate": "Sat, 27 Nov 2021 20:42:20 GMT", + "enclosure": "https://images.bfmtv.com/dvo1R1P2FUB7Tyd1V5X7N27UOzE=/0x50:1200x725/800x0/images/Edouard-Michut-1176848.jpg", + "enclosureType": "image/jpg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7bf50e3152cbeecf11c791835eb7033" + "hash": "8c63f392a4c6a77782bae0caa77d2e16" }, { - "title": "Fifa The Best: trois Français parmi les nommés pour le prix de meilleur joueur du monde", - "description": "Les onze joueurs nommés pour le prix Fifa The Best 2021 ont été dévoilés ce lundi. Trois Français en font partie: Karim Benzema, N’Golo Kanté et Kylian Mbappé. La cérémonie aura lieu le 17 janvier à Zürich.

", - "content": "Les onze joueurs nommés pour le prix Fifa The Best 2021 ont été dévoilés ce lundi. Trois Français en font partie: Karim Benzema, N’Golo Kanté et Kylian Mbappé. La cérémonie aura lieu le 17 janvier à Zürich.

", + "title": "Juventus: \"réaliste\", Allegri a quasiment dit adieu au titre de champion d'Italie", + "description": "Défait par l'Atalanta ce samedi (1-0) en Serie A, Massimiliano Allegri a reconnu que le titre serait difficile à jouer cette saison. L'entraîneur de la Juventus l'assure: il faut remettre les compteurs à zéro.

", + "content": "Défait par l'Atalanta ce samedi (1-0) en Serie A, Massimiliano Allegri a reconnu que le titre serait difficile à jouer cette saison. L'entraîneur de la Juventus l'assure: il faut remettre les compteurs à zéro.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/fifa-the-best-trois-francais-parmi-les-nommes-pour-le-prix-de-meilleur-joueur-du-monde_AD-202111220431.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/juventus-realiste-allegri-a-quasiment-dit-adieu-au-titre-de-champion-d-italie_AV-202111270300.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 17:59:12 GMT", + "pubDate": "Sat, 27 Nov 2021 20:29:36 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f7351092d85613f03f8a05859460b1f4" + "hash": "2725b314ed24fedebe12cb4282f3bbf4" }, { - "title": "Manchester City-PSG: Ramos pour la première fois dans le groupe", - "description": "Sergio Ramos sera dans le groupe du PSG pour le déplacement à Manchester City, mercredi, en Ligue des champions (21h sur RMC Sport 1). Une grande première pour le défenseur espagnol de 35 ans, perturbé par des problèmes physiques depuis son arrivée l’été dernier.

", - "content": "Sergio Ramos sera dans le groupe du PSG pour le déplacement à Manchester City, mercredi, en Ligue des champions (21h sur RMC Sport 1). Une grande première pour le défenseur espagnol de 35 ans, perturbé par des problèmes physiques depuis son arrivée l’été dernier.

", + "title": "Rallye du Var: nouvel accident spectaculaire, un blessé grave", + "description": "Au lendemain de l'accident très grave de Ludovic Gal, un nouvel accident très dur a frappé le rallye du Var, avec la sortie de route de Jean-Baptiste Franceschi, blessé grave.

", + "content": "Au lendemain de l'accident très grave de Ludovic Gal, un nouvel accident très dur a frappé le rallye du Var, avec la sortie de route de Jean-Baptiste Franceschi, blessé grave.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-ramos-pour-la-premiere-fois-dans-le-groupe_AV-202111220420.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/rallye/rallye-du-var-nouvel-accident-spectaculaire-un-blesse-grave_AV-202111270296.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 17:49:11 GMT", + "pubDate": "Sat, 27 Nov 2021 19:55:56 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c675e1310c2be67ce7f5ea8fe00c1a0" + "hash": "01ab2c9dd75cbc924a5bb97dbafcece8" }, { - "title": "PSG: A quoi joue Mauricio Pochettino ?", - "description": "Après les rumeurs de l'été envoyant Mauricio Pochettino au Real Madrid, deuxième épisode avec maintenant Manchester United.

", - "content": "Après les rumeurs de l'été envoyant Mauricio Pochettino au Real Madrid, deuxième épisode avec maintenant Manchester United.

", + "title": "PSG: toujours aucune discussion avec Zidane, assurent des sources qataries", + "description": "Alors que les rumeurs vont bon train autour d'un possible remplacement de Mauricio Pochettino par Zinedine Zidane, dans les rangs du PSG, on assure qu'aucune discussion n'a été entamée avec l'ancien coach du Real.

", + "content": "Alors que les rumeurs vont bon train autour d'un possible remplacement de Mauricio Pochettino par Zinedine Zidane, dans les rangs du PSG, on assure qu'aucune discussion n'a été entamée avec l'ancien coach du Real.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-a-quoi-joue-mauricio-pochettino_AV-202111220405.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/psg-toujours-aucune-discussion-avec-zidane-assurent-des-sources-qataries_AN-202111270292.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 17:24:05 GMT", + "pubDate": "Sat, 27 Nov 2021 19:33:45 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ccd00cd0c65967930f22df2810c1c10" + "hash": "e056a7b5f47c7988b8617238c26dbed9" }, { - "title": "Incidents OL-OM: ce que l'on sait du lanceur présumé de la bouteille sur Payet", - "description": "Soupçonné d'avoir lancé la bouteille d'eau qui a percuté Dimitri Payet dimanche soir lors d'OL-OM en Ligue 1, et donc d'avoir entraîné l'arrêt prématuré de la rencontre, un homme de 32 ans a été interpellé. Sa garde à vue a été prolongée.

", - "content": "Soupçonné d'avoir lancé la bouteille d'eau qui a percuté Dimitri Payet dimanche soir lors d'OL-OM en Ligue 1, et donc d'avoir entraîné l'arrêt prématuré de la rencontre, un homme de 32 ans a été interpellé. Sa garde à vue a été prolongée.

", + "title": "Coupe Davis: \"J'ai bon espoir en ces jeunes-là\", Mahut impressionné par les \"rookies\"", + "description": "Battus 2-1 par la Grande-Bretagne dans le huis-clos sordide d’Innsbruck, les Bleus ont vécu la même campagne qu’en 2019 qu’à Madrid. Mais il y a aura des enseignements positifs à tirer du séjour à la montagne, notamment l'essor et l'avènement d'une nouvelle génération.

", + "content": "Battus 2-1 par la Grande-Bretagne dans le huis-clos sordide d’Innsbruck, les Bleus ont vécu la même campagne qu’en 2019 qu’à Madrid. Mais il y a aura des enseignements positifs à tirer du séjour à la montagne, notamment l'essor et l'avènement d'une nouvelle génération.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-ce-que-l-on-sait-du-lanceur-presume-de-la-bouteille-sur-payet_AV-202111220396.html", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-j-ai-bon-espoir-en-ces-jeunes-la-mahut-impressionne-par-les-rookies_AV-202111270291.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 17:12:52 GMT", + "pubDate": "Sat, 27 Nov 2021 19:29:23 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "efa5847226144423d2e53a9d53d1e9c4" + "hash": "f8d52f51507c3e760abbd2eb37bd4007" }, { - "title": "Incidents d’OL-OM: Aulas s’insurge contre un possible retrait de points", - "description": "Au lendemain des incidents d’OL-OM, Jean-Michel Aulas s’est exprimé ce lundi devant quelques médias, dont l’AFP. Le président des Gones en a profité pour répondre notamment à une question sur un éventuel retrait de points contre son club.

", - "content": "Au lendemain des incidents d’OL-OM, Jean-Michel Aulas s’est exprimé ce lundi devant quelques médias, dont l’AFP. Le président des Gones en a profité pour répondre notamment à une question sur un éventuel retrait de points contre son club.

", + "title": "Serie A: sale semaine pour la Juve, qui s'incline encore face à l'Atalanta", + "description": "Giflée par Chelsea en Ligue des champions mardi (4-0), la Juventus s'est inclinée ce samedi sur sa pelouse face à l'Atalanta (1-0) en Serie A et pointe à une modeste sixième place.

", + "content": "Giflée par Chelsea en Ligue des champions mardi (4-0), la Juventus s'est inclinée ce samedi sur sa pelouse face à l'Atalanta (1-0) en Serie A et pointe à une modeste sixième place.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-d-ol-om-aulas-s-insurge-contre-un-possible-retrait-de-points_AV-202111220394.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-sale-semaine-pour-la-juve-qui-s-incline-encore-face-a-l-atalanta_AV-202111270287.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 17:12:05 GMT", + "pubDate": "Sat, 27 Nov 2021 19:06:33 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55ee16e69648304f88d9c348e2f9ca2a" + "hash": "c9c91abb315abcc8466e22376174d2fa" }, { - "title": "OL-OM: mis en cause, le préfet du Rhône donne sa version et dénonce la volte-face de l’arbitre", - "description": "Invité de BFM Lyon ce lundi soir, le préfet de région Pascal Mailhos a apporté un nouvel éclairage sur l'imbroglio qui a conduit à l'arrêt définitif du match OL-OM dimanche soir. Dimitri Payet a été victime d'un jet de projectile, obligeant l'arbitre à interrompre la rencontre.

", - "content": "Invité de BFM Lyon ce lundi soir, le préfet de région Pascal Mailhos a apporté un nouvel éclairage sur l'imbroglio qui a conduit à l'arrêt définitif du match OL-OM dimanche soir. Dimitri Payet a été victime d'un jet de projectile, obligeant l'arbitre à interrompre la rencontre.

", + "title": "OM-Troyes: Under forfait, Payet dans le groupe", + "description": "Si Cengiz Ünder, touché au dos, n’est pas encore totalement rétabli, Dimitri Payet, choqué après avoir été victime d’un jet de bouteille dimanche à Lyon, figure bien dans le groupe de l’OM pour affronter Troyes dimanche soir au Stade Vélodrome en clôture de la 15eme journée de Ligue 1.

", + "content": "Si Cengiz Ünder, touché au dos, n’est pas encore totalement rétabli, Dimitri Payet, choqué après avoir été victime d’un jet de bouteille dimanche à Lyon, figure bien dans le groupe de l’OM pour affronter Troyes dimanche soir au Stade Vélodrome en clôture de la 15eme journée de Ligue 1.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-mis-en-cause-le-prefet-du-rhone-donne-sa-version-et-denonce-la-volte-face-de-l-arbitre_AV-202111220387.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-troyes-under-forfait-payet-dans-le-groupe_AV-202111270282.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:59:01 GMT", + "pubDate": "Sat, 27 Nov 2021 19:00:23 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e458d5af2177f1dd81b370a308ac0ac1" + "hash": "6e443a814d1a6916a42ee2e1d40df41e" }, { - "title": "Incidents OL-OM: le revirement de l’arbitre, l’interpellation du supporter… le déroulé des faits selon le camp lyonnais", - "description": "Un certain flou entoure l’interruption du match entre l’OL et l’OM, dimanche au Groupama Stadium, lors de la 14e journée de Ligue 1. Après deux heures tergiversations et l’annonce d’une reprise, Ruddy Buquet a finalement acté l’arrêt définitif de la rencontre. Voici la version des Gones à propos de cette triste soirée.

", - "content": "Un certain flou entoure l’interruption du match entre l’OL et l’OM, dimanche au Groupama Stadium, lors de la 14e journée de Ligue 1. Après deux heures tergiversations et l’annonce d’une reprise, Ruddy Buquet a finalement acté l’arrêt définitif de la rencontre. Voici la version des Gones à propos de cette triste soirée.

", + "title": "LOU: les deux genoux touchés pour Bastareaud, sorti en larmes", + "description": "Sorti sur blessure et en larmes après seulement quelques minutes de jeu ce samedi, lors de la défaite de Lyon à Toulon (19-13) pour la 11e journée de Top 14, Mathieu Bastareaud est touché aux deux genoux selon son coach Pierre Mignoni.

", + "content": "Sorti sur blessure et en larmes après seulement quelques minutes de jeu ce samedi, lors de la défaite de Lyon à Toulon (19-13) pour la 11e journée de Top 14, Mathieu Bastareaud est touché aux deux genoux selon son coach Pierre Mignoni.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-revirement-de-l-arbitre-l-interpellation-du-supporter-le-deroule-des-faits-selon-le-camp-lyonnais_AV-202111220383.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/lou-les-deux-genoux-touches-pour-bastareaud-sorti-en-larmes_AD-202111270289.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:54:04 GMT", + "pubDate": "Sat, 27 Nov 2021 18:50:00 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a9bd5f62e42f28f646174927bc78c3e" + "hash": "fbb52209f09acaf9ca58e5c78bce9d62" }, { - "title": "MMA: Pourquoi Khamzat Chimaev est le nouveau phénomène de l’UFC (Fighter Club)", - "description": "Arrivé comme un ouragan à l’UFC à l’été 2020, avec deux victoires dans deux catégories en dix jours, Khamzat Chimaev a connu un an d’arrêt en raison d’un Covid compliqué. Mais sa démonstration pour son retour dans la cage, fin octobre, a rappelé combien le Suédois d’origine tchétchène était un talent spécial. Avec un évident potentiel de nouvelle superstar de l’UFC. Le RMC Fighter Club vous propose une plongée en profondeur dans la carrière de celui qui fait fantasmer le monde du MMA.

", - "content": "Arrivé comme un ouragan à l’UFC à l’été 2020, avec deux victoires dans deux catégories en dix jours, Khamzat Chimaev a connu un an d’arrêt en raison d’un Covid compliqué. Mais sa démonstration pour son retour dans la cage, fin octobre, a rappelé combien le Suédois d’origine tchétchène était un talent spécial. Avec un évident potentiel de nouvelle superstar de l’UFC. Le RMC Fighter Club vous propose une plongée en profondeur dans la carrière de celui qui fait fantasmer le monde du MMA.

", + "title": "Nice-Metz en direct: le Gym surpris à domicile par la lanterne rouge", + "description": "Mené à la pause après un but de Centonze, l'OGC Nice a poussé sans parvenir à revenir dans le second acte face à Metz qui signe sa deuxième victoire de la saison. Il laisse l'opportunité à Rennes de prendre sa place de dauphin de Ligue 1, ce dimanche.

", + "content": "Mené à la pause après un but de Centonze, l'OGC Nice a poussé sans parvenir à revenir dans le second acte face à Metz qui signe sa deuxième victoire de la saison. Il laisse l'opportunité à Rennes de prendre sa place de dauphin de Ligue 1, ce dimanche.

", "category": "", - "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/mma-pourquoi-khamzat-chimaev-est-le-nouveau-phenomene-de-l-ufc-fighter-club_AV-202111220372.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-nice-metz-en-direct_LS-202111270277.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:40:38 GMT", + "pubDate": "Sat, 27 Nov 2021 18:42:57 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0cb710f883fb65d9a12f415a9103bf2" + "hash": "931ee4303547a4e4afb1870843cb6e8f" }, { - "title": "PSG: Mbappé malade et absent de l'entraînement, à deux jours de Manchester City", - "description": "Kylian Mbappé n'était pas présent à l'entraînement du PSG ce lundi matin, deux jours avant le choc contre Manchester City en Ligue des champions (mercredi, 21h sur RMC Sport 1). L'attaquant parisien est malade, mais la situation n'est a priori pas inquiétante.

", - "content": "Kylian Mbappé n'était pas présent à l'entraînement du PSG ce lundi matin, deux jours avant le choc contre Manchester City en Ligue des champions (mercredi, 21h sur RMC Sport 1). L'attaquant parisien est malade, mais la situation n'est a priori pas inquiétante.

", + "title": "Coupe de France : Grenoble et Rodez prennent la porte, l'exploit des Réunionnais de Saint-Denis", + "description": "Lors du 8e tour de la Coupe de France, Grenoble et Rodez se sont fait éliminer par Andrézieux (National 2) et Cannes (National 3), tandis que Nîmes a dû attendre les tirs au but pour se qualifier. L'exploit du jour est pour Saint-Denis, équipe de la Réunion, qui s'est qualifiée pour les 32e de finale.

", + "content": "Lors du 8e tour de la Coupe de France, Grenoble et Rodez se sont fait éliminer par Andrézieux (National 2) et Cannes (National 3), tandis que Nîmes a dû attendre les tirs au but pour se qualifier. L'exploit du jour est pour Saint-Denis, équipe de la Réunion, qui s'est qualifiée pour les 32e de finale.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-mbappe-malade-et-absent-de-l-entrainement-a-deux-jours-de-manchester-city_AV-202111220371.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-de-france/coupe-de-france-grenoble-et-rodez-prennent-la-porte-l-exploit-des-reunionnais-de-saint-denis_AN-202111270272.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:38:54 GMT", + "pubDate": "Sat, 27 Nov 2021 18:23:58 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3362d268a11fe890a68ab567ab280698" + "hash": "41c8c3c7ac9d73b7d45d6a2b7952f5eb" }, { - "title": "Incidents OL-OM: \"Quand un acteur est touché, le match ne peut pas reprendre\", estime Labrune, président de la LFP", - "description": "Dans une interview à L'Equipe, le président de la LFP, Vincent Labrune, est revenu sur les incidents observés dimanche soir lors d'OL-OM en Ligue 1. \"Choqué\" par les événements et la longueur du processus ayant conduit à l'arrêt du match, le dirigeant prône l'interruption systématique des rencontres dans de telles situations. Sur les mesures de fond, il renvoie toutefois la balle aux pouvoirs publics...

", - "content": "Dans une interview à L'Equipe, le président de la LFP, Vincent Labrune, est revenu sur les incidents observés dimanche soir lors d'OL-OM en Ligue 1. \"Choqué\" par les événements et la longueur du processus ayant conduit à l'arrêt du match, le dirigeant prône l'interruption systématique des rencontres dans de telles situations. Sur les mesures de fond, il renvoie toutefois la balle aux pouvoirs publics...

", + "title": "Lille-Nantes: accroché par les Canaris, le LOSC continue sa sale série en Ligue 1", + "description": "Tenu en échec par le FC Nantes 1-1 au stade Pierre-Mauroy samedi lors de la 15e journée de Ligue 1, Lille reste sur une inquiétante série de six matchs sans victoire en championnat.

", + "content": "Tenu en échec par le FC Nantes 1-1 au stade Pierre-Mauroy samedi lors de la 15e journée de Ligue 1, Lille reste sur une inquiétante série de six matchs sans victoire en championnat.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-quand-un-acteur-est-touche-le-match-ne-peut-pas-reprendre-estime-labrune-president-de-la-lfp_AV-202111220339.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-nantes-accroche-par-les-canaris-le-losc-continue-sa-sale-serie-en-ligue-1_AN-202111270270.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 15:47:14 GMT", + "pubDate": "Sat, 27 Nov 2021 18:16:46 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7e7649070fb6df3c2820c5fc16c425a1" + "hash": "238ca623df3a3a4b48ad0bfa33fa133f" }, { - "title": "Incidents OL-OM: le speaker du Groupama Stadium livre sa version", - "description": "Le speaker du Groupama Stadium a expliqué sur Twitter pourquoi il avait annoncé la reprise du match OL-OM avant d’indiquer l’inverse, et d’en prononcer l’arrêt définitif.

", - "content": "Le speaker du Groupama Stadium a expliqué sur Twitter pourquoi il avait annoncé la reprise du match OL-OM avant d’indiquer l’inverse, et d’en prononcer l’arrêt définitif.

", + "title": "PSG: Ramos évoque sa longue convalescence et assure pouvoir jouer encore \"quatre ou cinq ans\"", + "description": "Libre de tout contrat après sa longue aventure au Real Madrid, Sergio Ramos n’a toujours pas joué le moindre match depuis son arrivée au PSG. Dans un entretien sur Prime Video, le défenseur de 35 ans a parlé de sa reprise difficile, tout en assurant avoir encore des belles années devant lui.

", + "content": "Libre de tout contrat après sa longue aventure au Real Madrid, Sergio Ramos n’a toujours pas joué le moindre match depuis son arrivée au PSG. Dans un entretien sur Prime Video, le défenseur de 35 ans a parlé de sa reprise difficile, tout en assurant avoir encore des belles années devant lui.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-speaker-du-groupama-stadium-livre-sa-version_AV-202111220333.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-ramos-evoque-sa-longue-convalescence-et-assure-pouvoir-jouer-encore-quatre-ou-cinq-ans_AV-202111270261.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 15:39:07 GMT", + "pubDate": "Sat, 27 Nov 2021 17:43:51 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec81bce82fb529c37f9eb111a2a4a0b9" + "hash": "ea270f28a8c4e0b9ba4cef8715c951c9" }, { - "title": "Serie A: qui est Felix Afena-Gyan, le jeune attaquant de 18 ans de la Roma", - "description": "Auteur d'un doublé avec l'AS Roma dimanche face au Genoa, Felix Afena-Gyan est l'un des attaquants les plus prometteurs du club italien.

", - "content": "Auteur d'un doublé avec l'AS Roma dimanche face au Genoa, Felix Afena-Gyan est l'un des attaquants les plus prometteurs du club italien.

", + "title": "PSG: vers une présence de Simons et Michut dans le groupe face à Saint-Etienne", + "description": "Avec le nombre élevé de blessés dans le secteur du milieu de terrain au PSG, les jeunes Xavi Simons et Edouard Michut ont été invités à s’entraîner avec les professionnels. Non convoqués avec les U19, les deux jeunes pourraient bien être dans le groupe pour affronter Saint-Etienne dimanche (13h).

", + "content": "Avec le nombre élevé de blessés dans le secteur du milieu de terrain au PSG, les jeunes Xavi Simons et Edouard Michut ont été invités à s’entraîner avec les professionnels. Non convoqués avec les U19, les deux jeunes pourraient bien être dans le groupe pour affronter Saint-Etienne dimanche (13h).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-qui-est-felix-afena-gyan-le-jeune-attaquant-de-18-ans-de-la-roma_AV-202111220326.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-vers-une-presence-de-simons-et-michut-dans-le-groupe-face-a-saint-etienne_AV-202111270260.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 15:13:56 GMT", + "pubDate": "Sat, 27 Nov 2021 17:34:05 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a909fa7cfbcf36db46b055b13556149c" + "hash": "5637e8e4891c99309196f145af64eceb" }, { - "title": "Un ancien joueur d’Everton aux 260 matchs en Premier League signe en… 2e division départementale dans les Deux-Sèvres", - "description": "Louzy, petit commune de 1400 habitants dans les Deux-Sèvres, et dont le club évolue en deuxième division départementale, vient d'enregistrer un renfort de poids avec l'arrivée de sa nouvelle star: Tony Hibbert, ancien joueur d'Everton, près de 300 matches de Premier League au compteur.

", - "content": "Louzy, petit commune de 1400 habitants dans les Deux-Sèvres, et dont le club évolue en deuxième division départementale, vient d'enregistrer un renfort de poids avec l'arrivée de sa nouvelle star: Tony Hibbert, ancien joueur d'Everton, près de 300 matches de Premier League au compteur.

", + "title": "Dortmund: victoire, but fou et bras d’honneur d'une fan, le savoureux retour d’Haaland", + "description": "Entré en jeu en fin de match face à Wolfsburg, l’attaquant du Borussia Dortmund Erling Haaland, de retour de blessure après cinq semaines d’absence, a inscrit le troisième but de son équipe, victorieuse 3-1 dans le cadre de la 13e journée de Bundesliga. Une réalisation célébrée avec un bras d'honneur d'une supportrice adverse en retour.

", + "content": "Entré en jeu en fin de match face à Wolfsburg, l’attaquant du Borussia Dortmund Erling Haaland, de retour de blessure après cinq semaines d’absence, a inscrit le troisième but de son équipe, victorieuse 3-1 dans le cadre de la 13e journée de Bundesliga. Une réalisation célébrée avec un bras d'honneur d'une supportrice adverse en retour.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/un-ancien-joueur-d-everton-signe-en-2e-division-departementale-dans-les-deux-sevres_AV-202111220323.html", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/dortmund-victoire-but-fou-et-bras-d-honneur-d-une-fan-le-savoureux-retour-d-haaland_AV-202111270256.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 15:06:04 GMT", + "pubDate": "Sat, 27 Nov 2021 17:25:07 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "96b06833a05012a9d677f809bcb60015" + "hash": "63cc08fc9a8758b6299d15aa4cf6142e" }, { - "title": "Mercato en direct: Xavi évoque la rumeur Bounedjah au Barça", - "description": "A un peu plus d'un mois de l'ouverture du mercato d'hiver (du 1er au 31 janvier 2022), suivez toutes les informations et rumeurs du marché des transferts en direct.

", - "content": "A un peu plus d'un mois de l'ouverture du mercato d'hiver (du 1er au 31 janvier 2022), suivez toutes les informations et rumeurs du marché des transferts en direct.

", + "title": "Premier League: le nouveau festival de Liverpool, qui atteint un record face à Southampton", + "description": "Une nouvelle fois impressionnants, les Reds ont étrillé Southampton (4-0), permettant à Liverpool de revenir provisoirement à un point seulement de Chelsea, le leader de Premier League, au classement.

", + "content": "Une nouvelle fois impressionnants, les Reds ont étrillé Southampton (4-0), permettant à Liverpool de revenir provisoirement à un point seulement de Chelsea, le leader de Premier League, au classement.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-22-novembre_LN-202111220138.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-le-nouveau-festival-de-liverpool-qui-atteint-un-record-face-a-southampton_AV-202111270253.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 08:55:12 GMT", + "pubDate": "Sat, 27 Nov 2021 17:19:43 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb2a9bbf7a6f19598d4fc005c81f3824" + "hash": "2e230650fe9a7acbe5123db92a32c4c0" }, { - "title": "OL-OM en direct: \"J'ai maintenant peur de tirer les corners à l'extérieur\" explique Payet", - "description": "La 14e journée de Ligue 1 s'achève ce dimanche par l'Olympico entre l'OL et l'OM, à Lyon (20h45). Un match bouillant, d'autant que les deux équipes sont rivales pour les places européennes et proposent un jeu plaisant.

", - "content": "La 14e journée de Ligue 1 s'achève ce dimanche par l'Olympico entre l'OL et l'OM, à Lyon (20h45). Un match bouillant, d'autant que les deux équipes sont rivales pour les places européennes et proposent un jeu plaisant.

", + "title": "Toulon-LOU: les images terribles de Bastareaud, qui sort en larmes après une grosse blessure", + "description": "Gravement blessé au genou lors de la rencontre face à Toulon, Mathieu Bastareaud est sorti sur civière en larmes dès la 4e minute, après s'être écroulé tout seul. Une nouvelle tuile pour le capitaine du LOU.

", + "content": "Gravement blessé au genou lors de la rencontre face à Toulon, Mathieu Bastareaud est sorti sur civière en larmes dès la 4e minute, après s'être écroulé tout seul. Une nouvelle tuile pour le capitaine du LOU.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-le-bouillant-olympico-ol-om_LS-202111210021.html", + "link": "https://rmcsport.bfmtv.com/rugby/toulon-lou-les-images-terribles-de-bastareaud-qui-sort-en-larmes-apres-une-grosse-blessure_AD-202111270250.html", "creator": "", - "pubDate": "Sun, 21 Nov 2021 16:00:00 GMT", + "pubDate": "Sat, 27 Nov 2021 17:13:34 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db8abf4bc6f86072438b19fcf7876e00" + "hash": "0e62b99f88094fe5d40440657851439c" }, { - "title": "Monaco-Lille: l'ASM arrache un point, de gros regrets pour le LOSC", - "description": "Jonathan David a eu beau marqué un doublé ce vendredi en ouverture de la 14e journée de Ligue 1, son équipe de Lille s'est contentée d'un nul à Monaco (2-2). En infériorité numérique, les Monégasques ont égalisé grâce à Krépin Diatta et Wissam Ben Yedder.

", - "content": "Jonathan David a eu beau marqué un doublé ce vendredi en ouverture de la 14e journée de Ligue 1, son équipe de Lille s'est contentée d'un nul à Monaco (2-2). En infériorité numérique, les Monégasques ont égalisé grâce à Krépin Diatta et Wissam Ben Yedder.

", + "title": "Monaco: Kovac compare l’importance de Golovin à celle de Messi au Barça", + "description": "Ce dimanche, l’AS Monaco recevra dans son stade Strasbourg (15h). En conférence de presse, le technicien monégasque Niko Kovac est revenu sur l’importance d'Aleksandr Golovin. Pour appuyer son propos, le Croate a fait une comparaison avec le FC Barcelone et Lionel Messi.

", + "content": "Ce dimanche, l’AS Monaco recevra dans son stade Strasbourg (15h). En conférence de presse, le technicien monégasque Niko Kovac est revenu sur l’importance d'Aleksandr Golovin. Pour appuyer son propos, le Croate a fait une comparaison avec le FC Barcelone et Lionel Messi.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-lille-l-asm-arrache-un-point-de-gros-regrets-pour-le-losc_AV-202111190501.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-kovac-compare-l-importance-de-golovin-a-celle-de-messi-au-barca_AV-202111270246.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 22:09:20 GMT", + "pubDate": "Sat, 27 Nov 2021 17:04:52 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, - "created": true, + "created": false, "tags": [], - "hash": "6096afabd31a83a5d1d8b506c49c074f" + "hash": "cae6fccc6d015f17bfa2b7320f94a3af" }, { - "title": "Bundesliga: deuxième défaite pour le Bayern, le championnat relancé", - "description": "Sans Coman mais avec Hernandez, Upamecano et Pavard, le Bayern Munich a concédé sa deuxième défaite de la saison en Bundesliga face à Augsbourg 2-1 ce vendredi soir, en ouverture de la 12e journée du championnat allemand.

", - "content": "Sans Coman mais avec Hernandez, Upamecano et Pavard, le Bayern Munich a concédé sa deuxième défaite de la saison en Bundesliga face à Augsbourg 2-1 ce vendredi soir, en ouverture de la 12e journée du championnat allemand.

", + "title": "Rugby: privés de match à Twickenham, les Samoa entonnent quand même leur hymne", + "description": "Alors que le Fédération anglaise de rugby a annulé la rencontre entre les Barbarians britanniques et les Samoa à quelques heures du coup d'envoi, les Samoans sont tout de même venus sur la pelouse pour chanter leur hymne.

", + "content": "Alors que le Fédération anglaise de rugby a annulé la rencontre entre les Barbarians britanniques et les Samoa à quelques heures du coup d'envoi, les Samoans sont tout de même venus sur la pelouse pour chanter leur hymne.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-deuxieme-defaite-pour-le-bayern-le-championnat-relance_AD-202111190493.html", + "link": "https://rmcsport.bfmtv.com/rugby/rugby-prives-de-match-a-twickenham-les-samoa-entonnent-quand-meme-leur-hymne_AD-202111270244.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:50:00 GMT", + "pubDate": "Sat, 27 Nov 2021 16:59:07 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eba555505f75ad1398aa5e7bcea97f90" + "hash": "23c206afceebbce4b97f3e052b10b4c4" }, { - "title": "Disparition de Peng Shuai: des photos de la joueuse postées sur les réseaux sociaux chinois", - "description": "Disparue depuis le 2 novembre après avoir accusé un ancien haut dirigeant chinois de l’avoir violée, la joueuse de tennis Peng Shuai est apparue sur des photos qu’elle aurait envoyées à une amie via le réseau social chinois WeChat. Mais le doute demeure quant à la date de ces clichés. Et sa disparition reste inquiétante.

", - "content": "Disparue depuis le 2 novembre après avoir accusé un ancien haut dirigeant chinois de l’avoir violée, la joueuse de tennis Peng Shuai est apparue sur des photos qu’elle aurait envoyées à une amie via le réseau social chinois WeChat. Mais le doute demeure quant à la date de ces clichés. Et sa disparition reste inquiétante.

", + "title": "MMA: le calvaire de Diego Sanchez, légende de l’UFC, à cause du Covid-19", + "description": "A 39 ans, le combattant américain Diego Sanchez est actuellement hospitalisé pour une pneumonie provoquée par le Covid-19. Non vacciné, il a partagé son cauchemar sur les réseaux sociaux.

", + "content": "A 39 ans, le combattant américain Diego Sanchez est actuellement hospitalisé pour une pneumonie provoquée par le Covid-19. Non vacciné, il a partagé son cauchemar sur les réseaux sociaux.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/disparition-de-peng-shuai-des-photos-de-la-joueuse-postees-sur-les-reseaux-sociaux-chinois_AV-202111190490.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/mma-le-calvaire-de-diego-sanchez-legende-de-l-ufc-a-cause-du-covid-19_AN-202111270235.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:30:59 GMT", + "pubDate": "Sat, 27 Nov 2021 16:49:48 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3b7ffc2464f0bb9940d06413940a225" + "hash": "808352ce713cd6c03b1bf796a4595533" }, { - "title": "Disparition de Peng Shuai: prêt à boycotter la Chine, Mahut dénonce le silence de l'ITF et du CIO", - "description": "Nicolas Mahut a réaffirmé ce vendredi sa volonté de boycotter les tournois en Chine si aucune nouvelle rassurante n’est publiée autour de Peng Shuai. Associé à Pierre-Hugues Herbert, le spécialiste du double a taclé la Fédération internationale de tennis et le CIO pour leur inaction.

", - "content": "Nicolas Mahut a réaffirmé ce vendredi sa volonté de boycotter les tournois en Chine si aucune nouvelle rassurante n’est publiée autour de Peng Shuai. Associé à Pierre-Hugues Herbert, le spécialiste du double a taclé la Fédération internationale de tennis et le CIO pour leur inaction.

", + "title": "Real Madrid: Ancelotti garantit le côté gauche à Vinicius, même si Mbappé arrive", + "description": "Vinicius jouera sur l'aile gauche du 4-3-3 du Real Madrid tant que Carlo Ancelotti sera l'entraîneur du club merengue, c'est le sens du message délivré ce samedi par le technicien italien. La possible arrivée prochaine de Kylian Mbappé n'y changera rien, a-t-il assuré.

", + "content": "Vinicius jouera sur l'aile gauche du 4-3-3 du Real Madrid tant que Carlo Ancelotti sera l'entraîneur du club merengue, c'est le sens du message délivré ce samedi par le technicien italien. La possible arrivée prochaine de Kylian Mbappé n'y changera rien, a-t-il assuré.

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/disparition-de-peng-shuai-mahut-denonce-le-silence-de-l-itf-et-du-cio-avant-les-jo-en-chine_AV-202111190488.html", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-ancelotti-garantit-le-cote-gauche-a-vinicius-meme-si-mbappe-arrive_AV-202111270232.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:19:55 GMT", + "pubDate": "Sat, 27 Nov 2021 16:36:34 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b6bd258642bc8975367ace208c2252b" + "hash": "5acf8c30744fc44098d8ebf1fc00ef5b" }, { - "title": "Premier League: Howe va rater son premier match avec Newcastle", - "description": "Eddie Howe ne sera pas sur le banc de Newcastle samedi face à Brentford, pour son premier match en tant qu'entraîneur des Magpies. Fraîchement nommé, l'ancien coach de Bournemouth est positif au Covid-19.

", - "content": "Eddie Howe ne sera pas sur le banc de Newcastle samedi face à Brentford, pour son premier match en tant qu'entraîneur des Magpies. Fraîchement nommé, l'ancien coach de Bournemouth est positif au Covid-19.

", + "title": "AC Milan: Pioli annonce le retour de Maignan face à Sassuolo", + "description": "Après avoir été opéré du poignet en octobre, Mike Maignan va faire ce dimanche son retour à la compétition avec l'AC Milan, face à Sassuolo. C’est son entraîneur Stefano Pioli qui l’a annoncé en conférence de presse.

", + "content": "Après avoir été opéré du poignet en octobre, Mike Maignan va faire ce dimanche son retour à la compétition avec l'AC Milan, face à Sassuolo. C’est son entraîneur Stefano Pioli qui l’a annoncé en conférence de presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-howe-va-rater-son-premier-match-avec-newcastle_AD-202111190486.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/ac-milan-pioli-annonce-le-retour-de-maignan-face-a-sassuolo_AV-202111270215.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:05:12 GMT", + "pubDate": "Sat, 27 Nov 2021 15:26:10 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98469a296ca50e183fa758d5e4ddab94" + "hash": "765aea03a59fb3b833a5d30fef0755f1" }, { - "title": "Comment l’image de la Ligue 1 s’est bonifiée selon Thierry Henry", - "description": "Le meilleur buteur de l’histoire de l’équipe de France, et actuel consultant pour Amazon Prime Vidéo, Thierry Henry a expliqué pourquoi la Ligue 1 suscite davantage d’intérêt depuis quelques années.

", - "content": "Le meilleur buteur de l’histoire de l’équipe de France, et actuel consultant pour Amazon Prime Vidéo, Thierry Henry a expliqué pourquoi la Ligue 1 suscite davantage d’intérêt depuis quelques années.

", + "title": "Coupe du monde: les Serbes ont reversé leur prime de qualification aux enfants défavorisés", + "description": "Directement qualifiés pour la Coupe du monde 2022 au Qatar grâce à leur victoire au Portugal (1-2), les joueurs de la Serbie ont décidé de reverser la prime d'un million d’euros, promise par le président de la République serbe à des enfants, en situation précaire.

", + "content": "Directement qualifiés pour la Coupe du monde 2022 au Qatar grâce à leur victoire au Portugal (1-2), les joueurs de la Serbie ont décidé de reverser la prime d'un million d’euros, promise par le président de la République serbe à des enfants, en situation précaire.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/comment-l-image-de-la-ligue-1-s-est-bonifiee-selon-thierry-henry_AV-202111190481.html", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-les-serbes-ont-reverse-leur-prime-de-qualification-aux-enfants-defavorises_AV-202111270209.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 20:50:25 GMT", + "pubDate": "Sat, 27 Nov 2021 15:03:30 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4ef8cd798ee1b8952787ff4edbb6d84" + "hash": "099c602d621abd302e0612e44ef0b23c" }, { - "title": "Uruguay: le sélectionneur Tabarez viré après une mauvaise série", - "description": "L’Uruguay a officialisé ce vendredi la fin du contrat d’Oscar Tabarez. Sélectionneur depuis 2006, le technicien de 74 ans paie une série de quatre défaites consécutives et la septième place de la Celeste lors des éliminatoires sud-américains pour le Mondial 2022.

", - "content": "L’Uruguay a officialisé ce vendredi la fin du contrat d’Oscar Tabarez. Sélectionneur depuis 2006, le technicien de 74 ans paie une série de quatre défaites consécutives et la septième place de la Celeste lors des éliminatoires sud-américains pour le Mondial 2022.

", + "title": "Lille-Nantes en direct : David titulaire, les Lillois visent le top 10", + "description": "La 15e journée de Ligue 1 se poursuit ce samedi après-midi avec Lille (12e) qui reçoit Nantes (11e). Dans une première partie de saison compliquée, les Dogues espèrent bien rallier la première moitié de tableau en s’imposant devant leur public. Mais les Nantais partagent aussi cet objectif.

", + "content": "La 15e journée de Ligue 1 se poursuit ce samedi après-midi avec Lille (12e) qui reçoit Nantes (11e). Dans une première partie de saison compliquée, les Dogues espèrent bien rallier la première moitié de tableau en s’imposant devant leur public. Mais les Nantais partagent aussi cet objectif.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/qualifications/uruguay-le-selectionneur-tabarez-vire-apres-une-mauvaise-serie_AV-202111190476.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/lille-nantes-en-direct-les-lillois-visent-le-top-10_LS-202111270206.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 20:14:39 GMT", + "pubDate": "Sat, 27 Nov 2021 14:58:32 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cfb2b1bed64e4cb469eccd1e1a7a08a3" + "hash": "d651c81ac772c64a80f090addf080d0f" }, { - "title": "Euroleague: nouvelle défaite pour Monaco, surclassé par l'Efes", - "description": "L’AS Monaco a été largement dominée par les Turcs d’Efes Anadolu Istanbul 98-77 ce vendredi lors de la 11e journée d'Euroleague.

", - "content": "L’AS Monaco a été largement dominée par les Turcs d’Efes Anadolu Istanbul 98-77 ce vendredi lors de la 11e journée d'Euroleague.

", + "title": "Premier League: Arsenal se relance face à Newcastle après sa grosse défaite à Liverpool", + "description": "Pour le début de cette treizième journée de Premier League, Arsenal a rebondi en dominant Newcastle ce samedi (2-0). Ce sont les jeunes Saka et Martinelli qui ont permis aux Gunners de se rassurer après la lourde défaite du week-end dernier face à Liverpool (4-0)

", + "content": "Pour le début de cette treizième journée de Premier League, Arsenal a rebondi en dominant Newcastle ce samedi (2-0). Ce sont les jeunes Saka et Martinelli qui ont permis aux Gunners de se rassurer après la lourde défaite du week-end dernier face à Liverpool (4-0)

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroleague-nouvelle-defaite-pour-monaco-surclasse-par-anadolu_AD-202111190471.html", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-arsenal-se-relance-face-a-newcastle-apres-sa-grosse-defaite-a-liverpool_AV-202111270205.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 19:54:26 GMT", + "pubDate": "Sat, 27 Nov 2021 14:57:07 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9b003da82bfc9d88ae4d8299f63a15e" + "hash": "3adc0b0ca223016cd7199216741641a5" }, { - "title": "France-Nouvelle-Zélande: comment les Bleus abordent \"le grand défi\" face aux Blacks", - "description": "A l’image de leur capitaine Antoine Dupont, les joueurs du XV de France ont déjà la tête au Stade de France où ils défieront la Nouvelle-Zélande samedi soir pour leur troisième test-match d’automne. Le défi est immense mais les Bleus veulent croire en un exploit.

", - "content": "A l’image de leur capitaine Antoine Dupont, les joueurs du XV de France ont déjà la tête au Stade de France où ils défieront la Nouvelle-Zélande samedi soir pour leur troisième test-match d’automne. Le défi est immense mais les Bleus veulent croire en un exploit.

", + "title": "Incidents OL-OM: les Lyonnais \"préoccupés\" par des possibles sanctions", + "description": "Entre la victoire en Ligue Europa jeudi à Bröndby (3-1) et un déplacement à Montpellier dimanche en Ligue 1, les joueurs de l’OL et leur entraîneur Peter Bosz reconnaissent qu’ils appréhendent de possibles sanctions de la commission de discipline consécutives aux incidents survenus lors du match interrompu face à l’OM, dimanche dernier au Groupama Stadium.

", + "content": "Entre la victoire en Ligue Europa jeudi à Bröndby (3-1) et un déplacement à Montpellier dimanche en Ligue 1, les joueurs de l’OL et leur entraîneur Peter Bosz reconnaissent qu’ils appréhendent de possibles sanctions de la commission de discipline consécutives aux incidents survenus lors du match interrompu face à l’OM, dimanche dernier au Groupama Stadium.

", "category": "", - "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/france-nouvelle-zelande-comment-les-bleus-abordent-le-grand-defi-face-aux-blacks_AV-202111190463.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-lyonnais-preoccupes-par-des-possibles-sanctions_AV-202111270200.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 19:08:00 GMT", + "pubDate": "Sat, 27 Nov 2021 14:40:12 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87eddd56de0fb31cb93852c4a5ae8637" + "hash": "ab76c1e44a26b31d450f3a440b6089d1" }, { - "title": "Monaco-Lille en direct: mené 2-0, l'ASM arrache le nul, les Lillois peuvent s'en vouloir", - "description": "La 14e journée de Ligue 1 débute par un scénario renversant ce vendredi: mené 2-0, Monaco arrache le nul face à des Lillois qui ont arrêté de jouer après la pause.

", - "content": "La 14e journée de Ligue 1 débute par un scénario renversant ce vendredi: mené 2-0, Monaco arrache le nul face à des Lillois qui ont arrêté de jouer après la pause.

", + "title": "PSG: face aux rumeurs sur son avenir, Pochettino assure que \"c'est bon signe\"", + "description": "Face aux rumeurs l'envoyant à Manchester United à moyen terme, Mauricio Pochettino a affirmé ce samedi en conférence de presse qu'il était complètement \"concentré\" sur le PSG.

", + "content": "Face aux rumeurs l'envoyant à Manchester United à moyen terme, Mauricio Pochettino a affirmé ce samedi en conférence de presse qu'il était complètement \"concentré\" sur le PSG.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-le-match-monaco-lille-en-direct_LS-202111190455.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-face-aux-rumeurs-sur-son-avenir-pochettino-assure-que-c-est-bon-signe_AV-202111270186.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 19:06:54 GMT", + "pubDate": "Sat, 27 Nov 2021 14:04:27 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cd3caea6af9d2d10bd7d45f36cd2a152" + "hash": "0ff374ceba67919a6598328ee87a750a" }, { - "title": "Tennis: \"très préoccupés\" par le sort de Peng Shuai, les Etats-Unis réclament une \"preuve vérifiable\"", - "description": "La disparition de Peng Shuai, joueuse de tennis chinoise qui a accusé publiquement un ancien haut dirigeant de son pays de viol, inquiète fortement la Maison Blanche. Washington réclame une \"preuve vérifiable\" concernant la sécurité de la joueuse et se dit \"très préoccupé\".

", - "content": "La disparition de Peng Shuai, joueuse de tennis chinoise qui a accusé publiquement un ancien haut dirigeant de son pays de viol, inquiète fortement la Maison Blanche. Washington réclame une \"preuve vérifiable\" concernant la sécurité de la joueuse et se dit \"très préoccupé\".

", + "title": "PSG: quatre forfaits pour Saint-Etienne", + "description": "Le PSG doit se passer de Marco Verratti, Ander Herrera, Georginio Wijnaldum et Mauro Icardi pour le déplacement à Saint-Etienne ce dimanche en Ligue 1 (13h).

", + "content": "Le PSG doit se passer de Marco Verratti, Ander Herrera, Georginio Wijnaldum et Mauro Icardi pour le déplacement à Saint-Etienne ce dimanche en Ligue 1 (13h).

", "category": "", - "link": "https://rmcsport.bfmtv.com/tennis/tennis-tres-preoccupes-par-le-sort-de-peng-shuai-les-etats-unis-reclament-une-preuve-verifiable_AV-202111190446.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-quatre-forfaits-pour-saint-etienne_AD-202111270179.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 18:53:06 GMT", + "pubDate": "Sat, 27 Nov 2021 13:47:15 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "a17fe3fc39937073732a0065ad61f507" + "hash": "8f51c1f33ddc0d57babf91b455c70518" }, { - "title": "Prix de Bretagne : Première étape sur la route du Prix d'Amérique", - "description": "Première course qualificative pour le Prix d'Amérique, le Prix de Bretagne est programmé ce dimanche 21 novembre sur l'hippodrome de Vincennes avec notamment au départ Face Time Bourbon, le vainqueur des deux dernières éditions du Championnat du Monde de Trot attelé.

", - "content": "Première course qualificative pour le Prix d'Amérique, le Prix de Bretagne est programmé ce dimanche 21 novembre sur l'hippodrome de Vincennes avec notamment au départ Face Time Bourbon, le vainqueur des deux dernières éditions du Championnat du Monde de Trot attelé.

", + "title": "Les pronos hippiques du dimanche 28 novembre 2021", + "description": " Le Quinté+ du dimanche 28 novembre est programmé sur l’hippodrome d'Auteuil dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": " Le Quinté+ du dimanche 28 novembre est programmé sur l’hippodrome d'Auteuil dans la discipline de l'obstacle. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/paris-hippique/prix-de-bretagne-premiere-etape-sur-la-route-du-prix-d-amerique_AN-202111190443.html", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-dimanche-28-novembre-2021_AN-202111270178.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 18:38:00 GMT", + "pubDate": "Sat, 27 Nov 2021 13:31:26 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a97378757cdd87c73c5304b5b7a5bd7" + "hash": "b23229de065d94a5c5f1f952f5bfbf53" }, { - "title": "PSG: Donnarumma-Navas, une concurrence saine… jusqu’à quand?", - "description": "Gianluigi Donnarumma malade et forfait, c'est Keylor Navas qui sera titulaire au poste de gardien du PSG, samedi soir face à Nantes (17h). Les deux hommes sont en concurrence depuis le début de la saison, sans hiérarchie établie. Une concurrence saine pour l'instant.

", - "content": "Gianluigi Donnarumma malade et forfait, c'est Keylor Navas qui sera titulaire au poste de gardien du PSG, samedi soir face à Nantes (17h). Les deux hommes sont en concurrence depuis le début de la saison, sans hiérarchie établie. Une concurrence saine pour l'instant.

", + "title": "F1: Hamilton vit dans la \"peur\" d'attraper le Covid avant la fin de saison", + "description": "À la lutte pour le titre avec Max Verstappen alors qu'il reste seulement deux courses, Lewis Hamilton fait tout pour ne pas attraper le coronavirus d'ici la fin de la saison de F1. Il dit vivre dans une \"peur constante\" face à cette menace.

", + "content": "À la lutte pour le titre avec Max Verstappen alors qu'il reste seulement deux courses, Lewis Hamilton fait tout pour ne pas attraper le coronavirus d'ici la fin de la saison de F1. Il dit vivre dans une \"peur constante\" face à cette menace.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-donnarumma-navas-une-concurrence-saine-jusqu-a-quand_AV-202111190432.html", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-hamilton-vit-dans-la-peur-d-attraper-le-covid-avant-la-fin-de-saison_AV-202111270173.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 18:08:56 GMT", + "pubDate": "Sat, 27 Nov 2021 13:09:16 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "004a8f7a24203ba99136b99c5a206934" + "hash": "3e83e68b9e73776722de20ccc6188d7f" }, { - "title": "Ligue 1: la DNCG maintient ses sanctions contre l’OM", - "description": "Comme au mois de juillet, la DNCG, le gendarme financier du football français, a décidé de maintenir l’encadrement de la masse salariale et des indemnités de transferts de l’Olympique de Marseille.

", - "content": "Comme au mois de juillet, la DNCG, le gendarme financier du football français, a décidé de maintenir l’encadrement de la masse salariale et des indemnités de transferts de l’Olympique de Marseille.

", + "title": "Italie: perquisitions dans les bureaux de la Juventus, sur des transferts douteux", + "description": "En pleine enquête sur des transferts douteux, la police italienne a perquisitionné les bureaux de la Juventus ce vendredi. Le club italien est soupçonné d'avoir donné de fausses informations à des investisseurs et d'avoir produit des factures pour des transactions inexistantes

", + "content": "En pleine enquête sur des transferts douteux, la police italienne a perquisitionné les bureaux de la Juventus ce vendredi. Le club italien est soupçonné d'avoir donné de fausses informations à des investisseurs et d'avoir produit des factures pour des transactions inexistantes

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-la-dncg-maintient-ses-sanctions-contre-l-om_AV-202111190419.html", + "link": "https://rmcsport.bfmtv.com/football/serie-a/italie-perquisitions-dans-les-bureaux-de-la-juventus-sur-des-transferts-douteux_AD-202111270172.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 17:49:01 GMT", + "pubDate": "Sat, 27 Nov 2021 13:08:33 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2de0daf1fc116e6ca4edf057abc1ee43" + "hash": "bfd327da4949191edaacd9ed4bac50fc" }, { - "title": "Manchester United: Solskjaer veut voir la trêve internationale comme un coup de boost", - "description": "Toujours très menacé à la tête de Manchester United, l’entraîneur des Red Devils Ole Gunnar Solskjaer estime que la trêve internationale a été bénéfique pour ses joueurs sur le plan mental. Confirmation attendue samedi après-midi sur la pelouse de Watford en Premier League.

", - "content": "Toujours très menacé à la tête de Manchester United, l’entraîneur des Red Devils Ole Gunnar Solskjaer estime que la trêve internationale a été bénéfique pour ses joueurs sur le plan mental. Confirmation attendue samedi après-midi sur la pelouse de Watford en Premier League.

", + "title": "PSG: Bernat salue le \"très beau geste\" du club après sa grave blessure", + "description": "Absent pendant plus d’un an après une rupture du ligament croisé au genou gauche, Juan Bernat retrouve du temps de jeu avec le PSG. Dans un entretien accordé à Canal+, le latéral gauche espagnol revient sur ses difficultés à guérir de sa blessure et la prolongation offerte par le club parisien.

", + "content": "Absent pendant plus d’un an après une rupture du ligament croisé au genou gauche, Juan Bernat retrouve du temps de jeu avec le PSG. Dans un entretien accordé à Canal+, le latéral gauche espagnol revient sur ses difficultés à guérir de sa blessure et la prolongation offerte par le club parisien.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-solskjaer-veut-voir-la-treve-internationale-comme-un-coup-de-boost_AV-202111190406.html", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-bernat-salue-le-tres-beau-geste-du-club-apres-sa-grave-blessure_AV-202111270169.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 17:32:49 GMT", + "pubDate": "Sat, 27 Nov 2021 13:00:02 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, - "created": false, + "created": true, "tags": [], - "hash": "db759af7739cdf434b0b77b3eccafb65" + "hash": "69cd89d967d51491b0de61a3c4cfa4d4" }, { - "title": "Barça: la mise en garde de Xavi à De Jong, dont il attend beaucoup plus", - "description": "Loin de son meilleur niveau en ce début de saison, Frenkie de Jong a été invité par son nouvel entraîneur Xavi à se montrer plus décisif. Le nouvel homme fort du FC Barcelone estime que le jeune milieu néerlandais a le potentiel pour passer un cap.

", - "content": "Loin de son meilleur niveau en ce début de saison, Frenkie de Jong a été invité par son nouvel entraîneur Xavi à se montrer plus décisif. Le nouvel homme fort du FC Barcelone estime que le jeune milieu néerlandais a le potentiel pour passer un cap.

", + "title": "Boxe: un boxeur espagnol totalement nu pour valider sa pesée", + "description": "Comme le rapporte Ouest-France, le boxeur espagnol Aitor Nieto, adversaire du Français Jordy Weiss ce samedi soir à Laval pour les ceintures des IBO et WBA des mi-moyens, n’a pas hésité à retirer son caleçon pour valider sa pesée.

", + "content": "Comme le rapporte Ouest-France, le boxeur espagnol Aitor Nieto, adversaire du Français Jordy Weiss ce samedi soir à Laval pour les ceintures des IBO et WBA des mi-moyens, n’a pas hésité à retirer son caleçon pour valider sa pesée.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/liga/barca-la-mise-en-garde-de-xavi-a-de-jong-dont-il-attend-beaucoup-plus_AV-202111190387.html", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-un-boxeur-espagnol-totalement-nu-pour-valider-sa-pesee_AN-202111270166.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 17:03:12 GMT", + "pubDate": "Sat, 27 Nov 2021 12:46:44 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "a699e1140e6fd1f18b75aa5dcd51701c" + "hash": "9562f631fb02c2327a4f21bf83e908ae" }, { - "title": "NBA: Kanter clashe LeBron James sur la Chine", - "description": "Le Turc Enes Kanter a taclé la position de LeBron James concernant la Chine. Le pivot turc regrette l’hypocrisie supposée de la star entre sa défense des luttes sociales et son goût pour l’argent.

", - "content": "Le Turc Enes Kanter a taclé la position de LeBron James concernant la Chine. Le pivot turc regrette l’hypocrisie supposée de la star entre sa défense des luttes sociales et son goût pour l’argent.

", + "title": "PSG en direct: \"On ne crée pas les rumeurs\", se défend Pochettino", + "description": "Le PSG va à Saint-Étienne dimanche (13h00), dans le cadre de la 15e journée de Ligue 1. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé devant la presse.

", + "content": "Le PSG va à Saint-Étienne dimanche (13h00), dans le cadre de la 15e journée de Ligue 1. À la veille de cette rencontre, Mauricio Pochettino s'est exprimé devant la presse.

", "category": "", - "link": "https://rmcsport.bfmtv.com/basket/nba/nba-kanter-clashe-le-bron-james-sur-la-chine_AV-202111190381.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-en-direct-la-conference-de-presse-de-pochettino-avant-l-asse_LN-202111270164.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:54:34 GMT", + "pubDate": "Sat, 27 Nov 2021 12:43:40 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2416c5374f7ddf2b5445b6874cfd0c66" + "hash": "27f6ebdf6a28d975f4aadaf442e6c413" }, { - "title": "Bayern: non vacciné, Kimmich absent face au Dynamo Kiev", - "description": "Cas contact, le milieu de terrain du Bayern Munich Joshua Kimmich, non vacciné, sera absent vendredi face à Augsbourg en Bundesliga et mardi face au Dynamo Kiev en Ligue des champions.

", - "content": "Cas contact, le milieu de terrain du Bayern Munich Joshua Kimmich, non vacciné, sera absent vendredi face à Augsbourg en Bundesliga et mardi face au Dynamo Kiev en Ligue des champions.

", + "title": "OL en direct: la conf de Peter Bosz avant Montpellier", + "description": "L'entraîneur de l'Olympique Lyonnais Peter Bosz a rendez-vous samedi à 14h20 pour la conférence de presse à la veille du déplacement de l'Olympique Lyonnais sur la pelouse de Montpellier, dimanche (17h) dans le cadre de la 15eme journée de Ligue 1. Une conf' à suivre en direct commenté sur RMC Sport.

", + "content": "L'entraîneur de l'Olympique Lyonnais Peter Bosz a rendez-vous samedi à 14h20 pour la conférence de presse à la veille du déplacement de l'Olympique Lyonnais sur la pelouse de Montpellier, dimanche (17h) dans le cadre de la 15eme journée de Ligue 1. Une conf' à suivre en direct commenté sur RMC Sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bayern-non-vaccine-kimmich-absent-face-au-dynamo-kiev_AD-202111190347.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-en-direct-la-conf-de-peter-bosz-avant-montpellier_LN-202111270161.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:11:57 GMT", + "pubDate": "Sat, 27 Nov 2021 12:39:49 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ffd770779546dc367ee03fde9a89bd76" + "hash": "c7581513e752fe2abc46c334899c579c" }, { - "title": "PSG: Neymar dans le groupe contre Nantes, pas Marquinhos, ni Ramos", - "description": "Outre le forfait de Gianluigi Donnarumma, malade, le PSG devra aussi composer sans son capitaine Marquinhos pour affronter le FC Nantes ce samedi pour le compte de la 14e journée de Ligue 1. Neymar, qui était revenu blessé de la sélection brésilienne, est dans le groupe de Mauricio Pochettino.

", - "content": "Outre le forfait de Gianluigi Donnarumma, malade, le PSG devra aussi composer sans son capitaine Marquinhos pour affronter le FC Nantes ce samedi pour le compte de la 14e journée de Ligue 1. Neymar, qui était revenu blessé de la sélection brésilienne, est dans le groupe de Mauricio Pochettino.

", + "title": "PRONOS PARIS RMC Les paris du 27 novembre sur Lille - Nantes - Ligue 1", + "description": "Notre pronostic: Lille bat Nantes et Jonathan David marque (2.65)

", + "content": "Notre pronostic: Lille bat Nantes et Jonathan David marque (2.65)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-neymar-dans-le-groupe-contre-nantes-pas-marquinhos_AV-202111190328.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-27-novembre-sur-lille-nantes-ligue-1_AN-202111260352.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 15:45:12 GMT", + "pubDate": "Sat, 27 Nov 2021 12:20:00 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "71d026289bb796e392f5c0405b67e9a5" + "hash": "60ebaeeb5e1ded92a768319a60d7fb5a" }, { - "title": "F1: privé de baquet en 2022, le Français Théo Pourchaire va rester en Formule 2", - "description": "Barré par la nomination du Chinois Guanyu Zhou chez Alfa Romeo lors de la saison 2022 de Formule 1, le pilote français Théo Pourchaire (18 ans) n’effectuera pas ses grands débuts en F1 l’année prochaine. Frédéric Vasseur, patron de l'écurie suisse, a annoncé ce vendredi qu'il restera encore en F2 la saison prochaine.

", - "content": "Barré par la nomination du Chinois Guanyu Zhou chez Alfa Romeo lors de la saison 2022 de Formule 1, le pilote français Théo Pourchaire (18 ans) n’effectuera pas ses grands débuts en F1 l’année prochaine. Frédéric Vasseur, patron de l'écurie suisse, a annoncé ce vendredi qu'il restera encore en F2 la saison prochaine.

", + "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 27 novembre – Ligue 1", + "description": "Mon pronostic : Lille bat Nantes et plus de 2,5 buts (2.40)

", + "content": "Mon pronostic : Lille bat Nantes et plus de 2,5 buts (2.40)

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-prive-de-baquet-en-2022-le-francais-theo-pourchaire-va-rester-en-formule-2_AV-202111190325.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-27-novembre-ligue-1_AN-202111270149.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 15:42:40 GMT", + "pubDate": "Sat, 27 Nov 2021 12:18:50 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "446c9b00cbfe141cf7397a0a6fec8cbe" + "hash": "12ee87e1fe560f33520302d383f327b0" }, { - "title": "Transat Jacques-Vabre: l'idée pleine d'humour de Beyou pour une arrivée groupée", - "description": "Troisième de la Transat Jacques-Vabre, avec Christopher Pratt sur Charal, Jérémie Beyou a envoyé un petit message amusant à la direction de course ce vendredi matin, pour essayer de préserver l’arrivée groupée des différentes classes de bateaux en Martinique.

", - "content": "Troisième de la Transat Jacques-Vabre, avec Christopher Pratt sur Charal, Jérémie Beyou a envoyé un petit message amusant à la direction de course ce vendredi matin, pour essayer de préserver l’arrivée groupée des différentes classes de bateaux en Martinique.

", + "title": "PRONOS PARIS RMC Les paris du 27 novembre sur Nice - Metz - Ligue 1", + "description": "Notre pronostic: Nice bat Metz (1.40)

", + "content": "Notre pronostic: Nice bat Metz (1.40)

", "category": "", - "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-le-message-ironique-de-beyou-pour-esperer-l-arrivee-groupee_AV-202111190324.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-27-novembre-sur-nice-metz-ligue-1_AN-202111260349.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 15:38:55 GMT", + "pubDate": "Sat, 27 Nov 2021 12:17:00 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4eae9d3a7c706d7d16d6ad7258b3abc" + "hash": "f8b2c51277d760b93be19dd9e9e522ba" }, { - "title": "OM: Ünder vers un forfait contre l’OL", - "description": "Cengiz Ünder s’est entraîné à part ce vendredi, avant le match de l’OM contre l'OL dimanche. Forfait avec la sélection turque, l’ailier marseillais sera probablement absent pour le choc de la 14e journée de Ligue 1.

", - "content": "Cengiz Ünder s’est entraîné à part ce vendredi, avant le match de l’OM contre l'OL dimanche. Forfait avec la sélection turque, l’ailier marseillais sera probablement absent pour le choc de la 14e journée de Ligue 1.

", + "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 27 novembre – Ligue 1", + "description": "Mon pronostic : Nice bat Metz par au moins deux buts d’écart (2.00)

", + "content": "Mon pronostic : Nice bat Metz par au moins deux buts d’écart (2.00)

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-under-vers-un-forfait-contre-l-ol_AV-202111190317.html", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-27-novembre-ligue-1_AN-202111270146.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 15:24:49 GMT", + "pubDate": "Sat, 27 Nov 2021 12:16:04 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "21c687855cfd551ebff62641c8988039" + "hash": "e47bd793ac375dbc9dd1c76a41054748" }, { - "title": "Atlético: finalement, Griezmann pourra affronter l'AC Milan", - "description": "Diego Simeone pourra compter sur Antoine Griezmann pour le choc de Ligue des champions mercredi entre l'Atlético de Madrid et l'AC Milan. L'UEFA a décidé de réduire la suspension du Français après son rouge reçu contre Liverpool.

", - "content": "Diego Simeone pourra compter sur Antoine Griezmann pour le choc de Ligue des champions mercredi entre l'Atlético de Madrid et l'AC Milan. L'UEFA a décidé de réduire la suspension du Français après son rouge reçu contre Liverpool.

", + "title": "Coupe Davis: Bartoli allume Piqué, \"il ne connaît rien au tennis\"", + "description": "Marion Bartoli estime que Gerard Piqué, qui a racheté la Coupe Davis, a \"massacré\" la compétition en changeant le format et en étant prêt à l'installer durablement à Abou Dhabi. Des \"mauvaises décisions\" qui démontrent que le footballeur espagnol ne \"connaît rien\" à ce sport.

", + "content": "Marion Bartoli estime que Gerard Piqué, qui a racheté la Coupe Davis, a \"massacré\" la compétition en changeant le format et en étant prêt à l'installer durablement à Abou Dhabi. Des \"mauvaises décisions\" qui démontrent que le footballeur espagnol ne \"connaît rien\" à ce sport.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/atletico-finalement-griezmann-pourra-affronter-l-ac-milan_AV-202111190314.html", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-bartoli-allume-pique-il-ne-connait-rien-au-tennis_AV-202111270128.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 15:16:01 GMT", + "pubDate": "Sat, 27 Nov 2021 11:28:05 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd3bce63b63457a9cf9fa6a6a383ce2b" + "hash": "a6c81f180c4d76bf2644f1d83b3c63d1" }, { - "title": "OM: Payet n'a pas tiré un trait sur l'équipe de France", - "description": "Performant et régulier avec l'OM depuis plusieurs mois, Dimitri Payet est l'un des meilleurs joueurs de Ligue 1 cette saison. De quoi envisager un retour chez les Bleus, trois ans après sa dernière sélection? Le Réunionnais ne s'interdit rien, mais n'en fait pas une fixette non plus.

", - "content": "Performant et régulier avec l'OM depuis plusieurs mois, Dimitri Payet est l'un des meilleurs joueurs de Ligue 1 cette saison. De quoi envisager un retour chez les Bleus, trois ans après sa dernière sélection? Le Réunionnais ne s'interdit rien, mais n'en fait pas une fixette non plus.

", + "title": "Biathlon en direct: les Françaises discrètes sur l'individuel", + "description": "La France et la Norvège reprennent leur duel habituel avec le démarrage, samedi à Ostersund, de la Coupe du monde de biathlon. Au programme: l'individuel 15 km dames à 11h45, puis l'individuel 20km hommes à 15h00.

", + "content": "La France et la Norvège reprennent leur duel habituel avec le démarrage, samedi à Ostersund, de la Coupe du monde de biathlon. Au programme: l'individuel 15 km dames à 11h45, puis l'individuel 20km hommes à 15h00.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-payet-n-a-pas-tire-un-trait-sur-l-equipe-de-france_AV-202111190298.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-en-direct-suivez-le-debut-de-la-coupe-du-monde-a-ostersund_LN-202111270111.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 14:47:46 GMT", + "pubDate": "Sat, 27 Nov 2021 10:36:53 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2fa2c5692ed86fbb2c9bf4a0d8e6c522" + "hash": "b62eda5869c9177644b5f7f3e65b499c" }, { - "title": "Manchester City-PSG: positif au coronavirus, De Bruyne manquera le choc", - "description": "Testé positif au Covid-19 à son retour de sélection, Kevin De Bruyne est contraint de respecter dix jours d'isolement. Le Belge est donc forfait pour le duel Manchester City-PSG programmé mercredi en Ligue des champions.

", - "content": "Testé positif au Covid-19 à son retour de sélection, Kevin De Bruyne est contraint de respecter dix jours d'isolement. Le Belge est donc forfait pour le duel Manchester City-PSG programmé mercredi en Ligue des champions.

", + "title": "Ligue 1: le gardien français est-il un monument en péril ?", + "description": "Ils sont de moins en moins à garder les cages des équipes du championnat de France. Barrés par des recrues étrangères, frileusement lancés dans le grand bain, les gardiens français deviennent petit à petit une denrée rare. La faute à un retard dans la formation que la Fédération française de football cherche aujourd’hui à combler.

", + "content": "Ils sont de moins en moins à garder les cages des équipes du championnat de France. Barrés par des recrues étrangères, frileusement lancés dans le grand bain, les gardiens français deviennent petit à petit une denrée rare. La faute à un retard dans la formation que la Fédération française de football cherche aujourd’hui à combler.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-positif-au-coronavirus-de-bruyne-manquera-le-choc_AV-202111190297.html", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-le-gardien-francais-est-il-un-monument-en-peril_AV-202111270109.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 14:43:43 GMT", + "pubDate": "Sat, 27 Nov 2021 10:36:04 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12b32073b753c16e52400695f8f7902a" + "hash": "e88b3d1f3375381545d750efd3e444ac" }, { - "title": "PSG: Pochettino optimiste pour Neymar et Ramos avant Nantes", - "description": "Sergio Ramos et Neymar ont des chances d'être convoqués pour le match de la 14e journée de Ligue 1 entre le PSG et le FC Nantes, ce samedi (17h). Mauricio Pochettino a donné des nouvelles positives des deux joueurs en conférence de presse.

", - "content": "Sergio Ramos et Neymar ont des chances d'être convoqués pour le match de la 14e journée de Ligue 1 entre le PSG et le FC Nantes, ce samedi (17h). Mauricio Pochettino a donné des nouvelles positives des deux joueurs en conférence de presse.

", + "title": "Zidane au PSG, \"ce serait une trahison totale de Marseille\" selon Bartoli", + "description": "Dans les Grandes Gueules du Sport sur RMC, ce samedi, Marion Bartoli a estimé qu'une signature de Zinedine Zidane au PSG serait une \"trahison\" pour Marseille, la ville de \"ses racines\".

", + "content": "Dans les Grandes Gueules du Sport sur RMC, ce samedi, Marion Bartoli a estimé qu'une signature de Zinedine Zidane au PSG serait une \"trahison\" pour Marseille, la ville de \"ses racines\".

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-optimiste-pour-neymar-et-ramos-avant-nantes_AV-202111190281.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/zidane-au-psg-ce-serait-une-trahison-totale-de-marseille-selon-bartoli_AV-202111270093.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 13:54:13 GMT", + "pubDate": "Sat, 27 Nov 2021 10:01:46 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ccfd15ba66a8a045d2d21e4020236fc" + "hash": "d51f58f1d4051827825244b6a0ec0269" }, { - "title": "F1: Mercedes débouté, pas de réexamen de l'incident Hamilton-Verstappen au Brésil", - "description": "La défense de Max Verstappen (Red Bull) contre la tentative de dépassement de Lewis Hamilton (Mercedes) au GP du Brésil de Formule 1 ne sera pas réexaminée. Le recours de Mercedes a été rejeté, ont indiqué vendredi les commissaires de la FIA.

", - "content": "La défense de Max Verstappen (Red Bull) contre la tentative de dépassement de Lewis Hamilton (Mercedes) au GP du Brésil de Formule 1 ne sera pas réexaminée. Le recours de Mercedes a été rejeté, ont indiqué vendredi les commissaires de la FIA.

", + "title": "Les trois quarts des enfants ayant pratiqué un sport ont subi des abus, selon une étude", + "description": "Une étude européenne, menée dans six pays, montre que les trois quarts des enfants ayant pratiqué un sport ont été victimes d'abus psychologiques ou physiques.

", + "content": "Une étude européenne, menée dans six pays, montre que les trois quarts des enfants ayant pratiqué un sport ont été victimes d'abus psychologiques ou physiques.

", "category": "", - "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-mercedes-deboute-pas-de-reexamen-de-l-incident-hamilton-verstappen-au-bresil_AV-202111190280.html", + "link": "https://rmcsport.bfmtv.com/societe/les-trois-quarts-des-enfants-ayant-pratique-un-sport-ont-subi-des-abus_AD-202111270088.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 13:53:29 GMT", + "pubDate": "Sat, 27 Nov 2021 09:50:51 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": true, "favorite": false, "created": false, "tags": [], - "hash": "d9ba7b8570bb8eb421a49e83d4f001a0" + "hash": "cd75d6c54ca8289974668e1d060401f8" }, { - "title": "OM: Sampaoli aimerait des joueurs confirmés au mercato", - "description": "Interrogé ce vendredi sur d'éventuels besoins lors du mercato hivernal, l'entraîneur de l'OM Jorge Sampaoli a fait passer un message à ses dirigeants en expliquant qu'il n'avait pas assez de joueurs confirmés à disposition. En reconnaissant toutefois qu'il n'est pas toujours possible d'obtenir ce que l'on désire.

", - "content": "Interrogé ce vendredi sur d'éventuels besoins lors du mercato hivernal, l'entraîneur de l'OM Jorge Sampaoli a fait passer un message à ses dirigeants en expliquant qu'il n'avait pas assez de joueurs confirmés à disposition. En reconnaissant toutefois qu'il n'est pas toujours possible d'obtenir ce que l'on désire.

", + "title": "Biathlon: la Coupe du monde reprend, les JO dans le viseur", + "description": "A moins de trois mois des Jeux olympiques de Pékin, la saison de Coupe du monde de biathlon reprend ce samedi à Ostersund (Suède). Et les Français veulent briller.

", + "content": "A moins de trois mois des Jeux olympiques de Pékin, la saison de Coupe du monde de biathlon reprend ce samedi à Ostersund (Suède). Et les Français veulent briller.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/om-sampaoli-aimerait-des-joueurs-confirmes-au-mercato_AV-202111190279.html", + "link": "https://rmcsport.bfmtv.com/sports-d-hiver/biathlon/biathlon-la-coupe-du-monde-reprend-les-jo-dans-le-viseur_AD-202111270075.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 13:50:56 GMT", + "pubDate": "Sat, 27 Nov 2021 09:25:12 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "40af6a71d5b72f2183a70557a7f0b968" + "hash": "23a4a7220645bac11363339f0954860a" }, { - "title": "Mercato en direct: Angers a son nouveau coordinateur sportif", - "description": "Le mercato d'hiver va ouvrir ses portes le 1er janvier, une date qui permettra aussi aux joueurs en fin de contrat en juin de négocier librement avec le club de leurs choix. Suivez toutes les informations et rumeurs en direct.

", - "content": "Le mercato d'hiver va ouvrir ses portes le 1er janvier, une date qui permettra aussi aux joueurs en fin de contrat en juin de négocier librement avec le club de leurs choix. Suivez toutes les informations et rumeurs en direct.

", + "title": "Top 14: retour aux affaires courantes après la période internationale", + "description": "Le Top 14 est de retour ce week-end, après les matchs internationaux. Le Stade Toulousain, leader, est privé de nombreux joueurs face à Brive ce samedi (21h05).

", + "content": "Le Top 14 est de retour ce week-end, après les matchs internationaux. Le Stade Toulousain, leader, est privé de nombreux joueurs face à Brive ce samedi (21h05).

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-les-rumeurs-du-18-novembre-2021_LN-202111180054.html", + "link": "https://rmcsport.bfmtv.com/rugby/top-14/top-14-retour-aux-affaires-courantes-apres-la-periode-internationale_AD-202111270071.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 06:27:23 GMT", + "pubDate": "Sat, 27 Nov 2021 09:19:20 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3c1ef3ef35b822217b1a4158ed84528" + "hash": "8448d92796ca7f3d488f4495d9392896" }, { - "title": "Ligue 1 en direct: masse salariale et transferts encadrés pour l'OM", - "description": "Fin de la trêve internationale et reprise de la Ligue 1 ce week-end, avec une 14e journée de championnat qui débute vendredi par Monaco-Lille. Retrouvez toutes les informations et déclarations à ne pas manquer avant les matchs.

", - "content": "Fin de la trêve internationale et reprise de la Ligue 1 ce week-end, avec une 14e journée de championnat qui débute vendredi par Monaco-Lille. Retrouvez toutes les informations et déclarations à ne pas manquer avant les matchs.

", + "title": "Coupe Davis en direct: les Français s'inclinent face aux Britanniques", + "description": "Avec Mannarino et Rinderknech en simple, l’équipe de France s’est inclinée contre les Britanniques. Pour se qualifier en quarts de finale, les Bleus espèrent terminer parmi les meilleurs deuxièmes. Mais ça semble très compromis.

", + "content": "Avec Mannarino et Rinderknech en simple, l’équipe de France s’est inclinée contre les Britanniques. Pour se qualifier en quarts de finale, les Bleus espèrent terminer parmi les meilleurs deuxièmes. Mais ça semble très compromis.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-14e-journee_LN-202111170121.html", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-en-direct-les-francais-jouent-gros-face-aux-britanniques_LN-202111270063.html", "creator": "", - "pubDate": "Wed, 17 Nov 2021 08:10:21 GMT", + "pubDate": "Sat, 27 Nov 2021 09:02:25 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "50d98278e6a9fe7350146f04464a1a47" + "hash": "379081f438fe74a53e0206bf923605d6" }, { - "title": "Affaire Hamraoui en direct: le message d'Eric Abidal à sa femme après sa demande de divorce", - "description": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", - "content": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", + "title": "Mercato: Newcastle encore dans le flou, en raison d'une mesure contraignante", + "description": "Dans un premier temps en vigueur jusqu'au 30 novembre, l'interdiction en Premier League de nouer des accords commerciaux avec des entreprises liées aux propriétaires des clubs a été prolongée. Ce qui, comme rapporté par le Daily Mail, jette un froid sur Newcastle, sous pavillon saoudien, en vue du mercato hivernal.

", + "content": "Dans un premier temps en vigueur jusqu'au 30 novembre, l'interdiction en Premier League de nouer des accords commerciaux avec des entreprises liées aux propriétaires des clubs a été prolongée. Ce qui, comme rapporté par le Daily Mail, jette un froid sur Newcastle, sous pavillon saoudien, en vue du mercato hivernal.

", "category": "", - "link": "https://rmcsport.bfmtv.com/football/affaire-hamraoui-diallo-en-direct-toutes-les-infos_LN-202111110108.html", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-newcastle-encore-dans-le-flou-en-raison-d-une-mesure-contraignante_AV-202111270061.html", "creator": "", - "pubDate": "Thu, 11 Nov 2021 08:43:53 GMT", + "pubDate": "Sat, 27 Nov 2021 08:49:02 GMT", "folder": "00.03 News/Sport - FR", "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4e533715d881c0e926022907dc5ab04" - } - ], - "folder": "00.03 News/Sport - FR", - "name": "RMC Sport", - "language": "fr", - "hash": "fa2bc310e1b6e58ad32a2029c98d556f" - }, - { - "title": "SO FOOT.com", - "subtitle": "", - "link": "https://www.sofoot.com/", - "image": "", - "description": "Le site de l'actualité football, vue autrement. Un contenu original et décalé, un suivi pas à pas de l'actu foot en France, en Europe, dans le monde entier et ailleurs.", - "items": [ + "hash": "f5a351c67e03cc3d085016d714bab33b" + }, { - "title": "Montpellier coule Brest et met fin à sa série", - "description": "

", - "content": "

", + "title": "Barça: les négociations pour la prolongation de Dembélé patinent", + "description": "Le Barça veut prolonger Ousmane Dembélé, dont le contrat se termine à la fin de la saison. Mais les négociations patinent selon Sport. Le volet financier pose problème.

", + "content": "Le Barça veut prolonger Ousmane Dembélé, dont le contrat se termine à la fin de la saison. Mais les négociations patinent selon Sport. Le volet financier pose problème.

", "category": "", - "link": "https://www.sofoot.com/montpellier-coule-brest-et-met-fin-a-sa-serie-508157.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T17:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-montpellier-coule-brest-et-met-fin-a-sa-serie-1639244093_x600_articles-508157.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/barca-les-negociations-pour-la-prolongation-de-dembele-patinent_AV-202111270060.html", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 08:47:51 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e16b9a5a60f468d81d22294f34069ff" + "hash": "e44cc16b06b74c572881d763de261f53" }, { - "title": "Une montre de luxe ayant appartenu à Maradona retrouvée en Inde", - "description": "Peut-être pour ça qu'il portait toujours deux montres.
\n
\nUne opération de police, conjointe entre celles de Dubaï et d'Assam, une région indienne, a permis de retrouver une…

", - "content": "Peut-être pour ça qu'il portait toujours deux montres.
\n
\nUne opération de police, conjointe entre celles de Dubaï et d'Assam, une région indienne, a permis de retrouver une…

", + "title": "Coupe Davis: défaite interdite pour les Bleus, face à la Grande-Bretagne", + "description": "L'équipe de France est sous pression pour son deuxième match de poule de Coupe Davis, ce samedi face à la Grande-Bretagne à Innsbruck (Autriche).

", + "content": "L'équipe de France est sous pression pour son deuxième match de poule de Coupe Davis, ce samedi face à la Grande-Bretagne à Innsbruck (Autriche).

", "category": "", - "link": "https://www.sofoot.com/une-montre-de-luxe-ayant-appartenu-a-maradona-retrouvee-en-inde-508160.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T17:16:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-une-montre-de-luxe-ayant-appartenu-a-maradona-retrouvee-en-inde-1639243168_x600_articles-508160.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-defaite-interdite-pour-les-bleus-face-a-la-grande-bretagne_AD-202111270057.html", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 08:42:16 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38f77c1f1773658e19221afeee67a8be" + "hash": "3ffda0e53416292bd45e7f875a79bcb5" }, { - "title": "Liverpool et Chelsea souffrent, mais s'accrochent à City", - "description": "Mis sous pression par la victoire de Manchester City en début d'après-midi, Liverpool et Chelsea ont répondu aux hommes de Pep Guardiola en s'imposant tous les deux à domicile. Les Reds ont dominé Aston Villa sur la plus petite des marges grâce à un penalty de Mohamed Salah (1-0). Les Blues ont aussi bataillé pour se défaire de Leeds (3-2). Tout le contraire d'Arsenal, qui s'est promené face à Southampton (3-0).

", - "content": "

", + "title": "La WTA \"demeure profondément inquiète\" pour la joueuse chinoise Peng Shuai", + "description": "Steve Simon, le président de la WTA, reste très inquiet pour la joueuse chinoise Peng Shuai. Avant de réapparaitre le week-end dernier dans des images diffusées par les médias d’Etat, elle était restée invisible pendant plusieurs semaines après avoir accusé de viol un haut dirigeant chinois.

", + "content": "Steve Simon, le président de la WTA, reste très inquiet pour la joueuse chinoise Peng Shuai. Avant de réapparaitre le week-end dernier dans des images diffusées par les médias d’Etat, elle était restée invisible pendant plusieurs semaines après avoir accusé de viol un haut dirigeant chinois.

", "category": "", - "link": "https://www.sofoot.com/liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-508139.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T17:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-1639242230_x600_articles-508139.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/wta/la-wta-demeure-profondement-inquiete-pour-la-joueuse-chinoise-peng-shuai_AD-202111270054.html", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 08:35:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a3813b3066d348e7e4538d1ba8f3eee" + "hash": "b03c91c2cdace8b67ee84e5aaf0dc6dd" }, { - "title": "Le Bayern s'en sort contre Mayence, Dortmund accroché à Bochum", - "description": "Mis en difficulté par Mayence durant 45 minutes, le Bayern Munich a renversé la situation (2-1) et pris deux points d'avance en plus sur Dortmund, incorrigible à Bochum malgré une kyrielle de situations franches (1-1). Leipzig a repris du poil de la bête en passant ses nerfs sur Gladbach, qui n'en finit plus de couler (4-1), alors qu'Hoffenheim a dégoûté Fribourg (2-1). À part ça, Stevan Jovetić a encore marqué avec le Hertha, pour se défaire de l'Arminia Bielefeld (2-0).

", - "content": "

", + "title": "Manchester United: l'option ten Hag privilégiée en cas d'échec avec Pochettino", + "description": "Selon le Daily Mail, Manchester United étudierait la piste Erik ten Hag en cas de refus ou d'échec des négociations avec Mauricio Pochettino pour occuper le poste d’entraîneur la saison prochaine.

", + "content": "Selon le Daily Mail, Manchester United étudierait la piste Erik ten Hag en cas de refus ou d'échec des négociations avec Mauricio Pochettino pour occuper le poste d’entraîneur la saison prochaine.

", "category": "", - "link": "https://www.sofoot.com/le-bayern-s-en-sort-contre-mayence-dortmund-accroche-a-bochum-508140.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-s-en-sort-contre-mayence-dortmund-accroche-a-bochum-1639241450_x600_articles-alt-508140.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-l-option-ten-hag-privilegiee-en-cas-d-echec-avec-pochettino_AV-202111270041.html", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 07:38:11 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5496b99082844ba5a954136c02895db2" + "hash": "30bb7bae61c455c5a56a5938c8bcef1a" }, { - "title": "La Fiorentina roule sur Salerne", - "description": "

", - "content": "

", + "title": "Liga: l'improbable but gag de Bilbao contre Grenade", + "description": "L'Athletic Bilbao a sauvé le point du match nul face à Grenade (2-2), grâce à un but improbable en seconde période marqué contre son camp par Luis Maximiano, vendredi en ouverture de la 15e journée de Liga.

", + "content": "L'Athletic Bilbao a sauvé le point du match nul face à Grenade (2-2), grâce à un but improbable en seconde période marqué contre son camp par Luis Maximiano, vendredi en ouverture de la 15e journée de Liga.

", "category": "", - "link": "https://www.sofoot.com/la-fiorentina-roule-sur-salerne-508154.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T16:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-fiorentina-roule-sur-salerne-1639239481_x600_articles-508154.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/liga-l-improbable-but-gag-de-bilbao-contre-grenade_AV-202111270036.html", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 07:15:50 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d26a09dce754dd4d3e1b9e301cfe198" + "hash": "2b5bd8e9c85638b368155599e4a13310" }, { - "title": "Ajaccio crucifie Le Havre et prend la tête", - "description": "

", - "content": "

", + "title": "NBA: LeBron James mis à l'amende pour une célébration \"obscène\"", + "description": "LeBron James a écopé vendredi d'une amende de 15.000 dollars pour \"geste obscène\", deux jours après la victoire des Los Angeles Lakers face à Indiana.

", + "content": "LeBron James a écopé vendredi d'une amende de 15.000 dollars pour \"geste obscène\", deux jours après la victoire des Los Angeles Lakers face à Indiana.

", "category": "", - "link": "https://www.sofoot.com/ajaccio-crucifie-le-havre-et-prend-la-tete-508155.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T15:54:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ajaccio-crucifie-le-havre-et-prend-la-tete-1639238418_x600_articles-508155.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-le-bron-james-mis-a-l-amende-pour-une-celebration-obscene_AD-202111270028.html", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 06:33:09 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e00086c71caa161ad4324eab6fbad84d" + "hash": "f728589157d63f4287021176e991309d" }, { - "title": "Samuel Eto'o élu président de la fédération camerounaise ", - "description": "\" J'ai d'abord rappelé à Seidou Mbombo Njoya qu'il n'avait jamais été un grand joueur \"
\n
\nÀ quelques semaines de la CAN organisée à la maison, le Cameroun s'est…

", - "content": "\" J'ai d'abord rappelé à Seidou Mbombo Njoya qu'il n'avait jamais été un grand joueur \"
\n
\nÀ quelques semaines de la CAN organisée à la maison, le Cameroun s'est…

", + "title": "Serie A: perquisitions de la brigade financière à la Juve, Agnelli et Nedved visés", + "description": "La presse italienne annonce ce vendredi que la Juventus a fait l'objet de perquisitions de la part de la brigade financière. Plusieurs dirigeants, dont Andrea Agnelli, Pavel Nedved et Fabio Paratici, sont visés par une enquête.

", + "content": "La presse italienne annonce ce vendredi que la Juventus a fait l'objet de perquisitions de la part de la brigade financière. Plusieurs dirigeants, dont Andrea Agnelli, Pavel Nedved et Fabio Paratici, sont visés par une enquête.

", "category": "", - "link": "https://www.sofoot.com/samuel-eto-o-elu-president-de-la-federation-camerounaise-508158.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T15:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-samuel-eto-o-elu-president-de-la-federation-camerounaise-1639237062_x600_articles-508158.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-perquisitions-de-la-brigade-financiere-a-la-juve-agnelli-et-nedved-vises_AV-202111260594.html", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 23:50:51 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3b4c1b827b925784175f0f346ab75df" + "hash": "df6933885f63e633a7150ce70beb18f0" }, { - "title": "Sardar Azmoun serait d'accord pour rejoindre l'OL ", - "description": "Le Messi iranien > le Messi argentin ?
\n
\nMalgré le départ de Juninho de son poste de directeur sportif, l'état-major lyonnais a bien bossé ces dernières semaines. Déjà sur le…

", - "content": "Le Messi iranien > le Messi argentin ?
\n
\nMalgré le départ de Juninho de son poste de directeur sportif, l'état-major lyonnais a bien bossé ces dernières semaines. Déjà sur le…

", + "title": "Ligue 1 en direct: quatre forfaits au PSG avant Saint-Etienne", + "description": "La 15e journée de Ligue 1 débute ce vendredi soir avec un match Lens-Angers, avant des rencontres ASSE-PSG, Montpellier-OL ou OM-Troyes durant le week-end. Suivez toutes les principales informations liées au championnat de France dans le direct de RMC Sport.

", + "content": "La 15e journée de Ligue 1 débute ce vendredi soir avec un match Lens-Angers, avant des rencontres ASSE-PSG, Montpellier-OL ou OM-Troyes durant le week-end. Suivez toutes les principales informations liées au championnat de France dans le direct de RMC Sport.

", "category": "", - "link": "https://www.sofoot.com/sardar-azmoun-serait-d-accord-pour-rejoindre-l-ol-508156.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T14:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sardar-azmoun-serait-d-accord-pour-rejoindre-l-ol-1639234122_x600_articles-508156.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-les-principales-infos-et-declas-de-la-15e-journee_LN-202111260161.html", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 08:32:24 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbc6af141ae62669b57d358f417fcb03" + "hash": "6b5c4f67abd08de4ad52de088b09f71a" }, { - "title": "Service minimum pour Manchester City face à Wolverhampton", - "description": "

", - "content": "

", + "title": "PSG: Marco Verratti absent plusieurs semaines ?", + "description": "Selon L’Equipe, le milieu de terrain du PSG, Marco Verratti, blessé aux quadriceps, devrait être absent des terrains durant trois semaines.

", + "content": "Selon L’Equipe, le milieu de terrain du PSG, Marco Verratti, blessé aux quadriceps, devrait être absent des terrains durant trois semaines.

", "category": "", - "link": "https://www.sofoot.com/service-minimum-pour-manchester-city-face-a-wolverhampton-508143.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T14:37:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-service-minimum-pour-manchester-city-face-a-wolverhampton-1639233536_x600_articles-508143.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-marco-verratti-absent-plusieurs-semaines_AV-202111250658.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 22:59:36 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "a6de232ccd2779869f8f2a2ffc0bf537" + "hash": "b3bf9cca30c29f5a331c50c13bbaac2e" }, { - "title": "Sergio Ramos, Kimpembe et Nuno Mendes forfaits pour la réception de Monaco", - "description": "À ce rythme, Kurzawa va être titulaire.
\n
\nAlors que le PSG reçoit dimanche soir l'AS Monaco, le secteur défensif de la formation francilienne est décimé. Les Parisiens ont…

", - "content": "À ce rythme, Kurzawa va être titulaire.
\n
\nAlors que le PSG reçoit dimanche soir l'AS Monaco, le secteur défensif de la formation francilienne est décimé. Les Parisiens ont…

", + "title": "Brondby-OL: Cherki savoure son superbe doublé", + "description": "Lyon a poursuivi son parcours sans-faute en Ligue Europa en alignant ce jeudi une cinquième victoire de rang à Brondby (1-3). Un succès qui porte le sceau de Rayan Cherki, auteur d’un doublé et qui a remis en selle les siens alors que l’OL était mené.

", + "content": "Lyon a poursuivi son parcours sans-faute en Ligue Europa en alignant ce jeudi une cinquième victoire de rang à Brondby (1-3). Un succès qui porte le sceau de Rayan Cherki, auteur d’un doublé et qui a remis en selle les siens alors que l’OL était mené.

", "category": "", - "link": "https://www.sofoot.com/sergio-ramos-kimpembe-et-nuno-mendes-forfaits-pour-la-reception-de-monaco-508153.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T13:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-kimpembe-et-nuno-mendes-forfaits-pour-la-reception-de-monaco-1639231151_x600_articles-508153.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/brondby-ol-cherki-savoure-son-superbe-double_AV-202111250657.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 22:54:33 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "2014ab9243c91e0dbe9508dd6b38d900" + "hash": "f054dc459bc733d6453c6aed76f9cac1" }, { - "title": "Vincent Labrune promet que des annonces seront faites en fin de semaine prochaine concernant l'insécurité ", - "description": "Des cadeaux empoisonnés pour les enfants pas sages.
\n
\nTrois jours après
", - "content": "Des cadeaux empoisonnés pour les enfants pas sages.
\n
\nTrois jours après
", + "title": "OM: \"On doit grandir\", l'avertissement de Sampaoli après l’élimination en Ligue Europa", + "description": "L’entraîneur de l’Olympique de Marseille, Jorge Sampaoli, était déçu après la défaite face à Galatasaray (4-2), synonyme d’élimination en Ligue Europa. L'Argentin estime que son groupe n'est pas assez mature.

", + "content": "L’entraîneur de l’Olympique de Marseille, Jorge Sampaoli, était déçu après la défaite face à Galatasaray (4-2), synonyme d’élimination en Ligue Europa. L'Argentin estime que son groupe n'est pas assez mature.

", "category": "", - "link": "https://www.sofoot.com/vincent-labrune-promet-que-des-annonces-seront-faites-en-fin-de-semaine-prochaine-concernant-l-insecurite-508152.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T13:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-vincent-labrune-promet-que-des-annonces-seront-faites-en-fin-de-semaine-prochaine-concernant-l-insecurite-1639229599_x600_articles-508152.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/om-on-doit-grandir-l-avertissement-de-sampaoli-apres-l-elimination-en-ligue-europa_AV-202111250646.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 22:24:57 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a8de30dfbbd91a09ef6e7ecb56be3b2" + "hash": "7c45765a1602b4120176d0ff8c1b08c3" }, { - "title": "Le bel hommage des joueurs du SC Cambuur à leur entraîneur malade, en Eredivisie", - "description": "C'est ce qu'on appelle la classe.
\n
\nChampion d'Eerste Divisie (deuxième division néerlandaise) l'an dernier et actuellement quatrième d'Eredivisie, le SC Cambuur voit sa période faste…

", - "content": "C'est ce qu'on appelle la classe.
\n
\nChampion d'Eerste Divisie (deuxième division néerlandaise) l'an dernier et actuellement quatrième d'Eredivisie, le SC Cambuur voit sa période faste…

", + "title": "Ligue Europa: déjà qualifié, l’OL plane toujours grâce à Cherki", + "description": "Déjà qualifié pour les 8emes de finale, l’Olympique Lyonnais a signé sa cinquième victoire en autant de match en Ligue Europa sur la pelouse de Bröndby, battu 3-1 ce jeudi soir. Les Gones peuvent remercier leur jeune crack Rayan Cherki, auteur d’un somptueux doublé en deuxième période.

", + "content": "Déjà qualifié pour les 8emes de finale, l’Olympique Lyonnais a signé sa cinquième victoire en autant de match en Ligue Europa sur la pelouse de Bröndby, battu 3-1 ce jeudi soir. Les Gones peuvent remercier leur jeune crack Rayan Cherki, auteur d’un somptueux doublé en deuxième période.

", "category": "", - "link": "https://www.sofoot.com/le-bel-hommage-des-joueurs-du-sc-cambuur-a-leur-entraineur-malade-en-eredivisie-508151.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T12:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bel-hommage-des-joueurs-du-sc-cambuur-a-leur-entraineur-malade-en-eredivisie-1639224008_x600_articles-508151.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-deja-qualifie-l-ol-plane-toujours-grace-a-cherki_AV-202111250634.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 22:03:26 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ce7f3bbd6f531e1b1ce7253c1e29069" + "hash": "96bd0d9f14bf6e0a7fb1548a1c6c5b4a" }, { - "title": "\"L'ECA est l'otage des Qataris\", selon Aurelio De Laurentiis", - "description": "Les oreilles de Nasser al-Khelaïfi sifflent très fort.
\n
\nRéputé pour son franc-parler et son aversion contre l'influence du Qatar dans le football, Aurelio De Laurentiis, le président…

", - "content": "Les oreilles de Nasser al-Khelaïfi sifflent très fort.
\n
\nRéputé pour son franc-parler et son aversion contre l'influence du Qatar dans le football, Aurelio De Laurentiis, le président…

", + "title": "Europa Conference League: Tottenham en danger, Conte critique ses joueurs", + "description": "Battus par les Slovènes de Mura (2-1) ce jeudi, les Spurs n'ont pas leur destin en main avant la dernière journée de la phase de poules de l'Europa Conference League. Virtuellement éliminés, ils n'ont pas échappé aux critiques de leur nouvel entraîneur Antonio Conte.

", + "content": "Battus par les Slovènes de Mura (2-1) ce jeudi, les Spurs n'ont pas leur destin en main avant la dernière journée de la phase de poules de l'Europa Conference League. Virtuellement éliminés, ils n'ont pas échappé aux critiques de leur nouvel entraîneur Antonio Conte.

", "category": "", - "link": "https://www.sofoot.com/l-eca-est-l-otage-des-qataris-selon-aurelio-de-laurentiis-508150.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T11:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-eca-est-l-otage-des-qataris-selon-aurelio-de-laurentiis-1639222673_x600_articles-508150.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-tottenham-en-danger-conte-critique-ses-joueurs_AV-202111250631.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 21:58:49 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "350dfd2cb85af8f1be116ebaaea7f60c" + "hash": "c27b60a88c0d0ea596aa0791a91c0b6d" }, { - "title": "Covid-19 : À Renac, une soirée tartiflette provoque un cluster", - "description": "Soirée tartiflette, lendemains casse-tête.
\n
\nLa vie paisible menée par l'Hermine de Renac, en Ille-et-Vilaine, a été troublée ces derniers jours par la Covid-19. En effet, après…

", - "content": "Soirée tartiflette, lendemains casse-tête.
\n
\nLa vie paisible menée par l'Hermine de Renac, en Ille-et-Vilaine, a été troublée ces derniers jours par la Covid-19. En effet, après…

", + "title": "Monaco-Real Sociedad: une victoire et une qualification pour l’ASM", + "description": "Monaco a poursuivi ce jeudi son excellent parcours en Ligue Europa en disposant de la Real Sociedad (2-1) à Louis-II, lors de la 5e journée. Assurés d’achever la phase de poules à la première place, les coéquipiers de Wissam Ben Yedder sont qualifiés pour les 8es de finale.

", + "content": "Monaco a poursuivi ce jeudi son excellent parcours en Ligue Europa en disposant de la Real Sociedad (2-1) à Louis-II, lors de la 5e journée. Assurés d’achever la phase de poules à la première place, les coéquipiers de Wissam Ben Yedder sont qualifiés pour les 8es de finale.

", "category": "", - "link": "https://www.sofoot.com/covid-19-a-renac-une-soiree-tartiflette-provoque-un-cluster-508149.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T10:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-covid-19-a-renac-une-soiree-tartiflette-provoque-un-cluster-1639221019_x600_articles-508149.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/monaco-real-sociedad-une-victoire-et-une-qualification-pour-l-asm_AN-202111250628.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 21:56:28 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d689b91ee7b363de78990d2aa5aba994" + "hash": "d8327ca2ce14501fbc2e19060a71e6c8" }, { - "title": "Tottenham-Rennes définitivement annulé", - "description": "L'UEFA sonne la fin des tractations.
\n
\nDécimé par une épidémie de Covid-19 qui a forcé le…

", - "content": "L'UEFA sonne la fin des tractations.
\n
\nDécimé par une épidémie de Covid-19 qui a forcé le…

", + "title": "Rennes: \"Je suis fâché\", Genesio tacle ses joueurs malgré la qualification", + "description": "En dépit de la qualification du Stade Rennais pour les 8emes de finale de l’Europa Conference League, l’entraîneur breton Bruno Genesio n’a pas aimé du tout l’attitude de ses joueurs, tenus en échec par le Vitesse Arnhem (3-3) après avoir mené deux fois au score.

", + "content": "En dépit de la qualification du Stade Rennais pour les 8emes de finale de l’Europa Conference League, l’entraîneur breton Bruno Genesio n’a pas aimé du tout l’attitude de ses joueurs, tenus en échec par le Vitesse Arnhem (3-3) après avoir mené deux fois au score.

", "category": "", - "link": "https://www.sofoot.com/tottenham-rennes-definitivement-annule-508148.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T10:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tottenham-rennes-definitivement-annule-1639217612_x600_articles-508148.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/rennes-je-suis-fache-genesio-tacle-ses-joueurs-malgre-la-qualification_AV-202111250602.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 21:10:58 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0622ea22df54a2ff6a0da9fb2138370f" + "hash": "5f62fec89d4768d7417e2f92bf46a1d9" }, { - "title": "Ralf Rangnick ne cherchera pas à garder Paul Pogba à tout prix", - "description": "Les Français n'ont pas la cote à Manchester United en ce moment.
\n
\nPaul Pogba et Anthony Martial portant un autre maillot la saison prochaine ? L'hypothèse est crédible.
", - "content": "Les Français n'ont pas la cote à Manchester United en ce moment.
\n
\nPaul Pogba et Anthony Martial portant un autre maillot la saison prochaine ? L'hypothèse est crédible.
", + "title": "OM: Guendouzi reconnaît une \"énorme déception\" après l'élimination en Ligue Europa", + "description": "Au micro de RMC Sport, Mattéo Guendouzi a confié sa frustration après la défaite de l'OM jeudi contre Galatasaray (4-2), synonyme pour son équipe d'élimination en Ligue Europa. Il promet une réaction dès dimanche en championnat.

", + "content": "Au micro de RMC Sport, Mattéo Guendouzi a confié sa frustration après la défaite de l'OM jeudi contre Galatasaray (4-2), synonyme pour son équipe d'élimination en Ligue Europa. Il promet une réaction dès dimanche en championnat.

", "category": "", - "link": "https://www.sofoot.com/ralf-rangnick-ne-cherchera-pas-a-garder-paul-pogba-a-tout-prix-508147.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T09:25:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ralf-rangnick-ne-cherchera-pas-a-garder-paul-pogba-a-tout-prix-1639215513_x600_articles-508147.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/om-guendouzi-reconnait-une-enorme-deception-apres-l-elimination-en-ligue-europa_AV-202111250598.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 21:08:44 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d6aa4e8804c7099a7592ba8bd8d90f65" + "hash": "22b115f89cad8c4cb3a84d8dea5e622d" }, { - "title": "Manolo Gabbiadini célèbre son but contre le Genoa sur le banc de touche", - "description": "Scène cocasse à Gênes.
\n
\nFessé à domicile par la Sampdoria dans le derby de la lanterne (1-3) ce vendredi, le Genoa continue de plonger en Serie A (dix-neuvième) malgré
", - "content": "Scène cocasse à Gênes.
\n
\nFessé à domicile par la Sampdoria dans le derby de la lanterne (1-3) ce vendredi, le Genoa continue de plonger en Serie A (dix-neuvième) malgré
", + "title": "Coupe Davis: Alcaraz positif au Covid-19 et forfait pour la phase finale", + "description": "Le jeune espagnol Carlos Alcaraz a été testé positif au Covid-19 et est ainsi contraint de déclarer forfait pour la phase finale de la Coupe Davis, qui a débuté jeudi entre Madrid, Innsbruck (Autriche) et Turin (Italie), a annoncé le joueur sur les réseaux sociaux jeudi.

", + "content": "Le jeune espagnol Carlos Alcaraz a été testé positif au Covid-19 et est ainsi contraint de déclarer forfait pour la phase finale de la Coupe Davis, qui a débuté jeudi entre Madrid, Innsbruck (Autriche) et Turin (Italie), a annoncé le joueur sur les réseaux sociaux jeudi.

", "category": "", - "link": "https://www.sofoot.com/manolo-gabbiadini-celebre-son-but-contre-le-genoa-sur-le-banc-de-touche-508146.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T08:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-manolo-gabbiadini-celebre-son-but-contre-le-genoa-sur-le-banc-de-touche-1639213173_x600_articles-508146.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-alcaraz-positif-au-covid-19-et-forfait-pour-la-phase-finale_AD-202111250588.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 20:46:58 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d1d86ef0e9565188752042c2d69820a" + "hash": "0bbecb7c417850068e545c54eaae551a" }, { - "title": "DERNIERS JOURS : 20€ offerts GRATUITS chez NetBet pour parier ce week-end !", - "description": "Envie de parier ce week-end sans déposer d'argent ? NetBet vous offre 20€ sans sortir votre CB ! Ce sont les derniers jours de cette offre EXCLU pour les lecteurs de SoFoot

EXCLU : 20€ offerts SANS SORTIR LA CB chez NetBet

\n
\nVous voulez obtenir 20€ sans verser d'argent pour parier ?
\n

", - "content": "

EXCLU : 20€ offerts SANS SORTIR LA CB chez NetBet

\n
\nVous voulez obtenir 20€ sans verser d'argent pour parier ?
\n


", + "title": "Coupe Davis: \"Je ne suis pas au niveau\", regrette Gasquet", + "description": "Richard Gasquet, sélectionné en équipe de France de Coupe Davis pour son expérience, a regretté de ne pas avoir eu \"le niveau\", après sa défaite dans le premier match contre la République tchèque, jeudi à Innsbruck ; face à Tomas Machac.

", + "content": "Richard Gasquet, sélectionné en équipe de France de Coupe Davis pour son expérience, a regretté de ne pas avoir eu \"le niveau\", après sa défaite dans le premier match contre la République tchèque, jeudi à Innsbruck ; face à Tomas Machac.

", "category": "", - "link": "https://www.sofoot.com/derniers-jours-20e-offerts-gratuits-chez-netbet-pour-parier-ce-week-end-508086.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T15:57:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-derniers-jours-20e-offerts-gratuits-chez-netbet-pour-parier-ce-week-end-1639066912_x600_articles-508086.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-je-ne-suis-pas-au-niveau-regrette-gasquet_AD-202111250575.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 20:25:18 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7e4c833fab312aac2c83996a201018e8" + "hash": "eb4b33901772cf1904c723a74f6c921e" }, { - "title": "Pronostic Lille Lyon : Analyse, cotes et prono du match de Ligue 1", - "description": "Quasi carton plein en cours sur
le dernier match des Bleus, le Lille-Salzbourg, le Manchester City - PSG, et les PSG - Club Bruges et Wolfsbourg - Lille de cette semaine. Pour parier sur cette nouvelle affiche du LOSC, ZEbet vous offre 10€ sans sortir votre CB

10€ gratuits pour parier sur ce Lille - Lyon !

\n
\nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
\n

", - "content": "

10€ gratuits pour parier sur ce Lille - Lyon !

\n
\nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
\n

", + "title": "Europa Conference League: Laborde et Mura envoient le Stade Rennais en huitièmes", + "description": "Grâce à un triplé de son buteur Gaëtan Laborde mais aussi à la victoire surprise de Mura face à Tottenham (2-1), le Stade Rennais, pourtant tenu en échec par le Vitesse Arnhem 3-3 au Roazhon Park, décroche son ticket pour les 8emes de finale de l’Europa Conference League.

", + "content": "Grâce à un triplé de son buteur Gaëtan Laborde mais aussi à la victoire surprise de Mura face à Tottenham (2-1), le Stade Rennais, pourtant tenu en échec par le Vitesse Arnhem 3-3 au Roazhon Park, décroche son ticket pour les 8emes de finale de l’Europa Conference League.

", "category": "", - "link": "https://www.sofoot.com/pronostic-lille-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-508084.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T06:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lille-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-1639065591_x600_articles-508084.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-conference-league-laborde-et-mura-envoient-le-stade-rennais-en-huitiemes_AV-202111250558.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 19:56:13 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "67580074ed8d167dc2e67cc393b83abf" + "hash": "ddc03c67f48312a18b5903ab9b83bb49" }, { - "title": "Entretien croisé avec Maxime Leverbe et Valentin Gendrey, deux Français qui flambent en Serie B ", - "description": "Ce samedi, Pise reçoit Lecce pour un choc au sommet entre le leader et son dauphin en Serie B. L'occasion pour deux joueurs français qui ne se connaissaient pas, Maxime Leverbe et Valentin Gendrey, de s'affronter pour la première fois sur le terrain, mais également de parler de leur quotidien dans l'antichambre de l'élite italienne à base de Massimo Coda ou des toboggans de Pordenone.

Casting :

\n
\n– Maxime Leverbe (24 ans) : Défenseur central de Pise, passé par la Sampdoria, Cagliari et le Chievo.
\n
", - "content": "

Casting :

\n
\n– Maxime Leverbe (24 ans) : Défenseur central de Pise, passé par la Sampdoria, Cagliari et le Chievo.
\n
", + "title": "VIDEO. Galatasaray-OM: Marseille coule en Turquie et sort de la Ligue Europa", + "description": "Sèchement battu par Galatasaray (4-2) ce jeudi soir à Istanbul, Marseille est éliminé de la Ligue Europa avant même la dernière journée de la phase de groupes. Le club phocéen tentera de limiter la casse en rejoignant la Ligue Europa Conference.

", + "content": "Sèchement battu par Galatasaray (4-2) ce jeudi soir à Istanbul, Marseille est éliminé de la Ligue Europa avant même la dernière journée de la phase de groupes. Le club phocéen tentera de limiter la casse en rejoignant la Ligue Europa Conference.

", "category": "", - "link": "https://www.sofoot.com/entretien-croise-avec-maxime-leverbe-et-valentin-gendrey-deux-francais-qui-flambent-en-serie-b-508121.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-entretien-croise-avec-maxime-leverbe-et-valentin-gendrey-deux-francais-qui-flambent-en-serie-b-1639159608_x600_articles-508121.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/video-galatasaray-om-marseille-coule-en-turquie-et-sort-de-la-ligue-europa_AN-202111250551.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 19:48:37 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "54a6526f80cac09a22bb5d5ec2ff281c" + "hash": "87cce5d5a5e377bd6d78b43c7f684846" }, { - "title": "Éric Di Meco et Baptiste Serin avec Loïc Puyo : \"Les rugbymen sont des footeux qui s'ignorent\"", - "description": "Passé par la Ligue 1, la Ligue 2, le National, et même le championnat australien la saison dernière, le milieu de terrain Loïc Puyo (32 ans) prend la plume, depuis un an et demi, afin de raconter pour So Foot son quotidien de joueur. Cette semaine, avant une belle journée de Coupe d'Europe sur les terrains de rugby, il a décidé d'évoquer la relation entre foot et rugby, avec un joueur international de chaque discipline pour débroussailler le sujet : Éric Di Meco et Baptiste Serin.Après les récents succès de nos équipes nationales - nos…", - "content": "Après les récents succès de nos équipes nationales - nos…", + "title": "Brondby-OL: Cherki, Keita, Lukeba… Bosz fait confiance aux espoirs lyonnais", + "description": "Déjà assuré de terminer à la première place de son groupe, et par conséquent d'être qualifié pour les 8es de finale de la Ligue Europa, l’OL présente une équipe fortement remaniée pour son déplacement à Brondby, ce jeudi, lors de la 5e journée de Ligue Europa (sur RMC Sport 1).

", + "content": "Déjà assuré de terminer à la première place de son groupe, et par conséquent d'être qualifié pour les 8es de finale de la Ligue Europa, l’OL présente une équipe fortement remaniée pour son déplacement à Brondby, ce jeudi, lors de la 5e journée de Ligue Europa (sur RMC Sport 1).

", "category": "", - "link": "https://www.sofoot.com/eric-di-meco-et-baptiste-serin-avec-loic-puyo-les-rugbymen-sont-des-footeux-qui-s-ignorent-507976.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-eric-di-meco-et-baptiste-serin-avec-loic-puyo-les-rugbymen-sont-des-footeux-qui-s-ignorent-1639092925_x600_articles-alt-507976.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/brondby-ol-cherki-keita-lukeba-bosz-fait-confiance-aux-espoirs-lyonnais_AV-202111250540.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 19:24:12 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b87b4f5ae859d5efa6d667348daa8e92" + "hash": "0a95a65c10fa4f03c968a5e8ff20dc53" }, { - "title": "Le FC Nantes retourne le RC Lens en beauté", - "description": "Invisible en première période et breaké par des Lensois cliniques, le FC Nantes a retourné le scénario après la pause en plantant trois fois, pour arracher in extremis la victoire à la Beaujoire dans un élan incroyable, grâce à un doublé heureux de Randal Kolo Muani et un bonbon final de Moses Simon (3-2). Le Racing tourne toujours au ralenti.

", - "content": "

", + "title": "Brondby-OL en direct: l'OL poursuit le sans faute, Cherki flamboyant", + "description": "Déjà assuré de terminer à la première place de son groupe, l'Olympique Lyonnais se déplace à Brondby pour la cinquième journée d'Europa League. Peter Bosz a décidé d'aligner une équipe remaniée.

", + "content": "Déjà assuré de terminer à la première place de son groupe, l'Olympique Lyonnais se déplace à Brondby pour la cinquième journée d'Europa League. Peter Bosz a décidé d'aligner une équipe remaniée.

", "category": "", - "link": "https://www.sofoot.com/le-fc-nantes-retourne-le-rc-lens-en-beaute-508142.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T22:04:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-fc-nantes-retourne-le-rc-lens-en-beaute-1639175448_x600_articles-alt-508142.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/europa-league-brondby-ol-en-direct_LS-202111250534.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 19:16:31 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "becf5af0419ce334001368449d9c0837" + "hash": "6d844ecc285a0214fb1c914839f453b2" }, { - "title": "En direct : Nantes - Lens", - "description": "43' : Des trous partout dans ce bloc nantais... Que dire.", - "content": "43' : Des trous partout dans ce bloc nantais... Que dire.", + "title": "Galatasaray-OM: des projectiles lancés sur la pelouse par les supporters turcs, tensions à Istanbul", + "description": "Le match de Ligue Europa entre Galatasaray et l'OM a été marqué par des incidents en tribunes ce jeudi. Les Marseillais ont été visés par des projectiles lancés par des supporters turcs.

", + "content": "Le match de Ligue Europa entre Galatasaray et l'OM a été marqué par des incidents en tribunes ce jeudi. Les Marseillais ont été visés par des projectiles lancés par des supporters turcs.

", "category": "", - "link": "https://www.sofoot.com/en-direct-nantes-lens-508141.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-nantes-lens-1639167929_x600_articles-alt-508141.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-des-projectiles-lances-sur-la-pelouse-par-les-supporters-turcs-tensions-a-istanbul_AV-202111250521.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 18:47:31 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0d988ad9578fad10ebfa9dc25669b47" + "hash": "c68501e1d1b71adb666a17f0b3f9e1d5" }, { - "title": "Mikel Arteta souhaite des protocoles Covid plus clairs en Premier League", - "description": "Et souhaiter la fin du Covid tout court, c'est trop demandé ?
\n
\nAlors que la Premier League a annoncé le report de…

", - "content": "Et souhaiter la fin du Covid tout court, c'est trop demandé ?
\n
\nAlors que la Premier League a annoncé le report de…

", + "title": "Le PSG a-t-il fait une erreur en recrutant Messi? La Dream Team divisée", + "description": "Dans \"Rothen S’enflamme\" jeudi sur RMC, Jérôme Rothen et Nicolas Anelka sont revenus sur les débuts mitigés de Lionel Messi, au lendemain d’une performance encore décevante face à Manchester City (2-1) en Ligue des champions.

", + "content": "Dans \"Rothen S’enflamme\" jeudi sur RMC, Jérôme Rothen et Nicolas Anelka sont revenus sur les débuts mitigés de Lionel Messi, au lendemain d’une performance encore décevante face à Manchester City (2-1) en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/mikel-arteta-souhaite-des-protocoles-covid-plus-clairs-en-premier-league-508137.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T16:54:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mikel-arteta-souhaite-des-protocoles-covid-plus-clairs-en-premier-league-1639158794_x600_articles-508137.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/le-psg-a-t-il-fait-une-erreur-en-recrutant-messi-la-dream-team-divisee_AV-202111250501.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 18:18:20 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf3e95ffc71456e36aae59b8c5374c3b" + "hash": "ba452911c479293b01b666ebcf528347" }, { - "title": "Colombie : un joueur aide l'arbitre à mettre un carton", - "description": "Mieux vaut être du côté de l'homme en noir.
\n
\nFin de match rocambolesque entre l'America de Cali qui arrache la victoire contre l'Alianza Petrolera dans les derniers instants (but du…

", - "content": "Mieux vaut être du côté de l'homme en noir.
\n
\nFin de match rocambolesque entre l'America de Cali qui arrache la victoire contre l'Alianza Petrolera dans les derniers instants (but du…

", + "title": "Monaco-Real Sociedad en direct: l'AS Monaco fait tomber la Real et file en 8es de finale", + "description": "Monaco s’impose finalement 2-1 face à la Real Sociedad et se qualifie officiellement pour les 8es de finale de la Ligue Europa !

", + "content": "Monaco s’impose finalement 2-1 face à la Real Sociedad et se qualifie officiellement pour les 8es de finale de la Ligue Europa !

", "category": "", - "link": "https://www.sofoot.com/colombie-un-joueur-aide-l-arbitre-a-mettre-un-carton-508136.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T16:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-colombie-un-joueur-aide-l-arbitre-a-mettre-un-carton-1639158165_x600_articles-508136.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-monaco-real-sociedad-en-direct_LS-202111250500.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 18:15:47 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": true, + "feed": "RMC Sport", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "946a667d2830c9b4287fc25dc82a8cd7" + "hash": "3bb2d308bb9e3529afd1b26558c053b6" }, { - "title": "La fédération espagnole se paye Javier Tebas", - "description": "La Liga a officialisé ce vendredi son accord avec le fonds d'investissement CVC, qui va permettre aux clubs espagnols de toucher 1,994 milliard d'euros, dont 400 millions qui doivent arriver dans…", - "content": "La Liga a officialisé ce vendredi son accord avec le fonds d'investissement CVC, qui va permettre aux clubs espagnols de toucher 1,994 milliard d'euros, dont 400 millions qui doivent arriver dans…", + "title": "VIDEO. Galatasaray-OM: l'ouverture du score des Turcs après une erreur de Kamara", + "description": "Galatasaray n'a eu besoin que de 14 minutes pour ouvrir le score face à l'OM, ce jeudi, lors de la cinquième journée de la phase de poules de la Ligue Europa (sur RMC Sport 1). Boubacar Kamara est en partie responsable.

", + "content": "Galatasaray n'a eu besoin que de 14 minutes pour ouvrir le score face à l'OM, ce jeudi, lors de la cinquième journée de la phase de poules de la Ligue Europa (sur RMC Sport 1). Boubacar Kamara est en partie responsable.

", "category": "", - "link": "https://www.sofoot.com/la-federation-espagnole-se-paye-javier-tebas-508135.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T16:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-federation-espagnole-se-paye-javier-tebas-1639155197_x600_articles-508135.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-l-ouverture-du-score-des-turcs-apres-une-erreur-de-kamara_AV-202111250496.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 18:11:27 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": true, + "feed": "RMC Sport", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "235021f59fab0032a1fa25be39291a4c" + "hash": "4cd9e54069d8994a6ad41fb68406e68b" }, { - "title": "La finale de la Coupe de France féminine à Dijon", - "description": "Il y aura du spectacle cette saison à Dijon et ce ne sera pas forcément grâce à l'équipe de Patrice Garande, actuellement 15e de Ligue 2.
\n
\nLa Coupe de France féminine…

", - "content": "Il y aura du spectacle cette saison à Dijon et ce ne sera pas forcément grâce à l'équipe de Patrice Garande, actuellement 15e de Ligue 2.
\n
\nLa Coupe de France féminine…

", + "title": "Top 14: Arthur Vincent va prolonger à Montpellier", + "description": "Le trois quart centre international, Arthur Vincent, va prolonger son aventure avec le Montpellier Hérault Rugby. Formé au club, il portera ce maillot deux années supplémentaires, en dépit des sollicitations du Stade Toulousain.

", + "content": "Le trois quart centre international, Arthur Vincent, va prolonger son aventure avec le Montpellier Hérault Rugby. Formé au club, il portera ce maillot deux années supplémentaires, en dépit des sollicitations du Stade Toulousain.

", "category": "", - "link": "https://www.sofoot.com/la-finale-de-la-coupe-de-france-feminine-a-dijon-508134.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T16:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-finale-de-la-coupe-de-france-feminine-a-dijon-1639155163_x600_articles-508134.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/rugby/top-14-arthur-vincent-va-prolonger-a-montpellier_AV-202111250481.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:53:03 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5fc06635f1dacc30913a4606a739b3f" + "hash": "36d88b1a27b6159133ff19374bc63160" }, { - "title": "Tottenham-Brighton reporté", - "description": "Brighton et Rennes, même combat.
\n
\nL'épidémie de Covid-19 a décidé de s'abattre sur les Spurs de Tottenham et ne pas les laisser tranquilles. Les hommes d'Antonio Conte…

", - "content": "Brighton et Rennes, même combat.
\n
\nL'épidémie de Covid-19 a décidé de s'abattre sur les Spurs de Tottenham et ne pas les laisser tranquilles. Les hommes d'Antonio Conte…

", + "title": "Mercato: Zidane, pas encore au PSG", + "description": "Au cœur de rumeurs concernant un éventuel départ en Angleterre et à Manchester United, Mauricio Pochettino n'a pas demandé au PSG d'être libéré. Le club de la capitale n’a par ailleurs pas entamé de discussions directes avec Zinédine Zidane, ni avec aucun entraîneur.

", + "content": "Au cœur de rumeurs concernant un éventuel départ en Angleterre et à Manchester United, Mauricio Pochettino n'a pas demandé au PSG d'être libéré. Le club de la capitale n’a par ailleurs pas entamé de discussions directes avec Zinédine Zidane, ni avec aucun entraîneur.

", "category": "", - "link": "https://www.sofoot.com/tottenham-brighton-reporte-508133.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T15:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tottenham-brighton-reporte-1639154594_x600_articles-508133.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/mercato-zidane-pas-encore-au-psg_AV-202111250464.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:37:22 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1a499f5b8267191b8d93d5f7019a920" + "hash": "c9946776feefdad0da8864a9e5fea92f" }, { - "title": "Pronostic Real Madrid Atlético Madrid : Analyse, cotes et prono du match de Liga", - "description": "

Le Real, roi de Madrid face à l'Atlético

\n
\nLa 17e journée de Liga nous offre le traditionnel derby de Madrid entre le Real et…
", - "content": "

Le Real, roi de Madrid face à l'Atlético

\n
\nLa 17e journée de Liga nous offre le traditionnel derby de Madrid entre le Real et…
", + "title": "Le gardien de l’Iran dans le livre des records grâce au dégagement à la main le plus long de l'histoire", + "description": "Le gardien de but de l’Iran et de Boavista, Alireza Beiranvand, est entré dans l’histoire du football en inscrivant son nom dans le Guinness des Records. Le 11 octobre 2016, le portier de la sélection iranienne avait dégagé le ballon de la main à distance record de 61,26m lors d’un match de qualification pour la Coupe du monde 2018 face à la Corée du Sud.\n

", + "content": "Le gardien de but de l’Iran et de Boavista, Alireza Beiranvand, est entré dans l’histoire du football en inscrivant son nom dans le Guinness des Records. Le 11 octobre 2016, le portier de la sélection iranienne avait dégagé le ballon de la main à distance record de 61,26m lors d’un match de qualification pour la Coupe du monde 2018 face à la Corée du Sud.\n

", "category": "", - "link": "https://www.sofoot.com/pronostic-real-madrid-atletico-madrid-analyse-cotes-et-prono-du-match-de-liga-508132.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T15:27:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-madrid-atletico-madrid-analyse-cotes-et-prono-du-match-de-liga-1639150919_x600_articles-508132.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/le-gardien-l-iran-dans-le-livre-des-records-grace-au-degagement-a-la-main-le-plus-long-de-l-histoire_AD-202111250450.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:23:43 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "746fbc3c213d3599c80c182abdfaa988" + "hash": "245b44bf41b547cf3e7970f661bd3c68" }, { - "title": "Pronostic Rennes Nice : Analyse, cotes et prono du match de Ligue 1", - "description": "

Un Rennes de beauté face à Nice

\n
\nL'an passé, Lille avait égayé la saison de Ligue 1 en rivalisant face aux grosses cylindrées de Ligue 1 et en…
", - "content": "

Un Rennes de beauté face à Nice

\n
\nL'an passé, Lille avait égayé la saison de Ligue 1 en rivalisant face aux grosses cylindrées de Ligue 1 et en…
", + "title": "Juventus: la colère et les larmes de Ronaldo après l'élimination contre Porto en Ligue des champions", + "description": "Dans la série documentaire All or Nothing: Juventus d'Amazon Prime Video, Cristiano Ronaldo apparaît en larmes à la suite de l'élimination du club italien face au FC Porto lors de l'édition 2020-2021 de la Ligue des champions.

", + "content": "Dans la série documentaire All or Nothing: Juventus d'Amazon Prime Video, Cristiano Ronaldo apparaît en larmes à la suite de l'élimination du club italien face au FC Porto lors de l'édition 2020-2021 de la Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/pronostic-rennes-nice-analyse-cotes-et-prono-du-match-de-ligue-1-508131.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T15:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-rennes-nice-analyse-cotes-et-prono-du-match-de-ligue-1-1639150404_x600_articles-508131.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/juventus-la-colere-et-les-larmes-de-ronaldo-apres-l-elimination-contre-porto-en-ligue-des-champions_AV-202111250449.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:22:07 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4cab24eaa45c613f260884aac3552a5" + "hash": "05cd3fdc4c2ef50795cd0613ecd311b9" }, { - "title": "Anthony Martial veut quitter Manchester United selon son agent", - "description": "Plus de six ans après son transfert de Monaco à Manchester United, Anthony Martial (26 ans) n'a jamais vraiment confirmé tous les espoirs placés en lui, quand bien même ses 269 matchs et 79 buts…", - "content": "Plus de six ans après son transfert de Monaco à Manchester United, Anthony Martial (26 ans) n'a jamais vraiment confirmé tous les espoirs placés en lui, quand bien même ses 269 matchs et 79 buts…", + "title": "Barça: toujours blessé, Pedri ne devrait pas rejouer avant 2022", + "description": "Absent des terrains depuis fin septembre en raison d'une blessure à une cuisse, Pedri va manquer encore plusieurs matchs. Selon la presse espagnole, le jeune milieu du FC Barcelone ne retrouvera les terrains qu'en début d'année prochaine.

", + "content": "Absent des terrains depuis fin septembre en raison d'une blessure à une cuisse, Pedri va manquer encore plusieurs matchs. Selon la presse espagnole, le jeune milieu du FC Barcelone ne retrouvera les terrains qu'en début d'année prochaine.

", "category": "", - "link": "https://www.sofoot.com/anthony-martial-veut-quitter-manchester-united-selon-son-agent-508130.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T15:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-anthony-martial-veut-quitter-manchester-united-selon-son-agent-1639154236_x600_articles-508130.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-toujours-blesse-pedri-ne-devrait-pas-rejouer-avant-2022_AV-202111250442.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:16:28 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e69295f8f10b85727739c8944f31e12" + "hash": "10504b6557cc5d2734dbdc40ec9ed0fe" }, { - "title": "Pronostic Troyes Bordeaux : Analyse, cotes et prono du match de Ligue 1", - "description": "

Un Troyes – Bordeaux avec des buts de chaque côté

\n
\nLa 18e journée de Ligue 1 nous offre ce week-end plusieurs oppositions importantes…
", - "content": "

Un Troyes – Bordeaux avec des buts de chaque côté

\n
\nLa 18e journée de Ligue 1 nous offre ce week-end plusieurs oppositions importantes…
", + "title": "Les pronos hippiques du vendredi 26 novembre 2021", + "description": "Le Quinté+ du vendredi 26 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", + "content": "Le Quinté+ du vendredi 26 novembre est programmé sur l’hippodrome de Vincennes dans la discipline du trot. Retrouvez ci-dessous nos pronostics pour cette course ainsi que notre pari du jour et notre pari de folie dans deux autres courses au menu de la journée.

", "category": "", - "link": "https://www.sofoot.com/pronostic-troyes-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-508129.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T15:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-troyes-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-1639149922_x600_articles-508129.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/paris-hippique/les-pronos-hippiques-du-vendredi-26-novembre-2021_AN-202111250439.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:12:25 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "564dcdbecc59d098cb2ab1a913881c21" + "hash": "49457793b9d066990b6a9f2a7145c448" }, { - "title": "Pronostic Angers Clermont : Analyse, cotes et prono du match de Ligue 1", - "description": "

Angers un cran au-dessus de Clermont

\n
\nEn s'imposant le week-end dernier sur la pelouse de Reims (1-2), Angers a consolidé sa place dans la…
", - "content": "

Angers un cran au-dessus de Clermont

\n
\nEn s'imposant le week-end dernier sur la pelouse de Reims (1-2), Angers a consolidé sa place dans la…
", + "title": "XV de France: Labit entretient le flou sur la concurrence entre Ntamack et Jalibert", + "description": "Invité sur le plateau du Super Moscato Show jeudi sur RMC, Laurent Labit, l’entraîneur du XV de France en charge des arrières, n’a pas levé le voile sur les intentions à terme du staff des Bleus au sujet du poste d’ouvreur. La concurrence est féroce entre Romain Ntamack et Matthieu Jalibert.

", + "content": "Invité sur le plateau du Super Moscato Show jeudi sur RMC, Laurent Labit, l’entraîneur du XV de France en charge des arrières, n’a pas levé le voile sur les intentions à terme du staff des Bleus au sujet du poste d’ouvreur. La concurrence est féroce entre Romain Ntamack et Matthieu Jalibert.

", "category": "", - "link": "https://www.sofoot.com/pronostic-angers-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-508127.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T14:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-angers-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-1639149108_x600_articles-508127.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/xv-de-france-labit-entretient-le-flou-sur-la-concurrence-entre-ntamack-et-jalibert_AV-202111250415.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 16:40:37 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": true, + "feed": "RMC Sport", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0f3891086c40a83a6b0cc40935ceb95" + "hash": "604199f7ab7c4a7df4298092a66d6ecc" }, { - "title": "Pronostic Strasbourg OM : Analyse, cotes et prono du match de Ligue 1", - "description": "

Strasbourg enchaîne face à l'OM

\n
\nLe Racing Club de Strasbourg est la sensation de cette fin d'année en Ligue 1. Après avoir démarré doucement…
", - "content": "

Strasbourg enchaîne face à l'OM

\n
\nLe Racing Club de Strasbourg est la sensation de cette fin d'année en Ligue 1. Après avoir démarré doucement…
", + "title": "Galatasaray-OM: Marseille avec Gerson et Dieng", + "description": "L'OM se déplace ce jeudi soir sur le terrain de Galatasaray en Ligue Europa (18h45, RMC Sport 1) avec l'interdiction ou presque de perdre. Pour ce match capital, Marseille sera privé de Dimitri Payet et Valentin Rongier, suspendus.

", + "content": "L'OM se déplace ce jeudi soir sur le terrain de Galatasaray en Ligue Europa (18h45, RMC Sport 1) avec l'interdiction ou presque de perdre. Pour ce match capital, Marseille sera privé de Dimitri Payet et Valentin Rongier, suspendus.

", "category": "", - "link": "https://www.sofoot.com/pronostic-strasbourg-om-analyse-cotes-et-prono-du-match-de-ligue-1-508126.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T14:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-strasbourg-om-analyse-cotes-et-prono-du-match-de-ligue-1-1639148500_x600_articles-508126.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-marseille-avec-gerson-et-dieng_AV-202111250406.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 16:30:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3bfc5291041da0bacb131d6188e5d0c" + "hash": "db086e383929a50fc664d01fbb366e6a" }, { - "title": "Quand Ripart était \"rattrapé par sa femme\" lors de ses adieux aux supporters nîmois", - "description": "\"À la base, moi, j'étais juste venu faire une pétanque...\" Quand il pénètre dans les Jardins de la Fontaine, le parc public de Nîmes, ce dimanche 18 juillet 2021, trois jours…", - "content": "\"À la base, moi, j'étais juste venu faire une pétanque...\" Quand il pénètre dans les Jardins de la Fontaine, le parc public de Nîmes, ce dimanche 18 juillet 2021, trois jours…", + "title": "Manchester United aurait un accord avec Rangnick pour devenir le prochain coach", + "description": "Selon les informations de The Athletic, Ralf Rangnick serait tombé d'accord avec Manchester United pour prendre la suite d'Ole Gunnar Solskjaer. Il s'agirait d'un contrat de six mois pour le technicien allemand, avec ensuite deux ans dans un rôle de consultant.

", + "content": "Selon les informations de The Athletic, Ralf Rangnick serait tombé d'accord avec Manchester United pour prendre la suite d'Ole Gunnar Solskjaer. Il s'agirait d'un contrat de six mois pour le technicien allemand, avec ensuite deux ans dans un rôle de consultant.

", "category": "", - "link": "https://www.sofoot.com/quand-ripart-etait-rattrape-par-sa-femme-lors-de-ses-adieux-aux-supporters-nimois-508117.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T14:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-quand-ripart-etait-rattrape-par-sa-femme-lors-de-ses-adieux-aux-supporters-nimois-1639138015_x600_articles-508117.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-aurait-un-accord-avec-rangnick-pour-devenir-le-prochain-coach_AV-202111250387.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 16:01:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "549ea1589389df14a0b58f3beaba7c63" + "hash": "d2300f3609d0136bf400ae139cce8639" }, { - "title": "François Hollande a assisté à un entraînement du Clermont Foot", - "description": "Clermont va chercher vraiment loin pour son mercato hivernal.
\n
\nEn promotion pour son nouveau livre Affronter, François Hollande était de passage ce vendredi à Clermont.…

", - "content": "Clermont va chercher vraiment loin pour son mercato hivernal.
\n
\nEn promotion pour son nouveau livre Affronter, François Hollande était de passage ce vendredi à Clermont.…

", + "title": "Le projet de mi-temps de 25 minutes en football est retoqué", + "description": "Le projet de prolonger la durée de la mi-temps de 15 à 25 minutes a été retoqué par l’International Football Association Board (IFAB) ce jeudi. Parmi les autres dossiers l’ordre du jour, le principe des cinq remplacements autorisés au cours d’un match pour être adopté définitivement en 2022.

", + "content": "Le projet de prolonger la durée de la mi-temps de 15 à 25 minutes a été retoqué par l’International Football Association Board (IFAB) ce jeudi. Parmi les autres dossiers l’ordre du jour, le principe des cinq remplacements autorisés au cours d’un match pour être adopté définitivement en 2022.

", "category": "", - "link": "https://www.sofoot.com/francois-hollande-a-assiste-a-un-entrainement-du-clermont-foot-508125.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T14:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-francois-hollande-a-assiste-a-un-entrainement-du-clermont-foot-1639153997_x600_articles-508125.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/le-projet-de-mi-temps-de-25-minutes-en-football-est-retoque_AV-202111250385.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 15:57:36 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "479ca7df0a1a3964febeed7de65db792" + "hash": "e60e9d8d0a96c60341d172a8298cb677" }, { - "title": "Pronostic Metz Lorient : Analyse, cotes et prono du match de Ligue 1", - "description": "

Metz – Lorient : l'enjeu prend le dessus sur le jeu

\n
\nDans une lutte pour le maintien déjà acharnée, Metz et Lorient s'affrontent ce dimanche…
", - "content": "

Metz – Lorient : l'enjeu prend le dessus sur le jeu

\n
\nDans une lutte pour le maintien déjà acharnée, Metz et Lorient s'affrontent ce dimanche…
", + "title": "Mercato en direct: Zidane, pas encore au PSG", + "description": "La date du 1er janvier, permettant aux joueurs en fin de contrat de s'engager ailleurs, approche à grands pas. Du côté du mercato des entraîneurs, tous les regards sont braqués sur Manchester United, qui travaille sur la succession de Solskjaer. Toutes les infos sont à retrouver dans ce live RMC Sport.

", + "content": "La date du 1er janvier, permettant aux joueurs en fin de contrat de s'engager ailleurs, approche à grands pas. Du côté du mercato des entraîneurs, tous les regards sont braqués sur Manchester United, qui travaille sur la succession de Solskjaer. Toutes les infos sont à retrouver dans ce live RMC Sport.

", "category": "", - "link": "https://www.sofoot.com/pronostic-metz-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-508124.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T14:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-metz-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-1639147861_x600_articles-508124.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-25-novembre_LN-202111250337.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 14:28:58 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "829d3e12137e69e891f4278c371ab927" + "hash": "7636efe8b2141b610c513ceec54e24d0" }, { - "title": "Quinze supporters de Moscou interpellés après la rencontre face à l'OM", - "description": "Le Lokomotiv a déraillé.
\n
\nVenu au stade Vélodrome ce jeudi dans l'espoir de créer l'exploit et de décrocher son billet pour la Ligue Europa Conférence, le Lokomotiv Moscou n'a pas…

", - "content": "Le Lokomotiv a déraillé.
\n
\nVenu au stade Vélodrome ce jeudi dans l'espoir de créer l'exploit et de décrocher son billet pour la Ligue Europa Conférence, le Lokomotiv Moscou n'a pas…

", + "title": "Galatasaray-OM en direct: Marseille coule et est éliminé de la Ligue Europa", + "description": "L'OM a été largement dominé sur la pelouse de Galatasaray ce jeudi lors de la 5e journée de Ligue Europa (4-2). Avec la victoire de la Lazio, Marseille est officiellement éliminé de la compétition et tentera d'aller chercher une qualification pour les barrages de la Ligue Europa Conférence lors de la dernière journée.

", + "content": "L'OM a été largement dominé sur la pelouse de Galatasaray ce jeudi lors de la 5e journée de Ligue Europa (4-2). Avec la victoire de la Lazio, Marseille est officiellement éliminé de la compétition et tentera d'aller chercher une qualification pour les barrages de la Ligue Europa Conférence lors de la dernière journée.

", "category": "", - "link": "https://www.sofoot.com/quinze-supporters-de-moscou-interpelles-apres-la-rencontre-face-a-l-om-508123.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T13:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-quinze-supporters-de-moscou-interpelles-apres-la-rencontre-face-a-l-om-1639148472_x600_articles-508123.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-suivez-le-choc-bouillant-galatasaray-om_LS-202111250316.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 14:00:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cd6ac06b57c8e0de4592a6b2493b96c8" + "hash": "b8988e34870d243b19adc2740ec45aa7" }, { - "title": "Le rapport accablant pour le centre de formation de Nîmes", - "description": "Un rapport de la FFF accable grandement l'état du centre de formation du Nîmes Olympique que son président Rani Assaf avait fermé en mai dernier pour des raisons financières. ", - "content": "Un rapport de la FFF accable grandement l'état du centre de formation du Nîmes Olympique que son président Rani Assaf avait fermé en mai dernier pour des raisons financières. ", + "title": "Tennis: la Coupe Davis pourrait avoir lieu à Abu Dhabi pendant cinq ans", + "description": "Selon le Telegraph, la société Kosmos, qui organise la Coupe Davis, a trouvé un accord avec les Emirats arabes unis pour que la compétition se déroule à Abu Dhabi les cinq prochaines années.

", + "content": "Selon le Telegraph, la société Kosmos, qui organise la Coupe Davis, a trouvé un accord avec les Emirats arabes unis pour que la compétition se déroule à Abu Dhabi les cinq prochaines années.

", "category": "", - "link": "https://www.sofoot.com/le-rapport-accablant-pour-le-centre-de-formation-de-nimes-508119.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T13:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-rapport-accablant-pour-le-centre-de-formation-de-nimes-1639147346_x600_articles-508119.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/tennis-la-coupe-davis-pourrait-avoir-lieu-a-abu-dhabi-pendant-cinq-ans_AV-202111250144.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 08:18:56 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "335be200f0df8a6da8affad2721b7ab1" + "hash": "f13e178097192ea6fdb2375cca321600" }, { - "title": "Rennes : qui se cache derrière Martin Terrier ? ", - "description": "Dans la famille Terrier, il faut demander le petit dernier, Martin, pour trouver celui qui a réussi à pointer le bout de son nez en Ligue 1. Une réussite attendue pour le cadet d'une fratrie qui a grandi, comme des milliers d'autres, en baignant dans le foot dans le Nord, une terre qu'il est le seul de la famille à avoir quittée. De Lille à Rennes en passant par Strasbourg et Lyon, portrait de l'homme en forme de la Ligue 1, symbole d'un Stade rennais à qui tout sourit. Où il est question de grosses lucarnes, d'horloge cassée et d'un amour impossible pour les jeux vidéo.Dans la famille Terrier, le 26 mai 2016 est une date à marquer d'une pierre blanche. Ce jour-là, le papa Frédéric et son épouse sont présents au stade Jean-Deconinck pour assister au dernier…", - "content": "Dans la famille Terrier, le 26 mai 2016 est une date à marquer d'une pierre blanche. Ce jour-là, le papa Frédéric et son épouse sont présents au stade Jean-Deconinck pour assister au dernier…", + "title": "Manchester City-PSG: Pochettino renie ses principes avec ses stars, selon Henry", + "description": "Jamie Carragher et Thierry Henry, consultants pour la chaîne américaine CBS Sports, estiment que Mauricio Pochettino ne parvient pas à faire passer son message auprès de ses stars. Le premier le pousse à quitter le PSG, le second trouve qu’il renie ses principes.

", + "content": "Jamie Carragher et Thierry Henry, consultants pour la chaîne américaine CBS Sports, estiment que Mauricio Pochettino ne parvient pas à faire passer son message auprès de ses stars. Le premier le pousse à quitter le PSG, le second trouve qu’il renie ses principes.

", "category": "", - "link": "https://www.sofoot.com/rennes-qui-se-cache-derriere-martin-terrier-508105.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T13:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-rennes-qui-se-cache-derriere-martin-terrier-1639133151_x600_articles-alt-508105.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-pochettino-renie-ses-principes-avec-ses-stars-selon-thierry-henry_AV-202111250141.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 08:07:59 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a13e8c7bfae77c780ef8a431ef7067c5" + "hash": "6f8482e0b095b558cdc7ca6b3100eacc" }, { - "title": "Peter Bosz : \"C'est Marseille qui a refusé de jouer\"", - "description": "Le contraire aurait été étonnant.
\n
\nAu surlendemain
de l'annonce des…

", - "content": "Le contraire aurait été étonnant.
\n
\nAu surlendemain de l'annonce des…

", + "title": "Rugby: la licence de Radosavljevic suspendue par la Fédération de rugby à XIII", + "description": "Ludovic Radosavljevic, suspendu six mois pour injures racistes et limogé en septembre par Provence Rugby, souhaitait se reconvertir dans le rugby à XIII au club d’Avignon. Mais la Fédération a suspendu sa licence mercredi.

", + "content": "Ludovic Radosavljevic, suspendu six mois pour injures racistes et limogé en septembre par Provence Rugby, souhaitait se reconvertir dans le rugby à XIII au club d’Avignon. Mais la Fédération a suspendu sa licence mercredi.

", "category": "", - "link": "https://www.sofoot.com/peter-bosz-c-est-marseille-qui-a-refuse-de-jouer-508120.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T13:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-peter-bosz-c-est-marseille-qui-a-refuse-de-jouer-1639146610_x600_articles-508120.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/rugby/rugby-la-licence-de-radosavljevic-suspendue-par-la-federation-de-rugby-a-xiii_AN-202111250132.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 07:53:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6d13623757e3eef93b16c3f27cc7a99" + "hash": "45319858d88517590779f82d8270177e" }, { - "title": "\"Devant Steven Gerrard, je ne faisais qu'écouter en souriant\"", - "description": "Home sweet home. Six ans et demi après son dernier match à Anfield, Steven Gerrard retrouve ce samedi l'antre de ses innombrables exploits sous le maillot du Liverpool Football Club. Avec le statut d'adversaire, lui qui entraîne Aston Villa depuis maintenant un mois, après avoir conquis l'Écosse sur le banc des Rangers. L'occasion de se pencher sur ce rôle de coach, que le légendaire numéro 8 a embrassé en 2017, avec ceux qui l'ont côtoyé de près.
\t\t\t\t\t
", - "content": "
\t\t\t\t\t
", + "title": "Manchester City-PSG. la stat qui fait mal: Navas a touché plus de ballons que Mbappé", + "description": "Signe de l’impuissance parisienne dans la possession de balle face à Manchester City (2-1), Keylor Navas, gardien parisien, a touché plus de ballons que Kylian Mbappé, mercredi en Ligue des champions.

", + "content": "Signe de l’impuissance parisienne dans la possession de balle face à Manchester City (2-1), Keylor Navas, gardien parisien, a touché plus de ballons que Kylian Mbappé, mercredi en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/devant-steven-gerrard-je-ne-faisais-qu-ecouter-en-souriant-508094.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-devant-steven-gerrard-je-ne-faisais-qu-ecouter-en-souriant-1639129236_x600_articles-alt-508094.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-la-stat-qui-fait-mal-navas-a-touche-plus-de-ballons-que-mbappe_AV-202111250104.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 07:24:19 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "385c869c12658be31cb4b3ffbcab2fae" + "hash": "d44ae559c7f39ff5af73b795da185a26" }, { - "title": "Pronostic Bastia Sochaux : Analyse, cotes et prono du match de Ligue 2", - "description": "

Bastia ralentit Sochaux à Furiani

\n
\nPromu cette saison en Ligue 2, le Sporting Club de Bastia rencontre évidemment des difficultés. 18es et…
", - "content": "

Bastia ralentit Sochaux à Furiani

\n
\nPromu cette saison en Ligue 2, le Sporting Club de Bastia rencontre évidemment des difficultés. 18es et…
", + "title": "La Suisse envoie du chocolat à l'Irlande du Nord pour les remercier du nul contre l'Italie", + "description": "Dix jours après la qualification de la Suisse pour la Coupe du monde 2022, en partie grâce au nul entre l'Irlande du Nord et l'Italie (0-0), le sélectionneur helvète, Murat Yakin, s'est mis en scène dans une vidéo où il envoie du chocolat aux Irlandais pour les remercier.

", + "content": "Dix jours après la qualification de la Suisse pour la Coupe du monde 2022, en partie grâce au nul entre l'Irlande du Nord et l'Italie (0-0), le sélectionneur helvète, Murat Yakin, s'est mis en scène dans une vidéo où il envoie du chocolat aux Irlandais pour les remercier.

", "category": "", - "link": "https://www.sofoot.com/pronostic-bastia-sochaux-analyse-cotes-et-prono-du-match-de-ligue-2-508118.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:57:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bastia-sochaux-analyse-cotes-et-prono-du-match-de-ligue-2-1639138153_x600_articles-508118.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/qualifications/coupe-du-monde-2022-qualifs-le-selectionneur-suisse-envoie-du-chocolat-a-l-irlande-du-nord_AV-202111250102.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 07:22:38 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e43dfed03d4fcf19584597f328144df" + "hash": "640a9298de8e49bfd9cf689c1e34d5a5" }, { - "title": "Pronostic Caen Guingamp : Analyse, cotes et prono du match de Ligue 2", - "description": "

Guingamp prend ses distances sur Caen

\n
\nRelégué de Ligue 1 il y a 2 saisons et demi, le Stade Malherbe de Caen faisait alors partie des candidats à la…
", - "content": "

Guingamp prend ses distances sur Caen

\n
\nRelégué de Ligue 1 il y a 2 saisons et demi, le Stade Malherbe de Caen faisait alors partie des candidats à la…
", + "title": "PSG: pour Rothen, le trio Messi-Mbappé-Neymar \"n'a pas existé\" face à Manchester City", + "description": "Logiquement battu par Manchester City mercredi soir en Ligue des champions (2-1), le PSG n'a pas réussi à punir les Skyblues en contre, comme au match aller. Pour Jérôme Rothen, cela s'explique en partie parce que le trio offensif Lionel Messi, Kylian Mbappé, Neymar, n'a pas été à la hauteur.

", + "content": "Logiquement battu par Manchester City mercredi soir en Ligue des champions (2-1), le PSG n'a pas réussi à punir les Skyblues en contre, comme au match aller. Pour Jérôme Rothen, cela s'explique en partie parce que le trio offensif Lionel Messi, Kylian Mbappé, Neymar, n'a pas été à la hauteur.

", "category": "", - "link": "https://www.sofoot.com/pronostic-caen-guingamp-analyse-cotes-et-prono-du-match-de-ligue-2-508115.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-caen-guingamp-analyse-cotes-et-prono-du-match-de-ligue-2-1639137803_x600_articles-508115.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-pour-rothen-le-trio-messi-mbappe-neymar-n-a-pas-existe-face-a-manchester-city_AV-202111250062.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 06:34:27 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0ee758cc0001753efd0a27cc48dfbee" + "hash": "ecd1b931cf948a5261571a54760e9b21" }, { - "title": "Pronostic Dijon Niort : Analyse, cotes et prono du match de Ligue 2", - "description": "

Dijon confirme ses progrès face à Niort

\n
\nRelégué de Ligue 1 cet été après avoir totalement raté sa saison, Dijon semblait avoir parfaitement…
", - "content": "

Dijon confirme ses progrès face à Niort

\n
\nRelégué de Ligue 1 cet été après avoir totalement raté sa saison, Dijon semblait avoir parfaitement…
", + "title": "PSG: \"Les joueurs connaissent ma situation\", Pochettino réagit encore aux rumeurs sur son avenir", + "description": "Mauricio Pochettino, entraîneur du PSG, a de nouveau été interrogé sur les rumeurs autour de son avenir, mercredi après la défaite contre Manchester City (2-1) en Ligue des champions.

", + "content": "Mauricio Pochettino, entraîneur du PSG, a de nouveau été interrogé sur les rumeurs autour de son avenir, mercredi après la défaite contre Manchester City (2-1) en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/pronostic-dijon-niort-analyse-cotes-et-prono-du-match-de-ligue-2-508113.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-dijon-niort-analyse-cotes-et-prono-du-match-de-ligue-2-1639137396_x600_articles-508113.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-les-joueurs-connaissent-ma-situation-pochettino-reagit-encore-aux-rumeurs-sur-son-avenir_AV-202111250060.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 06:32:53 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3cad7b2e4f8cb0ea49bc8cd9f79aa137" + "hash": "6e0fbc59da13aef183f446cd5c7722c5" }, { - "title": "Pronostic Nîmes Nancy : Analyse, cotes et prono du match de Ligue 2", - "description": "

Nîmes – Nancy : les Crocos retrouvent de l'appétit

\n
\nLe Nîmes Olympique a vécu une saison dernière galère en Ligue 1 qui s'est logiquement…
", - "content": "

Nîmes – Nancy : les Crocos retrouvent de l'appétit

\n
\nLe Nîmes Olympique a vécu une saison dernière galère en Ligue 1 qui s'est logiquement…
", + "title": "PSG: pour Herrera, Manchester City est \"la meilleure équipe du monde avec le ballon\"", + "description": "Ander Herrera, milieu de terrain du PSG, a reconnu la supériorité de Manchester City dans la possession de balle après la victoire des Anglais (2-1) mercredi. Il regrette aussi le manque de réalisme de son équipe.

", + "content": "Ander Herrera, milieu de terrain du PSG, a reconnu la supériorité de Manchester City dans la possession de balle après la victoire des Anglais (2-1) mercredi. Il regrette aussi le manque de réalisme de son équipe.

", "category": "", - "link": "https://www.sofoot.com/pronostic-nimes-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-508112.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:32:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nimes-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-1639136814_x600_articles-508112.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-pour-herrera-manchester-city-est-la-meilleure-equipe-du-monde-avec-le-ballon_AV-202111250042.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 05:57:38 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "903ecf7887a4f0616492580f9eabc3cb" + "hash": "437b457546af2e24c1170b58cd72ea07" }, { - "title": "Pronostic Amiens Grenoble : Analyse, cotes et prono du match de Ligue 2", - "description": "

Amiens poursuit sa remontée face à Grenoble

\n
\nMal parti dans cette saison de Ligue 2, Amiens s'est progressivement repris pour sortir de la zone…
", - "content": "

Amiens poursuit sa remontée face à Grenoble

\n
\nMal parti dans cette saison de Ligue 2, Amiens s'est progressivement repris pour sortir de la zone…
", + "title": "Manchester City-PSG: Pochettino note des progrès dans le jeu parisien", + "description": "Mauricio Pochettino, entraîneur du PSG, note des progrès dans le jeu de son équipe malgré la défaite sur le terrain de Manchester City (2-1) en Ligue des champions, mercredi.

", + "content": "Mauricio Pochettino, entraîneur du PSG, note des progrès dans le jeu de son équipe malgré la défaite sur le terrain de Manchester City (2-1) en Ligue des champions, mercredi.

", "category": "", - "link": "https://www.sofoot.com/pronostic-amiens-grenoble-analyse-cotes-et-prono-du-match-de-ligue-2-508111.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:22:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-amiens-grenoble-analyse-cotes-et-prono-du-match-de-ligue-2-1639136286_x600_articles-508111.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-pochettino-note-des-progres-dans-le-jeu-parisien_AV-202111250030.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 05:34:47 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7bdf82dc8f8e5d2cf4dbbf1d6802cafe" + "hash": "cbe353dfc078117beeed21cad3e802cc" }, { - "title": "Lucas Digne aurait eu une altercation avec Rafael Benítez", - "description": "En grande difficulté en Premier League, Everton a retrouvé le chemin de la victoire ce lundi face à…", - "content": "En grande difficulté en Premier League, Everton a retrouvé le chemin de la victoire ce lundi face à…", + "title": "Real Madrid: la première réaction de Benzema après sa condamnation", + "description": "Karim Benzema a publié un message sur son compte Instagram après son but face à Tiraspol (0-3), mercredi en Ligue des champions, quelques heures après sa condamnation dans l’affaire de la sextape.

", + "content": "Karim Benzema a publié un message sur son compte Instagram après son but face à Tiraspol (0-3), mercredi en Ligue des champions, quelques heures après sa condamnation dans l’affaire de la sextape.

", "category": "", - "link": "https://www.sofoot.com/lucas-digne-aurait-eu-une-altercation-avec-rafael-benitez-508116.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:18:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lucas-digne-aurait-eu-une-altercation-avec-rafael-benitez-1639139379_x600_articles-508116.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-la-premiere-reaction-de-benzema-apres-sa-condamnation_AV-202111250020.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 05:11:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14c49684bb3478b73baf4f65deea7117" + "hash": "68c6ac3f3cfb8a1a781ce5f8fe063c40" }, { - "title": "Pronostic Dunkerque Auxerre : Analyse, cotes et prono du match de Ligue 2", - "description": "

Auxerre enfonce Dunkerque

\n
\nDunkerque dispute sa deuxième saison consécutive en Ligue 2. L'an passé, malgré un exercice inégal, la formation…
", - "content": "

Auxerre enfonce Dunkerque

\n
\nDunkerque dispute sa deuxième saison consécutive en Ligue 2. L'an passé, malgré un exercice inégal, la formation…
", + "title": "Real Madrid: Ancelotti a trouvé Benzema \"calme\" après sa condamnation dans l'affaire de la sextape", + "description": "Carlo Ancelotti, entraîneur du Real Madrid, a trouvé Karim Benzema \"calme\" lors de la victoire sur le terrain du Sheriff Tiraspol (0-3), mercredi en Ligue des champions quelques heures après sa condamnation dans l'affaire de la sextape.

", + "content": "Carlo Ancelotti, entraîneur du Real Madrid, a trouvé Karim Benzema \"calme\" lors de la victoire sur le terrain du Sheriff Tiraspol (0-3), mercredi en Ligue des champions quelques heures après sa condamnation dans l'affaire de la sextape.

", "category": "", - "link": "https://www.sofoot.com/pronostic-dunkerque-auxerre-analyse-cotes-et-prono-du-match-de-ligue-2-508110.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:14:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-dunkerque-auxerre-analyse-cotes-et-prono-du-match-de-ligue-2-1639135695_x600_articles-508110.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/real-madrid-ancelotti-a-trouve-benzema-calme-apres-sa-condamnation-dans-l-affaire-de-la-sextape_AD-202111250017.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 04:55:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a0d63a9cc63505f5c2980b945f75d22" + "hash": "7b1979d9924792b6b38918055117526b" }, { - "title": "Pronostic Pau Quevilly Rouen : Analyse, cotes et prono du match de Ligue 2", - "description": "

Pau forteresse à domicile face à Quevilly Rouen

\n
\nPau dispute sa deuxième saison consécutive en Ligue 2. L'an passé, le club béarnais avait…
", - "content": "

Pau forteresse à domicile face à Quevilly Rouen

\n
\nPau dispute sa deuxième saison consécutive en Ligue 2. L'an passé, le club béarnais avait…
", + "title": "Manchester City-PSG: Manu Petit dénonce les \"comportements scandaleux\" de certains joueurs parisiens", + "description": "Membre de la Dream Team RMC Sport, Manu Petit ne décolérait pas après la défaite (2-1) des Parisiens à Manchester City en Ligue des champions, agacé par le comportement de certains joueurs pas suffisamment concernés par l’équilibre de l’équipe.

", + "content": "Membre de la Dream Team RMC Sport, Manu Petit ne décolérait pas après la défaite (2-1) des Parisiens à Manchester City en Ligue des champions, agacé par le comportement de certains joueurs pas suffisamment concernés par l’équilibre de l’équipe.

", "category": "", - "link": "https://www.sofoot.com/pronostic-pau-quevilly-rouen-analyse-cotes-et-prono-du-match-de-ligue-2-508109.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:07:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-pau-quevilly-rouen-analyse-cotes-et-prono-du-match-de-ligue-2-1639135213_x600_articles-508109.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-manu-petit-denonce-les-comportements-scandaleux-de-certains-joueurs-parisiens_AV-202111250016.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 00:18:54 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f834be954fee521ce3d19d546555faec" + "hash": "bb8a2853b37a8b6ceb91f8f6ebe4dd3f" }, { - "title": "Liverpool et Chelsea souffrent mais s'accrochent à City", - "description": "Mis sous pression par la victoire de Manchester City en début d'après-midi, Liverpool et Chelsea ont répondu aux hommes de Pep Guardiola en s'imposant tous les deux à domicile. Les Reds ont dominé Aston Villa sur la plus petite des marges grâce à un penalty de Mohamed Salah (1-0). Les Blues ont aussi bataillé pour se défaire de Leeds (3-2). Tout le contraire d'Arsenal, qui s'est promené face à Southampton (3-0).

", - "content": "

", + "title": "Manchester City-PSG: la heatmap édifiante de Paris, acculé sur son but", + "description": "Le PSG a obtenu sa qualification pour les 8es de finale de la Ligue des champions ce mercredi en dépit de sa défaite à Manchester City (2-1). La prestation inquiète toutefois avec une domination sans partage des Cityzens. Comme l’atteste la heatmap de Paris.

", + "content": "Le PSG a obtenu sa qualification pour les 8es de finale de la Ligue des champions ce mercredi en dépit de sa défaite à Manchester City (2-1). La prestation inquiète toutefois avec une domination sans partage des Cityzens. Comme l’atteste la heatmap de Paris.

", "category": "", - "link": "https://www.sofoot.com/liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-508139.html", - "creator": "SO FOOT", - "pubDate": "2021-12-11T17:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-1639242230_x600_articles-508139.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-la-heatmap-inquietante-de-paris-accule-sur-son-but_AV-202111240620.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:57:04 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d59023557f5bab5b65cd479f79d78535" + "hash": "22620527a44148f544fed869c5945faa" }, { - "title": "Grêmio et Douglas Costa relégués en D2 brésilienne", - "description": "Chute libre depuis la victoire en Libertadores de 2017.
\n
\nGrêmio n'a pas réussi à se maintenir à l'issue de la dernière journée du championnat de Serie A Brasileirão dans la nuit de…

", - "content": "Chute libre depuis la victoire en Libertadores de 2017.
\n
\nGrêmio n'a pas réussi à se maintenir à l'issue de la dernière journée du championnat de Serie A Brasileirão dans la nuit de…

", + "title": "Sheriff-Real: Benzema encore buteur malgré ses démêlés judiciaires", + "description": "Irrésistible depuis le début de la saison, Karim Benzema a marqué pour la quatrième rencontre d'affilée en Ligue des champions au terme d'une journée marquée par sa condamnation dans l'affaire de la sextape pour complicité de tentative de chantage sur Mathieu Valbuena.

", + "content": "Irrésistible depuis le début de la saison, Karim Benzema a marqué pour la quatrième rencontre d'affilée en Ligue des champions au terme d'une journée marquée par sa condamnation dans l'affaire de la sextape pour complicité de tentative de chantage sur Mathieu Valbuena.

", "category": "", - "link": "https://www.sofoot.com/gremio-et-douglas-costa-relegues-en-d2-bresilienne-508108.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T11:07:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gremio-et-douglas-costa-relegues-en-d2-bresilienne-1639138349_x600_articles-508108.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/sheriff-real-benzema-encore-buteur-malgre-ses-demeles-judiciaires_AV-202111240619.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:26:08 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6dae8be334b5075b2e91b1f172048d15" + "hash": "6c9c1b2365752080f02495d36afeb53f" }, { - "title": "Pronostic Valenciennes Paris FC : Analyse, cotes et prono du match de Ligue 2", - "description": "

Pas de vainqueur entre Valenciennes et le Paris FC

\n
\nAprès avoir connu un exercice dernier marqué par de gros problèmes entre dirigeants et supporters,…
", - "content": "

Pas de vainqueur entre Valenciennes et le Paris FC

\n
\nAprès avoir connu un exercice dernier marqué par de gros problèmes entre dirigeants et supporters,…
", + "title": "Bruges-Leipzig: auteur d’un doublé, Nkunku poursuit sa superbe saison", + "description": "Grand artisan du carton de Leipzig à Bruges (5-0) lors de la 5e journée de Ligue des champions, avec un doublé, Christopher Nkunku confirme sa saison de haut niveau. Au point d’intégrer l’équipe de France en 2022 ?

", + "content": "Grand artisan du carton de Leipzig à Bruges (5-0) lors de la 5e journée de Ligue des champions, avec un doublé, Christopher Nkunku confirme sa saison de haut niveau. Au point d’intégrer l’équipe de France en 2022 ?

", "category": "", - "link": "https://www.sofoot.com/pronostic-valenciennes-paris-fc-analyse-cotes-et-prono-du-match-de-ligue-2-508107.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T10:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-valenciennes-paris-fc-analyse-cotes-et-prono-du-match-de-ligue-2-1639134813_x600_articles-508107.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bruges-leipzig-auteur-d-un-double-nkunku-poursuit-sa-superbe-saison_AV-202111240617.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:20:15 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e334c1c116e222301fc539e01ce9665" + "hash": "90d1340d930e40b7441604ea987d79f0" }, { - "title": "Kylian Mbappé : \"La Ligue 1 ? C'est très dur et très physique !\"", - "description": "C'est ça d'affronter les meilleurs joueurs du monde tous les week-ends.
\n
\nConfortable leader de Ligue 1 avec onze points d'avance sur son dauphin, le PSG n'impressionne pas pour autant.…

", - "content": "C'est ça d'affronter les meilleurs joueurs du monde tous les week-ends.
\n
\nConfortable leader de Ligue 1 avec onze points d'avance sur son dauphin, le PSG n'impressionne pas pour autant.…

", + "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Galatasaray - Marseille - Ligue Europa", + "description": "Notre pronostic: Marseille ne perd pas à Galatasaray et moins de 2,5 buts dans le match (1.76)

", + "content": "Notre pronostic: Marseille ne perd pas à Galatasaray et moins de 2,5 buts dans le match (1.76)

", "category": "", - "link": "https://www.sofoot.com/kylian-mbappe-la-ligue-1-c-est-tres-dur-et-tres-physique-508106.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T10:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kylian-mbappe-la-ligue-1-c-est-tres-dur-et-tres-physique-1639138109_x600_articles-508106.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-galatasaray-marseille-ligue-europa_AN-202111240374.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:04:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd98288414aa3f06053ffd7c6891c627" + "hash": "eebe162d8b505395f0bd86335c379ef9" }, { - "title": "Un chien fait ses besoins sur la pelouse avant Partizan-Famagouste", - "description": "C'est du propre !
\n
\nLors de l'échauffement dans le choc au sommet du groupe B entre le Partizan Belgrade et l'Anorthosis Famagouste, un événement plutôt inattendu s'est déroulé à…

", - "content": "C'est du propre !
\n
\nLors de l'échauffement dans le choc au sommet du groupe B entre le Partizan Belgrade et l'Anorthosis Famagouste, un événement plutôt inattendu s'est déroulé à…

", + "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Monaco - Real Sociedad – Ligue Europa", + "description": "Notre pronostic: Monaco ne perd pas contre la Real Sociedad et les deux équipes marquent (2.25)

", + "content": "Notre pronostic: Monaco ne perd pas contre la Real Sociedad et les deux équipes marquent (2.25)

", "category": "", - "link": "https://www.sofoot.com/un-chien-fait-ses-besoins-sur-la-pelouse-avant-partizan-famagouste-508104.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T09:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-chien-fait-ses-besoins-sur-la-pelouse-avant-partizan-famagouste-1639131658_x600_articles-508104.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-monaco-real-sociedad-ligue-europa_AN-202111240368.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:03:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a98d80c65336bce5cb383bd17a3bd027" + "hash": "83a2724625cb532b60afe17f51c77edb" }, { - "title": "Brendan Rodgers avoue ne pas connaître la Conference League", - "description": "Il y a des lots de consolation qui ne consolent rien du tout.
\n
\nBrendan Rodgers a assisté ce jeudi soir à l'élimination de Leicester City de la Ligue Europa après la défaite 3-2 à…

", - "content": "Il y a des lots de consolation qui ne consolent rien du tout.
\n
\nBrendan Rodgers a assisté ce jeudi soir à l'élimination de Leicester City de la Ligue Europa après la défaite 3-2 à…

", + "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Brondby - Lyon – Ligue Europa", + "description": "Notre pronostic: Lyon ne perd pas à Brondby et plus de 2,5 buts dans le match (2.40)

", + "content": "Notre pronostic: Lyon ne perd pas à Brondby et plus de 2,5 buts dans le match (2.40)

", "category": "", - "link": "https://www.sofoot.com/brendan-rodgers-avoue-ne-pas-connaitre-la-conference-league-508103.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T09:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-brendan-rodgers-avoue-ne-pas-connaitre-la-conference-league-1639130702_x600_articles-508103.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-brondby-lyon-ligue-europa_AN-202111240367.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:02:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c4c25ab5ce776f22b9cc2824b2e431c" + "hash": "6231646040e72f92a6129672e9a4cb39" }, { - "title": "Lilian Brassier (Brest) à l'hôpital après un accident de la route", - "description": "Tout allait beaucoup trop bien au Stade brestois.
\n
\nSelon les informations du

", - "content": "Tout allait beaucoup trop bien au Stade brestois.
\n
\nSelon les informations du


", + "title": "PRONOS PARIS RMC Les paris du 25 novembre sur Rennes - Vitesse – Ligue Europa Conférence", + "description": "Notre pronostic: Rennes bat Vitesse Arnhem (1.38)

", + "content": "Notre pronostic: Rennes bat Vitesse Arnhem (1.38)

", "category": "", - "link": "https://www.sofoot.com/lilian-brassier-brest-a-l-hopital-apres-un-accident-de-la-route-508102.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T09:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lilian-brassier-brest-a-l-hopital-apres-un-accident-de-la-route-1639132519_x600_articles-508102.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-du-25-novembre-sur-rennes-vitesse-ligue-europa-conference_AN-202111240365.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:01:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d2a373af2bf11949192caf5dcf3b729" + "hash": "2b9c62836fc6c2141039b6f9cf4a1bff" }, { - "title": "Pronostic Le Havre Ajaccio : Analyse, cotes et prono du match de Ligue 2", - "description": "

Un choc cadenassé entre Le Havre et Ajaccio

\n
\nPour lancer la 18e journée de Ligue 2, Le Havre reçoit Ajaccio dans une rencontre importante…
", - "content": "

Un choc cadenassé entre Le Havre et Ajaccio

\n
\nPour lancer la 18e journée de Ligue 2, Le Havre reçoit Ajaccio dans une rencontre importante…
", + "title": "Manchester City-PSG: le petit accrochage entre Neymar et Paredes en fin de première période", + "description": "Sur RMC Sport, Emmanuel Petit a poussé un coup de gueule à la mi-temps du choc entre Manchester City et le PSG sur le comportement de certains joueurs parisiens, en prenant pour exemple une réflexion adressée à Neymar par Leandro Paredes.

", + "content": "Sur RMC Sport, Emmanuel Petit a poussé un coup de gueule à la mi-temps du choc entre Manchester City et le PSG sur le comportement de certains joueurs parisiens, en prenant pour exemple une réflexion adressée à Neymar par Leandro Paredes.

", "category": "", - "link": "https://www.sofoot.com/pronostic-le-havre-ajaccio-analyse-cotes-et-prono-du-match-de-ligue-2-508101.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T09:12:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-le-havre-ajaccio-analyse-cotes-et-prono-du-match-de-ligue-2-1639128473_x600_articles-508101.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-le-petit-accrochage-entre-neymar-et-paredes-en-fin-de-premiere-periode_AV-202111240613.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:00:55 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b75e10fbc36d32c5933a8ea803add6b" + "hash": "0216a9a3923298bb7887a3f0b6531e6b" }, { - "title": "Pronostic Reims Saint-Etienne : Analyse, cotes et prono du match de Ligue 1", - "description": "

Reims et Saint-Etienne dos à dos

\n
\nArrivé cet été pour prendre les commandes du Stade de Reims, Oscar Garcia retrouve l'AS Saint-Etienne où il…
", - "content": "

Reims et Saint-Etienne dos à dos

\n
\nArrivé cet été pour prendre les commandes du Stade de Reims, Oscar Garcia retrouve l'AS Saint-Etienne où il…
", + "title": "Manchester City-PSG: \"Je suis très satisfait de tous les joueurs\", assure Pochettino après la défaite", + "description": "Mauricio Pochettino, l'entraîneur du Paris Saint-Germain, a préféré retenir la qualification après la défaite (1-2) plus que logique et méritée du Paris Saint-Germain à l'Etihad Stadium, face à Manchester City.

", + "content": "Mauricio Pochettino, l'entraîneur du Paris Saint-Germain, a préféré retenir la qualification après la défaite (1-2) plus que logique et méritée du Paris Saint-Germain à l'Etihad Stadium, face à Manchester City.

", "category": "", - "link": "https://www.sofoot.com/pronostic-reims-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-508099.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T08:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-reims-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-1639127733_x600_articles-508099.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-je-suis-tres-satisfait-de-tous-les-joueurs-assure-pochettino-apres-la-defaite_AV-202111240607.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 22:45:20 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e99dac0223a6d1c9eab880d81d73d3a6" + "hash": "c524f5afd5bb1bf23032b9354e437d9c" }, { - "title": "La France première au classement UEFA sur la saison en cours", - "description": "Tremble Vieux Continent, tremble.
\n
\nLes clubs de Ligue 1 rayonnent sur la scène européenne depuis de nombreuses semaines. À commencer par le LOSC, qui a terminé leader de son groupe de…

", - "content": "Tremble Vieux Continent, tremble.
\n
\nLes clubs de Ligue 1 rayonnent sur la scène européenne depuis de nombreuses semaines. À commencer par le LOSC, qui a terminé leader de son groupe de…

", + "title": "Manchester City-PSG: \"Un bon match dans l’ensemble\", estime Kimpembe malgré la défaite", + "description": "Le défenseur central du PSG, Presnel Kimpembe, a relevé des points positifs de la prestation parisienne, pourtant très inquiétante à l'Etihad Stadium, contre Manchester City (1-2).

", + "content": "Le défenseur central du PSG, Presnel Kimpembe, a relevé des points positifs de la prestation parisienne, pourtant très inquiétante à l'Etihad Stadium, contre Manchester City (1-2).

", "category": "", - "link": "https://www.sofoot.com/la-france-premiere-au-classement-uefa-sur-la-saison-en-cours-508100.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T08:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-france-premiere-au-classement-uefa-sur-la-saison-en-cours-1639130009_x600_articles-508100.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-un-bon-match-dans-l-ensemble-estime-kimpembe-malgre-la-defaite_AV-202111240598.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 22:23:52 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "01fe8a2bf7bf9ea0292038c3b6021b28" + "hash": "3715431d13751e78f6baa2fdcc4c6d33" }, { - "title": "Pronostic Brest Montpellier : Analyse, cotes et prono du match de Ligue 1", - "description": "

Un 7 sur 7 pour Brest face à Montpellier

\n
\nEn grande difficulté lors de l'entame du championnat, le Stade Brestois s'est parfaitement ressaisi et…
", - "content": "

Un 7 sur 7 pour Brest face à Montpellier

\n
\nEn grande difficulté lors de l'entame du championnat, le Stade Brestois s'est parfaitement ressaisi et…
", + "title": "Ligue des champions: les adversaires potentiels pour le PSG en huitièmes, avec plusieurs cadors européens", + "description": "Battu par Manchester City mercredi (2-1) mais qualifié pour les huitièmes de finale de la Ligue des champions, le PSG terminera deuxième de sa poule. Avec le risque d'affronter un cador européen en huitièmes.

", + "content": "Battu par Manchester City mercredi (2-1) mais qualifié pour les huitièmes de finale de la Ligue des champions, le PSG terminera deuxième de sa poule. Avec le risque d'affronter un cador européen en huitièmes.

", "category": "", - "link": "https://www.sofoot.com/pronostic-brest-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-508098.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T08:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brest-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-1639126715_x600_articles-508098.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-adversaires-potentiels-pour-le-psg-en-huitiemes_AV-202111240594.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 22:17:43 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac8e2de4adda7b41845f1665e7ba28c9" + "hash": "8a8cfd9275b2ac9c52bfcfd6ebd99ac4" }, { - "title": "Javier Mascherano nommé entraîneur de l'équipe d'Argentine U20", - "description": "El Jefecito passe de l'autre côté de la ligne de touche.
\n
\nComme de nombreux joueurs partis à la retraite avant lui, Javier Mascherano a décidé de se lancer dans une carrière…

", - "content": "El Jefecito passe de l'autre côté de la ligne de touche.
\n
\nComme de nombreux joueurs partis à la retraite avant lui, Javier Mascherano a décidé de se lancer dans une carrière…

", + "title": "Ligue des champions: Benzema, Nkunku, Mbappé, Thiago... les principaux buts de mercredi soir", + "description": "Karim Benzema a été l'un des buteurs de la soirée de mercredi en Ligue des champions. L'attaquant tricolore a participé à la victoire (et qualification) du Real Madrid contre le Sheriff Tiraspol (3-0). Dans le même temps, un autre Français, Christopher Nkunku, a profité du carton du RB Leipzig (5-0 contre le Club Bruges) pour s'illustrer.

", + "content": "Karim Benzema a été l'un des buteurs de la soirée de mercredi en Ligue des champions. L'attaquant tricolore a participé à la victoire (et qualification) du Real Madrid contre le Sheriff Tiraspol (3-0). Dans le même temps, un autre Français, Christopher Nkunku, a profité du carton du RB Leipzig (5-0 contre le Club Bruges) pour s'illustrer.

", "category": "", - "link": "https://www.sofoot.com/javier-mascherano-nomme-entraineur-de-l-equipe-d-argentine-u20-508088.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T08:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-javier-mascherano-nomme-entraineur-de-l-equipe-d-argentine-u20-1639125769_x600_articles-508088.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-benzema-nkunku-mbappe-thiago-les-principaux-buts-de-mercredi-soir_AV-202111240586.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 22:04:34 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f49df8e507a581ff9c16098c18d5e37" + "hash": "24fd1d92acb0c447030d22d6e0588eb3" }, { - "title": "Pronostic PSG Monaco : Analyse, cotes et prono du match de Ligue 1", - "description": "Quasi carton plein en cours sur
le dernier match des Bleus, le Lille-Salzbourg, le Manchester City - PSG, et les PSG - Club Bruges et Wolfsbourg - Lille de cette semaine. Pour parier sur cette nouvelle affiche du PSG, vous offre 100€ directs (Déposez 100€, Misez avec 200€)

Déposez 100€ et misez directement avec 200€ sur PSG - Monaco

\n
\nWinamax
", - "content": "

Déposez 100€ et misez directement avec 200€ sur PSG - Monaco

\n
\nWinamax
", + "title": "Manchester City-PSG: battu mais qualifié, Paris abandonne la première place après un match inquiétant", + "description": "Manchester City a battu le Paris Saint-Germain (2-1) au terme d'une rencontre qui a vu les deux équipes se qualifier pour les huitièmes de finale de la Ligue des champions. City est assuré de conserver la première place avant la dernière journée.

", + "content": "Manchester City a battu le Paris Saint-Germain (2-1) au terme d'une rencontre qui a vu les deux équipes se qualifier pour les huitièmes de finale de la Ligue des champions. City est assuré de conserver la première place avant la dernière journée.

", "category": "", - "link": "https://www.sofoot.com/pronostic-psg-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-508085.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T07:34:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-psg-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-1639121761_x600_articles-508085.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-battu-mais-qualifie-paris-abandonne-la-premiere-place-aux-skyblues-apres-un-match-inquietant_AV-202111240583.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:57:23 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc847bb2ae42a707b2c7f82f0f9fdd8d" + "hash": "6e3b9c1176feb34c5cc52ba5a1d9a60e" }, { - "title": "Yohan Cabaye veut faire du PSG \"l'un des meilleurs centres de formation du monde\"", - "description": "Nouveau rôle pour une nouvelle vie.
\n
\nAprès avoir raccroché les crampons en février dernier, Yohan Cabaye n'est pas resté bien longtemps inactif. Depuis cet été, l'ancien milieu de…

", - "content": "Nouveau rôle pour une nouvelle vie.
\n
\nAprès avoir raccroché les crampons en février dernier, Yohan Cabaye n'est pas resté bien longtemps inactif. Depuis cet été, l'ancien milieu de…

", + "title": "Manchester City-PSG: le but de Mbappé après un joli mouvement collectif", + "description": "Largement dominé par Manchester City en première période, le PSG a réussi à ouvrir le score dès le retour des vestiaires grâce à Kylian Mbappé, ce mercredi, en Ligue des champions.

", + "content": "Largement dominé par Manchester City en première période, le PSG a réussi à ouvrir le score dès le retour des vestiaires grâce à Kylian Mbappé, ce mercredi, en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/yohan-cabaye-veut-faire-du-psg-l-un-des-meilleurs-centres-de-formation-du-monde-508097.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T07:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-yohan-cabaye-veut-faire-du-psg-l-un-des-meilleurs-centres-de-formation-du-monde-1639125532_x600_articles-508097.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-le-but-de-mbappe-apres-un-joli-mouvement-collectif_AV-202111240573.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:21:15 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bea2bd1209d7c1e463b99b0b4f7dc7fa" + "hash": "91b433468b9e5c87deb2fcc8a6f8e769" }, { - "title": "Et si le boycott diplomatique des Jeux de Pékin donnait des idées pour le Mondial au Qatar ?", - "description": "Le boycott reviendrait-il à la mode ? Les États-Unis, notamment, ont décidé de ne pas envoyer de représentation diplomatique lors des Jeux olympiques d'hiver de Pékin, afin de protester contre le \" génocide et des crimes contre l'humanité en cours au Xinjiang \". La France, elle, y sera. Mais ce discours pourrait-il, par ricochet, faire avancer le débat sur le Mondial au Qatar ?L'annonce par Joe Biden d'un boycott diplomatique des Jeux olympiques d'hiver met le CIO dans une position délicate, à moins de deux mois de la cérémonie d'ouverture. Certes, il faut…", - "content": "L'annonce par Joe Biden d'un boycott diplomatique des Jeux olympiques d'hiver met le CIO dans une position délicate, à moins de deux mois de la cérémonie d'ouverture. Certes, il faut…", + "title": "Affaire de la sextape: Maracineanu rappelle le \"devoir d'exemplarité des sportifs\"", + "description": "Pour Roxana Maracineanu, ministre déléguée aux Sports, le jugement dans l'affaire de la sextape rappelle que, à ses yeux, les sportifs doivent faire preuve d'un \"devoir d'exemplarité\".

", + "content": "Pour Roxana Maracineanu, ministre déléguée aux Sports, le jugement dans l'affaire de la sextape rappelle que, à ses yeux, les sportifs doivent faire preuve d'un \"devoir d'exemplarité\".

", "category": "", - "link": "https://www.sofoot.com/et-si-le-boycott-diplomatique-des-jeux-de-pekin-donnait-des-idees-pour-le-mondial-au-qatar-508095.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T07:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-et-si-le-boycott-diplomatique-des-jeux-de-pekin-donnait-des-idees-pour-le-mondial-au-qatar-1639090736_x600_articles-alt-508095.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/affaire-de-la-sextape-maracineanu-rappelle-le-devoir-d-exemplarite-des-sportifs_AV-202111240572.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:19:44 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "43062db3957decf695362a3155fe040f" + "hash": "846438894670f7b42b440b59608bda5a" }, { - "title": "Walter Benítez a été naturalisé français", - "description": "Hugo Lloris a du souci à se faire.
\n
\nDepuis plusieurs mois, le portier argentin de l'OGC Nice Walter Benítez enchaîne
", - "content": "Hugo Lloris a du souci à se faire.
\n
\nDepuis plusieurs mois, le portier argentin de l'OGC Nice Walter Benítez enchaîne
", + "title": "Saint-Etienne: le numéro 24 retiré en hommage à Loïc Perrin", + "description": "En hommage à son ancien capitaine Loïc Perrin, Saint-Etienne a annoncé ce mercredi que le numéro 24 ne serait plus attribué chez les Verts. Un maillot collector a également été lancé.

", + "content": "En hommage à son ancien capitaine Loïc Perrin, Saint-Etienne a annoncé ce mercredi que le numéro 24 ne serait plus attribué chez les Verts. Un maillot collector a également été lancé.

", "category": "", - "link": "https://www.sofoot.com/walter-benitez-a-ete-naturalise-francais-508096.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T06:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-walter-benitez-a-ete-naturalise-francais-1639125382_x600_articles-508096.jpg", - "enclosureType": "image/jpeg", - "image": "", - "id": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/saint-etienne-le-numero-24-retire-en-hommage-a-loic-perrin_AV-202111240562.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:03:14 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d44e07fea230b2925cf6c6dd1a9f375f" + "hash": "e25d25b934276e654759eba77494dab3" }, { - "title": "342€ à gagner avec Juventus & Union Berlin + 150€ offerts au lieu de 100€ chez Betclic jusqu'à dimanche minuit seulement", - "description": "Comme 4 de nos 5 derniers combinés (ici, ici, ici et ici), on tente de vous faire gagner avec une cote autour de 2,00 sur des matchs du week-end. En plus, Betclic vous offre votre 1er pari remboursé de 150€ au lieu de 100€ cette semaine seulement !

150€ en EXCLU chez Betclic au lieu de 100€

\n
\nJusqu'à dimanche minuit seulement,
", - "content": "

150€ en EXCLU chez Betclic au lieu de 100€

\n
\nJusqu'à dimanche minuit seulement,

", + "title": "Boxe: Fury voudrait combattre en février ou en mars (mais n'a pas encore d'adversaire)", + "description": "Selon un promoteur britannique, qui a parlé avec Tyson Fury le week-end dernier, le champion du monde WBC des lourds a envie de combattre début 2022, en février ou mars. Mais il lui faut trouver un adversaire.

", + "content": "Selon un promoteur britannique, qui a parlé avec Tyson Fury le week-end dernier, le champion du monde WBC des lourds a envie de combattre début 2022, en février ou mars. Mais il lui faut trouver un adversaire.

", "category": "", - "link": "https://www.sofoot.com/342e-a-gagner-avec-juventus-union-berlin-150e-offerts-au-lieu-de-100e-chez-betclic-jusqu-a-dimanche-minuit-seulement-508053.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T08:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-342e-a-gagner-avec-juventus-union-berlin-150e-offerts-au-lieu-de-100e-chez-betclic-jusqu-a-dimanche-minuit-seulement-1639039650_x600_articles-508053.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-fury-voudrait-combattre-en-fevrier-ou-en-mars-mais-n-a-pas-encore-d-adversaire_AV-202111240312.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 13:32:57 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "946d1a62c9e95fbe78fa32c63177bd70" + "hash": "8d9c497c1b8ad3c38d442cdfcd1bea32" }, { - "title": "NOUVELLE EXCLU : 200€ offerts au lieu de 100€ chez Unibet pour parier ce week-end !", - "description": "Avec Unibet, misez 100€ ce week-end et si votre pari est perdant, vous récupérez 200€ ! Un Bonus EXCLU incroyable à récupérer avec le code SOFOOT

NOUVEAU : 200€ offerts chez Unibet en EXCLU au lieu de 100€

\n
\n
\n


", - "content": "

NOUVEAU : 200€ offerts chez Unibet en EXCLU au lieu de 100€

\n
\n
\n


", + "title": "FC Barcelone: Xavi emballé par le profil de Braithwaite", + "description": "Blessé depuis plusieurs mois, Martin Braithwaite pourrait avoir l’occasion de montrer sa valeur à son entraîneur Xavi lorsqu’il reviendra de blessure. Selon Sport, l’ancien milieu du FC Barcelone serait emballé par le profil de l’attaquant danois.

", + "content": "Blessé depuis plusieurs mois, Martin Braithwaite pourrait avoir l’occasion de montrer sa valeur à son entraîneur Xavi lorsqu’il reviendra de blessure. Selon Sport, l’ancien milieu du FC Barcelone serait emballé par le profil de l’attaquant danois.

", "category": "", - "link": "https://www.sofoot.com/nouvelle-exclu-200e-offerts-au-lieu-de-100e-chez-unibet-pour-parier-ce-week-end-508078.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T14:37:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nouvelle-exclu-200e-offerts-au-lieu-de-100e-chez-unibet-pour-parier-ce-week-end-1639061647_x600_articles-508078.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/fc-barcelone-xavi-emballe-par-le-profil-de-braithwaite_AV-202111240307.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 13:19:56 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a1c46f5323f0776a669877ab1cdc7a3" + "hash": "3f3b3c2fc2c9b4d8d0b0515aa91e4168" }, { - "title": "Pourquoi y a-t-il aussi peu d'anciens gardiens devenus entraîneurs principaux ?", - "description": "Cela fait plus de deux ans et le départ d'Alain Casanova de Toulouse qu'aucun ancien gardien de but ne s'est assis sur un banc de Ligue 1. Conditionnés par un rôle des plus particuliers dans leur vie de joueurs, les ex-derniers remparts se font bien rares dans la confrérie des entraîneurs principaux. Et pourtant, leur vécu dans les cages peut aussi leur donner certains avantages au moment de prendre les rênes d'une équipe de haut niveau.Le 1er novembre dernier, Tottenham se séparait de Nuno Espirito Santo après moins de trois mois passés sur le banc des Spurs. Triste nouvelle pour l'ancien gardien de but de…", - "content": "Le 1er novembre dernier, Tottenham se séparait de Nuno Espirito Santo après moins de trois mois passés sur le banc des Spurs. Triste nouvelle pour l'ancien gardien de but de…", + "title": "Naples: le chirurgien qui a soigné Osimhen parle d'une des \"opérations les plus dures\" de sa carrière", + "description": "Le chirurgien Giampaolo Tartaro, qui a opéré mardi Victor Osimhen, qui souffrait d'une vingtaine de fractures au visage, a détaillé les soins effectués sur l'attaquant de Naples. La reconstruction s'annonce longue pour le Nigérian, qui devrait louper les trois prochains mois de compétition.

", + "content": "Le chirurgien Giampaolo Tartaro, qui a opéré mardi Victor Osimhen, qui souffrait d'une vingtaine de fractures au visage, a détaillé les soins effectués sur l'attaquant de Naples. La reconstruction s'annonce longue pour le Nigérian, qui devrait louper les trois prochains mois de compétition.

", "category": "", - "link": "https://www.sofoot.com/pourquoi-y-a-t-il-aussi-peu-d-anciens-gardiens-devenus-entraineurs-principaux-508074.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pourquoi-y-a-t-il-aussi-peu-d-anciens-gardiens-devenus-entraineurs-principaux-1639055336_x600_articles-alt-508074.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/serie-a/naples-le-chirurgien-qui-a-soigne-osimhen-parle-d-une-des-operations-les-plus-dures-de-sa-carriere_AV-202111240301.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:58:29 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd5b91d4a273b9db525b5d0f57c99d25" + "hash": "31aac5d0edd88dfd4555d71d4aa98d1d" }, { - "title": "Tactique : comment Julien Stéphan a déjà posé sa patte à Strasbourg", - "description": "Arrivé à Strasbourg au printemps dernier, Julien Stéphan n'aura mis que quelques mois pour monter une structure cohérente et pour créer un modèle de jeu basé sur l'intensité. Après 17 journées de Ligue 1 et avant de défier l'OM, son Racing est sixième de Ligue 1, possède la deuxième meilleure attaque du championnat et ne cache pas ses crocs. Décryptage.En août 2014, alors qu'il vit ses premiers jours de soleil à Marseille, Marcelo Bielsa s'avance derrière un micro et explique à son assistance le pourquoi du comment de son job…", - "content": "En août 2014, alors qu'il vit ses premiers jours de soleil à Marseille, Marcelo Bielsa s'avance derrière un micro et explique à son assistance le pourquoi du comment de son job…", + "title": "Tottenham: restrictions alimentaires, entraînements, Emerson apprend à \"souffrir\" avec Conte", + "description": "Arrivé en fin de mercato en provenance du FC Barcelone, Emerson Royal n’a pas vraiment connu des débuts idylliques avec Tottenham. Après le départ de Nuno Espirito Santo, c’est Antonio Conte qui a pris le relais. Dans une interview à Sky Sports, le latéral droit dévoile les méthodes de l’Italien.

", + "content": "Arrivé en fin de mercato en provenance du FC Barcelone, Emerson Royal n’a pas vraiment connu des débuts idylliques avec Tottenham. Après le départ de Nuno Espirito Santo, c’est Antonio Conte qui a pris le relais. Dans une interview à Sky Sports, le latéral droit dévoile les méthodes de l’Italien.

", "category": "", - "link": "https://www.sofoot.com/tactique-comment-julien-stephan-a-deja-pose-sa-patte-a-strasbourg-508068.html", - "creator": "SO FOOT", - "pubDate": "2021-12-10T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tactique-comment-julien-stephan-a-deja-pose-sa-patte-a-strasbourg-1639048572_x600_articles-alt-508068.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/premier-league/tottenham-restrictions-alimentaires-entrainements-emerson-apprend-a-souffrir-avec-conte_AV-202111240295.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:44:35 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "16c9d23af4b972e702f145b367202a56" + "hash": "943420ee4d585df4c14f6cc4724a4233" }, { - "title": "Marseille assure l'essentiel contre le Lokomotiv Moscou", - "description": "

", - "content": "

", + "title": "Ligue Europa en direct: les confs de Marseille, Lyon et Monaco", + "description": "Suivez en direct les conférences de presse de Lyon, Marseille et Monaco avant leurs matchs comptant pour la 5e journée de la Ligue Europa, jeudi.

", + "content": "Suivez en direct les conférences de presse de Lyon, Marseille et Monaco avant leurs matchs comptant pour la 5e journée de la Ligue Europa, jeudi.

", "category": "", - "link": "https://www.sofoot.com/marseille-assure-l-essentiel-contre-le-lokomotiv-moscou-508091.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T22:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-marseille-assure-l-essentiel-contre-le-lokomotiv-moscou-1639087364_x600_articles-508091.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/ligue-europa-en-direct-les-confs-de-marseille-lyon-et-monaco_LN-202111240293.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:43:02 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1ce64da4092b26458bd9c37c0584c331" + "hash": "9a1b353cf0412decac5b1062762cf87e" }, { - "title": "Les Fenottes roustent Benfica et se qualifient pour les quarts de finale", - "description": "

", - "content": "

", + "title": "Barça-Benfica: la réaction hallucinée de Jesus face au raté énorme de Seferovic", + "description": "Jorge Jesus, entraîneur du Benfica Lisbonne, s’est effondré au sol de dépit après le gros raté de son attaquant Haris Seferovic à la fin du match sur le terrain du FC Barcelone (0-0), mardi en Ligue des champions.

", + "content": "Jorge Jesus, entraîneur du Benfica Lisbonne, s’est effondré au sol de dépit après le gros raté de son attaquant Haris Seferovic à la fin du match sur le terrain du FC Barcelone (0-0), mardi en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/les-fenottes-roustent-benfica-et-se-qualifient-pour-les-quarts-de-finale-508073.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-fenottes-roustent-benfica-et-se-qualifient-pour-les-quarts-de-finale-1639084782_x600_articles-508073.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/barca-benfica-la-reaction-hallucinee-de-jesus-face-au-rate-enorme-de-seferovic_AV-202111240289.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:30:47 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "60499610e9c913f35fb253086c692a19" + "hash": "330d90afd765bf866c51d14ba8bfb128" }, { - "title": "Galatasaray résiste à la Lazio, l'Étoile rouge passe aussi", - "description": "Heureusement que le Celtic était là pour égayer la soirée. La moitié des buts de ce multiplex de Ligue Europa ont été inscrits sur la pelouse à Glasgow, où le vice-champion d'Écosse a battu le Betis dans un match pour du beurre (3-2). L'essentiel était ailleurs pour Galatasaray et l'Étoile rouge, qui rallient directement les huitièmes de finale grâce à leurs matchs nuls respectifs. La Lazio, Braga et le Dinamo Zagreb devront quant à eux passer par un barrage. Midtjylland et le Rapid Vienne poursuivront leur parcours européen en Ligue Europa Conférence, comme l'OM.Dans la finale du groupe E, Galatasaray a contenu la Lazio et conservé sa première place. Les Romains ont jeté toutes leurs forces dans la bataille, à l'image de leur capitaine Ciro Immobile,…", - "content": "Dans la finale du groupe E, Galatasaray a contenu la Lazio et conservé sa première place. Les Romains ont jeté toutes leurs forces dans la bataille, à l'image de leur capitaine Ciro Immobile,…", + "title": "Coupe Davis: le coup de gueule des capitaines d'équipe, dont Grosjean", + "description": "La phase de groupes de la Coupe Davis commence ce jeudi pour l'équipe de France de Sébastien Grosjean, qui affrontera la République Tchèque. L'ensemble des capitaines de la poule C, où se trouve aussi la Grande-Bretagne, a protesté contre le choix de garder Innsbruck en tant que ville-hôte, en Autriche, qui imposera un huis clos pour les rencontres.

", + "content": "La phase de groupes de la Coupe Davis commence ce jeudi pour l'équipe de France de Sébastien Grosjean, qui affrontera la République Tchèque. L'ensemble des capitaines de la poule C, où se trouve aussi la Grande-Bretagne, a protesté contre le choix de garder Innsbruck en tant que ville-hôte, en Autriche, qui imposera un huis clos pour les rencontres.

", "category": "", - "link": "https://www.sofoot.com/galatasaray-resiste-a-la-lazio-l-etoile-rouge-passe-aussi-508064.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-galatasaray-resiste-a-la-lazio-l-etoile-rouge-passe-aussi-1639087648_x600_articles-508064.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-le-coup-des-gueule-des-capitaines-d-equipes-dont-grosjean_AV-202111240286.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:21:48 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0509e0b707d51b4ca9241fbac1150119" + "hash": "d06a890d50327d37a785a10033588b01" }, { - "title": "Le Napoli élimine Leicester, la Real Sociedad cartonne le PSV", - "description": "Grand bénéficiaire des errements défensifs de Leicester ce jeudi soir, le Napoli s'est qualifié pour les huitièmes de finale de la Ligue Europa au terme d'un festival offensif (3-2). Dans le même temps, le Spartak Moscou a, à la fois, dominé son sujet à Varsovie et eu un sérieux coup de chaud dans les arrêts de jeu (1-0), pour mieux finir devant les Partenopei. Le PSV s'est, quant à lui, pris les pieds dans le tapis à San Sebastián face à la Real Sociedad (0-3) et se retrouve reversé en Ligue Europa Conférence.Ils étaient tous en position de se qualifier directement pour les huitièmes de finale ou les barrages dans ce groupe C. Et à ce petit jeu, les heureux élus se nomment Napoli(second) et le Spartak…", - "content": "Ils étaient tous en position de se qualifier directement pour les huitièmes de finale ou les barrages dans ce groupe C. Et à ce petit jeu, les heureux élus se nomment Napoli(second) et le Spartak…", + "title": "Mercato: le plan de Dortmund pour convaincre Haaland de rester", + "description": "Convoité par les plus grands clubs européens, Erling Haaland sera l’une des principales attractions du mercato estival. Mais le Borussia Dortmund ne désespère pas de garder l'attaquant norvégien. Selon Sky Germany, le club allemand aurait un plan pour conserver le joueur.

", + "content": "Convoité par les plus grands clubs européens, Erling Haaland sera l’une des principales attractions du mercato estival. Mais le Borussia Dortmund ne désespère pas de garder l'attaquant norvégien. Selon Sky Germany, le club allemand aurait un plan pour conserver le joueur.

", "category": "", - "link": "https://www.sofoot.com/le-napoli-elimine-leicester-la-real-sociedad-cartonne-le-psv-508015.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T20:11:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-napoli-elimine-leicester-la-real-sociedad-cartonne-le-psv-1639080081_x600_articles-alt-508015.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-le-plan-de-dortmund-pour-convaincre-haaland-de-rester_AV-202111240263.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:46:29 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d61e1c31aa098ed86cbcef9131e8043" + "hash": "cb4e70fd4e70836ba4fed0a5a53f4a2b" }, { - "title": "Villarreal vient à bout de l'Atalanta et verra les huitièmes", - "description": "

", - "content": "

", + "title": "Coupe du monde 2022: tollé en Norvège après l'arrestation de deux reporters au Qatar", + "description": "Deux reporters de la télévision norvégienne ont été temporairement détenus au Qatar, où ils effectuaient un reportage sur la préparation de la Coupe du monde 2022. Ce qui a provoqué une vague d'indignation au pays.

", + "content": "Deux reporters de la télévision norvégienne ont été temporairement détenus au Qatar, où ils effectuaient un reportage sur la préparation de la Coupe du monde 2022. Ce qui a provoqué une vague d'indignation au pays.

", "category": "", - "link": "https://www.sofoot.com/villarreal-vient-a-bout-de-l-atalanta-et-verra-les-huitiemes-508093.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T20:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-villarreal-vient-a-bout-de-l-atalanta-et-verra-les-huitiemes-1639080888_x600_articles-508093.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-tolle-en-norvege-apres-l-arrestation-de-deux-reporters-au-qatar_AD-202111240256.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:32:14 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "372aeca25e0dc65a8b714d6d6872a148" + "hash": "58960903199d55dcf70a033919fbbfc1" }, { - "title": "Monaco se contente de peu à Graz", - "description": "

", - "content": "

", + "title": "Manchester City-PSG: avant Paris, des Skyblues en pleine confiance", + "description": "Battu au match aller par le PSG (2-0), Manchester City est dans une très grande forme avant de recevoir le club parisien ce mercredi soir en Ligue des champions (21h, RMC Sport 1). Et ce malgré l'absence de Kevin de Bruyne, et toujours de véritable numéro 9.

", + "content": "Battu au match aller par le PSG (2-0), Manchester City est dans une très grande forme avant de recevoir le club parisien ce mercredi soir en Ligue des champions (21h, RMC Sport 1). Et ce malgré l'absence de Kevin de Bruyne, et toujours de véritable numéro 9.

", "category": "", - "link": "https://www.sofoot.com/monaco-se-contente-de-peu-a-graz-508092.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T19:49:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-monaco-se-contente-de-peu-a-graz-1639079653_x600_articles-508092.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-avant-paris-des-skyblues-en-pleine-confiance_AV-202111240250.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:22:53 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "578427b02e553a55911790eabf20653c" + "hash": "bb8f4f1aac8e4e8bed89a9475f34e2e1" }, { - "title": "En direct : Marseille - Lokomotiv Moscou", - "description": "48' : On se dirige vers la première victoire européenne de l'OM depuis le 1er décembre 2020. ...", - "content": "48' : On se dirige vers la première victoire européenne de l'OM depuis le 1er décembre 2020. ...", + "title": "Disparition de Peng Shuai: l’UE demande \"des preuves vérifiables\" et une enquête \"transparente\"", + "description": "Disparue pendant plusieurs jours, Peng Shuai a récemment donné signe de vie sur les réseaux sociaux de journalistes chinois. L’Union Européenne a annoncé vouloir des preuves de la part des autorités de Chine sur la liberté de mouvement de la joueuse de tennis. Mais aussi une enquête sur l’agression sexuelle dont elle dit avoir été victime par l’ancien vice Premier ministre Zhang Gaoli.

", + "content": "Disparue pendant plusieurs jours, Peng Shuai a récemment donné signe de vie sur les réseaux sociaux de journalistes chinois. L’Union Européenne a annoncé vouloir des preuves de la part des autorités de Chine sur la liberté de mouvement de la joueuse de tennis. Mais aussi une enquête sur l’agression sexuelle dont elle dit avoir été victime par l’ancien vice Premier ministre Zhang Gaoli.

", "category": "", - "link": "https://www.sofoot.com/en-direct-marseille-lokomotiv-moscou-508081.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-marseille-lokomotiv-moscou-1639064119_x600_articles-508081.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/disparition-de-peng-shuai-l-ue-demande-des-preuves-verifiables-et-une-enquete-transparente_AV-202111240247.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:15:46 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea91d46eef442275a08e6ebe20bca0fe" + "hash": "211961a7b418dd7a6eeaba0ddb6db036" }, { - "title": "Lyon termine la phase de poules par un nul contre les Rangers", - "description": "

", - "content": "

", + "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 24 novembre - NBA", + "description": "Mon pronostic : au moins 25pts pour Tatum et Durant, 9 passes pour Harden lors de Boston - Brooklyn (3.65) !

", + "content": "Mon pronostic : au moins 25pts pour Tatum et Durant, 9 passes pour Harden lors de Boston - Brooklyn (3.65) !

", "category": "", - "link": "https://www.sofoot.com/lyon-termine-la-phase-de-poules-par-un-nul-contre-les-rangers-507965.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T19:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lyon-termine-la-phase-de-poules-par-un-nul-contre-les-rangers-1639078892_x600_articles-507965.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-24-novembre-nba_AN-202111240244.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:13:08 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6ece9f3156863c43e557cd055fef5bb" + "hash": "6a2394fffa2cad962740daefe6efb422" }, { - "title": "En direct : Lyon - Glasgow Rangers", - "description": "94' : FINITO ! Lyon et les Glasgow Rangers se séparent sur un match nul 1-1. C'était bien, mais ...", - "content": "94' : FINITO ! Lyon et les Glasgow Rangers se séparent sur un match nul 1-1. C'était bien, mais ...", + "title": "Manchester City-PSG: touché à l'entraînement, Verratti vers un forfait", + "description": "Sorti touché de l'entraînement à Manchester mardi soir, Marco Verratti est incertain pour la rencontre de Ligue des champions ce mercredi (21h sur RMC Sport 1) face à City. Le milieu italien du PSG a effectué samedi dernier son retour sur les terrains. Georginio Wijnaldum n’a lui non plus pas terminé l’entraînement mardi soir.

", + "content": "Sorti touché de l'entraînement à Manchester mardi soir, Marco Verratti est incertain pour la rencontre de Ligue des champions ce mercredi (21h sur RMC Sport 1) face à City. Le milieu italien du PSG a effectué samedi dernier son retour sur les terrains. Georginio Wijnaldum n’a lui non plus pas terminé l’entraînement mardi soir.

", "category": "", - "link": "https://www.sofoot.com/en-direct-lyon-glasgow-rangers-507971.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T17:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lyon-glasgow-rangers-1638887569_x600_articles-alt-507971.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-touche-a-l-entrainement-verratti-vers-un-forfait_AV-202111240240.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:05:29 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa9b1f4cc886f418a830815b2dc242e4" + "hash": "259d7c0e407506893d7a4b5f61ae6d55" }, { - "title": "La LFP travaille sur plusieurs mesures pour sécuriser les stades français", - "description": "Le temps des actes est arrivé.
\n
\nDepuis les incidents survenus au Groupama Stadium lors d'OL-OM le 21 novembre…

", - "content": "Le temps des actes est arrivé.
\n
\n
Depuis les incidents survenus au Groupama Stadium lors d'OL-OM le 21 novembre…

", + "title": "Affaire de la sextape: Benzema \"reste sélectionnable\" malgré sa condamnation, insiste Le Graët", + "description": "Noël Le Graët, président de la Fédération française de football (FFF), a réaffirmé sa position sur Karim Benzema, malgré sa condamnation dans l’affaire de la sextape: l’attaquant reste sélectionnable avec l’équipe de France.

", + "content": "Noël Le Graët, président de la Fédération française de football (FFF), a réaffirmé sa position sur Karim Benzema, malgré sa condamnation dans l’affaire de la sextape: l’attaquant reste sélectionnable avec l’équipe de France.

", "category": "", - "link": "https://www.sofoot.com/la-lfp-travaille-sur-plusieurs-mesures-pour-securiser-les-stades-francais-508090.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T17:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-lfp-travaille-sur-plusieurs-mesures-pour-securiser-les-stades-francais-1639070787_x600_articles-508090.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/affaire-de-la-sextape-benzema-reste-selectionnable-malgre-sa-condamnation-insiste-le-graet_AV-202111240233.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:55:52 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4a2426c8e2b80e55b367735ee988281" + "hash": "1401607e5d4a8f3f8aa7760b58a8704b" }, { - "title": "Junior Firpo (Leeds) à propos de Ronald Koeman au FC Barcelone : \"Il y avait un manque de respect de sa part\"", - "description": "Les oreilles de Ronald sont en train de siffler.
\n
\nParti du FC Barcelone en juillet dernier pour rejoindre Leeds, Junior Firpo était l'invité de l'émission Què T'hi Jugues de…

", - "content": "Les oreilles de Ronald sont en train de siffler.
\n
\nParti du FC Barcelone en juillet dernier pour rejoindre Leeds, Junior Firpo était l'invité de l'émission Què T'hi Jugues de…

", + "title": "Manchester City-PSG en direct: deux joueurs vers un forfait côté parisien", + "description": "Le PSG peut assurer sa qualification pour les huitièmes de finale de la Ligue des champions ce mercredi soir, sur la pelouse de son plus grand rival du groupe, Manchester City. Un choc à suivre à 21h sur RMC Sport.

", + "content": "Le PSG peut assurer sa qualification pour les huitièmes de finale de la Ligue des champions ce mercredi soir, sur la pelouse de son plus grand rival du groupe, Manchester City. Un choc à suivre à 21h sur RMC Sport.

", "category": "", - "link": "https://www.sofoot.com/junior-firpo-leeds-a-propos-de-ronald-koeman-au-fc-barcelone-il-y-avait-un-manque-de-respect-de-sa-part-508083.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T16:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-junior-firpo-leeds-a-propos-de-ronald-koeman-au-fc-barcelone-il-y-avait-un-manque-de-respect-de-sa-part-1639067858_x600_articles-508083.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-suivez-en-direct-le-choc-manchester-city-psg_LS-202111240229.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:47:18 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ddd9fdae9eaa244fcaeb2b8aa0f95d84" + "hash": "4006db0a7827aa8b43b97850e07e5580" }, { - "title": "Officiel : la Ligue 2 passera à 18 clubs en 2024", - "description": "C'est l'UNFP qui ne va pas être contente.
\n
\nLa Ligue de…

", - "content": "C'est l'UNFP qui ne va pas être contente.
\n
\nLa Ligue de…

", + "title": "Affaire de la sextape: Valbuena est \"soulagé\" par le jugement selon son avocat", + "description": "Me Didier Domat, avocat de Mathieu Valbuena, a indiqué ce mercredi que son client est \"soulage\" après la condamnation des cinq prévenus, dont Karim Benzema, dans l'affaire de la sextape. Le tribunal correctionnel de Versailles a prononcé une peine d'un an d'emprisonnement avec sursis et 75.000 d'amende pour le joueur du Real Madrid, tout en reconnaissant le statut de victime de Valbuena.

", + "content": "Me Didier Domat, avocat de Mathieu Valbuena, a indiqué ce mercredi que son client est \"soulage\" après la condamnation des cinq prévenus, dont Karim Benzema, dans l'affaire de la sextape. Le tribunal correctionnel de Versailles a prononcé une peine d'un an d'emprisonnement avec sursis et 75.000 d'amende pour le joueur du Real Madrid, tout en reconnaissant le statut de victime de Valbuena.

", "category": "", - "link": "https://www.sofoot.com/officiel-la-ligue-2-passera-a-18-clubs-en-2024-508087.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T16:18:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-officiel-la-ligue-2-passera-a-18-clubs-en-2024-1639066807_x600_articles-508087.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/affaire-de-la-sextape-mathieu-valbuena-est-soulage-par-le-jugement-selon-son-avocat_AV-202111240226.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:42:21 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "19203f749bba5188437224a33932b3ed" + "hash": "f1645539446d452056a65ca46dbd241b" }, { - "title": "Clément Lenglet (FC Barcelone) obligé de s'expliquer sur son sourire après la défaite contre le Bayern Munich", - "description": "Rattrapé par la patrouille.
\n
\nCe mercredi soir, le Bayern a massacré un Barça bien trop limité (3-0), envoyant les…

", - "content": "Rattrapé par la patrouille.
\n
\nCe mercredi soir, le Bayern a massacré un Barça bien trop limité (3-0), envoyant les…

", + "title": "Coupe Davis: Gasquet et Mannarino préférés à Gaston en équipe de France", + "description": "Sébastien Grosjean, capitaine de l’équipe de France de Coupe Davis, a annoncé sa sélection pour l’édition 2021, ce mercredi. Richard Gasquet et Adrian Mannarino en font partie à l’inverse d’Hugo Gaston, qui sort d’un beau parcours à Paris-Bercy.

", + "content": "Sébastien Grosjean, capitaine de l’équipe de France de Coupe Davis, a annoncé sa sélection pour l’édition 2021, ce mercredi. Richard Gasquet et Adrian Mannarino en font partie à l’inverse d’Hugo Gaston, qui sort d’un beau parcours à Paris-Bercy.

", "category": "", - "link": "https://www.sofoot.com/clement-lenglet-fc-barcelone-oblige-de-s-expliquer-sur-son-sourire-apres-la-defaite-contre-le-bayern-munich-508082.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T16:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-clement-lenglet-fc-barcelone-oblige-de-s-expliquer-sur-son-sourire-apres-la-defaite-contre-le-bayern-munich-1639066088_x600_articles-508082.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/coupe-davis/coupe-davis-gasquet-prefere-a-gaston-en-equipe-de-france_AV-202111240216.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:28:10 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b646f813a0f9ee255a83f6cc8362f91" + "hash": "9d0d3ade6bba9d1e0994e1516a22d0a2" }, { - "title": "Le Brésilien Marcelo devrait quitter le Real Madrid cet hiver", - "description": "Ferland Mendy fait des dégâts.
\n
\nUne nouvelle page va se tourner au Real : après Sergio Ramos cet été, c'est un autre monument de la Casa Blanca qui risque de mettre les…

", - "content": "Ferland Mendy fait des dégâts.
\n
\nUne nouvelle page va se tourner au Real : après Sergio Ramos cet été, c'est un autre monument de la Casa Blanca qui risque de mettre les…

", + "title": "Violences dans les stades: une communication difficile à gérer pour les clubs", + "description": "Interview avec Jérôme Touboul, ancien journaliste à L'Equipe et à la communication du PSG, directeur d'une agence de communication pour comprendre comment les clubs peuvent faire face au phénomène.

", + "content": "Interview avec Jérôme Touboul, ancien journaliste à L'Equipe et à la communication du PSG, directeur d'une agence de communication pour comprendre comment les clubs peuvent faire face au phénomène.

", "category": "", - "link": "https://www.sofoot.com/le-bresilien-marcelo-devrait-quitter-le-real-madrid-cet-hiver-508080.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T15:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bresilien-marcelo-devrait-quitter-le-real-madrid-cet-hiver-1639064839_x600_articles-508080.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/violences-dans-les-stades-une-communication-difficile-a-gerer-pour-les-clubs_AN-202111240210.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:23:58 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3be37b0f0a871c1e679652a2ceb0ab4" + "hash": "3fc496520acaac7abf0a7b939ede2e16" }, { - "title": " 30 millions de manque à gagner pour le FC Barcelone après sa phase de poules ratée en Ligue des champions", - "description": "Les calculs ne sont pas bons, Joan.
\n
\nLe FC Barcelone a été reversé en Ligue Europa après avoir été sèchement
", - "content": "Les calculs ne sont pas bons, Joan.
\n
\nLe FC Barcelone a été reversé en Ligue Europa après avoir été sèchement
", + "title": "Manchester United: Valverde, Emery… les dernières pistes pour le poste d’entraîneur", + "description": "De nouvelles pistes émergent pour occuper le poste de manager de Manchester United après l’éviction d’Ole Gunnar Solskjaer, le week-end dernier. Les Espagnols Unai Emery et Ernesto Valverde sont cités.

", + "content": "De nouvelles pistes émergent pour occuper le poste de manager de Manchester United après l’éviction d’Ole Gunnar Solskjaer, le week-end dernier. Les Espagnols Unai Emery et Ernesto Valverde sont cités.

", "category": "", - "link": "https://www.sofoot.com/30-millions-de-manque-a-gagner-pour-le-fc-barcelone-apres-sa-phase-de-poules-ratee-en-ligue-des-champions-508075.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T15:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-30-millions-de-manque-a-gagner-pour-le-fc-barcelone-apres-sa-phase-de-poules-ratee-en-ligue-des-champions-1639061320_x600_articles-508075.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/manchester-united-valverde-emery-les-dernieres-pistes-pour-le-poste-d-entraineur_AV-202111240200.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:12:17 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "687112d22e2be7c5a3dc8a1d727465a0" + "hash": "1335a3595d11eb852a3deae088d59a4a" }, { - "title": "Mehdi Benatia met un terme à sa carrière", - "description": "Mehdi stop.
\n
\nC'est dans un long message publié ce jeudi sur son compte Instagram que Mehdi Benatia annonce qu'il raccroche les crampons. Une nouvelle pour le moins plutôt surprenante…

", - "content": "Mehdi stop.
\n
\nC'est dans un long message publié ce jeudi sur son compte Instagram que Mehdi Benatia annonce qu'il raccroche les crampons. Une nouvelle pour le moins plutôt surprenante…

", + "title": "PRONOS PARIS RMC Le pari football d'Eric Di Meco du 24 novembre - Ligue des Champions", + "description": "Mon pronostic : victoire de City, Sterling et Mbappé buteurs (13.00) !

", + "content": "Mon pronostic : victoire de City, Sterling et Mbappé buteurs (13.00) !

", "category": "", - "link": "https://www.sofoot.com/mehdi-benatia-met-un-terme-a-sa-carriere-508079.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T15:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mehdi-benatia-met-un-terme-a-sa-carriere-1639062870_x600_articles-508079.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-d-eric-di-meco-du-24-novembre-ligue-des-champions_AN-202111240199.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:11:52 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "79ad490d74e35834b5ff36cc3aafad8a" + "hash": "6ff4a070a17e35db501c472c2972e61a" }, { - "title": "54 supporters du Dynamo Kiev interpellés après des affrontements avec ceux de Benfica", - "description": "Aussi peu inspirés sur le terrain qu'en dehors, les Ukrainiens.
\n
\nTroisième de sa poule avant le début de la dernière journée de phase de poules de Ligue des champions, Benfica devait…

", - "content": "Aussi peu inspirés sur le terrain qu'en dehors, les Ukrainiens.
\n
\nTroisième de sa poule avant le début de la dernière journée de phase de poules de Ligue des champions, Benfica devait…

", + "title": "PRONOS PARIS RMC Le pari football de Lionel Charbonnier du 24 novembre - Ligue des Champions", + "description": "Mon pronostic : City ne perd pas, les deux équipes marquent, Mbappé buteur (4.10) !

", + "content": "Mon pronostic : City ne perd pas, les deux équipes marquent, Mbappé buteur (4.10) !

", "category": "", - "link": "https://www.sofoot.com/54-supporters-du-dynamo-kiev-interpelles-apres-des-affrontements-avec-ceux-de-benfica-508077.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T14:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-54-supporters-du-dynamo-kiev-interpelles-apres-des-affrontements-avec-ceux-de-benfica-1639059664_x600_articles-508077.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-lionel-charbonnier-du-24-novembre-ligue-des-champions_AN-202111240193.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 10:01:16 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7894a0efbf0075868b032444df1e69d" + "hash": "25d282d375c0df9d787201814b98d490" }, { - "title": "Joshua Kimmich absent jusqu'en 2022 suite aux séquelles de la Covid-19", - "description": "Le fameux retour de bâton.
\n
\nLe Bayern Munich devra faire sans Joshua Kimmich jusqu'à la fin de l'année 2021.
", - "content": "Le fameux retour de bâton.
\n
\nLe Bayern Munich devra faire sans Joshua Kimmich jusqu'à la fin de l'année 2021.
", + "title": "Equipe de France: Pour Benzema, un ciel Bleu malgré la condamnation", + "description": "Karim Benzema a été condamné a un an de prison avec sursis et 75.000 euros d'amende dans l'affaire de la sextape. Mais son avenir en sélection qu'il vient de retrouver n'est pas menacé.

", + "content": "Karim Benzema a été condamné a un an de prison avec sursis et 75.000 euros d'amende dans l'affaire de la sextape. Mais son avenir en sélection qu'il vient de retrouver n'est pas menacé.

", "category": "", - "link": "https://www.sofoot.com/joshua-kimmich-absent-jusqu-en-2022-suite-aux-sequelles-de-la-covid-19-508076.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T14:09:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-joshua-kimmich-absent-jusqu-en-2022-suite-aux-sequelles-de-la-covid-19-1639058602_x600_articles-508076.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/equipe-de-france-pour-benzema-un-ciel-bleu-malgre-la-condamnation_AD-202111240191.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 09:51:03 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fac2773a26b00fbe4f1be22185e30664" + "hash": "65d7cbc0fa974dcc45a51550ee6e29a7" }, { - "title": "Les curiosités statistiques de la phase de poules de C1", - "description": "Via le prisme du résultat, de la tactique ou de la technique, les manières de suivre et d'analyser le foot ne manquent pas. Aujourd'hui, on dissèque la phase de poules de Ligue des champions avec des statistiques marrantes, symboliques, un peu folles et parfois complètement loufoques. Calculatrice et boulier non autorisés.", - "content": "", + "title": "Chelsea-Juventus: Rabiot moqué et vivement critiqué par la presse italienne", + "description": "La prestation d’Adrien Rabiot lors de Chelsea-Juventus (4-0), mardi en Ligue des champions, est sévèrement critiquée par la presse italienne, ce mercredi matin. Pour la Gazzetta, le Français a été le plus mauvais joueur.

", + "content": "La prestation d’Adrien Rabiot lors de Chelsea-Juventus (4-0), mardi en Ligue des champions, est sévèrement critiquée par la presse italienne, ce mercredi matin. Pour la Gazzetta, le Français a été le plus mauvais joueur.

", "category": "", - "link": "https://www.sofoot.com/les-curiosites-statistiques-de-la-phase-de-poules-de-c1-508057.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-curiosites-statistiques-de-la-phase-de-poules-de-c1-1639044089_x600_articles-alt-508057.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/chelsea-juventus-rabiot-moque-et-vivement-critique-par-la-presse-italienne_AV-202111240187.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 09:45:55 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3943517f1d698ce99820fed6cee203d7" + "hash": "111231da9a604eeb6b6456fec5a4af57" }, { - "title": "Nenê : \"Putain, ça aurait été bien de jouer dans une équipe comme ce PSG !\"", - "description": "Il fait partie de ces joueurs dont on se remémore les highlights avec une nostalgie teintée de tendresse. Les siennes sont essentiellement composées de dribbles à la semelle, de contrôles au cordeau, et surtout de frappes enroulées du pied gauche qui atterrissaient toutes au même endroit. À 40 ans, Anderson Luiz de Carvalho dit \"Nenê\" n'a plus sali une lucarne de Ligue 1 depuis bientôt dix piges, mais il continue de jouer au Brésil, là où tout a commencé. De passage à Paris, le joueur de Vasco da Gama (D2) raconte sa longévité, ses ambitions pour le futur, et ce club rouge et bleu qu'il aime tant.Commençons par une question que la France entière se pose : est-ce que tu joues encore avec ce fameux écarteur de narines ?
\n(Rires.) Oui, je le porte…
", - "content": "Commençons par une question que la France entière se pose : est-ce que tu joues encore avec ce fameux écarteur de narines ?
\n(Rires.) Oui, je le porte…
", + "title": "Galatasaray-OM: Sampaoli convoque un minot pour remplacer Payet, suspendu", + "description": "L'OM a rendez-vous sur la pelouse de Galatasaray ce jeudi (18h45), pour la cinquième journée de Ligue Europa, importante en vue de la qualification. Jorge Sampaoli ne pourra pas compter sur Dimitri Payet et Valentin Rongier, tous les deux suspendus. En l'absence du milieu offensif, le technicien argentin a convoqué Jonathan Pitou, un \"minot\" de 17 ans.

", + "content": "L'OM a rendez-vous sur la pelouse de Galatasaray ce jeudi (18h45), pour la cinquième journée de Ligue Europa, importante en vue de la qualification. Jorge Sampaoli ne pourra pas compter sur Dimitri Payet et Valentin Rongier, tous les deux suspendus. En l'absence du milieu offensif, le technicien argentin a convoqué Jonathan Pitou, un \"minot\" de 17 ans.

", "category": "", - "link": "https://www.sofoot.com/nene-putain-ca-aurait-ete-bien-de-jouer-dans-une-equipe-comme-ce-psg-508031.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nene-putain-ca-aurait-ete-bien-de-jouer-dans-une-equipe-comme-ce-psg-1639043546_x600_articles-alt-508031.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/europa-league/galatasaray-om-sampaoli-convoque-un-minot-pour-remplacer-payet-suspendu_AV-202111240186.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 09:45:08 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86b9c183c4649301bf5fca81b2eb86b9" + "hash": "0349e43f94f584face28fee541ba1f8b" }, { - "title": "Beşiktaş se sépare de son entraîneur Sergen Yalçın", - "description": "L'Aigle noir ne vole plus.
\n
\nAprès un historique doublé coupe-championnat en Turquie l'année passée, Beşiktaş est loin d'être sur les mêmes standards cette saison. Le club…

", - "content": "L'Aigle noir ne vole plus.
\n
\nAprès un historique doublé coupe-championnat en Turquie l'année passée, Beşiktaş est loin d'être sur les mêmes standards cette saison. Le club…

", + "title": "Benzema condamné dans l'affaire de la sextape: ses avocats, \"sidérés\", vont faire appel", + "description": "Les avocats de Karim Benzema ont annoncé qu’ils allaient faire appel de la condamnation de Karim Benzema à un an de prison avec sursis et 75.000 euros d’amende dans l’affaire du chantage à la sextape. Ils accusent le coup après ce jugement mais assurent qu’il sera innocenté.

", + "content": "Les avocats de Karim Benzema ont annoncé qu’ils allaient faire appel de la condamnation de Karim Benzema à un an de prison avec sursis et 75.000 euros d’amende dans l’affaire du chantage à la sextape. Ils accusent le coup après ce jugement mais assurent qu’il sera innocenté.

", "category": "", - "link": "https://www.sofoot.com/besiktas-se-separe-de-son-entraineur-sergen-yalcin-508072.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T12:07:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-besiktas-se-separe-de-son-entraineur-sergen-yalcin-1639051817_x600_articles-508072.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/equipe-de-france/benzema-condamne-dans-l-affaire-de-la-sextape-ses-avocats-sideres-vont-faire-appel_AV-202111240181.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 09:35:17 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ade7e635f2bfac3b7c615f2271ba5ae" + "hash": "52ed4b89a0d932b9597afbf9b4ef96a0" }, { - "title": "Pronostic Nantes Lens : Analyse, cotes et prono du match de Ligue 1", - "description": "

Lens confirme à Nantes son bon match face au PSG

\n
\nEn grande difficulté la saison dernière, le FC Nantes s'était sauvé lors des barrages face à…
", - "content": "

Lens confirme à Nantes son bon match face au PSG

\n
\nEn grande difficulté la saison dernière, le FC Nantes s'était sauvé lors des barrages face à…
", + "title": "Manchester City-PSG: Paris qualifié pour les huitièmes de Ligue des champions si...", + "description": "Le PSG se déplace ce mercredi (21h) sur la pelouse de Manchester City, pour la cinquième journée de la phase de groupes de Ligue des champions. Plusieurs options existent pour que le PSG se qualifie directement pour les huitièmes de finale à l'issue de sa rencontre à l'Etihad Stadium.

", + "content": "Le PSG se déplace ce mercredi (21h) sur la pelouse de Manchester City, pour la cinquième journée de la phase de groupes de Ligue des champions. Plusieurs options existent pour que le PSG se qualifie directement pour les huitièmes de finale à l'issue de sa rencontre à l'Etihad Stadium.

", "category": "", - "link": "https://www.sofoot.com/pronostic-nantes-lens-analyse-cotes-et-prono-du-match-de-ligue-1-508071.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:38:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nantes-lens-analyse-cotes-et-prono-du-match-de-ligue-1-1639050926_x600_articles-508071.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-paris-qualifie-pour-les-huitiemes-de-ligue-des-champions-si_AV-202111240175.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 09:18:50 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e918605100fded60b72b6b48ab789aa" + "hash": "2e6e4301e468aab385021d126a782e8a" }, { - "title": "Boca Juniors remporte la coupe d'Argentine contre le Club Atlético Talleres", - "description": "Petite finale.
\n
\nPendant qu'en Europe se disputait la sixième journée de phase de poules de Ligue des champions, en Argentine se déroulait dans la nuit la finale de la Coupe d'Argentine…

", - "content": "Petite finale.
\n
\nPendant qu'en Europe se disputait la sixième journée de phase de poules de Ligue des champions, en Argentine se déroulait dans la nuit la finale de la Coupe d'Argentine…

", + "title": "Procès de la sextape: Karim Benzema reconnu coupable et condamné à un an avec sursis", + "description": "Le tribunal a rendu son jugement sur cinq hommes, dont Karim Benzema, accusés d'avoir tenté d’obtenir de l’argent de la part du footballeur Mathieu Valbuena après la découverte d'une vidéo de ses ébats.

", + "content": "Le tribunal a rendu son jugement sur cinq hommes, dont Karim Benzema, accusés d'avoir tenté d’obtenir de l’argent de la part du footballeur Mathieu Valbuena après la découverte d'une vidéo de ses ébats.

", "category": "", - "link": "https://www.sofoot.com/boca-juniors-remporte-la-coupe-d-argentine-contre-le-club-atletico-talleres-508066.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-boca-juniors-remporte-la-coupe-d-argentine-contre-le-club-atletico-talleres-1639049979_x600_articles-508066.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/societe/proces-de-la-sextape-karim-benzema-reconnu-coupable_AN-202111240163.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 08:59:59 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1f00c5d52c09c44c57f53165a607284" + "hash": "d2159396b7e89bb953142f511278bd9f" }, { - "title": "La nuit étoilée du LOSC", - "description": "En décrochant une qualification historique pour les huitièmes de finale de Ligue des champions ce mercredi en Allemagne sur la pelouse de Wolfsbourg (3-1), le LOSC s'est offert une soirée de rêve à bien des égards au cœur de la Basse-Saxe. En s'affirmant de la sorte sur la scène européenne ces dernières semaines, le champion de France en titre a repris des couleurs, des vraies, après un début de saison en dents de scie sur le plan national.C'est une pluie de petits flocons qui s'abat ce jeudi matin sur Wolfsbourg. Le ciel est gris, les cheminées de l'usine Volkswagen crachotent en continu et dans les rues, le petit monde est en…", - "content": "C'est une pluie de petits flocons qui s'abat ce jeudi matin sur Wolfsbourg. Le ciel est gris, les cheminées de l'usine Volkswagen crachotent en continu et dans les rues, le petit monde est en…", + "title": "Real: Ancelotti agace les fans d'Everton avec une comparaison automobile peu flatteuse", + "description": "Revenu à la tête du Real Madrid cet été, Carlo Ancelotti a comparé son équipe à une voiture de course Ferrari. Le \"Mister\" en a profité, avec ironie, pour dire qu'il préfère être au volant d'un véhicule de la célèbre marque au cheval cabré plutôt que d'une Fiat 500. Le sous-entendu n'a pas été très apprécié par tous les fans d'Everton, où le technicien italien se trouvait la saison dernière.

", + "content": "Revenu à la tête du Real Madrid cet été, Carlo Ancelotti a comparé son équipe à une voiture de course Ferrari. Le \"Mister\" en a profité, avec ironie, pour dire qu'il préfère être au volant d'un véhicule de la célèbre marque au cheval cabré plutôt que d'une Fiat 500. Le sous-entendu n'a pas été très apprécié par tous les fans d'Everton, où le technicien italien se trouvait la saison dernière.

", "category": "", - "link": "https://www.sofoot.com/la-nuit-etoilee-du-losc-508061.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-nuit-etoilee-du-losc-1639046826_x600_articles-alt-508061.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/real-ancelotti-agace-les-fans-d-everton-avec-une-comparaison-automobile-peu-flatteuse_AV-202111240142.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 08:18:11 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d35218afd0c24c668fa16cdace730da3" + "hash": "55a71c60e7319cf5ae340b513d8b47a7" }, { - "title": "Domenico Tedesco (ex-Spartak Moscou et Schalke 04) nouvel entraîneur du RB Leipzig", - "description": "Du sang neuf pour redonner des ailes à Leipzig.
\n
\nC'était le nom le plus attendu pour…

", - "content": "Du sang neuf pour redonner des ailes à Leipzig.
\n
\nC'était le nom le plus attendu pour…

", + "title": "Manchester United: Carrick dédie la victoire en Ligue des champions à Solskjaer", + "description": "Michael Carrick, nommé entraîneur intérimaire de Manchester United, a dédié la victoire des Red Devils à Villarreal (2-0) en Ligue des champions mardi, à Ole Gunnar Solskjaer, démis de ses fonctions le week-end dernier.

", + "content": "Michael Carrick, nommé entraîneur intérimaire de Manchester United, a dédié la victoire des Red Devils à Villarreal (2-0) en Ligue des champions mardi, à Ole Gunnar Solskjaer, démis de ses fonctions le week-end dernier.

", "category": "", - "link": "https://www.sofoot.com/domenico-tedesco-ex-spartak-moscou-et-schalke-04-nouvel-entraineur-du-rb-leipzig-508069.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-domenico-tedesco-ex-spartak-moscou-et-schalke-04-nouvel-entraineur-du-rb-leipzig-1639049576_x600_articles-508069.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-united-carrick-dedie-la-victoire-en-ligue-des-champions-a-solskjaer_AV-202111240138.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 08:09:21 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04f4ca1ca76a29dceb491910eb2199e0" + "hash": "562ea11d582fbacd841b596aa8b0e468" }, { - "title": "Pronostic Majorque Celta Vigo : Analyse, cotes et prono du match de Liga", - "description": "

Un Majorque – Celta Vigo avec des buts de chaque côté

\n
\nLa 17e journée de Liga débute avec une opposition entre Majorque et le Celta…
", - "content": "

Un Majorque – Celta Vigo avec des buts de chaque côté

\n
\nLa 17e journée de Liga débute avec une opposition entre Majorque et le Celta…
", + "title": "Affaire de la sextape en direct: Benzema reste \"sélectionnable\", maintient Le Graët", + "description": "Le tribunal correctionnel de Versailles rend son jugement ce mercredi vers 9h30 dans l'affaire du chantage à la sextape contre Mathieu Valbuena. Il dira si Karim Benzema est coupable ou non de complicité de tentative de chantage.

", + "content": "Le tribunal correctionnel de Versailles rend son jugement ce mercredi vers 9h30 dans l'affaire du chantage à la sextape contre Mathieu Valbuena. Il dira si Karim Benzema est coupable ou non de complicité de tentative de chantage.

", "category": "", - "link": "https://www.sofoot.com/pronostic-majorque-celta-vigo-analyse-cotes-et-prono-du-match-de-liga-508070.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-majorque-celta-vigo-analyse-cotes-et-prono-du-match-de-liga-1639049922_x600_articles-508070.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/affaire-de-la-sextape-en-direct-benzema-va-savoir-le-verdict-rendu-ce-mercredi_LN-202111240101.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 07:12:02 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "64c80c68c8a3235999af46f125e5723b" + "hash": "fecdc596e3aff392e72516539e1149cd" }, { - "title": "Pronostic Cologne Augsbourg : Analyse, cotes et prono du match de Bundesliga", - "description": "

Ca sent bon pour Cologne face à Augsbourg

\n
\nProche de la relégation l'an passé, le FC Cologne s'était sauvé lors des barrages face à Holstein…
", - "content": "

Ca sent bon pour Cologne face à Augsbourg

\n
\nProche de la relégation l'an passé, le FC Cologne s'était sauvé lors des barrages face à Holstein…
", + "title": "Transat Jacques Vabre: la victoire pour Cammas et Caudrelier", + "description": "Franck Cammas et Charles Caudrelier (Gitana) ont remporté ce mardi la 15e édition de la Transat Jacques-Vabre, dans la catégorie Ultim, la plus prestigieuse, en franchissant la ligne d'arrivée en Martinique.

", + "content": "Franck Cammas et Charles Caudrelier (Gitana) ont remporté ce mardi la 15e édition de la Transat Jacques-Vabre, dans la catégorie Ultim, la plus prestigieuse, en franchissant la ligne d'arrivée en Martinique.

", "category": "", - "link": "https://www.sofoot.com/pronostic-cologne-augsbourg-analyse-cotes-et-prono-du-match-de-bundesliga-508067.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:01:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-cologne-augsbourg-analyse-cotes-et-prono-du-match-de-bundesliga-1639048992_x600_articles-508067.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-la-victoire-pour-cammas-et-caudrelier_AN-202111230282.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 14:20:16 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da5919533d708237f1f4002354360e9e" + "hash": "d7a21916a9dd30c9930641a5bdea6106" }, { - "title": "Bruno Genesio : \"Mon plus gros regret à Lyon : ne pas avoir remporté la Ligue Europa\"", - "description": "Nouveau club pour une nouvelle vie.
\n
\nDans un long entretien à retrouver dans le nouveau numéro de So Foot, Bruno Genesio parle de son projet de jeu, de ses bons résultats avec…

", - "content": "Nouveau club pour une nouvelle vie.
\n
\nDans un long entretien à retrouver dans le nouveau numéro de So Foot, Bruno Genesio parle de son projet de jeu, de ses bons résultats avec…

", + "title": "Incidents OL-OM: \"Il est dépassé par les événements\", confie l’avocat du lanceur de la bouteille", + "description": "L’avocat du supporter qui a lancé une bouteille d’eau sur Dimitri Payet lors d'Ol-OM explique le geste de son client. Ce dernier regrette son attitude.

", + "content": "L’avocat du supporter qui a lancé une bouteille d’eau sur Dimitri Payet lors d'Ol-OM explique le geste de son client. Ce dernier regrette son attitude.

", "category": "", - "link": "https://www.sofoot.com/bruno-genesio-mon-plus-gros-regret-a-lyon-ne-pas-avoir-remporte-la-ligue-europa-508036.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-bruno-genesio-mon-plus-gros-regret-a-lyon-ne-pas-avoir-remporte-la-ligue-europa-1639044869_x600_articles-508036.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-il-est-depasse-par-les-evenements-confie-l-avocat-du-lanceur-de-bouteilles_AV-202111230277.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 13:59:32 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "530f953afec917fa4db826348b7aa433" + "hash": "4779fd156d22ddeaef7aca1bc0ac6fcb" }, { - "title": "Pronostic Brentford Watford : Analyse, cotes et prono du match de Premier League", - "description": "

Brentford - Watford : Les Bees chassent les Hornets

\n
\nLa 16e journée de Premier League s'ouvre vendredi avec un affrontement entre deux…
", - "content": "

Brentford - Watford : Les Bees chassent les Hornets

\n
\nLa 16e journée de Premier League s'ouvre vendredi avec un affrontement entre deux…
", + "title": "Manchester City-PSG: Guardiola redoute l’imprévisibilité de Messi", + "description": "Pep Guardiola, manager de Manchester City, se réjouit de retrouver Lionel Messi, mercredi lors du choc face au PSG (21h, sur RMC Sport 1) en Ligue des champions même s’il le redoute.

", + "content": "Pep Guardiola, manager de Manchester City, se réjouit de retrouver Lionel Messi, mercredi lors du choc face au PSG (21h, sur RMC Sport 1) en Ligue des champions même s’il le redoute.

", "category": "", - "link": "https://www.sofoot.com/pronostic-brentford-watford-analyse-cotes-et-prono-du-match-de-premier-league-508063.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brentford-watford-analyse-cotes-et-prono-du-match-de-premier-league-1639047128_x600_articles-508063.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-guardiola-redoute-l-imprevisibilite-de-messi_AV-202111230271.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 13:30:32 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a25b779cf07ed8b5d8f7ba214d73af66" + "hash": "10d2d9c3514b9252e1c4f99863d1d810" }, { - "title": "En Ligue des champions féminine, Sam Kerr se prend un carton jaune pour avoir bousculé un spectateur entré sur le terrain lors de Chelsea-Juventus", - "description": "Dans une autre vie, Sam Kerr était steward.
\n
\nAlors que Chelsea et la Juve se battait pour une place au tour suivant de la Ligue des Champions féminine ce mercredi (0-0), un spectateur a…

", - "content": "Dans une autre vie, Sam Kerr était steward.
\n
\nAlors que Chelsea et la Juve se battait pour une place au tour suivant de la Ligue des Champions féminine ce mercredi (0-0), un spectateur a…

", + "title": "Incidents OL-OM: le message de Lyon aux supporters lésés par l'interruption du match", + "description": "L'OL s'est rapproché des supporters, présents au Groupama Stadium dimanche, pour annoncer des mesures commerciales à venir, une fois que la sort de la rencontre OL-OM, interrompue, sera fixé.

", + "content": "L'OL s'est rapproché des supporters, présents au Groupama Stadium dimanche, pour annoncer des mesures commerciales à venir, une fois que la sort de la rencontre OL-OM, interrompue, sera fixé.

", "category": "", - "link": "https://www.sofoot.com/en-ligue-des-champions-feminine-sam-kerr-se-prend-un-carton-jaune-pour-avoir-bouscule-un-spectateur-entre-sur-le-terrain-lors-de-chelsea-juventus-508062.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:54:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-ligue-des-champions-feminine-sam-kerr-se-prend-un-carton-jaune-pour-avoir-bouscule-un-spectateur-entre-sur-le-terrain-lors-de-chelsea-juventus-1639047443_x600_articles-508062.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-message-de-lyon-aux-supporters-leses-par-l-interruption-du-match_AV-202111230267.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 13:10:58 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3c62ce64b2fc8abe00006b6faf080912" + "hash": "13a485e3c5934293c67636df8bbbc4e5" }, { - "title": "Pronostic Genoa Sampdoria : Analyse, cotes et prono du match de Serie A", - "description": "

Genoa - Sampdoria : Le derby de Gênes tourne en faveur de la Samp'

\n
\nLa 17e journée de Serie A débute vendredi avec le derby de Gênes…
", - "content": "

Genoa - Sampdoria : Le derby de Gênes tourne en faveur de la Samp'

\n
\nLa 17e journée de Serie A débute vendredi avec le derby de Gênes…
", + "title": "Affaire Hamraoui: le message d’Eric Abidal à sa femme après sa demande de divorce", + "description": "Eric Abidal a publié un message sur les réseaux sociaux, ce mardi, en direction de sa femme, qui a demandé le divorce il y a quatre jours après avoir appris la liaison de son époux avec Kheira Hamraoui, la joueuse du PSG agressée le 4 novembre dernier.

", + "content": "Eric Abidal a publié un message sur les réseaux sociaux, ce mardi, en direction de sa femme, qui a demandé le divorce il y a quatre jours après avoir appris la liaison de son époux avec Kheira Hamraoui, la joueuse du PSG agressée le 4 novembre dernier.

", "category": "", - "link": "https://www.sofoot.com/pronostic-genoa-sampdoria-analyse-cotes-et-prono-du-match-de-serie-a-508065.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:49:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-genoa-sampdoria-analyse-cotes-et-prono-du-match-de-serie-a-1639047938_x600_articles-508065.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/feminin/affaire-hamraoui-le-message-d-eric-abidal-a-sa-femme-apres-sa-demande-de-divorce_AV-202111230259.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 12:41:42 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f2f7a79fb7f82ed053e84ed2bf47094" + "hash": "47b341081926f535d521cf49bdda8596" }, { - "title": "Après le départ de Claude Puel, Julien Sablé assurera l'intérim à l'AS Saint-Étienne", - "description": "Le pompier de service est de retour.
\n
\nGiflé à domicile ce dimanche par Rennes…

", - "content": "Le pompier de service est de retour.
\n
\nGiflé à domicile ce dimanche par Rennes…

", + "title": "Equipe de France, basket: Benitez et Kamagate dans la liste", + "description": "En vue des qualifications pour la Coupe du monde 2023, l’Equipe de France de basket jouera ce vendredi face au Monténégro et lundi prochain contre la Hongrie. Alors que trois joueurs des Bleus sont absents, le sélectionneur Vincent Collet a choisi de rester sur sa liste de base en n’appelant personne pour les remplacer.

", + "content": "En vue des qualifications pour la Coupe du monde 2023, l’Equipe de France de basket jouera ce vendredi face au Monténégro et lundi prochain contre la Hongrie. Alors que trois joueurs des Bleus sont absents, le sélectionneur Vincent Collet a choisi de rester sur sa liste de base en n’appelant personne pour les remplacer.

", "category": "", - "link": "https://www.sofoot.com/apres-le-depart-de-claude-puel-julien-sable-assurera-l-interim-a-l-as-saint-etienne-507964.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:43:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-apres-le-depart-de-claude-puel-julien-sable-assurera-l-interim-a-l-as-saint-etienne-1638876825_x600_articles-507964.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/basket/equipe-de-france-basket-benitez-et-kamagate-dans-la-liste_AV-202111230257.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 12:38:31 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "00db05024710e09f7d8eddb75b624611" + "hash": "a2f0f23bc65dbf2ec073dff54d5cbca8" }, { - "title": "Accusé d'agression sexuelle, Pierre Ménès placé en garde à vue", - "description": "Accusé d'avoir touché la poitrine d'une hôtesse d'accueil du Parc des…", - "content": "Accusé d'avoir touché la poitrine d'une hôtesse d'accueil du Parc des…", + "title": "Mercato: le Barça de plus en plus inquiet pour la prolongation de Dembélé", + "description": "En fin de contrat à l’issue de la saison, l’avenir d’Ousmane Dembélé au FC Barcelone est toujours aussi incertain. Si les Catalans souhaitent prolonger leur attaquant, les dirigeants seraient de plus en plus inquiets sur ce dossier, surtout à cause de l’agent du joueur qui inciterait son poulain à partir selon Mundo Deportivo.

", + "content": "En fin de contrat à l’issue de la saison, l’avenir d’Ousmane Dembélé au FC Barcelone est toujours aussi incertain. Si les Catalans souhaitent prolonger leur attaquant, les dirigeants seraient de plus en plus inquiets sur ce dossier, surtout à cause de l’agent du joueur qui inciterait son poulain à partir selon Mundo Deportivo.

", "category": "", - "link": "https://www.sofoot.com/accuse-d-agression-sexuelle-pierre-menes-place-en-garde-a-vue-508060.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-accuse-d-agression-sexuelle-pierre-menes-place-en-garde-a-vue-1639046555_x600_articles-508060.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/mercato-le-barca-de-plus-en-plus-inquiet-pour-la-prolongation-de-dembele_AV-202111230252.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 12:27:54 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4cc25112af14e907561c81034586e014" + "hash": "549a3c2e7ec6c80e25c6ecfe20447c87" }, { - "title": "L'UEFA confirme le report de Tottenham-Rennes", - "description": "De toute façon, il fait meilleur en Bretagne.
\n
\nAlors que le Stade rennais avait fait le déplacement outre-Manche avec l'intention de jouer le match de C4 sur la pelouse de Tottenham,…

", - "content": "De toute façon, il fait meilleur en Bretagne.
\n
\nAlors que le Stade rennais avait fait le déplacement outre-Manche avec l'intention de jouer le match de C4 sur la pelouse de Tottenham,…

", + "title": "Supporter du SC Bastia éborgné à Reims: un policier renvoyé aux assises", + "description": "Six ans après les faits, le policier accusé d'avoir éborgné Maxime Beux, le soir du 13 février 2016 lors d’affrontements entre des supporters du SC Bastia et des policiers à Reims, devrait faire face à la justice dans les prochains mois.

", + "content": "Six ans après les faits, le policier accusé d'avoir éborgné Maxime Beux, le soir du 13 février 2016 lors d’affrontements entre des supporters du SC Bastia et des policiers à Reims, devrait faire face à la justice dans les prochains mois.

", "category": "", - "link": "https://www.sofoot.com/l-uefa-confirme-le-report-de-tottenham-rennes-508058.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-uefa-confirme-le-report-de-tottenham-rennes-1639045037_x600_articles-508058.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/supporter-du-sc-bastia-eborgne-a-reims-un-policier-renvoye-aux-assises_AV-202111230247.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 12:16:04 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "69448bd7a640c56c6cb8e1529861e38c" + "hash": "bef313cce3b7adbf5c2f558a34c76b01" }, { - "title": "La collection de tirages photo So Foot de Noël 2021 est arrivée !", - "description": "En collaboration avec l'agence photographique Icon Sport, So Foot vous propose, chaque mois, une sélection renouvelée de photographies exclusives de football en édition ultra limitée, onze tirages par taille, sur la nouvelle boutique maison : boutique.so. Et au temps de l'Avent, les cadeaux arrivent par tous les temps ! Voici donc cinq nouveaux tirages en édition limitée : la joie d'Iniesta après sa volée contre Chelsea, le triplé de Raï face au Steaua Bucarest, Zidane dégoulinant à l'Euro 2000, la fête sur les Champs-Elysées en 98 et un cliché hommage au boss Bernard Tapie. Ça, plus deux nouveaux t-shirts foot amateur et deux nouvelles affiches. Hé oui, c'est pas tous les jours Noël !
\n

\n
\n


", - "content": "
\n
\n


", + "title": "Boxe: Ali-Foreman, revivez le mythe comme si vous y étiez (Fighter Club)", + "description": "Il y a un peu plus de quarante-sept ans, le 30 octobre 1974, Kinshasa accueillait un championnat du monde des poids lourds qui allait entrer dans la légende: le champion George Foreman contre le challenger qui veut reconquérir le trône Muhammad Ali. Un combat à jamais gravé dans l’histoire de la boxe, pour tout ce qu’il représente, que le RMC Fighter Club vous propose de revivre via trois épisodes exceptionnels.

", + "content": "Il y a un peu plus de quarante-sept ans, le 30 octobre 1974, Kinshasa accueillait un championnat du monde des poids lourds qui allait entrer dans la légende: le champion George Foreman contre le challenger qui veut reconquérir le trône Muhammad Ali. Un combat à jamais gravé dans l’histoire de la boxe, pour tout ce qu’il représente, que le RMC Fighter Club vous propose de revivre via trois épisodes exceptionnels.

", "category": "", - "link": "https://www.sofoot.com/la-collection-de-tirages-photo-so-foot-de-noel-2021-est-arrivee-507774.html", - "creator": "SO FOOT", - "pubDate": "2021-12-03T12:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-collection-de-tirages-photo-so-foot-de-noel-2021-est-arrivee-1638452754_x600_articles-alt-507774.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/boxe/boxe-ali-foreman-revivez-le-mythe-comme-si-vous-y-etiez-fighter-club_AV-202111230240.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 12:03:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ccba083e9f3a9dbcad9e50160e56173f" + "hash": "a9d3c29f57ffc826840bdf16c2c600a4" }, { - "title": "L'OM condamné à 10 000 euros d'amende après les propos racistes contre Hyun-jun Suk (Troyes)", - "description": "Ça fait cher la blague de mauvais goût.
\n
\nSi c'est évidemment
le…

", - "content": "Ça fait cher la blague de mauvais goût.
\n
\nSi c'est évidemment le…

", + "title": "PRONOS PARIS RMC Le pari football de Coach Courbis du 23 novembre - Ligue des Champions", + "description": "Mon pronostic : Lille bat Salzbourg (2.60) !

", + "content": "Mon pronostic : Lille bat Salzbourg (2.60) !

", "category": "", - "link": "https://www.sofoot.com/l-om-condamne-a-10-000-euros-d-amende-apres-les-propos-racistes-contre-hyun-jun-suk-troyes-508056.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T10:08:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-om-condamne-a-10-000-euros-d-amende-apres-les-propos-racistes-contre-hyun-jun-suk-troyes-1639044332_x600_articles-508056.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-de-coach-courbis-du-23-novembre-ligue-des-champions_AN-202111230230.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 11:51:25 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "adbcfafefaa1d1fcb2cb584402bf6db8" + "hash": "a46f4fc15695ae2c517ba4b6d02c3af1" }, { - "title": "Xavi après Bayern Munich-FC Barcelone : \"La réalité nous dit que nous ne sommes pas au niveau\"", - "description": "Bah quoi, ça n'est pas bien la Ligue Europa ?
\n
\nUn mois après son intronisation sur le banc du FC Barcelone, Xavi vit des premiers moments compliqués. Alors que ses hommes pouvaient…

", - "content": "Bah quoi, ça n'est pas bien la Ligue Europa ?
\n
\nUn mois après son intronisation sur le banc du FC Barcelone, Xavi vit des premiers moments compliqués. Alors que ses hommes pouvaient…

", + "title": "Ligue des champions: les clubs qui peuvent se qualifier pour les huitièmes ce mardi", + "description": "Quatre équipes ont déjà validé leur billet pour la phase à élimination directe qui débutera en février, et cinq autres pourraient les rejoindre dès ce mardi.

", + "content": "Quatre équipes ont déjà validé leur billet pour la phase à élimination directe qui débutera en février, et cinq autres pourraient les rejoindre dès ce mardi.

", "category": "", - "link": "https://www.sofoot.com/xavi-apres-bayern-munich-fc-barcelone-la-realite-nous-dit-que-nous-ne-sommes-pas-au-niveau-508055.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T09:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-xavi-apres-bayern-munich-fc-barcelone-la-realite-nous-dit-que-nous-ne-sommes-pas-au-niveau-1639042006_x600_articles-508055.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-les-clubs-qui-peuvent-se-qualifier-pour-les-huitiemes-ce-mardi_AV-202111230224.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 11:35:05 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0da5c0deb27904f5f10cca9f80d7c81" + "hash": "39bf25d802534bf7f68973ff1d24c28e" }, { - "title": "Lors de la venue de Lens, le FC Nantes va rendre hommage à John Miles, auteur du tube Music", - "description": "Dernière danse.
\n
\nLe FC Nantes a décidé de rendre hommage à John Miles, vendredi lors de la réception du RC Lens, en diffusant son célèbre titre Music (datant de 1976) à…

", - "content": "Dernière danse.
\n
\nLe FC Nantes a décidé de rendre hommage à John Miles, vendredi lors de la réception du RC Lens, en diffusant son célèbre titre Music (datant de 1976) à…

", + "title": "PRONOS PARIS RMC Le pari basket de Stephen Brun du 23 novembre - NBA", + "description": "Mon pronostic : les Lakers gagnent à New York (2.35) !

", + "content": "Mon pronostic : les Lakers gagnent à New York (2.35) !

", "category": "", - "link": "https://www.sofoot.com/lors-de-la-venue-de-lens-le-fc-nantes-va-rendre-hommage-a-john-miles-auteur-du-tube-music-508054.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T08:38:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lors-de-la-venue-de-lens-le-fc-nantes-va-rendre-hommage-a-john-miles-auteur-du-tube-music-1639039067_x600_articles-508054.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-basket-de-stephen-brun-du-23-novembre-nba_AN-202111230219.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 11:22:03 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "29f038e4d3db1ffbff2aa1fd75a4b8d7" + "hash": "a7da4797528fddc48ffb7180148917f5" }, { - "title": "Lyon-Marseille : Jacques Cardoze (OM) s'insurge contre la décision de la Commission de discipline de la LFP", - "description": "Un autre qui l'a mauvaise.
\n
\nAttendue depuis de longues semaines, la…

", - "content": "Un autre qui l'a mauvaise.
\n
\nAttendue depuis de longues semaines, la…

", + "title": "JO de Paris 2024: la justice autorise la reprise des travaux d’une piscine d’entraînement", + "description": "En juillet 2024, les Jeux olympiques auront lieu à Paris. Des travaux sont effectués pour préparer idéalement ce grand événement sportif. Depuis quelques semaines, les travaux concernant une piscine d’entraînement à Aubervilliers avaient été suspendus. Mais ce mardi, la cour administrative de Paris a levé cette suspension.

", + "content": "En juillet 2024, les Jeux olympiques auront lieu à Paris. Des travaux sont effectués pour préparer idéalement ce grand événement sportif. Depuis quelques semaines, les travaux concernant une piscine d’entraînement à Aubervilliers avaient été suspendus. Mais ce mardi, la cour administrative de Paris a levé cette suspension.

", "category": "", - "link": "https://www.sofoot.com/lyon-marseille-jacques-cardoze-om-s-insurge-contre-la-decision-de-la-commission-de-discipline-de-la-lfp-508052.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T08:18:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lyon-marseille-jacques-cardoze-om-s-insurge-contre-la-decision-de-la-commission-de-discipline-de-la-lfp-1639038234_x600_articles-508052.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/jeux-olympiques/jo-de-paris-2024-la-justice-autorise-la-reprise-des-travaux-d-une-piscine-d-entrainement_AV-202111230215.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 11:14:51 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85310614ab7799a155a2cbaec41003fd" + "hash": "25233b3a750e022e8543152dbd6c6aed" }, { - "title": "Jocelyn Gourvennec : \"On a fait honneur à la Ligue 1\"", - "description": "Présent en conférence de presse après la belle victoire du LOSC à Wolfsbourg (1-3) en Ligue des champions, Jocelyn Gourvennec n'a pas caché sa satisfaction après la qualification historique de son équipe pour les huitièmes de finale de la C1.Sur le plan émotionnel, êtes-vous pleinement satisfait du match de votre équipe ? Cela ressemble au scénario parfait.
\nC'est vrai que le scénario du match a…
", - "content": "Sur le plan émotionnel, êtes-vous pleinement satisfait du match de votre équipe ? Cela ressemble au scénario parfait.
\nC'est vrai que le scénario du match a…
", + "title": "AS Rome: Afena-Gyan dément tout notion de racisme à son encontre dans une vidéo du club", + "description": "Le jeune joueur de l’AS Rome, Felix Afena-Gyan (18 ans), a réfuté toute intention de racisme son égard après la diffusion d’une vidéo où il se fait offrir des chaussures par José Mourinho, son entraîneur au sein du club italien.

", + "content": "Le jeune joueur de l’AS Rome, Felix Afena-Gyan (18 ans), a réfuté toute intention de racisme son égard après la diffusion d’une vidéo où il se fait offrir des chaussures par José Mourinho, son entraîneur au sein du club italien.

", "category": "", - "link": "https://www.sofoot.com/jocelyn-gourvennec-on-a-fait-honneur-a-la-ligue-1-508051.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jocelyn-gourvennec-on-a-fait-honneur-a-la-ligue-1-1639009867_x600_articles-alt-508051.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/serie-a/as-rome-afena-gyan-dement-tout-notion-de-racisme-a-son-encontre-dans-une-video-du-club_AN-202111230210.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 11:10:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "51a6ca0ec75cca5b3d9756836ca31434" + "hash": "ca429c5349e56db86e087732b5b7c9fd" }, { - "title": "Si les personnages de One Piece étaient des footballeurs", - "description": "Alors que la trêve hivernale approche pour bon nombre de championnats, Eiichiro Oda a décidé de régaler son monde en publiant (enfin) le tome 100 du manga mythique One Piece. Mais que se passerait-il si les pirates quittaient Grand Line pour fouler les plus belles pelouses de notre planète ?

Monkey D. Luffy

\n
\nFils de Monkey D. Dragon, petit-fils de Monkey D. Garp et frère adoptif de Portgas D. Ace et du grand Sabo : Mugiwara no Luffy entretient sa…
", - "content": "

Monkey D. Luffy

\n
\nFils de Monkey D. Dragon, petit-fils de Monkey D. Garp et frère adoptif de Portgas D. Ace et du grand Sabo : Mugiwara no Luffy entretient sa…
", + "title": "Volley, LAM: \"Si nous ne sommes pas écoutés, nous ne jouerons pas\", menace Bazin", + "description": "La 14e journée du championnat de France de volley (LAM) le 29 décembre est en danger face à la levée de bouclier des joueurs organisés autour de leur syndicat, ProSmash. Le président de ce groupement, Yannick Bazin (passeur du Nantes-Rezé) explique l’exaspération des volleyeurs et propose une solution.

", + "content": "La 14e journée du championnat de France de volley (LAM) le 29 décembre est en danger face à la levée de bouclier des joueurs organisés autour de leur syndicat, ProSmash. Le président de ce groupement, Yannick Bazin (passeur du Nantes-Rezé) explique l’exaspération des volleyeurs et propose une solution.

", "category": "", - "link": "https://www.sofoot.com/si-les-personnages-de-one-piece-etaient-des-footballeurs-508035.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-si-les-personnages-de-one-piece-etaient-des-footballeurs-1638992485_x600_articles-alt-508035.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/volley/volley-lam-si-nous-ne-sommes-pas-ecoutes-nous-ne-jouerons-pas-menace-bazin_AV-202111230200.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 10:48:39 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b3e95bbc208c1f5da3978a1e267514b" + "hash": "2b9ab334f2179d0328eaa31116fc6d96" }, { - "title": "Lettre d'un supporter de l'OM à Steve Mandanda ", - "description": "Steve Mandanda vit une période compliquée depuis sa mise sur la touche par Jorge Sampaoli au profit de Pau Lopez. Une triste fin pour celui qui a porté à 597 reprises le maillot marseillais, ce qui en fait le joueur le plus capé de l'histoire du club. Une lettre d'amour pourrait l'aider à retrouver un semblant de sourire.Cher Steve,
\n
\nAlors que ton équipe joue son dernier match de Ligue Europa face au Lokomotiv Moscou ce jeudi, une fois de plus j'aimerais te voir fouler la pelouse de ton jardin, le…

", - "content": "Cher Steve,
\n
\nAlors que ton équipe joue son dernier match de Ligue Europa face au Lokomotiv Moscou ce jeudi, une fois de plus j'aimerais te voir fouler la pelouse de ton jardin, le…

", + "title": "Barça: la maison de Fati cambriolée avec des membres de sa famille à l’intérieur", + "description": "Selon La Vanguardia, le domicile d’Ansu Fati a fait l’objet d’un cambriolage, samedi dernier, lors du derby entre le Barça et l’Espanyol Barcelone en Liga (1-0). L’attaquant de 19 ans se trouvait au Camp Nou mais certains de ses proches étaient sur place.

", + "content": "Selon La Vanguardia, le domicile d’Ansu Fati a fait l’objet d’un cambriolage, samedi dernier, lors du derby entre le Barça et l’Espanyol Barcelone en Liga (1-0). L’attaquant de 19 ans se trouvait au Camp Nou mais certains de ses proches étaient sur place.

", "category": "", - "link": "https://www.sofoot.com/lettre-d-un-supporter-de-l-om-a-steve-mandanda-508029.html", - "creator": "SO FOOT", - "pubDate": "2021-12-09T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lettre-d-un-supporter-de-l-om-a-steve-mandanda-1638980788_x600_articles-alt-508029.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-la-maison-de-fati-cambriolee-avec-des-membres-de-sa-famille-a-l-interieur_AV-202111230197.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 10:44:50 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12cd5be970c0c383901efc531a737197" + "hash": "fc95b39ff49b2903ad0167359829c95f" }, { - "title": "Pronostic Atalanta Bergame Villarreal : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

L'Atalanta Bergame coule Villarreal

\n
\nLors de cette dernière journée de Ligue des Champions, peu de groupes nous réservent des rencontres décisives…
", - "content": "

L'Atalanta Bergame coule Villarreal

\n
\nLors de cette dernière journée de Ligue des Champions, peu de groupes nous réservent des rencontres décisives…
", + "title": "Manchester City-PSG: grande première pour Sergio Ramos dans le groupe", + "description": "Comme attendu, Sergio Ramos apparaît pour la première fois dans le groupe du PSG depuis sa signature l’été dernier, pour affronter Manchester City, mercredi (21h, sur RMC Sport 1) en Ligue des champions.

", + "content": "Comme attendu, Sergio Ramos apparaît pour la première fois dans le groupe du PSG depuis sa signature l’été dernier, pour affronter Manchester City, mercredi (21h, sur RMC Sport 1) en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/pronostic-atalanta-bergame-villarreal-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507952.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T08:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-atalanta-bergame-villarreal-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638868502_x600_articles-507952.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-grande-premiere-pour-sergio-ramos-dans-le-groupe_AV-202111230192.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 10:42:06 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d0ed4606f7e852cbf42bdf5207befb38" + "hash": "b68827eb411ffbb576af0ad750bdf7f1" }, { - "title": "Le Stade rennais dénonce \"le manque de fair-play\" de Tottenham", - "description": "La réponse du berger à la bergère.
\n
\nDeux heures après que Tottenham a annoncé être dans l'incapacité de disputer
", - "content": "La réponse du berger à la bergère.
\n
\nDeux heures après que Tottenham a annoncé être dans l'incapacité de disputer
", + "title": "Incidents OL-OM: Darmanin promet des décisions rapides, notamment sur le volet sécurité", + "description": "Le ministre de l'Intérieur, Gérald Darmanin, et la ministre déléguée aux Sports, Roxana Maracineanu, en compagnie des instances du football français, ont évoqué ce mardi les incidents survenu à Lyon et les moyens d'y mettre fin pour le reste de la saison.

", + "content": "Le ministre de l'Intérieur, Gérald Darmanin, et la ministre déléguée aux Sports, Roxana Maracineanu, en compagnie des instances du football français, ont évoqué ce mardi les incidents survenu à Lyon et les moyens d'y mettre fin pour le reste de la saison.

", "category": "", - "link": "https://www.sofoot.com/le-stade-rennais-denonce-le-manque-de-fair-play-de-tottenham-508050.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T23:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-stade-rennais-denonce-le-manque-de-fair-play-de-tottenham-1639007298_x600_articles-508050.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-darmanin-promet-des-decisions-rapides-notamment-sur-le-volet-securite_AV-202111230189.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 10:40:05 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0deac1cd1cbcbc10cde8017085bacb98" + "hash": "e1cac910afc4c309f14dda7dcb3286c0" }, { - "title": "Wolfsburg-Lille : Jonathan Ikoné, une dernière pour la route", - "description": "Comme à Séville le mois dernier, Jonathan Ikoné a fait oublier son inefficacité en championnat en livrant une prestation remarquable à Wolfsburg, où il a offert deux jolies passes décisives à ses copains Burak Yılmaz et Angel Gomes. La suite de la belle histoire européenne du LOSC pourrait cependant s'écrire sans l'attaquant de 23 ans, qui serait attendu par la Fiorentina dès janvier.La semaine de Jonathan Ikoné n'avait pas débuté de la meilleure des manières. À 48 heures du rendez-vous décisif à Wolfsburg en Ligue des champions pour le LOSC, l'attaquant a eu la mauvaise…", - "content": "La semaine de Jonathan Ikoné n'avait pas débuté de la meilleure des manières. À 48 heures du rendez-vous décisif à Wolfsburg en Ligue des champions pour le LOSC, l'attaquant a eu la mauvaise…", + "title": "XV de France: Castex positif au coronavirus, pas d'inquiétude chez les Bleus", + "description": "Jean Castex, le Premier ministre français, a été testé positif au coronavirus lundi moins de 48 heures après avoir félicité les joueurs du XV de France dans le vestiaire après le match face aux All Blacks. Ce qui ne suscite pas d'inquiétude particulière.

", + "content": "Jean Castex, le Premier ministre français, a été testé positif au coronavirus lundi moins de 48 heures après avoir félicité les joueurs du XV de France dans le vestiaire après le match face aux All Blacks. Ce qui ne suscite pas d'inquiétude particulière.

", "category": "", - "link": "https://www.sofoot.com/wolfsburg-lille-jonathan-ikone-une-derniere-pour-la-route-508047.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T23:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-wolfsburg-lille-jonathan-ikone-une-derniere-pour-la-route-1639006137_x600_articles-alt-508047.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/xv-de-france-castex-positif-au-coronavirus-apres-avoir-felicite-les-bleus-le-top-14-impacte_AV-202111230163.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 09:48:43 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa93f724dbcb6d3c431beb78c2ec1905" + "hash": "a10393530439f8a01069bb791ba347e7" }, { - "title": "Signé Gourvennec", - "description": "Pour la première fois depuis 2006, et seulement la deuxième de son histoire, le LOSC a validé son billet pour les huitièmes de finale de la Ligue des champions. Une sacrée performance, couronnée par une première place de son groupe, dont Jocelyn Gourvennec est le principal responsable.\" J'ai attendu 26 ans pour revivre des moments comme ça. On s'était qualifiés avec Nantes. Vingt-six ans c'est long, mais quand je regarde derrière, j'ai l'impression que…", - "content": "\" J'ai attendu 26 ans pour revivre des moments comme ça. On s'était qualifiés avec Nantes. Vingt-six ans c'est long, mais quand je regarde derrière, j'ai l'impression que…", + "title": "Manchester United: Jorge Mendes aurait poussé pour le licenciement de Solskjaer", + "description": "Selon plusieurs médias anglais, l’agent de Cristiano Ronaldo, Jorge Mendes, a joué un rôle - plus que décisif ? - dans le renvoi du Norvégien Ole Gunnar Solskjaer.

", + "content": "Selon plusieurs médias anglais, l’agent de Cristiano Ronaldo, Jorge Mendes, a joué un rôle - plus que décisif ? - dans le renvoi du Norvégien Ole Gunnar Solskjaer.

", "category": "", - "link": "https://www.sofoot.com/signe-gourvennec-508048.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-signe-gourvennec-1639003264_x600_articles-alt-508048.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-jorge-mendes-aurait-pousse-pour-le-licenciement-de-solskjaer_AV-202111230160.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 09:42:51 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1e6475016af9b58f482a3afca623f20" + "hash": "4144700bb5e5d8ae36601179219690fd" }, { - "title": "Ce tout petit Barça", - "description": "C'était attendu par tout le monde, cela s'est confirmé à l'Allianz Arena de Munich et à l'Estádio da Luz de Lisbonne : le FC Barcelone, qui n'a marqué que 2 buts en 6 journées, s'est fait éliminer de la Ligue des champions dès la phase de poules de cette édition 2021-2022. Est-ce si surprenant que cela ? Non. Faut-il s'en inquiéter ? Oui. La dernière fois que le Barça n'était pas parvenu à sortir des poules de C1 remonte à la saison 2000-2001.Il y a des signes qui ne trompent pas. Avant d'affronter l'ogre bavarois pour la dernière journée de ce groupe E de la Ligue des champions 2021-2022, Xavi Hernández annonçait avec aplomb les…", - "content": "Il y a des signes qui ne trompent pas. Avant d'affronter l'ogre bavarois pour la dernière journée de ce groupe E de la Ligue des champions 2021-2022, Xavi Hernández annonçait avec aplomb les…", + "title": "Lille-Salzbourg: comment le Losc peut faire un grand pas vers les 8es", + "description": "Le Losc reçoit Salzbourg, ce mardi, lors de l’avant-dernière journée de la Ligue des champions (21h sur RMC Sport 1). Même s’il l’emporte, le club nordiste ne peut pas encore valider sa place en 8es de finale. Mais il peut déjà s’assurer de prolonger son aventure européenne.

", + "content": "Le Losc reçoit Salzbourg, ce mardi, lors de l’avant-dernière journée de la Ligue des champions (21h sur RMC Sport 1). Même s’il l’emporte, le club nordiste ne peut pas encore valider sa place en 8es de finale. Mais il peut déjà s’assurer de prolonger son aventure européenne.

", "category": "", - "link": "https://www.sofoot.com/ce-tout-petit-barca-508049.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T23:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ce-tout-petit-barca-1639004598_x600_articles-alt-508049.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/lille-salzbourg-les-dogues-peuvent-faire-un-grand-pas-vers-les-8es_AV-202111230151.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 09:31:37 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3003aeab12fa689d1db166a04f8c29fe" + "hash": "4341500a7c5b74e99e4baa56aaceb491" }, { - "title": "Benjamin Pavard : \"Je suis très content pour Lille\"", - "description": "Après avoir roulé sur le Barça pendant 90 minutes ce mercredi soir à…", - "content": "Après avoir roulé sur le Barça pendant 90 minutes ce mercredi soir à…", + "title": "Disparition de Peng Shuai: la Chine appelle à cesser de \"monter en épingle\" l'affaire", + "description": "Le porte-parole du ministère chinois des Affaires étrangères a exhorté les responsables politiques étrangers inquiets du sort de Shuai Peng à arrêter toute forme de pression politique sur le régime.

", + "content": "Le porte-parole du ministère chinois des Affaires étrangères a exhorté les responsables politiques étrangers inquiets du sort de Shuai Peng à arrêter toute forme de pression politique sur le régime.

", "category": "", - "link": "https://www.sofoot.com/benjamin-pavard-je-suis-tres-content-pour-lille-508046.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-benjamin-pavard-je-suis-tres-content-pour-lille-1639003477_x600_articles-508046.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/wta/disparition-de-peng-shuai-la-chine-appelle-a-cesser-de-monter-en-epingle-l-affaire_AV-202111230136.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 08:50:31 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6acb1947d3e1fa04c6f5b93d173bbaf1" + "hash": "90fc2174d7655e3e3a913c02fec577b3" }, { - "title": "Jocelyn Gourvennec était habité par la qualification", - "description": "Une masterclass signée Gourvennec.
\n
\nLa qualification pour les huitièmes de finale de Ligue des champions à peine en poche, le coach lillois a réagi auprès de Canal+ : \"C'est une…

", - "content": "Une masterclass signée Gourvennec.
\n
\nLa qualification pour les huitièmes de finale de Ligue des champions à peine en poche, le coach lillois a réagi auprès de Canal+ : \"C'est une…

", + "title": "PSG: Messi répète qu’il reviendra un jour au Barça", + "description": "Lionel Messi, l'attaquant du PSG, a de nouveau répété son souhait de revenir un jour au FC Barcelone qu’il a quitté l’été dernier pour Paris.

", + "content": "Lionel Messi, l'attaquant du PSG, a de nouveau répété son souhait de revenir un jour au FC Barcelone qu’il a quitté l’été dernier pour Paris.

", "category": "", - "link": "https://www.sofoot.com/jocelyn-gourvennec-etait-habite-par-la-qualification-508045.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jocelyn-gourvennec-etait-habite-par-la-qualification-1639003054_x600_articles-508045.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-repete-qu-il-reviendra-un-jour-au-barca_AV-202111230125.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 08:21:48 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ad8b51299a81b6a3126ade1e3f8801e" + "hash": "cc42e89308cf09a3cb9971e836af2528" }, { - "title": "Les notes de Lille face à Wolfsburg", - "description": "Lille a réussi là où le PSG a échoué : finir premier de son groupe de ligue des champions. Avec une performance collective de grande qualité, qui n'occulte pas la prestation XXL de Jonathan Ikoné, entre autres.

", - "content": "

", + "title": "Lille-Salzbourg: sur quelle chaîne regarder ce match crucial de Ligue des champions", + "description": "Le LOSC peut faire un grand pas vers la qualification en huitièmes de finale de la Ligue des champions en cas de victoire ce mardi soir (21h), face à Salzbourg. Un match à suivre sur RMC Sport 1.

", + "content": "Le LOSC peut faire un grand pas vers la qualification en huitièmes de finale de la Ligue des champions en cas de victoire ce mardi soir (21h), face à Salzbourg. Un match à suivre sur RMC Sport 1.

", "category": "", - "link": "https://www.sofoot.com/les-notes-de-lille-face-a-wolfsburg-508039.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-lille-face-a-wolfsburg-1639001000_x600_articles-alt-508039.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/lille-salzbourg-sur-quelle-chaine-regarder-ce-match-crucial-de-ligue-des-champions_AV-202111230123.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 08:20:02 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b21e23b28071e480f3faada834e569d" + "hash": "01435052ed61c299d5ba5a4c6bb307cc" }, { - "title": "Tottenham-Rennes n'aura pas lieu jeudi soir, un report ou un forfait envisagés", - "description": "Le Stade rennais peut rentrer à la maison.
\n
\nÀ la veille de la rencontre qui devait se tenir jeudi soir entre Tottenham et Rennes pour boucler la phase de groupes de Ligue Europa…

", - "content": "Le Stade rennais peut rentrer à la maison.
\n
\nÀ la veille de la rencontre qui devait se tenir jeudi soir entre Tottenham et Rennes pour boucler la phase de groupes de Ligue Europa…

", + "title": "Ligue 1: \"Heureusement que j’ai emmené mon fils au rugby plutôt qu’au football\", la charge de Maracineanu contre les clubs", + "description": "Invitée sur RMC ce mardi, Roxana Maracineanu, ministre déléguée des Sports, a adressé une grosse charge aux clubs de football les taxant de laxisme avec les supporters, quelques heures avant une réunion entre les acteurs du sport et plusieurs ministres.

", + "content": "Invitée sur RMC ce mardi, Roxana Maracineanu, ministre déléguée des Sports, a adressé une grosse charge aux clubs de football les taxant de laxisme avec les supporters, quelques heures avant une réunion entre les acteurs du sport et plusieurs ministres.

", "category": "", - "link": "https://www.sofoot.com/tottenham-rennes-n-aura-pas-lieu-jeudi-soir-un-report-ou-un-forfait-envisages-508043.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:09:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tottenham-rennes-n-aura-pas-lieu-jeudi-soir-un-report-ou-un-forfait-envisages-1639001696_x600_articles-508043.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-heureusement-que-j-ai-emmene-mon-fils-plutot-au-rugby-qu-au-football-la-charge-de-maracineanu-contre-les-clubs_AV-202111230111.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 07:59:22 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e5e936929791dd4bee6a38df25f0aeba" + "hash": "46a6f07190aa1f8f11a2d2218a433a11" }, { - "title": "Le Bayern Munich fesse et sort un FC Barcelone sans réaction", - "description": "Accroché à un maigre espoir de voir les huitièmes, le FC Barcelone de Xavi n'a presque pas existé à Munich (3-0, comme à l'aller) et prend logiquement la porte. Les Blaugrana, d'une manière quasiment inédite, iront revoir leur football dans la cour des petits, en C3. Le Bayern, lui, boucle un impressionnant carton plein dans ce groupe E.

", - "content": "

", + "title": "Coupe du monde 2022: Ibrahimovic confie avoir frappé intentionnellement Azpilicueta", + "description": "L’attaquant suédois Zlatan Ibrahimovic persiste et signe, César Azpilicueta méritait le terrible coup d’épaule que lui a asséné l’attaquant milanais. Si c’était à refaire, il recommencerait, assure-t-il au Guardian.

", + "content": "L’attaquant suédois Zlatan Ibrahimovic persiste et signe, César Azpilicueta méritait le terrible coup d’épaule que lui a asséné l’attaquant milanais. Si c’était à refaire, il recommencerait, assure-t-il au Guardian.

", "category": "", - "link": "https://www.sofoot.com/le-bayern-munich-fesse-et-sort-un-fc-barcelone-sans-reaction-508025.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:01:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-munich-fesse-et-sort-un-fc-barcelone-sans-reaction-1639001741_x600_articles-alt-508025.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/coupe-du-monde-2022-ibrahimovic-confie-avoir-frappe-intentionnellement-azpilicueta_AV-202111230096.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 07:39:43 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d20a075ef1f82fb53e75b30322f2f008" + "hash": "3b0fb38c3a51c18e1757f9ae359321d2" }, { - "title": "Benfica écarte le Dynamo Kiev et se qualifie pour les huitièmes", - "description": "Non, Deniz Aytekin n'aura pas fait des siennes.

", - "content": "

", + "title": "Incidents OL-OM en direct: les clubs ont rendez-vous au ministère de l’Intérieur", + "description": "Les ministres de l'Intérieur et ceux chargés des Sports rencontrent ce mardi les instances du football français pour voir \"ce qu'il faut faire\" après les incidents survenus dimanche soir lors du match OL-OM à Lyon.

", + "content": "Les ministres de l'Intérieur et ceux chargés des Sports rencontrent ce mardi les instances du football français pour voir \"ce qu'il faut faire\" après les incidents survenus dimanche soir lors du match OL-OM à Lyon.

", "category": "", - "link": "https://www.sofoot.com/benfica-ecarte-le-dynamo-kiev-et-se-qualifie-pour-les-huitiemes-508013.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-benfica-ecarte-le-dynamo-kiev-et-se-qualifie-pour-les-huitiemes-1639001489_x600_articles-508013.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-en-direct-les-clubs-ont-rendez-vous-au-ministere-de-l-interieur_LN-202111230091.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 07:29:32 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aef90e50f5d21b512067f0fb4e6692e1" + "hash": "55bd19074b51226a55ee2530666a7487" }, { - "title": "Les Young Boys accrochés par les kids de Manchester United", - "description": "

", - "content": "

", + "title": "AC Milan: Zlatan estime le niveau technique de la Premier League surcoté", + "description": "Dans une longue interview accordée au Guardian, Zlatan Ibrahimovic évoque de nombreux sujets, dont le niveau technique de la Premier League qu’il estime surcoté en comparaison à celui de l’Espagne, de l’Italie ou de la France.

", + "content": "Dans une longue interview accordée au Guardian, Zlatan Ibrahimovic évoque de nombreux sujets, dont le niveau technique de la Premier League qu’il estime surcoté en comparaison à celui de l’Espagne, de l’Italie ou de la France.

", "category": "", - "link": "https://www.sofoot.com/les-young-boys-accroches-par-les-kids-de-manchester-united-508034.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T21:57:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-young-boys-accroches-par-les-kids-de-manchester-united-1639000839_x600_articles-508034.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/premier-league/ac-milan-zlatan-estime-le-niveau-technique-de-la-premier-league-surcote_AV-202111230060.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 06:46:45 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "917f072e29245f1a4c772a6a89ab8590" + "hash": "eeb74c7da13d616fb4b8ca014c2e94ce" }, { - "title": "Salzbourg pousse Séville dehors et se qualifie en huitièmes", - "description": "L'Autriche sera bien représentée à la table des grands.

", - "content": "

", + "title": "PSG: Messi ravi d’évoluer au sein d’un vestiaire \"très soudé\"", + "description": "Lionel Messi est revenu pour Marca sur ses premiers mois au Paris Saint-Germain et notamment son intégration au vestiaire du club de la capitale. Un vestiaire à l'accent très sud-américain.

", + "content": "Lionel Messi est revenu pour Marca sur ses premiers mois au Paris Saint-Germain et notamment son intégration au vestiaire du club de la capitale. Un vestiaire à l'accent très sud-américain.

", "category": "", - "link": "https://www.sofoot.com/salzbourg-pousse-seville-dehors-et-se-qualifie-en-huitiemes-508040.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T21:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-salzbourg-pousse-seville-dehors-et-se-qualifie-en-huitiemes-1639000740_x600_articles-508040.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-messi-ravi-d-evoluer-au-sein-d-un-vestiaire-tres-soude_AV-202111230055.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 06:42:10 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e6a8b7e90ac7d9f96be0a46077677dc" + "hash": "0a8fe87fb96fdef9ad755be3f32c8d8b" }, { - "title": "Lille roule sur Wolfsbourg et se qualifie pour les huitièmes de la Ligue des champions !", - "description": "Dans le froid de Wolfsbourg, le LOSC s'est imposé en patron (1-3) pour composter son ticket lui donnant accès aux huitièmes de finale de la Ligue des champions. En terminant en tête du groupe G sur ce feu d'artifice, Lille montre qu'il n'a pas volé son statut de tête de série.

", - "content": "

", + "title": "PSG: Messi vit comme \"un spectacle\" d’être aux côtés de Sergio Ramos", + "description": "Longtemps adversaires avec le Real Madrid et le FC Barcelone, Lionel Messi et Sergio Ramos se côtoient désormais au PSG. Un \"spectacle\" pour l’Argentin qui confie vouer du respect pour le défenseur espagnol.

", + "content": "Longtemps adversaires avec le Real Madrid et le FC Barcelone, Lionel Messi et Sergio Ramos se côtoient désormais au PSG. Un \"spectacle\" pour l’Argentin qui confie vouer du respect pour le défenseur espagnol.

", "category": "", - "link": "https://www.sofoot.com/lille-roule-sur-wolfsbourg-et-se-qualifie-pour-les-huitiemes-de-la-ligue-des-champions-508021.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T21:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lille-roule-sur-wolfsbourg-et-se-qualifie-pour-les-huitiemes-de-la-ligue-des-champions-1639001557_x600_articles-alt-508021.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-messi-vit-comme-un-spectacle-d-etre-aux-cotes-de-sergio-ramos_AV-202111230032.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 05:58:42 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ad7a40c20fdd0c17494c0573ba264adf" + "hash": "504e2fb81a1b08f6b52b292fc294e095" }, { - "title": "Affaire OL/OM : Lyon sanctionné d'un point, match à rejouer à huis clos", - "description": "Le verdict est tombé, et Jean-Michel Aulas peut l'avoir mauvaise.
\n
\nCe mercredi soir, la commission de discipline de la…

", - "content": "Le verdict est tombé, et Jean-Michel Aulas peut l'avoir mauvaise.
\n
\nCe mercredi soir, la commission de discipline de la…

", + "title": "Real Madrid: les louanges de Vinicius pour Benzema", + "description": "Dans une interview accordée à la Cadena Ser, Vincius Junior loue son association avec Karim Benzema au sein de l’attaque madrilène. Il vote pour que le Français soit Ballon d’or.

", + "content": "Dans une interview accordée à la Cadena Ser, Vincius Junior loue son association avec Karim Benzema au sein de l’attaque madrilène. Il vote pour que le Français soit Ballon d’or.

", "category": "", - "link": "https://www.sofoot.com/affaire-ol-om-lyon-sanctionne-d-un-point-match-a-rejouer-a-huis-clos-508042.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T21:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-affaire-ol-om-lyon-sanctionne-d-un-point-match-a-rejouer-a-huis-clos-1638997799_x600_articles-508042.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/real-madrid-les-louanges-de-vinicius-pour-benzema_AV-202111230020.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 05:38:15 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "350f9846f6bf8fcd7942416edf46503a" + "hash": "e352aca1323255a9b5bfd82432ecbc45" }, { - "title": "Atalanta-Villarreal reporté !", - "description": "C'est la triste nouvelle du soir.
\n
\nLors de l'ultime journée de ce groupe F de la Ligue des champions 2021-2022, l'Atalanta et Villarreal devaient croiser le fer afin d'offrir un…

", - "content": "C'est la triste nouvelle du soir.
\n
\nLors de l'ultime journée de ce groupe F de la Ligue des champions 2021-2022, l'Atalanta et Villarreal devaient croiser le fer afin d'offrir un…

", + "title": "NBA: LeBron James prend un match, Stewart deux après leur accrochage", + "description": "LeBron James a écopé d'un match de suspension pour avoir asséné un coup au visage du joueur de Detroit, Isaiah Stewart, qui a écopé d'une sanction de deux matchs pour sa réaction.

", + "content": "LeBron James a écopé d'un match de suspension pour avoir asséné un coup au visage du joueur de Detroit, Isaiah Stewart, qui a écopé d'une sanction de deux matchs pour sa réaction.

", "category": "", - "link": "https://www.sofoot.com/atalanta-villarreal-reporte-508041.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T20:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-atalanta-villarreal-reporte-1638996188_x600_articles-508041.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-le-bron-james-suspendu-un-match-pour-son-coup-sur-stewart_AV-202111230009.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 05:08:04 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a53afd89a122d3cf2c2bc4d1e420f7d" + "hash": "82935b336752dac4e2216164ae479680" }, { - "title": "Le Zénith arrache un match nul spectaculaire face à Chelsea", - "description": "

", - "content": "

", + "title": "Transat Jacques-Vabre: Rogues et Souben s'imposent en Ocean Fifty", + "description": "Sébastien Rogues et Matthieu Souben (Primonial) ont coupé la ligne d'arrivée en premier de la Transart Jacques-Vabre, dans la nuit de lundi à mardi en Martinique.

", + "content": "Sébastien Rogues et Matthieu Souben (Primonial) ont coupé la ligne d'arrivée en premier de la Transart Jacques-Vabre, dans la nuit de lundi à mardi en Martinique.

", "category": "", - "link": "https://www.sofoot.com/le-zenith-arrache-un-match-nul-spectaculaire-face-a-chelsea-507966.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T19:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-zenith-arrache-un-match-nul-spectaculaire-face-a-chelsea-1638993167_x600_articles-507966.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-rogues-et-souben-s-imposent-en-ocean-fifty_AV-202111230007.html", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 04:51:25 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc85196ee60789c192f92cef1d675f4f" + "hash": "04a10081142ff0a001d1b77aa8276c19" }, { - "title": "En direct : Wolfsburg - Lille ", - "description": "94' : FIN DE CHANTIER ! Lille s'impose d'une très belle manière sur la pelouse de Wolfsburg ...", - "content": "94' : FIN DE CHANTIER ! Lille s'impose d'une très belle manière sur la pelouse de Wolfsburg ...", + "title": "Ligue des champions: \"Cela peut être un moment très important\", Lille au pied du mur à Salzbourg", + "description": "Le LOSC a l'occasion de faire un grand pas vers la qualification en affrontant Salzbourg mardi soir en Ligue des champions. un match à suivre sur RMC Sport, coup d'envoi à 21h.

", + "content": "Le LOSC a l'occasion de faire un grand pas vers la qualification en affrontant Salzbourg mardi soir en Ligue des champions. un match à suivre sur RMC Sport, coup d'envoi à 21h.

", "category": "", - "link": "https://www.sofoot.com/en-direct-wolfsburg-lille-508038.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-wolfsburg-lille-1638997068_x600_articles-alt-508038.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-cela-peut-etre-un-moment-tres-important-lille-au-pied-du-mur-salzbourg_AV-202111220570.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:28:45 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e0c8aa99c3f590e0b79588298cc3184" + "hash": "59f78a0b9478a61d13866016c988b629" }, { - "title": "La Juventus bat Malmö et termine en tête de son groupe", - "description": "

", - "content": "

", + "title": "Mercato: Zidane au PSG? \"Ça ne me parait pas impossible\", glisse Fred Hermel", + "description": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport, Zinedine Zidane a clairement dit non à Manchester United, pour succéder à Ole Gunnar Solskjaer. En revanche, le technicien français pourrait bien se retrouver, un jour, sur le banc du PSG.

", + "content": "Selon Fred Hermel, spécialiste du foot espagnol pour RMC Sport, Zinedine Zidane a clairement dit non à Manchester United, pour succéder à Ole Gunnar Solskjaer. En revanche, le technicien français pourrait bien se retrouver, un jour, sur le banc du PSG.

", "category": "", - "link": "https://www.sofoot.com/la-juventus-bat-malmo-et-termine-en-tete-de-son-groupe-508037.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-bat-malmo-et-termine-en-tete-de-son-groupe-1638993415_x600_articles-508037.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-zidane-au-psg-ca-ne-me-parait-pas-impossible-glisse-fred-hermel_AV-202111220568.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:18:11 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f1c5e597839396e50608e9e5bf08cc3" + "hash": "6c3ec63737411a0a380dc0974fda8e2b" }, { - "title": "En direct : Bayern Munich - Barcelone", - "description": "94' : IT'S OVER ! LE BARÇA EST REVERSÉ EN C3 !
\n
\n3-0 sans faire le moindre effort, c'est effarant ...", - "content": "94' : IT'S OVER ! LE BARÇA EST REVERSÉ EN C3 !
\n
\n3-0 sans faire le moindre effort, c'est effarant ...", + "title": "Tennis: Après les polémiques l'ATP revoit la règle sur les pauses-toilettes", + "description": "Les pauses de Novak Djokovic avaient notamment suscité une levée de bouclier.

", + "content": "Les pauses de Novak Djokovic avaient notamment suscité une levée de bouclier.

", "category": "", - "link": "https://www.sofoot.com/en-direct-bayern-munich-barcelone-507970.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-bayern-munich-barcelone-1638998471_x600_articles-alt-507970.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/tennis-apres-les-polemiques-l-atp-revoit-la-regle-sur-les-pauses-toilettes_AD-202111220566.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:12:18 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "153167a448301d3c628899db78c56e02" + "hash": "205578d7d0eab2e44f9db493fa3bf699" }, { - "title": "Le PSG écrabouille Kharkiv grâce à Bachmann et Huitema", - "description": "

Kharkiv Zhylobud 0-6 Paris Saint-Germain féminines ", - "content": "

Kharkiv Zhylobud 0-6 Paris Saint-Germain féminines ", + "title": "PRONOS PARIS RMC Les paris sur Lille – Salzbourg du 23 novembre – Ligue des Champions", + "description": "Notre pronostic : Lille ne perd pas face à Salzbourg et moins de 3,5 buts (1.88)

", + "content": "Notre pronostic : Lille ne perd pas face à Salzbourg et moins de 3,5 buts (1.88)

", "category": "", - "link": "https://www.sofoot.com/le-psg-ecrabouille-kharkiv-grace-a-bachmann-et-huitema-508006.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T19:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-psg-ecrabouille-kharkiv-grace-a-bachmann-et-huitema-1638992834_x600_articles-508006.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-les-paris-sur-lille-salzbourg-du-23-novembre-ligue-des-champions_AN-202111220315.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:06:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c06d602a0b6f71aae2e8b8b45de6dabd" + "hash": "acbe83b1230205a2be43a379a526113c" }, { - "title": "L'ancien international français Jacques Zimako est mort", - "description": "La Corse et la Nouvelle-Calédonie perdent une légende.
\n
\nL'ancien international français Jacques Zimako est décédé ce mercredi, à l'âge de 69 ans.
", - "content": "La Corse et la Nouvelle-Calédonie perdent une légende.
\n
\nL'ancien international français Jacques Zimako est décédé ce mercredi, à l'âge de 69 ans.
", + "title": "PRONOS PARIS RMC Le pari de folie du 23 novembre – Ligue des Champions", + "description": "Notre pronostic : match nul entre Villarreal et Manchester United et les deux équipes marquent (3.80)

", + "content": "Notre pronostic : match nul entre Villarreal et Manchester United et les deux équipes marquent (3.80)

", "category": "", - "link": "https://www.sofoot.com/l-ancien-international-francais-jacques-zimako-est-mort-508032.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T17:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-ancien-international-francais-jacques-zimako-est-mort-1638983778_x600_articles-508032.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-de-folie-du-23-novembre-ligue-des-champions_AN-202111220314.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:05:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "016d39e5c3b4da435aacb7952117f2ba" + "hash": "5ef27b49acead3542b53d427bd522bf7" }, { - "title": "Zltako Dalić poursuit l'aventure à la tête de la Croatie", - "description": "On va pouvoir continuer de regarder les œuvres de Dalić avec la Croatie.
\n
\nDéjà en poste depuis 2017, Zlatko Dalić continue son aventure à la tête des Vatreni jusqu'à l'Euro…

", - "content": "On va pouvoir continuer de regarder les œuvres de Dalić avec la Croatie.
\n
\nDéjà en poste depuis 2017, Zlatko Dalić continue son aventure à la tête des Vatreni jusqu'à l'Euro…

", + "title": "PRONOS PARIS RMC Le pari sûr du 23 novembre – Ligue des Champions", + "description": "Notre pronostic : le Bayern Munich s’impose sur la pelouse du Dinamo Kiev et au moins deux buts dans la rencontre (1.33)

", + "content": "Notre pronostic : le Bayern Munich s’impose sur la pelouse du Dinamo Kiev et au moins deux buts dans la rencontre (1.33)

", "category": "", - "link": "https://www.sofoot.com/zltako-dalic-poursuit-l-aventure-a-la-tete-de-la-croatie-508033.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T17:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-zltako-dalic-poursuit-l-aventure-a-la-tete-de-la-croatie-1638983242_x600_articles-508033.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-sur-du-23-novembre-ligue-des-champions_AN-202111220312.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:04:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "34b645ab4c04f490918fb9e92b0bc500" + "hash": "4941b2e819ae5e499fa941938bf8ee82" }, { - "title": "Jorge Sampaoli : \"Marseille ne supporte pas le juste milieu\"", - "description": "On se console comme on peut à l'OM.
\n
\nCe jeudi soir (21h), Marseille reçoit le Lokomotiv Moscou pour tenter d'accéder à la phase finale de Ligue Europa Conférence. Une maigre…

", - "content": "On se console comme on peut à l'OM.
\n
\nCe jeudi soir (21h), Marseille reçoit le Lokomotiv Moscou pour tenter d'accéder à la phase finale de Ligue Europa Conférence. Une maigre…

", + "title": "PRONOS PARIS RMC Le pari à l’extérieur du 23 novembre – Ligue des Champions", + "description": "Notre pronostic : l’Atalanta s’impose sur la pelouse des Young Boys Berne (1.80)

", + "content": "Notre pronostic : l’Atalanta s’impose sur la pelouse des Young Boys Berne (1.80)

", "category": "", - "link": "https://www.sofoot.com/jorge-sampaoli-marseille-ne-supporte-pas-le-juste-milieu-508030.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jorge-sampaoli-marseille-ne-supporte-pas-le-juste-milieu-1638982013_x600_articles-508030.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-l-exterieur-du-23-novembre-ligue-des-champions_AN-202111220311.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:03:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85e277bb94acf2d132d2c2a6035ef87b" + "hash": "9749397a49f08a1d7579f01c8da60052" }, { - "title": "Pelé de retour à l'hôpital pour traiter sa tumeur", - "description": "Le Roi s'accroche.
\n
\nPelé est retourné à l'hôpital pour traiter son cancer du côlon. Alors que ses visites à l'hôpital se font de plus en plus fréquentes, les nouvelles se veulent…

", - "content": "Le Roi s'accroche.
\n
\nPelé est retourné à l'hôpital pour traiter son cancer du côlon. Alors que ses visites à l'hôpital se font de plus en plus fréquentes, les nouvelles se veulent…

", + "title": "PRONOS PARIS RMC Le pari à domicile du 23 novembre – Ligue des Champions", + "description": "Notre pronostic : le FC Séville bat Wolfsbourg (1.73)

", + "content": "Notre pronostic : le FC Séville bat Wolfsbourg (1.73)

", "category": "", - "link": "https://www.sofoot.com/pele-de-retour-a-l-hopital-pour-traiter-sa-tumeur-508028.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T16:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pele-de-retour-a-l-hopital-pour-traiter-sa-tumeur-1638980851_x600_articles-508028.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-a-domicile-du-23-novembre-ligue-des-champions_AN-202111220310.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:02:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c329aed4ffa6c13256a48723de60ae6d" + "hash": "fa0343d4749eb1b774fb059efe9af216" }, { - "title": "Vincent Labrune : \"La Ligue 1 deviendra le championnat de Slovénie\"", - "description": "La Ljig des talents.
\n
\nLe président de la LFP, Vincent Labrune, était présent ce mercredi matin devant la commission de la culture, de l'éducation et de la communication du Sénat pour…

", - "content": "La Ljig des talents.
\n
\nLe président de la LFP, Vincent Labrune, était présent ce mercredi matin devant la commission de la culture, de l'éducation et de la communication du Sénat pour…

", + "title": "PRONOS PARIS RMC Le buteur du 23 novembre – Ligue des Champions", + "description": "Notre pronostic : Depay (Barcelone) marque face au Benfica Lisbonne (2.20)

", + "content": "Notre pronostic : Depay (Barcelone) marque face au Benfica Lisbonne (2.20)

", "category": "", - "link": "https://www.sofoot.com/vincent-labrune-la-ligue-1-deviendra-le-championnat-de-slovenie-508027.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-vincent-labrune-la-ligue-1-deviendra-le-championnat-de-slovenie-1638980508_x600_articles-508027.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-buteur-du-23-novembre-ligue-des-champions_AN-202111220308.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:01:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98164ee25a8510f9a7ff4ac6c0482a69" + "hash": "8c536503c6542b45d2fcf07f3c35b77f" }, { - "title": "Antonio Conte a \"un peu peur\" de jouer contre Rennes à cause de l'épidémie de Covid à Tottenham", - "description": "Spur sur la ville.
\n
\nÀ quelques heures d'affronter le Stade rennais ce jeudi en Ligue Europa Conférence, Tottenham se retrouve décimé à cause de la contagion de la Covid-19 au…

", - "content": "Spur sur la ville.
\n
\nÀ quelques heures d'affronter le Stade rennais ce jeudi en Ligue Europa Conférence, Tottenham se retrouve décimé à cause de la contagion de la Covid-19 au…

", + "title": "PRONOS PARIS RMC Le pari football d’Eric Di Meco du 23 novembre – Ligue des Champions", + "description": "Mon pronostic : Chelsea s’impose par au moins deux buts d’écart face à la Juventus (2.65)

", + "content": "Mon pronostic : Chelsea s’impose par au moins deux buts d’écart face à la Juventus (2.65)

", "category": "", - "link": "https://www.sofoot.com/antonio-conte-a-un-peu-peur-de-jouer-contre-rennes-a-cause-de-l-epidemie-de-covid-a-tottenham-508026.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T15:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-antonio-conte-a-un-peu-peur-de-jouer-contre-rennes-a-cause-de-l-epidemie-de-covid-a-tottenham-1638978075_x600_articles-508026.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/pari-sportif/pronos-paris-rmc-le-pari-football-d-eric-di-meco-du-23-novembre-ligue-des-champions_AN-202111220307.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 23:00:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb01be72e0a48e0b5f94a190c74b9a2f" + "hash": "7c5d45525c03c29ba07bd2a5566eda90" }, { - "title": "Vrsaljko a joué 60 minutes avec la mâchoire fracturée", - "description": "Pour le coup, valait mieux ne pas serrer les dents.
\n
\nŠime Vrsaljko n'a pas vraiment eu l'occasion de jouer cette saison du côté de l'Atlético de Diego Simeone (6 matchs, 1 but en…

", - "content": "Pour le coup, valait mieux ne pas serrer les dents.
\n
\nŠime Vrsaljko n'a pas vraiment eu l'occasion de jouer cette saison du côté de l'Atlético de Diego Simeone (6 matchs, 1 but en…

", + "title": "Platini se paye ceux qui ne jurent que par les statistiques dans le football", + "description": "Dans une interview fleuve la revue de l'After, l'ancien numéro 10 des Bleus revient sur les dérives du football actuelle.

", + "content": "Dans une interview fleuve la revue de l'After, l'ancien numéro 10 des Bleus revient sur les dérives du football actuelle.

", "category": "", - "link": "https://www.sofoot.com/vrsaljko-a-joue-60-minutes-avec-la-machoire-fracturee-508024.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T15:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-vrsaljko-a-joue-60-minutes-avec-la-machoire-fracturee-1638977528_x600_articles-508024.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/platini-se-paye-ceux-qui-ne-jurent-que-par-les-statistiques-dans-le-football_AV-202111220564.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 22:59:23 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3003783929ed85349b5cdc30244a76b3" + "hash": "02cc63da6f2a7c87979191b6dfe9b2dc" }, { - "title": "Les supporters de Benfica créent un site pour renvoyer virtuellement Jorge Jesus à Flamengo", - "description": "Les supporters ont du talent.
\n
\nTotalement dépassé dans le derby de Lisbonne ce samedi contre…

", - "content": "Les supporters ont du talent.
\n
\nTotalement dépassé dans le derby de Lisbonne ce samedi contre…

", + "title": "Ligue des champions: Messi voit le PSG parmi les favoris, mais évoque des manques", + "description": "Dans une interview accordée à Marca, et dont le quotidien espagnol a diffusé ce lundi soir des extraits, Lionel Messi évoque notamment le statut du PSG en Ligue des champions. S'il classe son équipe parmi les favoris pour le titre, l'Argentin estime que celle-ci doit encore progresser.

", + "content": "Dans une interview accordée à Marca, et dont le quotidien espagnol a diffusé ce lundi soir des extraits, Lionel Messi évoque notamment le statut du PSG en Ligue des champions. S'il classe son équipe parmi les favoris pour le titre, l'Argentin estime que celle-ci doit encore progresser.

", "category": "", - "link": "https://www.sofoot.com/les-supporters-de-benfica-creent-un-site-pour-renvoyer-virtuellement-jorge-jesus-a-flamengo-508023.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T15:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-de-benfica-creent-un-site-pour-renvoyer-virtuellement-jorge-jesus-a-flamengo-1638975640_x600_articles-508023.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/ligue-des-champions-messi-voit-le-psg-parmi-les-favoris-mais-evoque-des-manques_AV-202111220553.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 22:34:23 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "15be4b9bb472774f4d6601587ed5b133" + "hash": "86e0c10ea1415dd57060abee6973bcd1" }, { - "title": "Une vidéo montre qu'au moins huit projectiles ont été lancés vers Dimitri Payet ", - "description": "Les défenseurs de l'acte isolé en PLS.
\n
\nCe mercredi, tous les yeux sont rivés vers la commission de discipline qui rendra son verdict concernant les sanctions prises à la suite
", - "content": "Les défenseurs de l'acte isolé en PLS.
\n
\nCe mercredi, tous les yeux sont rivés vers la commission de discipline qui rendra son verdict concernant les sanctions prises à la suite
", + "title": "Manchester City-PSG: un arbitre italien avec des souvenirs contrastés pour Paris", + "description": "L’UEFA a désigné Daniele Orsato pour diriger le choc entre Manchester City et le PSG, mercredi à l’Etihad Stadium (21h sur RMC Sport 1), en Ligue des champions. L’arbitre italien de 45 ans a souvent croisé Paris dans le passé. Avec un souvenir douloureux, mais aussi de belles victoires. A Manchester notamment…

", + "content": "L’UEFA a désigné Daniele Orsato pour diriger le choc entre Manchester City et le PSG, mercredi à l’Etihad Stadium (21h sur RMC Sport 1), en Ligue des champions. L’arbitre italien de 45 ans a souvent croisé Paris dans le passé. Avec un souvenir douloureux, mais aussi de belles victoires. A Manchester notamment…

", "category": "", - "link": "https://www.sofoot.com/une-video-montre-qu-au-moins-huit-projectiles-ont-ete-lances-vers-dimitri-payet-508022.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T14:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-une-video-montre-qu-au-moins-huit-projectiles-ont-ete-lances-vers-dimitri-payet-1638972832_x600_articles-508022.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-un-arbitre-italien-avec-des-souvenirs-contrastes-pour-paris_AV-202111220542.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 22:16:05 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ae6f31fa7ec4b1c35a576c86e49e9015" + "hash": "7ddd1b95f57069431a30991e5fb3db8f" }, { - "title": "L'US Concarneau se désespère de ne pas avoir de terrain synthétique", - "description": "Bientôt, l'US Concarneau devra s'entraîner au five.
\n
\nL'US Concarneau se retrouve dans l'embarras au moment de trouver un terrain d'entraînement pour l'ensemble de ses catégories. En…

", - "content": "Bientôt, l'US Concarneau devra s'entraîner au five.
\n
\nL'US Concarneau se retrouve dans l'embarras au moment de trouver un terrain d'entraînement pour l'ensemble de ses catégories. En…

", + "title": "Ligue 2: Dijon éteint Auxerre et sort de la zone rouge", + "description": "Dijon remonte à la 12e place. Auxerre tombe à la troisième place.

", + "content": "Dijon remonte à la 12e place. Auxerre tombe à la troisième place.

", "category": "", - "link": "https://www.sofoot.com/l-us-concarneau-se-desespere-de-ne-pas-avoir-de-terrain-synthetique-508020.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T13:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-us-concarneau-se-desespere-de-ne-pas-avoir-de-terrain-synthetique-1638972307_x600_articles-508020.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/ligue-2-dijon-eteint-auxerre-et-sort-de-la-zone-rouge_AD-202111220539.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 22:08:31 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "416aa121504584358eaf8aefa9872ec5" + "hash": "609fa9ed7376e4e92e34ab15e9c4aef0" }, { - "title": "Gonzalo Plata (Valladolid) provoque un accident de voiture totalement alcoolisé", - "description": "Plata o Alcohol ?
\n
\n06h45, Valladolid. Entre les rues Fray Luis de León et López Gómez au centre de la ville de Christophe Colomb, les sirènes de police et d'ambulance…

", - "content": "Plata o Alcohol ?
\n
\n06h45, Valladolid. Entre les rues Fray Luis de León et López Gómez au centre de la ville de Christophe Colomb, les sirènes de police et d'ambulance…

", + "title": "OL-OM: le car des Marseillais visé par des jets de projectiles après la rencontre", + "description": "INFO RMC SPORT - Le car de l'OM a été dimanche soir la cible de jets de projectiles après le match arrêté contre l'OL, et après avoir déposé les joueurs marseillais à l'aéroport.

", + "content": "INFO RMC SPORT - Le car de l'OM a été dimanche soir la cible de jets de projectiles après le match arrêté contre l'OL, et après avoir déposé les joueurs marseillais à l'aéroport.

", "category": "", - "link": "https://www.sofoot.com/gonzalo-plata-valladolid-provoque-un-accident-de-voiture-totalement-alcoolise-508019.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gonzalo-plata-valladolid-provoque-un-accident-de-voiture-totalement-alcoolise-1638969020_x600_articles-508019.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-le-car-des-marseillais-vise-par-des-jets-de-projectiles-apres-la-rencontre_AV-202111220531.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 21:43:26 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e2be1efff7da6efec79f0c9fc81e357" + "hash": "2a493947dc0c21095116186d3468d69b" }, { - "title": "Les phrases que vous allez entendre lors de Bayern-Barça", - "description": "Ce soir, c'est un classique qui a pris dernièrement des airs de show fétichiste qui se joue sur les antennes de beIN SPORTS : Bayern-Barça. Alors que les Allemands sont déjà qualifiés, le Barça joue lui sa survie. Et les phrases suivantes risquent d'être prononcées dans un micro.
\t\t\t\t\t
", - "content": "
\t\t\t\t\t
", + "title": "Argentine: une ex-liaison de Maradona accuse d'abus la star et son entourage", + "description": "Elle accuse notamment l'ancien numéro 10 argentin disparu l'année dernière de viols.

", + "content": "Elle accuse notamment l'ancien numéro 10 argentin disparu l'année dernière de viols.

", "category": "", - "link": "https://www.sofoot.com/les-phrases-que-vous-allez-entendre-lors-de-bayern-barca-508004.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-phrases-que-vous-allez-entendre-lors-de-bayern-barca-1638955771_x600_articles-alt-508004.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/argentine-une-ex-liaison-de-maradona-accuse-d-abus-la-star-et-son-entourage_AD-202111220529.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 21:41:56 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3c98a1608f16bc6080cc1eab4493b9eb" + "hash": "55239c4a3c42d1f75b821ca03baedd5e" }, { - "title": "Johan Djourou : \"J'ai toujours fait le comédien à la maison\"", - "description": "Ancien grand espoir du football helvétique, Johan Djourou a terminé sa formation à Arsenal avant de bourlinguer aux quatre coins de l'Europe jusqu'à l'année dernière. Fier représentant de la Nati dont il a porté le maillot à 76 reprises, celui qui est né en Côte d'Ivoire officie aujourd'hui comme consultant sur RMC Sport les soirs de Ligue des champions. Mais Johan Djourou a plein d'autres choses sur lesquelles se confier. Entre autres, sa passion pour la scène, sa double culture, son amour pour Londres et tous les projets qui vont désormais jalonner son après-carrière.Ce mercredi, Chelsea se déplace à Saint-Pétersbourg pour affronter le Zénith. Tu as un point commun avec un joueur des Blues, Malang Sarr, puisque vous avez tous les…", - "content": "Ce mercredi, Chelsea se déplace à Saint-Pétersbourg pour affronter le Zénith. Tu as un point commun avec un joueur des Blues, Malang Sarr, puisque vous avez tous les…", + "title": "Mercato: Bounedjah dans le viseur du Barça? La réponse de Xavi", + "description": "Alors qu'une rumeur faisait état d'un intérêt du Barça pour l'attaquant algérien d'Al Sadd, Baghdad Bounedjah, Xavi a éteint cette piste ce lundi, louant les qualités du joueur mais niant tout intérêt pour lui.

", + "content": "Alors qu'une rumeur faisait état d'un intérêt du Barça pour l'attaquant algérien d'Al Sadd, Baghdad Bounedjah, Xavi a éteint cette piste ce lundi, louant les qualités du joueur mais niant tout intérêt pour lui.

", "category": "", - "link": "https://www.sofoot.com/johan-djourou-j-ai-toujours-fait-le-comedien-a-la-maison-507998.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-johan-djourou-j-ai-toujours-fait-le-comedien-a-la-maison-1638968643_x600_articles-alt-507998.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-bounedjah-dans-le-viseur-du-barca-la-reponse-de-xavi_AV-202111220522.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 21:16:54 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "e3e493cb9e3b580b52e787574a5b7a71" + "hash": "a0aaf6af22b7bdb6b909f29f9d1c8aab" }, { - "title": "Pronostic Tottenham Rennes : Analyse, cotes et prono du match de Ligue Europa Conférence", - "description": "

Tottenham s'impose face à un Rennes déjà qualifié

\n
\nDans ce groupe G de Conference League, Tottenham faisait figure de grand favori. En difficulté à…
", - "content": "

Tottenham s'impose face à un Rennes déjà qualifié

\n
\nDans ce groupe G de Conference League, Tottenham faisait figure de grand favori. En difficulté à…
", + "title": "OL-OM: \"J'ai maintenant peur d'effectuer des corners à l'extérieur\", explique Payet", + "description": "Le meneur de jeu marseillais Dimitri Payet touché par un jet de bouteille au Groupama Stadium lors de OL-OM a porté plainte.

", + "content": "Le meneur de jeu marseillais Dimitri Payet touché par un jet de bouteille au Groupama Stadium lors de OL-OM a porté plainte.

", "category": "", - "link": "https://www.sofoot.com/pronostic-tottenham-rennes-analyse-cotes-et-prono-du-match-de-ligue-europa-conference-508018.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T12:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-tottenham-rennes-analyse-cotes-et-prono-du-match-de-ligue-europa-conference-1638966077_x600_articles-508018.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-j-ai-maintenant-peur-quand-d-effectuer-des-corners-a-l-exterieur-explique-payet_AV-202111220510.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 20:46:08 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "910cad7e3fa875c6c98287db5608d761" + "hash": "bfa87eb7cbf7adc0b477b08b6db81247" }, { - "title": "Roland Romeyer ne comprend pas \"les réactions de quelques abrutis\"", - "description": "Et inversement, visiblement.
\n
\nLa débâcle subie ce dimanche par Saint-Étienne dans…

", - "content": "Et inversement, visiblement.
\n
\nLa débâcle subie ce dimanche par Saint-Étienne dans…

", + "title": "Manchester City-PSG: Donnarumma appelle ses partenaires \"à souffrir ensemble\" avant le choc", + "description": "A deux jours du déplacement à Manchester City, ce mercredi en Ligue des champions (21h sur RMC Sport 1), Gianluigi Donnarumma a mis en avant le bon état d’esprit qui règne dans le vestiaire du PSG. En exhortant ses coéquipiers à viser la victoire à l’Etihad Stadium.

", + "content": "A deux jours du déplacement à Manchester City, ce mercredi en Ligue des champions (21h sur RMC Sport 1), Gianluigi Donnarumma a mis en avant le bon état d’esprit qui règne dans le vestiaire du PSG. En exhortant ses coéquipiers à viser la victoire à l’Etihad Stadium.

", "category": "", - "link": "https://www.sofoot.com/roland-romeyer-ne-comprend-pas-les-reactions-de-quelques-abrutis-508012.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T12:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-roland-romeyer-ne-comprend-pas-les-reactions-de-quelques-abrutis-1638965030_x600_articles-508012.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-donnarumma-appelle-ses-partenaires-a-souffrir-ensemble-avant-le-choc_AV-202111220507.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 20:31:57 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", - "read": false, + "feed": "RMC Sport", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "6c521bb304e5acbdc0e7904ffc1b16bf" + "hash": "bf88d64689a4ea394e2e16d306a4823f" }, { - "title": "Pronostic Naples Leicester : Analyse, cotes et prono du match de Ligue Europa", - "description": "

Naples se qualifie face à Leicester

\n
\nLe groupe C de l'Europa League était relevé avec des formations comme le Napoli, Leicester, le Spartak Moscou…
", - "content": "

Naples se qualifie face à Leicester

\n
\nLe groupe C de l'Europa League était relevé avec des formations comme le Napoli, Leicester, le Spartak Moscou…
", + "title": "Incidents OL-OM: pourquoi le Groupama Stadium n'est pas équipé de filets anti-projectiles", + "description": "Contrairement à plusieurs autres stades français, le Groupama Stadium dans lequel évolue l'OL n'est pas équipé de filets anti-projectiles devant ses virages. Au lendemain des incidents face à l'OM, le directeur général du football Vincent Ponsot s'en est expliqué dans Rothen s'enflamme, sur RMC.

", + "content": "Contrairement à plusieurs autres stades français, le Groupama Stadium dans lequel évolue l'OL n'est pas équipé de filets anti-projectiles devant ses virages. Au lendemain des incidents face à l'OM, le directeur général du football Vincent Ponsot s'en est expliqué dans Rothen s'enflamme, sur RMC.

", "category": "", - "link": "https://www.sofoot.com/pronostic-naples-leicester-analyse-cotes-et-prono-du-match-de-ligue-europa-508017.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T11:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-naples-leicester-analyse-cotes-et-prono-du-match-de-ligue-europa-1638965490_x600_articles-508017.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-pourquoi-le-groupama-stadium-n-est-pas-equipe-de-filets-anti-projectiles_AV-202111220497.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 19:57:15 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb41866f8faeedd30f518e52c2caa8eb" + "hash": "62396c980fb0fb2907a2598bfe921ad5" }, { - "title": "Pronostic Sturm Graz Monaco : Analyse, cotes et prono du match de Ligue Europa", - "description": "

Monaco enchaîne face au Sturm Graz

\n
\nAvec 1 point au compteur, le Sturm Graz est éliminé de l'Europa League et ne joue plus rien, même pas la…
", - "content": "

Monaco enchaîne face au Sturm Graz

\n
\nAvec 1 point au compteur, le Sturm Graz est éliminé de l'Europa League et ne joue plus rien, même pas la…
", + "title": "Ligue2: L2: Des incidents avant le match Dijon-Auxerre", + "description": "Les violences ont eu lieu dans un bar proche du stade de Dijon. Il n'y a eu ni blessés, ni interpellations.

", + "content": "Les violences ont eu lieu dans un bar proche du stade de Dijon. Il n'y a eu ni blessés, ni interpellations.

", "category": "", - "link": "https://www.sofoot.com/pronostic-sturm-graz-monaco-analyse-cotes-et-prono-du-match-de-ligue-europa-508016.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T11:49:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-sturm-graz-monaco-analyse-cotes-et-prono-du-match-de-ligue-europa-1638965057_x600_articles-508016.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-2/ligue2-l2-des-incidents-avant-le-match-dijon-auxerre_AN-202111220490.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 19:43:50 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3954c0798a859f5cb4fb6b83b4ec86ba" + "hash": "ee7251f271c0abec0b6f07f9f59dcafb" }, { - "title": "Pronostic Lyon Glasgow Rangers : Analyse, cotes et prono du match de Ligue Europa", - "description": "

Lyon poursuit son sans-faute face aux Glasgow Rangers

\n
\nAprès un an d'absence en Europe et sa demi-finale de Ligue des Champions face au Bayern Munich,…
", - "content": "

Lyon poursuit son sans-faute face aux Glasgow Rangers

\n
\nAprès un an d'absence en Europe et sa demi-finale de Ligue des Champions face au Bayern Munich,…
", + "title": "Incidents OL-OM: Di Meco invite la LFP à \"taper fort\" avec de lourdes sanctions", + "description": "Éric Di Meco a suivi avec consternation les incidents qui ont entraîné l’interruption du choc entre l’OM et l’OL, dimanche lors de la 14e journée de Ligue 1. Notre consultant appelle la commission de discipline de la LFP à prendre des sanctions exemplaires, afin d’enrayer la spirale de violences qui perturbe la saison en cours.

", + "content": "Éric Di Meco a suivi avec consternation les incidents qui ont entraîné l’interruption du choc entre l’OM et l’OL, dimanche lors de la 14e journée de Ligue 1. Notre consultant appelle la commission de discipline de la LFP à prendre des sanctions exemplaires, afin d’enrayer la spirale de violences qui perturbe la saison en cours.

", "category": "", - "link": "https://www.sofoot.com/pronostic-lyon-glasgow-rangers-analyse-cotes-et-prono-du-match-de-ligue-europa-508014.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T11:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lyon-glasgow-rangers-analyse-cotes-et-prono-du-match-de-ligue-europa-1638964540_x600_articles-508014.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-di-meco-invite-la-lfp-a-taper-fort-avec-de-lourdes-sanctions_AV-202111220488.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 19:39:27 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e792e03694f0cbf58d0781ab4fb1a116" + "hash": "1bd45863b5cf7ec3ce106e412edaeea6" }, { - "title": "Domenico Tedesco en pôle pour diriger le RB Leipzig ", - "description": "Le prochain entraîneur de Leipzig et donc du Bayern pourrait être trouvé.
\n
\nBien que
", - "content": "Le prochain entraîneur de Leipzig et donc du Bayern pourrait être trouvé.
\n
\nBien que
", + "title": "Incidents OL-OM: les versions contradictoires des différents acteurs", + "description": "Un match interrompu, puis annoncé sur le point de reprendre par le speaker du stade, puis définitivement arrêté, deux clubs qui ne décrivent pas les mêmes discussions en coulisses, le préfet et la LFP qui règlent leurs comptes... Difficile de savoir ce qu'il s'est réellement passé après les incidents d'OL-OM, dimanche soir en Ligue 1, tant les versions des différents acteurs divergent.

", + "content": "Un match interrompu, puis annoncé sur le point de reprendre par le speaker du stade, puis définitivement arrêté, deux clubs qui ne décrivent pas les mêmes discussions en coulisses, le préfet et la LFP qui règlent leurs comptes... Difficile de savoir ce qu'il s'est réellement passé après les incidents d'OL-OM, dimanche soir en Ligue 1, tant les versions des différents acteurs divergent.

", "category": "", - "link": "https://www.sofoot.com/domenico-tedesco-en-pole-pour-diriger-le-rb-leipzig-508011.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T11:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-domenico-tedesco-en-pole-pour-diriger-le-rb-leipzig-1638962471_x600_articles-508011.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-versions-contradictoires-des-differents-acteurs_AV-202111220486.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 19:23:21 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d8edd6dc71f83ecfc9549731611d0c35" + "hash": "9de8187e8f0a153b91860ecbec6913f8" }, { - "title": "Erik ten Hag : \"Aucune équipe n'appréciera d'être tirée au sort contre l'Ajax\"", - "description": "Amster-dalle.
\n
\nLa phase de poules de Ligue des champions est terminée, et parmi les satisfactions, une équipe figure tout en haut : l'Ajax Amsterdam. Les hommes d'Erik ten Hag ont…

", - "content": "Amster-dalle.
\n
\nLa phase de poules de Ligue des champions est terminée, et parmi les satisfactions, une équipe figure tout en haut : l'Ajax Amsterdam. Les hommes d'Erik ten Hag ont…

", + "title": "Incidents OL-OM: Les mesures que pourraient réclamer les clubs face à la violence dans les stades", + "description": "Après les incidents navrants qui ont conduit l'arbitre à interrompre le match de Ligue 1 OL-OM dès la deuxième minute, les dirigeants de clubs et la LFP ont rendez-vous au ministère de l'Intérieur. Et ils attendent des mesures.

", + "content": "Après les incidents navrants qui ont conduit l'arbitre à interrompre le match de Ligue 1 OL-OM dès la deuxième minute, les dirigeants de clubs et la LFP ont rendez-vous au ministère de l'Intérieur. Et ils attendent des mesures.

", "category": "", - "link": "https://www.sofoot.com/erik-ten-hag-aucune-equipe-n-appreciera-d-etre-tiree-au-sort-contre-l-ajax-508010.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-erik-ten-hag-aucune-equipe-n-appreciera-d-etre-tiree-au-sort-contre-l-ajax-1638961618_x600_articles-508010.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-les-mesures-que-pourraient-reclamer-les-clubs-face-a-la-violence-dans-les-stades_AV-202111220478.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 19:08:28 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee3c0ac68882ad8eccd28001eb12b689" + "hash": "332d34a5d7fd169ee7ecf8cf253c9166" }, { - "title": "Taye Taiwo trouve un nouveau point chute en Finlande", - "description": "Noël avant l'heure.
\n
\nVéritable globe-trotter, Taye Taiwo n'en n'a visiblement pas fini avec le football puisque le Nigérian va découvrir un nouveau challenge à 36 ans. Le latéral…

", - "content": "Noël avant l'heure.
\n
\nVéritable globe-trotter, Taye Taiwo n'en n'a visiblement pas fini avec le football puisque le Nigérian va découvrir un nouveau challenge à 36 ans. Le latéral…

", + "title": "OL-OM: la moue d’Henry écoutant Aulas devient un mème", + "description": "Les incidents qui ont entraîné l’interruption d’OL-OM, dimanche lors de la 14e journée de Ligue 1, ont été commentés en direct par Thierry Henry sur Amazon Prime Video. Et l’ancien attaquant des Bleus a semblé assez décontenancé par les explications de Jean-Michel Aulas. Au point de voir sa moue détournée en masse sur les réseaux.

", + "content": "Les incidents qui ont entraîné l’interruption d’OL-OM, dimanche lors de la 14e journée de Ligue 1, ont été commentés en direct par Thierry Henry sur Amazon Prime Video. Et l’ancien attaquant des Bleus a semblé assez décontenancé par les explications de Jean-Michel Aulas. Au point de voir sa moue détournée en masse sur les réseaux.

", "category": "", - "link": "https://www.sofoot.com/taye-taiwo-trouve-un-nouveau-point-chute-en-finlande-508008.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T10:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-taye-taiwo-trouve-un-nouveau-point-chute-en-finlande-1638958340_x600_articles-508008.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-la-moue-d-henry-ecoutant-aulas-devient-un-meme_AV-202111220469.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 18:54:26 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "90cf06c85a9d0cc0cb9a8bb4485cfb21" + "hash": "33ad9a8314e437568bdf7c38ee9f7635" }, { - "title": "L'eLigue 1 Open de retour en janvier 2022", - "description": "Dans le monde virtuel, une bouteille ça termine sur l'écran, pas sur un joueur.
\n
\nL'eLigue 1 Open, la compétition ouverte de la Ligue 1 sur Fifa 22, a trouvé ses dates pour cette…

", - "content": "Dans le monde virtuel, une bouteille ça termine sur l'écran, pas sur un joueur.
\n
\nL'eLigue 1 Open, la compétition ouverte de la Ligue 1 sur Fifa 22, a trouvé ses dates pour cette…

", + "title": "Transat Jacques-Vabre: Une arrivée sous haute tension sociale", + "description": "L'arrivée du premier bateau, prévue ce lundi soir à Fort-de-France, se déroule en pleine grève générale.

", + "content": "L'arrivée du premier bateau, prévue ce lundi soir à Fort-de-France, se déroule en pleine grève générale.

", "category": "", - "link": "https://www.sofoot.com/l-eligue-1-open-de-retour-en-janvier-2022-508009.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T10:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-eligue-1-open-de-retour-en-janvier-2022-1638958023_x600_articles-508009.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-une-arrivee-sous-haute-tension-sociale_AN-202111220454.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 18:25:36 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "284974faa498562e4a6c75daf0e5d5c8" + "hash": "e7bf50e3152cbeecf11c791835eb7033" }, { - "title": "Jordan Lefort aide chaque mois deux étudiants en précarité", - "description": "Tous les héros ne portent pas de capes.
\n
\nVictimes collatérales directes de la crise de la Covid-19, les étudiants font face à de nombreux soucis financiers. Jordan Lefort, défenseur…

", - "content": "Tous les héros ne portent pas de capes.
\n
\nVictimes collatérales directes de la crise de la Covid-19, les étudiants font face à de nombreux soucis financiers. Jordan Lefort, défenseur…

", + "title": "Fifa The Best: trois Français parmi les nommés pour le prix de meilleur joueur du monde", + "description": "Les onze joueurs nommés pour le prix Fifa The Best 2021 ont été dévoilés ce lundi. Trois Français en font partie: Karim Benzema, N’Golo Kanté et Kylian Mbappé. La cérémonie aura lieu le 17 janvier à Zürich.

", + "content": "Les onze joueurs nommés pour le prix Fifa The Best 2021 ont été dévoilés ce lundi. Trois Français en font partie: Karim Benzema, N’Golo Kanté et Kylian Mbappé. La cérémonie aura lieu le 17 janvier à Zürich.

", "category": "", - "link": "https://www.sofoot.com/jordan-lefort-aide-chaque-mois-deux-etudiants-en-precarite-508007.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T09:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jordan-lefort-aide-chaque-mois-deux-etudiants-en-precarite-1638957421_x600_articles-508007.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/fifa-the-best-trois-francais-parmi-les-nommes-pour-le-prix-de-meilleur-joueur-du-monde_AD-202111220431.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 17:59:12 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7123a5a96ce84da1b56662c098292286" + "hash": "f7351092d85613f03f8a05859460b1f4" }, { - "title": "Pronostic OM Lokomotiv Moscou : Analyse, cotes et prono du match de Ligue Europa", - "description": "

L'OM sort sur une bonne note face au Lokomotiv Moscou

\n
\nTroisième de sa poule d'Europa League, Marseille ne joue plus rien mais pourrait continuer son…
", - "content": "

L'OM sort sur une bonne note face au Lokomotiv Moscou

\n
\nTroisième de sa poule d'Europa League, Marseille ne joue plus rien mais pourrait continuer son…
", + "title": "Manchester City-PSG: Ramos pour la première fois dans le groupe", + "description": "Sergio Ramos sera dans le groupe du PSG pour le déplacement à Manchester City, mercredi, en Ligue des champions (21h sur RMC Sport 1). Une grande première pour le défenseur espagnol de 35 ans, perturbé par des problèmes physiques depuis son arrivée l’été dernier.

", + "content": "Sergio Ramos sera dans le groupe du PSG pour le déplacement à Manchester City, mercredi, en Ligue des champions (21h sur RMC Sport 1). Une grande première pour le défenseur espagnol de 35 ans, perturbé par des problèmes physiques depuis son arrivée l’été dernier.

", "category": "", - "link": "https://www.sofoot.com/pronostic-om-lokomotiv-moscou-analyse-cotes-et-prono-du-match-de-ligue-europa-508005.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T08:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-om-lokomotiv-moscou-analyse-cotes-et-prono-du-match-de-ligue-europa-1638955289_x600_articles-508005.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-ramos-pour-la-premiere-fois-dans-le-groupe_AV-202111220420.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 17:49:11 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "81b44de1ef0f8cc521d43f0185654584" + "hash": "8c675e1310c2be67ce7f5ea8fe00c1a0" }, { - "title": "L'OM laissé à l'écart de la commission de discipline concernant les incidents du Parc OL", - "description": "\"Alors ? On vient plus aux commissions ?\"
\n
\nAucun représentant marseillais ne sera présent à Paris pour la commission de discipline qui doit se réunir ce mercredi pour décider des…

", - "content": "\"Alors ? On vient plus aux commissions ?\"
\n
\nAucun représentant marseillais ne sera présent à Paris pour la commission de discipline qui doit se réunir ce mercredi pour décider des…

", + "title": "PSG: A quoi joue Mauricio Pochettino ?", + "description": "Après les rumeurs de l'été envoyant Mauricio Pochettino au Real Madrid, deuxième épisode avec maintenant Manchester United.

", + "content": "Après les rumeurs de l'été envoyant Mauricio Pochettino au Real Madrid, deuxième épisode avec maintenant Manchester United.

", "category": "", - "link": "https://www.sofoot.com/l-om-laisse-a-l-ecart-de-la-commission-de-discipline-concernant-les-incidents-du-parc-ol-508002.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T08:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-om-laisse-a-l-ecart-de-la-commission-de-discipline-concernant-les-incidents-du-parc-ol-1638953342_x600_articles-508002.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/clubs/paris-saint-germain/psg-a-quoi-joue-mauricio-pochettino_AV-202111220405.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 17:24:05 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d9a67cbd04d81360bf7edfce8f18cd8" + "hash": "7ccd00cd0c65967930f22df2810c1c10" }, { - "title": "Juninho pourrait quitter Lyon dès janvier", - "description": "Juninho ne devrait pas passer l'hiver du côté de l'Olympique lyonnais.
\n
\nAprès ses déclarations…

", - "content": "Juninho ne devrait pas passer l'hiver du côté de l'Olympique lyonnais.
\n
\nAprès ses déclarations…

", + "title": "Incidents OL-OM: ce que l'on sait du lanceur présumé de la bouteille sur Payet", + "description": "Soupçonné d'avoir lancé la bouteille d'eau qui a percuté Dimitri Payet dimanche soir lors d'OL-OM en Ligue 1, et donc d'avoir entraîné l'arrêt prématuré de la rencontre, un homme de 32 ans a été interpellé. Sa garde à vue a été prolongée.

", + "content": "Soupçonné d'avoir lancé la bouteille d'eau qui a percuté Dimitri Payet dimanche soir lors d'OL-OM en Ligue 1, et donc d'avoir entraîné l'arrêt prématuré de la rencontre, un homme de 32 ans a été interpellé. Sa garde à vue a été prolongée.

", "category": "", - "link": "https://www.sofoot.com/juninho-pourrait-quitter-lyon-des-janvier-508001.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T08:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-juninho-pourrait-quitter-lyon-des-janvier-1638951853_x600_articles-508001.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-ce-que-l-on-sait-du-lanceur-presume-de-la-bouteille-sur-payet_AV-202111220396.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 17:12:52 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "103997aa37f327725a1c0d2f6eba23f5" + "hash": "efa5847226144423d2e53a9d53d1e9c4" }, { - "title": "L'UNFP affirme que 89% des joueurs de Ligue 2 sont contre un championnat à 18", - "description": "Un résultat sans appel.
\n
\nL'UNFP a sondé les joueurs de Ligue 2 au moment de mettre sur la table la proposition de passer le championnat à dix-huit clubs, contre vingt actuellement. Une…

", - "content": "Un résultat sans appel.
\n
\nL'UNFP a sondé les joueurs de Ligue 2 au moment de mettre sur la table la proposition de passer le championnat à dix-huit clubs, contre vingt actuellement. Une…

", + "title": "Incidents d’OL-OM: Aulas s’insurge contre un possible retrait de points", + "description": "Au lendemain des incidents d’OL-OM, Jean-Michel Aulas s’est exprimé ce lundi devant quelques médias, dont l’AFP. Le président des Gones en a profité pour répondre notamment à une question sur un éventuel retrait de points contre son club.

", + "content": "Au lendemain des incidents d’OL-OM, Jean-Michel Aulas s’est exprimé ce lundi devant quelques médias, dont l’AFP. Le président des Gones en a profité pour répondre notamment à une question sur un éventuel retrait de points contre son club.

", "category": "", - "link": "https://www.sofoot.com/l-unfp-affirme-que-89-des-joueurs-de-ligue-2-sont-contre-un-championnat-a-18-507984.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T08:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-unfp-affirme-que-89-des-joueurs-de-ligue-2-sont-contre-un-championnat-a-18-1638900546_x600_articles-507984.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-d-ol-om-aulas-s-insurge-contre-un-possible-retrait-de-points_AV-202111220394.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 17:12:05 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "71e106e6eb889e393f5b2ba4f1ab5ce5" + "hash": "55ee16e69648304f88d9c348e2f9ca2a" }, { - "title": "Pronostic Wolfsbourg Lille : Analyse, cotes et prono du match de Ligue des Champions", - "description": "Pour parier sur le match décisif de Lille en Ligue des Champions, ZEbet vous offre 10€ sans sortir d'argent

10€ gratuits pour parier sur ce Wolfsbourg - Lille !

\n
\nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
\n

", - "content": "

10€ gratuits pour parier sur ce Wolfsbourg - Lille !

\n
\nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
\n

", + "title": "OL-OM: mis en cause, le préfet du Rhône donne sa version et dénonce la volte-face de l’arbitre", + "description": "Invité de BFM Lyon ce lundi soir, le préfet de région Pascal Mailhos a apporté un nouvel éclairage sur l'imbroglio qui a conduit à l'arrêt définitif du match OL-OM dimanche soir. Dimitri Payet a été victime d'un jet de projectile, obligeant l'arbitre à interrompre la rencontre.

", + "content": "Invité de BFM Lyon ce lundi soir, le préfet de région Pascal Mailhos a apporté un nouvel éclairage sur l'imbroglio qui a conduit à l'arrêt définitif du match OL-OM dimanche soir. Dimitri Payet a été victime d'un jet de projectile, obligeant l'arbitre à interrompre la rencontre.

", "category": "", - "link": "https://www.sofoot.com/pronostic-wolfsbourg-lille-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507950.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T08:27:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-wolfsbourg-lille-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638867091_x600_articles-507950.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ol-om-mis-en-cause-le-prefet-du-rhone-donne-sa-version-et-denonce-la-volte-face-de-l-arbitre_AV-202111220387.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 16:59:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf2c27aa133f7158e0a0add31f404379" + "hash": "e458d5af2177f1dd81b370a308ac0ac1" }, { - "title": "EXCLU : 150€ offerts au lieu de 100€ chez Betclic pour parier sur la C1 !", - "description": "Cette semaine seulement, Betclic vous offre votre 1er pari remboursé de 150€ au lieu de 100€ habituellement. Une EXCLU réservée à quelques médias seulement

150€ en EXCLU chez Betclic au lieu de 100€

\n
\nJusqu'à dimanche 12 décembre seulement,
", - "content": "

150€ en EXCLU chez Betclic au lieu de 100€

\n
\nJusqu'à dimanche 12 décembre seulement,

", + "title": "Incidents OL-OM: le revirement de l’arbitre, l’interpellation du supporter… le déroulé des faits selon le camp lyonnais", + "description": "Un certain flou entoure l’interruption du match entre l’OL et l’OM, dimanche au Groupama Stadium, lors de la 14e journée de Ligue 1. Après deux heures tergiversations et l’annonce d’une reprise, Ruddy Buquet a finalement acté l’arrêt définitif de la rencontre. Voici la version des Gones à propos de cette triste soirée.

", + "content": "Un certain flou entoure l’interruption du match entre l’OL et l’OM, dimanche au Groupama Stadium, lors de la 14e journée de Ligue 1. Après deux heures tergiversations et l’annonce d’une reprise, Ruddy Buquet a finalement acté l’arrêt définitif de la rencontre. Voici la version des Gones à propos de cette triste soirée.

", "category": "", - "link": "https://www.sofoot.com/exclu-150e-offerts-au-lieu-de-100e-chez-betclic-pour-parier-sur-la-c1-507909.html", - "creator": "SO FOOT", - "pubDate": "2021-12-06T09:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-exclu-150e-offerts-au-lieu-de-100e-chez-betclic-pour-parier-sur-la-c1-1638779659_x600_articles-507909.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-revirement-de-l-arbitre-l-interpellation-du-supporter-le-deroule-des-faits-selon-le-camp-lyonnais_AV-202111220383.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 16:54:04 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c892b28694ceeb2e27c3030689cfa21d" + "hash": "7a9bd5f62e42f28f646174927bc78c3e" }, { - "title": "PSG, on se dit rendez-vous en février", - "description": "Le PSG avait donc décidé de réserver le meilleur pour la fin dans cette phase de poules de Ligue des champions. Malgré un duel sans enjeu, les Parisiens ont livré leur meilleure partition européenne de l'automne face au Club Bruges, ce mardi (4-1). Pas de quoi faire oublier un bilan globalement mitigé pour les soldats de Mauricio Pochettino.Ça y est, c'est fini. S'il n'avait rien à en espérer sur le plan comptable (la deuxième place était certaine après la défaite à City), le PSG a achevé sa phase de poules de Ligue des…", - "content": "Ça y est, c'est fini. S'il n'avait rien à en espérer sur le plan comptable (la deuxième place était certaine après la défaite à City), le PSG a achevé sa phase de poules de Ligue des…", + "title": "MMA: Pourquoi Khamzat Chimaev est le nouveau phénomène de l’UFC (Fighter Club)", + "description": "Arrivé comme un ouragan à l’UFC à l’été 2020, avec deux victoires dans deux catégories en dix jours, Khamzat Chimaev a connu un an d’arrêt en raison d’un Covid compliqué. Mais sa démonstration pour son retour dans la cage, fin octobre, a rappelé combien le Suédois d’origine tchétchène était un talent spécial. Avec un évident potentiel de nouvelle superstar de l’UFC. Le RMC Fighter Club vous propose une plongée en profondeur dans la carrière de celui qui fait fantasmer le monde du MMA.

", + "content": "Arrivé comme un ouragan à l’UFC à l’été 2020, avec deux victoires dans deux catégories en dix jours, Khamzat Chimaev a connu un an d’arrêt en raison d’un Covid compliqué. Mais sa démonstration pour son retour dans la cage, fin octobre, a rappelé combien le Suédois d’origine tchétchène était un talent spécial. Avec un évident potentiel de nouvelle superstar de l’UFC. Le RMC Fighter Club vous propose une plongée en profondeur dans la carrière de celui qui fait fantasmer le monde du MMA.

", "category": "", - "link": "https://www.sofoot.com/psg-on-se-dit-rendez-vous-en-fevrier-507997.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-psg-on-se-dit-rendez-vous-en-fevrier-1638909788_x600_articles-alt-507997.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/sports-de-combat/mma/mma-pourquoi-khamzat-chimaev-est-le-nouveau-phenomene-de-l-ufc-fighter-club_AV-202111220372.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 16:40:38 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f80639f3550b29c2b1dd399f3337da90" + "hash": "c0cb710f883fb65d9a12f415a9103bf2" }, { - "title": "Lille doit valider sa qualification pour les huitièmes de C1 à Wolfsburg", - "description": "À Wolfsburg sur les coups de 21h, c'est en leader que le LOSC se présentera au cœur de la Volkswagen-Arena pour y disputer son ultime rencontre de la phase de poules de C1. Avec une seule ambition : composter définitivement son ticket pour les huitièmes de finale de la Ligue des champions. En leader, si possible.
\t\t\t\t\t
", + "content": "Kylian Mbappé n'était pas présent à l'entraînement du PSG ce lundi matin, deux jours avant le choc contre Manchester City en Ligue des champions (mercredi, 21h sur RMC Sport 1). L'attaquant parisien est malade, mais la situation n'est a priori pas inquiétante.

", "category": "", - "link": "https://www.sofoot.com/lille-doit-valider-sa-qualification-pour-les-huitiemes-de-c1-a-wolfsburg-507989.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lille-doit-valider-sa-qualification-pour-les-huitiemes-de-c1-a-wolfsburg-1638901487_x600_articles-alt-507989.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/psg-mbappe-malade-et-absent-de-l-entrainement-a-deux-jours-de-manchester-city_AV-202111220371.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 16:38:54 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0192c554653d2ea8cded60c9cf5e2f52" + "hash": "3362d268a11fe890a68ab567ab280698" }, { - "title": "Griezmann, le chevalier blanc de l'Atlético", - "description": "Auteur d'un but et d'une passe décisive face au FC Porto, permettant ainsi à son équipe de prendre le chemin des huitièmes de finale de la Ligue des champions, Antoine Griezmann a encore rayonné ce mardi soir et prouvé une nouvelle fois son importance au sein de l'Atlético de Madrid de Diego Simeone.C'est bien connu, pour battre un dragon - ici portugais - et délivrer la princesse en haut de sa tour, il faut un preux chevalier. Et dans l'aventure des Colchoneros en Ligue des…", - "content": "C'est bien connu, pour battre un dragon - ici portugais - et délivrer la princesse en haut de sa tour, il faut un preux chevalier. Et dans l'aventure des Colchoneros en Ligue des…", + "title": "Incidents OL-OM: \"Quand un acteur est touché, le match ne peut pas reprendre\", estime Labrune, président de la LFP", + "description": "Dans une interview à L'Equipe, le président de la LFP, Vincent Labrune, est revenu sur les incidents observés dimanche soir lors d'OL-OM en Ligue 1. \"Choqué\" par les événements et la longueur du processus ayant conduit à l'arrêt du match, le dirigeant prône l'interruption systématique des rencontres dans de telles situations. Sur les mesures de fond, il renvoie toutefois la balle aux pouvoirs publics...

", + "content": "Dans une interview à L'Equipe, le président de la LFP, Vincent Labrune, est revenu sur les incidents observés dimanche soir lors d'OL-OM en Ligue 1. \"Choqué\" par les événements et la longueur du processus ayant conduit à l'arrêt du match, le dirigeant prône l'interruption systématique des rencontres dans de telles situations. Sur les mesures de fond, il renvoie toutefois la balle aux pouvoirs publics...

", "category": "", - "link": "https://www.sofoot.com/griezmann-le-chevalier-blanc-de-l-atletico-508000.html", - "creator": "SO FOOT", - "pubDate": "2021-12-08T00:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-griezmann-le-chevalier-blanc-de-l-atletico-1638921743_x600_articles-alt-508000.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-quand-un-acteur-est-touche-le-match-ne-peut-pas-reprendre-estime-labrune-president-de-la-lfp_AV-202111220339.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 15:47:14 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6d50f6efe0966dc2ca5482f747a8575" + "hash": "7e7649070fb6df3c2820c5fc16c425a1" }, { - "title": "Oui, cet Ajax, c'est du sérieux", - "description": "Alors que les champions des Pays-Bas ont écrasé leur groupe en Ligue des champions, ils ont montré des similitudes avec le parcours réalisé en 2019, ponctué par une demi-finale de C1. Pourtant quelques points diffèrent par rapport à la génération De Ligt et De Jong.Erik ten Hag ne laisse rien au hasard. Même si son équipe est assurée de terminer première de son groupe, le technicien néerlandais décide quand même de conserver son équipe type, à…", - "content": "Erik ten Hag ne laisse rien au hasard. Même si son équipe est assurée de terminer première de son groupe, le technicien néerlandais décide quand même de conserver son équipe type, à…", + "title": "Incidents OL-OM: le speaker du Groupama Stadium livre sa version", + "description": "Le speaker du Groupama Stadium a expliqué sur Twitter pourquoi il avait annoncé la reprise du match OL-OM avant d’indiquer l’inverse, et d’en prononcer l’arrêt définitif.

", + "content": "Le speaker du Groupama Stadium a expliqué sur Twitter pourquoi il avait annoncé la reprise du match OL-OM avant d’indiquer l’inverse, et d’en prononcer l’arrêt définitif.

", "category": "", - "link": "https://www.sofoot.com/oui-cet-ajax-c-est-du-serieux-507999.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T23:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-oui-cet-ajax-c-est-du-serieux-1638918676_x600_articles-alt-507999.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/incidents-ol-om-le-speaker-du-groupama-stadium-livre-sa-version_AV-202111220333.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 15:39:07 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "64e7657810cd5978aedd9f6f68af3fa7" + "hash": "ec81bce82fb529c37f9eb111a2a4a0b9" }, { - "title": "Les notes de l'épisode 14 de Koh-Lanta La Légende", - "description": "C'était LE moment clutch de la saison : l'orientation. Et comme dans tous les moments clutchs de la saison, c'est Ugo qui donne une leçon.

Les finalistes

\n
\n
\n
\nAligné la semaine passée…


", - "content": "

Les finalistes

\n
\n
\n
\nAligné la semaine passée…


", + "title": "Serie A: qui est Felix Afena-Gyan, le jeune attaquant de 18 ans de la Roma", + "description": "Auteur d'un doublé avec l'AS Roma dimanche face au Genoa, Felix Afena-Gyan est l'un des attaquants les plus prometteurs du club italien.

", + "content": "Auteur d'un doublé avec l'AS Roma dimanche face au Genoa, Felix Afena-Gyan est l'un des attaquants les plus prometteurs du club italien.

", "category": "", - "link": "https://www.sofoot.com/les-notes-de-l-episode-14-de-koh-lanta-la-legende-507975.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T22:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-l-episode-14-de-koh-lanta-la-legende-1638915490_x600_articles-alt-507975.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/serie-a/serie-a-qui-est-felix-afena-gyan-le-jeune-attaquant-de-18-ans-de-la-roma_AV-202111220326.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 15:13:56 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "73e0af9e4f0d42892cb93f8c08847488" + "hash": "a909fa7cfbcf36db46b055b13556149c" }, { - "title": "L'Atlético prend la route des huitièmes", - "description": "Le choloïsme est increvable. Et Porto l'a appris à ses dépens.

", - "content": "

", + "title": "Un ancien joueur d’Everton aux 260 matchs en Premier League signe en… 2e division départementale dans les Deux-Sèvres", + "description": "Louzy, petit commune de 1400 habitants dans les Deux-Sèvres, et dont le club évolue en deuxième division départementale, vient d'enregistrer un renfort de poids avec l'arrivée de sa nouvelle star: Tony Hibbert, ancien joueur d'Everton, près de 300 matches de Premier League au compteur.

", + "content": "Louzy, petit commune de 1400 habitants dans les Deux-Sèvres, et dont le club évolue en deuxième division départementale, vient d'enregistrer un renfort de poids avec l'arrivée de sa nouvelle star: Tony Hibbert, ancien joueur d'Everton, près de 300 matches de Premier League au compteur.

", "category": "", - "link": "https://www.sofoot.com/l-atletico-prend-la-route-des-huitiemes-507992.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T22:14:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-prend-la-route-des-huitiemes-1638916184_x600_articles-alt-507992.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/un-ancien-joueur-d-everton-signe-en-2e-division-departementale-dans-les-deux-sevres_AV-202111220323.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 15:06:04 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87504188ff8c0b6473e9f2ac11d14b58" + "hash": "96b06833a05012a9d677f809bcb60015" }, { - "title": "Le Real Madrid assure la première place, le Sheriff tient le Shakhtar en échec", - "description": "Sans exploit de Sébastien Thill, cette fois-ci.

", - "content": "

", + "title": "Mercato en direct: Xavi évoque la rumeur Bounedjah au Barça", + "description": "A un peu plus d'un mois de l'ouverture du mercato d'hiver (du 1er au 31 janvier 2022), suivez toutes les informations et rumeurs du marché des transferts en direct.

", + "content": "A un peu plus d'un mois de l'ouverture du mercato d'hiver (du 1er au 31 janvier 2022), suivez toutes les informations et rumeurs du marché des transferts en direct.

", "category": "", - "link": "https://www.sofoot.com/le-real-madrid-assure-la-premiere-place-le-sheriff-tient-le-shakhtar-en-echec-507995.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T22:04:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-real-madrid-assure-la-premiere-place-le-sheriff-tient-le-shakhtar-en-echec-1638915160_x600_articles-507995.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-rumeurs-du-22-novembre_LN-202111220138.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 08:55:12 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b11a8188e2fe53afa6ead702909ffced" + "hash": "bb2a9bbf7a6f19598d4fc005c81f3824" }, { - "title": "Liverpool brise le rêve du Milan", - "description": "

", - "content": "

", + "title": "OL-OM en direct: \"J'ai maintenant peur de tirer les corners à l'extérieur\" explique Payet", + "description": "La 14e journée de Ligue 1 s'achève ce dimanche par l'Olympico entre l'OL et l'OM, à Lyon (20h45). Un match bouillant, d'autant que les deux équipes sont rivales pour les places européennes et proposent un jeu plaisant.

", + "content": "La 14e journée de Ligue 1 s'achève ce dimanche par l'Olympico entre l'OL et l'OM, à Lyon (20h45). Un match bouillant, d'autant que les deux équipes sont rivales pour les places européennes et proposent un jeu plaisant.

", "category": "", - "link": "https://www.sofoot.com/liverpool-brise-le-reve-du-milan-507982.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T22:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-liverpool-brise-le-reve-du-milan-1638914883_x600_articles-507982.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-en-direct-le-bouillant-olympico-ol-om_LS-202111210021.html", + "creator": "", + "pubDate": "Sun, 21 Nov 2021 16:00:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc081e3de073c8a9be86fc356466e7d9" + "hash": "db8abf4bc6f86072438b19fcf7876e00" }, { - "title": "Carton plein pour l'Ajax, Dortmund termine sur une très bonne note", - "description": "

", - "content": "

", + "title": "Monaco-Lille: l'ASM arrache un point, de gros regrets pour le LOSC", + "description": "Jonathan David a eu beau marqué un doublé ce vendredi en ouverture de la 14e journée de Ligue 1, son équipe de Lille s'est contentée d'un nul à Monaco (2-2). En infériorité numérique, les Monégasques ont égalisé grâce à Krépin Diatta et Wissam Ben Yedder.

", + "content": "Jonathan David a eu beau marqué un doublé ce vendredi en ouverture de la 14e journée de Ligue 1, son équipe de Lille s'est contentée d'un nul à Monaco (2-2). En infériorité numérique, les Monégasques ont égalisé grâce à Krépin Diatta et Wissam Ben Yedder.

", "category": "", - "link": "https://www.sofoot.com/carton-plein-pour-l-ajax-dortmund-termine-sur-une-tres-bonne-note-507978.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-carton-plein-pour-l-ajax-dortmund-termine-sur-une-tres-bonne-note-1638912477_x600_articles-507978.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/monaco-lille-l-asm-arrache-un-point-de-gros-regrets-pour-le-losc_AV-202111190501.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 22:09:20 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", + "read": true, + "favorite": false, + "created": true, + "tags": [], + "hash": "6096afabd31a83a5d1d8b506c49c074f" + }, + { + "title": "Bundesliga: deuxième défaite pour le Bayern, le championnat relancé", + "description": "Sans Coman mais avec Hernandez, Upamecano et Pavard, le Bayern Munich a concédé sa deuxième défaite de la saison en Bundesliga face à Augsbourg 2-1 ce vendredi soir, en ouverture de la 12e journée du championnat allemand.

", + "content": "Sans Coman mais avec Hernandez, Upamecano et Pavard, le Bayern Munich a concédé sa deuxième défaite de la saison en Bundesliga face à Augsbourg 2-1 ce vendredi soir, en ouverture de la 12e journée du championnat allemand.

", + "category": "", + "link": "https://rmcsport.bfmtv.com/football/bundesliga/bundesliga-deuxieme-defaite-pour-le-bayern-le-championnat-relance_AD-202111190493.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:50:00 GMT", + "folder": "00.03 News/Sport - FR", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "92ee09a59b30ef5830e2c9fd74562f2a" + "hash": "eba555505f75ad1398aa5e7bcea97f90" }, { - "title": "Kylian Mbappé, the last dance", - "description": "Auteur de deux buts et d'une passe décisive lors de la large victoire du PSG contre Bruges en Ligue des champions (4-1), Kylian Mbappé a retrouvé l'amour du public présent au Parc des Princes. Logique vu le niveau de l'international français depuis le début de saison et son implication malgré son départ quasi acté à la fin de la saison.Il peut se passer beaucoup de choses en trois mois. Jul a le temps de composer un album de 22 morceaux. Numérobis peut construire un palais à Cléopâtre avec l'aide d'Astérix et Obélix. Et…", - "content": "Il peut se passer beaucoup de choses en trois mois. Jul a le temps de composer un album de 22 morceaux. Numérobis peut construire un palais à Cléopâtre avec l'aide d'Astérix et Obélix. Et…", + "title": "Disparition de Peng Shuai: des photos de la joueuse postées sur les réseaux sociaux chinois", + "description": "Disparue depuis le 2 novembre après avoir accusé un ancien haut dirigeant chinois de l’avoir violée, la joueuse de tennis Peng Shuai est apparue sur des photos qu’elle aurait envoyées à une amie via le réseau social chinois WeChat. Mais le doute demeure quant à la date de ces clichés. Et sa disparition reste inquiétante.

", + "content": "Disparue depuis le 2 novembre après avoir accusé un ancien haut dirigeant chinois de l’avoir violée, la joueuse de tennis Peng Shuai est apparue sur des photos qu’elle aurait envoyées à une amie via le réseau social chinois WeChat. Mais le doute demeure quant à la date de ces clichés. Et sa disparition reste inquiétante.

", "category": "", - "link": "https://www.sofoot.com/kylian-mbappe-the-last-dance-507996.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T20:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kylian-mbappe-the-last-dance-1638909605_x600_articles-alt-507996.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/disparition-de-peng-shuai-des-photos-de-la-joueuse-postees-sur-les-reseaux-sociaux-chinois_AV-202111190490.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:30:59 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98cbf7eae5625ec541117d8053c7254f" + "hash": "a3b7ffc2464f0bb9940d06413940a225" }, { - "title": "Paris se réveille et dévore Bruges", - "description": "Brillants en première période, portés par un Mbappé en ébullition qui a inscrit un doublé - comme Messi -, les Parisiens ont éclaté Bruges pour leur dernier match de poules anecdotique en Ligue des champions. S'ils n'en récupèrent pas la première place du groupe A pour autant, et ce malgré le faux pas de City à Lepzig, les joueurs de Pochettino ont au moins pu rappeler à leurs supporters, et accessoirement se rappeler à eux-mêmes, qu'ils savaient aussi jouer au football. Et qu'ils le faisaient plutôt bien, en plus de ça.

", - "content": "

", + "title": "Disparition de Peng Shuai: prêt à boycotter la Chine, Mahut dénonce le silence de l'ITF et du CIO", + "description": "Nicolas Mahut a réaffirmé ce vendredi sa volonté de boycotter les tournois en Chine si aucune nouvelle rassurante n’est publiée autour de Peng Shuai. Associé à Pierre-Hugues Herbert, le spécialiste du double a taclé la Fédération internationale de tennis et le CIO pour leur inaction.

", + "content": "Nicolas Mahut a réaffirmé ce vendredi sa volonté de boycotter les tournois en Chine si aucune nouvelle rassurante n’est publiée autour de Peng Shuai. Associé à Pierre-Hugues Herbert, le spécialiste du double a taclé la Fédération internationale de tennis et le CIO pour leur inaction.

", "category": "", - "link": "https://www.sofoot.com/paris-se-reveille-et-devore-bruges-507988.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T20:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-paris-se-reveille-et-devore-bruges-1638905394_x600_articles-alt-507988.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/disparition-de-peng-shuai-mahut-denonce-le-silence-de-l-itf-et-du-cio-avant-les-jo-en-chine_AV-202111190488.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:19:55 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a08a663d8897a022592303bf40cf2930" + "hash": "3b6bd258642bc8975367ace208c2252b" }, { - "title": "En direct : Koh-Lanta, la légende épisode 14", - "description": "D'accord, ce mardi soir, avec la Ligue des champions au menu, il y a des choses bien plus alléchantes que Koh-Lanta. A priori. Car les vrais le savent : Denis Brogniart vaut bien un Carlo Ancelotti, le Roi Claudus vaut bien un Karim Benzema et une épreuve d'orientation vaut bien un choc de Ligue des Champions. Et pour toutes ces raisons-là, vous auriez raison d'oublier le foot pour vous caler posément devant Koh-Lanta. C'est parti.23h03 : Allez c'est reparti, amis Ciccos, amis Koh-Lantix, retenez votre souffle !
\n
\n22h59 : A votre avis, c'est qui la plus grosse communauté de So Foot ? Les Ciccolini ou…

", - "content": "23h03 : Allez c'est reparti, amis Ciccos, amis Koh-Lantix, retenez votre souffle !
\n
\n22h59 : A votre avis, c'est qui la plus grosse communauté de So Foot ? Les Ciccolini ou…

", + "title": "Premier League: Howe va rater son premier match avec Newcastle", + "description": "Eddie Howe ne sera pas sur le banc de Newcastle samedi face à Brentford, pour son premier match en tant qu'entraîneur des Magpies. Fraîchement nommé, l'ancien coach de Bournemouth est positif au Covid-19.

", + "content": "Eddie Howe ne sera pas sur le banc de Newcastle samedi face à Brentford, pour son premier match en tant qu'entraîneur des Magpies. Fraîchement nommé, l'ancien coach de Bournemouth est positif au Covid-19.

", "category": "", - "link": "https://www.sofoot.com/en-direct-koh-lanta-la-legende-episode-14-507987.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-koh-lanta-la-legende-episode-14-1638898512_x600_articles-alt-507987.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/premier-league/premier-league-howe-va-rater-son-premier-match-avec-newcastle_AD-202111190486.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:05:12 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "98469a296ca50e183fa758d5e4ddab94" + }, + { + "title": "Comment l’image de la Ligue 1 s’est bonifiée selon Thierry Henry", + "description": "Le meilleur buteur de l’histoire de l’équipe de France, et actuel consultant pour Amazon Prime Vidéo, Thierry Henry a expliqué pourquoi la Ligue 1 suscite davantage d’intérêt depuis quelques années.

", + "content": "Le meilleur buteur de l’histoire de l’équipe de France, et actuel consultant pour Amazon Prime Vidéo, Thierry Henry a expliqué pourquoi la Ligue 1 suscite davantage d’intérêt depuis quelques années.

", + "category": "", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/comment-l-image-de-la-ligue-1-s-est-bonifiee-selon-thierry-henry_AV-202111190481.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 20:50:25 GMT", + "folder": "00.03 News/Sport - FR", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7cb11ede7c48c5e423dc11b008edf36f" + "hash": "c4ef8cd798ee1b8952787ff4edbb6d84" }, { - "title": "Diallo : \"J'avais faim de ballon\"", - "description": "L'appétit vient en mangeant.
\n
\nTitulaire dans l'axe gauche de la défense parisienne ce mardi soir face à…

", - "content": "L'appétit vient en mangeant.
\n
\nTitulaire dans l'axe gauche de la défense parisienne
ce mardi soir face à…

", + "title": "Uruguay: le sélectionneur Tabarez viré après une mauvaise série", + "description": "L’Uruguay a officialisé ce vendredi la fin du contrat d’Oscar Tabarez. Sélectionneur depuis 2006, le technicien de 74 ans paie une série de quatre défaites consécutives et la septième place de la Celeste lors des éliminatoires sud-américains pour le Mondial 2022.

", + "content": "L’Uruguay a officialisé ce vendredi la fin du contrat d’Oscar Tabarez. Sélectionneur depuis 2006, le technicien de 74 ans paie une série de quatre défaites consécutives et la septième place de la Celeste lors des éliminatoires sud-américains pour le Mondial 2022.

", "category": "", - "link": "https://www.sofoot.com/diallo-j-avais-faim-de-ballon-507994.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T19:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-diallo-j-avais-faim-de-ballon-1638907728_x600_articles-507994.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/coupe-du-monde/qualifications/uruguay-le-selectionneur-tabarez-vire-apres-une-mauvaise-serie_AV-202111190476.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 20:14:39 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4eafd70a6c7e25556e1bec77fa199102" + "hash": "cfb2b1bed64e4cb469eccd1e1a7a08a3" }, { - "title": "Les notes de Paris face à Bruges", - "description": "Peut-être la première fois que l'on peut écrire que Lionel Messi et Kylian Mbappé ont porté le PSG.

", - "content": "

", + "title": "Euroleague: nouvelle défaite pour Monaco, surclassé par l'Efes", + "description": "L’AS Monaco a été largement dominée par les Turcs d’Efes Anadolu Istanbul 98-77 ce vendredi lors de la 11e journée d'Euroleague.

", + "content": "L’AS Monaco a été largement dominée par les Turcs d’Efes Anadolu Istanbul 98-77 ce vendredi lors de la 11e journée d'Euroleague.

", "category": "", - "link": "https://www.sofoot.com/les-notes-de-paris-face-a-bruges-507991.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-paris-face-a-bruges-1638907228_x600_articles-507991.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/basket/euroligue/euroleague-nouvelle-defaite-pour-monaco-surclasse-par-anadolu_AD-202111190471.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 19:54:26 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb76ce72e598166bd570d5f66cdb8517" + "hash": "c9b003da82bfc9d88ae4d8299f63a15e" }, { - "title": "En direct : AC Milan - Liverpool", - "description": "95' : TERMINE ICI A SAN SIRO ! Milan s'incline et dit au revoir à l'Europe cette saison. ...", - "content": "95' : TERMINE ICI A SAN SIRO ! Milan s'incline et dit au revoir à l'Europe cette saison. ...", + "title": "France-Nouvelle-Zélande: comment les Bleus abordent \"le grand défi\" face aux Blacks", + "description": "A l’image de leur capitaine Antoine Dupont, les joueurs du XV de France ont déjà la tête au Stade de France où ils défieront la Nouvelle-Zélande samedi soir pour leur troisième test-match d’automne. Le défi est immense mais les Bleus veulent croire en un exploit.

", + "content": "A l’image de leur capitaine Antoine Dupont, les joueurs du XV de France ont déjà la tête au Stade de France où ils défieront la Nouvelle-Zélande samedi soir pour leur troisième test-match d’automne. Le défi est immense mais les Bleus veulent croire en un exploit.

", "category": "", - "link": "https://www.sofoot.com/en-direct-ac-milan-liverpool-507990.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-ac-milan-liverpool-1638902174_x600_articles-507990.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/rugby/tests-matchs/france-nouvelle-zelande-comment-les-bleus-abordent-le-grand-defi-face-aux-blacks_AV-202111190463.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 19:08:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5686776da6e76c6cc30c439b5d4c8186" + "hash": "87eddd56de0fb31cb93852c4a5ae8637" }, { - "title": "En direct : Real Madrid - Inter Milan", - "description": "90' : FIN DU GAME ! LE REAL TERMINE PREMIER !
\n
\nTrop fort pour l'Inter, trop solide, et avec deux ...", - "content": "90' : FIN DU GAME ! LE REAL TERMINE PREMIER !
\n
\nTrop fort pour l'Inter, trop solide, et avec deux ...", + "title": "Monaco-Lille en direct: mené 2-0, l'ASM arrache le nul, les Lillois peuvent s'en vouloir", + "description": "La 14e journée de Ligue 1 débute par un scénario renversant ce vendredi: mené 2-0, Monaco arrache le nul face à des Lillois qui ont arrêté de jouer après la pause.

", + "content": "La 14e journée de Ligue 1 débute par un scénario renversant ce vendredi: mené 2-0, Monaco arrache le nul face à des Lillois qui ont arrêté de jouer après la pause.

", "category": "", - "link": "https://www.sofoot.com/en-direct-real-madrid-inter-milan-507969.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-real-madrid-inter-milan-1638912053_x600_articles-alt-507969.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-suivez-le-match-monaco-lille-en-direct_LS-202111190455.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 19:06:54 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "553f0f1ce92f0ff96037bb88d2ce6dba" + "hash": "cd3caea6af9d2d10bd7d45f36cd2a152" }, { - "title": "Leipzig fait tomber Manchester City et file en C3", - "description": "

", - "content": "

", + "title": "Tennis: \"très préoccupés\" par le sort de Peng Shuai, les Etats-Unis réclament une \"preuve vérifiable\"", + "description": "La disparition de Peng Shuai, joueuse de tennis chinoise qui a accusé publiquement un ancien haut dirigeant de son pays de viol, inquiète fortement la Maison Blanche. Washington réclame une \"preuve vérifiable\" concernant la sécurité de la joueuse et se dit \"très préoccupé\".

", + "content": "La disparition de Peng Shuai, joueuse de tennis chinoise qui a accusé publiquement un ancien haut dirigeant de son pays de viol, inquiète fortement la Maison Blanche. Washington réclame une \"preuve vérifiable\" concernant la sécurité de la joueuse et se dit \"très préoccupé\".

", "category": "", - "link": "https://www.sofoot.com/leipzig-fait-tomber-manchester-city-et-file-en-c3-507967.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-leipzig-fait-tomber-manchester-city-et-file-en-c3-1638906139_x600_articles-507967.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/tennis/tennis-tres-preoccupes-par-le-sort-de-peng-shuai-les-etats-unis-reclament-une-preuve-verifiable_AV-202111190446.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 18:53:06 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "313e5253db2dd37dd26ea7a824561acc" + "hash": "a17fe3fc39937073732a0065ad61f507" }, { - "title": "Mbappé : \"C'était beaucoup mieux, mais on peut encore s'améliorer\" ", - "description": "Perfectionniste.
\n
\nBrillant ce mardi soir face à Bruges en Ligue des champions (4-1), Kylian Mbappé a…

", - "content": "Perfectionniste.
\n
\nBrillant ce mardi soir face à Bruges en Ligue des champions (4-1), Kylian Mbappé a…

", + "title": "Prix de Bretagne : Première étape sur la route du Prix d'Amérique", + "description": "Première course qualificative pour le Prix d'Amérique, le Prix de Bretagne est programmé ce dimanche 21 novembre sur l'hippodrome de Vincennes avec notamment au départ Face Time Bourbon, le vainqueur des deux dernières éditions du Championnat du Monde de Trot attelé.

", + "content": "Première course qualificative pour le Prix d'Amérique, le Prix de Bretagne est programmé ce dimanche 21 novembre sur l'hippodrome de Vincennes avec notamment au départ Face Time Bourbon, le vainqueur des deux dernières éditions du Championnat du Monde de Trot attelé.

", "category": "", - "link": "https://www.sofoot.com/mbappe-c-etait-beaucoup-mieux-mais-on-peut-encore-s-ameliorer-507993.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T19:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mbappe-c-etait-beaucoup-mieux-mais-on-peut-encore-s-ameliorer-1638907191_x600_articles-507993.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/paris-hippique/prix-de-bretagne-premiere-etape-sur-la-route-du-prix-d-amerique_AN-202111190443.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 18:38:00 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0a172601fe374aa014199a094cc00b4" + "hash": "2a97378757cdd87c73c5304b5b7a5bd7" }, { - "title": "Deux supporters du SC Bastia condamnés à de la prison ferme pour maniement d'engins explosifs", - "description": "Un triste mardi pour le football français.
\n
\nLe 13 février 2016, Maxime Beux, un…

", - "content": "Un triste mardi pour le football français.
\n
\nLe 13 février 2016, Maxime Beux, un…

", + "title": "PSG: Donnarumma-Navas, une concurrence saine… jusqu’à quand?", + "description": "Gianluigi Donnarumma malade et forfait, c'est Keylor Navas qui sera titulaire au poste de gardien du PSG, samedi soir face à Nantes (17h). Les deux hommes sont en concurrence depuis le début de la saison, sans hiérarchie établie. Une concurrence saine pour l'instant.

", + "content": "Gianluigi Donnarumma malade et forfait, c'est Keylor Navas qui sera titulaire au poste de gardien du PSG, samedi soir face à Nantes (17h). Les deux hommes sont en concurrence depuis le début de la saison, sans hiérarchie établie. Une concurrence saine pour l'instant.

", "category": "", - "link": "https://www.sofoot.com/deux-supporters-du-sc-bastia-condamnes-a-de-la-prison-ferme-pour-maniement-d-engins-explosifs-507983.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T17:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-deux-supporters-du-sc-bastia-condamnes-a-de-la-prison-ferme-pour-maniement-d-engins-explosifs-1638900164_x600_articles-507983.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-donnarumma-navas-une-concurrence-saine-jusqu-a-quand_AV-202111190432.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 18:08:56 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "66e7e5bbdb024c64a5bc81bd35946152" + "hash": "004a8f7a24203ba99136b99c5a206934" }, { - "title": "En direct : PSG - Bruges", - "description": "49' : Changement pour Paris S-G. Thilo Kehrer remplace Nuno Mendes qui a directement demandé le ...", - "content": "49' : Changement pour Paris S-G. Thilo Kehrer remplace Nuno Mendes qui a directement demandé le ...", + "title": "Ligue 1: la DNCG maintient ses sanctions contre l’OM", + "description": "Comme au mois de juillet, la DNCG, le gendarme financier du football français, a décidé de maintenir l’encadrement de la masse salariale et des indemnités de transferts de l’Olympique de Marseille.

", + "content": "Comme au mois de juillet, la DNCG, le gendarme financier du football français, a décidé de maintenir l’encadrement de la masse salariale et des indemnités de transferts de l’Olympique de Marseille.

", "category": "", - "link": "https://www.sofoot.com/en-direct-psg-bruges-507986.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T17:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-psg-bruges-1638898337_x600_articles-507986.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-la-dncg-maintient-ses-sanctions-contre-l-om_AV-202111190419.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 17:49:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53c9f8b6cedd3247b85dde9e3d5f00c1" + "hash": "2de0daf1fc116e6ca4edf057abc1ee43" }, { - "title": "José Fonte : \"Si on joue pour faire match nul, on sera très proche de perdre\"", - "description": "À Fonte la forme.
\n
\nPrésent en conférence de presse ce mardi à Wolfsbourg, avant l'ultime rencontre de la phase de poules de Ligue des champions face aux Allemands prévue ce mercredi…

", - "content": "À Fonte la forme.
\n
\nPrésent en conférence de presse ce mardi à Wolfsbourg, avant l'ultime rencontre de la phase de poules de Ligue des champions face aux Allemands prévue ce mercredi…

", + "title": "Manchester United: Solskjaer veut voir la trêve internationale comme un coup de boost", + "description": "Toujours très menacé à la tête de Manchester United, l’entraîneur des Red Devils Ole Gunnar Solskjaer estime que la trêve internationale a été bénéfique pour ses joueurs sur le plan mental. Confirmation attendue samedi après-midi sur la pelouse de Watford en Premier League.

", + "content": "Toujours très menacé à la tête de Manchester United, l’entraîneur des Red Devils Ole Gunnar Solskjaer estime que la trêve internationale a été bénéfique pour ses joueurs sur le plan mental. Confirmation attendue samedi après-midi sur la pelouse de Watford en Premier League.

", "category": "", - "link": "https://www.sofoot.com/jose-fonte-si-on-joue-pour-faire-match-nul-on-sera-tres-proche-de-perdre-507985.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T17:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jose-fonte-si-on-joue-pour-faire-match-nul-on-sera-tres-proche-de-perdre-1638898631_x600_articles-507985.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/premier-league/manchester-united-solskjaer-veut-voir-la-treve-internationale-comme-un-coup-de-boost_AV-202111190406.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 17:32:49 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3dd9842c3273e7f7e71ffbff1b5a344d" + "hash": "db759af7739cdf434b0b77b3eccafb65" }, { - "title": "Des équipements siglés PSG en vente sur la boutique de l'OM", - "description": "La grande réconciliation ?
\n
\nLa boutique officielle de l'Olympique de Marseille dispose de produits pour le moins étonnants. C'est ainsi que ce mardi après-midi, il était possible…

", - "content": "La grande réconciliation ?
\n
\nLa boutique officielle de l'Olympique de Marseille dispose de produits pour le moins étonnants. C'est ainsi que ce mardi après-midi, il était possible…

", + "title": "Barça: la mise en garde de Xavi à De Jong, dont il attend beaucoup plus", + "description": "Loin de son meilleur niveau en ce début de saison, Frenkie de Jong a été invité par son nouvel entraîneur Xavi à se montrer plus décisif. Le nouvel homme fort du FC Barcelone estime que le jeune milieu néerlandais a le potentiel pour passer un cap.

", + "content": "Loin de son meilleur niveau en ce début de saison, Frenkie de Jong a été invité par son nouvel entraîneur Xavi à se montrer plus décisif. Le nouvel homme fort du FC Barcelone estime que le jeune milieu néerlandais a le potentiel pour passer un cap.

", "category": "", - "link": "https://www.sofoot.com/des-equipements-sigles-psg-en-vente-sur-la-boutique-de-l-om-507981.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T16:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-des-equipements-sigles-psg-en-vente-sur-la-boutique-de-l-om-1638895904_x600_articles-507981.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/liga/barca-la-mise-en-garde-de-xavi-a-de-jong-dont-il-attend-beaucoup-plus_AV-202111190387.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 17:03:12 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09b682f035e7003e099239ed3a4d9ad6" + "hash": "a699e1140e6fd1f18b75aa5dcd51701c" }, { - "title": "Stanley Nsoki avant PSG-Bruges : \"Leonardo ne voulait pas me vendre\"", - "description": "Titi un jour, titi toujours.
\n
\nPour son dernier match de phase de poules ce mardi, le PSG reçoit le Club Bruges au Parc des Princes et accueillera sur sa pelouse l'un de ses anciens…

", - "content": "Titi un jour, titi toujours.
\n
\nPour son dernier match de phase de poules ce mardi, le PSG reçoit le Club Bruges au Parc des Princes et accueillera sur sa pelouse l'un de ses anciens…

", + "title": "NBA: Kanter clashe LeBron James sur la Chine", + "description": "Le Turc Enes Kanter a taclé la position de LeBron James concernant la Chine. Le pivot turc regrette l’hypocrisie supposée de la star entre sa défense des luttes sociales et son goût pour l’argent.

", + "content": "Le Turc Enes Kanter a taclé la position de LeBron James concernant la Chine. Le pivot turc regrette l’hypocrisie supposée de la star entre sa défense des luttes sociales et son goût pour l’argent.

", "category": "", - "link": "https://www.sofoot.com/stanley-nsoki-avant-psg-bruges-leonardo-ne-voulait-pas-me-vendre-507980.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T16:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-stanley-nsoki-avant-psg-bruges-leonardo-ne-voulait-pas-me-vendre-1638895168_x600_articles-507980.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/basket/nba/nba-kanter-clashe-le-bron-james-sur-la-chine_AV-202111190381.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:54:34 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "854d271a0de89cf32c24b3f1177ea4e1" + "hash": "2416c5374f7ddf2b5445b6874cfd0c66" }, { - "title": "Allan Saint-Maximin offre une montre à un supporter de Newcastle", - "description": "La fidélité paie.
\n
\nPourtant avant-dernier de Premier League avec Newcastle, Allan Saint-Maximin n'en oublie pas pour autant les fans des Magpies. Si le Français, taulier du…

", - "content": "La fidélité paie.
\n
\nPourtant avant-dernier de Premier League avec Newcastle, Allan Saint-Maximin n'en oublie pas pour autant les fans des Magpies. Si le Français, taulier du…

", + "title": "Bayern: non vacciné, Kimmich absent face au Dynamo Kiev", + "description": "Cas contact, le milieu de terrain du Bayern Munich Joshua Kimmich, non vacciné, sera absent vendredi face à Augsbourg en Bundesliga et mardi face au Dynamo Kiev en Ligue des champions.

", + "content": "Cas contact, le milieu de terrain du Bayern Munich Joshua Kimmich, non vacciné, sera absent vendredi face à Augsbourg en Bundesliga et mardi face au Dynamo Kiev en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/allan-saint-maximin-offre-une-montre-a-un-supporter-de-newcastle-507979.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T16:24:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-allan-saint-maximin-offre-une-montre-a-un-supporter-de-newcastle-1638894262_x600_articles-507979.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/bayern-non-vaccine-kimmich-absent-face-au-dynamo-kiev_AD-202111190347.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:11:57 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b84fc6cdc232e34ead67d7710048a50e" + "hash": "ffd770779546dc367ee03fde9a89bd76" }, { - "title": "Le Collectif Ultras Paris organise une collecte de jouets avant PSG-Bruges", - "description": "Noël commence tôt cette année.
\n
\nLe Collectif Ultras Paris a lancé, en marge de

", - "content": "Noël commence tôt cette année.
\n
\nLe Collectif Ultras Paris a lancé, en marge de


", + "title": "PSG: Neymar dans le groupe contre Nantes, pas Marquinhos, ni Ramos", + "description": "Outre le forfait de Gianluigi Donnarumma, malade, le PSG devra aussi composer sans son capitaine Marquinhos pour affronter le FC Nantes ce samedi pour le compte de la 14e journée de Ligue 1. Neymar, qui était revenu blessé de la sélection brésilienne, est dans le groupe de Mauricio Pochettino.

", + "content": "Outre le forfait de Gianluigi Donnarumma, malade, le PSG devra aussi composer sans son capitaine Marquinhos pour affronter le FC Nantes ce samedi pour le compte de la 14e journée de Ligue 1. Neymar, qui était revenu blessé de la sélection brésilienne, est dans le groupe de Mauricio Pochettino.

", "category": "", - "link": "https://www.sofoot.com/le-collectif-ultras-paris-organise-une-collecte-de-jouets-avant-psg-bruges-507977.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T15:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-collectif-ultras-paris-organise-une-collecte-de-jouets-avant-psg-bruges-1638891218_x600_articles-507977.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-neymar-dans-le-groupe-contre-nantes-pas-marquinhos_AV-202111190328.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 15:45:12 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57b39bb0c98b8e6696dcb9fd063f621f" + "hash": "71d026289bb796e392f5c0405b67e9a5" }, { - "title": "La Française Stéphanie Frappart élue meilleure femme arbitre du Monde pour la troisième année de suite", - "description": "Enfin une distinction entre des mains françaises.
\n
\nSi Karim Benzema, Kylian Mbappé et N'Golo Kanté


", - "content": "Enfin une distinction entre des mains françaises.
\n
\nSi Karim Benzema, Kylian Mbappé et N'Golo Kanté


", + "title": "F1: privé de baquet en 2022, le Français Théo Pourchaire va rester en Formule 2", + "description": "Barré par la nomination du Chinois Guanyu Zhou chez Alfa Romeo lors de la saison 2022 de Formule 1, le pilote français Théo Pourchaire (18 ans) n’effectuera pas ses grands débuts en F1 l’année prochaine. Frédéric Vasseur, patron de l'écurie suisse, a annoncé ce vendredi qu'il restera encore en F2 la saison prochaine.

", + "content": "Barré par la nomination du Chinois Guanyu Zhou chez Alfa Romeo lors de la saison 2022 de Formule 1, le pilote français Théo Pourchaire (18 ans) n’effectuera pas ses grands débuts en F1 l’année prochaine. Frédéric Vasseur, patron de l'écurie suisse, a annoncé ce vendredi qu'il restera encore en F2 la saison prochaine.

", "category": "", - "link": "https://www.sofoot.com/la-francaise-stephanie-frappart-elue-meilleure-femme-arbitre-du-monde-pour-la-troisieme-annee-de-suite-507974.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T15:14:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-francaise-stephanie-frappart-elue-meilleure-femme-arbitre-du-monde-pour-la-troisieme-annee-de-suite-1638889888_x600_articles-507974.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-prive-de-baquet-en-2022-le-francais-theo-pourchaire-va-rester-en-formule-2_AV-202111190325.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 15:42:40 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca1258c99ffbe834471f30c5ca9d7970" + "hash": "446c9b00cbfe141cf7397a0a6fec8cbe" }, { - "title": "Après Borussia Dortmund-Bayern, 40 000 euros d'amende pour Jude Bellingham pour \"conduite antisportive\"", - "description": "Des propos qui coûtent cher.
\n
\nSûrement frustré par la tournure des événements ce samedi
au…

", - "content": "Des propos qui coûtent cher.
\n
\nSûrement frustré par la tournure des événements ce samedi au…

", + "title": "Transat Jacques-Vabre: l'idée pleine d'humour de Beyou pour une arrivée groupée", + "description": "Troisième de la Transat Jacques-Vabre, avec Christopher Pratt sur Charal, Jérémie Beyou a envoyé un petit message amusant à la direction de course ce vendredi matin, pour essayer de préserver l’arrivée groupée des différentes classes de bateaux en Martinique.

", + "content": "Troisième de la Transat Jacques-Vabre, avec Christopher Pratt sur Charal, Jérémie Beyou a envoyé un petit message amusant à la direction de course ce vendredi matin, pour essayer de préserver l’arrivée groupée des différentes classes de bateaux en Martinique.

", "category": "", - "link": "https://www.sofoot.com/apres-borussia-dortmund-bayern-40-000-euros-d-amende-pour-jude-bellingham-pour-conduite-antisportive-507973.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T14:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-apres-borussia-dortmund-bayern-40-000-euros-d-amende-pour-jude-bellingham-pour-conduite-antisportive-1638885302_x600_articles-507973.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/voile/transat-jacques-vabre-le-message-ironique-de-beyou-pour-esperer-l-arrivee-groupee_AV-202111190324.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 15:38:55 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6c26ec95c262a9cd1cf0395329aa13c4" + "hash": "a4eae9d3a7c706d7d16d6ad7258b3abc" }, { - "title": "L'Atlético de Madrid et le choix de l'embarras", - "description": "Champion d'Espagne en titre, l'Atlético de Madrid va jouer sa qualification pour les huitièmes de finale de la Ligue des champions sur la pelouse du FC Porto tout en gardant un œil du côté de Milan. Une situation complexe dans laquelle les Madrilènes se sont mis à cause d'un trop-plein de recrues à l'intersaison et d'une osmose collective difficile à trouver.Diego Simeone ne s'y attendait probablement pas, mais l'Atlético de Madrid 2021-2022 bégaie son football. Ce week-end,
", + "content": "Cengiz Ünder s’est entraîné à part ce vendredi, avant le match de l’OM contre l'OL dimanche. Forfait avec la sélection turque, l’ailier marseillais sera probablement absent pour le choc de la 14e journée de Ligue 1.

", "category": "", - "link": "https://www.sofoot.com/l-atletico-de-madrid-et-le-choix-de-l-embarras-507947.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-de-madrid-et-le-choix-de-l-embarras-1638813294_x600_articles-alt-507947.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-under-vers-un-forfait-contre-l-ol_AV-202111190317.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 15:24:49 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59519074c5bacc43562581f596b7a93a" + "hash": "21c687855cfd551ebff62641c8988039" }, { - "title": "Pronostic Manchester United Young Boys Berne : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

Manchester poursuit sa cure de jouvence face aux Young Boys

\n
\nFinaliste malheureux de la dernière Europa League, Manchester United avait des objectifs…
", - "content": "

Manchester poursuit sa cure de jouvence face aux Young Boys

\n
\nFinaliste malheureux de la dernière Europa League, Manchester United avait des objectifs…
", + "title": "Atlético: finalement, Griezmann pourra affronter l'AC Milan", + "description": "Diego Simeone pourra compter sur Antoine Griezmann pour le choc de Ligue des champions mercredi entre l'Atlético de Madrid et l'AC Milan. L'UEFA a décidé de réduire la suspension du Français après son rouge reçu contre Liverpool.

", + "content": "Diego Simeone pourra compter sur Antoine Griezmann pour le choc de Ligue des champions mercredi entre l'Atlético de Madrid et l'AC Milan. L'UEFA a décidé de réduire la suspension du Français après son rouge reçu contre Liverpool.

", "category": "", - "link": "https://www.sofoot.com/pronostic-manchester-united-young-boys-berne-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507972.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T12:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-manchester-united-young-boys-berne-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638880532_x600_articles-507972.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/atletico-finalement-griezmann-pourra-affronter-l-ac-milan_AV-202111190314.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 15:16:01 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f1a17e6a9d5a65d765d2741e1167254" + "hash": "fd3bce63b63457a9cf9fa6a6a383ce2b" }, { - "title": "Aulas la menace", - "description": "OL-OM n'a pas fini de tourmenter la Ligue 1. Le rapport rendu par Ruddy Buquet, l'arbitre de la rencontre sous le feu de nombreuses critiques depuis, éclaire d'un nouveau jour le déroulé des faits en coulisses. Ce précieux document, qui a donc fuité, dresse un portrait peu flatteur de l'encadrement et de la direction des clubs concernés. À commencer par Jean-Michel Aulas, qui endosse un étrange rôle de parrain du foot français.\"Je tiens à préciser que M. Aulas Jean-Michel, président de l'Olympique lyonnais, a tenu les propos suivants au moment de quitter mon vestiaire : \"La compétition dépend de la LFP, vous…", - "content": "\"Je tiens à préciser que M. Aulas Jean-Michel, président de l'Olympique lyonnais, a tenu les propos suivants au moment de quitter mon vestiaire : \"La compétition dépend de la LFP, vous…", + "title": "OM: Payet n'a pas tiré un trait sur l'équipe de France", + "description": "Performant et régulier avec l'OM depuis plusieurs mois, Dimitri Payet est l'un des meilleurs joueurs de Ligue 1 cette saison. De quoi envisager un retour chez les Bleus, trois ans après sa dernière sélection? Le Réunionnais ne s'interdit rien, mais n'en fait pas une fixette non plus.

", + "content": "Performant et régulier avec l'OM depuis plusieurs mois, Dimitri Payet est l'un des meilleurs joueurs de Ligue 1 cette saison. De quoi envisager un retour chez les Bleus, trois ans après sa dernière sélection? Le Réunionnais ne s'interdit rien, mais n'en fait pas une fixette non plus.

", "category": "", - "link": "https://www.sofoot.com/aulas-la-menace-507962.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T12:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-aulas-la-menace-1638874986_x600_articles-alt-507962.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/om-payet-n-a-pas-tire-un-trait-sur-l-equipe-de-france_AV-202111190298.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 14:47:46 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7d2230340c38a06138b2e7a6e9a38d00" + "hash": "2fa2c5692ed86fbb2c9bf4a0d8e6c522" }, { - "title": "Pronostic Benfica Dynamo Kiev : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

Le Benfica fait le taf face au Dynamo Kiev

\n
\nCette dernière journée de poule dans la Ligue des Champions nous offre une très belle lutte à distance…
", - "content": "

Le Benfica fait le taf face au Dynamo Kiev

\n
\nCette dernière journée de poule dans la Ligue des Champions nous offre une très belle lutte à distance…
", + "title": "Manchester City-PSG: positif au coronavirus, De Bruyne manquera le choc", + "description": "Testé positif au Covid-19 à son retour de sélection, Kevin De Bruyne est contraint de respecter dix jours d'isolement. Le Belge est donc forfait pour le duel Manchester City-PSG programmé mercredi en Ligue des champions.

", + "content": "Testé positif au Covid-19 à son retour de sélection, Kevin De Bruyne est contraint de respecter dix jours d'isolement. Le Belge est donc forfait pour le duel Manchester City-PSG programmé mercredi en Ligue des champions.

", "category": "", - "link": "https://www.sofoot.com/pronostic-benfica-dynamo-kiev-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507968.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T11:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-benfica-dynamo-kiev-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638879299_x600_articles-507968.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-des-champions/manchester-city-psg-positif-au-coronavirus-de-bruyne-manquera-le-choc_AV-202111190297.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 14:43:43 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fea0bda7c0f8e9cc5ea00f641894756f" + "hash": "12b32073b753c16e52400695f8f7902a" }, { - "title": "Jonathan Ikoné (Lille) victime d'un cambriolage à son domicile", - "description": "Un de plus sur la liste.
\n
\nAlors que son départ du Nord se précise, Jonathan Ikoné s'ajoute désormais à la longue liste des joueurs cambriolés. L'attaquant du LOSC a vu son…

", - "content": "Un de plus sur la liste.
\n
\nAlors que son départ du Nord se précise, Jonathan Ikoné s'ajoute désormais à la longue liste des joueurs cambriolés. L'attaquant du LOSC a vu son…

", + "title": "PSG: Pochettino optimiste pour Neymar et Ramos avant Nantes", + "description": "Sergio Ramos et Neymar ont des chances d'être convoqués pour le match de la 14e journée de Ligue 1 entre le PSG et le FC Nantes, ce samedi (17h). Mauricio Pochettino a donné des nouvelles positives des deux joueurs en conférence de presse.

", + "content": "Sergio Ramos et Neymar ont des chances d'être convoqués pour le match de la 14e journée de Ligue 1 entre le PSG et le FC Nantes, ce samedi (17h). Mauricio Pochettino a donné des nouvelles positives des deux joueurs en conférence de presse.

", "category": "", - "link": "https://www.sofoot.com/jonathan-ikone-lille-victime-d-un-cambriolage-a-son-domicile-507963.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T11:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jonathan-ikone-lille-victime-d-un-cambriolage-a-son-domicile-1638875536_x600_articles-507963.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/psg-pochettino-optimiste-pour-neymar-et-ramos-avant-nantes_AV-202111190281.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 13:54:13 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "147ad1c3288cdb64ff5d94d2133e1f90" + "hash": "5ccfd15ba66a8a045d2d21e4020236fc" }, { - "title": "L'ES Cannet-Rocheville accueillera l'OM... Au Vélodrome", - "description": "Marseille va jouer à l'extérieur et à domicile en même temps.
\n
\nL'équipe de l'Entente Cannet-Rocheville (située au Cannet, commune des des Alpes-Maritimes, et pensionnaire de N3),…

", - "content": "Marseille va jouer à l'extérieur et à domicile en même temps.
\n
\nL'équipe de l'Entente Cannet-Rocheville (située au Cannet, commune des des Alpes-Maritimes, et pensionnaire de N3),…

", + "title": "F1: Mercedes débouté, pas de réexamen de l'incident Hamilton-Verstappen au Brésil", + "description": "La défense de Max Verstappen (Red Bull) contre la tentative de dépassement de Lewis Hamilton (Mercedes) au GP du Brésil de Formule 1 ne sera pas réexaminée. Le recours de Mercedes a été rejeté, ont indiqué vendredi les commissaires de la FIA.

", + "content": "La défense de Max Verstappen (Red Bull) contre la tentative de dépassement de Lewis Hamilton (Mercedes) au GP du Brésil de Formule 1 ne sera pas réexaminée. Le recours de Mercedes a été rejeté, ont indiqué vendredi les commissaires de la FIA.

", "category": "", - "link": "https://www.sofoot.com/l-es-cannet-rocheville-accueillera-l-om-au-velodrome-507960.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T10:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-es-cannet-rocheville-accueillera-l-om-au-velodrome-1638874881_x600_articles-507960.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/auto-moto/f1/f1-mercedes-deboute-pas-de-reexamen-de-l-incident-hamilton-verstappen-au-bresil_AV-202111190280.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 13:53:29 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "d9ba7b8570bb8eb421a49e83d4f001a0" + }, + { + "title": "OM: Sampaoli aimerait des joueurs confirmés au mercato", + "description": "Interrogé ce vendredi sur d'éventuels besoins lors du mercato hivernal, l'entraîneur de l'OM Jorge Sampaoli a fait passer un message à ses dirigeants en expliquant qu'il n'avait pas assez de joueurs confirmés à disposition. En reconnaissant toutefois qu'il n'est pas toujours possible d'obtenir ce que l'on désire.

", + "content": "Interrogé ce vendredi sur d'éventuels besoins lors du mercato hivernal, l'entraîneur de l'OM Jorge Sampaoli a fait passer un message à ses dirigeants en expliquant qu'il n'avait pas assez de joueurs confirmés à disposition. En reconnaissant toutefois qu'il n'est pas toujours possible d'obtenir ce que l'on désire.

", + "category": "", + "link": "https://rmcsport.bfmtv.com/football/transferts/om-sampaoli-aimerait-des-joueurs-confirmes-au-mercato_AV-202111190279.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 13:50:56 GMT", + "folder": "00.03 News/Sport - FR", + "feed": "RMC Sport", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "40af6a71d5b72f2183a70557a7f0b968" + }, + { + "title": "Mercato en direct: Angers a son nouveau coordinateur sportif", + "description": "Le mercato d'hiver va ouvrir ses portes le 1er janvier, une date qui permettra aussi aux joueurs en fin de contrat en juin de négocier librement avec le club de leurs choix. Suivez toutes les informations et rumeurs en direct.

", + "content": "Le mercato d'hiver va ouvrir ses portes le 1er janvier, une date qui permettra aussi aux joueurs en fin de contrat en juin de négocier librement avec le club de leurs choix. Suivez toutes les informations et rumeurs en direct.

", + "category": "", + "link": "https://rmcsport.bfmtv.com/football/transferts/mercato-en-direct-les-infos-et-les-rumeurs-du-18-novembre-2021_LN-202111180054.html", + "creator": "", + "pubDate": "Thu, 18 Nov 2021 06:27:23 GMT", + "folder": "00.03 News/Sport - FR", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4abbd06e9b6fda9282469f6747670e0" + "hash": "c3c1ef3ef35b822217b1a4158ed84528" }, { - "title": "Robert Lewandowski après le Ballon d'or : \"Je voudrais que Lionel Messi soit sincère et que ce ne soient pas des mots creux\"", - "description": "Le seum s'exporte jusqu'en Pologne.
\n
\nAlors que Lionel Messi a été désigné Ballon d'or pour la septième fois de sa…

", - "content": "Le seum s'exporte jusqu'en Pologne.
\n
\nAlors que Lionel Messi a été désigné Ballon d'or pour la septième fois de sa…

", + "title": "Ligue 1 en direct: masse salariale et transferts encadrés pour l'OM", + "description": "Fin de la trêve internationale et reprise de la Ligue 1 ce week-end, avec une 14e journée de championnat qui débute vendredi par Monaco-Lille. Retrouvez toutes les informations et déclarations à ne pas manquer avant les matchs.

", + "content": "Fin de la trêve internationale et reprise de la Ligue 1 ce week-end, avec une 14e journée de championnat qui débute vendredi par Monaco-Lille. Retrouvez toutes les informations et déclarations à ne pas manquer avant les matchs.

", "category": "", - "link": "https://www.sofoot.com/robert-lewandowski-apres-le-ballon-d-or-je-voudrais-que-lionel-messi-soit-sincere-et-que-ce-ne-soient-pas-des-mots-creux-507961.html", - "creator": "SO FOOT", - "pubDate": "2021-12-07T10:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-robert-lewandowski-apres-le-ballon-d-or-je-voudrais-que-lionel-messi-soit-sincere-et-que-ce-ne-soient-pas-des-mots-creux-1638873867_x600_articles-507961.jpg", - "enclosureType": "image/jpeg", - "image": "", - "language": "fr", + "link": "https://rmcsport.bfmtv.com/football/ligue-1/ligue-1-en-direct-toutes-les-infos-avant-la-14e-journee_LN-202111170121.html", + "creator": "", + "pubDate": "Wed, 17 Nov 2021 08:10:21 GMT", "folder": "00.03 News/Sport - FR", - "feed": "SoFoot", + "feed": "RMC Sport", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0386be3f2eaa6619c564dcae4ac75ff" + "hash": "50d98278e6a9fe7350146f04464a1a47" }, { - "title": "Tottenham décimé par la Covid-19 avant la réception de Rennes", - "description": "En voilà un qui n'a pas besoin de l'Eurostar.
\n
\nIl n'y a pas que le Portugal qui…

", - "content": "En voilà un qui n'a pas besoin de l'Eurostar.
\n
\nIl n'y a pas que le Portugal qui…

", + "title": "Affaire Hamraoui en direct: le message d'Eric Abidal à sa femme après sa demande de divorce", + "description": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", + "content": "Suivez toutes les informations en direct sur la rocambolesque agression dont a été victime la joueuse du PSG, Kheira Hamraoui.

", "category": "", - "link": "https://www.sofoot.com/tottenham-decime-par-la-covid-19-avant-la-reception-de-rennes-507957.html", + "link": "https://rmcsport.bfmtv.com/football/affaire-hamraoui-diallo-en-direct-toutes-les-infos_LN-202111110108.html", + "creator": "", + "pubDate": "Thu, 11 Nov 2021 08:43:53 GMT", + "folder": "00.03 News/Sport - FR", + "feed": "RMC Sport", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c4e533715d881c0e926022907dc5ab04" + } + ], + "folder": "00.03 News/Sport - FR", + "name": "RMC Sport", + "language": "fr", + "hash": "fa2bc310e1b6e58ad32a2029c98d556f" + }, + { + "title": "SO FOOT.com", + "subtitle": "", + "link": "https://www.sofoot.com/", + "image": "", + "description": "Le site de l'actualité football, vue autrement. Un contenu original et décalé, un suivi pas à pas de l'actu foot en France, en Europe, dans le monde entier et ailleurs.", + "items": [ + { + "title": "City fait voler Leeds en éclats, Villa repart de l'avant à Norwich", + "description": "

", + "content": "

", + "category": "", + "link": "https://www.sofoot.com/city-fait-voler-leeds-en-eclats-villa-repart-de-l-avant-a-norwich-508303.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T10:25:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tottenham-decime-par-la-covid-19-avant-la-reception-de-rennes-1638872924_x600_articles-507957.jpg", + "pubDate": "2021-12-14T21:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-city-fait-voler-leeds-en-eclats-villa-repart-de-l-avant-a-norwich-1639518576_x600_articles-508303.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -54992,19 +59662,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d23fbc7bb952a29dd63e2deee46d87b9" + "hash": "d42d989a6a4c337e01a8f033cc53c96a" }, { - "title": "Le best of des buts amateurs du week-end des 4 et 5 décembre 2021", - "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", - "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "title": "En direct : finale de Koh-Lanta, la légende", + "description": "Abordons le problème autrement : au lieu de regarder cette finale pour son résultat, prenez-la plutôt comme une expérience sociale en public. Une du genre à s'appeler \"Comment se démerder tout seul en situation de crise quand on s'appelle Denis Brogniart\", par exemple.23h22 : RAT-VIÈRE
\n
\n23h20 : On est dans Koh-Lanta la Légende, et on vient de voir une image de Julie la chanteuse Disney.
\n
\nCrevez-moi les…



", + "content": "23h22 : RAT-VIÈRE
\n
\n23h20 : On est dans Koh-Lanta la Légende, et on vient de voir une image de Julie la chanteuse Disney.
\n
\nCrevez-moi les…



", "category": "", - "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-4-et-5-decembre-2021-507939.html", + "link": "https://www.sofoot.com/en-direct-finale-de-koh-lanta-la-legende-508309.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T09:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-best-of-des-buts-amateurs-du-week-end-des-4-et-5-decembre-2021-1638809693_x600_articles-alt-507939.jpg", + "pubDate": "2021-12-14T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-finale-de-koh-lanta-la-legende-1639505550_x600_articles-alt-508309.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55012,19 +59683,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ec6904f7d369c5dd1d615f016e0c9c87" + "hash": "bd0b29d78178dfd9c25fe79bc565a023" }, { - "title": "Pronostic Salzbourg Séville : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

La victoire de la qualif' pour le FC Séville face à Salzbourg

\n
\nLe groupe G de la Ligue des Champions nous offre une dernière journée à suspense…
", - "content": "

La victoire de la qualif' pour le FC Séville face à Salzbourg

\n
\nLe groupe G de la Ligue des Champions nous offre une dernière journée à suspense…
", + "title": "Pascal Dupraz attendu à Saint-Étienne pour succéder à Claude Puel", + "description": "Le pompier reprend du service.
\n
\nL'AS Saint-Étienne a officialisé ce mardi le départ de Claude Puel, démis…

", + "content": "Le pompier reprend du service.
\n
\nL'AS Saint-Étienne a officialisé ce mardi le départ de Claude Puel, démis…

", "category": "", - "link": "https://www.sofoot.com/pronostic-salzbourg-seville-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507958.html", + "link": "https://www.sofoot.com/pascal-dupraz-attendu-a-saint-etienne-pour-succeder-a-claude-puel-508313.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T09:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-salzbourg-seville-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638871508_x600_articles-507958.jpg", + "pubDate": "2021-12-14T19:38:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pascal-dupraz-attendu-a-saint-etienne-pour-succeder-a-claude-puel-1639510974_x600_articles-508313.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55032,19 +59704,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc981e5b72bbc5365e389f67dc8ebe0b" + "hash": "294e715c03b28604176d883593fa95ba" }, { - "title": "Aminata Diallo et Kheira Hamraoui (PSG) de retour à l'entraînement collectif", - "description": "Retour au terrain.
\n
\nVoilà maintenant plus d'un mois qu'Aminata Diallo et Kheira Hamraoui sont au coeur d'
", - "content": "Retour au terrain.
\n
\nVoilà maintenant plus d'un mois qu'Aminata Diallo et Kheira Hamraoui sont au coeur d'
", + "title": "Le Bayern en plante cinq à Stuttgart", + "description": "

", + "content": "

", "category": "", - "link": "https://www.sofoot.com/aminata-diallo-et-kheira-hamraoui-psg-de-retour-a-l-entrainement-collectif-507955.html", + "link": "https://www.sofoot.com/le-bayern-en-plante-cinq-a-stuttgart-508312.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T09:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-aminata-diallo-et-kheira-hamraoui-psg-de-retour-a-l-entrainement-collectif-1638870063_x600_articles-507955.jpg", + "pubDate": "2021-12-14T19:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-en-plante-cinq-a-stuttgart-1639510379_x600_articles-508312.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55052,19 +59725,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7fc0809fb551de9db8a4bb669a9db36" + "hash": "cd697d846c96e62a2371275aa133af5f" }, { - "title": "Pronostic Zenit Chelsea : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

Chelsea assure sa 1re place chez le Zenit

\n
\nEn dominant largement Malmö lors du match aller, le Zenit St Petersbourg avait fait un grand pas…
", - "content": "

Chelsea assure sa 1re place chez le Zenit

\n
\nEn dominant largement Malmö lors du match aller, le Zenit St Petersbourg avait fait un grand pas…
", + "title": "Lionel Mpasi : \"Se faire insulter de \"sale singe\", c'est inadmissible\"", + "description": "Un cas isolé, mais un cas de trop.
\n
\nCe lundi soir, Lionel Mpasi, le gardien de Rodez, a été
", + "content": "Un cas isolé, mais un cas de trop.
\n
\nCe lundi soir, Lionel Mpasi, le gardien de Rodez, a été
", "category": "", - "link": "https://www.sofoot.com/pronostic-zenit-chelsea-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507956.html", + "link": "https://www.sofoot.com/lionel-mpasi-se-faire-insulter-de-sale-singe-c-est-inadmissible-508307.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T09:34:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-zenit-chelsea-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638870629_x600_articles-507956.jpg", + "pubDate": "2021-12-14T17:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lionel-mpasi-se-faire-insulter-de-sale-singe-c-est-inadmissible-1639502445_x600_articles-508307.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55072,19 +59746,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cd2e5450086b55d228f76be9d3e863ce" + "hash": "fdcf73f401cf9ad34396b33a2cc625c6" }, { - "title": "Pronostic Juventus Malmö : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

La Juventus solide face à Malmö

\n
\nEn s'inclinant lourdement à Stamford Bridge lors de la dernière journée (4-0), la Juventus a certainement dit…
", - "content": "

La Juventus solide face à Malmö

\n
\nEn s'inclinant lourdement à Stamford Bridge lors de la dernière journée (4-0), la Juventus a certainement dit…
", + "title": "Affaire OL-OM : l'OM aurait décidé de faire appel de la décision de la Commission de discipline", + "description": "Le folklore continue.
\n
\nLe chapitre des incidents qui ont émaillé le 21 novembre la rencontre opposant l'Olympique lyonnais et l'Olympique de Marseille est loin d'être terminé. Si, en…

", + "content": "Le folklore continue.
\n
\nLe chapitre des incidents qui ont émaillé le 21 novembre la rencontre opposant l'Olympique lyonnais et l'Olympique de Marseille est loin d'être terminé. Si, en…

", "category": "", - "link": "https://www.sofoot.com/pronostic-juventus-malmo-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507954.html", + "link": "https://www.sofoot.com/affaire-ol-om-l-om-aurait-decide-de-faire-appel-de-la-decision-de-la-commission-de-discipline-508304.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T09:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-juventus-malmo-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638870037_x600_articles-507954.jpg", + "pubDate": "2021-12-14T17:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-affaire-ol-om-l-om-aurait-decide-de-faire-appel-de-la-decision-de-la-commission-de-discipline-1639500688_x600_articles-508304.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55092,19 +59767,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ef2149f73dce0dfbd0b4af9e9ff0000" + "hash": "37046000c958d2870b3bf9ed5a16636e" }, { - "title": "Pronostic Bayern Munich Barcelone : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

Le Bayern Munich sort Barcelone

\n
\nL'affiche de cette dernière journée de Ligue des Champions mercredi met aux prises le Bayern Munich au FC Barcelone.…
", - "content": "

Le Bayern Munich sort Barcelone

\n
\nL'affiche de cette dernière journée de Ligue des Champions mercredi met aux prises le Bayern Munich au FC Barcelone.…
", + "title": "Des parlementaires souhaitent un lot de droits TV en clair pour la Ligue 1", + "description": "La Ligue 1 sur Gulli, c'est pour bientôt ?
\n
\nDepuis le scandale Mediapro qui a secoué le football…

", + "content": "La Ligue 1 sur Gulli, c'est pour bientôt ?
\n
\nDepuis le scandale Mediapro qui a secoué le football…

", "category": "", - "link": "https://www.sofoot.com/pronostic-bayern-munich-barcelone-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507953.html", + "link": "https://www.sofoot.com/des-parlementaires-souhaitent-un-lot-de-droits-tv-en-clair-pour-la-ligue-1-508305.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T09:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bayern-munich-barcelone-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638869118_x600_articles-507953.jpg", + "pubDate": "2021-12-14T16:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-des-parlementaires-souhaitent-un-lot-de-droits-tv-en-clair-pour-la-ligue-1-1639500437_x600_articles-508305.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55112,19 +59788,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d5147c32e2daf4b194c3da57806412bf" + "hash": "671bb815df57cf3f9ce80be47941cde8" }, { - "title": "Pablo Longoria, président de l'OM : \"Si chaque fois qu'un match est interrompu, on doit le rejouer...\"", - "description": "Ou comment donner son avis, sans le donner.
\n
\nCe mercredi 8 décembre, c'est le Jour-J. La commission de discipline rendra le verdict tant attendu concernant
", - "content": "Ou comment donner son avis, sans le donner.
\n
\nCe mercredi 8 décembre, c'est le Jour-J. La commission de discipline rendra le verdict tant attendu concernant
", + "title": "Les supporters lillois lancent une pétition pour une nouvelle pelouse", + "description": "#UnbillardpourlestadePierreMauroy
\n
\nIls sont déjà 3470 à avoir signé la pétition pour changer la pelouse de l'enceinte du LOSC. Lors de
", + "content": "#UnbillardpourlestadePierreMauroy
\n
\nIls sont déjà 3470 à avoir signé la pétition pour changer la pelouse de l'enceinte du LOSC. Lors de
", "category": "", - "link": "https://www.sofoot.com/pablo-longoria-president-de-l-om-si-chaque-fois-qu-un-match-est-interrompu-on-doit-le-rejouer-507951.html", + "link": "https://www.sofoot.com/les-supporters-lillois-lancent-une-petition-pour-une-nouvelle-pelouse-508301.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T08:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pablo-longoria-president-de-l-om-si-chaque-fois-qu-un-match-est-interrompu-on-doit-le-rejouer-1638867553_x600_articles-507951.jpg", + "pubDate": "2021-12-14T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-lillois-lancent-une-petition-pour-une-nouvelle-pelouse-1639499200_x600_articles-508301.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55132,19 +59809,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0a3421807519d419c9b3bda105b5dc2" + "hash": "98c8804623c4065d0b6cb10a17221474" }, { - "title": "OL-OM : Ruddy Buquet raconte les menaces de Jean-Michel Aulas pour que le match reprenne", - "description": "Le Buquet final.
\n
\nLe Lyon-Marseille interrompu le 21 novembre…

", - "content": "Le Buquet final.
\n
\nLe Lyon-Marseille interrompu le 21 novembre…

", + "title": "Mikel Arteta : \"Aubameyang est un peu meurtri\"", + "description": "PEA en PLS.
\n
\nUn peu plus tôt ce mardi, Arsenal publiait un communiqué dans lequel on…

", + "content": "PEA en PLS.
\n
\nUn peu plus tôt ce mardi, Arsenal publiait un communiqué dans lequel on…

", "category": "", - "link": "https://www.sofoot.com/ol-om-ruddy-buquet-raconte-les-menaces-de-jean-michel-aulas-pour-que-le-match-reprenne-507949.html", + "link": "https://www.sofoot.com/mikel-arteta-aubameyang-est-un-peu-meurtri-508300.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T08:37:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ol-om-ruddy-buquet-raconte-les-menaces-de-jean-michel-aulas-pour-que-le-match-reprenne-1638867601_x600_articles-507949.jpg", + "pubDate": "2021-12-14T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mikel-arteta-aubameyang-est-un-peu-meurtri-1639497301_x600_articles-508300.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55152,19 +59830,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c9ae5c2d75fbd0b5c5ab86af91a988c" + "hash": "28ccc5c8406616d5116c117fea69c3cc" }, { - "title": "Willy Caballero, sans club, rejoint Southampton pour un mois", - "description": "À noter qu'aucune convention de stage n'est stipulée dans la transaction.
\n
\nTenter le grand défi du Mois sans Tabac ? C'est possible. Ne pas boire une goute d'alcool pendant la…

", - "content": "À noter qu'aucune convention de stage n'est stipulée dans la transaction.
\n
\nTenter le grand défi du Mois sans Tabac ? C'est possible. Ne pas boire une goute d'alcool pendant la…

", + "title": "Un ancien formateur du Barça accusé de violences sexuelles", + "description": "Les langues se délient.
\n
\nLa Catalogne est sous le choc après les révélations du quotidien catalan Ara. En effet, selon l'enquête publiée par le journal vendredi, des anciens…

", + "content": "Les langues se délient.
\n
\nLa Catalogne est sous le choc après les révélations du quotidien catalan Ara. En effet, selon l'enquête publiée par le journal vendredi, des anciens…

", "category": "", - "link": "https://www.sofoot.com/willy-caballero-sans-club-rejoint-southampton-pour-un-mois-507948.html", + "link": "https://www.sofoot.com/un-ancien-formateur-du-barca-accuse-de-violences-sexuelles-508299.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T08:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-willy-caballero-sans-club-rejoint-southampton-pour-un-mois-1638865329_x600_articles-507948.jpg", + "pubDate": "2021-12-14T15:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-ancien-formateur-du-barca-accuse-de-violences-sexuelles-1639495548_x600_articles-508299.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55172,19 +59851,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f056697603bc32129119111b768e22cf" + "hash": "a0e6594650df5ca5619a6e2921a67edb" }, { - "title": "Pronostic PSG Bruges : Analyse, cotes et prono du match de Ligue des Champions", - "description": "Après le quasi carton plein sur le dernier match des Bleus, et le Lille-Salzbourg et le Manchester City - PSG de la dernière journée de C1 !

Déposez 100€ et misez directement avec 200€ sur PSG - Club Bruges

\n
\n
", - "content": "

Déposez 100€ et misez directement avec 200€ sur PSG - Club Bruges

\n
\n

", + "title": "Gary Marigard, J-5 avant d'affronter le PSG : \"22h, au dodo !\"", + "description": "La loterie de la Coupe de France réserve toujours quelques matchs en apparence déséquilibrés : à l'occasion des 32es de finale, c'est Feignies-Aulnoye qui a tiré le gros lot, puisque l'écurie des alentours de Maubeuge est tombée sur le PSG. Pour comprendre comment un footballeur amateur se prépare à une telle échéance, le latéral droit du club du Nord Gary Marigard nous raconte son quotidien, jour par jour, jusqu'au match fatidique. Ce mardi, il revient sur son début de semaine, à base de formation, de balle en mousse et de série Amazon.Après avoir évolué à l'ES Wasquehal, à l'IC Croix puis à l'US Quevilly-Rouen, Gary Marigard joue aujourd'hui à l'Entente Feignies-Aulnoye, qui affrontera le PSG en Coupe de France ce…", + "content": "Après avoir évolué à l'ES Wasquehal, à l'IC Croix puis à l'US Quevilly-Rouen, Gary Marigard joue aujourd'hui à l'Entente Feignies-Aulnoye, qui affrontera le PSG en Coupe de France ce…", "category": "", - "link": "https://www.sofoot.com/pronostic-psg-bruges-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507932.html", + "link": "https://www.sofoot.com/gary-marigard-j-5-avant-d-affronter-le-psg-22h-au-dodo-508289.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T12:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-psg-bruges-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638795361_x600_articles-507932.jpg", + "pubDate": "2021-12-14T15:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gary-marigard-j-5-avant-d-affronter-le-psg-22h-au-dodo-1639485079_x600_articles-alt-508289.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55192,19 +59872,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a650647386e4df7e29a860b36f5eee63" + "hash": "54ce3deca2dd56deabcf6f61a8c977d7" }, { - "title": "Paris Saint-Germain, le jeu c'est maintenant", - "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions et assuré de terminer à la deuxième place de son groupe, le PSG affronte Bruges au Parc des Princes dans une rencontre sans enjeu pour le club de la capitale d'un point de vue comptable. Sauf qu'il pourrait justement permettre de proposer du jeu et ainsi servir de déclic pour les matchs à venir.
\t\t\t\t\t
", - "content": "
\t\t\t\t\t
", + "title": "Grenoble limoge son entraîneur", + "description": "Pochettino ne sera pas le premier Mauriz(z)io viré de la saison.
\n
\nSèchement défait à Amiens (4-1), Grenoble a licencié son entraîneur Maurizio Jacobacci, arrivé cet été sur le…

", + "content": "Pochettino ne sera pas le premier Mauriz(z)io viré de la saison.
\n
\nSèchement défait à Amiens (4-1), Grenoble a licencié son entraîneur Maurizio Jacobacci, arrivé cet été sur le…

", "category": "", - "link": "https://www.sofoot.com/paris-saint-germain-le-jeu-c-est-maintenant-507946.html", + "link": "https://www.sofoot.com/grenoble-limoge-son-entraineur-508297.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-paris-saint-germain-le-jeu-c-est-maintenant-1638813831_x600_articles-alt-507946.jpg", + "pubDate": "2021-12-14T14:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-grenoble-limoge-son-entraineur-1639493171_x600_articles-508297.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55212,19 +59893,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "08f10534a429b75f67f94a41cff9d655" + "hash": "1776efc81882657963f130c2d62a6337" }, { - "title": "Pierre Kalulu : \"On ne m'a jamais formé à être défenseur\"", - "description": "En l'espace d'un an, Pierre Kalulu (21 ans) est passé de la réserve de l'Olympique lyonnais à des combinaisons avec Zlatan Ibrahimović à base d'aile de pigeon au Milan, l'actuel leader de Serie A. Le défenseur ultra-polyvalent des Rossoneri et de l'équipe de France espoirs se confie sur son jeu, son caractère et le vestiaire milanais où le géant suédois se révèle être \"un bon collègue\".
\t\t\t\t\t
", - "content": "
\t\t\t\t\t
", + "title": "Une liesse collective coûte la vie d'une enfant lors de la victoire du Yémen", + "description": "Quand le peu de joie tourne au drame.
\n
\nFace à l'Arabie saoudite, les jeunes U15 du Yémen ont remporté un succès inespéré dans un championnat régional d'Asie de l'Ouest. Un succès…

", + "content": "Quand le peu de joie tourne au drame.
\n
\nFace à l'Arabie saoudite, les jeunes U15 du Yémen ont remporté un succès inespéré dans un championnat régional d'Asie de l'Ouest. Un succès…

", "category": "", - "link": "https://www.sofoot.com/pierre-kalulu-on-ne-m-a-jamais-forme-a-etre-defenseur-507940.html", + "link": "https://www.sofoot.com/une-liesse-collective-coute-la-vie-d-une-enfant-lors-de-la-victoire-du-yemen-508294.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pierre-kalulu-on-ne-m-a-jamais-forme-a-etre-defenseur-1638807985_x600_articles-alt-507940.jpg", + "pubDate": "2021-12-14T14:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-une-liesse-collective-coute-la-vie-d-une-enfant-lors-de-la-victoire-du-yemen-1639492241_x600_articles-508294.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55232,19 +59914,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "abd34ac7a460e0734ff548aff6aa8d33" + "hash": "0593faba19d5398438cb20536a817f22" }, { - "title": "Vinícius Júnior, si señor !", - "description": "L'an passé, Vinícius Júnior était raillé pour son manque d'efficacité devant le but. Désormais, il est plus qu'un complément de Karim Benzema et s'affirme comme l'un des meilleurs joueurs du championnat espagnol. En l'absence du Français ce mardi face à l'Inter, c'est lui qui portera l'attaque madrilène.
\t\t\t\t\t
", - "content": "
\t\t\t\t\t
", + "title": "Pierre-Emerick Aubameyang destitué de son brassard de capitaine d'Arsenal ", + "description": "Capitaine déchu.
\n
\nÉcarté du groupe le week-end dernier lors du
succès d'Arsenal…

", + "content": "Capitaine déchu.
\n
\nÉcarté du groupe le week-end dernier lors du succès d'Arsenal…

", "category": "", - "link": "https://www.sofoot.com/vinicius-junior-si-senor-507927.html", + "link": "https://www.sofoot.com/pierre-emerick-aubameyang-destitue-de-son-brassard-de-capitaine-d-arsenal-508293.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-vinicius-junior-si-senor-1638790181_x600_articles-alt-507927.jpg", + "pubDate": "2021-12-14T14:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pierre-emerick-aubameyang-destitue-de-son-brassard-de-capitaine-d-arsenal-1639491030_x600_articles-508293.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55252,19 +59935,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2866dd5f3491d50e33e83b836a2f13e2" + "hash": "18139cd5342f9e5e102472405c072e8e" }, { - "title": "Everton scalpe Arsenal et renoue avec la victoire", - "description": "

", - "content": "

", + "title": "Pronostic Augsbourg Leipzig : Analyse, cotes et prono du match de Bundesliga", + "description": "

Des buts entre Augsbourg et Leipzig

\n
\n16e de Bundesliga, Augsbourg va sans doute encore jouer le maintien jusqu'à la fin de la saison.…
", + "content": "

Des buts entre Augsbourg et Leipzig

\n
\n16e de Bundesliga, Augsbourg va sans doute encore jouer le maintien jusqu'à la fin de la saison.…
", "category": "", - "link": "https://www.sofoot.com/everton-scalpe-arsenal-et-renoue-avec-la-victoire-507921.html", + "link": "https://www.sofoot.com/pronostic-augsbourg-leipzig-analyse-cotes-et-prono-du-match-de-bundesliga-508295.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-everton-scalpe-arsenal-et-renoue-avec-la-victoire-1638828272_x600_articles-507921.jpg", + "pubDate": "2021-12-14T13:48:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-augsbourg-leipzig-analyse-cotes-et-prono-du-match-de-bundesliga-1639491796_x600_articles-508295.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55272,39 +59956,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "b01230ad0fe59f404294d12fec9a85e2" + "hash": "0db3e0bf863751a17ff5b659c7732b9c" }, { - "title": "Niort fait chuter le leader Toulouse", - "description": "

", - "content": "

", + "title": "Un documentaire sur Neymar sortira fin janvier sur Netflix", + "description": "L'âme du comédien qui ressort ?
\n
\nAprès avoir déjà sorti de nombreux documentaires sur des personnalités du football - Antoine Griezmann, Nicolas Anelka, Pelé, entre autres -…

", + "content": "L'âme du comédien qui ressort ?
\n
\nAprès avoir déjà sorti de nombreux documentaires sur des personnalités du football - Antoine Griezmann, Nicolas Anelka, Pelé, entre autres -…

", "category": "", - "link": "https://www.sofoot.com/niort-fait-chuter-le-leader-toulouse-507920.html", + "link": "https://www.sofoot.com/un-documentaire-sur-neymar-sortira-fin-janvier-sur-netflix-508296.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T21:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-niort-fait-chuter-le-leader-toulouse-1638825773_x600_articles-507920.jpg", + "pubDate": "2021-12-14T13:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-documentaire-sur-neymar-sortira-fin-janvier-sur-netflix-1639490792_x600_articles-508296.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ffc1701e71929f9e9ca9017279e47d1d" + "hash": "fbf9a3c28f07946f85c27bc20dc38e77" }, { - "title": "Andrés Iniesta dans le onze type de la saison au Japon", - "description": "Trente-sept ans et toujours aussi fringant.
\n
\nAndrés Iniesta a été récompensé au Japon par une présence dans le onze type de la saison de J-League. C'est le seul joueur du Vissel…

", - "content": "Trente-sept ans et toujours aussi fringant.
\n
\nAndrés Iniesta a été récompensé au Japon par une présence dans le onze type de la saison de J-League. C'est le seul joueur du Vissel…

", + "title": "Lionel Messi : El último baile", + "description": "Le tirage au sort des huitièmes de finale de la Ligue des champions a livré son verdict : le PSG affrontera le Real Madrid. Une confrontation aux enjeux sportifs multiples, qui verra Lionel Messi jouer ce qui pourrait être sa dernière carte sur la table d'une saison peu reluisante.Il aura fallu attendre sept mois. Un peu moins d'un an donc pour enfin voir Lionel Messi retrouver l'Espagne. Et même s'il ne s'agit pas du FC Barcelone, c'est un adversaire tout aussi…", + "content": "Il aura fallu attendre sept mois. Un peu moins d'un an donc pour enfin voir Lionel Messi retrouver l'Espagne. Et même s'il ne s'agit pas du FC Barcelone, c'est un adversaire tout aussi…", "category": "", - "link": "https://www.sofoot.com/andres-iniesta-dans-le-onze-type-de-la-saison-au-japon-507945.html", + "link": "https://www.sofoot.com/lionel-messi-el-ultimo-baile-508255.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T16:54:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-andres-iniesta-dans-le-onze-type-de-la-saison-au-japon-1638810522_x600_articles-507945.jpg", + "pubDate": "2021-12-14T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-el-ultimo-baile-1639418634_x600_articles-alt-508255.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55312,19 +59998,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f12044daa1cd517ee672914633d64a2f" + "hash": "8ecc4594a5f9ec1c9d75f82bbe12f0cf" }, { - "title": "La CAN pourrait être délocalisée au Qatar", - "description": "Le flou règne concernant la tenue de la Coupe d'Afrique des nations 2022.
\n
\nPrévue initialement du 9 janvier au 6 février au Cameroun, la compétition pourrait tout simplement être…

", - "content": "Le flou règne concernant la tenue de la Coupe d'Afrique des nations 2022.
\n
\nPrévue initialement du 9 janvier au 6 février au Cameroun, la compétition pourrait tout simplement être…

", + "title": "Accord entre CVC et LaLiga : à quoi joue le foot espagnol ?", + "description": "Vendredi dernier, l'assemblée générale extraordinaire de LaLiga, composée des 42 clubs de première et deuxième divisions espagnoles, a ratifié l'introduction d'un nouvel acteur financier dans son capital. Le groupe CVC Capital Partners, un fonds d'investissement luxembourgeois, va injecter près de 2 milliards d'euros. Considéré par le groupe LaLiga et la plupart des clubs comme une aubaine financière, ce projet est pourtant largement critiqué, puisque la Fédération espagnole, le Real Madrid et le FC Barcelone s'y sont opposés.La messe était presque dite. Depuis le mois d'août se ficelait un accord entre LaLiga et CVC Capital Partners, qui souhaitait racheter 10% du capital de l'organisateur du championnat espagnol.…", + "content": "La messe était presque dite. Depuis le mois d'août se ficelait un accord entre LaLiga et CVC Capital Partners, qui souhaitait racheter 10% du capital de l'organisateur du championnat espagnol.…", "category": "", - "link": "https://www.sofoot.com/la-can-pourrait-etre-delocalisee-au-qatar-507944.html", + "link": "https://www.sofoot.com/accord-entre-cvc-et-laliga-a-quoi-joue-le-foot-espagnol-508241.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T16:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-can-pourrait-etre-delocalisee-au-qatar-1638809161_x600_articles-507944.jpg", + "pubDate": "2021-12-14T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-accord-entre-cvc-et-laliga-a-quoi-joue-le-foot-espagnol-1639475512_x600_articles-alt-508241.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55332,19 +60019,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cfe2f32dc419266364b721b416d2984d" + "hash": "282eecc07dbe2336593ebcde75dd6591" }, { - "title": "Nathalie Boy de la Tour rejoint le conseil d'administration du RC Lens", - "description": "Première recrue hivernale chez les Sang et Or.
\n
\nEt ce ne sera pas pour venir combler un effectif déjà bien garni, mais plutôt pour renforcer les rangs des missions hors terrain. Dans…

", - "content": "Première recrue hivernale chez les Sang et Or.
\n
\nEt ce ne sera pas pour venir combler un effectif déjà bien garni, mais plutôt pour renforcer les rangs des missions hors terrain. Dans…

", + "title": "Pronostic Borussia Mönchengladbach Eintracht Francfort : Analyse, cotes et prono du match de Bundesliga", + "description": "

L'Eintracht Francfort tient tête à Manchester United

\n
\n1/8e de finaliste de Ligue des Champions la saison passée, Mönchengladbach traverse une…
", + "content": "

L'Eintracht Francfort tient tête à Manchester United

\n
\n1/8e de finaliste de Ligue des Champions la saison passée, Mönchengladbach traverse une…
", "category": "", - "link": "https://www.sofoot.com/nathalie-boy-de-la-tour-rejoint-le-conseil-d-administration-du-rc-lens-507943.html", + "link": "https://www.sofoot.com/pronostic-borussia-monchengladbach-eintracht-francfort-analyse-cotes-et-prono-du-match-de-bundesliga-508261.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T15:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nathalie-boy-de-la-tour-rejoint-le-conseil-d-administration-du-rc-lens-1638809445_x600_articles-507943.jpg", + "pubDate": "2021-12-14T12:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-borussia-monchengladbach-eintracht-francfort-analyse-cotes-et-prono-du-match-de-bundesliga-1639489801_x600_articles-508261.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55352,19 +60040,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a1ca370eb62d7fa99869354e55d2a6f3" + "hash": "370c00380571f6da7e35e3ec019baeb4" }, { - "title": "Une incroyable série sans succès pour Levante ", - "description": "La série qui fait mal.
\n
\nÀ la suite de son match nul face à Osasuna ce dimanche (0-0), Levante compte désormais 24 matchs sans victoire en Liga, égalant la série du Sporting Gijón…

", - "content": "La série qui fait mal.
\n
\nÀ la suite de son match nul face à Osasuna ce dimanche (0-0), Levante compte désormais 24 matchs sans victoire en Liga, égalant la série du Sporting Gijón…

", + "title": "Pronostic Arsenal West Ham : Analyse, cotes et prono du match de Premier League", + "description": "

Arsenal dépasse West Ham

\n
\nDepuis le départ d'Arsène Wenger, Arsenal a lentement régressé. En effet, candidat habituel au Top 4 sous les ordres du…
", + "content": "

Arsenal dépasse West Ham

\n
\nDepuis le départ d'Arsène Wenger, Arsenal a lentement régressé. En effet, candidat habituel au Top 4 sous les ordres du…
", "category": "", - "link": "https://www.sofoot.com/une-incroyable-serie-sans-succes-pour-levante-507942.html", + "link": "https://www.sofoot.com/pronostic-arsenal-west-ham-analyse-cotes-et-prono-du-match-de-premier-league-508291.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T15:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-une-incroyable-serie-sans-succes-pour-levante-1638806030_x600_articles-507942.jpg", + "pubDate": "2021-12-14T12:48:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-arsenal-west-ham-analyse-cotes-et-prono-du-match-de-premier-league-1639487871_x600_articles-508291.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55372,19 +60061,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5a9108868a21645fe00c27bdb3baa71" + "hash": "0adce165bf064154ec7f97aeddc5312b" }, { - "title": "Placé en détention, Massimo Ferrero quitte la présidence de la Sampdoria ", - "description": "Coup de massue sur la Samp.
\n
\nSon président Massimo Ferrero vient d'être placé en détention provisoire par la garde financière italienne. Accusé d'avoir mis en faillite de manière…

", - "content": "Coup de massue sur la Samp.
\n
\nSon président Massimo Ferrero vient d'être placé en détention provisoire par la garde financière italienne. Accusé d'avoir mis en faillite de manière…

", + "title": "La FIGC classe l'affaire sur l'enquête de l'examen d'italien de Suárez", + "description": "Ratus et bouche cousue.
\n
\nPour l'obtention d'un passeport italien, indispensable au moment de rejoindre la Juventus, Luis Suárez a vu son examen invalidé pour cause de fraude. Mais un…

", + "content": "Ratus et bouche cousue.
\n
\nPour l'obtention d'un passeport italien, indispensable au moment de rejoindre la Juventus, Luis Suárez a vu son examen invalidé pour cause de fraude. Mais un…

", "category": "", - "link": "https://www.sofoot.com/place-en-detention-massimo-ferrero-quitte-la-presidence-de-la-sampdoria-507941.html", + "link": "https://www.sofoot.com/la-figc-classe-l-affaire-sur-l-enquete-de-l-examen-d-italien-de-suarez-508288.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T15:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-place-en-detention-massimo-ferrero-quitte-la-presidence-de-la-sampdoria-1638805627_x600_articles-507941.jpg", + "pubDate": "2021-12-14T12:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-figc-classe-l-affaire-sur-l-enquete-de-l-examen-d-italien-de-suarez-1639485976_x600_articles-508288.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55392,19 +60082,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3176e60bb96491e2777b88a185805477" + "hash": "80d78faedbf70d9cfbad37f2b148f614" }, { - "title": "Le Cannet ne sait pas comment il va accueillir l'OM", - "description": "La magie de la Coupe de France.
\n
\nLe tirage au sort des 32es de…

", - "content": "La magie de la Coupe de France.
\n
\nLe tirage au sort des 32es de…

", + "title": "Agüero va donner une conférence de presse pour \"une déclaration sur son futur\"", + "description": "Ça sent pas bon, cette histoire.
\n
\nLe 30 octobre dernier, Sergio Agüero quittait prématurément ses coéquipiers lors d'une
", + "content": "Ça sent pas bon, cette histoire.
\n
\nLe 30 octobre dernier, Sergio Agüero quittait prématurément ses coéquipiers lors d'une
", "category": "", - "link": "https://www.sofoot.com/le-cannet-ne-sait-pas-comment-il-va-accueillir-l-om-507938.html", + "link": "https://www.sofoot.com/aguero-va-donner-une-conference-de-presse-pour-une-declaration-sur-son-futur-508287.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T15:03:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-cannet-ne-sait-pas-comment-il-va-accueillir-l-om-1638805227_x600_articles-507938.jpg", + "pubDate": "2021-12-14T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aguero-va-donner-une-conference-de-presse-pour-une-declaration-sur-son-futur-1639482304_x600_articles-508287.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55412,19 +60103,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "631d5da6c52f3fa69b5f0a619e5f30da" + "hash": "63394b9066e2d83c64ef2fe9f83ae488" }, { - "title": "Affaire de la sextape : Karim Zenati fait aussi appel", - "description": "Du rab pour la justice.
\n
\nDans la foulée du verdict rendu par le tribunal de Versailles le 24 novembre dernier,…

", - "content": "Du rab pour la justice.
\n
\nDans la foulée du verdict rendu par le tribunal de Versailles le 24 novembre dernier,…

", + "title": "Les droits télé de la Liga vendus pour près de 5 milliards d'euros", + "description": "Si ça peut donner des idées aux dirigeants français...
\n
\nÀ l'approche du mercato hivernal, les clubs espagnols peuvent souffler un bon coup. La Liga a vendu, ce lundi, les droits…

", + "content": "Si ça peut donner des idées aux dirigeants français...
\n
\nÀ l'approche du mercato hivernal, les clubs espagnols peuvent souffler un bon coup. La Liga a vendu, ce lundi, les droits…

", "category": "", - "link": "https://www.sofoot.com/affaire-de-la-sextape-karim-zenati-fait-aussi-appel-507937.html", + "link": "https://www.sofoot.com/les-droits-tele-de-la-liga-vendus-pour-pres-de-5-milliards-d-euros-508285.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T14:04:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-affaire-de-la-sextape-karim-zenati-fait-aussi-appel-1638803117_x600_articles-507937.jpg", + "pubDate": "2021-12-14T11:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-droits-tele-de-la-liga-vendus-pour-pres-de-5-milliards-d-euros-1639480133_x600_articles-508285.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55432,19 +60124,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "707b40dd5b43034377ce2eee3da786d0" + "hash": "34cac731698c60a3f9f61d6028a9b427" }, { - "title": "Lukas Podolski étend son empire du kebab", - "description": "Meilleur buteur et meilleur kebabier.
\n
\nLukas Podolski sait comment atteindre le cœur des supporters là où il passe. Après avoir commencé
", - "content": "Meilleur buteur et meilleur kebabier.
\n
\nLukas Podolski sait comment atteindre le cœur des supporters là où il passe. Après avoir commencé
", + "title": "Un club de R2 dépose une réserve contre l'arbitre pour \"copinage\"", + "description": "Les bons coups de sifflet font les bons amis.
\n
\nÀ tous les niveaux, les clubs trouvent souvent quelque chose à redire contre l'arbitre. Mais rarement que l'arbitre était trop sympa.…

", + "content": "Les bons coups de sifflet font les bons amis.
\n
\nÀ tous les niveaux, les clubs trouvent souvent quelque chose à redire contre l'arbitre. Mais rarement que l'arbitre était trop sympa.…

", "category": "", - "link": "https://www.sofoot.com/lukas-podolski-etend-son-empire-du-kebab-507936.html", + "link": "https://www.sofoot.com/un-club-de-r2-depose-une-reserve-contre-l-arbitre-pour-copinage-508286.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T13:48:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lukas-podolski-etend-son-empire-du-kebab-1638799418_x600_articles-507936.jpg", + "pubDate": "2021-12-14T11:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-club-de-r2-depose-une-reserve-contre-l-arbitre-pour-copinage-1639480431_x600_articles-508286.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55452,19 +60145,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4a7ff941b024c7c0a7c7cce87cf3295" + "hash": "8a1f9baa27c41e0baddc421630bef566" }, { - "title": "Faivre, Matazo et Beye donnent pour le Téléthon", - "description": "Non, vous n'avez vu aucun talent de la Ligue 1 sur le plateau de Nagui pour l'annuelle soirée du téléthon vendredi dernier.
\n
\nAutre chose à faire ? Allergiques aux chaussures pour…

", - "content": "Non, vous n'avez vu aucun talent de la Ligue 1 sur le plateau de Nagui pour l'annuelle soirée du téléthon vendredi dernier.
\n
\nAutre chose à faire ? Allergiques aux chaussures pour…

", + "title": "Joshua Kimmich va enfin se faire vacciner contre la Covid-19", + "description": "Sage décision.
\n
\nSous le feu des critiques outre-Rhin pour
", + "content": "Sage décision.
\n
\nSous le feu des critiques outre-Rhin pour
", "category": "", - "link": "https://www.sofoot.com/faivre-matazo-et-beye-donnent-pour-le-telethon-507935.html", + "link": "https://www.sofoot.com/joshua-kimmich-va-enfin-se-faire-vacciner-contre-la-covid-19-508282.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T13:43:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-faivre-matazo-et-beye-donnent-pour-le-telethon-1638799149_x600_articles-507935.jpg", + "pubDate": "2021-12-14T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-joshua-kimmich-va-enfin-se-faire-vacciner-contre-la-covid-19-1639479262_x600_articles-508282.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55472,19 +60166,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "39b221e120b97425666d9405c26283e3" + "hash": "4fa2e3afc84259b249ef5934e7c6e45c" }, { - "title": "Joey Barton relaxé par la justice anglaise", - "description": "Joey dans tous les bons coups.
\n
\nArrivé au poste d'entraîneur de Bristol en février dernier, Barton fait décidément parler de lui où qu'il aille. Déjà
", - "content": "Joey dans tous les bons coups.
\n
\nArrivé au poste d'entraîneur de Bristol en février dernier, Barton fait décidément parler de lui où qu'il aille. Déjà
", + "title": "Alex Morgan rejoint la nouvelle franchise de San Diego", + "description": "Retour au bercail, mais dans une toute nouvelle maison.
\n
\nLa championne olympique 2012 et double championne du monde en titre (2015 et 2019) ne rempilera pas du côté de l'Orlando Pride…

", + "content": "Retour au bercail, mais dans une toute nouvelle maison.
\n
\nLa championne olympique 2012 et double championne du monde en titre (2015 et 2019) ne rempilera pas du côté de l'Orlando Pride…

", "category": "", - "link": "https://www.sofoot.com/joey-barton-relaxe-par-la-justice-anglaise-507934.html", + "link": "https://www.sofoot.com/alex-morgan-rejoint-la-nouvelle-franchise-de-san-diego-508281.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T13:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-joey-barton-relaxe-par-la-justice-anglaise-1638800219_x600_articles-507934.jpg", + "pubDate": "2021-12-14T10:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-alex-morgan-rejoint-la-nouvelle-franchise-de-san-diego-1639476344_x600_articles-508281.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55492,19 +60187,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a6123d4600a22456298fefbd494a75b7" + "hash": "b0b3456c2875f30ea5e4be2e4ff8b623" }, { - "title": "SoFoot Ligue : Nos conseils pour faire vos picks de la semaine 15", - "description": "Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", - "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "title": "Pronostic Crystal Palace Southampton : Analyse, cotes et prono du match de Premier League", + "description": "

    Crystal Palace enchaîne face à Southampton

    \n
    \nAprès avoir enregistré trois défaites consécutives face à Aston Villa (1-2), Leeds (1-0) et Manchester…
    ", + "content": "

    Crystal Palace enchaîne face à Southampton

    \n
    \nAprès avoir enregistré trois défaites consécutives face à Aston Villa (1-2), Leeds (1-0) et Manchester…
    ", "category": "", - "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-15-507933.html", + "link": "https://www.sofoot.com/pronostic-crystal-palace-southampton-analyse-cotes-et-prono-du-match-de-premier-league-508284.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-15-1638794458_x600_articles-507933.jpg", + "pubDate": "2021-12-14T10:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-crystal-palace-southampton-analyse-cotes-et-prono-du-match-de-premier-league-1639479068_x600_articles-508284.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55512,19 +60208,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e8ad82965f512fe98999e7b351361410" + "hash": "5661f2714d947128ff8bb68faf311d7f" }, { - "title": "Et si l'Inter ne s'était pas affaiblie ?", - "description": "Après sa raclée administrée à la Roma pour le compte de la seizième journée de Serie A, l'impression est confirmée : cette Inter version Simone Inzaghi, deuxième du championnat entre Milan et Naples, est monstrueuse. Une belle surprise, au vu des départs et changements subis au sein du club cet été.Après l'affrontement, qui n'en était finalement pas vraiment un, José Mourinho s'est sans doute mis en mode nostalgie. Lui qui avait tant gagné avec l'Inter il y a maintenant plus d'une décennie…", - "content": "Après l'affrontement, qui n'en était finalement pas vraiment un, José Mourinho s'est sans doute mis en mode nostalgie. Lui qui avait tant gagné avec l'Inter il y a maintenant plus d'une décennie…", + "title": "Pronostic Brighton Wolverhampton : Analyse, cotes et prono du match de Premier League", + "description": "

    Un Brighton – Wolverhampton cadenassé

    \n
    \nHabitué à devoir lutter pour son maintien, Brighton a très bien démarré ce nouvel exercice. En effet, les…
    ", + "content": "

    Un Brighton – Wolverhampton cadenassé

    \n
    \nHabitué à devoir lutter pour son maintien, Brighton a très bien démarré ce nouvel exercice. En effet, les…
    ", "category": "", - "link": "https://www.sofoot.com/et-si-l-inter-ne-s-etait-pas-affaiblie-507897.html", + "link": "https://www.sofoot.com/pronostic-brighton-wolverhampton-analyse-cotes-et-prono-du-match-de-premier-league-508283.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-et-si-l-inter-ne-s-etait-pas-affaiblie-1638781932_x600_articles-alt-507897.jpg", + "pubDate": "2021-12-14T10:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brighton-wolverhampton-analyse-cotes-et-prono-du-match-de-premier-league-1639477888_x600_articles-508283.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55532,19 +60229,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4d45746178e01ad06f7fddcf9937181" + "hash": "aac9a5339352649f84a99348ea3553b1" }, { - "title": "Top 7 : on a tous cru à ces (faux) buts", - "description": "Humiliée sur sa propre pelouse par l'Inter samedi (0-3), l'AS Roma pensait sauver l'honneur à la 82e minute par Nicolò Zaniolo, auteur d'une superbe mine en lucarne. Tout le monde y a cru, mais ce n'était en fait qu'une cruelle illusion d'optique. Et c'est loin d'être la première fois que ça arrive. C'est parti pour un top 100% illusion.

    ", - "content": "

    ", + "title": "Lionel Mpasi victime d'insultes racistes lors de Toulouse-Rodez", + "description": "Fin de soirée électrique à Toulouse.
    \n
    \nAlors que le Téfécé vient de perdre son fauteuil…

    ", + "content": "Fin de soirée électrique à Toulouse.
    \n
    \nAlors que le Téfécé vient de perdre son fauteuil…

    ", "category": "", - "link": "https://www.sofoot.com/top-7-on-a-tous-cru-a-ces-faux-buts-507890.html", + "link": "https://www.sofoot.com/lionel-mpasi-victime-d-insultes-racistes-lors-de-toulouse-rodez-508270.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-top-7-on-a-tous-cru-a-ces-faux-buts-1638710066_x600_articles-alt-507890.jpg", + "pubDate": "2021-12-14T10:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lionel-mpasi-victime-d-insultes-racistes-lors-de-toulouse-rodez-1639476063_x600_articles-508270.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55552,19 +60250,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "747f4a7ea05eeac1292bdf3387f891f3" + "hash": "109a770c74a323ec2ff4fc1e6a3cdffe" }, { - "title": "Tromsø lance un maillot QR code qui dénonce le Qatar", - "description": "L'air nordique est bon pour la créativité.
    \n
    \nClub de la plus grande ville au nord du cercle polaire arctique, Tromsø IL, actuel 12e du championnat norvégien, a dévoilé un…

    ", - "content": "L'air nordique est bon pour la créativité.
    \n
    \nClub de la plus grande ville au nord du cercle polaire arctique, Tromsø IL, actuel 12e du championnat norvégien, a dévoilé un…

    ", + "title": "Kroos : \"Le PSG ? L'adversaire le plus dur que nous pouvions affronter\"", + "description": "Les hostilités sont lancées.
    \n
    \nAlors que Benfica aurait dû être l'adversaire du Real Madrid après un…

    ", + "content": "Les hostilités sont lancées.
    \n
    \nAlors que Benfica aurait dû être l'adversaire du Real Madrid après un…

    ", "category": "", - "link": "https://www.sofoot.com/troms-c3-b8-lance-un-maillot-qr-code-qui-denonce-le-qatar-507931.html", + "link": "https://www.sofoot.com/kroos-le-psg-l-adversaire-le-plus-dur-que-nous-pouvions-affronter-508280.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T12:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-troms-c3-b8-lance-un-maillot-qr-code-qui-denonce-le-qatar-1638793792_x600_articles-507931.jpg", + "pubDate": "2021-12-14T09:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kroos-le-psg-l-adversaire-le-plus-dur-que-nous-pouvions-affronter-1639475841_x600_articles-508280.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55572,19 +60271,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "af0337d99a3b034b2f8b82c5ded77dd6" + "hash": "521e554058ee2dff768f012a33a95a1f" }, { - "title": "Pronostic Shakhtar Donetsk Sheriff Tiraspol : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Shakhtar Donetsk se console face au Sheriff Tiraspol

    \n
    \nAvec un seul point au compteur, le Shakhtar Donetsk est éliminé de toutes compétitions…
    ", - "content": "

    Le Shakhtar Donetsk se console face au Sheriff Tiraspol

    \n
    \nAvec un seul point au compteur, le Shakhtar Donetsk est éliminé de toutes compétitions…
    ", + "title": "Pronostic Burnley Watford : Analyse, cotes et prono du match de Premier League", + "description": "

    Burnley solide face à Watford

    \n
    \nL'opposition entre Burnley et Watford concerne la lutte pour le maintien. En effet, les Clarets sont calés dans…
    ", + "content": "

    Burnley solide face à Watford

    \n
    \nL'opposition entre Burnley et Watford concerne la lutte pour le maintien. En effet, les Clarets sont calés dans…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-shakhtar-donetsk-sheriff-tiraspol-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507929.html", + "link": "https://www.sofoot.com/pronostic-burnley-watford-analyse-cotes-et-prono-du-match-de-premier-league-508279.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T11:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-shakhtar-donetsk-sheriff-tiraspol-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638792501_x600_articles-507929.jpg", + "pubDate": "2021-12-14T09:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-burnley-watford-analyse-cotes-et-prono-du-match-de-premier-league-1639475325_x600_articles-508279.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55592,19 +60292,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "145285f6a7302bc24ea4a0931bc89887" + "hash": "26f67a954bc87235fafc3b27c8f711c9" }, { - "title": "Les supporters des Rangers interdits de déplacement à Lyon à 3 jours du match", - "description": "Décidément, tout ce qui est bleu n'est pas le bienvenu à Décines.
    \n
    \nLes 2200 supporters du Rangers FC qui devaient assister à la rencontre à Lyon ce jeudi dans le cadre de la…

    ", - "content": "Décidément, tout ce qui est bleu n'est pas le bienvenu à Décines.
    \n
    \nLes 2200 supporters du Rangers FC qui devaient assister à la rencontre à Lyon ce jeudi dans le cadre de la…

    ", + "title": "Valon Berisha (Reims) se filme à 200 km/h sur l'autoroute", + "description": "C'est l'histoire d'un bonhomme qui fait une grosse bêtise, qui filme sa connerie, avant de la publier sur les réseaux sociaux.
    \n
    \nEt dans ce sublime scénario digne des plus grands…

    ", + "content": "C'est l'histoire d'un bonhomme qui fait une grosse bêtise, qui filme sa connerie, avant de la publier sur les réseaux sociaux.
    \n
    \nEt dans ce sublime scénario digne des plus grands…

    ", "category": "", - "link": "https://www.sofoot.com/les-supporters-des-rangers-interdits-de-deplacement-a-lyon-a-3-jours-du-match-507959.html", + "link": "https://www.sofoot.com/valon-berisha-reims-se-filme-a-200-km-h-sur-l-autoroute-508262.html", "creator": "SO FOOT", - "pubDate": "2021-12-07T10:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-des-rangers-interdits-de-deplacement-a-lyon-a-3-jours-du-match-1638871493_x600_articles-507959.jpg", + "pubDate": "2021-12-14T09:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-valon-berisha-reims-se-filme-a-200-km-h-sur-l-autoroute-1639472097_x600_articles-508262.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55612,19 +60313,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "35abe3e351fbd25d15ea537f3e4e6e59" + "hash": "2bb13874fef4e0212464961c66822673" }, { - "title": "Le Standard de Liège va fermer une partie de ses tribunes après les débordements contre Charleroi", - "description": "Liège hors de ses standards.
    \n
    \nLe derby entre le Standard de Liège et Charleroi, disputé ce dimanche (0-3),
    ", - "content": "Liège hors de ses standards.
    \n
    \nLe derby entre le Standard de Liège et Charleroi, disputé ce dimanche (0-3),
    ", + "title": "Pronostic Bayer Leverkusen Hoffenheim : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Le Bayer Leverkusen remporte le choc face à Hoffenheim

    \n
    \nDans une Bundesliga dominée par le Bayern Munich, la lutte pour le Top 4 est intense. Parmi les…
    ", + "content": "

    Le Bayer Leverkusen remporte le choc face à Hoffenheim

    \n
    \nDans une Bundesliga dominée par le Bayern Munich, la lutte pour le Top 4 est intense. Parmi les…
    ", "category": "", - "link": "https://www.sofoot.com/le-standard-de-liege-va-fermer-une-partie-de-ses-tribunes-apres-les-debordements-contre-charleroi-507930.html", + "link": "https://www.sofoot.com/pronostic-bayer-leverkusen-hoffenheim-analyse-cotes-et-prono-du-match-de-bundesliga-508263.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T11:31:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-standard-de-liege-va-fermer-une-partie-de-ses-tribunes-apres-les-debordements-contre-charleroi-1638792280_x600_articles-507930.jpg", + "pubDate": "2021-12-14T08:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bayer-leverkusen-hoffenheim-analyse-cotes-et-prono-du-match-de-bundesliga-1639472927_x600_articles-508263.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55632,19 +60334,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b60a03a6f02f94b724064457c40eb25" + "hash": "9c2c91f45c3acca10a55bf7c28d5fefc" }, { - "title": "Pronostic Borussia Dortmund Besiktas : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Borussia Dortmund finit en trombe face au Besiktas

    \n
    \nAnnoncé comme le favori de ce groupe, le Borussia Dortmund devra se contenter de la 3e
    ", - "content": "

    Le Borussia Dortmund finit en trombe face au Besiktas

    \n
    \nAnnoncé comme le favori de ce groupe, le Borussia Dortmund devra se contenter de la 3e
    ", + "title": "L'aventurier Florian Sotoca prolonge à Lens jusqu'en 2024", + "description": "Adepte dans la \"traditionnelle épreuve des poteaux rentrants\", \"Soto-Kah\" prolonge avec l'équipe jaune et rouge de l'île Taha'a jusqu'en 2024.
    \n
    \nLe Community…

    ", + "content": "Adepte dans la \"traditionnelle épreuve des poteaux rentrants\", \"Soto-Kah\" prolonge avec l'équipe jaune et rouge de l'île Taha'a jusqu'en 2024.
    \n
    \nLe Community…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-borussia-dortmund-besiktas-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507928.html", + "link": "https://www.sofoot.com/l-aventurier-florian-sotoca-prolonge-a-lens-jusqu-en-2024-508260.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T11:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-borussia-dortmund-besiktas-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638791249_x600_articles-507928.jpg", + "pubDate": "2021-12-14T08:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-aventurier-florian-sotoca-prolonge-a-lens-jusqu-en-2024-1639471502_x600_articles-508260.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55652,19 +60355,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc6a8f990d5b4b322c868a1143e7e6e4" + "hash": "2e44be41ae53f39870114a1681999e84" }, { - "title": "Pronostic Milan AC Liverpool : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Un Milan AC – Liverpool avec des buts de chaque côté

    \n
    \nSi Liverpool est assuré de terminer en tête du groupe B de la Ligue des Champions et donc de…
    ", - "content": "

    Un Milan AC – Liverpool avec des buts de chaque côté

    \n
    \nSi Liverpool est assuré de terminer en tête du groupe B de la Ligue des Champions et donc de…
    ", + "title": "João Figueiredo (Gaziantep) inscrit le but de la semaine d'un tir du milieu de terrain", + "description": "Nabil Fekir et Wahbi Khazri ont trouvé du répondant en Turquie.
    \n
    \nJoão Figueiredo, attaquant de l'écurie turc de Gaziantep, s'est offert ni plus ni moins le but de la semaine, ce…

    ", + "content": "Nabil Fekir et Wahbi Khazri ont trouvé du répondant en Turquie.
    \n
    \nJoão Figueiredo, attaquant de l'écurie turc de Gaziantep, s'est offert ni plus ni moins le but de la semaine, ce…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-milan-ac-liverpool-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507926.html", + "link": "https://www.sofoot.com/joao-figueiredo-gaziantep-inscrit-le-but-de-la-semaine-d-un-tir-du-milieu-de-terrain-508259.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T11:08:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-milan-ac-liverpool-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638790466_x600_articles-507926.jpg", + "pubDate": "2021-12-14T08:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-joao-figueiredo-gaziantep-inscrit-le-but-de-la-semaine-d-un-tir-du-milieu-de-terrain-1639470815_x600_articles-508259.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55672,19 +60376,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "760af34307dbf48c6d639a35161d3222" + "hash": "e95a938583122ea4e1153ca5433e2107" }, { - "title": "Javier Tebas charge Florentino Pérez au sujet des accords commerciaux de la Liga", - "description": "Le meilleur ami du PSG s'est trouvé une nouvelle proie.
    \n
    \nSi l'inimitié entre Javier Tebas, l'actuel boss de la Liga, et Florentino Pérez, le patron du Real Madrid, n'est pas nouvelle,…

    ", - "content": "Le meilleur ami du PSG s'est trouvé une nouvelle proie.
    \n
    \nSi l'inimitié entre Javier Tebas, l'actuel boss de la Liga, et Florentino Pérez, le patron du Real Madrid, n'est pas nouvelle,…

    ", + "title": "Le best of des buts amateurs du week-end des 11 et 12 décembre 2021", + "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", "category": "", - "link": "https://www.sofoot.com/javier-tebas-charge-florentino-perez-au-sujet-des-accords-commerciaux-de-la-liga-507925.html", + "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-11-et-12-decembre-2021-508249.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T11:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-javier-tebas-charge-florentino-perez-au-sujet-des-accords-commerciaux-de-la-liga-1638791986_x600_articles-507925.jpg", + "pubDate": "2021-12-14T08:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-best-of-des-buts-amateurs-du-week-end-des-11-et-12-decembre-2021-1639418992_x600_articles-alt-508249.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55692,19 +60397,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5458c016565882a963d61373a8f3c8c3" + "hash": "9d64e960b677fbc4ea054604b76915c2" }, { - "title": "D'après le CIES, Moussa Diaby et Kylian Mbappé ont actuellement la même valeur marchande", - "description": "Encore un ancien titi qui vole la vedette aux joueurs du PSG.
    \n
    \nDans sa lettre hebdomadaire, le…

    ", - "content": "Encore un ancien titi qui vole la vedette aux joueurs du PSG.
    \n
    \nDans sa lettre hebdomadaire, le…

    ", + "title": "Brentford-Manchester United officiellement reporté à cause du Covid-19", + "description": "La Covid-19 gagne du terrain.
    \n
    \n\"Le club discute avec la Premier League pour savoir s'il est prudent que le match de mardi contre Brentford soit maintenu, aussi bien pour l'infection…

    ", + "content": "La Covid-19 gagne du terrain.
    \n
    \n\"Le club discute avec la Premier League pour savoir s'il est prudent que le match de mardi contre Brentford soit maintenu, aussi bien pour l'infection…

    ", "category": "", - "link": "https://www.sofoot.com/d-apres-le-cies-moussa-diaby-et-kylian-mbappe-ont-actuellement-la-meme-valeur-marchande-507923.html", + "link": "https://www.sofoot.com/brentford-manchester-united-officiellement-reporte-a-cause-du-covid-19-508258.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T10:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-d-apres-le-cies-moussa-diaby-et-kylian-mbappe-ont-actuellement-la-meme-valeur-marchande-1638790380_x600_articles-507923.jpg", + "pubDate": "2021-12-14T08:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-brentford-manchester-united-officiellement-reporte-a-cause-du-covid-19-1639470330_x600_articles-508258.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55712,19 +60418,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "221400dcb4dd6ce67443646982b8eb06" + "hash": "d91e986fcb15cbc16205622b05f3efb0" }, { - "title": "Pronostic Ajax Sporting Lisbonne : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    L'Ajax finit en beauté face au Sporting

    \n
    \nLe groupe C de la Ligue des champions a déjà donné son verdict, puisque l'Ajax est assuré de terminer…
    ", - "content": "

    L'Ajax finit en beauté face au Sporting

    \n
    \nLe groupe C de la Ligue des champions a déjà donné son verdict, puisque l'Ajax est assuré de terminer…
    ", + "title": "Quand Kylian Mbappé recale Spiderman", + "description": "Il a beau faire joujou avec le Bouffon vert, se moquer du Docteur Octopus et envoyer sans pression l'Homme-Lézard derrière les barreaux, il faut croire que Spiderman est impuissant face Retour au terrain.
    \n
    \nPlus d'un mois après avoir appris qu'il n'irait pas derrière les barreaux pour…

    ", - "content": "Retour au terrain.
    \n
    \nPlus d'un mois après avoir appris qu'il n'irait pas derrière les barreaux pour…

    ", + "title": "OM : le monstre de Jorge Sampaoli", + "description": "Brûlant à la rentrée, l'OM de Jorge Sampaoli a su gagner en imperméabilité et en contrôle des événements au fil des dernières semaines. La victoire du week-end à Strasbourg l'a encore prouvé.
    Comme Guardiola et Lillo, Jorge Sampaoli aime se déguiser en saumon. Le trio le justifie par une vie passée…", + "content": "Comme Guardiola et Lillo, Jorge Sampaoli aime se déguiser en saumon. Le trio le justifie par une vie passée…", "category": "", - "link": "https://www.sofoot.com/lucas-hernandez-la-premiere-annee-et-demie-au-bayern-a-ete-la-pire-periode-de-ma-carriere-507922.html", + "link": "https://www.sofoot.com/om-le-monstre-de-jorge-sampaoli-508235.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T10:18:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lucas-hernandez-la-premiere-annee-et-demie-au-bayern-a-ete-la-pire-periode-de-ma-carriere-1638789513_x600_articles-507922.jpg", + "pubDate": "2021-12-14T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-om-le-monstre-de-jorge-sampaoli-1639395782_x600_articles-alt-508235.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55752,19 +60460,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7cdfd5006c2a4f111e6b66ee3d522ab2" + "hash": "9e52af948d1f833d4dd4552941d69044" }, { - "title": "Loïc Perrin rejoint la direction de l'ASSE", - "description": "Plus d'entraîneur, mais un nouveau coordinateur sportif.
    \n
    \n\"L'AS Saint-Étienne annonce la…

    ", - "content": "Plus d'entraîneur, mais un nouveau coordinateur sportif.
    \n
    \n\"L'AS Saint-Étienne annonce la…

    ", + "title": "Les bonnes questions du tirage au sort de Ligue des champions ", + "description": "Le tiraillement de Kylian Mbappé, la volonté de Cristiano Ronaldo de détruire Diego Simeone, les chances des clubs portugais, le tirage au sort compliqué de Salzbourg ou encore le pied d'Alisson, ce tirage au sort des huitièmes de finale de la Ligue des champions amène beaucoup de questions.

  • Avec quelle équipe jouera…
  • ", + "content": "

  • Avec quelle équipe jouera…
  • ", "category": "", - "link": "https://www.sofoot.com/loic-perrin-rejoint-la-direction-de-l-asse-507918.html", + "link": "https://www.sofoot.com/les-bonnes-questions-du-tirage-au-sort-de-ligue-des-champions-508254.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T09:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-loic-perrin-rejoint-la-direction-de-l-asse-1638784578_x600_articles-507918.jpg", + "pubDate": "2021-12-14T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-bonnes-questions-du-tirage-au-sort-de-ligue-des-champions-1639417084_x600_articles-alt-508254.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55772,19 +60481,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b27315d04cc0e282589b9394f423ce84" + "hash": "06a9a1087a98d5aea1b954e767675229" }, { - "title": "Anthony Lopes : \"Douzièmes, c'est inadmissible quand on est l'OL\"", - "description": "Le Lyon qui miaule.
    \n
    \nAu terme d'un match nul frustrant contre les Girondins de Bordeaux ce dimanche…

    ", - "content": "Le Lyon qui miaule.
    \n
    \nAu terme d'un match nul frustrant contre les Girondins de Bordeaux ce dimanche…

    ", + "title": "Lettre d'adieu à Lisandro López", + "description": "À 38 balais, Lisandro López a disputé le dernier match de sa carrière ce week-end. L'attaquant argentin laisse derrière lui une empreinte indélébile dans le cœur de tous les joueurs, clubs ou supporters qui ont croisé son chemin. Une bonne raison de lui rendre hommage. Foutue poussière...\"Le poète a toujours le dernier mot.\" Voilà ce que disait Jean Vilar, fondateur du célèbre festival d'Avignon. De la province de Buenos Aires, là où tu es, il y a pas moins de…", + "content": "\"Le poète a toujours le dernier mot.\" Voilà ce que disait Jean Vilar, fondateur du célèbre festival d'Avignon. De la province de Buenos Aires, là où tu es, il y a pas moins de…", "category": "", - "link": "https://www.sofoot.com/anthony-lopes-douziemes-c-est-inadmissible-quand-on-est-l-ol-507917.html", + "link": "https://www.sofoot.com/lettre-d-adieu-a-lisandro-lopez-508210.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T09:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-anthony-lopes-douziemes-c-est-inadmissible-quand-on-est-l-ol-1638785840_x600_articles-507917.jpg", + "pubDate": "2021-12-14T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lettre-d-adieu-a-lisandro-lopez-1639393305_x600_articles-alt-508210.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55792,19 +60502,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8756359b7684ae66a81f0fdb53a5d252" + "hash": "121253a80078fbc6d02c8a846d9f425f" }, { - "title": "New York City rejoint Portland en finale de la MLS", - "description": "De quoi faire rechanter Frank Sinatra.
    \n
    \nLe New York City FC s'est qualifié pour la première fois de son histoire en finale de MLS en remportant ce dimanche la conférence Est du…

    ", - "content": "De quoi faire rechanter Frank Sinatra.
    \n
    \nLe New York City FC s'est qualifié pour la première fois de son histoire en finale de MLS en remportant ce dimanche la conférence Est du…

    ", + "title": "La Roma dispose du Spezia Calcio", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/new-york-city-rejoint-portland-en-finale-de-la-mls-507913.html", + "link": "https://www.sofoot.com/la-roma-dispose-du-spezia-calcio-508212.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T09:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-new-york-city-rejoint-portland-en-finale-de-la-mls-1638783362_x600_articles-507913.jpg", + "pubDate": "2021-12-13T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-roma-dispose-du-spezia-calcio-1639433020_x600_articles-508212.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55812,19 +60523,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad384f877f49abc8caaee66662410725" + "hash": "eb1a2ab9ca22b599afc9f1f71764f847" }, { - "title": "Pronostic Porto Atlético Madrid : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Porto joue un sale tour à l'Atlético Madrid

    \n
    \nCette affiche entre le FC Porto et l'Atlético Madrid s'apparente à un 16e de finale…
    ", - "content": "

    Porto joue un sale tour à l'Atlético Madrid

    \n
    \nCette affiche entre le FC Porto et l'Atlético Madrid s'apparente à un 16e de finale…
    ", + "title": "Toulouse se fait rattraper sur la fin par Rodez", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-porto-atletico-madrid-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507916.html", + "link": "https://www.sofoot.com/toulouse-se-fait-rattraper-sur-la-fin-par-rodez-508256.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T09:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-porto-atletico-madrid-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638783414_x600_articles-507916.jpg", + "pubDate": "2021-12-13T21:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-toulouse-se-fait-rattraper-sur-la-fin-par-rodez-1639431921_x600_articles-508256.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55832,19 +60544,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c300db1e1c623d4b2bc97e69be5fe40" + "hash": "0c0428bc2f600d90d06d5a441e7f23ea" }, { - "title": "Mo Salah met la pression sur le club pour sa prolongation", - "description": "Une situation pour le moins paradoxale.
    \n
    \nLorsque les dirigeants du FC…

    ", - "content": "Une situation pour le moins paradoxale.
    \n
    \nLorsque les dirigeants du FC…

    ", + "title": "Nicolás Otamendi (Benfica) victime d'un violent cambriolage", + "description": "Après-match agité.
    \n
    \nNicolas Otamendi, le défenseur du SL Benfica, a vécu une soirée pour le moins étrange ce dimanche. Après la victoire 4-1 à Famalicão, le joueur argentin a eu…

    ", + "content": "Après-match agité.
    \n
    \nNicolas Otamendi, le défenseur du SL Benfica, a vécu une soirée pour le moins étrange ce dimanche. Après la victoire 4-1 à Famalicão, le joueur argentin a eu…

    ", "category": "", - "link": "https://www.sofoot.com/mo-salah-met-la-pression-sur-le-club-pour-sa-prolongation-507915.html", + "link": "https://www.sofoot.com/nicolas-otamendi-benfica-victime-d-un-violent-cambriolage-508253.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T09:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mo-salah-met-la-pression-sur-le-club-pour-sa-prolongation-1638782961_x600_articles-507915.jpg", + "pubDate": "2021-12-13T17:29:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nicolas-otamendi-benfica-victime-d-un-violent-cambriolage-1639415787_x600_articles-508253.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55852,19 +60565,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9598b32d4659ab24b7742a0e067b2927" + "hash": "a34d3db6153f2374246369d5659b4f3b" }, { - "title": "Bosz : \"À mon avis, ça n'a rien à voir avec le système\"", - "description": "Une tentative de défense meilleure que celle de son équipe.
    \n
    \nDécevant depuis plusieurs semaines, l'Olympique lyonnais l'a encore été ce dimanche soir au Matmut Atlantique
    ", - "content": "Une tentative de défense meilleure que celle de son équipe.
    \n
    \nDécevant depuis plusieurs semaines, l'Olympique lyonnais l'a encore été ce dimanche soir au Matmut Atlantique
    ", + "title": "Covid-19 : Manchester United-Brentford pourrait être reporté", + "description": "Cadeau de Noël empoisonné à Carrington.
    \n
    \nAlors que le tirage au sort mouvementé de la…

    ", + "content": "Cadeau de Noël empoisonné à Carrington.
    \n
    \nAlors que le tirage au sort mouvementé de la…

    ", "category": "", - "link": "https://www.sofoot.com/bosz-a-mon-avis-ca-n-a-rien-a-voir-avec-le-systeme-507919.html", + "link": "https://www.sofoot.com/covid-19-manchester-united-brentford-pourrait-etre-reporte-508252.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T09:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-bosz-a-mon-avis-ca-n-a-rien-a-voir-avec-le-systeme-1638785721_x600_articles-507919.jpg", + "pubDate": "2021-12-13T16:43:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-covid-19-manchester-united-brentford-pourrait-etre-reporte-1639413742_x600_articles-508252.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55872,19 +60586,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "769c77f0baba041c792e13b0694a9c0f" + "hash": "e6d01184c531b23e8b46453394cd413f" }, { - "title": "Pronostic Leipzig Manchester City : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Manchester City ne lâche rien à Leipzig

    \n
    \nEn s'imposant avec la manière à Bruges (0-5) lors de la dernière journée en date, Leipzig a fait un…
    ", - "content": "

    Manchester City ne lâche rien à Leipzig

    \n
    \nEn s'imposant avec la manière à Bruges (0-5) lors de la dernière journée en date, Leipzig a fait un…
    ", + "title": "Gary Marigard, J-6 avant d'affronter le PSG : \"Mon fils ne veut pas que je tacle Mbappé\"", + "description": "La loterie de la Coupe de France réserve toujours quelques matchs en apparence déséquilibrés : à l'occasion des 32es de finale, c'est Feignies-Aulnoye qui a tiré le gros lot, puisque l'écurie des alentours de Maubeuge est tombé sur le PSG. Pour comprendre comment un footballeur amateur se prépare à une telle échéance, le latéral droit du club du Nord Gary Marigard nous raconte son quotidien, jour par jour, jusqu'au match fatidique. Ce lundi, il revient sur son week-end, à base de Chantilly, de Miss France et de match du LOSC.Après avoir évolué à l'ES Wasquehal, à l'IC Croix puis à l'US Quevilly-Rouen, Gary Marigard joue aujourd'hui à l'Entente Feignies-Aulnoye, qui affrontera le PSG en Coupe de France ce…", + "content": "Après avoir évolué à l'ES Wasquehal, à l'IC Croix puis à l'US Quevilly-Rouen, Gary Marigard joue aujourd'hui à l'Entente Feignies-Aulnoye, qui affrontera le PSG en Coupe de France ce…", "category": "", - "link": "https://www.sofoot.com/pronostic-leipzig-manchester-city-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507914.html", + "link": "https://www.sofoot.com/gary-marigard-j-6-avant-d-affronter-le-psg-mon-fils-ne-veut-pas-que-je-tacle-mbappe-508247.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T08:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-leipzig-manchester-city-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638782583_x600_articles-507914.jpg", + "pubDate": "2021-12-13T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gary-marigard-j-6-avant-d-affronter-le-psg-mon-fils-ne-veut-pas-que-je-tacle-mbappe-1639407329_x600_articles-alt-508247.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55892,19 +60607,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c03483644fe0e34016522915ff01337" + "hash": "9a020fa7f4de1b1298a3d8d79de82300" }, { - "title": "Le derby entre Charleroi et le Standard définitivement interrompu", - "description": "Une affaire qui risque de couter cher au Standard.
    \n
    \nMené 3-0 par Charleroi dans le derby wallon en Jupiler Pro League, Liège continue de s'enfoncer en championnat. Et ses supporters ont…

    ", - "content": "Une affaire qui risque de couter cher au Standard.
    \n
    \nMené 3-0 par Charleroi dans le derby wallon en Jupiler Pro League, Liège continue de s'enfoncer en championnat. Et ses supporters ont…

    ", + "title": "Cambriolé pour la deuxième fois, Eran Zahavi (PSV) ne souhaiterait plus retourner aux Pays-Bas", + "description": "Un de plus sur une liste déjà trop longue.
    \n
    \nEn mai dernier, Eran…

    ", + "content": "Un de plus sur une liste déjà trop longue.
    \n
    \nEn mai dernier, Eran…

    ", "category": "", - "link": "https://www.sofoot.com/le-derby-entre-charleroi-et-le-standard-definitivement-interrompu-507912.html", + "link": "https://www.sofoot.com/cambriole-pour-la-deuxieme-fois-eran-zahavi-psv-ne-souhaiterait-plus-retourner-aux-pays-bas-508251.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T08:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-derby-entre-charleroi-et-le-standard-definitivement-interrompu-1638781315_x600_articles-507912.jpg", + "pubDate": "2021-12-13T15:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-cambriole-pour-la-deuxieme-fois-eran-zahavi-psv-ne-souhaiterait-plus-retourner-aux-pays-bas-1639409812_x600_articles-508251.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55912,19 +60628,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "572430b5fb3f2c829efece28aff69ae6" + "hash": "08896c4db9bc6dfe69bf47b21821e537" }, { - "title": "Pronostic Real Madrid Inter Milan : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Real Madrid enchaîne face à l'Inter pour la 1re place

    \n
    \nAssurés de participer aux huitièmes de finale de la Ligue des Champions,…
    ", - "content": "

    Le Real Madrid enchaîne face à l'Inter pour la 1re place

    \n
    \nAssurés de participer aux huitièmes de finale de la Ligue des Champions,…
    ", + "title": "PSG-Real, petit dîner entre amis", + "description": "Deuxième de sa poule derrière Manchester City, le PSG pouvait craindre le pire lors du tirage au sort des huitièmes de finale de la Ligue des champions. Résultat, les hommes de Pochettino devront affronter le Real Madrid, pour une affiche placée sous le signe des retrouvailles.Pendant deux heures, le PSG s'est projeté sur un duel avec Manchester United, le face-à-face entre Messi et Cristiano Ronaldo, les démons de 2019 et la patte Ralf Rangnick. Mais ce sera finalement…", + "content": "Pendant deux heures, le PSG s'est projeté sur un duel avec Manchester United, le face-à-face entre Messi et Cristiano Ronaldo, les démons de 2019 et la patte Ralf Rangnick. Mais ce sera finalement…", "category": "", - "link": "https://www.sofoot.com/pronostic-real-madrid-inter-milan-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507911.html", + "link": "https://www.sofoot.com/psg-real-petit-diner-entre-amis-508250.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T08:32:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-madrid-inter-milan-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638781225_x600_articles-507911.jpg", + "pubDate": "2021-12-13T15:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-psg-real-petit-diner-entre-amis-1639408962_x600_articles-alt-508250.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55932,19 +60649,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c63a4497b507aaa0312e7c0c2c1d0fb" + "hash": "cc7a781a60949e50eb6b4f0e8eab7039" }, { - "title": "Antonetti se paye Ibrahima Niane", - "description": "De Préville vous manque et tout est dépeuplé.
    \n
    \nEn l'absence de Nicolas De Préville à Monaco (défaite…

    ", - "content": "De Préville vous manque et tout est dépeuplé.
    \n
    \nEn l'absence de Nicolas De Préville à Monaco (défaite…

    ", + "title": "Ligue des champions : le tirage au sort de la honte", + "description": "En raison de deux erreurs grossières lors du tirage au sort des huitièmes de finale de Ligue des champions, l'UEFA a décidé de tout annuler et d'en réaliser un nouveau. Si, pour Lille, rien ne change, puisque l'adversaire - Chelsea - reste le même, ce n'est pas le cas pour les autres qui peuvent regretter, ou non c'est selon, ce second tirage. Retour sur un improbable imbroglio qui fait tache.Les supporters de l'Atlético de Madrid sont passés par toutes les émotions durant ce tirage au sort des huitièmes de finale de Ligue des champions. Il y a d'abord eu une montée de stress au…", + "content": "Les supporters de l'Atlético de Madrid sont passés par toutes les émotions durant ce tirage au sort des huitièmes de finale de Ligue des champions. Il y a d'abord eu une montée de stress au…", "category": "", - "link": "https://www.sofoot.com/antonetti-se-paye-ibrahima-niane-507910.html", + "link": "https://www.sofoot.com/ligue-des-champions-le-tirage-au-sort-de-la-honte-508245.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T08:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-antonetti-se-paye-ibrahima-niane-1638779997_x600_articles-507910.jpg", + "pubDate": "2021-12-13T15:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ligue-des-champions-le-tirage-au-sort-de-la-honte-1639404635_x600_articles-alt-508245.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55952,19 +60670,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "96896e4187c41327944b16950c4f736d" + "hash": "c917a864f668cdbefc669d0e2ea374f4" }, { - "title": "L'Universidad sauvée par trois buts dans les dix dernières minutes", - "description": "Une opération sauvetage digne du RAID.
    \n
    \nAvec trois buts dans les dix dernières minutes, l'Universidad de Chile, club de Santiago, la capitale, s'est sauvé de la relégation lors de la…

    ", - "content": "Une opération sauvetage digne du RAID.
    \n
    \nAvec trois buts dans les dix dernières minutes, l'Universidad de Chile, club de Santiago, la capitale, s'est sauvé de la relégation lors de la…

    ", + "title": "Lille défiera Chelsea en huitièmes de finale de la Ligue des champions", + "description": "Lille avait hérité de Chelsea sur le premier tirage au sort annulé, mais est retombé sur les Blues au second. Les Dogues ne pourront donc éviter le champion d'Europe en titre et actuel troisième de la Premier League, en huitièmes de finale de C1. Un mastodonte créé par Thomas Tuchel que les Nordistes devront se coltiner pour continuer à écrire la plus belle page européenne de leur histoire.Il faut croire que c'était le destin. Après avoir vu le nom de Chelsea sortir une première fois sur les douze coups de midi, les Lillois sont retombés sur le papier griffé à l'effigie du club…", + "content": "Il faut croire que c'était le destin. Après avoir vu le nom de Chelsea sortir une première fois sur les douze coups de midi, les Lillois sont retombés sur le papier griffé à l'effigie du club…", "category": "", - "link": "https://www.sofoot.com/l-universidad-sauvee-par-trois-buts-dans-les-dix-dernieres-minutes-507908.html", + "link": "https://www.sofoot.com/lille-defiera-chelsea-en-huitiemes-de-finale-de-la-ligue-des-champions-508238.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T08:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-universidad-sauvee-par-trois-buts-dans-les-dix-dernieres-minutes-1638779168_x600_articles-507908.jpg", + "pubDate": "2021-12-13T14:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lille-defiera-chelsea-en-huitiemes-de-finale-de-la-ligue-des-champions-1639407426_x600_articles-alt-508238.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55972,19 +60691,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6d77d1b69f08cffb73da958648e2a5d3" + "hash": "a0060c84b492dbe4adb0ba9ddf60b867" }, { - "title": "EuroMillions mardi 7 décembre 2021 : 143 millions d'€ à gagner !", - "description": "Jamais 2 sans 3 ? Deux Français ont remporté en octobre et novembre d'énorme jackpot EuroMillions. Ce mardi 7 décembre 2021, la cagnotte EuroMillions met en jeu 143 millions d'euros à gagner ! De quoi donner quelques idées aux joueurs français...

    EuroMillions du mardi 7 décembre 2021 : 143M d'€

    \n
    \nNon gagnée vendredi, le super jackpot de l'EuroMillions revient avec 143 millions d'euros
    ", - "content": "

    EuroMillions du mardi 7 décembre 2021 : 143M d'€

    \n
    \nNon gagnée vendredi, le super jackpot de l'EuroMillions revient avec 143 millions d'euros
    ", + "title": "Ligue des champions : le retirage au sort complet des huitièmes de finale", + "description": "On reprend tout et on recommence.
    \n
    \nAprès l'énorme couac du premier…

    ", + "content": "On reprend tout et on recommence.
    \n
    \nAprès l'énorme couac du premier…

    ", "category": "", - "link": "https://www.sofoot.com/euromillions-mardi-7-decembre-2021-143-millions-d-e-a-gagner-507907.html", + "link": "https://www.sofoot.com/ligue-des-champions-le-retirage-au-sort-complet-des-huitiemes-de-finale-508246.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T06:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-euromillions-mardi-7-decembre-2021-143-millions-d-e-a-gagner-1638774337_x600_articles-507907.jpg", + "pubDate": "2021-12-13T14:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ligue-des-champions-le-retirage-au-sort-complet-des-huitiemes-de-finale-1639406274_x600_articles-508246.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -55992,19 +60712,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "13ceecc07a30fe3d79671480ae1af1e3" + "hash": "93fd653a203829ba333ec1e6a9627886" }, { - "title": "Claude Puel, Vert trop solitaire", - "description": "Pour la deuxième fois en vingt ans de carrière, Claude Puel s'apprête à être limogé en cours de saison. Une issue devenue inévitable pour le technicien de 60 ans, dans l'impasse à Saint-Étienne, où il n'a jamais pu poser sa patte malgré la confiance des dirigeants.
    Qu'on voit les Verts à moitié pleins, ou à moitié vides, on ne peut s'empêcher d'avoir un goût de gâchis en bouche à l'annonce du départ de Claude Puel. Après un peu plus de deux…", - "content": "Qu'on voit les Verts à moitié pleins, ou à moitié vides, on ne peut s'empêcher d'avoir un goût de gâchis en bouche à l'annonce du départ de Claude Puel. Après un peu plus de deux…", + "title": "Ligue des champions : ce sera finalement le Real Madrid pour le Paris Saint-Germain en huitièmes de finale", + "description": "Sale retirage.
    \n
    \nInitialement opposé à Manchester United lors du fiasco du premier tirage, le Paris Saint-Germain est enfin fixé sur son adversaire en huitièmes de finale de Ligue des…

    ", + "content": "Sale retirage.
    \n
    \nInitialement opposé à Manchester United lors du fiasco du premier tirage, le Paris Saint-Germain est enfin fixé sur son adversaire en huitièmes de finale de Ligue des…

    ", "category": "", - "link": "https://www.sofoot.com/claude-puel-vert-trop-solitaire-507906.html", + "link": "https://www.sofoot.com/ligue-des-champions-ce-sera-finalement-le-real-madrid-pour-le-paris-saint-germain-en-huitiemes-de-finale-508248.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-claude-puel-vert-trop-solitaire-1638739556_x600_articles-alt-507906.jpg", + "pubDate": "2021-12-13T14:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ligue-des-champions-ce-sera-finalement-le-real-madrid-pour-le-paris-saint-germain-en-huitiemes-de-finale-1639405792_x600_articles-508248.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56012,19 +60733,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b30aae2ad042d78f56b2c76e60ee079e" + "hash": "9eea527d33950482e82cdfb1157c4bc1" }, { - "title": "Ces trois infos du week-end vont vous étonner", - "description": "Parce qu'il n'y a pas que les championnats du \"Big Five\" dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : un 22e titre de champion de Suède pour Malmö, la Ligue Europa africaine et une série dingue en Serbie.

    ", - "content": "

    ", + "title": "C1 : Le LOSC, qui devait affronter Chelsea, affrontera finalement Chelsea", + "description": "Ctrl C - Ctrl V.
    \n
    \nEn terminant premier de sa poule de Ligue des champions, le LOSC était assuré ce lundi de tirer au sort un deuxième de poule en huitièmes de finale. Mais Andreï…

    ", + "content": "Ctrl C - Ctrl V.
    \n
    \nEn terminant premier de sa poule de Ligue des champions, le LOSC était assuré ce lundi de tirer au sort un deuxième de poule en huitièmes de finale. Mais Andreï…

    ", "category": "", - "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-507903.html", + "link": "https://www.sofoot.com/c1-le-losc-qui-devait-affronter-chelsea-affrontera-finalement-chelsea-508244.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ces-trois-infos-du-week-end-vont-vous-etonner-1638728100_x600_articles-507903.jpg", + "pubDate": "2021-12-13T14:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-c1-le-losc-qui-devait-affronter-chelsea-affrontera-finalement-chelsea-1639405298_x600_articles-508244.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56032,19 +60754,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8119f3cd7a361eb1bcff6b9d27c1ab0b" + "hash": "41a930dff75a674df5a247bcb49cb06b" }, { - "title": "Brest a le vent dans le dos", - "description": "Incapable de gagner pendant de longues semaines, le Brest de Michel Der Zakarian n'en finit plus de mettre à genoux ses adversaires. Depuis le déclic face à Monaco fin octobre, les Ty Zef sont inarrêtables, eux qui ont enchaîné un sixième succès consécutif samedi, au Vélodrome. Mais qui pourra donc arrêter cette bande de pirates sanguinaires prêts à tout pour faire trembler la Ligue 1 ?Le 31 octobre dernier, tout semblait gris au-dessus de la tête du Stade brestois, toujours privé de victoire après onze journées et contraint de barboter aux côtés de Metz et Saint-Étienne,…", - "content": "Le 31 octobre dernier, tout semblait gris au-dessus de la tête du Stade brestois, toujours privé de victoire après onze journées et contraint de barboter aux côtés de Metz et Saint-Étienne,…", + "title": "Retirage au sort en Ligues de champions : le Real Madrid, tombé face à Benfica crie au scandale", + "description": "Le cirque continue.
    \n
    \nLa décision de procéder à un nouveau tirage pour les…

    ", + "content": "Le cirque continue.
    \n
    \nLa décision de procéder à un nouveau tirage pour les…

    ", "category": "", - "link": "https://www.sofoot.com/brest-a-le-vent-dans-le-dos-507900.html", + "link": "https://www.sofoot.com/retirage-au-sort-en-ligues-de-champions-le-real-madrid-tombe-face-a-benfica-crie-au-scandale-508243.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-brest-a-le-vent-dans-le-dos-1638716172_x600_articles-alt-507900.jpg", + "pubDate": "2021-12-13T13:43:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-retirage-au-sort-en-ligues-de-champions-le-real-madrid-tombe-face-a-benfica-crie-au-scandale-1639402101_x600_articles-508243.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56052,19 +60775,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e9881904411df5e00100cd510634047" + "hash": "0a56a2a9e9ce3788f6c83707d83c4997" }, { - "title": "SO FOOT #192", - "description": "Lire le sommaire S'abonner
    \nEN KIOSQUE LE 09/12/2021
    \n

    \nBruno Genesio.
    \nDéfenseur du coaching à la française,…


    ", - "content": "
    \nEN KIOSQUE LE 09/12/2021
    \n

    \nBruno Genesio.
    \nDéfenseur du coaching à la française,…


    ", + "title": "Ligue Europa Conférence : L'OM affrontera le Qarabağ FK", + "description": "Le voilà, le déplacement bien lointain qui ne va faire plaisir à personne.
    \n
    \nReversé en Ligue Europa Conférence

    ", + "content": "Le voilà, le déplacement bien lointain qui ne va faire plaisir à personne.
    \n
    \nReversé en Ligue Europa Conférence


    ", "category": "", - "link": "https://www.sofoot.com/so-foot-192-507663.html", + "link": "https://www.sofoot.com/ligue-europa-conference-l-om-affrontera-le-qarabag-fk-508229.html", "creator": "SO FOOT", - "pubDate": "2021-12-06T04:03:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-so-foot-192-1638268538_x600_articles-alt-507663.jpg", + "pubDate": "2021-12-13T13:34:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ligue-europa-conference-l-om-affrontera-le-qarabag-fk-1639402664_x600_articles-508229.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56072,19 +60796,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e8689692561c928ec0187a854964d5c0" + "hash": "08696ac621ba78580cdc18b7974c3fe7" }, { - "title": "Les notes de Bordeaux-Lyon ", - "description": "Il a fallu de grands Lopes et Lukeba pour que Lyon ne se fasse pas punir par Bordeaux. Elis, lui, a montré aux attaquants lyonnais ce que c'était que de \"prendre la profondeur\".

    Les bons élèves


    \n
    \nHier, les…

    ", - "content": "

    Les bons élèves


    \n
    \nHier, les…

    ", + "title": "Boubacar Kamara devrait partir libre de l'OM", + "description": "
    \"Partir un jour...\"
    \n
    \nFort de son succès en Alsace face au Racing Club de Strasbourg dimanche…

    ", + "content": "\"Partir un jour...\"
    \n
    \nFort de son succès en Alsace face au Racing Club de Strasbourg dimanche…

    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-bordeaux-lyon-507905.html", + "link": "https://www.sofoot.com/boubacar-kamara-devrait-partir-libre-de-l-om-508231.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T22:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-bordeaux-lyon-1638741154_x600_articles-alt-507905.jpg", + "pubDate": "2021-12-13T13:12:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-boubacar-kamara-devrait-partir-libre-de-l-om-1639401436_x600_articles-508231.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56092,19 +60817,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d8f01bdf7bd44952d52ae223eed64d63" + "hash": "07cd8123fb23b11af7b94d81331e3555" }, { - "title": "La Juventus vient à bout du Genoa malgré un énorme Sirigu", - "description": "

    ", - "content": "

    ", + "title": "C1 : le tirage des huitièmes annulé et refait à 15h", + "description": "Boules neuves !
    \n
    \nFinalement, le Paris Saint-Germain n'affrontera pas…

    ", + "content": "Boules neuves !
    \n
    \nFinalement, le Paris Saint-Germain n'affrontera pas…

    ", "category": "", - "link": "https://www.sofoot.com/la-juventus-vient-a-bout-du-genoa-malgre-un-enorme-sirigu-507868.html", + "link": "https://www.sofoot.com/c1-le-tirage-des-huitiemes-annule-et-refait-a-15h-508242.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T21:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-vient-a-bout-du-genoa-malgre-un-enorme-sirigu-1638740531_x600_articles-507868.jpg", + "pubDate": "2021-12-13T12:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-c1-le-tirage-des-huitiemes-annule-et-refait-a-15h-1639400780_x600_articles-508242.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56112,19 +60838,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd38e48be02b3e8702b83fb851287bd1" + "hash": "b531c36b9c8ec8d1fc1381612a2173a1" }, { - "title": "Bordeaux et Lyon se quittent dos à dos", - "description": "Tous deux en difficulté depuis plusieurs semaines en Ligue 1, Bordeaux et Lyon étaient en quête de rédemption ce dimanche soir. Manqué, les deux équipes se quittent sur un match nul à rebondissements (2-2) qui n'arrange personne.

    ", - "content": "

    ", + "title": "Suivez le deuxième tirage au sort des huitièmes de la Ligue des champions 2021-2022", + "description": "Incapable d'organiser un tirage au sort correct - la boule de Manchester United s'est retrouvée dans le mauvais saladier -, l'UEFA est obligée de procéder un nouveau tirage au sort pour les huitièmes de finale de la Ligue des champions... Super.

    Les qualifiés :

    \n

    Chapeau 1

    \n
    \n
    ", + "content": "

    Les qualifiés :

    \n

    Chapeau 1

    \n
    \n
    ", "category": "", - "link": "https://www.sofoot.com/bordeaux-et-lyon-se-quittent-dos-a-dos-507858.html", + "link": "https://www.sofoot.com/suivez-le-deuxieme-tirage-au-sort-des-huitiemes-de-la-ligue-des-champions-2021-2022-508240.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T21:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-bordeaux-et-lyon-se-quittent-dos-a-dos-1638741442_x600_articles-alt-507858.jpg", + "pubDate": "2021-12-13T12:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-suivez-le-deuxieme-tirage-au-sort-des-huitiemes-de-la-ligue-des-champions-2021-2022-1639400150_x600_articles-508240.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56132,19 +60859,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6d42e79bb1ef6b0d3b37250d65b0e74f" + "hash": "8f74f10a14027ccbda1fe28c265ee23f" }, { - "title": "En direct : Bordeaux - Lyon ", - "description": "0' : @piticoujou: Oh merci, je vais essayer de faire du mieux possible, promis. Un petit prono ...", - "content": "0' : @piticoujou: Oh merci, je vais essayer de faire du mieux possible, promis. Un petit prono ...", + "title": "Tirage au sort de Ligue Europa : Barça-Naples et Leipzig-Real Sociedad en barrages", + "description": "Voir Barcelone un jeudi soir n'est désormais plus qu'une question de temps.
    \n
    \nC'est de l'inédit ! Le nouveau format de la Ligue Europa prévoit des barrages entre les deuxièmes de…

    ", + "content": "Voir Barcelone un jeudi soir n'est désormais plus qu'une question de temps.
    \n
    \nC'est de l'inédit ! Le nouveau format de la Ligue Europa prévoit des barrages entre les deuxièmes de…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-bordeaux-lyon-507904.html", + "link": "https://www.sofoot.com/tirage-au-sort-de-ligue-europa-barca-naples-et-leipzig-real-sociedad-en-barrages-508232.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T19:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-bordeaux-lyon-1638732761_x600_articles-alt-507904.jpg", + "pubDate": "2021-12-13T12:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tirage-au-sort-de-ligue-europa-barca-naples-et-leipzig-real-sociedad-en-barrages-1639399484_x600_articles-508232.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56152,19 +60880,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "30bf643e14c700e139b7eb6a1080090c" + "hash": "8aeac2189ff5b2ca09b92a4eab489d3f" }, { - "title": "Aston Villa maîtrise Leicester", - "description": "

    ", - "content": "

    ", + "title": "SoFoot Ligue : Nos conseils pour faire vos picks de la semaine 16", + "description": "Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", "category": "", - "link": "https://www.sofoot.com/aston-villa-maitrise-leicester-507857.html", + "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-16-508236.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T18:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-aston-villa-maitrise-leicester-1638730076_x600_articles-507857.jpg", + "pubDate": "2021-12-13T12:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-16-1639397560_x600_articles-508236.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56172,19 +60901,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb80a63627b4312a04b53b1211cd0bd3" + "hash": "3c2e692ceadc8f1316dd5b864c1a0b5f" }, { - "title": "Fribourg atomise Gladbach", - "description": "

    ", - "content": "

    ", + "title": "Le tirage au sort complet des huitièmes de C1", + "description": "Les choses sérieuses commencent enfin. Ou en tout cas, \"devaient\".
    \n
    \n
    ", + "content": "Les choses sérieuses commencent enfin. Ou en tout cas, \"devaient\".
    \n
    \n
    ", "category": "", - "link": "https://www.sofoot.com/fribourg-atomise-gladbach-507864.html", + "link": "https://www.sofoot.com/le-tirage-au-sort-complet-des-huitiemes-de-c1-508234.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T18:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-fribourg-atomise-gladbach-1638729047_x600_articles-507864.jpg", + "pubDate": "2021-12-13T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-tirage-au-sort-complet-des-huitiemes-de-c1-1639396078_x600_articles-508234.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56192,19 +60922,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1782843bf86237b8ba8c2d5ca98e5f40" + "hash": "9cef22ed55fc1fa243ea652df82c32b0" }, { - "title": "Nice se troue contre Strasbourg", - "description": "

    ", - "content": "

    ", + "title": "C1 : retrouvailles PSG-United et Messi-CR7 en huitièmes", + "description": "Jamais deux sans trois.
    \n
    \nTant attendu, le tirage au sort des huitièmes de finale de la Ligue des champions a enfin livré son verdict. Les Parisiens peuvent remercier la main innocente…

    ", + "content": "Jamais deux sans trois.
    \n
    \nTant attendu, le tirage au sort des huitièmes de finale de la Ligue des champions a enfin livré son verdict. Les Parisiens peuvent remercier la main innocente…

    ", "category": "", - "link": "https://www.sofoot.com/nice-se-troue-contre-strasbourg-507901.html", + "link": "https://www.sofoot.com/c1-retrouvailles-psg-united-et-messi-cr7-en-huitiemes-508225.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T17:57:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nice-se-troue-contre-strasbourg-1638727546_x600_articles-507901.jpg", + "pubDate": "2021-12-13T11:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-c1-retrouvailles-psg-united-et-messi-cr7-en-huitiemes-1639396920_x600_articles-508225.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56212,19 +60943,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7443d9e0f9540a610d655ee043b4fb0f" + "hash": "6aadf396b8b0810dc34c1397634e7ec5" }, { - "title": "Claude Puel mis à pied après la gifle reçue contre Rennes", - "description": "Le désormais ex-entraîneur de l'ASSE est le premier coach remercié cette saison en Ligue 1.Ça sentait le roussi.
    \n
    \nQuelques heures à peine après la claque reçue au Chaudron…

    ", - "content": "Ça sentait le roussi.
    \n
    \nQuelques heures à peine après la claque reçue au Chaudron…

    ", + "title": "Suivez le tirage au sort des barrages de la Ligue Europa et Ligue Europa Conférence 2021-2022", + "description": "Les phases de poules, c'est terminé ! Désormais, place aux choses sérieuses avec le tirage au sort des barrages de la Ligue Europa et Ligue Europa Conférence 2021-2022. Aucun club français (cocorico) en C3 puisque Lyon et Monaco sont déjà en huitièmes, mais du très lourd en perspective cependant. En revanche, qui aura l'honneur de se frotter à Marseille en C4 ?

    Les participants en Ligue Europa Conférence :

    \n

    Têtes de série

    \n
    \n
    ", + "content": "

    Les participants en Ligue Europa Conférence :

    \n

    Têtes de série

    \n
    \n
    ", "category": "", - "link": "https://www.sofoot.com/claude-puel-mis-a-pied-apres-la-gifle-recue-contre-rennes-507902.html", + "link": "https://www.sofoot.com/suivez-le-tirage-au-sort-des-barrages-de-la-ligue-europa-et-ligue-europa-conference-2021-2022-508233.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T16:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-claude-puel-mis-a-pied-apres-la-gifle-recue-contre-rennes-1638723431_x600_articles-507902.jpg", + "pubDate": "2021-12-13T11:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-suivez-le-tirage-au-sort-des-barrages-de-la-ligue-europa-et-ligue-europa-conference-2021-2022-1639396224_x600_articles-alt-508233.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56232,19 +60964,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c45ba8ebd77667fd8b987f56e86960e" + "hash": "5ba20ed061493f98d244b37ecb5a2f01" }, { - "title": "Angers retrouve la victoire à Reims ", - "description": "La dalle angevine est de retour !

    ", - "content": "

    ", + "title": "C1 : Le LOSC défiera Chelsea en huitièmes", + "description": "L'Eden Hazardico.
    \n
    \nEn terminant premier de sa poule de Ligue des champions, le LOSC était assuré ce lundi de tirer au sort un deuxième de poule en huitièmes de finale. Mais Andreï…

    ", + "content": "L'Eden Hazardico.
    \n
    \nEn terminant premier de sa poule de Ligue des champions, le LOSC était assuré ce lundi de tirer au sort un deuxième de poule en huitièmes de finale. Mais Andreï…

    ", "category": "", - "link": "https://www.sofoot.com/angers-retrouve-la-victoire-a-reims-507896.html", + "link": "https://www.sofoot.com/c1-le-losc-defiera-chelsea-en-huitiemes-508227.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-angers-retrouve-la-victoire-a-reims-1638720093_x600_articles-507896.jpg", + "pubDate": "2021-12-13T11:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-c1-le-losc-defiera-chelsea-en-huitiemes-1639395480_x600_articles-508227.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56252,19 +60985,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2dd4524297d5403a159cbedccc9b03f0" + "hash": "106abce7b8197faec0544e5e289e23fd" }, { - "title": "Nantes vole trois points à Lorient", - "description": "Les Canaris n'ont pas vu le ballon mais ont mangé les Merlus.

    ", - "content": "

    ", + "title": "Contre la Real Sociedad, les supporters du Real Betis inondent la pelouse de peluches pour les enfants défavorisés", + "description": "Noël avant l'heure à Séville.
    \n
    \nChez les supporters comme chez les joueurs, au Real Betis, on sait comment faire des heureux. Alors que la
    ", + "content": "Noël avant l'heure à Séville.
    \n
    \nChez les supporters comme chez les joueurs, au Real Betis, on sait comment faire des heureux. Alors que la
    ", "category": "", - "link": "https://www.sofoot.com/nantes-vole-trois-points-a-lorient-507895.html", + "link": "https://www.sofoot.com/contre-la-real-sociedad-les-supporters-du-real-betis-inondent-la-pelouse-de-peluches-pour-les-enfants-defavorises-508230.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nantes-vole-trois-points-a-lorient-1638722713_x600_articles-507895.jpg", + "pubDate": "2021-12-13T11:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-contre-la-real-sociedad-les-supporters-du-real-betis-inondent-la-pelouse-de-peluches-pour-les-enfants-defavorises-1639393885_x600_articles-508230.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56272,19 +61006,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "23fd817f6e3701c20f3c59571d6dacd1" + "hash": "d2c93af9189c711b63abf4f8abb0081d" }, { - "title": "Tottenham écarte facilement Norwich, Leeds frustre Brentford", - "description": "

    ", - "content": "

    ", + "title": "Marlos quitte le Shakhtar Donetsk libre de tout contrat", + "description": "Clap de fin.
    \n
    \nDepuis que Marlos Romero Bonfim, dit Marlos, a mis les pieds au Shakhtar Donetsk, il y a sept ans, sa vie a complètement basculé. Celui qui est né dans les quartiers…

    ", + "content": "Clap de fin.
    \n
    \nDepuis que Marlos Romero Bonfim, dit Marlos, a mis les pieds au Shakhtar Donetsk, il y a sept ans, sa vie a complètement basculé. Celui qui est né dans les quartiers…

    ", "category": "", - "link": "https://www.sofoot.com/tottenham-ecarte-facilement-norwich-leeds-frustre-brentford-507867.html", + "link": "https://www.sofoot.com/marlos-quitte-le-shakhtar-donetsk-libre-de-tout-contrat-508228.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tottenham-ecarte-facilement-norwich-leeds-frustre-brentford-1638720676_x600_articles-507867.jpg", + "pubDate": "2021-12-13T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-marlos-quitte-le-shakhtar-donetsk-libre-de-tout-contrat-1639393421_x600_articles-508228.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56292,19 +61027,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e12104bab9cf6b0fa960d647e47be7d" + "hash": "4a9e057af1aa12823c40e06b94719d3e" }, { - "title": "Manchester United s'impose de peu contre Crystal Palace", - "description": "

    ", - "content": "

    ", + "title": "Suivez le tirage au sort des huitièmes de la Ligue des champions 2021-2022", + "description": "Après une intense bataille de six journées, le Paris Saint-Germain et Lille sont sortis vivants de ce premier tour de la Ligue des champions 2021-2022. Il ne reste désormais plus que seize prétendants à la victoire finale, et le tirage au sort s'apprête à être effectué. Alors, du lourd à venir pour Paris et Lille ?

    Les qualifiés :

    \n

    Chapeau 1

    \n
    \n
    ", + "content": "

    Les qualifiés :

    \n

    Chapeau 1

    \n
    \n
    ", "category": "", - "link": "https://www.sofoot.com/manchester-united-s-impose-de-peu-contre-crystal-palace-507886.html", + "link": "https://www.sofoot.com/suivez-le-tirage-au-sort-des-huitiemes-de-la-ligue-des-champions-2021-2022-508223.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T15:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-s-impose-de-peu-contre-crystal-palace-1638720064_x600_articles-507886.jpg", + "pubDate": "2021-12-13T10:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-suivez-le-tirage-au-sort-des-huitiemes-de-la-ligue-des-champions-2021-2022-1639388048_x600_articles-alt-508223.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56312,19 +61048,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1daeac0e619e1cfe0d447e2caeb3b38" + "hash": "a8912e6b4f34791228d7e1aabae496bd" }, { - "title": "Monaco puissance quatre contre Metz", - "description": "La couleur préférée de l'ASM ? Le Grenat.

    ", - "content": "

    ", + "title": "Le Belge Thomas Vermaelen va quitter le Vissel Kobe", + "description": "Andrés Iniesta perd un soldat.
    \n
    \nExpatrié au Japon depuis juillet 2019, Thomas Vermaelen ne verra pas son contrat prolongé au Vissel Kobe. À 36 ans, le défenseur belge sera libre…

    ", + "content": "Andrés Iniesta perd un soldat.
    \n
    \nExpatrié au Japon depuis juillet 2019, Thomas Vermaelen ne verra pas son contrat prolongé au Vissel Kobe. À 36 ans, le défenseur belge sera libre…

    ", "category": "", - "link": "https://www.sofoot.com/monaco-puissance-quatre-contre-metz-507898.html", + "link": "https://www.sofoot.com/le-belge-thomas-vermaelen-va-quitter-le-vissel-kobe-508226.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T15:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-monaco-puissance-quatre-contre-metz-1638719906_x600_articles-507898.jpg", + "pubDate": "2021-12-13T10:11:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-belge-thomas-vermaelen-va-quitter-le-vissel-kobe-1639390452_x600_articles-508226.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56332,19 +61069,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c42a2a3a221b15f19be18c9573cd0e6" + "hash": "f05c669fd348297614a3eeea80e59f51" }, { - "title": "Montpellier enfonce Clermont", - "description": "Clermont coule, coule, coule...

    ", - "content": "

    ", + "title": "Le Français Hubert Velud, sélectionneur du Soudan, démis de ses fonctions", + "description": "La valse des entraîneurs se poursuit sur le continent africain.
    \n
    \nLa…

    ", + "content": "La valse des entraîneurs se poursuit sur le continent africain.
    \n
    \nLa…

    ", "category": "", - "link": "https://www.sofoot.com/montpellier-enfonce-clermont-507893.html", + "link": "https://www.sofoot.com/le-francais-hubert-velud-selectionneur-du-soudan-demis-de-ses-fonctions-508224.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T15:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-montpellier-enfonce-clermont-1638718901_x600_articles-507893.jpg", + "pubDate": "2021-12-13T10:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-francais-hubert-velud-selectionneur-du-soudan-demis-de-ses-fonctions-1639389378_x600_articles-508224.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56352,19 +61090,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b2db1ac3a5337ddc10ffbe35d6c1794" + "hash": "6f53458f78fea03e96c00304c0899e87" }, { - "title": "Un supporter du Beerschot s'invite sur la pelouse pour attaquer le parcage adverse", - "description": "Jour de derby en ce premier dimanche de décembre à Anvers, où le Beerschot recevait le voisin du Royal Antwerp en début d'après-midi en Jupiler Pro League. Et si, sur la pelouse, les locaux se…", - "content": "Jour de derby en ce premier dimanche de décembre à Anvers, où le Beerschot recevait le voisin du Royal Antwerp en début d'après-midi en Jupiler Pro League. Et si, sur la pelouse, les locaux se…", + "title": "Top 10 : Ciseaux de Ligue 1 ", + "description": "Ce week-end à Strasbourg, l'attaquant de l'OM Bamba Dieng a réalisé le plus beau but de la journée de Ligue 1 à l'aide du geste technique absolu du buteur : le ciseau retourné. L'international sénégalais entre ainsi par la grande porte dans la caste des acrobates du championnat de France. En voici dix depuis 2000. Car avant, cela aurait été un simple best-of des spécialistes Jean-Pierre Papin et Amara Simba.

    Djibril Cissé, AJ Auxerre-PSG (1-1), 4 août 2001

    \n
    \nMarquer grâce à un puissant ciseau acrobatique après que le ballon touche la barre transversale,…
    ", + "content": "

    Djibril Cissé, AJ Auxerre-PSG (1-1), 4 août 2001

    \n
    \nMarquer grâce à un puissant ciseau acrobatique après que le ballon touche la barre transversale,…
    ", "category": "", - "link": "https://www.sofoot.com/un-supporter-du-beerschot-s-invite-sur-la-pelouse-pour-attaquer-le-parcage-adverse-507899.html", + "link": "https://www.sofoot.com/top-10-ciseaux-de-ligue-1-508211.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T14:38:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-supporter-du-beerschot-s-invite-sur-la-pelouse-pour-attaquer-le-parcage-adverse-1638716032_x600_articles-507899.jpg", + "pubDate": "2021-12-13T09:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-top-10-ciseaux-de-ligue-1-1639352953_x600_articles-alt-508211.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56372,19 +61111,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8af21987b341146471193d68538b737b" + "hash": "99329c8112eb7ba398b2dd933eed99e7" }, { - "title": "Rennes démolit Saint-Étienne, triplé de Martin Terrier", - "description": "

    ", - "content": "

    ", + "title": "L'Atlas champion du Mexique après plus de 70 ans d'attente", + "description": "Guadalajara revit enfin.
    \n
    \nAprès la victoire du Club León au match aller ce jeudi (3-2), l'Atlas avait une mission à réaliser ce dimanche soir : retourner la situation et offrir enfin…

    ", + "content": "Guadalajara revit enfin.
    \n
    \nAprès la victoire du Club León au match aller ce jeudi (3-2), l'Atlas avait une mission à réaliser ce dimanche soir : retourner la situation et offrir enfin…

    ", "category": "", - "link": "https://www.sofoot.com/rennes-demolit-saint-etienne-triple-de-martin-terrier-507884.html", + "link": "https://www.sofoot.com/l-atlas-champion-du-mexique-apres-plus-de-70-ans-d-attente-508222.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T14:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-rennes-demolit-saint-etienne-triple-de-martin-terrier-1638712705_x600_articles-507884.jpg", + "pubDate": "2021-12-13T08:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atlas-champion-du-mexique-apres-plus-de-70-ans-d-attente-1639385937_x600_articles-508222.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56392,19 +61132,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f201f0dde644d9155934ae22caaf45c" + "hash": "dda338bf98d96a409a1446a9b41f8093" }, { - "title": "La Fiorentina vient à bout de Bologne et s'adjuge le derby", - "description": "

    ", - "content": "

    ", + "title": "Téji Savanier (Montpellier) au sujet de l'équipe de France : \"C'est un rêve de pouvoir jouer pour son pays\"", + "description": "Un appel du pied aussi qualitatif que ses passes décisives.
    \n
    \nEncore auteur d'une remarquable prestation
    ", + "content": "Un appel du pied aussi qualitatif que ses passes décisives.
    \n
    \nEncore auteur d'une remarquable prestation
    ", "category": "", - "link": "https://www.sofoot.com/la-fiorentina-vient-a-bout-de-bologne-et-s-adjuge-le-derby-507889.html", + "link": "https://www.sofoot.com/teji-savanier-montpellier-au-sujet-de-l-equipe-de-france-c-est-un-reve-de-pouvoir-jouer-pour-son-pays-508221.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T13:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-fiorentina-vient-a-bout-de-bologne-et-s-adjuge-le-derby-1638711483_x600_articles-507889.jpg", + "pubDate": "2021-12-13T08:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-teji-savanier-montpellier-au-sujet-de-l-equipe-de-france-c-est-un-reve-de-pouvoir-jouer-pour-son-pays-1639384455_x600_articles-508221.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56412,19 +61153,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fbe8b0709b0877816e0ee9f739ce900c" + "hash": "74d5eb651afe9e5d4e4075a137469479" }, { - "title": "Scandale après des buts suspects lors d'un match décisif pour la montée en Colombie", - "description": "C'est un peu gros là.
    \n
    \nLa subtilité ? Pour l'Union Magdalena, ce n'est pas un problème, encore moins que l'intégrité ou l'éthique. Le club de la ville de Santa Marta, champion de…

    ", - "content": "C'est un peu gros là.
    \n
    \nLa subtilité ? Pour l'Union Magdalena, ce n'est pas un problème, encore moins que l'intégrité ou l'éthique. Le club de la ville de Santa Marta, champion de…

    ", + "title": "Gernot Rohr n'est plus le sélectionneur du Nigeria", + "description": "Peau neuve chez les Super Eagles.
    \n
    \nÀ moins d'un mois du début de la CAN 2022, le Nigéria frappe un grand coup en se séparant de son entraîneur Gernot Rohr, en place depuis…

    ", + "content": "Peau neuve chez les Super Eagles.
    \n
    \nÀ moins d'un mois du début de la CAN 2022, le Nigéria frappe un grand coup en se séparant de son entraîneur Gernot Rohr, en place depuis…

    ", "category": "", - "link": "https://www.sofoot.com/scandale-apres-des-buts-suspects-lors-d-un-match-decisif-pour-la-montee-en-colombie-507894.html", + "link": "https://www.sofoot.com/gernot-rohr-n-est-plus-le-selectionneur-du-nigeria-508220.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T13:31:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-scandale-apres-des-buts-suspects-lors-d-un-match-decisif-pour-la-montee-en-colombie-1638711821_x600_articles-507894.jpg", + "pubDate": "2021-12-13T08:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gernot-rohr-n-est-plus-le-selectionneur-du-nigeria-1639382890_x600_articles-508220.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56432,19 +61174,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f7824b0eef4238cd2d8a145fc39e7535" + "hash": "eef02288e0880565eee8bc9bf4213529" }, { - "title": "L'ancien bordelais Momcilo Vukotic est mort", - "description": "Un scapulaire sur le carnet noir.
    \n
    \nMilieu offensif des Girondins de Bordeaux pendant une saison en 1978-1979, Momcilo Vukotic est décédé vendredi à l'âge de 71 ans. L'international…

    ", - "content": "Un scapulaire sur le carnet noir.
    \n
    \nMilieu offensif des Girondins de Bordeaux pendant une saison en 1978-1979, Momcilo Vukotic est décédé vendredi à l'âge de 71 ans. L'international…

    ", + "title": "Pronostic Arminia Bielefeld Bochum : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Bochum toujours solide chez l'Arminia Bielfeld

    \n
    \nPromu l'an dernier, l'Arminia Bielfeld avait pu se sauver grâce à une très belle dernière ligne…
    ", + "content": "

    Bochum toujours solide chez l'Arminia Bielfeld

    \n
    \nPromu l'an dernier, l'Arminia Bielfeld avait pu se sauver grâce à une très belle dernière ligne…
    ", "category": "", - "link": "https://www.sofoot.com/l-ancien-bordelais-momcilo-vukotic-est-mort-507892.html", + "link": "https://www.sofoot.com/pronostic-arminia-bielefeld-bochum-analyse-cotes-et-prono-du-match-de-bundesliga-508219.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T13:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-ancien-bordelais-momcilo-vukotic-est-mort-1638710843_x600_articles-507892.jpg", + "pubDate": "2021-12-13T07:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-arminia-bielefeld-bochum-analyse-cotes-et-prono-du-match-de-bundesliga-1639382819_x600_articles-508219.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56452,19 +61195,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9ca5c6bf1fce8ea600ad1a9d6456a81" + "hash": "1cc0d7e49337cf0bcbb8eb401f7b39a0" }, { - "title": "Un coach meurt après le but de son équipe à la 92e minute", - "description": "Un but qui coûte très cher.
    \n
    \nLors d'un match anodin de deuxième division egyptienne contre Al Zarka, l'entraîneur de Al-Majd Al-Iskandari a trouvé la mort sur son banc de touche.…

    ", - "content": "Un but qui coûte très cher.
    \n
    \nLors d'un match anodin de deuxième division egyptienne contre Al Zarka, l'entraîneur de Al-Majd Al-Iskandari a trouvé la mort sur son banc de touche.…

    ", + "title": "Pronostic Mayence Hertha Berlin : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Des buts entre Mayence et le Hertha Berlin

    \n
    \nLa 16e journée de Bundesliga oppose deux équipes en forme. 8e au classement, Mayence…
    ", + "content": "

    Des buts entre Mayence et le Hertha Berlin

    \n
    \nLa 16e journée de Bundesliga oppose deux équipes en forme. 8e au classement, Mayence…
    ", "category": "", - "link": "https://www.sofoot.com/un-coach-meurt-apres-le-but-de-son-equipe-a-la-92e-minute-507891.html", + "link": "https://www.sofoot.com/pronostic-mayence-hertha-berlin-analyse-cotes-et-prono-du-match-de-bundesliga-508218.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T12:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-coach-meurt-apres-le-but-de-son-equipe-a-la-92e-minute-1638710034_x600_articles-507891.jpg", + "pubDate": "2021-12-13T07:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-mayence-hertha-berlin-analyse-cotes-et-prono-du-match-de-bundesliga-1639383860_x600_articles-508218.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56472,59 +61216,62 @@ "favorite": false, "created": false, "tags": [], - "hash": "3cfb58ba5f9d9c537ab6b0646330e29c" + "hash": "52d37345fa70fcd49c1e615355fe07f3" }, { - "title": "Quand Cristiano Ronaldo s'en prenait à Cassano sur WhatsApp", - "description": "Combat de coqs par messages interposés.
    \n
    \nIntervenant régulier sur la chaîne Twitch de Christian Vieri, Antonio Cassano a raconté comment Cristiano Ronaldo s'était procuré son…

    ", - "content": "Combat de coqs par messages interposés.
    \n
    \nIntervenant régulier sur la chaîne Twitch de Christian Vieri, Antonio Cassano a raconté comment Cristiano Ronaldo s'était procuré son…

    ", + "title": "Pronostic Wolfsbourg Cologne : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Wolfsbourg n'y arrive toujours pas à Cologne

    \n
    \nRien ne vas plus pour Wolfsbourg. 4e de Bundesliga la saison passée, le club estampillé…
    ", + "content": "

    Wolfsbourg n'y arrive toujours pas à Cologne

    \n
    \nRien ne vas plus pour Wolfsbourg. 4e de Bundesliga la saison passée, le club estampillé…
    ", "category": "", - "link": "https://www.sofoot.com/quand-cristiano-ronaldo-s-en-prenait-a-cassano-sur-whatsapp-507888.html", + "link": "https://www.sofoot.com/pronostic-wolfsbourg-cologne-analyse-cotes-et-prono-du-match-de-bundesliga-508217.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T11:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-quand-cristiano-ronaldo-s-en-prenait-a-cassano-sur-whatsapp-1638705864_x600_articles-507888.jpg", + "pubDate": "2021-12-13T07:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-wolfsbourg-cologne-analyse-cotes-et-prono-du-match-de-bundesliga-1639393856_x600_articles-508217.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "129597af54e3c592662eae409f568d1d" + "hash": "b9d929548a390674ba77a24528189671" }, { - "title": "Une plainte contre Bellingham après ses déclarations sur l'arbitrage du Klassiker ?", - "description": "Ce Dortmund-Bayern n'a pas fini de faire parler de lui.
    \n
    \nSamedi, le Bayern Munich est parvenu à l'emporter sur la pelouse de son rival grâce à un penalty de Robert Lewandowski à un…

    ", - "content": "Ce Dortmund-Bayern n'a pas fini de faire parler de lui.
    \n
    \nSamedi, le Bayern Munich est parvenu à l'emporter sur la pelouse de son rival grâce à un penalty de Robert Lewandowski à un…

    ", + "title": "Pronostic Stuttgart Bayern Munich : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Le Bayern fait le taf face à Stuttgart

    \n
    \nDe retour dans l'élite du football allemand l'an passé, Stuttgart avait facilement obtenu son maintien en…
    ", + "content": "

    Le Bayern fait le taf face à Stuttgart

    \n
    \nDe retour dans l'élite du football allemand l'an passé, Stuttgart avait facilement obtenu son maintien en…
    ", "category": "", - "link": "https://www.sofoot.com/une-plainte-contre-bellingham-apres-ses-declarations-sur-l-arbitrage-du-klassiker-507887.html", + "link": "https://www.sofoot.com/pronostic-stuttgart-bayern-munich-analyse-cotes-et-prono-du-match-de-bundesliga-508216.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T11:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-une-plainte-contre-bellingham-apres-ses-declarations-sur-l-arbitrage-du-klassiker-1638703339_x600_articles-507887.jpg", + "pubDate": "2021-12-13T07:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-stuttgart-bayern-munich-analyse-cotes-et-prono-du-match-de-bundesliga-1639381676_x600_articles-508216.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8a6782a446a10d4a3a1ac7a217ff98d0" + "hash": "4e7f2ecbaf731d462c93b25a15653d80" }, { - "title": "Gérard Lopez attend plus de ses joueurs", - "description": "Le président n'est pas content.
    \n
    \nRien ne va à Bordeaux depuis le début de saison, les Girondins occupant une inquiétante dix-huitième place avant de recevoir Lyon ce dimanche soir en…

    ", - "content": "Le président n'est pas content.
    \n
    \nRien ne va à Bordeaux depuis le début de saison, les Girondins occupant une inquiétante dix-huitième place avant de recevoir Lyon ce dimanche soir en…

    ", + "title": "Pronostic Brentford Manchester United : Analyse, cotes et prono du match de Premier League", + "description": "

    Brentford tient tête à Manchester United

    \n
    \nDans une fin d'année civile hyper chargée en Angleterre, Manchester United a un déplacement compliqué…
    ", + "content": "

    Brentford tient tête à Manchester United

    \n
    \nDans une fin d'année civile hyper chargée en Angleterre, Manchester United a un déplacement compliqué…
    ", "category": "", - "link": "https://www.sofoot.com/gerard-lopez-attend-plus-de-ses-joueurs-507885.html", + "link": "https://www.sofoot.com/pronostic-brentford-manchester-united-analyse-cotes-et-prono-du-match-de-premier-league-508215.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T10:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gerard-lopez-attend-plus-de-ses-joueurs-1638701257_x600_articles-507885.jpg", + "pubDate": "2021-12-13T07:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brentford-manchester-united-analyse-cotes-et-prono-du-match-de-premier-league-1639380998_x600_articles-508215.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56532,39 +61279,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "0381907118549d97da81670e7d465420" + "hash": "05d8e63869dc34c6b9b98c9ba56f5281" }, { - "title": "Jesse Marsch n'est plus l'entraîneur du RB Leipzig", - "description": "Leipzig presse à nouveau le bouton Marsch/Arrêt.
    \n
    \nL'aventure de Jesse Marsch sur le banc du RB Leizpig n'ira pas plus loin. Nommé cet été pour prendre la succession de Julian…

    ", - "content": "Leipzig presse à nouveau le bouton Marsch/Arrêt.
    \n
    \nL'aventure de Jesse Marsch sur le banc du RB Leizpig n'ira pas plus loin. Nommé cet été pour prendre la succession de Julian…

    ", + "title": "Pronostic Manchester City Leeds : Analyse, cotes et prono du match de Premier League", + "description": "

    Un Manchester City très solide face à Leeds

    \n
    \nAprès avoir concédé une défaite sans conséquence en Ligue des Champions face au RB Leipzig mardi…
    ", + "content": "

    Un Manchester City très solide face à Leeds

    \n
    \nAprès avoir concédé une défaite sans conséquence en Ligue des Champions face au RB Leipzig mardi…
    ", "category": "", - "link": "https://www.sofoot.com/jesse-marsch-n-est-plus-l-entraineur-du-rb-leipzig-507883.html", + "link": "https://www.sofoot.com/pronostic-manchester-city-leeds-analyse-cotes-et-prono-du-match-de-premier-league-508214.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T10:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jesse-marsch-n-est-plus-l-entraineur-du-rb-leipzig-1638698749_x600_articles-507883.jpg", + "pubDate": "2021-12-13T07:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-manchester-city-leeds-analyse-cotes-et-prono-du-match-de-premier-league-1639380055_x600_articles-508214.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09e2257f150144d731ac4229be5b0172" + "hash": "d66a6b81c499ef00876902e0deaa075a" }, { - "title": "Cerro remporte le titre au Paraguay après une fin de match totalement dingue", - "description": "Il était une fois, au Paraguay.
    \n
    \nC'est l'histoire d'un choc entre les deux leaders du classement au Paraguay. La nuit dernière, le club de Guaraní accueillait Cerro Porteño, avec la…

    ", - "content": "Il était une fois, au Paraguay.
    \n
    \nC'est l'histoire d'un choc entre les deux leaders du classement au Paraguay. La nuit dernière, le club de Guaraní accueillait Cerro Porteño, avec la…

    ", + "title": "Pronostic Norwich Aston Villa : Analyse, cotes et prono du match de Premier League", + "description": "

    Aston Villa enfonce un peu + Norwich

    \n
    \nPromu cette saison en Premier League, Norwich est l'une de ces formations habituées à faire le yoyo entre les…
    ", + "content": "

    Aston Villa enfonce un peu + Norwich

    \n
    \nPromu cette saison en Premier League, Norwich est l'une de ces formations habituées à faire le yoyo entre les…
    ", "category": "", - "link": "https://www.sofoot.com/cerro-remporte-le-titre-au-paraguay-apres-une-fin-de-match-totalement-dingue-507882.html", + "link": "https://www.sofoot.com/pronostic-norwich-aston-villa-analyse-cotes-et-prono-du-match-de-premier-league-508213.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T09:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-cerro-remporte-le-titre-au-paraguay-apres-une-fin-de-match-totalement-dingue-1638696995_x600_articles-507882.jpg", + "pubDate": "2021-12-13T06:32:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-norwich-aston-villa-analyse-cotes-et-prono-du-match-de-premier-league-1639379392_x600_articles-508213.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56572,19 +61321,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f2d6b9c044d8da010f6fc435054896ae" + "hash": "2e4431e500466bb57286b74e380e2ede" }, { - "title": "Gignac et les Tigres éliminés en demies du championnat mexicain", - "description": "Rêve brisé.
    \n
    \nLes Tigres ont été battus par Leon (2-1) dans la nuit de samedi à dimanche, en demi-finales retour du championnat du Mexique. Une défaite qui élimine André-Pierre…

    ", - "content": "Rêve brisé.
    \n
    \nLes Tigres ont été battus par Leon (2-1) dans la nuit de samedi à dimanche, en demi-finales retour du championnat du Mexique. Une défaite qui élimine André-Pierre…

    ", + "title": "Ces trois infos du week-end vont vous étonner", + "description": "Parce qu'il n'y a pas que les championnats du Big Five dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : une soirée endiablée en Argentine, une lanterne rouge en grande galère en Tchéquie et un scénario fou en D4 anglaise.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/gignac-et-les-tigres-elimines-en-demies-du-championnat-mexicain-507881.html", + "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-508205.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T09:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gignac-et-les-tigres-elimines-en-demies-du-championnat-mexicain-1638695390_x600_articles-507881.jpg", + "pubDate": "2021-12-13T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ces-trois-infos-du-week-end-vont-vous-etonner-1639335410_x600_articles-508205.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56592,19 +61342,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "027a2e3d19bb409f6cf0f32bb9b5b3af" + "hash": "46f045d310a571ea4b5c4cc1955c4fda" }, { - "title": "Verratti : \" Lens est une équipe qui me plaît beaucoup \"", - "description": "Le Petit Hibou est sous le charme.
    \n
    \nLens a séduit de nombreux observateurs ces derniers mois par son jeu porté vers l'avant, et ce fut encore le cas samedi soir face au PSG. Dans le…

    ", - "content": "Le Petit Hibou est sous le charme.
    \n
    \nLens a séduit de nombreux observateurs ces derniers mois par son jeu porté vers l'avant, et ce fut encore le cas samedi soir face au PSG. Dans le…

    ", + "title": "Didier Ovono : \"Là je suis à Trélazé, demain je peux être avec Aubameyang\"", + "description": "Après avoir connu la Ligue 1, la Ligue des champions et les Jeux olympiques, Didier Ovono garde aujourd'hui les cages du Foyer Trélazé (Maine-et-Loire) en Régional 1. Un club où il a retrouvé le plaisir de jouer au football. À bientôt 39 ans, le portier gabonais ne s'interdit rien. Et surtout pas de disputer une cinquième Coupe d'Afrique des nations avec les Panthères, auxquelles il espère pouvoir apporter toute son expérience.Comment tu t'es retrouvé au Foyer Trélazé ?
    \nC'est une belle histoire. Le petit cousin de ma femme s'entraînait avec l'équipe première de Trélazé, il…
    ", + "content": "Comment tu t'es retrouvé au Foyer Trélazé ?
    \nC'est une belle histoire. Le petit cousin de ma femme s'entraînait avec l'équipe première de Trélazé, il…
    ", "category": "", - "link": "https://www.sofoot.com/verratti-lens-est-une-equipe-qui-me-plait-beaucoup-507880.html", + "link": "https://www.sofoot.com/didier-ovono-la-je-suis-a-trelaze-demain-je-peux-etre-avec-aubameyang-508183.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T08:29:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-verratti-lens-est-une-equipe-qui-me-plait-beaucoup-1638693355_x600_articles-507880.jpg", + "pubDate": "2021-12-13T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-didier-ovono-la-je-suis-a-trelaze-demain-je-peux-etre-avec-aubameyang-1639321087_x600_articles-alt-508183.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56612,19 +61363,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b7113e7f4108fb165072bfed89f0a43b" + "hash": "a0cc7b4abe21cc910ababb3847513077" }, { - "title": "Haise : \" Nous avons montré une belle image du RC Lens \"", - "description": "Le nord s'en souviendra.
    \n
    \nMalgré la déception de l'égalisation de Georginio Wijnaldum dans les derniers instants de la rencontre, Lens avait de quoi être fier de sa prestation face au…

    ", - "content": "Le nord s'en souviendra.
    \n
    \nMalgré la déception de l'égalisation de Georginio Wijnaldum dans les derniers instants de la rencontre, Lens avait de quoi être fier de sa prestation face au…

    ", + "title": "Dans les frissons de Nantes", + "description": "Auteur d'une vibrante deuxième période vendredi lors de la réception de Lens (3-2), le FC Nantes - dixième - se stabilise en milieu de tableau et prouve, après une moitié de championnat, qu'il a retrouvé une âme.Vendredi soir, c'était évènement à la Beaujoire, et pas seulement parce que le RC Lens de Franck Haise descendait en Loire-Atlantique. Disparu le 5 décembre à 72 ans, le Britannique Comme 3 de nos 4 derniers combinés (ici, ici et ici), on tente de vous faire gagner avec une cote autour de 2,00 sur des matchs de dimanche

    Bordeaux - Lyon :

    \n
    \nL'affiche du dimanche soir en Ligue 1 oppose deux équipes qui déçoivent. 18es de Ligue 1 et donc potentiel barragistes,…
    ", - "content": "

    Bordeaux - Lyon :

    \n
    \nL'affiche du dimanche soir en Ligue 1 oppose deux équipes qui déçoivent. 18es de Ligue 1 et donc potentiel barragistes,…
    ", + "title": "Kylian Mbappé : 2021, l'année du patron", + "description": "Suspendu pour la dernière journée de Ligue 1 contre Lorient, et probablement pas du voyage à Feignies-Aulnoye en Coupe de France, Kylian Mbappé a terminé l'année 2021 comme il l'a commencé : en portant le PSG sur ses larges épaules. Auteur d'un doublé face à l'AS Monaco ce dimanche, l'attaquant formé sur la Côte d'Azur a permis au club de la capitale de gagner à nouveau en championnat (2-0). Certains doutent-ils encore de qui est le patron ?\" Merci Kylian Mbappé ? Ça me va très bien. \" Marquinhos peut plaisanter au micro de Prime Vidéo au moment de résumer la prestation parisienne face à Monaco. Mais la phrase…", + "content": "\" Merci Kylian Mbappé ? Ça me va très bien. \" Marquinhos peut plaisanter au micro de Prime Vidéo au moment de résumer la prestation parisienne face à Monaco. Mais la phrase…", "category": "", - "link": "https://www.sofoot.com/203e-a-gagner-avec-tottenham-bordeaux-lyon-507794.html", + "link": "https://www.sofoot.com/kylian-mbappe-2021-l-annee-du-patron-508209.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T08:49:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-203e-a-gagner-avec-tottenham-bordeaux-lyon-1638521974_x600_articles-507794.jpg", + "pubDate": "2021-12-12T22:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kylian-mbappe-2021-l-annee-du-patron-1639348767_x600_articles-alt-508209.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56652,19 +61405,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c4724576a848a60ca85f669460a96cb" + "hash": "8d268f32a30435dcd505d3035f250227" }, { - "title": "Un maillot de votre choix à récupérer chez VBET !", - "description": "Vous avez très envie d'un maillot avant les fêtes ? Partenaire de l'AS Monaco, le site de paris sportifs VBET vous propose de récupérer le maillot de votre choix en vous inscrivant sur son site !

    Comment récupérer votre maillot ?

    \n
    \nEn collaboration avec RueDesJoueurs qui est le partenaire paris sportifs de SoFoot, VBET propose le bonus de bienvenue le…
    ", - "content": "

    Comment récupérer votre maillot ?

    \n
    \nEn collaboration avec RueDesJoueurs qui est le partenaire paris sportifs de SoFoot, VBET propose le bonus de bienvenue le…
    ", + "title": "Les notes de Paris-Monaco", + "description": "Paris n'est toujours pas flamboyant dans le jeu mais peut encore compter sur Kylian Mbappé et Marquinhos pour assurer l'essentiel face à Monaco (2-0). Il faut dire que les attaquants monégasques ont été presque aussi timides que le public du Parc.

    Ils se sont illustrés


    \n
    \nFait…

    ", + "content": "

    Ils se sont illustrés


    \n
    \nFait…

    ", "category": "", - "link": "https://www.sofoot.com/un-maillot-de-votre-choix-a-recuperer-chez-vbet-507807.html", + "link": "https://www.sofoot.com/les-notes-de-paris-monaco-508208.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T12:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-maillot-de-votre-choix-a-recuperer-chez-vbet-1638538004_x600_articles-507807.jpg", + "pubDate": "2021-12-12T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-paris-monaco-1639345714_x600_articles-alt-508208.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56672,19 +61426,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d73a83939f8a6cc20d130a9ae722b598" + "hash": "be60fd3a11449ca69cbc51d1ae68be36" }, { - "title": "Où est passé le capitaine Juninho ? ", - "description": "Malgré la crise de résultats en Ligue 1 que traverse l'OL, Juninho reste bien discret. Deux ans après son intronisation, le directeur sportif du club rhodanien n'a toujours pas su insuffler une mentalité positive et conquérante à un groupe qu'il s'est attelé à façonner depuis son arrivée à la fin du mois de mai 2019.SOS ! En Ligue 1, le bateau de l'OL coule et nous n'avons plus de nouvelles de son capitaine. Quand on parle de capitaine, ce n'est ni de Léo Dubois, ni de Peter Bosz, ni de Jean-Michel Aulas…", - "content": "SOS ! En Ligue 1, le bateau de l'OL coule et nous n'avons plus de nouvelles de son capitaine. Quand on parle de capitaine, ce n'est ni de Léo Dubois, ni de Peter Bosz, ni de Jean-Michel Aulas…", + "title": "Le Real met l'Atlético à terre dans le derby", + "description": "Brillant par moments, le Real Madrid a mis son rival de l'Atlético sous cloche au Bernabéu (2-0), histoire d'asseoir un peu plus son emprise sur la Liga 2021-2022. Vinícius Júnior, Luka Modrić, Thibaut Courtois et Karim Benzema ont été, encore et toujours, les grands messieurs de la leçon prodiguée par Carlo Ancelotti à Diego Simeone.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/ou-est-passe-le-capitaine-juninho-507861.html", + "link": "https://www.sofoot.com/le-real-met-l-atletico-a-terre-dans-le-derby-508168.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ou-est-passe-le-capitaine-juninho-1638633896_x600_articles-alt-507861.jpg", + "pubDate": "2021-12-12T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-real-met-l-atletico-a-terre-dans-le-derby-1639347139_x600_articles-alt-508168.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56692,19 +61447,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "18d99c3c612673fa04505d90760bd998" + "hash": "e9f4706fc66d623353efa953088940b3" }, { - "title": "La Solidarité Scolaire : la Guadeloupe au tableau", - "description": "La Guadeloupe est secouée par de fortes manifestations et tensions sociales depuis plusieurs semaines. Si on y ajoute la disparition cet été de Jacob Desvarieux, leader du groupe de zouk Kassav', autant dire que le moral n'est pas au beau fixe sur l'île antillaise. Pourtant, il existe un petit rayon de soleil qui apporte un peu d'ondes positives. Le club de la Solidarité scolaire de Baie-Mahault a bravé le froid et les huit heures de vol pour établir ses quartiers à Lisses, dans le 91, afin de préparer son 8e tour de Coupe de France disputé ce dimanche contre Sarre-Union (15h). Une première depuis 1999.De trente degrés à trois, la différence est grande, mais les Guadeloupéens de la Solidarité scolaire n'en ont que faire. Après leur victoire contre l'AS Gosier au 7e tour,…", - "content": "De trente degrés à trois, la différence est grande, mais les Guadeloupéens de la Solidarité scolaire n'en ont que faire. Après leur victoire contre l'AS Gosier au 7e tour,…", + "title": "PSG-ASM : Mbappé corrige Monaco", + "description": "Pour son dernier match de 2021 au Parc des Princes, le PSG a fait ce qu'il savait faire de mieux : jouer moyennement bien et gagner grâce à Mbappé. Le Français, auteur d'un doublé face à son ancien club, a scellé le sort d'une bien triste affiche du dimanche soir (2-0). Sans être beaucoup plus séduisant, Paris reste large leader de Ligue 1.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-solidarite-scolaire-la-guadeloupe-au-tableau-507810.html", + "link": "https://www.sofoot.com/psg-asm-mbappe-corrige-monaco-508207.html", "creator": "SO FOOT", - "pubDate": "2021-12-05T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-solidarite-scolaire-la-guadeloupe-au-tableau-1638548476_x600_articles-507810.jpg", + "pubDate": "2021-12-12T21:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-psg-asm-mbappe-corrige-monaco-1639345623_x600_articles-alt-508207.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56712,19 +61468,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9b3a2aecd8b1b2e6501507358b7ffeef" + "hash": "afae7951a08341941dda0ce6dfd70c4f" }, { - "title": "Les notes de Lens-PSG", - "description": "Le PSG a peut-être Leo Messi, mais le RC Lens a Seko Fofana. Le milieu ivoirien a porté son équipe face à des Parisiens bien tristounes, mais sauvés par le climatiseur Wijnaldum.

    Ils ont fait le show

    \n
    \n
    \nLe voilà,…

    ", - "content": "

    Ils ont fait le show

    \n
    \n
    \nLe voilà,…

    ", + "title": "L'Inter dégomme Cagliari et prend la tête de la Serie A", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-lens-psg-507878.html", + "link": "https://www.sofoot.com/l-inter-degomme-cagliari-et-prend-la-tete-de-la-serie-a-508172.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T22:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-lens-psg-1638654749_x600_articles-alt-507878.jpg", + "pubDate": "2021-12-12T21:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-inter-degomme-cagliari-et-prend-la-tete-de-la-serie-a-1639345976_x600_articles-508172.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56732,19 +61489,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c8d29c32ad4ca4204ee64f09aca057a" + "hash": "4e403825eff0c6674ada8da1d008b7cb" }, { - "title": "Le PSG grappille un point à Lens", - "description": "Bousculé tout le match par un RC Lens séduisant et généreux, le PSG a profité des ratés nordistes pour revenir dans le temps additionnel à hauteur de son hôte grâce à Georginio Wijnaldum (1-1). Forcément, ce nul a un goût amer pour les hommes de Franck Haise.

    ", - "content": "

    ", + "title": "En direct : Real Madrid - Atlético Madrid", + "description": "53' : En tout cas, la malédiction So Foot n'a pas frappé Courtois pour le moment. Au ...", + "content": "53' : En tout cas, la malédiction So Foot n'a pas frappé Courtois pour le moment. Au ...", "category": "", - "link": "https://www.sofoot.com/le-psg-grappille-un-point-a-lens-507876.html", + "link": "https://www.sofoot.com/en-direct-real-madrid-atletico-madrid-508204.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-psg-grappille-un-point-a-lens-1638655488_x600_articles-alt-507876.jpg", + "pubDate": "2021-12-12T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-real-madrid-atletico-madrid-1639338509_x600_articles-508204.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56752,19 +61510,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3a30d30520a8517529cace17e76cd284" + "hash": "6445fdbf872ba932f2687732c600c070" }, { - "title": "Le Real assiège Saint-Sébastien ", - "description": "Malgré la blessure de Benzema en début de match, le Real Madrid s'est imposé avec la manière à Anoeta grâce à Vinicius et Jović (0-2). Grâce à ce nouveau succès, les Blancos font un pas supplémentaire vers le titre de champion d'Espagne.

    ", - "content": "

    ", + "title": "En direct : PSG - Monaco", + "description": "70' : Kyky Mbappé qui se laisse tomber un peu trop facilement dans la surface pour réclamer un ...", + "content": "70' : Kyky Mbappé qui se laisse tomber un peu trop facilement dans la surface pour réclamer un ...", "category": "", - "link": "https://www.sofoot.com/le-real-assiege-saint-sebastien-507877.html", + "link": "https://www.sofoot.com/en-direct-psg-monaco-508206.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T21:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-real-assiege-saint-sebastien-1638650531_x600_articles-alt-507877.jpg", + "pubDate": "2021-12-12T19:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-psg-monaco-1639335623_x600_articles-508206.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56772,19 +61531,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ce392755d874c9c5af664b299a5fbd41" + "hash": "4ed7b6191526e988135327c09405389e" }, { - "title": "L'Atalanta culbute Naples", - "description": "Bien lancée par Malinovskyi et surprise par Zieliński et Mertens, l'Atalanta a fait preuve de caractère pour s'imposer à Naples (2-3) dans une rencontre animée et intense. Les hommes de Gian Piero Gasperini enchaînent une cinquième victoire consécutive et se rapprochent du podium.

    ", - "content": "

    ", + "title": "Le Betis corrige la Real Sociedad", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/l-atalanta-culbute-naples-507847.html", + "link": "https://www.sofoot.com/le-betis-corrige-la-real-sociedad-508203.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T21:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-culbute-naples-1638653680_x600_articles-alt-507847.jpg", + "pubDate": "2021-12-12T19:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-betis-corrige-la-real-sociedad-1639337667_x600_articles-508203.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56792,19 +61552,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc0a1cf9aba5f884b693a9efc0cb8c23" + "hash": "a0488444a2b32467452cace4e6e6354d" }, { - "title": "Jonathan David sauve Lille contre l'ESTAC", - "description": "

    ", - "content": "

    ", + "title": "Empoli surprend le Napoli", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/jonathan-david-sauve-lille-contre-l-estac-507866.html", + "link": "https://www.sofoot.com/empoli-surprend-le-napoli-508202.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jonathan-david-sauve-lille-contre-l-estac-1638648051_x600_articles-507866.jpg", + "pubDate": "2021-12-12T19:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-empoli-surprend-le-napoli-1639336250_x600_articles-508202.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56812,19 +61573,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0f5dc4da81cea070a02fa5413666018f" + "hash": "91ba388435c27bb1279ea856d78e520b" }, { - "title": "En direct : Lens - Paris S-G", - "description": "25' : La pression lensoise est tenace.", - "content": "25' : La pression lensoise est tenace.", + "title": "Francfort fait exploser le Bayer Leverkusen", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-lens-paris-s-g-507874.html", + "link": "https://www.sofoot.com/francfort-fait-exploser-le-bayer-leverkusen-508197.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lens-paris-s-g-1638649327_x600_articles-alt-507874.jpg", + "pubDate": "2021-12-12T18:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-francfort-fait-exploser-le-bayer-leverkusen-1639334029_x600_articles-508197.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56832,19 +61594,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "aac06389b11d105c6ae18ece975485f7" + "hash": "dd7fa051c19741cb23e934fb4c7e851c" }, { - "title": "Le Bayern vainqueur du Klassiker par K.O.", - "description": "

    ", - "content": "

    ", + "title": "Everton retombe dans ses travers à Crystal Palace", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-bayern-vainqueur-du-klassiker-par-k-o-507855.html", + "link": "https://www.sofoot.com/everton-retombe-dans-ses-travers-a-crystal-palace-508173.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-vainqueur-du-klassiker-par-k-o-1638647234_x600_articles-507855.jpg", + "pubDate": "2021-12-12T18:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-everton-retombe-dans-ses-travers-a-crystal-palace-1639334395_x600_articles-508173.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56852,19 +61615,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "64d9ef0ccfed687fe7619bc8c833e1ff" + "hash": "a677fc67294bd4a8a18a2d11015b3c77" }, { - "title": "Majorque retourne l'Atlético dans le temps additionnel", - "description": "

    ", - "content": "

    ", + "title": "Marseille mate Strasbourg et repasse dauphin du PSG", + "description": "Porté par un but fantastique de Bamba Dieng, l'Olympique de Marseille a parfaitement maîtrisé son déplacement périlleux à Strasbourg ce dimanche (0-2) et repris la deuxième place de Ligue 1 pour un point au Stade rennais. Un succès qui confirme une tendance : l'OM pragmatique fonctionne en cette fin d'année.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/majorque-retourne-l-atletico-dans-le-temps-additionnel-507872.html", + "link": "https://www.sofoot.com/marseille-mate-strasbourg-et-repasse-dauphin-du-psg-508199.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-majorque-retourne-l-atletico-dans-le-temps-additionnel-1638646763_x600_articles-507872.jpg", + "pubDate": "2021-12-12T18:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-marseille-mate-strasbourg-et-repasse-dauphin-du-psg-1639332726_x600_articles-alt-508199.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56872,19 +61636,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0ce1905b4b83f58e329ae8239cf63c35" + "hash": "6982d5c1a9dfb9e09465731be35dd203" }, { - "title": "City essore Watford et prend la tête", - "description": "

    ", - "content": "

    ", + "title": "Osasuna et le Barça se neutralisent", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/city-essore-watford-et-prend-la-tete-507863.html", + "link": "https://www.sofoot.com/osasuna-et-le-barca-se-neutralisent-508198.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-city-essore-watford-et-prend-la-tete-1638646135_x600_articles-507863.jpg", + "pubDate": "2021-12-12T17:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-osasuna-et-le-barca-se-neutralisent-1639329841_x600_articles-508198.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56892,19 +61657,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e648db891cbc20546f2f04d4eb33b101" + "hash": "77be041a6e641c4e4bd8e9b54cccd51e" }, { - "title": "Pronostic Everton Arsenal : Analyse, cotes et prono du match de Premier League", - "description": "

    Arsenal enfonce Everton

    \n
    \nAprès avoir réalisé un début de saison intéressant avec 3 victoires et 1 nul lors des 4 premières journées, Everton a…
    ", - "content": "

    Arsenal enfonce Everton

    \n
    \nAprès avoir réalisé un début de saison intéressant avec 3 victoires et 1 nul lors des 4 premières journées, Everton a…
    ", + "title": "Le Standard bat Antwerp au milieu des bagarres", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-everton-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-507875.html", + "link": "https://www.sofoot.com/le-standard-bat-antwerp-au-milieu-des-bagarres-508196.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-everton-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-1638645595_x600_articles-507875.jpg", + "pubDate": "2021-12-12T16:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-standard-bat-antwerp-au-milieu-des-bagarres-1639327021_x600_articles-508196.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56912,19 +61678,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1456007be7befe12498f1d012743d419" + "hash": "99ca00ebd25d5be046d556c3dfda2d17" }, { - "title": "Pronostic Getafe Athletic Bilbao : Analyse, cotes et prono du match de Liga", - "description": "

    Getafe sur sa lancée face à l'Athletic Bilbao

    \n
    \nQuinzième la saison passée, Getafe connaît une entame de saison délicate puisque la formation…
    ", - "content": "

    Getafe sur sa lancée face à l'Athletic Bilbao

    \n
    \nQuinzième la saison passée, Getafe connaît une entame de saison délicate puisque la formation…
    ", + "title": "Leicester enfonce Newcastle, pas de buts entre Burnley et West Ham", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-getafe-athletic-bilbao-analyse-cotes-et-prono-du-match-de-liga-507873.html", + "link": "https://www.sofoot.com/leicester-enfonce-newcastle-pas-de-buts-entre-burnley-et-west-ham-508193.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-getafe-athletic-bilbao-analyse-cotes-et-prono-du-match-de-liga-1638645441_x600_articles-507873.jpg", + "pubDate": "2021-12-12T16:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-leicester-enfonce-newcastle-pas-de-buts-entre-burnley-et-west-ham-1639325766_x600_articles-508193.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56932,19 +61699,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "86e0cfc034d8f536fb16df0d196f7173" + "hash": "4b351c80db6dd1e82593cbf6bb755d4e" }, { - "title": "L'Inter marche sur la Roma ", - "description": "Les champions en titre n'ont pas laissé le temps aux Romains d'espérer quoique ce soit dans ce choc et se sont tranquillement imposés largement (3-0) ce samedi au stadio Olimpico. Les hommes de Simone Inzaghi restent plus que jamais dans la course au titre alors que ceux de José Mourinho pourraient ne plus être européens d'ici la fin du week-end.

    ", - "content": "

    ", + "title": "Nice se relance à Rennes ", + "description": "Dans une rencontre animée, Nice a pris le dessus sur Rennes (1-2) grâce à des buts de Kasper Dolberg et Youcef Atal. Comme face à Lille dix jours plus tôt, les Bretons sont revenus dans la partie avec une réalisation de Benjamin Bourigeaud, sans réussir à rattraper son adversaire du jour, qui monte sur le podium et revient à une longueur du SRFC.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/l-inter-marche-sur-la-roma-507865.html", + "link": "https://www.sofoot.com/nice-se-relance-a-rennes-508185.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T19:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-inter-marche-sur-la-roma-1638642576_x600_articles-alt-507865.jpg", + "pubDate": "2021-12-12T16:01:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nice-se-relance-a-rennes-1639325061_x600_articles-alt-508185.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56952,19 +61720,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "55563824026aaa3df199d91840df908d" + "hash": "8286204018d1869ccff6217fc496fe9e" }, { - "title": "Pronostic Cagliari Torino : Analyse, cotes et prono du match de Serie A", - "description": "

    Le Torino conserve ses distances avec Cagliari

    \n
    \nComme une mauvaise ritournelle, Cagliari vit une nouvelle saison de Serie A à lutter pour son maintien.…
    ", - "content": "

    Le Torino conserve ses distances avec Cagliari

    \n
    \nComme une mauvaise ritournelle, Cagliari vit une nouvelle saison de Serie A à lutter pour son maintien.…
    ", + "title": "Clermont surprend Angers", + "description": "Clermont sort de la zone rouge, tandis qu'Angers reste bloqué au milieu de tableau.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-cagliari-torino-analyse-cotes-et-prono-du-match-de-serie-a-507871.html", + "link": "https://www.sofoot.com/clermont-surprend-angers-508191.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T18:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-cagliari-torino-analyse-cotes-et-prono-du-match-de-serie-a-1638644899_x600_articles-507871.jpg", + "pubDate": "2021-12-12T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-clermont-surprend-angers-1639324330_x600_articles-508191.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56972,19 +61741,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5f0f0b1f6c014aca244352d3a51fba27" + "hash": "126bbde43bb05d6f7785fc00471d921a" }, { - "title": "Pronostic Empoli Udinese : Analyse, cotes et prono du match de Serie A", - "description": "

    Pas de vainqueur entre Empoli et l'Udinese

    \n
    \nChampion de Serie B la saison passée, Empoli a donc retrouvé l'élite du football italien cet été. Le…
    ", - "content": "

    Pas de vainqueur entre Empoli et l'Udinese

    \n
    \nChampion de Serie B la saison passée, Empoli a donc retrouvé l'élite du football italien cet été. Le…
    ", + "title": "Metz harponne Lorient", + "description": "Les Grenats sortent de la zone rouge et y laissent Lorient.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-empoli-udinese-analyse-cotes-et-prono-du-match-de-serie-a-507870.html", + "link": "https://www.sofoot.com/metz-harponne-lorient-508165.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T18:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-empoli-udinese-analyse-cotes-et-prono-du-match-de-serie-a-1638644303_x600_articles-507870.jpg", + "pubDate": "2021-12-12T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-metz-harponne-lorient-1639325344_x600_articles-508165.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -56992,19 +61762,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ef959f370af4353997fe747b22a765c" + "hash": "045b79f474fc9ae4d842291b44a5f3f0" }, { - "title": "Pronostic Niort Toulouse : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Toulouse poursuit sa route face à Niort

    \n
    \nPour clôturer la 17e journée de Ligue 2, Niort reçoit le grand favori à la montée, Toulouse.…
    ", - "content": "

    Toulouse poursuit sa route face à Niort

    \n
    \nPour clôturer la 17e journée de Ligue 2, Niort reçoit le grand favori à la montée, Toulouse.…
    ", + "title": "Bordeaux renoue avec la victoire à Troyes", + "description": "Menés au score, les Bordelais ont su renverser l'ESTAC.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-niort-toulouse-analyse-cotes-et-prono-du-match-de-ligue-2-507869.html", + "link": "https://www.sofoot.com/bordeaux-renoue-avec-la-victoire-a-troyes-508190.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T18:31:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-niort-toulouse-analyse-cotes-et-prono-du-match-de-ligue-2-1638643724_x600_articles-507869.jpg", + "pubDate": "2021-12-12T15:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bordeaux-renoue-avec-la-victoire-a-troyes-1639325025_x600_articles-508190.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57012,19 +61783,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "32175d7eba66e94cca6c00ed292489d9" + "hash": "94454a6337077dc1d592a815ab4b6a50" }, { - "title": "Brest met l'OM à genou au Vélodrome ", - "description": "

    ", - "content": "

    ", + "title": "L'Atalanta enchaîne contre le Hellas Vérone", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/brest-met-l-om-a-genou-au-velodrome-507860.html", + "link": "https://www.sofoot.com/l-atalanta-enchaine-contre-le-hellas-verone-508171.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T18:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-brest-met-l-om-a-genou-au-velodrome-1638640965_x600_articles-507860.jpg", + "pubDate": "2021-12-12T15:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-enchaine-contre-le-hellas-verone-1639325017_x600_articles-508171.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57032,39 +61804,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "8edf24ba65e33bd9ab882da67a0ab69c" + "hash": "676be5d82d4934c2d198e90d6957cb4e" }, { - "title": "En direct : Borussia Dortmund - Bayern Munich", - "description": "à suivre en direct sur SOFOOT.com", - "content": "à suivre en direct sur SOFOOT.com", + "title": "En direct : Strasbourg - Marseille", + "description": "95' : ET C'EST TERMINÉ ! Victoire moche mais victoire autoritaire de l'OM à la Meinau, et ...", + "content": "95' : ET C'EST TERMINÉ ! Victoire moche mais victoire autoritaire de l'OM à la Meinau, et ...", "category": "", - "link": "https://www.sofoot.com/en-direct-borussia-dortmund-bayern-munich-507853.html", + "link": "https://www.sofoot.com/en-direct-strasbourg-marseille-508195.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T17:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-borussia-dortmund-bayern-munich-1638638651_x600_articles-507853.jpg", + "pubDate": "2021-12-12T15:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-strasbourg-marseille-1639322906_x600_articles-508195.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6116d67bcee1227a3fe9bb979f4fc67" + "hash": "8e09f2dc3c542aee12f377b8b9b0c444" }, { - "title": "Le Betis fait plier le Barça", - "description": "

    ", - "content": "

    ", + "title": "Darío Cvitanich fait également ses adieux au Racing", + "description": "Olé, olé, olé, olé, Darío, Darío !
    \n
    \nUne semaine après l'annonce de Lisandro…

    ", + "content": "Olé, olé, olé, olé, Darío, Darío !
    \n
    \nUne semaine après l'annonce de Lisandro…

    ", "category": "", - "link": "https://www.sofoot.com/le-betis-fait-plier-le-barca-507862.html", + "link": "https://www.sofoot.com/dario-cvitanich-fait-egalement-ses-adieux-au-racing-508194.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T17:18:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-betis-fait-plier-le-barca-1638638557_x600_articles-507862.jpg", + "pubDate": "2021-12-12T14:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-dario-cvitanich-fait-egalement-ses-adieux-au-racing-1639321373_x600_articles-508194.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57072,19 +61846,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bfec31a251edc51268794da675b9ca98" + "hash": "5d1640936d56b3080e0a235b37bd51eb" }, { - "title": "Liverpool coiffe Wolverhampton sur le fil", - "description": "

    ", - "content": "

    ", + "title": "Pronostic AS Roma La Spezia : Analyse, cotes et prono du match de Serie A", + "description": "

    La Roma se relance face à la Spezia

    \n
    \nEn s'inclinant successivement face à Bologne (1-0) et l'Inter Milan (0-3) lors des 2 dernières journées, la…
    ", + "content": "

    La Roma se relance face à la Spezia

    \n
    \nEn s'inclinant successivement face à Bologne (1-0) et l'Inter Milan (0-3) lors des 2 dernières journées, la…
    ", "category": "", - "link": "https://www.sofoot.com/liverpool-coiffe-wolverhampton-sur-le-fil-507856.html", + "link": "https://www.sofoot.com/pronostic-as-roma-la-spezia-analyse-cotes-et-prono-du-match-de-serie-a-508192.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T17:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-liverpool-coiffe-wolverhampton-sur-le-fil-1638638387_x600_articles-507856.jpg", + "pubDate": "2021-12-12T14:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-as-roma-la-spezia-analyse-cotes-et-prono-du-match-de-serie-a-1639319306_x600_articles-508192.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57092,19 +61867,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8316e101e79b388eaeab8488a5ee73c3" + "hash": "0ff9428a59abbe2cbf61bf224b210380" }, { - "title": "Le Bayer Leverkusen anéantit Greuther Fürth, Wolfsburg ne répond plus", - "description": "Large bourreau de Greuther Fürth (7-1), le Bayer Leverkusen a poursuivi l'entreprise de démolition en cours contre la lanterne rouge de Bundesliga. Défait sans répliquer à Mayence (0-3), Wolfsburg passe derrière son adversaire du jour et continue de patiner avant la réception du LOSC. Pour Hoffenheim, vainqueur de l'Eintracht Francfort (3-2), et Bochum, qui a écarté Augsbourg sur le même score, c'était un bel après-midi de foot allemand.

    ", - "content": "

    ", + "title": "Pascal Dupraz plus que jamais vers l'ASSE", + "description": "Monsieur commando est de retour.
    \n
    \nEn réunion de crise ce dimanche matin, les dirigeants de l'AS Saint-Étienne, encadrés par Roland Romeyer et Bernard Caïazzo, se seraient prononcés…

    ", + "content": "Monsieur commando est de retour.
    \n
    \nEn réunion de crise ce dimanche matin, les dirigeants de l'AS Saint-Étienne, encadrés par Roland Romeyer et Bernard Caïazzo, se seraient prononcés…

    ", "category": "", - "link": "https://www.sofoot.com/le-bayer-leverkusen-aneantit-greuther-furth-wolfsburg-ne-repond-plus-507848.html", + "link": "https://www.sofoot.com/pascal-dupraz-plus-que-jamais-vers-l-asse-508189.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bayer-leverkusen-aneantit-greuther-furth-wolfsburg-ne-repond-plus-1638636266_x600_articles-alt-507848.jpg", + "pubDate": "2021-12-12T14:08:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pascal-dupraz-plus-que-jamais-vers-l-asse-1639318420_x600_articles-508189.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57112,19 +61888,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8bd448a23dec84b2c78db9d8a6c2a19d" + "hash": "36592745d910d895f5748db0723c6dfd" }, { - "title": "Milan casse la Salernitana", - "description": "

    ", - "content": "

    ", + "title": "Le LOSC bute sur Lyon", + "description": "En réussite depuis le début du mois de décembre, Lille a calé à domicile face à l'OL (0-0) malgré un réveil en seconde période et une grosse domination en fin de partie. Ni Dogues ni Gones ne sortiront du week-end dans le top 10.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/milan-casse-la-salernitana-507851.html", + "link": "https://www.sofoot.com/le-losc-bute-sur-lyon-508182.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-milan-casse-la-salernitana-1638633830_x600_articles-507851.jpg", + "pubDate": "2021-12-12T14:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-losc-bute-sur-lyon-1639318474_x600_articles-alt-508182.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57132,19 +61909,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a202ba76583d8bed7936573821d551c" + "hash": "fa6606d9fe259017e9c9ac05bd937101" }, { - "title": "Auxerre et Caen se quittent sur un nul spectaculaire", - "description": "

    ", - "content": "

    ", + "title": "Guinée : Kaba Diawara sera le sélectionneur pour la CAN", + "description": "Kaba Africa !
    \n
    \nLe vice-président du Comité de normalisation nommé pour gérer les affaires courantes de la Fédération guinéenne, Séga Diallo, a confirmé ce dimanche à l'AFP la…

    ", + "content": "Kaba Africa !
    \n
    \nLe vice-président du Comité de normalisation nommé pour gérer les affaires courantes de la Fédération guinéenne, Séga Diallo, a confirmé ce dimanche à l'AFP la…

    ", "category": "", - "link": "https://www.sofoot.com/auxerre-et-caen-se-quittent-sur-un-nul-spectaculaire-507846.html", + "link": "https://www.sofoot.com/guinee-kaba-diawara-sera-le-selectionneur-pour-la-can-508186.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-auxerre-et-caen-se-quittent-sur-un-nul-spectaculaire-1638633599_x600_articles-507846.jpg", + "pubDate": "2021-12-12T13:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-guinee-kaba-diawara-sera-le-selectionneur-pour-la-can-1639317629_x600_articles-508186.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57152,19 +61930,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f123a79abfcbc19f7549cc20f151798" + "hash": "f0c00a9b9391c4597700e3fcd1591cc0" }, { - "title": "En direct : Marseille - Brest", - "description": "0' : La compo de l'OM sur l'instru de Bad Boys de Marseille Pt 2, c'est d'une efficacité à ...", - "content": "0' : La compo de l'OM sur l'instru de Bad Boys de Marseille Pt 2, c'est d'une efficacité à ...", + "title": "Pronostic Cadix Grenade : Analyse, cotes et prono du match de Liga", + "description": "

    Grenade lance l'opération maintien face à Cadix

    \n
    \nEn clôture de la 17e journée de la Liga, Cadix reçoit Grenade dans un match important…
    ", + "content": "

    Grenade lance l'opération maintien face à Cadix

    \n
    \nEn clôture de la 17e journée de la Liga, Cadix reçoit Grenade dans un match important…
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-marseille-brest-507854.html", + "link": "https://www.sofoot.com/pronostic-cadix-grenade-analyse-cotes-et-prono-du-match-de-liga-508188.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T15:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-marseille-brest-1638628591_x600_articles-507854.jpg", + "pubDate": "2021-12-12T13:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-cadix-grenade-analyse-cotes-et-prono-du-match-de-liga-1639318345_x600_articles-508188.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57172,19 +61951,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "87c3637d1da3ec388656589c9ada9296" + "hash": "1ed7cff299fbc8f56724230cbe5890fe" }, { - "title": "La fois où Zlatan Ibrahimović a été fou de rage de devoir payer un jus de fruit à 1£", - "description": "Même quand on gagne des millions, il n'y a pas de petites économies.
    \n
    \nSi vous voulez énerver Zlatan Ibrahimović, parlez-lui de jus de fruit. Avec la sortie prochaine de sa…

    ", - "content": "Même quand on gagne des millions, il n'y a pas de petites économies.
    \n
    \nSi vous voulez énerver Zlatan Ibrahimović, parlez-lui de jus de fruit. Avec la sortie prochaine de sa…

    ", + "title": "Lyon et Paris continuent leur course-poursuite", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-fois-ou-zlatan-ibrahimovic-a-ete-fou-de-rage-de-devoir-payer-un-jus-de-fruit-a-1-507859.html", + "link": "https://www.sofoot.com/lyon-et-paris-continuent-leur-course-poursuite-508181.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T15:27:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-fois-ou-zlatan-ibrahimovic-a-ete-fou-de-rage-de-devoir-payer-un-jus-de-fruit-a-1-1638631834_x600_articles-507859.jpg", + "pubDate": "2021-12-12T13:38:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lyon-et-paris-continuent-leur-course-poursuite-1639316649_x600_articles-508181.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57192,19 +61972,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "21f34865eb43ab005e7b4b8ea6571d5e" + "hash": "6c39ec02f4e984e77108ac9d338b7f7f" }, { - "title": "Séville assure l'essentiel face à Villarreal", - "description": "

    ", - "content": "

    ", + "title": "Pronostic Toulouse Rodez : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Toulouse se reprend face à Rodez

    \n
    \nAuteur d'une excellente saison dernière, Toulouse a été tout proche de remonter en Ligue 1, buttant seulement sur…
    ", + "content": "

    Toulouse se reprend face à Rodez

    \n
    \nAuteur d'une excellente saison dernière, Toulouse a été tout proche de remonter en Ligue 1, buttant seulement sur…
    ", "category": "", - "link": "https://www.sofoot.com/seville-assure-l-essentiel-face-a-villarreal-507849.html", + "link": "https://www.sofoot.com/pronostic-toulouse-rodez-analyse-cotes-et-prono-du-match-de-ligue-2-508187.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T15:01:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-seville-assure-l-essentiel-face-a-villarreal-1638630398_x600_articles-507849.jpg", + "pubDate": "2021-12-12T13:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-toulouse-rodez-analyse-cotes-et-prono-du-match-de-ligue-2-1639317175_x600_articles-508187.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57212,19 +61993,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e35de902752f45c0ac25bee56b1cc401" + "hash": "f30a6570221f498ffa7f172a80e68edd" }, { - "title": "Un Écossais arrêté pour avoir lancé une bouteille sur un joueur", - "description": "Lyon influence la France. La France influence le monde.
    \n
    \nEn Écosse aussi, ils ont leur lot de champions. Jeudi, Barrie McKay, qui évolue à Heart of Midlothian, a été la cible de…

    ", - "content": "Lyon influence la France. La France influence le monde.
    \n
    \nEn Écosse aussi, ils ont leur lot de champions. Jeudi, Barrie McKay, qui évolue à Heart of Midlothian, a été la cible de…

    ", + "title": "Le Zénith et le Dinamo Moscou se quittent bons amis", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/un-ecossais-arrete-pour-avoir-lance-une-bouteille-sur-un-joueur-507852.html", + "link": "https://www.sofoot.com/le-zenith-et-le-dinamo-moscou-se-quittent-bons-amis-508167.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T14:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-ecossais-arrete-pour-avoir-lance-une-bouteille-sur-un-joueur-1638628599_x600_articles-507852.jpg", + "pubDate": "2021-12-12T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-zenith-et-le-dinamo-moscou-se-quittent-bons-amis-1639314700_x600_articles-508167.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57232,19 +62014,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8f27a1a444158ad55bb0dd26c5ee10d1" + "hash": "6de451f916b7571f1c5ee8cdb21990a6" }, { - "title": "Chelsea piégé à West Ham", - "description": "

    ", - "content": "

    ", + "title": "En direct : Suivez le dernier Grand Prix de F1 de la saison", + "description": "Pour la deuxième fois de l'histoire, deux pilotes se présentent à égalité de points avant le dernier Grand Prix de la saison. Ce dimanche à Yas Marina, Max Verstappen et Lewis Hamilton vont se livrer un combat titanesque sur 58 tours. Alors un huitième titre pour le Britannique ou le premier pour le Néerlandais ?15h53 : Pour terminer, le championnat pilote cru 2021 ! À l'année prochaine les potes, en espérant qu'Alonso annihile la concurrence.
    \n1. Verstappen
    \n2. Hamilton
    \n3.…


    ", + "content": "15h53 : Pour terminer, le championnat pilote cru 2021 ! À l'année prochaine les potes, en espérant qu'Alonso annihile la concurrence.
    \n1. Verstappen
    \n2. Hamilton
    \n3.…


    ", "category": "", - "link": "https://www.sofoot.com/chelsea-piege-a-west-ham-507845.html", + "link": "https://www.sofoot.com/en-direct-suivez-le-dernier-grand-prix-de-f1-de-la-saison-508184.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T14:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-chelsea-piege-a-west-ham-1638628489_x600_articles-507845.jpg", + "pubDate": "2021-12-12T12:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-suivez-le-dernier-grand-prix-de-f1-de-la-saison-1639312825_x600_articles-508184.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57252,19 +62035,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bfd305915d9bdf3ebe810c6f2398f346" + "hash": "b3f50ee23d14b0d028e4fd8767980f02" }, { - "title": "Cristiano Ronaldo blessé au genou à cause de sa célébration ? ", - "description": "En même temps, au bout de la 801e fois, ça devait finir par craquer.
    \n
    \nDouble buteur face à Arsenal jeudi dernier, Cristiano Ronaldo a encore une fois été le grand homme…

    ", - "content": "En même temps, au bout de la 801e fois, ça devait finir par craquer.
    \n
    \nDouble buteur face à Arsenal jeudi dernier, Cristiano Ronaldo a encore une fois été le grand homme…

    ", + "title": "Des fans du Racing se rasent la tête en hommage à Lisandro López", + "description": "Chauves et fiers de l'être.
    \n
    \nLisandro López a joué le tout dernier match de sa carrière sous…

    ", + "content": "Chauves et fiers de l'être.
    \n
    \nLisandro López a joué le tout dernier match de sa carrière sous…

    ", "category": "", - "link": "https://www.sofoot.com/cristiano-ronaldo-blesse-au-genou-a-cause-de-sa-celebration-507850.html", + "link": "https://www.sofoot.com/des-fans-du-racing-se-rasent-la-tete-en-hommage-a-lisandro-lopez-508180.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T13:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-cristiano-ronaldo-blesse-au-genou-a-cause-de-sa-celebration-1638625985_x600_articles-507850.jpg", + "pubDate": "2021-12-12T11:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-des-fans-du-racing-se-rasent-la-tete-en-hommage-a-lisandro-lopez-1639309859_x600_articles-508180.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57272,19 +62056,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4fc052356b10ea1b02bdb9d8680738c8" + "hash": "280a44d01bbfbd9e727b5d68b1d65e74" }, { - "title": "Samuel Umtiti (FC Barcelone) à l'AC Milan pour remplacer Simon Kjær ?", - "description": "Samuel Umtiti enfin libérable ?
    \n
    \nAu placard au Barça (aucun match joué cette saison), le défenseur français de 28 ans s'enterre peu à peu. Selon

    ", - "content": "Samuel Umtiti enfin libérable ?
    \n
    \nAu placard au Barça (aucun match joué cette saison), le défenseur français de 28 ans s'enterre peu à peu. Selon


    ", + "title": "En direct : Lille-Lyon", + "description": "97' : C'EST FINI ! Une dernière tête de Burak Yilmaz à côté et ce Lille-Lyon se termine sur un ...", + "content": "97' : C'EST FINI ! Une dernière tête de Burak Yilmaz à côté et ce Lille-Lyon se termine sur un ...", "category": "", - "link": "https://www.sofoot.com/samuel-umtiti-fc-barcelone-a-l-ac-milan-pour-remplacer-simon-kj-c3-a6r-507844.html", + "link": "https://www.sofoot.com/en-direct-lille-lyon-508179.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T11:49:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-samuel-umtiti-fc-barcelone-a-l-ac-milan-pour-remplacer-simon-kj-c3-a6r-1638618031_x600_articles-507844.jpg", + "pubDate": "2021-12-12T11:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lille-lyon-1639308489_x600_articles-alt-508179.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57292,19 +62077,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fff81442822f5dded74be830c943b681" + "hash": "26cdb3ecba7c4104bf29997be6009191" }, { - "title": "RC Lens : le maillot collector spécial Sainte-Barbe fait fureur chez les supporters", - "description": "Voilà un coup de com' réussi.
    \n
    \n

    La F?ℛCE de Lens... depuis 115 ans ⚫? Découvrez notre maillot en hommage à la Sainte Barbe…



    ", - "content": "Voilà un coup de com' réussi.
    \n
    \n

    La F?ℛCE de Lens... depuis 115 ans ⚫? Découvrez notre maillot en hommage à la Sainte Barbe…



    ", + "title": "Thuram : \"Certains entraîneurs racontent n'importe quoi, croyez-moi\"", + "description": "Un entraîneur pas vraiment entraînant.
    \n
    \nEn deux décennies de carrière, Lilian Thuram a vu du pays et côtoyé bien des coachs. Pour le meilleur, avec Arsène Wenger. Mais aussi pour…

    ", + "content": "Un entraîneur pas vraiment entraînant.
    \n
    \nEn deux décennies de carrière, Lilian Thuram a vu du pays et côtoyé bien des coachs. Pour le meilleur, avec Arsène Wenger. Mais aussi pour…

    ", "category": "", - "link": "https://www.sofoot.com/rc-lens-le-maillot-collector-special-sainte-barbe-fait-fureur-chez-les-supporters-507843.html", + "link": "https://www.sofoot.com/thuram-certains-entraineurs-racontent-n-importe-quoi-croyez-moi-508178.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T10:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-rc-lens-le-maillot-collector-special-sainte-barbe-fait-fureur-chez-les-supporters-1638614128_x600_articles-507843.jpg", + "pubDate": "2021-12-12T10:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-thuram-certains-entraineurs-racontent-n-importe-quoi-croyez-moi-1639306794_x600_articles-508178.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57312,19 +62098,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e507ad05b931501151fba796f800436" + "hash": "c66f5cad6ea62947f129cc4599e29c74" }, { - "title": "Graham Potter veut \"créer un environnement spécial\" à Brighton", - "description": "Potter dévoile ses tours.
    \n
    \nAlors qu'il réalise sa troisième saison en tant qu'entraîneur de Brighton, Graham Potter a dévoilé un peu de sa personnalité et de sa vision du football…

    ", - "content": "Potter dévoile ses tours.
    \n
    \nAlors qu'il réalise sa troisième saison en tant qu'entraîneur de Brighton, Graham Potter a dévoilé un peu de sa personnalité et de sa vision du football…

    ", + "title": "Stéphane Moulin content que d'Ornano chante autre chose qu'Orelsan", + "description": "
    Malherbe ne perd plus à la maison.
    \n
    \nAprès six matchs…

    ", + "content": "Malherbe ne perd plus à la maison.
    \n
    \nAprès six matchs…

    ", "category": "", - "link": "https://www.sofoot.com/graham-potter-veut-creer-un-environnement-special-a-brighton-507841.html", + "link": "https://www.sofoot.com/stephane-moulin-content-que-d-ornano-chante-autre-chose-qu-orelsan-508177.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T10:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-graham-potter-veut-creer-un-environnement-special-a-brighton-1638612612_x600_articles-507841.jpg", + "pubDate": "2021-12-12T10:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-stephane-moulin-content-que-d-ornano-chante-autre-chose-qu-orelsan-1639303868_x600_articles-508177.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57332,19 +62119,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "15344e6d8c80d5b5ebf9a73df7103bfe" + "hash": "272a6cfb47fcc82a65651349b305e613" }, { - "title": "Six mois d'absence pour Simon Kjær (AC Milan)", - "description": "Semaine chargée pour Simon Kjær.
    \n
    \nDix-huitième du Ballon d'or lundi, blessé…

    ", - "content": "Semaine chargée pour Simon Kjær.
    \n
    \nDix-huitième du Ballon d'or lundi, blessé…

    ", + "title": "Le milieu de Seraing Théo Pierrot finit au but contre Anderlecht", + "description": "Le calice jusqu'à la lie.
    \n
    \nSeraing a totalement bu la tasse samedi à l'occasion de la réception d'Anderlecht (0-5). Les Rouge et Noir ont cédé trois fois en première période,…

    ", + "content": "Le calice jusqu'à la lie.
    \n
    \nSeraing a totalement bu la tasse samedi à l'occasion de la réception d'Anderlecht (0-5). Les Rouge et Noir ont cédé trois fois en première période,…

    ", "category": "", - "link": "https://www.sofoot.com/six-mois-d-absence-pour-simon-kj-c3-a6r-ac-milan-507842.html", + "link": "https://www.sofoot.com/le-milieu-de-seraing-theo-pierrot-finit-au-but-contre-anderlecht-508176.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T09:29:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-six-mois-d-absence-pour-simon-kj-c3-a6r-ac-milan-1638609613_x600_articles-507842.jpg", + "pubDate": "2021-12-12T09:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-milieu-de-seraing-theo-pierrot-finit-au-but-contre-anderlecht-1639302373_x600_articles-508176.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57352,19 +62140,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "725ce1572458a807517e29c5a9fbe315" + "hash": "729535ae3abbe276724c4ac15f7fe930" }, { - "title": "Pourquoi Newcastle, Greuther Fürth et Levante sont à la traîne depuis le début de saison ?", - "description": "Décembre vient d'arriver, la phase aller est bientôt terminée et, pour le moment, ils n'ont toujours pas gagné. Au sein des cinq grands championnats, trois clubs sont encore à la recherche de leur première victoire de la saison : Newcastle en Angleterre, Greuther Fürth en Allemagne et Levante en Espagne. Trois lanternes écarlates aux profils bien différents et qui, malgré ce démarrage calamiteux, n'ont peut-être pas hypothéqué toutes leurs chances de maintien.

    ", - "content": "

    ", + "title": "Joey Barton : \"Qui veut être arbitre ?\"", + "description": "Joey Bastonne.
    \n
    \nJamais avare de tacles bien appuyés, Joey Barton avait des choses à dire en marge de la réception de Rochdale. L'entraîneur de Bristol, 15e de League Two,…

    ", + "content": "Joey Bastonne.
    \n
    \nJamais avare de tacles bien appuyés, Joey Barton avait des choses à dire en marge de la réception de Rochdale. L'entraîneur de Bristol, 15e de League Two,…

    ", "category": "", - "link": "https://www.sofoot.com/pourquoi-newcastle-greuther-furth-et-levante-sont-a-la-traine-depuis-le-debut-de-saison-507831.html", + "link": "https://www.sofoot.com/joey-barton-qui-veut-etre-arbitre-508175.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T09:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pourquoi-newcastle-greuther-furth-et-levante-sont-a-la-traine-depuis-le-debut-de-saison-1638557194_x600_articles-alt-507831.jpg", + "pubDate": "2021-12-12T09:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-joey-barton-qui-veut-etre-arbitre-1639298859_x600_articles-508175.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57372,19 +62161,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "046de87ae3fab36c9cb3d71dbca7042a" + "hash": "5ac1254bba0e3dda6e973c3852909dd5" }, { - "title": "Le but en huit secondes de Dominic Solanke (Bournemouth) contre Fulham", - "description": "C'est ce qu'on appelle ressortir des vestiaires avec les crocs.
    \n
    \nCe vendredi soir, Bournemouth, deuxième de Championship, se déplaçait sur la pelouse de Craven Cottage pour y affronter…

    ", - "content": "C'est ce qu'on appelle ressortir des vestiaires avec les crocs.
    \n
    \nCe vendredi soir, Bournemouth, deuxième de Championship, se déplaçait sur la pelouse de Craven Cottage pour y affronter…

    ", + "title": "New York City remporte la MLS aux tirs au but", + "description": "Définitivement la saison de la (grosse) pomme.
    \n
    \nLe New York City FC a inscrit son nom au palmarès de la Major League Soccer pour la toute première fois en venant à bout de Portland…

    ", + "content": "Définitivement la saison de la (grosse) pomme.
    \n
    \nLe New York City FC a inscrit son nom au palmarès de la Major League Soccer pour la toute première fois en venant à bout de Portland…

    ", "category": "", - "link": "https://www.sofoot.com/le-but-en-huit-secondes-de-dominic-solanke-bournemouth-contre-fulham-507840.html", + "link": "https://www.sofoot.com/new-york-city-remporte-la-mls-aux-tirs-au-but-508174.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T08:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-but-en-huit-secondes-de-dominic-solanke-bournemouth-contre-fulham-1638606180_x600_articles-507840.jpg", + "pubDate": "2021-12-12T08:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-new-york-city-remporte-la-mls-aux-tirs-au-but-1639298147_x600_articles-508174.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57392,19 +62182,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "59b59ddaa973501d1b0da6339146a602" + "hash": "d540971296eb4c4b013debf32360248c" }, { - "title": "LOTO du samedi 4 décembre 2021 : 30 millions d'€ à gagner (cagnotte record) !", - "description": "Incroyable, la cagnotte du LOTO vient de franchir la barre symbolique des 30 millions d'euros. Cette cagnotte record est mis en jeu ce samedi 4 décembre 2021.

    LOTO du samedi 4 décembre 2021 : 30 Millions d'€

    \n
    \n
    \nMagnifique cagnotte record du LOTO ce samedi 4 décembre 2021 avec 30 millions…

    ", - "content": "

    LOTO du samedi 4 décembre 2021 : 30 Millions d'€

    \n
    \n
    \nMagnifique cagnotte record du LOTO ce samedi 4 décembre 2021 avec 30 millions…

    ", + "title": "L'incroyable but de Youcef Belaïli face au Maroc", + "description": "Un but dingue dans un match dingue.
    \n
    \nYoucef Belaïli a éclaboussé Doha de toute sa classe samedi en inscrivant un but stratosphérique face au Maroc. À la suite d'un dégagement de son…

    ", + "content": "Un but dingue dans un match dingue.
    \n
    \nYoucef Belaïli a éclaboussé Doha de toute sa classe samedi en inscrivant un but stratosphérique face au Maroc. À la suite d'un dégagement de son…

    ", "category": "", - "link": "https://www.sofoot.com/loto-du-samedi-4-decembre-2021-30-millions-d-e-a-gagner-cagnotte-record-507793.html", + "link": "https://www.sofoot.com/l-incroyable-but-de-youcef-belaili-face-au-maroc-508170.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T08:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-loto-du-samedi-4-decembre-2021-30-millions-d-e-a-gagner-cagnotte-record-1638520345_x600_articles-507793.jpg", + "pubDate": "2021-12-12T08:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-incroyable-but-de-youcef-belaili-face-au-maroc-1639296583_x600_articles-508170.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57412,19 +62203,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "32836656722c8455d03d1f63fb282854" + "hash": "287bbd946cc4e7725843baaf56fd05c9" }, { - "title": "Kalimuendo, l'étoile du nord", - "description": "Débarqué au centre de formation du PSG à l'âge de 11 ans, Arnaud Kalimuendo a franchi toutes les étapes vers le monde du foot professionnel dans l'ouest de la capitale. Avant de mettre le cap au nord et de tomber sous le charme du RC Lens version Franck Haise, la saison dernière. Un coup de cœur qui porte pleinement ses fruits pour le bonhomme de 19 ans, gâchette attitrée des Sang et Or au moment de retrouver son club formateur.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Pronostic PSG Monaco : Analyse, cotes et prono du match de Ligue 1", + "description": "Quasi carton plein en cours sur le dernier match des Bleus, le Lille-Salzbourg, le Manchester City - PSG, et les PSG - Club Bruges et Wolfsbourg - Lille de cette semaine. Pour parier sur cette nouvelle affiche du PSG, vous offre 100€ directs (Déposez 100€, Misez avec 200€)

    Déposez 100€ et misez directement avec 200€ sur PSG - Monaco

    \n
    \nWinamax
    ", + "content": "

    Déposez 100€ et misez directement avec 200€ sur PSG - Monaco

    \n
    \nWinamax
    ", "category": "", - "link": "https://www.sofoot.com/kalimuendo-l-etoile-du-nord-507827.html", + "link": "https://www.sofoot.com/pronostic-psg-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-508085.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kalimuendo-l-etoile-du-nord-1638550263_x600_articles-alt-507827.jpg", + "pubDate": "2021-12-10T07:34:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-psg-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-1639121761_x600_articles-508085.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57432,19 +62224,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "76b5964eb4a603141616f2021b7a1ac8" + "hash": "cc847bb2ae42a707b2c7f82f0f9fdd8d" }, { - "title": "La Côte d'Ivoire dans le brouillard", - "description": "Géant du football africain, la Côte d'Ivoire fait surtout parler d'elle pour les tensions qui agitent ses institutions et la sélection nationale. L'élection à la présidence de la fédération, actuellement dirigée par un Comité de normalisation, et qui devait avoir lieu le 20 décembre, a été reportée. Et les Éléphants, depuis leur élimination en qualifications pour la Coupe du monde, sont sous étroite surveillance.On avait évoqué mai 2020, puis septembre, puis novembre de la même année. La crise sanitaire et des conflits liés au code électoral ont finalement fait capoter toutes les hypothèses pour que…", - "content": "On avait évoqué mai 2020, puis septembre, puis novembre de la même année. La crise sanitaire et des conflits liés au code électoral ont finalement fait capoter toutes les hypothèses pour que…", + "title": "Thibaut Courtois, l'assurance tous risques", + "description": "Ce dimanche soir, la Liga vibrera au rythme du Derbi, opposant le Real Madrid à l'Atlético. Une rencontre attendue avec impatience par Thibaut Courtois, prêt à retrouver son ancienne formation, mais surtout à défendre sa cage à Santiago Bernabéu. Car si les Merengues brillent depuis plusieurs mois, ils le doivent en grande partie à leur géant belge.Ce début de saison ressemble à une copie quasi parfaite pour le Real Madrid. Leaders en championnat et sereinement qualifiés pour les huitièmes de finale de la Ligue des champions, les hommes de…", + "content": "Ce début de saison ressemble à une copie quasi parfaite pour le Real Madrid. Leaders en championnat et sereinement qualifiés pour les huitièmes de finale de la Ligue des champions, les hommes de…", "category": "", - "link": "https://www.sofoot.com/la-cote-d-ivoire-dans-le-brouillard-507813.html", + "link": "https://www.sofoot.com/thibaut-courtois-l-assurance-tous-risques-508162.html", "creator": "SO FOOT", - "pubDate": "2021-12-04T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-cote-d-ivoire-dans-le-brouillard-1638537935_x600_articles-alt-507813.jpg", + "pubDate": "2021-12-12T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-thibaut-courtois-l-assurance-tous-risques-1639249478_x600_articles-alt-508162.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57452,19 +62245,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c9ae54fb0212b3290629b35bca99630" + "hash": "edd35f4014a65324d3796d69cc8108e8" }, { - "title": "Le Sporting maîtrise Benfica et prend le derby", - "description": "

    ", - "content": "

    ", + "title": "Mais où es-tu passé Pape Matar Sarr ?", + "description": "Incontournable dans le milieu de terrain du FC Metz la saison dernière, Pape Matar Sarr (19 ans) a connu un début de carrière fulgurant avec deux sélections nationales et un transfert à Tottenham l'été dernier. Prêté chez les Grenats dans la foulée, le milieu sénégalais est en perdition durant cette première partie de saison, perdant même sa place de titulaire.\"Laissez Pape Matar Sarr tranquille. Laissez-le grandir tranquillement. On en parle trop, je trouve. Il a encore beaucoup de progrès à faire. Il a un gros potentiel pour faire une grande…", + "content": "\"Laissez Pape Matar Sarr tranquille. Laissez-le grandir tranquillement. On en parle trop, je trouve. Il a encore beaucoup de progrès à faire. Il a un gros potentiel pour faire une grande…", "category": "", - "link": "https://www.sofoot.com/le-sporting-maitrise-benfica-et-prend-le-derby-507839.html", + "link": "https://www.sofoot.com/mais-ou-es-tu-passe-pape-matar-sarr-508138.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T23:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-sporting-maitrise-benfica-et-prend-le-derby-1638573355_x600_articles-507839.jpg", + "pubDate": "2021-12-12T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mais-ou-es-tu-passe-pape-matar-sarr-1639226985_x600_articles-alt-508138.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57472,19 +62266,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "513158dcdde0608e807eee8fd55ad87f" + "hash": "ed790e98b395b8cb83fb24cd6fc0ecb2" }, { - "title": "Ajaccio rate le coche, Guingamp retourne Dijon, Sochaux s'arrache", - "description": "Leader provisoire en cas de victoire ce vendredi soir, l'AC Ajaccio n'a pas réussi à percer la muraille valenciennoise (0-0) et reste deuxième. Juste derrière, Sochaux, le Paris FC et Le Havre ont tous fait le plein de points, ce qui engendre un embouteillage en première partie de tableau. Guingamp a remporté le match fou de la soirée contre Dijon (3-2), alors qu'en bas de tableau, Amiens s'est donné de l'air face à Dunkerque (3-0) et que Nancy a encore flanché sur le pré de QRM (2-1).

    ", - "content": "

    ", + "title": "Alexander Djiku : \"Les maths m'ont appris à être rigoureux\"", + "description": "Si Strasbourg a la deuxième meilleure attaque de Ligue 1 avant de recevoir l'OM ce dimanche à la Meinau, c'est aussi parce que les Alsaciens s'appuient sur une arrière-garde solide et joueuse, à l'image d'Alexander Djiku. Capitaine de la bande à Julien Stéphan, l'international ghanéen raconte la métamorphose du RC Strasbourg, mais évoque aussi ses ambitions pour la CAN 2022, sa découverte du kop et son amour du Perudo. Entretien avec un homme qui aime les dés, mais qui ne laisse rien au hasard.Avant de recevoir l'OM, Strasbourg reste sur 7 matchs sans défaite. C'est quoi le secret de ce RCSA 2021 ?
    \nLe travail, l'état d'esprit et surtout, le coach…
    ", + "content": "Avant de recevoir l'OM, Strasbourg reste sur 7 matchs sans défaite. C'est quoi le secret de ce RCSA 2021 ?
    \nLe travail, l'état d'esprit et surtout, le coach…
    ", "category": "", - "link": "https://www.sofoot.com/ajaccio-rate-le-coche-guingamp-retourne-dijon-sochaux-s-arrache-507835.html", + "link": "https://www.sofoot.com/alexander-djiku-les-maths-m-ont-appris-a-etre-rigoureux-508122.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T22:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ajaccio-rate-le-coche-guingamp-retourne-dijon-sochaux-s-arrache-1638570394_x600_articles-alt-507835.jpg", + "pubDate": "2021-12-12T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-alexander-djiku-les-maths-m-ont-appris-a-etre-rigoureux-1639219932_x600_articles-alt-508122.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57492,19 +62287,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d696262cfed5e2132c81d0a141a4c3ef" + "hash": "2e66fc7a4c7f1350b8bfaa35b8f31d62" }, { - "title": "L'Union Berlin enfonce encore un peu plus Leipzig ", - "description": "

    ", - "content": "

    ", + "title": "Séville assure le minimum face à l'Athletic", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/l-union-berlin-enfonce-encore-un-peu-plus-leipzig-507824.html", + "link": "https://www.sofoot.com/seville-assure-le-minimum-face-a-l-athletic-508169.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T21:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-union-berlin-enfonce-encore-un-peu-plus-leipzig-1638567003_x600_articles-507824.jpg", + "pubDate": "2021-12-11T22:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-seville-assure-le-minimum-face-a-l-athletic-1639260595_x600_articles-508169.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57512,19 +62308,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "416c39e0e09c7c7f2928c1289dd39766" + "hash": "ed578cce0f9a4818a25faf7c65f64700" }, { - "title": "Pronostic Lorient Nantes : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Nantes accroche Lorient

    \n
    \nCe dimanche, Lorient reçoit Nantes au Moustoir. Après avoir connu une saison dernière à lutter pour son maintien, le club…
    ", - "content": "

    Nantes accroche Lorient

    \n
    \nCe dimanche, Lorient reçoit Nantes au Moustoir. Après avoir connu une saison dernière à lutter pour son maintien, le club…
    ", + "title": "Reims enfonce encore un peu plus Saint-Étienne", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lorient-nantes-analyse-cotes-et-prono-du-match-de-ligue-1-507838.html", + "link": "https://www.sofoot.com/reims-enfonce-encore-un-peu-plus-saint-etienne-508164.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T19:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lorient-nantes-analyse-cotes-et-prono-du-match-de-ligue-1-1638559510_x600_articles-507838.jpg", + "pubDate": "2021-12-11T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-reims-enfonce-encore-un-peu-plus-saint-etienne-1639260420_x600_articles-508164.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57532,19 +62329,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9674b91adb011aee84bda92fcf2684a" + "hash": "e8e49692d15a8d9dc6856a274b872aa2" }, { - "title": "Pronostic Bordeaux Lyon : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lyon se relance à Bordeaux

    \n
    \nEn proie à d'importants problèmes financiers en fin de saison dernière, Bordeaux a été tout proche d'une…
    ", - "content": "

    Lyon se relance à Bordeaux

    \n
    \nEn proie à d'importants problèmes financiers en fin de saison dernière, Bordeaux a été tout proche d'une…
    ", + "title": "Zlatan Ibrahimović offre le nul au buzzer à l'AC Milan contre Udinese", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-bordeaux-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-507837.html", + "link": "https://www.sofoot.com/zlatan-ibrahimovic-offre-le-nul-au-buzzer-a-l-ac-milan-contre-udinese-508166.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T18:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bordeaux-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-1638558954_x600_articles-507837.jpg", + "pubDate": "2021-12-11T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-zlatan-ibrahimovic-offre-le-nul-au-buzzer-a-l-ac-milan-contre-udinese-1639259307_x600_articles-508166.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57552,19 +62350,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e591b50f195106b7098a77b384e73a7" + "hash": "0775ae62ca78f3dda51d85cd81e51aec" }, { - "title": "Pronostic Monaco Metz : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Monaco enchaîne face à Metz

    \n
    \nDepuis le début de ce nouvel exercice, l'AS Monaco ne retrouve pas son rythme de la deuxième partie de saison…
    ", - "content": "

    Monaco enchaîne face à Metz

    \n
    \nDepuis le début de ce nouvel exercice, l'AS Monaco ne retrouve pas son rythme de la deuxième partie de saison…
    ", + "title": "Paris et Auxerre font la bonne opération, Nancy creuse encore", + "description": "Avec 28 buts, ce multiplex de la 18e journée de Ligue 2 est le plus prolifique de la saison. Parmi les grands vainqueurs de cette soirée, le Paris FC et l'AJ Auxerre. Sochaux et Dunkerque font une mauvaise opération, alors que Nancy continue de s'enfoncer.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-monaco-metz-analyse-cotes-et-prono-du-match-de-ligue-1-507836.html", + "link": "https://www.sofoot.com/paris-et-auxerre-font-la-bonne-operation-nancy-creuse-encore-508159.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T18:48:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-monaco-metz-analyse-cotes-et-prono-du-match-de-ligue-1-1638558172_x600_articles-507836.jpg", + "pubDate": "2021-12-11T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-paris-et-auxerre-font-la-bonne-operation-nancy-creuse-encore-1639253808_x600_articles-alt-508159.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57572,19 +62371,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "268f5b77b6112d4f393b4bcf218a6a65" + "hash": "8b771e55022e5ac47723ac7efd40d648" }, { - "title": "Pronostic Montpellier Clermont : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Montpellier costaud à la maison face à Clermont

    \n
    \nNeuvième de Ligue 1, Montpellier est dans le ventre mou du championnat. En effet, le club…
    ", - "content": "

    Montpellier costaud à la maison face à Clermont

    \n
    \nNeuvième de Ligue 1, Montpellier est dans le ventre mou du championnat. En effet, le club…
    ", + "title": "Manchester United s'arrache à Norwich", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-montpellier-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-507834.html", + "link": "https://www.sofoot.com/manchester-united-s-arrache-a-norwich-508163.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T18:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-montpellier-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-1638557378_x600_articles-507834.jpg", + "pubDate": "2021-12-11T19:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-s-arrache-a-norwich-1639251243_x600_articles-508163.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57592,19 +62392,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "31a719a8bb3257d5ffa00b117556ea25" + "hash": "3f88ee2600e6add03ccc88a6d60e1bd8" }, { - "title": "Pronostic Reims Angers : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Reims et Angers dos à dos

    \n
    \nPlutôt solide depuis son retour en Ligue 1, le stade de Reims avait cependant connu sa saison la plus compliquée l'an…
    ", - "content": "

    Reims et Angers dos à dos

    \n
    \nPlutôt solide depuis son retour en Ligue 1, le stade de Reims avait cependant connu sa saison la plus compliquée l'an…
    ", + "title": "La Juventus accrochée à Venise", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-reims-angers-analyse-cotes-et-prono-du-match-de-ligue-1-507833.html", + "link": "https://www.sofoot.com/la-juventus-accrochee-a-venise-508161.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T18:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-reims-angers-analyse-cotes-et-prono-du-match-de-ligue-1-1638557202_x600_articles-507833.jpg", + "pubDate": "2021-12-11T18:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-accrochee-a-venise-1639247500_x600_articles-508161.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57612,19 +62413,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7abb7b3d3b9ccd8027dcb2c9fddc488f" + "hash": "26f5a1843111c91dbe39738ecc679eea" }, { - "title": "Pronostic Saint-Etienne Rennes : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Rennes retrouve des couleurs à Saint-Etienne

    \n
    \nDernier de Ligue 1, l'AS Saint-Etienne vit une première partie de saison cauchemardesque. Les Verts…
    ", - "content": "

    Rennes retrouve des couleurs à Saint-Etienne

    \n
    \nDernier de Ligue 1, l'AS Saint-Etienne vit une première partie de saison cauchemardesque. Les Verts…
    ", + "title": "Montpellier coule Brest et met fin à sa série", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-saint-etienne-rennes-analyse-cotes-et-prono-du-match-de-ligue-1-507832.html", + "link": "https://www.sofoot.com/montpellier-coule-brest-et-met-fin-a-sa-serie-508157.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T18:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-saint-etienne-rennes-analyse-cotes-et-prono-du-match-de-ligue-1-1638556611_x600_articles-507832.jpg", + "pubDate": "2021-12-11T17:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-montpellier-coule-brest-et-met-fin-a-sa-serie-1639244093_x600_articles-508157.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57632,19 +62434,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cb14cd3ee8434fb2791fe4abe538eac2" + "hash": "6e16b9a5a60f468d81d22294f34069ff" }, { - "title": "Pronostic Nice Strasbourg : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Strasbourg tend un piège à Nice

    \n
    \nFormation ambitieuse de la Ligue 1, l'OGC Nice n'a pas affiché son meilleur visage lors des dernières semaines.…
    ", - "content": "

    Strasbourg tend un piège à Nice

    \n
    \nFormation ambitieuse de la Ligue 1, l'OGC Nice n'a pas affiché son meilleur visage lors des dernières semaines.…
    ", + "title": "Une montre de luxe ayant appartenu à Maradona retrouvée en Inde", + "description": "Peut-être pour ça qu'il portait toujours deux montres.
    \n
    \nUne opération de police, conjointe entre celles de Dubaï et d'Assam, une région indienne, a permis de retrouver une…

    ", + "content": "Peut-être pour ça qu'il portait toujours deux montres.
    \n
    \nUne opération de police, conjointe entre celles de Dubaï et d'Assam, une région indienne, a permis de retrouver une…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-nice-strasbourg-analyse-cotes-et-prono-du-match-de-ligue-1-507830.html", + "link": "https://www.sofoot.com/une-montre-de-luxe-ayant-appartenu-a-maradona-retrouvee-en-inde-508160.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T17:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nice-strasbourg-analyse-cotes-et-prono-du-match-de-ligue-1-1638556115_x600_articles-507830.jpg", + "pubDate": "2021-12-11T17:16:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-une-montre-de-luxe-ayant-appartenu-a-maradona-retrouvee-en-inde-1639243168_x600_articles-508160.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57652,19 +62455,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0f21d222df6ab57529bc313b01ab49e3" + "hash": "38f77c1f1773658e19221afeee67a8be" }, { - "title": "Les joueurs du Zénith entrent sur le terrain avec des chiens dans les bras", - "description": "Une équipe qui a du chien.
    \n
    \nLeader incontesté de la Première Ligue russe, le Zénith Saint-Pétersbourg est entré sur la pelouse de la Gazprom Arena avec des compagnons à quatre…

    ", - "content": "Une équipe qui a du chien.
    \n
    \nLeader incontesté de la Première Ligue russe, le Zénith Saint-Pétersbourg est entré sur la pelouse de la Gazprom Arena avec des compagnons à quatre…

    ", + "title": "Liverpool et Chelsea souffrent, mais s'accrochent à City", + "description": "Mis sous pression par la victoire de Manchester City en début d'après-midi, Liverpool et Chelsea ont répondu aux hommes de Pep Guardiola en s'imposant tous les deux à domicile. Les Reds ont dominé Aston Villa sur la plus petite des marges grâce à un penalty de Mohamed Salah (1-0). Les Blues ont aussi bataillé pour se défaire de Leeds (3-2). Tout le contraire d'Arsenal, qui s'est promené face à Southampton (3-0).

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-joueurs-du-zenith-entrent-sur-le-terrain-avec-des-chiens-dans-les-bras-507828.html", + "link": "https://www.sofoot.com/liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-508139.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T16:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-joueurs-du-zenith-entrent-sur-le-terrain-avec-des-chiens-dans-les-bras-1638553467_x600_articles-507828.jpg", + "pubDate": "2021-12-11T17:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-1639242230_x600_articles-508139.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57672,19 +62476,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "687ca2007352861c9fe158449f1f6a28" + "hash": "2a3813b3066d348e7e4538d1ba8f3eee" }, { - "title": "Le Covid prive les supporters lillois du déplacement à Wolfsburg", - "description": "Il est de retour.
    \n
    \nLes supporters de Lille sont interdits de déplacement à Wolfsburg pour le compte de la dernière journée de phase de groupes de la Ligue des Champions mercredi…

    ", - "content": "Il est de retour.
    \n
    \nLes supporters de Lille sont interdits de déplacement à Wolfsburg pour le compte de la dernière journée de phase de groupes de la Ligue des Champions mercredi…

    ", + "title": "Le Bayern s'en sort contre Mayence, Dortmund accroché à Bochum", + "description": "Mis en difficulté par Mayence durant 45 minutes, le Bayern Munich a renversé la situation (2-1) et pris deux points d'avance en plus sur Dortmund, incorrigible à Bochum malgré une kyrielle de situations franches (1-1). Leipzig a repris du poil de la bête en passant ses nerfs sur Gladbach, qui n'en finit plus de couler (4-1), alors qu'Hoffenheim a dégoûté Fribourg (2-1). À part ça, Stevan Jovetić a encore marqué avec le Hertha, pour se défaire de l'Arminia Bielefeld (2-0).

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-covid-prive-les-supporters-lillois-du-deplacement-a-wolfsburg-507823.html", + "link": "https://www.sofoot.com/le-bayern-s-en-sort-contre-mayence-dortmund-accroche-a-bochum-508140.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T16:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-covid-prive-les-supporters-lillois-du-deplacement-a-wolfsburg-1638553282_x600_articles-507823.jpg", + "pubDate": "2021-12-11T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-s-en-sort-contre-mayence-dortmund-accroche-a-bochum-1639241450_x600_articles-alt-508140.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57692,19 +62497,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "91646708667f3f4844cd848c94c731d1" + "hash": "5496b99082844ba5a954136c02895db2" }, { - "title": "La Ligue portugaise s'organise pour que le cas Belenenses ne se reproduise plus", - "description": "On peut être responsable une fois, mais pas deux.
    \n
    \nCinq. Non, ce n'était pas le…

    ", - "content": "On peut être responsable une fois, mais pas deux.
    \n
    \nCinq. Non, ce n'était pas le…

    ", + "title": "La Fiorentina roule sur Salerne", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-ligue-portugaise-s-organise-pour-que-le-cas-belenenses-ne-se-reproduise-plus-507825.html", + "link": "https://www.sofoot.com/la-fiorentina-roule-sur-salerne-508154.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T15:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-ligue-portugaise-s-organise-pour-que-le-cas-belenenses-ne-se-reproduise-plus-1638553018_x600_articles-507825.jpg", + "pubDate": "2021-12-11T16:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-fiorentina-roule-sur-salerne-1639239481_x600_articles-508154.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57712,19 +62518,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "19d6400bbf896b84d1d368974ddecb73" + "hash": "5d26a09dce754dd4d3e1b9e301cfe198" }, { - "title": "Upamecano sur son bégaiement : \"À l'école, j'ai subi beaucoup de moqueries\"", - "description": "La leçon de vie du jour.
    \n
    \nS'il est aujourd'hui un footballeur confirmé, Dayot Upamecano a dû traverser différentes étapes avant d'arriver tout en haut de l'échelle. À commencer…

    ", - "content": "La leçon de vie du jour.
    \n
    \nS'il est aujourd'hui un footballeur confirmé, Dayot Upamecano a dû traverser différentes étapes avant d'arriver tout en haut de l'échelle. À commencer…

    ", + "title": "Ajaccio crucifie Le Havre et prend la tête", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/upamecano-sur-son-begaiement-a-l-ecole-j-ai-subi-beaucoup-de-moqueries-507826.html", + "link": "https://www.sofoot.com/ajaccio-crucifie-le-havre-et-prend-la-tete-508155.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T15:54:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-upamecano-sur-son-begaiement-a-l-ecole-j-ai-subi-beaucoup-de-moqueries-1638552738_x600_articles-507826.jpg", + "pubDate": "2021-12-11T15:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ajaccio-crucifie-le-havre-et-prend-la-tete-1639238418_x600_articles-508155.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57732,19 +62539,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f351c4d6e3357c5a0ab751dc644b1a69" + "hash": "e00086c71caa161ad4324eab6fbad84d" }, { - "title": "Un dirigeant de la FIFA propose de relancer la Coupe des confédérations", - "description": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", - "content": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", + "title": "Thuram : \"Certains entraineurs racontent n'importe quoi, croyez-moi\"", + "description": "Un entraineur pas vraiment entrainant.
    \n
    \nEn deux décennies de carrière, Lilian Thuram a vu du pays et côtoyé bien des coachs. Pour le meilleur, avec Arsène Wenger. Mais aussi pour le…

    ", + "content": "Un entraineur pas vraiment entrainant.
    \n
    \nEn deux décennies de carrière, Lilian Thuram a vu du pays et côtoyé bien des coachs. Pour le meilleur, avec Arsène Wenger. Mais aussi pour le…

    ", "category": "", - "link": "https://www.sofoot.com/un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-507822.html", + "link": "https://www.sofoot.com/thuram-certains-entraineurs-racontent-n-importe-quoi-croyez-moi-508178.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T15:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-1638552592_x600_articles-507822.jpg", + "pubDate": "2021-12-12T10:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-thuram-certains-entraineurs-racontent-n-importe-quoi-croyez-moi-1639306794_x600_articles-508178.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57752,19 +62560,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "948418e787a7691e8ceac43180d586f8" + "hash": "9d1616866afd3b2a82a38ce071362db5" }, { - "title": "Les ultras du CSKA Moscou s'excusent auprès du club", - "description": "Faute avouée, à moitié pardonnée.
    \n
    \nLes Люди в Чёрном (littéralement, les Men in Black), un des groupes d'ultras du CSKA Moscou, ont publié un communiqué sur leurs…

    ", - "content": "Faute avouée, à moitié pardonnée.
    \n
    \nLes Люди в Чёрном (littéralement, les Men in Black), un des groupes d'ultras du CSKA Moscou, ont publié un communiqué sur leurs…

    ", + "title": "Samuel Eto'o élu président de la fédération camerounaise ", + "description": "\" J'ai d'abord rappelé à Seidou Mbombo Njoya qu'il n'avait jamais été un grand joueur \"
    \n
    \nÀ quelques semaines de la CAN organisée à la maison, le Cameroun s'est…

    ", + "content": "\" J'ai d'abord rappelé à Seidou Mbombo Njoya qu'il n'avait jamais été un grand joueur \"
    \n
    \nÀ quelques semaines de la CAN organisée à la maison, le Cameroun s'est…

    ", "category": "", - "link": "https://www.sofoot.com/les-ultras-du-cska-moscou-s-excusent-aupres-du-club-507821.html", + "link": "https://www.sofoot.com/samuel-eto-o-elu-president-de-la-federation-camerounaise-508158.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T15:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-ultras-du-cska-moscou-s-excusent-aupres-du-club-1638545186_x600_articles-507821.jpg", + "pubDate": "2021-12-11T15:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-samuel-eto-o-elu-president-de-la-federation-camerounaise-1639237062_x600_articles-508158.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57772,19 +62581,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "acd536c9dbd4e2e783c466ea6f2f73a5" + "hash": "e3b4c1b827b925784175f0f346ab75df" }, { - "title": "Sergio Ramos forfait pour le déplacement à Lens", - "description": "Après avoir déjà attendu 139 jours pour voir Sergio Ramos être convoqué dans le groupe de Mauricio Pochettino, les supporters du club de la capitale devront une nouvelle fois faire preuve de…", - "content": "Après avoir déjà attendu 139 jours pour voir Sergio Ramos être convoqué dans le groupe de Mauricio Pochettino, les supporters du club de la capitale devront une nouvelle fois faire preuve de…", + "title": "Sardar Azmoun serait d'accord pour rejoindre l'OL ", + "description": "Le Messi iranien > le Messi argentin ?
    \n
    \nMalgré le départ de Juninho de son poste de directeur sportif, l'état-major lyonnais a bien bossé ces dernières semaines. Déjà sur le…

    ", + "content": "Le Messi iranien > le Messi argentin ?
    \n
    \nMalgré le départ de Juninho de son poste de directeur sportif, l'état-major lyonnais a bien bossé ces dernières semaines. Déjà sur le…

    ", "category": "", - "link": "https://www.sofoot.com/sergio-ramos-forfait-pour-le-deplacement-a-lens-507820.html", + "link": "https://www.sofoot.com/sardar-azmoun-serait-d-accord-pour-rejoindre-l-ol-508156.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T15:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-forfait-pour-le-deplacement-a-lens-1638543109_x600_articles-507820.jpg", + "pubDate": "2021-12-11T14:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sardar-azmoun-serait-d-accord-pour-rejoindre-l-ol-1639234122_x600_articles-508156.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57792,19 +62602,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1fc58b93ccca1fd98def02d4c4b00492" + "hash": "cbc6af141ae62669b57d358f417fcb03" }, { - "title": "Le transfert de Cristiano Ronaldo à Manchester United dans le viseur de la justice italienne", - "description": "La Vieille Dame a du souci à se faire.
    \n
    \nSi les prestations de la Juventus sur le terrain sont plutôt médiocres ces derniers temps, ce qu'il se passe en coulisses n'a rien de rassurant…

    ", - "content": "La Vieille Dame a du souci à se faire.
    \n
    \nSi les prestations de la Juventus sur le terrain sont plutôt médiocres ces derniers temps, ce qu'il se passe en coulisses n'a rien de rassurant…

    ", + "title": "Service minimum pour Manchester City face à Wolverhampton", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-transfert-de-cristiano-ronaldo-a-manchester-united-dans-le-viseur-de-la-justice-italienne-507819.html", + "link": "https://www.sofoot.com/service-minimum-pour-manchester-city-face-a-wolverhampton-508143.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T14:04:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-transfert-de-cristiano-ronaldo-a-manchester-united-dans-le-viseur-de-la-justice-italienne-1638543566_x600_articles-507819.jpg", + "pubDate": "2021-12-11T14:37:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-service-minimum-pour-manchester-city-face-a-wolverhampton-1639233536_x600_articles-508143.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57812,19 +62623,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e849120eaa02907b0c48c01ec8ba5266" + "hash": "a6de232ccd2779869f8f2a2ffc0bf537" }, { - "title": "Horst Eckel, dernier vainqueur de la Coupe du monde 1954, est mort", - "description": "Triste nouvelle pour la Mannschaft.
    \n
    \nLa Fédération allemande de football l'a annoncé ce matin : Horst Eckel n'est plus. L'ancien milieu de terrain, appelé à 32 reprises en…

    ", - "content": "Triste nouvelle pour la Mannschaft.
    \n
    \nLa Fédération allemande de football l'a annoncé ce matin : Horst Eckel n'est plus. L'ancien milieu de terrain, appelé à 32 reprises en…

    ", + "title": "Sergio Ramos, Kimpembe et Nuno Mendes forfaits pour la réception de Monaco", + "description": "À ce rythme, Kurzawa va être titulaire.
    \n
    \nAlors que le PSG reçoit dimanche soir l'AS Monaco, le secteur défensif de la formation francilienne est décimé. Les Parisiens ont…

    ", + "content": "À ce rythme, Kurzawa va être titulaire.
    \n
    \nAlors que le PSG reçoit dimanche soir l'AS Monaco, le secteur défensif de la formation francilienne est décimé. Les Parisiens ont…

    ", "category": "", - "link": "https://www.sofoot.com/horst-eckel-dernier-vainqueur-de-la-coupe-du-monde-1954-est-mort-507818.html", + "link": "https://www.sofoot.com/sergio-ramos-kimpembe-et-nuno-mendes-forfaits-pour-la-reception-de-monaco-508153.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T13:27:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-horst-eckel-dernier-vainqueur-de-la-coupe-du-monde-1954-est-mort-1638540513_x600_articles-507818.jpg", + "pubDate": "2021-12-11T13:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-kimpembe-et-nuno-mendes-forfaits-pour-la-reception-de-monaco-1639231151_x600_articles-508153.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57832,19 +62644,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b14f5d7029d61e72ab0618d170c81a3e" + "hash": "2014ab9243c91e0dbe9508dd6b38d900" }, { - "title": "Pronostic Naples Atalanta Bergame : Analyse, cotes et prono du match de Serie A", - "description": "

    Naples se reprend face à l'Atalanta Bergame

    \n
    \nL'opposition entre le Napoli et l'Atalanta Bergame met aux prises deux équipes qui luttent dans le…
    ", - "content": "

    Naples se reprend face à l'Atalanta Bergame

    \n
    \nL'opposition entre le Napoli et l'Atalanta Bergame met aux prises deux équipes qui luttent dans le…
    ", + "title": "Vincent Labrune promet que des annonces seront faites en fin de semaine prochaine concernant l'insécurité ", + "description": "Des cadeaux empoisonnés pour les enfants pas sages.
    \n
    \nTrois jours après
    ", + "content": "Des cadeaux empoisonnés pour les enfants pas sages.
    \n
    \nTrois jours après
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-naples-atalanta-bergame-analyse-cotes-et-prono-du-match-de-serie-a-507815.html", + "link": "https://www.sofoot.com/vincent-labrune-promet-que-des-annonces-seront-faites-en-fin-de-semaine-prochaine-concernant-l-insecurite-508152.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T13:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-naples-atalanta-bergame-analyse-cotes-et-prono-du-match-de-serie-a-1638539870_x600_articles-507815.jpg", + "pubDate": "2021-12-11T13:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-vincent-labrune-promet-que-des-annonces-seront-faites-en-fin-de-semaine-prochaine-concernant-l-insecurite-1639229599_x600_articles-508152.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57852,19 +62665,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c4519e11eb83db7a985657d32f0014f" + "hash": "2a8de30dfbbd91a09ef6e7ecb56be3b2" }, { - "title": "Pronostic West Ham Chelsea : Analyse, cotes et prono du match de Premier League", - "description": "

    Un Chelsea impérial à West Ham

    \n
    \nDepuis la prise en main de l'équipe par David Moyes il y a 2 ans, West Ham n'a cessé de progresser. En effet, les…
    ", - "content": "

    Un Chelsea impérial à West Ham

    \n
    \nDepuis la prise en main de l'équipe par David Moyes il y a 2 ans, West Ham n'a cessé de progresser. En effet, les…
    ", + "title": "Le bel hommage des joueurs du SC Cambuur à leur entraîneur malade, en Eredivisie", + "description": "C'est ce qu'on appelle la classe.
    \n
    \nChampion d'Eerste Divisie (deuxième division néerlandaise) l'an dernier et actuellement quatrième d'Eredivisie, le SC Cambuur voit sa période faste…

    ", + "content": "C'est ce qu'on appelle la classe.
    \n
    \nChampion d'Eerste Divisie (deuxième division néerlandaise) l'an dernier et actuellement quatrième d'Eredivisie, le SC Cambuur voit sa période faste…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-west-ham-chelsea-analyse-cotes-et-prono-du-match-de-premier-league-507814.html", + "link": "https://www.sofoot.com/le-bel-hommage-des-joueurs-du-sc-cambuur-a-leur-entraineur-malade-en-eredivisie-508151.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T13:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-west-ham-chelsea-analyse-cotes-et-prono-du-match-de-premier-league-1638537688_x600_articles-507814.jpg", + "pubDate": "2021-12-11T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bel-hommage-des-joueurs-du-sc-cambuur-a-leur-entraineur-malade-en-eredivisie-1639224008_x600_articles-508151.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57872,19 +62686,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "870be9be970417063fd93df52486f99a" + "hash": "5ce7f3bbd6f531e1b1ce7253c1e29069" }, { - "title": "David Laubertie, tête pensante du Dakar Sacré-Coeur", - "description": "Enfant d'Égletons, une petite bourgade corrézienne, David Laubertie est aujourd'hui la tête pensante de l'AS Dakar Sacré-Cœur. Ce club de Ligue 1 sénégalaise, partenaire de l'OL, a fait de lui son directeur sportif à l'été 2020, avant de le nommer entraîneur de l'équipe professionnelle six mois plus tard. À 52 ans, l'ancien entraîneur du Stade poitevin et de l'US Chauvigny (N3) cumule aujourd'hui les deux fonctions, avec la ferme intention de lancer des jeunes au plus haut niveau.\" Il faut jouer à votre meilleur niveau, à chaque match. C'est ce qu'on vous demandera en Europe ! \", lance David Laubertie, debout au centre du vestiaire, à ses hommes qui…", - "content": "\" Il faut jouer à votre meilleur niveau, à chaque match. C'est ce qu'on vous demandera en Europe ! \", lance David Laubertie, debout au centre du vestiaire, à ses hommes qui…", + "title": "\"L'ECA est l'otage des Qataris\", selon Aurelio De Laurentiis", + "description": "Les oreilles de Nasser al-Khelaïfi sifflent très fort.
    \n
    \nRéputé pour son franc-parler et son aversion contre l'influence du Qatar dans le football, Aurelio De Laurentiis, le président…

    ", + "content": "Les oreilles de Nasser al-Khelaïfi sifflent très fort.
    \n
    \nRéputé pour son franc-parler et son aversion contre l'influence du Qatar dans le football, Aurelio De Laurentiis, le président…

    ", "category": "", - "link": "https://www.sofoot.com/david-laubertie-tete-pensante-du-dakar-sacre-coeur-507625.html", + "link": "https://www.sofoot.com/l-eca-est-l-otage-des-qataris-selon-aurelio-de-laurentiis-508150.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-david-laubertie-tete-pensante-du-dakar-sacre-coeur-1638352456_x600_articles-alt-507625.jpg", + "pubDate": "2021-12-11T11:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-eca-est-l-otage-des-qataris-selon-aurelio-de-laurentiis-1639222673_x600_articles-508150.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57892,19 +62707,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c314bd54e20600d53823791f85ae39d" + "hash": "350dfd2cb85af8f1be116ebaaea7f60c" }, { - "title": "Pronostic AS Roma Inter : Analyse, cotes et prono du match de Serie A", - "description": "

    L'Inter mieux que la Roma

    \n
    \nCes dernières semaines, la Serie A nous offre des oppositions passionnantes. Ce samedi, la Roma reçoit l'Inter. Lors de…
    ", - "content": "

    L'Inter mieux que la Roma

    \n
    \nCes dernières semaines, la Serie A nous offre des oppositions passionnantes. Ce samedi, la Roma reçoit l'Inter. Lors de…
    ", + "title": "Covid-19 : À Renac, une soirée tartiflette provoque un cluster", + "description": "Soirée tartiflette, lendemains casse-tête.
    \n
    \nLa vie paisible menée par l'Hermine de Renac, en Ille-et-Vilaine, a été troublée ces derniers jours par la Covid-19. En effet, après…

    ", + "content": "Soirée tartiflette, lendemains casse-tête.
    \n
    \nLa vie paisible menée par l'Hermine de Renac, en Ille-et-Vilaine, a été troublée ces derniers jours par la Covid-19. En effet, après…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-as-roma-inter-analyse-cotes-et-prono-du-match-de-serie-a-507812.html", + "link": "https://www.sofoot.com/covid-19-a-renac-une-soiree-tartiflette-provoque-un-cluster-508149.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T12:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-as-roma-inter-analyse-cotes-et-prono-du-match-de-serie-a-1638536907_x600_articles-507812.jpg", + "pubDate": "2021-12-11T10:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-covid-19-a-renac-une-soiree-tartiflette-provoque-un-cluster-1639221019_x600_articles-508149.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57912,19 +62728,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ddd7204b18e34f976381fb37e4cef12" + "hash": "d689b91ee7b363de78990d2aa5aba994" }, { - "title": "Pronostic Lens PSG : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Lens – PSG ouvert avec des buts

    \n
    \nPromu la saison dernière, le Racing Club de Lens avait épaté en proposant un football très plaisant. Avec cette…
    ", - "content": "

    Un Lens – PSG ouvert avec des buts

    \n
    \nPromu la saison dernière, le Racing Club de Lens avait épaté en proposant un football très plaisant. Avec cette…
    ", + "title": "Tottenham-Rennes définitivement annulé", + "description": "L'UEFA sonne la fin des tractations.
    \n
    \nDécimé par une épidémie de Covid-19 qui a forcé le…

    ", + "content": "L'UEFA sonne la fin des tractations.
    \n
    \nDécimé par une épidémie de Covid-19 qui a forcé le…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lens-psg-analyse-cotes-et-prono-du-match-de-ligue-1-507811.html", + "link": "https://www.sofoot.com/tottenham-rennes-definitivement-annule-508148.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T12:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lens-psg-analyse-cotes-et-prono-du-match-de-ligue-1-1638535814_x600_articles-507811.jpg", + "pubDate": "2021-12-11T10:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tottenham-rennes-definitivement-annule-1639217612_x600_articles-508148.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57932,19 +62749,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e0dd6e5959ae813e0396bba5a71d595c" + "hash": "0622ea22df54a2ff6a0da9fb2138370f" }, { - "title": "Selon un rapport, la finale de l'Euro 2020 a failli entraîner des décès", - "description": "Aucun doute possible, la défense italienne était bien meilleure que le service de sécurité anglais.
    \n
    \nLe 12 juillet dernier,
    ", - "content": "Aucun doute possible, la défense italienne était bien meilleure que le service de sécurité anglais.
    \n
    \nLe 12 juillet dernier,
    ", + "title": "Ralf Rangnick ne cherchera pas à garder Paul Pogba à tout prix", + "description": "Les Français n'ont pas la cote à Manchester United en ce moment.
    \n
    \nPaul Pogba et Anthony Martial portant un autre maillot la saison prochaine ? L'hypothèse est crédible.
    ", + "content": "Les Français n'ont pas la cote à Manchester United en ce moment.
    \n
    \nPaul Pogba et Anthony Martial portant un autre maillot la saison prochaine ? L'hypothèse est crédible.
    ", "category": "", - "link": "https://www.sofoot.com/selon-un-rapport-la-finale-de-l-euro-2020-a-failli-entrainer-des-deces-507808.html", + "link": "https://www.sofoot.com/ralf-rangnick-ne-cherchera-pas-a-garder-paul-pogba-a-tout-prix-508147.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T11:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-selon-un-rapport-la-finale-de-l-euro-2020-a-failli-entrainer-des-deces-1638539920_x600_articles-507808.jpg", + "pubDate": "2021-12-11T09:25:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ralf-rangnick-ne-cherchera-pas-a-garder-paul-pogba-a-tout-prix-1639215513_x600_articles-508147.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57952,19 +62770,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "eacc3bd8925f51dbf105b5732f82e06f" + "hash": "d6aa4e8804c7099a7592ba8bd8d90f65" }, { - "title": "Pronostic Lille Troyes : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lille dompte Troyes

    \n
    \nAuteur d'une saison dernière extraordinaire, Lille avait remporté le championnat de France en dominant à la surprise…
    ", - "content": "

    Lille dompte Troyes

    \n
    \nAuteur d'une saison dernière extraordinaire, Lille avait remporté le championnat de France en dominant à la surprise…
    ", + "title": "Manolo Gabbiadini célèbre son but contre le Genoa sur le banc de touche", + "description": "Scène cocasse à Gênes.
    \n
    \nFessé à domicile par la Sampdoria dans le derby de la lanterne (1-3) ce vendredi, le Genoa continue de plonger en Serie A (dix-neuvième) malgré
    ", + "content": "Scène cocasse à Gênes.
    \n
    \nFessé à domicile par la Sampdoria dans le derby de la lanterne (1-3) ce vendredi, le Genoa continue de plonger en Serie A (dix-neuvième) malgré
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lille-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-507809.html", + "link": "https://www.sofoot.com/manolo-gabbiadini-celebre-son-but-contre-le-genoa-sur-le-banc-de-touche-508146.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T11:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lille-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-1638534915_x600_articles-507809.jpg", + "pubDate": "2021-12-11T08:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-manolo-gabbiadini-celebre-son-but-contre-le-genoa-sur-le-banc-de-touche-1639213173_x600_articles-508146.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57972,19 +62791,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f73fa30261bd4e4f08371209cd4b63a0" + "hash": "3d1d86ef0e9565188752042c2d69820a" }, { - "title": "Laporta : \"Dembélé veut rester et on veut qu'il reste\"", - "description": "Exciter (verbe) : créer ou développer chez quelqu'un, un animal, un état d'irritation ou de tension nerveuse.
    \n
    \nVoir un joueur fouler la pelouse 73 petites minutes depuis…

    ", - "content": "Exciter (verbe) : créer ou développer chez quelqu'un, un animal, un état d'irritation ou de tension nerveuse.
    \n
    \nVoir un joueur fouler la pelouse 73 petites minutes depuis…

    ", + "title": "DERNIERS JOURS : 20€ offerts GRATUITS chez NetBet pour parier ce week-end !", + "description": "Envie de parier ce week-end sans déposer d'argent ? NetBet vous offre 20€ sans sortir votre CB ! Ce sont les derniers jours de cette offre EXCLU pour les lecteurs de SoFoot

    EXCLU : 20€ offerts SANS SORTIR LA CB chez NetBet

    \n
    \nVous voulez obtenir 20€ sans verser d'argent pour parier ?
    \n

    ", + "content": "

    EXCLU : 20€ offerts SANS SORTIR LA CB chez NetBet

    \n
    \nVous voulez obtenir 20€ sans verser d'argent pour parier ?
    \n


    ", "category": "", - "link": "https://www.sofoot.com/laporta-dembele-veut-rester-et-on-veut-qu-il-reste-507806.html", + "link": "https://www.sofoot.com/derniers-jours-20e-offerts-gratuits-chez-netbet-pour-parier-ce-week-end-508086.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T11:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-laporta-dembele-veut-rester-et-on-veut-qu-il-reste-1638539031_x600_articles-507806.jpg", + "pubDate": "2021-12-09T15:57:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-derniers-jours-20e-offerts-gratuits-chez-netbet-pour-parier-ce-week-end-1639066912_x600_articles-508086.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -57992,19 +62812,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b34185a0e76781e2ad8327c3ff568c59" + "hash": "7e4c833fab312aac2c83996a201018e8" }, { - "title": "Sergio Ramos utilise l'hymne de l'OM dans une story Instagram", - "description": "Après avoir débuté sous les couleurs du Paris Saint-Germain dimanche dernier lors du
    déplacement à Saint-Étienne…", - "content": "Après avoir débuté sous les couleurs du Paris Saint-Germain dimanche dernier lors du déplacement à Saint-Étienne…", + "title": "Pronostic Lille Lyon : Analyse, cotes et prono du match de Ligue 1", + "description": "Quasi carton plein en cours sur le dernier match des Bleus, le Lille-Salzbourg, le Manchester City - PSG, et les PSG - Club Bruges et Wolfsbourg - Lille de cette semaine. Pour parier sur cette nouvelle affiche du LOSC, ZEbet vous offre 10€ sans sortir votre CB

    10€ gratuits pour parier sur ce Lille - Lyon !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", + "content": "

    10€ gratuits pour parier sur ce Lille - Lyon !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", "category": "", - "link": "https://www.sofoot.com/sergio-ramos-utilise-l-hymne-de-l-om-dans-une-story-instagram-507805.html", + "link": "https://www.sofoot.com/pronostic-lille-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-508084.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T11:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-utilise-l-hymne-de-l-om-dans-une-story-instagram-1638534369_x600_articles-507805.jpg", + "pubDate": "2021-12-10T06:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lille-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-1639065591_x600_articles-508084.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58012,19 +62833,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "88ec21314aa17f12ff5df6e43bfd7fa8" + "hash": "67580074ed8d167dc2e67cc393b83abf" }, { - "title": "Qui est Dušan Vlahović, le buteur serbe de la Fiorentina qui n'arrête pas de marquer ?", - "description": "Actuel meilleur buteur de la Serie A, Dušan Vlahović ne cesse d'affoler les défenses de la Botte depuis un an à chacune de ses sorties. À 21 ans, le longiligne et talentueux buteur serbe est déjà l'une des plus fines gâchettes en activité. La preuve que parfois, on peut rêver de devenir dentiste et finalement se retrouver courtisé par le gotha du foot européen plus rapidement que prévu.Au stadio Artemio-Franchi de Florence, voir Dušan Vlahović célébrer ses buts un peu n'importe comment est devenu une habitude pour les tifosi de la Fiorentina. Face à Milan (4-3), le buteur…", - "content": "Au stadio Artemio-Franchi de Florence, voir Dušan Vlahović célébrer ses buts un peu n'importe comment est devenu une habitude pour les tifosi de la Fiorentina. Face à Milan (4-3), le buteur…", + "title": "Entretien croisé avec Maxime Leverbe et Valentin Gendrey, deux Français qui flambent en Serie B ", + "description": "Ce samedi, Pise reçoit Lecce pour un choc au sommet entre le leader et son dauphin en Serie B. L'occasion pour deux joueurs français qui ne se connaissaient pas, Maxime Leverbe et Valentin Gendrey, de s'affronter pour la première fois sur le terrain, mais également de parler de leur quotidien dans l'antichambre de l'élite italienne à base de Massimo Coda ou des toboggans de Pordenone.

    Casting :

    \n
    \n– Maxime Leverbe (24 ans) : Défenseur central de Pise, passé par la Sampdoria, Cagliari et le Chievo.
    \n
    ", + "content": "

    Casting :

    \n
    \n– Maxime Leverbe (24 ans) : Défenseur central de Pise, passé par la Sampdoria, Cagliari et le Chievo.
    \n
    ", "category": "", - "link": "https://www.sofoot.com/qui-est-dusan-vlahovic-le-buteur-serbe-de-la-fiorentina-qui-n-arrete-pas-de-marquer-507785.html", + "link": "https://www.sofoot.com/entretien-croise-avec-maxime-leverbe-et-valentin-gendrey-deux-francais-qui-flambent-en-serie-b-508121.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-qui-est-dusan-vlahovic-le-buteur-serbe-de-la-fiorentina-qui-n-arrete-pas-de-marquer-1638465301_x600_articles-alt-507785.jpg", + "pubDate": "2021-12-11T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-entretien-croise-avec-maxime-leverbe-et-valentin-gendrey-deux-francais-qui-flambent-en-serie-b-1639159608_x600_articles-508121.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58032,19 +62854,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8fbf9916f880dfcd575ddc0fa8e6ed42" + "hash": "54a6526f80cac09a22bb5d5ec2ff281c" }, { - "title": "Donnarumma : \"Avec Navas, il n'y a pas le moindre conflit\"", - "description": "Tout ça pour finir remplaçant contre Lens ce samedi.
    \n
    \nAuteur de remarquables performances avec l'AC Milan d'abord puis avec l'Italie à l'Euro, Gianluigi Donnarumma a reçu
    ", - "content": "Tout ça pour finir remplaçant contre Lens ce samedi.
    \n
    \nAuteur de remarquables performances avec l'AC Milan d'abord puis avec l'Italie à l'Euro, Gianluigi Donnarumma a reçu
    ", + "title": "Éric Di Meco et Baptiste Serin avec Loïc Puyo : \"Les rugbymen sont des footeux qui s'ignorent\"", + "description": "Passé par la Ligue 1, la Ligue 2, le National, et même le championnat australien la saison dernière, le milieu de terrain Loïc Puyo (32 ans) prend la plume, depuis un an et demi, afin de raconter pour So Foot son quotidien de joueur. Cette semaine, avant une belle journée de Coupe d'Europe sur les terrains de rugby, il a décidé d'évoquer la relation entre foot et rugby, avec un joueur international de chaque discipline pour débroussailler le sujet : Éric Di Meco et Baptiste Serin.Après les récents succès de nos équipes nationales - nos…", + "content": "Après les récents succès de nos équipes nationales - nos…", "category": "", - "link": "https://www.sofoot.com/donnarumma-avec-navas-il-n-y-a-pas-le-moindre-conflit-507804.html", + "link": "https://www.sofoot.com/eric-di-meco-et-baptiste-serin-avec-loic-puyo-les-rugbymen-sont-des-footeux-qui-s-ignorent-507976.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T10:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-donnarumma-avec-navas-il-n-y-a-pas-le-moindre-conflit-1638530071_x600_articles-507804.jpg", + "pubDate": "2021-12-11T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-eric-di-meco-et-baptiste-serin-avec-loic-puyo-les-rugbymen-sont-des-footeux-qui-s-ignorent-1639092925_x600_articles-alt-507976.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58052,19 +62875,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8dd477f635d9212ed7f4a3fe61a5b65f" + "hash": "b87b4f5ae859d5efa6d667348daa8e92" }, { - "title": "Kheira Hamraoui accuse le garde du corps d'Aminata Diallo de l'avoir menacée", - "description": "Et c'est reparti pour un tour.
    \n
    \nToujours pas revenue à l'entraînement, Kheira Hamraoui a été
    ", - "content": "Et c'est reparti pour un tour.
    \n
    \nToujours pas revenue à l'entraînement, Kheira Hamraoui a été
    ", + "title": "Le FC Nantes retourne le RC Lens en beauté", + "description": "Invisible en première période et breaké par des Lensois cliniques, le FC Nantes a retourné le scénario après la pause en plantant trois fois, pour arracher in extremis la victoire à la Beaujoire dans un élan incroyable, grâce à un doublé heureux de Randal Kolo Muani et un bonbon final de Moses Simon (3-2). Le Racing tourne toujours au ralenti.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/kheira-hamraoui-accuse-le-garde-du-corps-d-aminata-diallo-de-l-avoir-menacee-507803.html", + "link": "https://www.sofoot.com/le-fc-nantes-retourne-le-rc-lens-en-beaute-508142.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T10:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kheira-hamraoui-accuse-le-garde-du-corps-d-aminata-diallo-de-l-avoir-menacee-1638529988_x600_articles-507803.jpg", + "pubDate": "2021-12-10T22:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-fc-nantes-retourne-le-rc-lens-en-beaute-1639175448_x600_articles-alt-508142.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58072,19 +62896,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b2ec3449611ac5a481e17b3de990e4ac" + "hash": "becf5af0419ce334001368449d9c0837" }, { - "title": "Rangnick explique pourquoi il a refusé les offres de Chelsea", - "description": "Cela s'appelle jouer cartes sur table.
    \n
    \nCe vendredi, il était attendu. Peut-être pas autant que le nouvel album de Ninho, mais Ralf Rangnick, le nouveau \"jefe\" de la meute…

    ", - "content": "Cela s'appelle jouer cartes sur table.
    \n
    \nCe vendredi, il était attendu. Peut-être pas autant que le nouvel album de Ninho, mais Ralf Rangnick, le nouveau \"jefe\" de la meute…

    ", + "title": "En direct : Nantes - Lens", + "description": "43' : Des trous partout dans ce bloc nantais... Que dire.", + "content": "43' : Des trous partout dans ce bloc nantais... Que dire.", "category": "", - "link": "https://www.sofoot.com/rangnick-explique-pourquoi-il-a-refuse-les-offres-de-chelsea-507802.html", + "link": "https://www.sofoot.com/en-direct-nantes-lens-508141.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-rangnick-explique-pourquoi-il-a-refuse-les-offres-de-chelsea-1638530759_x600_articles-507802.jpg", + "pubDate": "2021-12-10T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-nantes-lens-1639167929_x600_articles-alt-508141.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58092,19 +62917,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e2aadc6b966f91db960e03a6f65758ff" + "hash": "e0d988ad9578fad10ebfa9dc25669b47" }, { - "title": "Pronostic OM Brest : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un OM – Brest avec des buts de chaque côté

    \n
    \nGrâce à son excellent début de saison, l'Olympique de Marseille est parvenue à rester dans le coup…
    ", - "content": "

    Un OM – Brest avec des buts de chaque côté

    \n
    \nGrâce à son excellent début de saison, l'Olympique de Marseille est parvenue à rester dans le coup…
    ", + "title": "Mikel Arteta souhaite des protocoles Covid plus clairs en Premier League", + "description": "Et souhaiter la fin du Covid tout court, c'est trop demandé ?
    \n
    \nAlors que la Premier League a annoncé le report de…

    ", + "content": "Et souhaiter la fin du Covid tout court, c'est trop demandé ?
    \n
    \nAlors que la Premier League a annoncé le report de…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-om-brest-analyse-cotes-et-prono-du-match-de-ligue-1-507801.html", + "link": "https://www.sofoot.com/mikel-arteta-souhaite-des-protocoles-covid-plus-clairs-en-premier-league-508137.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:49:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-om-brest-analyse-cotes-et-prono-du-match-de-ligue-1-1638526112_x600_articles-507801.jpg", + "pubDate": "2021-12-10T16:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mikel-arteta-souhaite-des-protocoles-covid-plus-clairs-en-premier-league-1639158794_x600_articles-508137.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58112,59 +62938,62 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ab688c2284f97b307ff228b51c5dbf7" + "hash": "bf3e95ffc71456e36aae59b8c5374c3b" }, { - "title": "Pronostic Real Sociedad Real Madrid : Analyse, cotes et prono du match de Liga", - "description": "

    Le Real Madrid enchaîne face à la Real Sociedad

    \n
    \nA l'instar de l'an passé, la Real Sociedad a débuté sur les chapeaux de roue la saison pour…
    ", - "content": "

    Le Real Madrid enchaîne face à la Real Sociedad

    \n
    \nA l'instar de l'an passé, la Real Sociedad a débuté sur les chapeaux de roue la saison pour…
    ", + "title": "Colombie : un joueur aide l'arbitre à mettre un carton", + "description": "Mieux vaut être du côté de l'homme en noir.
    \n
    \nFin de match rocambolesque entre l'America de Cali qui arrache la victoire contre l'Alianza Petrolera dans les derniers instants (but du…

    ", + "content": "Mieux vaut être du côté de l'homme en noir.
    \n
    \nFin de match rocambolesque entre l'America de Cali qui arrache la victoire contre l'Alianza Petrolera dans les derniers instants (but du…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-real-sociedad-real-madrid-analyse-cotes-et-prono-du-match-de-liga-507799.html", + "link": "https://www.sofoot.com/colombie-un-joueur-aide-l-arbitre-a-mettre-un-carton-508136.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-sociedad-real-madrid-analyse-cotes-et-prono-du-match-de-liga-1638525291_x600_articles-507799.jpg", + "pubDate": "2021-12-10T16:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-colombie-un-joueur-aide-l-arbitre-a-mettre-un-carton-1639158165_x600_articles-508136.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ec3b356ab78022cb01d7a41d965f2b35" + "hash": "946a667d2830c9b4287fc25dc82a8cd7" }, { - "title": "Raymond Domenech égratigne les joueurs de l'OL", - "description": "Le Lyon ne rugit plus.
    \n
    \nLa défaite concédée face à Reims dans le temps additionnel (1-2) mercredi soir va…

    ", - "content": "Le Lyon ne rugit plus.
    \n
    \nLa défaite concédée face à Reims dans le temps additionnel (1-2) mercredi soir va…

    ", + "title": "La fédération espagnole se paye Javier Tebas", + "description": "La Liga a officialisé ce vendredi son accord avec le fonds d'investissement CVC, qui va permettre aux clubs espagnols de toucher 1,994 milliard d'euros, dont 400 millions qui doivent arriver dans…", + "content": "La Liga a officialisé ce vendredi son accord avec le fonds d'investissement CVC, qui va permettre aux clubs espagnols de toucher 1,994 milliard d'euros, dont 400 millions qui doivent arriver dans…", "category": "", - "link": "https://www.sofoot.com/raymond-domenech-egratigne-les-joueurs-de-l-ol-507800.html", + "link": "https://www.sofoot.com/la-federation-espagnole-se-paye-javier-tebas-508135.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-raymond-domenech-egratigne-les-joueurs-de-l-ol-1638530414_x600_articles-507800.jpg", + "pubDate": "2021-12-10T16:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-federation-espagnole-se-paye-javier-tebas-1639155197_x600_articles-508135.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "428759e9ae624fab354b1acc7cf85f18" + "hash": "235021f59fab0032a1fa25be39291a4c" }, { - "title": "Pronostic Borussia Dortmund Bayern Munich : Analyse, cotes et prono du match de Bundesliga", - "description": "

    Le Bayern assoit sa domination face au Borussia Dortmund

    \n
    \nLa 14e journée de Bundesliga nous offre le choc entre le Borussia Dortmund et le…
    ", - "content": "

    Le Bayern assoit sa domination face au Borussia Dortmund

    \n
    \nLa 14e journée de Bundesliga nous offre le choc entre le Borussia Dortmund et le…
    ", + "title": "La finale de la Coupe de France féminine à Dijon", + "description": "Il y aura du spectacle cette saison à Dijon et ce ne sera pas forcément grâce à l'équipe de Patrice Garande, actuellement 15e de Ligue 2.
    \n
    \nLa Coupe de France féminine…

    ", + "content": "Il y aura du spectacle cette saison à Dijon et ce ne sera pas forcément grâce à l'équipe de Patrice Garande, actuellement 15e de Ligue 2.
    \n
    \nLa Coupe de France féminine…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-borussia-dortmund-bayern-munich-analyse-cotes-et-prono-du-match-de-bundesliga-507796.html", + "link": "https://www.sofoot.com/la-finale-de-la-coupe-de-france-feminine-a-dijon-508134.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-borussia-dortmund-bayern-munich-analyse-cotes-et-prono-du-match-de-bundesliga-1638524131_x600_articles-507796.jpg", + "pubDate": "2021-12-10T16:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-finale-de-la-coupe-de-france-feminine-a-dijon-1639155163_x600_articles-508134.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58172,19 +63001,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d323fc55ead6b1107a6d81cc16c52140" + "hash": "d5fc06635f1dacc30913a4606a739b3f" }, { - "title": "Pronostic Auxerre Caen : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Auxerre enfonce Caen

    \n
    \nL'affiche du samedi après-midi en Ligue 2 met aux prises l'AJ Auxerre au Stade Malherbe de Caen. La formation bourguignonne se…
    ", - "content": "

    Auxerre enfonce Caen

    \n
    \nL'affiche du samedi après-midi en Ligue 2 met aux prises l'AJ Auxerre au Stade Malherbe de Caen. La formation bourguignonne se…
    ", + "title": "Tottenham-Brighton reporté", + "description": "Brighton et Rennes, même combat.
    \n
    \nL'épidémie de Covid-19 a décidé de s'abattre sur les Spurs de Tottenham et ne pas les laisser tranquilles. Les hommes d'Antonio Conte…

    ", + "content": "Brighton et Rennes, même combat.
    \n
    \nL'épidémie de Covid-19 a décidé de s'abattre sur les Spurs de Tottenham et ne pas les laisser tranquilles. Les hommes d'Antonio Conte…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-auxerre-caen-analyse-cotes-et-prono-du-match-de-ligue-2-507797.html", + "link": "https://www.sofoot.com/tottenham-brighton-reporte-508133.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:14:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-auxerre-caen-analyse-cotes-et-prono-du-match-de-ligue-2-1638524043_x600_articles-507797.jpg", + "pubDate": "2021-12-10T15:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tottenham-brighton-reporte-1639154594_x600_articles-508133.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58192,19 +63022,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7bb44ec0c85f79f8fc54d517c03866de" + "hash": "c1a499f5b8267191b8d93d5f7019a920" }, { - "title": "Michael Carrick quitte Manchester United", - "description": "Liquidation totale chez les Red Devils.
    \n
    \nSur le banc pour la troisième fois consécutive
    ", - "content": "Liquidation totale chez les Red Devils.
    \n
    \nSur le banc pour la troisième fois consécutive
    ", + "title": "Pronostic Real Madrid Atlético Madrid : Analyse, cotes et prono du match de Liga", + "description": "

    Le Real, roi de Madrid face à l'Atlético

    \n
    \nLa 17e journée de Liga nous offre le traditionnel derby de Madrid entre le Real et…
    ", + "content": "

    Le Real, roi de Madrid face à l'Atlético

    \n
    \nLa 17e journée de Liga nous offre le traditionnel derby de Madrid entre le Real et…
    ", "category": "", - "link": "https://www.sofoot.com/michael-carrick-quitte-manchester-united-507798.html", + "link": "https://www.sofoot.com/pronostic-real-madrid-atletico-madrid-analyse-cotes-et-prono-du-match-de-liga-508132.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T09:12:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-michael-carrick-quitte-manchester-united-1638530203_x600_articles-507798.jpg", + "pubDate": "2021-12-10T15:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-madrid-atletico-madrid-analyse-cotes-et-prono-du-match-de-liga-1639150919_x600_articles-508132.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58212,19 +63043,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "6a7b462d2b3c8a54cfed188b581b3d11" + "hash": "746fbc3c213d3599c80c182abdfaa988" }, { - "title": "La colère de la Horda Frenetik après Metz-Montpellier", - "description": "L'ambiance est délétère.
    \n
    \nAprès la défaite du FC Metz mercredi à domicile contre Montpellier (1-3) qui…

    ", - "content": "L'ambiance est délétère.
    \n
    \nAprès la défaite du FC Metz mercredi à domicile contre Montpellier (1-3) qui…

    ", + "title": "Pronostic Rennes Nice : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Rennes de beauté face à Nice

    \n
    \nL'an passé, Lille avait égayé la saison de Ligue 1 en rivalisant face aux grosses cylindrées de Ligue 1 et en…
    ", + "content": "

    Un Rennes de beauté face à Nice

    \n
    \nL'an passé, Lille avait égayé la saison de Ligue 1 en rivalisant face aux grosses cylindrées de Ligue 1 et en…
    ", "category": "", - "link": "https://www.sofoot.com/la-colere-de-la-horda-frenetik-apres-metz-montpellier-507795.html", + "link": "https://www.sofoot.com/pronostic-rennes-nice-analyse-cotes-et-prono-du-match-de-ligue-1-508131.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T08:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-colere-de-la-horda-frenetik-apres-metz-montpellier-1638521762_x600_articles-507795.jpg", + "pubDate": "2021-12-10T15:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-rennes-nice-analyse-cotes-et-prono-du-match-de-ligue-1-1639150404_x600_articles-508131.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58232,19 +63064,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8fbc291e5bc66f04284d203a6ff4656c" + "hash": "a4cab24eaa45c613f260884aac3552a5" }, { - "title": "Un dirigeant de la FIFA propose de relancer la coupe des Confédérations", - "description": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", - "content": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", + "title": "Anthony Martial veut quitter Manchester United selon son agent", + "description": "Plus de six ans après son transfert de Monaco à Manchester United, Anthony Martial (26 ans) n'a jamais vraiment confirmé tous les espoirs placés en lui, quand bien même ses 269 matchs et 79 buts…", + "content": "Plus de six ans après son transfert de Monaco à Manchester United, Anthony Martial (26 ans) n'a jamais vraiment confirmé tous les espoirs placés en lui, quand bien même ses 269 matchs et 79 buts…", "category": "", - "link": "https://www.sofoot.com/un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-507822.html", + "link": "https://www.sofoot.com/anthony-martial-veut-quitter-manchester-united-selon-son-agent-508130.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T15:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-1638552592_x600_articles-507822.jpg", + "pubDate": "2021-12-10T15:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-anthony-martial-veut-quitter-manchester-united-selon-son-agent-1639154236_x600_articles-508130.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58252,19 +63085,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdb2cb8bd4fbe41a482d34d567469ea2" + "hash": "8e69295f8f10b85727739c8944f31e12" }, { - "title": "EuroMillions vendredi 3 décembre 2021 : 130 millions d'€ à gagner !", - "description": "Encore remportée par un Français la semaine dernière, la cagnotte EuroMillions offre 130 millions d'euros à gagner ce vendredi 3 décembre 2021. Et il y a aussi une cagnotte record de 30 millions d'euros au LOTO samedi !

    EuroMillions du vendredi 3 décembre 2021 : 130M d'€

    \n
    \n
    \nDécidemment, l'EuroMillions sourit vraiment aux Français depuis 1 an. Vendredi dernier,…

    ", - "content": "

    EuroMillions du vendredi 3 décembre 2021 : 130M d'€

    \n
    \n
    \nDécidemment, l'EuroMillions sourit vraiment aux Français depuis 1 an. Vendredi dernier,…

    ", + "title": "Pronostic Troyes Bordeaux : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Troyes – Bordeaux avec des buts de chaque côté

    \n
    \nLa 18e journée de Ligue 1 nous offre ce week-end plusieurs oppositions importantes…
    ", + "content": "

    Un Troyes – Bordeaux avec des buts de chaque côté

    \n
    \nLa 18e journée de Ligue 1 nous offre ce week-end plusieurs oppositions importantes…
    ", "category": "", - "link": "https://www.sofoot.com/euromillions-vendredi-3-decembre-2021-130-millions-d-e-a-gagner-507762.html", + "link": "https://www.sofoot.com/pronostic-troyes-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-508129.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T08:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-euromillions-vendredi-3-decembre-2021-130-millions-d-e-a-gagner-1638434286_x600_articles-507762.jpg", + "pubDate": "2021-12-10T15:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-troyes-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-1639149922_x600_articles-508129.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58272,39 +63106,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "28245bcfba2f004f6eda3d2cd7cca3fb" + "hash": "564dcdbecc59d098cb2ab1a913881c21" }, { - "title": "L'Atlético Mineiro et Hulk champions du Brésil", - "description": "Ça ne danse plus beaucoup à Flamengo.
    \n
    \nL'Atlético Mineiro a remporté son premier titre de champion du…

    ", - "content": "Ça ne danse plus beaucoup à Flamengo.
    \n
    \nL'Atlético Mineiro a remporté son premier titre de champion du…

    ", + "title": "Pronostic Angers Clermont : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Angers un cran au-dessus de Clermont

    \n
    \nEn s'imposant le week-end dernier sur la pelouse de Reims (1-2), Angers a consolidé sa place dans la…
    ", + "content": "

    Angers un cran au-dessus de Clermont

    \n
    \nEn s'imposant le week-end dernier sur la pelouse de Reims (1-2), Angers a consolidé sa place dans la…
    ", "category": "", - "link": "https://www.sofoot.com/l-atletico-mineiro-et-hulk-champions-du-bresil-507792.html", + "link": "https://www.sofoot.com/pronostic-angers-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-508127.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T08:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-mineiro-et-hulk-champions-du-bresil-1638522395_x600_articles-507792.jpg", + "pubDate": "2021-12-10T14:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-angers-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-1639149108_x600_articles-508127.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "c1e42c89f34f6d09fe8f042d7609da2e" + "hash": "b0f3891086c40a83a6b0cc40935ceb95" }, { - "title": "Le spectateur de Watford-Chelsea va mieux", - "description": "L'idée de ne pas revoir Ismaila Sarr sur un terrain avant plusieurs semaines l'a beaucoup secoué.
    \n
    \nEn début de match ce mercredi, un spectateur a été victime d'un malaise cardiaque,…

    ", - "content": "L'idée de ne pas revoir Ismaila Sarr sur un terrain avant plusieurs semaines l'a beaucoup secoué.
    \n
    \nEn début de match ce mercredi, un spectateur a été victime d'un malaise cardiaque,…

    ", + "title": "Pronostic Strasbourg OM : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Strasbourg enchaîne face à l'OM

    \n
    \nLe Racing Club de Strasbourg est la sensation de cette fin d'année en Ligue 1. Après avoir démarré doucement…
    ", + "content": "

    Strasbourg enchaîne face à l'OM

    \n
    \nLe Racing Club de Strasbourg est la sensation de cette fin d'année en Ligue 1. Après avoir démarré doucement…
    ", "category": "", - "link": "https://www.sofoot.com/le-spectateur-de-watford-chelsea-va-mieux-507791.html", + "link": "https://www.sofoot.com/pronostic-strasbourg-om-analyse-cotes-et-prono-du-match-de-ligue-1-508126.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T07:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-spectateur-de-watford-chelsea-va-mieux-1638522601_x600_articles-507791.jpg", + "pubDate": "2021-12-10T14:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-strasbourg-om-analyse-cotes-et-prono-du-match-de-ligue-1-1639148500_x600_articles-508126.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58312,19 +63148,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "dada09408ffc9494ea8b47a362a84e60" + "hash": "d3bfc5291041da0bacb131d6188e5d0c" }, { - "title": "Grace Ly : \"On a toujours l'impression qu'on peut rire impunément des Asiatiques\"", - "description": "Les propos plus que douteux proférés à l'encontre de Suk Hyun-jun, dimanche dernier lors de Marseille-Troyes (1-0), ont rappelé à tout le monde que le racisme anti-asiatique était encore bien présent dans les stades de l'Hexagone. Grace Ly, écrivaine, podcasteuse, militante antiraciste et accessoirement grande fan de foot, y voit le triste reflet d'une réalité qui concerne la société française dans son ensemble.Quelle a été ta première réaction en prenant connaissance ", - "content": "Quelle a été ta première réaction en prenant connaissance ", + "title": "Quand Ripart était \"rattrapé par sa femme\" lors de ses adieux aux supporters nîmois", + "description": "\"À la base, moi, j'étais juste venu faire une pétanque...\" Quand il pénètre dans les Jardins de la Fontaine, le parc public de Nîmes, ce dimanche 18 juillet 2021, trois jours…", + "content": "\"À la base, moi, j'étais juste venu faire une pétanque...\" Quand il pénètre dans les Jardins de la Fontaine, le parc public de Nîmes, ce dimanche 18 juillet 2021, trois jours…", "category": "", - "link": "https://www.sofoot.com/grace-ly-on-a-toujours-l-impression-qu-on-peut-rire-impunement-des-asiatiques-507786.html", + "link": "https://www.sofoot.com/quand-ripart-etait-rattrape-par-sa-femme-lors-de-ses-adieux-aux-supporters-nimois-508117.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-grace-ly-on-a-toujours-l-impression-qu-on-peut-rire-impunement-des-asiatiques-1638463920_x600_articles-alt-507786.jpg", + "pubDate": "2021-12-10T14:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-quand-ripart-etait-rattrape-par-sa-femme-lors-de-ses-adieux-aux-supporters-nimois-1639138015_x600_articles-508117.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58332,19 +63169,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "45c9e84842b229f1f60db0ee0b632318" + "hash": "549ea1589389df14a0b58f3beaba7c63" }, { - "title": "Vent de fronde au Bayern, à cause du partenariat avec Qatar Airways", - "description": "Tout va bien sur le terrain, mais à la veille du Klassiker, le Bayern Munich vit une crise institutionnelle en coulisse. Lors de la dernière assemblée générale du club, les esprits se sont échauffés entre les dirigeants et les supporters. La faute au partenariat de la discorde avec Qatar Airways.Pour un club à la réputation d'ambiance parfaite, d'harmonie presque indivisible entre ses membres et ses dirigeants, le Bayern Munich a vécu deux semaines particulièrement intenses. Et Clermont va chercher vraiment loin pour son mercato hivernal.
    \n
    \nEn promotion pour son nouveau livre Affronter, François Hollande était de passage ce vendredi à Clermont.…

    ", + "content": "Clermont va chercher vraiment loin pour son mercato hivernal.
    \n
    \nEn promotion pour son nouveau livre Affronter, François Hollande était de passage ce vendredi à Clermont.…

    ", "category": "", - "link": "https://www.sofoot.com/vent-de-fronde-au-bayern-a-cause-du-partenariat-avec-qatar-airways-507782.html", + "link": "https://www.sofoot.com/francois-hollande-a-assiste-a-un-entrainement-du-clermont-foot-508125.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-vent-de-fronde-au-bayern-a-cause-du-partenariat-avec-qatar-airways-1638459082_x600_articles-alt-507782.jpg", + "pubDate": "2021-12-10T14:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-francois-hollande-a-assiste-a-un-entrainement-du-clermont-foot-1639153997_x600_articles-508125.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58352,19 +63190,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e8314af3a6fa0f2c314179959070965f" + "hash": "479ca7df0a1a3964febeed7de65db792" }, { - "title": "Tactique : Boudebouz, nouveau look pour une nouvelle vie ", - "description": "Reculé d'un cran par Claude Puel au cours de la victoire des Verts face à Clermont début novembre, Ryad Boudebouz a depuis enchaîné trois titularisations dans un nouveau costume de meneur reculé qui lui va à merveille et lui offre l'opportunité de tirer des flèches à sa guise. Décryptage d'un début de mue.À 31 ans, Ryad Boudebouz vit avec un boulet de forçat attaché aux deux pieds. Un boulet qui pèse son poids : l'Algérien aime son job. \"La base de mon problème, dans ce métier, c'est…", - "content": "À 31 ans, Ryad Boudebouz vit avec un boulet de forçat attaché aux deux pieds. Un boulet qui pèse son poids : l'Algérien aime son job. \"La base de mon problème, dans ce métier, c'est…", + "title": "Pronostic Metz Lorient : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Metz – Lorient : l'enjeu prend le dessus sur le jeu

    \n
    \nDans une lutte pour le maintien déjà acharnée, Metz et Lorient s'affrontent ce dimanche…
    ", + "content": "

    Metz – Lorient : l'enjeu prend le dessus sur le jeu

    \n
    \nDans une lutte pour le maintien déjà acharnée, Metz et Lorient s'affrontent ce dimanche…
    ", "category": "", - "link": "https://www.sofoot.com/tactique-boudebouz-nouveau-look-pour-une-nouvelle-vie-507778.html", + "link": "https://www.sofoot.com/pronostic-metz-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-508124.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tactique-boudebouz-nouveau-look-pour-une-nouvelle-vie-1638455318_x600_articles-alt-507778.jpg", + "pubDate": "2021-12-10T14:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-metz-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-1639147861_x600_articles-508124.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58372,19 +63211,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d681d53a615a7705f1947583af15a7e5" + "hash": "829d3e12137e69e891f4278c371ab927" }, { - "title": "Podcast Alternative Football (épisode 14) avec Wiloo comme invité sur le thème du foot, des nouveaux médias et des traitements journalistiques possibles", - "description": "Le football est un jeu simple, dont beaucoup parlent, mais un univers complexe, que peu connaissent vraiment. Dans Alternative Football, le podcast hors terrain de So Foot, vous en découvrirez les rouages, avec ses principaux acteurs. Dans chaque épisode, Édouard Cissé, ancien milieu de terrain du PSG, de l'OM ou de Monaco désormais entrepreneur en plus d'être consultant pour Prime Video, et Matthieu Lille-Palette, vice-président d'Opta, s'entretiendront avec un invité sur un thème précis. Pendant une mi-temps, temps nécessaire pour redéfinir totalement votre grille de compréhension.Comment la couverture du foot se réinvente-t-elle au gré des évolutions tech et culturelles, de l'arrivée de nouveaux médias, du changement des habitudes de consommation de contenus ? Autant de…", - "content": "Comment la couverture du foot se réinvente-t-elle au gré des évolutions tech et culturelles, de l'arrivée de nouveaux médias, du changement des habitudes de consommation de contenus ? Autant de…", + "title": "Quinze supporters de Moscou interpellés après la rencontre face à l'OM", + "description": "Le Lokomotiv a déraillé.
    \n
    \nVenu au stade Vélodrome ce jeudi dans l'espoir de créer l'exploit et de décrocher son billet pour la Ligue Europa Conférence, le Lokomotiv Moscou n'a pas…

    ", + "content": "Le Lokomotiv a déraillé.
    \n
    \nVenu au stade Vélodrome ce jeudi dans l'espoir de créer l'exploit et de décrocher son billet pour la Ligue Europa Conférence, le Lokomotiv Moscou n'a pas…

    ", "category": "", - "link": "https://www.sofoot.com/podcast-alternative-football-episode-14-avec-wiloo-comme-invite-sur-le-theme-du-foot-des-nouveaux-medias-et-des-traitements-journalistiques-possibles-507769.html", + "link": "https://www.sofoot.com/quinze-supporters-de-moscou-interpelles-apres-la-rencontre-face-a-l-om-508123.html", "creator": "SO FOOT", - "pubDate": "2021-12-03T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-podcast-alternative-football-episode-14-avec-wiloo-comme-invite-sur-le-theme-du-foot-des-nouveaux-medias-et-des-traitements-journalistiques-possibles-1638445073_x600_articles-alt-507769.jpg", + "pubDate": "2021-12-10T13:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-quinze-supporters-de-moscou-interpelles-apres-la-rencontre-face-a-l-om-1639148472_x600_articles-508123.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58392,19 +63232,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa46dbe603d108591c22b040c090b443" + "hash": "cd6ac06b57c8e0de4592a6b2493b96c8" }, { - "title": "Manchester United vient à bout d'Arsenal dans un match haletant", - "description": "Quatre jours après avoir tenu en échec Chelsea, Manchester United a de nouveau fait mal à un club de Londres en prenant le dessus sur Arsenal (3-2), grâce à ses Portugais Bruno Fernandes et Cristiano Ronaldo (doublé) et malgré une ouverture du score gag concédée. Une victoire qui permet aux Red Devils de remonter au septième rang de Premier League, à deux points et deux places de leur adversaire du soir. La machine est relancée.

    ", - "content": "

    ", + "title": "Le rapport accablant pour le centre de formation de Nîmes", + "description": "Un rapport de la FFF accable grandement l'état du centre de formation du Nîmes Olympique que son président Rani Assaf avait fermé en mai dernier pour des raisons financières. ", + "content": "Un rapport de la FFF accable grandement l'état du centre de formation du Nîmes Olympique que son président Rani Assaf avait fermé en mai dernier pour des raisons financières. ", "category": "", - "link": "https://www.sofoot.com/manchester-united-vient-a-bout-d-arsenal-dans-un-match-haletant-507789.html", + "link": "https://www.sofoot.com/le-rapport-accablant-pour-le-centre-de-formation-de-nimes-508119.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T22:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-vient-a-bout-d-arsenal-dans-un-match-haletant-1638484167_x600_articles-alt-507789.jpg", + "pubDate": "2021-12-10T13:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-rapport-accablant-pour-le-centre-de-formation-de-nimes-1639147346_x600_articles-508119.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58412,19 +63253,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5443e98a540376520806f9511821fea" + "hash": "335be200f0df8a6da8affad2721b7ab1" }, { - "title": "Tottenham fait le travail contre Brentford", - "description": "

    ", - "content": "

    ", + "title": "Rennes : qui se cache derrière Martin Terrier ? ", + "description": "Dans la famille Terrier, il faut demander le petit dernier, Martin, pour trouver celui qui a réussi à pointer le bout de son nez en Ligue 1. Une réussite attendue pour le cadet d'une fratrie qui a grandi, comme des milliers d'autres, en baignant dans le foot dans le Nord, une terre qu'il est le seul de la famille à avoir quittée. De Lille à Rennes en passant par Strasbourg et Lyon, portrait de l'homme en forme de la Ligue 1, symbole d'un Stade rennais à qui tout sourit. Où il est question de grosses lucarnes, d'horloge cassée et d'un amour impossible pour les jeux vidéo.Dans la famille Terrier, le 26 mai 2016 est une date à marquer d'une pierre blanche. Ce jour-là, le papa Frédéric et son épouse sont présents au stade Jean-Deconinck pour assister au dernier…", + "content": "Dans la famille Terrier, le 26 mai 2016 est une date à marquer d'une pierre blanche. Ce jour-là, le papa Frédéric et son épouse sont présents au stade Jean-Deconinck pour assister au dernier…", "category": "", - "link": "https://www.sofoot.com/tottenham-fait-le-travail-contre-brentford-507790.html", + "link": "https://www.sofoot.com/rennes-qui-se-cache-derriere-martin-terrier-508105.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T21:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tottenham-fait-le-travail-contre-brentford-1638479656_x600_articles-507790.jpg", + "pubDate": "2021-12-10T13:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-rennes-qui-se-cache-derriere-martin-terrier-1639133151_x600_articles-alt-508105.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58432,19 +63274,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5098a7b025ed8e4993deb1a9493c3a4" + "hash": "a13e8c7bfae77c780ef8a431ef7067c5" }, { - "title": "En direct : Manchester United - Arsenal", - "description": "49' : Waouh, ça redémarre fort.", - "content": "49' : Waouh, ça redémarre fort.", + "title": "Peter Bosz : \"C'est Marseille qui a refusé de jouer\"", + "description": "Le contraire aurait été étonnant.
    \n
    \nAu surlendemain
    de l'annonce des…

    ", + "content": "Le contraire aurait été étonnant.
    \n
    \nAu surlendemain de l'annonce des…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-manchester-united-arsenal-507788.html", + "link": "https://www.sofoot.com/peter-bosz-c-est-marseille-qui-a-refuse-de-jouer-508120.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-manchester-united-arsenal-1638479997_x600_articles-alt-507788.jpg", + "pubDate": "2021-12-10T13:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-peter-bosz-c-est-marseille-qui-a-refuse-de-jouer-1639146610_x600_articles-508120.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58452,19 +63295,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "01912ff77f8770e95322e4a483902499" + "hash": "f6d13623757e3eef93b16c3f27cc7a99" }, { - "title": "Le Belenenses SAD a demandé le report de son prochain match à la Ligue portugaise", - "description": "Le cirque continue.
    \n
    \nC'est avec neuf joueurs, dont sept issus de l'équipe réserve, et João Monteiro, habituel troisième gardien de but, aligné au milieu de terrain pour faire le…

    ", - "content": "Le cirque continue.
    \n
    \nC'est avec neuf joueurs, dont sept issus de l'équipe réserve, et João Monteiro, habituel troisième gardien de but, aligné au milieu de terrain pour faire le…

    ", + "title": "\"Devant Steven Gerrard, je ne faisais qu'écouter en souriant\"", + "description": "Home sweet home. Six ans et demi après son dernier match à Anfield, Steven Gerrard retrouve ce samedi l'antre de ses innombrables exploits sous le maillot du Liverpool Football Club. Avec le statut d'adversaire, lui qui entraîne Aston Villa depuis maintenant un mois, après avoir conquis l'Écosse sur le banc des Rangers. L'occasion de se pencher sur ce rôle de coach, que le légendaire numéro 8 a embrassé en 2017, avec ceux qui l'ont côtoyé de près.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/le-belenenses-sad-a-demande-le-report-de-son-prochain-match-a-la-ligue-portugaise-507787.html", + "link": "https://www.sofoot.com/devant-steven-gerrard-je-ne-faisais-qu-ecouter-en-souriant-508094.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T17:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-belenenses-sad-a-demande-le-report-de-son-prochain-match-a-la-ligue-portugaise-1638466837_x600_articles-507787.jpg", + "pubDate": "2021-12-10T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-devant-steven-gerrard-je-ne-faisais-qu-ecouter-en-souriant-1639129236_x600_articles-alt-508094.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58472,19 +63316,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "25ba4fa852d0044aa1f36984a1c07a1d" + "hash": "385c869c12658be31cb4b3ffbcab2fae" }, { - "title": "Gauthier Hein (Auxerre) : \"On m'appelle un peu Ferenc Puskás\"", - "description": "La prophétie est en marche.
    \n
    \nQuelle fut la surprise ce lundi à Auxerre lorsque

    ", - "content": "La prophétie est en marche.
    \n
    \nQuelle fut la surprise ce lundi à Auxerre lorsque


    ", + "title": "Pronostic Bastia Sochaux : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Bastia ralentit Sochaux à Furiani

    \n
    \nPromu cette saison en Ligue 2, le Sporting Club de Bastia rencontre évidemment des difficultés. 18es et…
    ", + "content": "

    Bastia ralentit Sochaux à Furiani

    \n
    \nPromu cette saison en Ligue 2, le Sporting Club de Bastia rencontre évidemment des difficultés. 18es et…
    ", "category": "", - "link": "https://www.sofoot.com/gauthier-hein-auxerre-on-m-appelle-un-peu-ferenc-puskas-507783.html", + "link": "https://www.sofoot.com/pronostic-bastia-sochaux-analyse-cotes-et-prono-du-match-de-ligue-2-508118.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T17:25:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gauthier-hein-auxerre-on-m-appelle-un-peu-ferenc-puskas-1638466103_x600_articles-507783.jpg", + "pubDate": "2021-12-10T11:57:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bastia-sochaux-analyse-cotes-et-prono-du-match-de-ligue-2-1639138153_x600_articles-508118.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58492,19 +63337,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc6033493c548365af3818544091d5e7" + "hash": "3e43dfed03d4fcf19584597f328144df" }, { - "title": "La justice espagnole interdit la tenue de matchs de Liga à l'étranger", - "description": "C'est LA bonne nouvelle de la journée.
    \n
    \n\"J'ai donné un accord de principe sous réserve que la logistique suive parce que ça fait quand même un gros déplacement. Monaco et…

    ", - "content": "C'est LA bonne nouvelle de la journée.
    \n
    \n\"J'ai donné un accord de principe sous réserve que la logistique suive parce que ça fait quand même un gros déplacement. Monaco et…

    ", + "title": "Pronostic Caen Guingamp : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Guingamp prend ses distances sur Caen

    \n
    \nRelégué de Ligue 1 il y a 2 saisons et demi, le Stade Malherbe de Caen faisait alors partie des candidats à la…
    ", + "content": "

    Guingamp prend ses distances sur Caen

    \n
    \nRelégué de Ligue 1 il y a 2 saisons et demi, le Stade Malherbe de Caen faisait alors partie des candidats à la…
    ", "category": "", - "link": "https://www.sofoot.com/la-justice-espagnole-interdit-la-tenue-de-matchs-de-liga-a-l-etranger-507784.html", + "link": "https://www.sofoot.com/pronostic-caen-guingamp-analyse-cotes-et-prono-du-match-de-ligue-2-508115.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T17:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-justice-espagnole-interdit-la-tenue-de-matchs-de-liga-a-l-etranger-1638465507_x600_articles-507784.jpg", + "pubDate": "2021-12-10T11:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-caen-guingamp-analyse-cotes-et-prono-du-match-de-ligue-2-1639137803_x600_articles-508115.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58512,19 +63358,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "72ded593f5f6d7c2c10e3853cda923ba" + "hash": "f0ee758cc0001753efd0a27cc48dfbee" }, { - "title": "Didier Deschamps s'émeut de la faible attractivité des entraîneurs français à l'étranger", - "description": "Didier le syndicaliste.
    \n
    \nPourtant voué à un certain mutisme quand il s'agit de communiquer, Didier Deschamps a accordé


    ", - "content": "Didier le syndicaliste.
    \n
    \nPourtant voué à un certain mutisme quand il s'agit de communiquer, Didier Deschamps a accordé


    ", + "title": "Pronostic Dijon Niort : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Dijon confirme ses progrès face à Niort

    \n
    \nRelégué de Ligue 1 cet été après avoir totalement raté sa saison, Dijon semblait avoir parfaitement…
    ", + "content": "

    Dijon confirme ses progrès face à Niort

    \n
    \nRelégué de Ligue 1 cet été après avoir totalement raté sa saison, Dijon semblait avoir parfaitement…
    ", "category": "", - "link": "https://www.sofoot.com/didier-deschamps-s-emeut-de-la-faible-attractivite-des-entraineurs-francais-a-l-etranger-507780.html", + "link": "https://www.sofoot.com/pronostic-dijon-niort-analyse-cotes-et-prono-du-match-de-ligue-2-508113.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T15:48:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-didier-deschamps-s-emeut-de-la-faible-attractivite-des-entraineurs-francais-a-l-etranger-1638460205_x600_articles-507780.jpg", + "pubDate": "2021-12-10T11:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-dijon-niort-analyse-cotes-et-prono-du-match-de-ligue-2-1639137396_x600_articles-508113.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58532,19 +63379,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac169500050479dfa3f55eb3e18cb9e9" + "hash": "3cad7b2e4f8cb0ea49bc8cd9f79aa137" }, { - "title": "Pays-Bas : des supporters mettent le feu lors d'un entraînement à 5 heures du matin", - "description": "Et il y aura des interdictions de stade, là aussi ?
    \n
    \nAvec la recrudescence des cas de Covid-19 depuis plusieurs jours, les Pays-Bas ont été contraints de reprendre des mesures…

    ", - "content": "Et il y aura des interdictions de stade, là aussi ?
    \n
    \nAvec la recrudescence des cas de Covid-19 depuis plusieurs jours, les Pays-Bas ont été contraints de reprendre des mesures…

    ", + "title": "Pronostic Nîmes Nancy : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Nîmes – Nancy : les Crocos retrouvent de l'appétit

    \n
    \nLe Nîmes Olympique a vécu une saison dernière galère en Ligue 1 qui s'est logiquement…
    ", + "content": "

    Nîmes – Nancy : les Crocos retrouvent de l'appétit

    \n
    \nLe Nîmes Olympique a vécu une saison dernière galère en Ligue 1 qui s'est logiquement…
    ", "category": "", - "link": "https://www.sofoot.com/pays-bas-des-supporters-mettent-le-feu-lors-d-un-entrainement-a-5-heures-du-matin-507781.html", + "link": "https://www.sofoot.com/pronostic-nimes-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-508112.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T15:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pays-bas-des-supporters-mettent-le-feu-lors-d-un-entrainement-a-5-heures-du-matin-1638459196_x600_articles-507781.jpg", + "pubDate": "2021-12-10T11:32:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nimes-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-1639136814_x600_articles-508112.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58552,19 +63400,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b6a59affea679af950ad6511f761f8e8" + "hash": "903ecf7887a4f0616492580f9eabc3cb" }, { - "title": "Pep Guardiola après Aston Villa-Manchester City : \"Bernardo Silva ? C'est le meilleur en ce moment\"", - "description": "C'est donc lui, le meilleur Portugais de Premier League ?
    \n
    \nPas toujours titulaire l'an passé, Bernardo Silva retrouve cette saison un niveau extraordinaire. Ce mercredi, l'ancien…

    ", - "content": "C'est donc lui, le meilleur Portugais de Premier League ?
    \n
    \nPas toujours titulaire l'an passé, Bernardo Silva retrouve cette saison un niveau extraordinaire. Ce mercredi, l'ancien…

    ", + "title": "Pronostic Amiens Grenoble : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Amiens poursuit sa remontée face à Grenoble

    \n
    \nMal parti dans cette saison de Ligue 2, Amiens s'est progressivement repris pour sortir de la zone…
    ", + "content": "

    Amiens poursuit sa remontée face à Grenoble

    \n
    \nMal parti dans cette saison de Ligue 2, Amiens s'est progressivement repris pour sortir de la zone…
    ", "category": "", - "link": "https://www.sofoot.com/pep-guardiola-apres-aston-villa-manchester-city-bernardo-silva-c-est-le-meilleur-en-ce-moment-507779.html", + "link": "https://www.sofoot.com/pronostic-amiens-grenoble-analyse-cotes-et-prono-du-match-de-ligue-2-508111.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T15:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pep-guardiola-apres-aston-villa-manchester-city-bernardo-silva-c-est-le-meilleur-en-ce-moment-1638457838_x600_articles-507779.jpg", + "pubDate": "2021-12-10T11:22:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-amiens-grenoble-analyse-cotes-et-prono-du-match-de-ligue-2-1639136286_x600_articles-508111.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58572,19 +63421,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2c170c66f3a6b432f4425cc69f5f67ee" + "hash": "7bdf82dc8f8e5d2cf4dbbf1d6802cafe" }, { - "title": "Incidents à Angers : le CNOSF confirme le point de pénalité avec sursis infligé à l'OM", - "description": "Quelques crochets par-ci, des uppercuts par-là, une pincée de balayettes : voilà le résumé parfait du dernier déplacement de l'OM à Angers (0-0).
    \n
    \nEn septembre dernier, certains…

    ", - "content": "Quelques crochets par-ci, des uppercuts par-là, une pincée de balayettes : voilà le résumé parfait du dernier déplacement de l'OM à Angers (0-0).
    \n
    \nEn septembre dernier, certains…

    ", + "title": "Lucas Digne aurait eu une altercation avec Rafael Benítez", + "description": "En grande difficulté en Premier League, Everton a retrouvé le chemin de la victoire
    ce lundi face à…", + "content": "En grande difficulté en Premier League, Everton a retrouvé le chemin de la victoire ce lundi face à…", "category": "", - "link": "https://www.sofoot.com/incidents-a-angers-le-cnosf-confirme-le-point-de-penalite-avec-sursis-inflige-a-l-om-507777.html", + "link": "https://www.sofoot.com/lucas-digne-aurait-eu-une-altercation-avec-rafael-benitez-508116.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T14:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-incidents-a-angers-le-cnosf-confirme-le-point-de-penalite-avec-sursis-inflige-a-l-om-1638456120_x600_articles-507777.jpg", + "pubDate": "2021-12-10T11:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lucas-digne-aurait-eu-une-altercation-avec-rafael-benitez-1639139379_x600_articles-508116.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58592,19 +63442,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "101460ad5764811cb9002c5ca44f8d45" + "hash": "14c49684bb3478b73baf4f65deea7117" }, { - "title": "Christian Eriksen s'entraîne à Odense, au Danemark", - "description": "Alors Odense.
    \n
    \nSon accident à l'Euro avait marqué le monde entier. Christian Eriksen est de retour sur les…

    ", - "content": "Alors Odense.
    \n
    \nSon accident à l'Euro avait marqué le monde entier. Christian Eriksen est de retour sur les…

    ", + "title": "Pronostic Dunkerque Auxerre : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Auxerre enfonce Dunkerque

    \n
    \nDunkerque dispute sa deuxième saison consécutive en Ligue 2. L'an passé, malgré un exercice inégal, la formation…
    ", + "content": "

    Auxerre enfonce Dunkerque

    \n
    \nDunkerque dispute sa deuxième saison consécutive en Ligue 2. L'an passé, malgré un exercice inégal, la formation…
    ", "category": "", - "link": "https://www.sofoot.com/christian-eriksen-s-entraine-a-odense-au-danemark-507776.html", + "link": "https://www.sofoot.com/pronostic-dunkerque-auxerre-analyse-cotes-et-prono-du-match-de-ligue-2-508110.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T14:21:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-christian-eriksen-s-entraine-a-odense-au-danemark-1638454852_x600_articles-507776.jpg", + "pubDate": "2021-12-10T11:14:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-dunkerque-auxerre-analyse-cotes-et-prono-du-match-de-ligue-2-1639135695_x600_articles-508110.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58612,19 +63463,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab91697cf888e358402a9ad60f56a2d9" + "hash": "3a0d63a9cc63505f5c2980b945f75d22" }, { - "title": "Kheira Hamraoui (PSG) de nouveau auditionnée par les enquêteurs", - "description": "Bientôt le fin mot de l'histoire ?
    \n
    \nL'enquête autour de Kheira Hamraoui se poursuit.
    ", - "content": "Bientôt le fin mot de l'histoire ?
    \n
    \nL'enquête autour de Kheira Hamraoui se poursuit.
    ", + "title": "Pronostic Pau Quevilly Rouen : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Pau forteresse à domicile face à Quevilly Rouen

    \n
    \nPau dispute sa deuxième saison consécutive en Ligue 2. L'an passé, le club béarnais avait…
    ", + "content": "

    Pau forteresse à domicile face à Quevilly Rouen

    \n
    \nPau dispute sa deuxième saison consécutive en Ligue 2. L'an passé, le club béarnais avait…
    ", "category": "", - "link": "https://www.sofoot.com/kheira-hamraoui-psg-de-nouveau-auditionnee-par-les-enqueteurs-507772.html", + "link": "https://www.sofoot.com/pronostic-pau-quevilly-rouen-analyse-cotes-et-prono-du-match-de-ligue-2-508109.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T13:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kheira-hamraoui-psg-de-nouveau-auditionnee-par-les-enqueteurs-1638452562_x600_articles-507772.jpg", + "pubDate": "2021-12-10T11:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-pau-quevilly-rouen-analyse-cotes-et-prono-du-match-de-ligue-2-1639135213_x600_articles-508109.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58632,19 +63484,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b300cacb89869c9103778bba5b83209f" + "hash": "f834be954fee521ce3d19d546555faec" }, { - "title": "La jolie reprise de Florian Thauvin avec les Tigres", - "description": "Oui, Florian Thauvin joue encore.
    \n
    \nEt il marque toujours. Même de l'autre côté du Pacifique, l'ancien pensionnaire de l'Olympique de Marseille est toujours capable de briller.…

    ", - "content": "Oui, Florian Thauvin joue encore.
    \n
    \nEt il marque toujours. Même de l'autre côté du Pacifique, l'ancien pensionnaire de l'Olympique de Marseille est toujours capable de briller.…

    ", + "title": "Liverpool et Chelsea souffrent mais s'accrochent à City", + "description": "Mis sous pression par la victoire de Manchester City en début d'après-midi, Liverpool et Chelsea ont répondu aux hommes de Pep Guardiola en s'imposant tous les deux à domicile. Les Reds ont dominé Aston Villa sur la plus petite des marges grâce à un penalty de Mohamed Salah (1-0). Les Blues ont aussi bataillé pour se défaire de Leeds (3-2). Tout le contraire d'Arsenal, qui s'est promené face à Southampton (3-0).

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-jolie-reprise-de-florian-thauvin-avec-les-tigres-507773.html", + "link": "https://www.sofoot.com/liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-508139.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T13:43:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-jolie-reprise-de-florian-thauvin-avec-les-tigres-1638453129_x600_articles-507773.jpg", + "pubDate": "2021-12-11T17:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-liverpool-et-chelsea-souffrent-mais-s-accrochent-a-city-1639242230_x600_articles-508139.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58652,19 +63505,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "31bbe75769072a7a7c4bb0679b63da80" + "hash": "d59023557f5bab5b65cd479f79d78535" }, { - "title": "Redah Atassi : \" Après ma carrière, je serai comme un indien dans la ville \"", - "description": "Non conservé par le TFC, Redah Atassi a écumé le monde arabe après une aventure folle avec Béziers, de la CFA à la Ligue 2. Des premiers pas en pro de Ben Yedder à sa vie en Arabie saoudite et aux Émirats, retour plein de bonne humeur sur le parcours d'un de ces \" autres footballeurs \". Ceux qui, malgré la passion, ne rêvent plus de paillettes dans leur vie, mais craignent pour leur après-carrière et cherchent à assurer leurs arrières.Salut Redah. Tu as aujourd'hui 30 ans et tu joues depuis septembre pour l'Al Urooba FC, aux Émirats arabes unis. Comment est ta vie là-bas ?
    \nC'est d'abord un…
    ", - "content": "Salut Redah. Tu as aujourd'hui 30 ans et tu joues depuis septembre pour l'Al Urooba FC, aux Émirats arabes unis. Comment est ta vie là-bas ?
    \nC'est d'abord un…
    ", + "title": "Grêmio et Douglas Costa relégués en D2 brésilienne", + "description": "Chute libre depuis la victoire en Libertadores de 2017.
    \n
    \nGrêmio n'a pas réussi à se maintenir à l'issue de la dernière journée du championnat de Serie A Brasileirão dans la nuit de…

    ", + "content": "Chute libre depuis la victoire en Libertadores de 2017.
    \n
    \nGrêmio n'a pas réussi à se maintenir à l'issue de la dernière journée du championnat de Serie A Brasileirão dans la nuit de…

    ", "category": "", - "link": "https://www.sofoot.com/redah-atassi-apres-ma-carriere-je-serai-comme-un-indien-dans-la-ville-507419.html", + "link": "https://www.sofoot.com/gremio-et-douglas-costa-relegues-en-d2-bresilienne-508108.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-redah-atassi-apres-ma-carriere-je-serai-comme-un-indien-dans-la-ville-1637855227_x600_articles-alt-507419.jpg", + "pubDate": "2021-12-10T11:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gremio-et-douglas-costa-relegues-en-d2-bresilienne-1639138349_x600_articles-508108.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58672,19 +63526,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e6a0d84f6046d57fd90879a86bdbd70" + "hash": "6dae8be334b5075b2e91b1f172048d15" }, { - "title": "Zlatan Ibrahimović s'est proposé au Paris Saint-Germain en tant que directeur sportif", - "description": "Le Z pense à sa reconversion.
    \n
    \nMême s'il paraît increvable, Zlatan Ibrahimović (40 ans) arrive doucement, mais sûrement vers la fin de sa carrière. Le Milanais sort ce jeudi en…

    ", - "content": "Le Z pense à sa reconversion.
    \n
    \nMême s'il paraît increvable, Zlatan Ibrahimović (40 ans) arrive doucement, mais sûrement vers la fin de sa carrière. Le Milanais sort ce jeudi en…

    ", + "title": "Pronostic Valenciennes Paris FC : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Pas de vainqueur entre Valenciennes et le Paris FC

    \n
    \nAprès avoir connu un exercice dernier marqué par de gros problèmes entre dirigeants et supporters,…
    ", + "content": "

    Pas de vainqueur entre Valenciennes et le Paris FC

    \n
    \nAprès avoir connu un exercice dernier marqué par de gros problèmes entre dirigeants et supporters,…
    ", "category": "", - "link": "https://www.sofoot.com/zlatan-ibrahimovic-s-est-propose-au-paris-saint-germain-en-tant-que-directeur-sportif-507771.html", + "link": "https://www.sofoot.com/pronostic-valenciennes-paris-fc-analyse-cotes-et-prono-du-match-de-ligue-2-508107.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T12:22:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-zlatan-ibrahimovic-s-est-propose-au-paris-saint-germain-en-tant-que-directeur-sportif-1638447800_x600_articles-507771.jpg", + "pubDate": "2021-12-10T10:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-valenciennes-paris-fc-analyse-cotes-et-prono-du-match-de-ligue-2-1639134813_x600_articles-508107.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58692,19 +63547,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3daf0c855ed6ee6db6ee1ec102bda002" + "hash": "6e334c1c116e222301fc539e01ce9665" }, { - "title": "Carlo Ancelotti : \"Parfois je demande à Thibaut Courtois de laisser passer un ballon à l'entraînement\"", - "description": "Il faut bien laisser Eden retrouver des couleurs.
    \n
    \nQuinze buts encaissés en quinze matchs en Liga, trois clean sheets en cinq titularisations en Ligue des champions, Thibaut…

    ", - "content": "Il faut bien laisser Eden retrouver des couleurs.
    \n
    \nQuinze buts encaissés en quinze matchs en Liga, trois clean sheets en cinq titularisations en Ligue des champions, Thibaut…

    ", + "title": "Kylian Mbappé : \"La Ligue 1 ? C'est très dur et très physique !\"", + "description": "C'est ça d'affronter les meilleurs joueurs du monde tous les week-ends.
    \n
    \nConfortable leader de Ligue 1 avec onze points d'avance sur son dauphin, le PSG n'impressionne pas pour autant.…

    ", + "content": "C'est ça d'affronter les meilleurs joueurs du monde tous les week-ends.
    \n
    \nConfortable leader de Ligue 1 avec onze points d'avance sur son dauphin, le PSG n'impressionne pas pour autant.…

    ", "category": "", - "link": "https://www.sofoot.com/carlo-ancelotti-parfois-je-demande-a-thibaut-courtois-de-laisser-passer-un-ballon-a-l-entrainement-507770.html", + "link": "https://www.sofoot.com/kylian-mbappe-la-ligue-1-c-est-tres-dur-et-tres-physique-508106.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T12:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-carlo-ancelotti-parfois-je-demande-a-thibaut-courtois-de-laisser-passer-un-ballon-a-l-entrainement-1638447404_x600_articles-507770.jpg", + "pubDate": "2021-12-10T10:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kylian-mbappe-la-ligue-1-c-est-tres-dur-et-tres-physique-1639138109_x600_articles-508106.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58712,19 +63568,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "184e8ea285b96501e1cf84698486b9c6" + "hash": "dd98288414aa3f06053ffd7c6891c627" }, { - "title": "Après son accrochage avec Álvaro (Marseille), Randal Kolo Muani (Nantes) pense que les arbitres \"ont leurs préférences\"", - "description": "Álvaro aime se faire des ennemis.
    \n
    \nÀ la Beaujoire ce mercredi soir, les…

    ", - "content": "Álvaro aime se faire des ennemis.
    \n
    \nÀ la Beaujoire ce mercredi soir, les…

    ", + "title": "Un chien fait ses besoins sur la pelouse avant Partizan-Famagouste", + "description": "C'est du propre !
    \n
    \nLors de l'échauffement dans le choc au sommet du groupe B entre le Partizan Belgrade et l'Anorthosis Famagouste, un événement plutôt inattendu s'est déroulé à…

    ", + "content": "C'est du propre !
    \n
    \nLors de l'échauffement dans le choc au sommet du groupe B entre le Partizan Belgrade et l'Anorthosis Famagouste, un événement plutôt inattendu s'est déroulé à…

    ", "category": "", - "link": "https://www.sofoot.com/apres-son-accrochage-avec-alvaro-marseille-randal-kolo-muani-nantes-pense-que-les-arbitres-ont-leurs-preferences-507768.html", + "link": "https://www.sofoot.com/un-chien-fait-ses-besoins-sur-la-pelouse-avant-partizan-famagouste-508104.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T11:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-apres-son-accrochage-avec-alvaro-marseille-randal-kolo-muani-nantes-pense-que-les-arbitres-ont-leurs-preferences-1638445012_x600_articles-507768.jpg", + "pubDate": "2021-12-10T09:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-chien-fait-ses-besoins-sur-la-pelouse-avant-partizan-famagouste-1639131658_x600_articles-508104.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58732,19 +63589,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5cda45929859ead28c87078b0d1c5c21" + "hash": "a98d80c65336bce5cb383bd17a3bd027" }, { - "title": "Oui, l'OM et Sampaoli sont devenus froids et pragmatiques", - "description": "Ce mercredi, à la Beaujoire, l'Olympique de Marseille n'a encaissé aucun but. Et il n'en a marqué qu'un seul. En clair, il a pris trois points, de la manière la moins spectaculaire possible : et c'est la troisième fois que l'OM fait le coup sur les quatre derniers matchs de championnat. Il faut se rendre à l'évidence, le dauphin de Ligue 1 est devenu glaçant de pragmatisme. Et délaisse, peu à peu, sa réputation d'équipe électrisante.\"Ça me remplit de joie de revoir cette version de l'OM, c'est la version que l'on aime, c'est la version que l'on construit.\" Jorge Sampaoli était aux anges en conférence de presse, ce…", - "content": "\"Ça me remplit de joie de revoir cette version de l'OM, c'est la version que l'on aime, c'est la version que l'on construit.\" Jorge Sampaoli était aux anges en conférence de presse, ce…", + "title": "Brendan Rodgers avoue ne pas connaître la Conference League", + "description": "Il y a des lots de consolation qui ne consolent rien du tout.
    \n
    \nBrendan Rodgers a assisté ce jeudi soir à l'élimination de Leicester City de la Ligue Europa après la défaite 3-2 à…

    ", + "content": "Il y a des lots de consolation qui ne consolent rien du tout.
    \n
    \nBrendan Rodgers a assisté ce jeudi soir à l'élimination de Leicester City de la Ligue Europa après la défaite 3-2 à…

    ", "category": "", - "link": "https://www.sofoot.com/oui-l-om-et-sampaoli-sont-devenus-froids-et-pragmatiques-507752.html", + "link": "https://www.sofoot.com/brendan-rodgers-avoue-ne-pas-connaitre-la-conference-league-508103.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-oui-l-om-et-sampaoli-sont-devenus-froids-et-pragmatiques-1638440573_x600_articles-alt-507752.jpg", + "pubDate": "2021-12-10T09:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-brendan-rodgers-avoue-ne-pas-connaitre-la-conference-league-1639130702_x600_articles-508103.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58752,19 +63610,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "734fbbf787b41a636577099352c9c06e" + "hash": "7c4c25ab5ce776f22b9cc2824b2e431c" }, { - "title": "Un agent sportif de la FFF a été enlevé dans la rue puis relâché, fin novembre", - "description": "Sombre affaire à la Fédé.
    \n
    \nSelon les…

    ", - "content": "Sombre affaire à la Fédé.
    \n
    \nSelon les…

    ", + "title": "Lilian Brassier (Brest) à l'hôpital après un accident de la route", + "description": "Tout allait beaucoup trop bien au Stade brestois.
    \n
    \nSelon les informations du

    ", + "content": "Tout allait beaucoup trop bien au Stade brestois.
    \n
    \nSelon les informations du


    ", "category": "", - "link": "https://www.sofoot.com/un-agent-sportif-de-la-fff-a-ete-enleve-dans-la-rue-puis-relache-fin-novembre-507767.html", + "link": "https://www.sofoot.com/lilian-brassier-brest-a-l-hopital-apres-un-accident-de-la-route-508102.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T10:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-agent-sportif-de-la-fff-a-ete-enleve-dans-la-rue-puis-relache-fin-novembre-1638442092_x600_articles-507767.jpg", + "pubDate": "2021-12-10T09:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lilian-brassier-brest-a-l-hopital-apres-un-accident-de-la-route-1639132519_x600_articles-508102.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58772,19 +63631,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "65ebfd35122700112dcaa84d240be5a7" + "hash": "2d2a373af2bf11949192caf5dcf3b729" }, { - "title": "Hasan Çetinkaya (Westerlo) : \"Eden Hazard pourrait terminer sa carrière chez nous\"", - "description": "\"Rüya\" : \"rêver\" en turc.
    \n
    \n\"J'espère que la saison prochaine, nous jouerons en Jupiler Pro League et que nous pourrons ensuite travailler sur notre…

    ", - "content": "\"Rüya\" : \"rêver\" en turc.
    \n
    \n\"J'espère que la saison prochaine, nous jouerons en Jupiler Pro League et que nous pourrons ensuite travailler sur notre…

    ", + "title": "Pronostic Le Havre Ajaccio : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Un choc cadenassé entre Le Havre et Ajaccio

    \n
    \nPour lancer la 18e journée de Ligue 2, Le Havre reçoit Ajaccio dans une rencontre importante…
    ", + "content": "

    Un choc cadenassé entre Le Havre et Ajaccio

    \n
    \nPour lancer la 18e journée de Ligue 2, Le Havre reçoit Ajaccio dans une rencontre importante…
    ", "category": "", - "link": "https://www.sofoot.com/hasan-cetinkaya-westerlo-eden-hazard-pourrait-terminer-sa-carriere-chez-nous-507766.html", + "link": "https://www.sofoot.com/pronostic-le-havre-ajaccio-analyse-cotes-et-prono-du-match-de-ligue-2-508101.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T10:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-hasan-cetinkaya-westerlo-eden-hazard-pourrait-terminer-sa-carriere-chez-nous-1638442695_x600_articles-507766.jpg", + "pubDate": "2021-12-10T09:12:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-le-havre-ajaccio-analyse-cotes-et-prono-du-match-de-ligue-2-1639128473_x600_articles-508101.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58792,19 +63652,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "49d26b33263edb31eefaa0fdbd88e37a" + "hash": "4b75e10fbc36d32c5933a8ea803add6b" }, { - "title": "Noël Le Graët : \"À l'UEFA, ce sont un peu des béni-oui-oui\"", - "description": "Le mois de décembre a débuté, Noël fait son show.
    \n
    \nÀ l'heure où l'éventualité d'une Coupe du monde tous les deux ans effraie une bonne partie des fans de foot, le président de la…

    ", - "content": "Le mois de décembre a débuté, Noël fait son show.
    \n
    \nÀ l'heure où l'éventualité d'une Coupe du monde tous les deux ans effraie une bonne partie des fans de foot, le président de la…

    ", + "title": "Pronostic Reims Saint-Etienne : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Reims et Saint-Etienne dos à dos

    \n
    \nArrivé cet été pour prendre les commandes du Stade de Reims, Oscar Garcia retrouve l'AS Saint-Etienne où il…
    ", + "content": "

    Reims et Saint-Etienne dos à dos

    \n
    \nArrivé cet été pour prendre les commandes du Stade de Reims, Oscar Garcia retrouve l'AS Saint-Etienne où il…
    ", "category": "", - "link": "https://www.sofoot.com/noel-le-graet-a-l-uefa-ce-sont-un-peu-des-beni-oui-oui-507765.html", + "link": "https://www.sofoot.com/pronostic-reims-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-508099.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T10:11:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-noel-le-graet-a-l-uefa-ce-sont-un-peu-des-beni-oui-oui-1638440099_x600_articles-507765.jpg", + "pubDate": "2021-12-10T08:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-reims-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-1639127733_x600_articles-508099.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58812,19 +63673,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8608ee1d6a7a862807b8b874599e9515" + "hash": "e99dac0223a6d1c9eab880d81d73d3a6" }, { - "title": "Après la raclée à Strasbourg, Jimmy Briand (Bordeaux) a honte", - "description": "Qu'en
    pense Timothée Chalamet ?
    \n
    \nVisiblement,
    ", - "content": "Qu'en pense Timothée Chalamet ?
    \n
    \nVisiblement,
    ", + "title": "La France première au classement UEFA sur la saison en cours", + "description": "Tremble Vieux Continent, tremble.
    \n
    \nLes clubs de Ligue 1 rayonnent sur la scène européenne depuis de nombreuses semaines. À commencer par le LOSC, qui a terminé leader de son groupe de…

    ", + "content": "Tremble Vieux Continent, tremble.
    \n
    \nLes clubs de Ligue 1 rayonnent sur la scène européenne depuis de nombreuses semaines. À commencer par le LOSC, qui a terminé leader de son groupe de…

    ", "category": "", - "link": "https://www.sofoot.com/apres-la-raclee-a-strasbourg-jimmy-briand-bordeaux-a-honte-507763.html", + "link": "https://www.sofoot.com/la-france-premiere-au-classement-uefa-sur-la-saison-en-cours-508100.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T08:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-apres-la-raclee-a-strasbourg-jimmy-briand-bordeaux-a-honte-1638435534_x600_articles-507763.jpg", + "pubDate": "2021-12-10T08:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-france-premiere-au-classement-uefa-sur-la-saison-en-cours-1639130009_x600_articles-508100.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58832,19 +63694,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "07ab725b8b6270c2993333bb02f14de1" + "hash": "01fe8a2bf7bf9ea0292038c3b6021b28" }, { - "title": "Peter Bosz (Lyon) peste contre la performance de son équipe après la défaite contre Reims", - "description": "Une défaite qui fait mal.
    \n
    \nTombé à domicile dans les derniers instants face au Stade de Reims à l'issue…

    ", - "content": "Une défaite qui fait mal.
    \n
    \nTombé à domicile dans les derniers instants face au Stade de Reims à l'issue…

    ", + "title": "Pronostic Brest Montpellier : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un 7 sur 7 pour Brest face à Montpellier

    \n
    \nEn grande difficulté lors de l'entame du championnat, le Stade Brestois s'est parfaitement ressaisi et…
    ", + "content": "

    Un 7 sur 7 pour Brest face à Montpellier

    \n
    \nEn grande difficulté lors de l'entame du championnat, le Stade Brestois s'est parfaitement ressaisi et…
    ", "category": "", - "link": "https://www.sofoot.com/peter-bosz-lyon-peste-contre-la-performance-de-son-equipe-apres-la-defaite-contre-reims-507759.html", + "link": "https://www.sofoot.com/pronostic-brest-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-508098.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T08:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-peter-bosz-lyon-peste-contre-la-performance-de-son-equipe-apres-la-defaite-contre-reims-1638433624_x600_articles-507759.jpg", + "pubDate": "2021-12-10T08:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brest-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-1639126715_x600_articles-508098.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58852,19 +63715,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4cf6f023d56737b6933b62310215dce6" + "hash": "ac8e2de4adda7b41845f1665e7ba28c9" }, { - "title": "Pronostic Ajaccio Valenciennes : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Du classique pour Ajaccio face à Valenciennes

    \n
    \nA l'orée de débuter cette 17e journée de Ligue 2, Ajaccio occupe la 2e place du…
    ", - "content": "

    Du classique pour Ajaccio face à Valenciennes

    \n
    \nA l'orée de débuter cette 17e journée de Ligue 2, Ajaccio occupe la 2e place du…
    ", + "title": "Javier Mascherano nommé entraîneur de l'équipe d'Argentine U20", + "description": "El Jefecito passe de l'autre côté de la ligne de touche.
    \n
    \nComme de nombreux joueurs partis à la retraite avant lui, Javier Mascherano a décidé de se lancer dans une carrière…

    ", + "content": "El Jefecito passe de l'autre côté de la ligne de touche.
    \n
    \nComme de nombreux joueurs partis à la retraite avant lui, Javier Mascherano a décidé de se lancer dans une carrière…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-ajaccio-valenciennes-analyse-cotes-et-prono-du-match-de-ligue-2-507761.html", + "link": "https://www.sofoot.com/javier-mascherano-nomme-entraineur-de-l-equipe-d-argentine-u20-508088.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-ajaccio-valenciennes-analyse-cotes-et-prono-du-match-de-ligue-2-1638433097_x600_articles-507761.jpg", + "pubDate": "2021-12-10T08:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-javier-mascherano-nomme-entraineur-de-l-equipe-d-argentine-u20-1639125769_x600_articles-508088.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58872,19 +63736,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "479b3f190a92dd5c72661b59e94cf304" + "hash": "3f49df8e507a581ff9c16098c18d5e37" }, { - "title": "Pronostic Sochaux Pau : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Sochaux se relance face à Pau

    \n
    \nBelle surprise de la saison dernière, Sochaux avait fini aux portes des playoffs. Dans la ligjnée de cette belle prise…
    ", - "content": "

    Sochaux se relance face à Pau

    \n
    \nBelle surprise de la saison dernière, Sochaux avait fini aux portes des playoffs. Dans la ligjnée de cette belle prise…
    ", + "title": "Yohan Cabaye veut faire du PSG \"l'un des meilleurs centres de formation du monde\"", + "description": "Nouveau rôle pour une nouvelle vie.
    \n
    \nAprès avoir raccroché les crampons en février dernier, Yohan Cabaye n'est pas resté bien longtemps inactif. Depuis cet été, l'ancien milieu de…

    ", + "content": "Nouveau rôle pour une nouvelle vie.
    \n
    \nAprès avoir raccroché les crampons en février dernier, Yohan Cabaye n'est pas resté bien longtemps inactif. Depuis cet été, l'ancien milieu de…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-sochaux-pau-analyse-cotes-et-prono-du-match-de-ligue-2-507760.html", + "link": "https://www.sofoot.com/yohan-cabaye-veut-faire-du-psg-l-un-des-meilleurs-centres-de-formation-du-monde-508097.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-sochaux-pau-analyse-cotes-et-prono-du-match-de-ligue-2-1638432305_x600_articles-507760.jpg", + "pubDate": "2021-12-10T07:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-yohan-cabaye-veut-faire-du-psg-l-un-des-meilleurs-centres-de-formation-du-monde-1639125532_x600_articles-508097.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58892,19 +63757,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "add73c81c4a090ead158921a89f6a6e5" + "hash": "bea2bd1209d7c1e463b99b0b4f7dc7fa" }, { - "title": "Pronostic Paris FC Bastia : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Un Paris FC lancé face à Bastia

    \n
    \nBarragiste la saison passée, le Paris FC a pour ambition de monter en Ligue 1 le plus rapidement possible. Lors de…
    ", - "content": "

    Un Paris FC lancé face à Bastia

    \n
    \nBarragiste la saison passée, le Paris FC a pour ambition de monter en Ligue 1 le plus rapidement possible. Lors de…
    ", + "title": "Et si le boycott diplomatique des Jeux de Pékin donnait des idées pour le Mondial au Qatar ?", + "description": "Le boycott reviendrait-il à la mode ? Les États-Unis, notamment, ont décidé de ne pas envoyer de représentation diplomatique lors des Jeux olympiques d'hiver de Pékin, afin de protester contre le \" génocide et des crimes contre l'humanité en cours au Xinjiang \". La France, elle, y sera. Mais ce discours pourrait-il, par ricochet, faire avancer le débat sur le Mondial au Qatar ?L'annonce par Joe Biden d'un boycott diplomatique des Jeux olympiques d'hiver met le CIO dans une position délicate, à moins de deux mois de la cérémonie d'ouverture. Certes, il faut…", + "content": "L'annonce par Joe Biden d'un boycott diplomatique des Jeux olympiques d'hiver met le CIO dans une position délicate, à moins de deux mois de la cérémonie d'ouverture. Certes, il faut…", "category": "", - "link": "https://www.sofoot.com/pronostic-paris-fc-bastia-analyse-cotes-et-prono-du-match-de-ligue-2-507758.html", + "link": "https://www.sofoot.com/et-si-le-boycott-diplomatique-des-jeux-de-pekin-donnait-des-idees-pour-le-mondial-au-qatar-508095.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-paris-fc-bastia-analyse-cotes-et-prono-du-match-de-ligue-2-1638431948_x600_articles-507758.jpg", + "pubDate": "2021-12-10T07:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-et-si-le-boycott-diplomatique-des-jeux-de-pekin-donnait-des-idees-pour-le-mondial-au-qatar-1639090736_x600_articles-alt-508095.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58912,19 +63778,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed89e6eb9aa1456a7004199472bb072d" + "hash": "43062db3957decf695362a3155fe040f" }, { - "title": "Pronostic Grenoble Le Havre : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Grenoble tient tête au Havre

    \n
    \nInattendu barragiste l'an passé, Grenoble était parvenu à se hisser dans les playoffs d'accession mais s'était…
    ", - "content": "

    Grenoble tient tête au Havre

    \n
    \nInattendu barragiste l'an passé, Grenoble était parvenu à se hisser dans les playoffs d'accession mais s'était…
    ", + "title": "Walter Benítez a été naturalisé français", + "description": "Hugo Lloris a du souci à se faire.
    \n
    \nDepuis plusieurs mois, le portier argentin de l'OGC Nice Walter Benítez enchaîne
    ", + "content": "Hugo Lloris a du souci à se faire.
    \n
    \nDepuis plusieurs mois, le portier argentin de l'OGC Nice Walter Benítez enchaîne
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-grenoble-le-havre-analyse-cotes-et-prono-du-match-de-ligue-2-507757.html", + "link": "https://www.sofoot.com/walter-benitez-a-ete-naturalise-francais-508096.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-grenoble-le-havre-analyse-cotes-et-prono-du-match-de-ligue-2-1638431407_x600_articles-507757.jpg", + "pubDate": "2021-12-10T06:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-walter-benitez-a-ete-naturalise-francais-1639125382_x600_articles-508096.jpg", "enclosureType": "image/jpeg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", @@ -58932,17 +63799,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0f347691a2182f32486da7fbc6931bea" + "hash": "d44e07fea230b2925cf6c6dd1a9f375f" }, { - "title": "Pronostic Guingamp Dijon : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Guingamp se donne de l'air face à Dijon

    \n
    \nMal embarqué la saison dernière, l'En Avant Guingamp s'en était sorti grâce à une excellente fin de…
    ", - "content": "

    Guingamp se donne de l'air face à Dijon

    \n
    \nMal embarqué la saison dernière, l'En Avant Guingamp s'en était sorti grâce à une excellente fin de…
    ", + "title": "342€ à gagner avec Juventus & Union Berlin + 150€ offerts au lieu de 100€ chez Betclic jusqu'à dimanche minuit seulement", + "description": "Comme 4 de nos 5 derniers combinés (ici, ici, ici et ici), on tente de vous faire gagner avec une cote autour de 2,00 sur des matchs du week-end. En plus, Betclic vous offre votre 1er pari remboursé de 150€ au lieu de 100€ cette semaine seulement !

    150€ en EXCLU chez Betclic au lieu de 100€

    \n
    \nJusqu'à dimanche minuit seulement,
    ", + "content": "

    150€ en EXCLU chez Betclic au lieu de 100€

    \n
    \nJusqu'à dimanche minuit seulement,

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-guingamp-dijon-analyse-cotes-et-prono-du-match-de-ligue-2-507756.html", + "link": "https://www.sofoot.com/342e-a-gagner-avec-juventus-union-berlin-150e-offerts-au-lieu-de-100e-chez-betclic-jusqu-a-dimanche-minuit-seulement-508053.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:27:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-guingamp-dijon-analyse-cotes-et-prono-du-match-de-ligue-2-1638430880_x600_articles-507756.jpg", + "pubDate": "2021-12-09T08:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-342e-a-gagner-avec-juventus-union-berlin-150e-offerts-au-lieu-de-100e-chez-betclic-jusqu-a-dimanche-minuit-seulement-1639039650_x600_articles-508053.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -58952,17 +63819,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8916db1e5d7349687d977d9aa9a1ff7c" + "hash": "946d1a62c9e95fbe78fa32c63177bd70" }, { - "title": "Pronostic Amiens Dunkerque : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Amiens décroche une victoire importante face à Dunkerque

    \n
    \nLa lutte pour le maintien fait rage en Ligue 2 puisque seulement 4 points séparent…
    ", - "content": "

    Amiens décroche une victoire importante face à Dunkerque

    \n
    \nLa lutte pour le maintien fait rage en Ligue 2 puisque seulement 4 points séparent…
    ", + "title": "NOUVELLE EXCLU : 200€ offerts au lieu de 100€ chez Unibet pour parier ce week-end !", + "description": "Avec Unibet, misez 100€ ce week-end et si votre pari est perdant, vous récupérez 200€ ! Un Bonus EXCLU incroyable à récupérer avec le code SOFOOT

    NOUVEAU : 200€ offerts chez Unibet en EXCLU au lieu de 100€

    \n
    \n
    \n


    ", + "content": "

    NOUVEAU : 200€ offerts chez Unibet en EXCLU au lieu de 100€

    \n
    \n
    \n


    ", "category": "", - "link": "https://www.sofoot.com/pronostic-amiens-dunkerque-analyse-cotes-et-prono-du-match-de-ligue-2-507755.html", + "link": "https://www.sofoot.com/nouvelle-exclu-200e-offerts-au-lieu-de-100e-chez-unibet-pour-parier-ce-week-end-508078.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-amiens-dunkerque-analyse-cotes-et-prono-du-match-de-ligue-2-1638430359_x600_articles-507755.jpg", + "pubDate": "2021-12-09T14:37:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nouvelle-exclu-200e-offerts-au-lieu-de-100e-chez-unibet-pour-parier-ce-week-end-1639061647_x600_articles-508078.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -58972,17 +63839,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa5d29cb93f4e44b47ace60f414ed542" + "hash": "1a1c46f5323f0776a669877ab1cdc7a3" }, { - "title": "Pronostic Rodez Nîmes : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Un Rodez – Nîmes avec des buts de chaque côté

    \n
    \nPour le compte de la 17e journée de Ligue 2, Rodez reçoit Nîmes dans une confrontation…
    ", - "content": "

    Un Rodez – Nîmes avec des buts de chaque côté

    \n
    \nPour le compte de la 17e journée de Ligue 2, Rodez reçoit Nîmes dans une confrontation…
    ", + "title": "Pourquoi y a-t-il aussi peu d'anciens gardiens devenus entraîneurs principaux ?", + "description": "Cela fait plus de deux ans et le départ d'Alain Casanova de Toulouse qu'aucun ancien gardien de but ne s'est assis sur un banc de Ligue 1. Conditionnés par un rôle des plus particuliers dans leur vie de joueurs, les ex-derniers remparts se font bien rares dans la confrérie des entraîneurs principaux. Et pourtant, leur vécu dans les cages peut aussi leur donner certains avantages au moment de prendre les rênes d'une équipe de haut niveau.Le 1er novembre dernier, Tottenham se séparait de Nuno Espirito Santo après moins de trois mois passés sur le banc des Spurs. Triste nouvelle pour l'ancien gardien de but de…", + "content": "Le 1er novembre dernier, Tottenham se séparait de Nuno Espirito Santo après moins de trois mois passés sur le banc des Spurs. Triste nouvelle pour l'ancien gardien de but de…", "category": "", - "link": "https://www.sofoot.com/pronostic-rodez-nimes-analyse-cotes-et-prono-du-match-de-ligue-2-507754.html", + "link": "https://www.sofoot.com/pourquoi-y-a-t-il-aussi-peu-d-anciens-gardiens-devenus-entraineurs-principaux-508074.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T07:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-rodez-nimes-analyse-cotes-et-prono-du-match-de-ligue-2-1638429705_x600_articles-507754.jpg", + "pubDate": "2021-12-10T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pourquoi-y-a-t-il-aussi-peu-d-anciens-gardiens-devenus-entraineurs-principaux-1639055336_x600_articles-alt-508074.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -58992,17 +63859,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "baefc093c7dfcffdd8af475f30bc72a9" + "hash": "fd5b91d4a273b9db525b5d0f57c99d25" }, { - "title": "Pronostic Quevilly Rouen Nancy : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Nancy va chercher un résultat à Quevilly

    \n
    \nCe match de la 17e journée de Ligue 2 entre Quevilly Rouen et Nancy met aux prises deux…
    ", - "content": "

    Nancy va chercher un résultat à Quevilly

    \n
    \nCe match de la 17e journée de Ligue 2 entre Quevilly Rouen et Nancy met aux prises deux…
    ", + "title": "Tactique : comment Julien Stéphan a déjà posé sa patte à Strasbourg", + "description": "Arrivé à Strasbourg au printemps dernier, Julien Stéphan n'aura mis que quelques mois pour monter une structure cohérente et pour créer un modèle de jeu basé sur l'intensité. Après 17 journées de Ligue 1 et avant de défier l'OM, son Racing est sixième de Ligue 1, possède la deuxième meilleure attaque du championnat et ne cache pas ses crocs. Décryptage.En août 2014, alors qu'il vit ses premiers jours de soleil à Marseille, Marcelo Bielsa s'avance derrière un micro et explique à son assistance le pourquoi du comment de son job…", + "content": "En août 2014, alors qu'il vit ses premiers jours de soleil à Marseille, Marcelo Bielsa s'avance derrière un micro et explique à son assistance le pourquoi du comment de son job…", "category": "", - "link": "https://www.sofoot.com/pronostic-quevilly-rouen-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-507753.html", + "link": "https://www.sofoot.com/tactique-comment-julien-stephan-a-deja-pose-sa-patte-a-strasbourg-508068.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T06:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-quevilly-rouen-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-1638428755_x600_articles-507753.jpg", + "pubDate": "2021-12-10T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tactique-comment-julien-stephan-a-deja-pose-sa-patte-a-strasbourg-1639048572_x600_articles-alt-508068.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59012,17 +63879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "75e97577b6d3139f2a6296fb088d111e" + "hash": "16c9d23af4b972e702f145b367202a56" }, { - "title": "Et le Ballon d'or de l'hypocrisie est pour... le Qatar sur la question LGBTQ+", - "description": "Parmi toutes les problématiques qui prennent de l'ampleur à l'approche de la Coupe du monde 2022, celle des droits des LGBTQ+ commence à se faire doucement entendre, même si pour l'instant, elle semble secondaire derrière les morts des chantiers ou le scandale écologique. Toutefois dans une région du monde où l'homosexualité reste un crime, l'arrivée d'un événement aussi important qu'un Mondial pourrait bousculer les habitudes et les mœurs, même si ce n'est que temporairement.\" Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne correspond pas à notre foi et ne correspond…", - "content": "\" Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne correspond pas à notre foi et ne correspond…", + "title": "Marseille assure l'essentiel contre le Lokomotiv Moscou", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/et-le-ballon-d-or-de-l-hypocrisie-est-pour-le-qatar-sur-la-question-lgbtq-507723.html", + "link": "https://www.sofoot.com/marseille-assure-l-essentiel-contre-le-lokomotiv-moscou-508091.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-et-le-ballon-d-or-de-l-hypocrisie-est-pour-le-qatar-sur-la-question-lgbtq-1638376428_x600_articles-alt-507723.jpg", + "pubDate": "2021-12-09T22:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-marseille-assure-l-essentiel-contre-le-lokomotiv-moscou-1639087364_x600_articles-508091.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59032,17 +63899,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f7f87a25e073be4fcdb152de60d1694e" + "hash": "1ce64da4092b26458bd9c37c0584c331" }, { - "title": "Takehiro Tomiyasu, adaptation express à Arsenal", - "description": "Transféré de Bologne à Arsenal cet été, Takehiro Tomiyasu n'a pas attendu longtemps pour faire l'unanimité autour de lui, au point d'être l'un des meilleurs Gunners depuis le début de saison et un titulaire indiscutable à son poste d'arrière droit. La routine pour l'international japonais qui n'a laissé personne indifférent dans chaque club où il est passé.S'il fallait dresser un bilan à Arsenal après un tiers de saison et distribuer les bons points, Aaron Ramsdale, le…", - "content": "S'il fallait dresser un bilan à Arsenal après un tiers de saison et distribuer les bons points, Aaron Ramsdale, le…", + "title": "Les Fenottes roustent Benfica et se qualifient pour les quarts de finale", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/takehiro-tomiyasu-adaptation-express-a-arsenal-507722.html", + "link": "https://www.sofoot.com/les-fenottes-roustent-benfica-et-se-qualifient-pour-les-quarts-de-finale-508073.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-takehiro-tomiyasu-adaptation-express-a-arsenal-1638374968_x600_articles-alt-507722.jpg", + "pubDate": "2021-12-09T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-fenottes-roustent-benfica-et-se-qualifient-pour-les-quarts-de-finale-1639084782_x600_articles-508073.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59052,17 +63919,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d1488465def2ada6fb84672c83b0d505" + "hash": "60499610e9c913f35fb253086c692a19" }, { - "title": "Tactique : Ralf Rangnick est-il Manchester United compatible ?", - "description": "Arrivé à Manchester en début de semaine pour prendre la barre d'un navire qui ne sait comment ni vers quoi il navigue depuis plusieurs mois, Ralf Rangnick, 63 ans, maître à penser de toute une génération de coachs allemands, voit son accostage en Premier League être accompagné d'une vague d'optimisme. Le voilà surtout avec une mission cruciale : offrir à Manchester United une identité de jeu claire.Ralf Rangnick a une galerie de récits et de rencontres pour accompagner ses…", - "content": "Ralf Rangnick a une galerie de récits et de rencontres pour accompagner ses…", + "title": "Galatasaray résiste à la Lazio, l'Étoile rouge passe aussi", + "description": "Heureusement que le Celtic était là pour égayer la soirée. La moitié des buts de ce multiplex de Ligue Europa ont été inscrits sur la pelouse à Glasgow, où le vice-champion d'Écosse a battu le Betis dans un match pour du beurre (3-2). L'essentiel était ailleurs pour Galatasaray et l'Étoile rouge, qui rallient directement les huitièmes de finale grâce à leurs matchs nuls respectifs. La Lazio, Braga et le Dinamo Zagreb devront quant à eux passer par un barrage. Midtjylland et le Rapid Vienne poursuivront leur parcours européen en Ligue Europa Conférence, comme l'OM.Dans la finale du groupe E, Galatasaray a contenu la Lazio et conservé sa première place. Les Romains ont jeté toutes leurs forces dans la bataille, à l'image de leur capitaine Ciro Immobile,…", + "content": "Dans la finale du groupe E, Galatasaray a contenu la Lazio et conservé sa première place. Les Romains ont jeté toutes leurs forces dans la bataille, à l'image de leur capitaine Ciro Immobile,…", "category": "", - "link": "https://www.sofoot.com/tactique-ralf-rangnick-est-il-manchester-united-compatible-507636.html", + "link": "https://www.sofoot.com/galatasaray-resiste-a-la-lazio-l-etoile-rouge-passe-aussi-508064.html", "creator": "SO FOOT", - "pubDate": "2021-12-02T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tactique-ralf-rangnick-est-il-manchester-united-compatible-1638203801_x600_articles-alt-507636.jpg", + "pubDate": "2021-12-09T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-galatasaray-resiste-a-la-lazio-l-etoile-rouge-passe-aussi-1639087648_x600_articles-508064.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59072,17 +63939,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff5cba4e3fda8e023fa588e13d9290c0" + "hash": "0509e0b707d51b4ca9241fbac1150119" }, { - "title": "Bruno Genesio : \"On aurait dû être beaucoup plus patients\"", - "description": "Bruno Genesio est contrarié.
    \n
    \nLe technicien breton a vu son Stade rennais concéder sa première défaite depuis septembre contre Lille, ce mercredi soir. \"On a fait une très…

    ", - "content": "Bruno Genesio est contrarié.
    \n
    \nLe technicien breton a vu son Stade rennais concéder sa première défaite depuis septembre contre Lille, ce mercredi soir. \"On a fait une très…

    ", + "title": "Le Napoli élimine Leicester, la Real Sociedad cartonne le PSV", + "description": "Grand bénéficiaire des errements défensifs de Leicester ce jeudi soir, le Napoli s'est qualifié pour les huitièmes de finale de la Ligue Europa au terme d'un festival offensif (3-2). Dans le même temps, le Spartak Moscou a, à la fois, dominé son sujet à Varsovie et eu un sérieux coup de chaud dans les arrêts de jeu (1-0), pour mieux finir devant les Partenopei. Le PSV s'est, quant à lui, pris les pieds dans le tapis à San Sebastián face à la Real Sociedad (0-3) et se retrouve reversé en Ligue Europa Conférence.Ils étaient tous en position de se qualifier directement pour les huitièmes de finale ou les barrages dans ce groupe C. Et à ce petit jeu, les heureux élus se nomment Napoli(second) et le Spartak…", + "content": "Ils étaient tous en position de se qualifier directement pour les huitièmes de finale ou les barrages dans ce groupe C. Et à ce petit jeu, les heureux élus se nomment Napoli(second) et le Spartak…", "category": "", - "link": "https://www.sofoot.com/bruno-genesio-on-aurait-du-etre-beaucoup-plus-patients-507751.html", + "link": "https://www.sofoot.com/le-napoli-elimine-leicester-la-real-sociedad-cartonne-le-psv-508015.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-bruno-genesio-on-aurait-du-etre-beaucoup-plus-patients-1638397206_x600_articles-507751.jpg", + "pubDate": "2021-12-09T20:11:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-napoli-elimine-leicester-la-real-sociedad-cartonne-le-psv-1639080081_x600_articles-alt-508015.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59092,17 +63959,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "92d1c507164ec0ce8d66606cbd5226fd" + "hash": "9d61e1c31aa098ed86cbcef9131e8043" }, { - "title": "Manchester City assure à Aston Villa", - "description": "

    ", - "content": "

    ", + "title": "Villarreal vient à bout de l'Atalanta et verra les huitièmes", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/manchester-city-assure-a-aston-villa-507748.html", + "link": "https://www.sofoot.com/villarreal-vient-a-bout-de-l-atalanta-et-verra-les-huitiemes-508093.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-manchester-city-assure-a-aston-villa-1638397221_x600_articles-507748.jpg", + "pubDate": "2021-12-09T20:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-villarreal-vient-a-bout-de-l-atalanta-et-verra-les-huitiemes-1639080888_x600_articles-508093.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59112,17 +63979,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "20087c7b75e1d0f607bdc96d9029b45e" + "hash": "372aeca25e0dc65a8b714d6d6872a148" }, { - "title": "Benzema offre les trois points au Real Madrid face à l'Athletic ", - "description": "

    ", - "content": "

    ", + "title": "Monaco se contente de peu à Graz", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/benzema-offre-les-trois-points-au-real-madrid-face-a-l-athletic-507740.html", + "link": "https://www.sofoot.com/monaco-se-contente-de-peu-a-graz-508092.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-benzema-offre-les-trois-points-au-real-madrid-face-a-l-athletic-1638396957_x600_articles-507740.jpg", + "pubDate": "2021-12-09T19:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-monaco-se-contente-de-peu-a-graz-1639079653_x600_articles-508092.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59132,17 +63999,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "828af6f4e84682dfee2bfc839a80d016" + "hash": "578427b02e553a55911790eabf20653c" }, { - "title": "Liverpool gifle Everton à Goodison Park", - "description": "

    ", - "content": "

    ", + "title": "En direct : Marseille - Lokomotiv Moscou", + "description": "48' : On se dirige vers la première victoire européenne de l'OM depuis le 1er décembre 2020. ...", + "content": "48' : On se dirige vers la première victoire européenne de l'OM depuis le 1er décembre 2020. ...", "category": "", - "link": "https://www.sofoot.com/liverpool-gifle-everton-a-goodison-park-507743.html", + "link": "https://www.sofoot.com/en-direct-marseille-lokomotiv-moscou-508081.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:09:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-liverpool-gifle-everton-a-goodison-park-1638396500_x600_articles-507743.jpg", + "pubDate": "2021-12-09T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-marseille-lokomotiv-moscou-1639064119_x600_articles-508081.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59152,17 +64019,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3c70a5cf2c2d77be17d0a3fd73230eb2" + "hash": "ea91d46eef442275a08e6ebe20bca0fe" }, { - "title": "Gourvennec : \"Ça faisait un moment qu'on n'avait pas gagné à l'extérieur\"", - "description": "Gourvennec est soulagé.
    \n
    \nVainqueur de Rennes en Bretagne (1-2), son LOSC retrouve enfin des couleurs en Ligue 1 après pratiquement deux mois sans le moindre succès. \"On apprécie,…

    ", - "content": "Gourvennec est soulagé.
    \n
    \nVainqueur de Rennes en Bretagne (1-2), son LOSC retrouve enfin des couleurs en Ligue 1 après pratiquement deux mois sans le moindre succès. \"On apprécie,…

    ", + "title": "Lyon termine la phase de poules par un nul contre les Rangers", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/gourvennec-ca-faisait-un-moment-qu-on-n-avait-pas-gagne-a-l-exterieur-507750.html", + "link": "https://www.sofoot.com/lyon-termine-la-phase-de-poules-par-un-nul-contre-les-rangers-507965.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:07:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gourvennec-ca-faisait-un-moment-qu-on-n-avait-pas-gagne-a-l-exterieur-1638398350_x600_articles-507750.jpg", + "pubDate": "2021-12-09T19:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lyon-termine-la-phase-de-poules-par-un-nul-contre-les-rangers-1639078892_x600_articles-507965.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59172,17 +64039,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8372d0ec8c0ec406ebe20b65a1e4a423" + "hash": "e6ece9f3156863c43e557cd055fef5bb" }, { - "title": "Marseille enchaîne à Nantes et repasse dauphin", - "description": "

    ", - "content": "

    ", + "title": "En direct : Lyon - Glasgow Rangers", + "description": "94' : FINITO ! Lyon et les Glasgow Rangers se séparent sur un match nul 1-1. C'était bien, mais ...", + "content": "94' : FINITO ! Lyon et les Glasgow Rangers se séparent sur un match nul 1-1. C'était bien, mais ...", "category": "", - "link": "https://www.sofoot.com/marseille-enchaine-a-nantes-et-repasse-dauphin-507745.html", + "link": "https://www.sofoot.com/en-direct-lyon-glasgow-rangers-507971.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-marseille-enchaine-a-nantes-et-repasse-dauphin-1638396024_x600_articles-507745.jpg", + "pubDate": "2021-12-09T17:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lyon-glasgow-rangers-1638887569_x600_articles-alt-507971.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59192,17 +64059,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "680cfa655dd86709375a20c02eef5bf4" + "hash": "fa9b1f4cc886f418a830815b2dc242e4" }, { - "title": "Clermont et Lens se partagent les points", - "description": "

    ", - "content": "

    ", + "title": "La LFP travaille sur plusieurs mesures pour sécuriser les stades français", + "description": "Le temps des actes est arrivé.
    \n
    \nDepuis les incidents survenus au Groupama Stadium lors d'OL-OM le 21 novembre…

    ", + "content": "Le temps des actes est arrivé.
    \n
    \nDepuis les incidents survenus au Groupama Stadium lors d'OL-OM le 21 novembre…

    ", "category": "", - "link": "https://www.sofoot.com/clermont-et-lens-se-partagent-les-points-507747.html", + "link": "https://www.sofoot.com/la-lfp-travaille-sur-plusieurs-mesures-pour-securiser-les-stades-francais-508090.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:01:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-clermont-et-lens-se-partagent-les-points-1638396237_x600_articles-507747.jpg", + "pubDate": "2021-12-09T17:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-lfp-travaille-sur-plusieurs-mesures-pour-securiser-les-stades-francais-1639070787_x600_articles-508090.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59212,17 +64079,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1568a73fa6c6aa0e3b5729e82d188eb2" + "hash": "b4a2426c8e2b80e55b367735ee988281" }, { - "title": "Chelsea domine Watford, Leicester tenu en échec par Southampton", - "description": "

    ", - "content": "

    ", + "title": "Junior Firpo (Leeds) à propos de Ronald Koeman au FC Barcelone : \"Il y avait un manque de respect de sa part\"", + "description": "Les oreilles de Ronald sont en train de siffler.
    \n
    \nParti du FC Barcelone en juillet dernier pour rejoindre Leeds, Junior Firpo était l'invité de l'émission Què T'hi Jugues de…

    ", + "content": "Les oreilles de Ronald sont en train de siffler.
    \n
    \nParti du FC Barcelone en juillet dernier pour rejoindre Leeds, Junior Firpo était l'invité de l'émission Què T'hi Jugues de…

    ", "category": "", - "link": "https://www.sofoot.com/chelsea-domine-watford-leicester-tenu-en-echec-par-southampton-507749.html", + "link": "https://www.sofoot.com/junior-firpo-leeds-a-propos-de-ronald-koeman-au-fc-barcelone-il-y-avait-un-manque-de-respect-de-sa-part-508083.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-chelsea-domine-watford-leicester-tenu-en-echec-par-southampton-1638395994_x600_articles-507749.jpg", + "pubDate": "2021-12-09T16:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-junior-firpo-leeds-a-propos-de-ronald-koeman-au-fc-barcelone-il-y-avait-un-manque-de-respect-de-sa-part-1639067858_x600_articles-508083.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59232,17 +64099,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d709469b55b5e306f6203e459b519669" + "hash": "ddd9fdae9eaa244fcaeb2b8aa0f95d84" }, { - "title": "Lille fait tomber Rennes", - "description": "

    ", - "content": "

    ", + "title": "Officiel : la Ligue 2 passera à 18 clubs en 2024", + "description": "C'est l'UNFP qui ne va pas être contente.
    \n
    \nLa Ligue de…

    ", + "content": "C'est l'UNFP qui ne va pas être contente.
    \n
    \nLa Ligue de…

    ", "category": "", - "link": "https://www.sofoot.com/lille-fait-tomber-rennes-507741.html", + "link": "https://www.sofoot.com/officiel-la-ligue-2-passera-a-18-clubs-en-2024-508087.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lille-fait-tomber-rennes-1638396217_x600_articles-507741.jpg", + "pubDate": "2021-12-09T16:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-officiel-la-ligue-2-passera-a-18-clubs-en-2024-1639066807_x600_articles-508087.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59252,17 +64119,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "58637350c0b3b233a354aa30063b80d9" + "hash": "19203f749bba5188437224a33932b3ed" }, { - "title": "Paris se heurte à Nice", - "description": "Maître du jeu face à l'OGC Nice, Paris a eu beau tenter d'accélérer en seconde période, il n'a pas réussi à trouver la faille dans la défense azuréenne. Battus samedi par Metz, les Aiglons sont les premiers à mettre en échec le PSG au Parc des Princes en Ligue 1 depuis le début de la saison.

    ", - "content": "

    ", + "title": "Clément Lenglet (FC Barcelone) obligé de s'expliquer sur son sourire après la défaite contre le Bayern Munich", + "description": "Rattrapé par la patrouille.
    \n
    \nCe mercredi soir, le Bayern a massacré un Barça bien trop limité (3-0), envoyant les…

    ", + "content": "Rattrapé par la patrouille.
    \n
    \nCe mercredi soir, le Bayern a massacré un Barça bien trop limité (3-0), envoyant les…

    ", "category": "", - "link": "https://www.sofoot.com/paris-se-heurte-a-nice-507727.html", + "link": "https://www.sofoot.com/clement-lenglet-fc-barcelone-oblige-de-s-expliquer-sur-son-sourire-apres-la-defaite-contre-le-bayern-munich-508082.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-paris-se-heurte-a-nice-1638396107_x600_articles-alt-507727.jpg", + "pubDate": "2021-12-09T16:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-clement-lenglet-fc-barcelone-oblige-de-s-expliquer-sur-son-sourire-apres-la-defaite-contre-le-bayern-munich-1639066088_x600_articles-508082.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59272,17 +64139,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a25fc0ffa274af6aff141ac83c0b478a" + "hash": "2b646f813a0f9ee255a83f6cc8362f91" }, { - "title": "Reims punit l'OL sur le gong", - "description": "

    ", - "content": "

    ", + "title": "Le Brésilien Marcelo devrait quitter le Real Madrid cet hiver", + "description": "Ferland Mendy fait des dégâts.
    \n
    \nUne nouvelle page va se tourner au Real : après Sergio Ramos cet été, c'est un autre monument de la Casa Blanca qui risque de mettre les…

    ", + "content": "Ferland Mendy fait des dégâts.
    \n
    \nUne nouvelle page va se tourner au Real : après Sergio Ramos cet été, c'est un autre monument de la Casa Blanca qui risque de mettre les…

    ", "category": "", - "link": "https://www.sofoot.com/reims-punit-l-ol-sur-le-gong-507707.html", + "link": "https://www.sofoot.com/le-bresilien-marcelo-devrait-quitter-le-real-madrid-cet-hiver-508080.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-reims-punit-l-ol-sur-le-gong-1638396091_x600_articles-507707.jpg", + "pubDate": "2021-12-09T15:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bresilien-marcelo-devrait-quitter-le-real-madrid-cet-hiver-1639064839_x600_articles-508080.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59292,17 +64159,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b759d49b61877dbee82db6fa0e7ca523" + "hash": "e3be37b0f0a871c1e679652a2ceb0ab4" }, { - "title": "Junior Messias met Milan à l'abri du Genoa", - "description": "

    ", - "content": "

    ", + "title": " 30 millions de manque à gagner pour le FC Barcelone après sa phase de poules ratée en Ligue des champions", + "description": "Les calculs ne sont pas bons, Joan.
    \n
    \nLe FC Barcelone a été reversé en Ligue Europa après avoir été sèchement
    ", + "content": "Les calculs ne sont pas bons, Joan.
    \n
    \nLe FC Barcelone a été reversé en Ligue Europa après avoir été sèchement
    ", "category": "", - "link": "https://www.sofoot.com/junior-messias-met-milan-a-l-abri-du-genoa-507746.html", + "link": "https://www.sofoot.com/30-millions-de-manque-a-gagner-pour-le-fc-barcelone-apres-sa-phase-de-poules-ratee-en-ligue-des-champions-508075.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T21:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-junior-messias-met-milan-a-l-abri-du-genoa-1638395022_x600_articles-507746.jpg", + "pubDate": "2021-12-09T15:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-30-millions-de-manque-a-gagner-pour-le-fc-barcelone-apres-sa-phase-de-poules-ratee-en-ligue-des-champions-1639061320_x600_articles-508075.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59312,17 +64179,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b677f34cee7a98680a2d2c166a557c18" + "hash": "687112d22e2be7c5a3dc8a1d727465a0" }, { - "title": "Naples freiné à Sassuolo", - "description": "

    ", - "content": "

    ", + "title": "Mehdi Benatia met un terme à sa carrière", + "description": "Mehdi stop.
    \n
    \nC'est dans un long message publié ce jeudi sur son compte Instagram que Mehdi Benatia annonce qu'il raccroche les crampons. Une nouvelle pour le moins plutôt surprenante…

    ", + "content": "Mehdi stop.
    \n
    \nC'est dans un long message publié ce jeudi sur son compte Instagram que Mehdi Benatia annonce qu'il raccroche les crampons. Une nouvelle pour le moins plutôt surprenante…

    ", "category": "", - "link": "https://www.sofoot.com/naples-freine-a-sassuolo-507738.html", + "link": "https://www.sofoot.com/mehdi-benatia-met-un-terme-a-sa-carriere-508079.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T21:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-naples-freine-a-sassuolo-1638395532_x600_articles-507738.jpg", + "pubDate": "2021-12-09T15:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mehdi-benatia-met-un-terme-a-sa-carriere-1639062870_x600_articles-508079.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59332,17 +64199,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "151a83491e9afc86a49d3436d453e290" + "hash": "79ad490d74e35834b5ff36cc3aafad8a" }, { - "title": "Les Girondins prennent l'eau à Strasbourg", - "description": "

    ", - "content": "

    ", + "title": "54 supporters du Dynamo Kiev interpellés après des affrontements avec ceux de Benfica", + "description": "Aussi peu inspirés sur le terrain qu'en dehors, les Ukrainiens.
    \n
    \nTroisième de sa poule avant le début de la dernière journée de phase de poules de Ligue des champions, Benfica devait…

    ", + "content": "Aussi peu inspirés sur le terrain qu'en dehors, les Ukrainiens.
    \n
    \nTroisième de sa poule avant le début de la dernière journée de phase de poules de Ligue des champions, Benfica devait…

    ", "category": "", - "link": "https://www.sofoot.com/les-girondins-prennent-l-eau-a-strasbourg-507744.html", + "link": "https://www.sofoot.com/54-supporters-du-dynamo-kiev-interpelles-apres-des-affrontements-avec-ceux-de-benfica-508077.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-girondins-prennent-l-eau-a-strasbourg-1638388935_x600_articles-507744.jpg", + "pubDate": "2021-12-09T14:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-54-supporters-du-dynamo-kiev-interpelles-apres-des-affrontements-avec-ceux-de-benfica-1639059664_x600_articles-508077.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59352,17 +64219,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0eb7510d4de1bf5fdfbb481b4c01c62" + "hash": "c7894a0efbf0075868b032444df1e69d" }, { - "title": "Montpellier se relance à Metz", - "description": "

    ", - "content": "

    ", + "title": "Joshua Kimmich absent jusqu'en 2022 suite aux séquelles de la Covid-19", + "description": "Le fameux retour de bâton.
    \n
    \nLe Bayern Munich devra faire sans Joshua Kimmich jusqu'à la fin de l'année 2021.
    ", + "content": "Le fameux retour de bâton.
    \n
    \nLe Bayern Munich devra faire sans Joshua Kimmich jusqu'à la fin de l'année 2021.
    ", "category": "", - "link": "https://www.sofoot.com/montpellier-se-relance-a-metz-507739.html", + "link": "https://www.sofoot.com/joshua-kimmich-absent-jusqu-en-2022-suite-aux-sequelles-de-la-covid-19-508076.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-montpellier-se-relance-a-metz-1638385831_x600_articles-507739.jpg", + "pubDate": "2021-12-09T14:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-joshua-kimmich-absent-jusqu-en-2022-suite-aux-sequelles-de-la-covid-19-1639058602_x600_articles-508076.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59372,17 +64239,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2f23b709c85bc6bd07eec52e4d3cfa29" + "hash": "fac2773a26b00fbe4f1be22185e30664" }, { - "title": "Troyes cuisine Lorient", - "description": "

    ", - "content": "

    ", + "title": "Les curiosités statistiques de la phase de poules de C1", + "description": "Via le prisme du résultat, de la tactique ou de la technique, les manières de suivre et d'analyser le foot ne manquent pas. Aujourd'hui, on dissèque la phase de poules de Ligue des champions avec des statistiques marrantes, symboliques, un peu folles et parfois complètement loufoques. Calculatrice et boulier non autorisés.", + "content": "", "category": "", - "link": "https://www.sofoot.com/troyes-cuisine-lorient-507706.html", + "link": "https://www.sofoot.com/les-curiosites-statistiques-de-la-phase-de-poules-de-c1-508057.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-troyes-cuisine-lorient-1638387053_x600_articles-507706.jpg", + "pubDate": "2021-12-09T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-curiosites-statistiques-de-la-phase-de-poules-de-c1-1639044089_x600_articles-alt-508057.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59392,17 +64259,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "cff809d1e4f19708cc9b8d55053c1dbc" + "hash": "3943517f1d698ce99820fed6cee203d7" }, { - "title": "Monaco calme Angers", - "description": "

    ", - "content": "

    ", + "title": "Nenê : \"Putain, ça aurait été bien de jouer dans une équipe comme ce PSG !\"", + "description": "Il fait partie de ces joueurs dont on se remémore les highlights avec une nostalgie teintée de tendresse. Les siennes sont essentiellement composées de dribbles à la semelle, de contrôles au cordeau, et surtout de frappes enroulées du pied gauche qui atterrissaient toutes au même endroit. À 40 ans, Anderson Luiz de Carvalho dit \"Nenê\" n'a plus sali une lucarne de Ligue 1 depuis bientôt dix piges, mais il continue de jouer au Brésil, là où tout a commencé. De passage à Paris, le joueur de Vasco da Gama (D2) raconte sa longévité, ses ambitions pour le futur, et ce club rouge et bleu qu'il aime tant.Commençons par une question que la France entière se pose : est-ce que tu joues encore avec ce fameux écarteur de narines ?
    \n(Rires.) Oui, je le porte…
    ", + "content": "Commençons par une question que la France entière se pose : est-ce que tu joues encore avec ce fameux écarteur de narines ?
    \n(Rires.) Oui, je le porte…
    ", "category": "", - "link": "https://www.sofoot.com/monaco-calme-angers-507736.html", + "link": "https://www.sofoot.com/nene-putain-ca-aurait-ete-bien-de-jouer-dans-une-equipe-comme-ce-psg-508031.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T19:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-monaco-calme-angers-1638388659_x600_articles-507736.jpg", + "pubDate": "2021-12-09T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nene-putain-ca-aurait-ete-bien-de-jouer-dans-une-equipe-comme-ce-psg-1639043546_x600_articles-alt-508031.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59412,17 +64279,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5eb23c97e9887a79fec3220205ff0630" + "hash": "86b9c183c4649301bf5fca81b2eb86b9" }, { - "title": "Pronostic Union Berlin Leipzig : Analyse, cotes et prono du match de Bundesliga", - "description": "

    Un Union Berlin – Leipzig avec des buts de chaque côté

    \n
    \nPour lancer la 14e journée de Bundesliga, l'Union Berlin reçoit le RB Leipzig.…
    ", - "content": "

    Un Union Berlin – Leipzig avec des buts de chaque côté

    \n
    \nPour lancer la 14e journée de Bundesliga, l'Union Berlin reçoit le RB Leipzig.…
    ", + "title": "Beşiktaş se sépare de son entraîneur Sergen Yalçın", + "description": "L'Aigle noir ne vole plus.
    \n
    \nAprès un historique doublé coupe-championnat en Turquie l'année passée, Beşiktaş est loin d'être sur les mêmes standards cette saison. Le club…

    ", + "content": "L'Aigle noir ne vole plus.
    \n
    \nAprès un historique doublé coupe-championnat en Turquie l'année passée, Beşiktaş est loin d'être sur les mêmes standards cette saison. Le club…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-union-berlin-leipzig-analyse-cotes-et-prono-du-match-de-bundesliga-507735.html", + "link": "https://www.sofoot.com/besiktas-se-separe-de-son-entraineur-sergen-yalcin-508072.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T17:32:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-union-berlin-leipzig-analyse-cotes-et-prono-du-match-de-bundesliga-1638381264_x600_articles-507735.jpg", + "pubDate": "2021-12-09T12:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-besiktas-se-separe-de-son-entraineur-sergen-yalcin-1639051817_x600_articles-508072.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59432,17 +64299,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "72b5a73fb4260887d88a2abdbab8b7b3" + "hash": "8ade7e635f2bfac3b7c615f2271ba5ae" }, { - "title": "Pronostic Grenade Alaves : Analyse, cotes et prono du match de Liga", - "description": "

    Alaves réussit un coup à Grenade

    \n
    \nQuart de finaliste de la dernière Europa League, Grenade connait une entame de Liga loin de correspondre aux…
    ", - "content": "

    Alaves réussit un coup à Grenade

    \n
    \nQuart de finaliste de la dernière Europa League, Grenade connait une entame de Liga loin de correspondre aux…
    ", + "title": "Pronostic Nantes Lens : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lens confirme à Nantes son bon match face au PSG

    \n
    \nEn grande difficulté la saison dernière, le FC Nantes s'était sauvé lors des barrages face à…
    ", + "content": "

    Lens confirme à Nantes son bon match face au PSG

    \n
    \nEn grande difficulté la saison dernière, le FC Nantes s'était sauvé lors des barrages face à…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-grenade-alaves-analyse-cotes-et-prono-du-match-de-liga-507734.html", + "link": "https://www.sofoot.com/pronostic-nantes-lens-analyse-cotes-et-prono-du-match-de-ligue-1-508071.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T17:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-grenade-alaves-analyse-cotes-et-prono-du-match-de-liga-1638380295_x600_articles-507734.jpg", + "pubDate": "2021-12-09T11:38:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nantes-lens-analyse-cotes-et-prono-du-match-de-ligue-1-1639050926_x600_articles-508071.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59452,17 +64319,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a0f3570d30d315ee51a29b8617f47bb" + "hash": "2e918605100fded60b72b6b48ab789aa" }, { - "title": "Pronostic Manchester United Arsenal : Analyse, cotes et prono du match de Premier League", - "description": "

    Manchester United – Arsenal : une 1ière victorieuse pour Rangnick

    \n
    \nAprès avoir connu plusieurs résultats décevants ces dernières semaines, Ole…
    ", - "content": "

    Manchester United – Arsenal : une 1ière victorieuse pour Rangnick

    \n
    \nAprès avoir connu plusieurs résultats décevants ces dernières semaines, Ole…
    ", + "title": "Boca Juniors remporte la coupe d'Argentine contre le Club Atlético Talleres", + "description": "Petite finale.
    \n
    \nPendant qu'en Europe se disputait la sixième journée de phase de poules de Ligue des champions, en Argentine se déroulait dans la nuit la finale de la Coupe d'Argentine…

    ", + "content": "Petite finale.
    \n
    \nPendant qu'en Europe se disputait la sixième journée de phase de poules de Ligue des champions, en Argentine se déroulait dans la nuit la finale de la Coupe d'Argentine…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-manchester-united-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-507733.html", + "link": "https://www.sofoot.com/boca-juniors-remporte-la-coupe-d-argentine-contre-le-club-atletico-talleres-508066.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T17:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-manchester-united-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-1638379419_x600_articles-507733.jpg", + "pubDate": "2021-12-09T11:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-boca-juniors-remporte-la-coupe-d-argentine-contre-le-club-atletico-talleres-1639049979_x600_articles-508066.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59472,17 +64339,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "651ae6336274cd0df113b161b6ce18d3" + "hash": "c1f00c5d52c09c44c57f53165a607284" }, { - "title": "Pronostic Tottenham Brentford : Analyse, cotes et prono du match de Premier League", - "description": "

    Tottenham piégé par Brentford

    \n
    \nArrivé pour succéder à Nuno Espirito Santo, Antonio Conte ne s'attendait pas à une tâche si compliquée à la…
    ", - "content": "

    Tottenham piégé par Brentford

    \n
    \nArrivé pour succéder à Nuno Espirito Santo, Antonio Conte ne s'attendait pas à une tâche si compliquée à la…
    ", + "title": "La nuit étoilée du LOSC", + "description": "En décrochant une qualification historique pour les huitièmes de finale de Ligue des champions ce mercredi en Allemagne sur la pelouse de Wolfsbourg (3-1), le LOSC s'est offert une soirée de rêve à bien des égards au cœur de la Basse-Saxe. En s'affirmant de la sorte sur la scène européenne ces dernières semaines, le champion de France en titre a repris des couleurs, des vraies, après un début de saison en dents de scie sur le plan national.C'est une pluie de petits flocons qui s'abat ce jeudi matin sur Wolfsbourg. Le ciel est gris, les cheminées de l'usine Volkswagen crachotent en continu et dans les rues, le petit monde est en…", + "content": "C'est une pluie de petits flocons qui s'abat ce jeudi matin sur Wolfsbourg. Le ciel est gris, les cheminées de l'usine Volkswagen crachotent en continu et dans les rues, le petit monde est en…", "category": "", - "link": "https://www.sofoot.com/pronostic-tottenham-brentford-analyse-cotes-et-prono-du-match-de-premier-league-507732.html", + "link": "https://www.sofoot.com/la-nuit-etoilee-du-losc-508061.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T16:57:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-tottenham-brentford-analyse-cotes-et-prono-du-match-de-premier-league-1638379003_x600_articles-507732.jpg", + "pubDate": "2021-12-09T11:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-nuit-etoilee-du-losc-1639046826_x600_articles-alt-508061.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59492,17 +64359,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2c2418c74b06a2760b2a686344887070" + "hash": "d35218afd0c24c668fa16cdace730da3" }, { - "title": "Todibo devait \"lever le pied\" quand il défendait sur Messi au Barça", - "description": "Ce soir, le monstre ne fera pas semblant face à l'Argentin.
    \n
    \nOui. D'accord. Si vous voulez. Leo Messi a remporté un…

    ", - "content": "Ce soir, le monstre ne fera pas semblant face à l'Argentin.
    \n
    \nOui. D'accord. Si vous voulez. Leo Messi a remporté un…

    ", + "title": "Domenico Tedesco (ex-Spartak Moscou et Schalke 04) nouvel entraîneur du RB Leipzig", + "description": "Du sang neuf pour redonner des ailes à Leipzig.
    \n
    \nC'était le nom le plus attendu pour…

    ", + "content": "Du sang neuf pour redonner des ailes à Leipzig.
    \n
    \nC'était le nom le plus attendu pour…

    ", "category": "", - "link": "https://www.sofoot.com/todibo-devait-lever-le-pied-quand-il-defendait-sur-messi-au-barca-507731.html", + "link": "https://www.sofoot.com/domenico-tedesco-ex-spartak-moscou-et-schalke-04-nouvel-entraineur-du-rb-leipzig-508069.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T16:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-todibo-devait-lever-le-pied-quand-il-defendait-sur-messi-au-barca-1638379989_x600_articles-507731.jpg", + "pubDate": "2021-12-09T11:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-domenico-tedesco-ex-spartak-moscou-et-schalke-04-nouvel-entraineur-du-rb-leipzig-1639049576_x600_articles-508069.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59512,17 +64379,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "be0f9fe56d3276954c0bb1acdfda7183" + "hash": "04f4ca1ca76a29dceb491910eb2199e0" }, { - "title": "Le Sommer sur ses non-sélections : \"Je n'ai pas forcément compris\"", - "description": "Le Sommer amère.
    \n
    \nDepuis plusieurs mois, les relations entre les joueuses de l'équipe de France et Corinne Diacre ne sont pas au beau fixe. Plusieurs cadres ont été écartées de la…

    ", - "content": "Le Sommer amère.
    \n
    \nDepuis plusieurs mois, les relations entre les joueuses de l'équipe de France et Corinne Diacre ne sont pas au beau fixe. Plusieurs cadres ont été écartées de la…

    ", + "title": "Pronostic Majorque Celta Vigo : Analyse, cotes et prono du match de Liga", + "description": "

    Un Majorque – Celta Vigo avec des buts de chaque côté

    \n
    \nLa 17e journée de Liga débute avec une opposition entre Majorque et le Celta…
    ", + "content": "

    Un Majorque – Celta Vigo avec des buts de chaque côté

    \n
    \nLa 17e journée de Liga débute avec une opposition entre Majorque et le Celta…
    ", "category": "", - "link": "https://www.sofoot.com/le-sommer-sur-ses-non-selections-je-n-ai-pas-forcement-compris-507729.html", + "link": "https://www.sofoot.com/pronostic-majorque-celta-vigo-analyse-cotes-et-prono-du-match-de-liga-508070.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T16:31:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-sommer-sur-ses-non-selections-je-n-ai-pas-forcement-compris-1638379917_x600_articles-507729.jpg", + "pubDate": "2021-12-09T11:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-majorque-celta-vigo-analyse-cotes-et-prono-du-match-de-liga-1639049922_x600_articles-508070.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59532,17 +64399,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1b27f45056b6f9978ed7eb275cb19eb7" + "hash": "64c80c68c8a3235999af46f125e5723b" }, { - "title": "Pronostic Lazio Udinese : Analyse, cotes et prono du match de Serie A", - "description": "

    La Lazio à la relance face à l'Udinese

    \n
    \nDans le cadre de la 15e journée de Serie A, la Lazio de Rome reçoit l'Udinese. A l'orée de…
    ", - "content": "

    La Lazio à la relance face à l'Udinese

    \n
    \nDans le cadre de la 15e journée de Serie A, la Lazio de Rome reçoit l'Udinese. A l'orée de…
    ", + "title": "Pronostic Cologne Augsbourg : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Ca sent bon pour Cologne face à Augsbourg

    \n
    \nProche de la relégation l'an passé, le FC Cologne s'était sauvé lors des barrages face à Holstein…
    ", + "content": "

    Ca sent bon pour Cologne face à Augsbourg

    \n
    \nProche de la relégation l'an passé, le FC Cologne s'était sauvé lors des barrages face à Holstein…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lazio-udinese-analyse-cotes-et-prono-du-match-de-serie-a-507730.html", + "link": "https://www.sofoot.com/pronostic-cologne-augsbourg-analyse-cotes-et-prono-du-match-de-bundesliga-508067.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T16:29:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lazio-udinese-analyse-cotes-et-prono-du-match-de-serie-a-1638378251_x600_articles-507730.jpg", + "pubDate": "2021-12-09T11:01:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-cologne-augsbourg-analyse-cotes-et-prono-du-match-de-bundesliga-1639048992_x600_articles-508067.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59552,17 +64419,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "516c5f3e051dd2fdf3826d5e5c6e77e5" + "hash": "da5919533d708237f1f4002354360e9e" }, { - "title": "Dortmund-Bayern se jouera finalement à huis clos", - "description": "L'étau se resserre.
    \n
    \nAlors que l'Allemagne est littéralement frappée par une recrudescence des cas de Covid, les dirigeants du Borussia Dortmund ont pris les devants. Prévu dans un…

    ", - "content": "L'étau se resserre.
    \n
    \nAlors que l'Allemagne est littéralement frappée par une recrudescence des cas de Covid, les dirigeants du Borussia Dortmund ont pris les devants. Prévu dans un…

    ", + "title": "Bruno Genesio : \"Mon plus gros regret à Lyon : ne pas avoir remporté la Ligue Europa\"", + "description": "Nouveau club pour une nouvelle vie.
    \n
    \nDans un long entretien à retrouver dans le nouveau numéro de So Foot, Bruno Genesio parle de son projet de jeu, de ses bons résultats avec…

    ", + "content": "Nouveau club pour une nouvelle vie.
    \n
    \nDans un long entretien à retrouver dans le nouveau numéro de So Foot, Bruno Genesio parle de son projet de jeu, de ses bons résultats avec…

    ", "category": "", - "link": "https://www.sofoot.com/dortmund-bayern-se-jouera-finalement-a-huis-clos-507721.html", + "link": "https://www.sofoot.com/bruno-genesio-mon-plus-gros-regret-a-lyon-ne-pas-avoir-remporte-la-ligue-europa-508036.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T16:22:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-dortmund-bayern-se-jouera-finalement-a-huis-clos-1638376233_x600_articles-507721.jpg", + "pubDate": "2021-12-09T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bruno-genesio-mon-plus-gros-regret-a-lyon-ne-pas-avoir-remporte-la-ligue-europa-1639044869_x600_articles-508036.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59572,17 +64439,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7523d6aaa1a4f34b8aacf23088bef76b" + "hash": "530f953afec917fa4db826348b7aa433" }, { - "title": "Umtiti s'en prend à des supporters montés sur le capot de sa voiture", - "description": "Big Sam dans tous les mauvais coups.
    \n
    \nC'est une saison cauchemardesque de A à Z pour Samuel Umtiti. Mis au placard au FC Barcelone, le Français n'entrait pas dans les plans de Ronald…

    ", - "content": "Big Sam dans tous les mauvais coups.
    \n
    \nC'est une saison cauchemardesque de A à Z pour Samuel Umtiti. Mis au placard au FC Barcelone, le Français n'entrait pas dans les plans de Ronald…

    ", + "title": "Pronostic Brentford Watford : Analyse, cotes et prono du match de Premier League", + "description": "

    Brentford - Watford : Les Bees chassent les Hornets

    \n
    \nLa 16e journée de Premier League s'ouvre vendredi avec un affrontement entre deux…
    ", + "content": "

    Brentford - Watford : Les Bees chassent les Hornets

    \n
    \nLa 16e journée de Premier League s'ouvre vendredi avec un affrontement entre deux…
    ", "category": "", - "link": "https://www.sofoot.com/umtiti-s-en-prend-a-des-supporters-montes-sur-le-capot-de-sa-voiture-507724.html", + "link": "https://www.sofoot.com/pronostic-brentford-watford-analyse-cotes-et-prono-du-match-de-premier-league-508063.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T15:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-umtiti-s-en-prend-a-des-supporters-montes-sur-le-capot-de-sa-voiture-1638375597_x600_articles-507724.jpg", + "pubDate": "2021-12-09T10:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brentford-watford-analyse-cotes-et-prono-du-match-de-premier-league-1639047128_x600_articles-508063.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59592,17 +64459,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5a3c2a3a68d8581bcc943403cc4373d5" + "hash": "a25b779cf07ed8b5d8f7ba214d73af66" }, { - "title": "L'OM s'engage à condamner fermement les propos tenus à l'égard de Hyun-Jun Suk", - "description": "Union sacrée.
    \n
    \n\"Après écoute des enregistrements de la rencontre OM-ESTAC, l'Olympique de Marseille se joint au club troyen pour condamner fermement les propos tenus à l'égard…

    ", - "content": "Union sacrée.
    \n
    \n\"Après écoute des enregistrements de la rencontre OM-ESTAC, l'Olympique de Marseille se joint au club troyen pour condamner fermement les propos tenus à l'égard…

    ", + "title": "En Ligue des champions féminine, Sam Kerr se prend un carton jaune pour avoir bousculé un spectateur entré sur le terrain lors de Chelsea-Juventus", + "description": "Dans une autre vie, Sam Kerr était steward.
    \n
    \nAlors que Chelsea et la Juve se battait pour une place au tour suivant de la Ligue des Champions féminine ce mercredi (0-0), un spectateur a…

    ", + "content": "Dans une autre vie, Sam Kerr était steward.
    \n
    \nAlors que Chelsea et la Juve se battait pour une place au tour suivant de la Ligue des Champions féminine ce mercredi (0-0), un spectateur a…

    ", "category": "", - "link": "https://www.sofoot.com/l-om-s-engage-a-condamner-fermement-les-propos-tenus-a-l-egard-de-hyun-jun-suk-507718.html", + "link": "https://www.sofoot.com/en-ligue-des-champions-feminine-sam-kerr-se-prend-un-carton-jaune-pour-avoir-bouscule-un-spectateur-entre-sur-le-terrain-lors-de-chelsea-juventus-508062.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T14:36:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-om-s-engage-a-condamner-fermement-les-propos-tenus-a-l-egard-de-hyun-jun-suk-1638371608_x600_articles-507718.jpg", + "pubDate": "2021-12-09T10:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-ligue-des-champions-feminine-sam-kerr-se-prend-un-carton-jaune-pour-avoir-bouscule-un-spectateur-entre-sur-le-terrain-lors-de-chelsea-juventus-1639047443_x600_articles-508062.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59612,17 +64479,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d14985478ac9e5b86178a3f9010a7143" + "hash": "3c62ce64b2fc8abe00006b6faf080912" }, { - "title": "Sarina Wiegman insatisfaite des scores fleuves dans le football féminin", - "description": "Une déculottée et des interrogations.
    \n
    \nL'équipe féminine anglaise a atomisé la Lettonie (20-0) ce mardi soir à Doncaster dans le cadre des qualifications pour le Mondial 2023. Si…

    ", - "content": "Une déculottée et des interrogations.
    \n
    \nL'équipe féminine anglaise a atomisé la Lettonie (20-0) ce mardi soir à Doncaster dans le cadre des qualifications pour le Mondial 2023. Si…

    ", + "title": "Pronostic Genoa Sampdoria : Analyse, cotes et prono du match de Serie A", + "description": "

    Genoa - Sampdoria : Le derby de Gênes tourne en faveur de la Samp'

    \n
    \nLa 17e journée de Serie A débute vendredi avec le derby de Gênes…
    ", + "content": "

    Genoa - Sampdoria : Le derby de Gênes tourne en faveur de la Samp'

    \n
    \nLa 17e journée de Serie A débute vendredi avec le derby de Gênes…
    ", "category": "", - "link": "https://www.sofoot.com/sarina-wiegman-insatisfaite-des-scores-fleuves-dans-le-football-feminin-507720.html", + "link": "https://www.sofoot.com/pronostic-genoa-sampdoria-analyse-cotes-et-prono-du-match-de-serie-a-508065.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T14:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sarina-wiegman-insatisfaite-des-scores-fleuves-dans-le-football-feminin-1638375034_x600_articles-507720.jpg", + "pubDate": "2021-12-09T10:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-genoa-sampdoria-analyse-cotes-et-prono-du-match-de-serie-a-1639047938_x600_articles-508065.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59632,17 +64499,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a295cca6225c59d2b40d0165031393a2" + "hash": "9f2f7a79fb7f82ed053e84ed2bf47094" }, { - "title": "Le FC Barcelone fixe une deadline à Ousmane Dembélé pour prolonger", - "description": "Tic tac, tic tac...
    \n
    \nDe retour sur les pelouses depuis le début du mois de novembre après une série de blessures, Ousmane Dembélé
    ", - "content": "Tic tac, tic tac...
    \n
    \nDe retour sur les pelouses depuis le début du mois de novembre après une série de blessures, Ousmane Dembélé
    ", + "title": "Après le départ de Claude Puel, Julien Sablé assurera l'intérim à l'AS Saint-Étienne", + "description": "Le pompier de service est de retour.
    \n
    \nGiflé à domicile ce dimanche par Rennes…

    ", + "content": "Le pompier de service est de retour.
    \n
    \nGiflé à domicile ce dimanche par Rennes…

    ", "category": "", - "link": "https://www.sofoot.com/le-fc-barcelone-fixe-une-deadline-a-ousmane-dembele-pour-prolonger-507719.html", + "link": "https://www.sofoot.com/apres-le-depart-de-claude-puel-julien-sable-assurera-l-interim-a-l-as-saint-etienne-507964.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T14:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-fc-barcelone-fixe-une-deadline-a-ousmane-dembele-pour-prolonger-1638374850_x600_articles-507719.jpg", + "pubDate": "2021-12-09T10:43:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-apres-le-depart-de-claude-puel-julien-sable-assurera-l-interim-a-l-as-saint-etienne-1638876825_x600_articles-507964.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59652,17 +64519,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "344d1a7de82cadf0b190d2d96e479037" + "hash": "00db05024710e09f7d8eddb75b624611" }, { - "title": "Patrick Partouche ne veut pas collaborer avec le président de Valenciennes", - "description": "Il a finalement placé ses jetons sur le noir plutôt que le rouge.
    \n
    \nLe casinotier Patrick Partouche, actionnaire minoritaire de Valenciennes, ne partira pas en vacances avec l'actuel…

    ", - "content": "Il a finalement placé ses jetons sur le noir plutôt que le rouge.
    \n
    \nLe casinotier Patrick Partouche, actionnaire minoritaire de Valenciennes, ne partira pas en vacances avec l'actuel…

    ", + "title": "Accusé d'agression sexuelle, Pierre Ménès placé en garde à vue", + "description": "Accusé d'avoir touché la poitrine d'une hôtesse d'accueil du Parc des…", + "content": "Accusé d'avoir touché la poitrine d'une hôtesse d'accueil du Parc des…", "category": "", - "link": "https://www.sofoot.com/patrick-partouche-ne-veut-pas-collaborer-avec-le-president-de-valenciennes-507715.html", + "link": "https://www.sofoot.com/accuse-d-agression-sexuelle-pierre-menes-place-en-garde-a-vue-508060.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T13:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-patrick-partouche-ne-veut-pas-collaborer-avec-le-president-de-valenciennes-1638369397_x600_articles-507715.jpg", + "pubDate": "2021-12-09T10:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-accuse-d-agression-sexuelle-pierre-menes-place-en-garde-a-vue-1639046555_x600_articles-508060.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59672,17 +64539,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b63dc152e4d9d692944b9adc46ef9cba" + "hash": "4cc25112af14e907561c81034586e014" }, { - "title": "Le Graët : \"Je ne ferai pas attendre Zidane\"", - "description": "Paris, Manchester United, l'équipe de France... Zizou se fait désirer.
    \n
    \nÀ moins d'un an du début du Mondial 2022, les rumeurs vont bon train sur la succession de Didier Deschamps à…

    ", - "content": "Paris, Manchester United, l'équipe de France... Zizou se fait désirer.
    \n
    \nÀ moins d'un an du début du Mondial 2022, les rumeurs vont bon train sur la succession de Didier Deschamps à…

    ", + "title": "L'UEFA confirme le report de Tottenham-Rennes", + "description": "De toute façon, il fait meilleur en Bretagne.
    \n
    \nAlors que le Stade rennais avait fait le déplacement outre-Manche avec l'intention de jouer le match de C4 sur la pelouse de Tottenham,…

    ", + "content": "De toute façon, il fait meilleur en Bretagne.
    \n
    \nAlors que le Stade rennais avait fait le déplacement outre-Manche avec l'intention de jouer le match de C4 sur la pelouse de Tottenham,…

    ", "category": "", - "link": "https://www.sofoot.com/le-graet-je-ne-ferai-pas-attendre-zidane-507716.html", + "link": "https://www.sofoot.com/l-uefa-confirme-le-report-de-tottenham-rennes-508058.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T13:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-graet-je-ne-ferai-pas-attendre-zidane-1638369630_x600_articles-507716.jpg", + "pubDate": "2021-12-09T10:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-uefa-confirme-le-report-de-tottenham-rennes-1639045037_x600_articles-508058.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59692,17 +64559,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5a60f0e5a982166e891868138f50f1e" + "hash": "69448bd7a640c56c6cb8e1529861e38c" }, { - "title": "Portugal : Tondela pourrait se présenter avec 7 joueurs face à Moreirense ce week-end", - "description": "Comme un air de déjà-vu.
    \n
    \nSix. Ils ne sont plus que six joueurs à pouvoir jouer le match face à Moreirense prévu samedi prochain. Rodrigo Miguel, Rúben Gonçalves, Alcobia, Martim,…

    ", - "content": "Comme un air de déjà-vu.
    \n
    \nSix. Ils ne sont plus que six joueurs à pouvoir jouer le match face à Moreirense prévu samedi prochain. Rodrigo Miguel, Rúben Gonçalves, Alcobia, Martim,…

    ", + "title": "La collection de tirages photo So Foot de Noël 2021 est arrivée !", + "description": "En collaboration avec l'agence photographique Icon Sport, So Foot vous propose, chaque mois, une sélection renouvelée de photographies exclusives de football en édition ultra limitée, onze tirages par taille, sur la nouvelle boutique maison : boutique.so. Et au temps de l'Avent, les cadeaux arrivent par tous les temps ! Voici donc cinq nouveaux tirages en édition limitée : la joie d'Iniesta après sa volée contre Chelsea, le triplé de Raï face au Steaua Bucarest, Zidane dégoulinant à l'Euro 2000, la fête sur les Champs-Elysées en 98 et un cliché hommage au boss Bernard Tapie. Ça, plus deux nouveaux t-shirts foot amateur et deux nouvelles affiches. Hé oui, c'est pas tous les jours Noël !
    \n

    \n
    \n


    ", + "content": "
    \n
    \n


    ", "category": "", - "link": "https://www.sofoot.com/portugal-tondela-pourrait-se-presenter-avec-7-joueurs-face-a-moreirense-ce-week-end-507714.html", + "link": "https://www.sofoot.com/la-collection-de-tirages-photo-so-foot-de-noel-2021-est-arrivee-507774.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T13:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-portugal-tondela-pourrait-se-presenter-avec-7-joueurs-face-a-moreirense-ce-week-end-1638368591_x600_articles-507714.jpg", + "pubDate": "2021-12-03T12:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-collection-de-tirages-photo-so-foot-de-noel-2021-est-arrivee-1638452754_x600_articles-alt-507774.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59712,17 +64579,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c7e24998b4a46da122297e4b8f4b650" + "hash": "ccba083e9f3a9dbcad9e50160e56173f" }, { - "title": "Le problème des tribunes en Ligue 1 : \"Le dialogue en France est cité en exemple en Europe\"", - "description": "Le championnat de France connaît un début de saison enthousiasmant sur le terrain, mais subit ces dernières semaines des incidents récurrents et préoccupants en tribunes. Le jet d'une bouteille d'eau sur Dimitri Payet lors de Lyon-Marseille a été la goutte de Cristaline qui a fait déborder le vase pour tout le monde, voire un électrochoc pour les décideurs du foot hexagonal. La période est désormais consacrée aux réunions et à la réflexion. Dans ce contexte, So Foot a donné la parole à cinq acteurs, des membres de l'Association nationale des supporters au directeur général de la LFP, pour essayer de mieux comprendre la situation actuelle et envisager de sortir de cette crise par le haut.
    Le casting :
    \nMe Pierre Barthélémy : Avocat de l'Association nationale des supporters
    \nSacha Houlié : Député LREM…

    ", - "content": "
    Le casting :
    \nMe Pierre Barthélémy : Avocat de l'Association nationale des supporters
    \nSacha Houlié : Député LREM…

    ", + "title": "L'OM condamné à 10 000 euros d'amende après les propos racistes contre Hyun-jun Suk (Troyes)", + "description": "Ça fait cher la blague de mauvais goût.
    \n
    \nSi c'est évidemment
    le…

    ", + "content": "Ça fait cher la blague de mauvais goût.
    \n
    \nSi c'est évidemment le…

    ", "category": "", - "link": "https://www.sofoot.com/le-probleme-des-tribunes-en-ligue-1-le-dialogue-en-france-est-cite-en-exemple-en-europe-507700.html", + "link": "https://www.sofoot.com/l-om-condamne-a-10-000-euros-d-amende-apres-les-propos-racistes-contre-hyun-jun-suk-troyes-508056.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-probleme-des-tribunes-en-ligue-1-le-dialogue-en-france-est-cite-en-exemple-en-europe-1638351661_x600_articles-alt-507700.jpg", + "pubDate": "2021-12-09T10:08:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-om-condamne-a-10-000-euros-d-amende-apres-les-propos-racistes-contre-hyun-jun-suk-troyes-1639044332_x600_articles-508056.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59732,17 +64599,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b6240208c379e169d8ffb0b5eb8acf5e" + "hash": "adbcfafefaa1d1fcb2cb584402bf6db8" }, { - "title": "Le Barça organise un référendum pour la rénovation du Camp Nou", - "description": "Ça doit de l'argent à toute la planète, mais bon.
    \n
    \nDepuis 2014 et l'approbation de la rénovation complète du Camp Nou par tous les dirigeants du club, rien n'a véritablement…

    ", - "content": "Ça doit de l'argent à toute la planète, mais bon.
    \n
    \nDepuis 2014 et l'approbation de la rénovation complète du Camp Nou par tous les dirigeants du club, rien n'a véritablement…

    ", + "title": "Xavi après Bayern Munich-FC Barcelone : \"La réalité nous dit que nous ne sommes pas au niveau\"", + "description": "Bah quoi, ça n'est pas bien la Ligue Europa ?
    \n
    \nUn mois après son intronisation sur le banc du FC Barcelone, Xavi vit des premiers moments compliqués. Alors que ses hommes pouvaient…

    ", + "content": "Bah quoi, ça n'est pas bien la Ligue Europa ?
    \n
    \nUn mois après son intronisation sur le banc du FC Barcelone, Xavi vit des premiers moments compliqués. Alors que ses hommes pouvaient…

    ", "category": "", - "link": "https://www.sofoot.com/le-barca-organise-un-referendum-pour-la-renovation-du-camp-nou-507713.html", + "link": "https://www.sofoot.com/xavi-apres-bayern-munich-fc-barcelone-la-realite-nous-dit-que-nous-ne-sommes-pas-au-niveau-508055.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T12:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-barca-organise-un-referendum-pour-la-renovation-du-camp-nou-1638364788_x600_articles-507713.jpg", + "pubDate": "2021-12-09T09:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-xavi-apres-bayern-munich-fc-barcelone-la-realite-nous-dit-que-nous-ne-sommes-pas-au-niveau-1639042006_x600_articles-508055.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59752,17 +64619,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fd958044722de5df26cad1b5da1500af" + "hash": "c0da5c0deb27904f5f10cca9f80d7c81" }, { - "title": "Des militants envisagent une action contre le Mondial 2022 devant le siège de la FFF", - "description": "Le Qatar dans le viseur des associations.
    \n
    \nLa prochaine Coupe du monde est décidément au cœur de tous les débats.
    ", - "content": "Le Qatar dans le viseur des associations.
    \n
    \nLa prochaine Coupe du monde est décidément au cœur de tous les débats.
    ", + "title": "Lors de la venue de Lens, le FC Nantes va rendre hommage à John Miles, auteur du tube Music", + "description": "Dernière danse.
    \n
    \nLe FC Nantes a décidé de rendre hommage à John Miles, vendredi lors de la réception du RC Lens, en diffusant son célèbre titre Music (datant de 1976) à…

    ", + "content": "Dernière danse.
    \n
    \nLe FC Nantes a décidé de rendre hommage à John Miles, vendredi lors de la réception du RC Lens, en diffusant son célèbre titre Music (datant de 1976) à…

    ", "category": "", - "link": "https://www.sofoot.com/des-militants-envisagent-une-action-contre-le-mondial-2022-devant-le-siege-de-la-fff-507712.html", + "link": "https://www.sofoot.com/lors-de-la-venue-de-lens-le-fc-nantes-va-rendre-hommage-a-john-miles-auteur-du-tube-music-508054.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T11:16:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-des-militants-envisagent-une-action-contre-le-mondial-2022-devant-le-siege-de-la-fff-1638361525_x600_articles-507712.jpg", + "pubDate": "2021-12-09T08:38:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lors-de-la-venue-de-lens-le-fc-nantes-va-rendre-hommage-a-john-miles-auteur-du-tube-music-1639039067_x600_articles-508054.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59772,17 +64639,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "42799bea1e4b73c9239d6f2570b5a9e5" + "hash": "29f038e4d3db1ffbff2aa1fd75a4b8d7" }, { - "title": "L'OL voit sa demande d'annulation de huis clos rejetée par le CNOSF", - "description": "Caramba, encore raté !
    \n
    \nSanctionné d'un match à huis clos à titre conservatoire par la Commission de discipline de la LFP en marge des incidents survenus au Groupama Stadium lors de…

    ", - "content": "Caramba, encore raté !
    \n
    \nSanctionné d'un match à huis clos à titre conservatoire par la Commission de discipline de la LFP en marge des incidents survenus au Groupama Stadium lors de…

    ", + "title": "Lyon-Marseille : Jacques Cardoze (OM) s'insurge contre la décision de la Commission de discipline de la LFP", + "description": "Un autre qui l'a mauvaise.
    \n
    \nAttendue depuis de longues semaines, la…

    ", + "content": "Un autre qui l'a mauvaise.
    \n
    \nAttendue depuis de longues semaines, la…

    ", "category": "", - "link": "https://www.sofoot.com/l-ol-voit-sa-demande-d-annulation-de-huis-clos-rejetee-par-le-cnosf-507711.html", + "link": "https://www.sofoot.com/lyon-marseille-jacques-cardoze-om-s-insurge-contre-la-decision-de-la-commission-de-discipline-de-la-lfp-508052.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T11:04:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-ol-voit-sa-demande-d-annulation-de-huis-clos-rejetee-par-le-cnosf-1638358512_x600_articles-507711.jpg", + "pubDate": "2021-12-09T08:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lyon-marseille-jacques-cardoze-om-s-insurge-contre-la-decision-de-la-commission-de-discipline-de-la-lfp-1639038234_x600_articles-508052.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59792,17 +64659,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "269101a28f2dddcc5307c99398078176" + "hash": "85310614ab7799a155a2cbaec41003fd" }, { - "title": "Un consultant de beIN Sports se lance dans un discours homophobe en plein direct ", - "description": "140 secondes de pure angoisse.
    \n
    \n\"Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne…

    ", - "content": "140 secondes de pure angoisse.
    \n
    \n\"Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne…

    ", + "title": "Jocelyn Gourvennec : \"On a fait honneur à la Ligue 1\"", + "description": "Présent en conférence de presse après la belle victoire du LOSC à Wolfsbourg (1-3) en Ligue des champions, Jocelyn Gourvennec n'a pas caché sa satisfaction après la qualification historique de son équipe pour les huitièmes de finale de la C1.Sur le plan émotionnel, êtes-vous pleinement satisfait du match de votre équipe ? Cela ressemble au scénario parfait.
    \nC'est vrai que le scénario du match a…
    ", + "content": "Sur le plan émotionnel, êtes-vous pleinement satisfait du match de votre équipe ? Cela ressemble au scénario parfait.
    \nC'est vrai que le scénario du match a…
    ", "category": "", - "link": "https://www.sofoot.com/un-consultant-de-bein-sports-se-lance-dans-un-discours-homophobe-en-plein-direct-507710.html", + "link": "https://www.sofoot.com/jocelyn-gourvennec-on-a-fait-honneur-a-la-ligue-1-508051.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T11:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-consultant-de-bein-sports-se-lance-dans-un-discours-homophobe-en-plein-direct-1638358006_x600_articles-507710.jpg", + "pubDate": "2021-12-09T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jocelyn-gourvennec-on-a-fait-honneur-a-la-ligue-1-1639009867_x600_articles-alt-508051.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59812,17 +64679,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9b0b6b7060b9a764f532da1c22d852e3" + "hash": "51a6ca0ec75cca5b3d9756836ca31434" }, { - "title": "Les 10 grands moments de Shevchenko à Milan", - "description": "Ce mercredi soir sera rempli d'émotions pour Andriy Shevchenko. Pour la première fois de sa carrière, il va affronter l'AC Milan, le club où il est devenu une légende, et avec lequel il a remporté le Ballon d'or. L'occasion de se remémorer les dix moments forts de son aventure rossonera, entre buts de fou, finales (heureuses et malheureuses) de Ligue de champions, et amour infini.

    1. Le premier but

    \n", - "content": "

    1. Le premier but

    \n", + "title": "Si les personnages de One Piece étaient des footballeurs", + "description": "Alors que la trêve hivernale approche pour bon nombre de championnats, Eiichiro Oda a décidé de régaler son monde en publiant (enfin) le tome 100 du manga mythique One Piece. Mais que se passerait-il si les pirates quittaient Grand Line pour fouler les plus belles pelouses de notre planète ?

    Monkey D. Luffy

    \n
    \nFils de Monkey D. Dragon, petit-fils de Monkey D. Garp et frère adoptif de Portgas D. Ace et du grand Sabo : Mugiwara no Luffy entretient sa…
    ", + "content": "

    Monkey D. Luffy

    \n
    \nFils de Monkey D. Dragon, petit-fils de Monkey D. Garp et frère adoptif de Portgas D. Ace et du grand Sabo : Mugiwara no Luffy entretient sa…
    ", "category": "", - "link": "https://www.sofoot.com/les-10-grands-moments-de-shevchenko-a-milan-507692.html", + "link": "https://www.sofoot.com/si-les-personnages-de-one-piece-etaient-des-footballeurs-508035.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-10-grands-moments-de-shevchenko-a-milan-1638350040_x600_articles-alt-507692.jpg", + "pubDate": "2021-12-09T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-si-les-personnages-de-one-piece-etaient-des-footballeurs-1638992485_x600_articles-alt-508035.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59832,17 +64699,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e42443955bb2aa4e6afe370b137c666" + "hash": "7b3e95bbc208c1f5da3978a1e267514b" }, { - "title": "Quand l'entraîneur de l'Irak entre sur le terrain pour choisir son tireur de penalty", - "description": "Autant être entraîneur-joueur, c'est pareil.
    \n
    \nCe mardi débutait la dixième Coupe arabe de…

    ", - "content": "Autant être entraîneur-joueur, c'est pareil.
    \n
    \nCe mardi débutait la dixième Coupe arabe de…

    ", + "title": "Lettre d'un supporter de l'OM à Steve Mandanda ", + "description": "Steve Mandanda vit une période compliquée depuis sa mise sur la touche par Jorge Sampaoli au profit de Pau Lopez. Une triste fin pour celui qui a porté à 597 reprises le maillot marseillais, ce qui en fait le joueur le plus capé de l'histoire du club. Une lettre d'amour pourrait l'aider à retrouver un semblant de sourire.Cher Steve,
    \n
    \nAlors que ton équipe joue son dernier match de Ligue Europa face au Lokomotiv Moscou ce jeudi, une fois de plus j'aimerais te voir fouler la pelouse de ton jardin, le…

    ", + "content": "Cher Steve,
    \n
    \nAlors que ton équipe joue son dernier match de Ligue Europa face au Lokomotiv Moscou ce jeudi, une fois de plus j'aimerais te voir fouler la pelouse de ton jardin, le…

    ", "category": "", - "link": "https://www.sofoot.com/quand-l-entraineur-de-l-irak-entre-sur-le-terrain-pour-choisir-son-tireur-de-penalty-507709.html", + "link": "https://www.sofoot.com/lettre-d-un-supporter-de-l-om-a-steve-mandanda-508029.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T10:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-quand-l-entraineur-de-l-irak-entre-sur-le-terrain-pour-choisir-son-tireur-de-penalty-1638357785_x600_articles-507709.jpg", + "pubDate": "2021-12-09T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lettre-d-un-supporter-de-l-om-a-steve-mandanda-1638980788_x600_articles-alt-508029.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59852,17 +64719,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "480c871bbc7a58457667b593c2740635" + "hash": "12cd5be970c0c383901efc531a737197" }, { - "title": "Jack Grealish reconnaît ses difficultés d'adaptation à City", - "description": "Amende honorable.
    \n
    \nDébarqué cet été à l'Etihad Stadium avec l'étiquette…

    ", - "content": "Amende honorable.
    \n
    \nDébarqué cet été à l'Etihad Stadium avec l'étiquette…

    ", + "title": "Pronostic Atalanta Bergame Villarreal : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'Atalanta Bergame coule Villarreal

    \n
    \nLors de cette dernière journée de Ligue des Champions, peu de groupes nous réservent des rencontres décisives…
    ", + "content": "

    L'Atalanta Bergame coule Villarreal

    \n
    \nLors de cette dernière journée de Ligue des Champions, peu de groupes nous réservent des rencontres décisives…
    ", "category": "", - "link": "https://www.sofoot.com/jack-grealish-reconnait-ses-difficultes-d-adaptation-a-city-507708.html", + "link": "https://www.sofoot.com/pronostic-atalanta-bergame-villarreal-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507952.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T10:14:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jack-grealish-reconnait-ses-difficultes-d-adaptation-a-city-1638357311_x600_articles-507708.jpg", + "pubDate": "2021-12-07T08:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-atalanta-bergame-villarreal-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638868502_x600_articles-507952.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59872,17 +64739,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d4347d92844268af72f9684db90de8d" + "hash": "d0ed4606f7e852cbf42bdf5207befb38" }, { - "title": "Le comité organisateur du Mondial 2022 garantit la sécurité des personnes LGBT à une condition", - "description": "Dit \"Wallah\" ? Non.
    \n
    \nInexistants au Qatar, les droits des personnes lesbiennes, gays, bisexuelles et transgenres (LGBT) seront assouplis pour la prochaine Coupe du monde. Si…

    ", - "content": "Dit \"Wallah\" ? Non.
    \n
    \nInexistants au Qatar, les droits des personnes lesbiennes, gays, bisexuelles et transgenres (LGBT) seront assouplis pour la prochaine Coupe du monde. Si…

    ", + "title": "Le Stade rennais dénonce \"le manque de fair-play\" de Tottenham", + "description": "La réponse du berger à la bergère.
    \n
    \nDeux heures après que Tottenham a annoncé être dans l'incapacité de disputer
    ", + "content": "La réponse du berger à la bergère.
    \n
    \nDeux heures après que Tottenham a annoncé être dans l'incapacité de disputer
    ", "category": "", - "link": "https://www.sofoot.com/le-comite-organisateur-du-mondial-2022-garantit-la-securite-des-personnes-lgbt-a-une-condition-507705.html", + "link": "https://www.sofoot.com/le-stade-rennais-denonce-le-manque-de-fair-play-de-tottenham-508050.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T10:07:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-comite-organisateur-du-mondial-2022-garantit-la-securite-des-personnes-lgbt-a-une-condition-1638355110_x600_articles-507705.jpg", + "pubDate": "2021-12-08T23:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-stade-rennais-denonce-le-manque-de-fair-play-de-tottenham-1639007298_x600_articles-508050.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59892,17 +64759,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6c816b9ed5278fd5a1154f0b11495776" + "hash": "0deac1cd1cbcbc10cde8017085bacb98" }, { - "title": "Piqué : \"Je préfère mourir que de jouer à Madrid\"", - "description": "Piqué s'en prend gratuitement au Real Madrid, épisode 1000.
    \n
    \nLe défenseur central du FC Barcelone fait désormais office d'ancien dans le vestiaire du Barça. Avec Jordi Alba et Sergio…

    ", - "content": "Piqué s'en prend gratuitement au Real Madrid, épisode 1000.
    \n
    \nLe défenseur central du FC Barcelone fait désormais office d'ancien dans le vestiaire du Barça. Avec Jordi Alba et Sergio…

    ", + "title": "Wolfsburg-Lille : Jonathan Ikoné, une dernière pour la route", + "description": "Comme à Séville le mois dernier, Jonathan Ikoné a fait oublier son inefficacité en championnat en livrant une prestation remarquable à Wolfsburg, où il a offert deux jolies passes décisives à ses copains Burak Yılmaz et Angel Gomes. La suite de la belle histoire européenne du LOSC pourrait cependant s'écrire sans l'attaquant de 23 ans, qui serait attendu par la Fiorentina dès janvier.La semaine de Jonathan Ikoné n'avait pas débuté de la meilleure des manières. À 48 heures du rendez-vous décisif à Wolfsburg en Ligue des champions pour le LOSC, l'attaquant a eu la mauvaise…", + "content": "La semaine de Jonathan Ikoné n'avait pas débuté de la meilleure des manières. À 48 heures du rendez-vous décisif à Wolfsburg en Ligue des champions pour le LOSC, l'attaquant a eu la mauvaise…", "category": "", - "link": "https://www.sofoot.com/pique-je-prefere-mourir-que-de-jouer-a-madrid-507666.html", + "link": "https://www.sofoot.com/wolfsburg-lille-jonathan-ikone-une-derniere-pour-la-route-508047.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T09:57:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pique-je-prefere-mourir-que-de-jouer-a-madrid-1638354759_x600_articles-507666.jpg", + "pubDate": "2021-12-08T23:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-wolfsburg-lille-jonathan-ikone-une-derniere-pour-la-route-1639006137_x600_articles-alt-508047.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59912,17 +64779,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5488c348f0631898099a4b7768738d5b" + "hash": "fa93f724dbcb6d3c431beb78c2ec1905" }, { - "title": "Noël Le Graët tacle Valbuena ", - "description": "L'affaire de la sextape fait encore causer.
    \n
    \nUne…

    ", - "content": "L'affaire de la sextape fait encore causer.
    \n
    \nUne…

    ", + "title": "Signé Gourvennec", + "description": "Pour la première fois depuis 2006, et seulement la deuxième de son histoire, le LOSC a validé son billet pour les huitièmes de finale de la Ligue des champions. Une sacrée performance, couronnée par une première place de son groupe, dont Jocelyn Gourvennec est le principal responsable.\" J'ai attendu 26 ans pour revivre des moments comme ça. On s'était qualifiés avec Nantes. Vingt-six ans c'est long, mais quand je regarde derrière, j'ai l'impression que…", + "content": "\" J'ai attendu 26 ans pour revivre des moments comme ça. On s'était qualifiés avec Nantes. Vingt-six ans c'est long, mais quand je regarde derrière, j'ai l'impression que…", "category": "", - "link": "https://www.sofoot.com/noel-le-graet-tacle-valbuena-507703.html", + "link": "https://www.sofoot.com/signe-gourvennec-508048.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T09:31:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-noel-le-graet-tacle-valbuena-1638354598_x600_articles-507703.jpg", + "pubDate": "2021-12-08T22:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-signe-gourvennec-1639003264_x600_articles-alt-508048.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59932,17 +64799,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c6893cde9c8f9c071f72e576c79e7d4f" + "hash": "e1e6475016af9b58f482a3afca623f20" }, { - "title": "Le Grand Jojo, icône populaire belge, est décédé à 85 ans", - "description": "Repose en paix Victor le footballiste.
    \n
    \nLe Grand Jojo est mort dans la nuit de ce mardi à mercredi à l'âge de 85 ans des suites d'une longue maladie, a confirmé Cyril Forthomme,…

    ", - "content": "Repose en paix Victor le footballiste.
    \n
    \nLe Grand Jojo est mort dans la nuit de ce mardi à mercredi à l'âge de 85 ans des suites d'une longue maladie, a confirmé Cyril Forthomme,…

    ", + "title": "Ce tout petit Barça", + "description": "C'était attendu par tout le monde, cela s'est confirmé à l'Allianz Arena de Munich et à l'Estádio da Luz de Lisbonne : le FC Barcelone, qui n'a marqué que 2 buts en 6 journées, s'est fait éliminer de la Ligue des champions dès la phase de poules de cette édition 2021-2022. Est-ce si surprenant que cela ? Non. Faut-il s'en inquiéter ? Oui. La dernière fois que le Barça n'était pas parvenu à sortir des poules de C1 remonte à la saison 2000-2001.Il y a des signes qui ne trompent pas. Avant d'affronter l'ogre bavarois pour la dernière journée de ce groupe E de la Ligue des champions 2021-2022, Xavi Hernández annonçait avec aplomb les…", + "content": "Il y a des signes qui ne trompent pas. Avant d'affronter l'ogre bavarois pour la dernière journée de ce groupe E de la Ligue des champions 2021-2022, Xavi Hernández annonçait avec aplomb les…", "category": "", - "link": "https://www.sofoot.com/le-grand-jojo-icone-populaire-belge-est-decede-a-85-ans-507702.html", + "link": "https://www.sofoot.com/ce-tout-petit-barca-508049.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T09:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-grand-jojo-icone-populaire-belge-est-decede-a-85-ans-1638351244_x600_articles-507702.jpg", + "pubDate": "2021-12-08T23:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ce-tout-petit-barca-1639004598_x600_articles-alt-508049.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59952,17 +64819,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8e365c4e745dec4ca8c5c4eceb232024" + "hash": "3003aeab12fa689d1db166a04f8c29fe" }, { - "title": "Ibrahimović : \"Marine Le Pen a demandé mon expulsion\"", - "description": "Zlatan entre en campagne.
    \n
    \nAprès la parution de sa première autobiographie en 2011, Ibrahimović s'apprête à sortir un nouveau bouquin. Adrenalina sera \"le journal d'un…

    ", - "content": "Zlatan entre en campagne.
    \n
    \nAprès la parution de sa première autobiographie en 2011, Ibrahimović s'apprête à sortir un nouveau bouquin. Adrenalina sera \"le journal d'un…

    ", + "title": "Benjamin Pavard : \"Je suis très content pour Lille\"", + "description": "Après avoir roulé sur le Barça pendant 90 minutes ce mercredi soir à…", + "content": "Après avoir roulé sur le Barça pendant 90 minutes ce mercredi soir à…", "category": "", - "link": "https://www.sofoot.com/ibrahimovic-marine-le-pen-a-demande-mon-expulsion-507704.html", + "link": "https://www.sofoot.com/benjamin-pavard-je-suis-tres-content-pour-lille-508046.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T09:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ibrahimovic-marine-le-pen-a-demande-mon-expulsion-1638354630_x600_articles-507704.jpg", + "pubDate": "2021-12-08T22:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-benjamin-pavard-je-suis-tres-content-pour-lille-1639003477_x600_articles-508046.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59972,17 +64839,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5895bc4031a32cc8250fb7baa334bac7" + "hash": "6acb1947d3e1fa04c6f5b93d173bbaf1" }, { - "title": "Le président de la Fédération grecque veut Fernando Santos", - "description": "Tout le monde n'a pas le droit de rêver.
    \n
    \nInvité sur le plateau de la chaîne Open TV, le président de la Fédération grecque de football Panayiotis Dimitriou s'est longuement…

    ", - "content": "Tout le monde n'a pas le droit de rêver.
    \n
    \nInvité sur le plateau de la chaîne Open TV, le président de la Fédération grecque de football Panayiotis Dimitriou s'est longuement…

    ", + "title": "Jocelyn Gourvennec était habité par la qualification", + "description": "Une masterclass signée Gourvennec.
    \n
    \nLa qualification pour les huitièmes de finale de Ligue des champions à peine en poche, le coach lillois a réagi auprès de Canal+ : \"C'est une…

    ", + "content": "Une masterclass signée Gourvennec.
    \n
    \nLa qualification pour les huitièmes de finale de Ligue des champions à peine en poche, le coach lillois a réagi auprès de Canal+ : \"C'est une…

    ", "category": "", - "link": "https://www.sofoot.com/le-president-de-la-federation-grecque-veut-fernando-santos-507701.html", + "link": "https://www.sofoot.com/jocelyn-gourvennec-etait-habite-par-la-qualification-508045.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T08:38:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-president-de-la-federation-grecque-veut-fernando-santos-1638350445_x600_articles-507701.jpg", + "pubDate": "2021-12-08T22:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jocelyn-gourvennec-etait-habite-par-la-qualification-1639003054_x600_articles-508045.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -59992,17 +64859,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "26cdc721ba688bd36182bd857303b567" + "hash": "7ad8b51299a81b6a3126ade1e3f8801e" }, { - "title": "Gabriel (Arsenal) a repoussé un voleur armé d'une batte de baseball venu voler sa voiture", - "description": "Intraitable au recul frein.
    \n
    \nEn descendant de sa Mercedes qu'il vient de garer dans son garage, Gabriel, tout juste installé à Londres, fait un pas en arrière puis lève les mains,…

    ", - "content": "Intraitable au recul frein.
    \n
    \nEn descendant de sa Mercedes qu'il vient de garer dans son garage, Gabriel, tout juste installé à Londres, fait un pas en arrière puis lève les mains,…

    ", + "title": "Les notes de Lille face à Wolfsburg", + "description": "Lille a réussi là où le PSG a échoué : finir premier de son groupe de ligue des champions. Avec une performance collective de grande qualité, qui n'occulte pas la prestation XXL de Jonathan Ikoné, entre autres.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/gabriel-arsenal-a-repousse-un-voleur-arme-d-une-batte-de-baseball-venu-voler-sa-voiture-507699.html", + "link": "https://www.sofoot.com/les-notes-de-lille-face-a-wolfsburg-508039.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T08:03:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gabriel-arsenal-a-repousse-un-voleur-arme-d-une-batte-de-baseball-venu-voler-sa-voiture-1638350132_x600_articles-507699.jpg", + "pubDate": "2021-12-08T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-lille-face-a-wolfsburg-1639001000_x600_articles-alt-508039.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60012,17 +64879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee7f70b7f92081f2cb69d6c344bfc8e7" + "hash": "3b21e23b28071e480f3faada834e569d" }, { - "title": "Troyes dénonce des propos racistes à l'encontre de Suk tenus par le banc marseillais", - "description": "Deux jours après la victoire de l'Olympique de Marseille contre Troyes (1-0), dans le cadre de la…", - "content": "Deux jours après la victoire de l'Olympique de Marseille contre Troyes (1-0), dans le cadre de la…", + "title": "Tottenham-Rennes n'aura pas lieu jeudi soir, un report ou un forfait envisagés", + "description": "Le Stade rennais peut rentrer à la maison.
    \n
    \nÀ la veille de la rencontre qui devait se tenir jeudi soir entre Tottenham et Rennes pour boucler la phase de groupes de Ligue Europa…

    ", + "content": "Le Stade rennais peut rentrer à la maison.
    \n
    \nÀ la veille de la rencontre qui devait se tenir jeudi soir entre Tottenham et Rennes pour boucler la phase de groupes de Ligue Europa…

    ", "category": "", - "link": "https://www.sofoot.com/troyes-denonce-des-propos-racistes-a-l-encontre-de-suk-tenus-par-le-banc-marseillais-507698.html", + "link": "https://www.sofoot.com/tottenham-rennes-n-aura-pas-lieu-jeudi-soir-un-report-ou-un-forfait-envisages-508043.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T07:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-troyes-denonce-des-propos-racistes-a-l-encontre-de-suk-tenus-par-le-banc-marseillais-1638349733_x600_articles-507698.jpg", + "pubDate": "2021-12-08T22:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tottenham-rennes-n-aura-pas-lieu-jeudi-soir-un-report-ou-un-forfait-envisages-1639001696_x600_articles-508043.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60032,17 +64899,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "609f943d3f1602f2b447e5bc33243785" + "hash": "e5e936929791dd4bee6a38df25f0aeba" }, { - "title": "Il ne fallait pas enterrer Anthony Lopes", - "description": "Encore très inspiré dimanche dernier lors de la victoire à Montpellier (0-1), Anthony Lopes renaît après une saison et un été bien compliqués. Entre comportement irréprochable, performances décisives et adaptation aux préceptes de Bosz, le Portugais a tout fait pour retrouver son niveau et sa légitimité.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Le Bayern Munich fesse et sort un FC Barcelone sans réaction", + "description": "Accroché à un maigre espoir de voir les huitièmes, le FC Barcelone de Xavi n'a presque pas existé à Munich (3-0, comme à l'aller) et prend logiquement la porte. Les Blaugrana, d'une manière quasiment inédite, iront revoir leur football dans la cour des petits, en C3. Le Bayern, lui, boucle un impressionnant carton plein dans ce groupe E.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/il-ne-fallait-pas-enterrer-anthony-lopes-507687.html", + "link": "https://www.sofoot.com/le-bayern-munich-fesse-et-sort-un-fc-barcelone-sans-reaction-508025.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-il-ne-fallait-pas-enterrer-anthony-lopes-1638285278_x600_articles-alt-507687.jpg", + "pubDate": "2021-12-08T22:01:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-munich-fesse-et-sort-un-fc-barcelone-sans-reaction-1639001741_x600_articles-alt-508025.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60052,17 +64919,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "44ab45f6e232d0bea8117a1485f7d644" + "hash": "d20a075ef1f82fb53e75b30322f2f008" }, { - "title": "Bordeaux : défense d'en rire", - "description": "Défaits par Brest dimanche dernier (2-1), les Girondins de Bordeaux ont encaissé 32 buts depuis le début de la saison. C'est trop, beaucoup trop, pour espérer quoi que ce soit dans ce championnat.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Benfica écarte le Dynamo Kiev et se qualifie pour les huitièmes", + "description": "Non, Deniz Aytekin n'aura pas fait des siennes.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/bordeaux-defense-d-en-rire-507600.html", + "link": "https://www.sofoot.com/benfica-ecarte-le-dynamo-kiev-et-se-qualifie-pour-les-huitiemes-508013.html", "creator": "SO FOOT", - "pubDate": "2021-12-01T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-bordeaux-defense-d-en-rire-1638191876_x600_articles-alt-507600.jpg", + "pubDate": "2021-12-08T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-benfica-ecarte-le-dynamo-kiev-et-se-qualifie-pour-les-huitiemes-1639001489_x600_articles-508013.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60072,17 +64939,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d9c6fc711efa51f6a7f5670d2db0303" + "hash": "aef90e50f5d21b512067f0fb4e6692e1" }, { - "title": "Les notes de l'épisode 13 de Koh-Lanta La Légende", - "description": "Dernier conseil de classe avant l'orientation, un enfer pour les cancres dans un nouvel épisode à double élimination...

    La tribu réunifiée

    \n
    \n
    \n
    \nBeaucoup de souffrance…


    ", - "content": "

    La tribu réunifiée

    \n
    \n
    \n
    \nBeaucoup de souffrance…


    ", + "title": "Les Young Boys accrochés par les kids de Manchester United", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-l-episode-13-de-koh-lanta-la-legende-507689.html", + "link": "https://www.sofoot.com/les-young-boys-accroches-par-les-kids-de-manchester-united-508034.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T22:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-l-episode-13-de-koh-lanta-la-legende-1638312648_x600_articles-alt-507689.jpg", + "pubDate": "2021-12-08T21:57:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-young-boys-accroches-par-les-kids-de-manchester-united-1639000839_x600_articles-508034.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60092,17 +64959,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b7e1db836c0f04b0dcd737557876746c" + "hash": "917f072e29245f1a4c772a6a89ab8590" }, { - "title": "Les Bleues terminent l'année en beauté face au pays de Galles", - "description": "

    ", - "content": "

    ", + "title": "Salzbourg pousse Séville dehors et se qualifie en huitièmes", + "description": "L'Autriche sera bien représentée à la table des grands.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-bleues-terminent-l-annee-en-beaute-face-au-pays-de-galles-507678.html", + "link": "https://www.sofoot.com/salzbourg-pousse-seville-dehors-et-se-qualifie-en-huitiemes-508040.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T22:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-bleues-terminent-l-annee-en-beaute-face-au-pays-de-galles-1638308398_x600_articles-507678.jpg", + "pubDate": "2021-12-08T21:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-salzbourg-pousse-seville-dehors-et-se-qualifie-en-huitiemes-1639000740_x600_articles-508040.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60112,17 +64979,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "eecbc9aa0045ccc2b4fe34573bd15af2" + "hash": "8e6a8b7e90ac7d9f96be0a46077677dc" }, { - "title": "La Juventus se rassure à Salerne", - "description": "

    ", - "content": "

    ", + "title": "Lille roule sur Wolfsbourg et se qualifie pour les huitièmes de la Ligue des champions !", + "description": "Dans le froid de Wolfsbourg, le LOSC s'est imposé en patron (1-3) pour composter son ticket lui donnant accès aux huitièmes de finale de la Ligue des champions. En terminant en tête du groupe G sur ce feu d'artifice, Lille montre qu'il n'a pas volé son statut de tête de série.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-juventus-se-rassure-a-salerne-507697.html", + "link": "https://www.sofoot.com/lille-roule-sur-wolfsbourg-et-se-qualifie-pour-les-huitiemes-de-la-ligue-des-champions-508021.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T21:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-se-rassure-a-salerne-1638309444_x600_articles-507697.jpg", + "pubDate": "2021-12-08T21:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lille-roule-sur-wolfsbourg-et-se-qualifie-pour-les-huitiemes-de-la-ligue-des-champions-1639001557_x600_articles-alt-508021.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60132,17 +64999,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f85d83aabb84a39a68afc4603130e1a9" + "hash": "ad7a40c20fdd0c17494c0573ba264adf" }, { - "title": "En direct : Koh-Lanta, la légende épisode 13", - "description": "Ce mardi soir, il n'y a ni Ligue des Champions, ni Ligue 1. Et l'équipe de France féminine va battre le Pays de Galles 3-0. Maintenant que tout est dit, il ne vous reste plus aucune excuse pour manquer Koh-Lanta. D'autant qu'une demi-finale, ça ne se rate pas, pour rien au monde, jamais. Surtout si c'est l'occasion de rendre le Ballon d'or au seul homme qui le mérite vraiment plus que Leo Messi : Ugo le Magnifique.22h52 : Et ce n'est pas bon pour Laurent, qui n'avait pas compris qu'il fallait faire correspondre les couleurs. Moi non plus cela dit.
    \n
    \n22h51 : Puisqu'on en est aux…

    ", - "content": "22h52 : Et ce n'est pas bon pour Laurent, qui n'avait pas compris qu'il fallait faire correspondre les couleurs. Moi non plus cela dit.
    \n
    \n22h51 : Puisqu'on en est aux…

    ", + "title": "Affaire OL/OM : Lyon sanctionné d'un point, match à rejouer à huis clos", + "description": "Le verdict est tombé, et Jean-Michel Aulas peut l'avoir mauvaise.
    \n
    \nCe mercredi soir, la commission de discipline de la…

    ", + "content": "Le verdict est tombé, et Jean-Michel Aulas peut l'avoir mauvaise.
    \n
    \nCe mercredi soir, la commission de discipline de la…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-koh-lanta-la-legende-episode-13-507694.html", + "link": "https://www.sofoot.com/affaire-ol-om-lyon-sanctionne-d-un-point-match-a-rejouer-a-huis-clos-508042.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-koh-lanta-la-legende-episode-13-1638289725_x600_articles-alt-507694.jpg", + "pubDate": "2021-12-08T21:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-affaire-ol-om-lyon-sanctionne-d-un-point-match-a-rejouer-a-huis-clos-1638997799_x600_articles-508042.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60152,17 +65019,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8f1f02d6ddcf90cbbc92759a0ba9eb54" + "hash": "350f9846f6bf8fcd7942416edf46503a" }, { - "title": "Derniers Jours : 30€ totalement GRATUITS offerts en EXCLU pour parier cette semaine !", - "description": "

    30€ offerts sans sortir sa CB pour parier sans pression

    \n
    \nDeux sites vous offrent en EXCLU SoFoot un total de 20€ à récupérer gratuitement :
    \n-…

    ", - "content": "

    30€ offerts sans sortir sa CB pour parier sans pression

    \n
    \nDeux sites vous offrent en EXCLU SoFoot un total de 20€ à récupérer gratuitement :
    \n-…

    ", + "title": "Atalanta-Villarreal reporté !", + "description": "C'est la triste nouvelle du soir.
    \n
    \nLors de l'ultime journée de ce groupe F de la Ligue des champions 2021-2022, l'Atalanta et Villarreal devaient croiser le fer afin d'offrir un…

    ", + "content": "C'est la triste nouvelle du soir.
    \n
    \nLors de l'ultime journée de ce groupe F de la Ligue des champions 2021-2022, l'Atalanta et Villarreal devaient croiser le fer afin d'offrir un…

    ", "category": "", - "link": "https://www.sofoot.com/derniers-jours-30e-totalement-gratuits-offerts-en-exclu-pour-parier-cette-semaine-507613.html", + "link": "https://www.sofoot.com/atalanta-villarreal-reporte-508041.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T20:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-derniers-jours-30e-totalement-gratuits-offerts-en-exclu-pour-parier-cette-semaine-1638210720_x600_articles-507613.jpg", + "pubDate": "2021-12-08T20:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-atalanta-villarreal-reporte-1638996188_x600_articles-508041.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60172,17 +65039,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "80730527bcca3628a5d00464e7e47c19" + "hash": "3a53afd89a122d3cf2c2bc4d1e420f7d" }, { - "title": "L'Atalanta et la Fiorentina sans problème", - "description": "

    ", - "content": "

    ", + "title": "Le Zénith arrache un match nul spectaculaire face à Chelsea", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/l-atalanta-et-la-fiorentina-sans-probleme-507696.html", + "link": "https://www.sofoot.com/le-zenith-arrache-un-match-nul-spectaculaire-face-a-chelsea-507966.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T19:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-et-la-fiorentina-sans-probleme-1638296578_x600_articles-507696.jpg", + "pubDate": "2021-12-08T19:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-zenith-arrache-un-match-nul-spectaculaire-face-a-chelsea-1638993167_x600_articles-507966.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60192,17 +65059,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3dfbdcfdd63643652f53a2ded9e38a56" + "hash": "cc85196ee60789c192f92cef1d675f4f" }, { - "title": "LOTO du mercredi 1er décembre 2021 : 29 millions d'€ à gagner (cagnotte record) !", - "description": "La cagnotte du LOTO ne s'arrête plus de monter. 29 millions d'euros sont à gagner ce mercredi 1er décembre 2021. Si quelqu'un remporte la timbale, il remportera le plus gros gain de l'histoire de la loterie française

    LOTO du mercredi 1er décembre 2021 : 29 Millions d'€

    \n
    \n
    \nCe mercredi 1er décembre 2021, la cagnotte du LOTO est à 29 millions…

    ", - "content": "

    LOTO du mercredi 1er décembre 2021 : 29 Millions d'€

    \n
    \n
    \nCe mercredi 1er décembre 2021, la cagnotte du LOTO est à 29 millions…

    ", + "title": "En direct : Wolfsburg - Lille ", + "description": "94' : FIN DE CHANTIER ! Lille s'impose d'une très belle manière sur la pelouse de Wolfsburg ...", + "content": "94' : FIN DE CHANTIER ! Lille s'impose d'une très belle manière sur la pelouse de Wolfsburg ...", "category": "", - "link": "https://www.sofoot.com/loto-du-mercredi-1er-decembre-2021-29-millions-d-e-a-gagner-cagnotte-record-507655.html", + "link": "https://www.sofoot.com/en-direct-wolfsburg-lille-508038.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T08:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-loto-du-mercredi-1er-decembre-2021-29-millions-d-e-a-gagner-cagnotte-record-1638262299_x600_articles-507655.jpg", + "pubDate": "2021-12-08T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-wolfsburg-lille-1638997068_x600_articles-alt-508038.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60212,17 +65079,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc8b1134010255836297a46680559828" + "hash": "2e0c8aa99c3f590e0b79588298cc3184" }, { - "title": "Lisandro López annonce son départ du Racing", - "description": "Clap de fin pour Licha ?
    \n
    \nUn nuage d'émotion devait traverser le stade du Président-Perón ce lundi soir. En effet, si le temple du Racing Club d'Avellaneda a pu assister à la victoire…

    ", - "content": "Clap de fin pour Licha ?
    \n
    \nUn nuage d'émotion devait traverser le stade du Président-Perón ce lundi soir. En effet, si le temple du Racing Club d'Avellaneda a pu assister à la victoire…

    ", + "title": "La Juventus bat Malmö et termine en tête de son groupe", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/lisandro-lopez-annonce-son-depart-du-racing-507695.html", + "link": "https://www.sofoot.com/la-juventus-bat-malmo-et-termine-en-tete-de-son-groupe-508037.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T17:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lisandro-lopez-annonce-son-depart-du-racing-1638292943_x600_articles-507695.jpg", + "pubDate": "2021-12-08T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-bat-malmo-et-termine-en-tete-de-son-groupe-1638993415_x600_articles-508037.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60232,17 +65099,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab5f95ad008917d0da66916b58472fb4" + "hash": "6f1c5e597839396e50608e9e5bf08cc3" }, { - "title": "Pini Zahavi, agent de Lewandowski, dégoûté par sa soirée de lundi", - "description": "Cauchemardesque.
    \n
    \nAlors que ses performances monstrueuses faisaient de lui un des prétendants les plus crédibles au Ballon d'or 2021,
    ", - "content": "Cauchemardesque.
    \n
    \nAlors que ses performances monstrueuses faisaient de lui un des prétendants les plus crédibles au Ballon d'or 2021,
    ", + "title": "En direct : Bayern Munich - Barcelone", + "description": "94' : IT'S OVER ! LE BARÇA EST REVERSÉ EN C3 !
    \n
    \n3-0 sans faire le moindre effort, c'est effarant ...", + "content": "94' : IT'S OVER ! LE BARÇA EST REVERSÉ EN C3 !
    \n
    \n3-0 sans faire le moindre effort, c'est effarant ...", "category": "", - "link": "https://www.sofoot.com/pini-zahavi-agent-de-lewandowski-degoute-par-sa-soiree-de-lundi-507688.html", + "link": "https://www.sofoot.com/en-direct-bayern-munich-barcelone-507970.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T17:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pini-zahavi-agent-de-lewandowski-degoute-par-sa-soiree-de-lundi-1638292572_x600_articles-507688.jpg", + "pubDate": "2021-12-08T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-bayern-munich-barcelone-1638998471_x600_articles-alt-507970.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60252,17 +65119,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "82b745931b40737319e05497f2b45109" + "hash": "153167a448301d3c628899db78c56e02" }, { - "title": "Rangnick ne sera pas sur le banc contre Arsenal", - "description": "Du rab pour Carrick.
    \n
    \nOfficiellement intronisé ce lundi à Manchester United,…

    ", - "content": "Du rab pour Carrick.
    \n
    \nOfficiellement intronisé ce lundi à Manchester United,…

    ", + "title": "Le PSG écrabouille Kharkiv grâce à Bachmann et Huitema", + "description": "

    Kharkiv Zhylobud 0-6 Paris Saint-Germain féminines ", + "content": "

    Kharkiv Zhylobud 0-6 Paris Saint-Germain féminines ", "category": "", - "link": "https://www.sofoot.com/rangnick-ne-sera-pas-sur-le-banc-contre-arsenal-507693.html", + "link": "https://www.sofoot.com/le-psg-ecrabouille-kharkiv-grace-a-bachmann-et-huitema-508006.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-rangnick-ne-sera-pas-sur-le-banc-contre-arsenal-1638290310_x600_articles-507693.jpg", + "pubDate": "2021-12-08T19:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-psg-ecrabouille-kharkiv-grace-a-bachmann-et-huitema-1638992834_x600_articles-508006.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60272,17 +65139,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "74aebd9d7da0baf56af2640a18c2f2f2" + "hash": "c06d602a0b6f71aae2e8b8b45de6dabd" }, { - "title": "Saint-Priest proteste contre une lourde sanction de la FFF", - "description": "Saint-Priest ne l'entend pas de cette oreille.
    \n
    \nLa FFF a infligé une très lourde sanction au club rhodanien après un match contre Martigues le 23 octobre, comptant pour le championnat…

    ", - "content": "Saint-Priest ne l'entend pas de cette oreille.
    \n
    \nLa FFF a infligé une très lourde sanction au club rhodanien après un match contre Martigues le 23 octobre, comptant pour le championnat…

    ", + "title": "L'ancien international français Jacques Zimako est mort", + "description": "La Corse et la Nouvelle-Calédonie perdent une légende.
    \n
    \nL'ancien international français Jacques Zimako est décédé ce mercredi, à l'âge de 69 ans.
    ", + "content": "La Corse et la Nouvelle-Calédonie perdent une légende.
    \n
    \nL'ancien international français Jacques Zimako est décédé ce mercredi, à l'âge de 69 ans.
    ", "category": "", - "link": "https://www.sofoot.com/saint-priest-proteste-contre-une-lourde-sanction-de-la-fff-507690.html", + "link": "https://www.sofoot.com/l-ancien-international-francais-jacques-zimako-est-mort-508032.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-saint-priest-proteste-contre-une-lourde-sanction-de-la-fff-1638289929_x600_articles-507690.jpg", + "pubDate": "2021-12-08T17:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-ancien-international-francais-jacques-zimako-est-mort-1638983778_x600_articles-508032.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60292,17 +65159,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3eaa5b01930206f1373b5871de2855ea" + "hash": "016d39e5c3b4da435aacb7952117f2ba" }, { - "title": "Découvrez le grand et beau livre So Foot sur Zidane : roulettes, tonsure et première étoile", - "description": "Après Diego Maradona, So Foot s'attaque à une autre légende, le plus grand numéro 10 français (derrière Michel ?), avec un livre d'anecdotes, de belles photos et d'articles inédits de 200 pages retraçant son histoire : Zidane - Roulettes, tonsure et première étoile.
    \n
    \nGrâcieux, discret, simple, fougueux, extraterrestre, timide, violent, idolâtré, patriote, brillant, amoureux, présidentiable, aérien,…

    ", - "content": "
    \n
    \nGrâcieux, discret, simple, fougueux, extraterrestre, timide, violent, idolâtré, patriote, brillant, amoureux, présidentiable, aérien,…

    ", + "title": "Zltako Dalić poursuit l'aventure à la tête de la Croatie", + "description": "On va pouvoir continuer de regarder les œuvres de Dalić avec la Croatie.
    \n
    \nDéjà en poste depuis 2017, Zlatko Dalić continue son aventure à la tête des Vatreni jusqu'à l'Euro…

    ", + "content": "On va pouvoir continuer de regarder les œuvres de Dalić avec la Croatie.
    \n
    \nDéjà en poste depuis 2017, Zlatko Dalić continue son aventure à la tête des Vatreni jusqu'à l'Euro…

    ", "category": "", - "link": "https://www.sofoot.com/decouvrez-le-grand-et-beau-livre-so-foot-sur-zidane-roulettes-tonsure-et-premiere-etoile-507066.html", + "link": "https://www.sofoot.com/zltako-dalic-poursuit-l-aventure-a-la-tete-de-la-croatie-508033.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T10:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-decouvrez-le-grand-et-beau-livre-so-foot-sur-zidane-roulettes-tonsure-et-premiere-etoile-1637081049_x600_articles-alt-507066.jpg", + "pubDate": "2021-12-08T17:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-zltako-dalic-poursuit-l-aventure-a-la-tete-de-la-croatie-1638983242_x600_articles-508033.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60312,17 +65179,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "81b847e0939836c4802c3f42f0b3c625" + "hash": "34b645ab4c04f490918fb9e92b0bc500" }, { - "title": "Les joueurs de l'Excel Mouscron partent en grève", - "description": "À Mouscron, rien ne va plus.
    \n
    \nSi les joueurs parviennent peu à peu à redresser une situation sportive périlleuse avec quatre victoires sur les quatre derniers matchs - mais une…

    ", - "content": "À Mouscron, rien ne va plus.
    \n
    \nSi les joueurs parviennent peu à peu à redresser une situation sportive périlleuse avec quatre victoires sur les quatre derniers matchs - mais une…

    ", + "title": "Jorge Sampaoli : \"Marseille ne supporte pas le juste milieu\"", + "description": "On se console comme on peut à l'OM.
    \n
    \nCe jeudi soir (21h), Marseille reçoit le Lokomotiv Moscou pour tenter d'accéder à la phase finale de Ligue Europa Conférence. Une maigre…

    ", + "content": "On se console comme on peut à l'OM.
    \n
    \nCe jeudi soir (21h), Marseille reçoit le Lokomotiv Moscou pour tenter d'accéder à la phase finale de Ligue Europa Conférence. Une maigre…

    ", "category": "", - "link": "https://www.sofoot.com/les-joueurs-de-l-excel-mouscron-partent-en-greve-507686.html", + "link": "https://www.sofoot.com/jorge-sampaoli-marseille-ne-supporte-pas-le-juste-milieu-508030.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-joueurs-de-l-excel-mouscron-partent-en-greve-1638288492_x600_articles-507686.jpg", + "pubDate": "2021-12-08T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jorge-sampaoli-marseille-ne-supporte-pas-le-juste-milieu-1638982013_x600_articles-508030.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60332,17 +65199,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "26dfc4f1056cf2146ace1ab6519d85c6" + "hash": "85e277bb94acf2d132d2c2a6035ef87b" }, { - "title": "Ray Kennedy, légende de Liverpool, est décédé à l'âge de 70 ans", - "description": "Triste nouvelle.
    \n
    \nVainqueur de la Coupe d'Europe des clubs champions en 1977, 1978 et 1981, de la Coupe UEFA en 1976, champion d'Angleterre en 1976, 1977, 1979, 1980 et 1982 sous la…

    ", - "content": "Triste nouvelle.
    \n
    \nVainqueur de la Coupe d'Europe des clubs champions en 1977, 1978 et 1981, de la Coupe UEFA en 1976, champion d'Angleterre en 1976, 1977, 1979, 1980 et 1982 sous la…

    ", + "title": "Pelé de retour à l'hôpital pour traiter sa tumeur", + "description": "Le Roi s'accroche.
    \n
    \nPelé est retourné à l'hôpital pour traiter son cancer du côlon. Alors que ses visites à l'hôpital se font de plus en plus fréquentes, les nouvelles se veulent…

    ", + "content": "Le Roi s'accroche.
    \n
    \nPelé est retourné à l'hôpital pour traiter son cancer du côlon. Alors que ses visites à l'hôpital se font de plus en plus fréquentes, les nouvelles se veulent…

    ", "category": "", - "link": "https://www.sofoot.com/ray-kennedy-legende-de-liverpool-est-decede-a-l-age-de-70-ans-507691.html", + "link": "https://www.sofoot.com/pele-de-retour-a-l-hopital-pour-traiter-sa-tumeur-508028.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T15:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ray-kennedy-legende-de-liverpool-est-decede-a-l-age-de-70-ans-1638288265_x600_articles-507691.jpg", + "pubDate": "2021-12-08T16:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pele-de-retour-a-l-hopital-pour-traiter-sa-tumeur-1638980851_x600_articles-508028.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60352,17 +65219,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "825893a49a77f46b122c60a44d54e284" + "hash": "c329aed4ffa6c13256a48723de60ae6d" }, { - "title": "Vers des rencontres à huis clos en Bavière ?", - "description": "Ça se corse en Bavière.
    \n
    \nAlors que la région est frappée de plein fouet par une sévère recrudescence des cas de Covid, les responsables du Land de Bavière s'apprêtent à prendre…

    ", - "content": "Ça se corse en Bavière.
    \n
    \nAlors que la région est frappée de plein fouet par une sévère recrudescence des cas de Covid, les responsables du Land de Bavière s'apprêtent à prendre…

    ", + "title": "Vincent Labrune : \"La Ligue 1 deviendra le championnat de Slovénie\"", + "description": "La Ljig des talents.
    \n
    \nLe président de la LFP, Vincent Labrune, était présent ce mercredi matin devant la commission de la culture, de l'éducation et de la communication du Sénat pour…

    ", + "content": "La Ljig des talents.
    \n
    \nLe président de la LFP, Vincent Labrune, était présent ce mercredi matin devant la commission de la culture, de l'éducation et de la communication du Sénat pour…

    ", "category": "", - "link": "https://www.sofoot.com/vers-des-rencontres-a-huis-clos-en-baviere-507683.html", + "link": "https://www.sofoot.com/vincent-labrune-la-ligue-1-deviendra-le-championnat-de-slovenie-508027.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T15:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-vers-des-rencontres-a-huis-clos-en-baviere-1638288109_x600_articles-507683.jpg", + "pubDate": "2021-12-08T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-vincent-labrune-la-ligue-1-deviendra-le-championnat-de-slovenie-1638980508_x600_articles-508027.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60372,17 +65239,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a436e251d9b927523292a26df41bb8d2" + "hash": "98164ee25a8510f9a7ff4ac6c0482a69" }, { - "title": "Kamara a zappé la conférence de presse pour des raisons personnelles", - "description": "Ça s'appelle remettre l'église au milieu du village.
    \n
    \nAu lendemain de la défaite de l'Olympique de Marseille
    ", - "content": "Ça s'appelle remettre l'église au milieu du village.
    \n
    \nAu lendemain de la défaite de l'Olympique de Marseille
    ", + "title": "Antonio Conte a \"un peu peur\" de jouer contre Rennes à cause de l'épidémie de Covid à Tottenham", + "description": "Spur sur la ville.
    \n
    \nÀ quelques heures d'affronter le Stade rennais ce jeudi en Ligue Europa Conférence, Tottenham se retrouve décimé à cause de la contagion de la Covid-19 au…

    ", + "content": "Spur sur la ville.
    \n
    \nÀ quelques heures d'affronter le Stade rennais ce jeudi en Ligue Europa Conférence, Tottenham se retrouve décimé à cause de la contagion de la Covid-19 au…

    ", "category": "", - "link": "https://www.sofoot.com/kamara-a-zappe-la-conference-de-presse-pour-des-raisons-personnelles-507682.html", + "link": "https://www.sofoot.com/antonio-conte-a-un-peu-peur-de-jouer-contre-rennes-a-cause-de-l-epidemie-de-covid-a-tottenham-508026.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T15:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kamara-a-zappe-la-conference-de-presse-pour-des-raisons-personnelles-1638287873_x600_articles-507682.jpg", + "pubDate": "2021-12-08T15:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-antonio-conte-a-un-peu-peur-de-jouer-contre-rennes-a-cause-de-l-epidemie-de-covid-a-tottenham-1638978075_x600_articles-508026.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60392,17 +65259,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "02ddc60b59c37a46d6cb92dc4a78f559" + "hash": "eb01be72e0a48e0b5f94a190c74b9a2f" }, { - "title": "L'OL va installer des filets de sécurité devant ses virages", - "description": "L'annonce sparadrap du jour.
    \n
    \nAlors que le président Aulas n'a cessé de marteler que la bouteille arrivée sur le visage de Dimitri Payet le 21 novembre dernier n'était qu'un \"…

    ", - "content": "L'annonce sparadrap du jour.
    \n
    \nAlors que le président Aulas n'a cessé de marteler que la bouteille arrivée sur le visage de Dimitri Payet le 21 novembre dernier n'était qu'un \"…

    ", + "title": "Vrsaljko a joué 60 minutes avec la mâchoire fracturée", + "description": "Pour le coup, valait mieux ne pas serrer les dents.
    \n
    \nŠime Vrsaljko n'a pas vraiment eu l'occasion de jouer cette saison du côté de l'Atlético de Diego Simeone (6 matchs, 1 but en…

    ", + "content": "Pour le coup, valait mieux ne pas serrer les dents.
    \n
    \nŠime Vrsaljko n'a pas vraiment eu l'occasion de jouer cette saison du côté de l'Atlético de Diego Simeone (6 matchs, 1 but en…

    ", "category": "", - "link": "https://www.sofoot.com/l-ol-va-installer-des-filets-de-securite-devant-ses-virages-507680.html", + "link": "https://www.sofoot.com/vrsaljko-a-joue-60-minutes-avec-la-machoire-fracturee-508024.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T14:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-ol-va-installer-des-filets-de-securite-devant-ses-virages-1638284193_x600_articles-507680.jpg", + "pubDate": "2021-12-08T15:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-vrsaljko-a-joue-60-minutes-avec-la-machoire-fracturee-1638977528_x600_articles-508024.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60412,17 +65279,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a80a7c2a4270b2023bdbb7c605afd1a7" + "hash": "3003783929ed85349b5cdc30244a76b3" }, { - "title": "Pronostic Clermont Lens : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lens se reprend à Clermont

    \n
    \nAprès avoir passé de nombreuses années en Ligue 2, le Clermont Foot a décroché une montée historique en Ligue 1 en fin…
    ", - "content": "

    Lens se reprend à Clermont

    \n
    \nAprès avoir passé de nombreuses années en Ligue 2, le Clermont Foot a décroché une montée historique en Ligue 1 en fin…
    ", + "title": "Les supporters de Benfica créent un site pour renvoyer virtuellement Jorge Jesus à Flamengo", + "description": "Les supporters ont du talent.
    \n
    \nTotalement dépassé dans le derby de Lisbonne ce samedi contre…

    ", + "content": "Les supporters ont du talent.
    \n
    \nTotalement dépassé dans le derby de Lisbonne ce samedi contre…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-clermont-lens-analyse-cotes-et-prono-du-match-de-ligue-1-507684.html", + "link": "https://www.sofoot.com/les-supporters-de-benfica-creent-un-site-pour-renvoyer-virtuellement-jorge-jesus-a-flamengo-508023.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T14:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-clermont-lens-analyse-cotes-et-prono-du-match-de-ligue-1-1638283477_x600_articles-507684.jpg", + "pubDate": "2021-12-08T15:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-de-benfica-creent-un-site-pour-renvoyer-virtuellement-jorge-jesus-a-flamengo-1638975640_x600_articles-508023.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60432,17 +65299,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "09eaef02c740990146851c5c5ee2474d" + "hash": "15be4b9bb472774f4d6601587ed5b133" }, { - "title": "À Nîmes, Rani Assaf veut une \"supra association\"", - "description": "Pas sûr que ce soit une \"supra\" idée.
    \n
    \nRani Assaf, le président du Nîmes Olympique, aimerait créer une \"supra association\" avec les groupes de supporters, dans…

    ", - "content": "Pas sûr que ce soit une \"supra\" idée.
    \n
    \nRani Assaf, le président du Nîmes Olympique, aimerait créer une \"supra association\" avec les groupes de supporters, dans…

    ", + "title": "Une vidéo montre qu'au moins huit projectiles ont été lancés vers Dimitri Payet ", + "description": "Les défenseurs de l'acte isolé en PLS.
    \n
    \nCe mercredi, tous les yeux sont rivés vers la commission de discipline qui rendra son verdict concernant les sanctions prises à la suite
    ", + "content": "Les défenseurs de l'acte isolé en PLS.
    \n
    \nCe mercredi, tous les yeux sont rivés vers la commission de discipline qui rendra son verdict concernant les sanctions prises à la suite
    ", "category": "", - "link": "https://www.sofoot.com/a-nimes-rani-assaf-veut-une-supra-association-507677.html", + "link": "https://www.sofoot.com/une-video-montre-qu-au-moins-huit-projectiles-ont-ete-lances-vers-dimitri-payet-508022.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T14:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-a-nimes-rani-assaf-veut-une-supra-association-1638283184_x600_articles-507677.jpg", + "pubDate": "2021-12-08T14:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-une-video-montre-qu-au-moins-huit-projectiles-ont-ete-lances-vers-dimitri-payet-1638972832_x600_articles-508022.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60452,17 +65319,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "58e2e3b2e6dd8b64120be00da25f2f11" + "hash": "ae6f31fa7ec4b1c35a576c86e49e9015" }, { - "title": "Pronostic Nantes OM : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Nantes tient tête à l'OM

    \n
    \nPassé près de la correctionnelle la saison passée, le FC Nantes s'était sauvé lors des barrages face à Toulouse. Le…
    ", - "content": "

    Nantes tient tête à l'OM

    \n
    \nPassé près de la correctionnelle la saison passée, le FC Nantes s'était sauvé lors des barrages face à Toulouse. Le…
    ", + "title": "L'US Concarneau se désespère de ne pas avoir de terrain synthétique", + "description": "Bientôt, l'US Concarneau devra s'entraîner au five.
    \n
    \nL'US Concarneau se retrouve dans l'embarras au moment de trouver un terrain d'entraînement pour l'ensemble de ses catégories. En…

    ", + "content": "Bientôt, l'US Concarneau devra s'entraîner au five.
    \n
    \nL'US Concarneau se retrouve dans l'embarras au moment de trouver un terrain d'entraînement pour l'ensemble de ses catégories. En…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-nantes-om-analyse-cotes-et-prono-du-match-de-ligue-1-507681.html", + "link": "https://www.sofoot.com/l-us-concarneau-se-desespere-de-ne-pas-avoir-de-terrain-synthetique-508020.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T14:20:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nantes-om-analyse-cotes-et-prono-du-match-de-ligue-1-1638282827_x600_articles-507681.jpg", + "pubDate": "2021-12-08T13:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-us-concarneau-se-desespere-de-ne-pas-avoir-de-terrain-synthetique-1638972307_x600_articles-508020.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60472,17 +65339,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0ffb15056410ee73c87cb961e78e5993" + "hash": "416aa121504584358eaf8aefa9872ec5" }, { - "title": "Pronostic Lyon Reims : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lyon confirme face à Reims

    \n
    \nQuatrième de Ligue 1 la saison passée, l'Olympique Lyonnais a dû se contenter de l'Europa League. Pour atteindre une…
    ", - "content": "

    Lyon confirme face à Reims

    \n
    \nQuatrième de Ligue 1 la saison passée, l'Olympique Lyonnais a dû se contenter de l'Europa League. Pour atteindre une…
    ", + "title": "Gonzalo Plata (Valladolid) provoque un accident de voiture totalement alcoolisé", + "description": "Plata o Alcohol ?
    \n
    \n06h45, Valladolid. Entre les rues Fray Luis de León et López Gómez au centre de la ville de Christophe Colomb, les sirènes de police et d'ambulance…

    ", + "content": "Plata o Alcohol ?
    \n
    \n06h45, Valladolid. Entre les rues Fray Luis de León et López Gómez au centre de la ville de Christophe Colomb, les sirènes de police et d'ambulance…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lyon-reims-analyse-cotes-et-prono-du-match-de-ligue-1-507679.html", + "link": "https://www.sofoot.com/gonzalo-plata-valladolid-provoque-un-accident-de-voiture-totalement-alcoolise-508019.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T14:09:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lyon-reims-analyse-cotes-et-prono-du-match-de-ligue-1-1638282209_x600_articles-507679.jpg", + "pubDate": "2021-12-08T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gonzalo-plata-valladolid-provoque-un-accident-de-voiture-totalement-alcoolise-1638969020_x600_articles-508019.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60492,17 +65359,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "990caf09ebc6b40311465eeb1cd93a47" + "hash": "1e2be1efff7da6efec79f0c9fc81e357" }, { - "title": "Jacques-Henri Eyraud décoré de la légion d'honneur", - "description": "Son plus bel accomplissement depuis la signature de Grégory Sertic ?
    \n
    \nDécidément, ce lundi aura été le jour des belles breloques. Si
    ", - "content": "Son plus bel accomplissement depuis la signature de Grégory Sertic ?
    \n
    \nDécidément, ce lundi aura été le jour des belles breloques. Si
    ", + "title": "Les phrases que vous allez entendre lors de Bayern-Barça", + "description": "Ce soir, c'est un classique qui a pris dernièrement des airs de show fétichiste qui se joue sur les antennes de beIN SPORTS : Bayern-Barça. Alors que les Allemands sont déjà qualifiés, le Barça joue lui sa survie. Et les phrases suivantes risquent d'être prononcées dans un micro.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/jacques-henri-eyraud-decore-de-la-legion-d-honneur-507674.html", + "link": "https://www.sofoot.com/les-phrases-que-vous-allez-entendre-lors-de-bayern-barca-508004.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T14:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jacques-henri-eyraud-decore-de-la-legion-d-honneur-1638281580_x600_articles-507674.jpg", + "pubDate": "2021-12-08T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-phrases-que-vous-allez-entendre-lors-de-bayern-barca-1638955771_x600_articles-alt-508004.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60512,17 +65379,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "84b590db0eb63d0a66f89333ab759b23" + "hash": "3c98a1608f16bc6080cc1eab4493b9eb" }, { - "title": "Pronostic Brest Saint-Etienne : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Brest, une 5e victoire de rang face à Saint-Etienne

    \n
    \nMal parti dans cette nouvelle saison de Ligue 1, le Stade Brestois a dû attendre la…
    ", - "content": "

    Brest, une 5e victoire de rang face à Saint-Etienne

    \n
    \nMal parti dans cette nouvelle saison de Ligue 1, le Stade Brestois a dû attendre la…
    ", + "title": "Johan Djourou : \"J'ai toujours fait le comédien à la maison\"", + "description": "Ancien grand espoir du football helvétique, Johan Djourou a terminé sa formation à Arsenal avant de bourlinguer aux quatre coins de l'Europe jusqu'à l'année dernière. Fier représentant de la Nati dont il a porté le maillot à 76 reprises, celui qui est né en Côte d'Ivoire officie aujourd'hui comme consultant sur RMC Sport les soirs de Ligue des champions. Mais Johan Djourou a plein d'autres choses sur lesquelles se confier. Entre autres, sa passion pour la scène, sa double culture, son amour pour Londres et tous les projets qui vont désormais jalonner son après-carrière.Ce mercredi, Chelsea se déplace à Saint-Pétersbourg pour affronter le Zénith. Tu as un point commun avec un joueur des Blues, Malang Sarr, puisque vous avez tous les…", + "content": "Ce mercredi, Chelsea se déplace à Saint-Pétersbourg pour affronter le Zénith. Tu as un point commun avec un joueur des Blues, Malang Sarr, puisque vous avez tous les…", "category": "", - "link": "https://www.sofoot.com/pronostic-brest-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-507676.html", + "link": "https://www.sofoot.com/johan-djourou-j-ai-toujours-fait-le-comedien-a-la-maison-507998.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T13:35:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brest-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-1638281507_x600_articles-507676.jpg", + "pubDate": "2021-12-08T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-johan-djourou-j-ai-toujours-fait-le-comedien-a-la-maison-1638968643_x600_articles-alt-507998.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60532,17 +65399,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "199d81c0caaa45ad49dcad488e0c5d1f" + "hash": "e3e493cb9e3b580b52e787574a5b7a71" }, { - "title": "Pronostic Metz Montpellier : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Metz sur sa lancée face à Montpellier

    \n
    \nSi le PSG domine largement la Ligue 1, le reste du championnat est toujours indécis entre les équipes luttant…
    ", - "content": "

    Metz sur sa lancée face à Montpellier

    \n
    \nSi le PSG domine largement la Ligue 1, le reste du championnat est toujours indécis entre les équipes luttant…
    ", + "title": "Pronostic Tottenham Rennes : Analyse, cotes et prono du match de Ligue Europa Conférence", + "description": "

    Tottenham s'impose face à un Rennes déjà qualifié

    \n
    \nDans ce groupe G de Conference League, Tottenham faisait figure de grand favori. En difficulté à…
    ", + "content": "

    Tottenham s'impose face à un Rennes déjà qualifié

    \n
    \nDans ce groupe G de Conference League, Tottenham faisait figure de grand favori. En difficulté à…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-metz-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-507675.html", + "link": "https://www.sofoot.com/pronostic-tottenham-rennes-analyse-cotes-et-prono-du-match-de-ligue-europa-conference-508018.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T13:25:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-metz-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-1638279624_x600_articles-507675.jpg", + "pubDate": "2021-12-08T12:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-tottenham-rennes-analyse-cotes-et-prono-du-match-de-ligue-europa-conference-1638966077_x600_articles-508018.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60552,17 +65419,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "995cc5a5bd2a2c86e482c0d2c6df4b83" + "hash": "910cad7e3fa875c6c98287db5608d761" }, { - "title": "Pronostic Rennes Lille : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Rennes poursuit sa belle dynamique face à Lille

    \n
    \nL'an passé, le Stade Rennais a connu une saison compliquée avec sa première participation en Ligue…
    ", - "content": "

    Rennes poursuit sa belle dynamique face à Lille

    \n
    \nL'an passé, le Stade Rennais a connu une saison compliquée avec sa première participation en Ligue…
    ", + "title": "Roland Romeyer ne comprend pas \"les réactions de quelques abrutis\"", + "description": "Et inversement, visiblement.
    \n
    \nLa débâcle subie ce dimanche par Saint-Étienne dans…

    ", + "content": "Et inversement, visiblement.
    \n
    \nLa débâcle subie ce dimanche par Saint-Étienne dans…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-rennes-lille-analyse-cotes-et-prono-du-match-de-ligue-1-507673.html", + "link": "https://www.sofoot.com/roland-romeyer-ne-comprend-pas-les-reactions-de-quelques-abrutis-508012.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T13:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-rennes-lille-analyse-cotes-et-prono-du-match-de-ligue-1-1638278999_x600_articles-507673.jpg", + "pubDate": "2021-12-08T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-roland-romeyer-ne-comprend-pas-les-reactions-de-quelques-abrutis-1638965030_x600_articles-508012.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60572,17 +65439,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8fa9e93f9f78918b6b3582c3819e615e" + "hash": "6c521bb304e5acbdc0e7904ffc1b16bf" }, { - "title": "Pronostic Strasbourg Bordeaux : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Strasbourg enfonce Bordeaux

    \n
    \nAprès 15 journées de championnat, le Racing Club de Strasbourg occupe la 8e place avec 20 points au compteur.…
    ", - "content": "

    Strasbourg enfonce Bordeaux

    \n
    \nAprès 15 journées de championnat, le Racing Club de Strasbourg occupe la 8e place avec 20 points au compteur.…
    ", + "title": "Pronostic Naples Leicester : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    Naples se qualifie face à Leicester

    \n
    \nLe groupe C de l'Europa League était relevé avec des formations comme le Napoli, Leicester, le Spartak Moscou…
    ", + "content": "

    Naples se qualifie face à Leicester

    \n
    \nLe groupe C de l'Europa League était relevé avec des formations comme le Napoli, Leicester, le Spartak Moscou…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-strasbourg-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-507672.html", + "link": "https://www.sofoot.com/pronostic-naples-leicester-analyse-cotes-et-prono-du-match-de-ligue-europa-508017.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T13:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-strasbourg-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-1638278362_x600_articles-507672.jpg", + "pubDate": "2021-12-08T11:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-naples-leicester-analyse-cotes-et-prono-du-match-de-ligue-europa-1638965490_x600_articles-508017.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60592,17 +65459,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b52cf46eb11378d1594a376c70e37043" + "hash": "eb41866f8faeedd30f518e52c2caa8eb" }, { - "title": "Mattia Caldara, la renaissance vénitienne", - "description": "En 2017, Mattia Caldara symbolisait le futur de la défense italienne. Beau, jeune, cultivé, le natif de Bergame avait tout pour prendre la suite de Giorgio Chiellini ou de Leonardo Bonucci. Quatre ans plus tard, les galères et les pépins physiques l'ont obligé à se relancer du côté du promu Venezia, dans le cadre d'un prêt de l'AC Milan. Mardi soir, le Lombard retrouve son club formateur, l'Atalanta, et espère réaliser sa meilleure partition. Pour prouver qu'il va mieux.Trois ans, dix mois et vingt-six jours. Pour Mattia Caldara – malgré son poste de défenseur central –, cela représente une éternité sans faire trembler les filets. Face à l'AS Roma le 7…", - "content": "Trois ans, dix mois et vingt-six jours. Pour Mattia Caldara – malgré son poste de défenseur central –, cela représente une éternité sans faire trembler les filets. Face à l'AS Roma le 7…", + "title": "Pronostic Sturm Graz Monaco : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    Monaco enchaîne face au Sturm Graz

    \n
    \nAvec 1 point au compteur, le Sturm Graz est éliminé de l'Europa League et ne joue plus rien, même pas la…
    ", + "content": "

    Monaco enchaîne face au Sturm Graz

    \n
    \nAvec 1 point au compteur, le Sturm Graz est éliminé de l'Europa League et ne joue plus rien, même pas la…
    ", "category": "", - "link": "https://www.sofoot.com/mattia-caldara-la-renaissance-venitienne-507633.html", + "link": "https://www.sofoot.com/pronostic-sturm-graz-monaco-analyse-cotes-et-prono-du-match-de-ligue-europa-508016.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mattia-caldara-la-renaissance-venitienne-1638204457_x600_articles-alt-507633.jpg", + "pubDate": "2021-12-08T11:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-sturm-graz-monaco-analyse-cotes-et-prono-du-match-de-ligue-europa-1638965057_x600_articles-508016.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60612,17 +65479,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "31b3409a6a77fbd0d5c37e097ae7f9e4" + "hash": "3954c0798a859f5cb4fb6b83b4ec86ba" }, { - "title": "C'est quoi cette Coupe arabe de la FIFA ?", - "description": "Du 30 novembre au 18 décembre, la FIFA organise, avec le Qatar, la Coupe arabe 2021 de la FIFA. Seize équipes asiatiques et africaines issues du monde arabe vont participer à la phase finale d'une compétition transcontinentale tombée dans l'oubli. Et pour le pays hôte, cela rassemble à une ultime répétition avant la Coupe du monde 2022.

  • Une compétition vieille de 58 ans remise au goût du jour
  • \n
    \nNon, cette Coupe arabe n'est pas une idée qui vient tout…
    ", - "content": "

  • Une compétition vieille de 58 ans remise au goût du jour
  • \n
    \nNon, cette Coupe arabe n'est pas une idée qui vient tout…
    ", + "title": "Pronostic Lyon Glasgow Rangers : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    Lyon poursuit son sans-faute face aux Glasgow Rangers

    \n
    \nAprès un an d'absence en Europe et sa demi-finale de Ligue des Champions face au Bayern Munich,…
    ", + "content": "

    Lyon poursuit son sans-faute face aux Glasgow Rangers

    \n
    \nAprès un an d'absence en Europe et sa demi-finale de Ligue des Champions face au Bayern Munich,…
    ", "category": "", - "link": "https://www.sofoot.com/c-est-quoi-cette-coupe-arabe-de-la-fifa-507617.html", + "link": "https://www.sofoot.com/pronostic-lyon-glasgow-rangers-analyse-cotes-et-prono-du-match-de-ligue-europa-508014.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-c-est-quoi-cette-coupe-arabe-de-la-fifa-1638188639_x600_articles-alt-507617.jpg", + "pubDate": "2021-12-08T11:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lyon-glasgow-rangers-analyse-cotes-et-prono-du-match-de-ligue-europa-1638964540_x600_articles-508014.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60632,17 +65499,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "48f5ddd9ab5bf73fcc7af242814ade50" + "hash": "e792e03694f0cbf58d0781ab4fb1a116" }, { - "title": "Pronostic Troyes Lorient : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Troyes – Lorient cadenassé

    \n
    \nDans le cadre de la 16e journée de Ligue 1, Troyes reçoit Lorient dans une rencontre importante dans le…
    ", - "content": "

    Un Troyes – Lorient cadenassé

    \n
    \nDans le cadre de la 16e journée de Ligue 1, Troyes reçoit Lorient dans une rencontre importante dans le…
    ", + "title": "Domenico Tedesco en pôle pour diriger le RB Leipzig ", + "description": "Le prochain entraîneur de Leipzig et donc du Bayern pourrait être trouvé.
    \n
    \nBien que
    ", + "content": "Le prochain entraîneur de Leipzig et donc du Bayern pourrait être trouvé.
    \n
    \nBien que
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-troyes-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-507671.html", + "link": "https://www.sofoot.com/domenico-tedesco-en-pole-pour-diriger-le-rb-leipzig-508011.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T12:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-troyes-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-1638277862_x600_articles-507671.jpg", + "pubDate": "2021-12-08T11:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-domenico-tedesco-en-pole-pour-diriger-le-rb-leipzig-1638962471_x600_articles-508011.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60652,17 +65519,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d631104c6fd2d7c3f9b472748c383a4d" + "hash": "d8edd6dc71f83ecfc9549731611d0c35" }, { - "title": "Le PSG engrange 1,48 million d'euros par jour", - "description": "\"Qu'est-ce que je vais faire de tout cet oseille.\"
    \n
    \nEn effet, le club de la capitale amasse chaque jour 1,48 million d'euros. Soit 61 712€ par heure, 1028,4€ chaque minute…

    ", - "content": "\"Qu'est-ce que je vais faire de tout cet oseille.\"
    \n
    \nEn effet, le club de la capitale amasse chaque jour 1,48 million d'euros. Soit 61 712€ par heure, 1028,4€ chaque minute…

    ", + "title": "Erik ten Hag : \"Aucune équipe n'appréciera d'être tirée au sort contre l'Ajax\"", + "description": "Amster-dalle.
    \n
    \nLa phase de poules de Ligue des champions est terminée, et parmi les satisfactions, une équipe figure tout en haut : l'Ajax Amsterdam. Les hommes d'Erik ten Hag ont…

    ", + "content": "Amster-dalle.
    \n
    \nLa phase de poules de Ligue des champions est terminée, et parmi les satisfactions, une équipe figure tout en haut : l'Ajax Amsterdam. Les hommes d'Erik ten Hag ont…

    ", "category": "", - "link": "https://www.sofoot.com/le-psg-engrange-148-million-d-euros-par-jour-507667.html", + "link": "https://www.sofoot.com/erik-ten-hag-aucune-equipe-n-appreciera-d-etre-tiree-au-sort-contre-l-ajax-508010.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T12:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-psg-engrange-148-million-d-euros-par-jour-1638277115_x600_articles-507667.jpg", + "pubDate": "2021-12-08T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-erik-ten-hag-aucune-equipe-n-appreciera-d-etre-tiree-au-sort-contre-l-ajax-1638961618_x600_articles-508010.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60672,17 +65539,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "188ea81d4e051611d7305710b6ddb765" + "hash": "ee3c0ac68882ad8eccd28001eb12b689" }, { - "title": "Pronostic Angers Monaco : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Angers – Monaco : Les 2 équipes marquent

    \n
    \nSurprise de ce début de saison avec de très bonnes performances, Angers a connu depuis quelques semaines…
    ", - "content": "

    Angers – Monaco : Les 2 équipes marquent

    \n
    \nSurprise de ce début de saison avec de très bonnes performances, Angers a connu depuis quelques semaines…
    ", + "title": "Taye Taiwo trouve un nouveau point chute en Finlande", + "description": "Noël avant l'heure.
    \n
    \nVéritable globe-trotter, Taye Taiwo n'en n'a visiblement pas fini avec le football puisque le Nigérian va découvrir un nouveau challenge à 36 ans. Le latéral…

    ", + "content": "Noël avant l'heure.
    \n
    \nVéritable globe-trotter, Taye Taiwo n'en n'a visiblement pas fini avec le football puisque le Nigérian va découvrir un nouveau challenge à 36 ans. Le latéral…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-angers-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-507670.html", + "link": "https://www.sofoot.com/taye-taiwo-trouve-un-nouveau-point-chute-en-finlande-508008.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T12:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-angers-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-1638277073_x600_articles-507670.jpg", + "pubDate": "2021-12-08T10:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-taye-taiwo-trouve-un-nouveau-point-chute-en-finlande-1638958340_x600_articles-508008.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60692,17 +65559,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f94660b5d3c9eb534e6c1a438cb6430a" + "hash": "90cf06c85a9d0cc0cb9a8bb4485cfb21" }, { - "title": "Pronostic PSG Nice : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Le PSG assure face à Nice

    \n
    \nL'affiche de la 16e journée de Ligue 1 nous amène mercredi au Parc des Princes où le leader parisien reçoit…
    ", - "content": "

    Le PSG assure face à Nice

    \n
    \nL'affiche de la 16e journée de Ligue 1 nous amène mercredi au Parc des Princes où le leader parisien reçoit…
    ", + "title": "L'eLigue 1 Open de retour en janvier 2022", + "description": "Dans le monde virtuel, une bouteille ça termine sur l'écran, pas sur un joueur.
    \n
    \nL'eLigue 1 Open, la compétition ouverte de la Ligue 1 sur Fifa 22, a trouvé ses dates pour cette…

    ", + "content": "Dans le monde virtuel, une bouteille ça termine sur l'écran, pas sur un joueur.
    \n
    \nL'eLigue 1 Open, la compétition ouverte de la Ligue 1 sur Fifa 22, a trouvé ses dates pour cette…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-psg-nice-analyse-cotes-et-prono-du-match-de-ligue-1-507669.html", + "link": "https://www.sofoot.com/l-eligue-1-open-de-retour-en-janvier-2022-508009.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T12:08:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-psg-nice-analyse-cotes-et-prono-du-match-de-ligue-1-1638275320_x600_articles-507669.jpg", + "pubDate": "2021-12-08T10:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-eligue-1-open-de-retour-en-janvier-2022-1638958023_x600_articles-508009.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60712,17 +65579,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1c098355f16b9265c7e526853b01888" + "hash": "284974faa498562e4a6c75daf0e5d5c8" }, { - "title": "Donnons un Ballon d'or au collectif italien", - "description": "L'Italie a donc gagné l'Euro, et cinq Italiens se sont classés dans le top 30 du Ballon d'or. Mais aucun ne soulèvera le globe doré. Et c'est finalement logique, puisque Roberto Mancini a basé son succès sur la force du collectif plus que sur les individualités.Depuis Naples, où il s'est définitivement réinstallé après son départ de Chine, Fabio Cannavaro peut dormir sur ses deux oreilles. Quinze ans après son sacre, il demeure toujours le dernier…", - "content": "Depuis Naples, où il s'est définitivement réinstallé après son départ de Chine, Fabio Cannavaro peut dormir sur ses deux oreilles. Quinze ans après son sacre, il demeure toujours le dernier…", + "title": "Jordan Lefort aide chaque mois deux étudiants en précarité", + "description": "Tous les héros ne portent pas de capes.
    \n
    \nVictimes collatérales directes de la crise de la Covid-19, les étudiants font face à de nombreux soucis financiers. Jordan Lefort, défenseur…

    ", + "content": "Tous les héros ne portent pas de capes.
    \n
    \nVictimes collatérales directes de la crise de la Covid-19, les étudiants font face à de nombreux soucis financiers. Jordan Lefort, défenseur…

    ", "category": "", - "link": "https://www.sofoot.com/donnons-un-ballon-d-or-au-collectif-italien-507657.html", + "link": "https://www.sofoot.com/jordan-lefort-aide-chaque-mois-deux-etudiants-en-precarite-508007.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T12:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-donnons-un-ballon-d-or-au-collectif-italien-1638271846_x600_articles-alt-507657.jpg", + "pubDate": "2021-12-08T09:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jordan-lefort-aide-chaque-mois-deux-etudiants-en-precarite-1638957421_x600_articles-508007.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60732,17 +65599,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff51343fce9b3d160a7f1090e62e7691" + "hash": "7123a5a96ce84da1b56662c098292286" }, { - "title": "Pronostic Everton Liverpool : Analyse, cotes et prono du match de Premier League", - "description": "

    Everton – Liverpool : un derby rouge

    \n
    \nLa 14e journée de Premier League nous offre ce mercredi le fameux derby de Liverpool entre Everton et…
    ", - "content": "

    Everton – Liverpool : un derby rouge

    \n
    \nLa 14e journée de Premier League nous offre ce mercredi le fameux derby de Liverpool entre Everton et…
    ", + "title": "Pronostic OM Lokomotiv Moscou : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    L'OM sort sur une bonne note face au Lokomotiv Moscou

    \n
    \nTroisième de sa poule d'Europa League, Marseille ne joue plus rien mais pourrait continuer son…
    ", + "content": "

    L'OM sort sur une bonne note face au Lokomotiv Moscou

    \n
    \nTroisième de sa poule d'Europa League, Marseille ne joue plus rien mais pourrait continuer son…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-everton-liverpool-analyse-cotes-et-prono-du-match-de-premier-league-507668.html", + "link": "https://www.sofoot.com/pronostic-om-lokomotiv-moscou-analyse-cotes-et-prono-du-match-de-ligue-europa-508005.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T11:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-everton-liverpool-analyse-cotes-et-prono-du-match-de-premier-league-1638274182_x600_articles-507668.jpg", + "pubDate": "2021-12-08T08:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-om-lokomotiv-moscou-analyse-cotes-et-prono-du-match-de-ligue-europa-1638955289_x600_articles-508005.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60752,17 +65619,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "632318c18f30b4b7bbb055683d0ad7d7" + "hash": "81b44de1ef0f8cc521d43f0185654584" }, { - "title": "Deux personnes jugées pour un projet d'attentat au Roazhon Park", - "description": "Le pire a peut-être été évité.
    \n
    \nDeux hommes âgés de 21 ans sont jugés à partir de ce mardi devant la cour d'assises des mineurs de Paris. Les intéressés sont suspectés…

    ", - "content": "Le pire a peut-être été évité.
    \n
    \nDeux hommes âgés de 21 ans sont jugés à partir de ce mardi devant la cour d'assises des mineurs de Paris. Les intéressés sont suspectés…

    ", + "title": "L'OM laissé à l'écart de la commission de discipline concernant les incidents du Parc OL", + "description": "\"Alors ? On vient plus aux commissions ?\"
    \n
    \nAucun représentant marseillais ne sera présent à Paris pour la commission de discipline qui doit se réunir ce mercredi pour décider des…

    ", + "content": "\"Alors ? On vient plus aux commissions ?\"
    \n
    \nAucun représentant marseillais ne sera présent à Paris pour la commission de discipline qui doit se réunir ce mercredi pour décider des…

    ", "category": "", - "link": "https://www.sofoot.com/deux-personnes-jugees-pour-un-projet-d-attentat-au-roazhon-park-507665.html", + "link": "https://www.sofoot.com/l-om-laisse-a-l-ecart-de-la-commission-de-discipline-concernant-les-incidents-du-parc-ol-508002.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T11:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-deux-personnes-jugees-pour-un-projet-d-attentat-au-roazhon-park-1638271647_x600_articles-507665.jpg", + "pubDate": "2021-12-08T08:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-om-laisse-a-l-ecart-de-la-commission-de-discipline-concernant-les-incidents-du-parc-ol-1638953342_x600_articles-508002.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60772,17 +65639,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "adb0667554332287c258ee4e8a6bb2bb" + "hash": "1d9a67cbd04d81360bf7edfce8f18cd8" }, { - "title": "Le PSG doit-il célébrer ce Ballon d'or ?", - "description": "Lionel Messi Ballon d'or, Gianluigi Donnarumma meilleur gardien, le PSG a passé un lundi soir couronné de succès avec deux joueurs primés. Sauf que l'Argentin et l'Italien ne l'ont pas été pour leurs œuvres parisiennes. Peu importe, c'est en tant que joueurs du PSG qu'ils sont venus chercher leur trophée sur scène. De quoi permettre aux dirigeants parisiens de faire le paon tout en essayant de trouver un positionnement adéquat entre gêne, satisfaction et récupération. Comme le disait Liam Neeson dans Taken : \"BON CHANCE\".PSG-Nice, le Parc des Princes est garni et célèbre, en avant-match, son premier Ballon d'or. Lionel Messi, sept baudruches dorées au-dessus de sa cheminée, s'avance vers le rond central. Le…", - "content": "PSG-Nice, le Parc des Princes est garni et célèbre, en avant-match, son premier Ballon d'or. Lionel Messi, sept baudruches dorées au-dessus de sa cheminée, s'avance vers le rond central. Le…", + "title": "Juninho pourrait quitter Lyon dès janvier", + "description": "Juninho ne devrait pas passer l'hiver du côté de l'Olympique lyonnais.
    \n
    \nAprès ses déclarations…

    ", + "content": "Juninho ne devrait pas passer l'hiver du côté de l'Olympique lyonnais.
    \n
    \nAprès ses déclarations…

    ", "category": "", - "link": "https://www.sofoot.com/le-psg-doit-il-celebrer-ce-ballon-d-or-507664.html", + "link": "https://www.sofoot.com/juninho-pourrait-quitter-lyon-des-janvier-508001.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T11:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-psg-doit-il-celebrer-ce-ballon-d-or-1638268384_x600_articles-alt-507664.jpg", + "pubDate": "2021-12-08T08:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-juninho-pourrait-quitter-lyon-des-janvier-1638951853_x600_articles-508001.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60792,17 +65659,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a5daa183bd5b409911095de7a2ccad5c" + "hash": "103997aa37f327725a1c0d2f6eba23f5" }, { - "title": "Habib Beye s'insurge contre la remise du trophée Yachine à Donnarumma à la place de Mendy", - "description": "La soirée des scandales ?
    \n
    \nHabib Beye, aujourd'hui à la tête du Red Star et consultant pour Canal+, est revenu sur le trophée Yachine qui récompense le meilleur gardien de…

    ", - "content": "La soirée des scandales ?
    \n
    \nHabib Beye, aujourd'hui à la tête du Red Star et consultant pour Canal+, est revenu sur le trophée Yachine qui récompense le meilleur gardien de…

    ", + "title": "L'UNFP affirme que 89% des joueurs de Ligue 2 sont contre un championnat à 18", + "description": "Un résultat sans appel.
    \n
    \nL'UNFP a sondé les joueurs de Ligue 2 au moment de mettre sur la table la proposition de passer le championnat à dix-huit clubs, contre vingt actuellement. Une…

    ", + "content": "Un résultat sans appel.
    \n
    \nL'UNFP a sondé les joueurs de Ligue 2 au moment de mettre sur la table la proposition de passer le championnat à dix-huit clubs, contre vingt actuellement. Une…

    ", "category": "", - "link": "https://www.sofoot.com/habib-beye-s-insurge-contre-la-remise-du-trophee-yachine-a-donnarumma-a-la-place-de-mendy-507660.html", + "link": "https://www.sofoot.com/l-unfp-affirme-que-89-des-joueurs-de-ligue-2-sont-contre-un-championnat-a-18-507984.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T10:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-habib-beye-s-insurge-contre-la-remise-du-trophee-yachine-a-donnarumma-a-la-place-de-mendy-1638267812_x600_articles-507660.jpg", + "pubDate": "2021-12-08T08:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-unfp-affirme-que-89-des-joueurs-de-ligue-2-sont-contre-un-championnat-a-18-1638900546_x600_articles-507984.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60812,17 +65679,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "18d74296f7ba05b9c8f97be0600a170a" + "hash": "71e106e6eb889e393f5b2ba4f1ab5ce5" }, { - "title": "Coupe de France : le tirage au sort complet des 32e de finale", - "description": "Exit le Ballon d'or, place au vrai foot.
    \n
    \nCe lundi, les présidents des 64 clubs restants en Coupe de France avaient les yeux rivés sur le tirage au sort, réalisé au Parc des Princes.…

    ", - "content": "Exit le Ballon d'or, place au vrai foot.
    \n
    \nCe lundi, les présidents des 64 clubs restants en Coupe de France avaient les yeux rivés sur le tirage au sort, réalisé au Parc des Princes.…

    ", + "title": "Pronostic Wolfsbourg Lille : Analyse, cotes et prono du match de Ligue des Champions", + "description": "Pour parier sur le match décisif de Lille en Ligue des Champions, ZEbet vous offre 10€ sans sortir d'argent

    10€ gratuits pour parier sur ce Wolfsbourg - Lille !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", + "content": "

    10€ gratuits pour parier sur ce Wolfsbourg - Lille !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", "category": "", - "link": "https://www.sofoot.com/coupe-de-france-le-tirage-au-sort-complet-des-32e-de-finale-507662.html", + "link": "https://www.sofoot.com/pronostic-wolfsbourg-lille-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507950.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T10:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-coupe-de-france-le-tirage-au-sort-complet-des-32e-de-finale-1638267254_x600_articles-507662.jpg", + "pubDate": "2021-12-07T08:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-wolfsbourg-lille-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638867091_x600_articles-507950.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60832,17 +65699,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "237e6216fcdb6bd4d05f09c0f08f9011" + "hash": "bf2c27aa133f7158e0a0add31f404379" }, { - "title": "Le sélectionneur de la Nouvelle-Zélande écœuré par l'organisation des qualifications de la zone Océanie", - "description": "Le Qatar, ce fabuleux pays d'Océanie.
    \n
    \nAussi approximatif que la géographie de l'Eurovision avec l'Australie, le tournoi qualificatif à la Coupe du monde 2022 pour la zone Océanie…

    ", - "content": "Le Qatar, ce fabuleux pays d'Océanie.
    \n
    \nAussi approximatif que la géographie de l'Eurovision avec l'Australie, le tournoi qualificatif à la Coupe du monde 2022 pour la zone Océanie…

    ", + "title": "EXCLU : 150€ offerts au lieu de 100€ chez Betclic pour parier sur la C1 !", + "description": "Cette semaine seulement, Betclic vous offre votre 1er pari remboursé de 150€ au lieu de 100€ habituellement. Une EXCLU réservée à quelques médias seulement

    150€ en EXCLU chez Betclic au lieu de 100€

    \n
    \nJusqu'à dimanche 12 décembre seulement,
    ", + "content": "

    150€ en EXCLU chez Betclic au lieu de 100€

    \n
    \nJusqu'à dimanche 12 décembre seulement,

    ", "category": "", - "link": "https://www.sofoot.com/le-selectionneur-de-la-nouvelle-zelande-ecoeure-par-l-organisation-des-qualifications-de-la-zone-oceanie-507661.html", + "link": "https://www.sofoot.com/exclu-150e-offerts-au-lieu-de-100e-chez-betclic-pour-parier-sur-la-c1-507909.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T10:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-selectionneur-de-la-nouvelle-zelande-ecoeure-par-l-organisation-des-qualifications-de-la-zone-oceanie-1638266863_x600_articles-507661.jpg", + "pubDate": "2021-12-06T09:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-exclu-150e-offerts-au-lieu-de-100e-chez-betclic-pour-parier-sur-la-c1-1638779659_x600_articles-507909.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60852,17 +65719,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "756576339a455a8ec6c4dcd6be4155ad" + "hash": "c892b28694ceeb2e27c3030689cfa21d" }, { - "title": "Ethan Mbappé appelé avec l'équipe de France U16", - "description": "Pour jouer piston ?
    \n
    \nSi Kylian a fini à une honorable neuvième place
    au classement du Ballon…

    ", - "content": "Pour jouer piston ?
    \n
    \nSi Kylian a fini à une honorable neuvième place au classement du Ballon…

    ", + "title": "PSG, on se dit rendez-vous en février", + "description": "Le PSG avait donc décidé de réserver le meilleur pour la fin dans cette phase de poules de Ligue des champions. Malgré un duel sans enjeu, les Parisiens ont livré leur meilleure partition européenne de l'automne face au Club Bruges, ce mardi (4-1). Pas de quoi faire oublier un bilan globalement mitigé pour les soldats de Mauricio Pochettino.Ça y est, c'est fini. S'il n'avait rien à en espérer sur le plan comptable (la deuxième place était certaine après la défaite à City), le PSG a achevé sa phase de poules de Ligue des…", + "content": "Ça y est, c'est fini. S'il n'avait rien à en espérer sur le plan comptable (la deuxième place était certaine après la défaite à City), le PSG a achevé sa phase de poules de Ligue des…", "category": "", - "link": "https://www.sofoot.com/ethan-mbappe-appele-avec-l-equipe-de-france-u16-507659.html", + "link": "https://www.sofoot.com/psg-on-se-dit-rendez-vous-en-fevrier-507997.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T09:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ethan-mbappe-appele-avec-l-equipe-de-france-u16-1638265104_x600_articles-507659.jpg", + "pubDate": "2021-12-08T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-psg-on-se-dit-rendez-vous-en-fevrier-1638909788_x600_articles-alt-507997.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60872,17 +65739,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa9a5a3efb457012cdf1d87cba1214d1" + "hash": "f80639f3550b29c2b1dd399f3337da90" }, { - "title": "Marcelo Bielsa : \"J'ai de sérieux doutes sur l'avenir du football professionnel\"", - "description": "\"... et nous regardons ailleurs\", aurait complété Jacques Chirac.
    \n
    \nEn conférence de presse ce lundi, Marcelo Bielsa a tenu à donner son sentiment sur le rythme des matchs…

    ", - "content": "\"... et nous regardons ailleurs\", aurait complété Jacques Chirac.
    \n
    \nEn conférence de presse ce lundi, Marcelo Bielsa a tenu à donner son sentiment sur le rythme des matchs…

    ", + "title": "Lille doit valider sa qualification pour les huitièmes de C1 à Wolfsburg", + "description": "À Wolfsburg sur les coups de 21h, c'est en leader que le LOSC se présentera au cœur de la Volkswagen-Arena pour y disputer son ultime rencontre de la phase de poules de C1. Avec une seule ambition : composter définitivement son ticket pour les huitièmes de finale de la Ligue des champions. En leader, si possible.
    \t\t\t\t\t
    ", - "content": "Petit lot de consolation.

    \n
    \nTous les projecteurs étaient braqués sur l'annonce du Ballon d'or 2021 ce lundi soir. Mais dans le même temps, à Monaco, une autre cérémonie avait lieu :…

    ", + "title": "Griezmann, le chevalier blanc de l'Atlético", + "description": "Auteur d'un but et d'une passe décisive face au FC Porto, permettant ainsi à son équipe de prendre le chemin des huitièmes de finale de la Ligue des champions, Antoine Griezmann a encore rayonné ce mardi soir et prouvé une nouvelle fois son importance au sein de l'Atlético de Madrid de Diego Simeone.C'est bien connu, pour battre un dragon - ici portugais - et délivrer la princesse en haut de sa tour, il faut un preux chevalier. Et dans l'aventure des Colchoneros en Ligue des…", + "content": "C'est bien connu, pour battre un dragon - ici portugais - et délivrer la princesse en haut de sa tour, il faut un preux chevalier. Et dans l'aventure des Colchoneros en Ligue des…", "category": "", - "link": "https://www.sofoot.com/mohamed-salah-a-remporte-le-golden-foot-award-507656.html", + "link": "https://www.sofoot.com/griezmann-le-chevalier-blanc-de-l-atletico-508000.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T09:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mohamed-salah-a-remporte-le-golden-foot-award-1638263908_x600_articles-507656.jpg", + "pubDate": "2021-12-08T00:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-griezmann-le-chevalier-blanc-de-l-atletico-1638921743_x600_articles-alt-508000.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60912,17 +65779,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "625ba3892397592d61249fc4f51709d1" + "hash": "c6d50f6efe0966dc2ca5482f747a8575" }, { - "title": "Nasser al-Khelaïfi dément les rumeurs autour de Zidane au PSG", - "description": "Zizou, pour quoi faire ?
    \n
    \nBien présent au théâtre du Châtelet ce lundi pour voir sa recrue phare de cet été glaner…

    ", - "content": "Zizou, pour quoi faire ?
    \n
    \nBien présent au théâtre du Châtelet ce lundi pour voir sa recrue phare de cet été glaner…

    ", + "title": "Oui, cet Ajax, c'est du sérieux", + "description": "Alors que les champions des Pays-Bas ont écrasé leur groupe en Ligue des champions, ils ont montré des similitudes avec le parcours réalisé en 2019, ponctué par une demi-finale de C1. Pourtant quelques points diffèrent par rapport à la génération De Ligt et De Jong.Erik ten Hag ne laisse rien au hasard. Même si son équipe est assurée de terminer première de son groupe, le technicien néerlandais décide quand même de conserver son équipe type, à…", + "content": "Erik ten Hag ne laisse rien au hasard. Même si son équipe est assurée de terminer première de son groupe, le technicien néerlandais décide quand même de conserver son équipe type, à…", "category": "", - "link": "https://www.sofoot.com/nasser-al-khelaifi-dement-les-rumeurs-autour-de-zidane-au-psg-507654.html", + "link": "https://www.sofoot.com/oui-cet-ajax-c-est-du-serieux-507999.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T08:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nasser-al-khelaifi-dement-les-rumeurs-autour-de-zidane-au-psg-1638261605_x600_articles-507654.jpg", + "pubDate": "2021-12-07T23:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-oui-cet-ajax-c-est-du-serieux-1638918676_x600_articles-alt-507999.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60932,17 +65799,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "485e70e08b71c1f9173a10da30dadb39" + "hash": "64e7657810cd5978aedd9f6f68af3fa7" }, { - "title": "Aulas sur OL-OM : \"Je ne vois pas comment on pourrait nous donner match perdu\"", - "description": "Aulas défend son steak.
    \n
    \nNeuf jours après l'interruption de Lyon-Marseille pour des raisons de sécurité, Jean-Michel Aulas revient
    ", - "content": "Aulas défend son steak.
    \n
    \nNeuf jours après l'interruption de Lyon-Marseille pour des raisons de sécurité, Jean-Michel Aulas revient
    ", + "title": "Les notes de l'épisode 14 de Koh-Lanta La Légende", + "description": "C'était LE moment clutch de la saison : l'orientation. Et comme dans tous les moments clutchs de la saison, c'est Ugo qui donne une leçon.

    Les finalistes

    \n
    \n
    \n
    \nAligné la semaine passée…


    ", + "content": "

    Les finalistes

    \n
    \n
    \n
    \nAligné la semaine passée…


    ", "category": "", - "link": "https://www.sofoot.com/aulas-sur-ol-om-je-ne-vois-pas-comment-on-pourrait-nous-donner-match-perdu-507653.html", + "link": "https://www.sofoot.com/les-notes-de-l-episode-14-de-koh-lanta-la-legende-507975.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T08:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-aulas-sur-ol-om-je-ne-vois-pas-comment-on-pourrait-nous-donner-match-perdu-1638260396_x600_articles-507653.jpg", + "pubDate": "2021-12-07T22:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-l-episode-14-de-koh-lanta-la-legende-1638915490_x600_articles-alt-507975.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60952,17 +65819,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6760d92bc9d7c3d26018595b38a8f17e" + "hash": "73e0af9e4f0d42892cb93f8c08847488" }, { - "title": "Le best of des buts amateurs du week-end des 27 et 28 novembre 2021", - "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", - "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "title": "L'Atlético prend la route des huitièmes", + "description": "Le choloïsme est increvable. Et Porto l'a appris à ses dépens.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-27-et-28-novembre-2021-507635.html", + "link": "https://www.sofoot.com/l-atletico-prend-la-route-des-huitiemes-507992.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T07:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-best-of-des-buts-amateurs-du-week-end-des-27-et-28-novembre-2021-1638258642_x600_articles-alt-507635.jpg", + "pubDate": "2021-12-07T22:14:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-prend-la-route-des-huitiemes-1638916184_x600_articles-alt-507992.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60972,17 +65839,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c5c39e2d3ee8b15c42132648b0726342" + "hash": "87504188ff8c0b6473e9f2ac11d14b58" }, { - "title": "Comment j'ai gagné une Playstation 5 grâce à SO FOOT ", - "description": "Chaque mois depuis le début de saison, SO FOOT et Rue des Joueurs vous proposent d'essayer de gagner une Playstation 5 (et beaucoup d'autres gains) en jouant gratuitement à la SO FOOT LIGUE. Alors qu'on remet une console en jeu pour le mois de décembre et les fêtes de fin d'année, on est allé prendre des nouvelles de Thomas, qui a gagné la première PS5 de la saison en septembre.
    \n
    Depuis quand joues-tu à la SO FOOT LIGUE ?
    \nDepuis le tout premier jour, en fait ! Je suis lecteur de So Foot depuis pas mal d'années et lorsque la SFL a…
    ", - "content": "Depuis quand joues-tu à la SO FOOT LIGUE ?
    \nDepuis le tout premier jour, en fait ! Je suis lecteur de So Foot depuis pas mal d'années et lorsque la SFL a…
    ", + "title": "Le Real Madrid assure la première place, le Sheriff tient le Shakhtar en échec", + "description": "Sans exploit de Sébastien Thill, cette fois-ci.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/comment-j-ai-gagne-une-playstation-5-grace-a-so-foot-507629.html", + "link": "https://www.sofoot.com/le-real-madrid-assure-la-premiere-place-le-sheriff-tient-le-shakhtar-en-echec-507995.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T05:02:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-comment-j-ai-gagne-une-playstation-5-grace-a-so-foot-1638199427_x600_articles-507629.jpg", + "pubDate": "2021-12-07T22:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-real-madrid-assure-la-premiere-place-le-sheriff-tient-le-shakhtar-en-echec-1638915160_x600_articles-507995.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -60992,17 +65859,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a66cbb7c3f4f3f537dd73639ac910e1e" + "hash": "b11a8188e2fe53afa6ead702909ffced" }, { - "title": "Juventus Circus", - "description": "Résultats plus que décevants depuis le début de la saison, retour de Massimiliano Allegri pour le moment raté, transferts aux finances douteuses... Que ce soit sur ou en dehors des terrains, la Juventus ne respire pas la santé actuellement.Voilà ce qu'on appelle, bien que l'euphémisme l'emporterait presque sur la réalité, une semaine de merde. Cinq jours qui ont ressemblé à un véritable cauchemar pour la Juventus, que ce soit…", - "content": "Voilà ce qu'on appelle, bien que l'euphémisme l'emporterait presque sur la réalité, une semaine de merde. Cinq jours qui ont ressemblé à un véritable cauchemar pour la Juventus, que ce soit…", + "title": "Liverpool brise le rêve du Milan", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/juventus-circus-507638.html", + "link": "https://www.sofoot.com/liverpool-brise-le-reve-du-milan-507982.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-juventus-circus-1638205746_x600_articles-alt-507638.jpg", + "pubDate": "2021-12-07T22:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-liverpool-brise-le-reve-du-milan-1638914883_x600_articles-507982.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61012,17 +65879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1ddcb491380ef362b478fb7c32bdb50d" + "hash": "dc081e3de073c8a9be86fc356466e7d9" }, { - "title": "Tabac et football, l'écran de fumée", - "description": "Alors que le mois sans tabac prend fin ce 30 novembre, une question mérite d'être posée : le monde du football est-il si hermétique que cela à la cigarette ? Si l'époque des clopes dans le vestiaire ou sur le banc de touche est révolue, les joueurs n'ont pas tous écrasé leurs mégots pour autant. Car derrière les discours anti-tabac, le monde du football reste accro à la nicotine. Et devinez quoi : la Covid n'a rien arrangé.\"Avant et après le match, et même parfois à la mi-temps, je me cachais pour fumer. Je n'étais pas le seul du vestiaire. À vue de nez, je pense qu'il y a un bon quart de fumeurs dans le…", - "content": "\"Avant et après le match, et même parfois à la mi-temps, je me cachais pour fumer. Je n'étais pas le seul du vestiaire. À vue de nez, je pense qu'il y a un bon quart de fumeurs dans le…", + "title": "Carton plein pour l'Ajax, Dortmund termine sur une très bonne note", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/tabac-et-football-l-ecran-de-fumee-507616.html", + "link": "https://www.sofoot.com/carton-plein-pour-l-ajax-dortmund-termine-sur-une-tres-bonne-note-507978.html", "creator": "SO FOOT", - "pubDate": "2021-11-30T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tabac-et-football-l-ecran-de-fumee-1638189242_x600_articles-alt-507616.jpg", + "pubDate": "2021-12-07T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-carton-plein-pour-l-ajax-dortmund-termine-sur-une-tres-bonne-note-1638912477_x600_articles-507978.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61032,17 +65899,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "eaf40e870242c1d80623d3e28070bbaa" + "hash": "92ee09a59b30ef5830e2c9fd74562f2a" }, { - "title": "Lionel Messi : \"Robert Lewandowski aurait mérité de remporter ce Ballon d'or\"", - "description": "Fair-play Award.
    \n
    \nÉlu Ballon d'or 2021, Lionel Messi n'a pas manqué de rendre hommage à Robert Lewandowski, candidat légitime au sacre final. L'Argentin a ainsi tenu à saluer…

    ", - "content": "Fair-play Award.
    \n
    \nÉlu Ballon d'or 2021, Lionel Messi n'a pas manqué de rendre hommage à Robert Lewandowski, candidat légitime au sacre final. L'Argentin a ainsi tenu à saluer…

    ", + "title": "Kylian Mbappé, the last dance", + "description": "Auteur de deux buts et d'une passe décisive lors de la large victoire du PSG contre Bruges en Ligue des champions (4-1), Kylian Mbappé a retrouvé l'amour du public présent au Parc des Princes. Logique vu le niveau de l'international français depuis le début de saison et son implication malgré son départ quasi acté à la fin de la saison.Il peut se passer beaucoup de choses en trois mois. Jul a le temps de composer un album de 22 morceaux. Numérobis peut construire un palais à Cléopâtre avec l'aide d'Astérix et Obélix. Et…", + "content": "Il peut se passer beaucoup de choses en trois mois. Jul a le temps de composer un album de 22 morceaux. Numérobis peut construire un palais à Cléopâtre avec l'aide d'Astérix et Obélix. Et…", "category": "", - "link": "https://www.sofoot.com/lionel-messi-robert-lewandowski-aurait-merite-de-remporter-ce-ballon-d-or-507652.html", + "link": "https://www.sofoot.com/kylian-mbappe-the-last-dance-507996.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T21:16:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-robert-lewandowski-aurait-merite-de-remporter-ce-ballon-d-or-1638220822_x600_articles-507652.jpg", + "pubDate": "2021-12-07T20:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kylian-mbappe-the-last-dance-1638909605_x600_articles-alt-507996.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61052,17 +65919,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc28d4b312f65f10bff3ecfd15ec0fec" + "hash": "98cbf7eae5625ec541117d8053c7254f" }, { - "title": "Lionel Messi vainqueur du Ballon d'or 2021", - "description": "Lionel Mesept.
    \n
    \nL'édition 2021 du Ballon d'or a sacré Lionel Messi ce lundi. Vainqueur de la Coupe d'Espagne avec le FC Barcelone, meilleur buteur de la Liga 2020-2021 (30 buts) et…

    ", - "content": "Lionel Mesept.
    \n
    \nL'édition 2021 du Ballon d'or a sacré Lionel Messi ce lundi. Vainqueur de la Coupe d'Espagne avec le FC Barcelone, meilleur buteur de la Liga 2020-2021 (30 buts) et…

    ", + "title": "Paris se réveille et dévore Bruges", + "description": "Brillants en première période, portés par un Mbappé en ébullition qui a inscrit un doublé - comme Messi -, les Parisiens ont éclaté Bruges pour leur dernier match de poules anecdotique en Ligue des champions. S'ils n'en récupèrent pas la première place du groupe A pour autant, et ce malgré le faux pas de City à Lepzig, les joueurs de Pochettino ont au moins pu rappeler à leurs supporters, et accessoirement se rappeler à eux-mêmes, qu'ils savaient aussi jouer au football. Et qu'ils le faisaient plutôt bien, en plus de ça.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/lionel-messi-vainqueur-du-ballon-d-or-2021-507651.html", + "link": "https://www.sofoot.com/paris-se-reveille-et-devore-bruges-507988.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T21:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-vainqueur-du-ballon-d-or-2021-1638219945_x600_articles-507651.jpg", + "pubDate": "2021-12-07T20:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-paris-se-reveille-et-devore-bruges-1638905394_x600_articles-alt-507988.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61072,17 +65939,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "326f7ce56398cbb51fa98581012315b1" + "hash": "a08a663d8897a022592303bf40cf2930" }, { - "title": "Lewandowski, un affront si prévisible", - "description": "64 pions engrangés sur l'année civile, des masterclass week-end après week-end, un record légendaire - celui de Gerd Müller - effacé des tablettes, un neuvième titre de champion d'Allemagne au compteur... et pourtant, Robert Lewandowski a vu le Ballon d'or 2021 lui passer sous le nez. L'insatiable buteur du Bayern Munich n'a en effet pris que la deuxième place du classement qui a été révélé ce lundi soir, étant devancé par Lionel Messi. On peut (et on doit !) s'en indigner. Mais, malheureusement, ce camouflet était presque couru d'avance.Aux yeux de beaucoup, c'en était devenu une évidence : pour Robert Lewandowski, 2020 devait être l'année de la consécration. Sauf qu'une saloperie de virus est passée par là, incitant…", - "content": "Aux yeux de beaucoup, c'en était devenu une évidence : pour Robert Lewandowski, 2020 devait être l'année de la consécration. Sauf qu'une saloperie de virus est passée par là, incitant…", + "title": "En direct : Koh-Lanta, la légende épisode 14", + "description": "D'accord, ce mardi soir, avec la Ligue des champions au menu, il y a des choses bien plus alléchantes que Koh-Lanta. A priori. Car les vrais le savent : Denis Brogniart vaut bien un Carlo Ancelotti, le Roi Claudus vaut bien un Karim Benzema et une épreuve d'orientation vaut bien un choc de Ligue des Champions. Et pour toutes ces raisons-là, vous auriez raison d'oublier le foot pour vous caler posément devant Koh-Lanta. C'est parti.23h03 : Allez c'est reparti, amis Ciccos, amis Koh-Lantix, retenez votre souffle !
    \n
    \n22h59 : A votre avis, c'est qui la plus grosse communauté de So Foot ? Les Ciccolini ou…

    ", + "content": "23h03 : Allez c'est reparti, amis Ciccos, amis Koh-Lantix, retenez votre souffle !
    \n
    \n22h59 : A votre avis, c'est qui la plus grosse communauté de So Foot ? Les Ciccolini ou…

    ", "category": "", - "link": "https://www.sofoot.com/lewandowski-un-affront-si-previsible-507650.html", + "link": "https://www.sofoot.com/en-direct-koh-lanta-la-legende-episode-14-507987.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T21:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lewandowski-un-affront-si-previsible-1638221121_x600_articles-alt-507650.jpg", + "pubDate": "2021-12-07T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-koh-lanta-la-legende-episode-14-1638898512_x600_articles-alt-507987.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61092,17 +65959,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f070d285fb606b5a46dfa43cb2b9121" + "hash": "7cb11ede7c48c5e423dc11b008edf36f" }, { - "title": "Messi, le Ballon dort", - "description": "Vainqueur du Ballon d'or 2021, Lionel Messi a remporté ce lundi son septième globe doré. Une distinction supplémentaire pour l'armoire à trophées de l'Argentin, mais une déception certaine pour le monde du football. Signe, certainement, d'une récompense attribuée par défaut.Après (seulement) deux ans d'attente, le voilà de retour. Le smoking ajusté et le sourire figé, Lionel Messi vient d'être sacré Ballon d'or 2021, au terme d'une soirée aussi longue que…", - "content": "Après (seulement) deux ans d'attente, le voilà de retour. Le smoking ajusté et le sourire figé, Lionel Messi vient d'être sacré Ballon d'or 2021, au terme d'une soirée aussi longue que…", + "title": "Diallo : \"J'avais faim de ballon\"", + "description": "L'appétit vient en mangeant.
    \n
    \nTitulaire dans l'axe gauche de la défense parisienne ce mardi soir face à…

    ", + "content": "L'appétit vient en mangeant.
    \n
    \nTitulaire dans l'axe gauche de la défense parisienne ce mardi soir face à…

    ", "category": "", - "link": "https://www.sofoot.com/messi-le-ballon-dort-507642.html", + "link": "https://www.sofoot.com/diallo-j-avais-faim-de-ballon-507994.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T21:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-messi-le-ballon-dort-1638219765_x600_articles-alt-507642.jpg", + "pubDate": "2021-12-07T19:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-diallo-j-avais-faim-de-ballon-1638907728_x600_articles-507994.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61112,17 +65979,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f9feb8ada3a8b906784f62a54f0dbd4" + "hash": "4eafd70a6c7e25556e1bec77fa199102" }, { - "title": "Karim Benzema, enfin certifié", - "description": "Quatrième du Ballon d'or ce lundi soir, Karim Benzema pourrait se sentir lésé. Mais tout n'est pas noir dans ce résultat, qui l'adoube enfin parmi les très grands de ce sport. Une reconnaissance qui tardait à arriver. Pour la première fois de sa carrière, KB9 est dans le top 10. Une performance qu'il ne faut pas banaliser.Dans un passé pas si lointain, dans une galaxie pas si éloignée, être la figure de proue du Real Madrid vous assurait de vous placer dans la lutte pour le Ballon d'or. Cette année n'a pas…", - "content": "Dans un passé pas si lointain, dans une galaxie pas si éloignée, être la figure de proue du Real Madrid vous assurait de vous placer dans la lutte pour le Ballon d'or. Cette année n'a pas…", + "title": "Les notes de Paris face à Bruges", + "description": "Peut-être la première fois que l'on peut écrire que Lionel Messi et Kylian Mbappé ont porté le PSG.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/karim-benzema-enfin-certifie-507628.html", + "link": "https://www.sofoot.com/les-notes-de-paris-face-a-bruges-507991.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T21:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-karim-benzema-enfin-certifie-1638201526_x600_articles-alt-507628.jpg", + "pubDate": "2021-12-07T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-paris-face-a-bruges-1638907228_x600_articles-507991.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61132,17 +65999,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "36255fc0b6c7eac4213af8d1194fcc03" + "hash": "eb76ce72e598166bd570d5f66cdb8517" }, { - "title": "Ballon d'or : Karim Benzema au pied du podium, N'golo Kanté cinquième", - "description": "Ce n'est que partie remise.
    \n
    \nKarim Benzema se classe quatrième de ce Ballon d'or 2021. L'attaquant français arrive ainsi au pied du podium, malgré un statut de potentiel favori fort de…

    ", - "content": "Ce n'est que partie remise.
    \n
    \nKarim Benzema se classe quatrième de ce Ballon d'or 2021. L'attaquant français arrive ainsi au pied du podium, malgré un statut de potentiel favori fort de…

    ", + "title": "En direct : AC Milan - Liverpool", + "description": "95' : TERMINE ICI A SAN SIRO ! Milan s'incline et dit au revoir à l'Europe cette saison. ...", + "content": "95' : TERMINE ICI A SAN SIRO ! Milan s'incline et dit au revoir à l'Europe cette saison. ...", "category": "", - "link": "https://www.sofoot.com/ballon-d-or-karim-benzema-au-pied-du-podium-n-golo-kante-cinquieme-507649.html", + "link": "https://www.sofoot.com/en-direct-ac-milan-liverpool-507990.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T20:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ballon-d-or-karim-benzema-au-pied-du-podium-n-golo-kante-cinquieme-1638220079_x600_articles-507649.jpg", + "pubDate": "2021-12-07T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-ac-milan-liverpool-1638902174_x600_articles-507990.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61152,17 +66019,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a1ca063e6b9a7873f2b158e4f79dcac8" + "hash": "5686776da6e76c6cc30c439b5d4c8186" }, { - "title": "Donnarumma rafle le trophée Yachine", - "description": "Gigio > Doudou.
    \n
    \nÀ la lutte avec Edouard Mendy, c'est finalement Gianluigi Donnarumma qui a remporté le trophée Yachine. Le nouveau portier du PSG, champion d'Europe avec l'Italie,…

    ", - "content": "Gigio > Doudou.
    \n
    \nÀ la lutte avec Edouard Mendy, c'est finalement Gianluigi Donnarumma qui a remporté le trophée Yachine. Le nouveau portier du PSG, champion d'Europe avec l'Italie,…

    ", + "title": "En direct : Real Madrid - Inter Milan", + "description": "90' : FIN DU GAME ! LE REAL TERMINE PREMIER !
    \n
    \nTrop fort pour l'Inter, trop solide, et avec deux ...", + "content": "90' : FIN DU GAME ! LE REAL TERMINE PREMIER !
    \n
    \nTrop fort pour l'Inter, trop solide, et avec deux ...", "category": "", - "link": "https://www.sofoot.com/donnarumma-rafle-le-trophee-yachine-507648.html", + "link": "https://www.sofoot.com/en-direct-real-madrid-inter-milan-507969.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T20:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-donnarumma-rafle-le-trophee-yachine-1638218798_x600_articles-507648.jpg", + "pubDate": "2021-12-07T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-real-madrid-inter-milan-1638912053_x600_articles-alt-507969.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61172,17 +66039,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "efb378680a47ebdc95c6d2a9a9513a40" + "hash": "553f0f1ce92f0ff96037bb88d2ce6dba" }, { - "title": "Alexia Putellas, de l'or dans les pieds", - "description": "À 27 ans, la milieu du FC Barcelone vient de recevoir la plus belle récompense de sa carrière en devenant la troisième joueuse à remporter le Ballon d'or féminin, après une année exceptionnelle sur le plan collectif et individuel.Son nom n'est pas le plus connu dans le monde du football féminin. Bien loin des très médiatisées Ada Hegerberg et Megan Rapinoe, vainqueurs des deux premières éditions du Ballon d'or,…", - "content": "Son nom n'est pas le plus connu dans le monde du football féminin. Bien loin des très médiatisées Ada Hegerberg et Megan Rapinoe, vainqueurs des deux premières éditions du Ballon d'or,…", + "title": "Leipzig fait tomber Manchester City et file en C3", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/alexia-putellas-de-l-or-dans-les-pieds-507641.html", + "link": "https://www.sofoot.com/leipzig-fait-tomber-manchester-city-et-file-en-c3-507967.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T20:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-alexia-putellas-de-l-or-dans-les-pieds-1638207953_x600_articles-alt-507641.jpg", + "pubDate": "2021-12-07T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-leipzig-fait-tomber-manchester-city-et-file-en-c3-1638906139_x600_articles-507967.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61192,17 +66059,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "63f288c5e05ee46dec7fc0dff5474f0c" + "hash": "313e5253db2dd37dd26ea7a824561acc" }, { - "title": "Tournoi de France : les Bleues affronteront les Pays-Bas, le Brésil et la Finlande", - "description": "De quoi bien attaquer 2022.
    \n
    \nLes Bleues de Corinne Diacre vont avoir un programme chargé avant le début de l'Euro 2022 en Angleterre l'été prochain : le Brésil (7e au…

    ", - "content": "De quoi bien attaquer 2022.
    \n
    \nLes Bleues de Corinne Diacre vont avoir un programme chargé avant le début de l'Euro 2022 en Angleterre l'été prochain : le Brésil (7e au…

    ", + "title": "Mbappé : \"C'était beaucoup mieux, mais on peut encore s'améliorer\" ", + "description": "Perfectionniste.
    \n
    \nBrillant ce mardi soir face à Bruges en Ligue des champions (4-1), Kylian Mbappé a…

    ", + "content": "Perfectionniste.
    \n
    \nBrillant ce mardi soir face à Bruges en Ligue des champions (4-1), Kylian Mbappé a…

    ", "category": "", - "link": "https://www.sofoot.com/tournoi-de-france-les-bleues-affronteront-les-pays-bas-le-bresil-et-la-finlande-507639.html", + "link": "https://www.sofoot.com/mbappe-c-etait-beaucoup-mieux-mais-on-peut-encore-s-ameliorer-507993.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T17:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-tournoi-de-france-les-bleues-affronteront-les-pays-bas-le-bresil-et-la-finlande-1638207861_x600_articles-507639.jpg", + "pubDate": "2021-12-07T19:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mbappe-c-etait-beaucoup-mieux-mais-on-peut-encore-s-ameliorer-1638907191_x600_articles-507993.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61212,17 +66079,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "237b88b22ad73a42af55726e3c437b61" + "hash": "a0a172601fe374aa014199a094cc00b4" }, { - "title": "Daniel Alves (FC Barcelone) avant le Ballon d'or : \"Tous les prix individuels devraient revenir à Christian Eriksen\"", - "description": "Et pourquoi pas un prix spécial ?
    \n
    \nTous les projecteurs sont braqués sur le théâtre du Châtelet ce lundi, où l'on apprendra enfin qui est le Ballon d'or 2021. Si les pronostics vont…

    ", - "content": "Et pourquoi pas un prix spécial ?
    \n
    \nTous les projecteurs sont braqués sur le théâtre du Châtelet ce lundi, où l'on apprendra enfin qui est le Ballon d'or 2021. Si les pronostics vont…

    ", + "title": "Deux supporters du SC Bastia condamnés à de la prison ferme pour maniement d'engins explosifs", + "description": "Un triste mardi pour le football français.
    \n
    \nLe 13 février 2016, Maxime Beux, un…

    ", + "content": "Un triste mardi pour le football français.
    \n
    \nLe 13 février 2016, Maxime Beux, un…

    ", "category": "", - "link": "https://www.sofoot.com/daniel-alves-fc-barcelone-avant-le-ballon-d-or-tous-les-prix-individuels-devraient-revenir-a-christian-eriksen-507640.html", + "link": "https://www.sofoot.com/deux-supporters-du-sc-bastia-condamnes-a-de-la-prison-ferme-pour-maniement-d-engins-explosifs-507983.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T17:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-daniel-alves-fc-barcelone-avant-le-ballon-d-or-tous-les-prix-individuels-devraient-revenir-a-christian-eriksen-1638207028_x600_articles-507640.jpg", + "pubDate": "2021-12-07T17:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-deux-supporters-du-sc-bastia-condamnes-a-de-la-prison-ferme-pour-maniement-d-engins-explosifs-1638900164_x600_articles-507983.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61232,17 +66099,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "560f7dd1757cd8f42ac4eaa9126da160" + "hash": "66e7e5bbdb024c64a5bc81bd35946152" }, { - "title": "Un rappeur du Pas-de-Calais, Rask, a dédié un titre à Florian Sotoca", - "description": "Ça rentre direct dans la playlist d'avant-match des Lensois.
    \n
    \nLe début de saison réussi du RC Lens semble avoir donné des ailes à certains. Rask, un rappeur originaire d'Arras…

    ", - "content": "Ça rentre direct dans la playlist d'avant-match des Lensois.
    \n
    \nLe début de saison réussi du RC Lens semble avoir donné des ailes à certains. Rask, un rappeur originaire d'Arras…

    ", + "title": "En direct : PSG - Bruges", + "description": "49' : Changement pour Paris S-G. Thilo Kehrer remplace Nuno Mendes qui a directement demandé le ...", + "content": "49' : Changement pour Paris S-G. Thilo Kehrer remplace Nuno Mendes qui a directement demandé le ...", "category": "", - "link": "https://www.sofoot.com/un-rappeur-du-pas-de-calais-rask-a-dedie-un-titre-a-florian-sotoca-507637.html", + "link": "https://www.sofoot.com/en-direct-psg-bruges-507986.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T17:18:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-rappeur-du-pas-de-calais-rask-a-dedie-un-titre-a-florian-sotoca-1638205489_x600_articles-507637.jpg", + "pubDate": "2021-12-07T17:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-psg-bruges-1638898337_x600_articles-507986.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61252,17 +66119,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "909910152d54cb14b8645a53de6eb264" + "hash": "53c9f8b6cedd3247b85dde9e3d5f00c1" }, { - "title": "La FIFA met sous tutelle la fédération guinéenne de football ainsi que la fédération tchadienne de football", - "description": "V'là autre chose.
    \n
    \nEn pleine tornade institutionnelle, la fédération guinéenne de football ainsi que la fédération tchadienne ont été placées sous tutelle par la FIFA. Pour…

    ", - "content": "V'là autre chose.
    \n
    \nEn pleine tornade institutionnelle, la fédération guinéenne de football ainsi que la fédération tchadienne ont été placées sous tutelle par la FIFA. Pour…

    ", + "title": "José Fonte : \"Si on joue pour faire match nul, on sera très proche de perdre\"", + "description": "À Fonte la forme.
    \n
    \nPrésent en conférence de presse ce mardi à Wolfsbourg, avant l'ultime rencontre de la phase de poules de Ligue des champions face aux Allemands prévue ce mercredi…

    ", + "content": "À Fonte la forme.
    \n
    \nPrésent en conférence de presse ce mardi à Wolfsbourg, avant l'ultime rencontre de la phase de poules de Ligue des champions face aux Allemands prévue ce mercredi…

    ", "category": "", - "link": "https://www.sofoot.com/la-fifa-met-sous-tutelle-la-federation-guineenne-de-football-ainsi-que-la-federation-tchadienne-de-football-507631.html", + "link": "https://www.sofoot.com/jose-fonte-si-on-joue-pour-faire-match-nul-on-sera-tres-proche-de-perdre-507985.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T17:12:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-fifa-met-sous-tutelle-la-federation-guineenne-de-football-ainsi-que-la-federation-tchadienne-de-football-1638203606_x600_articles-507631.jpg", + "pubDate": "2021-12-07T17:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jose-fonte-si-on-joue-pour-faire-match-nul-on-sera-tres-proche-de-perdre-1638898631_x600_articles-507985.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61272,17 +66139,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "8554f0fabb0f43e6728b61a06497815b" + "hash": "3dd9842c3273e7f7e71ffbff1b5a344d" }, { - "title": "Le tableau et les dates de la Coupe du monde des clubs sont connus", - "description": "Le football au soleil, c'est une chose qu'on voit de plus en plus.
    \n
    \n
    ", - "content": "Le football au soleil, c'est une chose qu'on voit de plus en plus.
    \n
    \n
    ", + "title": "Des équipements siglés PSG en vente sur la boutique de l'OM", + "description": "La grande réconciliation ?
    \n
    \nLa boutique officielle de l'Olympique de Marseille dispose de produits pour le moins étonnants. C'est ainsi que ce mardi après-midi, il était possible…

    ", + "content": "La grande réconciliation ?
    \n
    \nLa boutique officielle de l'Olympique de Marseille dispose de produits pour le moins étonnants. C'est ainsi que ce mardi après-midi, il était possible…

    ", "category": "", - "link": "https://www.sofoot.com/le-tableau-et-les-dates-de-la-coupe-du-monde-des-clubs-sont-connus-507622.html", + "link": "https://www.sofoot.com/des-equipements-sigles-psg-en-vente-sur-la-boutique-de-l-om-507981.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T16:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-tableau-et-les-dates-de-la-coupe-du-monde-des-clubs-sont-connus-1638204291_x600_articles-507622.jpg", + "pubDate": "2021-12-07T16:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-des-equipements-sigles-psg-en-vente-sur-la-boutique-de-l-om-1638895904_x600_articles-507981.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61292,17 +66159,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f87bd1f882aa4c60e8f88a3d54f6ca94" + "hash": "09b682f035e7003e099239ed3a4d9ad6" }, { - "title": "Oui, Gauthier Hein doit remporter le Prix Puskás", - "description": "Stupeur à Auxerre : ce lundi après-midi, le club icaunais est sorti de table avec un portable qui a dû vibrer très fort. Et pour cause : la FIFA a publié sa liste des dix prétendants au prix Puskás du plus beau but de l'année, avec Gauthier Hein en deuxième position. Désormais, il faudra tout faire pour que \"Gotcho\" accroche la breloque dans son armoire à trophées le 17 janvier prochain. Parce qu'il le mérite.2008 : année bénie pour Gauthier Hein qui souffle sa douzième bougie en remportant la Danone Nations Cup et le titre de…", - "content": "2008 : année bénie pour Gauthier Hein qui souffle sa douzième bougie en remportant la Danone Nations Cup et le titre de…", + "title": "Stanley Nsoki avant PSG-Bruges : \"Leonardo ne voulait pas me vendre\"", + "description": "Titi un jour, titi toujours.
    \n
    \nPour son dernier match de phase de poules ce mardi, le PSG reçoit le Club Bruges au Parc des Princes et accueillera sur sa pelouse l'un de ses anciens…

    ", + "content": "Titi un jour, titi toujours.
    \n
    \nPour son dernier match de phase de poules ce mardi, le PSG reçoit le Club Bruges au Parc des Princes et accueillera sur sa pelouse l'un de ses anciens…

    ", "category": "", - "link": "https://www.sofoot.com/oui-gauthier-hein-doit-remporter-le-prix-puskas-507634.html", + "link": "https://www.sofoot.com/stanley-nsoki-avant-psg-bruges-leonardo-ne-voulait-pas-me-vendre-507980.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-oui-gauthier-hein-doit-remporter-le-prix-puskas-1638201424_x600_articles-alt-507634.jpg", + "pubDate": "2021-12-07T16:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-stanley-nsoki-avant-psg-bruges-leonardo-ne-voulait-pas-me-vendre-1638895168_x600_articles-507980.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61312,17 +66179,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a3689f30147d18f6ebd1dfe00f546a75" + "hash": "854d271a0de89cf32c24b3f1177ea4e1" }, { - "title": " Le gouvernement allemand \"s'étonne\" de l'affluence de Cologne-Mönchengladbach", - "description": "La Rhénanie en folie.
    \n
    \nOn pensait les restrictions de spectateurs enfin dépassées, la pandémie essoufflée. Il semblerait qu'il n'en soit rien. Ce samedi, Cologne a accueilli et…

    ", - "content": "La Rhénanie en folie.
    \n
    \nOn pensait les restrictions de spectateurs enfin dépassées, la pandémie essoufflée. Il semblerait qu'il n'en soit rien. Ce samedi, Cologne a accueilli et…

    ", + "title": "Allan Saint-Maximin offre une montre à un supporter de Newcastle", + "description": "La fidélité paie.
    \n
    \nPourtant avant-dernier de Premier League avec Newcastle, Allan Saint-Maximin n'en oublie pas pour autant les fans des Magpies. Si le Français, taulier du…

    ", + "content": "La fidélité paie.
    \n
    \nPourtant avant-dernier de Premier League avec Newcastle, Allan Saint-Maximin n'en oublie pas pour autant les fans des Magpies. Si le Français, taulier du…

    ", "category": "", - "link": "https://www.sofoot.com/le-gouvernement-allemand-s-etonne-de-l-affluence-de-cologne-monchengladbach-507627.html", + "link": "https://www.sofoot.com/allan-saint-maximin-offre-une-montre-a-un-supporter-de-newcastle-507979.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-gouvernement-allemand-s-etonne-de-l-affluence-de-cologne-monchengladbach-1638201850_x600_articles-507627.jpg", + "pubDate": "2021-12-07T16:24:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-allan-saint-maximin-offre-une-montre-a-un-supporter-de-newcastle-1638894262_x600_articles-507979.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61332,17 +66199,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "309dc381ae5495f851ee9eb0136637d5" + "hash": "b84fc6cdc232e34ead67d7710048a50e" }, { - "title": "Le Paris Saint-Germain annonce six à huit semaines d'absence pour Neymar après sa blessure à Saint-Étienne", - "description": "Ney, le cauchemar.
    \n
    \nLe PSG a assuré l'essentiel ce dimanche à Geoffroy-Guichard en s'imposant face à…

    ", - "content": "Ney, le cauchemar.
    \n
    \nLe PSG a assuré l'essentiel ce dimanche à Geoffroy-Guichard en s'imposant face à…

    ", + "title": "Le Collectif Ultras Paris organise une collecte de jouets avant PSG-Bruges", + "description": "Noël commence tôt cette année.
    \n
    \nLe Collectif Ultras Paris a lancé, en marge de

    ", + "content": "Noël commence tôt cette année.
    \n
    \nLe Collectif Ultras Paris a lancé, en marge de


    ", "category": "", - "link": "https://www.sofoot.com/le-paris-saint-germain-annonce-six-a-huit-semaines-d-absence-pour-neymar-apres-sa-blessure-a-saint-etienne-507630.html", + "link": "https://www.sofoot.com/le-collectif-ultras-paris-organise-une-collecte-de-jouets-avant-psg-bruges-507977.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T15:43:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-paris-saint-germain-annonce-six-a-huit-semaines-d-absence-pour-neymar-apres-sa-blessure-a-saint-etienne-1638200453_x600_articles-507630.jpg", + "pubDate": "2021-12-07T15:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-collectif-ultras-paris-organise-une-collecte-de-jouets-avant-psg-bruges-1638891218_x600_articles-507977.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61352,17 +66219,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7a3736e5e112c8a7a8094db0d6775ed" + "hash": "57b39bb0c98b8e6696dcb9fd063f621f" }, { - "title": "Joris Gnagnon va s'engager avec l'AS Saint-Étienne", - "description": "Du sang neuf dans le Forez.
    \n
    \nEn difficulté dans le secteur défensif depuis le début de la saison avec 31 buts encaissés en 15 rencontres (soit la deuxième pire défense de Ligue 1…

    ", - "content": "Du sang neuf dans le Forez.
    \n
    \nEn difficulté dans le secteur défensif depuis le début de la saison avec 31 buts encaissés en 15 rencontres (soit la deuxième pire défense de Ligue 1…

    ", + "title": "La Française Stéphanie Frappart élue meilleure femme arbitre du Monde pour la troisième année de suite", + "description": "Enfin une distinction entre des mains françaises.
    \n
    \nSi Karim Benzema, Kylian Mbappé et N'Golo Kanté


    ", + "content": "Enfin une distinction entre des mains françaises.
    \n
    \nSi Karim Benzema, Kylian Mbappé et N'Golo Kanté


    ", "category": "", - "link": "https://www.sofoot.com/joris-gnagnon-va-s-engager-avec-l-as-saint-etienne-507623.html", + "link": "https://www.sofoot.com/la-francaise-stephanie-frappart-elue-meilleure-femme-arbitre-du-monde-pour-la-troisieme-annee-de-suite-507974.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T15:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-joris-gnagnon-va-s-engager-avec-l-as-saint-etienne-1638199393_x600_articles-507623.jpg", + "pubDate": "2021-12-07T15:14:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-francaise-stephanie-frappart-elue-meilleure-femme-arbitre-du-monde-pour-la-troisieme-annee-de-suite-1638889888_x600_articles-507974.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61372,17 +66239,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "82318cc976c91968e42a5c083c6bf02d" + "hash": "ca1258c99ffbe834471f30c5ca9d7970" }, { - "title": "En direct : La cérémonie du Ballon d'or 2021", - "description": "Après un an d'absence en raison de la pandémie du coronavirus, le Ballon d'or revient cette année. Restera-t-il dans les mains de Lionel Messi qui en aurait alors 7 à son actif ? Ou ira-t-il dans celles de Robert Lewandowski qui aurait sans contestation possible remporté le trophée en 2020 ? À moins que Karim Benzema vienne créer la surprise. Réponse ici.

  • Classement officiel du…
  • ", - "content": "

  • Classement officiel du…
  • ", + "title": "Après Borussia Dortmund-Bayern, 40 000 euros d'amende pour Jude Bellingham pour \"conduite antisportive\"", + "description": "Des propos qui coûtent cher.
    \n
    \nSûrement frustré par la tournure des événements ce samedi
    au…

    ", + "content": "Des propos qui coûtent cher.
    \n
    \nSûrement frustré par la tournure des événements ce samedi au…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-la-ceremonie-du-ballon-d-or-2021-507619.html", + "link": "https://www.sofoot.com/apres-borussia-dortmund-bayern-40-000-euros-d-amende-pour-jude-bellingham-pour-conduite-antisportive-507973.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T15:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-la-ceremonie-du-ballon-d-or-2021-1638186997_x600_articles-507619.jpg", + "pubDate": "2021-12-07T14:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-apres-borussia-dortmund-bayern-40-000-euros-d-amende-pour-jude-bellingham-pour-conduite-antisportive-1638885302_x600_articles-507973.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61392,17 +66259,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e170bc95849b74c71a38087bfc23ab80" + "hash": "6c26ec95c262a9cd1cf0395329aa13c4" }, { - "title": "Gauthier Hein (Auxerre) nommé pour le Prix Puskás de la FIFA 2021", - "description": "Hein-croyable.
    \n
    \nL'Auxerrois Gauthier Hein est dans la liste des onze buts retenus pour remporter le prix Puskás de la FIFA 2021 qui récompense la plus belle réalisation de l'année. Le…

    ", - "content": "Hein-croyable.
    \n
    \nL'Auxerrois Gauthier Hein est dans la liste des onze buts retenus pour remporter le prix Puskás de la FIFA 2021 qui récompense la plus belle réalisation de l'année. Le…

    ", + "title": "L'Atlético de Madrid et le choix de l'embarras", + "description": "Champion d'Espagne en titre, l'Atlético de Madrid va jouer sa qualification pour les huitièmes de finale de la Ligue des champions sur la pelouse du FC Porto tout en gardant un œil du côté de Milan. Une situation complexe dans laquelle les Madrilènes se sont mis à cause d'un trop-plein de recrues à l'intersaison et d'une osmose collective difficile à trouver.Diego Simeone ne s'y attendait probablement pas, mais l'Atlético de Madrid 2021-2022 bégaie son football. Ce week-end, Un an après, l'émotion est intacte.
    \n
    \nUn peu plus d'une année après l'annonce du décès de Diego Maradona, le…

    ", - "content": "Un an après, l'émotion est intacte.
    \n
    \nUn peu plus d'une année après l'annonce du décès de Diego Maradona, le…

    ", + "title": "Pronostic Manchester United Young Boys Berne : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Manchester poursuit sa cure de jouvence face aux Young Boys

    \n
    \nFinaliste malheureux de la dernière Europa League, Manchester United avait des objectifs…
    ", + "content": "

    Manchester poursuit sa cure de jouvence face aux Young Boys

    \n
    \nFinaliste malheureux de la dernière Europa League, Manchester United avait des objectifs…
    ", "category": "", - "link": "https://www.sofoot.com/face-a-la-lazio-le-napoli-a-devoile-la-statue-de-diego-maradona-507620.html", + "link": "https://www.sofoot.com/pronostic-manchester-united-young-boys-berne-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507972.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T13:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-face-a-la-lazio-le-napoli-a-devoile-la-statue-de-diego-maradona-1638193415_x600_articles-507620.jpg", + "pubDate": "2021-12-07T12:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-manchester-united-young-boys-berne-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638880532_x600_articles-507972.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61432,17 +66299,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e4e1725cc2e2ca1cd86f73a687351b01" + "hash": "6f1a17e6a9d5a65d765d2741e1167254" }, { - "title": "Que s'est-il passé au Portugal entre Belenenses et Benfica ?", - "description": "Privé d'une majeure partie de son effectif pour cause de Covid, Belenenses s'est présenté avec neuf joueurs au coup d'envoi de son match face à Benfica. Une partie finalement abandonnée après 48 minutes de jeu sur un invraisemblable score (0-7). Mais au-delà de l'insolite, cet épisode jette surtout le discrédit sur la Ligue de football portugaise et son incapacité chronique à gérer les situations de crise.En débarquant à Jamor ce samedi, Belenenses SAD avait des allures d'équipe de futsal. Neuf joueurs seulement sur la pelouse, dont sept issus de l'équipe réserve, et João Monteiro, habituel…", - "content": "En débarquant à Jamor ce samedi, Belenenses SAD avait des allures d'équipe de futsal. Neuf joueurs seulement sur la pelouse, dont sept issus de l'équipe réserve, et João Monteiro, habituel…", + "title": "Aulas la menace", + "description": "OL-OM n'a pas fini de tourmenter la Ligue 1. Le rapport rendu par Ruddy Buquet, l'arbitre de la rencontre sous le feu de nombreuses critiques depuis, éclaire d'un nouveau jour le déroulé des faits en coulisses. Ce précieux document, qui a donc fuité, dresse un portrait peu flatteur de l'encadrement et de la direction des clubs concernés. À commencer par Jean-Michel Aulas, qui endosse un étrange rôle de parrain du foot français.\"Je tiens à préciser que M. Aulas Jean-Michel, président de l'Olympique lyonnais, a tenu les propos suivants au moment de quitter mon vestiaire : \"La compétition dépend de la LFP, vous…", + "content": "\"Je tiens à préciser que M. Aulas Jean-Michel, président de l'Olympique lyonnais, a tenu les propos suivants au moment de quitter mon vestiaire : \"La compétition dépend de la LFP, vous…", "category": "", - "link": "https://www.sofoot.com/que-s-est-il-passe-au-portugal-entre-belenenses-et-benfica-507599.html", + "link": "https://www.sofoot.com/aulas-la-menace-507962.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T13:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-que-s-est-il-passe-au-portugal-entre-belenenses-et-benfica-1638137141_x600_articles-alt-507599.jpg", + "pubDate": "2021-12-07T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aulas-la-menace-1638874986_x600_articles-alt-507962.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61452,17 +66319,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ca89e048ec86c4c7165101225e89df06" + "hash": "7d2230340c38a06138b2e7a6e9a38d00" }, { - "title": "Ralf Rangnick officiellement intronisé à Manchester United", - "description": "Troisième entraîneur en huit jours à Manchester.
    \n
    \nCe n'était plus un secret pour…

    ", - "content": "Troisième entraîneur en huit jours à Manchester.
    \n
    \nCe n'était plus un secret pour…

    ", + "title": "Pronostic Benfica Dynamo Kiev : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Benfica fait le taf face au Dynamo Kiev

    \n
    \nCette dernière journée de poule dans la Ligue des Champions nous offre une très belle lutte à distance…
    ", + "content": "

    Le Benfica fait le taf face au Dynamo Kiev

    \n
    \nCette dernière journée de poule dans la Ligue des Champions nous offre une très belle lutte à distance…
    ", "category": "", - "link": "https://www.sofoot.com/ralf-rangnick-officiellement-intronise-a-manchester-united-507621.html", + "link": "https://www.sofoot.com/pronostic-benfica-dynamo-kiev-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507968.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T12:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ralf-rangnick-officiellement-intronise-a-manchester-united-1638188246_x600_articles-507621.jpg", + "pubDate": "2021-12-07T11:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-benfica-dynamo-kiev-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638879299_x600_articles-507968.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61472,17 +66339,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae30c7fb05284c93d74dc99db9df5c01" + "hash": "fea0bda7c0f8e9cc5ea00f641894756f" }, { - "title": "Le Hertha Berlin vire Pál Dárdai et intronise Tayfun Korkut sur son banc", - "description": "Dárdai, bye-bye.
    \n
    \nArrivé fin janvier 2021 sur le banc du Hertha, Pál Dárdai ne sera resté que dix petits mois dans la capitale allemande. Le club présidé par Werner Gegenbauer a…

    ", - "content": "Dárdai, bye-bye.
    \n
    \nArrivé fin janvier 2021 sur le banc du Hertha, Pál Dárdai ne sera resté que dix petits mois dans la capitale allemande. Le club présidé par Werner Gegenbauer a…

    ", + "title": "Jonathan Ikoné (Lille) victime d'un cambriolage à son domicile", + "description": "Un de plus sur la liste.
    \n
    \nAlors que son départ du Nord se précise, Jonathan Ikoné s'ajoute désormais à la longue liste des joueurs cambriolés. L'attaquant du LOSC a vu son…

    ", + "content": "Un de plus sur la liste.
    \n
    \nAlors que son départ du Nord se précise, Jonathan Ikoné s'ajoute désormais à la longue liste des joueurs cambriolés. L'attaquant du LOSC a vu son…

    ", "category": "", - "link": "https://www.sofoot.com/le-hertha-berlin-vire-pal-dardai-et-intronise-tayfun-korkut-sur-son-banc-507618.html", + "link": "https://www.sofoot.com/jonathan-ikone-lille-victime-d-un-cambriolage-a-son-domicile-507963.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T12:07:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-hertha-berlin-vire-pal-dardai-et-intronise-tayfun-korkut-sur-son-banc-1638187801_x600_articles-507618.jpg", + "pubDate": "2021-12-07T11:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jonathan-ikone-lille-victime-d-un-cambriolage-a-son-domicile-1638875536_x600_articles-507963.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61492,17 +66359,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4dd13e752148d653228d27c134c65109" + "hash": "147ad1c3288cdb64ff5d94d2133e1f90" }, { - "title": "SoFoot Ligue : Nos conseils pour faire vos picks de la semaine 14", - "description": "Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", - "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "title": "L'ES Cannet-Rocheville accueillera l'OM... Au Vélodrome", + "description": "Marseille va jouer à l'extérieur et à domicile en même temps.
    \n
    \nL'équipe de l'Entente Cannet-Rocheville (située au Cannet, commune des des Alpes-Maritimes, et pensionnaire de N3),…

    ", + "content": "Marseille va jouer à l'extérieur et à domicile en même temps.
    \n
    \nL'équipe de l'Entente Cannet-Rocheville (située au Cannet, commune des des Alpes-Maritimes, et pensionnaire de N3),…

    ", "category": "", - "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-14-507614.html", + "link": "https://www.sofoot.com/l-es-cannet-rocheville-accueillera-l-om-au-velodrome-507960.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T12:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-14-1638183131_x600_articles-507614.jpg", + "pubDate": "2021-12-07T10:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-es-cannet-rocheville-accueillera-l-om-au-velodrome-1638874881_x600_articles-507960.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61512,17 +66379,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "418f9c93bd926c668823eaa2945a1a06" + "hash": "c4abbd06e9b6fda9282469f6747670e0" }, { - "title": "Karim Benzema établit le record de buts marqués en club pour un joueur français, devant Thierry Henry", - "description": "\"Laisse-moi zoom zoom zang dans ta Benz Benz Benz\"
    \n
    \nLa nuit au Bernabéu a été pleine d'émotion…

    ", - "content": "\"Laisse-moi zoom zoom zang dans ta Benz Benz Benz\"
    \n
    \nLa nuit au Bernabéu a été pleine d'émotion…

    ", + "title": "Robert Lewandowski après le Ballon d'or : \"Je voudrais que Lionel Messi soit sincère et que ce ne soient pas des mots creux\"", + "description": "Le seum s'exporte jusqu'en Pologne.
    \n
    \nAlors que Lionel Messi a été désigné Ballon d'or pour la septième fois de sa…

    ", + "content": "Le seum s'exporte jusqu'en Pologne.
    \n
    \nAlors que Lionel Messi a été désigné Ballon d'or pour la septième fois de sa…

    ", "category": "", - "link": "https://www.sofoot.com/karim-benzema-etablit-le-record-de-buts-marques-en-club-pour-un-joueur-francais-devant-thierry-henry-507615.html", + "link": "https://www.sofoot.com/robert-lewandowski-apres-le-ballon-d-or-je-voudrais-que-lionel-messi-soit-sincere-et-que-ce-ne-soient-pas-des-mots-creux-507961.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T11:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-karim-benzema-etablit-le-record-de-buts-marques-en-club-pour-un-joueur-francais-devant-thierry-henry-1638185083_x600_articles-507615.jpg", + "pubDate": "2021-12-07T10:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-robert-lewandowski-apres-le-ballon-d-or-je-voudrais-que-lionel-messi-soit-sincere-et-que-ce-ne-soient-pas-des-mots-creux-1638873867_x600_articles-507961.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61532,17 +66399,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8f588af35ed3a1cd4f82b06558de250" + "hash": "b0386be3f2eaa6619c564dcae4ac75ff" }, { - "title": "Unai Emery et Xavi auraient été séparés par la police après Villarreal-FC Barcelone", - "description": "Xavi-Emery, nouveau Guardiola-Mourinho ?
    \n
    \nLe Barça n'a pas brillé ce samedi, mais le Barça s'est imposé. À Villarreal, les Blaugrana ont réussi
    ", - "content": "Xavi-Emery, nouveau Guardiola-Mourinho ?
    \n
    \nLe Barça n'a pas brillé ce samedi, mais le Barça s'est imposé. À Villarreal, les Blaugrana ont réussi
    ", + "title": "Tottenham décimé par la Covid-19 avant la réception de Rennes", + "description": "En voilà un qui n'a pas besoin de l'Eurostar.
    \n
    \nIl n'y a pas que le Portugal qui…

    ", + "content": "En voilà un qui n'a pas besoin de l'Eurostar.
    \n
    \nIl n'y a pas que le Portugal qui…

    ", "category": "", - "link": "https://www.sofoot.com/unai-emery-et-xavi-auraient-ete-separes-par-la-police-apres-villarreal-fc-barcelone-507610.html", + "link": "https://www.sofoot.com/tottenham-decime-par-la-covid-19-avant-la-reception-de-rennes-507957.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T11:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-unai-emery-et-xavi-auraient-ete-separes-par-la-police-apres-villarreal-fc-barcelone-1638183054_x600_articles-507610.jpg", + "pubDate": "2021-12-07T10:25:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tottenham-decime-par-la-covid-19-avant-la-reception-de-rennes-1638872924_x600_articles-507957.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61552,17 +66419,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ce405eb1d311970c0d87835a8b9f9420" + "hash": "d23fbc7bb952a29dd63e2deee46d87b9" }, { - "title": "Norvège : un joueur exclu après avoir poussé au sol son propre gardien", - "description": "Des vrais barbares, ces Vikings.
    \n
    \nLe Viking FK (oui oui) s'est imposé sur la pelouse de Kristiansund ce dimanche (2-3) et a conforté sa place de troisième du championnat norvégien. Si…

    ", - "content": "Des vrais barbares, ces Vikings.
    \n
    \nLe Viking FK (oui oui) s'est imposé sur la pelouse de Kristiansund ce dimanche (2-3) et a conforté sa place de troisième du championnat norvégien. Si…

    ", + "title": "Le best of des buts amateurs du week-end des 4 et 5 décembre 2021", + "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", "category": "", - "link": "https://www.sofoot.com/norvege-un-joueur-exclu-apres-avoir-pousse-au-sol-son-propre-gardien-507612.html", + "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-4-et-5-decembre-2021-507939.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T11:01:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-norvege-un-joueur-exclu-apres-avoir-pousse-au-sol-son-propre-gardien-1638183978_x600_articles-507612.jpg", + "pubDate": "2021-12-07T09:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-best-of-des-buts-amateurs-du-week-end-des-4-et-5-decembre-2021-1638809693_x600_articles-alt-507939.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61572,17 +66439,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6bf498130f49cf7e32019d1695b7b455" + "hash": "ec6904f7d369c5dd1d615f016e0c9c87" }, { - "title": "Bretagne : on était aux retrouvailles entre Guingamp et Saint-Brieuc en Coupe de France", - "description": "Pour la première fois depuis 26 ans, les équipes fanions d'En Avant Guingamp et du Stade briochin se sont retrouvés sur un terrain de football à l'occasion du huitième tour de Coupe de France. Un match comme un autre après plus de deux décennies passées sans se croiser ? Un peu, même si la fête des voisins a également réveillé des douloureux souvenirs dans le camp briochin. On y était.En se baladant autour du stade de Roudourou en ce début de samedi après-midi pluvieux, rien ne laisse présager qu'un match spécial doit se jouer dans l'antre guingampaise dans un peu moins de…", - "content": "En se baladant autour du stade de Roudourou en ce début de samedi après-midi pluvieux, rien ne laisse présager qu'un match spécial doit se jouer dans l'antre guingampaise dans un peu moins de…", + "title": "Pronostic Salzbourg Séville : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    La victoire de la qualif' pour le FC Séville face à Salzbourg

    \n
    \nLe groupe G de la Ligue des Champions nous offre une dernière journée à suspense…
    ", + "content": "

    La victoire de la qualif' pour le FC Séville face à Salzbourg

    \n
    \nLe groupe G de la Ligue des Champions nous offre une dernière journée à suspense…
    ", "category": "", - "link": "https://www.sofoot.com/bretagne-on-etait-aux-retrouvailles-entre-guingamp-et-saint-brieuc-en-coupe-de-france-507598.html", + "link": "https://www.sofoot.com/pronostic-salzbourg-seville-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507958.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-bretagne-on-etait-aux-retrouvailles-entre-guingamp-et-saint-brieuc-en-coupe-de-france-1638175121_x600_articles-alt-507598.jpg", + "pubDate": "2021-12-07T09:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-salzbourg-seville-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638871508_x600_articles-507958.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61592,17 +66459,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d5bdfb0fd0e940f8f3751a2110b65c2" + "hash": "cc981e5b72bbc5365e389f67dc8ebe0b" }, { - "title": "Gérard Lopez (Bordeaux) tance ses joueurs après la défaite contre Brest", - "description": "Une défaite au goût amer.
    \n
    \nCe dimanche, dans le cadre de la quinzième journée de Ligue 1, Bordeaux recevait Brest. Pourtant menés 1-0 jusqu'à l'heure de jeu,
    ", - "content": "Une défaite au goût amer.
    \n
    \nCe dimanche, dans le cadre de la quinzième journée de Ligue 1, Bordeaux recevait Brest. Pourtant menés 1-0 jusqu'à l'heure de jeu,
    ", + "title": "Aminata Diallo et Kheira Hamraoui (PSG) de retour à l'entraînement collectif", + "description": "Retour au terrain.
    \n
    \nVoilà maintenant plus d'un mois qu'Aminata Diallo et Kheira Hamraoui sont au coeur d'
    ", + "content": "Retour au terrain.
    \n
    \nVoilà maintenant plus d'un mois qu'Aminata Diallo et Kheira Hamraoui sont au coeur d'
    ", "category": "", - "link": "https://www.sofoot.com/gerard-lopez-bordeaux-tance-ses-joueurs-apres-la-defaite-contre-brest-507608.html", + "link": "https://www.sofoot.com/aminata-diallo-et-kheira-hamraoui-psg-de-retour-a-l-entrainement-collectif-507955.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T10:09:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-gerard-lopez-bordeaux-tance-ses-joueurs-apres-la-defaite-contre-brest-1638180347_x600_articles-507608.jpg", + "pubDate": "2021-12-07T09:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aminata-diallo-et-kheira-hamraoui-psg-de-retour-a-l-entrainement-collectif-1638870063_x600_articles-507955.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61612,17 +66479,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d143fd7bf6d0618c2f7d9878f6e446e5" + "hash": "c7fc0809fb551de9db8a4bb669a9db36" }, { - "title": "Pronostic Salernitana Juventus : Analyse, cotes et prono du match de Serie A", - "description": "

    La Juventus n'a pas le choix face à la Salernitana

    \n
    \nPromue cette saison, la Salernitana connait logiquement une entame compliquée. En effet,…
    ", - "content": "

    La Juventus n'a pas le choix face à la Salernitana

    \n
    \nPromue cette saison, la Salernitana connait logiquement une entame compliquée. En effet,…
    ", + "title": "Pronostic Zenit Chelsea : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Chelsea assure sa 1re place chez le Zenit

    \n
    \nEn dominant largement Malmö lors du match aller, le Zenit St Petersbourg avait fait un grand pas…
    ", + "content": "

    Chelsea assure sa 1re place chez le Zenit

    \n
    \nEn dominant largement Malmö lors du match aller, le Zenit St Petersbourg avait fait un grand pas…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-salernitana-juventus-analyse-cotes-et-prono-du-match-de-serie-a-507611.html", + "link": "https://www.sofoot.com/pronostic-zenit-chelsea-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507956.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T10:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-salernitana-juventus-analyse-cotes-et-prono-du-match-de-serie-a-1638180964_x600_articles-507611.jpg", + "pubDate": "2021-12-07T09:34:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-zenit-chelsea-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638870629_x600_articles-507956.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61632,17 +66499,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "46e6ed03f7619a504d1576de810801e2" + "hash": "cd2e5450086b55d228f76be9d3e863ce" }, { - "title": "PS5, Freebets et Paysafecard : La SO FOOT LIGUE s'occupe de vos cadeaux de Noël !", - "description": "Vous cherchez une fantasy gratuite, avec plein de beaux cadeaux à gagner et une communauté au top ?
    \n
    \nRejoignez la SO FOOT LIGUE

    ", - "content": "Vous cherchez une fantasy gratuite, avec plein de beaux cadeaux à gagner et une communauté au top ?
    \n
    \nRejoignez la SO FOOT LIGUE

    ", + "title": "Pronostic Juventus Malmö : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    La Juventus solide face à Malmö

    \n
    \nEn s'inclinant lourdement à Stamford Bridge lors de la dernière journée (4-0), la Juventus a certainement dit…
    ", + "content": "

    La Juventus solide face à Malmö

    \n
    \nEn s'inclinant lourdement à Stamford Bridge lors de la dernière journée (4-0), la Juventus a certainement dit…
    ", "category": "", - "link": "https://www.sofoot.com/ps5-freebets-et-paysafecard-la-so-foot-ligue-s-occupe-de-vos-cadeaux-de-noel-507607.html", + "link": "https://www.sofoot.com/pronostic-juventus-malmo-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507954.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T09:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ps5-freebets-et-paysafecard-la-so-foot-ligue-s-occupe-de-vos-cadeaux-de-noel-1638178155_x600_articles-507607.jpg", + "pubDate": "2021-12-07T09:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-juventus-malmo-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638870037_x600_articles-507954.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61652,17 +66519,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0f433ccc3b76041271c941d8c6e3163b" + "hash": "2ef2149f73dce0dfbd0b4af9e9ff0000" }, { - "title": "Pronostic Leeds Crystal Palace : Analyse, cotes et prono du match de Premier League", - "description": "

    Un Leeds – Crystal Palace avec des buts de chaque côté

    \n
    \nEn cette fin d'année civile en Angleterre, la Premier League va nous offrir un mois de…
    ", - "content": "

    Un Leeds – Crystal Palace avec des buts de chaque côté

    \n
    \nEn cette fin d'année civile en Angleterre, la Premier League va nous offrir un mois de…
    ", + "title": "Pronostic Bayern Munich Barcelone : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Bayern Munich sort Barcelone

    \n
    \nL'affiche de cette dernière journée de Ligue des Champions mercredi met aux prises le Bayern Munich au FC Barcelone.…
    ", + "content": "

    Le Bayern Munich sort Barcelone

    \n
    \nL'affiche de cette dernière journée de Ligue des Champions mercredi met aux prises le Bayern Munich au FC Barcelone.…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-leeds-crystal-palace-analyse-cotes-et-prono-du-match-de-premier-league-507609.html", + "link": "https://www.sofoot.com/pronostic-bayern-munich-barcelone-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507953.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T09:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-leeds-crystal-palace-analyse-cotes-et-prono-du-match-de-premier-league-1638180327_x600_articles-507609.jpg", + "pubDate": "2021-12-07T09:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bayern-munich-barcelone-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638869118_x600_articles-507953.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61672,17 +66539,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "57b2543d2f56bff05d0552daa78693ce" + "hash": "d5147c32e2daf4b194c3da57806412bf" }, { - "title": "Pronostic Newcastle Norwich : Analyse, cotes et prono du match de Premier League", - "description": "

    Newcastle prend des points face à Norwich

    \n
    \nLa 14e journée de Premier League débute par un choc entre les deux derniers, Newcastle et…
    ", - "content": "

    Newcastle prend des points face à Norwich

    \n
    \nLa 14e journée de Premier League débute par un choc entre les deux derniers, Newcastle et…
    ", + "title": "Pablo Longoria, président de l'OM : \"Si chaque fois qu'un match est interrompu, on doit le rejouer...\"", + "description": "Ou comment donner son avis, sans le donner.
    \n
    \nCe mercredi 8 décembre, c'est le Jour-J. La commission de discipline rendra le verdict tant attendu concernant
    ", + "content": "Ou comment donner son avis, sans le donner.
    \n
    \nCe mercredi 8 décembre, c'est le Jour-J. La commission de discipline rendra le verdict tant attendu concernant
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-newcastle-norwich-analyse-cotes-et-prono-du-match-de-premier-league-507605.html", + "link": "https://www.sofoot.com/pablo-longoria-president-de-l-om-si-chaque-fois-qu-un-match-est-interrompu-on-doit-le-rejouer-507951.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T09:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-newcastle-norwich-analyse-cotes-et-prono-du-match-de-premier-league-1638179144_x600_articles-507605.jpg", + "pubDate": "2021-12-07T08:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pablo-longoria-president-de-l-om-si-chaque-fois-qu-un-match-est-interrompu-on-doit-le-rejouer-1638867553_x600_articles-507951.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61692,17 +66559,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "dce63752b45e47f5cb2aded8a53818dd" + "hash": "b0a3421807519d419c9b3bda105b5dc2" }, { - "title": "Un milliardaire russe pour reprendre l'AS Saint-Étienne ?", - "description": "Jamais deux sans trois.
    \n
    \nDepuis cet été, les dirigeants de l'AS Saint-Étienne espèrent vendre le club aux alentours de 60 millions d'euros, et au regard des performances des Verts…

    ", - "content": "Jamais deux sans trois.
    \n
    \nDepuis cet été, les dirigeants de l'AS Saint-Étienne espèrent vendre le club aux alentours de 60 millions d'euros, et au regard des performances des Verts…

    ", + "title": "OL-OM : Ruddy Buquet raconte les menaces de Jean-Michel Aulas pour que le match reprenne", + "description": "Le Buquet final.
    \n
    \nLe Lyon-Marseille interrompu le 21 novembre…

    ", + "content": "Le Buquet final.
    \n
    \nLe Lyon-Marseille interrompu le 21 novembre…

    ", "category": "", - "link": "https://www.sofoot.com/un-milliardaire-russe-pour-reprendre-l-as-saint-etienne-507606.html", + "link": "https://www.sofoot.com/ol-om-ruddy-buquet-raconte-les-menaces-de-jean-michel-aulas-pour-que-le-match-reprenne-507949.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T09:14:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-milliardaire-russe-pour-reprendre-l-as-saint-etienne-1638177608_x600_articles-507606.jpg", + "pubDate": "2021-12-07T08:37:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ol-om-ruddy-buquet-raconte-les-menaces-de-jean-michel-aulas-pour-que-le-match-reprenne-1638867601_x600_articles-507949.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61712,17 +66579,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ef70e0cb6262946b55f6a880c7145b42" + "hash": "8c9ae5c2d75fbd0b5c5ab86af91a988c" }, { - "title": "Ils viennent des États-Unis pour voir Tottenham joueur à Burnley avant que le match soit annulé", - "description": "Ça s'appelle gâcher son week-end.
    \n
    \nTrente et une heures. C'est le temps qu'il a fallu à Ken et sa compagne pour arriver à Burnley ce dimanche, depuis Dallas aux États-Unis.…

    ", - "content": "Ça s'appelle gâcher son week-end.
    \n
    \nTrente et une heures. C'est le temps qu'il a fallu à Ken et sa compagne pour arriver à Burnley ce dimanche, depuis Dallas aux États-Unis.…

    ", + "title": "Willy Caballero, sans club, rejoint Southampton pour un mois", + "description": "À noter qu'aucune convention de stage n'est stipulée dans la transaction.
    \n
    \nTenter le grand défi du Mois sans Tabac ? C'est possible. Ne pas boire une goute d'alcool pendant la…

    ", + "content": "À noter qu'aucune convention de stage n'est stipulée dans la transaction.
    \n
    \nTenter le grand défi du Mois sans Tabac ? C'est possible. Ne pas boire une goute d'alcool pendant la…

    ", "category": "", - "link": "https://www.sofoot.com/ils-viennent-des-etats-unis-pour-voir-tottenham-joueur-a-burnley-avant-que-le-match-soit-annule-507602.html", + "link": "https://www.sofoot.com/willy-caballero-sans-club-rejoint-southampton-pour-un-mois-507948.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T08:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ils-viennent-des-etats-unis-pour-voir-tottenham-joueur-a-burnley-avant-que-le-match-soit-annule-1638175391_x600_articles-507602.jpg", + "pubDate": "2021-12-07T08:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-willy-caballero-sans-club-rejoint-southampton-pour-un-mois-1638865329_x600_articles-507948.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61732,17 +66599,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "086f2d4c2eb3403a4dbc6b417dfd4e53" + "hash": "f056697603bc32129119111b768e22cf" }, { - "title": "Carlo Ancelotti après Séville-Real Madrid : \"Vinícius Júnior décisif ? C'est une autre étape pour devenir l'un des meilleurs du Monde\"", - "description": "Tout pareil.
    \n
    \nOnze buts et sept passes décisives en dix-neuf rencontres toutes compétitions confondues contre seize réalisations et huit caviars : finalement à quelques statistiques…

    ", - "content": "Tout pareil.
    \n
    \nOnze buts et sept passes décisives en dix-neuf rencontres toutes compétitions confondues contre seize réalisations et huit caviars : finalement à quelques statistiques…

    ", + "title": "Pronostic PSG Bruges : Analyse, cotes et prono du match de Ligue des Champions", + "description": "Après le quasi carton plein sur le dernier match des Bleus, et le Lille-Salzbourg et le Manchester City - PSG de la dernière journée de C1 !

    Déposez 100€ et misez directement avec 200€ sur PSG - Club Bruges

    \n
    \n
    ", + "content": "

    Déposez 100€ et misez directement avec 200€ sur PSG - Club Bruges

    \n
    \n

    ", "category": "", - "link": "https://www.sofoot.com/carlo-ancelotti-apres-seville-real-madrid-vinicius-junior-decisif-c-est-une-autre-etape-pour-devenir-l-un-des-meilleurs-du-monde-507604.html", + "link": "https://www.sofoot.com/pronostic-psg-bruges-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507932.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T08:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-carlo-ancelotti-apres-seville-real-madrid-vinicius-junior-decisif-c-est-une-autre-etape-pour-devenir-l-un-des-meilleurs-du-monde-1638175939_x600_articles-507604.jpg", + "pubDate": "2021-12-06T12:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-psg-bruges-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638795361_x600_articles-507932.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61752,17 +66619,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "28f0c314bd8b396d8d8c258e37b10266" + "hash": "a650647386e4df7e29a860b36f5eee63" }, { - "title": "Les supporters des Rangers improvisent une bataille de boules de neige à la mi-temps", - "description": "Le perdant passe 45 minutes trempé à se les geler.
    \n
    \nÀ l'heure où l'International Football Association Board (IFAB), l'institution qui régit les lois du jeu du football, songe à…

    ", - "content": "Le perdant passe 45 minutes trempé à se les geler.
    \n
    \nÀ l'heure où l'International Football Association Board (IFAB), l'institution qui régit les lois du jeu du football, songe à…

    ", + "title": "Paris Saint-Germain, le jeu c'est maintenant", + "description": "Déjà qualifié pour les huitièmes de finale de la Ligue des champions et assuré de terminer à la deuxième place de son groupe, le PSG affronte Bruges au Parc des Princes dans une rencontre sans enjeu pour le club de la capitale d'un point de vue comptable. Sauf qu'il pourrait justement permettre de proposer du jeu et ainsi servir de déclic pour les matchs à venir.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/les-supporters-des-rangers-improvisent-une-bataille-de-boules-de-neige-a-la-mi-temps-507601.html", + "link": "https://www.sofoot.com/paris-saint-germain-le-jeu-c-est-maintenant-507946.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T08:44:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-des-rangers-improvisent-une-bataille-de-boules-de-neige-a-la-mi-temps-1638175157_x600_articles-507601.jpg", + "pubDate": "2021-12-07T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-paris-saint-germain-le-jeu-c-est-maintenant-1638813831_x600_articles-alt-507946.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61772,17 +66639,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b5dbb1298a91f4892c626abdb0e9acba" + "hash": "08f10534a429b75f67f94a41cff9d655" }, { - "title": "Neymar (PSG) pourrait être absent six semaines", - "description": "Pour une fois qu'il commençait à gérer sur le terrain.
    \n
    \n\"Il va falloir voir ça demain, mais à la télévision, les images sont impressionnantes. J'espère que ce n'est pas un…

    ", - "content": "Pour une fois qu'il commençait à gérer sur le terrain.
    \n
    \n\"Il va falloir voir ça demain, mais à la télévision, les images sont impressionnantes. J'espère que ce n'est pas un…

    ", + "title": "Pierre Kalulu : \"On ne m'a jamais formé à être défenseur\"", + "description": "En l'espace d'un an, Pierre Kalulu (21 ans) est passé de la réserve de l'Olympique lyonnais à des combinaisons avec Zlatan Ibrahimović à base d'aile de pigeon au Milan, l'actuel leader de Serie A. Le défenseur ultra-polyvalent des Rossoneri et de l'équipe de France espoirs se confie sur son jeu, son caractère et le vestiaire milanais où le géant suédois se révèle être \"un bon collègue\".
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/neymar-psg-pourrait-etre-absent-six-semaines-507603.html", + "link": "https://www.sofoot.com/pierre-kalulu-on-ne-m-a-jamais-forme-a-etre-defenseur-507940.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T08:22:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-neymar-psg-pourrait-etre-absent-six-semaines-1638174116_x600_articles-507603.jpg", + "pubDate": "2021-12-07T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pierre-kalulu-on-ne-m-a-jamais-forme-a-etre-defenseur-1638807985_x600_articles-alt-507940.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61792,17 +66659,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a2649de51e3f207274cd75c7e5df552a" + "hash": "abd34ac7a460e0734ff548aff6aa8d33" }, { - "title": "LOTO du lundi 29 novembre 2021 : 28 millions d'€ à gagner (cagnotte record) !", - "description": "Le plus gros gain de l'histoire de la loterie française est à remporter ce lundi 29 novembre 2021. La FDJ met en jeu une cagnotte LOTO de 28 millions d'euros

    LOTO du lundi 29 novembre 2021 : 28 Millions d'€

    \n
    \nCe lundi 29 novembre 2021, la cagnotte du LOTO est à 28 millions d'euros, un montant…
    ", - "content": "

    LOTO du lundi 29 novembre 2021 : 28 Millions d'€

    \n
    \nCe lundi 29 novembre 2021, la cagnotte du LOTO est à 28 millions d'euros, un montant…
    ", + "title": "Vinícius Júnior, si señor !", + "description": "L'an passé, Vinícius Júnior était raillé pour son manque d'efficacité devant le but. Désormais, il est plus qu'un complément de Karim Benzema et s'affirme comme l'un des meilleurs joueurs du championnat espagnol. En l'absence du Français ce mardi face à l'Inter, c'est lui qui portera l'attaque madrilène.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/loto-du-lundi-29-novembre-2021-28-millions-d-e-a-gagner-cagnotte-record-507569.html", + "link": "https://www.sofoot.com/vinicius-junior-si-senor-507927.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T06:11:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-loto-du-lundi-29-novembre-2021-28-millions-d-e-a-gagner-cagnotte-record-1638097289_x600_articles-507569.jpg", + "pubDate": "2021-12-07T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-vinicius-junior-si-senor-1638790181_x600_articles-alt-507927.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61812,17 +66679,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e04dbc6514e9545e1e970584cbe8afe" + "hash": "2866dd5f3491d50e33e83b836a2f13e2" }, { - "title": "La triste danse du Flamengo", - "description": "Après prolongation ce samedi, Palmeiras a battu Flamengo en finale du match le plus important de l'année en Amérique du Sud (2-1), la finale de la Copa Libertadores. L'équipe de São Paulo a renversé celle de Rio de Janeiro, où la fête annoncée n'a pas eu lieu.Il est 20h45 en bas de la favela de Cantagalo à Rio de Janeiro. Marcos Vinicius, 24 ans, mâche une frite de manioc le regard vide. Sur son dos s'étale le maillot rayé de rouge et de noir du…", - "content": "Il est 20h45 en bas de la favela de Cantagalo à Rio de Janeiro. Marcos Vinicius, 24 ans, mâche une frite de manioc le regard vide. Sur son dos s'étale le maillot rayé de rouge et de noir du…", + "title": "Everton scalpe Arsenal et renoue avec la victoire", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-triste-danse-du-flamengo-507593.html", + "link": "https://www.sofoot.com/everton-scalpe-arsenal-et-renoue-avec-la-victoire-507921.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-triste-danse-du-flamengo-1638122127_x600_articles-alt-507593.jpg", + "pubDate": "2021-12-06T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-everton-scalpe-arsenal-et-renoue-avec-la-victoire-1638828272_x600_articles-507921.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61832,37 +66699,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b30565012e59df3192e0633bafdeec5" + "hash": "b01230ad0fe59f404294d12fec9a85e2" }, { - "title": "Ce qu'il faut retenir des matchs de Coupe de France du dimanche 28 novembre ", - "description": "Comme chaque année, le huitième tour de la Coupe de France a réservé quelques belles surprises. Au programme, le scalp du Havre dans la Vienne, une remontada signée Jean-Pierre Papin ou encore la fin d'un rêve au stade la Licorne.

  • La surprise du jour : US…
  • ", - "content": "

  • La surprise du jour : US…
  • ", + "title": "Niort fait chuter le leader Toulouse", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-dimanche-28-novembre-507592.html", + "link": "https://www.sofoot.com/niort-fait-chuter-le-leader-toulouse-507920.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-dimanche-28-novembre-1638129573_x600_articles-alt-507592.jpg", + "pubDate": "2021-12-06T21:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-niort-fait-chuter-le-leader-toulouse-1638825773_x600_articles-507920.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "9b8f9df104dd860623348252840289d3" + "hash": "ffc1701e71929f9e9ca9017279e47d1d" }, { - "title": "Ces trois infos du week-end vont vous étonner", - "description": "Parce qu'il n'y a pas que les championnats du Big Five dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : une fin de série pour le Red Bull Salzburg, une énorme déconvenue pour le Club América et une première très attendue du côté de Saint-Marin.

    ", - "content": "

    ", + "title": "Andrés Iniesta dans le onze type de la saison au Japon", + "description": "Trente-sept ans et toujours aussi fringant.
    \n
    \nAndrés Iniesta a été récompensé au Japon par une présence dans le onze type de la saison de J-League. C'est le seul joueur du Vissel…

    ", + "content": "Trente-sept ans et toujours aussi fringant.
    \n
    \nAndrés Iniesta a été récompensé au Japon par une présence dans le onze type de la saison de J-League. C'est le seul joueur du Vissel…

    ", "category": "", - "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-507588.html", + "link": "https://www.sofoot.com/andres-iniesta-dans-le-onze-type-de-la-saison-au-japon-507945.html", "creator": "SO FOOT", - "pubDate": "2021-11-29T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ces-trois-infos-du-week-end-vont-vous-etonner-1638124266_x600_articles-alt-507588.jpg", + "pubDate": "2021-12-06T16:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-andres-iniesta-dans-le-onze-type-de-la-saison-au-japon-1638810522_x600_articles-507945.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61872,17 +66739,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7448d0fe56b85091c6a6c2cba6aa9451" + "hash": "f12044daa1cd517ee672914633d64a2f" }, { - "title": "Le Real sauvé par son duo Benzema-Vinícius face à Séville", - "description": "Dans le choc de la 14e journée, le Real a pris le meilleur sur le Séville FC (2-1). Rapidement menés, les Merengues ont été sauvés par le duo Benzema-Vinícius, qui permet au leader du championnat de s'envoler en tête de la Liga.

    ", - "content": "

    ", + "title": "La CAN pourrait être délocalisée au Qatar", + "description": "Le flou règne concernant la tenue de la Coupe d'Afrique des nations 2022.
    \n
    \nPrévue initialement du 9 janvier au 6 février au Cameroun, la compétition pourrait tout simplement être…

    ", + "content": "Le flou règne concernant la tenue de la Coupe d'Afrique des nations 2022.
    \n
    \nPrévue initialement du 9 janvier au 6 février au Cameroun, la compétition pourrait tout simplement être…

    ", "category": "", - "link": "https://www.sofoot.com/le-real-sauve-par-son-duo-benzema-vinicius-face-a-seville-507565.html", + "link": "https://www.sofoot.com/la-can-pourrait-etre-delocalisee-au-qatar-507944.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T22:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-real-sauve-par-son-duo-benzema-vinicius-face-a-seville-1638136496_x600_articles-507565.jpg", + "pubDate": "2021-12-06T16:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-can-pourrait-etre-delocalisee-au-qatar-1638809161_x600_articles-507944.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61892,17 +66759,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "51f79b0e6f5de77594865541929c08fc" + "hash": "cfe2f32dc419266364b721b416d2984d" }, { - "title": "L'OM glace Troyes dans le silence du Vélodrome", - "description": "Dans une partie déprimante du fait du huis clos du Vélodrome, mais aussi du contenu mollasson proposé par Marseille et l'ESTAC, les Phocéens ont fait la différence en seconde période grâce à Dimitri Payet et Pol Lirola (1-0). Une manière de se remettre les idées en place, sans la manière.

    ", - "content": "

    ", + "title": "Nathalie Boy de la Tour rejoint le conseil d'administration du RC Lens", + "description": "Première recrue hivernale chez les Sang et Or.
    \n
    \nEt ce ne sera pas pour venir combler un effectif déjà bien garni, mais plutôt pour renforcer les rangs des missions hors terrain. Dans…

    ", + "content": "Première recrue hivernale chez les Sang et Or.
    \n
    \nEt ce ne sera pas pour venir combler un effectif déjà bien garni, mais plutôt pour renforcer les rangs des missions hors terrain. Dans…

    ", "category": "", - "link": "https://www.sofoot.com/l-om-glace-troyes-dans-le-silence-du-velodrome-507597.html", + "link": "https://www.sofoot.com/nathalie-boy-de-la-tour-rejoint-le-conseil-d-administration-du-rc-lens-507943.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T21:46:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-om-glace-troyes-dans-le-silence-du-velodrome-1638135844_x600_articles-alt-507597.jpg", + "pubDate": "2021-12-06T15:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nathalie-boy-de-la-tour-rejoint-le-conseil-d-administration-du-rc-lens-1638809445_x600_articles-507943.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61912,17 +66779,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4176b8bcbf455bdfa272c15fae8a9a06" + "hash": "a1ca370eb62d7fa99869354e55d2a6f3" }, { - "title": "Naples humilie la Lazio", - "description": "

    ", - "content": "

    ", + "title": "Une incroyable série sans succès pour Levante ", + "description": "La série qui fait mal.
    \n
    \nÀ la suite de son match nul face à Osasuna ce dimanche (0-0), Levante compte désormais 24 matchs sans victoire en Liga, égalant la série du Sporting Gijón…

    ", + "content": "La série qui fait mal.
    \n
    \nÀ la suite de son match nul face à Osasuna ce dimanche (0-0), Levante compte désormais 24 matchs sans victoire en Liga, égalant la série du Sporting Gijón…

    ", "category": "", - "link": "https://www.sofoot.com/naples-humilie-la-lazio-507596.html", + "link": "https://www.sofoot.com/une-incroyable-serie-sans-succes-pour-levante-507942.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T21:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-naples-humilie-la-lazio-1638136301_x600_articles-507596.jpg", + "pubDate": "2021-12-06T15:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-une-incroyable-serie-sans-succes-pour-levante-1638806030_x600_articles-507942.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61932,17 +66799,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4b3c41082390e98defb5d815582989b0" + "hash": "f5a9108868a21645fe00c27bdb3baa71" }, { - "title": "En direct : Marseille - Troyes", - "description": "67' : Bonne nouvelle : le Didier Drogba 3.0 va entrer.", - "content": "67' : Bonne nouvelle : le Didier Drogba 3.0 va entrer.", + "title": "Placé en détention, Massimo Ferrero quitte la présidence de la Sampdoria ", + "description": "Coup de massue sur la Samp.
    \n
    \nSon président Massimo Ferrero vient d'être placé en détention provisoire par la garde financière italienne. Accusé d'avoir mis en faillite de manière…

    ", + "content": "Coup de massue sur la Samp.
    \n
    \nSon président Massimo Ferrero vient d'être placé en détention provisoire par la garde financière italienne. Accusé d'avoir mis en faillite de manière…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-marseille-troyes-507571.html", + "link": "https://www.sofoot.com/place-en-detention-massimo-ferrero-quitte-la-presidence-de-la-sampdoria-507941.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T19:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-marseille-troyes-1638097505_x600_articles-507571.jpg", + "pubDate": "2021-12-06T15:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-place-en-detention-massimo-ferrero-quitte-la-presidence-de-la-sampdoria-1638805627_x600_articles-507941.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61952,17 +66819,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "1b05e5b05409f71438be6a31353e6084" + "hash": "3176e60bb96491e2777b88a185805477" }, { - "title": "L'Atlético maîtrise Cadix", - "description": "

    ", - "content": "

    ", + "title": "Le Cannet ne sait pas comment il va accueillir l'OM", + "description": "La magie de la Coupe de France.
    \n
    \nLe tirage au sort des 32es de…

    ", + "content": "La magie de la Coupe de France.
    \n
    \n
    Le tirage au sort des 32es de…

    ", "category": "", - "link": "https://www.sofoot.com/l-atletico-maitrise-cadix-507594.html", + "link": "https://www.sofoot.com/le-cannet-ne-sait-pas-comment-il-va-accueillir-l-om-507938.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T19:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-maitrise-cadix-1638127892_x600_articles-507594.jpg", + "pubDate": "2021-12-06T15:03:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-cannet-ne-sait-pas-comment-il-va-accueillir-l-om-1638805227_x600_articles-507938.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61972,17 +66839,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ca909db7a96762fd18ceae4f6a3495d" + "hash": "631d5da6c52f3fa69b5f0a619e5f30da" }, { - "title": "Une petite Roma douche le Torino", - "description": "

    ", - "content": "

    ", + "title": "Affaire de la sextape : Karim Zenati fait aussi appel", + "description": "Du rab pour la justice.
    \n
    \nDans la foulée du verdict rendu par le tribunal de Versailles le 24 novembre dernier,…

    ", + "content": "Du rab pour la justice.
    \n
    \nDans la foulée du verdict rendu par le tribunal de Versailles le 24 novembre dernier,…

    ", "category": "", - "link": "https://www.sofoot.com/une-petite-roma-douche-le-torino-507585.html", + "link": "https://www.sofoot.com/affaire-de-la-sextape-karim-zenati-fait-aussi-appel-507937.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T19:04:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-une-petite-roma-douche-le-torino-1638126571_x600_articles-507585.jpg", + "pubDate": "2021-12-06T14:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-affaire-de-la-sextape-karim-zenati-fait-aussi-appel-1638803117_x600_articles-507937.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -61992,17 +66859,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "57087e38a3636b3e21d50edf5d428b2b" + "hash": "707b40dd5b43034377ce2eee3da786d0" }, { - "title": "Les notes de Chelsea-Manchester United", - "description": "Au terme d'un match solide, Manchester United est parvenu à freiner Chelsea dans son antre (1-1). Paradoxe : la défense de Manchester, pourtant l'une des pires du Royaume, a largement fait le boulot, à l'image de Lindelöf, tandis que l'attaque de Chelsea, pourtant l'une des meilleures d'Angleterre, a bégayé son football, à l'instar d'un Werner en mode vendanges.

    Ils ont réchauffé la nuit londonienne


    \n
    \n

    ", - "content": "

    Ils ont réchauffé la nuit londonienne


    \n
    \n

    ", + "title": "Lukas Podolski étend son empire du kebab", + "description": "Meilleur buteur et meilleur kebabier.
    \n
    \nLukas Podolski sait comment atteindre le cœur des supporters là où il passe. Après avoir commencé
    ", + "content": "Meilleur buteur et meilleur kebabier.
    \n
    \nLukas Podolski sait comment atteindre le cœur des supporters là où il passe. Après avoir commencé
    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-chelsea-manchester-united-507595.html", + "link": "https://www.sofoot.com/lukas-podolski-etend-son-empire-du-kebab-507936.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T18:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-chelsea-manchester-united-1638124866_x600_articles-alt-507595.jpg", + "pubDate": "2021-12-06T13:48:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lukas-podolski-etend-son-empire-du-kebab-1638799418_x600_articles-507936.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62012,17 +66879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c589782da12a033d18304d26740d8ec" + "hash": "c4a7ff941b024c7c0a7c7cce87cf3295" }, { - "title": "Manchester United résiste à Chelsea", - "description": "Largement dominé sur la pelouse d'un Chelsea encore impressionnant, Manchester United ramène un bon point de Londres (1-1). Les Red Devils ont profité d'une improbable erreur de Jorginho pour prendre les devants, avant d'être rejoints sur un penalty de l'Italien. Les Blues peuvent s'en vouloir, eux qui laissent échapper deux points précieux dans la course au titre.

    ", - "content": "

    ", + "title": "Faivre, Matazo et Beye donnent pour le Téléthon", + "description": "Non, vous n'avez vu aucun talent de la Ligue 1 sur le plateau de Nagui pour l'annuelle soirée du téléthon vendredi dernier.
    \n
    \nAutre chose à faire ? Allergiques aux chaussures pour…

    ", + "content": "Non, vous n'avez vu aucun talent de la Ligue 1 sur le plateau de Nagui pour l'annuelle soirée du téléthon vendredi dernier.
    \n
    \nAutre chose à faire ? Allergiques aux chaussures pour…

    ", "category": "", - "link": "https://www.sofoot.com/manchester-united-resiste-a-chelsea-507584.html", + "link": "https://www.sofoot.com/faivre-matazo-et-beye-donnent-pour-le-telethon-507935.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T18:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-resiste-a-chelsea-1638124063_x600_articles-alt-507584.jpg", + "pubDate": "2021-12-06T13:43:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-faivre-matazo-et-beye-donnent-pour-le-telethon-1638799149_x600_articles-507935.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62032,17 +66899,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "633a71f4367a21303763f01613661b7c" + "hash": "39b221e120b97425666d9405c26283e3" }, { - "title": "Leverkusen maîtrise Leipzig", - "description": "

    ", - "content": "

    ", + "title": "Joey Barton relaxé par la justice anglaise", + "description": "Joey dans tous les bons coups.
    \n
    \nArrivé au poste d'entraîneur de Bristol en février dernier, Barton fait décidément parler de lui où qu'il aille. Déjà
    ", + "content": "Joey dans tous les bons coups.
    \n
    \nArrivé au poste d'entraîneur de Bristol en février dernier, Barton fait décidément parler de lui où qu'il aille. Déjà
    ", "category": "", - "link": "https://www.sofoot.com/leverkusen-maitrise-leipzig-507583.html", + "link": "https://www.sofoot.com/joey-barton-relaxe-par-la-justice-anglaise-507934.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T18:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-leverkusen-maitrise-leipzig-1638124249_x600_articles-507583.jpg", + "pubDate": "2021-12-06T13:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-joey-barton-relaxe-par-la-justice-anglaise-1638800219_x600_articles-507934.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62052,17 +66919,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "11e15d71351531a607f22ce99c1ba27d" + "hash": "a6123d4600a22456298fefbd494a75b7" }, { - "title": "Lyon glace Montpellier ", - "description": "Victorieux en Ligue Europa cette semaine, Lyon enchaîne enfin en s'imposant de justesse sur le terrain de Montpellier ce dimanche (0-1). C'est seulement la deuxième victoire à l'extérieur des Rhodaniens cette saison en championnat, et elle fait du bien.

    ", - "content": "

    ", + "title": "SoFoot Ligue : Nos conseils pour faire vos picks de la semaine 15", + "description": "Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", "category": "", - "link": "https://www.sofoot.com/lyon-glace-montpellier-507587.html", + "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-15-507933.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T18:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lyon-glace-montpellier-1638121963_x600_articles-alt-507587.jpg", + "pubDate": "2021-12-06T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-15-1638794458_x600_articles-507933.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62072,17 +66939,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "987964f2b693ff21c4b9f779d59d1104" + "hash": "e8ad82965f512fe98999e7b351361410" }, { - "title": "L'Espanyol fait tomber la Real Sociedad", - "description": "

    ", - "content": "

    ", + "title": "Et si l'Inter ne s'était pas affaiblie ?", + "description": "Après sa raclée administrée à la Roma pour le compte de la seizième journée de Serie A, l'impression est confirmée : cette Inter version Simone Inzaghi, deuxième du championnat entre Milan et Naples, est monstrueuse. Une belle surprise, au vu des départs et changements subis au sein du club cet été.Après l'affrontement, qui n'en était finalement pas vraiment un, José Mourinho s'est sans doute mis en mode nostalgie. Lui qui avait tant gagné avec l'Inter il y a maintenant plus d'une décennie…", + "content": "Après l'affrontement, qui n'en était finalement pas vraiment un, José Mourinho s'est sans doute mis en mode nostalgie. Lui qui avait tant gagné avec l'Inter il y a maintenant plus d'une décennie…", "category": "", - "link": "https://www.sofoot.com/l-espanyol-fait-tomber-la-real-sociedad-507591.html", + "link": "https://www.sofoot.com/et-si-l-inter-ne-s-etait-pas-affaiblie-507897.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T17:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-espanyol-fait-tomber-la-real-sociedad-1638120154_x600_articles-507591.jpg", + "pubDate": "2021-12-06T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-et-si-l-inter-ne-s-etait-pas-affaiblie-1638781932_x600_articles-alt-507897.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62092,17 +66959,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d2bafb7d85f684143a6a0a75c795b90" + "hash": "c4d45746178e01ad06f7fddcf9937181" }, { - "title": "Jürgen Klopp pas vraiment emballé par le derby de la Mersey", - "description": "Curieux raisonnement.
    \n
    \nEn déplacement à Goodison Park mercredi prochain afin d'y affronter Everton pour le compte de la quatorzième journée de Premier League, Liverpool s'apprête à…

    ", - "content": "Curieux raisonnement.
    \n
    \nEn déplacement à Goodison Park mercredi prochain afin d'y affronter Everton pour le compte de la quatorzième journée de Premier League, Liverpool s'apprête à…

    ", + "title": "Top 7 : on a tous cru à ces (faux) buts", + "description": "Humiliée sur sa propre pelouse par l'Inter samedi (0-3), l'AS Roma pensait sauver l'honneur à la 82e minute par Nicolò Zaniolo, auteur d'une superbe mine en lucarne. Tout le monde y a cru, mais ce n'était en fait qu'une cruelle illusion d'optique. Et c'est loin d'être la première fois que ça arrive. C'est parti pour un top 100% illusion.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/jurgen-klopp-pas-vraiment-emballe-par-le-derby-de-la-mersey-507590.html", + "link": "https://www.sofoot.com/top-7-on-a-tous-cru-a-ces-faux-buts-507890.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T16:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-jurgen-klopp-pas-vraiment-emballe-par-le-derby-de-la-mersey-1638117904_x600_articles-507590.jpg", + "pubDate": "2021-12-06T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-top-7-on-a-tous-cru-a-ces-faux-buts-1638710066_x600_articles-alt-507890.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62112,17 +66979,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "7eced8db9edd2098c4017248d04db129" + "hash": "747f4a7ea05eeac1292bdf3387f891f3" }, { - "title": "En direct : Chelsea - Manchester United", - "description": "98' : THE END !
    \n
    \nLe gros coup de MU, venu avec bulldozer en défense et qui repart avec un point ...", - "content": "98' : THE END !
    \n
    \nLe gros coup de MU, venu avec bulldozer en défense et qui repart avec un point ...", + "title": "Tromsø lance un maillot QR code qui dénonce le Qatar", + "description": "L'air nordique est bon pour la créativité.
    \n
    \nClub de la plus grande ville au nord du cercle polaire arctique, Tromsø IL, actuel 12e du championnat norvégien, a dévoilé un…

    ", + "content": "L'air nordique est bon pour la créativité.
    \n
    \nClub de la plus grande ville au nord du cercle polaire arctique, Tromsø IL, actuel 12e du championnat norvégien, a dévoilé un…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-chelsea-manchester-united-507543.html", + "link": "https://www.sofoot.com/troms-c3-b8-lance-un-maillot-qr-code-qui-denonce-le-qatar-507931.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T16:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-chelsea-manchester-united-1638120273_x600_articles-alt-507543.jpg", + "pubDate": "2021-12-06T12:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-troms-c3-b8-lance-un-maillot-qr-code-qui-denonce-le-qatar-1638793792_x600_articles-507931.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62132,17 +66999,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2c80a80c732219485661e2d5793a1e96" + "hash": "af0337d99a3b034b2f8b82c5ded77dd6" }, { - "title": "Rennes fait craquer Lorient et passe deuxième", - "description": "Le nouveau dauphin du PSG, c'est le SRFC.

    ", - "content": "

    ", + "title": "Pronostic Shakhtar Donetsk Sheriff Tiraspol : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Shakhtar Donetsk se console face au Sheriff Tiraspol

    \n
    \nAvec un seul point au compteur, le Shakhtar Donetsk est éliminé de toutes compétitions…
    ", + "content": "

    Le Shakhtar Donetsk se console face au Sheriff Tiraspol

    \n
    \nAvec un seul point au compteur, le Shakhtar Donetsk est éliminé de toutes compétitions…
    ", "category": "", - "link": "https://www.sofoot.com/rennes-fait-craquer-lorient-et-passe-deuxieme-507579.html", + "link": "https://www.sofoot.com/pronostic-shakhtar-donetsk-sheriff-tiraspol-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507929.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-rennes-fait-craquer-lorient-et-passe-deuxieme-1638115580_x600_articles-507579.jpg", + "pubDate": "2021-12-06T11:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-shakhtar-donetsk-sheriff-tiraspol-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638792501_x600_articles-507929.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62152,17 +67019,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac89893605fb2b76333065b45ebed7b2" + "hash": "145285f6a7302bc24ea4a0931bc89887" }, { - "title": "Sassuolo lessive Milan", - "description": "

    ", - "content": "

    ", + "title": "Les supporters des Rangers interdits de déplacement à Lyon à 3 jours du match", + "description": "Décidément, tout ce qui est bleu n'est pas le bienvenu à Décines.
    \n
    \nLes 2200 supporters du Rangers FC qui devaient assister à la rencontre à Lyon ce jeudi dans le cadre de la…

    ", + "content": "Décidément, tout ce qui est bleu n'est pas le bienvenu à Décines.
    \n
    \nLes 2200 supporters du Rangers FC qui devaient assister à la rencontre à Lyon ce jeudi dans le cadre de la…

    ", "category": "", - "link": "https://www.sofoot.com/sassuolo-lessive-milan-507577.html", + "link": "https://www.sofoot.com/les-supporters-des-rangers-interdits-de-deplacement-a-lyon-a-3-jours-du-match-507959.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sassuolo-lessive-milan-1638115535_x600_articles-507577.jpg", + "pubDate": "2021-12-07T10:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-des-rangers-interdits-de-deplacement-a-lyon-a-3-jours-du-match-1638871493_x600_articles-507959.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62172,17 +67039,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "529b25da30471b4b097bd9a95133d654" + "hash": "35abe3e351fbd25d15ea537f3e4e6e59" }, { - "title": "Deux penaltys, mais pas de vainqueurs entre Monaco et Strasbourg", - "description": "Monaco avance (toujours) au ralenti.

    ", - "content": "

    ", + "title": "Le Standard de Liège va fermer une partie de ses tribunes après les débordements contre Charleroi", + "description": "Liège hors de ses standards.
    \n
    \nLe derby entre le Standard de Liège et Charleroi, disputé ce dimanche (0-3),
    ", + "content": "Liège hors de ses standards.
    \n
    \nLe derby entre le Standard de Liège et Charleroi, disputé ce dimanche (0-3),
    ", "category": "", - "link": "https://www.sofoot.com/deux-penaltys-mais-pas-de-vainqueurs-entre-monaco-et-strasbourg-507542.html", + "link": "https://www.sofoot.com/le-standard-de-liege-va-fermer-une-partie-de-ses-tribunes-apres-les-debordements-contre-charleroi-507930.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-deux-penaltys-mais-pas-de-vainqueurs-entre-monaco-et-strasbourg-1638114901_x600_articles-507542.jpg", + "pubDate": "2021-12-06T11:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-standard-de-liege-va-fermer-une-partie-de-ses-tribunes-apres-les-debordements-contre-charleroi-1638792280_x600_articles-507930.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62192,17 +67059,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5625b41868abf17ab7a9c34d224ad37f" + "hash": "2b60a03a6f02f94b724064457c40eb25" }, { - "title": "Sous la neige, Manchester City et Leicester s'évitent un coup de froid", - "description": "Pas de Burnley-Tottenham ce dimanche après-midi, la faute à de grosses chutes de neige dans le Lancashire, mais du spectacle sur les trois autres pelouses. Bravant le froid et les flocons, Manchester City a disposé de West Ham pour revenir provisoirement à hauteur du leader Chelsea (2-1). Porté par le duo Maddison-Vardy, Leicester est sorti vainqueur d'un duel spectaculaire contre Watford (4-2). Le promu Brentford a également gagné devant son public, au détriment d'Everton (1-0).

    ", - "content": "

    ", + "title": "Pronostic Borussia Dortmund Besiktas : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Borussia Dortmund finit en trombe face au Besiktas

    \n
    \nAnnoncé comme le favori de ce groupe, le Borussia Dortmund devra se contenter de la 3e
    ", + "content": "

    Le Borussia Dortmund finit en trombe face au Besiktas

    \n
    \nAnnoncé comme le favori de ce groupe, le Borussia Dortmund devra se contenter de la 3e
    ", "category": "", - "link": "https://www.sofoot.com/sous-la-neige-manchester-city-et-leicester-s-evitent-un-coup-de-froid-507536.html", + "link": "https://www.sofoot.com/pronostic-borussia-dortmund-besiktas-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507928.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T15:58:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sous-la-neige-manchester-city-et-leicester-s-evitent-un-coup-de-froid-1638115084_x600_articles-507536.jpg", + "pubDate": "2021-12-06T11:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-borussia-dortmund-besiktas-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638791249_x600_articles-507928.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62212,17 +67079,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6162c22eea998e05e93e2e44532db37b" + "hash": "cc6a8f990d5b4b322c868a1143e7e6e4" }, { - "title": "Brest renverse un triste Bordeaux", - "description": "Tout pour Le Douaron.

    ", - "content": "

    ", + "title": "Pronostic Milan AC Liverpool : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Un Milan AC – Liverpool avec des buts de chaque côté

    \n
    \nSi Liverpool est assuré de terminer en tête du groupe B de la Ligue des Champions et donc de…
    ", + "content": "

    Un Milan AC – Liverpool avec des buts de chaque côté

    \n
    \nSi Liverpool est assuré de terminer en tête du groupe B de la Ligue des Champions et donc de…
    ", "category": "", - "link": "https://www.sofoot.com/brest-renverse-un-triste-bordeaux-507581.html", + "link": "https://www.sofoot.com/pronostic-milan-ac-liverpool-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507926.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T15:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-brest-renverse-un-triste-bordeaux-1638115188_x600_articles-507581.jpg", + "pubDate": "2021-12-06T11:08:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-milan-ac-liverpool-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638790466_x600_articles-507926.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62232,17 +67099,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf56b811ab9c8cd88f91a0b1e6619ac8" + "hash": "760af34307dbf48c6d639a35161d3222" }, { - "title": "Reims l'emporte à l'arrachée face à Clermont", - "description": "L'été est déjà loin pour le Clermont Foot 63.

    ", - "content": "

    ", + "title": "Javier Tebas charge Florentino Pérez au sujet des accords commerciaux de la Liga", + "description": "Le meilleur ami du PSG s'est trouvé une nouvelle proie.
    \n
    \nSi l'inimitié entre Javier Tebas, l'actuel boss de la Liga, et Florentino Pérez, le patron du Real Madrid, n'est pas nouvelle,…

    ", + "content": "Le meilleur ami du PSG s'est trouvé une nouvelle proie.
    \n
    \nSi l'inimitié entre Javier Tebas, l'actuel boss de la Liga, et Florentino Pérez, le patron du Real Madrid, n'est pas nouvelle,…

    ", "category": "", - "link": "https://www.sofoot.com/reims-l-emporte-a-l-arrachee-face-a-clermont-507578.html", + "link": "https://www.sofoot.com/javier-tebas-charge-florentino-perez-au-sujet-des-accords-commerciaux-de-la-liga-507925.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T15:53:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-reims-l-emporte-a-l-arrachee-face-a-clermont-1638114534_x600_articles-507578.jpg", + "pubDate": "2021-12-06T11:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-javier-tebas-charge-florentino-perez-au-sujet-des-accords-commerciaux-de-la-liga-1638791986_x600_articles-507925.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62252,17 +67119,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "37d8412283776853d83a8111408c3f1a" + "hash": "5458c016565882a963d61373a8f3c8c3" }, { - "title": "Kolodziejczak : \"Si ce n'est pas Mbappé, il n'y a pas rouge\"", - "description": "Un carton rouge et une colère verte.
    \n
    \nExpulsé peu avant la pause face au Paris Saint-Germain, Timothée Kolodziejczak n'a pas décoléré après
    ", - "content": "Un carton rouge et une colère verte.
    \n
    \nExpulsé peu avant la pause face au Paris Saint-Germain, Timothée Kolodziejczak n'a pas décoléré après
    ", + "title": "D'après le CIES, Moussa Diaby et Kylian Mbappé ont actuellement la même valeur marchande", + "description": "Encore un ancien titi qui vole la vedette aux joueurs du PSG.
    \n
    \nDans sa lettre hebdomadaire, le…

    ", + "content": "Encore un ancien titi qui vole la vedette aux joueurs du PSG.
    \n
    \nDans sa lettre hebdomadaire, le…

    ", "category": "", - "link": "https://www.sofoot.com/kolodziejczak-si-ce-n-est-pas-mbappe-il-n-y-a-pas-rouge-507586.html", + "link": "https://www.sofoot.com/d-apres-le-cies-moussa-diaby-et-kylian-mbappe-ont-actuellement-la-meme-valeur-marchande-507923.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T15:26:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-kolodziejczak-si-ce-n-est-pas-mbappe-il-n-y-a-pas-rouge-1638113475_x600_articles-507586.jpg", + "pubDate": "2021-12-06T10:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-d-apres-le-cies-moussa-diaby-et-kylian-mbappe-ont-actuellement-la-meme-valeur-marchande-1638790380_x600_articles-507923.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62272,17 +67139,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3098a061f4f9df902b9d0f103b297366" + "hash": "221400dcb4dd6ce67443646982b8eb06" }, { - "title": "Le Club Bruges s'impose sur le fil à Genk", - "description": "

    ", - "content": "

    ", + "title": "Pronostic Ajax Sporting Lisbonne : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'Ajax finit en beauté face au Sporting

    \n
    \nLe groupe C de la Ligue des champions a déjà donné son verdict, puisque l'Ajax est assuré de terminer…
    ", + "content": "

    L'Ajax finit en beauté face au Sporting

    \n
    \nLe groupe C de la Ligue des champions a déjà donné son verdict, puisque l'Ajax est assuré de terminer…
    ", "category": "", - "link": "https://www.sofoot.com/le-club-bruges-s-impose-sur-le-fil-a-genk-507582.html", + "link": "https://www.sofoot.com/pronostic-ajax-sporting-lisbonne-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507924.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T14:41:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-club-bruges-s-impose-sur-le-fil-a-genk-1638110820_x600_articles-507582.jpg", + "pubDate": "2021-12-06T10:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-ajax-sporting-lisbonne-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638789125_x600_articles-507924.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62292,17 +67159,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee57e6c441e9cd45aa6bf86ba50b68f8" + "hash": "d949b4b8919dc535a0ffe34177276823" }, { - "title": "Paris fait fondre Saint-Étienne", - "description": "Grâce à un doublé de Marquinhos et un Lionel Messi plus en vue et auteur de trois passes décisives, le PSG a battu Saint-Étienne ce dimanche à Geoffroy-Guichard (3-1) et signe ainsi son treizième succès de la saison en Ligue 1. Seule ombre au tableau : la sortie sur civière de Neymar, touché à la cheville en fin de rencontre.

    ", - "content": "

    ", + "title": "Lucas Hernández : \"La première année et demie au Bayern a été la pire période de ma carrière\"", + "description": "Retour au terrain.
    \n
    \nPlus d'un mois après avoir appris qu'il n'irait pas derrière les barreaux pour…

    ", + "content": "Retour au terrain.
    \n
    \nPlus d'un mois après avoir appris qu'il n'irait pas derrière les barreaux pour…

    ", "category": "", - "link": "https://www.sofoot.com/paris-fait-fondre-saint-etienne-507575.html", + "link": "https://www.sofoot.com/lucas-hernandez-la-premiere-annee-et-demie-au-bayern-a-ete-la-pire-periode-de-ma-carriere-507922.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T14:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-paris-fait-fondre-saint-etienne-1638108565_x600_articles-alt-507575.jpg", + "pubDate": "2021-12-06T10:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lucas-hernandez-la-premiere-annee-et-demie-au-bayern-a-ete-la-pire-periode-de-ma-carriere-1638789513_x600_articles-507922.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62312,17 +67179,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a31c2b7f51368ef0f2f28d311eaec989" + "hash": "7cdfd5006c2a4f111e6b66ee3d522ab2" }, { - "title": "Burnley-Tottenham reporté en raison des fortes chutes de neige", - "description": "Let it Snow !
    \n
    \nLa rencontre opposant Burnley à Tottenham ce dimanche (15 heures) a été reportée à une date ultérieure en raison des intempéries frappant l'Angleterre. En…

    ", - "content": "Let it Snow !
    \n
    \nLa rencontre opposant Burnley à Tottenham ce dimanche (15 heures) a été reportée à une date ultérieure en raison des intempéries frappant l'Angleterre. En…

    ", + "title": "Loïc Perrin rejoint la direction de l'ASSE", + "description": "Plus d'entraîneur, mais un nouveau coordinateur sportif.
    \n
    \n\"L'AS Saint-Étienne annonce la…

    ", + "content": "Plus d'entraîneur, mais un nouveau coordinateur sportif.
    \n
    \n\"L'AS Saint-Étienne annonce la…

    ", "category": "", - "link": "https://www.sofoot.com/burnley-tottenham-reporte-en-raison-des-fortes-chutes-de-neige-507580.html", + "link": "https://www.sofoot.com/loic-perrin-rejoint-la-direction-de-l-asse-507918.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T13:56:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-burnley-tottenham-reporte-en-raison-des-fortes-chutes-de-neige-1638108048_x600_articles-507580.jpg", + "pubDate": "2021-12-06T09:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-loic-perrin-rejoint-la-direction-de-l-asse-1638784578_x600_articles-507918.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62332,17 +67199,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4737849494ffa24ed6de6a0dad81301b" + "hash": "b27315d04cc0e282589b9394f423ce84" }, { - "title": "Diogo Jota quitte son tournoi FIFA pour marquer face à Southampton", - "description": "Le virtuel devient réel.
    \n
    \nAuteur d'un doublé face à Southampton ce samedi (4-0), Diogo Jota a été…

    ", - "content": "Le virtuel devient réel.
    \n
    \nAuteur d'un doublé face à Southampton ce samedi (4-0), Diogo Jota a été…

    ", + "title": "Anthony Lopes : \"Douzièmes, c'est inadmissible quand on est l'OL\"", + "description": "Le Lyon qui miaule.
    \n
    \nAu terme d'un match nul frustrant contre les Girondins de Bordeaux ce dimanche…

    ", + "content": "Le Lyon qui miaule.
    \n
    \nAu terme d'un match nul frustrant contre les Girondins de Bordeaux ce dimanche…

    ", "category": "", - "link": "https://www.sofoot.com/diogo-jota-quitte-son-tournoi-fifa-pour-marquer-face-a-southampton-507576.html", + "link": "https://www.sofoot.com/anthony-lopes-douziemes-c-est-inadmissible-quand-on-est-l-ol-507917.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T13:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-diogo-jota-quitte-son-tournoi-fifa-pour-marquer-face-a-southampton-1638106506_x600_articles-507576.jpg", + "pubDate": "2021-12-06T09:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-anthony-lopes-douziemes-c-est-inadmissible-quand-on-est-l-ol-1638785840_x600_articles-507917.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62352,17 +67219,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7b1121083788a2b9ce71f657609282b" + "hash": "8756359b7684ae66a81f0fdb53a5d252" }, { - "title": "Un retour en équipe de France ? Lacazette y pense \"de moins en moins\"", - "description": "Lacazette et l'équipe de France, point final ?
    \n
    \nSa seizième et dernière sélection en équipe de France, le 14 novembre 2017 contre l'Allemagne (2-2) où il avait inscrit un doublé,…

    ", - "content": "Lacazette et l'équipe de France, point final ?
    \n
    \nSa seizième et dernière sélection en équipe de France, le 14 novembre 2017 contre l'Allemagne (2-2) où il avait inscrit un doublé,…

    ", + "title": "New York City rejoint Portland en finale de la MLS", + "description": "De quoi faire rechanter Frank Sinatra.
    \n
    \nLe New York City FC s'est qualifié pour la première fois de son histoire en finale de MLS en remportant ce dimanche la conférence Est du…

    ", + "content": "De quoi faire rechanter Frank Sinatra.
    \n
    \nLe New York City FC s'est qualifié pour la première fois de son histoire en finale de MLS en remportant ce dimanche la conférence Est du…

    ", "category": "", - "link": "https://www.sofoot.com/un-retour-en-equipe-de-france-lacazette-y-pense-de-moins-en-moins-507574.html", + "link": "https://www.sofoot.com/new-york-city-rejoint-portland-en-finale-de-la-mls-507913.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T11:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-un-retour-en-equipe-de-france-lacazette-y-pense-de-moins-en-moins-1638100959_x600_articles-507574.jpg", + "pubDate": "2021-12-06T09:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-new-york-city-rejoint-portland-en-finale-de-la-mls-1638783362_x600_articles-507913.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62372,17 +67239,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9f86a3292bf0dc2519420f6f462f92b" + "hash": "ad384f877f49abc8caaee66662410725" }, { - "title": "En direct : Saint-Étienne - PSG ", - "description": "94' : ET C'EST TERMINÉ !!!! Sainté, réduit à 10 juste avant la pause, aura longtemps résisté ...", - "content": "94' : ET C'EST TERMINÉ !!!! Sainté, réduit à 10 juste avant la pause, aura longtemps résisté ...", + "title": "Pronostic Porto Atlético Madrid : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Porto joue un sale tour à l'Atlético Madrid

    \n
    \nCette affiche entre le FC Porto et l'Atlético Madrid s'apparente à un 16e de finale…
    ", + "content": "

    Porto joue un sale tour à l'Atlético Madrid

    \n
    \nCette affiche entre le FC Porto et l'Atlético Madrid s'apparente à un 16e de finale…
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-saint-etienne-psg-507573.html", + "link": "https://www.sofoot.com/pronostic-porto-atletico-madrid-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507916.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T11:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-saint-etienne-psg-1638099645_x600_articles-507573.jpg", + "pubDate": "2021-12-06T09:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-porto-atletico-madrid-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638783414_x600_articles-507916.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62392,17 +67259,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "17c1a1fb85cc61ff86eff5c17e4db460" + "hash": "8c300db1e1c623d4b2bc97e69be5fe40" }, { - "title": "La simulation ridicule de Deyverson en finale de la Copa Libertadores", - "description": "Deyverson, nouvelle recrue du Hollywood FC.
    \n
    \nVainqueur de…

    ", - "content": "Deyverson, nouvelle recrue du Hollywood FC.
    \n
    \nVainqueur de…

    ", + "title": "Mo Salah met la pression sur le club pour sa prolongation", + "description": "Une situation pour le moins paradoxale.
    \n
    \nLorsque les dirigeants du FC…

    ", + "content": "Une situation pour le moins paradoxale.
    \n
    \nLorsque les dirigeants du FC…

    ", "category": "", - "link": "https://www.sofoot.com/la-simulation-ridicule-de-deyverson-en-finale-de-la-copa-libertadores-507572.html", + "link": "https://www.sofoot.com/mo-salah-met-la-pression-sur-le-club-pour-sa-prolongation-507915.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T11:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-la-simulation-ridicule-de-deyverson-en-finale-de-la-copa-libertadores-1638098204_x600_articles-507572.jpg", + "pubDate": "2021-12-06T09:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mo-salah-met-la-pression-sur-le-club-pour-sa-prolongation-1638782961_x600_articles-507915.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62412,17 +67279,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd70ad73a83a112b6d414e7065aea97f" + "hash": "9598b32d4659ab24b7742a0e067b2927" }, { - "title": "On était à Canet-en-Roussillon pour la qualification du Saint-Denis FC", - "description": "Face au Canet RFC, bourreau de l'OM l'an dernier, les joueurs et supporters du Saint-Denis FC ont fait mieux que simplement venger leur idole locale à Canet-en-Roussillon. Car au-delà de la belle qualification pour les 32es de finale de la doyenne des Coupes (1-1, 7-6 TAB), les fans du club réunionnais ont apporté leur bonne humeur à la Coupe de France et ravi leurs homologues canétois par leurs chants. En mode passage de flambeau ?\"On n'a pas pris d'hôtel pour ce soir. On verra en fonction du résultat si on reste faire la fête ou si on rentre à Toulouse. Nous, on est réunionnais, on s'adapte !\" : 11h45,…", - "content": "\"On n'a pas pris d'hôtel pour ce soir. On verra en fonction du résultat si on reste faire la fête ou si on rentre à Toulouse. Nous, on est réunionnais, on s'adapte !\" : 11h45,…", + "title": "Bosz : \"À mon avis, ça n'a rien à voir avec le système\"", + "description": "Une tentative de défense meilleure que celle de son équipe.
    \n
    \nDécevant depuis plusieurs semaines, l'Olympique lyonnais l'a encore été ce dimanche soir au Matmut Atlantique
    ", + "content": "Une tentative de défense meilleure que celle de son équipe.
    \n
    \nDécevant depuis plusieurs semaines, l'Olympique lyonnais l'a encore été ce dimanche soir au Matmut Atlantique
    ", "category": "", - "link": "https://www.sofoot.com/on-etait-a-canet-en-roussillon-pour-la-qualification-du-saint-denis-fc-507567.html", + "link": "https://www.sofoot.com/bosz-a-mon-avis-ca-n-a-rien-a-voir-avec-le-systeme-507919.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T11:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-on-etait-a-canet-en-roussillon-pour-la-qualification-du-saint-denis-fc-1638093659_x600_articles-alt-507567.jpg", + "pubDate": "2021-12-06T09:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bosz-a-mon-avis-ca-n-a-rien-a-voir-avec-le-systeme-1638785721_x600_articles-507919.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62432,17 +67299,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4feb2dda559567438696e1e032d4c1f" + "hash": "769c77f0baba041c792e13b0694a9c0f" }, { - "title": "Sergio Ramos : \"Je pense que je peux continuer à jouer pendant quatre ou cinq années encore\"", - "description": "El Churu est de retour.
    \n
    \nSeul élément du mercato estival XXL du Paris Saint-Germain à ne pas avoir encore foulé les pelouses cette saison, Sergio Ramos est tout proche d'un…

    ", - "content": "El Churu est de retour.
    \n
    \nSeul élément du mercato estival XXL du Paris Saint-Germain à ne pas avoir encore foulé les pelouses cette saison, Sergio Ramos est tout proche d'un…

    ", + "title": "Pronostic Leipzig Manchester City : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Manchester City ne lâche rien à Leipzig

    \n
    \nEn s'imposant avec la manière à Bruges (0-5) lors de la dernière journée en date, Leipzig a fait un…
    ", + "content": "

    Manchester City ne lâche rien à Leipzig

    \n
    \nEn s'imposant avec la manière à Bruges (0-5) lors de la dernière journée en date, Leipzig a fait un…
    ", "category": "", - "link": "https://www.sofoot.com/sergio-ramos-je-pense-que-je-peux-continuer-a-jouer-pendant-quatre-ou-cinq-annees-encore-507570.html", + "link": "https://www.sofoot.com/pronostic-leipzig-manchester-city-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507914.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T10:25:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-je-pense-que-je-peux-continuer-a-jouer-pendant-quatre-ou-cinq-annees-encore-1638094603_x600_articles-507570.jpg", + "pubDate": "2021-12-06T08:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-leipzig-manchester-city-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638782583_x600_articles-507914.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62452,17 +67319,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0f1e428444035703500f5db9ea3ee7d1" + "hash": "4c03483644fe0e34016522915ff01337" }, { - "title": "Seul remplaçant de son équipe, le coach de la réserve de l'US Granville (R1) rentre en jeu", - "description": "Portugal-Normandie, même combat.
    \n
    \nEn déplacement sur la pelouse de la Maladrerie OS,…

    ", - "content": "Portugal-Normandie, même combat.
    \n
    \nEn déplacement sur la pelouse de la Maladrerie OS,…

    ", + "title": "Le derby entre Charleroi et le Standard définitivement interrompu", + "description": "Une affaire qui risque de couter cher au Standard.
    \n
    \nMené 3-0 par Charleroi dans le derby wallon en Jupiler Pro League, Liège continue de s'enfoncer en championnat. Et ses supporters ont…

    ", + "content": "Une affaire qui risque de couter cher au Standard.
    \n
    \nMené 3-0 par Charleroi dans le derby wallon en Jupiler Pro League, Liège continue de s'enfoncer en championnat. Et ses supporters ont…

    ", "category": "", - "link": "https://www.sofoot.com/seul-remplacant-de-son-equipe-le-coach-de-la-reserve-de-l-us-granville-r1-rentre-en-jeu-507568.html", + "link": "https://www.sofoot.com/le-derby-entre-charleroi-et-le-standard-definitivement-interrompu-507912.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T09:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-seul-remplacant-de-son-equipe-le-coach-de-la-reserve-de-l-us-granville-r1-rentre-en-jeu-1638093887_x600_articles-507568.jpg", + "pubDate": "2021-12-06T08:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-derby-entre-charleroi-et-le-standard-definitivement-interrompu-1638781315_x600_articles-507912.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62472,17 +67339,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9ff0cb38d50e41982ed372e4314779b" + "hash": "572430b5fb3f2c829efece28aff69ae6" }, { - "title": "Belenenses SAD et Benfica remontés contre la Ligue", - "description": "Le match de la honte.
    \n
    \nCe samedi 27 novembre restera dans les mémoires comme un triste jour pour le football portugais. Privé de 17 joueurs, touchés par la Covid-19,
    ", - "content": "Le match de la honte.
    \n
    \nCe samedi 27 novembre restera dans les mémoires comme un triste jour pour le football portugais. Privé de 17 joueurs, touchés par la Covid-19,
    ", + "title": "Pronostic Real Madrid Inter Milan : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Real Madrid enchaîne face à l'Inter pour la 1re place

    \n
    \nAssurés de participer aux huitièmes de finale de la Ligue des Champions,…
    ", + "content": "

    Le Real Madrid enchaîne face à l'Inter pour la 1re place

    \n
    \nAssurés de participer aux huitièmes de finale de la Ligue des Champions,…
    ", "category": "", - "link": "https://www.sofoot.com/belenenses-sad-et-benfica-remontes-contre-la-ligue-507566.html", + "link": "https://www.sofoot.com/pronostic-real-madrid-inter-milan-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507911.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T09:15:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-belenenses-sad-et-benfica-remontes-contre-la-ligue-1638091388_x600_articles-507566.jpg", + "pubDate": "2021-12-06T08:32:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-madrid-inter-milan-analyse-cotes-et-prono-du-match-de-ligue-des-champions-1638781225_x600_articles-507911.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62492,17 +67359,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "24d1abd5e2d38fa7108b07d2beb84f90" + "hash": "8c63a4497b507aaa0312e7c0c2c1d0fb" }, { - "title": "Christophe Galtier : \"Peut-être que des joueurs n'avaient pas envie\"", - "description": "Galette distribue les tartes.
    \n
    \nBattu par Metz (0-1) samedi soir à l'Allianz Riviera, Christophe Galtier et l'OGC Nice…

    ", - "content": "Galette distribue les tartes.
    \n
    \nBattu par Metz (0-1) samedi soir à l'Allianz Riviera, Christophe Galtier et l'OGC Nice…

    ", + "title": "Antonetti se paye Ibrahima Niane", + "description": "De Préville vous manque et tout est dépeuplé.
    \n
    \nEn l'absence de Nicolas De Préville à Monaco (défaite…

    ", + "content": "De Préville vous manque et tout est dépeuplé.
    \n
    \nEn l'absence de Nicolas De Préville à Monaco (défaite…

    ", "category": "", - "link": "https://www.sofoot.com/christophe-galtier-peut-etre-que-des-joueurs-n-avaient-pas-envie-507564.html", + "link": "https://www.sofoot.com/antonetti-se-paye-ibrahima-niane-507910.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T08:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-christophe-galtier-peut-etre-que-des-joueurs-n-avaient-pas-envie-1638089436_x600_articles-507564.jpg", + "pubDate": "2021-12-06T08:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-antonetti-se-paye-ibrahima-niane-1638779997_x600_articles-507910.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62512,17 +67379,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fbe6ffc2010459c7fa3113fb814722ae" + "hash": "96896e4187c41327944b16950c4f736d" }, { - "title": "DERNIER WEEK-END : 10€ offerts GRATOS en EXCLU pour parier sans pression !", - "description": "10€ à récupérer totalement gratuitement, c'est a priori bientôt fini chez ZEbet. Pour en profiter, il suffit de rentrer le code SOFOOT10EUROS

    10€ offerts sans sortir sa CB chez ZEbet

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", - "content": "

    10€ offerts sans sortir sa CB chez ZEbet

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n


    ", + "title": "L'Universidad sauvée par trois buts dans les dix dernières minutes", + "description": "Une opération sauvetage digne du RAID.
    \n
    \nAvec trois buts dans les dix dernières minutes, l'Universidad de Chile, club de Santiago, la capitale, s'est sauvé de la relégation lors de la…

    ", + "content": "Une opération sauvetage digne du RAID.
    \n
    \nAvec trois buts dans les dix dernières minutes, l'Universidad de Chile, club de Santiago, la capitale, s'est sauvé de la relégation lors de la…

    ", "category": "", - "link": "https://www.sofoot.com/dernier-week-end-10e-offerts-gratos-en-exclu-pour-parier-sans-pression-507490.html", + "link": "https://www.sofoot.com/l-universidad-sauvee-par-trois-buts-dans-les-dix-dernieres-minutes-507908.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T18:42:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-dernier-week-end-10e-offerts-gratos-en-exclu-pour-parier-sans-pression-1637866356_x600_articles-507490.jpg", + "pubDate": "2021-12-06T08:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-universidad-sauvee-par-trois-buts-dans-les-dix-dernieres-minutes-1638779168_x600_articles-507908.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62532,17 +67399,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ec43a9592e18c12164756fee9b8939e" + "hash": "6d77d1b69f08cffb73da958648e2a5d3" }, { - "title": "Ce qu'il faut retenir des matchs de Coupe de France du samedi 27 novembre ", - "description": "Comme chaque année, le huitième tour de la Coupe de France a réservé quelques belles surprises. Avec au programme un carton du Paris FC, des gardiens héroïques, un anniversaire et des mauvais joueurs.

  • La surprise du jour : l'AS…
  • ", - "content": "

  • La surprise du jour : l'AS…
  • ", + "title": "EuroMillions mardi 7 décembre 2021 : 143 millions d'€ à gagner !", + "description": "Jamais 2 sans 3 ? Deux Français ont remporté en octobre et novembre d'énorme jackpot EuroMillions. Ce mardi 7 décembre 2021, la cagnotte EuroMillions met en jeu 143 millions d'euros à gagner ! De quoi donner quelques idées aux joueurs français...

    EuroMillions du mardi 7 décembre 2021 : 143M d'€

    \n
    \nNon gagnée vendredi, le super jackpot de l'EuroMillions revient avec 143 millions d'euros
    ", + "content": "

    EuroMillions du mardi 7 décembre 2021 : 143M d'€

    \n
    \nNon gagnée vendredi, le super jackpot de l'EuroMillions revient avec 143 millions d'euros
    ", "category": "", - "link": "https://www.sofoot.com/ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-samedi-27-novembre-507563.html", + "link": "https://www.sofoot.com/euromillions-mardi-7-decembre-2021-143-millions-d-e-a-gagner-507907.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-samedi-27-novembre-1638076006_x600_articles-alt-507563.jpg", + "pubDate": "2021-12-06T06:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-euromillions-mardi-7-decembre-2021-143-millions-d-e-a-gagner-1638774337_x600_articles-507907.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62552,17 +67419,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "6de6b880c991c1f92b38a371e5dd3c22" + "hash": "13ceecc07a30fe3d79671480ae1af1e3" }, { - "title": "Top 10 : Stades Léo-Lagrange", - "description": "Ce dimanche, Léo Lagrange aurait eu très précisément 121 ans. Hélas, celui qui a joué un immense rôle dans le développement du sport pour tous à l'époque du Front populaire est mort le 9 juin 1940, touché par un éclat d'obus à Évergnicourt, dans l'Aisne. Depuis, son nom est avant tout associé à une foultitude de stades aux quatre coins de l'Hexagone. En voici dix, pour lui rendre hommage.

    Stade Léo-Lagrange de Vincennes (75)

    \n
    \n", - "content": "

    Stade Léo-Lagrange de Vincennes (75)

    \n
    \n", + "title": "Claude Puel, Vert trop solitaire", + "description": "Pour la deuxième fois en vingt ans de carrière, Claude Puel s'apprête à être limogé en cours de saison. Une issue devenue inévitable pour le technicien de 60 ans, dans l'impasse à Saint-Étienne, où il n'a jamais pu poser sa patte malgré la confiance des dirigeants.
    Qu'on voit les Verts à moitié pleins, ou à moitié vides, on ne peut s'empêcher d'avoir un goût de gâchis en bouche à l'annonce du départ de Claude Puel. Après un peu plus de deux…", + "content": "Qu'on voit les Verts à moitié pleins, ou à moitié vides, on ne peut s'empêcher d'avoir un goût de gâchis en bouche à l'annonce du départ de Claude Puel. Après un peu plus de deux…", "category": "", - "link": "https://www.sofoot.com/top-10-stades-leo-lagrange-507518.html", + "link": "https://www.sofoot.com/claude-puel-vert-trop-solitaire-507906.html", "creator": "SO FOOT", - "pubDate": "2021-11-28T05:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-top-10-stades-leo-lagrange-1637934947_x600_articles-alt-507518.jpg", + "pubDate": "2021-12-06T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-claude-puel-vert-trop-solitaire-1638739556_x600_articles-alt-507906.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62572,17 +67439,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "165ad7db059201321f15f3d588e3a3b9" + "hash": "b30aae2ad042d78f56b2c76e60ee079e" }, { - "title": "Palmeiras vient à bout de Flamengo et conserve son titre en Copa Libertadores", - "description": "

    Palmeiras 2-1 (AP) Flamengo

    \nButs : Veiga (5e) et Deyverson (95e) pour les Alviverde // Gabigol (72e) pour les…", - "content": "

    Palmeiras 2-1 (AP) Flamengo

    \nButs : Veiga (5e) et Deyverson (95e) pour les Alviverde // Gabigol (72e) pour les…", + "title": "Ces trois infos du week-end vont vous étonner", + "description": "Parce qu'il n'y a pas que les championnats du \"Big Five\" dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : un 22e titre de champion de Suède pour Malmö, la Ligue Europa africaine et une série dingue en Serbie.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/palmeiras-vient-a-bout-de-flamengo-et-conserve-son-titre-en-copa-libertadores-507540.html", + "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-507903.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T22:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-palmeiras-vient-a-bout-de-flamengo-et-conserve-son-titre-en-copa-libertadores-1638053797_x600_articles-507540.jpg", + "pubDate": "2021-12-06T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ces-trois-infos-du-week-end-vont-vous-etonner-1638728100_x600_articles-507903.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62592,37 +67459,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "31c55613daba363ad2c1b5ed335c2679" + "hash": "8119f3cd7a361eb1bcff6b9d27c1ab0b" }, { - "title": "Metz surprend Nice", - "description": "

    ", - "content": "

    ", + "title": "Brest a le vent dans le dos", + "description": "Incapable de gagner pendant de longues semaines, le Brest de Michel Der Zakarian n'en finit plus de mettre à genoux ses adversaires. Depuis le déclic face à Monaco fin octobre, les Ty Zef sont inarrêtables, eux qui ont enchaîné un sixième succès consécutif samedi, au Vélodrome. Mais qui pourra donc arrêter cette bande de pirates sanguinaires prêts à tout pour faire trembler la Ligue 1 ?Le 31 octobre dernier, tout semblait gris au-dessus de la tête du Stade brestois, toujours privé de victoire après onze journées et contraint de barboter aux côtés de Metz et Saint-Étienne,…", + "content": "Le 31 octobre dernier, tout semblait gris au-dessus de la tête du Stade brestois, toujours privé de victoire après onze journées et contraint de barboter aux côtés de Metz et Saint-Étienne,…", "category": "", - "link": "https://www.sofoot.com/metz-surprend-nice-507562.html", + "link": "https://www.sofoot.com/brest-a-le-vent-dans-le-dos-507900.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-metz-surprend-nice-1638050261_x600_articles-507562.jpg", + "pubDate": "2021-12-06T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-brest-a-le-vent-dans-le-dos-1638716172_x600_articles-alt-507900.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12309c23786c92cbf759a36700ac3277" + "hash": "1e9881904411df5e00100cd510634047" }, { - "title": "Le Barça esquinte Villarreal", - "description": "Dans son habit mauve pâle, le Barça de Xavi a arraché un succès précieux à l'Estadio de la Cerámica de Villarreal (3-1), grâce à trois pions inscrits après l'entracte. Invaincus depuis un mois en Liga, les Culés pointent au septième rang et, malgré de réelles difficultés à maîtriser la rencontre, ont pu compter sur une variante de la \"chance de l'ex-champion\". À défaut de briller dans les grands matchs et d'être visible durant l'intégralité des 90 minutes, Memphis Depay a été utile et décisif.

    ", - "content": "

    ", + "title": "SO FOOT #192", + "description": "Lire le sommaire S'abonner
    \nEN KIOSQUE LE 09/12/2021
    \n

    \nBruno Genesio.
    \nDéfenseur du coaching à la française,…


    ", + "content": "
    \nEN KIOSQUE LE 09/12/2021
    \n

    \nBruno Genesio.
    \nDéfenseur du coaching à la française,…


    ", "category": "", - "link": "https://www.sofoot.com/le-barca-esquinte-villarreal-507552.html", + "link": "https://www.sofoot.com/so-foot-192-507663.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T22:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-barca-esquinte-villarreal-1638051256_x600_articles-alt-507552.jpg", + "pubDate": "2021-12-06T04:03:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-so-foot-192-1638268538_x600_articles-alt-507663.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62632,17 +67499,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d941b9575aeefc31da9a019e558ca50" + "hash": "e8689692561c928ec0187a854964d5c0" }, { - "title": "L'Inter fait le boulot à Venise", - "description": "

    ", - "content": "

    ", + "title": "Les notes de Bordeaux-Lyon ", + "description": "Il a fallu de grands Lopes et Lukeba pour que Lyon ne se fasse pas punir par Bordeaux. Elis, lui, a montré aux attaquants lyonnais ce que c'était que de \"prendre la profondeur\".

    Les bons élèves


    \n
    \nHier, les…

    ", + "content": "

    Les bons élèves


    \n
    \nHier, les…

    ", "category": "", - "link": "https://www.sofoot.com/l-inter-fait-le-boulot-a-venise-507560.html", + "link": "https://www.sofoot.com/les-notes-de-bordeaux-lyon-507905.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T21:39:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-inter-fait-le-boulot-a-venise-1638048499_x600_articles-507560.jpg", + "pubDate": "2021-12-05T22:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-bordeaux-lyon-1638741154_x600_articles-alt-507905.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62652,17 +67519,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "82546d5235d940d79d285f7777654004" + "hash": "d8f01bdf7bd44952d52ae223eed64d63" }, { - "title": "Décimé par la Covid-19, Belenenses SAD joue à 9 contre Benfica", - "description": "La soirée va être longue pour Belenenses.
    \n
    \nHabituellement gardien de but, c'est en défense centrale que João Monteiro commence cette rencontre du championnat portugais entre…

    ", - "content": "La soirée va être longue pour Belenenses.
    \n
    \nHabituellement gardien de but, c'est en défense centrale que João Monteiro commence cette rencontre du championnat portugais entre…

    ", + "title": "La Juventus vient à bout du Genoa malgré un énorme Sirigu", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/decime-par-la-covid-19-belenenses-sad-joue-a-9-contre-benfica-507561.html", + "link": "https://www.sofoot.com/la-juventus-vient-a-bout-du-genoa-malgre-un-enorme-sirigu-507868.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T20:34:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-decime-par-la-covid-19-belenenses-sad-joue-a-9-contre-benfica-1638046853_x600_articles-507561.jpg", + "pubDate": "2021-12-05T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-vient-a-bout-du-genoa-malgre-un-enorme-sirigu-1638740531_x600_articles-507868.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62672,17 +67539,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fdb1e9801fb495b2a6a7b23ea10adb2f" + "hash": "dd38e48be02b3e8702b83fb851287bd1" }, { - "title": "En direct : Palmeiras - Flamengo", - "description": "99' : Renato Gaucho il est désespéré dans sa zone.", - "content": "99' : Renato Gaucho il est désespéré dans sa zone.", + "title": "Bordeaux et Lyon se quittent dos à dos", + "description": "Tous deux en difficulté depuis plusieurs semaines en Ligue 1, Bordeaux et Lyon étaient en quête de rédemption ce dimanche soir. Manqué, les deux équipes se quittent sur un match nul à rebondissements (2-2) qui n'arrange personne.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-palmeiras-flamengo-507557.html", + "link": "https://www.sofoot.com/bordeaux-et-lyon-se-quittent-dos-a-dos-507858.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T19:50:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-palmeiras-flamengo-1638049708_x600_articles-alt-507557.jpg", + "pubDate": "2021-12-05T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bordeaux-et-lyon-se-quittent-dos-a-dos-1638741442_x600_articles-alt-507858.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62692,17 +67559,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9566bed34717a5b092d710f030c31d56" + "hash": "6d42e79bb1ef6b0d3b37250d65b0e74f" }, { - "title": "Brighton bute sur Leeds", - "description": "

    ", - "content": "

    ", + "title": "En direct : Bordeaux - Lyon ", + "description": "0' : @piticoujou: Oh merci, je vais essayer de faire du mieux possible, promis. Un petit prono ...", + "content": "0' : @piticoujou: Oh merci, je vais essayer de faire du mieux possible, promis. Un petit prono ...", "category": "", - "link": "https://www.sofoot.com/brighton-bute-sur-leeds-507558.html", + "link": "https://www.sofoot.com/en-direct-bordeaux-lyon-507904.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T19:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-brighton-bute-sur-leeds-1638041882_x600_articles-507558.jpg", + "pubDate": "2021-12-05T19:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-bordeaux-lyon-1638732761_x600_articles-alt-507904.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62712,17 +67579,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9bc28686c76d23945431b59ca118e1e" + "hash": "30bf643e14c700e139b7eb6a1080090c" }, { - "title": "Le Bayern trouve la faille contre l'Arminia Bielefeld et récupère la tête", - "description": "

    ", - "content": "

    ", + "title": "Aston Villa maîtrise Leicester", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-bayern-trouve-la-faille-contre-l-arminia-bielefeld-et-recupere-la-tete-507556.html", + "link": "https://www.sofoot.com/aston-villa-maitrise-leicester-507857.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T19:22:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-trouve-la-faille-contre-l-arminia-bielefeld-et-recupere-la-tete-1638040672_x600_articles-507556.jpg", + "pubDate": "2021-12-05T18:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aston-villa-maitrise-leicester-1638730076_x600_articles-507857.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62732,17 +67599,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4fbe009dd243d3dbc58ba98065247cbb" + "hash": "eb80a63627b4312a04b53b1211cd0bd3" }, { - "title": "L'Atalanta assomme la Juventus ", - "description": "Bloquée. Le Juve reste bloquée au huitième rang de la Serie A après cette défaite face à l'Atalanta à l'Allianz Stadium (0-1). S'ils ont mis du cœur à l'ouvrage en seconde période, les Bianconeri n'auraient pas vraiment pu espérer mieux.

    ", - "content": "

    ", + "title": "Fribourg atomise Gladbach", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/l-atalanta-assomme-la-juventus-507555.html", + "link": "https://www.sofoot.com/fribourg-atomise-gladbach-507864.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T19:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-assomme-la-juventus-1638038812_x600_articles-alt-507555.jpg", + "pubDate": "2021-12-05T18:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-fribourg-atomise-gladbach-1638729047_x600_articles-507864.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62752,17 +67619,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "fcabbe2a2e499f56def752f69ba2ee17" + "hash": "1782843bf86237b8ba8c2d5ca98e5f40" }, { - "title": "Antoine Kombouaré après Lille-Nantes : \"La VAR a failli\"", - "description": "Une VAR avare.
    \n
    \nAlors que Lille et Nantes se sont neutralisés (1-1) au stade Pierre-Mauroy ce…

    ", - "content": "Une VAR avare.
    \n
    \nAlors que Lille et Nantes se sont neutralisés (1-1) au stade Pierre-Mauroy ce…

    ", + "title": "Nice se troue contre Strasbourg", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/antoine-kombouare-apres-lille-nantes-la-var-a-failli-507559.html", + "link": "https://www.sofoot.com/nice-se-troue-contre-strasbourg-507901.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T18:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-antoine-kombouare-apres-lille-nantes-la-var-a-failli-1638039308_x600_articles-507559.jpg", + "pubDate": "2021-12-05T17:57:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nice-se-troue-contre-strasbourg-1638727546_x600_articles-507901.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62772,17 +67639,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "10bad862e6e59209b19e73dca6ceaf52" + "hash": "7443d9e0f9540a610d655ee043b4fb0f" }, { - "title": "Nantes résiste à Lille", - "description": "

    ", - "content": "

    ", + "title": "Claude Puel mis à pied après la gifle reçue contre Rennes", + "description": "Le désormais ex-entraîneur de l'ASSE est le premier coach remercié cette saison en Ligue 1.Ça sentait le roussi.
    \n
    \nQuelques heures à peine après la claque reçue au Chaudron…

    ", + "content": "Ça sentait le roussi.
    \n
    \nQuelques heures à peine après la claque reçue au Chaudron…

    ", "category": "", - "link": "https://www.sofoot.com/nantes-resiste-a-lille-507554.html", + "link": "https://www.sofoot.com/claude-puel-mis-a-pied-apres-la-gifle-recue-contre-rennes-507902.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T17:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nantes-resiste-a-lille-1638036177_x600_articles-507554.jpg", + "pubDate": "2021-12-05T16:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-claude-puel-mis-a-pied-apres-la-gifle-recue-contre-rennes-1638723431_x600_articles-507902.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62792,17 +67659,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f290d4db739247bc25658015c1f77a40" + "hash": "0c45ba8ebd77667fd8b987f56e86960e" }, { - "title": "Coupe de France : Guingamp sort gagnant de ses retrouvailles avec Saint-Brieuc", - "description": "

    ", - "content": "

    ", + "title": "Angers retrouve la victoire à Reims ", + "description": "La dalle angevine est de retour !

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/coupe-de-france-guingamp-sort-gagnant-de-ses-retrouvailles-avec-saint-brieuc-507548.html", + "link": "https://www.sofoot.com/angers-retrouve-la-victoire-a-reims-507896.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T17:13:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-coupe-de-france-guingamp-sort-gagnant-de-ses-retrouvailles-avec-saint-brieuc-1638033118_x600_articles-507548.jpg", + "pubDate": "2021-12-05T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-angers-retrouve-la-victoire-a-reims-1638720093_x600_articles-507896.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62812,17 +67679,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9d3b9339411ca8dde598954eb863f181" + "hash": "2dd4524297d5403a159cbedccc9b03f0" }, { - "title": "En direct : Lille - Nantes", - "description": "74' : SIMON EST TROUVÉ PAR RKM DANS LA SURFACE MAIS IL SE FAIT REPRENDRE IN EXTREMIS ! Il ...", - "content": "74' : SIMON EST TROUVÉ PAR RKM DANS LA SURFACE MAIS IL SE FAIT REPRENDRE IN EXTREMIS ! Il ...", + "title": "Nantes vole trois points à Lorient", + "description": "Les Canaris n'ont pas vu le ballon mais ont mangé les Merlus.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-lille-nantes-507550.html", + "link": "https://www.sofoot.com/nantes-vole-trois-points-a-lorient-507895.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T17:05:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lille-nantes-1638030329_x600_articles-alt-507550.jpg", + "pubDate": "2021-12-05T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nantes-vole-trois-points-a-lorient-1638722713_x600_articles-507895.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62832,17 +67699,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ea95aea7b8a13a38baeedca385399f82" + "hash": "23fd817f6e3701c20f3c59571d6dacd1" }, { - "title": "Liverpool roule sur Southampton", - "description": "

    ", - "content": "

    ", + "title": "Tottenham écarte facilement Norwich, Leeds frustre Brentford", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/liverpool-roule-sur-southampton-507553.html", + "link": "https://www.sofoot.com/tottenham-ecarte-facilement-norwich-leeds-frustre-brentford-507867.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T16:55:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-liverpool-roule-sur-southampton-1638032305_x600_articles-507553.jpg", + "pubDate": "2021-12-05T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tottenham-ecarte-facilement-norwich-leeds-frustre-brentford-1638720676_x600_articles-507867.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62852,17 +67719,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a2e1816d85319a42fb707f76cae319e" + "hash": "7e12104bab9cf6b0fa960d647e47be7d" }, { - "title": "En direct : Juventus - Atalanta ", - "description": "28' : GOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLL ...", - "content": "28' : GOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLL ...", + "title": "Manchester United s'impose de peu contre Crystal Palace", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-juventus-atalanta-507545.html", + "link": "https://www.sofoot.com/manchester-united-s-impose-de-peu-contre-crystal-palace-507886.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T16:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-juventus-atalanta-1638023173_x600_articles-507545.jpg", + "pubDate": "2021-12-05T15:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-s-impose-de-peu-contre-crystal-palace-1638720064_x600_articles-507886.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62872,17 +67739,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "b7bcc1dd702eefb039eda58cef6dbee1" + "hash": "f1daeac0e619e1cfe0d447e2caeb3b38" }, { - "title": "Haaland et Dortmund leaders provisoires, Gladbach sombre, Fribourg n'y arrive plus", - "description": "Le Borussia Dortmund a provisoirement repris la tête de la Bundesliga en griffant Wolfsburg (1-3), ce samedi. La machine Erling Haaland a signé son retour de blessure en marquant neuf minutes après son entrée en jeu. Classique. Autrement, le troisième du classement, Fribourg, a concédé sa troisième défaite consécutive à Bochum (2-1). Mönchengladbach, de son côté, a rechuté à Cologne (4-1). Festival de buts à Greuther Fürth, enfin, où Hoffenheim s'est embrasé (3-6).

    ", - "content": "

    ", + "title": "Monaco puissance quatre contre Metz", + "description": "La couleur préférée de l'ASM ? Le Grenat.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/haaland-et-dortmund-leaders-provisoires-gladbach-sombre-fribourg-n-y-arrive-plus-507547.html", + "link": "https://www.sofoot.com/monaco-puissance-quatre-contre-metz-507898.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T16:30:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-haaland-et-dortmund-leaders-provisoires-gladbach-sombre-fribourg-n-y-arrive-plus-1638031398_x600_articles-alt-507547.jpg", + "pubDate": "2021-12-05T15:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-monaco-puissance-quatre-contre-metz-1638719906_x600_articles-507898.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62892,17 +67759,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "ec7f5b755ac0208ceb951b15f2fd5913" + "hash": "9c42a2a3a221b15f19be18c9573cd0e6" }, { - "title": "Pronostic Osasuna Elche : Analyse, cotes et prono du match de Liga", - "description": "

    Osasuna se reprend face à Elche

    \n
    \nEn clôture de la 15e journée de Liga, Osasuna affronte Elche. La formation basque est l'une des surprises de ce…
    ", - "content": "

    Osasuna se reprend face à Elche

    \n
    \nEn clôture de la 15e journée de Liga, Osasuna affronte Elche. La formation basque est l'une des surprises de ce…
    ", + "title": "Montpellier enfonce Clermont", + "description": "Clermont coule, coule, coule...

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-osasuna-elche-analyse-cotes-et-prono-du-match-de-liga-507508.html", + "link": "https://www.sofoot.com/montpellier-enfonce-clermont-507893.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T16:17:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-osasuna-elche-analyse-cotes-et-prono-du-match-de-liga-1637922335_x600_articles-507508.jpg", + "pubDate": "2021-12-05T15:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-montpellier-enfonce-clermont-1638718901_x600_articles-507893.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62912,17 +67779,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "82cb2e51a57c60fb821004ab6884b1d0" + "hash": "5b2db1ac3a5337ddc10ffbe35d6c1794" }, { - "title": "Mike Maignan va déjà faire son retour ", - "description": "En plus d'avoir des super-pouvoirs sur penalty, il guérit plus vite que la norme. Super Mike.
    \n
    \nOpéré mi-octobre des ligaments du poignet gauche, Mike Maignan n'était même pas…

    ", - "content": "En plus d'avoir des super-pouvoirs sur penalty, il guérit plus vite que la norme. Super Mike.
    \n
    \nOpéré mi-octobre des ligaments du poignet gauche, Mike Maignan n'était même pas…

    ", + "title": "Un supporter du Beerschot s'invite sur la pelouse pour attaquer le parcage adverse", + "description": "Jour de derby en ce premier dimanche de décembre à Anvers, où le Beerschot recevait le voisin du Royal Antwerp en début d'après-midi en Jupiler Pro League. Et si, sur la pelouse, les locaux se…", + "content": "Jour de derby en ce premier dimanche de décembre à Anvers, où le Beerschot recevait le voisin du Royal Antwerp en début d'après-midi en Jupiler Pro League. Et si, sur la pelouse, les locaux se…", "category": "", - "link": "https://www.sofoot.com/mike-maignan-va-deja-faire-son-retour-507551.html", + "link": "https://www.sofoot.com/un-supporter-du-beerschot-s-invite-sur-la-pelouse-pour-attaquer-le-parcage-adverse-507899.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T15:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-mike-maignan-va-deja-faire-son-retour-1638028431_x600_articles-507551.jpg", + "pubDate": "2021-12-05T14:38:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-supporter-du-beerschot-s-invite-sur-la-pelouse-pour-attaquer-le-parcage-adverse-1638716032_x600_articles-507899.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62932,17 +67799,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc19a6e8078bb3dbb758d2f63bdc906b" + "hash": "8af21987b341146471193d68538b737b" }, { - "title": "Spalletti : \" Il y a des clubs sérieux et puis il y a le Spartak \"", - "description": "Le football circus.
    \n
    \nSans victoire depuis trois matchs toutes compétitions confondues, Luciano Spalletti et le Napoli sont sur les nerfs. La dernière défaite, mercredi dernier…

    ", - "content": "Le football circus.
    \n
    \nSans victoire depuis trois matchs toutes compétitions confondues, Luciano Spalletti et le Napoli sont sur les nerfs. La dernière défaite, mercredi dernier…

    ", + "title": "Rennes démolit Saint-Étienne, triplé de Martin Terrier", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/spalletti-il-y-a-des-clubs-serieux-et-puis-il-y-a-le-spartak-507549.html", + "link": "https://www.sofoot.com/rennes-demolit-saint-etienne-triple-de-martin-terrier-507884.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T15:22:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-spalletti-il-y-a-des-clubs-serieux-et-puis-il-y-a-le-spartak-1638026647_x600_articles-507549.jpg", + "pubDate": "2021-12-05T14:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-rennes-demolit-saint-etienne-triple-de-martin-terrier-1638712705_x600_articles-507884.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62952,17 +67819,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5cd4bd1cf08246fa2614ed5d8764ac4" + "hash": "3f201f0dde644d9155934ae22caaf45c" }, { - "title": "Cinq hommes interpellés dans le cadre du cambriolage chez Mario Lemina", - "description": "On ne peut plus perpétuer les traditions de la Côte d'Azur tranquillement...
    \n
    \nVictime
    ", - "content": "On ne peut plus perpétuer les traditions de la Côte d'Azur tranquillement...
    \n
    \nVictime
    ", + "title": "La Fiorentina vient à bout de Bologne et s'adjuge le derby", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/cinq-hommes-interpelles-dans-le-cadre-du-cambriolage-chez-mario-lemina-507546.html", + "link": "https://www.sofoot.com/la-fiorentina-vient-a-bout-de-bologne-et-s-adjuge-le-derby-507889.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T14:31:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-cinq-hommes-interpelles-dans-le-cadre-du-cambriolage-chez-mario-lemina-1638023456_x600_articles-507546.jpg", + "pubDate": "2021-12-05T13:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-fiorentina-vient-a-bout-de-bologne-et-s-adjuge-le-derby-1638711483_x600_articles-507889.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62972,17 +67839,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "71e4e6f49991479fb90e629195c62de3" + "hash": "fbe8b0709b0877816e0ee9f739ce900c" }, { - "title": "Les Gunners étouffent Newcastle", - "description": "

    ", - "content": "

    ", + "title": "Scandale après des buts suspects lors d'un match décisif pour la montée en Colombie", + "description": "C'est un peu gros là.
    \n
    \nLa subtilité ? Pour l'Union Magdalena, ce n'est pas un problème, encore moins que l'intégrité ou l'éthique. Le club de la ville de Santa Marta, champion de…

    ", + "content": "C'est un peu gros là.
    \n
    \nLa subtilité ? Pour l'Union Magdalena, ce n'est pas un problème, encore moins que l'intégrité ou l'éthique. Le club de la ville de Santa Marta, champion de…

    ", "category": "", - "link": "https://www.sofoot.com/les-gunners-etouffent-newcastle-507539.html", + "link": "https://www.sofoot.com/scandale-apres-des-buts-suspects-lors-d-un-match-decisif-pour-la-montee-en-colombie-507894.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T14:24:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-gunners-etouffent-newcastle-1638023413_x600_articles-507539.jpg", + "pubDate": "2021-12-05T13:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-scandale-apres-des-buts-suspects-lors-d-un-match-decisif-pour-la-montee-en-colombie-1638711821_x600_articles-507894.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -62992,17 +67859,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "4a6da18e6df252ea321cbf29b3474e7a" + "hash": "f7824b0eef4238cd2d8a145fc39e7535" }, { - "title": "Laurent Nicollin : \" On se demande s'il n'y a pas des micros au club \"", - "description": "Avec la série qui a été tournée au MHSC, c'est une question un…", - "content": "Avec la série qui a été tournée au MHSC, c'est une question un…", + "title": "L'ancien bordelais Momcilo Vukotic est mort", + "description": "Un scapulaire sur le carnet noir.
    \n
    \nMilieu offensif des Girondins de Bordeaux pendant une saison en 1978-1979, Momcilo Vukotic est décédé vendredi à l'âge de 71 ans. L'international…

    ", + "content": "Un scapulaire sur le carnet noir.
    \n
    \nMilieu offensif des Girondins de Bordeaux pendant une saison en 1978-1979, Momcilo Vukotic est décédé vendredi à l'âge de 71 ans. L'international…

    ", "category": "", - "link": "https://www.sofoot.com/laurent-nicollin-on-se-demande-s-il-n-y-a-pas-des-micros-au-club-507544.html", + "link": "https://www.sofoot.com/l-ancien-bordelais-momcilo-vukotic-est-mort-507892.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T13:59:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-laurent-nicollin-on-se-demande-s-il-n-y-a-pas-des-micros-au-club-1638021714_x600_articles-507544.jpg", + "pubDate": "2021-12-05T13:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-ancien-bordelais-momcilo-vukotic-est-mort-1638710843_x600_articles-507892.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63012,17 +67879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0b6304ecb29fc607e3148e2857fbeae3" + "hash": "b9ca5c6bf1fce8ea600ad1a9d6456a81" }, { - "title": "Verratti encore absent pour le déplacement à Saint-Étienne, Icardi aussi", - "description": "Cette fois, c'est pas pour Wanda.
    \n
    \nDéjà absents pour le déplacement à Manchester City…

    ", - "content": "Cette fois, c'est pas pour Wanda.
    \n
    \nDéjà absents pour le déplacement à Manchester City…

    ", + "title": "Un coach meurt après le but de son équipe à la 92e minute", + "description": "Un but qui coûte très cher.
    \n
    \nLors d'un match anodin de deuxième division egyptienne contre Al Zarka, l'entraîneur de Al-Majd Al-Iskandari a trouvé la mort sur son banc de touche.…

    ", + "content": "Un but qui coûte très cher.
    \n
    \nLors d'un match anodin de deuxième division egyptienne contre Al Zarka, l'entraîneur de Al-Majd Al-Iskandari a trouvé la mort sur son banc de touche.…

    ", "category": "", - "link": "https://www.sofoot.com/verratti-encore-absent-pour-le-deplacement-a-saint-etienne-icardi-aussi-507541.html", + "link": "https://www.sofoot.com/un-coach-meurt-apres-le-but-de-son-equipe-a-la-92e-minute-507891.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T13:23:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-verratti-encore-absent-pour-le-deplacement-a-saint-etienne-icardi-aussi-1638019623_x600_articles-507541.jpg", + "pubDate": "2021-12-05T12:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-coach-meurt-apres-le-but-de-son-equipe-a-la-92e-minute-1638710034_x600_articles-507891.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63032,57 +67899,57 @@ "favorite": false, "created": false, "tags": [], - "hash": "6837029bbf2631e1b384643532a9a463" + "hash": "3cfb58ba5f9d9c537ab6b0646330e29c" }, { - "title": "Nani et Orlando City, c'est fini", - "description": "Il est temps de tourner la page.
    \n
    \nNani ne poursuivra pas l'aventure avec Orlando City. Vendredi soir, ses dirigeants ont annoncé qu'ils n'avaient pas l'intention de prolonger son…

    ", - "content": "Il est temps de tourner la page.
    \n
    \nNani ne poursuivra pas l'aventure avec Orlando City. Vendredi soir, ses dirigeants ont annoncé qu'ils n'avaient pas l'intention de prolonger son…

    ", + "title": "Quand Cristiano Ronaldo s'en prenait à Cassano sur WhatsApp", + "description": "Combat de coqs par messages interposés.
    \n
    \nIntervenant régulier sur la chaîne Twitch de Christian Vieri, Antonio Cassano a raconté comment Cristiano Ronaldo s'était procuré son…

    ", + "content": "Combat de coqs par messages interposés.
    \n
    \nIntervenant régulier sur la chaîne Twitch de Christian Vieri, Antonio Cassano a raconté comment Cristiano Ronaldo s'était procuré son…

    ", "category": "", - "link": "https://www.sofoot.com/nani-et-orlando-city-c-est-fini-507538.html", + "link": "https://www.sofoot.com/quand-cristiano-ronaldo-s-en-prenait-a-cassano-sur-whatsapp-507888.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T11:32:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-nani-et-orlando-city-c-est-fini-1638014487_x600_articles-507538.jpg", + "pubDate": "2021-12-05T11:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-quand-cristiano-ronaldo-s-en-prenait-a-cassano-sur-whatsapp-1638705864_x600_articles-507888.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "097f9c786ce5c4be3e256e576089d68c" + "hash": "129597af54e3c592662eae409f568d1d" }, { - "title": "Quatorze blessés et cinq inculpés après Leicester-Legia Varsovie", - "description": "En Ligue Europa, il se passe souvent des choses au King Power Stadium ces derniers temps. Sur le terrain comme en tribunes.
    \n
    \nDeux mois après
    ", - "content": "En Ligue Europa, il se passe souvent des choses au King Power Stadium ces derniers temps. Sur le terrain comme en tribunes.
    \n
    \nDeux mois après
    ", + "title": "Une plainte contre Bellingham après ses déclarations sur l'arbitrage du Klassiker ?", + "description": "Ce Dortmund-Bayern n'a pas fini de faire parler de lui.
    \n
    \nSamedi, le Bayern Munich est parvenu à l'emporter sur la pelouse de son rival grâce à un penalty de Robert Lewandowski à un…

    ", + "content": "Ce Dortmund-Bayern n'a pas fini de faire parler de lui.
    \n
    \nSamedi, le Bayern Munich est parvenu à l'emporter sur la pelouse de son rival grâce à un penalty de Robert Lewandowski à un…

    ", "category": "", - "link": "https://www.sofoot.com/quatorze-blesses-et-cinq-inculpes-apres-leicester-legia-varsovie-507537.html", + "link": "https://www.sofoot.com/une-plainte-contre-bellingham-apres-ses-declarations-sur-l-arbitrage-du-klassiker-507887.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T10:40:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-quatorze-blesses-et-cinq-inculpes-apres-leicester-legia-varsovie-1638011411_x600_articles-507537.jpg", + "pubDate": "2021-12-05T11:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-une-plainte-contre-bellingham-apres-ses-declarations-sur-l-arbitrage-du-klassiker-1638703339_x600_articles-507887.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3ce75fefe59dedf366a8b6e941562cc4" + "hash": "8a6782a446a10d4a3a1ac7a217ff98d0" }, { - "title": "Les barrages intercontinentaux se dérouleront au Qatar en juin 2022", - "description": "Ils découvriront le Qatar avant les autres, avec l'espoir d'y revenir cinq mois plus tard.
    \n
    \nLe tirage au sort des barrages de la zone Europe a monopolisé l'attention, vendredi en fin…

    ", - "content": "Ils découvriront le Qatar avant les autres, avec l'espoir d'y revenir cinq mois plus tard.
    \n
    \nLe tirage au sort des barrages de la zone Europe a monopolisé l'attention, vendredi en fin…

    ", + "title": "Gérard Lopez attend plus de ses joueurs", + "description": "Le président n'est pas content.
    \n
    \nRien ne va à Bordeaux depuis le début de saison, les Girondins occupant une inquiétante dix-huitième place avant de recevoir Lyon ce dimanche soir en…

    ", + "content": "Le président n'est pas content.
    \n
    \nRien ne va à Bordeaux depuis le début de saison, les Girondins occupant une inquiétante dix-huitième place avant de recevoir Lyon ce dimanche soir en…

    ", "category": "", - "link": "https://www.sofoot.com/les-barrages-intercontinentaux-se-derouleront-au-qatar-en-juin-2022-507535.html", + "link": "https://www.sofoot.com/gerard-lopez-attend-plus-de-ses-joueurs-507885.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T10:28:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-barrages-intercontinentaux-se-derouleront-au-qatar-en-juin-2022-1638009275_x600_articles-507535.jpg", + "pubDate": "2021-12-05T10:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gerard-lopez-attend-plus-de-ses-joueurs-1638701257_x600_articles-507885.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63092,37 +67959,37 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f4f50926b8af64662cdbcbb016992eb" + "hash": "0381907118549d97da81670e7d465420" }, { - "title": "Le siège de la Juventus perquisitionné par la brigade financière", - "description": "Avis de tempête dans le Piémont.
    \n
    \nLa Juventus vit décidément une semaine bien pénible.
    ", - "content": "Avis de tempête dans le Piémont.
    \n
    \nLa Juventus vit décidément une semaine bien pénible.
    ", + "title": "Jesse Marsch n'est plus l'entraîneur du RB Leipzig", + "description": "Leipzig presse à nouveau le bouton Marsch/Arrêt.
    \n
    \nL'aventure de Jesse Marsch sur le banc du RB Leizpig n'ira pas plus loin. Nommé cet été pour prendre la succession de Julian…

    ", + "content": "Leipzig presse à nouveau le bouton Marsch/Arrêt.
    \n
    \nL'aventure de Jesse Marsch sur le banc du RB Leizpig n'ira pas plus loin. Nommé cet été pour prendre la succession de Julian…

    ", "category": "", - "link": "https://www.sofoot.com/le-siege-de-la-juventus-perquisitionne-par-la-brigade-financiere-507534.html", + "link": "https://www.sofoot.com/jesse-marsch-n-est-plus-l-entraineur-du-rb-leipzig-507883.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T09:51:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-siege-de-la-juventus-perquisitionne-par-la-brigade-financiere-1638007240_x600_articles-507534.jpg", + "pubDate": "2021-12-05T10:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jesse-marsch-n-est-plus-l-entraineur-du-rb-leipzig-1638698749_x600_articles-507883.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "7548d7145946c4444cb30388facdc9de" + "hash": "09e2257f150144d731ac4229be5b0172" }, { - "title": "\"On ne peut pas toujours mettre des 12-0\", concède Corinne Diacre", - "description": "C'est ce qui s'appelle une victoire étriquée.
    \n
    \nDepuis le début de sa campagne qualificative pour la Coupe du monde 2023, l'équipe de France a atteint la barre des dix buts inscrits en…

    ", - "content": "C'est ce qui s'appelle une victoire étriquée.
    \n
    \nDepuis le début de sa campagne qualificative pour la Coupe du monde 2023, l'équipe de France a atteint la barre des dix buts inscrits en…

    ", + "title": "Cerro remporte le titre au Paraguay après une fin de match totalement dingue", + "description": "Il était une fois, au Paraguay.
    \n
    \nC'est l'histoire d'un choc entre les deux leaders du classement au Paraguay. La nuit dernière, le club de Guaraní accueillait Cerro Porteño, avec la…

    ", + "content": "Il était une fois, au Paraguay.
    \n
    \nC'est l'histoire d'un choc entre les deux leaders du classement au Paraguay. La nuit dernière, le club de Guaraní accueillait Cerro Porteño, avec la…

    ", "category": "", - "link": "https://www.sofoot.com/on-ne-peut-pas-toujours-mettre-des-12-0-concede-corinne-diacre-507533.html", + "link": "https://www.sofoot.com/cerro-remporte-le-titre-au-paraguay-apres-une-fin-de-match-totalement-dingue-507882.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T08:47:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-on-ne-peut-pas-toujours-mettre-des-12-0-concede-corinne-diacre-1638004501_x600_articles-507533.jpg", + "pubDate": "2021-12-05T09:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-cerro-remporte-le-titre-au-paraguay-apres-une-fin-de-match-totalement-dingue-1638696995_x600_articles-507882.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63132,17 +67999,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "acdd463a3a4a886c8d3c6dbf00bda525" + "hash": "f2d6b9c044d8da010f6fc435054896ae" }, { - "title": "Lionel Messi \"mérite largement\" de décrocher le Ballon d'or, estime Ángel Di María", - "description": "Au fond, pouvait-il dire autre chose ?
    \n
    \nSi l'arrivée de Lionel Messi à Paris et son association avec Kylian…

    ", - "content": "Au fond, pouvait-il dire autre chose ?
    \n
    \nSi l'arrivée de Lionel Messi à Paris et son association avec Kylian…

    ", + "title": "Gignac et les Tigres éliminés en demies du championnat mexicain", + "description": "Rêve brisé.
    \n
    \nLes Tigres ont été battus par Leon (2-1) dans la nuit de samedi à dimanche, en demi-finales retour du championnat du Mexique. Une défaite qui élimine André-Pierre…

    ", + "content": "Rêve brisé.
    \n
    \nLes Tigres ont été battus par Leon (2-1) dans la nuit de samedi à dimanche, en demi-finales retour du championnat du Mexique. Une défaite qui élimine André-Pierre…

    ", "category": "", - "link": "https://www.sofoot.com/lionel-messi-merite-largement-de-decrocher-le-ballon-d-or-estime-angel-di-maria-507532.html", + "link": "https://www.sofoot.com/gignac-et-les-tigres-elimines-en-demies-du-championnat-mexicain-507881.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T08:16:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-merite-largement-de-decrocher-le-ballon-d-or-estime-angel-di-maria-1638002823_x600_articles-507532.jpg", + "pubDate": "2021-12-05T09:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gignac-et-les-tigres-elimines-en-demies-du-championnat-mexicain-1638695390_x600_articles-507881.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63152,17 +68019,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ac7b41244931684109a39748d748dba" + "hash": "027a2e3d19bb409f6cf0f32bb9b5b3af" }, { - "title": "LOTO du samedi 27 novembre 2021 : 27 millions d'€ à gagner (cagnotte record) !", - "description": "27 millions d'euros sont à gagner au LOTO ce samedi 27 novembre 2021. C'est tout simplement la possibilité de remporter le plus gros gain de l'histoire de la loterie française

    LOTO du samedi 27 novembre 2021 : 27 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce samedi 27 novembre 2021 affiche un montant record de 27…
    ", - "content": "

    LOTO du samedi 27 novembre 2021 : 27 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce samedi 27 novembre 2021 affiche un montant record de 27…
    ", + "title": "Verratti : \" Lens est une équipe qui me plaît beaucoup \"", + "description": "Le Petit Hibou est sous le charme.
    \n
    \nLens a séduit de nombreux observateurs ces derniers mois par son jeu porté vers l'avant, et ce fut encore le cas samedi soir face au PSG. Dans le…

    ", + "content": "Le Petit Hibou est sous le charme.
    \n
    \nLens a séduit de nombreux observateurs ces derniers mois par son jeu porté vers l'avant, et ce fut encore le cas samedi soir face au PSG. Dans le…

    ", "category": "", - "link": "https://www.sofoot.com/loto-du-samedi-27-novembre-2021-27-millions-d-e-a-gagner-cagnotte-record-507495.html", + "link": "https://www.sofoot.com/verratti-lens-est-une-equipe-qui-me-plait-beaucoup-507880.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T07:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-loto-du-samedi-27-novembre-2021-27-millions-d-e-a-gagner-cagnotte-record-1637917676_x600_articles-507495.jpg", + "pubDate": "2021-12-05T08:29:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-verratti-lens-est-une-equipe-qui-me-plait-beaucoup-1638693355_x600_articles-507880.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63172,17 +68039,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c05a4bd6bf54718b3b13578007f2f787" + "hash": "b7113e7f4108fb165072bfed89f0a43b" }, { - "title": "Aimé Jacquet : \"Quand je construis l'équipe, je commence par les attaquants\"", - "description": "Aimé Jacquet aura été le gourou de la fameuse \"génération 98\", celui qui aura su démolir une équipe de France en perdition pour mieux la reconstruire. Celui qui s'est passé de Papin et Cantona pour partir à la guerre avec Dugarry et Guivarc'h. Entretien en longueur avec un type qui a toujours musclé son jeu.
    Vous devenez entraîneur à Lyon, en 1976. Vous aviez des modèles ?
    \nQuand je suis arrivé à Saint-Étienne, à 19 ans, Jean Snella m'a tout de suite formaté.…
    ", - "content": "Vous devenez entraîneur à Lyon, en 1976. Vous aviez des modèles ?
    \nQuand je suis arrivé à Saint-Étienne, à 19 ans, Jean Snella m'a tout de suite formaté.…
    ", + "title": "Haise : \" Nous avons montré une belle image du RC Lens \"", + "description": "Le nord s'en souviendra.
    \n
    \nMalgré la déception de l'égalisation de Georginio Wijnaldum dans les derniers instants de la rencontre, Lens avait de quoi être fier de sa prestation face au…

    ", + "content": "Le nord s'en souviendra.
    \n
    \nMalgré la déception de l'égalisation de Georginio Wijnaldum dans les derniers instants de la rencontre, Lens avait de quoi être fier de sa prestation face au…

    ", "category": "", - "link": "https://www.sofoot.com/aime-jacquet-quand-je-construis-l-equipe-je-commence-par-les-attaquants-507320.html", + "link": "https://www.sofoot.com/haise-nous-avons-montre-une-belle-image-du-rc-lens-507879.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T05:33:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-aime-jacquet-quand-je-construis-l-equipe-je-commence-par-les-attaquants-1637599794_x600_articles-alt-507320.jpg", + "pubDate": "2021-12-05T08:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-haise-nous-avons-montre-une-belle-image-du-rc-lens-1638692546_x600_articles-507879.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63192,17 +68059,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ad45deb2075d062e36da46bc2adc901" + "hash": "b687865425e916acfa5d62e516a77f87" }, { - "title": "Aimé Jacquet : \"Muscle ton jeu, Robert…\"", - "description": "Pour les 80 ans d'Aimé Jacquet, on vous offre un bonbon : la retranscription fidèle de sa causerie face aux joueurs de l'équipe de France avant le Mondial 1998.", + "title": "203€ à gagner avec Tottenham & Bordeaux - Lyon !", + "description": "Comme 3 de nos 4 derniers combinés (ici, ici et ici), on tente de vous faire gagner avec une cote autour de 2,00 sur des matchs de dimanche

    Bordeaux - Lyon :

    \n
    \nL'affiche du dimanche soir en Ligue 1 oppose deux équipes qui déçoivent. 18es de Ligue 1 et donc potentiel barragistes,…
    ", + "content": "

    Bordeaux - Lyon :

    \n
    \nL'affiche du dimanche soir en Ligue 1 oppose deux équipes qui déçoivent. 18es de Ligue 1 et donc potentiel barragistes,…
    ", "category": "", - "link": "https://www.sofoot.com/aime-jacquet-muscle-ton-jeu-robert-e2-80-a6-507323.html", + "link": "https://www.sofoot.com/203e-a-gagner-avec-tottenham-bordeaux-lyon-507794.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T05:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-aime-jacquet-muscle-ton-jeu-robert-e2-80-a6-1637601573_x600_articles-alt-507323.jpg", + "pubDate": "2021-12-03T08:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-203e-a-gagner-avec-tottenham-bordeaux-lyon-1638521974_x600_articles-507794.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63212,17 +68079,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "aba4075cb2adeed165b359b7f1f278cf" + "hash": "8c4724576a848a60ca85f669460a96cb" }, { - "title": "Pronostic Chelsea Manchester United : Analyse, cotes et prono du match de Premier League", - "description": "

    Chelsea enfonce Manchester United

    \n
    \nDans le cadre de la 13e journée de Premier League, Chelsea reçoit Manchester United à Stamford bridge. A…
    ", - "content": "

    Chelsea enfonce Manchester United

    \n
    \nDans le cadre de la 13e journée de Premier League, Chelsea reçoit Manchester United à Stamford bridge. A…
    ", + "title": "Un maillot de votre choix à récupérer chez VBET !", + "description": "Vous avez très envie d'un maillot avant les fêtes ? Partenaire de l'AS Monaco, le site de paris sportifs VBET vous propose de récupérer le maillot de votre choix en vous inscrivant sur son site !

    Comment récupérer votre maillot ?

    \n
    \nEn collaboration avec RueDesJoueurs qui est le partenaire paris sportifs de SoFoot, VBET propose le bonus de bienvenue le…
    ", + "content": "

    Comment récupérer votre maillot ?

    \n
    \nEn collaboration avec RueDesJoueurs qui est le partenaire paris sportifs de SoFoot, VBET propose le bonus de bienvenue le…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-chelsea-manchester-united-analyse-cotes-et-prono-du-match-de-premier-league-507489.html", + "link": "https://www.sofoot.com/un-maillot-de-votre-choix-a-recuperer-chez-vbet-507807.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T00:32:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-chelsea-manchester-united-analyse-cotes-et-prono-du-match-de-premier-league-1637866008_x600_articles-507489.jpg", + "pubDate": "2021-12-03T12:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-maillot-de-votre-choix-a-recuperer-chez-vbet-1638538004_x600_articles-507807.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63232,17 +68099,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "f71eb0cb741f355c09dfbb13f415bd3d" + "hash": "d73a83939f8a6cc20d130a9ae722b598" }, { - "title": "Pronostic Real Madrid FC Séville : Analyse, cotes et prono du match de Liga", - "description": "

    Real Madrid – Séville : La Maison Blanche a retrouvé les clés

    \n
    \nLa 15e journée de Liga nous offre 2 affiches entre formations qui…
    ", - "content": "

    Real Madrid – Séville : La Maison Blanche a retrouvé les clés

    \n
    \nLa 15e journée de Liga nous offre 2 affiches entre formations qui…
    ", + "title": "Où est passé le capitaine Juninho ? ", + "description": "Malgré la crise de résultats en Ligue 1 que traverse l'OL, Juninho reste bien discret. Deux ans après son intronisation, le directeur sportif du club rhodanien n'a toujours pas su insuffler une mentalité positive et conquérante à un groupe qu'il s'est attelé à façonner depuis son arrivée à la fin du mois de mai 2019.SOS ! En Ligue 1, le bateau de l'OL coule et nous n'avons plus de nouvelles de son capitaine. Quand on parle de capitaine, ce n'est ni de Léo Dubois, ni de Peter Bosz, ni de Jean-Michel Aulas…", + "content": "SOS ! En Ligue 1, le bateau de l'OL coule et nous n'avons plus de nouvelles de son capitaine. Quand on parle de capitaine, ce n'est ni de Léo Dubois, ni de Peter Bosz, ni de Jean-Michel Aulas…", "category": "", - "link": "https://www.sofoot.com/pronostic-real-madrid-fc-seville-analyse-cotes-et-prono-du-match-de-liga-507486.html", + "link": "https://www.sofoot.com/ou-est-passe-le-capitaine-juninho-507861.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T00:19:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-madrid-fc-seville-analyse-cotes-et-prono-du-match-de-liga-1637864959_x600_articles-507486.jpg", + "pubDate": "2021-12-05T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ou-est-passe-le-capitaine-juninho-1638633896_x600_articles-alt-507861.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63252,17 +68119,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "5da0f20fd37cd210576fb977f786bf85" + "hash": "18d99c3c612673fa04505d90760bd998" }, { - "title": "Pronostic Naples Lazio : Analyse, cotes et prono du match de Serie A", - "description": "

    Le Napoli stoppe sa mauvaise série face à la Lazio

    \n
    \nEn clôture de la 14e journée de Serie A, le Napoli reçoit la Lazio au stade Diego…
    ", - "content": "

    Le Napoli stoppe sa mauvaise série face à la Lazio

    \n
    \nEn clôture de la 14e journée de Serie A, le Napoli reçoit la Lazio au stade Diego…
    ", + "title": "La Solidarité Scolaire : la Guadeloupe au tableau", + "description": "La Guadeloupe est secouée par de fortes manifestations et tensions sociales depuis plusieurs semaines. Si on y ajoute la disparition cet été de Jacob Desvarieux, leader du groupe de zouk Kassav', autant dire que le moral n'est pas au beau fixe sur l'île antillaise. Pourtant, il existe un petit rayon de soleil qui apporte un peu d'ondes positives. Le club de la Solidarité scolaire de Baie-Mahault a bravé le froid et les huit heures de vol pour établir ses quartiers à Lisses, dans le 91, afin de préparer son 8e tour de Coupe de France disputé ce dimanche contre Sarre-Union (15h). Une première depuis 1999.De trente degrés à trois, la différence est grande, mais les Guadeloupéens de la Solidarité scolaire n'en ont que faire. Après leur victoire contre l'AS Gosier au 7e tour,…", + "content": "De trente degrés à trois, la différence est grande, mais les Guadeloupéens de la Solidarité scolaire n'en ont que faire. Après leur victoire contre l'AS Gosier au 7e tour,…", "category": "", - "link": "https://www.sofoot.com/pronostic-naples-lazio-analyse-cotes-et-prono-du-match-de-serie-a-507485.html", + "link": "https://www.sofoot.com/la-solidarite-scolaire-la-guadeloupe-au-tableau-507810.html", "creator": "SO FOOT", - "pubDate": "2021-11-27T00:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-naples-lazio-analyse-cotes-et-prono-du-match-de-serie-a-1637864706_x600_articles-507485.jpg", + "pubDate": "2021-12-05T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-solidarite-scolaire-la-guadeloupe-au-tableau-1638548476_x600_articles-507810.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63272,17 +68139,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "efa25f1ecc3da4ad3df019d7d29e0a35" + "hash": "9b3a2aecd8b1b2e6501507358b7ffeef" }, { - "title": "Les Bleues collent un set au Kazakhstan et poursuivent leur sans-faute", - "description": "

    ", - "content": "

    ", + "title": "Les notes de Lens-PSG", + "description": "Le PSG a peut-être Leo Messi, mais le RC Lens a Seko Fofana. Le milieu ivoirien a porté son équipe face à des Parisiens bien tristounes, mais sauvés par le climatiseur Wijnaldum.

    Ils ont fait le show

    \n
    \n
    \nLe voilà,…

    ", + "content": "

    Ils ont fait le show

    \n
    \n
    \nLe voilà,…

    ", "category": "", - "link": "https://www.sofoot.com/les-bleues-collent-un-set-au-kazakhstan-et-poursuivent-leur-sans-faute-507528.html", + "link": "https://www.sofoot.com/les-notes-de-lens-psg-507878.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T22:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-les-bleues-collent-un-set-au-kazakhstan-et-poursuivent-leur-sans-faute-1637964564_x600_articles-507528.jpg", + "pubDate": "2021-12-04T22:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-lens-psg-1638654749_x600_articles-alt-507878.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63292,17 +68159,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2cdfc40d382bb353478f4e8fca1430e3" + "hash": "0c8d29c32ad4ca4204ee64f09aca057a" }, { - "title": "Lens et Angers se rendent coup pour coup à Bollaert", - "description": "

    ", + "title": "Le PSG grappille un point à Lens", + "description": "Bousculé tout le match par un RC Lens séduisant et généreux, le PSG a profité des ratés nordistes pour revenir dans le temps additionnel à hauteur de son hôte grâce à Georginio Wijnaldum (1-1). Forcément, ce nul a un goût amer pour les hommes de Franck Haise.

    ", "content": "

    ", "category": "", - "link": "https://www.sofoot.com/lens-et-angers-se-rendent-coup-pour-coup-a-bollaert-507531.html", + "link": "https://www.sofoot.com/le-psg-grappille-un-point-a-lens-507876.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T22:03:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-lens-et-angers-se-rendent-coup-pour-coup-a-bollaert-1637964286_x600_articles-507531.jpg", + "pubDate": "2021-12-04T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-psg-grappille-un-point-a-lens-1638655488_x600_articles-alt-507876.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63312,17 +68179,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "a077f3831f9b3d9956ac06eb929ae73c" + "hash": "3a30d30520a8517529cace17e76cd284" }, { - "title": "Coupe de France : Bastia et Jura Sud l'emportent pour rallier les 32es", - "description": "

    ", - "content": "

    ", + "title": "Le Real assiège Saint-Sébastien ", + "description": "Malgré la blessure de Benzema en début de match, le Real Madrid s'est imposé avec la manière à Anoeta grâce à Vinicius et Jović (0-2). Grâce à ce nouveau succès, les Blancos font un pas supplémentaire vers le titre de champion d'Espagne.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/coupe-de-france-bastia-et-jura-sud-l-emportent-pour-rallier-les-32es-507530.html", + "link": "https://www.sofoot.com/le-real-assiege-saint-sebastien-507877.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T21:06:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-coupe-de-france-bastia-et-jura-sud-l-emportent-pour-rallier-les-32es-1637961043_x600_articles-507530.jpg", + "pubDate": "2021-12-04T21:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-real-assiege-saint-sebastien-1638650531_x600_articles-alt-507877.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63332,17 +68199,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "049c7726669a60d390346494728006cf" + "hash": "ce392755d874c9c5af664b299a5fbd41" }, { - "title": "En direct : Lens - Angers", - "description": "94' : ALLEZ ZOU ! Belle opposition entre un SCO solide en première et un Racing ressorti des ...", - "content": "94' : ALLEZ ZOU ! Belle opposition entre un SCO solide en première et un Racing ressorti des ...", + "title": "L'Atalanta culbute Naples", + "description": "Bien lancée par Malinovskyi et surprise par Zieliński et Mertens, l'Atalanta a fait preuve de caractère pour s'imposer à Naples (2-3) dans une rencontre animée et intense. Les hommes de Gian Piero Gasperini enchaînent une cinquième victoire consécutive et se rapprochent du podium.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-lens-angers-507527.html", + "link": "https://www.sofoot.com/l-atalanta-culbute-naples-507847.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T19:45:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lens-angers-1637959059_x600_articles-alt-507527.jpg", + "pubDate": "2021-12-04T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-culbute-naples-1638653680_x600_articles-alt-507847.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63352,17 +68219,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "c663fd6f6de1feacf32adeac8becbfc2" + "hash": "cc0a1cf9aba5f884b693a9efc0cb8c23" }, { - "title": "Le Portugal ou l'Italie manquera le Mondial !", - "description": "Douze équipes ont composté leur billet, mais seulement trois prendront le bon train. Ce vendredi après-midi, l'UEFA a procédé au tirage au sort des barrages des éliminatoires européens de la…", - "content": "Douze équipes ont composté leur billet, mais seulement trois prendront le bon train. Ce vendredi après-midi, l'UEFA a procédé au tirage au sort des barrages des éliminatoires européens de la…", + "title": "Jonathan David sauve Lille contre l'ESTAC", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-portugal-ou-l-italie-manquera-le-mondial-507525.html", + "link": "https://www.sofoot.com/jonathan-david-sauve-lille-contre-l-estac-507866.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T16:48:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-le-portugal-ou-l-italie-manquera-le-mondial-1637945593_x600_articles-507525.jpg", + "pubDate": "2021-12-04T19:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jonathan-david-sauve-lille-contre-l-estac-1638648051_x600_articles-507866.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63372,17 +68239,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0422613a4b02e3d8339facb35cfd86d3" + "hash": "0f5dc4da81cea070a02fa5413666018f" }, { - "title": "Ben Chilwell touché au ligament croisé et absent plusieurs semaines", - "description": "Chelsea a impressionné ce mardi en Ligue des champions, en détruisant la Juve (4-0) à Stamford Bridge.…", - "content": "Chelsea a impressionné ce mardi en Ligue des champions, en détruisant la Juve (4-0) à Stamford Bridge.…", + "title": "En direct : Lens - Paris S-G", + "description": "25' : La pression lensoise est tenace.", + "content": "25' : La pression lensoise est tenace.", "category": "", - "link": "https://www.sofoot.com/ben-chilwell-touche-au-ligament-croise-et-absent-plusieurs-semaines-507526.html", + "link": "https://www.sofoot.com/en-direct-lens-paris-s-g-507874.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T16:10:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-ben-chilwell-touche-au-ligament-croise-et-absent-plusieurs-semaines-1637946095_x600_articles-507526.jpg", + "pubDate": "2021-12-04T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lens-paris-s-g-1638649327_x600_articles-alt-507874.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63392,17 +68259,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "2bc86d114fc041d2140a213db30a9224" + "hash": "aac06389b11d105c6ae18ece975485f7" }, { - "title": "Pronostic OM Troyes : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Rebond attendu de l'OM face à Troyes

    \n
    \nBien parti dans cette nouvelle saison de Ligue 1, l'Olympique de Marseille semblait se présenter comme le rival…
    ", - "content": "

    Rebond attendu de l'OM face à Troyes

    \n
    \nBien parti dans cette nouvelle saison de Ligue 1, l'Olympique de Marseille semblait se présenter comme le rival…
    ", + "title": "Le Bayern vainqueur du Klassiker par K.O.", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-om-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-507506.html", + "link": "https://www.sofoot.com/le-bayern-vainqueur-du-klassiker-par-k-o-507855.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T16:09:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-om-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-1637922121_x600_articles-507506.jpg", + "pubDate": "2021-12-04T19:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-vainqueur-du-klassiker-par-k-o-1638647234_x600_articles-507855.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63412,18 +68279,18 @@ "favorite": false, "created": false, "tags": [], - "hash": "2fe2997ca2d7d99a26933bdfaef1c1a4" + "hash": "64d9ef0ccfed687fe7619bc8c833e1ff" }, { - "title": "Pronostic Montpellier Lyon : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lyon retrouve son appétit face à Montpellier

    \n
    \nCes dernières saisons, Montpellier a souvent terminé dans la 1re partie de tableau sans…
    ", - "content": "

    Lyon retrouve son appétit face à Montpellier

    \n
    \nCes dernières saisons, Montpellier a souvent terminé dans la 1re partie de tableau sans…
    ", + "title": "Majorque retourne l'Atlético dans le temps additionnel", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-montpellier-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-507504.html", + "link": "https://www.sofoot.com/majorque-retourne-l-atletico-dans-le-temps-additionnel-507872.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T16:00:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-montpellier-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-1637921501_x600_articles-507504.jpg", - "enclosureType": "image/jpeg", + "pubDate": "2021-12-04T19:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-majorque-retourne-l-atletico-dans-le-temps-additionnel-1638646763_x600_articles-507872.jpg", + "enclosureType": "image/jpeg", "image": "", "language": "fr", "folder": "00.03 News/Sport - FR", @@ -63432,17 +68299,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9d6a5bcf44c298987afc2c024834826" + "hash": "0ce1905b4b83f58e329ae8239cf63c35" }, { - "title": "Pronostic Bordeaux Brest : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Bordeaux – Brest électrique

    \n
    \nSi la lutte pour les places qualificatives pour la Ligue des Champions est féroce, le maintien concerne pas moins de…
    ", - "content": "

    Un Bordeaux – Brest électrique

    \n
    \nSi la lutte pour les places qualificatives pour la Ligue des Champions est féroce, le maintien concerne pas moins de…
    ", + "title": "City essore Watford et prend la tête", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-bordeaux-brest-analyse-cotes-et-prono-du-match-de-ligue-1-507503.html", + "link": "https://www.sofoot.com/city-essore-watford-et-prend-la-tete-507863.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:52:00Z", - "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bordeaux-brest-analyse-cotes-et-prono-du-match-de-ligue-1-1637921092_x600_articles-507503.jpg", + "pubDate": "2021-12-04T19:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-city-essore-watford-et-prend-la-tete-1638646135_x600_articles-507863.jpg", "enclosureType": "image/jpeg", "image": "", "language": "fr", @@ -63452,10514 +68319,11041 @@ "favorite": false, "created": false, "tags": [], - "hash": "4062e09ad488e2d89c6ad05e548e28c6" + "hash": "e648db891cbc20546f2f04d4eb33b101" }, { - "title": "Pronostic Lorient Rennes : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lorient – Rennes : un derby en Rouge et Noir

    \n
    \nLa Ligue 1 nous offre de nombreux derbys bretons, et ce dimanche nous aurons une opposition entre…
    ", - "content": "

    Lorient – Rennes : un derby en Rouge et Noir

    \n
    \nLa Ligue 1 nous offre de nombreux derbys bretons, et ce dimanche nous aurons une opposition entre…
    ", + "title": "Pronostic Everton Arsenal : Analyse, cotes et prono du match de Premier League", + "description": "

    Arsenal enfonce Everton

    \n
    \nAprès avoir réalisé un début de saison intéressant avec 3 victoires et 1 nul lors des 4 premières journées, Everton a…
    ", + "content": "

    Arsenal enfonce Everton

    \n
    \nAprès avoir réalisé un début de saison intéressant avec 3 victoires et 1 nul lors des 4 premières journées, Everton a…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lorient-rennes-analyse-cotes-et-prono-du-match-de-ligue-1-507502.html", + "link": "https://www.sofoot.com/pronostic-everton-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-507875.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:44:00Z", + "pubDate": "2021-12-04T19:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-everton-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-1638645595_x600_articles-507875.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "40191158c732de1ce1a3dc6b8a600bd3" + "hash": "1456007be7befe12498f1d012743d419" }, { - "title": "Pronostic Monaco Strasbourg : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Monaco, le déclic face à Strasbourg

    \n
    \nImpressionnant l'an passé lors de la 2nde partie de saison, Monaco avait marqué les esprits par la…
    ", - "content": "

    Monaco, le déclic face à Strasbourg

    \n
    \nImpressionnant l'an passé lors de la 2nde partie de saison, Monaco avait marqué les esprits par la…
    ", + "title": "Pronostic Getafe Athletic Bilbao : Analyse, cotes et prono du match de Liga", + "description": "

    Getafe sur sa lancée face à l'Athletic Bilbao

    \n
    \nQuinzième la saison passée, Getafe connaît une entame de saison délicate puisque la formation…
    ", + "content": "

    Getafe sur sa lancée face à l'Athletic Bilbao

    \n
    \nQuinzième la saison passée, Getafe connaît une entame de saison délicate puisque la formation…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-monaco-strasbourg-analyse-cotes-et-prono-du-match-de-ligue-1-507497.html", + "link": "https://www.sofoot.com/pronostic-getafe-athletic-bilbao-analyse-cotes-et-prono-du-match-de-liga-507873.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:25:00Z", + "pubDate": "2021-12-04T19:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-getafe-athletic-bilbao-analyse-cotes-et-prono-du-match-de-liga-1638645441_x600_articles-507873.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "657a361853f9b3e507b3ec43e4e22136" + "hash": "86e0cfc034d8f536fb16df0d196f7173" }, { - "title": "Foot amateur : réduction de peine pour un joueur qui avait menacé sa Ligue", - "description": "Deux ans de suspension dont un avec sursis et obligation de se laver la bouche avec du savon.
    \n
    \nUn joueur de l'AS Tourville en Normandie devra tourner sept fois ses doigts au-dessus du…

    ", - "content": "Deux ans de suspension dont un avec sursis et obligation de se laver la bouche avec du savon.
    \n
    \nUn joueur de l'AS Tourville en Normandie devra tourner sept fois ses doigts au-dessus du…

    ", + "title": "L'Inter marche sur la Roma ", + "description": "Les champions en titre n'ont pas laissé le temps aux Romains d'espérer quoique ce soit dans ce choc et se sont tranquillement imposés largement (3-0) ce samedi au stadio Olimpico. Les hommes de Simone Inzaghi restent plus que jamais dans la course au titre alors que ceux de José Mourinho pourraient ne plus être européens d'ici la fin du week-end.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/foot-amateur-reduction-de-peine-pour-un-joueur-qui-avait-menace-sa-ligue-507524.html", + "link": "https://www.sofoot.com/l-inter-marche-sur-la-roma-507865.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:22:00Z", + "pubDate": "2021-12-04T19:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-inter-marche-sur-la-roma-1638642576_x600_articles-alt-507865.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc3c935fd964009287d00e1242ff76f1" + "hash": "55563824026aaa3df199d91840df908d" }, { - "title": "Sepp Blatter entendu comme témoin dans l'affaire de l'attribution du Mondial 2022 au Qatar", - "description": "Bientôt le fin mot de l'histoire ?
    \n
    \nÀ quelques mois du début des échéances, la Coupe du monde 2022 est toujours dans le viseur de la justice. Remise en cause, son attribution au…

    ", - "content": "Bientôt le fin mot de l'histoire ?
    \n
    \nÀ quelques mois du début des échéances, la Coupe du monde 2022 est toujours dans le viseur de la justice. Remise en cause, son attribution au…

    ", + "title": "Pronostic Cagliari Torino : Analyse, cotes et prono du match de Serie A", + "description": "

    Le Torino conserve ses distances avec Cagliari

    \n
    \nComme une mauvaise ritournelle, Cagliari vit une nouvelle saison de Serie A à lutter pour son maintien.…
    ", + "content": "

    Le Torino conserve ses distances avec Cagliari

    \n
    \nComme une mauvaise ritournelle, Cagliari vit une nouvelle saison de Serie A à lutter pour son maintien.…
    ", "category": "", - "link": "https://www.sofoot.com/sepp-blatter-entendu-comme-temoin-dans-l-affaire-de-l-attribution-du-mondial-2022-au-qatar-507523.html", + "link": "https://www.sofoot.com/pronostic-cagliari-torino-analyse-cotes-et-prono-du-match-de-serie-a-507871.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:15:00Z", + "pubDate": "2021-12-04T18:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-cagliari-torino-analyse-cotes-et-prono-du-match-de-serie-a-1638644899_x600_articles-507871.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "577b761bef78ff30d1c2d74003d09c42" + "hash": "5f0f0b1f6c014aca244352d3a51fba27" }, { - "title": "Sampaoli : \"Il faudra voir comment Dimitri est émotionnellement parlant\"", - "description": "Pas de nouvelles, bonnes nouvelles ?
    \n
    \n\"Je n'ai pas encore pu le voir ou lui parler, mais le rapport du médecin dit que Dimitri est à disposition du groupe pour le match de…

    ", - "content": "Pas de nouvelles, bonnes nouvelles ?
    \n
    \n\"Je n'ai pas encore pu le voir ou lui parler, mais le rapport du médecin dit que Dimitri est à disposition du groupe pour le match de…

    ", + "title": "Pronostic Empoli Udinese : Analyse, cotes et prono du match de Serie A", + "description": "

    Pas de vainqueur entre Empoli et l'Udinese

    \n
    \nChampion de Serie B la saison passée, Empoli a donc retrouvé l'élite du football italien cet été. Le…
    ", + "content": "

    Pas de vainqueur entre Empoli et l'Udinese

    \n
    \nChampion de Serie B la saison passée, Empoli a donc retrouvé l'élite du football italien cet été. Le…
    ", "category": "", - "link": "https://www.sofoot.com/sampaoli-il-faudra-voir-comment-dimitri-est-emotionnellement-parlant-507522.html", + "link": "https://www.sofoot.com/pronostic-empoli-udinese-analyse-cotes-et-prono-du-match-de-serie-a-507870.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:14:00Z", + "pubDate": "2021-12-04T18:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-empoli-udinese-analyse-cotes-et-prono-du-match-de-serie-a-1638644303_x600_articles-507870.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "231079375c2d97c1513138723ac06119" + "hash": "8ef959f370af4353997fe747b22a765c" }, { - "title": "Pronostic Reims Clermont : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Reims – Clermont avec des buts de chaque côté

    \n
    \nL'opposition entre Reims et Clermont concerne le bas de tableau et plus précisément la lutte…
    ", - "content": "

    Un Reims – Clermont avec des buts de chaque côté

    \n
    \nL'opposition entre Reims et Clermont concerne le bas de tableau et plus précisément la lutte…
    ", + "title": "Pronostic Niort Toulouse : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Toulouse poursuit sa route face à Niort

    \n
    \nPour clôturer la 17e journée de Ligue 2, Niort reçoit le grand favori à la montée, Toulouse.…
    ", + "content": "

    Toulouse poursuit sa route face à Niort

    \n
    \nPour clôturer la 17e journée de Ligue 2, Niort reçoit le grand favori à la montée, Toulouse.…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-reims-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-507496.html", + "link": "https://www.sofoot.com/pronostic-niort-toulouse-analyse-cotes-et-prono-du-match-de-ligue-2-507869.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T15:10:00Z", + "pubDate": "2021-12-04T18:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-niort-toulouse-analyse-cotes-et-prono-du-match-de-ligue-2-1638643724_x600_articles-507869.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b3c248913b87c8558baba6570ba0989" + "hash": "32175d7eba66e94cca6c00ed292489d9" }, { - "title": "Xavi : \"Ousmane Dembélé est très important pour mon projet\"", - "description": "Il a beau ne pas respecter les règles drastiques mises en place par son entraîneur et…", - "content": "Il a beau ne pas respecter les règles drastiques mises en place par son entraîneur et…", + "title": "Brest met l'OM à genou au Vélodrome ", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/xavi-ousmane-dembele-est-tres-important-pour-mon-projet-507520.html", + "link": "https://www.sofoot.com/brest-met-l-om-a-genou-au-velodrome-507860.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T14:36:00Z", + "pubDate": "2021-12-04T18:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-brest-met-l-om-a-genou-au-velodrome-1638640965_x600_articles-507860.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47e60d97347003d4b324a280bc3025ff" + "hash": "8edf24ba65e33bd9ab882da67a0ab69c" }, { - "title": "Klopp et la menace Rangnick", - "description": "Il ne manque que l'officialisation. Selon la presse britannique, Ralf Rangnick va devenir le successeur d'Ole Gunnar Solskjær à la tête de Manchester United. Et si les Red Devils n'ont pas…", - "content": "Il ne manque que l'officialisation. Selon la presse britannique, Ralf Rangnick va devenir le successeur d'Ole Gunnar Solskjær à la tête de Manchester United. Et si les Red Devils n'ont pas…", + "title": "En direct : Borussia Dortmund - Bayern Munich", + "description": "à suivre en direct sur SOFOOT.com", + "content": "à suivre en direct sur SOFOOT.com", "category": "", - "link": "https://www.sofoot.com/klopp-et-la-menace-rangnick-507521.html", + "link": "https://www.sofoot.com/en-direct-borussia-dortmund-bayern-munich-507853.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T14:17:00Z", + "pubDate": "2021-12-04T17:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-borussia-dortmund-bayern-munich-1638638651_x600_articles-507853.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "fcc919b0619302b3baba2193ece344c3" + "hash": "c6116d67bcee1227a3fe9bb979f4fc67" }, { - "title": "Marcelo Gallardo vers un départ de River Plate", - "description": "En écrasant le Racing 4-0 jeudi soir, River Plate s'est adjugé une 36e couronne…", - "content": "En écrasant le Racing 4-0 jeudi soir, River Plate s'est adjugé une 36e couronne…", + "title": "Le Betis fait plier le Barça", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/marcelo-gallardo-vers-un-depart-de-river-plate-507519.html", + "link": "https://www.sofoot.com/le-betis-fait-plier-le-barca-507862.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T13:56:00Z", + "pubDate": "2021-12-04T17:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-betis-fait-plier-le-barca-1638638557_x600_articles-507862.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ecef881bd3c4d0b1c6a3dac461b6d70" + "hash": "bfec31a251edc51268794da675b9ca98" }, { - "title": "Le Barça va régler dix millions d'euros à Koeman d'ici la fin de l'année", - "description": "Les cadeaux de Noël vont être prestigieux dans la famille Koeman.
    \n
    \nDémis de ses fonctions d'entraîneur du FC Barcelone le 27 octobre dernier, Ronald Koeman a quitté la Catalogne…

    ", - "content": "Les cadeaux de Noël vont être prestigieux dans la famille Koeman.
    \n
    \nDémis de ses fonctions d'entraîneur du FC Barcelone le 27 octobre dernier, Ronald Koeman a quitté la Catalogne…

    ", + "title": "Liverpool coiffe Wolverhampton sur le fil", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-barca-va-regler-dix-millions-d-euros-a-koeman-d-ici-la-fin-de-l-annee-507517.html", + "link": "https://www.sofoot.com/liverpool-coiffe-wolverhampton-sur-le-fil-507856.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T13:19:00Z", + "pubDate": "2021-12-04T17:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-liverpool-coiffe-wolverhampton-sur-le-fil-1638638387_x600_articles-507856.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a67dd61289caf2aedef02549a95e8f6" + "hash": "8316e101e79b388eaeab8488a5ee73c3" }, { - "title": "Ralf Rangnick : \"J'ai réussi à créer des équipes qui ont leur propre modèle\"", - "description": "Pionnier du gegenpressing, maître à penser de toute une génération de coachs allemands et architecte du projet Red Bull, Ralf Rangnick devrait être nommé à 63 ans entraîneur par intérim de Manchester United dans les prochaines heures. En mars 2020, dans le cadre d'un grand dossier sur l'histoire du contre-pressing, il était revenu en longueur sur sa méthode pour le magazine So Foot. En avant !Vous êtes un membre important de ce qu'on appelle aujourd'hui \"le clan des Souabes\", ces entraîneurs issus du Bade-Wurtemberg, qui ont révolutionné l'approche du…", - "content": "Vous êtes un membre important de ce qu'on appelle aujourd'hui \"le clan des Souabes\", ces entraîneurs issus du Bade-Wurtemberg, qui ont révolutionné l'approche du…", + "title": "Le Bayer Leverkusen anéantit Greuther Fürth, Wolfsburg ne répond plus", + "description": "Large bourreau de Greuther Fürth (7-1), le Bayer Leverkusen a poursuivi l'entreprise de démolition en cours contre la lanterne rouge de Bundesliga. Défait sans répliquer à Mayence (0-3), Wolfsburg passe derrière son adversaire du jour et continue de patiner avant la réception du LOSC. Pour Hoffenheim, vainqueur de l'Eintracht Francfort (3-2), et Bochum, qui a écarté Augsbourg sur le même score, c'était un bel après-midi de foot allemand.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/ralf-rangnick-j-ai-reussi-a-creer-des-equipes-qui-ont-leur-propre-modele-507479.html", + "link": "https://www.sofoot.com/le-bayer-leverkusen-aneantit-greuther-furth-wolfsburg-ne-repond-plus-507848.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T13:00:00Z", + "pubDate": "2021-12-04T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bayer-leverkusen-aneantit-greuther-furth-wolfsburg-ne-repond-plus-1638636266_x600_articles-alt-507848.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bec57195b0a8cd7312f4ca571e73889" + "hash": "8bd448a23dec84b2c78db9d8a6c2a19d" }, { - "title": "Leonardo assure qu'il n'a eu \"aucun contact\" avec Zidane", - "description": "Tous les Marseillais peuvent souffler un bon coup.
    \n
    \nDepuis plusieurs semaines, des rumeurs font état de l'intérêt du Paris Saint-Germain pour Zinédine Zidane, libre de tout contrat…

    ", - "content": "Tous les Marseillais peuvent souffler un bon coup.
    \n
    \nDepuis plusieurs semaines, des rumeurs font état de l'intérêt du Paris Saint-Germain pour Zinédine Zidane, libre de tout contrat…

    ", + "title": "Milan casse la Salernitana", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/leonardo-assure-qu-il-n-a-eu-aucun-contact-avec-zidane-507516.html", + "link": "https://www.sofoot.com/milan-casse-la-salernitana-507851.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:49:00Z", + "pubDate": "2021-12-04T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-milan-casse-la-salernitana-1638633830_x600_articles-507851.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a047a4a6c5b25ed8276d1c79305b71ae" + "hash": "9a202ba76583d8bed7936573821d551c" }, { - "title": "Les supporters dijonnais lancent une collecte de jouets pour les enfants malades", - "description": "Pas besoin d'être le Père Noël pour offrir des cadeaux. Le petit évènement organisé par les Lingon's Boys, supporters dijonnais, avant la rencontre entre le DFCO et Niort le samedi 11…", - "content": "Pas besoin d'être le Père Noël pour offrir des cadeaux. Le petit évènement organisé par les Lingon's Boys, supporters dijonnais, avant la rencontre entre le DFCO et Niort le samedi 11…", + "title": "Auxerre et Caen se quittent sur un nul spectaculaire", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-supporters-dijonnais-lancent-une-collecte-de-jouets-pour-les-enfants-malades-507515.html", + "link": "https://www.sofoot.com/auxerre-et-caen-se-quittent-sur-un-nul-spectaculaire-507846.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:49:00Z", + "pubDate": "2021-12-04T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-auxerre-et-caen-se-quittent-sur-un-nul-spectaculaire-1638633599_x600_articles-507846.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7dd1060760ad7232c90282ce12dea228" + "hash": "9f123a79abfcbc19f7549cc20f151798" }, { - "title": "Pronostic Saint-Etienne PSG : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Le PSG reverdit à Saint-Etienne

    \n
    \nL'affiche du dimanche midi en ligue 1 oppose l'AS Saint-Etienne au Paris Saint-Germain. Il y a un peu plus d'un…
    ", - "content": "

    Le PSG reverdit à Saint-Etienne

    \n
    \nL'affiche du dimanche midi en ligue 1 oppose l'AS Saint-Etienne au Paris Saint-Germain. Il y a un peu plus d'un…
    ", + "title": "En direct : Marseille - Brest", + "description": "0' : La compo de l'OM sur l'instru de Bad Boys de Marseille Pt 2, c'est d'une efficacité à ...", + "content": "0' : La compo de l'OM sur l'instru de Bad Boys de Marseille Pt 2, c'est d'une efficacité à ...", "category": "", - "link": "https://www.sofoot.com/pronostic-saint-etienne-psg-analyse-cotes-et-prono-du-match-de-ligue-1-507501.html", + "link": "https://www.sofoot.com/en-direct-marseille-brest-507854.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:37:00Z", + "pubDate": "2021-12-04T15:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-marseille-brest-1638628591_x600_articles-507854.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2efca2d88ec527f2ed80dfd12e4d671" + "hash": "87c3637d1da3ec388656589c9ada9296" }, { - "title": "Hugo Vidémont joueur de l'année au Zalgiris Vilnius", - "description": "On finit toujours par trouver sa voie.
    \n
    \nPour Hugo Vidémont, c'est en Lituanie, au Zalgiris Vilnius, qu'il fallait aller pour devenir une légende. Et pour sa troisième saison chez les…

    ", - "content": "On finit toujours par trouver sa voie.
    \n
    \nPour Hugo Vidémont, c'est en Lituanie, au Zalgiris Vilnius, qu'il fallait aller pour devenir une légende. Et pour sa troisième saison chez les…

    ", + "title": "La fois où Zlatan Ibrahimović a été fou de rage de devoir payer un jus de fruit à 1£", + "description": "Même quand on gagne des millions, il n'y a pas de petites économies.
    \n
    \nSi vous voulez énerver Zlatan Ibrahimović, parlez-lui de jus de fruit. Avec la sortie prochaine de sa…

    ", + "content": "Même quand on gagne des millions, il n'y a pas de petites économies.
    \n
    \nSi vous voulez énerver Zlatan Ibrahimović, parlez-lui de jus de fruit. Avec la sortie prochaine de sa…

    ", "category": "", - "link": "https://www.sofoot.com/hugo-videmont-joueur-de-l-annee-au-zalgiris-vilnius-507514.html", + "link": "https://www.sofoot.com/la-fois-ou-zlatan-ibrahimovic-a-ete-fou-de-rage-de-devoir-payer-un-jus-de-fruit-a-1-507859.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:15:00Z", + "pubDate": "2021-12-04T15:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-fois-ou-zlatan-ibrahimovic-a-ete-fou-de-rage-de-devoir-payer-un-jus-de-fruit-a-1-1638631834_x600_articles-507859.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4cabcd69e255059379e2dd5f0a23faf8" + "hash": "21f34865eb43ab005e7b4b8ea6571d5e" }, { - "title": "Le Bayern Munich s'écharpe avec ses membres sur le partenariat avec le Qatar ", - "description": "Leader en Bundesliga et qualifié pour les huitièmes de finale de la Ligue des champions, le Bayern Munich a…", - "content": "Leader en Bundesliga et qualifié pour les huitièmes de finale de la Ligue des champions, le Bayern Munich a…", + "title": "Séville assure l'essentiel face à Villarreal", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-bayern-munich-s-echarpe-avec-ses-membres-sur-le-partenariat-avec-le-qatar-507512.html", + "link": "https://www.sofoot.com/seville-assure-l-essentiel-face-a-villarreal-507849.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:04:00Z", + "pubDate": "2021-12-04T15:01:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-seville-assure-l-essentiel-face-a-villarreal-1638630398_x600_articles-507849.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d204f4912b266b394acadd7d8101329" + "hash": "e35de902752f45c0ac25bee56b1cc401" }, { - "title": "Infantino s'en prend aux opposants de la Coupe du monde tous les deux ans", - "description": "Ce n'est pas comme ça qu'il va se faire des amis, Gianni.
    \n
    \nDepuis plusieurs semaines, le petit monde du football s'écharpe à l'idée de voir la Coupe du monde s'organiser tous les…

    ", - "content": "Ce n'est pas comme ça qu'il va se faire des amis, Gianni.
    \n
    \nDepuis plusieurs semaines, le petit monde du football s'écharpe à l'idée de voir la Coupe du monde s'organiser tous les…

    ", + "title": "Un Écossais arrêté pour avoir lancé une bouteille sur un joueur", + "description": "Lyon influence la France. La France influence le monde.
    \n
    \nEn Écosse aussi, ils ont leur lot de champions. Jeudi, Barrie McKay, qui évolue à Heart of Midlothian, a été la cible de…

    ", + "content": "Lyon influence la France. La France influence le monde.
    \n
    \nEn Écosse aussi, ils ont leur lot de champions. Jeudi, Barrie McKay, qui évolue à Heart of Midlothian, a été la cible de…

    ", "category": "", - "link": "https://www.sofoot.com/infantino-s-en-prend-aux-opposants-de-la-coupe-du-monde-tous-les-deux-ans-507513.html", + "link": "https://www.sofoot.com/un-ecossais-arrete-pour-avoir-lance-une-bouteille-sur-un-joueur-507852.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:04:00Z", + "pubDate": "2021-12-04T14:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-ecossais-arrete-pour-avoir-lance-une-bouteille-sur-un-joueur-1638628599_x600_articles-507852.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1b981053d03db2ca249a93c764ab2df" + "hash": "8f27a1a444158ad55bb0dd26c5ee10d1" }, { - "title": "Messi, l'erreur de casting ?", - "description": "La question peut paraître incongrue au vu de l'aura et du talent incomparable du joueur, et pourtant. Depuis son arrivée à Paris, Lionel Messi n'apporte que frustration et nœuds au cerveau, entre deux éclairs de génie bien trop disparates. Un bien faible impact sur le jeu de sa nouvelle équipe qui a sauté aux yeux de tous mercredi soir à l'Etihad Stadium : à chaque fois que l'Argentin s'est refusé à la moindre course sans ballon, tout en ne réussissant pas grand-chose les rares fois où il l'avait dans les pieds.\"Depuis le moment où je me suis exprimé sur mon départ à Barcelone, les gens sont venus dans les rues, sans même savoir si j'allais venir ici, sans que rien ne soir confirmé.\" Dès…", - "content": "\"Depuis le moment où je me suis exprimé sur mon départ à Barcelone, les gens sont venus dans les rues, sans même savoir si j'allais venir ici, sans que rien ne soir confirmé.\" Dès…", + "title": "Chelsea piégé à West Ham", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/messi-l-erreur-de-casting-507507.html", + "link": "https://www.sofoot.com/chelsea-piege-a-west-ham-507845.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T11:00:00Z", + "pubDate": "2021-12-04T14:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-chelsea-piege-a-west-ham-1638628489_x600_articles-507845.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ac7aa2b578e1b8b6098d568275d746e" + "hash": "bfd305915d9bdf3ebe810c6f2398f346" }, { - "title": "Assassiné par la police aux Philippines, l'ancien footballeur Lafuente n'était pas un dealer", - "description": "Le 7 janvier 2020, Diego Bello Lafuente, surfeur et ancien footballeur espagnol au Deportivo La Corogne, était assassiné par les forces de l'ordre aux Philippines, qui le soupçonnaient d'être un…", - "content": "Le 7 janvier 2020, Diego Bello Lafuente, surfeur et ancien footballeur espagnol au Deportivo La Corogne, était assassiné par les forces de l'ordre aux Philippines, qui le soupçonnaient d'être un…", + "title": "Cristiano Ronaldo blessé au genou à cause de sa célébration ? ", + "description": "En même temps, au bout de la 801e fois, ça devait finir par craquer.
    \n
    \nDouble buteur face à Arsenal jeudi dernier, Cristiano Ronaldo a encore une fois été le grand homme…

    ", + "content": "En même temps, au bout de la 801e fois, ça devait finir par craquer.
    \n
    \nDouble buteur face à Arsenal jeudi dernier, Cristiano Ronaldo a encore une fois été le grand homme…

    ", "category": "", - "link": "https://www.sofoot.com/assassine-par-la-police-aux-philippines-l-ancien-footballeur-lafuente-n-etait-pas-un-dealer-507510.html", + "link": "https://www.sofoot.com/cristiano-ronaldo-blesse-au-genou-a-cause-de-sa-celebration-507850.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T10:34:00Z", + "pubDate": "2021-12-04T13:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-cristiano-ronaldo-blesse-au-genou-a-cause-de-sa-celebration-1638625985_x600_articles-507850.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8bdcf8ba38ab1b269b0e47284cc0fce0" + "hash": "4fc052356b10ea1b02bdb9d8680738c8" }, { - "title": "L'écusson de Liverpool se retrouve sur la saisie de 215 kilos de cocaïne au Paraguay", - "description": "Tu ne te drogueras jamais seul.
    \n
    \n500 paquets de cocaïne pour un total de 215 kilos et 302 grammes de drogue, voici le gros butin récolté par le Secrétariat national anti-drogue (ou…

    ", - "content": "Tu ne te drogueras jamais seul.
    \n
    \n500 paquets de cocaïne pour un total de 215 kilos et 302 grammes de drogue, voici le gros butin récolté par le Secrétariat national anti-drogue (ou…

    ", + "title": "Samuel Umtiti (FC Barcelone) à l'AC Milan pour remplacer Simon Kjær ?", + "description": "Samuel Umtiti enfin libérable ?
    \n
    \nAu placard au Barça (aucun match joué cette saison), le défenseur français de 28 ans s'enterre peu à peu. Selon

    ", + "content": "Samuel Umtiti enfin libérable ?
    \n
    \nAu placard au Barça (aucun match joué cette saison), le défenseur français de 28 ans s'enterre peu à peu. Selon


    ", "category": "", - "link": "https://www.sofoot.com/l-ecusson-de-liverpool-se-retrouve-sur-la-saisie-de-215-kilos-de-cocaine-au-paraguay-507509.html", + "link": "https://www.sofoot.com/samuel-umtiti-fc-barcelone-a-l-ac-milan-pour-remplacer-simon-kj-c3-a6r-507844.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T10:26:00Z", + "pubDate": "2021-12-04T11:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-samuel-umtiti-fc-barcelone-a-l-ac-milan-pour-remplacer-simon-kj-c3-a6r-1638618031_x600_articles-507844.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2c9210469c058783213b401a2243704f" + "hash": "fff81442822f5dded74be830c943b681" }, { - "title": "Formiga prend sa retraite internationale", - "description": "Gianluigi Buffon n'est qu'un petit joueur à côté d'elle.
    \n
    \nPassée par le PSG de 2017 jusqu'à juin dernier, Formiga est une véritable légende du football. À 43 ans, \"la Fourmi…

    ", - "content": "Gianluigi Buffon n'est qu'un petit joueur à côté d'elle.
    \n
    \nPassée par le PSG de 2017 jusqu'à juin dernier, Formiga est une véritable légende du football. À 43 ans, \"la Fourmi…

    ", + "title": "RC Lens : le maillot collector spécial Sainte-Barbe fait fureur chez les supporters", + "description": "Voilà un coup de com' réussi.
    \n
    \n

    La F?ℛCE de Lens... depuis 115 ans ⚫? Découvrez notre maillot en hommage à la Sainte Barbe…



    ", + "content": "Voilà un coup de com' réussi.
    \n
    \n

    La F?ℛCE de Lens... depuis 115 ans ⚫? Découvrez notre maillot en hommage à la Sainte Barbe…



    ", "category": "", - "link": "https://www.sofoot.com/formiga-prend-sa-retraite-internationale-507511.html", + "link": "https://www.sofoot.com/rc-lens-le-maillot-collector-special-sainte-barbe-fait-fureur-chez-les-supporters-507843.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T10:11:00Z", + "pubDate": "2021-12-04T10:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-rc-lens-le-maillot-collector-special-sainte-barbe-fait-fureur-chez-les-supporters-1638614128_x600_articles-507843.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cd1812155aff54587d48bc437e0c29a2" + "hash": "9e507ad05b931501151fba796f800436" }, { - "title": "La CONMEBOL met fin à la règle du but à l'extérieur", - "description": "Terminado.
    \n
    \nEn marge de la finale de la Copa Libertadores opposant Flamengo et Palmeiras samedi à Montevideo, la CONMEBOL, instance dirigeante du football en Amérique du Sud,…

    ", - "content": "Terminado.
    \n
    \nEn marge de la finale de la Copa Libertadores opposant Flamengo et Palmeiras samedi à Montevideo, la CONMEBOL, instance dirigeante du football en Amérique du Sud,…

    ", + "title": "Graham Potter veut \"créer un environnement spécial\" à Brighton", + "description": "Potter dévoile ses tours.
    \n
    \nAlors qu'il réalise sa troisième saison en tant qu'entraîneur de Brighton, Graham Potter a dévoilé un peu de sa personnalité et de sa vision du football…

    ", + "content": "Potter dévoile ses tours.
    \n
    \nAlors qu'il réalise sa troisième saison en tant qu'entraîneur de Brighton, Graham Potter a dévoilé un peu de sa personnalité et de sa vision du football…

    ", "category": "", - "link": "https://www.sofoot.com/la-conmebol-met-fin-a-la-regle-du-but-a-l-exterieur-507505.html", + "link": "https://www.sofoot.com/graham-potter-veut-creer-un-environnement-special-a-brighton-507841.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T10:07:00Z", + "pubDate": "2021-12-04T10:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-graham-potter-veut-creer-un-environnement-special-a-brighton-1638612612_x600_articles-507841.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b68b496a069a4279a52cf40ecd89140f" + "hash": "15344e6d8c80d5b5ebf9a73df7103bfe" }, { - "title": "La pelouse de Santander gravement détériorée par un acte de vandalisme", - "description": "Non, le Paris-Dakar n'est pas censé passer par Santander.
    \n
    \nEn se levant ce jeudi pour aller travailler, les jardiniers du Racing de Santander ont tout de suite compris qu'il allait…

    ", - "content": "Non, le Paris-Dakar n'est pas censé passer par Santander.
    \n
    \nEn se levant ce jeudi pour aller travailler, les jardiniers du Racing de Santander ont tout de suite compris qu'il allait…

    ", + "title": "Six mois d'absence pour Simon Kjær (AC Milan)", + "description": "Semaine chargée pour Simon Kjær.
    \n
    \n
    Dix-huitième du Ballon d'or lundi, blessé…

    ", + "content": "Semaine chargée pour Simon Kjær.
    \n
    \nDix-huitième du Ballon d'or lundi, blessé…

    ", "category": "", - "link": "https://www.sofoot.com/la-pelouse-de-santander-gravement-deterioree-par-un-acte-de-vandalisme-507500.html", + "link": "https://www.sofoot.com/six-mois-d-absence-pour-simon-kj-c3-a6r-ac-milan-507842.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T09:42:00Z", + "pubDate": "2021-12-04T09:29:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-six-mois-d-absence-pour-simon-kj-c3-a6r-ac-milan-1638609613_x600_articles-507842.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18e77a9e93875716e70b8fa8f14e98b9" + "hash": "725ce1572458a807517e29c5a9fbe315" }, { - "title": "Les supporters du Legia s'attaquent à la police lors du match à Leicester", - "description": "Tout est presque sous contrôle.
    \n
    \nAu milieu de la deuxième mi-temps du match entre Leicester et le Legia Varsovie qui s'est disputé jeudi soir pour le compte de la 5e

    ", - "content": "Tout est presque sous contrôle.
    \n
    \nAu milieu de la deuxième mi-temps du match entre Leicester et le Legia Varsovie qui s'est disputé jeudi soir pour le compte de la 5e

    ", + "title": "Pourquoi Newcastle, Greuther Fürth et Levante sont à la traîne depuis le début de saison ?", + "description": "Décembre vient d'arriver, la phase aller est bientôt terminée et, pour le moment, ils n'ont toujours pas gagné. Au sein des cinq grands championnats, trois clubs sont encore à la recherche de leur première victoire de la saison : Newcastle en Angleterre, Greuther Fürth en Allemagne et Levante en Espagne. Trois lanternes écarlates aux profils bien différents et qui, malgré ce démarrage calamiteux, n'ont peut-être pas hypothéqué toutes leurs chances de maintien.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-supporters-du-legia-s-attaquent-a-la-police-lors-du-match-a-leicester-507499.html", + "link": "https://www.sofoot.com/pourquoi-newcastle-greuther-furth-et-levante-sont-a-la-traine-depuis-le-debut-de-saison-507831.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T09:40:00Z", + "pubDate": "2021-12-04T09:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pourquoi-newcastle-greuther-furth-et-levante-sont-a-la-traine-depuis-le-debut-de-saison-1638557194_x600_articles-alt-507831.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb622f7144ed91fc0833ac2c3bb90f0c" + "hash": "046de87ae3fab36c9cb3d71dbca7042a" }, { - "title": "Conte dépité après la défaite de Tottenham à Mura", - "description": "Magicien : Personne qui fait des choses extraordinaires, qui a comme un pouvoir magique sur les choses ou sur les personnes.
    \n
    \nOn ne lui demandera pas de sortir un lapin de son…

    ", - "content": "Magicien : Personne qui fait des choses extraordinaires, qui a comme un pouvoir magique sur les choses ou sur les personnes.
    \n
    \nOn ne lui demandera pas de sortir un lapin de son…

    ", + "title": "Le but en huit secondes de Dominic Solanke (Bournemouth) contre Fulham", + "description": "C'est ce qu'on appelle ressortir des vestiaires avec les crocs.
    \n
    \nCe vendredi soir, Bournemouth, deuxième de Championship, se déplaçait sur la pelouse de Craven Cottage pour y affronter…

    ", + "content": "C'est ce qu'on appelle ressortir des vestiaires avec les crocs.
    \n
    \nCe vendredi soir, Bournemouth, deuxième de Championship, se déplaçait sur la pelouse de Craven Cottage pour y affronter…

    ", "category": "", - "link": "https://www.sofoot.com/conte-depite-apres-la-defaite-de-tottenham-a-mura-507492.html", + "link": "https://www.sofoot.com/le-but-en-huit-secondes-de-dominic-solanke-bournemouth-contre-fulham-507840.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T09:26:00Z", + "pubDate": "2021-12-04T08:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-but-en-huit-secondes-de-dominic-solanke-bournemouth-contre-fulham-1638606180_x600_articles-507840.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f83162f7b0eb56d0bed89ddc5e2add4" + "hash": "59b59ddaa973501d1b0da6339146a602" }, { - "title": "Ses premiers enfants s'appellent Mara et Dona, son troisième s'appellera Diego", - "description": "Dans le classement des hommages farfelus, on doit pas être loin de la première place.
    \n
    \nWalter Rotundo, un Argentin de 39 ans, avait connu la joie d'être papa pour la première fois il…

    ", - "content": "Dans le classement des hommages farfelus, on doit pas être loin de la première place.
    \n
    \nWalter Rotundo, un Argentin de 39 ans, avait connu la joie d'être papa pour la première fois il…

    ", + "title": "LOTO du samedi 4 décembre 2021 : 30 millions d'€ à gagner (cagnotte record) !", + "description": "Incroyable, la cagnotte du LOTO vient de franchir la barre symbolique des 30 millions d'euros. Cette cagnotte record est mis en jeu ce samedi 4 décembre 2021.

    LOTO du samedi 4 décembre 2021 : 30 Millions d'€

    \n
    \n
    \nMagnifique cagnotte record du LOTO ce samedi 4 décembre 2021 avec 30 millions…

    ", + "content": "

    LOTO du samedi 4 décembre 2021 : 30 Millions d'€

    \n
    \n
    \nMagnifique cagnotte record du LOTO ce samedi 4 décembre 2021 avec 30 millions…

    ", "category": "", - "link": "https://www.sofoot.com/ses-premiers-enfants-s-appellent-mara-et-dona-son-troisieme-s-appellera-diego-507498.html", + "link": "https://www.sofoot.com/loto-du-samedi-4-decembre-2021-30-millions-d-e-a-gagner-cagnotte-record-507793.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T09:14:00Z", + "pubDate": "2021-12-03T08:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-loto-du-samedi-4-decembre-2021-30-millions-d-e-a-gagner-cagnotte-record-1638520345_x600_articles-507793.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b698382e785c159eda9899406b795b58" + "hash": "32836656722c8455d03d1f63fb282854" }, { - "title": "Bruno Genesio : \"On a manqué d'humilité\"", - "description": "Le retour des gros sourcils.
    \n
    \n\"Oui, je suis fâché. Je n'ai même pas besoin de faire de commentaires\", grondait Bruno Genesio en conférence de presse au terme
    ", - "content": "Le retour des gros sourcils.
    \n
    \n\"Oui, je suis fâché. Je n'ai même pas besoin de faire de commentaires\", grondait Bruno Genesio en conférence de presse au terme
    ", + "title": "Kalimuendo, l'étoile du nord", + "description": "Débarqué au centre de formation du PSG à l'âge de 11 ans, Arnaud Kalimuendo a franchi toutes les étapes vers le monde du foot professionnel dans l'ouest de la capitale. Avant de mettre le cap au nord et de tomber sous le charme du RC Lens version Franck Haise, la saison dernière. Un coup de cœur qui porte pleinement ses fruits pour le bonhomme de 19 ans, gâchette attitrée des Sang et Or au moment de retrouver son club formateur.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/bruno-genesio-on-a-manque-d-humilite-507494.html", + "link": "https://www.sofoot.com/kalimuendo-l-etoile-du-nord-507827.html", "creator": "SO FOOT", - "pubDate": "2021-11-26T08:30:00Z", + "pubDate": "2021-12-04T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kalimuendo-l-etoile-du-nord-1638550263_x600_articles-alt-507827.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b588041b0c9d30d212497374e9499bd" + "hash": "76b5964eb4a603141616f2021b7a1ac8" }, { - "title": "Pronostic Nice Metz : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Nice retrouve son jeu face à Metz

    \n
    \nCandidat au podium, l'OGC Nice doit se montrer plus constant dans ses performances. En effet, les Aiglons…
    ", - "content": "

    Nice retrouve son jeu face à Metz

    \n
    \nCandidat au podium, l'OGC Nice doit se montrer plus constant dans ses performances. En effet, les Aiglons…
    ", + "title": "La Côte d'Ivoire dans le brouillard", + "description": "Géant du football africain, la Côte d'Ivoire fait surtout parler d'elle pour les tensions qui agitent ses institutions et la sélection nationale. L'élection à la présidence de la fédération, actuellement dirigée par un Comité de normalisation, et qui devait avoir lieu le 20 décembre, a été reportée. Et les Éléphants, depuis leur élimination en qualifications pour la Coupe du monde, sont sous étroite surveillance.On avait évoqué mai 2020, puis septembre, puis novembre de la même année. La crise sanitaire et des conflits liés au code électoral ont finalement fait capoter toutes les hypothèses pour que…", + "content": "On avait évoqué mai 2020, puis septembre, puis novembre de la même année. La crise sanitaire et des conflits liés au code électoral ont finalement fait capoter toutes les hypothèses pour que…", "category": "", - "link": "https://www.sofoot.com/pronostic-nice-metz-analyse-cotes-et-prono-du-match-de-ligue-1-507474.html", + "link": "https://www.sofoot.com/la-cote-d-ivoire-dans-le-brouillard-507813.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T22:46:00Z", + "pubDate": "2021-12-04T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-cote-d-ivoire-dans-le-brouillard-1638537935_x600_articles-alt-507813.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06277da769b5fb2db3a654e47fa626c1" + "hash": "4c9ae54fb0212b3290629b35bca99630" }, { - "title": "Leicester et les Rangers se remettent en marche", - "description": "Leicester s'est idéalement replacé dans la course à la qualification en s'emparant de la première place de son groupe, à une journée du verdict de cette phase de poules. Les Foxes ont maîtrisé le Legia Varsovie (3-1) dans le sillage de James Maddison, buteur et passeur. Le PSV Eindhoven, les Rangers et l'Olympiakos ont eux aussi fait la loi devant leur public, s'imposant respectivement face au SK Sturm Graz (2-0), au Sparta Prague (2-0) et à Fenerbahçe (1-0). Les Grecs peuvent encore espérer passer devant l'Eintracht Francfort, qui n'a pas réussi à se défaire d'Antwerp (2-2).Dernier avant la cinquième journée, Leicester est désormais en pole position dans le groupe C. Les Foxes ont enfoncé un peu plus Foxes ont enfoncé un peu plus

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/leicester-et-les-rangers-se-remettent-en-marche-507461.html", + "link": "https://www.sofoot.com/le-sporting-maitrise-benfica-et-prend-le-derby-507839.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T22:00:00Z", + "pubDate": "2021-12-03T23:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-sporting-maitrise-benfica-et-prend-le-derby-1638573355_x600_articles-507839.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "352566e08054fdc5f0dd66357325fd6f" + "hash": "513158dcdde0608e807eee8fd55ad87f" }, { - "title": "Monaco glace la Real Sociedad et composte son billet", - "description": "

    ", - "content": "

    ", + "title": "Ajaccio rate le coche, Guingamp retourne Dijon, Sochaux s'arrache", + "description": "Leader provisoire en cas de victoire ce vendredi soir, l'AC Ajaccio n'a pas réussi à percer la muraille valenciennoise (0-0) et reste deuxième. Juste derrière, Sochaux, le Paris FC et Le Havre ont tous fait le plein de points, ce qui engendre un embouteillage en première partie de tableau. Guingamp a remporté le match fou de la soirée contre Dijon (3-2), alors qu'en bas de tableau, Amiens s'est donné de l'air face à Dunkerque (3-0) et que Nancy a encore flanché sur le pré de QRM (2-1).

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/monaco-glace-la-real-sociedad-et-composte-son-billet-507454.html", + "link": "https://www.sofoot.com/ajaccio-rate-le-coche-guingamp-retourne-dijon-sochaux-s-arrache-507835.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T22:00:00Z", + "pubDate": "2021-12-03T22:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ajaccio-rate-le-coche-guingamp-retourne-dijon-sochaux-s-arrache-1638570394_x600_articles-alt-507835.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbbaa6987d93eca216281560b57a2dda" + "hash": "d696262cfed5e2132c81d0a141a4c3ef" }, { - "title": "Lyon déroule à Brøndby ", - "description": "

    ", - "content": "

    ", + "title": "L'Union Berlin enfonce encore un peu plus Leipzig ", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/lyon-deroule-a-br-c3-b8ndby-507439.html", + "link": "https://www.sofoot.com/l-union-berlin-enfonce-encore-un-peu-plus-leipzig-507824.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T22:00:00Z", + "pubDate": "2021-12-03T21:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-union-berlin-enfonce-encore-un-peu-plus-leipzig-1638567003_x600_articles-507824.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5b77ec03c6aa132e4795ea95e28612ed" + "hash": "416c39e0e09c7c7f2928c1289dd39766" }, { - "title": "Pronostic Villarreal Barcelone : Analyse, cotes et prono du match de Liga", - "description": "

    Barcelone confirme ses progrès à Villarreal

    \n
    \nLa 15e journée de Liga nous offre une affiche entre deux formations qui disputent la Ligue des…
    ", - "content": "

    Barcelone confirme ses progrès à Villarreal

    \n
    \nLa 15e journée de Liga nous offre une affiche entre deux formations qui disputent la Ligue des…
    ", + "title": "Pronostic Lorient Nantes : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Nantes accroche Lorient

    \n
    \nCe dimanche, Lorient reçoit Nantes au Moustoir. Après avoir connu une saison dernière à lutter pour son maintien, le club…
    ", + "content": "

    Nantes accroche Lorient

    \n
    \nCe dimanche, Lorient reçoit Nantes au Moustoir. Après avoir connu une saison dernière à lutter pour son maintien, le club…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-villarreal-barcelone-analyse-cotes-et-prono-du-match-de-liga-507473.html", + "link": "https://www.sofoot.com/pronostic-lorient-nantes-analyse-cotes-et-prono-du-match-de-ligue-1-507838.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T20:34:00Z", + "pubDate": "2021-12-03T19:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lorient-nantes-analyse-cotes-et-prono-du-match-de-ligue-1-1638559510_x600_articles-507838.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5d8d4ae851c58cf0f96d0b39e812152" + "hash": "e9674b91adb011aee84bda92fcf2684a" }, { - "title": "Pronostic Juventus Atalanta Bergame : Analyse, cotes et prono du match de Serie A", - "description": "

    Réaction attendue de la Juventus face à l'Atalanta

    \n
    \nImpressionnante de domination sur la Serie A pendant de nombreuses saisons, la Juventus connaît…
    ", - "content": "

    Réaction attendue de la Juventus face à l'Atalanta

    \n
    \nImpressionnante de domination sur la Serie A pendant de nombreuses saisons, la Juventus connaît…
    ", + "title": "Pronostic Bordeaux Lyon : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lyon se relance à Bordeaux

    \n
    \nEn proie à d'importants problèmes financiers en fin de saison dernière, Bordeaux a été tout proche d'une…
    ", + "content": "

    Lyon se relance à Bordeaux

    \n
    \nEn proie à d'importants problèmes financiers en fin de saison dernière, Bordeaux a été tout proche d'une…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-juventus-atalanta-bergame-analyse-cotes-et-prono-du-match-de-serie-a-507471.html", + "link": "https://www.sofoot.com/pronostic-bordeaux-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-507837.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T20:25:00Z", + "pubDate": "2021-12-03T18:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bordeaux-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-1638558954_x600_articles-507837.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d85039c93baf1fd4e5c8af34e5b07d15" + "hash": "0e591b50f195106b7098a77b384e73a7" }, { - "title": "Pronostic Arsenal Newcastle : Analyse, cotes et prono du match de Premier League", - "description": "

    Arsenal rebondit de suite face à Newcastle

    \n
    \nAprès avoir connu une entame de championnat compliquée avec une dernière place au soir de la…
    ", - "content": "

    Arsenal rebondit de suite face à Newcastle

    \n
    \nAprès avoir connu une entame de championnat compliquée avec une dernière place au soir de la…
    ", + "title": "Pronostic Monaco Metz : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Monaco enchaîne face à Metz

    \n
    \nDepuis le début de ce nouvel exercice, l'AS Monaco ne retrouve pas son rythme de la deuxième partie de saison…
    ", + "content": "

    Monaco enchaîne face à Metz

    \n
    \nDepuis le début de ce nouvel exercice, l'AS Monaco ne retrouve pas son rythme de la deuxième partie de saison…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-arsenal-newcastle-analyse-cotes-et-prono-du-match-de-premier-league-507469.html", + "link": "https://www.sofoot.com/pronostic-monaco-metz-analyse-cotes-et-prono-du-match-de-ligue-1-507836.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T20:18:00Z", + "pubDate": "2021-12-03T18:48:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-monaco-metz-analyse-cotes-et-prono-du-match-de-ligue-1-1638558172_x600_articles-507836.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "192e042c303032e5f7aa5bc3651d80b1" + "hash": "268f5b77b6112d4f393b4bcf218a6a65" }, { - "title": "Pronostic Lille Nantes : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Lille – Nantes avec des buts de chaque côté

    \n
    \nChampion surprise la saison passée devant le Paris Saint-Germain, Lille devrait connaître un…
    ", - "content": "

    Un Lille – Nantes avec des buts de chaque côté

    \n
    \nChampion surprise la saison passée devant le Paris Saint-Germain, Lille devrait connaître un…
    ", + "title": "Pronostic Montpellier Clermont : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Montpellier costaud à la maison face à Clermont

    \n
    \nNeuvième de Ligue 1, Montpellier est dans le ventre mou du championnat. En effet, le club…
    ", + "content": "

    Montpellier costaud à la maison face à Clermont

    \n
    \nNeuvième de Ligue 1, Montpellier est dans le ventre mou du championnat. En effet, le club…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lille-nantes-analyse-cotes-et-prono-du-match-de-ligue-1-507468.html", + "link": "https://www.sofoot.com/pronostic-montpellier-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-507834.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T19:56:00Z", + "pubDate": "2021-12-03T18:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-montpellier-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-1638557378_x600_articles-507834.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf173b03df6ef82692a047df4e41ae6d" + "hash": "31a719a8bb3257d5ffa00b117556ea25" }, { - "title": "En direct : Monaco - Real Sociedad", - "description": "96' : C'EST FINI ! Monaco s'impose 2-1 face à la Real Sociedad et se qualifie pour les ...", - "content": "96' : C'EST FINI ! Monaco s'impose 2-1 face à la Real Sociedad et se qualifie pour les ...", + "title": "Pronostic Reims Angers : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Reims et Angers dos à dos

    \n
    \nPlutôt solide depuis son retour en Ligue 1, le stade de Reims avait cependant connu sa saison la plus compliquée l'an…
    ", + "content": "

    Reims et Angers dos à dos

    \n
    \nPlutôt solide depuis son retour en Ligue 1, le stade de Reims avait cependant connu sa saison la plus compliquée l'an…
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-monaco-real-sociedad-507453.html", + "link": "https://www.sofoot.com/pronostic-reims-angers-analyse-cotes-et-prono-du-match-de-ligue-1-507833.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T19:45:00Z", + "pubDate": "2021-12-03T18:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-reims-angers-analyse-cotes-et-prono-du-match-de-ligue-1-1638557202_x600_articles-507833.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2c50e92e1b6867d435ab4f8918193b59" + "hash": "7abb7b3d3b9ccd8027dcb2c9fddc488f" }, { - "title": "En direct : Brøndby - Lyon", - "description": "96' : TERMINE ! 5/5 POUR L'OL !
    \n
    \nEn jouant une mi-temps, et grâce à un grand Cherki, l'OL ...", - "content": "96' : TERMINE ! 5/5 POUR L'OL !
    \n
    \nEn jouant une mi-temps, et grâce à un grand Cherki, l'OL ...", + "title": "Pronostic Saint-Etienne Rennes : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Rennes retrouve des couleurs à Saint-Etienne

    \n
    \nDernier de Ligue 1, l'AS Saint-Etienne vit une première partie de saison cauchemardesque. Les Verts…
    ", + "content": "

    Rennes retrouve des couleurs à Saint-Etienne

    \n
    \nDernier de Ligue 1, l'AS Saint-Etienne vit une première partie de saison cauchemardesque. Les Verts…
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-br-c3-b8ndby-lyon-507437.html", + "link": "https://www.sofoot.com/pronostic-saint-etienne-rennes-analyse-cotes-et-prono-du-match-de-ligue-1-507832.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T19:45:00Z", + "pubDate": "2021-12-03T18:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-saint-etienne-rennes-analyse-cotes-et-prono-du-match-de-ligue-1-1638556611_x600_articles-507832.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e92d3c93aa4fc5e4a56733f496b6f11" + "hash": "cb14cd3ee8434fb2791fe4abe538eac2" }, { - "title": "Tapé par Galatasaray, l'OM ne verra pas la suite de la C3", - "description": "Objectif C4 pour Marseille, cogné à Istanbul (4-2).

    ", - "content": "

    ", + "title": "Pronostic Nice Strasbourg : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Strasbourg tend un piège à Nice

    \n
    \nFormation ambitieuse de la Ligue 1, l'OGC Nice n'a pas affiché son meilleur visage lors des dernières semaines.…
    ", + "content": "

    Strasbourg tend un piège à Nice

    \n
    \nFormation ambitieuse de la Ligue 1, l'OGC Nice n'a pas affiché son meilleur visage lors des dernières semaines.…
    ", "category": "", - "link": "https://www.sofoot.com/tape-par-galatasaray-l-om-ne-verra-pas-la-suite-de-la-c3-507488.html", + "link": "https://www.sofoot.com/pronostic-nice-strasbourg-analyse-cotes-et-prono-du-match-de-ligue-1-507830.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T19:44:00Z", + "pubDate": "2021-12-03T17:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nice-strasbourg-analyse-cotes-et-prono-du-match-de-ligue-1-1638556115_x600_articles-507830.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "582cc64bf9651d557a27e3c29782ee1f" + "hash": "0f21d222df6ab57529bc313b01ab49e3" }, { - "title": "Rennes frustré par le Vitesse Arnhem, mais qualifié en huitièmes de finale", - "description": "Triplé de Laborde pour du beurre (3-3)... Mais qualif' en poche !

    ", - "content": "

    ", + "title": "Les joueurs du Zénith entrent sur le terrain avec des chiens dans les bras", + "description": "Une équipe qui a du chien.
    \n
    \nLeader incontesté de la Première Ligue russe, le Zénith Saint-Pétersbourg est entré sur la pelouse de la Gazprom Arena avec des compagnons à quatre…

    ", + "content": "Une équipe qui a du chien.
    \n
    \nLeader incontesté de la Première Ligue russe, le Zénith Saint-Pétersbourg est entré sur la pelouse de la Gazprom Arena avec des compagnons à quatre…

    ", "category": "", - "link": "https://www.sofoot.com/rennes-frustre-par-le-vitesse-arnhem-mais-qualifie-en-huitiemes-de-finale-507484.html", + "link": "https://www.sofoot.com/les-joueurs-du-zenith-entrent-sur-le-terrain-avec-des-chiens-dans-les-bras-507828.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T19:39:00Z", + "pubDate": "2021-12-03T16:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-joueurs-du-zenith-entrent-sur-le-terrain-avec-des-chiens-dans-les-bras-1638553467_x600_articles-507828.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4934195a6a73e90936186138235960d" + "hash": "687ca2007352861c9fe158449f1f6a28" }, { - "title": "La Lazio engloutit le Lokomotiv, Leverkusen s'arrache face au Celtic ", - "description": "Avec sa victoire face au Lokomotiv Moscou (0-3), la Lazio a assuré sa qualification et l'élimination de Marseille. Dans le groupe G, le Bayer Lervekusen et le Real Betis ont également fait le nécessaire pour voir la suite de la compétition.Pendant que Marseille se faisait trimbaler par Galatasaray, la Lazio a tué…", - "content": "Pendant que Marseille se faisait trimbaler par Galatasaray, la Lazio a tué…", + "title": "Le Covid prive les supporters lillois du déplacement à Wolfsburg", + "description": "Il est de retour.
    \n
    \nLes supporters de Lille sont interdits de déplacement à Wolfsburg pour le compte de la dernière journée de phase de groupes de la Ligue des Champions mercredi…

    ", + "content": "Il est de retour.
    \n
    \nLes supporters de Lille sont interdits de déplacement à Wolfsburg pour le compte de la dernière journée de phase de groupes de la Ligue des Champions mercredi…

    ", "category": "", - "link": "https://www.sofoot.com/la-lazio-engloutit-le-lokomotiv-leverkusen-s-arrache-face-au-celtic-507487.html", + "link": "https://www.sofoot.com/le-covid-prive-les-supporters-lillois-du-deplacement-a-wolfsburg-507823.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T19:38:00Z", + "pubDate": "2021-12-03T16:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-covid-prive-les-supporters-lillois-du-deplacement-a-wolfsburg-1638553282_x600_articles-507823.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "94093ffa2fc2381f15b3d28c98ef5366" + "hash": "91646708667f3f4844cd848c94c731d1" }, { - "title": "La FIFA va tester le hors-jeu automatisé lors de la Coupe arabe", - "description": "La prochaine étape, c'est quoi ? Des joueurs bioniques ?
    \n
    \nLe football ne cesse de se révolutionner. Après l'arrivée de la goal-line technology, puis de la VAR ces dernières…

    ", - "content": "La prochaine étape, c'est quoi ? Des joueurs bioniques ?
    \n
    \nLe football ne cesse de se révolutionner. Après l'arrivée de la goal-line technology, puis de la VAR ces dernières…

    ", + "title": "La Ligue portugaise s'organise pour que le cas Belenenses ne se reproduise plus", + "description": "On peut être responsable une fois, mais pas deux.
    \n
    \nCinq. Non, ce n'était pas le…

    ", + "content": "On peut être responsable une fois, mais pas deux.
    \n
    \nCinq. Non, ce n'était pas le…

    ", "category": "", - "link": "https://www.sofoot.com/la-fifa-va-tester-le-hors-jeu-automatise-lors-de-la-coupe-arabe-507482.html", + "link": "https://www.sofoot.com/la-ligue-portugaise-s-organise-pour-que-le-cas-belenenses-ne-se-reproduise-plus-507825.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T17:33:00Z", + "pubDate": "2021-12-03T15:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-ligue-portugaise-s-organise-pour-que-le-cas-belenenses-ne-se-reproduise-plus-1638553018_x600_articles-507825.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5377fb3b5249c59abbc857cb44798f60" + "hash": "19d6400bbf896b84d1d368974ddecb73" }, { - "title": "En direct : Rennes - Vitesse Arnhem", - "description": "97' : Allez, je vous quitte sur cette joie de dernière minutes. Prenez soin de vous, bisous ...", - "content": "97' : Allez, je vous quitte sur cette joie de dernière minutes. Prenez soin de vous, bisous ...", + "title": "Upamecano sur son bégaiement : \"À l'école, j'ai subi beaucoup de moqueries\"", + "description": "La leçon de vie du jour.
    \n
    \nS'il est aujourd'hui un footballeur confirmé, Dayot Upamecano a dû traverser différentes étapes avant d'arriver tout en haut de l'échelle. À commencer…

    ", + "content": "La leçon de vie du jour.
    \n
    \nS'il est aujourd'hui un footballeur confirmé, Dayot Upamecano a dû traverser différentes étapes avant d'arriver tout en haut de l'échelle. À commencer…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-rennes-vitesse-arnhem-507483.html", + "link": "https://www.sofoot.com/upamecano-sur-son-begaiement-a-l-ecole-j-ai-subi-beaucoup-de-moqueries-507826.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T17:30:00Z", + "pubDate": "2021-12-03T15:54:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-upamecano-sur-son-begaiement-a-l-ecole-j-ai-subi-beaucoup-de-moqueries-1638552738_x600_articles-507826.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76fa2ff8faec6e9c2f51c614cccd038d" + "hash": "f351c4d6e3357c5a0ab751dc644b1a69" }, { - "title": "En direct : Galatasaray - Marseille", - "description": "97' : FIN DE LA BOUCHERIE ! La C3, c'est déjà fini pour l'OM. La marche était visiblement trop ...", - "content": "97' : FIN DE LA BOUCHERIE ! La C3, c'est déjà fini pour l'OM. La marche était visiblement trop ...", + "title": "Un dirigeant de la FIFA propose de relancer la Coupe des confédérations", + "description": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", + "content": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-galatasaray-marseille-507481.html", + "link": "https://www.sofoot.com/un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-507822.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T17:30:00Z", + "pubDate": "2021-12-03T15:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-1638552592_x600_articles-507822.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba099d23fa094148adf286c1bf39008e" + "hash": "948418e787a7691e8ceac43180d586f8" }, { - "title": "Revenu sur les terrains, André Onana, gardien de l'Ajax, confirme son départ imminent", - "description": "Petite piqûre de rappel.
    \n
    \nUne page va se tourner du côté de l'Ajax.
    ", - "content": "Petite piqûre de rappel.
    \n
    \nUne page va se tourner du côté de l'Ajax.
    ", + "title": "Les ultras du CSKA Moscou s'excusent auprès du club", + "description": "Faute avouée, à moitié pardonnée.
    \n
    \nLes Люди в Чёрном (littéralement, les Men in Black), un des groupes d'ultras du CSKA Moscou, ont publié un communiqué sur leurs…

    ", + "content": "Faute avouée, à moitié pardonnée.
    \n
    \nLes Люди в Чёрном (littéralement, les Men in Black), un des groupes d'ultras du CSKA Moscou, ont publié un communiqué sur leurs…

    ", "category": "", - "link": "https://www.sofoot.com/revenu-sur-les-terrains-andre-onana-gardien-de-l-ajax-confirme-son-depart-imminent-507480.html", + "link": "https://www.sofoot.com/les-ultras-du-cska-moscou-s-excusent-aupres-du-club-507821.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T16:50:00Z", + "pubDate": "2021-12-03T15:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-ultras-du-cska-moscou-s-excusent-aupres-du-club-1638545186_x600_articles-507821.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2f6a4b89a829a6cf4d880e0d6f5225e4" + "hash": "acd536c9dbd4e2e783c466ea6f2f73a5" }, { - "title": "Antoine Kombouaré \"très affecté\" par le jet de bouteille sur Dimitri Payet lors de Lyon-Marseille", - "description": "Une bouteille d'eau, beaucoup de conséquences.
    \n
    \nComme bon nombre de ses confrères cette semaine, Antoine Kombouaré a été interrogé sur les incidents
    ", - "content": "Une bouteille d'eau, beaucoup de conséquences.
    \n
    \nComme bon nombre de ses confrères cette semaine, Antoine Kombouaré a été interrogé sur les incidents
    ", + "title": "Sergio Ramos forfait pour le déplacement à Lens", + "description": "Après avoir déjà attendu 139 jours pour voir Sergio Ramos être convoqué dans le groupe de Mauricio Pochettino, les supporters du club de la capitale devront une nouvelle fois faire preuve de…", + "content": "Après avoir déjà attendu 139 jours pour voir Sergio Ramos être convoqué dans le groupe de Mauricio Pochettino, les supporters du club de la capitale devront une nouvelle fois faire preuve de…", "category": "", - "link": "https://www.sofoot.com/antoine-kombouare-tres-affecte-par-le-jet-de-bouteille-sur-dimitri-payet-lors-de-lyon-marseille-507478.html", + "link": "https://www.sofoot.com/sergio-ramos-forfait-pour-le-deplacement-a-lens-507820.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T16:34:00Z", + "pubDate": "2021-12-03T15:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-forfait-pour-le-deplacement-a-lens-1638543109_x600_articles-507820.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b08e380cf11667daee3819cef9b37ec5" + "hash": "1fc58b93ccca1fd98def02d4c4b00492" }, { - "title": "Nick Mwendwa, président de la fédération kényane, acquitté", - "description": "Il peut finalement garder l'argent.
    \n
    \nLe président de la fédération kényane de football, Nick Mwendwa, a été acquitté dans une affaire de corruption. Arrêté le 12 novembre, il…

    ", - "content": "Il peut finalement garder l'argent.
    \n
    \nLe président de la fédération kényane de football, Nick Mwendwa, a été acquitté dans une affaire de corruption. Arrêté le 12 novembre, il…

    ", + "title": "Le transfert de Cristiano Ronaldo à Manchester United dans le viseur de la justice italienne", + "description": "La Vieille Dame a du souci à se faire.
    \n
    \nSi les prestations de la Juventus sur le terrain sont plutôt médiocres ces derniers temps, ce qu'il se passe en coulisses n'a rien de rassurant…

    ", + "content": "La Vieille Dame a du souci à se faire.
    \n
    \nSi les prestations de la Juventus sur le terrain sont plutôt médiocres ces derniers temps, ce qu'il se passe en coulisses n'a rien de rassurant…

    ", "category": "", - "link": "https://www.sofoot.com/nick-mwendwa-president-de-la-federation-kenyane-acquitte-507470.html", + "link": "https://www.sofoot.com/le-transfert-de-cristiano-ronaldo-a-manchester-united-dans-le-viseur-de-la-justice-italienne-507819.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T16:27:00Z", + "pubDate": "2021-12-03T14:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-transfert-de-cristiano-ronaldo-a-manchester-united-dans-le-viseur-de-la-justice-italienne-1638543566_x600_articles-507819.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d165349dc71d1751643fe1b4a106cdd5" + "hash": "e849120eaa02907b0c48c01ec8ba5266" }, { - "title": "Ralf Rangnick serait en pole position pour débarquer à Manchester United", - "description": "La rumeur Rudi Garcia prend du plomb dans l'aile.
    \n
    \nDirecteur…

    ", - "content": "La rumeur Rudi Garcia prend du plomb dans l'aile.
    \n
    \nDirecteur…

    ", + "title": "Horst Eckel, dernier vainqueur de la Coupe du monde 1954, est mort", + "description": "Triste nouvelle pour la Mannschaft.
    \n
    \nLa Fédération allemande de football l'a annoncé ce matin : Horst Eckel n'est plus. L'ancien milieu de terrain, appelé à 32 reprises en…

    ", + "content": "Triste nouvelle pour la Mannschaft.
    \n
    \nLa Fédération allemande de football l'a annoncé ce matin : Horst Eckel n'est plus. L'ancien milieu de terrain, appelé à 32 reprises en…

    ", "category": "", - "link": "https://www.sofoot.com/ralf-rangnick-serait-en-pole-position-pour-debarquer-a-manchester-united-507477.html", + "link": "https://www.sofoot.com/horst-eckel-dernier-vainqueur-de-la-coupe-du-monde-1954-est-mort-507818.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T16:18:00Z", + "pubDate": "2021-12-03T13:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-horst-eckel-dernier-vainqueur-de-la-coupe-du-monde-1954-est-mort-1638540513_x600_articles-507818.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e3bf5835929385863d1d5486b051bf0" + "hash": "b14f5d7029d61e72ab0618d170c81a3e" }, { - "title": "Pour Christophe Galtier (Nice), il faut \"nettoyer les tribunes\"", - "description": "Tous unis contre la bêtise.
    \n
    \nAprès les incidents survenus ce dimanche à Lyon et depuis le début de saison,…

    ", - "content": "Tous unis contre la bêtise.
    \n
    \nAprès les incidents survenus ce dimanche à Lyon et depuis le début de saison,…

    ", + "title": "Pronostic Naples Atalanta Bergame : Analyse, cotes et prono du match de Serie A", + "description": "

    Naples se reprend face à l'Atalanta Bergame

    \n
    \nL'opposition entre le Napoli et l'Atalanta Bergame met aux prises deux équipes qui luttent dans le…
    ", + "content": "

    Naples se reprend face à l'Atalanta Bergame

    \n
    \nL'opposition entre le Napoli et l'Atalanta Bergame met aux prises deux équipes qui luttent dans le…
    ", "category": "", - "link": "https://www.sofoot.com/pour-christophe-galtier-nice-il-faut-nettoyer-les-tribunes-507476.html", + "link": "https://www.sofoot.com/pronostic-naples-atalanta-bergame-analyse-cotes-et-prono-du-match-de-serie-a-507815.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T15:50:00Z", + "pubDate": "2021-12-03T13:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-naples-atalanta-bergame-analyse-cotes-et-prono-du-match-de-serie-a-1638539870_x600_articles-507815.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "46c22be2150b6466d0a3e901d8d15351" + "hash": "5c4519e11eb83db7a985657d32f0014f" }, { - "title": "Championship : Paul Heckingbottom revient sur le banc de Sheffield United", - "description": "Started from the Heckingbottom.
    \n
    \nFaire du neuf avec du vieux. C'est ce que va tenter Sheffield United, en plein naufrage cette saison. Non pas que le nouvel entraîneur soit…

    ", - "content": "Started from the Heckingbottom.
    \n
    \nFaire du neuf avec du vieux. C'est ce que va tenter Sheffield United, en plein naufrage cette saison. Non pas que le nouvel entraîneur soit…

    ", + "title": "Pronostic West Ham Chelsea : Analyse, cotes et prono du match de Premier League", + "description": "

    Un Chelsea impérial à West Ham

    \n
    \nDepuis la prise en main de l'équipe par David Moyes il y a 2 ans, West Ham n'a cessé de progresser. En effet, les…
    ", + "content": "

    Un Chelsea impérial à West Ham

    \n
    \nDepuis la prise en main de l'équipe par David Moyes il y a 2 ans, West Ham n'a cessé de progresser. En effet, les…
    ", "category": "", - "link": "https://www.sofoot.com/championship-paul-heckingbottom-revient-sur-le-banc-de-sheffield-united-507475.html", + "link": "https://www.sofoot.com/pronostic-west-ham-chelsea-analyse-cotes-et-prono-du-match-de-premier-league-507814.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T15:40:00Z", + "pubDate": "2021-12-03T13:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-west-ham-chelsea-analyse-cotes-et-prono-du-match-de-premier-league-1638537688_x600_articles-507814.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "306543e2565c212aac380adb247c193c" + "hash": "870be9be970417063fd93df52486f99a" }, { - "title": "Mino Raiola : \"La FIFA ? C'est une mafia\"", - "description": "L'hôpital, la charité...
    \n
    \nDans un monde du football où agents et avocats mandataires ont une influence grandissante, la FIFA tente depuis plusieurs mois de contrer l'importance de ces…

    ", - "content": "L'hôpital, la charité...
    \n
    \nDans un monde du football où agents et avocats mandataires ont une influence grandissante, la FIFA tente depuis plusieurs mois de contrer l'importance de ces…

    ", + "title": "David Laubertie, tête pensante du Dakar Sacré-Coeur", + "description": "Enfant d'Égletons, une petite bourgade corrézienne, David Laubertie est aujourd'hui la tête pensante de l'AS Dakar Sacré-Cœur. Ce club de Ligue 1 sénégalaise, partenaire de l'OL, a fait de lui son directeur sportif à l'été 2020, avant de le nommer entraîneur de l'équipe professionnelle six mois plus tard. À 52 ans, l'ancien entraîneur du Stade poitevin et de l'US Chauvigny (N3) cumule aujourd'hui les deux fonctions, avec la ferme intention de lancer des jeunes au plus haut niveau.\" Il faut jouer à votre meilleur niveau, à chaque match. C'est ce qu'on vous demandera en Europe ! \", lance David Laubertie, debout au centre du vestiaire, à ses hommes qui…", + "content": "\" Il faut jouer à votre meilleur niveau, à chaque match. C'est ce qu'on vous demandera en Europe ! \", lance David Laubertie, debout au centre du vestiaire, à ses hommes qui…", "category": "", - "link": "https://www.sofoot.com/mino-raiola-la-fifa-c-est-une-mafia-507467.html", + "link": "https://www.sofoot.com/david-laubertie-tete-pensante-du-dakar-sacre-coeur-507625.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T15:30:00Z", + "pubDate": "2021-12-03T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-david-laubertie-tete-pensante-du-dakar-sacre-coeur-1638352456_x600_articles-alt-507625.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5713c875122e97884a59110c3ac143a9" + "hash": "5c314bd54e20600d53823791f85ae39d" }, { - "title": "Un rapport parlementaire préconise la création d'un organe de contrôle et d'une taxe sur les transferts en Premier League", - "description": "Éthique projet.
    \n
    \nEn perpétuelle agitation, la Premier League pourrait connaître des changements radicaux au printemps prochain. À la suite de la tentative d'évasion de certains clubs…

    ", - "content": "Éthique projet.
    \n
    \nEn perpétuelle agitation, la Premier League pourrait connaître des changements radicaux au printemps prochain. À la suite de la tentative d'évasion de certains clubs…

    ", + "title": "Pronostic AS Roma Inter : Analyse, cotes et prono du match de Serie A", + "description": "

    L'Inter mieux que la Roma

    \n
    \nCes dernières semaines, la Serie A nous offre des oppositions passionnantes. Ce samedi, la Roma reçoit l'Inter. Lors de…
    ", + "content": "

    L'Inter mieux que la Roma

    \n
    \nCes dernières semaines, la Serie A nous offre des oppositions passionnantes. Ce samedi, la Roma reçoit l'Inter. Lors de…
    ", "category": "", - "link": "https://www.sofoot.com/un-rapport-parlementaire-preconise-la-creation-d-un-organe-de-controle-et-d-une-taxe-sur-les-transferts-en-premier-league-507472.html", + "link": "https://www.sofoot.com/pronostic-as-roma-inter-analyse-cotes-et-prono-du-match-de-serie-a-507812.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T15:16:00Z", + "pubDate": "2021-12-03T12:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-as-roma-inter-analyse-cotes-et-prono-du-match-de-serie-a-1638536907_x600_articles-507812.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "94d292d9cac883d8a23a0e3eaea9485d" + "hash": "3ddd7204b18e34f976381fb37e4cef12" }, { - "title": "Mikel Arteta veut Arsène Wenger à ses côtés à Arsenal", - "description": "Le retour du patron ?
    \n
    \nParti d'Arsenal en mai 2018, Arsène Wenger reste bien sûr le plus grand entraîneur de l'histoire des Canonniers. Si l'intéressé,
    ", - "content": "Le retour du patron ?
    \n
    \nParti d'Arsenal en mai 2018, Arsène Wenger reste bien sûr le plus grand entraîneur de l'histoire des Canonniers. Si l'intéressé,
    ", + "title": "Pronostic Lens PSG : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Lens – PSG ouvert avec des buts

    \n
    \nPromu la saison dernière, le Racing Club de Lens avait épaté en proposant un football très plaisant. Avec cette…
    ", + "content": "

    Un Lens – PSG ouvert avec des buts

    \n
    \nPromu la saison dernière, le Racing Club de Lens avait épaté en proposant un football très plaisant. Avec cette…
    ", "category": "", - "link": "https://www.sofoot.com/mikel-arteta-veut-arsene-wenger-a-ses-cotes-a-arsenal-507465.html", + "link": "https://www.sofoot.com/pronostic-lens-psg-analyse-cotes-et-prono-du-match-de-ligue-1-507811.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T14:31:00Z", + "pubDate": "2021-12-03T12:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lens-psg-analyse-cotes-et-prono-du-match-de-ligue-1-1638535814_x600_articles-507811.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0453d84ffbe5009f248122b0771bf0ca" + "hash": "e0dd6e5959ae813e0396bba5a71d595c" }, { - "title": "Footgate : Dejan Veljković premier repenti de l'histoire de la justice belge", - "description": "Des nouvelles des magouilles en Belgique.
    \n
    \nDejan Veljković, agent de joueurs serbe basé en Belgique, est devenu ce jeudi le premier \"repenti\" de la justice belge de l'histoire, dans…

    ", - "content": "Des nouvelles des magouilles en Belgique.
    \n
    \nDejan Veljković, agent de joueurs serbe basé en Belgique, est devenu ce jeudi le premier \"repenti\" de la justice belge de l'histoire, dans…

    ", + "title": "Selon un rapport, la finale de l'Euro 2020 a failli entraîner des décès", + "description": "Aucun doute possible, la défense italienne était bien meilleure que le service de sécurité anglais.
    \n
    \nLe 12 juillet dernier,
    ", + "content": "Aucun doute possible, la défense italienne était bien meilleure que le service de sécurité anglais.
    \n
    \nLe 12 juillet dernier,
    ", "category": "", - "link": "https://www.sofoot.com/footgate-dejan-veljkovic-premier-repenti-de-l-histoire-de-la-justice-belge-507459.html", + "link": "https://www.sofoot.com/selon-un-rapport-la-finale-de-l-euro-2020-a-failli-entrainer-des-deces-507808.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T14:16:00Z", + "pubDate": "2021-12-03T11:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-selon-un-rapport-la-finale-de-l-euro-2020-a-failli-entrainer-des-deces-1638539920_x600_articles-507808.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "503977ee5db9c400f4a8082a674ea758" + "hash": "eacc3bd8925f51dbf105b5732f82e06f" }, { - "title": "Pronostic Athletic Bilbao Grenade : Analyse, cotes et prono du match de Liga", - "description": "

    L'Athletic Bilbao maître à San Mamés face à Grenade

    \n
    \nCalé dans le ventre mou du classement de Liga, l'Athletic Bilbao a perdu de sa superbe et…
    ", - "content": "

    L'Athletic Bilbao maître à San Mamés face à Grenade

    \n
    \nCalé dans le ventre mou du classement de Liga, l'Athletic Bilbao a perdu de sa superbe et…
    ", + "title": "Pronostic Lille Troyes : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lille dompte Troyes

    \n
    \nAuteur d'une saison dernière extraordinaire, Lille avait remporté le championnat de France en dominant à la surprise…
    ", + "content": "

    Lille dompte Troyes

    \n
    \nAuteur d'une saison dernière extraordinaire, Lille avait remporté le championnat de France en dominant à la surprise…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-athletic-bilbao-grenade-analyse-cotes-et-prono-du-match-de-liga-507466.html", + "link": "https://www.sofoot.com/pronostic-lille-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-507809.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T13:49:00Z", + "pubDate": "2021-12-03T11:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lille-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-1638534915_x600_articles-507809.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e36869ff8edcc19f9eccb3cd9d41722e" + "hash": "f73fa30261bd4e4f08371209cd4b63a0" }, { - "title": "Pronostic Lens Angers : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lens repart de l'avant face à Angers

    \n
    \nDe retour en Ligue 1 la saison dernière, le Racing Club de Lens avait été l'une des très bonnes…
    ", - "content": "

    Lens repart de l'avant face à Angers

    \n
    \nDe retour en Ligue 1 la saison dernière, le Racing Club de Lens avait été l'une des très bonnes…
    ", + "title": "Laporta : \"Dembélé veut rester et on veut qu'il reste\"", + "description": "Exciter (verbe) : créer ou développer chez quelqu'un, un animal, un état d'irritation ou de tension nerveuse.
    \n
    \nVoir un joueur fouler la pelouse 73 petites minutes depuis…

    ", + "content": "Exciter (verbe) : créer ou développer chez quelqu'un, un animal, un état d'irritation ou de tension nerveuse.
    \n
    \nVoir un joueur fouler la pelouse 73 petites minutes depuis…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lens-angers-analyse-cotes-et-prono-du-match-de-ligue-1-507464.html", + "link": "https://www.sofoot.com/laporta-dembele-veut-rester-et-on-veut-qu-il-reste-507806.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T13:43:00Z", + "pubDate": "2021-12-03T11:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-laporta-dembele-veut-rester-et-on-veut-qu-il-reste-1638539031_x600_articles-507806.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f9e277eadbe221ae6326c3e52b83a1d" + "hash": "b34185a0e76781e2ad8327c3ff568c59" }, { - "title": "Pronostic Stuttgart Mayence : Analyse, cotes et prono du match de Bundesliga", - "description": "

    Mayence, la bonne opération face à Stuttgart

    \n
    \nDe retour dans l'élite du foot allemand l'an passé, Stuttgart avait réalisé un exercice…
    ", - "content": "

    Mayence, la bonne opération face à Stuttgart

    \n
    \nDe retour dans l'élite du foot allemand l'an passé, Stuttgart avait réalisé un exercice…
    ", + "title": "Sergio Ramos utilise l'hymne de l'OM dans une story Instagram", + "description": "Après avoir débuté sous les couleurs du Paris Saint-Germain dimanche dernier lors du déplacement à Saint-Étienne…", + "content": "Après avoir débuté sous les couleurs du Paris Saint-Germain dimanche dernier lors du déplacement à Saint-Étienne…", "category": "", - "link": "https://www.sofoot.com/pronostic-stuttgart-mayence-analyse-cotes-et-prono-du-match-de-bundesliga-507463.html", + "link": "https://www.sofoot.com/sergio-ramos-utilise-l-hymne-de-l-om-dans-une-story-instagram-507805.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T13:32:00Z", + "pubDate": "2021-12-03T11:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-utilise-l-hymne-de-l-om-dans-une-story-instagram-1638534369_x600_articles-507805.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6fafd6c16123fa8cc5c90a77f8d74220" + "hash": "88ec21314aa17f12ff5df6e43bfd7fa8" }, { - "title": "Pronostic Cagliari Salernitana : Analyse, cotes et prono du match de Serie A", - "description": "

    Cagliari domine la Salernitana

    \n
    \nLa 14e journée de Serie A s'ouvre avec une affiche entre deux équipes mal classées, Cagliari et la Salernitana.…
    ", - "content": "

    Cagliari domine la Salernitana

    \n
    \nLa 14e journée de Serie A s'ouvre avec une affiche entre deux équipes mal classées, Cagliari et la Salernitana.…
    ", + "title": "Qui est Dušan Vlahović, le buteur serbe de la Fiorentina qui n'arrête pas de marquer ?", + "description": "Actuel meilleur buteur de la Serie A, Dušan Vlahović ne cesse d'affoler les défenses de la Botte depuis un an à chacune de ses sorties. À 21 ans, le longiligne et talentueux buteur serbe est déjà l'une des plus fines gâchettes en activité. La preuve que parfois, on peut rêver de devenir dentiste et finalement se retrouver courtisé par le gotha du foot européen plus rapidement que prévu.Au stadio Artemio-Franchi de Florence, voir Dušan Vlahović célébrer ses buts un peu n'importe comment est devenu une habitude pour les tifosi de la Fiorentina. Face à Milan (4-3), le buteur…", + "content": "Au stadio Artemio-Franchi de Florence, voir Dušan Vlahović célébrer ses buts un peu n'importe comment est devenu une habitude pour les tifosi de la Fiorentina. Face à Milan (4-3), le buteur…", "category": "", - "link": "https://www.sofoot.com/pronostic-cagliari-salernitana-analyse-cotes-et-prono-du-match-de-serie-a-507462.html", + "link": "https://www.sofoot.com/qui-est-dusan-vlahovic-le-buteur-serbe-de-la-fiorentina-qui-n-arrete-pas-de-marquer-507785.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T13:21:00Z", + "pubDate": "2021-12-03T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-qui-est-dusan-vlahovic-le-buteur-serbe-de-la-fiorentina-qui-n-arrete-pas-de-marquer-1638465301_x600_articles-alt-507785.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2cab562588b953a97868b61f57d42aed" + "hash": "8fbf9916f880dfcd575ddc0fa8e6ed42" }, { - "title": "Ultra de l'OM : \"Une fois en meute, nous sommes habités\"", - "description": "Julien* est supporter de l'OM. Même plus que ça, à son sens : il est un ultra de l'OM, et ce, depuis une quinzaine d'années. Une activité, une passion ou un mode de vie (c'est selon) qui a conduit ce trentenaire à rencontrer un monde uni par des liens sacrés, mais aussi, par ses dérives et ses risques, à être interdit de stade pendant un an. Et forcément, l'agression de Dimitri Payet au Groupama Stadium et la condamnation du supporter lyonnais a fait ressurgir quelques souvenirs et de quoi le faire réagir. Témoignage d'un ultra parmi d'autres.Dimanche soir, les supporters marseillais n'étaient pas autorisés à se rendre à Lyon. Depuis ton salon, quelle était ta réaction au moment de l'incident qui a mené à…", - "content": "Dimanche soir, les supporters marseillais n'étaient pas autorisés à se rendre à Lyon. Depuis ton salon, quelle était ta réaction au moment de l'incident qui a mené à…", + "title": "Donnarumma : \"Avec Navas, il n'y a pas le moindre conflit\"", + "description": "Tout ça pour finir remplaçant contre Lens ce samedi.
    \n
    \nAuteur de remarquables performances avec l'AC Milan d'abord puis avec l'Italie à l'Euro, Gianluigi Donnarumma a reçu
    ", + "content": "Tout ça pour finir remplaçant contre Lens ce samedi.
    \n
    \nAuteur de remarquables performances avec l'AC Milan d'abord puis avec l'Italie à l'Euro, Gianluigi Donnarumma a reçu
    ", "category": "", - "link": "https://www.sofoot.com/ultra-de-l-om-une-fois-en-meute-nous-sommes-habites-507407.html", + "link": "https://www.sofoot.com/donnarumma-avec-navas-il-n-y-a-pas-le-moindre-conflit-507804.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T13:00:00Z", + "pubDate": "2021-12-03T10:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-donnarumma-avec-navas-il-n-y-a-pas-le-moindre-conflit-1638530071_x600_articles-507804.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f97d0b5cfa9d6c28da45677ce30a54db" + "hash": "8dd477f635d9212ed7f4a3fe61a5b65f" }, { - "title": "Le Brentford FC ne changera pas de maillot domicile pour la saison prochaine", - "description": "Brentford a créé le maillot 2021-2022-2023.
    \n
    \nDepuis 2012, les Bees changent d'envergure au fil des saisons. Et si leurs méthodes peu orthodoxes en matière de recrutement,…

    ", - "content": "Brentford a créé le maillot 2021-2022-2023.
    \n
    \nDepuis 2012, les Bees changent d'envergure au fil des saisons. Et si leurs méthodes peu orthodoxes en matière de recrutement,…

    ", + "title": "Kheira Hamraoui accuse le garde du corps d'Aminata Diallo de l'avoir menacée", + "description": "Et c'est reparti pour un tour.
    \n
    \nToujours pas revenue à l'entraînement, Kheira Hamraoui a été
    ", + "content": "Et c'est reparti pour un tour.
    \n
    \nToujours pas revenue à l'entraînement, Kheira Hamraoui a été
    ", "category": "", - "link": "https://www.sofoot.com/le-brentford-fc-ne-changera-pas-de-maillot-domicile-pour-la-saison-prochaine-507458.html", + "link": "https://www.sofoot.com/kheira-hamraoui-accuse-le-garde-du-corps-d-aminata-diallo-de-l-avoir-menacee-507803.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T12:31:00Z", + "pubDate": "2021-12-03T10:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kheira-hamraoui-accuse-le-garde-du-corps-d-aminata-diallo-de-l-avoir-menacee-1638529988_x600_articles-507803.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b23375f728681285cf1071d089fa7c79" + "hash": "b2ec3449611ac5a481e17b3de990e4ac" }, { - "title": "Robin Le Normand (Real Sociedad) : \"Le défi, c'est de jouer en équipe de France\"", - "description": "Voilà un Normand bien conquérant.
    \n
    \nArrivé en Espagne à l'âge de 20 ans, après un passage chez les jeunes à Brest, Robin Le Normand s'impose aujourd'hui comme un élément…

    ", - "content": "Voilà un Normand bien conquérant.
    \n
    \nArrivé en Espagne à l'âge de 20 ans, après un passage chez les jeunes à Brest, Robin Le Normand s'impose aujourd'hui comme un élément…

    ", + "title": "Rangnick explique pourquoi il a refusé les offres de Chelsea", + "description": "Cela s'appelle jouer cartes sur table.
    \n
    \nCe vendredi, il était attendu. Peut-être pas autant que le nouvel album de Ninho, mais Ralf Rangnick, le nouveau \"jefe\" de la meute…

    ", + "content": "Cela s'appelle jouer cartes sur table.
    \n
    \nCe vendredi, il était attendu. Peut-être pas autant que le nouvel album de Ninho, mais Ralf Rangnick, le nouveau \"jefe\" de la meute…

    ", "category": "", - "link": "https://www.sofoot.com/robin-le-normand-real-sociedad-le-defi-c-est-de-jouer-en-equipe-de-france-507460.html", + "link": "https://www.sofoot.com/rangnick-explique-pourquoi-il-a-refuse-les-offres-de-chelsea-507802.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T12:26:00Z", + "pubDate": "2021-12-03T09:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-rangnick-explique-pourquoi-il-a-refuse-les-offres-de-chelsea-1638530759_x600_articles-507802.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22d8ad9604fde16b0b3d70c97a5a301f" + "hash": "e2aadc6b966f91db960e03a6f65758ff" }, { - "title": "Jorge Mendes à nouveau inquiété par une enquête pour blanchiment d'argent", - "description": "Jorge de la jungle.
    \n
    \nEn mars 2020, plusieurs dizaines de perquisitions étaient venues émailler le…

    ", - "content": "Jorge de la jungle.
    \n
    \nEn mars 2020, plusieurs dizaines de perquisitions étaient venues émailler le…

    ", + "title": "Pronostic OM Brest : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un OM – Brest avec des buts de chaque côté

    \n
    \nGrâce à son excellent début de saison, l'Olympique de Marseille est parvenue à rester dans le coup…
    ", + "content": "

    Un OM – Brest avec des buts de chaque côté

    \n
    \nGrâce à son excellent début de saison, l'Olympique de Marseille est parvenue à rester dans le coup…
    ", "category": "", - "link": "https://www.sofoot.com/jorge-mendes-a-nouveau-inquiete-par-une-enquete-pour-blanchiment-d-argent-507448.html", + "link": "https://www.sofoot.com/pronostic-om-brest-analyse-cotes-et-prono-du-match-de-ligue-1-507801.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T12:19:00Z", + "pubDate": "2021-12-03T09:49:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-om-brest-analyse-cotes-et-prono-du-match-de-ligue-1-1638526112_x600_articles-507801.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6411b3f40e7e0dc19196f839907d967e" + "hash": "4ab688c2284f97b307ff228b51c5dbf7" }, { - "title": " Tactique : que retenir de ce Manchester City-PSG ?", - "description": "Arrivé à Manchester avec un sapin pour boucher l'axe en phase défensive, le PSG est reparti avec des épines dans les poches de l'Etihad Stadium. Lâchés défensivement par leur trio offensif, déconnecté sans et même parfois avec ballon, les Parisiens ont progressivement laissé City déballer son plan et ses mécanismes rodés. Et finalement, les hommes de Guardiola, plus créatifs qu'à l'aller, ont récolté ce qu'ils ont semé.\"Ils font tout le temps ça, tout le temps...\" Mercredi soir, Marquinhos est reparti de Manchester avec un menu golden : des yeux fatigués, des maux de tête et une lassitude que le…", - "content": "\"Ils font tout le temps ça, tout le temps...\" Mercredi soir, Marquinhos est reparti de Manchester avec un menu golden : des yeux fatigués, des maux de tête et une lassitude que le…", + "title": "Pronostic Real Sociedad Real Madrid : Analyse, cotes et prono du match de Liga", + "description": "

    Le Real Madrid enchaîne face à la Real Sociedad

    \n
    \nA l'instar de l'an passé, la Real Sociedad a débuté sur les chapeaux de roue la saison pour…
    ", + "content": "

    Le Real Madrid enchaîne face à la Real Sociedad

    \n
    \nA l'instar de l'an passé, la Real Sociedad a débuté sur les chapeaux de roue la saison pour…
    ", "category": "", - "link": "https://www.sofoot.com/tactique-que-retenir-de-ce-manchester-city-psg-507457.html", + "link": "https://www.sofoot.com/pronostic-real-sociedad-real-madrid-analyse-cotes-et-prono-du-match-de-liga-507799.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T12:00:00Z", + "pubDate": "2021-12-03T09:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-sociedad-real-madrid-analyse-cotes-et-prono-du-match-de-liga-1638525291_x600_articles-507799.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "50710f529f00ea7f15cadd2158249ce1" + "hash": "ec3b356ab78022cb01d7a41d965f2b35" }, { - "title": "Kilos de marijuana, armes à feu : le bilan de la perquisition des Boixos Nois à Barcelone", - "description": "Mais ils voulaient faire fumer des éléphants ?
    \n
    \nDix-huit maisons perquisitionnées en plus des locaux du groupe, sept membres des \"Boixos Nois\" (frange radicale de supporters…

    ", - "content": "Mais ils voulaient faire fumer des éléphants ?
    \n
    \nDix-huit maisons perquisitionnées en plus des locaux du groupe, sept membres des \"Boixos Nois\" (frange radicale de supporters…

    ", + "title": "Raymond Domenech égratigne les joueurs de l'OL", + "description": "Le Lyon ne rugit plus.
    \n
    \nLa défaite concédée face à Reims dans le temps additionnel (1-2) mercredi soir va…

    ", + "content": "Le Lyon ne rugit plus.
    \n
    \nLa défaite concédée face à Reims dans le temps additionnel (1-2) mercredi soir va…

    ", "category": "", - "link": "https://www.sofoot.com/kilos-de-marijuana-armes-a-feu-le-bilan-de-la-perquisition-des-boixos-nois-a-barcelone-507452.html", + "link": "https://www.sofoot.com/raymond-domenech-egratigne-les-joueurs-de-l-ol-507800.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T11:51:00Z", + "pubDate": "2021-12-03T09:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-raymond-domenech-egratigne-les-joueurs-de-l-ol-1638530414_x600_articles-507800.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a036e7f39306df168ab6ceea95a283b9" + "hash": "428759e9ae624fab354b1acc7cf85f18" }, { - "title": "Joško Gvardiol touché par un projectile lors de Bruges-Leipzig", - "description": "La bêtise n'a pas de frontière.
    \n
    \nDouze petites minutes, c'est le temps qu'il aura fallu pour que l'un des spectateurs du stade Jan-Breydel de Bruges, certainement inspiré par
    ", - "content": "La bêtise n'a pas de frontière.
    \n
    \nDouze petites minutes, c'est le temps qu'il aura fallu pour que l'un des spectateurs du stade Jan-Breydel de Bruges, certainement inspiré par
    ", + "title": "Pronostic Borussia Dortmund Bayern Munich : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Le Bayern assoit sa domination face au Borussia Dortmund

    \n
    \nLa 14e journée de Bundesliga nous offre le choc entre le Borussia Dortmund et le…
    ", + "content": "

    Le Bayern assoit sa domination face au Borussia Dortmund

    \n
    \nLa 14e journée de Bundesliga nous offre le choc entre le Borussia Dortmund et le…
    ", "category": "", - "link": "https://www.sofoot.com/josko-gvardiol-touche-par-un-projectile-lors-de-bruges-leipzig-507455.html", + "link": "https://www.sofoot.com/pronostic-borussia-dortmund-bayern-munich-analyse-cotes-et-prono-du-match-de-bundesliga-507796.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T11:22:00Z", + "pubDate": "2021-12-03T09:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-borussia-dortmund-bayern-munich-analyse-cotes-et-prono-du-match-de-bundesliga-1638524131_x600_articles-507796.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5a825c2cff10701d479135c56a5326f3" + "hash": "d323fc55ead6b1107a6d81cc16c52140" }, { - "title": "EuroMillions vendredi 26 novembre 2021 : 163 millions d'€ à gagner !", - "description": "163 millions d'euros à gagner à l'EuroMillions vendredi, cagnotte record de 27 millions d'euros au LOTO samedi. Le week-end sera aussi chargé en foot que chez la FDJ

    EuroMillions du vendredi 26 novembre 2021 : 163M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 163 millions d'euros ce vendredi 26 novembre…
    ", - "content": "

    EuroMillions du vendredi 26 novembre 2021 : 163M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 163 millions d'euros ce vendredi 26 novembre…
    ", + "title": "Pronostic Auxerre Caen : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Auxerre enfonce Caen

    \n
    \nL'affiche du samedi après-midi en Ligue 2 met aux prises l'AJ Auxerre au Stade Malherbe de Caen. La formation bourguignonne se…
    ", + "content": "

    Auxerre enfonce Caen

    \n
    \nL'affiche du samedi après-midi en Ligue 2 met aux prises l'AJ Auxerre au Stade Malherbe de Caen. La formation bourguignonne se…
    ", "category": "", - "link": "https://www.sofoot.com/euromillions-vendredi-26-novembre-2021-163-millions-d-e-a-gagner-507456.html", + "link": "https://www.sofoot.com/pronostic-auxerre-caen-analyse-cotes-et-prono-du-match-de-ligue-2-507797.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T11:13:00Z", + "pubDate": "2021-12-03T09:14:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-auxerre-caen-analyse-cotes-et-prono-du-match-de-ligue-2-1638524043_x600_articles-507797.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aadd2f51427133ce41f3834bf993ea08" + "hash": "7bb44ec0c85f79f8fc54d517c03866de" }, { - "title": "Junior Messias, l'ancien livreur de frigo devenu héros du Milan", - "description": "Alors que l'AC Milan était à trois minutes d'une élimination peu reluisante en Ligue des champions, il a surgi. Héros inattendu, buteur surprise, Junior Messias a offert aux Rossoneri une victoire attendue depuis huit ans, relançant les espoirs de qualification. L'histoire est folle : le bonhomme, arrivé du Brésil en 2011, a longtemps travaillé sur les chantiers et en tant que livreur de frigo.Il y a deux façons d'expliquer à un jeune footballeur ce que signifient sacrifice et abnégation. On peut, d'une part, lui parler de la réalité d'un centre de formation : les…", - "content": "Il y a deux façons d'expliquer à un jeune footballeur ce que signifient sacrifice et abnégation. On peut, d'une part, lui parler de la réalité d'un centre de formation : les…", + "title": "Michael Carrick quitte Manchester United", + "description": "Liquidation totale chez les Red Devils.
    \n
    \nSur le banc pour la troisième fois consécutive
    ", + "content": "Liquidation totale chez les Red Devils.
    \n
    \nSur le banc pour la troisième fois consécutive
    ", "category": "", - "link": "https://www.sofoot.com/junior-messias-l-ancien-livreur-de-frigo-devenu-heros-du-milan-507450.html", + "link": "https://www.sofoot.com/michael-carrick-quitte-manchester-united-507798.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T11:00:00Z", + "pubDate": "2021-12-03T09:12:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-michael-carrick-quitte-manchester-united-1638530203_x600_articles-507798.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f73d6c66e43c2767d2b595136744633" + "hash": "6a7b462d2b3c8a54cfed188b581b3d11" }, { - "title": "John Fleck (Sheffield United) est sorti de l'hôpital après s'être effondré contre Reading", - "description": "Des nouvelles rassurantes.
    \n
    \nUne grosse frayeur a traversé les tribunes du Madejski Stadium de Reading lors de la rencontre opposant le club local à Sheffield United, en Championship. À…

    ", - "content": "Des nouvelles rassurantes.
    \n
    \nUne grosse frayeur a traversé les tribunes du Madejski Stadium de Reading lors de la rencontre opposant le club local à Sheffield United, en Championship. À…

    ", + "title": "La colère de la Horda Frenetik après Metz-Montpellier", + "description": "L'ambiance est délétère.
    \n
    \nAprès la défaite du FC Metz mercredi à domicile contre Montpellier (1-3) qui…

    ", + "content": "L'ambiance est délétère.
    \n
    \nAprès la défaite du FC Metz mercredi à domicile contre Montpellier (1-3) qui…

    ", "category": "", - "link": "https://www.sofoot.com/john-fleck-sheffield-united-est-sorti-de-l-hopital-apres-s-etre-effondre-contre-reading-507451.html", + "link": "https://www.sofoot.com/la-colere-de-la-horda-frenetik-apres-metz-montpellier-507795.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T10:27:00Z", + "pubDate": "2021-12-03T08:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-colere-de-la-horda-frenetik-apres-metz-montpellier-1638521762_x600_articles-507795.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5beab6cdfd934aa55b2b3e7a22e37919" + "hash": "8fbc291e5bc66f04284d203a6ff4656c" }, { - "title": "Quand Rhys Healey (Toulouse FC) se livre sur ses goûts musicaux", - "description": "Don't stop him now.
    \n
    \nRhys Healey s'est livré dans une vidéo publiée par son club, le Toulouse FC, sur ses goûts musicaux. Le meilleur buteur de Ligue 2, auteur d'un quadruplé…

    ", - "content": "Don't stop him now.
    \n
    \nRhys Healey s'est livré dans une vidéo publiée par son club, le Toulouse FC, sur ses goûts musicaux. Le meilleur buteur de Ligue 2, auteur d'un quadruplé…

    ", + "title": "Un dirigeant de la FIFA propose de relancer la coupe des Confédérations", + "description": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", + "content": "Infantino a trouvé son sbire.
    \n
    \nPour ou contre la Coupe du monde tous les deux ans ? Alors que
    ", "category": "", - "link": "https://www.sofoot.com/quand-rhys-healey-toulouse-fc-se-livre-sur-ses-gouts-musicaux-507449.html", + "link": "https://www.sofoot.com/un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-507822.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T10:14:00Z", + "pubDate": "2021-12-03T15:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-dirigeant-de-la-fifa-propose-de-relancer-la-coupe-des-confederations-1638552592_x600_articles-507822.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "723086c0d468ab0fb77bf78d10ea86ea" + "hash": "bdb2cb8bd4fbe41a482d34d567469ea2" }, { - "title": "C3 : Prolonger le plaisir", - "description": "Toujours invaincus depuis le début de la compétition, l'Olympique de Marseille, l'AS Monaco et l'Olympique lyonnais entament le sprint final de la phase de groupes de Ligue Europa avec ambition. Carton plein et 100% de qualifiés ? L'espoir est permis, mais il faudra d'abord passer cette cinquième et avant-dernière journée sans encombre. Go !

    ", - "content": "

    ", + "title": "EuroMillions vendredi 3 décembre 2021 : 130 millions d'€ à gagner !", + "description": "Encore remportée par un Français la semaine dernière, la cagnotte EuroMillions offre 130 millions d'euros à gagner ce vendredi 3 décembre 2021. Et il y a aussi une cagnotte record de 30 millions d'euros au LOTO samedi !

    EuroMillions du vendredi 3 décembre 2021 : 130M d'€

    \n
    \n
    \nDécidemment, l'EuroMillions sourit vraiment aux Français depuis 1 an. Vendredi dernier,…

    ", + "content": "

    EuroMillions du vendredi 3 décembre 2021 : 130M d'€

    \n
    \n
    \nDécidemment, l'EuroMillions sourit vraiment aux Français depuis 1 an. Vendredi dernier,…

    ", "category": "", - "link": "https://www.sofoot.com/c3-prolonger-le-plaisir-507443.html", + "link": "https://www.sofoot.com/euromillions-vendredi-3-decembre-2021-130-millions-d-e-a-gagner-507762.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T10:00:00Z", + "pubDate": "2021-12-02T08:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-euromillions-vendredi-3-decembre-2021-130-millions-d-e-a-gagner-1638434286_x600_articles-507762.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b350a1aaa8d6138753e2a171c8022e7e" + "hash": "28245bcfba2f004f6eda3d2cd7cca3fb" }, { - "title": "La DNCG garde la masse salariale des Girondins de Bordeaux sous contrôle", - "description": "La DNCG ne veut pas lâcher Bordeaux.
    \n
    \nAprès un premier passage cet été qui a suivi le rachat des Girondins par le Luxembourgeois Gérard Lopez, le gendarme financier du foot français…

    ", - "content": "La DNCG ne veut pas lâcher Bordeaux.
    \n
    \nAprès un premier passage cet été qui a suivi le rachat des Girondins par le Luxembourgeois Gérard Lopez, le gendarme financier du foot français…

    ", + "title": "L'Atlético Mineiro et Hulk champions du Brésil", + "description": "Ça ne danse plus beaucoup à Flamengo.
    \n
    \nL'Atlético Mineiro a remporté son premier titre de champion du…

    ", + "content": "Ça ne danse plus beaucoup à Flamengo.
    \n
    \nL'Atlético Mineiro a remporté son premier titre de champion du…

    ", "category": "", - "link": "https://www.sofoot.com/la-dncg-garde-la-masse-salariale-des-girondins-de-bordeaux-sous-controle-507446.html", + "link": "https://www.sofoot.com/l-atletico-mineiro-et-hulk-champions-du-bresil-507792.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T09:06:00Z", + "pubDate": "2021-12-03T08:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-mineiro-et-hulk-champions-du-bresil-1638522395_x600_articles-507792.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "246f16239900f7ca2ea47a6735b9e9e4" + "hash": "c1e42c89f34f6d09fe8f042d7609da2e" }, { - "title": "Le numéro 24 de Loïc Perrin retiré à l'AS Saint-Étienne", - "description": "470 matchs et fidèle toute sa carrière au même club.
    \n
    \nLoïc Perrin est une légende du côté du Forez. Après qu'il a passé dix-sept saisons professionnelles à l'AS Saint-Étienne,…

    ", - "content": "470 matchs et fidèle toute sa carrière au même club.
    \n
    \nLoïc Perrin est une légende du côté du Forez. Après qu'il a passé dix-sept saisons professionnelles à l'AS Saint-Étienne,…

    ", + "title": "Le spectateur de Watford-Chelsea va mieux", + "description": "L'idée de ne pas revoir Ismaila Sarr sur un terrain avant plusieurs semaines l'a beaucoup secoué.
    \n
    \nEn début de match ce mercredi, un spectateur a été victime d'un malaise cardiaque,…

    ", + "content": "L'idée de ne pas revoir Ismaila Sarr sur un terrain avant plusieurs semaines l'a beaucoup secoué.
    \n
    \nEn début de match ce mercredi, un spectateur a été victime d'un malaise cardiaque,…

    ", "category": "", - "link": "https://www.sofoot.com/le-numero-24-de-loic-perrin-retire-a-l-as-saint-etienne-507444.html", + "link": "https://www.sofoot.com/le-spectateur-de-watford-chelsea-va-mieux-507791.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T08:44:00Z", + "pubDate": "2021-12-03T07:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-spectateur-de-watford-chelsea-va-mieux-1638522601_x600_articles-507791.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "455477f704f3da214c11e3239b8ee92e" + "hash": "dada09408ffc9494ea8b47a362a84e60" }, { - "title": "Après sa qualification pour la Coupe du monde, la Suisse remercie l'Irlande du Nord avec du chocolat", - "description": "Après l'effort vient le réconfort.
    \n
    \nLes joueurs nord-irlandais vont avoir le droit de faire une petite pause dans leur régime avec ce joli cadeau de la sélection suisse. Qualifiée…

    ", - "content": "Après l'effort vient le réconfort.
    \n
    \nLes joueurs nord-irlandais vont avoir le droit de faire une petite pause dans leur régime avec ce joli cadeau de la sélection suisse. Qualifiée…

    ", + "title": "Grace Ly : \"On a toujours l'impression qu'on peut rire impunément des Asiatiques\"", + "description": "Les propos plus que douteux proférés à l'encontre de Suk Hyun-jun, dimanche dernier lors de Marseille-Troyes (1-0), ont rappelé à tout le monde que le racisme anti-asiatique était encore bien présent dans les stades de l'Hexagone. Grace Ly, écrivaine, podcasteuse, militante antiraciste et accessoirement grande fan de foot, y voit le triste reflet d'une réalité qui concerne la société française dans son ensemble.Quelle a été ta première réaction en prenant connaissance ", + "content": "Quelle a été ta première réaction en prenant connaissance ", "category": "", - "link": "https://www.sofoot.com/apres-sa-qualification-pour-la-coupe-du-monde-la-suisse-remercie-l-irlande-du-nord-avec-du-chocolat-507445.html", + "link": "https://www.sofoot.com/grace-ly-on-a-toujours-l-impression-qu-on-peut-rire-impunement-des-asiatiques-507786.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T08:31:00Z", + "pubDate": "2021-12-03T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-grace-ly-on-a-toujours-l-impression-qu-on-peut-rire-impunement-des-asiatiques-1638463920_x600_articles-alt-507786.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "287c09c6e198adb46ac029135fd41c0c" + "hash": "45c9e84842b229f1f60db0ee0b632318" }, { - "title": "Jet de projectile : les victimes racontent", - "description": "Touché à la tête par une bouteille jetée des tribunes à Lyon dimanche soir, le capitaine marseillais Dimitri Payet a semblé atteint psychologiquement après cette agression. Étrangement, ce genre d'événements s'est tellement banalisé dans le sport ces dernières années que les autres victimes considèrent cette violence comme faisant partie intégrante du football.Pendant que Smaïl Bouabdellah, Johan Micoud, David Astorga et Thibault Le Rol s'occupaient de meubler l'antenne de Prime Video pendant deux longues heures d'attente, Thierry Henry semblait…", - "content": "Pendant que Smaïl Bouabdellah, Johan Micoud, David Astorga et Thibault Le Rol s'occupaient de meubler l'antenne de Prime Video pendant deux longues heures d'attente, Thierry Henry semblait…", + "title": "Vent de fronde au Bayern, à cause du partenariat avec Qatar Airways", + "description": "Tout va bien sur le terrain, mais à la veille du Klassiker, le Bayern Munich vit une crise institutionnelle en coulisse. Lors de la dernière assemblée générale du club, les esprits se sont échauffés entre les dirigeants et les supporters. La faute au partenariat de la discorde avec Qatar Airways.Pour un club à la réputation d'ambiance parfaite, d'harmonie presque indivisible entre ses membres et ses dirigeants, le Bayern Munich a vécu deux semaines particulièrement intenses. Et Latéral gauche formé au Paris Saint-Germain et passé par le club de la capitale de 1994 à 1998, puis de 2001 à 2003, Didier Domi revient sur la prestation du PSG suite à la défaite du club parisien sur la pelouse de Manchester City en Ligue des champions (2-1).Quelle analyse fais-tu de cette première défaite du PSG en Ligue des champions cette année ?
    \nQuand tu es entraîneur, tu analyses toujours les quatre ou cinq…
    ", - "content": "Quelle analyse fais-tu de cette première défaite du PSG en Ligue des champions cette année ?
    \nQuand tu es entraîneur, tu analyses toujours les quatre ou cinq…
    ", + "title": "Tactique : Boudebouz, nouveau look pour une nouvelle vie ", + "description": "Reculé d'un cran par Claude Puel au cours de la victoire des Verts face à Clermont début novembre, Ryad Boudebouz a depuis enchaîné trois titularisations dans un nouveau costume de meneur reculé qui lui va à merveille et lui offre l'opportunité de tirer des flèches à sa guise. Décryptage d'un début de mue.À 31 ans, Ryad Boudebouz vit avec un boulet de forçat attaché aux deux pieds. Un boulet qui pèse son poids : l'Algérien aime son job. \"La base de mon problème, dans ce métier, c'est…", + "content": "À 31 ans, Ryad Boudebouz vit avec un boulet de forçat attaché aux deux pieds. Un boulet qui pèse son poids : l'Algérien aime son job. \"La base de mon problème, dans ce métier, c'est…", "category": "", - "link": "https://www.sofoot.com/didier-domi-tu-peux-etre-domine-et-subir-mais-pas-comme-ca-507441.html", + "link": "https://www.sofoot.com/tactique-boudebouz-nouveau-look-pour-une-nouvelle-vie-507778.html", "creator": "SO FOOT", - "pubDate": "2021-11-25T00:45:00Z", + "pubDate": "2021-12-03T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tactique-boudebouz-nouveau-look-pour-une-nouvelle-vie-1638455318_x600_articles-alt-507778.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bd068758cdb6b9dee1e2000bf69753a2" + "hash": "d681d53a615a7705f1947583af15a7e5" }, { - "title": "Manchester City-PSG : le bâton pour se faire battre", - "description": "Cette victoire de Manchester City face au PSG (2-1) en Ligue des champions a rappelé deux choses : que malgré la défaite du match aller, le collectif des Citizens est plus costaud que celui des Parisiens. Et que Lionel Messi aime pratiquer la marche sur gazon.Sur les genoux, Kylian Mbappé fait semblant de conduire une voiture, ou de jouer à Mario Kart, avec son nouveau meilleur ami Achraf Hakimi. Le tableau d'affichage du stade indique la…", - "content": "Sur les genoux, Kylian Mbappé fait semblant de conduire une voiture, ou de jouer à Mario Kart, avec son nouveau meilleur ami Achraf Hakimi. Le tableau d'affichage du stade indique la…", + "title": "Podcast Alternative Football (épisode 14) avec Wiloo comme invité sur le thème du foot, des nouveaux médias et des traitements journalistiques possibles", + "description": "Le football est un jeu simple, dont beaucoup parlent, mais un univers complexe, que peu connaissent vraiment. Dans Alternative Football, le podcast hors terrain de So Foot, vous en découvrirez les rouages, avec ses principaux acteurs. Dans chaque épisode, Édouard Cissé, ancien milieu de terrain du PSG, de l'OM ou de Monaco désormais entrepreneur en plus d'être consultant pour Prime Video, et Matthieu Lille-Palette, vice-président d'Opta, s'entretiendront avec un invité sur un thème précis. Pendant une mi-temps, temps nécessaire pour redéfinir totalement votre grille de compréhension.Comment la couverture du foot se réinvente-t-elle au gré des évolutions tech et culturelles, de l'arrivée de nouveaux médias, du changement des habitudes de consommation de contenus ? Autant de…", + "content": "Comment la couverture du foot se réinvente-t-elle au gré des évolutions tech et culturelles, de l'arrivée de nouveaux médias, du changement des habitudes de consommation de contenus ? Autant de…", "category": "", - "link": "https://www.sofoot.com/manchester-city-psg-le-baton-pour-se-faire-battre-507440.html", + "link": "https://www.sofoot.com/podcast-alternative-football-episode-14-avec-wiloo-comme-invite-sur-le-theme-du-foot-des-nouveaux-medias-et-des-traitements-journalistiques-possibles-507769.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T23:30:00Z", + "pubDate": "2021-12-03T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-podcast-alternative-football-episode-14-avec-wiloo-comme-invite-sur-le-theme-du-foot-des-nouveaux-medias-et-des-traitements-journalistiques-possibles-1638445073_x600_articles-alt-507769.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "565a28bad9f9b5fbc537df9179e1920a" + "hash": "aa46dbe603d108591c22b040c090b443" }, { - "title": "Pedro Gonçalves, le petit prince du Sporting", - "description": "Auteur d'un doublé lors de la belle victoire face au Borussia Dortmund (3-1), Pedro Gonçalves a été l'un des grands artisans de la qualification en huitièmes de finale des champions du Portugal. Une confirmation après un cru 2020-2021 exceptionnel.Lorsque le speaker du stade José-Alvalade annonce la sortie du numéro 28 du Sporting, le public lisboète ne tarde pas à applaudir et à entonner des chants à gorge déployée. Pas parce que le…", - "content": "Lorsque le speaker du stade José-Alvalade annonce la sortie du numéro 28 du Sporting, le public lisboète ne tarde pas à applaudir et à entonner des chants à gorge déployée. Pas parce que le…", + "title": "Manchester United vient à bout d'Arsenal dans un match haletant", + "description": "Quatre jours après avoir tenu en échec Chelsea, Manchester United a de nouveau fait mal à un club de Londres en prenant le dessus sur Arsenal (3-2), grâce à ses Portugais Bruno Fernandes et Cristiano Ronaldo (doublé) et malgré une ouverture du score gag concédée. Une victoire qui permet aux Red Devils de remonter au septième rang de Premier League, à deux points et deux places de leur adversaire du soir. La machine est relancée.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pedro-goncalves-le-petit-prince-du-sporting-507438.html", + "link": "https://www.sofoot.com/manchester-united-vient-a-bout-d-arsenal-dans-un-match-haletant-507789.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:59:00Z", + "pubDate": "2021-12-02T22:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-vient-a-bout-d-arsenal-dans-un-match-haletant-1638484167_x600_articles-alt-507789.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "61f634d7edfa326717dd3f3c78cc55dc" + "hash": "f5443e98a540376520806f9511821fea" }, { - "title": "Marquinhos : \"Le plus important, c'était de se qualifier\"", - "description": "L'heure du bilan.
    \n
    \nInterrogé par Canal+ au sortir de la défaite des siens face à Manchester City (2-1), Marquinhos justifie le revers parisien par les \"différentes stratégies…

    ", - "content": "L'heure du bilan.
    \n
    \nInterrogé par Canal+ au sortir de la défaite des siens face à Manchester City (2-1), Marquinhos justifie le revers parisien par les \"différentes stratégies…

    ", + "title": "Tottenham fait le travail contre Brentford", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/marquinhos-le-plus-important-c-etait-de-se-qualifier-507435.html", + "link": "https://www.sofoot.com/tottenham-fait-le-travail-contre-brentford-507790.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:49:00Z", + "pubDate": "2021-12-02T21:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tottenham-fait-le-travail-contre-brentford-1638479656_x600_articles-507790.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ccf2cccedcf32db32220083e52f7cff" + "hash": "f5098a7b025ed8e4993deb1a9493c3a4" }, { - "title": "Les notes du PSG face à Manchester City", - "description": "Dominés de bout en bout par les Skyblues, les Parisiens ont failli faire le coup parfait, mais ont finalement rompu (2-1). Navas et Mbappé ont cru au hold-up, mais ont été rattrapés par la patrouille des Citizens.

    ", - "content": "

    ", + "title": "En direct : Manchester United - Arsenal", + "description": "49' : Waouh, ça redémarre fort.", + "content": "49' : Waouh, ça redémarre fort.", "category": "", - "link": "https://www.sofoot.com/les-notes-du-psg-face-a-manchester-city-507383.html", + "link": "https://www.sofoot.com/en-direct-manchester-united-arsenal-507788.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:15:00Z", + "pubDate": "2021-12-02T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-manchester-united-arsenal-1638479997_x600_articles-alt-507788.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9ec7a093c97f0ce574f837608a43689" + "hash": "01912ff77f8770e95322e4a483902499" }, { - "title": "Kimpembe : \"La solution ? Bloc médian, coulisser\"", - "description": "C'est pourtant simple !
    \n
    \nComme tous ses coéquipiers, Presnel Kimpembe, auteur d'une prestation honorable face à Manchester City, était forcément \"déçu\" après la défaite…

    ", - "content": "C'est pourtant simple !
    \n
    \nComme tous ses coéquipiers, Presnel Kimpembe, auteur d'une prestation honorable face à Manchester City, était forcément \"déçu\" après la défaite…

    ", + "title": "Le Belenenses SAD a demandé le report de son prochain match à la Ligue portugaise", + "description": "Le cirque continue.
    \n
    \nC'est avec neuf joueurs, dont sept issus de l'équipe réserve, et João Monteiro, habituel troisième gardien de but, aligné au milieu de terrain pour faire le…

    ", + "content": "Le cirque continue.
    \n
    \nC'est avec neuf joueurs, dont sept issus de l'équipe réserve, et João Monteiro, habituel troisième gardien de but, aligné au milieu de terrain pour faire le…

    ", "category": "", - "link": "https://www.sofoot.com/kimpembe-la-solution-bloc-median-coulisser-507436.html", + "link": "https://www.sofoot.com/le-belenenses-sad-a-demande-le-report-de-son-prochain-match-a-la-ligue-portugaise-507787.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:13:00Z", + "pubDate": "2021-12-02T17:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-belenenses-sad-a-demande-le-report-de-son-prochain-match-a-la-ligue-portugaise-1638466837_x600_articles-507787.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ff0ad4340ff93e76296819c42d1d2d0" + "hash": "25ba4fa852d0044aa1f36984a1c07a1d" }, { - "title": "Le Real Madrid glace le Sheriff et file en huitièmes", - "description": "

    ", - "content": "

    ", + "title": "Gauthier Hein (Auxerre) : \"On m'appelle un peu Ferenc Puskás\"", + "description": "La prophétie est en marche.
    \n
    \nQuelle fut la surprise ce lundi à Auxerre lorsque

    ", + "content": "La prophétie est en marche.
    \n
    \nQuelle fut la surprise ce lundi à Auxerre lorsque


    ", "category": "", - "link": "https://www.sofoot.com/le-real-madrid-glace-le-sheriff-et-file-en-huitiemes-507434.html", + "link": "https://www.sofoot.com/gauthier-hein-auxerre-on-m-appelle-un-peu-ferenc-puskas-507783.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:12:00Z", + "pubDate": "2021-12-02T17:25:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gauthier-hein-auxerre-on-m-appelle-un-peu-ferenc-puskas-1638466103_x600_articles-507783.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e4dbdd3efea17d68871a221ec6d945e2" + "hash": "bc6033493c548365af3818544091d5e7" }, { - "title": "Les notes de Manchester City face au PSG", - "description": "Une fois n'est pas coutume, Jesus a encore sauvé son peuple. Ses apôtres Riyad, Bernardo et İlkay l'ont bien aidé dans sa mission.

    ", - "content": "

    ", + "title": "La justice espagnole interdit la tenue de matchs de Liga à l'étranger", + "description": "C'est LA bonne nouvelle de la journée.
    \n
    \n\"J'ai donné un accord de principe sous réserve que la logistique suive parce que ça fait quand même un gros déplacement. Monaco et…

    ", + "content": "C'est LA bonne nouvelle de la journée.
    \n
    \n\"J'ai donné un accord de principe sous réserve que la logistique suive parce que ça fait quand même un gros déplacement. Monaco et…

    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-manchester-city-face-au-psg-507433.html", + "link": "https://www.sofoot.com/la-justice-espagnole-interdit-la-tenue-de-matchs-de-liga-a-l-etranger-507784.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:00:00Z", + "pubDate": "2021-12-02T17:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-justice-espagnole-interdit-la-tenue-de-matchs-de-liga-a-l-etranger-1638465507_x600_articles-507784.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7e00dfe3ed7f13bd4fdaabd9e868581b" + "hash": "72ded593f5f6d7c2c10e3853cda923ba" }, { - "title": "Milan arrache la victoire contre l'Atlético et reste en vie", - "description": "

    ", - "content": "

    ", + "title": "Didier Deschamps s'émeut de la faible attractivité des entraîneurs français à l'étranger", + "description": "Didier le syndicaliste.
    \n
    \nPourtant voué à un certain mutisme quand il s'agit de communiquer, Didier Deschamps a accordé


    ", + "content": "Didier le syndicaliste.
    \n
    \nPourtant voué à un certain mutisme quand il s'agit de communiquer, Didier Deschamps a accordé


    ", "category": "", - "link": "https://www.sofoot.com/milan-arrache-la-victoire-contre-l-atletico-et-reste-en-vie-507431.html", + "link": "https://www.sofoot.com/didier-deschamps-s-emeut-de-la-faible-attractivite-des-entraineurs-francais-a-l-etranger-507780.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:00:00Z", + "pubDate": "2021-12-02T15:48:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-didier-deschamps-s-emeut-de-la-faible-attractivite-des-entraineurs-francais-a-l-etranger-1638460205_x600_articles-507780.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25ed82bbd6e1b3e90c864dc229bf7fa0" + "hash": "ac169500050479dfa3f55eb3e18cb9e9" }, { - "title": "Le Sporting élimine Dortmund et file en huitièmes", - "description": "

    ", - "content": "

    ", + "title": "Pays-Bas : des supporters mettent le feu lors d'un entraînement à 5 heures du matin", + "description": "Et il y aura des interdictions de stade, là aussi ?
    \n
    \nAvec la recrudescence des cas de Covid-19 depuis plusieurs jours, les Pays-Bas ont été contraints de reprendre des mesures…

    ", + "content": "Et il y aura des interdictions de stade, là aussi ?
    \n
    \nAvec la recrudescence des cas de Covid-19 depuis plusieurs jours, les Pays-Bas ont été contraints de reprendre des mesures…

    ", "category": "", - "link": "https://www.sofoot.com/le-sporting-elimine-dortmund-et-file-en-huitiemes-507428.html", + "link": "https://www.sofoot.com/pays-bas-des-supporters-mettent-le-feu-lors-d-un-entrainement-a-5-heures-du-matin-507781.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:00:00Z", + "pubDate": "2021-12-02T15:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pays-bas-des-supporters-mettent-le-feu-lors-d-un-entrainement-a-5-heures-du-matin-1638459196_x600_articles-507781.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "717a171ec23d0c4965222500c8952318" + "hash": "b6a59affea679af950ad6511f761f8e8" }, { - "title": "Liverpool enchaîne une cinquième victoire contre Porto", - "description": "

    ", - "content": "

    ", + "title": "Pep Guardiola après Aston Villa-Manchester City : \"Bernardo Silva ? C'est le meilleur en ce moment\"", + "description": "C'est donc lui, le meilleur Portugais de Premier League ?
    \n
    \nPas toujours titulaire l'an passé, Bernardo Silva retrouve cette saison un niveau extraordinaire. Ce mercredi, l'ancien…

    ", + "content": "C'est donc lui, le meilleur Portugais de Premier League ?
    \n
    \nPas toujours titulaire l'an passé, Bernardo Silva retrouve cette saison un niveau extraordinaire. Ce mercredi, l'ancien…

    ", "category": "", - "link": "https://www.sofoot.com/liverpool-enchaine-une-cinquieme-victoire-contre-porto-507426.html", + "link": "https://www.sofoot.com/pep-guardiola-apres-aston-villa-manchester-city-bernardo-silva-c-est-le-meilleur-en-ce-moment-507779.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T22:00:00Z", + "pubDate": "2021-12-02T15:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pep-guardiola-apres-aston-villa-manchester-city-bernardo-silva-c-est-le-meilleur-en-ce-moment-1638457838_x600_articles-507779.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "df285e8ca44dc0ce4c9e6f128de70e34" + "hash": "2c170c66f3a6b432f4425cc69f5f67ee" }, { - "title": "Leipzig détruit Bruges, doublé de Christopher Nkunku", - "description": "

    ", - "content": "

    ", + "title": "Incidents à Angers : le CNOSF confirme le point de pénalité avec sursis infligé à l'OM", + "description": "Quelques crochets par-ci, des uppercuts par-là, une pincée de balayettes : voilà le résumé parfait du dernier déplacement de l'OM à Angers (0-0).
    \n
    \nEn septembre dernier, certains…

    ", + "content": "Quelques crochets par-ci, des uppercuts par-là, une pincée de balayettes : voilà le résumé parfait du dernier déplacement de l'OM à Angers (0-0).
    \n
    \nEn septembre dernier, certains…

    ", "category": "", - "link": "https://www.sofoot.com/leipzig-detruit-bruges-double-de-christopher-nkunku-507425.html", + "link": "https://www.sofoot.com/incidents-a-angers-le-cnosf-confirme-le-point-de-penalite-avec-sursis-inflige-a-l-om-507777.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T21:56:00Z", + "pubDate": "2021-12-02T14:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-incidents-a-angers-le-cnosf-confirme-le-point-de-penalite-avec-sursis-inflige-a-l-om-1638456120_x600_articles-507777.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b2ed6ece71b781fe2c994f7dc3f95c5" + "hash": "101460ad5764811cb9002c5ca44f8d45" }, { - "title": "Le PSG écrabouillé 2-1 à Manchester City", - "description": "Dominateur de la tête et des épaules tout au long de la rencontre, Manchester City a pris sa revanche sur le PSG, deux mois après sa défaite au Parc des Princes. Menés au score sur un but de Mbappé, les Citizens ont renversé la table grâce à Sterling et Gabriel Jesus. Les voilà assurés de terminer en tête de cette poule A, tandis que Paris est qualifié en deuxième position.

    ", - "content": "

    ", + "title": "Christian Eriksen s'entraîne à Odense, au Danemark", + "description": "Alors Odense.
    \n
    \nSon accident à l'Euro avait marqué le monde entier. Christian Eriksen est de retour sur les…

    ", + "content": "Alors Odense.
    \n
    \n
    Son accident à l'Euro avait marqué le monde entier. Christian Eriksen est de retour sur les…

    ", "category": "", - "link": "https://www.sofoot.com/le-psg-ecrabouille-2-1-a-manchester-city-507427.html", + "link": "https://www.sofoot.com/christian-eriksen-s-entraine-a-odense-au-danemark-507776.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T21:55:00Z", + "pubDate": "2021-12-02T14:21:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-christian-eriksen-s-entraine-a-odense-au-danemark-1638454852_x600_articles-507776.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b0c67f8683869c8c58abe354d0318eb" + "hash": "ab91697cf888e358402a9ad60f56a2d9" }, { - "title": "L'Inter vient à bout du Shakhtar grâce à un doublé de Džeko", - "description": "

    ", - "content": "

    ", + "title": "Kheira Hamraoui (PSG) de nouveau auditionnée par les enquêteurs", + "description": "Bientôt le fin mot de l'histoire ?
    \n
    \nL'enquête autour de Kheira Hamraoui se poursuit.
    ", + "content": "Bientôt le fin mot de l'histoire ?
    \n
    \nL'enquête autour de Kheira Hamraoui se poursuit.
    ", "category": "", - "link": "https://www.sofoot.com/l-inter-vient-a-bout-du-shakhtar-grace-a-un-double-de-dzeko-507430.html", + "link": "https://www.sofoot.com/kheira-hamraoui-psg-de-nouveau-auditionnee-par-les-enqueteurs-507772.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T19:45:00Z", + "pubDate": "2021-12-02T13:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kheira-hamraoui-psg-de-nouveau-auditionnee-par-les-enqueteurs-1638452562_x600_articles-507772.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "51b42c40933fe4560807c38e0b952119" + "hash": "b300cacb89869c9103778bba5b83209f" }, { - "title": "En direct : Atlético - AC Milan", - "description": "95' : FINITO ! Le Milan est venu à bout de cette crispante équipe rojiblanca. La dernière ...", - "content": "95' : FINITO ! Le Milan est venu à bout de cette crispante équipe rojiblanca. La dernière ...", + "title": "La jolie reprise de Florian Thauvin avec les Tigres", + "description": "Oui, Florian Thauvin joue encore.
    \n
    \nEt il marque toujours. Même de l'autre côté du Pacifique, l'ancien pensionnaire de l'Olympique de Marseille est toujours capable de briller.…

    ", + "content": "Oui, Florian Thauvin joue encore.
    \n
    \nEt il marque toujours. Même de l'autre côté du Pacifique, l'ancien pensionnaire de l'Olympique de Marseille est toujours capable de briller.…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-atletico-ac-milan-507424.html", + "link": "https://www.sofoot.com/la-jolie-reprise-de-florian-thauvin-avec-les-tigres-507773.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T19:45:00Z", + "pubDate": "2021-12-02T13:43:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-jolie-reprise-de-florian-thauvin-avec-les-tigres-1638453129_x600_articles-507773.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9a798792c0125307968d3da1c84de86" + "hash": "31bbe75769072a7a7c4bb0679b63da80" }, { - "title": "Haller renverse Beşiktaş à lui seul", - "description": "

    ", - "content": "

    ", + "title": "Redah Atassi : \" Après ma carrière, je serai comme un indien dans la ville \"", + "description": "Non conservé par le TFC, Redah Atassi a écumé le monde arabe après une aventure folle avec Béziers, de la CFA à la Ligue 2. Des premiers pas en pro de Ben Yedder à sa vie en Arabie saoudite et aux Émirats, retour plein de bonne humeur sur le parcours d'un de ces \" autres footballeurs \". Ceux qui, malgré la passion, ne rêvent plus de paillettes dans leur vie, mais craignent pour leur après-carrière et cherchent à assurer leurs arrières.Salut Redah. Tu as aujourd'hui 30 ans et tu joues depuis septembre pour l'Al Urooba FC, aux Émirats arabes unis. Comment est ta vie là-bas ?
    \nC'est d'abord un…
    ", + "content": "Salut Redah. Tu as aujourd'hui 30 ans et tu joues depuis septembre pour l'Al Urooba FC, aux Émirats arabes unis. Comment est ta vie là-bas ?
    \nC'est d'abord un…
    ", "category": "", - "link": "https://www.sofoot.com/haller-renverse-besiktas-a-lui-seul-507422.html", + "link": "https://www.sofoot.com/redah-atassi-apres-ma-carriere-je-serai-comme-un-indien-dans-la-ville-507419.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T19:45:00Z", + "pubDate": "2021-12-02T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-redah-atassi-apres-ma-carriere-je-serai-comme-un-indien-dans-la-ville-1637855227_x600_articles-alt-507419.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b123f9ce8dc74a9bf3e40a464415590b" + "hash": "2e6a0d84f6046d57fd90879a86bdbd70" }, { - "title": "En direct : Manchester City - Paris S-G", - "description": "90' : Et c'est TER-MI-NE !
    \n
    \nMalgré un léger sursaut d'orgueil, Paris était en-dessous ce soir ...", - "content": "90' : Et c'est TER-MI-NE !
    \n
    \nMalgré un léger sursaut d'orgueil, Paris était en-dessous ce soir ...", + "title": "Zlatan Ibrahimović s'est proposé au Paris Saint-Germain en tant que directeur sportif", + "description": "Le Z pense à sa reconversion.
    \n
    \nMême s'il paraît increvable, Zlatan Ibrahimović (40 ans) arrive doucement, mais sûrement vers la fin de sa carrière. Le Milanais sort ce jeudi en…

    ", + "content": "Le Z pense à sa reconversion.
    \n
    \nMême s'il paraît increvable, Zlatan Ibrahimović (40 ans) arrive doucement, mais sûrement vers la fin de sa carrière. Le Milanais sort ce jeudi en…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-manchester-city-paris-s-g-507432.html", + "link": "https://www.sofoot.com/zlatan-ibrahimovic-s-est-propose-au-paris-saint-germain-en-tant-que-directeur-sportif-507771.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T19:30:00Z", + "pubDate": "2021-12-02T12:22:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-zlatan-ibrahimovic-s-est-propose-au-paris-saint-germain-en-tant-que-directeur-sportif-1638447800_x600_articles-507771.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b751d75d6146e81bbfc0ccce452b6fa" + "hash": "3daf0c855ed6ee6db6ee1ec102bda002" }, { - "title": "Naples surpris sur le terrain du Spartak Moscou", - "description": "

    ", - "content": "

    ", + "title": "Carlo Ancelotti : \"Parfois je demande à Thibaut Courtois de laisser passer un ballon à l'entraînement\"", + "description": "Il faut bien laisser Eden retrouver des couleurs.
    \n
    \nQuinze buts encaissés en quinze matchs en Liga, trois clean sheets en cinq titularisations en Ligue des champions, Thibaut…

    ", + "content": "Il faut bien laisser Eden retrouver des couleurs.
    \n
    \nQuinze buts encaissés en quinze matchs en Liga, trois clean sheets en cinq titularisations en Ligue des champions, Thibaut…

    ", "category": "", - "link": "https://www.sofoot.com/naples-surpris-sur-le-terrain-du-spartak-moscou-507423.html", + "link": "https://www.sofoot.com/carlo-ancelotti-parfois-je-demande-a-thibaut-courtois-de-laisser-passer-un-ballon-a-l-entrainement-507770.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T17:30:00Z", + "pubDate": "2021-12-02T12:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-carlo-ancelotti-parfois-je-demande-a-thibaut-courtois-de-laisser-passer-un-ballon-a-l-entrainement-1638447404_x600_articles-507770.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "920c5ca164e26eb01e1b658e03481bf5" + "hash": "184e8ea285b96501e1cf84698486b9c6" }, { - "title": "La DFL répond négativement à la demande d'Helge Leonhardt (Erzgebirge Aue) d'arrêter les championnats", - "description": "La fête n'est pas finie.
    \n
    \nAlors que les cas de Covid-19 flambent en Allemagne, le président du club de deuxième division Erzgebirge Aue, Helge Leonhardt, a fait part de son inquiétude…

    ", - "content": "La fête n'est pas finie.
    \n
    \nAlors que les cas de Covid-19 flambent en Allemagne, le président du club de deuxième division Erzgebirge Aue, Helge Leonhardt, a fait part de son inquiétude…

    ", + "title": "Après son accrochage avec Álvaro (Marseille), Randal Kolo Muani (Nantes) pense que les arbitres \"ont leurs préférences\"", + "description": "Álvaro aime se faire des ennemis.
    \n
    \nÀ la Beaujoire ce mercredi soir, les…

    ", + "content": "Álvaro aime se faire des ennemis.
    \n
    \nÀ la Beaujoire ce mercredi soir, les…

    ", "category": "", - "link": "https://www.sofoot.com/la-dfl-repond-negativement-a-la-demande-d-helge-leonhardt-erzgebirge-aue-d-arreter-les-championnats-507421.html", + "link": "https://www.sofoot.com/apres-son-accrochage-avec-alvaro-marseille-randal-kolo-muani-nantes-pense-que-les-arbitres-ont-leurs-preferences-507768.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T17:20:00Z", + "pubDate": "2021-12-02T11:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-apres-son-accrochage-avec-alvaro-marseille-randal-kolo-muani-nantes-pense-que-les-arbitres-ont-leurs-preferences-1638445012_x600_articles-507768.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "29f5aaf3013fa32ff8a88f9a5afebf93" + "hash": "5cda45929859ead28c87078b0d1c5c21" }, { - "title": "Youth League : les U19 du Paris Saint-Germain se qualifient pour le prochain tour après leur victoire sur Manchester City", - "description": "

    ", - "content": "

    ", + "title": "Oui, l'OM et Sampaoli sont devenus froids et pragmatiques", + "description": "Ce mercredi, à la Beaujoire, l'Olympique de Marseille n'a encaissé aucun but. Et il n'en a marqué qu'un seul. En clair, il a pris trois points, de la manière la moins spectaculaire possible : et c'est la troisième fois que l'OM fait le coup sur les quatre derniers matchs de championnat. Il faut se rendre à l'évidence, le dauphin de Ligue 1 est devenu glaçant de pragmatisme. Et délaisse, peu à peu, sa réputation d'équipe électrisante.\"Ça me remplit de joie de revoir cette version de l'OM, c'est la version que l'on aime, c'est la version que l'on construit.\" Jorge Sampaoli était aux anges en conférence de presse, ce…", + "content": "\"Ça me remplit de joie de revoir cette version de l'OM, c'est la version que l'on aime, c'est la version que l'on construit.\" Jorge Sampaoli était aux anges en conférence de presse, ce…", "category": "", - "link": "https://www.sofoot.com/youth-league-les-u19-du-paris-saint-germain-se-qualifient-pour-le-prochain-tour-apres-leur-victoire-sur-manchester-city-507418.html", + "link": "https://www.sofoot.com/oui-l-om-et-sampaoli-sont-devenus-froids-et-pragmatiques-507752.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T17:08:00Z", + "pubDate": "2021-12-02T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-oui-l-om-et-sampaoli-sont-devenus-froids-et-pragmatiques-1638440573_x600_articles-alt-507752.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8375bbcb08997b37274a66ddc1d28d78" + "hash": "734fbbf787b41a636577099352c9c06e" }, { - "title": "Karim Benzema reconnu coupable : Mathieu Valbuena \"soulagé\" selon son avocat", - "description": "Petit Vélo souffle enfin.
    \n
    \nC'est l'événement de ce mercredi : Karim Benzema a officiellement été
    ", - "content": "Petit Vélo souffle enfin.
    \n
    \nC'est l'événement de ce mercredi : Karim Benzema a officiellement été
    ", + "title": "Un agent sportif de la FFF a été enlevé dans la rue puis relâché, fin novembre", + "description": "Sombre affaire à la Fédé.
    \n
    \nSelon les…

    ", + "content": "Sombre affaire à la Fédé.
    \n
    \nSelon les…

    ", "category": "", - "link": "https://www.sofoot.com/karim-benzema-reconnu-coupable-mathieu-valbuena-soulage-selon-son-avocat-507420.html", + "link": "https://www.sofoot.com/un-agent-sportif-de-la-fff-a-ete-enleve-dans-la-rue-puis-relache-fin-novembre-507767.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T16:59:00Z", + "pubDate": "2021-12-02T10:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-agent-sportif-de-la-fff-a-ete-enleve-dans-la-rue-puis-relache-fin-novembre-1638442092_x600_articles-507767.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ea184b1bdca95765ccd66871f04ba0c" + "hash": "65ebfd35122700112dcaa84d240be5a7" }, { - "title": "25 ultras de la Juve interdits de stade après le derby contre le Torino", - "description": "Une sanction à la hauteur.
    \n
    \nVingt-cinq membres de groupes ultras de la Juventus (\"Tradizione Antichi Valori\" et \"Bravi Ragazzi\") sont désormais interdits de stade pour des…

    ", - "content": "Une sanction à la hauteur.
    \n
    \nVingt-cinq membres de groupes ultras de la Juventus (\"Tradizione Antichi Valori\" et \"Bravi Ragazzi\") sont désormais interdits de stade pour des…

    ", + "title": "Hasan Çetinkaya (Westerlo) : \"Eden Hazard pourrait terminer sa carrière chez nous\"", + "description": "\"Rüya\" : \"rêver\" en turc.
    \n
    \n\"J'espère que la saison prochaine, nous jouerons en Jupiler Pro League et que nous pourrons ensuite travailler sur notre…

    ", + "content": "\"Rüya\" : \"rêver\" en turc.
    \n
    \n\"J'espère que la saison prochaine, nous jouerons en Jupiler Pro League et que nous pourrons ensuite travailler sur notre…

    ", "category": "", - "link": "https://www.sofoot.com/25-ultras-de-la-juve-interdits-de-stade-apres-le-derby-contre-le-torino-507417.html", + "link": "https://www.sofoot.com/hasan-cetinkaya-westerlo-eden-hazard-pourrait-terminer-sa-carriere-chez-nous-507766.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T16:47:00Z", + "pubDate": "2021-12-02T10:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-hasan-cetinkaya-westerlo-eden-hazard-pourrait-terminer-sa-carriere-chez-nous-1638442695_x600_articles-507766.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fedc39d94bbdc20d56dc2bb5c358d89b" + "hash": "49d26b33263edb31eefaa0fdbd88e37a" }, { - "title": "La CAF inquiète pour l'organisation de la CAN 2022 au Cameroun", - "description": "La vérité de juin n'est pas celle de novembre.
    \n
    \nIl y a six mois, Véron Mosengo-Omba, secrétaire général de la Confédération africaine de football,
    ", - "content": "La vérité de juin n'est pas celle de novembre.
    \n
    \nIl y a six mois, Véron Mosengo-Omba, secrétaire général de la Confédération africaine de football,
    ", + "title": "Noël Le Graët : \"À l'UEFA, ce sont un peu des béni-oui-oui\"", + "description": "Le mois de décembre a débuté, Noël fait son show.
    \n
    \nÀ l'heure où l'éventualité d'une Coupe du monde tous les deux ans effraie une bonne partie des fans de foot, le président de la…

    ", + "content": "Le mois de décembre a débuté, Noël fait son show.
    \n
    \nÀ l'heure où l'éventualité d'une Coupe du monde tous les deux ans effraie une bonne partie des fans de foot, le président de la…

    ", "category": "", - "link": "https://www.sofoot.com/la-caf-inquiete-pour-l-organisation-de-la-can-2022-au-cameroun-507414.html", + "link": "https://www.sofoot.com/noel-le-graet-a-l-uefa-ce-sont-un-peu-des-beni-oui-oui-507765.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T16:35:00Z", + "pubDate": "2021-12-02T10:11:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-noel-le-graet-a-l-uefa-ce-sont-un-peu-des-beni-oui-oui-1638440099_x600_articles-507765.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6816ea2c8f5c90676ce60b60b06d7883" + "hash": "8608ee1d6a7a862807b8b874599e9515" }, { - "title": "Luís Figo : \"La Superligue est morte\"", - "description": "Luís le fossoyeur.
    \n
    \nRécemment, Florentino Pérez et Andrea Agnelli sont…

    ", - "content": "Luís le fossoyeur.
    \n
    \nRécemment, Florentino Pérez et Andrea Agnelli sont…

    ", + "title": "Après la raclée à Strasbourg, Jimmy Briand (Bordeaux) a honte", + "description": "Qu'en pense Timothée Chalamet ?
    \n
    \nVisiblement,
    ", + "content": "Qu'en pense Timothée Chalamet ?
    \n
    \nVisiblement,
    ", "category": "", - "link": "https://www.sofoot.com/luis-figo-la-superligue-est-morte-507416.html", + "link": "https://www.sofoot.com/apres-la-raclee-a-strasbourg-jimmy-briand-bordeaux-a-honte-507763.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T16:13:00Z", + "pubDate": "2021-12-02T08:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-apres-la-raclee-a-strasbourg-jimmy-briand-bordeaux-a-honte-1638435534_x600_articles-507763.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0735f931037d437ed479951fcd29f8e9" + "hash": "07ab725b8b6270c2993333bb02f14de1" }, { - "title": "En District dans le Nord, une équipe fait souffler l'arbitre dans le ballon après la défaite", - "description": "De l'Allier au Nord en passant par l'Allier au Nord en passant par Une défaite qui fait mal.
    \n
    \nTombé à domicile dans les derniers instants face au Stade de Reims à l'issue…

    ", + "content": "Une défaite qui fait mal.
    \n
    \nTombé à domicile dans les derniers instants face au Stade de Reims à l'issue…

    ", "category": "", - "link": "https://www.sofoot.com/en-district-dans-le-nord-une-equipe-fait-souffler-l-arbitre-dans-le-ballon-apres-la-defaite-507412.html", + "link": "https://www.sofoot.com/peter-bosz-lyon-peste-contre-la-performance-de-son-equipe-apres-la-defaite-contre-reims-507759.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T15:30:00Z", + "pubDate": "2021-12-02T08:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-peter-bosz-lyon-peste-contre-la-performance-de-son-equipe-apres-la-defaite-contre-reims-1638433624_x600_articles-507759.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbb3cbe7cae7bad606bed162bc0869d6" + "hash": "4cf6f023d56737b6933b62310215dce6" }, { - "title": "Aberdeen : une enquête contre Funso Ojo après un nouvel incident avec un supporter adverse", - "description": "Il n'y a pas qu'en France que ça part en vrille.
    \n
    \nCe samedi, le football écossais nous a offert une histoire pour le moins rocambolesque. Déjà averti, Funso Ojo, milieu de terrain…

    ", - "content": "Il n'y a pas qu'en France que ça part en vrille.
    \n
    \nCe samedi, le football écossais nous a offert une histoire pour le moins rocambolesque. Déjà averti, Funso Ojo, milieu de terrain…

    ", + "title": "Pronostic Ajaccio Valenciennes : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Du classique pour Ajaccio face à Valenciennes

    \n
    \nA l'orée de débuter cette 17e journée de Ligue 2, Ajaccio occupe la 2e place du…
    ", + "content": "

    Du classique pour Ajaccio face à Valenciennes

    \n
    \nA l'orée de débuter cette 17e journée de Ligue 2, Ajaccio occupe la 2e place du…
    ", "category": "", - "link": "https://www.sofoot.com/aberdeen-une-enquete-contre-funso-ojo-apres-un-nouvel-incident-avec-un-supporter-adverse-507413.html", + "link": "https://www.sofoot.com/pronostic-ajaccio-valenciennes-analyse-cotes-et-prono-du-match-de-ligue-2-507761.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T15:14:00Z", + "pubDate": "2021-12-02T07:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-ajaccio-valenciennes-analyse-cotes-et-prono-du-match-de-ligue-2-1638433097_x600_articles-507761.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dbc1a2b77c80398c265fac31487bf05c" + "hash": "479b3f190a92dd5c72661b59e94cf304" }, { - "title": "L'AS Saint-Étienne invite ses supporters à choisir son nouveau logo ", - "description": "L'heure du choix a sonné.
    \n
    \nDans quelques jours, l'AS Saint-Étienne révèlera son nouveau logo. Celui-ci sera choisi par tous les supporters et supportrices des Verts via
    ", - "content": "L'heure du choix a sonné.
    \n
    \nDans quelques jours, l'AS Saint-Étienne révèlera son nouveau logo. Celui-ci sera choisi par tous les supporters et supportrices des Verts via
    ", + "title": "Pronostic Sochaux Pau : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Sochaux se relance face à Pau

    \n
    \nBelle surprise de la saison dernière, Sochaux avait fini aux portes des playoffs. Dans la ligjnée de cette belle prise…
    ", + "content": "

    Sochaux se relance face à Pau

    \n
    \nBelle surprise de la saison dernière, Sochaux avait fini aux portes des playoffs. Dans la ligjnée de cette belle prise…
    ", "category": "", - "link": "https://www.sofoot.com/l-as-saint-etienne-invite-ses-supporters-a-choisir-son-nouveau-logo-507411.html", + "link": "https://www.sofoot.com/pronostic-sochaux-pau-analyse-cotes-et-prono-du-match-de-ligue-2-507760.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T14:52:00Z", + "pubDate": "2021-12-02T07:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-sochaux-pau-analyse-cotes-et-prono-du-match-de-ligue-2-1638432305_x600_articles-507760.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e91d595ae34a4ba58e9b9b6d11d0727a" + "hash": "add73c81c4a090ead158921a89f6a6e5" }, { - "title": "Belgique : le racisme et l'homophobie décomplexés d'un club amateur, le KVV Duffel, sur TikTok", - "description": "Si les clubs amateurs s'y mettent...
    \n
    \nLe club du KVV Duffel, dernier de son championnat en sixième division belge, a innové dans la bêtise et fait monter le niveau d'un cran. L'équipe…

    ", - "content": "Si les clubs amateurs s'y mettent...
    \n
    \nLe club du KVV Duffel, dernier de son championnat en sixième division belge, a innové dans la bêtise et fait monter le niveau d'un cran. L'équipe…

    ", + "title": "Pronostic Paris FC Bastia : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Un Paris FC lancé face à Bastia

    \n
    \nBarragiste la saison passée, le Paris FC a pour ambition de monter en Ligue 1 le plus rapidement possible. Lors de…
    ", + "content": "

    Un Paris FC lancé face à Bastia

    \n
    \nBarragiste la saison passée, le Paris FC a pour ambition de monter en Ligue 1 le plus rapidement possible. Lors de…
    ", "category": "", - "link": "https://www.sofoot.com/belgique-le-racisme-et-l-homophobie-decomplexes-d-un-club-amateur-le-kvv-duffel-sur-tiktok-507408.html", + "link": "https://www.sofoot.com/pronostic-paris-fc-bastia-analyse-cotes-et-prono-du-match-de-ligue-2-507758.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T14:35:00Z", + "pubDate": "2021-12-02T07:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-paris-fc-bastia-analyse-cotes-et-prono-du-match-de-ligue-2-1638431948_x600_articles-507758.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "49d51478ce3f0da2e3ec23cfa9e59a56" + "hash": "ed89e6eb9aa1456a7004199472bb072d" }, { - "title": "Bientôt des mi-temps de 25 minutes comme au Superbowl ?", - "description": "Ça va faire du bruit.
    \n
    \nC'est le genre de point évoqué à la fin des réunions. Celui qui n'est pas au programme, qui devrait être le moins intéressant, mais qui oblige tout le…

    ", - "content": "Ça va faire du bruit.
    \n
    \nC'est le genre de point évoqué à la fin des réunions. Celui qui n'est pas au programme, qui devrait être le moins intéressant, mais qui oblige tout le…

    ", + "title": "Pronostic Grenoble Le Havre : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Grenoble tient tête au Havre

    \n
    \nInattendu barragiste l'an passé, Grenoble était parvenu à se hisser dans les playoffs d'accession mais s'était…
    ", + "content": "

    Grenoble tient tête au Havre

    \n
    \nInattendu barragiste l'an passé, Grenoble était parvenu à se hisser dans les playoffs d'accession mais s'était…
    ", "category": "", - "link": "https://www.sofoot.com/bientot-des-mi-temps-de-25-minutes-comme-au-superbowl-507410.html", + "link": "https://www.sofoot.com/pronostic-grenoble-le-havre-analyse-cotes-et-prono-du-match-de-ligue-2-507757.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T14:00:00Z", + "pubDate": "2021-12-02T07:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-grenoble-le-havre-analyse-cotes-et-prono-du-match-de-ligue-2-1638431407_x600_articles-507757.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5bfaf445c8f63ac617083ffef826f9d0" + "hash": "0f347691a2182f32486da7fbc6931bea" }, { - "title": "Appel rejeté pour Fabrizio Miccoli, condamné à 3 ans et demi de prison ferme en Italie", - "description": "Miccoli piégé.
    \n
    \nL'ancien attaquant italien Fabrizio Miccoli a écopé d'une peine de trois ans et demi de prison ferme en Italie pour \"extorsion aggravée au moyen de méthode…

    ", - "content": "Miccoli piégé.
    \n
    \nL'ancien attaquant italien Fabrizio Miccoli a écopé d'une peine de trois ans et demi de prison ferme en Italie pour \"extorsion aggravée au moyen de méthode…

    ", + "title": "Pronostic Guingamp Dijon : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Guingamp se donne de l'air face à Dijon

    \n
    \nMal embarqué la saison dernière, l'En Avant Guingamp s'en était sorti grâce à une excellente fin de…
    ", + "content": "

    Guingamp se donne de l'air face à Dijon

    \n
    \nMal embarqué la saison dernière, l'En Avant Guingamp s'en était sorti grâce à une excellente fin de…
    ", "category": "", - "link": "https://www.sofoot.com/appel-rejete-pour-fabrizio-miccoli-condamne-a-3-ans-et-demi-de-prison-ferme-en-italie-507400.html", + "link": "https://www.sofoot.com/pronostic-guingamp-dijon-analyse-cotes-et-prono-du-match-de-ligue-2-507756.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T13:34:00Z", + "pubDate": "2021-12-02T07:27:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-guingamp-dijon-analyse-cotes-et-prono-du-match-de-ligue-2-1638430880_x600_articles-507756.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6249a276ed712feb7e4e0aecc201a2a3" + "hash": "8916db1e5d7349687d977d9aa9a1ff7c" }, { - "title": "L'avocat de Karim Benzema, Me Antoine Vey, dénonce \"une sanction totalement disproportionnée\"", - "description": "Le sursis ne lui va pas.
    \n
    \nCe mercredi matin,
    ", - "content": "Le sursis ne lui va pas.
    \n
    \nCe mercredi matin,
    ", + "title": "Pronostic Amiens Dunkerque : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Amiens décroche une victoire importante face à Dunkerque

    \n
    \nLa lutte pour le maintien fait rage en Ligue 2 puisque seulement 4 points séparent…
    ", + "content": "

    Amiens décroche une victoire importante face à Dunkerque

    \n
    \nLa lutte pour le maintien fait rage en Ligue 2 puisque seulement 4 points séparent…
    ", "category": "", - "link": "https://www.sofoot.com/l-avocat-de-karim-benzema-me-antoine-vey-denonce-une-sanction-totalement-disproportionnee-507405.html", + "link": "https://www.sofoot.com/pronostic-amiens-dunkerque-analyse-cotes-et-prono-du-match-de-ligue-2-507755.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T13:04:00Z", + "pubDate": "2021-12-02T07:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-amiens-dunkerque-analyse-cotes-et-prono-du-match-de-ligue-2-1638430359_x600_articles-507755.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cdeb4c0fad05c20c63530d3ee09a9a8c" + "hash": "fa5d29cb93f4e44b47ace60f414ed542" }, { - "title": "Benzema, pour l'exemple", - "description": "Karim Benzema a été condamné à un an de prison avec sursis et 75 000 euros d'amende. Il a décidé de faire appel puisque son avocat Me Sylvain Cormier rejette cette \" peine très sévère, injuste et sans preuve \". Le feuilleton n'est donc pas terminé sur le plan judiciaire. Toutefois cette première décision du tribunal clarifie le flou qui existait depuis qu'avait éclaté \" l'affaire de la sextape \", sans pour autant résorber les fractures qui se cristallisent autour de l'attaquant du Real Madrid.Le tribunal correctionnel de Versailles a été pour une fois très clair, indiquant que Karim Benzema (qui ne s'est

    Un Rodez – Nîmes avec des buts de chaque côté

    \n
    \nPour le compte de la 17e journée de Ligue 2, Rodez reçoit Nîmes dans une confrontation…
    ", + "content": "

    Un Rodez – Nîmes avec des buts de chaque côté

    \n
    \nPour le compte de la 17e journée de Ligue 2, Rodez reçoit Nîmes dans une confrontation…
    ", "category": "", - "link": "https://www.sofoot.com/benzema-pour-l-exemple-507402.html", + "link": "https://www.sofoot.com/pronostic-rodez-nimes-analyse-cotes-et-prono-du-match-de-ligue-2-507754.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T13:00:00Z", + "pubDate": "2021-12-02T07:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-rodez-nimes-analyse-cotes-et-prono-du-match-de-ligue-2-1638429705_x600_articles-507754.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e5fad5614af5aa13d0f7fb751bc170ee" + "hash": "baefc093c7dfcffdd8af475f30bc72a9" }, { - "title": "Et si Neymar devait jouer en numéro 6 ? ", - "description": "Le début de saison a rappelé que Neymar n'avait plus son coup de rein destructeur. Et si l'heure était pour lui de se réinventer et de reculer sur le terrain ? Car ne nous mentons pas, le Brésilien en regista à la Andrea Pirlo est une alternative plus que prometteuse.Il est toujours difficile de faire des bilans en cours de saison. Mais après plus de trois mois de compétition, il est toutefois possible de tirer quelques enseignements de ce PSG new look. Exemple…", - "content": "Il est toujours difficile de faire des bilans en cours de saison. Mais après plus de trois mois de compétition, il est toutefois possible de tirer quelques enseignements de ce PSG new look. Exemple…", + "title": "Pronostic Quevilly Rouen Nancy : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Nancy va chercher un résultat à Quevilly

    \n
    \nCe match de la 17e journée de Ligue 2 entre Quevilly Rouen et Nancy met aux prises deux…
    ", + "content": "

    Nancy va chercher un résultat à Quevilly

    \n
    \nCe match de la 17e journée de Ligue 2 entre Quevilly Rouen et Nancy met aux prises deux…
    ", "category": "", - "link": "https://www.sofoot.com/et-si-neymar-devait-jouer-en-numero-6-507389.html", + "link": "https://www.sofoot.com/pronostic-quevilly-rouen-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-507753.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T13:00:00Z", + "pubDate": "2021-12-02T06:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-quevilly-rouen-nancy-analyse-cotes-et-prono-du-match-de-ligue-2-1638428755_x600_articles-507753.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4940c4471fea43302a5a370b925887ae" + "hash": "75e97577b6d3139f2a6296fb088d111e" }, { - "title": "Rudi Garcia pour s'installer sur le banc de Manchester United ?", - "description": "On ne l'avait pas vu venir, celle-ci.
    \n
    \n15 août 2020. Rudi Garcia traumatise Manchester City (3-1), grand favori pour accéder au dernier carré de la Ligue des champions. Malheureusement…

    ", - "content": "On ne l'avait pas vu venir, celle-ci.
    \n
    \n15 août 2020. Rudi Garcia traumatise Manchester City (3-1), grand favori pour accéder au dernier carré de la Ligue des champions. Malheureusement…

    ", + "title": "Et le Ballon d'or de l'hypocrisie est pour... le Qatar sur la question LGBTQ+", + "description": "Parmi toutes les problématiques qui prennent de l'ampleur à l'approche de la Coupe du monde 2022, celle des droits des LGBTQ+ commence à se faire doucement entendre, même si pour l'instant, elle semble secondaire derrière les morts des chantiers ou le scandale écologique. Toutefois dans une région du monde où l'homosexualité reste un crime, l'arrivée d'un événement aussi important qu'un Mondial pourrait bousculer les habitudes et les mœurs, même si ce n'est que temporairement.\" Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne correspond pas à notre foi et ne correspond…", + "content": "\" Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne correspond pas à notre foi et ne correspond…", "category": "", - "link": "https://www.sofoot.com/rudi-garcia-pour-s-installer-sur-le-banc-de-manchester-united-507406.html", + "link": "https://www.sofoot.com/et-le-ballon-d-or-de-l-hypocrisie-est-pour-le-qatar-sur-la-question-lgbtq-507723.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T12:59:00Z", + "pubDate": "2021-12-02T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-et-le-ballon-d-or-de-l-hypocrisie-est-pour-le-qatar-sur-la-question-lgbtq-1638376428_x600_articles-alt-507723.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d65392b3b2cef64a08aa288a7925ece3" + "hash": "f7f87a25e073be4fcdb152de60d1694e" }, { - "title": "L'AC Ajaccio se considère comme \"le parfait bouc émissaire pour la commission de discipline\"", - "description": "Les Corses dérangent, énième épisode.
    \n
    \nAlors que les événements survenus dimanche soir à Décines lors…

    ", - "content": "Les Corses dérangent, énième épisode.
    \n
    \nAlors que les événements survenus dimanche soir à Décines lors…

    ", + "title": "Takehiro Tomiyasu, adaptation express à Arsenal", + "description": "Transféré de Bologne à Arsenal cet été, Takehiro Tomiyasu n'a pas attendu longtemps pour faire l'unanimité autour de lui, au point d'être l'un des meilleurs Gunners depuis le début de saison et un titulaire indiscutable à son poste d'arrière droit. La routine pour l'international japonais qui n'a laissé personne indifférent dans chaque club où il est passé.S'il fallait dresser un bilan à Arsenal après un tiers de saison et distribuer les bons points, Aaron Ramsdale, le…", + "content": "S'il fallait dresser un bilan à Arsenal après un tiers de saison et distribuer les bons points, Aaron Ramsdale, le…", "category": "", - "link": "https://www.sofoot.com/l-ac-ajaccio-se-considere-comme-le-parfait-bouc-emissaire-pour-la-commission-de-discipline-507404.html", + "link": "https://www.sofoot.com/takehiro-tomiyasu-adaptation-express-a-arsenal-507722.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T11:45:00Z", + "pubDate": "2021-12-02T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-takehiro-tomiyasu-adaptation-express-a-arsenal-1638374968_x600_articles-alt-507722.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aa6b4bb975d977ab728e95aef24bad91" + "hash": "d1488465def2ada6fb84672c83b0d505" }, { - "title": "Marco Verratti et Georginio Wijnaldum (PSG) finalement incertains pour affronter Manchester City", - "description": "C'était trop beau pour être vrai.
    \n
    \nAlors que tout le monde pensait que Mauricio Pochettino allait disposer d'un effectif au grand complet pour le déplacement sur la pelouse de…

    ", - "content": "C'était trop beau pour être vrai.
    \n
    \nAlors que tout le monde pensait que Mauricio Pochettino allait disposer d'un effectif au grand complet pour le déplacement sur la pelouse de…

    ", + "title": "Tactique : Ralf Rangnick est-il Manchester United compatible ?", + "description": "Arrivé à Manchester en début de semaine pour prendre la barre d'un navire qui ne sait comment ni vers quoi il navigue depuis plusieurs mois, Ralf Rangnick, 63 ans, maître à penser de toute une génération de coachs allemands, voit son accostage en Premier League être accompagné d'une vague d'optimisme. Le voilà surtout avec une mission cruciale : offrir à Manchester United une identité de jeu claire.Ralf Rangnick a une galerie de récits et de rencontres pour accompagner ses…", + "content": "Ralf Rangnick a une galerie de récits et de rencontres pour accompagner ses…", "category": "", - "link": "https://www.sofoot.com/marco-verratti-et-georginio-wijnaldum-psg-finalement-incertains-pour-affronter-manchester-city-507403.html", + "link": "https://www.sofoot.com/tactique-ralf-rangnick-est-il-manchester-united-compatible-507636.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T11:37:00Z", + "pubDate": "2021-12-02T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tactique-ralf-rangnick-est-il-manchester-united-compatible-1638203801_x600_articles-alt-507636.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5f479838cdc065db9ed3764c12526dd8" + "hash": "ff5cba4e3fda8e023fa588e13d9290c0" }, { - "title": "Noël Le Graët confirme que Karim Benzema \"reste sélectionnable\" en équipe de France", - "description": "Un problème Benzema ? Quel problème Benzema ?
    \n
    \n\"Benzema ne sera pas exclu par rapport à une éventuelle sanction judiciaire\",
    ", - "content": "Un problème Benzema ? Quel problème Benzema ?
    \n
    \n\"Benzema ne sera pas exclu par rapport à une éventuelle sanction judiciaire\",
    ", + "title": "Bruno Genesio : \"On aurait dû être beaucoup plus patients\"", + "description": "Bruno Genesio est contrarié.
    \n
    \nLe technicien breton a vu son Stade rennais concéder sa première défaite depuis septembre contre Lille, ce mercredi soir. \"On a fait une très…

    ", + "content": "Bruno Genesio est contrarié.
    \n
    \nLe technicien breton a vu son Stade rennais concéder sa première défaite depuis septembre contre Lille, ce mercredi soir. \"On a fait une très…

    ", "category": "", - "link": "https://www.sofoot.com/noel-le-graet-confirme-que-karim-benzema-reste-selectionnable-en-equipe-de-france-507401.html", + "link": "https://www.sofoot.com/bruno-genesio-on-aurait-du-etre-beaucoup-plus-patients-507751.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T11:09:00Z", + "pubDate": "2021-12-01T22:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bruno-genesio-on-aurait-du-etre-beaucoup-plus-patients-1638397206_x600_articles-507751.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ebf01f1e7bf87289e96cc77300f3e02" + "hash": "92d1c507164ec0ce8d66606cbd5226fd" }, { - "title": "Declan Rice (West Ham) tape un freestyle de rap dans un Space sur Twitter", - "description": "Quand on n'est pas qualifié en Ligue des champions, on s'occupe autrement.
    \n
    \nSur Twitter, l'événement phare de ce mardi soir n'était ni
    ", - "content": "Quand on n'est pas qualifié en Ligue des champions, on s'occupe autrement.
    \n
    \nSur Twitter, l'événement phare de ce mardi soir n'était ni
    ", + "title": "Manchester City assure à Aston Villa", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/declan-rice-west-ham-tape-un-freestyle-de-rap-dans-un-space-sur-twitter-507397.html", + "link": "https://www.sofoot.com/manchester-city-assure-a-aston-villa-507748.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T10:39:00Z", + "pubDate": "2021-12-01T22:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-manchester-city-assure-a-aston-villa-1638397221_x600_articles-507748.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd69436a2f7c386e96dc2827a9f05318" + "hash": "20087c7b75e1d0f607bdc96d9029b45e" }, { - "title": "Pronostic Leicester Legia Varsovie : Analyse, cotes et prono du match de Ligue Europa", - "description": "

    Leicester se relance face au Legia Varsovie

    \n
    \nCe groupe C d'Europa League est certainement l'un des plus ouverts. En effet, les 4 équipes du groupe…
    ", - "content": "

    Leicester se relance face au Legia Varsovie

    \n
    \nCe groupe C d'Europa League est certainement l'un des plus ouverts. En effet, les 4 équipes du groupe…
    ", + "title": "Benzema offre les trois points au Real Madrid face à l'Athletic ", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-leicester-legia-varsovie-analyse-cotes-et-prono-du-match-de-ligue-europa-507399.html", + "link": "https://www.sofoot.com/benzema-offre-les-trois-points-au-real-madrid-face-a-l-athletic-507740.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T10:33:00Z", + "pubDate": "2021-12-01T22:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-benzema-offre-les-trois-points-au-real-madrid-face-a-l-athletic-1638396957_x600_articles-507740.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9a50ee71b81ad2d927be107a941ecd1" + "hash": "828af6f4e84682dfee2bfc839a80d016" }, { - "title": "Pronostic Monaco Real Sociedad : Analyse, cotes et prono du match de Ligue Europa", - "description": "

    Monaco conserve sa 1re place face à la Real Sociedad

    \n
    \nDans ce groupe B de l'Europa League, quasiment tous les scenarii sont encore…
    ", - "content": "

    Monaco conserve sa 1re place face à la Real Sociedad

    \n
    \nDans ce groupe B de l'Europa League, quasiment tous les scenarii sont encore…
    ", + "title": "Liverpool gifle Everton à Goodison Park", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-monaco-real-sociedad-analyse-cotes-et-prono-du-match-de-ligue-europa-507398.html", + "link": "https://www.sofoot.com/liverpool-gifle-everton-a-goodison-park-507743.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T10:18:00Z", + "pubDate": "2021-12-01T22:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-liverpool-gifle-everton-a-goodison-park-1638396500_x600_articles-507743.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8458981e7b8ec5a4ca3bc721585d8cac" + "hash": "3c70a5cf2c2d77be17d0a3fd73230eb2" }, { - "title": "Pronostic Rennes Vitesse Arnhem : Analyse, cotes et prono du match de Ligue Europa Conférence", - "description": "

    Rennes à pleine Vitesse

    \n
    \nInvaincu lors de ses 11 dernières rencontres toutes compétitions confondues, Rennes affiche sur cette période un…
    ", - "content": "

    Rennes à pleine Vitesse

    \n
    \nInvaincu lors de ses 11 dernières rencontres toutes compétitions confondues, Rennes affiche sur cette période un…
    ", + "title": "Gourvennec : \"Ça faisait un moment qu'on n'avait pas gagné à l'extérieur\"", + "description": "Gourvennec est soulagé.
    \n
    \nVainqueur de Rennes en Bretagne (1-2), son LOSC retrouve enfin des couleurs en Ligue 1 après pratiquement deux mois sans le moindre succès. \"On apprécie,…

    ", + "content": "Gourvennec est soulagé.
    \n
    \nVainqueur de Rennes en Bretagne (1-2), son LOSC retrouve enfin des couleurs en Ligue 1 après pratiquement deux mois sans le moindre succès. \"On apprécie,…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-rennes-vitesse-arnhem-analyse-cotes-et-prono-du-match-de-ligue-europa-conference-507396.html", + "link": "https://www.sofoot.com/gourvennec-ca-faisait-un-moment-qu-on-n-avait-pas-gagne-a-l-exterieur-507750.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T10:17:00Z", + "pubDate": "2021-12-01T22:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gourvennec-ca-faisait-un-moment-qu-on-n-avait-pas-gagne-a-l-exterieur-1638398350_x600_articles-507750.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "547c6ceddae5b7bebcd02fcaa7c03b55" + "hash": "8372d0ec8c0ec406ebe20b65a1e4a423" }, { - "title": "Pronostic Bröndby Lyon : Analyse, cotes et prono du match de Ligue Europa", - "description": "

    Lyon enchaîne à Bröndby

    \n
    \nCette opposition entre Brondby et l'Olympique Lyonnais met aux prises les deux extrémités du groupe, puisque le club…
    ", - "content": "

    Lyon enchaîne à Bröndby

    \n
    \nCette opposition entre Brondby et l'Olympique Lyonnais met aux prises les deux extrémités du groupe, puisque le club…
    ", + "title": "Marseille enchaîne à Nantes et repasse dauphin", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-brondby-lyon-analyse-cotes-et-prono-du-match-de-ligue-europa-507395.html", + "link": "https://www.sofoot.com/marseille-enchaine-a-nantes-et-repasse-dauphin-507745.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T10:01:00Z", + "pubDate": "2021-12-01T22:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-marseille-enchaine-a-nantes-et-repasse-dauphin-1638396024_x600_articles-507745.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "190780a32fb6eb962f54fda1f0bbe0c6" + "hash": "680cfa655dd86709375a20c02eef5bf4" }, { - "title": "Carlo Ancelotti : \"Pour entraîner, c'est mieux d'avoir une Ferrari qu'une Fiat 500\"", - "description": "Et la Formule 1, c'est mieux que le karting, c'est ça ?
    \n
    \nRevenu cet été au Real Madrid, Carlo Ancelotti réussit pour l'instant un début de saison idéal avec les Merengues.…

    ", - "content": "Et la Formule 1, c'est mieux que le karting, c'est ça ?
    \n
    \nRevenu cet été au Real Madrid, Carlo Ancelotti réussit pour l'instant un début de saison idéal avec les Merengues.…

    ", + "title": "Clermont et Lens se partagent les points", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/carlo-ancelotti-pour-entrainer-c-est-mieux-d-avoir-une-ferrari-qu-une-fiat-500-507393.html", + "link": "https://www.sofoot.com/clermont-et-lens-se-partagent-les-points-507747.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T09:58:00Z", + "pubDate": "2021-12-01T22:01:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-clermont-et-lens-se-partagent-les-points-1638396237_x600_articles-507747.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "800214764fdbcb2a94b7132d05e17861" + "hash": "1568a73fa6c6aa0e3b5729e82d188eb2" }, { - "title": "Pronostic Galatasaray OM : Analyse, cotes et prono du match de Ligue Europa", - "description": "

    L'OM joue le coup à fond à Galatasaray

    \n
    \nDans ce groupe E d'Europa League, les quatres formations peuvent encore espérer se qualifier :…
    ", - "content": "

    L'OM joue le coup à fond à Galatasaray

    \n
    \nDans ce groupe E d'Europa League, les quatres formations peuvent encore espérer se qualifier :…
    ", + "title": "Chelsea domine Watford, Leicester tenu en échec par Southampton", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-galatasaray-om-analyse-cotes-et-prono-du-match-de-ligue-europa-507394.html", + "link": "https://www.sofoot.com/chelsea-domine-watford-leicester-tenu-en-echec-par-southampton-507749.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T09:47:00Z", + "pubDate": "2021-12-01T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-chelsea-domine-watford-leicester-tenu-en-echec-par-southampton-1638395994_x600_articles-507749.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bc3d13b00184f5a8b10ad4b052c1e161" + "hash": "d709469b55b5e306f6203e459b519669" }, { - "title": "Affaire de la sextape : Karim Benzema jugé coupable et condamné à un an de prison avec sursis", - "description": "Le verdict est tombé.
    \n
    \nLe tribunal correctionnel de Versailles a reconnu Karim Benzema coupable de \"complicité de délit de tentative de chantage\" et l'a condamné à un an…

    ", - "content": "Le verdict est tombé.
    \n
    \nLe tribunal correctionnel de Versailles a reconnu Karim Benzema coupable de \"complicité de délit de tentative de chantage\" et l'a condamné à un an…

    ", + "title": "Lille fait tomber Rennes", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/affaire-de-la-sextape-karim-benzema-juge-coupable-et-condamne-a-un-an-de-prison-avec-sursis-507392.html", + "link": "https://www.sofoot.com/lille-fait-tomber-rennes-507741.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T09:35:00Z", + "pubDate": "2021-12-01T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lille-fait-tomber-rennes-1638396217_x600_articles-507741.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e90aad955174ce8e3ee4bde53a092b3f" + "hash": "58637350c0b3b233a354aa30063b80d9" }, { - "title": "Jorge Jesus (Benfica) dévasté par l'occasion ratée de Haris Seferović face au FC Barcelone", - "description": "En voici un qui vient d'être rhabillé pour l'hiver.
    \n
    \nHaris Seferović a dû passer une sale soirée après son raté seul face à Marc-André ter Stegen dans les derniers souffles
    ", - "content": "En voici un qui vient d'être rhabillé pour l'hiver.
    \n
    \nHaris Seferović a dû passer une sale soirée après son raté seul face à Marc-André ter Stegen dans les derniers souffles
    ", + "title": "Paris se heurte à Nice", + "description": "Maître du jeu face à l'OGC Nice, Paris a eu beau tenter d'accélérer en seconde période, il n'a pas réussi à trouver la faille dans la défense azuréenne. Battus samedi par Metz, les Aiglons sont les premiers à mettre en échec le PSG au Parc des Princes en Ligue 1 depuis le début de la saison.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/jorge-jesus-benfica-devaste-par-l-occasion-ratee-de-haris-seferovic-face-au-fc-barcelone-507391.html", + "link": "https://www.sofoot.com/paris-se-heurte-a-nice-507727.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T09:22:00Z", + "pubDate": "2021-12-01T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-paris-se-heurte-a-nice-1638396107_x600_articles-alt-507727.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5866db364bb3fd4c0518c0a706d9b0b6" + "hash": "a25fc0ffa274af6aff141ac83c0b478a" }, { - "title": "Samir Nasri ne serait pas surpris de voir Zinédine Zidane sur le banc du PSG", - "description": "L'ex-nouveau Zidane valide Zidane.
    \n
    \nSi la presse anglaise évoque avec insistance une arrivée de Mauricio Pochettino - actuellement en poste au PSG - vers Manchester United, la rumeur…

    ", - "content": "L'ex-nouveau Zidane valide Zidane.
    \n
    \nSi la presse anglaise évoque avec insistance une arrivée de Mauricio Pochettino - actuellement en poste au PSG - vers Manchester United, la rumeur…

    ", + "title": "Reims punit l'OL sur le gong", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/samir-nasri-ne-serait-pas-surpris-de-voir-zinedine-zidane-sur-le-banc-du-psg-507390.html", + "link": "https://www.sofoot.com/reims-punit-l-ol-sur-le-gong-507707.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T08:17:00Z", + "pubDate": "2021-12-01T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-reims-punit-l-ol-sur-le-gong-1638396091_x600_articles-507707.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87f26213a031a4d7cf60f9a2eda7edb9" + "hash": "b759d49b61877dbee82db6fa0e7ca523" }, { - "title": "Comment choisir son but de foot ?", - "description": "Pliable, fixe, poteaux carrés ou ronds... Choisir son but de foot peut rapidement devenir un véritable casse-tête. Pour en terminer avec les cages formées par deux simples pulls ou sacs à dos, voici donc un guide absolu des buts de football parmi ceux proposés par le site Netsportique.fr.
    \n

    Gamme \"QUICKFIRE…", - "content": "

    Gamme \"QUICKFIRE…", + "title": "Junior Messias met Milan à l'abri du Genoa", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/comment-choisir-son-but-de-foot-505861.html", + "link": "https://www.sofoot.com/junior-messias-met-milan-a-l-abri-du-genoa-507746.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T05:35:00Z", + "pubDate": "2021-12-01T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-junior-messias-met-milan-a-l-abri-du-genoa-1638395022_x600_articles-507746.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3cbfa34382b80b57545ca2a5a2ce4628" + "hash": "b677f34cee7a98680a2d2c166a557c18" }, { - "title": "LFP, FFF, Darmanin : le jeu de la bouteille", - "description": "Les instances du foot - sauf les représentants des supporters - dont la LFP et la FFF se sont réunies ce mardi 23 novembre, au ministère de l'Intérieur (le choix du lieu a son importance) en compagnie des ministres de la Justice et des Sports. L'objectif était clairement de proposer une réponse coordonnée à la multiplication des incidents et des débordements, couronnée donc dimanche soir par un jet d'une bouteille sur Dimitri Payet. Seule question : concrètement, qu'est-ce que cela va vraiment changer ?Pour l'instant, nous demeurons surtout dans la communication et la gestion de crise. La ministre des Sports Roxana Maracineanu l'a presque confessé au micro de RMC, rappelant une précédente…", - "content": "Pour l'instant, nous demeurons surtout dans la communication et la gestion de crise. La ministre des Sports Roxana Maracineanu l'a presque confessé au micro de RMC, rappelant une précédente…", + "title": "Naples freiné à Sassuolo", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/lfp-fff-darmanin-le-jeu-de-la-bouteille-507371.html", + "link": "https://www.sofoot.com/naples-freine-a-sassuolo-507738.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T05:00:00Z", + "pubDate": "2021-12-01T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-naples-freine-a-sassuolo-1638395532_x600_articles-507738.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b0bad637ce50f3cd1fa7fe18b45aaec" + "hash": "151a83491e9afc86a49d3436d453e290" }, { - "title": "Les clés de Manchester City-PSG", - "description": "Manchester City et le PSG s'apprêtent à en découdre pour la quatrième fois déjà en 2021 ce mercredi soir à l'Etihad Stadium (21h). En jeu : une qualification pour les huitièmes de finale de la Ligue des champions et une grosse option pour la première place du groupe A. Neymar, Messi, Mbappé, Verratti, Guardiola, Foden et même Grealish, le choc s'annonce titanesque. En voici les clés.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Les Girondins prennent l'eau à Strasbourg", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/les-cles-de-manchester-city-psg-507364.html", + "link": "https://www.sofoot.com/les-girondins-prennent-l-eau-a-strasbourg-507744.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T05:00:00Z", + "pubDate": "2021-12-01T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-girondins-prennent-l-eau-a-strasbourg-1638388935_x600_articles-507744.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0196936e44dadc3b9aae062ac5a46968" + "hash": "b0eb7510d4de1bf5fdfbb481b4c01c62" }, { - "title": "Le Roi David", - "description": "Une nouvelle fois buteur ce mardi soir face à Salzbourg (1-0) en Ligue des champions, Jonathan David confirme son rôle d'homme providentiel de l'attaque lilloise depuis le début de saison. Si le LOSC est à un match d'une qualif en C1, il le doit en (grande) partie à son buteur canadien.Qu'il semble loin, le temps où Jonathan David était qualifié d'attaquant aussi intéressant que maladroit. En l'espace d'un an, le gamin canadien a brûlé toutes les étapes plus vite les…", - "content": "Qu'il semble loin, le temps où Jonathan David était qualifié d'attaquant aussi intéressant que maladroit. En l'espace d'un an, le gamin canadien a brûlé toutes les étapes plus vite les…", + "title": "Montpellier se relance à Metz", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-roi-david-507388.html", + "link": "https://www.sofoot.com/montpellier-se-relance-a-metz-507739.html", "creator": "SO FOOT", - "pubDate": "2021-11-24T00:00:00Z", + "pubDate": "2021-12-01T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-montpellier-se-relance-a-metz-1638385831_x600_articles-507739.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9041ba190cb17e95b9e5e9f2e03e929" + "hash": "2f23b709c85bc6bd07eec52e4d3cfa29" }, { - "title": "Merci le LOSC !", - "description": "À une journée de la fin de la phase de poules, Lille pointe à la première place de son groupe et peut rêver d'un ticket pour les huitièmes de finale de Ligue des champions. En attendant une possible récompense à Wolfsburg dans quinze jours, le LOSC a le mérite de se montrer à la hauteur dans une compétition que l'on pensait trop grande pour lui.Il faut croire que cette équipe du LOSC est taillée pour les soirées de gala. À la peine en championnat, où ils ont connu plusieurs cruelles déconvenues depuis le début de saison, les Dogues…", - "content": "Il faut croire que cette équipe du LOSC est taillée pour les soirées de gala. À la peine en championnat, où ils ont connu plusieurs cruelles déconvenues depuis le début de saison, les Dogues…", + "title": "Troyes cuisine Lorient", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/merci-le-losc-507387.html", + "link": "https://www.sofoot.com/troyes-cuisine-lorient-507706.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T23:30:00Z", + "pubDate": "2021-12-01T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-troyes-cuisine-lorient-1638387053_x600_articles-507706.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fcc0d7beea6945a4caf924da9b3f59dc" + "hash": "cff809d1e4f19708cc9b8d55053c1dbc" }, { - "title": "Le boss, c'est Chelsea ! ", - "description": "On attendait une finale pour la première place du groupe H à Stamford Bridge entre Chelsea et la Juventus ? On a assisté à un attaque-défense. La faute à des Blues flamboyants et supérieurs dans tous les compartiments du jeu, qui ont torturé une équipe turinoise soudain rappelée à ses limites du moment et repartie de Londres avec un message à transmettre au reste de l'Europe : le tenant du titre a bien l'intention de le rester.Seize occasions à sept, 21 tirs à 8, 8 tentatives cadrées à 2, 13 corners à 3, 20 centres à 6 : voici donc, en chiffres, le détail de l'ultra-domination de Chelsea ce mardi soir à Stamford…", - "content": "Seize occasions à sept, 21 tirs à 8, 8 tentatives cadrées à 2, 13 corners à 3, 20 centres à 6 : voici donc, en chiffres, le détail de l'ultra-domination de Chelsea ce mardi soir à Stamford…", + "title": "Monaco calme Angers", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-boss-c-est-chelsea-507384.html", + "link": "https://www.sofoot.com/monaco-calme-angers-507736.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T23:00:00Z", + "pubDate": "2021-12-01T19:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-monaco-calme-angers-1638388659_x600_articles-507736.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c218dbd6cdbf761ce6294d797041114a" + "hash": "5eb23c97e9887a79fec3220205ff0630" }, { - "title": "Gourvennec : \"L'histoire, on l'écrit\" ", - "description": "Gourvennec est en passe de gagner son pari européen.
    \n
    \nAvec la victoire de son LOSC face à Salzbourg (1-0) ce mardi soir à domicile, Jocelyn Gourvennec s'est montré globalement…

    ", - "content": "Gourvennec est en passe de gagner son pari européen.
    \n
    \nAvec la victoire de son LOSC face à Salzbourg (1-0) ce mardi soir à domicile, Jocelyn Gourvennec s'est montré globalement…

    ", + "title": "Pronostic Union Berlin Leipzig : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Un Union Berlin – Leipzig avec des buts de chaque côté

    \n
    \nPour lancer la 14e journée de Bundesliga, l'Union Berlin reçoit le RB Leipzig.…
    ", + "content": "

    Un Union Berlin – Leipzig avec des buts de chaque côté

    \n
    \nPour lancer la 14e journée de Bundesliga, l'Union Berlin reçoit le RB Leipzig.…
    ", "category": "", - "link": "https://www.sofoot.com/gourvennec-l-histoire-on-l-ecrit-507385.html", + "link": "https://www.sofoot.com/pronostic-union-berlin-leipzig-analyse-cotes-et-prono-du-match-de-bundesliga-507735.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:45:00Z", + "pubDate": "2021-12-01T17:32:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-union-berlin-leipzig-analyse-cotes-et-prono-du-match-de-bundesliga-1638381264_x600_articles-507735.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1974c24cc0dfb9e7926b9021de9bbe42" + "hash": "72b5a73fb4260887d88a2abdbab8b7b3" }, { - "title": "L'Atalanta arrache un point sur le fil à Berne", - "description": "

    ", - "content": "

    ", + "title": "Pronostic Grenade Alaves : Analyse, cotes et prono du match de Liga", + "description": "

    Alaves réussit un coup à Grenade

    \n
    \nQuart de finaliste de la dernière Europa League, Grenade connait une entame de Liga loin de correspondre aux…
    ", + "content": "

    Alaves réussit un coup à Grenade

    \n
    \nQuart de finaliste de la dernière Europa League, Grenade connait une entame de Liga loin de correspondre aux…
    ", "category": "", - "link": "https://www.sofoot.com/l-atalanta-arrache-un-point-sur-le-fil-a-berne-507374.html", + "link": "https://www.sofoot.com/pronostic-grenade-alaves-analyse-cotes-et-prono-du-match-de-liga-507734.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:10:00Z", + "pubDate": "2021-12-01T17:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-grenade-alaves-analyse-cotes-et-prono-du-match-de-liga-1638380295_x600_articles-507734.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "264bf0566fc0d4c974b9a15b8bb6b46a" + "hash": "7a0f3570d30d315ee51a29b8617f47bb" }, { - "title": "Séville maîtrise Wolfsburg et se relance", - "description": "

    ", - "content": "

    ", + "title": "Pronostic Manchester United Arsenal : Analyse, cotes et prono du match de Premier League", + "description": "

    Manchester United – Arsenal : une 1ière victorieuse pour Rangnick

    \n
    \nAprès avoir connu plusieurs résultats décevants ces dernières semaines, Ole…
    ", + "content": "

    Manchester United – Arsenal : une 1ière victorieuse pour Rangnick

    \n
    \nAprès avoir connu plusieurs résultats décevants ces dernières semaines, Ole…
    ", "category": "", - "link": "https://www.sofoot.com/seville-maitrise-wolfsburg-et-se-relance-507381.html", + "link": "https://www.sofoot.com/pronostic-manchester-united-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-507733.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:05:00Z", + "pubDate": "2021-12-01T17:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-manchester-united-arsenal-analyse-cotes-et-prono-du-match-de-premier-league-1638379419_x600_articles-507733.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5fba63da9d6a61dbca7a89dffe561f6" + "hash": "651ae6336274cd0df113b161b6ce18d3" }, { - "title": "Les notes de l'épisode 12 de Koh-Lanta La Légende", - "description": "Deux éliminés, un gâteau au chocolat et à la banane, une épreuve d'immunité mythique qui aurait mérité un commentaire de Patrick Montel. C'était l'épisode 12 de Koh-Lanta La Légende, voici les notes.

    La tribu réunifiée

    \n
    \n
    \n
    \nOn lui parle de gâteau…


    ", - "content": "

    La tribu réunifiée

    \n
    \n
    \n
    \nOn lui parle de gâteau…


    ", + "title": "Pronostic Tottenham Brentford : Analyse, cotes et prono du match de Premier League", + "description": "

    Tottenham piégé par Brentford

    \n
    \nArrivé pour succéder à Nuno Espirito Santo, Antonio Conte ne s'attendait pas à une tâche si compliquée à la…
    ", + "content": "

    Tottenham piégé par Brentford

    \n
    \nArrivé pour succéder à Nuno Espirito Santo, Antonio Conte ne s'attendait pas à une tâche si compliquée à la…
    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-l-episode-12-de-koh-lanta-la-legende-507360.html", + "link": "https://www.sofoot.com/pronostic-tottenham-brentford-analyse-cotes-et-prono-du-match-de-premier-league-507732.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:05:00Z", + "pubDate": "2021-12-01T16:57:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-tottenham-brentford-analyse-cotes-et-prono-du-match-de-premier-league-1638379003_x600_articles-507732.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1e175aa4b57ae851498a77ffb552fc5" + "hash": "2c2418c74b06a2760b2a686344887070" }, { - "title": "Les notes de Lille face à Salzbourg ", - "description": "Jonathan David et Reinildo ont bien fait le travail pour permettre à Lille de s'imposer et de prendre la tête de son groupe. Leurs coéquipiers n'ont pas été nuls non plus.

    ", - "content": "

    ", + "title": "Todibo devait \"lever le pied\" quand il défendait sur Messi au Barça", + "description": "Ce soir, le monstre ne fera pas semblant face à l'Argentin.
    \n
    \nOui. D'accord. Si vous voulez. Leo Messi a remporté un…

    ", + "content": "Ce soir, le monstre ne fera pas semblant face à l'Argentin.
    \n
    \nOui. D'accord. Si vous voulez. Leo Messi a remporté un…

    ", "category": "", - "link": "https://www.sofoot.com/les-notes-de-lille-face-a-salzbourg-507382.html", + "link": "https://www.sofoot.com/todibo-devait-lever-le-pied-quand-il-defendait-sur-messi-au-barca-507731.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:00:00Z", + "pubDate": "2021-12-01T16:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-todibo-devait-lever-le-pied-quand-il-defendait-sur-messi-au-barca-1638379989_x600_articles-507731.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "82f516b1acbd870e80c733815c064986" + "hash": "be0f9fe56d3276954c0bb1acdfda7183" }, { - "title": "Le Zénith frustre Malmö", - "description": "

    ", - "content": "

    ", + "title": "Le Sommer sur ses non-sélections : \"Je n'ai pas forcément compris\"", + "description": "Le Sommer amère.
    \n
    \nDepuis plusieurs mois, les relations entre les joueuses de l'équipe de France et Corinne Diacre ne sont pas au beau fixe. Plusieurs cadres ont été écartées de la…

    ", + "content": "Le Sommer amère.
    \n
    \nDepuis plusieurs mois, les relations entre les joueuses de l'équipe de France et Corinne Diacre ne sont pas au beau fixe. Plusieurs cadres ont été écartées de la…

    ", "category": "", - "link": "https://www.sofoot.com/le-zenith-frustre-malmo-507380.html", + "link": "https://www.sofoot.com/le-sommer-sur-ses-non-selections-je-n-ai-pas-forcement-compris-507729.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:00:00Z", + "pubDate": "2021-12-01T16:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-sommer-sur-ses-non-selections-je-n-ai-pas-forcement-compris-1638379917_x600_articles-507729.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aabbcd70285db3b9ca9a431c93db08df" + "hash": "1b27f45056b6f9978ed7eb275cb19eb7" }, { - "title": "Chelsea broie la Juve et tamponne son ticket", - "description": "

    ", - "content": "

    ", + "title": "Pronostic Lazio Udinese : Analyse, cotes et prono du match de Serie A", + "description": "

    La Lazio à la relance face à l'Udinese

    \n
    \nDans le cadre de la 15e journée de Serie A, la Lazio de Rome reçoit l'Udinese. A l'orée de…
    ", + "content": "

    La Lazio à la relance face à l'Udinese

    \n
    \nDans le cadre de la 15e journée de Serie A, la Lazio de Rome reçoit l'Udinese. A l'orée de…
    ", "category": "", - "link": "https://www.sofoot.com/chelsea-broie-la-juve-et-tamponne-son-ticket-507379.html", + "link": "https://www.sofoot.com/pronostic-lazio-udinese-analyse-cotes-et-prono-du-match-de-serie-a-507730.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:00:00Z", + "pubDate": "2021-12-01T16:29:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lazio-udinese-analyse-cotes-et-prono-du-match-de-serie-a-1638378251_x600_articles-507730.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c03c75fc86adcfd8cb9569d1a208a4dc" + "hash": "516c5f3e051dd2fdf3826d5e5c6e77e5" }, { - "title": "Lille terrasse Salzbourg", - "description": "Disciplinés et délivrés par un nouveau but de Jonathan David, les Lillois se sont emparés de la tête du groupe G en faisant vaciller le Red Bull Salzbourg, ce mardi au stade Pierre-Mauroy (1-0). Une deuxième victoire consécutive en C1 pour le champion de France en titre qui fait honneur à son statut et qui toque plus que jamais à la porte des huitièmes de finale de la Ligue des champions.

    ", - "content": "

    ", + "title": "Dortmund-Bayern se jouera finalement à huis clos", + "description": "L'étau se resserre.
    \n
    \nAlors que l'Allemagne est littéralement frappée par une recrudescence des cas de Covid, les dirigeants du Borussia Dortmund ont pris les devants. Prévu dans un…

    ", + "content": "L'étau se resserre.
    \n
    \nAlors que l'Allemagne est littéralement frappée par une recrudescence des cas de Covid, les dirigeants du Borussia Dortmund ont pris les devants. Prévu dans un…

    ", "category": "", - "link": "https://www.sofoot.com/lille-terrasse-salzbourg-507378.html", + "link": "https://www.sofoot.com/dortmund-bayern-se-jouera-finalement-a-huis-clos-507721.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:00:00Z", + "pubDate": "2021-12-01T16:22:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-dortmund-bayern-se-jouera-finalement-a-huis-clos-1638376233_x600_articles-507721.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd55861fd69cd968f118a9fbd275c5df" + "hash": "7523d6aaa1a4f34b8aacf23088bef76b" }, { - "title": "Le Barça et Benfica dos à dos", - "description": "

    ", - "content": "

    ", + "title": "Umtiti s'en prend à des supporters montés sur le capot de sa voiture", + "description": "Big Sam dans tous les mauvais coups.
    \n
    \nC'est une saison cauchemardesque de A à Z pour Samuel Umtiti. Mis au placard au FC Barcelone, le Français n'entrait pas dans les plans de Ronald…

    ", + "content": "Big Sam dans tous les mauvais coups.
    \n
    \nC'est une saison cauchemardesque de A à Z pour Samuel Umtiti. Mis au placard au FC Barcelone, le Français n'entrait pas dans les plans de Ronald…

    ", "category": "", - "link": "https://www.sofoot.com/le-barca-et-benfica-dos-a-dos-507377.html", + "link": "https://www.sofoot.com/umtiti-s-en-prend-a-des-supporters-montes-sur-le-capot-de-sa-voiture-507724.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T22:00:00Z", + "pubDate": "2021-12-01T15:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-umtiti-s-en-prend-a-des-supporters-montes-sur-le-capot-de-sa-voiture-1638375597_x600_articles-507724.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12bf72522c8a98b02bae2e99018da3cc" + "hash": "5a3c2a3a68d8581bcc943403cc4373d5" }, { - "title": "En direct : Koh-Lanta, la légende épisode 12", - "description": "Koh-Lanta c'est comme les dîners avec la belle-mère : une semaine de pause, parfois ça fait du bien. Le demi-épisode du soir promet de conclure l'arc entamé dans l'épisode onze, avec une épreuve d'immunité et le Conseil. C'est tout, direz-vous ? Soyons d'accord : ça paraît suspect. Préparez le popcorn.23h05 : Bon les petits potes, on se quitte sur ces promesses de nouvelle épreuve éliminatoire la semaine prochaine après un épisode aussi grand que Frédéric Sammaritano. J'ai envie de…", - "content": "23h05 : Bon les petits potes, on se quitte sur ces promesses de nouvelle épreuve éliminatoire la semaine prochaine après un épisode aussi grand que Frédéric Sammaritano. J'ai envie de…", + "title": "L'OM s'engage à condamner fermement les propos tenus à l'égard de Hyun-Jun Suk", + "description": "Union sacrée.
    \n
    \n\"Après écoute des enregistrements de la rencontre OM-ESTAC, l'Olympique de Marseille se joint au club troyen pour condamner fermement les propos tenus à l'égard…

    ", + "content": "Union sacrée.
    \n
    \n\"Après écoute des enregistrements de la rencontre OM-ESTAC, l'Olympique de Marseille se joint au club troyen pour condamner fermement les propos tenus à l'égard…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-koh-lanta-la-legende-episode-12-507372.html", + "link": "https://www.sofoot.com/l-om-s-engage-a-condamner-fermement-les-propos-tenus-a-l-egard-de-hyun-jun-suk-507718.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T20:00:00Z", + "pubDate": "2021-12-01T14:36:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-om-s-engage-a-condamner-fermement-les-propos-tenus-a-l-egard-de-hyun-jun-suk-1638371608_x600_articles-507718.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bfd816c00caa12abb15469cf89a05811" + "hash": "d14985478ac9e5b86178a3f9010a7143" }, { - "title": "Ronaldo et Sancho punissent Villarreal au bout de l'ennui", - "description": "

    ", - "content": "

    ", + "title": "Sarina Wiegman insatisfaite des scores fleuves dans le football féminin", + "description": "Une déculottée et des interrogations.
    \n
    \nL'équipe féminine anglaise a atomisé la Lettonie (20-0) ce mardi soir à Doncaster dans le cadre des qualifications pour le Mondial 2023. Si…

    ", + "content": "Une déculottée et des interrogations.
    \n
    \nL'équipe féminine anglaise a atomisé la Lettonie (20-0) ce mardi soir à Doncaster dans le cadre des qualifications pour le Mondial 2023. Si…

    ", "category": "", - "link": "https://www.sofoot.com/ronaldo-et-sancho-punissent-villarreal-au-bout-de-l-ennui-507369.html", + "link": "https://www.sofoot.com/sarina-wiegman-insatisfaite-des-scores-fleuves-dans-le-football-feminin-507720.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T19:50:00Z", + "pubDate": "2021-12-01T14:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sarina-wiegman-insatisfaite-des-scores-fleuves-dans-le-football-feminin-1638375034_x600_articles-507720.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "168b668c95b52e791056ad1621b2c0a9" + "hash": "a295cca6225c59d2b40d0165031393a2" }, { - "title": "En direct : Lille - RB Salzbourg", - "description": "97' : Fin de chantier ! Lille s'impose contre le RB Salzbourg (1-0) grâce à un but de l'artiste ...", - "content": "97' : Fin de chantier ! Lille s'impose contre le RB Salzbourg (1-0) grâce à un but de l'artiste ...", + "title": "Le FC Barcelone fixe une deadline à Ousmane Dembélé pour prolonger", + "description": "Tic tac, tic tac...
    \n
    \nDe retour sur les pelouses depuis le début du mois de novembre après une série de blessures, Ousmane Dembélé
    ", + "content": "Tic tac, tic tac...
    \n
    \nDe retour sur les pelouses depuis le début du mois de novembre après une série de blessures, Ousmane Dembélé
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-lille-rb-salzbourg-507376.html", + "link": "https://www.sofoot.com/le-fc-barcelone-fixe-une-deadline-a-ousmane-dembele-pour-prolonger-507719.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T19:45:00Z", + "pubDate": "2021-12-01T14:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-fc-barcelone-fixe-une-deadline-a-ousmane-dembele-pour-prolonger-1638374850_x600_articles-507719.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d07fc8b40edfb2f58959af6a885acc41" + "hash": "344d1a7de82cadf0b190d2d96e479037" }, { - "title": "En direct : Chelsea - Juventus", - "description": "95' : ON N'IRA PAS PLUS LOIN ! Quelle fessée donnée par les champions d'Europe face à cette ...", - "content": "95' : ON N'IRA PAS PLUS LOIN ! Quelle fessée donnée par les champions d'Europe face à cette ...", + "title": "Patrick Partouche ne veut pas collaborer avec le président de Valenciennes", + "description": "Il a finalement placé ses jetons sur le noir plutôt que le rouge.
    \n
    \nLe casinotier Patrick Partouche, actionnaire minoritaire de Valenciennes, ne partira pas en vacances avec l'actuel…

    ", + "content": "Il a finalement placé ses jetons sur le noir plutôt que le rouge.
    \n
    \nLe casinotier Patrick Partouche, actionnaire minoritaire de Valenciennes, ne partira pas en vacances avec l'actuel…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-chelsea-juventus-507375.html", + "link": "https://www.sofoot.com/patrick-partouche-ne-veut-pas-collaborer-avec-le-president-de-valenciennes-507715.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T19:45:00Z", + "pubDate": "2021-12-01T13:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-patrick-partouche-ne-veut-pas-collaborer-avec-le-president-de-valenciennes-1638369397_x600_articles-507715.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4df578111ac3af73bd49286d6eef99fe" + "hash": "b63dc152e4d9d692944b9adc46ef9cba" }, { - "title": "Le Bayern bousculé, mais vainqueur à Kiev", - "description": "

    ", - "content": "

    ", + "title": "Le Graët : \"Je ne ferai pas attendre Zidane\"", + "description": "Paris, Manchester United, l'équipe de France... Zizou se fait désirer.
    \n
    \nÀ moins d'un an du début du Mondial 2022, les rumeurs vont bon train sur la succession de Didier Deschamps à…

    ", + "content": "Paris, Manchester United, l'équipe de France... Zizou se fait désirer.
    \n
    \nÀ moins d'un an du début du Mondial 2022, les rumeurs vont bon train sur la succession de Didier Deschamps à…

    ", "category": "", - "link": "https://www.sofoot.com/le-bayern-bouscule-mais-vainqueur-a-kiev-507366.html", + "link": "https://www.sofoot.com/le-graet-je-ne-ferai-pas-attendre-zidane-507716.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T19:45:00Z", + "pubDate": "2021-12-01T13:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-graet-je-ne-ferai-pas-attendre-zidane-1638369630_x600_articles-507716.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b7516fb1022763c71de4aa61a751320f" + "hash": "e5a60f0e5a982166e891868138f50f1e" }, { - "title": "En direct : Barcelone - Benfica ", - "description": "96' : ET C'EST TERMINÉ !!!! 0-0 entre le Barça et Benfica. Un score logique tant personne ...", - "content": "96' : ET C'EST TERMINÉ !!!! 0-0 entre le Barça et Benfica. Un score logique tant personne ...", + "title": "Portugal : Tondela pourrait se présenter avec 7 joueurs face à Moreirense ce week-end", + "description": "Comme un air de déjà-vu.
    \n
    \nSix. Ils ne sont plus que six joueurs à pouvoir jouer le match face à Moreirense prévu samedi prochain. Rodrigo Miguel, Rúben Gonçalves, Alcobia, Martim,…

    ", + "content": "Comme un air de déjà-vu.
    \n
    \nSix. Ils ne sont plus que six joueurs à pouvoir jouer le match face à Moreirense prévu samedi prochain. Rodrigo Miguel, Rúben Gonçalves, Alcobia, Martim,…

    ", "category": "", - "link": "https://www.sofoot.com/en-direct-barcelone-benfica-507362.html", + "link": "https://www.sofoot.com/portugal-tondela-pourrait-se-presenter-avec-7-joueurs-face-a-moreirense-ce-week-end-507714.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T19:45:00Z", + "pubDate": "2021-12-01T13:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-portugal-tondela-pourrait-se-presenter-avec-7-joueurs-face-a-moreirense-ce-week-end-1638368591_x600_articles-507714.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42672a41663a84824d278c16d9132261" + "hash": "5c7e24998b4a46da122297e4b8f4b650" }, { - "title": "Bafé Gomis, Moussa Marega et Leonardo Jardim champions d'Asie !", - "description": "

    Al-Hilal 2-0 Pohang Steelers

    \nButs : Al-Dawsari (1re) et Marega (63e)
    \n
    \nDéjà vainqueur en 2019, Bafétimbi Gomis…

    ", - "content": "

    Al-Hilal 2-0 Pohang Steelers

    \nButs : Al-Dawsari (1re) et Marega (63e)
    \n
    \nDéjà vainqueur en 2019, Bafétimbi Gomis…

    ", + "title": "Le problème des tribunes en Ligue 1 : \"Le dialogue en France est cité en exemple en Europe\"", + "description": "Le championnat de France connaît un début de saison enthousiasmant sur le terrain, mais subit ces dernières semaines des incidents récurrents et préoccupants en tribunes. Le jet d'une bouteille d'eau sur Dimitri Payet lors de Lyon-Marseille a été la goutte de Cristaline qui a fait déborder le vase pour tout le monde, voire un électrochoc pour les décideurs du foot hexagonal. La période est désormais consacrée aux réunions et à la réflexion. Dans ce contexte, So Foot a donné la parole à cinq acteurs, des membres de l'Association nationale des supporters au directeur général de la LFP, pour essayer de mieux comprendre la situation actuelle et envisager de sortir de cette crise par le haut.
    Le casting :
    \nMe Pierre Barthélémy : Avocat de l'Association nationale des supporters
    \nSacha Houlié : Député LREM…

    ", + "content": "
    Le casting :
    \nMe Pierre Barthélémy : Avocat de l'Association nationale des supporters
    \nSacha Houlié : Député LREM…

    ", "category": "", - "link": "https://www.sofoot.com/bafe-gomis-moussa-marega-et-leonardo-jardim-champions-d-asie-507370.html", + "link": "https://www.sofoot.com/le-probleme-des-tribunes-en-ligue-1-le-dialogue-en-france-est-cite-en-exemple-en-europe-507700.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T18:00:00Z", + "pubDate": "2021-12-01T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-probleme-des-tribunes-en-ligue-1-le-dialogue-en-france-est-cite-en-exemple-en-europe-1638351661_x600_articles-alt-507700.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7609daf2e304e20bf31fafaa3f3e60d5" + "hash": "b6240208c379e169d8ffb0b5eb8acf5e" }, { - "title": "Ryan Babel va sortir un album de rap autobiographique", - "description": "Vivement le Tour de Babel !
    \n
    \nL'ancien joueur de Liverpool et international néerlandais s'est confié au

    ", - "content": "Vivement le Tour de Babel !
    \n
    \nL'ancien joueur de Liverpool et international néerlandais s'est confié au


    ", + "title": "Le Barça organise un référendum pour la rénovation du Camp Nou", + "description": "Ça doit de l'argent à toute la planète, mais bon.
    \n
    \nDepuis 2014 et l'approbation de la rénovation complète du Camp Nou par tous les dirigeants du club, rien n'a véritablement…

    ", + "content": "Ça doit de l'argent à toute la planète, mais bon.
    \n
    \nDepuis 2014 et l'approbation de la rénovation complète du Camp Nou par tous les dirigeants du club, rien n'a véritablement…

    ", "category": "", - "link": "https://www.sofoot.com/ryan-babel-va-sortir-un-album-de-rap-autobiographique-507368.html", + "link": "https://www.sofoot.com/le-barca-organise-un-referendum-pour-la-renovation-du-camp-nou-507713.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T17:30:00Z", + "pubDate": "2021-12-01T12:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-barca-organise-un-referendum-pour-la-renovation-du-camp-nou-1638364788_x600_articles-507713.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d82bf932f55190ff744fe509e94c31f" + "hash": "fd958044722de5df26cad1b5da1500af" }, { - "title": "Olivier Létang élu meilleur président d'Europe par Tuttosport", - "description": "Olivier dans les temps.
    \n
    \nAprès avoir décerné, sans grande surprise,
    le Golden Boy 2021 à Pedri ce…

    ", - "content": "Olivier dans les temps.
    \n
    \nAprès avoir décerné, sans grande surprise, le Golden Boy 2021 à Pedri ce…

    ", + "title": "Des militants envisagent une action contre le Mondial 2022 devant le siège de la FFF", + "description": "Le Qatar dans le viseur des associations.
    \n
    \nLa prochaine Coupe du monde est décidément au cœur de tous les débats.
    ", + "content": "Le Qatar dans le viseur des associations.
    \n
    \nLa prochaine Coupe du monde est décidément au cœur de tous les débats.
    ", "category": "", - "link": "https://www.sofoot.com/olivier-letang-elu-meilleur-president-d-europe-par-tuttosport-507365.html", + "link": "https://www.sofoot.com/des-militants-envisagent-une-action-contre-le-mondial-2022-devant-le-siege-de-la-fff-507712.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T17:15:00Z", + "pubDate": "2021-12-01T11:16:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-des-militants-envisagent-une-action-contre-le-mondial-2022-devant-le-siege-de-la-fff-1638361525_x600_articles-507712.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a9e4758b1f5e251c343bc237eb2326d" + "hash": "42799bea1e4b73c9239d6f2570b5a9e5" }, { - "title": "Victor Osimhen forfait pour la CAN 2022", - "description": "Gros mal de crâne pour le Nigeria.
    \n
    \nSorti à la 55e minute du choc entre l'Inter Milan et le Napoli (3-2) après un duel aérien avec Milan Škriniar, Victor Osimhen sera…

    ", - "content": "Gros mal de crâne pour le Nigeria.
    \n
    \nSorti à la 55e minute du choc entre l'Inter Milan et le Napoli (3-2) après un duel aérien avec Milan Škriniar, Victor Osimhen sera…

    ", + "title": "L'OL voit sa demande d'annulation de huis clos rejetée par le CNOSF", + "description": "Caramba, encore raté !
    \n
    \nSanctionné d'un match à huis clos à titre conservatoire par la Commission de discipline de la LFP en marge des incidents survenus au Groupama Stadium lors de…

    ", + "content": "Caramba, encore raté !
    \n
    \nSanctionné d'un match à huis clos à titre conservatoire par la Commission de discipline de la LFP en marge des incidents survenus au Groupama Stadium lors de…

    ", "category": "", - "link": "https://www.sofoot.com/victor-osimhen-forfait-pour-la-can-2022-507363.html", + "link": "https://www.sofoot.com/l-ol-voit-sa-demande-d-annulation-de-huis-clos-rejetee-par-le-cnosf-507711.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T17:00:00Z", + "pubDate": "2021-12-01T11:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-ol-voit-sa-demande-d-annulation-de-huis-clos-rejetee-par-le-cnosf-1638358512_x600_articles-507711.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da3ffb9aa66c31054ee7b071441d1227" + "hash": "269101a28f2dddcc5307c99398078176" }, { - "title": "L'ex-entraîneur du Werder Brême empêtré dans une sombre histoire de carnaval", - "description": "Sale histoire.
    \n
    \nTrois jours après avoir présenté sa démission du poste d'entraîneur du…

    ", - "content": "Sale histoire.
    \n
    \nTrois jours après avoir présenté sa démission du poste d'entraîneur du…

    ", + "title": "Un consultant de beIN Sports se lance dans un discours homophobe en plein direct ", + "description": "140 secondes de pure angoisse.
    \n
    \n\"Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne…

    ", + "content": "140 secondes de pure angoisse.
    \n
    \n\"Pour lutter contre ce phénomène, l'anomalie sexuelle que constitue l'homosexualité, il faut éduquer et raisonner les jeunes. Ce phénomène ne…

    ", "category": "", - "link": "https://www.sofoot.com/l-ex-entraineur-du-werder-breme-empetre-dans-une-sombre-histoire-de-carnaval-507361.html", + "link": "https://www.sofoot.com/un-consultant-de-bein-sports-se-lance-dans-un-discours-homophobe-en-plein-direct-507710.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T16:30:00Z", + "pubDate": "2021-12-01T11:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-consultant-de-bein-sports-se-lance-dans-un-discours-homophobe-en-plein-direct-1638358006_x600_articles-507710.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "45b38149d8cea3bb14361c02ccb210d9" + "hash": "9b0b6b7060b9a764f532da1c22d852e3" }, { - "title": "Six mois de prison avec sursis et cinq ans d'interdiction de stade pour le lanceur de bouteille", - "description": "À bon entendeur.
    \n
    \nAlors que l'audience des incidents survenus à la suite de l'Olympico touchait à sa fin ce mercredi après-midi, la président du tribunal correctionnel de Lyon a…

    ", - "content": "À bon entendeur.
    \n
    \nAlors que l'audience des incidents survenus à la suite de l'Olympico touchait à sa fin ce mercredi après-midi, la président du tribunal correctionnel de Lyon a…

    ", + "title": "Les 10 grands moments de Shevchenko à Milan", + "description": "Ce mercredi soir sera rempli d'émotions pour Andriy Shevchenko. Pour la première fois de sa carrière, il va affronter l'AC Milan, le club où il est devenu une légende, et avec lequel il a remporté le Ballon d'or. L'occasion de se remémorer les dix moments forts de son aventure rossonera, entre buts de fou, finales (heureuses et malheureuses) de Ligue de champions, et amour infini.

    1. Le premier but

    \n", + "content": "

    1. Le premier but

    \n", "category": "", - "link": "https://www.sofoot.com/six-mois-de-prison-avec-sursis-et-cinq-ans-d-interdiction-de-stade-pour-le-lanceur-de-bouteille-507367.html", + "link": "https://www.sofoot.com/les-10-grands-moments-de-shevchenko-a-milan-507692.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T16:15:00Z", + "pubDate": "2021-12-01T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-10-grands-moments-de-shevchenko-a-milan-1638350040_x600_articles-alt-507692.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "99328c64ec1c553f743ae0f42b0a5781" + "hash": "7e42443955bb2aa4e6afe370b137c666" }, { - "title": "Jesse Marsch et Péter Gulácsi testés positifs à la Covid-19", - "description": "Les bulletins de santé sont de retour.
    \n
    \nPour le RB Leipzig, actuel dernier du groupe A avec un petit point, loin derrière Manchester City et le Paris Saint-Germain, une victoire à…

    ", - "content": "Les bulletins de santé sont de retour.
    \n
    \nPour le RB Leipzig, actuel dernier du groupe A avec un petit point, loin derrière Manchester City et le Paris Saint-Germain, une victoire à…

    ", + "title": "Quand l'entraîneur de l'Irak entre sur le terrain pour choisir son tireur de penalty", + "description": "Autant être entraîneur-joueur, c'est pareil.
    \n
    \nCe mardi débutait la dixième Coupe arabe de…

    ", + "content": "Autant être entraîneur-joueur, c'est pareil.
    \n
    \nCe mardi débutait la dixième Coupe arabe de…

    ", "category": "", - "link": "https://www.sofoot.com/jesse-marsch-et-peter-gulacsi-testes-positifs-a-la-covid-19-507359.html", + "link": "https://www.sofoot.com/quand-l-entraineur-de-l-irak-entre-sur-le-terrain-pour-choisir-son-tireur-de-penalty-507709.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T15:15:00Z", + "pubDate": "2021-12-01T10:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-quand-l-entraineur-de-l-irak-entre-sur-le-terrain-pour-choisir-son-tireur-de-penalty-1638357785_x600_articles-507709.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e9dd154474436db97f74dbfe27b3f82" + "hash": "480c871bbc7a58457667b593c2740635" }, { - "title": "Une panne mécanique vient gâcher le match d'une équipe de Régional 2 ", - "description": "Le vrai coup de la panne.
    \n
    \nEn déplacement ce samedi à Perpignan afin d'y affronter le Perpignan Sporting Nord pour le compte de la 7e journée de Régional 2, l'USA Pezens…

    ", - "content": "Le vrai coup de la panne.
    \n
    \nEn déplacement ce samedi à Perpignan afin d'y affronter le Perpignan Sporting Nord pour le compte de la 7e journée de Régional 2, l'USA Pezens…

    ", + "title": "Jack Grealish reconnaît ses difficultés d'adaptation à City", + "description": "Amende honorable.
    \n
    \nDébarqué cet été à l'Etihad Stadium avec l'étiquette…

    ", + "content": "Amende honorable.
    \n
    \nDébarqué cet été à l'Etihad Stadium avec l'étiquette…

    ", "category": "", - "link": "https://www.sofoot.com/une-panne-mecanique-vient-gacher-le-match-d-une-equipe-de-regional-2-507354.html", + "link": "https://www.sofoot.com/jack-grealish-reconnait-ses-difficultes-d-adaptation-a-city-507708.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T15:00:00Z", + "pubDate": "2021-12-01T10:14:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jack-grealish-reconnait-ses-difficultes-d-adaptation-a-city-1638357311_x600_articles-507708.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "adb8337a5b299b62007dc87967f487d6" + "hash": "7d4347d92844268af72f9684db90de8d" }, { - "title": "La vente de l'ASSE finalement repoussée", - "description": "Retour à la case départ.
    \n
    \nDepuis plusieurs semaines, les dirigeants de Saint-Étienne s'activaient en coulisses afin de trouver les futurs repreneurs du club. Le cabinet d'audit KPMG,…

    ", - "content": "Retour à la case départ.
    \n
    \nDepuis plusieurs semaines, les dirigeants de Saint-Étienne s'activaient en coulisses afin de trouver les futurs repreneurs du club. Le cabinet d'audit KPMG,…

    ", + "title": "Le comité organisateur du Mondial 2022 garantit la sécurité des personnes LGBT à une condition", + "description": "Dit \"Wallah\" ? Non.
    \n
    \nInexistants au Qatar, les droits des personnes lesbiennes, gays, bisexuelles et transgenres (LGBT) seront assouplis pour la prochaine Coupe du monde. Si…

    ", + "content": "Dit \"Wallah\" ? Non.
    \n
    \nInexistants au Qatar, les droits des personnes lesbiennes, gays, bisexuelles et transgenres (LGBT) seront assouplis pour la prochaine Coupe du monde. Si…

    ", "category": "", - "link": "https://www.sofoot.com/la-vente-de-l-asse-finalement-repoussee-507358.html", + "link": "https://www.sofoot.com/le-comite-organisateur-du-mondial-2022-garantit-la-securite-des-personnes-lgbt-a-une-condition-507705.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T14:45:00Z", + "pubDate": "2021-12-01T10:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-comite-organisateur-du-mondial-2022-garantit-la-securite-des-personnes-lgbt-a-une-condition-1638355110_x600_articles-507705.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23fc798c806116b20343565d26e99798" + "hash": "6c816b9ed5278fd5a1154f0b11495776" }, { - "title": "Affaire Hamraoui : le message d'excuse d'Éric Abidal à sa femme", - "description": "Attention, cette séquence d'autoflagellation peut heurter les âmes sensibles.
    \n
    \n\"Hayet Abidal pardonne-moi. Peu importe ta décision, tu resteras à mes yeux la femme de ma vie, et…

    ", - "content": "Attention, cette séquence d'autoflagellation peut heurter les âmes sensibles.
    \n
    \n\"Hayet Abidal pardonne-moi. Peu importe ta décision, tu resteras à mes yeux la femme de ma vie, et…

    ", + "title": "Piqué : \"Je préfère mourir que de jouer à Madrid\"", + "description": "Piqué s'en prend gratuitement au Real Madrid, épisode 1000.
    \n
    \nLe défenseur central du FC Barcelone fait désormais office d'ancien dans le vestiaire du Barça. Avec Jordi Alba et Sergio…

    ", + "content": "Piqué s'en prend gratuitement au Real Madrid, épisode 1000.
    \n
    \nLe défenseur central du FC Barcelone fait désormais office d'ancien dans le vestiaire du Barça. Avec Jordi Alba et Sergio…

    ", "category": "", - "link": "https://www.sofoot.com/affaire-hamraoui-le-message-d-excuse-d-eric-abidal-a-sa-femme-507351.html", + "link": "https://www.sofoot.com/pique-je-prefere-mourir-que-de-jouer-a-madrid-507666.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T14:00:00Z", + "pubDate": "2021-12-01T09:57:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pique-je-prefere-mourir-que-de-jouer-a-madrid-1638354759_x600_articles-507666.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e243271f030322dd81d4ec038bc51787" + "hash": "5488c348f0631898099a4b7768738d5b" }, { - "title": "Pronostic Club Bruges Leipzig : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Des buts entre le Club Bruges et Leipzig

    \n
    \nDans un groupe qui comprend Manchester City et le Paris Saint-Germain, le Club Bruges et Leipzig étaient…
    ", - "content": "

    Des buts entre le Club Bruges et Leipzig

    \n
    \nDans un groupe qui comprend Manchester City et le Paris Saint-Germain, le Club Bruges et Leipzig étaient…
    ", + "title": "Noël Le Graët tacle Valbuena ", + "description": "L'affaire de la sextape fait encore causer.
    \n
    \nUne…

    ", + "content": "L'affaire de la sextape fait encore causer.
    \n
    \nUne…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-club-bruges-leipzig-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507355.html", + "link": "https://www.sofoot.com/noel-le-graet-tacle-valbuena-507703.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:51:00Z", + "pubDate": "2021-12-01T09:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-noel-le-graet-tacle-valbuena-1638354598_x600_articles-507703.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "60e5986cd4c28ba452b910faae664772" + "hash": "c6893cde9c8f9c071f72e576c79e7d4f" }, { - "title": "Pronostic Sporting Borussia Dortmund : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Sporting profite des absences du Borussia Dortmund

    \n
    \nCette opposition entre le Sporting Lisbonne et le Borussia Dortmund est très importante dans…
    ", - "content": "

    Le Sporting profite des absences du Borussia Dortmund

    \n
    \nCette opposition entre le Sporting Lisbonne et le Borussia Dortmund est très importante dans…
    ", + "title": "Le Grand Jojo, icône populaire belge, est décédé à 85 ans", + "description": "Repose en paix Victor le footballiste.
    \n
    \nLe Grand Jojo est mort dans la nuit de ce mardi à mercredi à l'âge de 85 ans des suites d'une longue maladie, a confirmé Cyril Forthomme,…

    ", + "content": "Repose en paix Victor le footballiste.
    \n
    \nLe Grand Jojo est mort dans la nuit de ce mardi à mercredi à l'âge de 85 ans des suites d'une longue maladie, a confirmé Cyril Forthomme,…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-sporting-borussia-dortmund-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507349.html", + "link": "https://www.sofoot.com/le-grand-jojo-icone-populaire-belge-est-decede-a-85-ans-507702.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:38:00Z", + "pubDate": "2021-12-01T09:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-grand-jojo-icone-populaire-belge-est-decede-a-85-ans-1638351244_x600_articles-507702.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ba1789efb2e8a99788a6aba73c39d3a" + "hash": "8e365c4e745dec4ca8c5c4eceb232024" }, { - "title": "Pronostic Atlético Madrid Milan AC : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    L'Atlético Madrid enfonce un Milan AC presque résigné

    \n
    \nL'Atletico Madrid et le Milan AC jouent un match très important dans le cadre de la…
    ", - "content": "

    L'Atlético Madrid enfonce un Milan AC presque résigné

    \n
    \nL'Atletico Madrid et le Milan AC jouent un match très important dans le cadre de la…
    ", + "title": "Ibrahimović : \"Marine Le Pen a demandé mon expulsion\"", + "description": "Zlatan entre en campagne.
    \n
    \nAprès la parution de sa première autobiographie en 2011, Ibrahimović s'apprête à sortir un nouveau bouquin. Adrenalina sera \"le journal d'un…

    ", + "content": "Zlatan entre en campagne.
    \n
    \nAprès la parution de sa première autobiographie en 2011, Ibrahimović s'apprête à sortir un nouveau bouquin. Adrenalina sera \"le journal d'un…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-atletico-madrid-milan-ac-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507353.html", + "link": "https://www.sofoot.com/ibrahimovic-marine-le-pen-a-demande-mon-expulsion-507704.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:35:00Z", + "pubDate": "2021-12-01T09:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ibrahimovic-marine-le-pen-a-demande-mon-expulsion-1638354630_x600_articles-507704.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74bbe74b26e6b91ce1af2d1fa2edd70f" + "hash": "5895bc4031a32cc8250fb7baa334bac7" }, { - "title": "Un joueur reçoit un scalpel pendant le Clásico en Colombie", - "description": "OL-OM, c'est de l'eau.
    \n
    \nLors du Clásico du championnat de Colombie, entre l'Atlético Nacional de Medellín et le Millonarios FC de Bogota, l'ambiance était électrique. Et les ultras…

    ", - "content": "OL-OM, c'est de l'eau.
    \n
    \nLors du Clásico du championnat de Colombie, entre l'Atlético Nacional de Medellín et le Millonarios FC de Bogota, l'ambiance était électrique. Et les ultras…

    ", + "title": "Le président de la Fédération grecque veut Fernando Santos", + "description": "Tout le monde n'a pas le droit de rêver.
    \n
    \nInvité sur le plateau de la chaîne Open TV, le président de la Fédération grecque de football Panayiotis Dimitriou s'est longuement…

    ", + "content": "Tout le monde n'a pas le droit de rêver.
    \n
    \nInvité sur le plateau de la chaîne Open TV, le président de la Fédération grecque de football Panayiotis Dimitriou s'est longuement…

    ", "category": "", - "link": "https://www.sofoot.com/un-joueur-recoit-un-scalpel-pendant-le-clasico-en-colombie-507352.html", + "link": "https://www.sofoot.com/le-president-de-la-federation-grecque-veut-fernando-santos-507701.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:30:00Z", + "pubDate": "2021-12-01T08:38:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-president-de-la-federation-grecque-veut-fernando-santos-1638350445_x600_articles-507701.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e0d741a4cf6a8726d477ef10477dbe8" + "hash": "26cdc721ba688bd36182bd857303b567" }, { - "title": "Des jeunes du Stade rennais viennent jouer dans un centre pénitentiaire", - "description": "Mi-temps au mitard.
    \n
    \nHabituées au centre d'entraînement de La Piverdière, les jeunes pousses du Stade rennais se sont délocalisées, le temps d'un après-midi. Deux matchs ont été…

    ", - "content": "Mi-temps au mitard.
    \n
    \nHabituées au centre d'entraînement de La Piverdière, les jeunes pousses du Stade rennais se sont délocalisées, le temps d'un après-midi. Deux matchs ont été…

    ", + "title": "Gabriel (Arsenal) a repoussé un voleur armé d'une batte de baseball venu voler sa voiture", + "description": "Intraitable au recul frein.
    \n
    \nEn descendant de sa Mercedes qu'il vient de garer dans son garage, Gabriel, tout juste installé à Londres, fait un pas en arrière puis lève les mains,…

    ", + "content": "Intraitable au recul frein.
    \n
    \nEn descendant de sa Mercedes qu'il vient de garer dans son garage, Gabriel, tout juste installé à Londres, fait un pas en arrière puis lève les mains,…

    ", "category": "", - "link": "https://www.sofoot.com/des-jeunes-du-stade-rennais-viennent-jouer-dans-un-centre-penitentiaire-507350.html", + "link": "https://www.sofoot.com/gabriel-arsenal-a-repousse-un-voleur-arme-d-une-batte-de-baseball-venu-voler-sa-voiture-507699.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:00:00Z", + "pubDate": "2021-12-01T08:03:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gabriel-arsenal-a-repousse-un-voleur-arme-d-une-batte-de-baseball-venu-voler-sa-voiture-1638350132_x600_articles-507699.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cfd62cdf4a2119ec1502cf8b61b58f3d" + "hash": "ee7f70b7f92081f2cb69d6c344bfc8e7" }, { - "title": "Tiago Djaló au centre des attentions", - "description": "Solide depuis la blessure de Sven Botman mi-octobre, Tiago Djaló rassure son monde et postule pour s'installer durablement au sein de la charnière lilloise à court-terme. Cela tombe bien, le LOSC a besoin de lui dès ce mardi soir face à Salzbourg (21h) en Ligue des champions.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Troyes dénonce des propos racistes à l'encontre de Suk tenus par le banc marseillais", + "description": "Deux jours après la victoire de l'Olympique de Marseille contre Troyes (1-0), dans le cadre de la…", + "content": "Deux jours après la victoire de l'Olympique de Marseille contre Troyes (1-0), dans le cadre de la…", "category": "", - "link": "https://www.sofoot.com/tiago-djalo-au-centre-des-attentions-507347.html", + "link": "https://www.sofoot.com/troyes-denonce-des-propos-racistes-a-l-encontre-de-suk-tenus-par-le-banc-marseillais-507698.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:00:00Z", + "pubDate": "2021-12-01T07:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-troyes-denonce-des-propos-racistes-a-l-encontre-de-suk-tenus-par-le-banc-marseillais-1638349733_x600_articles-507698.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "089268981990195f0fa60cbb104a94d9" + "hash": "609f943d3f1602f2b447e5bc33243785" }, { - "title": "Le plus grand Tabárez du monde", - "description": "Au terme de quinze ans d'excellents et loyaux services, Óscar Tabárez a tiré sa révérence. Poussé vers la sortie par sa fédération, l'Uruguayen paie un mauvais début de campagne qualificative à la Coupe du monde 2022. Un final triste, mais inéluctable, pour l'homme qui a ramené la Celeste au sommet.Le 19 novembre dernier, l'ère Tabárez touchait officiellement à sa fin. Celle d'un professionnel de 74 ans, en poste depuis le 7 mars 2006 et assis sur le banc national 194 matchs durant. Mais…", - "content": "Le 19 novembre dernier, l'ère Tabárez touchait officiellement à sa fin. Celle d'un professionnel de 74 ans, en poste depuis le 7 mars 2006 et assis sur le banc national 194 matchs durant. Mais…", + "title": "Il ne fallait pas enterrer Anthony Lopes", + "description": "Encore très inspiré dimanche dernier lors de la victoire à Montpellier (0-1), Anthony Lopes renaît après une saison et un été bien compliqués. Entre comportement irréprochable, performances décisives et adaptation aux préceptes de Bosz, le Portugais a tout fait pour retrouver son niveau et sa légitimité.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/le-plus-grand-tabarez-du-monde-507329.html", + "link": "https://www.sofoot.com/il-ne-fallait-pas-enterrer-anthony-lopes-507687.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T13:00:00Z", + "pubDate": "2021-12-01T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-il-ne-fallait-pas-enterrer-anthony-lopes-1638285278_x600_articles-alt-507687.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "48db8213b4855c14161b8b6008cf6175" + "hash": "44ab45f6e232d0bea8117a1485f7d644" }, { - "title": "Sergio Ramos dans le groupe parisien pour affronter Manchester City", - "description": "Hallelujah !
    \n
    \nIl aura donc fallu attendre 139 jours pour voir Sergio Ramos être convoqué dans le groupe du Paris Saint-Germain. Et le colosse de 35 ans a bien choisi son moment, puisque…

    ", - "content": "Hallelujah !
    \n
    \nIl aura donc fallu attendre 139 jours pour voir Sergio Ramos être convoqué dans le groupe du Paris Saint-Germain. Et le colosse de 35 ans a bien choisi son moment, puisque…

    ", + "title": "Bordeaux : défense d'en rire", + "description": "Défaits par Brest dimanche dernier (2-1), les Girondins de Bordeaux ont encaissé 32 buts depuis le début de la saison. C'est trop, beaucoup trop, pour espérer quoi que ce soit dans ce championnat.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.sofoot.com/sergio-ramos-dans-le-groupe-parisien-pour-affronter-manchester-city-507340.html", + "link": "https://www.sofoot.com/bordeaux-defense-d-en-rire-507600.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T12:30:00Z", + "pubDate": "2021-12-01T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bordeaux-defense-d-en-rire-1638191876_x600_articles-alt-507600.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5fa652c36c6374fc86cb220f99e03138" + "hash": "1d9c6fc711efa51f6a7f5670d2db0303" }, { - "title": "L'AS Roma au cœur d'une polémique raciste à cause des chaussures d'Afena-Gyan", - "description": "Décidément, tout va beaucoup trop vite avec Afena-Gyan.
    \n
    \nAprès avoir…

    ", - "content": "Décidément, tout va beaucoup trop vite avec Afena-Gyan.
    \n
    \nAprès avoir…

    ", + "title": "Les notes de l'épisode 13 de Koh-Lanta La Légende", + "description": "Dernier conseil de classe avant l'orientation, un enfer pour les cancres dans un nouvel épisode à double élimination...

    La tribu réunifiée

    \n
    \n
    \n
    \nBeaucoup de souffrance…


    ", + "content": "

    La tribu réunifiée

    \n
    \n
    \n
    \nBeaucoup de souffrance…


    ", "category": "", - "link": "https://www.sofoot.com/l-as-roma-au-coeur-d-une-polemique-raciste-a-cause-des-chaussures-d-afena-gyan-507342.html", + "link": "https://www.sofoot.com/les-notes-de-l-episode-13-de-koh-lanta-la-legende-507689.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T12:00:00Z", + "pubDate": "2021-11-30T22:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-l-episode-13-de-koh-lanta-la-legende-1638312648_x600_articles-alt-507689.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "628bcce6480217def827666568ce409d" + "hash": "b7e1db836c0f04b0dcd737557876746c" }, { - "title": "Darmanin donne deux semaines pour trouver des solutions en tribune", - "description": "On n'est plus à quinze jours près.
    \n
    \nGérald Darmanin, le ministre de l'Intérieur, a décidé qu'une deuxième réunion était nécessaire pour tenter de trouver des solutions et…

    ", - "content": "On n'est plus à quinze jours près.
    \n
    \nGérald Darmanin, le ministre de l'Intérieur, a décidé qu'une deuxième réunion était nécessaire pour tenter de trouver des solutions et…

    ", + "title": "Les Bleues terminent l'année en beauté face au pays de Galles", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/darmanin-donne-deux-semaines-pour-trouver-des-solutions-en-tribune-507345.html", + "link": "https://www.sofoot.com/les-bleues-terminent-l-annee-en-beaute-face-au-pays-de-galles-507678.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T11:30:00Z", + "pubDate": "2021-11-30T22:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-bleues-terminent-l-annee-en-beaute-face-au-pays-de-galles-1638308398_x600_articles-507678.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e8e654e20b6b8d7a4b6ab92dfff3b59" + "hash": "eecbc9aa0045ccc2b4fe34573bd15af2" }, { - "title": "Pochettino, l'appel du large", - "description": "Même si les résultats comptables sont brillants avant d'aller défier Manchester City, le PSG de Mauricio Pochettino ne fait pas rêver. Pis, il agace. Et l'avenir du coach argentin, arrivé en janvier dernier, pourrait vite s'écrire loin du Parc des Princes tant les rumeurs d'un départ vers Manchester United se font insistantes après celles de l'été dernier le renvoyant à Tottenham. D'autant que dans le même temps, le nom de Zinédine Zidane rôde dans les couloirs de Doha et que l'Argentin, en deux récentes interviews, a salement amoché son club. Paris, ton univers impitoyable.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "La Juventus se rassure à Salerne", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pochettino-l-appel-du-large-507339.html", + "link": "https://www.sofoot.com/la-juventus-se-rassure-a-salerne-507697.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T11:30:00Z", + "pubDate": "2021-11-30T21:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-juventus-se-rassure-a-salerne-1638309444_x600_articles-507697.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88f6e6c3a7f0d754b6e43903fe885aad" + "hash": "f85d83aabb84a39a68afc4603130e1a9" }, { - "title": "Pronostic Sheriff Tiraspol Real Madrid : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Real Madrid prend sa revanche face au Sheriff Tiraspol

    \n
    \nParti sur les chapeaux de roue, le Sheriff Tiraspol a remporté ses deux premiers matchs de…
    ", - "content": "

    Le Real Madrid prend sa revanche face au Sheriff Tiraspol

    \n
    \nParti sur les chapeaux de roue, le Sheriff Tiraspol a remporté ses deux premiers matchs de…
    ", + "title": "En direct : Koh-Lanta, la légende épisode 13", + "description": "Ce mardi soir, il n'y a ni Ligue des Champions, ni Ligue 1. Et l'équipe de France féminine va battre le Pays de Galles 3-0. Maintenant que tout est dit, il ne vous reste plus aucune excuse pour manquer Koh-Lanta. D'autant qu'une demi-finale, ça ne se rate pas, pour rien au monde, jamais. Surtout si c'est l'occasion de rendre le Ballon d'or au seul homme qui le mérite vraiment plus que Leo Messi : Ugo le Magnifique.22h52 : Et ce n'est pas bon pour Laurent, qui n'avait pas compris qu'il fallait faire correspondre les couleurs. Moi non plus cela dit.
    \n
    \n22h51 : Puisqu'on en est aux…

    ", + "content": "22h52 : Et ce n'est pas bon pour Laurent, qui n'avait pas compris qu'il fallait faire correspondre les couleurs. Moi non plus cela dit.
    \n
    \n22h51 : Puisqu'on en est aux…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-sheriff-tiraspol-real-madrid-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507346.html", + "link": "https://www.sofoot.com/en-direct-koh-lanta-la-legende-episode-13-507694.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T11:27:00Z", + "pubDate": "2021-11-30T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-koh-lanta-la-legende-episode-13-1638289725_x600_articles-alt-507694.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02925f13ba81c9de1b65849384493a2d" + "hash": "8f1f02d6ddcf90cbbc92759a0ba9eb54" }, { - "title": "Pronostic Liverpool FC Porto : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Liverpool en contrôle face à Porto

    \n
    \nEn ayant réalisé un parcours parfait avec 4 victoires lors des 4 premières journées, Liverpool a fait coup…
    ", - "content": "

    Liverpool en contrôle face à Porto

    \n
    \nEn ayant réalisé un parcours parfait avec 4 victoires lors des 4 premières journées, Liverpool a fait coup…
    ", + "title": "Derniers Jours : 30€ totalement GRATUITS offerts en EXCLU pour parier cette semaine !", + "description": "

    30€ offerts sans sortir sa CB pour parier sans pression

    \n
    \nDeux sites vous offrent en EXCLU SoFoot un total de 20€ à récupérer gratuitement :
    \n-…

    ", + "content": "

    30€ offerts sans sortir sa CB pour parier sans pression

    \n
    \nDeux sites vous offrent en EXCLU SoFoot un total de 20€ à récupérer gratuitement :
    \n-…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-liverpool-fc-porto-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507344.html", + "link": "https://www.sofoot.com/derniers-jours-30e-totalement-gratuits-offerts-en-exclu-pour-parier-cette-semaine-507613.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T11:12:00Z", + "pubDate": "2021-11-30T20:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-derniers-jours-30e-totalement-gratuits-offerts-en-exclu-pour-parier-cette-semaine-1638210720_x600_articles-507613.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c5ad6c5c130246d2ecd1ef20e245405b" + "hash": "80730527bcca3628a5d00464e7e47c19" }, { - "title": "Pronostic Inter Milan Shakhtar Donetsk : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    L'Inter assure la qualif' face au Shakhtar

    \n
    \nChampion d'Italie en titre, l'Inter était mal parti dans cette campagne de Ligue des Champions. En…
    ", - "content": "

    L'Inter assure la qualif' face au Shakhtar

    \n
    \nChampion d'Italie en titre, l'Inter était mal parti dans cette campagne de Ligue des Champions. En…
    ", + "title": "L'Atalanta et la Fiorentina sans problème", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-inter-milan-shakhtar-donetsk-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507343.html", + "link": "https://www.sofoot.com/l-atalanta-et-la-fiorentina-sans-probleme-507696.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T11:01:00Z", + "pubDate": "2021-11-30T19:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-et-la-fiorentina-sans-probleme-1638296578_x600_articles-507696.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9cd8d47345d071d0d17d4f051b3ec9b0" + "hash": "3dfbdcfdd63643652f53a2ded9e38a56" }, { - "title": "Pronostic Besiktas Ajax Amsterdam : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    L'Ajax enchaîne contre le Besiktas

    \n
    \nCe match entre le Besiktas et l'Ajax revêt peu d'importance puisque les Turcs sont quasiment assurés de…
    ", - "content": "

    L'Ajax enchaîne contre le Besiktas

    \n
    \nCe match entre le Besiktas et l'Ajax revêt peu d'importance puisque les Turcs sont quasiment assurés de…
    ", + "title": "LOTO du mercredi 1er décembre 2021 : 29 millions d'€ à gagner (cagnotte record) !", + "description": "La cagnotte du LOTO ne s'arrête plus de monter. 29 millions d'euros sont à gagner ce mercredi 1er décembre 2021. Si quelqu'un remporte la timbale, il remportera le plus gros gain de l'histoire de la loterie française

    LOTO du mercredi 1er décembre 2021 : 29 Millions d'€

    \n
    \n
    \nCe mercredi 1er décembre 2021, la cagnotte du LOTO est à 29 millions…

    ", + "content": "

    LOTO du mercredi 1er décembre 2021 : 29 Millions d'€

    \n
    \n
    \nCe mercredi 1er décembre 2021, la cagnotte du LOTO est à 29 millions…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-besiktas-ajax-amsterdam-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507341.html", + "link": "https://www.sofoot.com/loto-du-mercredi-1er-decembre-2021-29-millions-d-e-a-gagner-cagnotte-record-507655.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T10:52:00Z", + "pubDate": "2021-11-30T08:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-loto-du-mercredi-1er-decembre-2021-29-millions-d-e-a-gagner-cagnotte-record-1638262299_x600_articles-507655.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52f63024a2851aa0e8d3c50ca1aec25e" + "hash": "dc8b1134010255836297a46680559828" }, { - "title": "Le FC Porto suspecté de fraude fiscale ", - "description": "Frappé cet été par l'affaire Carton rouge en même temps que l'affaire Carton rouge en même temps que Clap de fin pour Licha ?
    \n
    \nUn nuage d'émotion devait traverser le stade du Président-Perón ce lundi soir. En effet, si le temple du Racing Club d'Avellaneda a pu assister à la victoire…

    ", + "content": "Clap de fin pour Licha ?
    \n
    \nUn nuage d'émotion devait traverser le stade du Président-Perón ce lundi soir. En effet, si le temple du Racing Club d'Avellaneda a pu assister à la victoire…

    ", "category": "", - "link": "https://www.sofoot.com/le-fc-porto-suspecte-de-fraude-fiscale-507337.html", + "link": "https://www.sofoot.com/lisandro-lopez-annonce-son-depart-du-racing-507695.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T10:45:00Z", + "pubDate": "2021-11-30T17:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lisandro-lopez-annonce-son-depart-du-racing-1638292943_x600_articles-507695.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf8610168ead109c0eacce1f78f40635" + "hash": "ab5f95ad008917d0da66916b58472fb4" }, { - "title": "L'UNFP porte plainte à son tour contre l'agresseur de Payet", - "description": "À défaut de responsables, le foot français a trouvé son coupable.
    \n
    \nLe syndicat des joueurs de football a réagi à ce qu'il s'est passé au Groupama Stadium ce dimanche soir avec le…

    ", - "content": "À défaut de responsables, le foot français a trouvé son coupable.
    \n
    \nLe syndicat des joueurs de football a réagi à ce qu'il s'est passé au Groupama Stadium ce dimanche soir avec le…

    ", + "title": "Pini Zahavi, agent de Lewandowski, dégoûté par sa soirée de lundi", + "description": "Cauchemardesque.
    \n
    \nAlors que ses performances monstrueuses faisaient de lui un des prétendants les plus crédibles au Ballon d'or 2021,
    ", + "content": "Cauchemardesque.
    \n
    \nAlors que ses performances monstrueuses faisaient de lui un des prétendants les plus crédibles au Ballon d'or 2021,
    ", "category": "", - "link": "https://www.sofoot.com/l-unfp-porte-plainte-a-son-tour-contre-l-agresseur-de-payet-507336.html", + "link": "https://www.sofoot.com/pini-zahavi-agent-de-lewandowski-degoute-par-sa-soiree-de-lundi-507688.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T10:15:00Z", + "pubDate": "2021-11-30T17:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pini-zahavi-agent-de-lewandowski-degoute-par-sa-soiree-de-lundi-1638292572_x600_articles-507688.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59cef2612649106405cb338f06b0737b" + "hash": "82b745931b40737319e05497f2b45109" }, { - "title": "Pronostic Manchester City PSG : Analyse, cotes et prono du match de Ligue des Champions", - "description": "Dernier jour pour récupérer le bonus exceptionnel de Winamax : 150€ offerts direct au lieu de 100€ ! Après le carton plein sur le dernier match des Bleus, retrouvez notre pronostic sur l'énorme affiche Manchester City - PSG !

    Déposez 150€ et misez direct avec 300€ sur Manchester City - PSG

    \n
    \n
    \nDERNIERS JOURS :

    ", - "content": "

    Déposez 150€ et misez direct avec 300€ sur Manchester City - PSG

    \n
    \n
    \nDERNIERS JOURS :


    ", + "title": "Rangnick ne sera pas sur le banc contre Arsenal", + "description": "Du rab pour Carrick.
    \n
    \n
    Officiellement intronisé ce lundi à Manchester United,…

    ", + "content": "Du rab pour Carrick.
    \n
    \nOfficiellement intronisé ce lundi à Manchester United,…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-manchester-city-psg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507338.html", + "link": "https://www.sofoot.com/rangnick-ne-sera-pas-sur-le-banc-contre-arsenal-507693.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T10:12:00Z", + "pubDate": "2021-11-30T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-rangnick-ne-sera-pas-sur-le-banc-contre-arsenal-1638290310_x600_articles-507693.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76d6cbbb55a9ee063375972946befbc2" + "hash": "74aebd9d7da0baf56af2640a18c2f2f2" }, { - "title": "Maradona accusé de \"trafic d'être humain, privation de liberté, réduction en servitude, coups et blessures\"", - "description": "Sombre histoire pour El Pibe de Oro.
    \n
    \nC'est par le biais de l'ONG argentine Fondation pour la paix que Mavys Álvarez Rego a réitéré
    ", - "content": "Sombre histoire pour El Pibe de Oro.
    \n
    \nC'est par le biais de l'ONG argentine Fondation pour la paix que Mavys Álvarez Rego a réitéré
    ", + "title": "Saint-Priest proteste contre une lourde sanction de la FFF", + "description": "Saint-Priest ne l'entend pas de cette oreille.
    \n
    \nLa FFF a infligé une très lourde sanction au club rhodanien après un match contre Martigues le 23 octobre, comptant pour le championnat…

    ", + "content": "Saint-Priest ne l'entend pas de cette oreille.
    \n
    \nLa FFF a infligé une très lourde sanction au club rhodanien après un match contre Martigues le 23 octobre, comptant pour le championnat…

    ", "category": "", - "link": "https://www.sofoot.com/maradona-accuse-de-trafic-d-etre-humain-privation-de-liberte-reduction-en-servitude-coups-et-blessures-507335.html", + "link": "https://www.sofoot.com/saint-priest-proteste-contre-une-lourde-sanction-de-la-fff-507690.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T10:00:00Z", + "pubDate": "2021-11-30T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-saint-priest-proteste-contre-une-lourde-sanction-de-la-fff-1638289929_x600_articles-507690.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "133d834994bd359e31b475b162be0481" + "hash": "3eaa5b01930206f1373b5871de2855ea" }, { - "title": "Roxana Maracineanu : \"Le club doit être responsable de son groupe de supporters, ça me paraît évident\"", - "description": "Ou comment demander à un président de club de faire son travail.
    \n
    \nTrès remontée après les incidents ayant éclaté lors de l'Olympico, la ministre déléguée des Sports Roxana…

    ", - "content": "Ou comment demander à un président de club de faire son travail.
    \n
    \nTrès remontée après les incidents ayant éclaté lors de l'Olympico, la ministre déléguée des Sports Roxana…

    ", + "title": "Découvrez le grand et beau livre So Foot sur Zidane : roulettes, tonsure et première étoile", + "description": "Après Diego Maradona, So Foot s'attaque à une autre légende, le plus grand numéro 10 français (derrière Michel ?), avec un livre d'anecdotes, de belles photos et d'articles inédits de 200 pages retraçant son histoire : Zidane - Roulettes, tonsure et première étoile.
    \n
    \nGrâcieux, discret, simple, fougueux, extraterrestre, timide, violent, idolâtré, patriote, brillant, amoureux, présidentiable, aérien,…

    ", + "content": "
    \n
    \nGrâcieux, discret, simple, fougueux, extraterrestre, timide, violent, idolâtré, patriote, brillant, amoureux, présidentiable, aérien,…

    ", "category": "", - "link": "https://www.sofoot.com/roxana-maracineanu-le-club-doit-etre-responsable-de-son-groupe-de-supporters-ca-me-parait-evident-507334.html", + "link": "https://www.sofoot.com/decouvrez-le-grand-et-beau-livre-so-foot-sur-zidane-roulettes-tonsure-et-premiere-etoile-507066.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T09:45:00Z", + "pubDate": "2021-11-24T10:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-decouvrez-le-grand-et-beau-livre-so-foot-sur-zidane-roulettes-tonsure-et-premiere-etoile-1637081049_x600_articles-alt-507066.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c5130d900d41450d917fbf202d68f3d" + "hash": "81b847e0939836c4802c3f42f0b3c625" }, { - "title": "La patronne de Chelsea nommée meilleure directrice du football européen", - "description": "Aulas en bouffe son chapeau.
    \n
    \nConsidérée comme l'une des femmes les plus influentes de la planète football, Marina Granovskaia a été récompensée d'un travail de longue haleine.…

    ", - "content": "Aulas en bouffe son chapeau.
    \n
    \nConsidérée comme l'une des femmes les plus influentes de la planète football, Marina Granovskaia a été récompensée d'un travail de longue haleine.…

    ", + "title": "Les joueurs de l'Excel Mouscron partent en grève", + "description": "À Mouscron, rien ne va plus.
    \n
    \nSi les joueurs parviennent peu à peu à redresser une situation sportive périlleuse avec quatre victoires sur les quatre derniers matchs - mais une…

    ", + "content": "À Mouscron, rien ne va plus.
    \n
    \nSi les joueurs parviennent peu à peu à redresser une situation sportive périlleuse avec quatre victoires sur les quatre derniers matchs - mais une…

    ", "category": "", - "link": "https://www.sofoot.com/la-patronne-de-chelsea-nommee-meilleure-directrice-du-football-europeen-507333.html", + "link": "https://www.sofoot.com/les-joueurs-de-l-excel-mouscron-partent-en-greve-507686.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T09:15:00Z", + "pubDate": "2021-11-30T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-joueurs-de-l-excel-mouscron-partent-en-greve-1638288492_x600_articles-507686.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ebb9692f01f9865b2b96ed680289a975" + "hash": "26dfc4f1056cf2146ace1ab6519d85c6" }, { - "title": "Messi : \"Je suis heureux que Mbappé soit resté à Paris cette année\"", - "description": "Une MNM sans cacahuète ? Quel intérêt...
    \n
    \nAvec 7 buts et 7 passes décisives, Mbappé est bien un des seuls éléments offensifs du Paris Saint-Germain à faire l'unanimité. Il aura…

    ", - "content": "Une MNM sans cacahuète ? Quel intérêt...
    \n
    \nAvec 7 buts et 7 passes décisives, Mbappé est bien un des seuls éléments offensifs du Paris Saint-Germain à faire l'unanimité. Il aura…

    ", + "title": "Ray Kennedy, légende de Liverpool, est décédé à l'âge de 70 ans", + "description": "Triste nouvelle.
    \n
    \nVainqueur de la Coupe d'Europe des clubs champions en 1977, 1978 et 1981, de la Coupe UEFA en 1976, champion d'Angleterre en 1976, 1977, 1979, 1980 et 1982 sous la…

    ", + "content": "Triste nouvelle.
    \n
    \nVainqueur de la Coupe d'Europe des clubs champions en 1977, 1978 et 1981, de la Coupe UEFA en 1976, champion d'Angleterre en 1976, 1977, 1979, 1980 et 1982 sous la…

    ", "category": "", - "link": "https://www.sofoot.com/messi-je-suis-heureux-que-mbappe-soit-reste-a-paris-cette-annee-507332.html", + "link": "https://www.sofoot.com/ray-kennedy-legende-de-liverpool-est-decede-a-l-age-de-70-ans-507691.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T08:45:00Z", + "pubDate": "2021-11-30T15:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ray-kennedy-legende-de-liverpool-est-decede-a-l-age-de-70-ans-1638288265_x600_articles-507691.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fcd50fb0bad0889be67d6ec15afed14f" + "hash": "825893a49a77f46b122c60a44d54e284" }, { - "title": "Felix Afena-Gyan a bien reçu les chaussures promises par Mourinho", - "description": "Un homme de parole.
    \n
    \n\" J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de chaussures qu'il adore. Mais elle coûte presque 800 euros.…

    ", - "content": "Un homme de parole.
    \n
    \n\" J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de chaussures qu'il adore. Mais elle coûte presque 800 euros.…

    ", + "title": "Vers des rencontres à huis clos en Bavière ?", + "description": "Ça se corse en Bavière.
    \n
    \nAlors que la région est frappée de plein fouet par une sévère recrudescence des cas de Covid, les responsables du Land de Bavière s'apprêtent à prendre…

    ", + "content": "Ça se corse en Bavière.
    \n
    \nAlors que la région est frappée de plein fouet par une sévère recrudescence des cas de Covid, les responsables du Land de Bavière s'apprêtent à prendre…

    ", "category": "", - "link": "https://www.sofoot.com/felix-afena-gyan-a-bien-recu-les-chaussures-promises-par-mourinho-507330.html", + "link": "https://www.sofoot.com/vers-des-rencontres-a-huis-clos-en-baviere-507683.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T08:30:00Z", + "pubDate": "2021-11-30T15:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-vers-des-rencontres-a-huis-clos-en-baviere-1638288109_x600_articles-507683.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c9f2bb5b7cbf01698e6839718b44b52" + "hash": "a436e251d9b927523292a26df41bb8d2" }, { - "title": "Zlatan Ibrahimović : \"Chaque jour quand je me réveille, j'ai mal partout\"", - "description": "Il est humain !
    \n
    \nÀ 40 balais, malgré son tendon d'Achille et un genou en compote, Zlatan continue de faire le show sur les pelouses européennes, en témoigne
    ", - "content": "Il est humain !
    \n
    \nÀ 40 balais, malgré son tendon d'Achille et un genou en compote, Zlatan continue de faire le show sur les pelouses européennes, en témoigne
    ", + "title": "Kamara a zappé la conférence de presse pour des raisons personnelles", + "description": "Ça s'appelle remettre l'église au milieu du village.
    \n
    \nAu lendemain de la défaite de l'Olympique de Marseille
    ", + "content": "Ça s'appelle remettre l'église au milieu du village.
    \n
    \nAu lendemain de la défaite de l'Olympique de Marseille
    ", "category": "", - "link": "https://www.sofoot.com/zlatan-ibrahimovic-chaque-jour-quand-je-me-reveille-j-ai-mal-partout-507331.html", + "link": "https://www.sofoot.com/kamara-a-zappe-la-conference-de-presse-pour-des-raisons-personnelles-507682.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T08:00:00Z", + "pubDate": "2021-11-30T15:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kamara-a-zappe-la-conference-de-presse-pour-des-raisons-personnelles-1638287873_x600_articles-507682.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e63c24d6318651893ac7bb2f5011dd8e" + "hash": "02ddc60b59c37a46d6cb92dc4a78f559" }, { - "title": "Lille joue gros face à Salzbourg", - "description": "Pour son dernier rendez-vous à domicile de la phase de groupes de Ligue des champions 2021-2022, le LOSC accueille le Red Bull Salzbourg qui est l'actuel leader de ce groupe G. Une victoire face aux Autrichiens permettrait au LOSC d'effacer la débâcle de l'aller, d'oublier les galères en championnat, et surtout de croire plus que jamais à une qualification pour les huitièmes de C1.
    ", - "content": "
    ", + "title": "L'OL va installer des filets de sécurité devant ses virages", + "description": "L'annonce sparadrap du jour.
    \n
    \nAlors que le président Aulas n'a cessé de marteler que la bouteille arrivée sur le visage de Dimitri Payet le 21 novembre dernier n'était qu'un \"…

    ", + "content": "L'annonce sparadrap du jour.
    \n
    \nAlors que le président Aulas n'a cessé de marteler que la bouteille arrivée sur le visage de Dimitri Payet le 21 novembre dernier n'était qu'un \"…

    ", "category": "", - "link": "https://www.sofoot.com/lille-joue-gros-face-a-salzbourg-507327.html", + "link": "https://www.sofoot.com/l-ol-va-installer-des-filets-de-securite-devant-ses-virages-507680.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T05:00:00Z", + "pubDate": "2021-11-30T14:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-ol-va-installer-des-filets-de-securite-devant-ses-virages-1638284193_x600_articles-507680.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b677fd1f57033794e84ac7270c6848e1" + "hash": "a80a7c2a4270b2023bdbb7c605afd1a7" }, { - "title": "Karim Adeyemi, la menace fantasque", - "description": "Double buteur et bourreau du LOSC au match aller (2-1), Karim Adeyemi devrait encore bien embêter la défense lilloise ce mardi. L'attaquant aux trois nationalités, viré par le Bayern dans sa jeunesse, est la nouvelle pépite du RB Salzburg, qui n'en finit pas de créer des monstres.
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Pronostic Clermont Lens : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lens se reprend à Clermont

    \n
    \nAprès avoir passé de nombreuses années en Ligue 2, le Clermont Foot a décroché une montée historique en Ligue 1 en fin…
    ", + "content": "

    Lens se reprend à Clermont

    \n
    \nAprès avoir passé de nombreuses années en Ligue 2, le Clermont Foot a décroché une montée historique en Ligue 1 en fin…
    ", "category": "", - "link": "https://www.sofoot.com/karim-adeyemi-la-menace-fantasque-507318.html", + "link": "https://www.sofoot.com/pronostic-clermont-lens-analyse-cotes-et-prono-du-match-de-ligue-1-507684.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T05:00:00Z", + "pubDate": "2021-11-30T14:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-clermont-lens-analyse-cotes-et-prono-du-match-de-ligue-1-1638283477_x600_articles-507684.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9260664a40457cba03bf9d542c6bd3c3" + "hash": "09eaef02c740990146851c5c5ee2474d" }, { - "title": "Sexismo No", - "description": "Ce sont des remarques sur leur physique, des insultes et des commentaires dégradants reçus presque quotidiennement : quinze journalistes espagnoles ont témoigné, dans les colonnes du journal Sport, pour faire part de leur ras-le-bol.Être journaliste sportive, en Espagne ? \"C'est compliqué\", glisse Laia Bonals, du quotidien catalan Ara. \"Surtout si tu parles de football, précise Maria Tikas, qui…", - "content": "Être journaliste sportive, en Espagne ? \"C'est compliqué\", glisse Laia Bonals, du quotidien catalan Ara. \"Surtout si tu parles de football, précise Maria Tikas, qui…", + "title": "À Nîmes, Rani Assaf veut une \"supra association\"", + "description": "Pas sûr que ce soit une \"supra\" idée.
    \n
    \nRani Assaf, le président du Nîmes Olympique, aimerait créer une \"supra association\" avec les groupes de supporters, dans…

    ", + "content": "Pas sûr que ce soit une \"supra\" idée.
    \n
    \nRani Assaf, le président du Nîmes Olympique, aimerait créer une \"supra association\" avec les groupes de supporters, dans…

    ", "category": "", - "link": "https://www.sofoot.com/sexismo-no-507180.html", + "link": "https://www.sofoot.com/a-nimes-rani-assaf-veut-une-supra-association-507677.html", "creator": "SO FOOT", - "pubDate": "2021-11-23T05:00:00Z", + "pubDate": "2021-11-30T14:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-a-nimes-rani-assaf-veut-une-supra-association-1638283184_x600_articles-507677.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "726c30823e5b7f4b2b3aafe7f81a6109" + "hash": "58e2e3b2e6dd8b64120be00da25f2f11" }, { - "title": "Dijon se paye Auxerre et décroche la couronne de Bourgogne", - "description": "

    ", - "content": "

    ", + "title": "Pronostic Nantes OM : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Nantes tient tête à l'OM

    \n
    \nPassé près de la correctionnelle la saison passée, le FC Nantes s'était sauvé lors des barrages face à Toulouse. Le…
    ", + "content": "

    Nantes tient tête à l'OM

    \n
    \nPassé près de la correctionnelle la saison passée, le FC Nantes s'était sauvé lors des barrages face à Toulouse. Le…
    ", "category": "", - "link": "https://www.sofoot.com/dijon-se-paye-auxerre-et-decroche-la-couronne-de-bourgogne-507328.html", + "link": "https://www.sofoot.com/pronostic-nantes-om-analyse-cotes-et-prono-du-match-de-ligue-1-507681.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T21:45:00Z", + "pubDate": "2021-11-30T14:20:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-nantes-om-analyse-cotes-et-prono-du-match-de-ligue-1-1638282827_x600_articles-507681.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "77da1ab3732911246da48d277e1b8406" + "hash": "0ffb15056410ee73c87cb961e78e5993" }, { - "title": "En direct : Dijon - Auxerre", - "description": "90' : ET C'EST FINI !
    \n
    \nDijon remporte le derby bourguignon et fait un immense bond de six places ...", - "content": "90' : ET C'EST FINI !
    \n
    \nDijon remporte le derby bourguignon et fait un immense bond de six places ...", + "title": "Pronostic Lyon Reims : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lyon confirme face à Reims

    \n
    \nQuatrième de Ligue 1 la saison passée, l'Olympique Lyonnais a dû se contenter de l'Europa League. Pour atteindre une…
    ", + "content": "

    Lyon confirme face à Reims

    \n
    \nQuatrième de Ligue 1 la saison passée, l'Olympique Lyonnais a dû se contenter de l'Europa League. Pour atteindre une…
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-dijon-auxerre-507326.html", + "link": "https://www.sofoot.com/pronostic-lyon-reims-analyse-cotes-et-prono-du-match-de-ligue-1-507679.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T19:30:00Z", + "pubDate": "2021-11-30T14:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-lyon-reims-analyse-cotes-et-prono-du-match-de-ligue-1-1638282209_x600_articles-507679.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12c05a96c3bb49900c64f95fa8cee7a2" + "hash": "990caf09ebc6b40311465eeb1cd93a47" }, { - "title": "Gourvennec : \"On sait ce qu'une victoire face à Salzbourg nous apporterait\"", - "description": "Gourvennec est ambitieux avant son rendez-vous de gala.
    \n
    \nPrésent en conférence de presse avant la réception du Red Bull Salzbourg ce mardi soir en Ligue des champions au stade…

    ", - "content": "Gourvennec est ambitieux avant son rendez-vous de gala.
    \n
    \nPrésent en conférence de presse avant la réception du Red Bull Salzbourg ce mardi soir en Ligue des champions au stade…

    ", + "title": "Jacques-Henri Eyraud décoré de la légion d'honneur", + "description": "Son plus bel accomplissement depuis la signature de Grégory Sertic ?
    \n
    \nDécidément, ce lundi aura été le jour des belles breloques. Si
    ", + "content": "Son plus bel accomplissement depuis la signature de Grégory Sertic ?
    \n
    \nDécidément, ce lundi aura été le jour des belles breloques. Si
    ", "category": "", - "link": "https://www.sofoot.com/gourvennec-on-sait-ce-qu-une-victoire-face-a-salzbourg-nous-apporterait-507324.html", + "link": "https://www.sofoot.com/jacques-henri-eyraud-decore-de-la-legion-d-honneur-507674.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T19:30:00Z", + "pubDate": "2021-11-30T14:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jacques-henri-eyraud-decore-de-la-legion-d-honneur-1638281580_x600_articles-507674.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0239b8f0d886123d603dde2b92cee04" + "hash": "84b590db0eb63d0a66f89333ab759b23" }, { - "title": "DERNIERS JOURS de l'EXCLU : 20€ offerts SANS SORTIR LA CB pour parier sur la Ligue des Champions !", - "description": "Vous voulez parier cette semaine sans déposer d'argent ? En EXCLU, NetBet vous offre 20€ sans sortir votre CB ! De quoi parier sereinement sur la Ligue des Champions de la semaine

    EXCLU : 20€ offerts GRATOS chez NetBet

    \n
    \nVous voulez obtenir 20€ sans verser d'argent pour parier ?
    \n

    ", - "content": "

    EXCLU : 20€ offerts GRATOS chez NetBet

    \n
    \nVous voulez obtenir 20€ sans verser d'argent pour parier ?
    \n


    ", + "title": "Pronostic Brest Saint-Etienne : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Brest, une 5e victoire de rang face à Saint-Etienne

    \n
    \nMal parti dans cette nouvelle saison de Ligue 1, le Stade Brestois a dû attendre la…
    ", + "content": "

    Brest, une 5e victoire de rang face à Saint-Etienne

    \n
    \nMal parti dans cette nouvelle saison de Ligue 1, le Stade Brestois a dû attendre la…
    ", "category": "", - "link": "https://www.sofoot.com/derniers-jours-de-l-exclu-20e-offerts-sans-sortir-la-cb-pour-parier-sur-la-ligue-des-champions-507284.html", + "link": "https://www.sofoot.com/pronostic-brest-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-507676.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T18:28:00Z", + "pubDate": "2021-11-30T13:35:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-brest-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-1638281507_x600_articles-507676.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a622b88eae1fb3c92ac173d41678a04" + "hash": "199d81c0caaa45ad49dcad488e0c5d1f" }, { - "title": "Pronostic Lille Salzbourg : Analyse, cotes et prono du match de Ligue des Champions", - "description": "Après le
    carton plein sur le dernier match des Bleus, retrouvez notre pronostic sur Lille - Salzbourg avec 10€ à récupérer sans sortir d'argent chez ZEbet

    10€ gratuits pour parier sur ce Lille - RB Salzbourg !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", - "content": "

    10€ gratuits pour parier sur ce Lille - RB Salzbourg !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", + "title": "Pronostic Metz Montpellier : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Metz sur sa lancée face à Montpellier

    \n
    \nSi le PSG domine largement la Ligue 1, le reste du championnat est toujours indécis entre les équipes luttant…
    ", + "content": "

    Metz sur sa lancée face à Montpellier

    \n
    \nSi le PSG domine largement la Ligue 1, le reste du championnat est toujours indécis entre les équipes luttant…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lille-salzbourg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507287.html", + "link": "https://www.sofoot.com/pronostic-metz-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-507675.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T18:27:00Z", + "pubDate": "2021-11-30T13:25:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-metz-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-1638279624_x600_articles-507675.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b1f504125ba5f05a0cd2299fda133e4" + "hash": "995cc5a5bd2a2c86e482c0d2c6df4b83" }, { - "title": "Le patron de Lyca Mobile nouvel actionnaire du Paris FC", - "description": "Le Paris FC, Atlas officiel de la Ligue 2 BKT.
    \n
    \nMalgré une 5e place en Ligue 2, le PFC peut se consoler en accueillant un nouvel actionnaire, puisque l'Anglo-Sri Lankais…

    ", - "content": "Le Paris FC, Atlas officiel de la Ligue 2 BKT.
    \n
    \nMalgré une 5e place en Ligue 2, le PFC peut se consoler en accueillant un nouvel actionnaire, puisque l'Anglo-Sri Lankais…

    ", + "title": "Pronostic Rennes Lille : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Rennes poursuit sa belle dynamique face à Lille

    \n
    \nL'an passé, le Stade Rennais a connu une saison compliquée avec sa première participation en Ligue…
    ", + "content": "

    Rennes poursuit sa belle dynamique face à Lille

    \n
    \nL'an passé, le Stade Rennais a connu une saison compliquée avec sa première participation en Ligue…
    ", "category": "", - "link": "https://www.sofoot.com/le-patron-de-lyca-mobile-nouvel-actionnaire-du-paris-fc-507322.html", + "link": "https://www.sofoot.com/pronostic-rennes-lille-analyse-cotes-et-prono-du-match-de-ligue-1-507673.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T17:08:00Z", + "pubDate": "2021-11-30T13:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-rennes-lille-analyse-cotes-et-prono-du-match-de-ligue-1-1638278999_x600_articles-507673.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf5b2367b450ceb4998fd47757a2e6b3" + "hash": "8fa9e93f9f78918b6b3582c3819e615e" }, { - "title": "Le best of des buts amateurs du week-end des 20 et 21 novembre 2021", - "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", - "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "title": "Pronostic Strasbourg Bordeaux : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Strasbourg enfonce Bordeaux

    \n
    \nAprès 15 journées de championnat, le Racing Club de Strasbourg occupe la 8e place avec 20 points au compteur.…
    ", + "content": "

    Strasbourg enfonce Bordeaux

    \n
    \nAprès 15 journées de championnat, le Racing Club de Strasbourg occupe la 8e place avec 20 points au compteur.…
    ", "category": "", - "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-20-et-21-novembre-2021-507311.html", + "link": "https://www.sofoot.com/pronostic-strasbourg-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-507672.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T16:40:00Z", + "pubDate": "2021-11-30T13:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-strasbourg-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-1638278362_x600_articles-507672.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "65b8b9a53f82e38de8b8ad0621a22cd1" + "hash": "b52cf46eb11378d1594a376c70e37043" }, { - "title": "Karl-Heinz Rummenigge regrette le départ de David Alaba", - "description": "Arrivé en Bavière en 2008, David Alaba a quitté son cocon l'été dernier pour devenir un élément essentiel de la défense du Real Madrid. Son départ semble d'ailleurs être toujours dans la…", - "content": "Arrivé en Bavière en 2008, David Alaba a quitté son cocon l'été dernier pour devenir un élément essentiel de la défense du Real Madrid. Son départ semble d'ailleurs être toujours dans la…", + "title": "Mattia Caldara, la renaissance vénitienne", + "description": "En 2017, Mattia Caldara symbolisait le futur de la défense italienne. Beau, jeune, cultivé, le natif de Bergame avait tout pour prendre la suite de Giorgio Chiellini ou de Leonardo Bonucci. Quatre ans plus tard, les galères et les pépins physiques l'ont obligé à se relancer du côté du promu Venezia, dans le cadre d'un prêt de l'AC Milan. Mardi soir, le Lombard retrouve son club formateur, l'Atalanta, et espère réaliser sa meilleure partition. Pour prouver qu'il va mieux.Trois ans, dix mois et vingt-six jours. Pour Mattia Caldara – malgré son poste de défenseur central –, cela représente une éternité sans faire trembler les filets. Face à l'AS Roma le 7…", + "content": "Trois ans, dix mois et vingt-six jours. Pour Mattia Caldara – malgré son poste de défenseur central –, cela représente une éternité sans faire trembler les filets. Face à l'AS Roma le 7…", "category": "", - "link": "https://www.sofoot.com/karl-heinz-rummenigge-regrette-le-depart-de-david-alaba-507321.html", + "link": "https://www.sofoot.com/mattia-caldara-la-renaissance-venitienne-507633.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T16:38:00Z", + "pubDate": "2021-11-30T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mattia-caldara-la-renaissance-venitienne-1638204457_x600_articles-alt-507633.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0cd544b0cd2af532192227f3424a51b" + "hash": "31b3409a6a77fbd0d5c37e097ae7f9e4" }, { - "title": "Une manifestation contre le Mondial au Qatar avant Strasbourg-Reims", - "description": "La lutte continue.
    \n
    \nPour le collectif Maquis Alsace-Lorraine, impossible de rester indifférent face aux morts sur les chantiers de la Coupe du monde 2022 au Qatar.
    ", - "content": "La lutte continue.
    \n
    \nPour le collectif Maquis Alsace-Lorraine, impossible de rester indifférent face aux morts sur les chantiers de la Coupe du monde 2022 au Qatar.
    ", + "title": "C'est quoi cette Coupe arabe de la FIFA ?", + "description": "Du 30 novembre au 18 décembre, la FIFA organise, avec le Qatar, la Coupe arabe 2021 de la FIFA. Seize équipes asiatiques et africaines issues du monde arabe vont participer à la phase finale d'une compétition transcontinentale tombée dans l'oubli. Et pour le pays hôte, cela rassemble à une ultime répétition avant la Coupe du monde 2022.

  • Une compétition vieille de 58 ans remise au goût du jour
  • \n
    \nNon, cette Coupe arabe n'est pas une idée qui vient tout…
    ", + "content": "

  • Une compétition vieille de 58 ans remise au goût du jour
  • \n
    \nNon, cette Coupe arabe n'est pas une idée qui vient tout…
    ", "category": "", - "link": "https://www.sofoot.com/une-manifestation-contre-le-mondial-au-qatar-avant-strasbourg-reims-507316.html", + "link": "https://www.sofoot.com/c-est-quoi-cette-coupe-arabe-de-la-fifa-507617.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T15:35:00Z", + "pubDate": "2021-11-30T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-c-est-quoi-cette-coupe-arabe-de-la-fifa-1638188639_x600_articles-alt-507617.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0acbdf60a8f415e281d13753cd8f07b8" + "hash": "48f5ddd9ab5bf73fcc7af242814ade50" }, { - "title": "Vincent Labrune \"choqué que l'on mette deux heures pour prendre une décision\"", - "description": "Le patron sort du bois.
    \n
    \nAprès la soirée cauchemar de ce dimanche au Groupama Stadium, la Ligue sort du silence ce lundi par l'intermédiaire de son président. Vincent Labrune a…

    ", - "content": "Le patron sort du bois.
    \n
    \nAprès la soirée cauchemar de ce dimanche au Groupama Stadium, la Ligue sort du silence ce lundi par l'intermédiaire de son président. Vincent Labrune a…

    ", + "title": "Pronostic Troyes Lorient : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Troyes – Lorient cadenassé

    \n
    \nDans le cadre de la 16e journée de Ligue 1, Troyes reçoit Lorient dans une rencontre importante dans le…
    ", + "content": "

    Un Troyes – Lorient cadenassé

    \n
    \nDans le cadre de la 16e journée de Ligue 1, Troyes reçoit Lorient dans une rencontre importante dans le…
    ", "category": "", - "link": "https://www.sofoot.com/vincent-labrune-choque-que-l-on-mette-deux-heures-pour-prendre-une-decision-507315.html", + "link": "https://www.sofoot.com/pronostic-troyes-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-507671.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T15:09:00Z", + "pubDate": "2021-11-30T12:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-troyes-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-1638277862_x600_articles-507671.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b538bfa94cae0bc62a13d1e6ea6c9026" + "hash": "d631104c6fd2d7c3f9b472748c383a4d" }, { - "title": "Grifo reconnaît avoir simulé lors du match contre Francfort", - "description": "Alors que Fribourg était en difficulté sur sa pelouse contre l'Eintracht Francfort (0-2), le club de la Forêt-Noire pensait obtenir un penalty, de prime abord plutôt généreux. Accroché dans la…", - "content": "Alors que Fribourg était en difficulté sur sa pelouse contre l'Eintracht Francfort (0-2), le club de la Forêt-Noire pensait obtenir un penalty, de prime abord plutôt généreux. Accroché dans la…", + "title": "Le PSG engrange 1,48 million d'euros par jour", + "description": "\"Qu'est-ce que je vais faire de tout cet oseille.\"
    \n
    \nEn effet, le club de la capitale amasse chaque jour 1,48 million d'euros. Soit 61 712€ par heure, 1028,4€ chaque minute…

    ", + "content": "\"Qu'est-ce que je vais faire de tout cet oseille.\"
    \n
    \nEn effet, le club de la capitale amasse chaque jour 1,48 million d'euros. Soit 61 712€ par heure, 1028,4€ chaque minute…

    ", "category": "", - "link": "https://www.sofoot.com/grifo-reconnait-avoir-simule-lors-du-match-contre-francfort-507308.html", + "link": "https://www.sofoot.com/le-psg-engrange-148-million-d-euros-par-jour-507667.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T14:41:00Z", + "pubDate": "2021-11-30T12:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-psg-engrange-148-million-d-euros-par-jour-1638277115_x600_articles-507667.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a82c5d6b789ea3976512d2e3693340fe" + "hash": "188ea81d4e051611d7305710b6ddb765" }, { - "title": "Un supporter de Fenerbahçe succombe après le but vainqueur face à Galatasaray", - "description": "De battre son cœur s'est arrêté.
    \n
    \nEn douchant les 52 000 spectateurs de la Türk Telecom Arena, l'antre du Galatasaray, dans les derniers souffles de la rencontre, Miguel Crespo ne…

    ", - "content": "De battre son cœur s'est arrêté.
    \n
    \nEn douchant les 52 000 spectateurs de la Türk Telecom Arena, l'antre du Galatasaray, dans les derniers souffles de la rencontre, Miguel Crespo ne…

    ", + "title": "Pronostic Angers Monaco : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Angers – Monaco : Les 2 équipes marquent

    \n
    \nSurprise de ce début de saison avec de très bonnes performances, Angers a connu depuis quelques semaines…
    ", + "content": "

    Angers – Monaco : Les 2 équipes marquent

    \n
    \nSurprise de ce début de saison avec de très bonnes performances, Angers a connu depuis quelques semaines…
    ", "category": "", - "link": "https://www.sofoot.com/un-supporter-de-fenerbahce-succombe-apres-le-but-vainqueur-face-a-galatasaray-507313.html", + "link": "https://www.sofoot.com/pronostic-angers-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-507670.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T14:03:00Z", + "pubDate": "2021-11-30T12:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-angers-monaco-analyse-cotes-et-prono-du-match-de-ligue-1-1638277073_x600_articles-507670.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d883870f6b0cf1b4c44fabe8a891dc3c" + "hash": "f94660b5d3c9eb534e6c1a438cb6430a" }, { - "title": "Mais qui est Felix Afena-Gyan, le chouchou de Mourinho ?", - "description": "Arrivé en Italie en mars 2021, promu en Primavera en avril, débarqué en équipe première en octobre, puis lancé dans le grand bain dans la foulée, Felix Afena-Gyan n'en finit plus de griller les étapes. Dimanche soir, il a même inscrit ses deux premiers buts en Serie A, face au Genoa. José Mourinho se frotte les mains : il tient là une pépite qu'il couve délicatement.Que s'est-il passé le 19 janvier 2003 ? José Mourinho et son FC Porto se déplaçaient sur la pelouse de Belenenses. Menés 1-0 à la pause, les Dragons se réveillent en seconde période. Jorge…", - "content": "Que s'est-il passé le 19 janvier 2003 ? José Mourinho et son FC Porto se déplaçaient sur la pelouse de Belenenses. Menés 1-0 à la pause, les Dragons se réveillent en seconde période. Jorge…", + "title": "Pronostic PSG Nice : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Le PSG assure face à Nice

    \n
    \nL'affiche de la 16e journée de Ligue 1 nous amène mercredi au Parc des Princes où le leader parisien reçoit…
    ", + "content": "

    Le PSG assure face à Nice

    \n
    \nL'affiche de la 16e journée de Ligue 1 nous amène mercredi au Parc des Princes où le leader parisien reçoit…
    ", "category": "", - "link": "https://www.sofoot.com/mais-qui-est-felix-afena-gyan-le-chouchou-de-mourinho-507297.html", + "link": "https://www.sofoot.com/pronostic-psg-nice-analyse-cotes-et-prono-du-match-de-ligue-1-507669.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T14:00:00Z", + "pubDate": "2021-11-30T12:08:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-psg-nice-analyse-cotes-et-prono-du-match-de-ligue-1-1638275320_x600_articles-507669.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8318e562e19274868ffdfacf83f14077" + "hash": "b1c098355f16b9265c7e526853b01888" }, { - "title": "EuroMillions mardi 23 novembre 2021 : 145 millions d'€ à gagner !", - "description": "L'EuroMillions de ce mardi 23 novembre est à 145 millions d'euros. Une somme incroyable, payée par le PSG pour s'offrir Kylian Mbappé à l'été 2017

    EuroMillions du mardi 23 novembre 2021 : 145M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 145 millions d'euros ce mardi 23 novembre 2021.…
    ", - "content": "

    EuroMillions du mardi 23 novembre 2021 : 145M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 145 millions d'euros ce mardi 23 novembre 2021.…
    ", + "title": "Donnons un Ballon d'or au collectif italien", + "description": "L'Italie a donc gagné l'Euro, et cinq Italiens se sont classés dans le top 30 du Ballon d'or. Mais aucun ne soulèvera le globe doré. Et c'est finalement logique, puisque Roberto Mancini a basé son succès sur la force du collectif plus que sur les individualités.Depuis Naples, où il s'est définitivement réinstallé après son départ de Chine, Fabio Cannavaro peut dormir sur ses deux oreilles. Quinze ans après son sacre, il demeure toujours le dernier…", + "content": "Depuis Naples, où il s'est définitivement réinstallé après son départ de Chine, Fabio Cannavaro peut dormir sur ses deux oreilles. Quinze ans après son sacre, il demeure toujours le dernier…", "category": "", - "link": "https://www.sofoot.com/euromillions-mardi-23-novembre-2021-145-millions-d-e-a-gagner-507312.html", + "link": "https://www.sofoot.com/donnons-un-ballon-d-or-au-collectif-italien-507657.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T13:58:00Z", + "pubDate": "2021-11-30T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-donnons-un-ballon-d-or-au-collectif-italien-1638271846_x600_articles-alt-507657.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6471ea8fb19ace74f7e7bcbd76573ca" + "hash": "ff51343fce9b3d160a7f1090e62e7691" }, { - "title": "Le Groupama Stadium à huis clos en attendant les mesures définitives", - "description": "
    Le (premier) verdict est tombé.
    \n
    \nAu lendemain de la suspension du match entre l'OL et l'OM après trois minutes de jeu, la commission de discipline s'est réunie afin de donner les…

    ", - "content": "Le (premier) verdict est tombé.
    \n
    \nAu lendemain de la suspension du match entre l'OL et l'OM après trois minutes de jeu, la commission de discipline s'est réunie afin de donner les…

    ", + "title": "Pronostic Everton Liverpool : Analyse, cotes et prono du match de Premier League", + "description": "

    Everton – Liverpool : un derby rouge

    \n
    \nLa 14e journée de Premier League nous offre ce mercredi le fameux derby de Liverpool entre Everton et…
    ", + "content": "

    Everton – Liverpool : un derby rouge

    \n
    \nLa 14e journée de Premier League nous offre ce mercredi le fameux derby de Liverpool entre Everton et…
    ", "category": "", - "link": "https://www.sofoot.com/le-groupama-stadium-a-huis-clos-en-attendant-les-mesures-definitives-507314.html", + "link": "https://www.sofoot.com/pronostic-everton-liverpool-analyse-cotes-et-prono-du-match-de-premier-league-507668.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T13:48:00Z", + "pubDate": "2021-11-30T11:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-everton-liverpool-analyse-cotes-et-prono-du-match-de-premier-league-1638274182_x600_articles-507668.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7bf733da7f5aaf66c8964709d0abb46" + "hash": "632318c18f30b4b7bbb055683d0ad7d7" }, { - "title": "Pronostic Young Boys Berne Atalanta Bergame : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    L'Atalanta bat encore les Young Boys de Berne

    \n
    \nMeilleure équipe du championnat suisse ces dernières saisons, les Young Boys de Berne ont remporté un…
    ", - "content": "

    L'Atalanta bat encore les Young Boys de Berne

    \n
    \nMeilleure équipe du championnat suisse ces dernières saisons, les Young Boys de Berne ont remporté un…
    ", + "title": "Deux personnes jugées pour un projet d'attentat au Roazhon Park", + "description": "Le pire a peut-être été évité.
    \n
    \nDeux hommes âgés de 21 ans sont jugés à partir de ce mardi devant la cour d'assises des mineurs de Paris. Les intéressés sont suspectés…

    ", + "content": "Le pire a peut-être été évité.
    \n
    \nDeux hommes âgés de 21 ans sont jugés à partir de ce mardi devant la cour d'assises des mineurs de Paris. Les intéressés sont suspectés…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-young-boys-berne-atalanta-bergame-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507310.html", + "link": "https://www.sofoot.com/deux-personnes-jugees-pour-un-projet-d-attentat-au-roazhon-park-507665.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T13:32:00Z", + "pubDate": "2021-11-30T11:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-deux-personnes-jugees-pour-un-projet-d-attentat-au-roazhon-park-1638271647_x600_articles-507665.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "daa6fea3e9cafc1e04ddf0c547594b2d" + "hash": "adb0667554332287c258ee4e8a6bb2bb" }, { - "title": "Aulas, Jean-Michel à peu près", - "description": "Au cours d'une nouvelle soirée désastreuse pour l'image du football français, Jean-Michel Aulas a perdu une occasion de prendre de la hauteur et d'élever le débat, comme son homologue niçois Jean-Pierre Rivère trois mois auparavant. Il était pourtant légitime d'attendre autre chose de la part d'un des plus grands présidents de l'histoire de notre championnat.Un peu plus de deux heures après l'interruption du match entre Lyon et Marseille et…", - "content": "Un peu plus de deux heures après l'interruption du match entre Lyon et Marseille et…", + "title": "Le PSG doit-il célébrer ce Ballon d'or ?", + "description": "Lionel Messi Ballon d'or, Gianluigi Donnarumma meilleur gardien, le PSG a passé un lundi soir couronné de succès avec deux joueurs primés. Sauf que l'Argentin et l'Italien ne l'ont pas été pour leurs œuvres parisiennes. Peu importe, c'est en tant que joueurs du PSG qu'ils sont venus chercher leur trophée sur scène. De quoi permettre aux dirigeants parisiens de faire le paon tout en essayant de trouver un positionnement adéquat entre gêne, satisfaction et récupération. Comme le disait Liam Neeson dans Taken : \"BON CHANCE\".PSG-Nice, le Parc des Princes est garni et célèbre, en avant-match, son premier Ballon d'or. Lionel Messi, sept baudruches dorées au-dessus de sa cheminée, s'avance vers le rond central. Le…", + "content": "PSG-Nice, le Parc des Princes est garni et célèbre, en avant-match, son premier Ballon d'or. Lionel Messi, sept baudruches dorées au-dessus de sa cheminée, s'avance vers le rond central. Le…", "category": "", - "link": "https://www.sofoot.com/aulas-jean-michel-a-peu-pres-507295.html", + "link": "https://www.sofoot.com/le-psg-doit-il-celebrer-ce-ballon-d-or-507664.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T13:00:00Z", + "pubDate": "2021-11-30T11:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-psg-doit-il-celebrer-ce-ballon-d-or-1638268384_x600_articles-alt-507664.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b48c022cf426e276fe85cd5f3c1865a" + "hash": "a5daa183bd5b409911095de7a2ccad5c" }, { - "title": "Ole Gunnar Solskjær-MU : l'idylle désenchantée", - "description": "La lourde défaite contre Watford (4-1) ce week-end aura été celle de trop pour Ole Gunnar Solskjær, démis de ses fonctions par les dirigeants de Manchester United dimanche matin. Une issue inéluctable pour le coach norvégien qui aura passé presque trois ans sur le banc des Red Devils malgré une crédibilité proche du néant. Paradoxe.Cette fois, le couperet est tombé. Épargné de justesse par la direction de Manchester United après La soirée des scandales ?
    \n
    \nHabib Beye, aujourd'hui à la tête du Red Star et consultant pour Canal+, est revenu sur le trophée Yachine qui récompense le meilleur gardien de…

    ", + "content": "La soirée des scandales ?
    \n
    \nHabib Beye, aujourd'hui à la tête du Red Star et consultant pour Canal+, est revenu sur le trophée Yachine qui récompense le meilleur gardien de…

    ", "category": "", - "link": "https://www.sofoot.com/ole-gunnar-solskj-c3-a6r-mu-l-idylle-desenchantee-507281.html", + "link": "https://www.sofoot.com/habib-beye-s-insurge-contre-la-remise-du-trophee-yachine-a-donnarumma-a-la-place-de-mendy-507660.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T13:00:00Z", + "pubDate": "2021-11-30T10:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-habib-beye-s-insurge-contre-la-remise-du-trophee-yachine-a-donnarumma-a-la-place-de-mendy-1638267812_x600_articles-507660.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "16a8594e7043f479caffc462807b7be2" + "hash": "18d74296f7ba05b9c8f97be0600a170a" }, { - "title": "SoFoot Ligue : Nos conseils pour faire vos picks de la semaine 13", - "description": "Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", - "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "title": "Coupe de France : le tirage au sort complet des 32e de finale", + "description": "Exit le Ballon d'or, place au vrai foot.
    \n
    \nCe lundi, les présidents des 64 clubs restants en Coupe de France avaient les yeux rivés sur le tirage au sort, réalisé au Parc des Princes.…

    ", + "content": "Exit le Ballon d'or, place au vrai foot.
    \n
    \nCe lundi, les présidents des 64 clubs restants en Coupe de France avaient les yeux rivés sur le tirage au sort, réalisé au Parc des Princes.…

    ", "category": "", - "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-13-507299.html", + "link": "https://www.sofoot.com/coupe-de-france-le-tirage-au-sort-complet-des-32e-de-finale-507662.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T12:30:00Z", + "pubDate": "2021-11-30T10:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-coupe-de-france-le-tirage-au-sort-complet-des-32e-de-finale-1638267254_x600_articles-507662.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0fea6a43118ab904f913c77e4531dd3e" + "hash": "237e6216fcdb6bd4d05f09c0f08f9011" }, { - "title": "Comment Zidane a sauvé le festival Marrakech du Rire de Jamel", - "description": "Mercredi dernier est sorti un grand et beau livre So Foot. Après Diego Maradona, So Foot s'est s'attaqué à une autre légende, le plus grand numéro 10 français de l'histoire (derrière Michel…", - "content": "Mercredi dernier est sorti un grand et beau livre So Foot. Après Diego Maradona, So Foot s'est s'attaqué à une autre légende, le plus grand numéro 10 français de l'histoire (derrière Michel…", + "title": "Le sélectionneur de la Nouvelle-Zélande écœuré par l'organisation des qualifications de la zone Océanie", + "description": "Le Qatar, ce fabuleux pays d'Océanie.
    \n
    \nAussi approximatif que la géographie de l'Eurovision avec l'Australie, le tournoi qualificatif à la Coupe du monde 2022 pour la zone Océanie…

    ", + "content": "Le Qatar, ce fabuleux pays d'Océanie.
    \n
    \nAussi approximatif que la géographie de l'Eurovision avec l'Australie, le tournoi qualificatif à la Coupe du monde 2022 pour la zone Océanie…

    ", "category": "", - "link": "https://www.sofoot.com/comment-zidane-a-sauve-le-festival-marrakech-du-rire-de-jamel-507305.html", + "link": "https://www.sofoot.com/le-selectionneur-de-la-nouvelle-zelande-ecoeure-par-l-organisation-des-qualifications-de-la-zone-oceanie-507661.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T12:26:00Z", + "pubDate": "2021-11-30T10:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-selectionneur-de-la-nouvelle-zelande-ecoeure-par-l-organisation-des-qualifications-de-la-zone-oceanie-1638266863_x600_articles-507661.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "505e0209846493c8864ce7b696ae1a1f" + "hash": "756576339a455a8ec6c4dcd6be4155ad" }, { - "title": "Dimitri Payet porte plainte contre X et sera examiné par un médecin du travail", - "description": "Le feuilleton continue après les incidents survenus ce dimanche au Groupama Stadium. Ce lundi, les événements basculent…", - "content": "Le feuilleton continue après les incidents survenus ce dimanche au Groupama Stadium. Ce lundi, les événements basculent…", + "title": "Ethan Mbappé appelé avec l'équipe de France U16", + "description": "Pour jouer piston ?
    \n
    \nSi Kylian a fini à une honorable neuvième place au classement du Ballon…

    ", + "content": "Pour jouer piston ?
    \n
    \nSi Kylian a fini à une honorable neuvième place au classement du Ballon…

    ", "category": "", - "link": "https://www.sofoot.com/dimitri-payet-porte-plainte-contre-x-et-sera-examine-par-un-medecin-du-travail-507309.html", + "link": "https://www.sofoot.com/ethan-mbappe-appele-avec-l-equipe-de-france-u16-507659.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T12:07:00Z", + "pubDate": "2021-11-30T09:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ethan-mbappe-appele-avec-l-equipe-de-france-u16-1638265104_x600_articles-507659.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bff0225be84a5671216d49cb737b110d" + "hash": "aa9a5a3efb457012cdf1d87cba1214d1" }, { - "title": "Pronostic Séville Wolfsbourg : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le FC Séville au pied du mur face à Wolfsbourg

    \n
    \nAnnoncé comme le favori de ce groupe G, le FC Séville se retrouve actuellement en dernière position…
    ", - "content": "

    Le FC Séville au pied du mur face à Wolfsbourg

    \n
    \nAnnoncé comme le favori de ce groupe G, le FC Séville se retrouve actuellement en dernière position…
    ", + "title": "Marcelo Bielsa : \"J'ai de sérieux doutes sur l'avenir du football professionnel\"", + "description": "\"... et nous regardons ailleurs\", aurait complété Jacques Chirac.
    \n
    \nEn conférence de presse ce lundi, Marcelo Bielsa a tenu à donner son sentiment sur le rythme des matchs…

    ", + "content": "\"... et nous regardons ailleurs\", aurait complété Jacques Chirac.
    \n
    \nEn conférence de presse ce lundi, Marcelo Bielsa a tenu à donner son sentiment sur le rythme des matchs…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-seville-wolfsbourg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507307.html", + "link": "https://www.sofoot.com/marcelo-bielsa-j-ai-de-serieux-doutes-sur-l-avenir-du-football-professionnel-507658.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:49:00Z", + "pubDate": "2021-11-30T09:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-marcelo-bielsa-j-ai-de-serieux-doutes-sur-l-avenir-du-football-professionnel-1638264108_x600_articles-507658.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d10745e2fda29dc9c96eae9f7dded945" + "hash": "a63696d711f56cb5ae30d5800e97e09a" }, { - "title": "Un Français termine meilleur buteur de D3 suédoise", - "description": "La carrière de Yoann Fellrath est de celles qu'on qualifie de tortueuses, chaotiques. Passé par Tarbes en National 2 ou Bourgoin-Jallieu en National 3, c'est en troisième division suédoise que…", - "content": "La carrière de Yoann Fellrath est de celles qu'on qualifie de tortueuses, chaotiques. Passé par Tarbes en National 2 ou Bourgoin-Jallieu en National 3, c'est en troisième division suédoise que…", + "title": "Mohamed Salah a remporté le Golden Foot Award", + "description": "Petit lot de consolation.
    \n
    \nTous les projecteurs étaient braqués sur l'annonce du Ballon d'or 2021 ce lundi soir. Mais dans le même temps, à Monaco, une autre cérémonie avait lieu :…

    ", + "content": "Petit lot de consolation.
    \n
    \nTous les projecteurs étaient braqués sur l'annonce du Ballon d'or 2021 ce lundi soir. Mais dans le même temps, à Monaco, une autre cérémonie avait lieu :…

    ", "category": "", - "link": "https://www.sofoot.com/un-francais-termine-meilleur-buteur-de-d3-suedoise-507303.html", + "link": "https://www.sofoot.com/mohamed-salah-a-remporte-le-golden-foot-award-507656.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:37:00Z", + "pubDate": "2021-11-30T09:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mohamed-salah-a-remporte-le-golden-foot-award-1638263908_x600_articles-507656.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88bd936a10615023d4e368d2ca5db885" + "hash": "625ba3892397592d61249fc4f51709d1" }, { - "title": "Le PSG vers une centième composition différente à la suite", - "description": "Incroyable, mais vrai.
    \n
    \nMercredi soir face à Manchester City, le Paris Saint-Germain pourrait voir son onze de départ modifié une centième fois de suite d'après un petit calcul de…

    ", - "content": "Incroyable, mais vrai.
    \n
    \nMercredi soir face à Manchester City, le Paris Saint-Germain pourrait voir son onze de départ modifié une centième fois de suite d'après un petit calcul de…

    ", + "title": "Nasser al-Khelaïfi dément les rumeurs autour de Zidane au PSG", + "description": "Zizou, pour quoi faire ?
    \n
    \nBien présent au théâtre du Châtelet ce lundi pour voir sa recrue phare de cet été glaner…

    ", + "content": "Zizou, pour quoi faire ?
    \n
    \nBien présent au théâtre du Châtelet ce lundi pour voir sa recrue phare de cet été glaner…

    ", "category": "", - "link": "https://www.sofoot.com/le-psg-vers-une-centieme-composition-differente-a-la-suite-507304.html", + "link": "https://www.sofoot.com/nasser-al-khelaifi-dement-les-rumeurs-autour-de-zidane-au-psg-507654.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:36:00Z", + "pubDate": "2021-11-30T08:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nasser-al-khelaifi-dement-les-rumeurs-autour-de-zidane-au-psg-1638261605_x600_articles-507654.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8f46d109c8125daa7f299197c7fb77b7" + "hash": "485e70e08b71c1f9173a10da30dadb39" }, { - "title": "Pronostic Barcelone Benfica : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    L'effet Xavi se poursuit pour Barcelone face au Benfica

    \n
    \nDans ce groupe E de la Ligue des Champions, le Bayern Munich a déjà assuré sa place pour…
    ", - "content": "

    L'effet Xavi se poursuit pour Barcelone face au Benfica

    \n
    \nDans ce groupe E de la Ligue des Champions, le Bayern Munich a déjà assuré sa place pour…
    ", + "title": "Aulas sur OL-OM : \"Je ne vois pas comment on pourrait nous donner match perdu\"", + "description": "Aulas défend son steak.
    \n
    \nNeuf jours après l'interruption de Lyon-Marseille pour des raisons de sécurité, Jean-Michel Aulas revient
    ", + "content": "Aulas défend son steak.
    \n
    \nNeuf jours après l'interruption de Lyon-Marseille pour des raisons de sécurité, Jean-Michel Aulas revient
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-barcelone-benfica-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507306.html", + "link": "https://www.sofoot.com/aulas-sur-ol-om-je-ne-vois-pas-comment-on-pourrait-nous-donner-match-perdu-507653.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:34:00Z", + "pubDate": "2021-11-30T08:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aulas-sur-ol-om-je-ne-vois-pas-comment-on-pourrait-nous-donner-match-perdu-1638260396_x600_articles-507653.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f540458acddc6f940d1d6ebdd4e31557" + "hash": "6760d92bc9d7c3d26018595b38a8f17e" }, { - "title": "Pronostic Malmö Zenit Saint-Pétersbourg : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Zenit assure sa 3e place à Malmö

    \n
    \nCette affiche entre Malmö et le Zenit ne devrait pas avoir d'impact sur le résultat final du…
    ", - "content": "

    Le Zenit assure sa 3e place à Malmö

    \n
    \nCette affiche entre Malmö et le Zenit ne devrait pas avoir d'impact sur le résultat final du…
    ", + "title": "Le best of des buts amateurs du week-end des 27 et 28 novembre 2021", + "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", "category": "", - "link": "https://www.sofoot.com/pronostic-malmo-zenit-saint-petersbourg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507302.html", + "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-27-et-28-novembre-2021-507635.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:25:00Z", + "pubDate": "2021-11-30T07:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-best-of-des-buts-amateurs-du-week-end-des-27-et-28-novembre-2021-1638258642_x600_articles-alt-507635.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42170cefb1cdd18115b69009539a4a73" + "hash": "c5c39e2d3ee8b15c42132648b0726342" }, { - "title": "Pronostic Chelsea Juventus : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Chelsea prend sa revanche face à la Juventus

    \n
    \nCe choc entre Chelsea et la Juventus est un peu galvaudé car les deux formations sont quasiment assurées…
    ", - "content": "

    Chelsea prend sa revanche face à la Juventus

    \n
    \nCe choc entre Chelsea et la Juventus est un peu galvaudé car les deux formations sont quasiment assurées…
    ", + "title": "Comment j'ai gagné une Playstation 5 grâce à SO FOOT ", + "description": "Chaque mois depuis le début de saison, SO FOOT et Rue des Joueurs vous proposent d'essayer de gagner une Playstation 5 (et beaucoup d'autres gains) en jouant gratuitement à la SO FOOT LIGUE. Alors qu'on remet une console en jeu pour le mois de décembre et les fêtes de fin d'année, on est allé prendre des nouvelles de Thomas, qui a gagné la première PS5 de la saison en septembre.
    \n
    Depuis quand joues-tu à la SO FOOT LIGUE ?
    \nDepuis le tout premier jour, en fait ! Je suis lecteur de So Foot depuis pas mal d'années et lorsque la SFL a…
    ", + "content": "Depuis quand joues-tu à la SO FOOT LIGUE ?
    \nDepuis le tout premier jour, en fait ! Je suis lecteur de So Foot depuis pas mal d'années et lorsque la SFL a…
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-chelsea-juventus-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507301.html", + "link": "https://www.sofoot.com/comment-j-ai-gagne-une-playstation-5-grace-a-so-foot-507629.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:19:00Z", + "pubDate": "2021-11-30T05:02:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-comment-j-ai-gagne-une-playstation-5-grace-a-so-foot-1638199427_x600_articles-507629.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c509df43412a788b074983afa42fc7d" + "hash": "a66cbb7c3f4f3f537dd73639ac910e1e" }, { - "title": "Pronostic Dynamo Kiev Bayern Munich : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Le Bayern Munich poursuit son sans-faute face au Dynamo Kiev

    \n
    \nDernier de ce groupe de Ligue des Champions, le Dynamo Kiev abat peut-être sa dernière…
    ", - "content": "

    Le Bayern Munich poursuit son sans-faute face au Dynamo Kiev

    \n
    \nDernier de ce groupe de Ligue des Champions, le Dynamo Kiev abat peut-être sa dernière…
    ", + "title": "Juventus Circus", + "description": "Résultats plus que décevants depuis le début de la saison, retour de Massimiliano Allegri pour le moment raté, transferts aux finances douteuses... Que ce soit sur ou en dehors des terrains, la Juventus ne respire pas la santé actuellement.Voilà ce qu'on appelle, bien que l'euphémisme l'emporterait presque sur la réalité, une semaine de merde. Cinq jours qui ont ressemblé à un véritable cauchemar pour la Juventus, que ce soit…", + "content": "Voilà ce qu'on appelle, bien que l'euphémisme l'emporterait presque sur la réalité, une semaine de merde. Cinq jours qui ont ressemblé à un véritable cauchemar pour la Juventus, que ce soit…", "category": "", - "link": "https://www.sofoot.com/pronostic-dynamo-kiev-bayern-munich-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507298.html", + "link": "https://www.sofoot.com/juventus-circus-507638.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:17:00Z", + "pubDate": "2021-11-30T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-juventus-circus-1638205746_x600_articles-alt-507638.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c79b901965391f5a9ccb2a985e553056" + "hash": "1ddcb491380ef362b478fb7c32bdb50d" }, { - "title": "Troyes est le club français à avoir utilisé le plus de joueurs depuis un an", - "description": "44-26. Non, ce n'est pas le résultat de la sublime victoire du XV de France face aux All Blacks samedi dernier (pas loin, 40-25). Ce n'est pas non plus le nombre de minutes qu'il a fallu…", - "content": "44-26. Non, ce n'est pas le résultat de la sublime victoire du XV de France face aux All Blacks samedi dernier (pas loin, 40-25). Ce n'est pas non plus le nombre de minutes qu'il a fallu…", + "title": "Tabac et football, l'écran de fumée", + "description": "Alors que le mois sans tabac prend fin ce 30 novembre, une question mérite d'être posée : le monde du football est-il si hermétique que cela à la cigarette ? Si l'époque des clopes dans le vestiaire ou sur le banc de touche est révolue, les joueurs n'ont pas tous écrasé leurs mégots pour autant. Car derrière les discours anti-tabac, le monde du football reste accro à la nicotine. Et devinez quoi : la Covid n'a rien arrangé.\"Avant et après le match, et même parfois à la mi-temps, je me cachais pour fumer. Je n'étais pas le seul du vestiaire. À vue de nez, je pense qu'il y a un bon quart de fumeurs dans le…", + "content": "\"Avant et après le match, et même parfois à la mi-temps, je me cachais pour fumer. Je n'étais pas le seul du vestiaire. À vue de nez, je pense qu'il y a un bon quart de fumeurs dans le…", "category": "", - "link": "https://www.sofoot.com/troyes-est-le-club-francais-a-avoir-utilise-le-plus-de-joueurs-depuis-un-an-507300.html", + "link": "https://www.sofoot.com/tabac-et-football-l-ecran-de-fumee-507616.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:13:00Z", + "pubDate": "2021-11-30T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tabac-et-football-l-ecran-de-fumee-1638189242_x600_articles-alt-507616.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "49ee99d17503683e702259e3e967f45c" + "hash": "eaf40e870242c1d80623d3e28070bbaa" }, { - "title": "Rhys Healey, le serial buteur du TFC", - "description": "Quel meilleur moment qu'un choc au sommet pour briller ? Rhys Healey l'a bien compris, lui qui a porté le Téfécé ce samedi face à Sochaux. Pour le plus grand bonheur du Stadium de Toulouse, qui a pleinement adopté son serial buteur anglais. C'est bien simple : depuis le début de saison, le globe-trotter britannique martyrise les défenses de Ligue 2 chaque week-end au sein de la meilleure attaque du championnat.\"Your defense is terrified, Healey's on fire !\" Les plus de 15 000 supporters venus au Stadium pour la réception de Sochaux ce samedi n'ont eu qu'une chanson sur les lèvres, histoire de…", - "content": "\"Your defense is terrified, Healey's on fire !\" Les plus de 15 000 supporters venus au Stadium pour la réception de Sochaux ce samedi n'ont eu qu'une chanson sur les lèvres, histoire de…", + "title": "Lionel Messi : \"Robert Lewandowski aurait mérité de remporter ce Ballon d'or\"", + "description": "Fair-play Award.
    \n
    \nÉlu Ballon d'or 2021, Lionel Messi n'a pas manqué de rendre hommage à Robert Lewandowski, candidat légitime au sacre final. L'Argentin a ainsi tenu à saluer…

    ", + "content": "Fair-play Award.
    \n
    \nÉlu Ballon d'or 2021, Lionel Messi n'a pas manqué de rendre hommage à Robert Lewandowski, candidat légitime au sacre final. L'Argentin a ainsi tenu à saluer…

    ", "category": "", - "link": "https://www.sofoot.com/rhys-healey-le-serial-buteur-du-tfc-507255.html", + "link": "https://www.sofoot.com/lionel-messi-robert-lewandowski-aurait-merite-de-remporter-ce-ballon-d-or-507652.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T11:00:00Z", + "pubDate": "2021-11-29T21:16:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-robert-lewandowski-aurait-merite-de-remporter-ce-ballon-d-or-1638220822_x600_articles-507652.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ffdc5aeddfbd2c736bc08de952497ab" + "hash": "dc28d4b312f65f10bff3ecfd15ec0fec" }, { - "title": "Pronostic Villarreal Manchester United : Analyse, cotes et prono du match de Ligue des Champions", - "description": "

    Villareal résiste à Man United

    \n
    \nDans ce groupe F de la Ligue des Champions, 3 équipes se sont détachées pour décrocher leurs places en…
    ", - "content": "

    Villareal résiste à Man United

    \n
    \nDans ce groupe F de la Ligue des Champions, 3 équipes se sont détachées pour décrocher leurs places en…
    ", + "title": "Lionel Messi vainqueur du Ballon d'or 2021", + "description": "Lionel Mesept.
    \n
    \nL'édition 2021 du Ballon d'or a sacré Lionel Messi ce lundi. Vainqueur de la Coupe d'Espagne avec le FC Barcelone, meilleur buteur de la Liga 2020-2021 (30 buts) et…

    ", + "content": "Lionel Mesept.
    \n
    \nL'édition 2021 du Ballon d'or a sacré Lionel Messi ce lundi. Vainqueur de la Coupe d'Espagne avec le FC Barcelone, meilleur buteur de la Liga 2020-2021 (30 buts) et…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-villarreal-manchester-united-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507294.html", + "link": "https://www.sofoot.com/lionel-messi-vainqueur-du-ballon-d-or-2021-507651.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T10:54:00Z", + "pubDate": "2021-11-29T21:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-vainqueur-du-ballon-d-or-2021-1638219945_x600_articles-507651.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c82f7e0fd46aad8f1d617146ff7c56e6" + "hash": "326f7ce56398cbb51fa98581012315b1" }, { - "title": "Dimitri Payet absent de l'entraînement", - "description": "En état de choc.
    \n
    \nDimitri Payet ne s'est décidément pas remis de ce qu'il a vécu au Groupama Stadium dimanche soir lors de
    ", - "content": "En état de choc.
    \n
    \nDimitri Payet ne s'est décidément pas remis de ce qu'il a vécu au Groupama Stadium dimanche soir lors de
    ", + "title": "Lewandowski, un affront si prévisible", + "description": "64 pions engrangés sur l'année civile, des masterclass week-end après week-end, un record légendaire - celui de Gerd Müller - effacé des tablettes, un neuvième titre de champion d'Allemagne au compteur... et pourtant, Robert Lewandowski a vu le Ballon d'or 2021 lui passer sous le nez. L'insatiable buteur du Bayern Munich n'a en effet pris que la deuxième place du classement qui a été révélé ce lundi soir, étant devancé par Lionel Messi. On peut (et on doit !) s'en indigner. Mais, malheureusement, ce camouflet était presque couru d'avance.Aux yeux de beaucoup, c'en était devenu une évidence : pour Robert Lewandowski, 2020 devait être l'année de la consécration. Sauf qu'une saloperie de virus est passée par là, incitant…", + "content": "Aux yeux de beaucoup, c'en était devenu une évidence : pour Robert Lewandowski, 2020 devait être l'année de la consécration. Sauf qu'une saloperie de virus est passée par là, incitant…", "category": "", - "link": "https://www.sofoot.com/dimitri-payet-absent-de-l-entrainement-507293.html", + "link": "https://www.sofoot.com/lewandowski-un-affront-si-previsible-507650.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T10:54:00Z", + "pubDate": "2021-11-29T21:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lewandowski-un-affront-si-previsible-1638221121_x600_articles-alt-507650.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d50333d36aa635b09239648cfd4125e4" + "hash": "1f070d285fb606b5a46dfa43cb2b9121" }, { - "title": "Pedri désigné Golden Boy 2021", - "description": "L'eau mouille et le feu brûle.
    \n
    \nAbsent des terrains depuis plusieurs semaines en raison d'une blessure musculaire à la jambe gauche, Pedri a reçu ce lundi un beau lot de consolation.…

    ", - "content": "L'eau mouille et le feu brûle.
    \n
    \nAbsent des terrains depuis plusieurs semaines en raison d'une blessure musculaire à la jambe gauche, Pedri a reçu ce lundi un beau lot de consolation.…

    ", + "title": "Messi, le Ballon dort", + "description": "Vainqueur du Ballon d'or 2021, Lionel Messi a remporté ce lundi son septième globe doré. Une distinction supplémentaire pour l'armoire à trophées de l'Argentin, mais une déception certaine pour le monde du football. Signe, certainement, d'une récompense attribuée par défaut.Après (seulement) deux ans d'attente, le voilà de retour. Le smoking ajusté et le sourire figé, Lionel Messi vient d'être sacré Ballon d'or 2021, au terme d'une soirée aussi longue que…", + "content": "Après (seulement) deux ans d'attente, le voilà de retour. Le smoking ajusté et le sourire figé, Lionel Messi vient d'être sacré Ballon d'or 2021, au terme d'une soirée aussi longue que…", "category": "", - "link": "https://www.sofoot.com/pedri-designe-golden-boy-2021-507296.html", + "link": "https://www.sofoot.com/messi-le-ballon-dort-507642.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T10:42:00Z", + "pubDate": "2021-11-29T21:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-messi-le-ballon-dort-1638219765_x600_articles-alt-507642.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "32db0cb3615efc1dfccad4702ca2c7ae" + "hash": "3f9feb8ada3a8b906784f62a54f0dbd4" }, { - "title": "Une ancienne légende d'Everton signe en D2", - "description": "Louzy, commune de 1400 habitants, à sa nouvelle star.
    \n
    \nOn est d'accord, Tony Hibbert ne dira pas grand-chose aux jeunes admirateurs du ballon rond. Un petit tour sur sa fiche…

    ", - "content": "Louzy, commune de 1400 habitants, à sa nouvelle star.
    \n
    \nOn est d'accord, Tony Hibbert ne dira pas grand-chose aux jeunes admirateurs du ballon rond. Un petit tour sur sa fiche…

    ", + "title": "Karim Benzema, enfin certifié", + "description": "Quatrième du Ballon d'or ce lundi soir, Karim Benzema pourrait se sentir lésé. Mais tout n'est pas noir dans ce résultat, qui l'adoube enfin parmi les très grands de ce sport. Une reconnaissance qui tardait à arriver. Pour la première fois de sa carrière, KB9 est dans le top 10. Une performance qu'il ne faut pas banaliser.Dans un passé pas si lointain, dans une galaxie pas si éloignée, être la figure de proue du Real Madrid vous assurait de vous placer dans la lutte pour le Ballon d'or. Cette année n'a pas…", + "content": "Dans un passé pas si lointain, dans une galaxie pas si éloignée, être la figure de proue du Real Madrid vous assurait de vous placer dans la lutte pour le Ballon d'or. Cette année n'a pas…", "category": "", - "link": "https://www.sofoot.com/une-ancienne-legende-d-everton-signe-en-d2-507292.html", + "link": "https://www.sofoot.com/karim-benzema-enfin-certifie-507628.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T10:38:00Z", + "pubDate": "2021-11-29T21:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-karim-benzema-enfin-certifie-1638201526_x600_articles-alt-507628.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa4bda994a0f160745177d1c11e259e1" + "hash": "36255fc0b6c7eac4213af8d1194fcc03" }, { - "title": "Ruddy Buquet n'avait pas autorisé l'annonce du speaker", - "description": "Vite, appelez Scooby-Doo.
    \n
    \nMais qui a bien pu envoyer le speaker annoncer aux supporters la reprise du match après l'interruption d'OL-OM dimanche soir ? En tout cas, ce n'est…

    ", - "content": "Vite, appelez Scooby-Doo.
    \n
    \nMais qui a bien pu envoyer le speaker annoncer aux supporters la reprise du match après l'interruption d'OL-OM dimanche soir ? En tout cas, ce n'est…

    ", + "title": "Ballon d'or : Karim Benzema au pied du podium, N'golo Kanté cinquième", + "description": "Ce n'est que partie remise.
    \n
    \nKarim Benzema se classe quatrième de ce Ballon d'or 2021. L'attaquant français arrive ainsi au pied du podium, malgré un statut de potentiel favori fort de…

    ", + "content": "Ce n'est que partie remise.
    \n
    \nKarim Benzema se classe quatrième de ce Ballon d'or 2021. L'attaquant français arrive ainsi au pied du podium, malgré un statut de potentiel favori fort de…

    ", "category": "", - "link": "https://www.sofoot.com/ruddy-buquet-n-avait-pas-autorise-l-annonce-du-speaker-507290.html", + "link": "https://www.sofoot.com/ballon-d-or-karim-benzema-au-pied-du-podium-n-golo-kante-cinquieme-507649.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T10:04:00Z", + "pubDate": "2021-11-29T20:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ballon-d-or-karim-benzema-au-pied-du-podium-n-golo-kante-cinquieme-1638220079_x600_articles-507649.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "45b1dadfc06aa7344cb8fe2f245af637" + "hash": "a1ca063e6b9a7873f2b158e4f79dcac8" }, { - "title": "OL-OM : le fameux \"acte isolé\" en vidéo", - "description": "Question de point de vue.
    \n
    \nAprès l'interruption du match Lyon-Marseille dimanche soir pour un jet de bouteille, Jean-Michel Aulas et le speaker de l'OL ont évoqué à plusieurs reprises…

    ", - "content": "Question de point de vue.
    \n
    \nAprès l'interruption du match Lyon-Marseille dimanche soir pour un jet de bouteille, Jean-Michel Aulas et le speaker de l'OL ont évoqué à plusieurs reprises…

    ", + "title": "Donnarumma rafle le trophée Yachine", + "description": "Gigio > Doudou.
    \n
    \nÀ la lutte avec Edouard Mendy, c'est finalement Gianluigi Donnarumma qui a remporté le trophée Yachine. Le nouveau portier du PSG, champion d'Europe avec l'Italie,…

    ", + "content": "Gigio > Doudou.
    \n
    \nÀ la lutte avec Edouard Mendy, c'est finalement Gianluigi Donnarumma qui a remporté le trophée Yachine. Le nouveau portier du PSG, champion d'Europe avec l'Italie,…

    ", "category": "", - "link": "https://www.sofoot.com/ol-om-le-fameux-acte-isole-en-video-507289.html", + "link": "https://www.sofoot.com/donnarumma-rafle-le-trophee-yachine-507648.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T09:58:00Z", + "pubDate": "2021-11-29T20:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-donnarumma-rafle-le-trophee-yachine-1638218798_x600_articles-507648.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "361d3bc475395a41403caf484eaf30a2" + "hash": "efb378680a47ebdc95c6d2a9a9513a40" }, { - "title": "Elche remercie Fran Escribá ", - "description": "Fekir a fait déborder le vase.
    \n
    \nEnglué dans les profondeurs de la Liga (18e au classement avec deux victoires en 14 matchs), Elche ne s'en sort pas. Ce dimanche, le club de…

    ", - "content": "Fekir a fait déborder le vase.
    \n
    \nEnglué dans les profondeurs de la Liga (18e au classement avec deux victoires en 14 matchs), Elche ne s'en sort pas. Ce dimanche, le club de…

    ", + "title": "Alexia Putellas, de l'or dans les pieds", + "description": "À 27 ans, la milieu du FC Barcelone vient de recevoir la plus belle récompense de sa carrière en devenant la troisième joueuse à remporter le Ballon d'or féminin, après une année exceptionnelle sur le plan collectif et individuel.Son nom n'est pas le plus connu dans le monde du football féminin. Bien loin des très médiatisées Ada Hegerberg et Megan Rapinoe, vainqueurs des deux premières éditions du Ballon d'or,…", + "content": "Son nom n'est pas le plus connu dans le monde du football féminin. Bien loin des très médiatisées Ada Hegerberg et Megan Rapinoe, vainqueurs des deux premières éditions du Ballon d'or,…", "category": "", - "link": "https://www.sofoot.com/elche-remercie-fran-escriba-507291.html", + "link": "https://www.sofoot.com/alexia-putellas-de-l-or-dans-les-pieds-507641.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T09:55:00Z", + "pubDate": "2021-11-29T20:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-alexia-putellas-de-l-or-dans-les-pieds-1638207953_x600_articles-alt-507641.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2203e1ad49ed81cc6de83ae91e414254" + "hash": "63f288c5e05ee46dec7fc0dff5474f0c" }, { - "title": "Le Napoli sans Victor Osimhen pendant plusieurs semaines", - "description": "Sale soirée pour le Napoli.
    \n
    \nBattus pour la première fois de la saison par l'Inter (3-2), les Napolitains…

    ", - "content": "Sale soirée pour le Napoli.
    \n
    \nBattus pour la première fois de la saison par l'Inter (3-2), les Napolitains…

    ", + "title": "Tournoi de France : les Bleues affronteront les Pays-Bas, le Brésil et la Finlande", + "description": "De quoi bien attaquer 2022.
    \n
    \nLes Bleues de Corinne Diacre vont avoir un programme chargé avant le début de l'Euro 2022 en Angleterre l'été prochain : le Brésil (7e au…

    ", + "content": "De quoi bien attaquer 2022.
    \n
    \nLes Bleues de Corinne Diacre vont avoir un programme chargé avant le début de l'Euro 2022 en Angleterre l'été prochain : le Brésil (7e au…

    ", "category": "", - "link": "https://www.sofoot.com/le-napoli-sans-victor-osimhen-pendant-plusieurs-semaines-507288.html", + "link": "https://www.sofoot.com/tournoi-de-france-les-bleues-affronteront-les-pays-bas-le-bresil-et-la-finlande-507639.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T09:50:00Z", + "pubDate": "2021-11-29T17:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-tournoi-de-france-les-bleues-affronteront-les-pays-bas-le-bresil-et-la-finlande-1638207861_x600_articles-507639.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "35533168f102a95ddac22a1e6fcedd3e" + "hash": "237b88b22ad73a42af55726e3c437b61" }, { - "title": "Mourinho va offrir des chaussures à 800 euros à Felix Afena", - "description": "Pourquoi chercher des leviers psychologiques quand un simple cadeau suffit.
    \n
    \n\"J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de…

    ", - "content": "Pourquoi chercher des leviers psychologiques quand un simple cadeau suffit.
    \n
    \n\"J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de…

    ", + "title": "Daniel Alves (FC Barcelone) avant le Ballon d'or : \"Tous les prix individuels devraient revenir à Christian Eriksen\"", + "description": "Et pourquoi pas un prix spécial ?
    \n
    \nTous les projecteurs sont braqués sur le théâtre du Châtelet ce lundi, où l'on apprendra enfin qui est le Ballon d'or 2021. Si les pronostics vont…

    ", + "content": "Et pourquoi pas un prix spécial ?
    \n
    \nTous les projecteurs sont braqués sur le théâtre du Châtelet ce lundi, où l'on apprendra enfin qui est le Ballon d'or 2021. Si les pronostics vont…

    ", "category": "", - "link": "https://www.sofoot.com/mourinho-va-offrir-des-chaussures-a-800-euros-a-felix-afena-507286.html", + "link": "https://www.sofoot.com/daniel-alves-fc-barcelone-avant-le-ballon-d-or-tous-les-prix-individuels-devraient-revenir-a-christian-eriksen-507640.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T09:34:00Z", + "pubDate": "2021-11-29T17:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-daniel-alves-fc-barcelone-avant-le-ballon-d-or-tous-les-prix-individuels-devraient-revenir-a-christian-eriksen-1638207028_x600_articles-507640.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "75abb1d90b2ac6ef422fbf94620b11d4" + "hash": "560f7dd1757cd8f42ac4eaa9126da160" }, { - "title": "Raúl Jiménez : \"Je dois encore plus profiter du football\"", - "description": "Séquence émotion.
    \n
    \nVoilà près d'un an que le pire a été évité à l'Emirates Stadium. Ce 29 novembre 2020, lors d'un duel avec David Luiz, Raúl Jiménez s'écroulait
    ", - "content": "Séquence émotion.
    \n
    \nVoilà près d'un an que le pire a été évité à l'Emirates Stadium. Ce 29 novembre 2020, lors d'un duel avec David Luiz, Raúl Jiménez s'écroulait
    ", + "title": "Un rappeur du Pas-de-Calais, Rask, a dédié un titre à Florian Sotoca", + "description": "Ça rentre direct dans la playlist d'avant-match des Lensois.
    \n
    \nLe début de saison réussi du RC Lens semble avoir donné des ailes à certains. Rask, un rappeur originaire d'Arras…

    ", + "content": "Ça rentre direct dans la playlist d'avant-match des Lensois.
    \n
    \nLe début de saison réussi du RC Lens semble avoir donné des ailes à certains. Rask, un rappeur originaire d'Arras…

    ", "category": "", - "link": "https://www.sofoot.com/raul-jimenez-je-dois-encore-plus-profiter-du-football-507285.html", + "link": "https://www.sofoot.com/un-rappeur-du-pas-de-calais-rask-a-dedie-un-titre-a-florian-sotoca-507637.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T08:35:00Z", + "pubDate": "2021-11-29T17:18:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-rappeur-du-pas-de-calais-rask-a-dedie-un-titre-a-florian-sotoca-1638205489_x600_articles-507637.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b61911d0472c26805d8c46e0b7583df" + "hash": "909910152d54cb14b8645a53de6eb264" }, { - "title": "La blessure de Renato Sanches l'a empêché de signer au Barça l'été dernier", - "description": "Les ligaments croisés, tout ça, tout ça ?
    \n
    \nSimplement titularisé à six reprises cette saison en Ligue 1, Renato Sanches peine à retrouver l'étincelant niveau de jeu qu'il a parfois…

    ", - "content": "Les ligaments croisés, tout ça, tout ça ?
    \n
    \nSimplement titularisé à six reprises cette saison en Ligue 1, Renato Sanches peine à retrouver l'étincelant niveau de jeu qu'il a parfois…

    ", + "title": "La FIFA met sous tutelle la fédération guinéenne de football ainsi que la fédération tchadienne de football", + "description": "V'là autre chose.
    \n
    \nEn pleine tornade institutionnelle, la fédération guinéenne de football ainsi que la fédération tchadienne ont été placées sous tutelle par la FIFA. Pour…

    ", + "content": "V'là autre chose.
    \n
    \nEn pleine tornade institutionnelle, la fédération guinéenne de football ainsi que la fédération tchadienne ont été placées sous tutelle par la FIFA. Pour…

    ", "category": "", - "link": "https://www.sofoot.com/la-blessure-de-renato-sanches-l-a-empeche-de-signer-au-barca-l-ete-dernier-507283.html", + "link": "https://www.sofoot.com/la-fifa-met-sous-tutelle-la-federation-guineenne-de-football-ainsi-que-la-federation-tchadienne-de-football-507631.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T08:09:00Z", + "pubDate": "2021-11-29T17:12:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-fifa-met-sous-tutelle-la-federation-guineenne-de-football-ainsi-que-la-federation-tchadienne-de-football-1638203606_x600_articles-507631.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8af9a791d80e47dc56018e42939a30a4" + "hash": "8554f0fabb0f43e6728b61a06497815b" }, { - "title": "LOTO du lundi 22 novembre 2021 : 25 millions d'€ à gagner !", - "description": "25 millions d'euros sont à gagner au LOTO ce lundi 22 novembre 2021. Un montant incroyable pour la loterie française

    LOTO du lundi 22 novembre 2021 : 25 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce lundi 22 novembre 2021 affiche un montant énorme de 25 millions…
    ", - "content": "

    LOTO du lundi 22 novembre 2021 : 25 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce lundi 22 novembre 2021 affiche un montant énorme de 25 millions…
    ", + "title": "Le tableau et les dates de la Coupe du monde des clubs sont connus", + "description": "Le football au soleil, c'est une chose qu'on voit de plus en plus.
    \n
    \n
    ", + "content": "Le football au soleil, c'est une chose qu'on voit de plus en plus.
    \n
    \n
    ", "category": "", - "link": "https://www.sofoot.com/loto-du-lundi-22-novembre-2021-25-millions-d-e-a-gagner-507231.html", + "link": "https://www.sofoot.com/le-tableau-et-les-dates-de-la-coupe-du-monde-des-clubs-sont-connus-507622.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T08:02:00Z", + "pubDate": "2021-11-29T16:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-tableau-et-les-dates-de-la-coupe-du-monde-des-clubs-sont-connus-1638204291_x600_articles-507622.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0e1717c4c64e6782ba8e2652c9543ad3" + "hash": "f87bd1f882aa4c60e8f88a3d54f6ca94" }, { - "title": "Maracineanu : \"Les dirigeants doivent arrêter de se cacher derrière leur petit doigt\"", - "description": "Le bal de l'indignation se poursuit.
    \n
    \nLes intolérables événements survenus ce dimanche soir au Groupama…

    ", - "content": "Le bal de l'indignation se poursuit.
    \n
    \nLes intolérables événements survenus ce dimanche soir au Groupama…

    ", + "title": "Oui, Gauthier Hein doit remporter le Prix Puskás", + "description": "Stupeur à Auxerre : ce lundi après-midi, le club icaunais est sorti de table avec un portable qui a dû vibrer très fort. Et pour cause : la FIFA a publié sa liste des dix prétendants au prix Puskás du plus beau but de l'année, avec Gauthier Hein en deuxième position. Désormais, il faudra tout faire pour que \"Gotcho\" accroche la breloque dans son armoire à trophées le 17 janvier prochain. Parce qu'il le mérite.2008 : année bénie pour Gauthier Hein qui souffle sa douzième bougie en remportant la Danone Nations Cup et le titre de…", + "content": "2008 : année bénie pour Gauthier Hein qui souffle sa douzième bougie en remportant la Danone Nations Cup et le titre de…", "category": "", - "link": "https://www.sofoot.com/maracineanu-les-dirigeants-doivent-arreter-de-se-cacher-derriere-leur-petit-doigt-507282.html", + "link": "https://www.sofoot.com/oui-gauthier-hein-doit-remporter-le-prix-puskas-507634.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T07:37:00Z", + "pubDate": "2021-11-29T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-oui-gauthier-hein-doit-remporter-le-prix-puskas-1638201424_x600_articles-alt-507634.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d75aaf91282632feac860f0c3db10902" + "hash": "a3689f30147d18f6ebd1dfe00f546a75" }, { - "title": "Tribunes au bord de la crise de nerf : la faute à qui ?", - "description": "Cet Olympico constitue le sixième incident grave, depuis le début de la saison. Avec, en ligne de mire, des tribunes françaises qui semblent au bord de la crise de nerfs et renvoient souvent une image décevante voire inquiétante. Mais quelles sont les solutions pour sortir de cette spirale, tant les causes de cette répétition de débordements de violence semblent échapper à tout le monde ?L'image est terrible. Dimitri Payet recevant, en pleine tête, une bouteille d'eau. Tout le monde se souvient de ce qu'il avait déjà subi, à Nice. Sa réaction, en balançant en retour…", - "content": "L'image est terrible. Dimitri Payet recevant, en pleine tête, une bouteille d'eau. Tout le monde se souvient de ce qu'il avait déjà subi, à Nice. Sa réaction, en balançant en retour…", + "title": " Le gouvernement allemand \"s'étonne\" de l'affluence de Cologne-Mönchengladbach", + "description": "La Rhénanie en folie.
    \n
    \nOn pensait les restrictions de spectateurs enfin dépassées, la pandémie essoufflée. Il semblerait qu'il n'en soit rien. Ce samedi, Cologne a accueilli et…

    ", + "content": "La Rhénanie en folie.
    \n
    \nOn pensait les restrictions de spectateurs enfin dépassées, la pandémie essoufflée. Il semblerait qu'il n'en soit rien. Ce samedi, Cologne a accueilli et…

    ", "category": "", - "link": "https://www.sofoot.com/tribunes-au-bord-de-la-crise-de-nerf-la-faute-a-qui-507280.html", + "link": "https://www.sofoot.com/le-gouvernement-allemand-s-etonne-de-l-affluence-de-cologne-monchengladbach-507627.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T05:00:00Z", + "pubDate": "2021-11-29T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-gouvernement-allemand-s-etonne-de-l-affluence-de-cologne-monchengladbach-1638201850_x600_articles-507627.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a1ffd358fdb0641b9c5692384bda80e4" + "hash": "309dc381ae5495f851ee9eb0136637d5" }, { - "title": "Ces trois infos du week-end vont vous étonner", - "description": "Parce qu'il n'y a pas que les championnats du Big Five dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : un monument polonais en péril, une dernière minute folle en D2 japonaise et une revanche savoureuse outre-Atlantique.

    ", - "content": "

    ", + "title": "Le Paris Saint-Germain annonce six à huit semaines d'absence pour Neymar après sa blessure à Saint-Étienne", + "description": "Ney, le cauchemar.
    \n
    \nLe PSG a assuré l'essentiel ce dimanche à Geoffroy-Guichard en s'imposant face à…

    ", + "content": "Ney, le cauchemar.
    \n
    \nLe PSG a assuré l'essentiel ce dimanche à Geoffroy-Guichard en s'imposant face à…

    ", "category": "", - "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-507268.html", + "link": "https://www.sofoot.com/le-paris-saint-germain-annonce-six-a-huit-semaines-d-absence-pour-neymar-apres-sa-blessure-a-saint-etienne-507630.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T05:00:00Z", + "pubDate": "2021-11-29T15:43:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-paris-saint-germain-annonce-six-a-huit-semaines-d-absence-pour-neymar-apres-sa-blessure-a-saint-etienne-1638200453_x600_articles-507630.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d67211c48909c12dc2f0998cde62bb4" + "hash": "a7a3736e5e112c8a7a8094db0d6775ed" }, { - "title": "Quiz : Ils ont marqué autant que Lionel Messi en Ligue 1 après 14 journées", - "description": "Lionel Messi aura donc attendu la quatorzième journée de Ligue 1, et la venue du FC Nantes au Parc des Princes (3-1), pour débloquer son compteur dans le championnat de France. Un premier but qui permet à la Pulga d'inscrire son nom au classement des buteurs et d'ainsi rejoindre 77 autres joueurs qui, comme lui, n'ont marqué qu'un seul pion depuis le début de la saison. Saurez-vous les retrouver ?", + "title": "Joris Gnagnon va s'engager avec l'AS Saint-Étienne", + "description": "Du sang neuf dans le Forez.
    \n
    \nEn difficulté dans le secteur défensif depuis le début de la saison avec 31 buts encaissés en 15 rencontres (soit la deuxième pire défense de Ligue 1…

    ", + "content": "Du sang neuf dans le Forez.
    \n
    \nEn difficulté dans le secteur défensif depuis le début de la saison avec 31 buts encaissés en 15 rencontres (soit la deuxième pire défense de Ligue 1…

    ", "category": "", - "link": "https://www.sofoot.com/quiz-ils-ont-marque-autant-que-lionel-messi-en-ligue-1-apres-14-journees-507265.html", + "link": "https://www.sofoot.com/joris-gnagnon-va-s-engager-avec-l-as-saint-etienne-507623.html", "creator": "SO FOOT", - "pubDate": "2021-11-22T05:00:00Z", + "pubDate": "2021-11-29T15:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-joris-gnagnon-va-s-engager-avec-l-as-saint-etienne-1638199393_x600_articles-507623.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "56b64851169cb478b114877b05162b5e" + "hash": "82318cc976c91968e42a5c083c6bf02d" }, { - "title": "Un stade, peu de lumières", - "description": "Le craquage d'un supporter lyonnais, dès la troisième minute de jeu, a complètement ruiné un dimanche soir qui s'annonçait palpitant. Si les fans rhodaniens s'étaient déjà distingués par certains comportements plus que discutables en Coupe d'Europe, les antécédents de débordements en Ligue 1 ne sont pas nombreux. Malgré tout, Aulas, qui avait réclamé de lourdes sanctions après Nice-OM, devrait être pris à son propre jeu. Même s'il assure qu'il ne s'agit pas du tout d'un cas similaire.\" Je fais partie des gens qui pensent que la seule sanction possible pour freiner cet état de fait, que ce soit au niveau des joueurs, des dirigeants, des supporters, c'est la pénalité en…", - "content": "\" Je fais partie des gens qui pensent que la seule sanction possible pour freiner cet état de fait, que ce soit au niveau des joueurs, des dirigeants, des supporters, c'est la pénalité en…", + "title": "En direct : La cérémonie du Ballon d'or 2021", + "description": "Après un an d'absence en raison de la pandémie du coronavirus, le Ballon d'or revient cette année. Restera-t-il dans les mains de Lionel Messi qui en aurait alors 7 à son actif ? Ou ira-t-il dans celles de Robert Lewandowski qui aurait sans contestation possible remporté le trophée en 2020 ? À moins que Karim Benzema vienne créer la surprise. Réponse ici.

  • Classement officiel du…
  • ", + "content": "

  • Classement officiel du…
  • ", "category": "", - "link": "https://www.sofoot.com/un-stade-peu-de-lumieres-507279.html", + "link": "https://www.sofoot.com/en-direct-la-ceremonie-du-ballon-d-or-2021-507619.html", "creator": "SO FOOT", - "pubDate": "2021-11-21T23:01:00Z", + "pubDate": "2021-11-29T15:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-la-ceremonie-du-ballon-d-or-2021-1638186997_x600_articles-507619.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "44662886d71e6205ac0fc965b83e73ef" + "hash": "e170bc95849b74c71a38087bfc23ab80" }, { - "title": "Lyon-Marseille : la cible Dimitri Payet", - "description": "Venu à Lyon pour croiser le fer avec son meilleur ennemi et donner de l'amour pendant 90 minutes, Dimitri Payet n'en a passé que deux sur le terrain... Avant de devoir rentrer à l'infirmerie, après avoir reçu une bouteille en plein sur le crâne. Une triste habitude pour le Réunionnais, qui symbolise malgré lui le bourbier actuel dans les tribunes de Ligue 1.On s'en léchait déjà les babines : Dimitri Payet face à Lucas Paquetá, les deux meneurs de jeu des Olympiques à leurs sommets en ce moment, face à face au Parc OL en prime time ce…", - "content": "On s'en léchait déjà les babines : Dimitri Payet face à Lucas Paquetá, les deux meneurs de jeu des Olympiques à leurs sommets en ce moment, face à face au Parc OL en prime time ce…", + "title": "Gauthier Hein (Auxerre) nommé pour le Prix Puskás de la FIFA 2021", + "description": "Hein-croyable.
    \n
    \nL'Auxerrois Gauthier Hein est dans la liste des onze buts retenus pour remporter le prix Puskás de la FIFA 2021 qui récompense la plus belle réalisation de l'année. Le…

    ", + "content": "Hein-croyable.
    \n
    \nL'Auxerrois Gauthier Hein est dans la liste des onze buts retenus pour remporter le prix Puskás de la FIFA 2021 qui récompense la plus belle réalisation de l'année. Le…

    ", "category": "", - "link": "https://www.sofoot.com/lyon-marseille-la-cible-dimitri-payet-507272.html", + "link": "https://www.sofoot.com/gauthier-hein-auxerre-nomme-pour-le-prix-puskas-de-la-fifa-2021-507624.html", "creator": "SO FOOT", - "pubDate": "2021-11-21T22:59:00Z", + "pubDate": "2021-11-29T14:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gauthier-hein-auxerre-nomme-pour-le-prix-puskas-de-la-fifa-2021-1638197099_x600_articles-507624.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "973612fdbd465256a837a4fbb8bf529f" + "hash": "5c79d70af1ea4185677583aa98bd9591" }, { - "title": "OL-OM : la soirée qui a mis en lumière la lâcheté du foot français", - "description": "En faisant poireauter l'ensemble des acteurs et des suiveurs de ce Lyon-Marseille, interrompu après l'agression de Dimitri Payet par les tribunes, les instances et autres dirigeants du foot français ont donné à voir une preuve terrible de leur incompétence face à ces situations de crise, mais aussi de leur lâcheté au moment d'assumer les conséquences.Il est environ 20h50 quand les caméras se braquent sur Dimitri Payet, le visage enfoui dans la pelouse du Groupama Stadium de Lyon, les mains pressant son crâne endolori. Déjà ciblé par des…", - "content": "Il est environ 20h50 quand les caméras se braquent sur Dimitri Payet, le visage enfoui dans la pelouse du Groupama Stadium de Lyon, les mains pressant son crâne endolori. Déjà ciblé par des…", + "title": "Face à la Lazio, le Napoli a dévoilé la statue de Diego Maradona", + "description": "Un an après, l'émotion est intacte.
    \n
    \nUn peu plus d'une année après l'annonce du décès de Diego Maradona, le…

    ", + "content": "Un an après, l'émotion est intacte.
    \n
    \nUn peu plus d'une année après l'annonce du décès de Diego Maradona, le…

    ", "category": "", - "link": "https://www.sofoot.com/ol-om-la-soiree-qui-a-mis-en-lumiere-la-lachete-du-foot-francais-507276.html", + "link": "https://www.sofoot.com/face-a-la-lazio-le-napoli-a-devoile-la-statue-de-diego-maradona-507620.html", "creator": "SO FOOT", - "pubDate": "2021-11-21T22:55:00Z", + "pubDate": "2021-11-29T13:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-face-a-la-lazio-le-napoli-a-devoile-la-statue-de-diego-maradona-1638193415_x600_articles-507620.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6546b1a8521b7ddec6f842e6114723d1" + "hash": "e4e1725cc2e2ca1cd86f73a687351b01" }, { - "title": "Ruddy Buquet, arbitre d'OL-OM : \"Ma décision sportive a toujours été de ne pas reprendre le match\"", - "description": "Cette triste soirée de dimanche aura eu le mérite de nous offrir une scène rare : la prise de parole publique d'un arbitre pour donner son point de vue.
    \n
    \nEn l'occurrence, Ruddy Buquet…

    ", - "content": "Cette triste soirée de dimanche aura eu le mérite de nous offrir une scène rare : la prise de parole publique d'un arbitre pour donner son point de vue.
    \n
    \nEn l'occurrence, Ruddy Buquet…

    ", + "title": "Que s'est-il passé au Portugal entre Belenenses et Benfica ?", + "description": "Privé d'une majeure partie de son effectif pour cause de Covid, Belenenses s'est présenté avec neuf joueurs au coup d'envoi de son match face à Benfica. Une partie finalement abandonnée après 48 minutes de jeu sur un invraisemblable score (0-7). Mais au-delà de l'insolite, cet épisode jette surtout le discrédit sur la Ligue de football portugaise et son incapacité chronique à gérer les situations de crise.En débarquant à Jamor ce samedi, Belenenses SAD avait des allures d'équipe de futsal. Neuf joueurs seulement sur la pelouse, dont sept issus de l'équipe réserve, et João Monteiro, habituel…", + "content": "En débarquant à Jamor ce samedi, Belenenses SAD avait des allures d'équipe de futsal. Neuf joueurs seulement sur la pelouse, dont sept issus de l'équipe réserve, et João Monteiro, habituel…", "category": "", - "link": "https://www.sofoot.com/ruddy-buquet-arbitre-d-ol-om-ma-decision-sportive-a-toujours-ete-de-ne-pas-reprendre-le-match-507278.html", + "link": "https://www.sofoot.com/que-s-est-il-passe-au-portugal-entre-belenenses-et-benfica-507599.html", "creator": "SO FOOT", - "pubDate": "2021-11-21T22:22:00Z", + "pubDate": "2021-11-29T13:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-que-s-est-il-passe-au-portugal-entre-belenenses-et-benfica-1638137141_x600_articles-alt-507599.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0496bae93da59ee87e665fc57f885940" + "hash": "ca89e048ec86c4c7165101225e89df06" }, { - "title": "Monaco et Lille font du surplace", - "description": "Menée du fait d'un doublé éclair de Jonathan David et réduite à 10 en seconde période, l'ASM est pourtant parvenue à tenir en échec Lille au stade Louis-II (2-2). Une bonne dose de frustration pour les deux formations qui font du surplace en milieu de tableau. Une nouvelle fois, le LOSC a eu les occasions de sceller un précieux succès et ne les a pas saisies.

    ", - "content": "

    ", + "title": "Ralf Rangnick officiellement intronisé à Manchester United", + "description": "Troisième entraîneur en huit jours à Manchester.
    \n
    \nCe n'était plus un secret pour…

    ", + "content": "Troisième entraîneur en huit jours à Manchester.
    \n
    \nCe n'était plus un secret pour…

    ", "category": "", - "link": "https://www.sofoot.com/monaco-et-lille-font-du-surplace-507197.html", + "link": "https://www.sofoot.com/ralf-rangnick-officiellement-intronise-a-manchester-united-507621.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T22:00:00Z", + "pubDate": "2021-11-29T12:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ralf-rangnick-officiellement-intronise-a-manchester-united-1638188246_x600_articles-507621.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aee705ec9bc7fa9c88ef1512308cd45f" + "hash": "ae30c7fb05284c93d74dc99db9df5c01" }, { - "title": "Pronostic Angers Lorient : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Angers – Lorient avec des buts de chaque côté

    \n
    \nAprès 13 journées de Ligue 1, Angers se trouve dans la première partie de tableau à la…
    ", - "content": "

    Un Angers – Lorient avec des buts de chaque côté

    \n
    \nAprès 13 journées de Ligue 1, Angers se trouve dans la première partie de tableau à la…
    ", + "title": "Le Hertha Berlin vire Pál Dárdai et intronise Tayfun Korkut sur son banc", + "description": "Dárdai, bye-bye.
    \n
    \nArrivé fin janvier 2021 sur le banc du Hertha, Pál Dárdai ne sera resté que dix petits mois dans la capitale allemande. Le club présidé par Werner Gegenbauer a…

    ", + "content": "Dárdai, bye-bye.
    \n
    \nArrivé fin janvier 2021 sur le banc du Hertha, Pál Dárdai ne sera resté que dix petits mois dans la capitale allemande. Le club présidé par Werner Gegenbauer a…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-angers-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-507185.html", + "link": "https://www.sofoot.com/le-hertha-berlin-vire-pal-dardai-et-intronise-tayfun-korkut-sur-son-banc-507618.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T21:36:00Z", + "pubDate": "2021-11-29T12:07:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-hertha-berlin-vire-pal-dardai-et-intronise-tayfun-korkut-sur-son-banc-1638187801_x600_articles-507618.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "000a36409cb6acc46a8136f792a58f3f" + "hash": "4dd13e752148d653228d27c134c65109" }, { - "title": "Augsbourg surprend le Bayern", - "description": "

    ", - "content": "

    ", + "title": "SoFoot Ligue : Nos conseils pour faire vos picks de la semaine 14", + "description": "Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", "category": "", - "link": "https://www.sofoot.com/augsbourg-surprend-le-bayern-507196.html", + "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-14-507614.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T21:32:00Z", + "pubDate": "2021-11-29T12:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-14-1638183131_x600_articles-507614.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ccbce4e2d8fef688cd2821771247bf8" + "hash": "418f9c93bd926c668823eaa2945a1a06" }, { - "title": "Pronostic Brest Lens : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Lens sur sa lancée à Brest

    \n
    \nL'an passé, le Stade Brestois a difficilement fini la saison se sauvant lors des dernières journées. Lors du mercato,…
    ", - "content": "

    Lens sur sa lancée à Brest

    \n
    \nL'an passé, le Stade Brestois a difficilement fini la saison se sauvant lors des dernières journées. Lors du mercato,…
    ", + "title": "Karim Benzema établit le record de buts marqués en club pour un joueur français, devant Thierry Henry", + "description": "\"Laisse-moi zoom zoom zang dans ta Benz Benz Benz\"
    \n
    \nLa nuit au Bernabéu a été pleine d'émotion…

    ", + "content": "\"Laisse-moi zoom zoom zang dans ta Benz Benz Benz\"
    \n
    \nLa nuit au Bernabéu a été pleine d'émotion…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-brest-lens-analyse-cotes-et-prono-du-match-de-ligue-1-507183.html", + "link": "https://www.sofoot.com/karim-benzema-etablit-le-record-de-buts-marques-en-club-pour-un-joueur-francais-devant-thierry-henry-507615.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T21:25:00Z", + "pubDate": "2021-11-29T11:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-karim-benzema-etablit-le-record-de-buts-marques-en-club-pour-un-joueur-francais-devant-thierry-henry-1638185083_x600_articles-507615.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bada1984c554efed6ac1a0cad8d14675" + "hash": "b8f588af35ed3a1cd4f82b06558de250" }, { - "title": "Pronostic Strasbourg Reims : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Strasbourg – Reims : le Crémant prend le dessus sur le Champagne

    \n
    \nDepuis son retour en Ligue 1, le Racing Club Strasbourg a connu de bons moments avec…
    ", - "content": "

    Strasbourg – Reims : le Crémant prend le dessus sur le Champagne

    \n
    \nDepuis son retour en Ligue 1, le Racing Club Strasbourg a connu de bons moments avec…
    ", + "title": "Unai Emery et Xavi auraient été séparés par la police après Villarreal-FC Barcelone", + "description": "Xavi-Emery, nouveau Guardiola-Mourinho ?
    \n
    \nLe Barça n'a pas brillé ce samedi, mais le Barça s'est imposé. À Villarreal, les Blaugrana ont réussi
    ", + "content": "Xavi-Emery, nouveau Guardiola-Mourinho ?
    \n
    \nLe Barça n'a pas brillé ce samedi, mais le Barça s'est imposé. À Villarreal, les Blaugrana ont réussi
    ", "category": "", - "link": "https://www.sofoot.com/pronostic-strasbourg-reims-analyse-cotes-et-prono-du-match-de-ligue-1-507182.html", + "link": "https://www.sofoot.com/unai-emery-et-xavi-auraient-ete-separes-par-la-police-apres-villarreal-fc-barcelone-507610.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T21:14:00Z", + "pubDate": "2021-11-29T11:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-unai-emery-et-xavi-auraient-ete-separes-par-la-police-apres-villarreal-fc-barcelone-1638183054_x600_articles-507610.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7fbb783d8b9b3445709067f55acd2fa" + "hash": "ce405eb1d311970c0d87835a8b9f9420" }, { - "title": "Pronostic Troyes Saint-Etienne : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Un Troyes – Saint-Etienne avec des buts de chaque côté

    \n
    \nChampion de Ligue 2 en titre, Troyes a retrouvé l'élite du football français.…
    ", - "content": "

    Un Troyes – Saint-Etienne avec des buts de chaque côté

    \n
    \nChampion de Ligue 2 en titre, Troyes a retrouvé l'élite du football français.…
    ", + "title": "Norvège : un joueur exclu après avoir poussé au sol son propre gardien", + "description": "Des vrais barbares, ces Vikings.
    \n
    \nLe Viking FK (oui oui) s'est imposé sur la pelouse de Kristiansund ce dimanche (2-3) et a conforté sa place de troisième du championnat norvégien. Si…

    ", + "content": "Des vrais barbares, ces Vikings.
    \n
    \nLe Viking FK (oui oui) s'est imposé sur la pelouse de Kristiansund ce dimanche (2-3) et a conforté sa place de troisième du championnat norvégien. Si…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-troyes-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-507181.html", + "link": "https://www.sofoot.com/norvege-un-joueur-exclu-apres-avoir-pousse-au-sol-son-propre-gardien-507612.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T20:56:00Z", + "pubDate": "2021-11-29T11:01:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-norvege-un-joueur-exclu-apres-avoir-pousse-au-sol-son-propre-gardien-1638183978_x600_articles-507612.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a0f963c0065c56fcc0b8aac3721f1f0" + "hash": "6bf498130f49cf7e32019d1695b7b455" }, { - "title": "Pronostic Clermont Nice : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Nice se relance à Clermont

    \n
    \nBien parti dans cette saison de Ligue 1, Clermont avait remporté ses deux premiers matchs face à Bordeaux et Troyes avant…
    ", - "content": "

    Nice se relance à Clermont

    \n
    \nBien parti dans cette saison de Ligue 1, Clermont avait remporté ses deux premiers matchs face à Bordeaux et Troyes avant…
    ", + "title": "Bretagne : on était aux retrouvailles entre Guingamp et Saint-Brieuc en Coupe de France", + "description": "Pour la première fois depuis 26 ans, les équipes fanions d'En Avant Guingamp et du Stade briochin se sont retrouvés sur un terrain de football à l'occasion du huitième tour de Coupe de France. Un match comme un autre après plus de deux décennies passées sans se croiser ? Un peu, même si la fête des voisins a également réveillé des douloureux souvenirs dans le camp briochin. On y était.En se baladant autour du stade de Roudourou en ce début de samedi après-midi pluvieux, rien ne laisse présager qu'un match spécial doit se jouer dans l'antre guingampaise dans un peu moins de…", + "content": "En se baladant autour du stade de Roudourou en ce début de samedi après-midi pluvieux, rien ne laisse présager qu'un match spécial doit se jouer dans l'antre guingampaise dans un peu moins de…", "category": "", - "link": "https://www.sofoot.com/pronostic-clermont-nice-analyse-cotes-et-prono-du-match-de-ligue-1-507179.html", + "link": "https://www.sofoot.com/bretagne-on-etait-aux-retrouvailles-entre-guingamp-et-saint-brieuc-en-coupe-de-france-507598.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T20:31:00Z", + "pubDate": "2021-11-29T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-bretagne-on-etait-aux-retrouvailles-entre-guingamp-et-saint-brieuc-en-coupe-de-france-1638175121_x600_articles-alt-507598.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "672d4c3b266db5a879c306325821de0c" + "hash": "7d5bdfb0fd0e940f8f3751a2110b65c2" }, { - "title": "En direct : Monaco - Lille", - "description": "96' : THE END !
    \n
    \nVite mené 0-2, l'ASM arrache finalement un nul mérité au regard des 60 ...", - "content": "96' : THE END !
    \n
    \nVite mené 0-2, l'ASM arrache finalement un nul mérité au regard des 60 ...", + "title": "Gérard Lopez (Bordeaux) tance ses joueurs après la défaite contre Brest", + "description": "Une défaite au goût amer.
    \n
    \nCe dimanche, dans le cadre de la quinzième journée de Ligue 1, Bordeaux recevait Brest. Pourtant menés 1-0 jusqu'à l'heure de jeu,
    ", + "content": "Une défaite au goût amer.
    \n
    \nCe dimanche, dans le cadre de la quinzième journée de Ligue 1, Bordeaux recevait Brest. Pourtant menés 1-0 jusqu'à l'heure de jeu,
    ", "category": "", - "link": "https://www.sofoot.com/en-direct-monaco-lille-507191.html", + "link": "https://www.sofoot.com/gerard-lopez-bordeaux-tance-ses-joueurs-apres-la-defaite-contre-brest-507608.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T19:45:00Z", + "pubDate": "2021-11-29T10:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-gerard-lopez-bordeaux-tance-ses-joueurs-apres-la-defaite-contre-brest-1638180347_x600_articles-507608.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "750698f9e9334bee25e21b36818b81af" + "hash": "d143fd7bf6d0618c2f7d9878f6e446e5" }, { - "title": "Griezmann pourra finalement jouer contre l'AC Milan", - "description": "Emoji Samba. Emoji Samba. Smiley cœur. Smiley cœur. Typiquement le genre d'enchaînement qui indique qu'Antoine Griezmann vient d'apprendre une bonne nouvelle. Pour le champion du monde,…", - "content": "Emoji Samba. Emoji Samba. Smiley cœur. Smiley cœur. Typiquement le genre d'enchaînement qui indique qu'Antoine Griezmann vient d'apprendre une bonne nouvelle. Pour le champion du monde,…", + "title": "Pronostic Salernitana Juventus : Analyse, cotes et prono du match de Serie A", + "description": "

    La Juventus n'a pas le choix face à la Salernitana

    \n
    \nPromue cette saison, la Salernitana connait logiquement une entame compliquée. En effet,…
    ", + "content": "

    La Juventus n'a pas le choix face à la Salernitana

    \n
    \nPromue cette saison, la Salernitana connait logiquement une entame compliquée. En effet,…
    ", "category": "", - "link": "https://www.sofoot.com/griezmann-pourra-finalement-jouer-contre-l-ac-milan-507190.html", + "link": "https://www.sofoot.com/pronostic-salernitana-juventus-analyse-cotes-et-prono-du-match-de-serie-a-507611.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T16:53:00Z", + "pubDate": "2021-11-29T10:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-salernitana-juventus-analyse-cotes-et-prono-du-match-de-serie-a-1638180964_x600_articles-507611.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a647ef14992809de13c96cf50006baa5" + "hash": "46e6ed03f7619a504d1576de810801e2" }, { - "title": "Affaire Hamraoui : Hayet Abidal demande le divorce", - "description": "Hayet Abidal a annoncé par l'intermédiaire de son avocate matrimoniale à Barcelone, Maître Jennifer Losada, entamer une procédure de divorce contre son époux, Éric Abidal. Sur la Vous cherchez une fantasy gratuite, avec plein de beaux cadeaux à gagner et une communauté au top ?
    \n
    \nRejoignez la SO FOOT LIGUE

    ", + "content": "Vous cherchez une fantasy gratuite, avec plein de beaux cadeaux à gagner et une communauté au top ?
    \n
    \nRejoignez la SO FOOT LIGUE

    ", "category": "", - "link": "https://www.sofoot.com/affaire-hamraoui-hayet-abidal-demande-le-divorce-507176.html", + "link": "https://www.sofoot.com/ps5-freebets-et-paysafecard-la-so-foot-ligue-s-occupe-de-vos-cadeaux-de-noel-507607.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T16:36:00Z", + "pubDate": "2021-11-29T09:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ps5-freebets-et-paysafecard-la-so-foot-ligue-s-occupe-de-vos-cadeaux-de-noel-1638178155_x600_articles-507607.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9c3829935f3ba4ecf570c6e22dc1c82a" + "hash": "0f433ccc3b76041271c941d8c6e3163b" }, { - "title": "La FFF annonce des mesures supplémentaires pour la protection des mineurs", - "description": "Alors que cette journée de Ligue 1 est placée sous le signe de la protection de…", - "content": "Alors que cette journée de Ligue 1 est placée sous le signe de la protection de…", + "title": "Pronostic Leeds Crystal Palace : Analyse, cotes et prono du match de Premier League", + "description": "

    Un Leeds – Crystal Palace avec des buts de chaque côté

    \n
    \nEn cette fin d'année civile en Angleterre, la Premier League va nous offrir un mois de…
    ", + "content": "

    Un Leeds – Crystal Palace avec des buts de chaque côté

    \n
    \nEn cette fin d'année civile en Angleterre, la Premier League va nous offrir un mois de…
    ", "category": "", - "link": "https://www.sofoot.com/la-fff-annonce-des-mesures-supplementaires-pour-la-protection-des-mineurs-507186.html", + "link": "https://www.sofoot.com/pronostic-leeds-crystal-palace-analyse-cotes-et-prono-du-match-de-premier-league-507609.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T16:34:00Z", + "pubDate": "2021-11-29T09:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-leeds-crystal-palace-analyse-cotes-et-prono-du-match-de-premier-league-1638180327_x600_articles-507609.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42da8ee4847e4014c6e38d827c9f414e" + "hash": "57b2543d2f56bff05d0552daa78693ce" }, { - "title": "La police abat un jeune joueur en Argentine ", - "description": "L'Argentine est sous tension après la mort de Lucas Gonzalez (17 ans), joueur de Barracas Central (D2 argentine). Le quotidien espagnol Marca rapporte que l'Argentin a succombé après avoir…", - "content": "L'Argentine est sous tension après la mort de Lucas Gonzalez (17 ans), joueur de Barracas Central (D2 argentine). Le quotidien espagnol Marca rapporte que l'Argentin a succombé après avoir…", + "title": "Pronostic Newcastle Norwich : Analyse, cotes et prono du match de Premier League", + "description": "

    Newcastle prend des points face à Norwich

    \n
    \nLa 14e journée de Premier League débute par un choc entre les deux derniers, Newcastle et…
    ", + "content": "

    Newcastle prend des points face à Norwich

    \n
    \nLa 14e journée de Premier League débute par un choc entre les deux derniers, Newcastle et…
    ", "category": "", - "link": "https://www.sofoot.com/la-police-abat-un-jeune-joueur-en-argentine-507189.html", + "link": "https://www.sofoot.com/pronostic-newcastle-norwich-analyse-cotes-et-prono-du-match-de-premier-league-507605.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T16:33:00Z", + "pubDate": "2021-11-29T09:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-newcastle-norwich-analyse-cotes-et-prono-du-match-de-premier-league-1638179144_x600_articles-507605.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "03fdd2aa0530e1f39bb370690258b7af" + "hash": "dce63752b45e47f5cb2aded8a53818dd" }, { - "title": "Pronostic Metz Bordeaux : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Bordeaux va chercher un résultat à Metz

    \n
    \nA pareille époque l'an passé, le FC Metz réalisait un exercice intéressant, pointant dans la première…
    ", - "content": "

    Bordeaux va chercher un résultat à Metz

    \n
    \nA pareille époque l'an passé, le FC Metz réalisait un exercice intéressant, pointant dans la première…
    ", + "title": "Un milliardaire russe pour reprendre l'AS Saint-Étienne ?", + "description": "Jamais deux sans trois.
    \n
    \nDepuis cet été, les dirigeants de l'AS Saint-Étienne espèrent vendre le club aux alentours de 60 millions d'euros, et au regard des performances des Verts…

    ", + "content": "Jamais deux sans trois.
    \n
    \nDepuis cet été, les dirigeants de l'AS Saint-Étienne espèrent vendre le club aux alentours de 60 millions d'euros, et au regard des performances des Verts…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-metz-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-507165.html", + "link": "https://www.sofoot.com/un-milliardaire-russe-pour-reprendre-l-as-saint-etienne-507606.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T16:13:00Z", + "pubDate": "2021-11-29T09:14:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-milliardaire-russe-pour-reprendre-l-as-saint-etienne-1638177608_x600_articles-507606.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52513a5623f187078263c6e02f2f66d8" + "hash": "ef70e0cb6262946b55f6a880c7145b42" }, { - "title": "Pronostic Inter Milan Naples : Analyse, cotes et prono du match de Serie A", - "description": "

    L'Inter ne veut pas laisser s'échapper Naples

    \n
    \nCe dimanche, l'Inter champion en titre reçoit l'actuel leader de Serie A, le Napoli. Actuellement,…
    ", - "content": "

    L'Inter ne veut pas laisser s'échapper Naples

    \n
    \nCe dimanche, l'Inter champion en titre reçoit l'actuel leader de Serie A, le Napoli. Actuellement,…
    ", + "title": "Ils viennent des États-Unis pour voir Tottenham joueur à Burnley avant que le match soit annulé", + "description": "Ça s'appelle gâcher son week-end.
    \n
    \nTrente et une heures. C'est le temps qu'il a fallu à Ken et sa compagne pour arriver à Burnley ce dimanche, depuis Dallas aux États-Unis.…

    ", + "content": "Ça s'appelle gâcher son week-end.
    \n
    \nTrente et une heures. C'est le temps qu'il a fallu à Ken et sa compagne pour arriver à Burnley ce dimanche, depuis Dallas aux États-Unis.…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-inter-milan-naples-analyse-cotes-et-prono-du-match-de-serie-a-507163.html", + "link": "https://www.sofoot.com/ils-viennent-des-etats-unis-pour-voir-tottenham-joueur-a-burnley-avant-que-le-match-soit-annule-507602.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T15:56:00Z", + "pubDate": "2021-11-29T08:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ils-viennent-des-etats-unis-pour-voir-tottenham-joueur-a-burnley-avant-que-le-match-soit-annule-1638175391_x600_articles-507602.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6b2796dfa227bf8a147d2836f8a31d4" + "hash": "086f2d4c2eb3403a4dbc6b417dfd4e53" }, { - "title": "Clermont va collaborer avec un musée d'art", - "description": "Dans un communiqué publié sur son site, le Clermont Foot a annoncé allier ses forces avec le musée d'art Roger-Quilliot (MARQ) afin de promouvoir les liens entre culture et football. L'exposition…", - "content": "Dans un communiqué publié sur son site, le Clermont Foot a annoncé allier ses forces avec le musée d'art Roger-Quilliot (MARQ) afin de promouvoir les liens entre culture et football. L'exposition…", + "title": "Carlo Ancelotti après Séville-Real Madrid : \"Vinícius Júnior décisif ? C'est une autre étape pour devenir l'un des meilleurs du Monde\"", + "description": "Tout pareil.
    \n
    \nOnze buts et sept passes décisives en dix-neuf rencontres toutes compétitions confondues contre seize réalisations et huit caviars : finalement à quelques statistiques…

    ", + "content": "Tout pareil.
    \n
    \nOnze buts et sept passes décisives en dix-neuf rencontres toutes compétitions confondues contre seize réalisations et huit caviars : finalement à quelques statistiques…

    ", "category": "", - "link": "https://www.sofoot.com/clermont-va-collaborer-avec-un-musee-d-art-507184.html", + "link": "https://www.sofoot.com/carlo-ancelotti-apres-seville-real-madrid-vinicius-junior-decisif-c-est-une-autre-etape-pour-devenir-l-un-des-meilleurs-du-monde-507604.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T15:18:00Z", + "pubDate": "2021-11-29T08:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-carlo-ancelotti-apres-seville-real-madrid-vinicius-junior-decisif-c-est-une-autre-etape-pour-devenir-l-un-des-meilleurs-du-monde-1638175939_x600_articles-507604.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a218bfbefc0529d4ea7ac9074ea1910f" + "hash": "28f0c314bd8b396d8d8c258e37b10266" }, { - "title": "Pour Conte, Ndombele doit \"travailler beaucoup plus dur que les autres\"", - "description": "Commencée en juillet 2019, l'histoire entre Tanguy Ndombele et Tottenham n'a jamais vraiment été au beau fixe. Si le Français montre par moments toute l'étendue de son potentiel, il n'a…", - "content": "Commencée en juillet 2019, l'histoire entre Tanguy Ndombele et Tottenham n'a jamais vraiment été au beau fixe. Si le Français montre par moments toute l'étendue de son potentiel, il n'a…", + "title": "Les supporters des Rangers improvisent une bataille de boules de neige à la mi-temps", + "description": "Le perdant passe 45 minutes trempé à se les geler.
    \n
    \nÀ l'heure où l'International Football Association Board (IFAB), l'institution qui régit les lois du jeu du football, songe à…

    ", + "content": "Le perdant passe 45 minutes trempé à se les geler.
    \n
    \nÀ l'heure où l'International Football Association Board (IFAB), l'institution qui régit les lois du jeu du football, songe à…

    ", "category": "", - "link": "https://www.sofoot.com/pour-conte-ndombele-doit-travailler-beaucoup-plus-dur-que-les-autres-507173.html", + "link": "https://www.sofoot.com/les-supporters-des-rangers-improvisent-une-bataille-de-boules-de-neige-a-la-mi-temps-507601.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T15:04:00Z", + "pubDate": "2021-11-29T08:44:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-supporters-des-rangers-improvisent-une-bataille-de-boules-de-neige-a-la-mi-temps-1638175157_x600_articles-507601.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "edcef7adae875713321a1f1218233b44" + "hash": "b5dbb1298a91f4892c626abdb0e9acba" }, { - "title": "De Bruyne positif au coronavirus", - "description": "Mauvaise nouvelle pour City.
    \n
    \nLors de la traditionnelle conférence de presse d'avant-match pour le compte de la 12e journée de Premier League opposant Manchester City à…

    ", - "content": "Mauvaise nouvelle pour City.
    \n
    \nLors de la traditionnelle conférence de presse d'avant-match pour le compte de la 12e journée de Premier League opposant Manchester City à…

    ", + "title": "Neymar (PSG) pourrait être absent six semaines", + "description": "Pour une fois qu'il commençait à gérer sur le terrain.
    \n
    \n\"Il va falloir voir ça demain, mais à la télévision, les images sont impressionnantes. J'espère que ce n'est pas un…

    ", + "content": "Pour une fois qu'il commençait à gérer sur le terrain.
    \n
    \n\"Il va falloir voir ça demain, mais à la télévision, les images sont impressionnantes. J'espère que ce n'est pas un…

    ", "category": "", - "link": "https://www.sofoot.com/de-bruyne-positif-au-coronavirus-507178.html", + "link": "https://www.sofoot.com/neymar-psg-pourrait-etre-absent-six-semaines-507603.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T14:42:00Z", + "pubDate": "2021-11-29T08:22:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-neymar-psg-pourrait-etre-absent-six-semaines-1638174116_x600_articles-507603.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b76e3d1cad3d949fa59cbff8d626bce" + "hash": "a2649de51e3f207274cd75c7e5df552a" }, { - "title": "Payet n'a pas dit adieu aux Bleus", - "description": "1135 jours. Il faut remonter au 11 octobre 2018 pour retrouver trace d'un match de Dimitri Payet en équipe de France. Plus de trois ans après sa dernière sélection (un 2-2 à Guingamp contre…", - "content": "1135 jours. Il faut remonter au 11 octobre 2018 pour retrouver trace d'un match de Dimitri Payet en équipe de France. Plus de trois ans après sa dernière sélection (un 2-2 à Guingamp contre…", + "title": "LOTO du lundi 29 novembre 2021 : 28 millions d'€ à gagner (cagnotte record) !", + "description": "Le plus gros gain de l'histoire de la loterie française est à remporter ce lundi 29 novembre 2021. La FDJ met en jeu une cagnotte LOTO de 28 millions d'euros

    LOTO du lundi 29 novembre 2021 : 28 Millions d'€

    \n
    \nCe lundi 29 novembre 2021, la cagnotte du LOTO est à 28 millions d'euros, un montant…
    ", + "content": "

    LOTO du lundi 29 novembre 2021 : 28 Millions d'€

    \n
    \nCe lundi 29 novembre 2021, la cagnotte du LOTO est à 28 millions d'euros, un montant…
    ", "category": "", - "link": "https://www.sofoot.com/payet-n-a-pas-dit-adieu-aux-bleus-507177.html", + "link": "https://www.sofoot.com/loto-du-lundi-29-novembre-2021-28-millions-d-e-a-gagner-cagnotte-record-507569.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T14:39:00Z", + "pubDate": "2021-11-28T06:11:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-loto-du-lundi-29-novembre-2021-28-millions-d-e-a-gagner-cagnotte-record-1638097289_x600_articles-507569.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "597ed2fdf379539a2c8b1bc3866cf171" + "hash": "1e04dbc6514e9545e1e970584cbe8afe" }, { - "title": "Pronostic Lyon OM : Analyse, cotes et prono du match de Ligue 1 + 150€ direct offerts chez Winamax", - "description": "Après le carton plein sur le dernier match des Bleus, retour des championnats ce week-end avec un Olympico qui promet. Retrouvez notre pronostic sur Lyon - OM avec le nouveau bonus Winamax : 150€ offerts direct !

    Déposez 150€ et misez direct avec 300€ sur Lyon - OM

    \n
    \n
    \nNOUVEAU :

    ", - "content": "

    Déposez 150€ et misez direct avec 300€ sur Lyon - OM

    \n
    \n
    \nNOUVEAU :


    ", + "title": "La triste danse du Flamengo", + "description": "Après prolongation ce samedi, Palmeiras a battu Flamengo en finale du match le plus important de l'année en Amérique du Sud (2-1), la finale de la Copa Libertadores. L'équipe de São Paulo a renversé celle de Rio de Janeiro, où la fête annoncée n'a pas eu lieu.Il est 20h45 en bas de la favela de Cantagalo à Rio de Janeiro. Marcos Vinicius, 24 ans, mâche une frite de manioc le regard vide. Sur son dos s'étale le maillot rayé de rouge et de noir du…", + "content": "Il est 20h45 en bas de la favela de Cantagalo à Rio de Janeiro. Marcos Vinicius, 24 ans, mâche une frite de manioc le regard vide. Sur son dos s'étale le maillot rayé de rouge et de noir du…", "category": "", - "link": "https://www.sofoot.com/pronostic-lyon-om-analyse-cotes-et-prono-du-match-de-ligue-1-150e-direct-offerts-chez-winamax-507172.html", + "link": "https://www.sofoot.com/la-triste-danse-du-flamengo-507593.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T14:21:00Z", + "pubDate": "2021-11-29T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-triste-danse-du-flamengo-1638122127_x600_articles-alt-507593.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd79e9d45962f0ddae52d1277a44c8ef" + "hash": "8b30565012e59df3192e0633bafdeec5" }, { - "title": "Orelsan se verrait bien ambassadeur du Stade Malherbe de Caen ", - "description": "\"J'rejoins mon père au stade, on prend deux buts, on prend deux bières. J'rentre chez moi, j'allume FIFA, j'reprends Malherbe, j'continue d'perdre.\" Sur les 57 minutes et 43…", - "content": "\"J'rejoins mon père au stade, on prend deux buts, on prend deux bières. J'rentre chez moi, j'allume FIFA, j'reprends Malherbe, j'continue d'perdre.\" Sur les 57 minutes et 43…", + "title": "Ce qu'il faut retenir des matchs de Coupe de France du dimanche 28 novembre ", + "description": "Comme chaque année, le huitième tour de la Coupe de France a réservé quelques belles surprises. Au programme, le scalp du Havre dans la Vienne, une remontada signée Jean-Pierre Papin ou encore la fin d'un rêve au stade la Licorne.

  • La surprise du jour : US…
  • ", + "content": "

  • La surprise du jour : US…
  • ", "category": "", - "link": "https://www.sofoot.com/orelsan-se-verrait-bien-ambassadeur-du-stade-malherbe-de-caen-507174.html", + "link": "https://www.sofoot.com/ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-dimanche-28-novembre-507592.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T14:05:00Z", + "pubDate": "2021-11-29T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-dimanche-28-novembre-1638129573_x600_articles-alt-507592.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2e8a30e5d89fe22ed793d137482d3e0" + "hash": "9b8f9df104dd860623348252840289d3" }, { - "title": "Peter Bosz a encore \"mal à la tête\" depuis la claque infligée par Rennes", - "description": "Hamari Traoré, plus grand livreur de migraine de la Ligue 1.
    \n
    \n\"Oui, j'ai revisionné le match contre Rennes et ça fait mal à la tête. Je ne comprends pas la route qu'on a…

    ", - "content": "Hamari Traoré, plus grand livreur de migraine de la Ligue 1.
    \n
    \n\"Oui, j'ai revisionné le match contre Rennes et ça fait mal à la tête. Je ne comprends pas la route qu'on a…

    ", + "title": "Ces trois infos du week-end vont vous étonner", + "description": "Parce qu'il n'y a pas que les championnats du Big Five dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : une fin de série pour le Red Bull Salzburg, une énorme déconvenue pour le Club América et une première très attendue du côté de Saint-Marin.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/peter-bosz-a-encore-mal-a-la-tete-depuis-la-claque-infligee-par-rennes-507175.html", + "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-507588.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T14:00:00Z", + "pubDate": "2021-11-29T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ces-trois-infos-du-week-end-vont-vous-etonner-1638124266_x600_articles-alt-507588.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "643ee302fdd04220b3b77e3cbc24acf1" + "hash": "7448d0fe56b85091c6a6c2cba6aa9451" }, { - "title": "Markus Anfang (Werder Brême) soupçonné d'avoir utilisé un faux certificat de vaccination", - "description": "Depuis les prémices de l'émancipation malheureuse du coronavirus, les plus grands championnats d'Europe ne laissent plus rien au hasard en matière de mesures sanitaires. Présenter un pass…", - "content": "Depuis les prémices de l'émancipation malheureuse du coronavirus, les plus grands championnats d'Europe ne laissent plus rien au hasard en matière de mesures sanitaires. Présenter un pass…", + "title": "Le Real sauvé par son duo Benzema-Vinícius face à Séville", + "description": "Dans le choc de la 14e journée, le Real a pris le meilleur sur le Séville FC (2-1). Rapidement menés, les Merengues ont été sauvés par le duo Benzema-Vinícius, qui permet au leader du championnat de s'envoler en tête de la Liga.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/markus-anfang-werder-breme-soupconne-d-avoir-utilise-un-faux-certificat-de-vaccination-507171.html", + "link": "https://www.sofoot.com/le-real-sauve-par-son-duo-benzema-vinicius-face-a-seville-507565.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T13:13:00Z", + "pubDate": "2021-11-28T22:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-real-sauve-par-son-duo-benzema-vinicius-face-a-seville-1638136496_x600_articles-507565.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5585615bc4492afbf57697c3908fad0" + "hash": "51f79b0e6f5de77594865541929c08fc" }, { - "title": "La voie royale du FC Versailles", - "description": "Seule équipe encore invaincue sur les quatre premières divisions françaises, le FC Versailles 78 vit un début de saison de rêve sur le plan sportif en tête du groupe A de National 2. En coulisses pourtant, les dernières semaines ont été mouvementées : le président historique, Daniel Voisin, a claqué la porte après 25 ans au club, tandis que Jean-Luc Arribart est arrivé en tant que directeur général de la récente SAS créée par les nouveaux actionnaires. Le début d'une nouvelle ère ?À l'instar des géants que sont le SSC Naples, l'AC Milan, Porto ou le Sporting Portugal, le FC Versailles 78 n'a lui non plus toujours pas connu la défaite en championnat depuis le début de…", - "content": "À l'instar des géants que sont le SSC Naples, l'AC Milan, Porto ou le Sporting Portugal, le FC Versailles 78 n'a lui non plus toujours pas connu la défaite en championnat depuis le début de…", + "title": "L'OM glace Troyes dans le silence du Vélodrome", + "description": "Dans une partie déprimante du fait du huis clos du Vélodrome, mais aussi du contenu mollasson proposé par Marseille et l'ESTAC, les Phocéens ont fait la différence en seconde période grâce à Dimitri Payet et Pol Lirola (1-0). Une manière de se remettre les idées en place, sans la manière.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-voie-royale-du-fc-versailles-507145.html", + "link": "https://www.sofoot.com/l-om-glace-troyes-dans-le-silence-du-velodrome-507597.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T13:00:00Z", + "pubDate": "2021-11-28T21:46:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-om-glace-troyes-dans-le-silence-du-velodrome-1638135844_x600_articles-alt-507597.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d6c3b0540c84a4c3ec83cfd9efe3593" + "hash": "4176b8bcbf455bdfa272c15fae8a9a06" }, { - "title": "Konrad de la Fuente, redécollage imminent ", - "description": "Sensation de l'été à Marseille, Konrad de la Fuente a légèrement disparu des radars au début de l'automne, un peu à l'image de l'OM de Sampaoli. Sauf qu'aujourd'hui, l'ailier américain revient peu à peu sur le devant de la scène. Avant de faire du soccer un sport reconnu de tous aux States ?
    \t\t\t\t\t
    ", - "content": "
    \t\t\t\t\t
    ", + "title": "Naples humilie la Lazio", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/konrad-de-la-fuente-redecollage-imminent-507137.html", + "link": "https://www.sofoot.com/naples-humilie-la-lazio-507596.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T13:00:00Z", + "pubDate": "2021-11-28T21:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-naples-humilie-la-lazio-1638136301_x600_articles-507596.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59770b2394e790debfcebe9c704c009e" + "hash": "4b3c41082390e98defb5d815582989b0" }, { - "title": "Looking for Momo", - "description": "Il s'appelle Momo, il joue attaquant de pointe, en Ardèche, dans l'équipe des vétérans du Foot Loisirs 1994. Jusque-là, rien de bien étonnant. Oui, mais voilà : Momo a 80 ans. Pas de quoi empêcher ce retraité encore bien fringuant de tâter le cuir, tous les jeudis, de marquer quelques buts et d'imiter le King Cantona lorsqu'il fait trembler les filets. Pas un hasard pour un homme qui, au fond, n'a jamais vécu bien loin des terrains.\"Lorsque je parle du club autour de moi, la première chose que j'évoque, c'est Momo.\" Quand il évoque le Foot Loisirs 1994, l'association de foot dont il gère la communication en…", - "content": "\"Lorsque je parle du club autour de moi, la première chose que j'évoque, c'est Momo.\" Quand il évoque le Foot Loisirs 1994, l'association de foot dont il gère la communication en…", + "title": "En direct : Marseille - Troyes", + "description": "67' : Bonne nouvelle : le Didier Drogba 3.0 va entrer.", + "content": "67' : Bonne nouvelle : le Didier Drogba 3.0 va entrer.", "category": "", - "link": "https://www.sofoot.com/looking-for-momo-506890.html", + "link": "https://www.sofoot.com/en-direct-marseille-troyes-507571.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T13:00:00Z", + "pubDate": "2021-11-28T19:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-marseille-troyes-1638097505_x600_articles-507571.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0df90be4b2f32b17966257b9cd76945" + "hash": "1b05e5b05409f71438be6a31353e6084" }, { - "title": "La collection de tirages photo So Foot de novembre 2021 est arrivée !", - "description": "En collaboration avec l'agence photographique Icon Sport, So Foot vous propose, chaque mois, une sélection renouvelée de photographies exclusives de football en édition ultra limitée, onze tirages par taille, sur la nouvelle boutique maison : boutique.so. Brouillard en novembre, l'hiver sera tendre. La preuve avec quatre nouveaux tirages en édition limitée : la bicyclette de Rooney contre City, Zinédine période Juventus, le Parc des princes by night et l'arrêt de Dudek face à Shevchenko en 2005.
    \n
    \n


    ", - "content": "
    \n
    \n


    ", + "title": "L'Atlético maîtrise Cadix", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/la-collection-de-tirages-photo-so-foot-de-novembre-2021-est-arrivee-506666.html", + "link": "https://www.sofoot.com/l-atletico-maitrise-cadix-507594.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T12:36:00Z", + "pubDate": "2021-11-28T19:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atletico-maitrise-cadix-1638127892_x600_articles-507594.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd2201e10e794f5e320b68aa91d3aabd" + "hash": "2ca909db7a96762fd18ceae4f6a3495d" }, { - "title": "Podcast Alternative Football (épisode 13) avec Paul de Saint-Sernin comme invité sur le sujet \"l'humour et le football\"", - "description": "Le football est un jeu simple, dont beaucoup parlent, mais un univers complexe, que peu connaissent vraiment. Dans Alternative Football, le podcast hors terrain de So Foot, vous en découvrirez les rouages, avec ses principaux acteurs. Dans chaque épisode, Édouard Cissé, ancien milieu de terrain du PSG, de l'OM ou de Monaco désormais entrepreneur en plus d'être consultant pour Prime Video, et Matthieu Lille-Palette, vice-président d'Opta, s'entretiendront avec un invité sur un thème précis. Pendant une mi-temps, temps nécessaire pour redéfinir totalement votre grille de compréhension.Si on peut rire de tout, mais pas avec tout le monde, peut-on rire avec les footballeurs ? Si oui, comment ? Vaste question à laquelle ils ne sont que peu à s'être frottés. Dernier…", - "content": "Si on peut rire de tout, mais pas avec tout le monde, peut-on rire avec les footballeurs ? Si oui, comment ? Vaste question à laquelle ils ne sont que peu à s'être frottés. Dernier…", + "title": "Une petite Roma douche le Torino", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/podcast-alternative-football-episode-13-avec-paul-de-saint-sernin-comme-invite-sur-le-sujet-l-humour-et-le-football-507168.html", + "link": "https://www.sofoot.com/une-petite-roma-douche-le-torino-507585.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T12:00:00Z", + "pubDate": "2021-11-28T19:04:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-une-petite-roma-douche-le-torino-1638126571_x600_articles-507585.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a93e12aadbadd96c1ed714af18fcc67e" + "hash": "57087e38a3636b3e21d50edf5d428b2b" }, { - "title": "La Premier League conclut un nouvel accord de diffusion aux USA ", - "description": "Business is business.
    \n
    \n
    Pourtant frappé par une crise institutionnelle avec en…

    ", - "content": "Business is business.
    \n
    \nPourtant frappé par une crise institutionnelle avec en…

    ", + "title": "Les notes de Chelsea-Manchester United", + "description": "Au terme d'un match solide, Manchester United est parvenu à freiner Chelsea dans son antre (1-1). Paradoxe : la défense de Manchester, pourtant l'une des pires du Royaume, a largement fait le boulot, à l'image de Lindelöf, tandis que l'attaque de Chelsea, pourtant l'une des meilleures d'Angleterre, a bégayé son football, à l'instar d'un Werner en mode vendanges.

    Ils ont réchauffé la nuit londonienne


    \n
    \n

    ", + "content": "

    Ils ont réchauffé la nuit londonienne


    \n
    \n

    ", "category": "", - "link": "https://www.sofoot.com/la-premier-league-conclut-un-nouvel-accord-de-diffusion-aux-usa-507167.html", + "link": "https://www.sofoot.com/les-notes-de-chelsea-manchester-united-507595.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T11:00:00Z", + "pubDate": "2021-11-28T18:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-notes-de-chelsea-manchester-united-1638124866_x600_articles-alt-507595.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f59727233250a3db135d04b05c7d22c" + "hash": "4c589782da12a033d18304d26740d8ec" }, { - "title": "Pochettino : \"On veut tous faire du beau jeu et gagner 5-0\"", - "description": "Troyes (2-1), Metz (1-2), Angers (2-1), Lille (2-1), Troyes (2-1) et plus récemment Bordeaux (2-3), les copies rendues par les joueurs du Paris Saint-Germain cette saison se suivent et se…", - "content": "Troyes (2-1), Metz (1-2), Angers (2-1), Lille (2-1), Troyes (2-1) et plus récemment Bordeaux (2-3), les copies rendues par les joueurs du Paris Saint-Germain cette saison se suivent et se…", + "title": "Manchester United résiste à Chelsea", + "description": "Largement dominé sur la pelouse d'un Chelsea encore impressionnant, Manchester United ramène un bon point de Londres (1-1). Les Red Devils ont profité d'une improbable erreur de Jorginho pour prendre les devants, avant d'être rejoints sur un penalty de l'Italien. Les Blues peuvent s'en vouloir, eux qui laissent échapper deux points précieux dans la course au titre.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pochettino-on-veut-tous-faire-du-beau-jeu-et-gagner-5-0-507166.html", + "link": "https://www.sofoot.com/manchester-united-resiste-a-chelsea-507584.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T10:36:00Z", + "pubDate": "2021-11-28T18:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-manchester-united-resiste-a-chelsea-1638124063_x600_articles-alt-507584.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bcb642fe9293668ef4ce6f8e6d067ef7" + "hash": "633a71f4367a21303763f01613661b7c" }, { - "title": "Khalida Popal et Kim Kardashian ont aidé à l'évacuation de joueuses afghanes", - "description": "Les opérations de sauvetage continuent en Afghanistan.
    \n
    \nKhalida Popal, ancienne capitaine de l'équipe d'Afghanistan de football, a organisé une grande opération d'évacuation ce jeudi…

    ", - "content": "Les opérations de sauvetage continuent en Afghanistan.
    \n
    \nKhalida Popal, ancienne capitaine de l'équipe d'Afghanistan de football, a organisé une grande opération d'évacuation ce jeudi…

    ", + "title": "Leverkusen maîtrise Leipzig", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/khalida-popal-et-kim-kardashian-ont-aide-a-l-evacuation-de-joueuses-afghanes-507164.html", + "link": "https://www.sofoot.com/leverkusen-maitrise-leipzig-507583.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T10:12:00Z", + "pubDate": "2021-11-28T18:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-leverkusen-maitrise-leipzig-1638124249_x600_articles-507583.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "39346757012918da256e85a1b7463348" + "hash": "11e15d71351531a607f22ce99c1ba27d" }, { - "title": "Giovanni van Bronckhorst nommé aux Rangers ", - "description": "Laissé vacant depuis le départ de Steven Gerrard vers Aston Villa, le banc des Rangers vient de trouver un nouvel occupant. En effet, les Gers ont décidé ce jeudi de nommer Giovanni van…", - "content": "Laissé vacant depuis le départ de Steven Gerrard vers Aston Villa, le banc des Rangers vient de trouver un nouvel occupant. En effet, les Gers ont décidé ce jeudi de nommer Giovanni van…", + "title": "Lyon glace Montpellier ", + "description": "Victorieux en Ligue Europa cette semaine, Lyon enchaîne enfin en s'imposant de justesse sur le terrain de Montpellier ce dimanche (0-1). C'est seulement la deuxième victoire à l'extérieur des Rhodaniens cette saison en championnat, et elle fait du bien.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/giovanni-van-bronckhorst-nomme-aux-rangers-507162.html", + "link": "https://www.sofoot.com/lyon-glace-montpellier-507587.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T10:00:00Z", + "pubDate": "2021-11-28T18:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lyon-glace-montpellier-1638121963_x600_articles-alt-507587.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "496145fcbfe0fe2ad137ffdd13edb09f" + "hash": "987964f2b693ff21c4b9f779d59d1104" }, { - "title": "50 ouvriers sont morts accidentellement au Qatar en 2020", - "description": "6500 : c'est le nombre de morts provoquées en dix ans par les chantiers de la Coupe du monde 2022 au Qatar

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/50-ouvriers-sont-morts-accidentellement-au-qatar-en-2020-507161.html", + "link": "https://www.sofoot.com/l-espanyol-fait-tomber-la-real-sociedad-507591.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T09:40:00Z", + "pubDate": "2021-11-28T17:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-espanyol-fait-tomber-la-real-sociedad-1638120154_x600_articles-507591.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a276f9ce06a0d51b5e1e9c3ed7e7bdaf" + "hash": "0d2bafb7d85f684143a6a0a75c795b90" }, { - "title": "EuroMillions vendredi 19 novembre 2021 : 131 millions d'€ à gagner !", - "description": "L'EuroMillions de ce vendredi 19 novembre est à 131 millions d'euros. Une somme qui vous permettrait d'acheter quasiment le club de Ligue 1 de votre choix, ou plus simplement de devenir l'une des 500 plus grosses richesses de France

    EuroMillions du vendredi 19 novembre 2021 : 131M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 131 millions d'euros ce vendredi 19 novembre…
    ", - "content": "

    EuroMillions du vendredi 19 novembre 2021 : 131M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 131 millions d'euros ce vendredi 19 novembre…
    ", + "title": "Jürgen Klopp pas vraiment emballé par le derby de la Mersey", + "description": "Curieux raisonnement.
    \n
    \nEn déplacement à Goodison Park mercredi prochain afin d'y affronter Everton pour le compte de la quatorzième journée de Premier League, Liverpool s'apprête à…

    ", + "content": "Curieux raisonnement.
    \n
    \nEn déplacement à Goodison Park mercredi prochain afin d'y affronter Everton pour le compte de la quatorzième journée de Premier League, Liverpool s'apprête à…

    ", "category": "", - "link": "https://www.sofoot.com/euromillions-vendredi-19-novembre-2021-131-millions-d-e-a-gagner-507117.html", + "link": "https://www.sofoot.com/jurgen-klopp-pas-vraiment-emballe-par-le-derby-de-la-mersey-507590.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T09:10:00Z", + "pubDate": "2021-11-28T16:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-jurgen-klopp-pas-vraiment-emballe-par-le-derby-de-la-mersey-1638117904_x600_articles-507590.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e57ce7655ae3e9987845b50694865d47" + "hash": "7eced8db9edd2098c4017248d04db129" }, { - "title": "LOTO du samedi 20 novembre 2021 : 24 millions d'€ à gagner !", - "description": "Gros week-end de foot mais aussi gros week-end FDJ avec un gros EuroMillions et un énorme LOTO avec 24 millions d'euros à gagner ce samedi 20 novembre 2021

    LOTO du samedi 20 novembre 2021 : 24 Millions d'€

    \n
    \nLe LOTO de ce samedi 20 novembre 2021 est de 24 millions d'euros.
    \nSi quelqu'un…

    ", - "content": "

    LOTO du samedi 20 novembre 2021 : 24 Millions d'€

    \n
    \nLe LOTO de ce samedi 20 novembre 2021 est de 24 millions d'euros.
    \nSi quelqu'un…

    ", + "title": "En direct : Chelsea - Manchester United", + "description": "98' : THE END !
    \n
    \nLe gros coup de MU, venu avec bulldozer en défense et qui repart avec un point ...", + "content": "98' : THE END !
    \n
    \nLe gros coup de MU, venu avec bulldozer en défense et qui repart avec un point ...", "category": "", - "link": "https://www.sofoot.com/loto-du-samedi-20-novembre-2021-24-millions-d-e-a-gagner-507160.html", + "link": "https://www.sofoot.com/en-direct-chelsea-manchester-united-507543.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T09:06:00Z", + "pubDate": "2021-11-28T16:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-chelsea-manchester-united-1638120273_x600_articles-alt-507543.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "339f1412b8bbeac460a62000732c6615" + "hash": "2c80a80c732219485661e2d5793a1e96" }, { - "title": "Bob Bradley quitte le Los Angeles FC", - "description": "Dream of Californication.
    \n
    \nBob Bradley restera comme le premier entraîneur de l'histoire du Los Angeles FC. Une franchise née en 2018 et intégrée cette même saison en MLS.…

    ", - "content": "Dream of Californication.
    \n
    \nBob Bradley restera comme le premier entraîneur de l'histoire du Los Angeles FC. Une franchise née en 2018 et intégrée cette même saison en MLS.…

    ", + "title": "Rennes fait craquer Lorient et passe deuxième", + "description": "Le nouveau dauphin du PSG, c'est le SRFC.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/bob-bradley-quitte-le-los-angeles-fc-507159.html", + "link": "https://www.sofoot.com/rennes-fait-craquer-lorient-et-passe-deuxieme-507579.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T09:06:00Z", + "pubDate": "2021-11-28T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-rennes-fait-craquer-lorient-et-passe-deuxieme-1638115580_x600_articles-507579.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "15618ce57e5bbb7913bbc63bf4a82634" + "hash": "ac89893605fb2b76333065b45ebed7b2" }, { - "title": "Lucas Paquetá joueur du mois d'octobre en Ligue 1", - "description": "Incontournable au milieu de terrain à Lyon, Lucas Paquetá a marché sur la Ligue 1 au mois d'octobre. Aussi élégant sur la pelouse que son cuir chevelu, le Brésilien succède à Kylian Mbappé…", - "content": "Incontournable au milieu de terrain à Lyon, Lucas Paquetá a marché sur la Ligue 1 au mois d'octobre. Aussi élégant sur la pelouse que son cuir chevelu, le Brésilien succède à Kylian Mbappé…", + "title": "Sassuolo lessive Milan", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/lucas-paqueta-joueur-du-mois-d-octobre-en-ligue-1-507158.html", + "link": "https://www.sofoot.com/sassuolo-lessive-milan-507577.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T08:52:00Z", + "pubDate": "2021-11-28T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sassuolo-lessive-milan-1638115535_x600_articles-507577.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c4c27f548e16c6d5d9f1704a9ed93bb" + "hash": "529b25da30471b4b097bd9a95133d654" }, { - "title": "225 millions de plus pour le Real dans la rénovation de son stade", - "description": "La rénovation de Santiago Bernabéu commence à réellement devenir un casse-tête pour le Real Madrid. Le projet avait été initié en 2019 avec une jolie enveloppe de 575 millions d'euros pour…", - "content": "La rénovation de Santiago Bernabéu commence à réellement devenir un casse-tête pour le Real Madrid. Le projet avait été initié en 2019 avec une jolie enveloppe de 575 millions d'euros pour…", + "title": "Deux penaltys, mais pas de vainqueurs entre Monaco et Strasbourg", + "description": "Monaco avance (toujours) au ralenti.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/225-millions-de-plus-pour-le-real-dans-la-renovation-de-son-stade-507157.html", + "link": "https://www.sofoot.com/deux-penaltys-mais-pas-de-vainqueurs-entre-monaco-et-strasbourg-507542.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T08:22:00Z", + "pubDate": "2021-11-28T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-deux-penaltys-mais-pas-de-vainqueurs-entre-monaco-et-strasbourg-1638114901_x600_articles-507542.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da0c756a560a688cb66808116c9a571f" + "hash": "5625b41868abf17ab7a9c34d224ad37f" }, { - "title": "Sanction réduite pour un club brésilien dans une affaire de racisme", - "description": "Le club de Brusque au Brésil a pu voir ce jeudi sa sanction réduite dans une affaire de racisme qui concerne son ancien président Antonio Petermann. Ce dernier a avoué avoir émis des propos…", - "content": "Le club de Brusque au Brésil a pu voir ce jeudi sa sanction réduite dans une affaire de racisme qui concerne son ancien président Antonio Petermann. Ce dernier a avoué avoir émis des propos…", + "title": "Sous la neige, Manchester City et Leicester s'évitent un coup de froid", + "description": "Pas de Burnley-Tottenham ce dimanche après-midi, la faute à de grosses chutes de neige dans le Lancashire, mais du spectacle sur les trois autres pelouses. Bravant le froid et les flocons, Manchester City a disposé de West Ham pour revenir provisoirement à hauteur du leader Chelsea (2-1). Porté par le duo Maddison-Vardy, Leicester est sorti vainqueur d'un duel spectaculaire contre Watford (4-2). Le promu Brentford a également gagné devant son public, au détriment d'Everton (1-0).

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/sanction-reduite-pour-un-club-bresilien-dans-une-affaire-de-racisme-507156.html", + "link": "https://www.sofoot.com/sous-la-neige-manchester-city-et-leicester-s-evitent-un-coup-de-froid-507536.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T07:50:00Z", + "pubDate": "2021-11-28T15:58:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sous-la-neige-manchester-city-et-leicester-s-evitent-un-coup-de-froid-1638115084_x600_articles-507536.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e4ce5d67d116372e7e283fcd5e7a5a56" + "hash": "6162c22eea998e05e93e2e44532db37b" }, { - "title": "Jimmy Cabot, ça brûle", - "description": "Arrivé à Angers en septembre 2020, Jimmy Cabot, 27 ans, a vécu une première saison difficile dans le Maine-et-Loire avant de changer de look pour une autre vie à la suite de l'arrivée de Gérald Baticle. Repositionné piston droit par le coach arrivé cet été sur le banc du SCO, le Savoyard donne aujourd'hui la leçon aux habitués des couloirs et fonce dans tout le pays avec un statut improbable de meilleur tacleur de Ligue 1. Entre vieilles pannes de réveil, amour de la pétanque et développement personnel, portrait d'un homme complet.Un jour de juin, alors que le monde du foot a la tête à l'Euro et que ceux qui se fichent du foot tentent de comprendre quelque chose aux changements d'humeur du ciel, des hommes suent. Ils sont…", - "content": "Un jour de juin, alors que le monde du foot a la tête à l'Euro et que ceux qui se fichent du foot tentent de comprendre quelque chose aux changements d'humeur du ciel, des hommes suent. Ils sont…", + "title": "Brest renverse un triste Bordeaux", + "description": "Tout pour Le Douaron.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/jimmy-cabot-ca-brule-507127.html", + "link": "https://www.sofoot.com/brest-renverse-un-triste-bordeaux-507581.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T05:05:00Z", + "pubDate": "2021-11-28T15:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-brest-renverse-un-triste-bordeaux-1638115188_x600_articles-507581.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a051a5cd5fb3cf303f2512fbf848b3a" + "hash": "bf56b811ab9c8cd88f91a0b1e6619ac8" }, { - "title": "Le nouveau défi de Samuel Eto'o", - "description": "Samuel Eto'o a officiellement déposé sa candidature à l'élection à la présidence de la Fédération camerounaise de football (FECAFOOT) le mercredi 17 novembre, en vue du scrutin du 11 décembre. L'ancien capitaine des Lions indomptables, qui bénéficie d'un important soutien populaire et médiatique, est déterminé à aller jusqu'au bout, malgré les tentatives de l'actuel président pour l'inciter à se retirer.Kinshasa était le dimanche 14 novembre \"the place to be\" du football africain, à l'occasion du match décisif entre la RD Congo et le Bénin, comptant pour la 6e journée de…", - "content": "Kinshasa était le dimanche 14 novembre \"the place to be\" du football africain, à l'occasion du match décisif entre la RD Congo et le Bénin, comptant pour la 6e journée de…", + "title": "Reims l'emporte à l'arrachée face à Clermont", + "description": "L'été est déjà loin pour le Clermont Foot 63.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/le-nouveau-defi-de-samuel-eto-o-507133.html", + "link": "https://www.sofoot.com/reims-l-emporte-a-l-arrachee-face-a-clermont-507578.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T05:00:00Z", + "pubDate": "2021-11-28T15:53:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-reims-l-emporte-a-l-arrachee-face-a-clermont-1638114534_x600_articles-507578.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "24bda355d4e44537cdc2404c9fd7751d" + "hash": "37d8412283776853d83a8111408c3f1a" }, { - "title": "Ces activistes strasbourgeois ont un plan pour faire annuler la Coupe du monde 2022", - "description": "Ils ne voulaient pas rester indifférents aux milliers de morts recensés depuis l'attribution de la compétition au Qatar. Le collectif Maquis Alsace-Lorraine se lance dans un projet fou : faire annuler le prochain Mondial, en incitant personnellement les joueurs à boycotter l'événement.\" Depuis que je suis enfant, les footballeurs sont mes idoles. C'est pour ça que j'y crois, ils m'ont toujours fait rêver, ils ne peuvent pas me décevoir\", confie Ariel*, qui est à…", - "content": "\" Depuis que je suis enfant, les footballeurs sont mes idoles. C'est pour ça que j'y crois, ils m'ont toujours fait rêver, ils ne peuvent pas me décevoir\", confie Ariel*, qui est à…", + "title": "Kolodziejczak : \"Si ce n'est pas Mbappé, il n'y a pas rouge\"", + "description": "Un carton rouge et une colère verte.
    \n
    \nExpulsé peu avant la pause face au Paris Saint-Germain, Timothée Kolodziejczak n'a pas décoléré après
    ", + "content": "Un carton rouge et une colère verte.
    \n
    \nExpulsé peu avant la pause face au Paris Saint-Germain, Timothée Kolodziejczak n'a pas décoléré après
    ", "category": "", - "link": "https://www.sofoot.com/ces-activistes-strasbourgeois-ont-un-plan-pour-faire-annuler-la-coupe-du-monde-2022-507132.html", + "link": "https://www.sofoot.com/kolodziejczak-si-ce-n-est-pas-mbappe-il-n-y-a-pas-rouge-507586.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T05:00:00Z", + "pubDate": "2021-11-28T15:26:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-kolodziejczak-si-ce-n-est-pas-mbappe-il-n-y-a-pas-rouge-1638113475_x600_articles-507586.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b98003fd7304412e2629c2e2bf09b134" + "hash": "3098a061f4f9df902b9d0f103b297366" }, { - "title": "Pronostic Nancy Rodez : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Nancy en regain de forme avant Rodez

    \n
    \nLanterne rouge de Ligue 2, Nancy a connu une entame de championnat très compliquée avec notamment 5 défaites…
    ", - "content": "

    Nancy en regain de forme avant Rodez

    \n
    \nLanterne rouge de Ligue 2, Nancy a connu une entame de championnat très compliquée avec notamment 5 défaites…
    ", + "title": "Le Club Bruges s'impose sur le fil à Genk", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-nancy-rodez-analyse-cotes-et-prono-du-match-de-ligue-2-507155.html", + "link": "https://www.sofoot.com/le-club-bruges-s-impose-sur-le-fil-a-genk-507582.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T02:48:00Z", + "pubDate": "2021-11-28T14:41:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-club-bruges-s-impose-sur-le-fil-a-genk-1638110820_x600_articles-507582.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "714359fa98ecee9745535777d423eb7e" + "hash": "ee57e6c441e9cd45aa6bf86ba50b68f8" }, { - "title": "Pronostic Nîmes Quevilly Rouen : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Nîmes enchaine face à Quevilly Rouen

    \n
    \nRelégué de Ligue 1 après avoir vécu un exercice difficile, Nîmes a vu plusieurs cadres quitter le navire…
    ", - "content": "

    Nîmes enchaine face à Quevilly Rouen

    \n
    \nRelégué de Ligue 1 après avoir vécu un exercice difficile, Nîmes a vu plusieurs cadres quitter le navire…
    ", + "title": "Paris fait fondre Saint-Étienne", + "description": "Grâce à un doublé de Marquinhos et un Lionel Messi plus en vue et auteur de trois passes décisives, le PSG a battu Saint-Étienne ce dimanche à Geoffroy-Guichard (3-1) et signe ainsi son treizième succès de la saison en Ligue 1. Seule ombre au tableau : la sortie sur civière de Neymar, touché à la cheville en fin de rencontre.

    ", + "content": "

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-nimes-quevilly-rouen-analyse-cotes-et-prono-du-match-de-ligue-2-507154.html", + "link": "https://www.sofoot.com/paris-fait-fondre-saint-etienne-507575.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T02:43:00Z", + "pubDate": "2021-11-28T14:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-paris-fait-fondre-saint-etienne-1638108565_x600_articles-alt-507575.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "077879d3446eca5bc8a432506df906d2" + "hash": "a31c2b7f51368ef0f2f28d311eaec989" }, { - "title": "Pronostic Le Havre Amiens : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Le Havre ambitieux face à Amiens

    \n
    \nDécevant ces dernières saisons, Le Havre se monte nettement plus intéressant lors de ce nouvel exercice alors que…
    ", - "content": "

    Le Havre ambitieux face à Amiens

    \n
    \nDécevant ces dernières saisons, Le Havre se monte nettement plus intéressant lors de ce nouvel exercice alors que…
    ", + "title": "Burnley-Tottenham reporté en raison des fortes chutes de neige", + "description": "Let it Snow !
    \n
    \nLa rencontre opposant Burnley à Tottenham ce dimanche (15 heures) a été reportée à une date ultérieure en raison des intempéries frappant l'Angleterre. En…

    ", + "content": "Let it Snow !
    \n
    \nLa rencontre opposant Burnley à Tottenham ce dimanche (15 heures) a été reportée à une date ultérieure en raison des intempéries frappant l'Angleterre. En…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-le-havre-amiens-analyse-cotes-et-prono-du-match-de-ligue-2-507153.html", + "link": "https://www.sofoot.com/burnley-tottenham-reporte-en-raison-des-fortes-chutes-de-neige-507580.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T02:37:00Z", + "pubDate": "2021-11-28T13:56:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-burnley-tottenham-reporte-en-raison-des-fortes-chutes-de-neige-1638108048_x600_articles-507580.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b7b3d3da3dee479b26678d553aca531" + "hash": "4737849494ffa24ed6de6a0dad81301b" }, { - "title": "Pronostic Caen Paris FC : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Le Paris FC enfonce Caen

    \n
    \nSauvé lors de la dernière journée l'an passé, le Stade Malherbe de Caen avait en revanche parfaitement lancé ce nouvel…
    ", - "content": "

    Le Paris FC enfonce Caen

    \n
    \nSauvé lors de la dernière journée l'an passé, le Stade Malherbe de Caen avait en revanche parfaitement lancé ce nouvel…
    ", + "title": "Diogo Jota quitte son tournoi FIFA pour marquer face à Southampton", + "description": "Le virtuel devient réel.
    \n
    \nAuteur d'un doublé face à Southampton ce samedi (4-0), Diogo Jota a été…

    ", + "content": "Le virtuel devient réel.
    \n
    \nAuteur d'un doublé face à Southampton ce samedi (4-0), Diogo Jota a été…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-caen-paris-fc-analyse-cotes-et-prono-du-match-de-ligue-2-507152.html", + "link": "https://www.sofoot.com/diogo-jota-quitte-son-tournoi-fifa-pour-marquer-face-a-southampton-507576.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T02:26:00Z", + "pubDate": "2021-11-28T13:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-diogo-jota-quitte-son-tournoi-fifa-pour-marquer-face-a-southampton-1638106506_x600_articles-507576.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1cf2e2c144d511e6ea60b76dff2f9573" + "hash": "a7b1121083788a2b9ce71f657609282b" }, { - "title": "Pronostic Pau Guingamp : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Pau - Guingamp : L'En Avant tombe dans le piège palois

    \n
    \nPromu en Ligue 2 l'an passé, Pau a souffert pour se maintenir et est resté en L2 grâce à…
    ", - "content": "

    Pau - Guingamp : L'En Avant tombe dans le piège palois

    \n
    \nPromu en Ligue 2 l'an passé, Pau a souffert pour se maintenir et est resté en L2 grâce à…
    ", + "title": "Un retour en équipe de France ? Lacazette y pense \"de moins en moins\"", + "description": "Lacazette et l'équipe de France, point final ?
    \n
    \nSa seizième et dernière sélection en équipe de France, le 14 novembre 2017 contre l'Allemagne (2-2) où il avait inscrit un doublé,…

    ", + "content": "Lacazette et l'équipe de France, point final ?
    \n
    \nSa seizième et dernière sélection en équipe de France, le 14 novembre 2017 contre l'Allemagne (2-2) où il avait inscrit un doublé,…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-pau-guingamp-analyse-cotes-et-prono-du-match-de-ligue-2-507151.html", + "link": "https://www.sofoot.com/un-retour-en-equipe-de-france-lacazette-y-pense-de-moins-en-moins-507574.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T02:12:00Z", + "pubDate": "2021-11-28T11:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-un-retour-en-equipe-de-france-lacazette-y-pense-de-moins-en-moins-1638100959_x600_articles-507574.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9dd070c423ece9d27e5cd77a5c19b681" + "hash": "e9f86a3292bf0dc2519420f6f462f92b" }, { - "title": "Pronostic Rennes Montpellier : Analyse, cotes et prono du match de Ligue 1", - "description": "

    Rennes enchaîne face à Montpellier

    \n
    \nLe Stade Rennais s'est installé ces dernières saisons comme l'un des candidats aux places européennes. Il y…
    ", - "content": "

    Rennes enchaîne face à Montpellier

    \n
    \nLe Stade Rennais s'est installé ces dernières saisons comme l'un des candidats aux places européennes. Il y…
    ", + "title": "En direct : Saint-Étienne - PSG ", + "description": "94' : ET C'EST TERMINÉ !!!! Sainté, réduit à 10 juste avant la pause, aura longtemps résisté ...", + "content": "94' : ET C'EST TERMINÉ !!!! Sainté, réduit à 10 juste avant la pause, aura longtemps résisté ...", "category": "", - "link": "https://www.sofoot.com/pronostic-rennes-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-507150.html", + "link": "https://www.sofoot.com/en-direct-saint-etienne-psg-507573.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T02:02:00Z", + "pubDate": "2021-11-28T11:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-saint-etienne-psg-1638099645_x600_articles-507573.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "409ddfbc25d17c3638d8b22f2c18dd2a" + "hash": "17c1a1fb85cc61ff86eff5c17e4db460" }, { - "title": "Pronostic Bastia Niort : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Bastia solide à domicile face à Niort

    \n
    \nChampion de National l'an passé, Bastia a donc été promu en Ligue 2. Le club corse connaît un retour…
    ", - "content": "

    Bastia solide à domicile face à Niort

    \n
    \nChampion de National l'an passé, Bastia a donc été promu en Ligue 2. Le club corse connaît un retour…
    ", + "title": "La simulation ridicule de Deyverson en finale de la Copa Libertadores", + "description": "Deyverson, nouvelle recrue du Hollywood FC.
    \n
    \nVainqueur de…

    ", + "content": "Deyverson, nouvelle recrue du Hollywood FC.
    \n
    \nVainqueur de…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-bastia-niort-analyse-cotes-et-prono-du-match-de-ligue-2-507149.html", + "link": "https://www.sofoot.com/la-simulation-ridicule-de-deyverson-en-finale-de-la-copa-libertadores-507572.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T00:52:00Z", + "pubDate": "2021-11-28T11:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-la-simulation-ridicule-de-deyverson-en-finale-de-la-copa-libertadores-1638098204_x600_articles-507572.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c28c8065aed9ee932708e14092cc04c2" + "hash": "dd70ad73a83a112b6d414e7065aea97f" }, { - "title": "Pronostic Valenciennes Grenoble : Analyse, cotes et prono du match de Ligue 2", - "description": "

    Valenciennes, la mal-être avant Grenoble

    \n
    \nAprès avoir connu de fortes tensions entre supporters et dirigeants la saison dernière, Valenciennes vit des…
    ", - "content": "

    Valenciennes, la mal-être avant Grenoble

    \n
    \nAprès avoir connu de fortes tensions entre supporters et dirigeants la saison dernière, Valenciennes vit des…
    ", + "title": "On était à Canet-en-Roussillon pour la qualification du Saint-Denis FC", + "description": "Face au Canet RFC, bourreau de l'OM l'an dernier, les joueurs et supporters du Saint-Denis FC ont fait mieux que simplement venger leur idole locale à Canet-en-Roussillon. Car au-delà de la belle qualification pour les 32es de finale de la doyenne des Coupes (1-1, 7-6 TAB), les fans du club réunionnais ont apporté leur bonne humeur à la Coupe de France et ravi leurs homologues canétois par leurs chants. En mode passage de flambeau ?\"On n'a pas pris d'hôtel pour ce soir. On verra en fonction du résultat si on reste faire la fête ou si on rentre à Toulouse. Nous, on est réunionnais, on s'adapte !\" : 11h45,…", + "content": "\"On n'a pas pris d'hôtel pour ce soir. On verra en fonction du résultat si on reste faire la fête ou si on rentre à Toulouse. Nous, on est réunionnais, on s'adapte !\" : 11h45,…", "category": "", - "link": "https://www.sofoot.com/pronostic-valenciennes-grenoble-analyse-cotes-et-prono-du-match-de-ligue-2-507148.html", + "link": "https://www.sofoot.com/on-etait-a-canet-en-roussillon-pour-la-qualification-du-saint-denis-fc-507567.html", "creator": "SO FOOT", - "pubDate": "2021-11-19T00:45:00Z", + "pubDate": "2021-11-28T11:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-on-etait-a-canet-en-roussillon-pour-la-qualification-du-saint-denis-fc-1638093659_x600_articles-alt-507567.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca52c8c2287ea0fed4bcb5838361833a" + "hash": "c4feb2dda559567438696e1e032d4c1f" }, { - "title": "Pronostic Lazio Juventus : Analyse, cotes et prono du match de Serie A", - "description": "

    La Lazio résiste à la Juve

    \n
    \nCe samedi dans le cadre de la 13e journée de Premier League, la Lazio reçoit la Juventus Turin. Les hommes de…
    ", - "content": "

    La Lazio résiste à la Juve

    \n
    \nCe samedi dans le cadre de la 13e journée de Premier League, la Lazio reçoit la Juventus Turin. Les hommes de…
    ", + "title": "Sergio Ramos : \"Je pense que je peux continuer à jouer pendant quatre ou cinq années encore\"", + "description": "El Churu est de retour.
    \n
    \nSeul élément du mercato estival XXL du Paris Saint-Germain à ne pas avoir encore foulé les pelouses cette saison, Sergio Ramos est tout proche d'un…

    ", + "content": "El Churu est de retour.
    \n
    \nSeul élément du mercato estival XXL du Paris Saint-Germain à ne pas avoir encore foulé les pelouses cette saison, Sergio Ramos est tout proche d'un…

    ", "category": "", - "link": "https://www.sofoot.com/pronostic-lazio-juventus-analyse-cotes-et-prono-du-match-de-serie-a-507147.html", + "link": "https://www.sofoot.com/sergio-ramos-je-pense-que-je-peux-continuer-a-jouer-pendant-quatre-ou-cinq-annees-encore-507570.html", "creator": "SO FOOT", - "pubDate": "2021-11-18T23:44:00Z", + "pubDate": "2021-11-28T10:25:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-sergio-ramos-je-pense-que-je-peux-continuer-a-jouer-pendant-quatre-ou-cinq-annees-encore-1638094603_x600_articles-507570.jpg", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", "folder": "00.03 News/Sport - FR", "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b4d955df6c98e30934f4a80abc0d288" - } - ], - "folder": "00.03 News/Sport - FR", - "name": "SoFoot", - "language": "fr", - "hash": "34481497e90bc38e67ca4f7307f04617" - }, - { - "title": "BBC News - World", - "subtitle": "", - "link": "https://www.bbc.co.uk/news/", - "image": "https://news.bbcimg.co.uk/nol/shared/img/bbc_news_120x60.gif", - "description": "BBC News - World", - "items": [ + "hash": "0f1e428444035703500f5db9ea3ee7d1" + }, { - "title": "More than 70 killed in Kentucky's worst ever tornadoes", - "description": "The governor of the US state says that the number of victims could rise to above 100.", - "content": "The governor of the US state says that the number of victims could rise to above 100.", + "title": "Seul remplaçant de son équipe, le coach de la réserve de l'US Granville (R1) rentre en jeu", + "description": "Portugal-Normandie, même combat.
    \n
    \nEn déplacement sur la pelouse de la Maladrerie OS,…

    ", + "content": "Portugal-Normandie, même combat.
    \n
    \nEn déplacement sur la pelouse de la Maladrerie OS,…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59620091?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:16:00 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/seul-remplacant-de-son-equipe-le-coach-de-la-reserve-de-l-us-granville-r1-rentre-en-jeu-507568.html", + "creator": "SO FOOT", + "pubDate": "2021-11-28T09:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-seul-remplacant-de-son-equipe-le-coach-de-la-reserve-de-l-us-granville-r1-rentre-en-jeu-1638093887_x600_articles-507568.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0161e837710157acf472510e8f4a7bb" + "hash": "e9ff0cb38d50e41982ed372e4314779b" }, { - "title": "Tornado rips through Amazon warehouse: Drone footage shows destruction", - "description": "Tornadoes have ripped through several states killing dozens of people, authorities say.", - "content": "Tornadoes have ripped through several states killing dozens of people, authorities say.", + "title": "Belenenses SAD et Benfica remontés contre la Ligue", + "description": "Le match de la honte.
    \n
    \nCe samedi 27 novembre restera dans les mémoires comme un triste jour pour le football portugais. Privé de 17 joueurs, touchés par la Covid-19,
    ", + "content": "Le match de la honte.
    \n
    \nCe samedi 27 novembre restera dans les mémoires comme un triste jour pour le football portugais. Privé de 17 joueurs, touchés par la Covid-19,
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59621245?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:20:57 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/belenenses-sad-et-benfica-remontes-contre-la-ligue-507566.html", + "creator": "SO FOOT", + "pubDate": "2021-11-28T09:15:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-belenenses-sad-et-benfica-remontes-contre-la-ligue-1638091388_x600_articles-507566.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3ba7c3867fb0b98afe8e574667ef613" + "hash": "24d1abd5e2d38fa7108b07d2beb84f90" }, { - "title": "UK warns Russia of consequences if Ukraine invaded", - "description": "The foreign secretary says G7 ministers will warn Moscow such action would be a \"strategic mistake\".", - "content": "The foreign secretary says G7 ministers will warn Moscow such action would be a \"strategic mistake\".", + "title": "Christophe Galtier : \"Peut-être que des joueurs n'avaient pas envie\"", + "description": "Galette distribue les tartes.
    \n
    \nBattu par Metz (0-1) samedi soir à l'Allianz Riviera, Christophe Galtier et l'OGC Nice…

    ", + "content": "Galette distribue les tartes.
    \n
    \nBattu par Metz (0-1) samedi soir à l'Allianz Riviera, Christophe Galtier et l'OGC Nice…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59616743?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 01:30:03 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/christophe-galtier-peut-etre-que-des-joueurs-n-avaient-pas-envie-507564.html", + "creator": "SO FOOT", + "pubDate": "2021-11-28T08:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-christophe-galtier-peut-etre-que-des-joueurs-n-avaient-pas-envie-1638089436_x600_articles-507564.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9a00fa90bba7ba9337da665df13fef03" + "hash": "fbe6ffc2010459c7fa3113fb814722ae" }, { - "title": "Ghislaine Maxwell prosecutors rest their case", - "description": "Prosecutors say Ms Maxwell ran \"a pyramid scheme of abuse\" with paedophile Jeffrey Epstein.", - "content": "Prosecutors say Ms Maxwell ran \"a pyramid scheme of abuse\" with paedophile Jeffrey Epstein.", + "title": "DERNIER WEEK-END : 10€ offerts GRATOS en EXCLU pour parier sans pression !", + "description": "10€ à récupérer totalement gratuitement, c'est a priori bientôt fini chez ZEbet. Pour en profiter, il suffit de rentrer le code SOFOOT10EUROS

    10€ offerts sans sortir sa CB chez ZEbet

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", + "content": "

    10€ offerts sans sortir sa CB chez ZEbet

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n


    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59616024?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 00:42:23 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/dernier-week-end-10e-offerts-gratos-en-exclu-pour-parier-sans-pression-507490.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T18:42:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-dernier-week-end-10e-offerts-gratos-en-exclu-pour-parier-sans-pression-1637866356_x600_articles-507490.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5c376288b8ee27c59312c791f1ec55d" + "hash": "2ec43a9592e18c12164756fee9b8939e" }, { - "title": "Albert Benaiges: Ex-Barcelona academy chief faces sex abuse claims", - "description": "The allegations against Albert Benaiges date back to his time as a teacher in the 1980s and 90s.", - "content": "The allegations against Albert Benaiges date back to his time as a teacher in the 1980s and 90s.", + "title": "Ce qu'il faut retenir des matchs de Coupe de France du samedi 27 novembre ", + "description": "Comme chaque année, le huitième tour de la Coupe de France a réservé quelques belles surprises. Avec au programme un carton du Paris FC, des gardiens héroïques, un anniversaire et des mauvais joueurs.

  • La surprise du jour : l'AS…
  • ", + "content": "

  • La surprise du jour : l'AS…
  • ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59623258?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 18:20:01 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-samedi-27-novembre-507563.html", + "creator": "SO FOOT", + "pubDate": "2021-11-28T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ce-qu-il-faut-retenir-des-matchs-de-coupe-de-france-du-samedi-27-novembre-1638076006_x600_articles-alt-507563.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6298f2edc6a2f501138a6ec3ece146c" + "hash": "6de6b880c991c1f92b38a371e5dd3c22" }, { - "title": "Brazil nightclub fire: Four convicted over blaze that killed 242", - "description": "The fire in 2013 began when a band playing at a nightclub used flares which set light to the ceiling.", - "content": "The fire in 2013 began when a band playing at a nightclub used flares which set light to the ceiling.", + "title": "Top 10 : Stades Léo-Lagrange", + "description": "Ce dimanche, Léo Lagrange aurait eu très précisément 121 ans. Hélas, celui qui a joué un immense rôle dans le développement du sport pour tous à l'époque du Front populaire est mort le 9 juin 1940, touché par un éclat d'obus à Évergnicourt, dans l'Aisne. Depuis, son nom est avant tout associé à une foultitude de stades aux quatre coins de l'Hexagone. En voici dix, pour lui rendre hommage.

    Stade Léo-Lagrange de Vincennes (75)

    \n
    \n", + "content": "

    Stade Léo-Lagrange de Vincennes (75)

    \n
    \n", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59617508?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 00:20:03 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/top-10-stades-leo-lagrange-507518.html", + "creator": "SO FOOT", + "pubDate": "2021-11-28T05:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-top-10-stades-leo-lagrange-1637934947_x600_articles-alt-507518.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72438d1ebf90b3aeef92613f7d958a8d" + "hash": "165ad7db059201321f15f3d588e3a3b9" }, { - "title": "Mexico truck crash: Crackdown on people smugglers launched", - "description": "More than 50 people. thought to be migrants from Central America, were killed in a truck crash.", - "content": "More than 50 people. thought to be migrants from Central America, were killed in a truck crash.", + "title": "Palmeiras vient à bout de Flamengo et conserve son titre en Copa Libertadores", + "description": "

    Palmeiras 2-1 (AP) Flamengo

    \nButs : Veiga (5e) et Deyverson (95e) pour les Alviverde // Gabigol (72e) pour les…", + "content": "

    Palmeiras 2-1 (AP) Flamengo

    \nButs : Veiga (5e) et Deyverson (95e) pour les Alviverde // Gabigol (72e) pour les…", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59612811?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 05:42:52 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/palmeiras-vient-a-bout-de-flamengo-et-conserve-son-titre-en-copa-libertadores-507540.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T22:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-palmeiras-vient-a-bout-de-flamengo-et-conserve-son-titre-en-copa-libertadores-1638053797_x600_articles-507540.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e201ad66a9822f4b98a3c3dd0c4ce79" + "hash": "31c55613daba363ad2c1b5ed335c2679" }, { - "title": "Donald Trump uses expletive to attack ex-ally Benjamin Netanyahu", - "description": "The former president rails against the ex-Israeli leader, saying he saved Israel from destruction.", - "content": "The former president rails against the ex-Israeli leader, saying he saved Israel from destruction.", + "title": "Metz surprend Nice", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59571713?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:10:01 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/metz-surprend-nice-507562.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-metz-surprend-nice-1638050261_x600_articles-507562.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": false, + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "da32bc37facd438f73f70fde0b0a4f4a" + "hash": "12309c23786c92cbf759a36700ac3277" }, { - "title": "Afghanistan: Donors to release frozen funds for food and health aid", - "description": "The money will be used to fund nutrition and health services amid a growing humanitarian crisis.", - "content": "The money will be used to fund nutrition and health services amid a growing humanitarian crisis.", + "title": "Le Barça esquinte Villarreal", + "description": "Dans son habit mauve pâle, le Barça de Xavi a arraché un succès précieux à l'Estadio de la Cerámica de Villarreal (3-1), grâce à trois pions inscrits après l'entracte. Invaincus depuis un mois en Liga, les Culés pointent au septième rang et, malgré de réelles difficultés à maîtriser la rencontre, ont pu compter sur une variante de la \"chance de l'ex-champion\". À défaut de briller dans les grands matchs et d'être visible durant l'intégralité des 90 minutes, Memphis Depay a été utile et décisif.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59617510?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 01:53:18 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/le-barca-esquinte-villarreal-507552.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T22:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-barca-esquinte-villarreal-1638051256_x600_articles-alt-507552.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4669899edeb1f2945f46d0660848e65a" + "hash": "4d941b9575aeefc31da9a019e558ca50" }, { - "title": "US Supreme Court says Texas abortion clinics can sue over law", - "description": "The Supreme Court leaves controversial Texas abortion law in place, but allows lawsuits", - "content": "The Supreme Court leaves controversial Texas abortion law in place, but allows lawsuits", + "title": "L'Inter fait le boulot à Venise", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59381081?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:52:21 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/l-inter-fait-le-boulot-a-venise-507560.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T21:39:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-inter-fait-le-boulot-a-venise-1638048499_x600_articles-507560.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bac9511f039558e5b426915327f98e65" + "hash": "82546d5235d940d79d285f7777654004" }, { - "title": "Nobel Peace Prize: Maria Ressa attacks social media 'toxic sludge'", - "description": "Philippine journalist Maria Ressa accuses internet sites of using a \"God-like power\" to sow division.", - "content": "Philippine journalist Maria Ressa accuses internet sites of using a \"God-like power\" to sow division.", + "title": "Décimé par la Covid-19, Belenenses SAD joue à 9 contre Benfica", + "description": "La soirée va être longue pour Belenenses.
    \n
    \nHabituellement gardien de but, c'est en défense centrale que João Monteiro commence cette rencontre du championnat portugais entre…

    ", + "content": "La soirée va être longue pour Belenenses.
    \n
    \nHabituellement gardien de but, c'est en défense centrale que João Monteiro commence cette rencontre du championnat portugais entre…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59613540?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 18:34:28 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/decime-par-la-covid-19-belenenses-sad-joue-a-9-contre-benfica-507561.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T20:34:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-decime-par-la-covid-19-belenenses-sad-joue-a-9-contre-benfica-1638046853_x600_articles-507561.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d379ec97d0128a4428759fa4583bd0c" + "hash": "fdb1e9801fb495b2a6a7b23ea10adb2f" }, { - "title": "Michael Nesmith: The Monkees star dies at 78", - "description": "With the group, the singer and guitarist had a string of hits and starred in a TV sitcom in the 1960s.", - "content": "With the group, the singer and guitarist had a string of hits and starred in a TV sitcom in the 1960s.", + "title": "En direct : Palmeiras - Flamengo", + "description": "99' : Renato Gaucho il est désespéré dans sa zone.", + "content": "99' : Renato Gaucho il est désespéré dans sa zone.", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59606993?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:38:24 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/en-direct-palmeiras-flamengo-507557.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T19:50:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-palmeiras-flamengo-1638049708_x600_articles-alt-507557.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "24266a3a4199e8a33556a904fa4dd62f" + "hash": "9566bed34717a5b092d710f030c31d56" }, { - "title": "The woman who digs for the truth in mass graves", - "description": "Mercedes Doretti has dedicated her life to searching for victims of war and state violence, as part of the Argentine Forensic Anthropology Team.", - "content": "Mercedes Doretti has dedicated her life to searching for victims of war and state violence, as part of the Argentine Forensic Anthropology Team.", + "title": "Brighton bute sur Leeds", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/stories-59587051?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 01:00:46 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/brighton-bute-sur-leeds-507558.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T19:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-brighton-bute-sur-leeds-1638041882_x600_articles-507558.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37a6872d1e85a3d6e4f7a5ee7ced645c" + "hash": "d9bc28686c76d23945431b59ca118e1e" }, { - "title": "Finnish teacher who secretly taught IS children in Syrian camps by text", - "description": "Using WhatsApp, Ilona Taimela found a novel way to educate Finnish children held in a Syrian camp.", - "content": "Using WhatsApp, Ilona Taimela found a novel way to educate Finnish children held in a Syrian camp.", + "title": "Le Bayern trouve la faille contre l'Arminia Bielefeld et récupère la tête", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59577375?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 00:24:07 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/le-bayern-trouve-la-faille-contre-l-arminia-bielefeld-et-recupere-la-tete-507556.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T19:22:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-bayern-trouve-la-faille-contre-l-arminia-bielefeld-et-recupere-la-tete-1638040672_x600_articles-507556.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "503f6e8d402571f49515e642898f4f7d" + "hash": "4fbe009dd243d3dbc58ba98065247cbb" }, { - "title": "Week in pictures: 4-10 December 2021", - "description": "A selection of powerful images from all over the globe, taken this week.", - "content": "A selection of powerful images from all over the globe, taken this week.", + "title": "L'Atalanta assomme la Juventus ", + "description": "Bloquée. Le Juve reste bloquée au huitième rang de la Serie A après cette défaite face à l'Atalanta à l'Allianz Stadium (0-1). S'ils ont mis du cœur à l'ouvrage en seconde période, les Bianconeri n'auraient pas vraiment pu espérer mieux.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/in-pictures-59607504?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 00:53:09 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/l-atalanta-assomme-la-juventus-507555.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T19:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-l-atalanta-assomme-la-juventus-1638038812_x600_articles-alt-507555.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "581dd2fabefd3ff943d24f75553a221a" + "hash": "fcabbe2a2e499f56def752f69ba2ee17" }, { - "title": "Kashmir killings: The families still waiting for bodies of loved ones", - "description": "Relatives of people killed by security forces during encounters say they have little hope of justice.", - "content": "Relatives of people killed by security forces during encounters say they have little hope of justice.", + "title": "Antoine Kombouaré après Lille-Nantes : \"La VAR a failli\"", + "description": "Une VAR avare.
    \n
    \nAlors que Lille et Nantes se sont neutralisés (1-1) au stade Pierre-Mauroy ce…

    ", + "content": "Une VAR avare.
    \n
    \nAlors que Lille et Nantes
    se sont neutralisés (1-1) au stade Pierre-Mauroy ce…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59604645?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 22:55:28 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/antoine-kombouare-apres-lille-nantes-la-var-a-failli-507559.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T18:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-antoine-kombouare-apres-lille-nantes-la-var-a-failli-1638039308_x600_articles-507559.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "042ba08af164bf37edb7406ceef1844a" + "hash": "10bad862e6e59209b19e73dca6ceaf52" }, { - "title": "Ghislaine Maxwell: Key moments in the trial so far", - "description": "Ghislaine Maxwell is accused of grooming girls for abuse by late paedophile Jeffrey Epstein.", - "content": "Ghislaine Maxwell is accused of grooming girls for abuse by late paedophile Jeffrey Epstein.", + "title": "Nantes résiste à Lille", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59527051?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 22:06:32 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/nantes-resiste-a-lille-507554.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T17:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nantes-resiste-a-lille-1638036177_x600_articles-507554.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5390fabd2355559ec039dfd02f021506" + "hash": "f290d4db739247bc25658015c1f77a40" }, { - "title": "Valérie Pécresse: Part-Thatcher, part-Merkel and wants to run France", - "description": "Valérie Pécresse has given the Republicans a lift, and a poll suggests she could be president.", - "content": "Valérie Pécresse has given the Republicans a lift, and a poll suggests she could be president.", + "title": "Coupe de France : Guingamp sort gagnant de ses retrouvailles avec Saint-Brieuc", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59590518?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:30:19 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/coupe-de-france-guingamp-sort-gagnant-de-ses-retrouvailles-avec-saint-brieuc-507548.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T17:13:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-coupe-de-france-guingamp-sort-gagnant-de-ses-retrouvailles-avec-saint-brieuc-1638033118_x600_articles-507548.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b8c2b56a2e6d4f535cda60cb82810ab" + "hash": "9d3b9339411ca8dde598954eb863f181" }, { - "title": "How a Russian invasion of Ukraine could spill over into Europe", - "description": "A senior Western intel official warns war would have far-reaching consequences on the continent.", - "content": "A senior Western intel official warns war would have far-reaching consequences on the continent.", + "title": "En direct : Lille - Nantes", + "description": "74' : SIMON EST TROUVÉ PAR RKM DANS LA SURFACE MAIS IL SE FAIT REPRENDRE IN EXTREMIS ! Il ...", + "content": "74' : SIMON EST TROUVÉ PAR RKM DANS LA SURFACE MAIS IL SE FAIT REPRENDRE IN EXTREMIS ! Il ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59582146?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 21:04:11 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/en-direct-lille-nantes-507550.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T17:05:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lille-nantes-1638030329_x600_articles-alt-507550.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aed7a23dbaf6c45f7189589584766424" + "hash": "ea95aea7b8a13a38baeedca385399f82" }, { - "title": "Madagascar food crisis: How a woman helped save her village from starvation", - "description": "Loharano has avoided the fate of many in southern Madagascar through the use of new farming methods.", - "content": "Loharano has avoided the fate of many in southern Madagascar through the use of new farming methods.", + "title": "Liverpool roule sur Southampton", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59595276?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:38:48 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/liverpool-roule-sur-southampton-507553.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T16:55:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-liverpool-roule-sur-southampton-1638032305_x600_articles-507553.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "94db72aecba3b6acc6a14713bbb344e9" + "hash": "9a2e1816d85319a42fb707f76cae319e" }, { - "title": "Kentucky weather man films tornado 'ground zero'", - "description": "Weather man Noah Bergren shows the BBC the \"utter devastation\" of the tornadoes in the town of Mayfield.", - "content": "Weather man Noah Bergren shows the BBC the \"utter devastation\" of the tornadoes in the town of Mayfield.", + "title": "En direct : Juventus - Atalanta ", + "description": "28' : GOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLL ...", + "content": "28' : GOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLLL
    \n
    \nGOAAAAAAAAAAAAAAAAAAOLLLLLLLLL ...", "category": "", - "link": "https://www.bbc.co.uk/news/59623945?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 17:15:28 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/en-direct-juventus-atalanta-507545.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T16:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-juventus-atalanta-1638023173_x600_articles-507545.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "169833537c8557cb0ab1b95b2d2ea4b3" + "hash": "b7bcc1dd702eefb039eda58cef6dbee1" }, { - "title": "'Deadliest tornado system to ever run through Kentucky'", - "description": "The governor of the US state of Kentucky says Friday's tornadoes were the worst the state has seen.", - "content": "The governor of the US state of Kentucky says Friday's tornadoes were the worst the state has seen.", + "title": "Haaland et Dortmund leaders provisoires, Gladbach sombre, Fribourg n'y arrive plus", + "description": "Le Borussia Dortmund a provisoirement repris la tête de la Bundesliga en griffant Wolfsburg (1-3), ce samedi. La machine Erling Haaland a signé son retour de blessure en marquant neuf minutes après son entrée en jeu. Classique. Autrement, le troisième du classement, Fribourg, a concédé sa troisième défaite consécutive à Bochum (2-1). Mönchengladbach, de son côté, a rechuté à Cologne (4-1). Festival de buts à Greuther Fürth, enfin, où Hoffenheim s'est embrasé (3-6).

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59623841?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:40:20 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/haaland-et-dortmund-leaders-provisoires-gladbach-sombre-fribourg-n-y-arrive-plus-507547.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T16:30:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-haaland-et-dortmund-leaders-provisoires-gladbach-sombre-fribourg-n-y-arrive-plus-1638031398_x600_articles-alt-507547.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9081a0e219e586cae68ce56fe65de4ba" + "hash": "ec7f5b755ac0208ceb951b15f2fd5913" }, { - "title": "Watch: Ros Atkins on… Compulsory Covid vaccinations", - "description": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", - "content": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", + "title": "Pronostic Osasuna Elche : Analyse, cotes et prono du match de Liga", + "description": "

    Osasuna se reprend face à Elche

    \n
    \nEn clôture de la 15e journée de Liga, Osasuna affronte Elche. La formation basque est l'une des surprises de ce…
    ", + "content": "

    Osasuna se reprend face à Elche

    \n
    \nEn clôture de la 15e journée de Liga, Osasuna affronte Elche. La formation basque est l'une des surprises de ce…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/health-59609452?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 00:02:03 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-osasuna-elche-analyse-cotes-et-prono-du-match-de-liga-507508.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T16:17:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-osasuna-elche-analyse-cotes-et-prono-du-match-de-liga-1637922335_x600_articles-507508.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1dd54ade292e0896e42087d66581aa01" + "hash": "82cb2e51a57c60fb821004ab6884b1d0" }, { - "title": "Indonesia volcano: Volunteers struggle to recover the dead, metres deep in ash and mud", - "description": "The effort to recover bodies is continuing in Indonesia, after the eruption of Mount Semeru last week.", - "content": "The effort to recover bodies is continuing in Indonesia, after the eruption of Mount Semeru last week.", + "title": "Mike Maignan va déjà faire son retour ", + "description": "En plus d'avoir des super-pouvoirs sur penalty, il guérit plus vite que la norme. Super Mike.
    \n
    \nOpéré mi-octobre des ligaments du poignet gauche, Mike Maignan n'était même pas…

    ", + "content": "En plus d'avoir des super-pouvoirs sur penalty, il guérit plus vite que la norme. Super Mike.
    \n
    \nOpéré mi-octobre des ligaments du poignet gauche, Mike Maignan n'était même pas…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59616114?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:36:29 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/mike-maignan-va-deja-faire-son-retour-507551.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T15:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-mike-maignan-va-deja-faire-son-retour-1638028431_x600_articles-507551.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "804a046acac00020011b61ee82e87398" + "hash": "bc19a6e8078bb3dbb758d2f63bdc906b" }, { - "title": "US Olympic boycott: Uyghurs and Hong Kongers react", - "description": "Protesters at the US Capitol welcomed the diplomatic boycott of the Beijing games, but say more is needed.", - "content": "Protesters at the US Capitol welcomed the diplomatic boycott of the Beijing games, but say more is needed.", + "title": "Spalletti : \" Il y a des clubs sérieux et puis il y a le Spartak \"", + "description": "Le football circus.
    \n
    \nSans victoire depuis trois matchs toutes compétitions confondues, Luciano Spalletti et le Napoli sont sur les nerfs. La dernière défaite, mercredi dernier…

    ", + "content": "Le football circus.
    \n
    \nSans victoire depuis trois matchs toutes compétitions confondues, Luciano Spalletti et le Napoli sont sur les nerfs. La dernière défaite, mercredi dernier…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59619247?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:21:41 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/spalletti-il-y-a-des-clubs-serieux-et-puis-il-y-a-le-spartak-507549.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T15:22:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-spalletti-il-y-a-des-clubs-serieux-et-puis-il-y-a-le-spartak-1638026647_x600_articles-507549.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8396f56cdffcbd8697cf125722368f3a" + "hash": "f5cd4bd1cf08246fa2614ed5d8764ac4" }, { - "title": "Spanish floods claim first victim as towns are engulfed", - "description": "At least one person died when rivers burst their banks in northern Spain.", - "content": "At least one person died when rivers burst their banks in northern Spain.", + "title": "Cinq hommes interpellés dans le cadre du cambriolage chez Mario Lemina", + "description": "On ne peut plus perpétuer les traditions de la Côte d'Azur tranquillement...
    \n
    \nVictime
    ", + "content": "On ne peut plus perpétuer les traditions de la Côte d'Azur tranquillement...
    \n
    \nVictime
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59608785?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:17:38 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/cinq-hommes-interpelles-dans-le-cadre-du-cambriolage-chez-mario-lemina-507546.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T14:31:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-cinq-hommes-interpelles-dans-le-cadre-du-cambriolage-chez-mario-lemina-1638023456_x600_articles-507546.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8fa1c54f4298766a370b93ad3ac690e" + "hash": "71e4e6f49991479fb90e629195c62de3" }, { - "title": "Ghana's Covid restrictions: Unvaccinated must get jabs on arrival", - "description": "The restrictions appear to be some of the strictest in the world, with no option to self-isolate.", - "content": "The restrictions appear to be some of the strictest in the world, with no option to self-isolate.", + "title": "Les Gunners étouffent Newcastle", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59608484?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:35:00 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/les-gunners-etouffent-newcastle-507539.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T14:24:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-gunners-etouffent-newcastle-1638023413_x600_articles-507539.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e38335da3f382f9168be029a48a2ac4" + "hash": "4a6da18e6df252ea321cbf29b3474e7a" }, { - "title": "Drone footage shows collapsed Amazon warehouse", - "description": "Tornadoes have ripped through several states killing dozens of people, authorities say.", - "content": "Tornadoes have ripped through several states killing dozens of people, authorities say.", + "title": "Laurent Nicollin : \" On se demande s'il n'y a pas des micros au club \"", + "description": "Avec la série qui a été tournée au MHSC, c'est une question un…", + "content": "Avec la série qui a été tournée au MHSC, c'est une question un…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59621245?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:20:57 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/laurent-nicollin-on-se-demande-s-il-n-y-a-pas-des-micros-au-club-507544.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T13:59:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-laurent-nicollin-on-se-demande-s-il-n-y-a-pas-des-micros-au-club-1638021714_x600_articles-507544.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18aa5778afbce108510ca0407646c08a" + "hash": "0b6304ecb29fc607e3148e2857fbeae3" }, { - "title": "Mexico truck crash: 'There are so many dead'", - "description": "At least 54 people have been killed, and scores more injured, after a truck rolled in southern Mexico.", - "content": "At least 54 people have been killed, and scores more injured, after a truck rolled in southern Mexico.", + "title": "Verratti encore absent pour le déplacement à Saint-Étienne, Icardi aussi", + "description": "Cette fois, c'est pas pour Wanda.
    \n
    \nDéjà absents pour le déplacement à Manchester City…

    ", + "content": "Cette fois, c'est pas pour Wanda.
    \n
    \nDéjà absents pour le déplacement à Manchester City…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59616117?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:42:46 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/verratti-encore-absent-pour-le-deplacement-a-saint-etienne-icardi-aussi-507541.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T13:23:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-verratti-encore-absent-pour-le-deplacement-a-saint-etienne-icardi-aussi-1638019623_x600_articles-507541.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "969b134e138ffef084c0d61108141641" + "hash": "6837029bbf2631e1b384643532a9a463" }, { - "title": "More than 50 feared dead in Kentucky's worst ever tornadoes", - "description": "The governor of the US state says that the number of victims could rise to 100.", - "content": "The governor of the US state says that the number of victims could rise to 100.", + "title": "Nani et Orlando City, c'est fini", + "description": "Il est temps de tourner la page.
    \n
    \nNani ne poursuivra pas l'aventure avec Orlando City. Vendredi soir, ses dirigeants ont annoncé qu'ils n'avaient pas l'intention de prolonger son…

    ", + "content": "Il est temps de tourner la page.
    \n
    \nNani ne poursuivra pas l'aventure avec Orlando City. Vendredi soir, ses dirigeants ont annoncé qu'ils n'avaient pas l'intention de prolonger son…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59620091?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 10:46:15 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/nani-et-orlando-city-c-est-fini-507538.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T11:32:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-nani-et-orlando-city-c-est-fini-1638014487_x600_articles-507538.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4166add8c3f1591a1417aa50e89ed626" + "hash": "097f9c786ce5c4be3e256e576089d68c" }, { - "title": "Drone footage shows Amazon warehouse collapse", - "description": "Tornadoes have ripped through several states killing more than 50 people, authorities say.", - "content": "Tornadoes have ripped through several states killing more than 50 people, authorities say.", + "title": "Quatorze blessés et cinq inculpés après Leicester-Legia Varsovie", + "description": "En Ligue Europa, il se passe souvent des choses au King Power Stadium ces derniers temps. Sur le terrain comme en tribunes.
    \n
    \nDeux mois après
    ", + "content": "En Ligue Europa, il se passe souvent des choses au King Power Stadium ces derniers temps. Sur le terrain comme en tribunes.
    \n
    \nDeux mois après
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59621245?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 12:20:57 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/quatorze-blesses-et-cinq-inculpes-apres-leicester-legia-varsovie-507537.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T10:40:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-quatorze-blesses-et-cinq-inculpes-apres-leicester-legia-varsovie-1638011411_x600_articles-507537.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "928863e281aa001620cecf8e6f2aa780" + "hash": "3ce75fefe59dedf366a8b6e941562cc4" }, { - "title": "Nobel Peace Prize: Maria Ressa and Dmitry Muratov share joy over win", - "description": "Maria Ressa and Dmitry Muratov published investigations that angered the leaders of their countries.", - "content": "Maria Ressa and Dmitry Muratov published investigations that angered the leaders of their countries.", + "title": "Les barrages intercontinentaux se dérouleront au Qatar en juin 2022", + "description": "Ils découvriront le Qatar avant les autres, avec l'espoir d'y revenir cinq mois plus tard.
    \n
    \nLe tirage au sort des barrages de la zone Europe a monopolisé l'attention, vendredi en fin…

    ", + "content": "Ils découvriront le Qatar avant les autres, avec l'espoir d'y revenir cinq mois plus tard.
    \n
    \nLe tirage au sort des barrages de la zone Europe a monopolisé l'attention, vendredi en fin…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59606395?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:10:23 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/les-barrages-intercontinentaux-se-derouleront-au-qatar-en-juin-2022-507535.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T10:28:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-barrages-intercontinentaux-se-derouleront-au-qatar-en-juin-2022-1638009275_x600_articles-507535.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10dd70e9207870b14f39fa5ecb771e3d" + "hash": "1f4f50926b8af64662cdbcbb016992eb" }, { - "title": "Tornadoes causing chaos across several US states", - "description": "People are reported to be trapped after a roof collapsed at an Amazon warehouse.", - "content": "People are reported to be trapped after a roof collapsed at an Amazon warehouse.", + "title": "Le siège de la Juventus perquisitionné par la brigade financière", + "description": "Avis de tempête dans le Piémont.
    \n
    \nLa Juventus vit décidément une semaine bien pénible.
    ", + "content": "Avis de tempête dans le Piémont.
    \n
    \nLa Juventus vit décidément une semaine bien pénible.
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59620091?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 09:41:24 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/le-siege-de-la-juventus-perquisitionne-par-la-brigade-financiere-507534.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T09:51:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-siege-de-la-juventus-perquisitionne-par-la-brigade-financiere-1638007240_x600_articles-507534.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3415fc27a6a0b6c785f7a1d54d911da5" + "hash": "7548d7145946c4444cb30388facdc9de" }, { - "title": "Omicron and boosters: Your questions answered", - "description": "Will we need regular boosters, can we vaccinate children under 12? Experts answer your questions.", - "content": "Will we need regular boosters, can we vaccinate children under 12? Experts answer your questions.", + "title": "\"On ne peut pas toujours mettre des 12-0\", concède Corinne Diacre", + "description": "C'est ce qui s'appelle une victoire étriquée.
    \n
    \nDepuis le début de sa campagne qualificative pour la Coupe du monde 2023, l'équipe de France a atteint la barre des dix buts inscrits en…

    ", + "content": "C'est ce qui s'appelle une victoire étriquée.
    \n
    \nDepuis le début de sa campagne qualificative pour la Coupe du monde 2023, l'équipe de France a atteint la barre des dix buts inscrits en…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/health-59594000?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:03:21 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/on-ne-peut-pas-toujours-mettre-des-12-0-concede-corinne-diacre-507533.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T08:47:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-on-ne-peut-pas-toujours-mettre-des-12-0-concede-corinne-diacre-1638004501_x600_articles-507533.jpg", + "enclosureType": "image/jpeg", "image": "", - "id": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89eef7da1f37fccc0f5342c7d0689114" + "hash": "acdd463a3a4a886c8d3c6dbf00bda525" }, { - "title": "Mexico truck crash: Officials working to identify over 50 victims", - "description": "More than 50 people. thought to be migrants from Central America, were killed in the crash.", - "content": "More than 50 people. thought to be migrants from Central America, were killed in the crash.", + "title": "Lionel Messi \"mérite largement\" de décrocher le Ballon d'or, estime Ángel Di María", + "description": "Au fond, pouvait-il dire autre chose ?
    \n
    \nSi l'arrivée de Lionel Messi à Paris et son association avec Kylian…

    ", + "content": "Au fond, pouvait-il dire autre chose ?
    \n
    \nSi l'arrivée de Lionel Messi à Paris et son association avec Kylian…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59612811?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 22:18:15 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/lionel-messi-merite-largement-de-decrocher-le-ballon-d-or-estime-angel-di-maria-507532.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T08:16:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lionel-messi-merite-largement-de-decrocher-le-ballon-d-or-estime-angel-di-maria-1638002823_x600_articles-507532.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8bdbaddeb9d41a7883f295b81f8a78e9" + "hash": "9ac7b41244931684109a39748d748dba" }, { - "title": "Julian Assange can be extradited to the US, court rules", - "description": "Judges are reassured by US promises to reduce the risk of the Wikileaks founder taking his own life.", - "content": "Judges are reassured by US promises to reduce the risk of the Wikileaks founder taking his own life.", + "title": "LOTO du samedi 27 novembre 2021 : 27 millions d'€ à gagner (cagnotte record) !", + "description": "27 millions d'euros sont à gagner au LOTO ce samedi 27 novembre 2021. C'est tout simplement la possibilité de remporter le plus gros gain de l'histoire de la loterie française

    LOTO du samedi 27 novembre 2021 : 27 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce samedi 27 novembre 2021 affiche un montant record de 27…
    ", + "content": "

    LOTO du samedi 27 novembre 2021 : 27 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce samedi 27 novembre 2021 affiche un montant record de 27…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59608641?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 13:54:36 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/loto-du-samedi-27-novembre-2021-27-millions-d-e-a-gagner-cagnotte-record-507495.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T07:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-loto-du-samedi-27-novembre-2021-27-millions-d-e-a-gagner-cagnotte-record-1637917676_x600_articles-507495.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "257d31f34a5bd613469dce0d7abeea10" + "hash": "c05a4bd6bf54718b3b13578007f2f787" }, { - "title": "Ros Atkins on… Compulsory Covid vaccinations", - "description": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", - "content": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", + "title": "Aimé Jacquet : \"Quand je construis l'équipe, je commence par les attaquants\"", + "description": "Aimé Jacquet aura été le gourou de la fameuse \"génération 98\", celui qui aura su démolir une équipe de France en perdition pour mieux la reconstruire. Celui qui s'est passé de Papin et Cantona pour partir à la guerre avec Dugarry et Guivarc'h. Entretien en longueur avec un type qui a toujours musclé son jeu.
    Vous devenez entraîneur à Lyon, en 1976. Vous aviez des modèles ?
    \nQuand je suis arrivé à Saint-Étienne, à 19 ans, Jean Snella m'a tout de suite formaté.…
    ", + "content": "Vous devenez entraîneur à Lyon, en 1976. Vous aviez des modèles ?
    \nQuand je suis arrivé à Saint-Étienne, à 19 ans, Jean Snella m'a tout de suite formaté.…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/health-59609452?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 00:02:03 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/aime-jacquet-quand-je-construis-l-equipe-je-commence-par-les-attaquants-507320.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T05:33:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aime-jacquet-quand-je-construis-l-equipe-je-commence-par-les-attaquants-1637599794_x600_articles-alt-507320.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a52700c4748a1ec9dd26f324eea7ae86" + "hash": "3ad45deb2075d062e36da46bc2adc901" }, { - "title": "Mexico truck crash: At least 54 people killed as trailer overturns", - "description": "More than 100 were injured when a trailer carrying Central American migrants overturned.", - "content": "More than 100 were injured when a trailer carrying Central American migrants overturned.", + "title": "Aimé Jacquet : \"Muscle ton jeu, Robert…\"", + "description": "Pour les 80 ans d'Aimé Jacquet, on vous offre un bonbon : la retranscription fidèle de sa causerie face aux joueurs de l'équipe de France avant le Mondial 1998.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59603801?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 15:36:48 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/aime-jacquet-muscle-ton-jeu-robert-e2-80-a6-507323.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T05:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-aime-jacquet-muscle-ton-jeu-robert-e2-80-a6-1637601573_x600_articles-alt-507323.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1816423f7dacf28006ebfdb1e56d4b84" + "hash": "aba4075cb2adeed165b359b7f1f278cf" }, { - "title": "Finding Afghanistan's exiled women MPs", - "description": "Most of Afghanistan's 69 women MPs are now in exile and have vowed to continue fighting for women's rights.", - "content": "Most of Afghanistan's 69 women MPs are now in exile and have vowed to continue fighting for women's rights.", + "title": "Pronostic Chelsea Manchester United : Analyse, cotes et prono du match de Premier League", + "description": "

    Chelsea enfonce Manchester United

    \n
    \nDans le cadre de la 13e journée de Premier League, Chelsea reçoit Manchester United à Stamford bridge. A…
    ", + "content": "

    Chelsea enfonce Manchester United

    \n
    \nDans le cadre de la 13e journée de Premier League, Chelsea reçoit Manchester United à Stamford bridge. A…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59598535?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 11:32:10 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-chelsea-manchester-united-analyse-cotes-et-prono-du-match-de-premier-league-507489.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T00:32:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-chelsea-manchester-united-analyse-cotes-et-prono-du-match-de-premier-league-1637866008_x600_articles-507489.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5dbad0dd729f26ae61007f1a1c3e779" + "hash": "f71eb0cb741f355c09dfbb13f415bd3d" }, { - "title": "Bipin Rawat: India holds funerals for top general and his wife after crash", - "description": "Gen Bipin Rawat, who died in a helicopter crash, was cremated with full military honours.", - "content": "Gen Bipin Rawat, who died in a helicopter crash, was cremated with full military honours.", + "title": "Pronostic Real Madrid FC Séville : Analyse, cotes et prono du match de Liga", + "description": "

    Real Madrid – Séville : La Maison Blanche a retrouvé les clés

    \n
    \nLa 15e journée de Liga nous offre 2 affiches entre formations qui…
    ", + "content": "

    Real Madrid – Séville : La Maison Blanche a retrouvé les clés

    \n
    \nLa 15e journée de Liga nous offre 2 affiches entre formations qui…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59604649?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 11:34:02 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-real-madrid-fc-seville-analyse-cotes-et-prono-du-match-de-liga-507486.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T00:19:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-real-madrid-fc-seville-analyse-cotes-et-prono-du-match-de-liga-1637864959_x600_articles-507486.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f094ac87c31e3cfc397739e48dcecc29" + "hash": "5da0f20fd37cd210576fb977f786bf85" }, { - "title": "Margaret River bushfires: Blazes force evacuations in Australia tourist region", - "description": "The blazes near Margaret River have forced evacuations and scorched over 6,000 hectares of land.", - "content": "The blazes near Margaret River have forced evacuations and scorched over 6,000 hectares of land.", + "title": "Pronostic Naples Lazio : Analyse, cotes et prono du match de Serie A", + "description": "

    Le Napoli stoppe sa mauvaise série face à la Lazio

    \n
    \nEn clôture de la 14e journée de Serie A, le Napoli reçoit la Lazio au stade Diego…
    ", + "content": "

    Le Napoli stoppe sa mauvaise série face à la Lazio

    \n
    \nEn clôture de la 14e journée de Serie A, le Napoli reçoit la Lazio au stade Diego…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59604211?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 02:10:52 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-naples-lazio-analyse-cotes-et-prono-du-match-de-serie-a-507485.html", + "creator": "SO FOOT", + "pubDate": "2021-11-27T00:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-naples-lazio-analyse-cotes-et-prono-du-match-de-serie-a-1637864706_x600_articles-507485.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7364892cb1750f0b77bda948d50e8af" + "hash": "efa25f1ecc3da4ad3df019d7d29e0a35" }, { - "title": "Singapore: Man feared for life during otter attack", - "description": "Graham George Spencer was left with more than 20 wounds after he was bitten by the animals.", - "content": "Graham George Spencer was left with more than 20 wounds after he was bitten by the animals.", + "title": "Les Bleues collent un set au Kazakhstan et poursuivent leur sans-faute", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59592355?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 13:40:10 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/les-bleues-collent-un-set-au-kazakhstan-et-poursuivent-leur-sans-faute-507528.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T22:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-les-bleues-collent-un-set-au-kazakhstan-et-poursuivent-leur-sans-faute-1637964564_x600_articles-507528.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd45bcdda59529a020a5d83dbc55b2d3" + "hash": "2cdfc40d382bb353478f4e8fca1430e3" }, { - "title": "Football fans spending millions on club crypto-tokens", - "description": "Supporters have spent at least £260m on controversial fan tokens from major clubs, data suggests.", - "content": "Supporters have spent at least £260m on controversial fan tokens from major clubs, data suggests.", + "title": "Lens et Angers se rendent coup pour coup à Bollaert", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59596267?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:05:38 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/lens-et-angers-se-rendent-coup-pour-coup-a-bollaert-507531.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T22:03:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-lens-et-angers-se-rendent-coup-pour-coup-a-bollaert-1637964286_x600_articles-507531.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09ff2f82b03d777318bc244199baa53f" + "hash": "a077f3831f9b3d9956ac06eb929ae73c" }, { - "title": "The Nepalese children made to work in bars and clubs", - "description": "Nepalese children, some as young as 11, are trapped in the worst forms of child labour.", - "content": "Nepalese children, some as young as 11, are trapped in the worst forms of child labour.", + "title": "Coupe de France : Bastia et Jura Sud l'emportent pour rallier les 32es", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59459910?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:44:21 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/coupe-de-france-bastia-et-jura-sud-l-emportent-pour-rallier-les-32es-507530.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T21:06:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-coupe-de-france-bastia-et-jura-sud-l-emportent-pour-rallier-les-32es-1637961043_x600_articles-507530.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4cf7798e8a888ca5a8e5e2f039730c81" + "hash": "049c7726669a60d390346494728006cf" }, { - "title": "How this country became Europe's cargo bike hub", - "description": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", - "content": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", + "title": "En direct : Lens - Angers", + "description": "94' : ALLEZ ZOU ! Belle opposition entre un SCO solide en première et un Racing ressorti des ...", + "content": "94' : ALLEZ ZOU ! Belle opposition entre un SCO solide en première et un Racing ressorti des ...", "category": "", - "link": "https://www.bbc.co.uk/news/business-59430501?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:01:05 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/en-direct-lens-angers-507527.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T19:45:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-en-direct-lens-angers-1637959059_x600_articles-alt-507527.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "81c04d70afc7eb3b9560ad21aea0ab1d" + "hash": "c663fd6f6de1feacf32adeac8becbfc2" }, { - "title": "Africa needs China and the US to work together", - "description": "The US promotes democracy and China builds infrastructure but people in Africa want both.", - "content": "The US promotes democracy and China builds infrastructure but people in Africa want both.", + "title": "Le Portugal ou l'Italie manquera le Mondial !", + "description": "Douze équipes ont composté leur billet, mais seulement trois prendront le bon train. Ce vendredi après-midi, l'UEFA a procédé au tirage au sort des barrages des éliminatoires européens de la…", + "content": "Douze équipes ont composté leur billet, mais seulement trois prendront le bon train. Ce vendredi après-midi, l'UEFA a procédé au tirage au sort des barrages des éliminatoires européens de la…", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59531176?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:23:20 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/le-portugal-ou-l-italie-manquera-le-mondial-507525.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T16:48:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-le-portugal-ou-l-italie-manquera-le-mondial-1637945593_x600_articles-507525.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "26535bcccd8720c44cd795f07deaefd2" + "hash": "0422613a4b02e3d8339facb35cfd86d3" }, { - "title": "Myanmar coup: The women abused and tortured in detention", - "description": "Women held for protesting against a military takeover say they were sexually assaulted and tortured.", - "content": "Women held for protesting against a military takeover say they were sexually assaulted and tortured.", + "title": "Ben Chilwell touché au ligament croisé et absent plusieurs semaines", + "description": "Chelsea a impressionné ce mardi en Ligue des champions, en détruisant la Juve (4-0) à Stamford Bridge.…", + "content": "Chelsea a impressionné ce mardi en Ligue des champions, en détruisant la Juve (4-0) à Stamford Bridge.…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59462503?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:15:31 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/ben-chilwell-touche-au-ligament-croise-et-absent-plusieurs-semaines-507526.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T16:10:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-ben-chilwell-touche-au-ligament-croise-et-absent-plusieurs-semaines-1637946095_x600_articles-507526.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ea2708b7cb534428073cac9f1768712" + "hash": "2bc86d114fc041d2140a213db30a9224" }, { - "title": "Afghan women: Secret diaries of changing lives", - "description": "Five women's secret diary posts, sent to the BBC, reveal how deeply the Taliban takeover has affected them.", - "content": "Five women's secret diary posts, sent to the BBC, reveal how deeply the Taliban takeover has affected them.", + "title": "Pronostic OM Troyes : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Rebond attendu de l'OM face à Troyes

    \n
    \nBien parti dans cette nouvelle saison de Ligue 1, l'Olympique de Marseille semblait se présenter comme le rival…
    ", + "content": "

    Rebond attendu de l'OM face à Troyes

    \n
    \nBien parti dans cette nouvelle saison de Ligue 1, l'Olympique de Marseille semblait se présenter comme le rival…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59578618?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:18:15 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-om-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-507506.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T16:09:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-om-troyes-analyse-cotes-et-prono-du-match-de-ligue-1-1637922121_x600_articles-507506.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6cd6957dbf55c6c71eb5a31d2a3a9397" + "hash": "2fe2997ca2d7d99a26933bdfaef1c1a4" }, { - "title": "Covid vaccines: Why is Nigeria unable to use its supply?", - "description": "It's reported that up to one million doses of Covid vaccine in Nigeria have expired and are to be destroyed.", - "content": "It's reported that up to one million doses of Covid vaccine in Nigeria have expired and are to be destroyed.", + "title": "Pronostic Montpellier Lyon : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lyon retrouve son appétit face à Montpellier

    \n
    \nCes dernières saisons, Montpellier a souvent terminé dans la 1re partie de tableau sans…
    ", + "content": "

    Lyon retrouve son appétit face à Montpellier

    \n
    \nCes dernières saisons, Montpellier a souvent terminé dans la 1re partie de tableau sans…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/59580982?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:53:39 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-montpellier-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-507504.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T16:00:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-montpellier-lyon-analyse-cotes-et-prono-du-match-de-ligue-1-1637921501_x600_articles-507504.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0af890715039b41015a83f4e98bc7c9d" + "hash": "d9d6a5bcf44c298987afc2c024834826" }, { - "title": "Mothers reborn: The surprising benefits of lifelike dolls", - "description": "Reborn dolls are hyper-realistic dummies, treated like real children, given a birthing ceremony and even a heartbeat.", - "content": "Reborn dolls are hyper-realistic dummies, treated like real children, given a birthing ceremony and even a heartbeat.", + "title": "Pronostic Bordeaux Brest : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Bordeaux – Brest électrique

    \n
    \nSi la lutte pour les places qualificatives pour la Ligue des Champions est féroce, le maintien concerne pas moins de…
    ", + "content": "

    Un Bordeaux – Brest électrique

    \n
    \nSi la lutte pour les places qualificatives pour la Ligue des Champions est féroce, le maintien concerne pas moins de…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59604011?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 02:20:20 GMT", - "enclosure": "", - "enclosureType": "", + "link": "https://www.sofoot.com/pronostic-bordeaux-brest-analyse-cotes-et-prono-du-match-de-ligue-1-507503.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:52:00Z", + "enclosure": "https://www.sofoot.com/IMG/img-pronostic-bordeaux-brest-analyse-cotes-et-prono-du-match-de-ligue-1-1637921092_x600_articles-507503.jpg", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "language": "fr", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b102d3757b3bdac7528a35ee672f1504" + "hash": "4062e09ad488e2d89c6ad05e548e28c6" }, { - "title": "Mexico truck crash: At least 53 people killed as trailer overturns", - "description": "Dozens are injured when a trailer crammed with Central American migrants overturned, officials say.", - "content": "Dozens are injured when a trailer crammed with Central American migrants overturned, officials say.", + "title": "Pronostic Lorient Rennes : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lorient – Rennes : un derby en Rouge et Noir

    \n
    \nLa Ligue 1 nous offre de nombreux derbys bretons, et ce dimanche nous aurons une opposition entre…
    ", + "content": "

    Lorient – Rennes : un derby en Rouge et Noir

    \n
    \nLa Ligue 1 nous offre de nombreux derbys bretons, et ce dimanche nous aurons une opposition entre…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59603801?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 03:42:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-lorient-rennes-analyse-cotes-et-prono-du-match-de-ligue-1-507502.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:44:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "de09b9ff01fe9d107df97ca893472cf8" + "hash": "40191158c732de1ce1a3dc6b8a600bd3" }, { - "title": "Jussie Smollett: Actor found guilty of lying about attack", - "description": "A lawyer for the actor has said his client plans '100%' to appeal the verdict.", - "content": "A lawyer for the actor has said his client plans '100%' to appeal the verdict.", + "title": "Pronostic Monaco Strasbourg : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Monaco, le déclic face à Strasbourg

    \n
    \nImpressionnant l'an passé lors de la 2nde partie de saison, Monaco avait marqué les esprits par la…
    ", + "content": "

    Monaco, le déclic face à Strasbourg

    \n
    \nImpressionnant l'an passé lors de la 2nde partie de saison, Monaco avait marqué les esprits par la…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59599142?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:50:16 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-monaco-strasbourg-analyse-cotes-et-prono-du-match-de-ligue-1-507497.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:25:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da29abe68aa5f193ae9c6f18c6ce2980" + "hash": "657a361853f9b3e507b3ec43e4e22136" }, { - "title": "Russia Ukraine: Putin compares Donbas war zone to genocide", - "description": "Russia's leader ramps up his rhetoric as the US and Ukrainian presidents discuss border tensions.", - "content": "Russia's leader ramps up his rhetoric as the US and Ukrainian presidents discuss border tensions.", + "title": "Foot amateur : réduction de peine pour un joueur qui avait menacé sa Ligue", + "description": "Deux ans de suspension dont un avec sursis et obligation de se laver la bouche avec du savon.
    \n
    \nUn joueur de l'AS Tourville en Normandie devra tourner sept fois ses doigts au-dessus du…

    ", + "content": "Deux ans de suspension dont un avec sursis et obligation de se laver la bouche avec du savon.
    \n
    \nUn joueur de l'AS Tourville en Normandie devra tourner sept fois ses doigts au-dessus du…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59599066?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 22:45:56 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/foot-amateur-reduction-de-peine-pour-un-joueur-qui-avait-menace-sa-ligue-507524.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:22:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d86ea8d32803670ab0bd9e078d509442" + "hash": "dc3c935fd964009287d00e1242ff76f1" }, { - "title": "Starbucks to get its first unionised US store since 1980s", - "description": "Staff at one branch vote to unionise, the first in the coffee chain's own stores since the 1980s.", - "content": "Staff at one branch vote to unionise, the first in the coffee chain's own stores since the 1980s.", + "title": "Sepp Blatter entendu comme témoin dans l'affaire de l'attribution du Mondial 2022 au Qatar", + "description": "Bientôt le fin mot de l'histoire ?
    \n
    \nÀ quelques mois du début des échéances, la Coupe du monde 2022 est toujours dans le viseur de la justice. Remise en cause, son attribution au…

    ", + "content": "Bientôt le fin mot de l'histoire ?
    \n
    \nÀ quelques mois du début des échéances, la Coupe du monde 2022 est toujours dans le viseur de la justice. Remise en cause, son attribution au…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59588905?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 04:23:48 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/sepp-blatter-entendu-comme-temoin-dans-l-affaire-de-l-attribution-du-mondial-2022-au-qatar-507523.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "754415fbb30eedf8c7ab351c742adb8e" + "hash": "577b761bef78ff30d1c2d74003d09c42" }, { - "title": "Kenya police recruits brag: 'We are the bad ones'", - "description": "A video of Kenyan police recruits acting in an intimidating fashion is widely condemned.", - "content": "A video of Kenyan police recruits acting in an intimidating fashion is widely condemned.", + "title": "Sampaoli : \"Il faudra voir comment Dimitri est émotionnellement parlant\"", + "description": "Pas de nouvelles, bonnes nouvelles ?
    \n
    \n\"Je n'ai pas encore pu le voir ou lui parler, mais le rapport du médecin dit que Dimitri est à disposition du groupe pour le match de…

    ", + "content": "Pas de nouvelles, bonnes nouvelles ?
    \n
    \n\"Je n'ai pas encore pu le voir ou lui parler, mais le rapport du médecin dit que Dimitri est à disposition du groupe pour le match de…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59598455?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:48:12 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/sampaoli-il-faudra-voir-comment-dimitri-est-emotionnellement-parlant-507522.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:14:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5530eeb7ba7765ef703152df0f531fad" + "hash": "231079375c2d97c1513138723ac06119" }, { - "title": "Capitol riot: US appeals court rejects Trump's request to block files", - "description": "A panel investigating the Capitol riot wants to see the ex-president's White House records.", - "content": "A panel investigating the Capitol riot wants to see the ex-president's White House records.", + "title": "Pronostic Reims Clermont : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Reims – Clermont avec des buts de chaque côté

    \n
    \nL'opposition entre Reims et Clermont concerne le bas de tableau et plus précisément la lutte…
    ", + "content": "

    Un Reims – Clermont avec des buts de chaque côté

    \n
    \nL'opposition entre Reims et Clermont concerne le bas de tableau et plus précisément la lutte…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59599279?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 23:40:14 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-reims-clermont-analyse-cotes-et-prono-du-match-de-ligue-1-507496.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T15:10:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2302785d1016861f9614701979407a7" + "hash": "9b3c248913b87c8558baba6570ba0989" }, { - "title": "New York’s Met museum to remove Sackler name from exhibits", - "description": "The Sackler family founded Purdue Pharma, which manufactured opioids linked to the deaths of thousands.", - "content": "The Sackler family founded Purdue Pharma, which manufactured opioids linked to the deaths of thousands.", + "title": "Xavi : \"Ousmane Dembélé est très important pour mon projet\"", + "description": "Il a beau ne pas respecter les règles drastiques mises en place par son entraîneur et…", + "content": "Il a beau ne pas respecter les règles drastiques mises en place par son entraîneur et…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59572668?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:03:57 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/xavi-ousmane-dembele-est-tres-important-pour-mon-projet-507520.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T14:36:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b473d4a1379623bea0a4fff21357942" + "hash": "47e60d97347003d4b324a280bc3025ff" }, { - "title": "Nicaragua cuts ties with Taiwan in favour of Beijing", - "description": "It comes as the US State Department called for democracies to \"expand engagement with Taiwan\".", - "content": "It comes as the US State Department called for democracies to \"expand engagement with Taiwan\".", + "title": "Klopp et la menace Rangnick", + "description": "Il ne manque que l'officialisation. Selon la presse britannique, Ralf Rangnick va devenir le successeur d'Ole Gunnar Solskjær à la tête de Manchester United. Et si les Red Devils n'ont pas…", + "content": "Il ne manque que l'officialisation. Selon la presse britannique, Ralf Rangnick va devenir le successeur d'Ole Gunnar Solskjær à la tête de Manchester United. Et si les Red Devils n'ont pas…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59574532?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 04:22:18 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/klopp-et-la-menace-rangnick-507521.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T14:17:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85947eaf4d66e5ee47b339471020e8bc" + "hash": "fcc919b0619302b3baba2193ece344c3" }, { - "title": "Woman fined €1,200 for causing Tour de France pile-up", - "description": "The woman's cardboard sign brought down dozens of cyclists during a stage of the elite race in June.", - "content": "The woman's cardboard sign brought down dozens of cyclists during a stage of the elite race in June.", + "title": "Marcelo Gallardo vers un départ de River Plate", + "description": "En écrasant le Racing 4-0 jeudi soir, River Plate s'est adjugé une 36e couronne…", + "content": "En écrasant le Racing 4-0 jeudi soir, River Plate s'est adjugé une 36e couronne…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59582145?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 14:27:42 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/marcelo-gallardo-vers-un-depart-de-river-plate-507519.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T13:56:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d23f57227f45257039369b47a5baaef3" + "hash": "7ecef881bd3c4d0b1c6a3dac461b6d70" }, { - "title": "In pictures: Israel hands seized relics to Egypt", - "description": "The haul includes figurines of ancient queens, hieroglyphic inscriptions and burial offerings.", - "content": "The haul includes figurines of ancient queens, hieroglyphic inscriptions and burial offerings.", + "title": "Le Barça va régler dix millions d'euros à Koeman d'ici la fin de l'année", + "description": "Les cadeaux de Noël vont être prestigieux dans la famille Koeman.
    \n
    \nDémis de ses fonctions d'entraîneur du FC Barcelone le 27 octobre dernier, Ronald Koeman a quitté la Catalogne…

    ", + "content": "Les cadeaux de Noël vont être prestigieux dans la famille Koeman.
    \n
    \nDémis de ses fonctions d'entraîneur du FC Barcelone le 27 octobre dernier, Ronald Koeman a quitté la Catalogne…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59571712?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 15:59:49 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/le-barca-va-regler-dix-millions-d-euros-a-koeman-d-ici-la-fin-de-l-annee-507517.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T13:19:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "281be9a95f96e59b806cc5f370e26198" + "hash": "1a67dd61289caf2aedef02549a95e8f6" }, { - "title": "Saudi camel beauty pageant cracks down on cosmetic enhancements", - "description": "More than 40 camels are disqualified for receiving injections and other cosmetic enhancements.", - "content": "More than 40 camels are disqualified for receiving injections and other cosmetic enhancements.", + "title": "Ralf Rangnick : \"J'ai réussi à créer des équipes qui ont leur propre modèle\"", + "description": "Pionnier du gegenpressing, maître à penser de toute une génération de coachs allemands et architecte du projet Red Bull, Ralf Rangnick devrait être nommé à 63 ans entraîneur par intérim de Manchester United dans les prochaines heures. En mars 2020, dans le cadre d'un grand dossier sur l'histoire du contre-pressing, il était revenu en longueur sur sa méthode pour le magazine So Foot. En avant !Vous êtes un membre important de ce qu'on appelle aujourd'hui \"le clan des Souabes\", ces entraîneurs issus du Bade-Wurtemberg, qui ont révolutionné l'approche du…", + "content": "Vous êtes un membre important de ce qu'on appelle aujourd'hui \"le clan des Souabes\", ces entraîneurs issus du Bade-Wurtemberg, qui ont révolutionné l'approche du…", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59593001?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:14:55 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/ralf-rangnick-j-ai-reussi-a-creer-des-equipes-qui-ont-leur-propre-modele-507479.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8672d0e1224f21a3c57063cd4d10ba18" + "hash": "9bec57195b0a8cd7312f4ca571e73889" }, { - "title": "Where are Afghanistan's women MPs now?", - "description": "Sixty of Afghanistan's 69 women MPs are scattered across the globe, but many aim to continue fighting for women's rights.", - "content": "Sixty of Afghanistan's 69 women MPs are scattered across the globe, but many aim to continue fighting for women's rights.", + "title": "Leonardo assure qu'il n'a eu \"aucun contact\" avec Zidane", + "description": "Tous les Marseillais peuvent souffler un bon coup.
    \n
    \nDepuis plusieurs semaines, des rumeurs font état de l'intérêt du Paris Saint-Germain pour Zinédine Zidane, libre de tout contrat…

    ", + "content": "Tous les Marseillais peuvent souffler un bon coup.
    \n
    \nDepuis plusieurs semaines, des rumeurs font état de l'intérêt du Paris Saint-Germain pour Zinédine Zidane, libre de tout contrat…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59598535?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:32:42 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/leonardo-assure-qu-il-n-a-eu-aucun-contact-avec-zidane-507516.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:49:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "43057a2eaeef2bae3de3809c9504e795" + "hash": "a047a4a6c5b25ed8276d1c79305b71ae" }, { - "title": "The country that is Europe's hub for cargo bikes", - "description": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", - "content": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", + "title": "Les supporters dijonnais lancent une collecte de jouets pour les enfants malades", + "description": "Pas besoin d'être le Père Noël pour offrir des cadeaux. Le petit évènement organisé par les Lingon's Boys, supporters dijonnais, avant la rencontre entre le DFCO et Niort le samedi 11…", + "content": "Pas besoin d'être le Père Noël pour offrir des cadeaux. Le petit évènement organisé par les Lingon's Boys, supporters dijonnais, avant la rencontre entre le DFCO et Niort le samedi 11…", "category": "", - "link": "https://www.bbc.co.uk/news/business-59430501?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 00:01:05 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-supporters-dijonnais-lancent-une-collecte-de-jouets-pour-les-enfants-malades-507515.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:49:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "793b53ea3f3640becd96ceb8d8f3fa19" + "hash": "7dd1060760ad7232c90282ce12dea228" }, { - "title": "China's detention camps: Held in chains for using WhatsApp", - "description": "Erbakit Otarbay, an ethnic Kazakh, was imprisoned as part of a mass incarceration programme in China.", - "content": "Erbakit Otarbay, an ethnic Kazakh, was imprisoned as part of a mass incarceration programme in China.", + "title": "Pronostic Saint-Etienne PSG : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Le PSG reverdit à Saint-Etienne

    \n
    \nL'affiche du dimanche midi en ligue 1 oppose l'AS Saint-Etienne au Paris Saint-Germain. Il y a un peu plus d'un…
    ", + "content": "

    Le PSG reverdit à Saint-Etienne

    \n
    \nL'affiche du dimanche midi en ligue 1 oppose l'AS Saint-Etienne au Paris Saint-Germain. Il y a un peu plus d'un…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59585597?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:09:59 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-saint-etienne-psg-analyse-cotes-et-prono-du-match-de-ligue-1-507501.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:37:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e1b1ef9c9bf78219ba294682e4f1fa2" + "hash": "e2efca2d88ec527f2ed80dfd12e4d671" }, { - "title": "Goalball player Sevda Altunoluk: 'I am the world's best'", - "description": "Sevda Altunoluk believes in empowering visually impaired people by encouraging them to compete in sport.", - "content": "Sevda Altunoluk believes in empowering visually impaired people by encouraging them to compete in sport.", + "title": "Hugo Vidémont joueur de l'année au Zalgiris Vilnius", + "description": "On finit toujours par trouver sa voie.
    \n
    \nPour Hugo Vidémont, c'est en Lituanie, au Zalgiris Vilnius, qu'il fallait aller pour devenir une légende. Et pour sa troisième saison chez les…

    ", + "content": "On finit toujours par trouver sa voie.
    \n
    \nPour Hugo Vidémont, c'est en Lituanie, au Zalgiris Vilnius, qu'il fallait aller pour devenir une légende. Et pour sa troisième saison chez les…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59586873?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:07:43 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/hugo-videmont-joueur-de-l-annee-au-zalgiris-vilnius-507514.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c2862250345d6b5a65808a4a36621ce6" + "hash": "4cabcd69e255059379e2dd5f0a23faf8" }, { - "title": "Growing up in Iran: Every morning we had to chant ‘Death to America’", - "description": "Iranian Rana Rahimpour moved to the UK as a young journalist and is now unable to return home for fear of arrest.", - "content": "Iranian Rana Rahimpour moved to the UK as a young journalist and is now unable to return home for fear of arrest.", + "title": "Le Bayern Munich s'écharpe avec ses membres sur le partenariat avec le Qatar ", + "description": "Leader en Bundesliga et qualifié pour les huitièmes de finale de la Ligue des champions, le Bayern Munich a…", + "content": "Leader en Bundesliga et qualifié pour les huitièmes de finale de la Ligue des champions, le Bayern Munich a…", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59553662?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:02:29 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-bayern-munich-s-echarpe-avec-ses-membres-sur-le-partenariat-avec-le-qatar-507512.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:04:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f95825e50ef0c3c31ac0b3fbd53edef" + "hash": "0d204f4912b266b394acadd7d8101329" }, { - "title": "Chimamanda Ngozi Adichie: ‘I want to say what I think’", - "description": "The Nigerian writer shares her experience of grief and her thoughts on \"cancel culture\" and trans rights.", - "content": "The Nigerian writer shares her experience of grief and her thoughts on \"cancel culture\" and trans rights.", + "title": "Infantino s'en prend aux opposants de la Coupe du monde tous les deux ans", + "description": "Ce n'est pas comme ça qu'il va se faire des amis, Gianni.
    \n
    \nDepuis plusieurs semaines, le petit monde du football s'écharpe à l'idée de voir la Coupe du monde s'organiser tous les…

    ", + "content": "Ce n'est pas comme ça qu'il va se faire des amis, Gianni.
    \n
    \nDepuis plusieurs semaines, le petit monde du football s'écharpe à l'idée de voir la Coupe du monde s'organiser tous les…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59568638?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:05:04 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/infantino-s-en-prend-aux-opposants-de-la-coupe-du-monde-tous-les-deux-ans-507513.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:04:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1680f14e7aa15fe6cfd5f0b9b84ffae" + "hash": "b1b981053d03db2ca249a93c764ab2df" }, { - "title": "Omicron: WHO concerned rich countries could hoard vaccines", - "description": "There are concerns that booster rollouts in wealthy nations could threaten supply to poorer countries.", - "content": "There are concerns that booster rollouts in wealthy nations could threaten supply to poorer countries.", + "title": "Messi, l'erreur de casting ?", + "description": "La question peut paraître incongrue au vu de l'aura et du talent incomparable du joueur, et pourtant. Depuis son arrivée à Paris, Lionel Messi n'apporte que frustration et nœuds au cerveau, entre deux éclairs de génie bien trop disparates. Un bien faible impact sur le jeu de sa nouvelle équipe qui a sauté aux yeux de tous mercredi soir à l'Etihad Stadium : à chaque fois que l'Argentin s'est refusé à la moindre course sans ballon, tout en ne réussissant pas grand-chose les rares fois où il l'avait dans les pieds.\"Depuis le moment où je me suis exprimé sur mon départ à Barcelone, les gens sont venus dans les rues, sans même savoir si j'allais venir ici, sans que rien ne soir confirmé.\" Dès…", + "content": "\"Depuis le moment où je me suis exprimé sur mon départ à Barcelone, les gens sont venus dans les rues, sans même savoir si j'allais venir ici, sans que rien ne soir confirmé.\" Dès…", "category": "", - "link": "https://www.bbc.co.uk/news/world-59599058?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 16:17:34 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/messi-l-erreur-de-casting-507507.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T11:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f7b809c6cc6ab75333b410e1e5d17d6" + "hash": "5ac7aa2b578e1b8b6098d568275d746e" }, { - "title": "Beijing Winter Olympics boycott is insignificant, says Macron", - "description": "The French president says some Western countries' refusal to send officials has no useful outcome.", - "content": "The French president says some Western countries' refusal to send officials has no useful outcome.", + "title": "Assassiné par la police aux Philippines, l'ancien footballeur Lafuente n'était pas un dealer", + "description": "Le 7 janvier 2020, Diego Bello Lafuente, surfeur et ancien footballeur espagnol au Deportivo La Corogne, était assassiné par les forces de l'ordre aux Philippines, qui le soupçonnaient d'être un…", + "content": "Le 7 janvier 2020, Diego Bello Lafuente, surfeur et ancien footballeur espagnol au Deportivo La Corogne, était assassiné par les forces de l'ordre aux Philippines, qui le soupçonnaient d'être un…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59599063?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:48:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/assassine-par-la-police-aux-philippines-l-ancien-footballeur-lafuente-n-etait-pas-un-dealer-507510.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T10:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d8ea604a000ffce1f5608941e9a8649" + "hash": "8bdcf8ba38ab1b269b0e47284cc0fce0" }, { - "title": "China committed genocide against Uyghurs, independent tribunal rules", - "description": "A London-based unofficial tribunal says China is deliberately preventing births among Uyghurs.", - "content": "A London-based unofficial tribunal says China is deliberately preventing births among Uyghurs.", + "title": "L'écusson de Liverpool se retrouve sur la saisie de 215 kilos de cocaïne au Paraguay", + "description": "Tu ne te drogueras jamais seul.
    \n
    \n500 paquets de cocaïne pour un total de 215 kilos et 302 grammes de drogue, voici le gros butin récolté par le Secrétariat national anti-drogue (ou…

    ", + "content": "Tu ne te drogueras jamais seul.
    \n
    \n500 paquets de cocaïne pour un total de 215 kilos et 302 grammes de drogue, voici le gros butin récolté par le Secrétariat national anti-drogue (ou…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59595952?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:51:22 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-ecusson-de-liverpool-se-retrouve-sur-la-saisie-de-215-kilos-de-cocaine-au-paraguay-507509.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T10:26:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d740a0e65f6fd71ae9070a9c309a605" + "hash": "2c9210469c058783213b401a2243704f" }, { - "title": "New Zealand to ban cigarettes for future generations", - "description": "No New Zealander born after 2009 will be able to buy tobacco under proposed new health laws.", - "content": "No New Zealander born after 2009 will be able to buy tobacco under proposed new health laws.", + "title": "Formiga prend sa retraite internationale", + "description": "Gianluigi Buffon n'est qu'un petit joueur à côté d'elle.
    \n
    \nPassée par le PSG de 2017 jusqu'à juin dernier, Formiga est une véritable légende du football. À 43 ans, \"la Fourmi…

    ", + "content": "Gianluigi Buffon n'est qu'un petit joueur à côté d'elle.
    \n
    \nPassée par le PSG de 2017 jusqu'à juin dernier, Formiga est une véritable légende du football. À 43 ans, \"la Fourmi…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59589775?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 04:32:02 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/formiga-prend-sa-retraite-internationale-507511.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T10:11:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "326fed58a5ab161f727c27684d3c8aa0" + "hash": "cd1812155aff54587d48bc437e0c29a2" }, { - "title": "Astroworld: Travis Scott says he was unaware fans were hurt", - "description": "The US rapper says he only discovered the impact of a deadly crowd surge after the festival in Texas.", - "content": "The US rapper says he only discovered the impact of a deadly crowd surge after the festival in Texas.", + "title": "La CONMEBOL met fin à la règle du but à l'extérieur", + "description": "Terminado.
    \n
    \nEn marge de la finale de la Copa Libertadores opposant Flamengo et Palmeiras samedi à Montevideo, la CONMEBOL, instance dirigeante du football en Amérique du Sud,…

    ", + "content": "Terminado.
    \n
    \nEn marge de la finale de la Copa Libertadores opposant Flamengo et Palmeiras samedi à Montevideo, la CONMEBOL, instance dirigeante du football en Amérique du Sud,…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59599271?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:45:18 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-conmebol-met-fin-a-la-regle-du-but-a-l-exterieur-507505.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T10:07:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbaa74cac0a0cfdd7b10fa27c2b9eb2a" + "hash": "b68b496a069a4279a52cf40ecd89140f" }, { - "title": "Ethiopia war: UN halts food aid in two towns after warehouses looted", - "description": "Aid workers faced extreme intimidation and were held at gunpoint by looters, the UN says.", - "content": "Aid workers faced extreme intimidation and were held at gunpoint by looters, the UN says.", + "title": "La pelouse de Santander gravement détériorée par un acte de vandalisme", + "description": "Non, le Paris-Dakar n'est pas censé passer par Santander.
    \n
    \nEn se levant ce jeudi pour aller travailler, les jardiniers du Racing de Santander ont tout de suite compris qu'il allait…

    ", + "content": "Non, le Paris-Dakar n'est pas censé passer par Santander.
    \n
    \nEn se levant ce jeudi pour aller travailler, les jardiniers du Racing de Santander ont tout de suite compris qu'il allait…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59588956?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:50:39 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-pelouse-de-santander-gravement-deterioree-par-un-acte-de-vandalisme-507500.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T09:42:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1ee56ce0830b9e80c305c5c946d818e" + "hash": "18e77a9e93875716e70b8fa8f14e98b9" }, { - "title": "US-led coalition against IS ends combat mission in Iraq", - "description": "Troops will remain to \"advise, assist and enable\" Iraqi security forces to stop a resurgence of IS.", - "content": "Troops will remain to \"advise, assist and enable\" Iraqi security forces to stop a resurgence of IS.", + "title": "Les supporters du Legia s'attaquent à la police lors du match à Leicester", + "description": "Tout est presque sous contrôle.
    \n
    \nAu milieu de la deuxième mi-temps du match entre Leicester et le Legia Varsovie qui s'est disputé jeudi soir pour le compte de la 5e

    ", + "content": "Tout est presque sous contrôle.
    \n
    \nAu milieu de la deuxième mi-temps du match entre Leicester et le Legia Varsovie qui s'est disputé jeudi soir pour le compte de la 5e

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59593007?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:59:07 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-supporters-du-legia-s-attaquent-a-la-police-lors-du-match-a-leicester-507499.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T09:40:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db542b657c43947fcb916262dae5cd58" + "hash": "bb622f7144ed91fc0833ac2c3bb90f0c" }, { - "title": "Lina Wertmüller: Groundbreaking Italian film director dies aged 93", - "description": "Wertmüller became the first woman ever to be nominated for an Oscar for best director in the 1970s.", - "content": "Wertmüller became the first woman ever to be nominated for an Oscar for best director in the 1970s.", + "title": "Conte dépité après la défaite de Tottenham à Mura", + "description": "Magicien : Personne qui fait des choses extraordinaires, qui a comme un pouvoir magique sur les choses ou sur les personnes.
    \n
    \nOn ne lui demandera pas de sortir un lapin de son…

    ", + "content": "Magicien : Personne qui fait des choses extraordinaires, qui a comme un pouvoir magique sur les choses ou sur les personnes.
    \n
    \nOn ne lui demandera pas de sortir un lapin de son…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59599270?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 17:15:44 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/conte-depite-apres-la-defaite-de-tottenham-a-mura-507492.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T09:26:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a635d375dea09a73b1109ab77f25a59" + "hash": "6f83162f7b0eb56d0bed89ddc5e2add4" }, { - "title": "Colombia gangs: 'Surrender or we'll hunt you down' warns minister", - "description": "Following the capture of its most wanted drug lord, Colombia is going after his criminal network.", - "content": "Following the capture of its most wanted drug lord, Colombia is going after his criminal network.", + "title": "Ses premiers enfants s'appellent Mara et Dona, son troisième s'appellera Diego", + "description": "Dans le classement des hommages farfelus, on doit pas être loin de la première place.
    \n
    \nWalter Rotundo, un Argentin de 39 ans, avait connu la joie d'être papa pour la première fois il…

    ", + "content": "Dans le classement des hommages farfelus, on doit pas être loin de la première place.
    \n
    \nWalter Rotundo, un Argentin de 39 ans, avait connu la joie d'être papa pour la première fois il…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59547337?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 01:41:02 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ses-premiers-enfants-s-appellent-mara-et-dona-son-troisieme-s-appellera-diego-507498.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T09:14:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a025a44d8543cec7d888c84f655a8f1" + "hash": "b698382e785c159eda9899406b795b58" }, { - "title": "FIA boss: Electric F1 racing is 'simply not possible'", - "description": "With Formula One race distance at 200 miles, switching to electric vehicles remains a long way off.", - "content": "With Formula One race distance at 200 miles, switching to electric vehicles remains a long way off.", + "title": "Bruno Genesio : \"On a manqué d'humilité\"", + "description": "Le retour des gros sourcils.
    \n
    \n\"Oui, je suis fâché. Je n'ai même pas besoin de faire de commentaires\", grondait Bruno Genesio en conférence de presse au terme
    ", + "content": "Le retour des gros sourcils.
    \n
    \n\"Oui, je suis fâché. Je n'ai même pas besoin de faire de commentaires\", grondait Bruno Genesio en conférence de presse au terme
    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59556016?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:09:48 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/bruno-genesio-on-a-manque-d-humilite-507494.html", + "creator": "SO FOOT", + "pubDate": "2021-11-26T08:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b808f48671ee05b06feb6761356ddb3" + "hash": "0b588041b0c9d30d212497374e9499bd" }, { - "title": "Putin-Biden talks: What next for Ukraine?", - "description": "Russia's president will want to register some kind of victory before his troops return, writes Jonathan Marcus.", - "content": "Russia's president will want to register some kind of victory before his troops return, writes Jonathan Marcus.", + "title": "Pronostic Nice Metz : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Nice retrouve son jeu face à Metz

    \n
    \nCandidat au podium, l'OGC Nice doit se montrer plus constant dans ses performances. En effet, les Aiglons…
    ", + "content": "

    Nice retrouve son jeu face à Metz

    \n
    \nCandidat au podium, l'OGC Nice doit se montrer plus constant dans ses performances. En effet, les Aiglons…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59565590?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:33:07 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-nice-metz-analyse-cotes-et-prono-du-match-de-ligue-1-507474.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T22:46:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a965aaa9a62e67c0f7a4b4545d09da7b" + "hash": "06277da769b5fb2db3a654e47fa626c1" }, { - "title": "Afghanistan: Girls' despair as Taliban confirm secondary school ban", - "description": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", - "content": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", + "title": "Leicester et les Rangers se remettent en marche", + "description": "Leicester s'est idéalement replacé dans la course à la qualification en s'emparant de la première place de son groupe, à une journée du verdict de cette phase de poules. Les Foxes ont maîtrisé le Legia Varsovie (3-1) dans le sillage de James Maddison, buteur et passeur. Le PSV Eindhoven, les Rangers et l'Olympiakos ont eux aussi fait la loi devant leur public, s'imposant respectivement face au SK Sturm Graz (2-0), au Sparta Prague (2-0) et à Fenerbahçe (1-0). Les Grecs peuvent encore espérer passer devant l'Eintracht Francfort, qui n'a pas réussi à se défaire d'Antwerp (2-2).Dernier avant la cinquième journée, Leicester est désormais en pole position dans le groupe C. Les Foxes ont enfoncé un peu plus Foxes ont enfoncé un peu plus

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59573075?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 22:01:46 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/monaco-glace-la-real-sociedad-et-composte-son-billet-507454.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2075529f5b17a045062ff4ca5ae99fd0" + "hash": "cbbaa6987d93eca216281560b57a2dda" }, { - "title": "China warns nations will 'pay price' for Olympic boycott", - "description": "The US, UK, Australia and Canada won't be sending government representatives to the Winter Olympics.", - "content": "The US, UK, Australia and Canada won't be sending government representatives to the Winter Olympics.", + "title": "Lyon déroule à Brøndby ", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59592347?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 10:43:47 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/lyon-deroule-a-br-c3-b8ndby-507439.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6fc403bea56021fba0780cf5fb42a28c" + "hash": "5b77ec03c6aa132e4795ea95e28612ed" }, { - "title": "Epstein and Maxwell pictured at Queen's residence at Balmoral", - "description": "The image of the couple at Balmoral was shown to a US court on Wednesday.", - "content": "The image of the couple at Balmoral was shown to a US court on Wednesday.", + "title": "Pronostic Villarreal Barcelone : Analyse, cotes et prono du match de Liga", + "description": "

    Barcelone confirme ses progrès à Villarreal

    \n
    \nLa 15e journée de Liga nous offre une affiche entre deux formations qui disputent la Ligue des…
    ", + "content": "

    Barcelone confirme ses progrès à Villarreal

    \n
    \nLa 15e journée de Liga nous offre une affiche entre deux formations qui disputent la Ligue des…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59590576?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 08:01:47 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-villarreal-barcelone-analyse-cotes-et-prono-du-match-de-liga-507473.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T20:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "971c9567d2bc1f418e54d06badf9c785" + "hash": "f5d8d4ae851c58cf0f96d0b39e812152" }, { - "title": "Farm laws: India farmers end protest after government accepts demands", - "description": "The announcement was made after hectic negotiations between farmer groups and the government.", - "content": "The announcement was made after hectic negotiations between farmer groups and the government.", + "title": "Pronostic Juventus Atalanta Bergame : Analyse, cotes et prono du match de Serie A", + "description": "

    Réaction attendue de la Juventus face à l'Atalanta

    \n
    \nImpressionnante de domination sur la Serie A pendant de nombreuses saisons, la Juventus connaît…
    ", + "content": "

    Réaction attendue de la Juventus face à l'Atalanta

    \n
    \nImpressionnante de domination sur la Serie A pendant de nombreuses saisons, la Juventus connaît…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59566157?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:03:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-juventus-atalanta-bergame-analyse-cotes-et-prono-du-match-de-serie-a-507471.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T20:25:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ea9512c90b6228757c642cabcc703d2" + "hash": "d85039c93baf1fd4e5c8af34e5b07d15" }, { - "title": "British waste dumped in Romania", - "description": "A BBC investigation has uncovered British waste being illegally shipped to Romania and dumped.", - "content": "A BBC investigation has uncovered British waste being illegally shipped to Romania and dumped.", + "title": "Pronostic Arsenal Newcastle : Analyse, cotes et prono du match de Premier League", + "description": "

    Arsenal rebondit de suite face à Newcastle

    \n
    \nAprès avoir connu une entame de championnat compliquée avec une dernière place au soir de la…
    ", + "content": "

    Arsenal rebondit de suite face à Newcastle

    \n
    \nAprès avoir connu une entame de championnat compliquée avec une dernière place au soir de la…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59557493?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 06:01:15 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-arsenal-newcastle-analyse-cotes-et-prono-du-match-de-premier-league-507469.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T20:18:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58ece51b9b903567e05d0f6214e8ec05" + "hash": "192e042c303032e5f7aa5bc3651d80b1" }, { - "title": "Sauti Sol singer Chimano hailed in Kenya for coming out as gay", - "description": "Kenyan gay rights activists welcome Sauti Sol star Chimano's decision to \"no longer live a lie\".", - "content": "Kenyan gay rights activists welcome Sauti Sol star Chimano's decision to \"no longer live a lie\".", + "title": "Pronostic Lille Nantes : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Lille – Nantes avec des buts de chaque côté

    \n
    \nChampion surprise la saison passée devant le Paris Saint-Germain, Lille devrait connaître un…
    ", + "content": "

    Un Lille – Nantes avec des buts de chaque côté

    \n
    \nChampion surprise la saison passée devant le Paris Saint-Germain, Lille devrait connaître un…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59592901?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:56:18 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-lille-nantes-analyse-cotes-et-prono-du-match-de-ligue-1-507468.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T19:56:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2fb11c4507c1c75e601efebac631109" + "hash": "cf173b03df6ef82692a047df4e41ae6d" }, { - "title": "Human remains found in car linked to 45-year-old cold case", - "description": "Tests are under way to confirm that the remains belong to missing student Kyle Wade Clinkscales.", - "content": "Tests are under way to confirm that the remains belong to missing student Kyle Wade Clinkscales.", + "title": "En direct : Monaco - Real Sociedad", + "description": "96' : C'EST FINI ! Monaco s'impose 2-1 face à la Real Sociedad et se qualifie pour les ...", + "content": "96' : C'EST FINI ! Monaco s'impose 2-1 face à la Real Sociedad et se qualifie pour les ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59592571?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 11:21:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-monaco-real-sociedad-507453.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e246e5197dc7e0e9d5052192c3ba5b37" + "hash": "2c50e92e1b6867d435ab4f8918193b59" }, { - "title": "Hong Kong: Jimmy Lai convicted for taking part in Tiananmen vigil", - "description": "Jimmy Lai and other prominent activists were convicted for taking part in the unauthorised event.", - "content": "Jimmy Lai and other prominent activists were convicted for taking part in the unauthorised event.", + "title": "En direct : Brøndby - Lyon", + "description": "96' : TERMINE ! 5/5 POUR L'OL !
    \n
    \nEn jouant une mi-temps, et grâce à un grand Cherki, l'OL ...", + "content": "96' : TERMINE ! 5/5 POUR L'OL !
    \n
    \nEn jouant une mi-temps, et grâce à un grand Cherki, l'OL ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59574530?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 04:48:11 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-br-c3-b8ndby-lyon-507437.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "549682fd9da60cb19bfce235f9957f8c" + "hash": "5e92d3c93aa4fc5e4a56733f496b6f11" }, { - "title": "Reverse advent calendar: A simple idea helping Australians at Christmas", - "description": "After starting her own reverse advent calendar to help others, Heather Luttrell took the idea nationwide.", - "content": "After starting her own reverse advent calendar to help others, Heather Luttrell took the idea nationwide.", + "title": "Tapé par Galatasaray, l'OM ne verra pas la suite de la C3", + "description": "Objectif C4 pour Marseille, cogné à Istanbul (4-2).

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59544669?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:02:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/tape-par-galatasaray-l-om-ne-verra-pas-la-suite-de-la-c3-507488.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T19:44:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bdaa59132a4155a400422975837e1ce0" + "hash": "582cc64bf9651d557a27e3c29782ee1f" }, { - "title": "Capitol riot: Lawmakers to hold ex-Trump chief of staff in contempt", - "description": "Donald Trump has urged his former aides to refuse cooperation with the 6 January House panel.", - "content": "Donald Trump has urged his former aides to refuse cooperation with the 6 January House panel.", + "title": "Rennes frustré par le Vitesse Arnhem, mais qualifié en huitièmes de finale", + "description": "Triplé de Laborde pour du beurre (3-3)... Mais qualif' en poche !

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59584975?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:26:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/rennes-frustre-par-le-vitesse-arnhem-mais-qualifie-en-huitiemes-de-finale-507484.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T19:39:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aec20c769471aae0866908c73a881f65" + "hash": "c4934195a6a73e90936186138235960d" }, { - "title": "Delhi pollution: Indoor air worse than outside, says study", - "description": "India's capital routinely tops the list of the world's most polluted cities.", - "content": "India's capital routinely tops the list of the world's most polluted cities.", + "title": "La Lazio engloutit le Lokomotiv, Leverkusen s'arrache face au Celtic ", + "description": "Avec sa victoire face au Lokomotiv Moscou (0-3), la Lazio a assuré sa qualification et l'élimination de Marseille. Dans le groupe G, le Bayer Lervekusen et le Real Betis ont également fait le nécessaire pour voir la suite de la compétition.Pendant que Marseille se faisait trimbaler par Galatasaray, la Lazio a tué…", + "content": "Pendant que Marseille se faisait trimbaler par Galatasaray, la Lazio a tué…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59566158?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 03:15:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-lazio-engloutit-le-lokomotiv-leverkusen-s-arrache-face-au-celtic-507487.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T19:38:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "63ba136f9350d4cb23d922be812f276e" + "hash": "94093ffa2fc2381f15b3d28c98ef5366" }, { - "title": "Robbie Shakespeare, influential Sly and Robbie bassist, dies aged 68", - "description": "The acclaimed Sly and Robbie bassist is credited with revolutionising the sound of reggae and dancehall.", - "content": "The acclaimed Sly and Robbie bassist is credited with revolutionising the sound of reggae and dancehall.", + "title": "La FIFA va tester le hors-jeu automatisé lors de la Coupe arabe", + "description": "La prochaine étape, c'est quoi ? Des joueurs bioniques ?
    \n
    \nLe football ne cesse de se révolutionner. Après l'arrivée de la goal-line technology, puis de la VAR ces dernières…

    ", + "content": "La prochaine étape, c'est quoi ? Des joueurs bioniques ?
    \n
    \nLe football ne cesse de se révolutionner. Après l'arrivée de la goal-line technology, puis de la VAR ces dernières…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59588953?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 02:23:43 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-fifa-va-tester-le-hors-jeu-automatise-lors-de-la-coupe-arabe-507482.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T17:33:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8dad1633babd8b20f41fda1f07e2fdef" + "hash": "5377fb3b5249c59abbc857cb44798f60" }, { - "title": "Barnaby Joyce: Australia deputy PM tests positive for Covid after UK visit", - "description": "Barnaby Joyce met with UK cabinet ministers in London and is now isolating in the US.", - "content": "Barnaby Joyce met with UK cabinet ministers in London and is now isolating in the US.", + "title": "En direct : Rennes - Vitesse Arnhem", + "description": "97' : Allez, je vous quitte sur cette joie de dernière minutes. Prenez soin de vous, bisous ...", + "content": "97' : Allez, je vous quitte sur cette joie de dernière minutes. Prenez soin de vous, bisous ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59589043?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 00:46:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-rennes-vitesse-arnhem-507483.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T17:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4bf796cc7d110c67114b2457aaf691b6" + "hash": "76fa2ff8faec6e9c2f51c614cccd038d" }, { - "title": "Bipin Rawat: Tributes for India's top general who died in helicopter crash", - "description": "The US, Russia and Pakistan express shock over General Bipin Rawat's death in a helicopter crash.", - "content": "The US, Russia and Pakistan express shock over General Bipin Rawat's death in a helicopter crash.", + "title": "En direct : Galatasaray - Marseille", + "description": "97' : FIN DE LA BOUCHERIE ! La C3, c'est déjà fini pour l'OM. La marche était visiblement trop ...", + "content": "97' : FIN DE LA BOUCHERIE ! La C3, c'est déjà fini pour l'OM. La marche était visiblement trop ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59576082?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 04:51:20 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-galatasaray-marseille-507481.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T17:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b444627bf3b5c24193bd3c2046143995" + "hash": "ba099d23fa094148adf286c1bf39008e" }, { - "title": "Ethiopia: UN halts food aid in two towns after warehouses looted", - "description": "Aid workers faced \"extreme intimidation\" and were held at gunpoint by looters, the UN says.", - "content": "Aid workers faced \"extreme intimidation\" and were held at gunpoint by looters, the UN says.", + "title": "Revenu sur les terrains, André Onana, gardien de l'Ajax, confirme son départ imminent", + "description": "Petite piqûre de rappel.
    \n
    \nUne page va se tourner du côté de l'Ajax.
    ", + "content": "Petite piqûre de rappel.
    \n
    \nUne page va se tourner du côté de l'Ajax.
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59588956?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 05:19:33 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/revenu-sur-les-terrains-andre-onana-gardien-de-l-ajax-confirme-son-depart-imminent-507480.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T16:50:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "21a26640972ec9720a2dbd9bd14b7cba" + "hash": "2f6a4b89a829a6cf4d880e0d6f5225e4" }, { - "title": "Ghislaine Maxwell: Ex-boyfriend of Maxwell accuser backs up statement", - "description": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", - "content": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", + "title": "Antoine Kombouaré \"très affecté\" par le jet de bouteille sur Dimitri Payet lors de Lyon-Marseille", + "description": "Une bouteille d'eau, beaucoup de conséquences.
    \n
    \nComme bon nombre de ses confrères cette semaine, Antoine Kombouaré a été interrogé sur les incidents
    ", + "content": "Une bouteille d'eau, beaucoup de conséquences.
    \n
    \nComme bon nombre de ses confrères cette semaine, Antoine Kombouaré a été interrogé sur les incidents
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59585506?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 22:21:22 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/antoine-kombouare-tres-affecte-par-le-jet-de-bouteille-sur-dimitri-payet-lors-de-lyon-marseille-507478.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T16:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b291dad7d8c2d451df68a11036ada9b" + "hash": "b08e380cf11667daee3819cef9b37ec5" }, { - "title": "UK and Canada join diplomatic boycott of China Winter Olympics", - "description": "The two nations say their diplomats will not attend the games, citing Chinese human rights abuses.", - "content": "The two nations say their diplomats will not attend the games, citing Chinese human rights abuses.", + "title": "Nick Mwendwa, président de la fédération kényane, acquitté", + "description": "Il peut finalement garder l'argent.
    \n
    \nLe président de la fédération kényane de football, Nick Mwendwa, a été acquitté dans une affaire de corruption. Arrêté le 12 novembre, il…

    ", + "content": "Il peut finalement garder l'argent.
    \n
    \nLe président de la fédération kényane de football, Nick Mwendwa, a été acquitté dans une affaire de corruption. Arrêté le 12 novembre, il…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59582137?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 19:10:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/nick-mwendwa-president-de-la-federation-kenyane-acquitte-507470.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T16:27:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6c52f48f376047b9250480f93653403b" + "hash": "d165349dc71d1751643fe1b4a106cdd5" }, { - "title": "Global supply chain: Lego to build $1bn factory in Vietnam", - "description": "It will be the toymaker's second manufacturing plant in Asia after it opened one in China in 2016.", - "content": "It will be the toymaker's second manufacturing plant in Asia after it opened one in China in 2016.", + "title": "Ralf Rangnick serait en pole position pour débarquer à Manchester United", + "description": "La rumeur Rudi Garcia prend du plomb dans l'aile.
    \n
    \nDirecteur…

    ", + "content": "La rumeur Rudi Garcia prend du plomb dans l'aile.
    \n
    \nDirecteur…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59588943?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 04:30:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ralf-rangnick-serait-en-pole-position-pour-debarquer-a-manchester-united-507477.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T16:18:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4d180d94cfa1dfddac47080d9120050" + "hash": "3e3bf5835929385863d1d5486b051bf0" }, { - "title": "Covid: Pfizer says booster shot promising against Omicron", - "description": "The company says a third dose of its vaccine could improve protection against the new variant.", - "content": "The company says a third dose of its vaccine could improve protection against the new variant.", + "title": "Pour Christophe Galtier (Nice), il faut \"nettoyer les tribunes\"", + "description": "Tous unis contre la bêtise.
    \n
    \nAprès les incidents survenus ce dimanche à Lyon et depuis le début de saison,…

    ", + "content": "Tous unis contre la bêtise.
    \n
    \nAprès les incidents survenus ce dimanche à Lyon et depuis le début de saison,…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59582006?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 15:39:14 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pour-christophe-galtier-nice-il-faut-nettoyer-les-tribunes-507476.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T15:50:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3642a3aa2fbe90bff5866f60e9ba24c" + "hash": "46c22be2150b6466d0a3e901d8d15351" }, { - "title": "Ghislaine Maxwell: Ex-boyfriend of accuser corroborates account", - "description": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", - "content": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", + "title": "Championship : Paul Heckingbottom revient sur le banc de Sheffield United", + "description": "Started from the Heckingbottom.
    \n
    \nFaire du neuf avec du vieux. C'est ce que va tenter Sheffield United, en plein naufrage cette saison. Non pas que le nouvel entraîneur soit…

    ", + "content": "Started from the Heckingbottom.
    \n
    \nFaire du neuf avec du vieux. C'est ce que va tenter Sheffield United, en plein naufrage cette saison. Non pas que le nouvel entraîneur soit…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59585506?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 22:21:22 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/championship-paul-heckingbottom-revient-sur-le-banc-de-sheffield-united-507475.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T15:40:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d9139b3ee03483dfa0c3b2f13623875c" + "hash": "306543e2565c212aac380adb247c193c" }, { - "title": "Elizabeth Holmes testifies she 'never' misled investors", - "description": "Holmes' defence team rested their case after seven days of testimony from the Theranos founder.", - "content": "Holmes' defence team rested their case after seven days of testimony from the Theranos founder.", + "title": "Mino Raiola : \"La FIFA ? C'est une mafia\"", + "description": "L'hôpital, la charité...
    \n
    \nDans un monde du football où agents et avocats mandataires ont une influence grandissante, la FIFA tente depuis plusieurs mois de contrer l'importance de ces…

    ", + "content": "L'hôpital, la charité...
    \n
    \nDans un monde du football où agents et avocats mandataires ont une influence grandissante, la FIFA tente depuis plusieurs mois de contrer l'importance de ces…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59587919?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 20:47:58 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/mino-raiola-la-fifa-c-est-une-mafia-507467.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T15:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18513d4a48aeb9e5acb98db23dfed7fc" + "hash": "5713c875122e97884a59110c3ac143a9" }, { - "title": "Netherlands to buy Rembrandt Standard Bearer self-portrait", - "description": "The Dutch government puts aside €150m for the 1636 work, currently owned by the Rothschild family.", - "content": "The Dutch government puts aside €150m for the 1636 work, currently owned by the Rothschild family.", + "title": "Un rapport parlementaire préconise la création d'un organe de contrôle et d'une taxe sur les transferts en Premier League", + "description": "Éthique projet.
    \n
    \nEn perpétuelle agitation, la Premier League pourrait connaître des changements radicaux au printemps prochain. À la suite de la tentative d'évasion de certains clubs…

    ", + "content": "Éthique projet.
    \n
    \nEn perpétuelle agitation, la Premier League pourrait connaître des changements radicaux au printemps prochain. À la suite de la tentative d'évasion de certains clubs…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59588109?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 20:57:58 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/un-rapport-parlementaire-preconise-la-creation-d-un-organe-de-controle-et-d-une-taxe-sur-les-transferts-en-premier-league-507472.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T15:16:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "13988105b58b592a17b1ff6f41ce4d1f" + "hash": "94d292d9cac883d8a23a0e3eaea9485d" }, { - "title": "Tiger Woods will make his return at PNC Championship alongside son Charlie", - "description": "Tiger Woods will make his comeback playing alongside son Charlie at the PNC Championship in Florida next week.", - "content": "Tiger Woods will make his comeback playing alongside son Charlie at the PNC Championship in Florida next week.", + "title": "Mikel Arteta veut Arsène Wenger à ses côtés à Arsenal", + "description": "Le retour du patron ?
    \n
    \nParti d'Arsenal en mai 2018, Arsène Wenger reste bien sûr le plus grand entraîneur de l'histoire des Canonniers. Si l'intéressé,
    ", + "content": "Le retour du patron ?
    \n
    \nParti d'Arsenal en mai 2018, Arsène Wenger reste bien sûr le plus grand entraîneur de l'histoire des Canonniers. Si l'intéressé,
    ", "category": "", - "link": "https://www.bbc.co.uk/sport/golf/59585790?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:45:00 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/mikel-arteta-veut-arsene-wenger-a-ses-cotes-a-arsenal-507465.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T14:31:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a3edf2b96fdccc7afc63f24f8849ca2" + "hash": "0453d84ffbe5009f248122b0771bf0ca" }, { - "title": "Jamal Khashoggi: France releases Saudi man held over journalist's murder", - "description": "A man with the same name as a suspect in the killing was arrested at a Paris airport on Tuesday.", - "content": "A man with the same name as a suspect in the killing was arrested at a Paris airport on Tuesday.", + "title": "Footgate : Dejan Veljković premier repenti de l'histoire de la justice belge", + "description": "Des nouvelles des magouilles en Belgique.
    \n
    \nDejan Veljković, agent de joueurs serbe basé en Belgique, est devenu ce jeudi le premier \"repenti\" de la justice belge de l'histoire, dans…

    ", + "content": "Des nouvelles des magouilles en Belgique.
    \n
    \nDejan Veljković, agent de joueurs serbe basé en Belgique, est devenu ce jeudi le premier \"repenti\" de la justice belge de l'histoire, dans…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59580631?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 15:55:37 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/footgate-dejan-veljkovic-premier-repenti-de-l-histoire-de-la-justice-belge-507459.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T14:16:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6be91e23715bc81bc67d628c34ac1304" + "hash": "503977ee5db9c400f4a8082a674ea758" }, { - "title": "Sanna Marin: Finland's PM sorry for clubbing after Covid contact", - "description": "Sanna Marin went on a night out on Saturday, hours after her foreign minister had tested positive.", - "content": "Sanna Marin went on a night out on Saturday, hours after her foreign minister had tested positive.", + "title": "Pronostic Athletic Bilbao Grenade : Analyse, cotes et prono du match de Liga", + "description": "

    L'Athletic Bilbao maître à San Mamés face à Grenade

    \n
    \nCalé dans le ventre mou du classement de Liga, l'Athletic Bilbao a perdu de sa superbe et…
    ", + "content": "

    L'Athletic Bilbao maître à San Mamés face à Grenade

    \n
    \nCalé dans le ventre mou du classement de Liga, l'Athletic Bilbao a perdu de sa superbe et…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59577371?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 14:50:56 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-athletic-bilbao-grenade-analyse-cotes-et-prono-du-match-de-liga-507466.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T13:49:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "40698a46ee28445dd62df32b39b7d879" + "hash": "e36869ff8edcc19f9eccb3cd9d41722e" }, { - "title": "Boss says sorry for 'blundered' Zoom firing of 900 staff", - "description": "Vishal Garg says he \"is deeply sorry\" for sacking 900 staff in an online meeting.", - "content": "Vishal Garg says he \"is deeply sorry\" for sacking 900 staff in an online meeting.", + "title": "Pronostic Lens Angers : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lens repart de l'avant face à Angers

    \n
    \nDe retour en Ligue 1 la saison dernière, le Racing Club de Lens avait été l'une des très bonnes…
    ", + "content": "

    Lens repart de l'avant face à Angers

    \n
    \nDe retour en Ligue 1 la saison dernière, le Racing Club de Lens avait été l'une des très bonnes…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59573146?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:38:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-lens-angers-analyse-cotes-et-prono-du-match-de-ligue-1-507464.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T13:43:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "274e66f75e703d9949cbe27f4b5c1d06" + "hash": "6f9e277eadbe221ae6326c3e52b83a1d" }, { - "title": "Robert E Lee: Confederate general statue to be turned into art", - "description": "The statue was at the centre of a white nationalist rally in 2017, which led to the death of a woman.", - "content": "The statue was at the centre of a white nationalist rally in 2017, which led to the death of a woman.", + "title": "Pronostic Stuttgart Mayence : Analyse, cotes et prono du match de Bundesliga", + "description": "

    Mayence, la bonne opération face à Stuttgart

    \n
    \nDe retour dans l'élite du foot allemand l'an passé, Stuttgart avait réalisé un exercice…
    ", + "content": "

    Mayence, la bonne opération face à Stuttgart

    \n
    \nDe retour dans l'élite du foot allemand l'an passé, Stuttgart avait réalisé un exercice…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59577720?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 12:25:21 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-stuttgart-mayence-analyse-cotes-et-prono-du-match-de-bundesliga-507463.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T13:32:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ff77af0f21ea376cf97601f146162f7" + "hash": "6fafd6c16123fa8cc5c90a77f8d74220" }, { - "title": "Germany's Olaf Scholz takes over from Merkel as chancellor", - "description": "Olaf Scholz is confirmed as chancellor, leading a three-party coalition after 16 years of Merkel rule.", - "content": "Olaf Scholz is confirmed as chancellor, leading a three-party coalition after 16 years of Merkel rule.", + "title": "Pronostic Cagliari Salernitana : Analyse, cotes et prono du match de Serie A", + "description": "

    Cagliari domine la Salernitana

    \n
    \nLa 14e journée de Serie A s'ouvre avec une affiche entre deux équipes mal classées, Cagliari et la Salernitana.…
    ", + "content": "

    Cagliari domine la Salernitana

    \n
    \nLa 14e journée de Serie A s'ouvre avec une affiche entre deux équipes mal classées, Cagliari et la Salernitana.…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59575773?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:36:00 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-cagliari-salernitana-analyse-cotes-et-prono-du-match-de-serie-a-507462.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T13:21:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "078f371920966b9178bf6a7dfe779842" + "hash": "2cab562588b953a97868b61f57d42aed" }, { - "title": "How Bangladeshis are lured into slavery in Libya", - "description": "A 19-year-old tells of his harrowing ordeal at the hands of traffickers who tricked him and his parents.", - "content": "A 19-year-old tells of his harrowing ordeal at the hands of traffickers who tricked him and his parents.", + "title": "Ultra de l'OM : \"Une fois en meute, nous sommes habités\"", + "description": "Julien* est supporter de l'OM. Même plus que ça, à son sens : il est un ultra de l'OM, et ce, depuis une quinzaine d'années. Une activité, une passion ou un mode de vie (c'est selon) qui a conduit ce trentenaire à rencontrer un monde uni par des liens sacrés, mais aussi, par ses dérives et ses risques, à être interdit de stade pendant un an. Et forcément, l'agression de Dimitri Payet au Groupama Stadium et la condamnation du supporter lyonnais a fait ressurgir quelques souvenirs et de quoi le faire réagir. Témoignage d'un ultra parmi d'autres.Dimanche soir, les supporters marseillais n'étaient pas autorisés à se rendre à Lyon. Depuis ton salon, quelle était ta réaction au moment de l'incident qui a mené à…", + "content": "Dimanche soir, les supporters marseillais n'étaient pas autorisés à se rendre à Lyon. Depuis ton salon, quelle était ta réaction au moment de l'incident qui a mené à…", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59528818?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:40:44 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ultra-de-l-om-une-fois-en-meute-nous-sommes-habites-507407.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3309b3c4f71e63480569162b2699e18" + "hash": "f97d0b5cfa9d6c28da45677ce30a54db" }, { - "title": "The ‘gals’ behind Samoa’s first woman PM", - "description": "Samoa's first woman prime minister has been supported throughout her career by a group of powerful female friends.", - "content": "Samoa's first woman prime minister has been supported throughout her career by a group of powerful female friends.", + "title": "Le Brentford FC ne changera pas de maillot domicile pour la saison prochaine", + "description": "Brentford a créé le maillot 2021-2022-2023.
    \n
    \nDepuis 2012, les Bees changent d'envergure au fil des saisons. Et si leurs méthodes peu orthodoxes en matière de recrutement,…

    ", + "content": "Brentford a créé le maillot 2021-2022-2023.
    \n
    \nDepuis 2012, les Bees changent d'envergure au fil des saisons. Et si leurs méthodes peu orthodoxes en matière de recrutement,…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59569649?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 01:31:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-brentford-fc-ne-changera-pas-de-maillot-domicile-pour-la-saison-prochaine-507458.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T12:31:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ccf44fce2670d1642de535ddbd4f901" + "hash": "b23375f728681285cf1071d089fa7c79" }, { - "title": "What the data tells us about love and marriage in India", - "description": "A data journalist looks at numbers to offer a remarkably rich view of love in India and its many trials.", - "content": "A data journalist looks at numbers to offer a remarkably rich view of love in India and its many trials.", + "title": "Robin Le Normand (Real Sociedad) : \"Le défi, c'est de jouer en équipe de France\"", + "description": "Voilà un Normand bien conquérant.
    \n
    \nArrivé en Espagne à l'âge de 20 ans, après un passage chez les jeunes à Brest, Robin Le Normand s'impose aujourd'hui comme un élément…

    ", + "content": "Voilà un Normand bien conquérant.
    \n
    \nArrivé en Espagne à l'âge de 20 ans, après un passage chez les jeunes à Brest, Robin Le Normand s'impose aujourd'hui comme un élément…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59530706?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:22:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/robin-le-normand-real-sociedad-le-defi-c-est-de-jouer-en-equipe-de-france-507460.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T12:26:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d128bb9a34d7767f27b9853e4c91a456" + "hash": "22d8ad9604fde16b0b3d70c97a5a301f" }, { - "title": "Indonesia's biodiesel drive is leading to deforestation", - "description": "Indonesia aims to use biofuels to cut greenhouse gas emissions, but it may damage its forests in the process.", - "content": "Indonesia aims to use biofuels to cut greenhouse gas emissions, but it may damage its forests in the process.", + "title": "Jorge Mendes à nouveau inquiété par une enquête pour blanchiment d'argent", + "description": "Jorge de la jungle.
    \n
    \nEn mars 2020, plusieurs dizaines de perquisitions étaient venues émailler le…

    ", + "content": "Jorge de la jungle.
    \n
    \nEn mars 2020, plusieurs dizaines de perquisitions étaient venues émailler le…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/59387191?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:37:31 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/jorge-mendes-a-nouveau-inquiete-par-une-enquete-pour-blanchiment-d-argent-507448.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T12:19:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d540ff12461686980f090ebe10e2c47f" + "hash": "6411b3f40e7e0dc19196f839907d967e" }, { - "title": "Indonesia volcano: BBC reporter surrounded by houses buried in ash", - "description": "Watch Valdya Baraputri in Indonesia describe the path of destruction from Mount Semeru's eruption.", - "content": "Watch Valdya Baraputri in Indonesia describe the path of destruction from Mount Semeru's eruption.", + "title": " Tactique : que retenir de ce Manchester City-PSG ?", + "description": "Arrivé à Manchester avec un sapin pour boucher l'axe en phase défensive, le PSG est reparti avec des épines dans les poches de l'Etihad Stadium. Lâchés défensivement par leur trio offensif, déconnecté sans et même parfois avec ballon, les Parisiens ont progressivement laissé City déballer son plan et ses mécanismes rodés. Et finalement, les hommes de Guardiola, plus créatifs qu'à l'aller, ont récolté ce qu'ils ont semé.\"Ils font tout le temps ça, tout le temps...\" Mercredi soir, Marquinhos est reparti de Manchester avec un menu golden : des yeux fatigués, des maux de tête et une lassitude que le…", + "content": "\"Ils font tout le temps ça, tout le temps...\" Mercredi soir, Marquinhos est reparti de Manchester avec un menu golden : des yeux fatigués, des maux de tête et une lassitude que le…", "category": "", - "link": "https://www.bbc.co.uk/news/world-59560809?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 11:41:38 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/tactique-que-retenir-de-ce-manchester-city-psg-507457.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T12:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "48dde6b43ac9f546288452cb55aabe12" + "hash": "50710f529f00ea7f15cadd2158249ce1" }, { - "title": "Rebel Wilson on weight loss: I know what it’s like to be invisible", - "description": "The actress, producer and director opens up about her weight loss, in an exclusive BBC interview.", - "content": "The actress, producer and director opens up about her weight loss, in an exclusive BBC interview.", + "title": "Kilos de marijuana, armes à feu : le bilan de la perquisition des Boixos Nois à Barcelone", + "description": "Mais ils voulaient faire fumer des éléphants ?
    \n
    \nDix-huit maisons perquisitionnées en plus des locaux du groupe, sept membres des \"Boixos Nois\" (frange radicale de supporters…

    ", + "content": "Mais ils voulaient faire fumer des éléphants ?
    \n
    \nDix-huit maisons perquisitionnées en plus des locaux du groupe, sept membres des \"Boixos Nois\" (frange radicale de supporters…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59519160?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:02:38 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/kilos-de-marijuana-armes-a-feu-le-bilan-de-la-perquisition-des-boixos-nois-a-barcelone-507452.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T11:51:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "734cf8c5fca74a947f801cf88f8bc881" + "hash": "a036e7f39306df168ab6ceea95a283b9" }, { - "title": "Indonesia volcano: How I escaped the deadly Mt Semeru eruption", - "description": "Watch as this survivor describes how he escaped the deadly Mt Semeru eruption in Indonesia.", - "content": "Watch as this survivor describes how he escaped the deadly Mt Semeru eruption in Indonesia.", + "title": "Joško Gvardiol touché par un projectile lors de Bruges-Leipzig", + "description": "La bêtise n'a pas de frontière.
    \n
    \nDouze petites minutes, c'est le temps qu'il aura fallu pour que l'un des spectateurs du stade Jan-Breydel de Bruges, certainement inspiré par
    ", + "content": "La bêtise n'a pas de frontière.
    \n
    \nDouze petites minutes, c'est le temps qu'il aura fallu pour que l'un des spectateurs du stade Jan-Breydel de Bruges, certainement inspiré par
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59553764?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 20:45:51 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/josko-gvardiol-touche-par-un-projectile-lors-de-bruges-leipzig-507455.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T11:22:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0642f978b9c370a6f9ea9e307591e3d3" + "hash": "5a825c2cff10701d479135c56a5326f3" }, { - "title": "Bipin Rawat: India's top general dies in helicopter crash", - "description": "General Bipin Rawat was killed alongside his wife and 11 others in the crash in Tamil Nadu.", - "content": "General Bipin Rawat was killed alongside his wife and 11 others in the crash in Tamil Nadu.", + "title": "EuroMillions vendredi 26 novembre 2021 : 163 millions d'€ à gagner !", + "description": "163 millions d'euros à gagner à l'EuroMillions vendredi, cagnotte record de 27 millions d'euros au LOTO samedi. Le week-end sera aussi chargé en foot que chez la FDJ

    EuroMillions du vendredi 26 novembre 2021 : 163M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 163 millions d'euros ce vendredi 26 novembre…
    ", + "content": "

    EuroMillions du vendredi 26 novembre 2021 : 163M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 163 millions d'euros ce vendredi 26 novembre…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59576082?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 15:15:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/euromillions-vendredi-26-novembre-2021-163-millions-d-e-a-gagner-507456.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T11:13:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "020f856a849ab872409ef45555acf247" + "hash": "aadd2f51427133ce41f3834bf993ea08" }, { - "title": "Russia Ukraine: Sending US troops not on table - Biden", - "description": "The US president says a Western response to a Russian invasion would not include boots on the ground.", - "content": "The US president says a Western response to a Russian invasion would not include boots on the ground.", + "title": "Junior Messias, l'ancien livreur de frigo devenu héros du Milan", + "description": "Alors que l'AC Milan était à trois minutes d'une élimination peu reluisante en Ligue des champions, il a surgi. Héros inattendu, buteur surprise, Junior Messias a offert aux Rossoneri une victoire attendue depuis huit ans, relançant les espoirs de qualification. L'histoire est folle : le bonhomme, arrivé du Brésil en 2011, a longtemps travaillé sur les chantiers et en tant que livreur de frigo.Il y a deux façons d'expliquer à un jeune footballeur ce que signifient sacrifice et abnégation. On peut, d'une part, lui parler de la réalité d'un centre de formation : les…", + "content": "Il y a deux façons d'expliquer à un jeune footballeur ce que signifient sacrifice et abnégation. On peut, d'une part, lui parler de la réalité d'un centre de formation : les…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59582013?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 18:08:39 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/junior-messias-l-ancien-livreur-de-frigo-devenu-heros-du-milan-507450.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T11:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04464e3aa88f47e3ae76b6fc35609bee" + "hash": "6f73d6c66e43c2767d2b595136744633" }, { - "title": "Covid: Vaccines should work against Omicron variant, WHO says", - "description": "A small study in South Africa suggests the new variant could partially evade the Pfizer jab.", - "content": "A small study in South Africa suggests the new variant could partially evade the Pfizer jab.", + "title": "John Fleck (Sheffield United) est sorti de l'hôpital après s'être effondré contre Reading", + "description": "Des nouvelles rassurantes.
    \n
    \nUne grosse frayeur a traversé les tribunes du Madejski Stadium de Reading lors de la rencontre opposant le club local à Sheffield United, en Championship. À…

    ", + "content": "Des nouvelles rassurantes.
    \n
    \nUne grosse frayeur a traversé les tribunes du Madejski Stadium de Reading lors de la rencontre opposant le club local à Sheffield United, en Championship. À…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59573037?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:57:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/john-fleck-sheffield-united-est-sorti-de-l-hopital-apres-s-etre-effondre-contre-reading-507451.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T10:27:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b69923565f7bfb73b03349e3daf947b5" + "hash": "5beab6cdfd934aa55b2b3e7a22e37919" }, { - "title": "Bipin Rawat: India's top general in helicopter crash", - "description": "Chief of Defence Staff General Bipin Rawat was in the helicopter which crashed in southern India.", - "content": "Chief of Defence Staff General Bipin Rawat was in the helicopter which crashed in southern India.", + "title": "Quand Rhys Healey (Toulouse FC) se livre sur ses goûts musicaux", + "description": "Don't stop him now.
    \n
    \nRhys Healey s'est livré dans une vidéo publiée par son club, le Toulouse FC, sur ses goûts musicaux. Le meilleur buteur de Ligue 2, auteur d'un quadruplé…

    ", + "content": "Don't stop him now.
    \n
    \nRhys Healey s'est livré dans une vidéo publiée par son club, le Toulouse FC, sur ses goûts musicaux. Le meilleur buteur de Ligue 2, auteur d'un quadruplé…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59576082?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 10:13:15 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/quand-rhys-healey-toulouse-fc-se-livre-sur-ses-gouts-musicaux-507449.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T10:14:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8412ef17313c1ab68fdb52118c42752d" + "hash": "723086c0d468ab0fb77bf78d10ea86ea" }, { - "title": "Biden warns Putin of 'strong measures' amid Ukraine invasion fears", - "description": "In a call with President Biden, Russia's Vladimir Putin seeks guarantees against eastward Nato expansion.", - "content": "In a call with President Biden, Russia's Vladimir Putin seeks guarantees against eastward Nato expansion.", + "title": "C3 : Prolonger le plaisir", + "description": "Toujours invaincus depuis le début de la compétition, l'Olympique de Marseille, l'AS Monaco et l'Olympique lyonnais entament le sprint final de la phase de groupes de Ligue Europa avec ambition. Carton plein et 100% de qualifiés ? L'espoir est permis, mais il faudra d'abord passer cette cinquième et avant-dernière journée sans encombre. Go !

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59567377?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 21:52:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/c3-prolonger-le-plaisir-507443.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T10:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85f242268e7b4a09ce49a8035ec77e81" + "hash": "b350a1aaa8d6138753e2a171c8022e7e" }, { - "title": "Myanmar: Soldiers accused of shooting, burning 13 villagers", - "description": "Myanmar villagers say soldiers carried out the killings in response to an attack on a military convoy.", - "content": "Myanmar villagers say soldiers carried out the killings in response to an attack on a military convoy.", + "title": "La DNCG garde la masse salariale des Girondins de Bordeaux sous contrôle", + "description": "La DNCG ne veut pas lâcher Bordeaux.
    \n
    \nAprès un premier passage cet été qui a suivi le rachat des Girondins par le Luxembourgeois Gérard Lopez, le gendarme financier du foot français…

    ", + "content": "La DNCG ne veut pas lâcher Bordeaux.
    \n
    \nAprès un premier passage cet été qui a suivi le rachat des Girondins par le Luxembourgeois Gérard Lopez, le gendarme financier du foot français…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59574528?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 08:23:30 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-dncg-garde-la-masse-salariale-des-girondins-de-bordeaux-sous-controle-507446.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T09:06:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ed1ca00c45b8277b0d1e3ec3b70104c" + "hash": "246f16239900f7ca2ea47a6735b9e9e4" }, { - "title": "Covishield: India vaccine maker halves production", - "description": "The Serum Institute is sitting on a stockpile of 500 million doses of Covishield, its CEO said.", - "content": "The Serum Institute is sitting on a stockpile of 500 million doses of Covishield, its CEO said.", + "title": "Le numéro 24 de Loïc Perrin retiré à l'AS Saint-Étienne", + "description": "470 matchs et fidèle toute sa carrière au même club.
    \n
    \nLoïc Perrin est une légende du côté du Forez. Après qu'il a passé dix-sept saisons professionnelles à l'AS Saint-Étienne,…

    ", + "content": "470 matchs et fidèle toute sa carrière au même club.
    \n
    \nLoïc Perrin est une légende du côté du Forez. Après qu'il a passé dix-sept saisons professionnelles à l'AS Saint-Étienne,…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59574878?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 07:56:41 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-numero-24-de-loic-perrin-retire-a-l-as-saint-etienne-507444.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T08:44:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "60e0e5c3f4f1268ffe456fa3bb127b22" + "hash": "455477f704f3da214c11e3239b8ee92e" }, { - "title": "China is biggest captor of journalists, says report", - "description": "Advocacy group Reporters Without Borders said at least 127 journalists are currently detained.", - "content": "Advocacy group Reporters Without Borders said at least 127 journalists are currently detained.", + "title": "Après sa qualification pour la Coupe du monde, la Suisse remercie l'Irlande du Nord avec du chocolat", + "description": "Après l'effort vient le réconfort.
    \n
    \nLes joueurs nord-irlandais vont avoir le droit de faire une petite pause dans leur régime avec ce joli cadeau de la sélection suisse. Qualifiée…

    ", + "content": "Après l'effort vient le réconfort.
    \n
    \nLes joueurs nord-irlandais vont avoir le droit de faire une petite pause dans leur régime avec ce joli cadeau de la sélection suisse. Qualifiée…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59544226?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 06:37:24 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/apres-sa-qualification-pour-la-coupe-du-monde-la-suisse-remercie-l-irlande-du-nord-avec-du-chocolat-507445.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T08:31:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "828b0672f87ac9f937578849662416af" + "hash": "287c09c6e198adb46ac029135fd41c0c" }, { - "title": "Eilish, cheugy and Omicron among 2021's most mispronounced words", - "description": "Billie Eilish, cheugy and Glasgow also feature on a list of the words people find trickiest to say.", - "content": "Billie Eilish, cheugy and Glasgow also feature on a list of the words people find trickiest to say.", + "title": "Jet de projectile : les victimes racontent", + "description": "Touché à la tête par une bouteille jetée des tribunes à Lyon dimanche soir, le capitaine marseillais Dimitri Payet a semblé atteint psychologiquement après cette agression. Étrangement, ce genre d'événements s'est tellement banalisé dans le sport ces dernières années que les autres victimes considèrent cette violence comme faisant partie intégrante du football.Pendant que Smaïl Bouabdellah, Johan Micoud, David Astorga et Thibault Le Rol s'occupaient de meubler l'antenne de Prime Video pendant deux longues heures d'attente, Thierry Henry semblait…", + "content": "Pendant que Smaïl Bouabdellah, Johan Micoud, David Astorga et Thibault Le Rol s'occupaient de meubler l'antenne de Prime Video pendant deux longues heures d'attente, Thierry Henry semblait…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59573797?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 04:38:44 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/jet-de-projectile-les-victimes-racontent-507409.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1ddc00e003c6917ed01da6815bb8b6af" + "hash": "72984df23fd94a29cf56599b0dc6ae20" }, { - "title": "Japanese billionaire blasts off to International Space Station", - "description": "Yusaku Maezawa will spend 12 days at the International Space Station before returning to Earth.", - "content": "Yusaku Maezawa will spend 12 days at the International Space Station before returning to Earth.", + "title": "Didier Domi : \"Tu peux être dominé et subir, mais pas comme ça...\"", + "description": "Latéral gauche formé au Paris Saint-Germain et passé par le club de la capitale de 1994 à 1998, puis de 2001 à 2003, Didier Domi revient sur la prestation du PSG suite à la défaite du club parisien sur la pelouse de Manchester City en Ligue des champions (2-1).Quelle analyse fais-tu de cette première défaite du PSG en Ligue des champions cette année ?
    \nQuand tu es entraîneur, tu analyses toujours les quatre ou cinq…
    ", + "content": "Quelle analyse fais-tu de cette première défaite du PSG en Ligue des champions cette année ?
    \nQuand tu es entraîneur, tu analyses toujours les quatre ou cinq…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59544223?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 09:57:11 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/didier-domi-tu-peux-etre-domine-et-subir-mais-pas-comme-ca-507441.html", + "creator": "SO FOOT", + "pubDate": "2021-11-25T00:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a92117f3ed9f3b5c1974f8b886c2e7d" + "hash": "bd068758cdb6b9dee1e2000bf69753a2" }, { - "title": "Ghislaine Maxwell: Jury sees never-before-seen photos of Epstein and defendant", - "description": "FBI agents submit previously unseen photo evidence as third accuser testifies in Maxwell trial.", - "content": "FBI agents submit previously unseen photo evidence as third accuser testifies in Maxwell trial.", + "title": "Manchester City-PSG : le bâton pour se faire battre", + "description": "Cette victoire de Manchester City face au PSG (2-1) en Ligue des champions a rappelé deux choses : que malgré la défaite du match aller, le collectif des Citizens est plus costaud que celui des Parisiens. Et que Lionel Messi aime pratiquer la marche sur gazon.Sur les genoux, Kylian Mbappé fait semblant de conduire une voiture, ou de jouer à Mario Kart, avec son nouveau meilleur ami Achraf Hakimi. Le tableau d'affichage du stade indique la…", + "content": "Sur les genoux, Kylian Mbappé fait semblant de conduire une voiture, ou de jouer à Mario Kart, avec son nouveau meilleur ami Achraf Hakimi. Le tableau d'affichage du stade indique la…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59571857?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 21:20:10 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/manchester-city-psg-le-baton-pour-se-faire-battre-507440.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T23:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5b30df757fd86e53d9392494fb48336c" + "hash": "565a28bad9f9b5fbc537df9179e1920a" }, { - "title": "2022 Beijing Winter Olympics: Australia joins US diplomatic boycott", - "description": "The US is leading the diplomatic boycott of the 2022 Winter Olympics, over human rights concerns.", - "content": "The US is leading the diplomatic boycott of the 2022 Winter Olympics, over human rights concerns.", + "title": "Pedro Gonçalves, le petit prince du Sporting", + "description": "Auteur d'un doublé lors de la belle victoire face au Borussia Dortmund (3-1), Pedro Gonçalves a été l'un des grands artisans de la qualification en huitièmes de finale des champions du Portugal. Une confirmation après un cru 2020-2021 exceptionnel.Lorsque le speaker du stade José-Alvalade annonce la sortie du numéro 28 du Sporting, le public lisboète ne tarde pas à applaudir et à entonner des chants à gorge déployée. Pas parce que le…", + "content": "Lorsque le speaker du stade José-Alvalade annonce la sortie du numéro 28 du Sporting, le public lisboète ne tarde pas à applaudir et à entonner des chants à gorge déployée. Pas parce que le…", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59573500?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:37:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pedro-goncalves-le-petit-prince-du-sporting-507438.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:59:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9969fec20615d94868443ac90125021" + "hash": "61f634d7edfa326717dd3f3c78cc55dc" }, { - "title": "Mahbouba Seraj: Afghanistan is a country in trouble", - "description": "Mahbouba Seraj is a prominent Afghan women’s rights activist. She has a personal message for the Taliban.", - "content": "Mahbouba Seraj is a prominent Afghan women’s rights activist. She has a personal message for the Taliban.", + "title": "Marquinhos : \"Le plus important, c'était de se qualifier\"", + "description": "L'heure du bilan.
    \n
    \nInterrogé par Canal+ au sortir de la défaite des siens face à Manchester City (2-1), Marquinhos justifie le revers parisien par les \"différentes stratégies…

    ", + "content": "L'heure du bilan.
    \n
    \nInterrogé par Canal+ au sortir de la défaite des siens face à Manchester City (2-1), Marquinhos justifie le revers parisien par les \"différentes stratégies…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59555481?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:05:28 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/marquinhos-le-plus-important-c-etait-de-se-qualifier-507435.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:49:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "773ea23f9d74f3bd6e153c89b271eb2e" + "hash": "3ccf2cccedcf32db32220083e52f7cff" }, { - "title": "Chinese social media giant Weibo's shares fall in Hong Kong debut", - "description": "Last week, Chinese ride-hailing giant Didi said it will move its listing to Hong Kong from the US.", - "content": "Last week, Chinese ride-hailing giant Didi said it will move its listing to Hong Kong from the US.", + "title": "Les notes du PSG face à Manchester City", + "description": "Dominés de bout en bout par les Skyblues, les Parisiens ont failli faire le coup parfait, mais ont finalement rompu (2-1). Navas et Mbappé ont cru au hold-up, mais ont été rattrapés par la patrouille des Citizens.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59558150?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 02:15:04 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-notes-du-psg-face-a-manchester-city-507383.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fc3d670e01a8fce03f2af28a0f68e45a" + "hash": "a9ec7a093c97f0ce574f837608a43689" }, { - "title": "Jamal Khashoggi: Suspect in murder of journalist arrested in Paris", - "description": "French media say Khaled Aedh Alotaibi was arrested at Charles-de-Gaulle airport on Tuesday.", - "content": "French media say Khaled Aedh Alotaibi was arrested at Charles-de-Gaulle airport on Tuesday.", + "title": "Kimpembe : \"La solution ? Bloc médian, coulisser\"", + "description": "C'est pourtant simple !
    \n
    \nComme tous ses coéquipiers, Presnel Kimpembe, auteur d'une prestation honorable face à Manchester City, était forcément \"déçu\" après la défaite…

    ", + "content": "C'est pourtant simple !
    \n
    \nComme tous ses coéquipiers, Presnel Kimpembe, auteur d'une prestation honorable face à Manchester City, était forcément \"déçu\" après la défaite…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59561881?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 17:43:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/kimpembe-la-solution-bloc-median-coulisser-507436.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:13:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "583d9ede11c98c6c85ac60b3d0566c73" + "hash": "6ff0ad4340ff93e76296819c42d1d2d0" }, { - "title": "Google sues alleged Russian cyber criminals", - "description": "Hackers behind a malicious \"botnet\" may have used their network to infect over a million computers.", - "content": "Hackers behind a malicious \"botnet\" may have used their network to infect over a million computers.", + "title": "Le Real Madrid glace le Sheriff et file en huitièmes", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59571417?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:30:30 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-real-madrid-glace-le-sheriff-et-file-en-huitiemes-507434.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:12:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ea23264e5c95882bb34836d1a81eadb" + "hash": "e4dbdd3efea17d68871a221ec6d945e2" }, { - "title": "Bitcoin 'founder' to keep 1m Bitcoin cache", - "description": "A jury decided Craig Wright, who says he created the cryptocurrency, can retain bitcoin worth billions of dollars.", - "content": "A jury decided Craig Wright, who says he created the cryptocurrency, can retain bitcoin worth billions of dollars.", + "title": "Les notes de Manchester City face au PSG", + "description": "Une fois n'est pas coutume, Jesus a encore sauvé son peuple. Ses apôtres Riyad, Bernardo et İlkay l'ont bien aidé dans sa mission.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59571277?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 20:10:41 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-notes-de-manchester-city-face-au-psg-507433.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a0ce9a402fc45e1bdacdcedc4334f21" + "hash": "7e00dfe3ed7f13bd4fdaabd9e868581b" }, { - "title": "Nearly 70 Spanish medics Covid positive after Christmas party", - "description": "The outbreak among ICU staff in Málaga is believed to have started at a Christmas party last week.", - "content": "The outbreak among ICU staff in Málaga is believed to have started at a Christmas party last week.", + "title": "Milan arrache la victoire contre l'Atlético et reste en vie", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59561876?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 11:51:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/milan-arrache-la-victoire-contre-l-atletico-et-reste-en-vie-507431.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf61a15818d491b9618a816856650117" + "hash": "25ed82bbd6e1b3e90c864dc229bf7fa0" }, { - "title": "Chile same-sex marriage: Law overwhelmingly approved by parliament", - "description": "A law allowing same-sex marriage is approved in the historically Catholic Latin American country.", - "content": "A law allowing same-sex marriage is approved in the historically Catholic Latin American country.", + "title": "Le Sporting élimine Dortmund et file en huitièmes", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59570576?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:12:02 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-sporting-elimine-dortmund-et-file-en-huitiemes-507428.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47896c95723e5c9d20e408c0328066fb" + "hash": "717a171ec23d0c4965222500c8952318" }, { - "title": "Afghanistan: Girls' despair as Taliban confirms secondary school ban", - "description": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", - "content": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", + "title": "Liverpool enchaîne une cinquième victoire contre Porto", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59565558?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 08 Dec 2021 00:17:51 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/liverpool-enchaine-une-cinquieme-victoire-contre-porto-507426.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a6e55047f3ece19d9927c27e5bd487c" + "hash": "df285e8ca44dc0ce4c9e6f128de70e34" }, { - "title": "Amazon services down for thousands of users", - "description": "Customers of the e-commerce giant report problems with shopping services, Prime Video and Alexa.", - "content": "Customers of the e-commerce giant report problems with shopping services, Prime Video and Alexa.", + "title": "Leipzig détruit Bruges, doublé de Christopher Nkunku", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59568858?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:23:20 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/leipzig-detruit-bruges-double-de-christopher-nkunku-507425.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T21:56:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "03df78f3068e81a0fae2b58cfb0674f2" + "hash": "3b2ed6ece71b781fe2c994f7dc3f95c5" }, { - "title": "Michael Steinhardt: US billionaire hands over antiquities worth $70m", - "description": "Michael Steinhardt is banned for life from buying such treasures following an investigation.", - "content": "Michael Steinhardt is banned for life from buying such treasures following an investigation.", + "title": "Le PSG écrabouillé 2-1 à Manchester City", + "description": "Dominateur de la tête et des épaules tout au long de la rencontre, Manchester City a pris sa revanche sur le PSG, deux mois après sa défaite au Parc des Princes. Menés au score sur un but de Mbappé, les Citizens ont renversé la table grâce à Sterling et Gabriel Jesus. Les voilà assurés de terminer en tête de cette poule A, tandis que Paris est qualifié en deuxième position.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59543021?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:07:57 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-psg-ecrabouille-2-1-a-manchester-city-507427.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T21:55:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0df8cc40b7d82af25e0e57a3b76f824d" + "hash": "4b0c67f8683869c8c58abe354d0318eb" }, { - "title": "Afghanistan: Foreign Office chaotic during Kabul evacuation - whistleblower", - "description": "Thousands of pleas for help went unread and the foreign secretary lacked urgency, an ex-official says.", - "content": "Thousands of pleas for help went unread and the foreign secretary lacked urgency, an ex-official says.", + "title": "L'Inter vient à bout du Shakhtar grâce à un doublé de Džeko", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59549868?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 10:06:27 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-inter-vient-a-bout-du-shakhtar-grace-a-un-double-de-dzeko-507430.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ff3fb7e067d2240868d7cc185887bb3" + "hash": "51b42c40933fe4560807c38e0b952119" }, { - "title": "Super-rich increase their share of world's income", - "description": "A major report on wealth and inequality says 2020 saw the steepest rise in billionaires' wealth on record.", - "content": "A major report on wealth and inequality says 2020 saw the steepest rise in billionaires' wealth on record.", + "title": "En direct : Atlético - AC Milan", + "description": "95' : FINITO ! Le Milan est venu à bout de cette crispante équipe rojiblanca. La dernière ...", + "content": "95' : FINITO ! Le Milan est venu à bout de cette crispante équipe rojiblanca. La dernière ...", "category": "", - "link": "https://www.bbc.co.uk/news/business-59565690?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:06:38 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-atletico-ac-milan-507424.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ecae0d6688cf1e7fe0077e105feee9b" + "hash": "b9a798792c0125307968d3da1c84de86" }, { - "title": "Aurangabad: Indian teen arrested for beheading pregnant sister", - "description": "The 19-year-old had eloped and married a man without her family's consent, police said.", - "content": "The 19-year-old had eloped and married a man without her family's consent, police said.", + "title": "Haller renverse Beşiktaş à lui seul", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59559122?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 08:18:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/haller-renverse-besiktas-a-lui-seul-507422.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2de13f336b1171900d3e47afdbe5f295" + "hash": "b123f9ce8dc74a9bf3e40a464415590b" }, { - "title": "Vishal Garg: US boss fires 900 employees over Zoom", - "description": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", - "content": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", + "title": "En direct : Manchester City - Paris S-G", + "description": "90' : Et c'est TER-MI-NE !
    \n
    \nMalgré un léger sursaut d'orgueil, Paris était en-dessous ce soir ...", + "content": "90' : Et c'est TER-MI-NE !
    \n
    \nMalgré un léger sursaut d'orgueil, Paris était en-dessous ce soir ...", "category": "", - "link": "https://www.bbc.co.uk/news/business-59554585?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:30:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-manchester-city-paris-s-g-507432.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T19:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "caddd8c6f3501a60f2d6caa3c71752a0" + "hash": "7b751d75d6146e81bbfc0ccce452b6fa" }, { - "title": "Amalia: Heir to the Dutch throne keeps it normal at 18", - "description": "Princess Amalia had an ordinary childhood and wants her life to continue that way.", - "content": "Princess Amalia had an ordinary childhood and wants her life to continue that way.", + "title": "Naples surpris sur le terrain du Spartak Moscou", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59516157?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:39:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/naples-surpris-sur-le-terrain-du-spartak-moscou-507423.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T17:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c758439b1548986f858fe9b9623427d9" + "hash": "920c5ca164e26eb01e1b658e03481bf5" }, { - "title": "David Gulpilil: Profound legacy of a trailblazing Aboriginal actor", - "description": "A trailblazing figure with a 50-year career, he helped vastly improve cultural representations.", - "content": "A trailblazing figure with a 50-year career, he helped vastly improve cultural representations.", + "title": "La DFL répond négativement à la demande d'Helge Leonhardt (Erzgebirge Aue) d'arrêter les championnats", + "description": "La fête n'est pas finie.
    \n
    \nAlors que les cas de Covid-19 flambent en Allemagne, le président du club de deuxième division Erzgebirge Aue, Helge Leonhardt, a fait part de son inquiétude…

    ", + "content": "La fête n'est pas finie.
    \n
    \nAlors que les cas de Covid-19 flambent en Allemagne, le président du club de deuxième division Erzgebirge Aue, Helge Leonhardt, a fait part de son inquiétude…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59485830?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 21:07:09 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-dfl-repond-negativement-a-la-demande-d-helge-leonhardt-erzgebirge-aue-d-arreter-les-championnats-507421.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T17:20:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "822e89cd80826b76a66039c12d66f66a" + "hash": "29f5aaf3013fa32ff8a88f9a5afebf93" }, { - "title": "'I had to move across America when I became allergic to the sun'", - "description": "After experiencing an unusual allergic reaction, Carrie moves across America to escape the sun.", - "content": "After experiencing an unusual allergic reaction, Carrie moves across America to escape the sun.", + "title": "Youth League : les U19 du Paris Saint-Germain se qualifient pour le prochain tour après leur victoire sur Manchester City", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/disability-59404429?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:34:27 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/youth-league-les-u19-du-paris-saint-germain-se-qualifient-pour-le-prochain-tour-apres-leur-victoire-sur-manchester-city-507418.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T17:08:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "90d2a70d2d2f8e27444ebe44cd432fc6" + "hash": "8375bbcb08997b37274a66ddc1d28d78" }, { - "title": "Helping trans people escape death in their home countries", - "description": "Iman Le Caire made it her mission to help other trans people flee persecution in hostile countries.", - "content": "Iman Le Caire made it her mission to help other trans people flee persecution in hostile countries.", + "title": "Karim Benzema reconnu coupable : Mathieu Valbuena \"soulagé\" selon son avocat", + "description": "Petit Vélo souffle enfin.
    \n
    \nC'est l'événement de ce mercredi : Karim Benzema a officiellement été
    ", + "content": "Petit Vélo souffle enfin.
    \n
    \nC'est l'événement de ce mercredi : Karim Benzema a officiellement été
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59454871?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:05:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/karim-benzema-reconnu-coupable-mathieu-valbuena-soulage-selon-son-avocat-507420.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T16:59:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2708b3341c47c17f17daed7e02dc370" + "hash": "2ea184b1bdca95765ccd66871f04ba0c" }, { - "title": "'I want Afghan women to be free to wear colour'", - "description": "Fashion icon Halima Aden and Afghan tutor Aliya Kazimy write to each other about the importance of choice.", - "content": "Fashion icon Halima Aden and Afghan tutor Aliya Kazimy write to each other about the importance of choice.", + "title": "25 ultras de la Juve interdits de stade après le derby contre le Torino", + "description": "Une sanction à la hauteur.
    \n
    \nVingt-cinq membres de groupes ultras de la Juventus (\"Tradizione Antichi Valori\" et \"Bravi Ragazzi\") sont désormais interdits de stade pour des…

    ", + "content": "Une sanction à la hauteur.
    \n
    \nVingt-cinq membres de groupes ultras de la Juventus (\"Tradizione Antichi Valori\" et \"Bravi Ragazzi\") sont désormais interdits de stade pour des…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59468000?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:09:37 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/25-ultras-de-la-juve-interdits-de-stade-apres-le-derby-contre-le-torino-507417.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T16:47:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b089b3802f59777eef052ff6b916e4ab" + "hash": "fedc39d94bbdc20d56dc2bb5c358d89b" }, { - "title": "Juan Jose Florian: Colombia's Para-cycling 'superhero' and his dramatic life story", - "description": "Juan Jose Florian was forced into armed conflict on the opposite side to family. When a bomb nearly killed him, sport helped heal.", - "content": "Juan Jose Florian was forced into armed conflict on the opposite side to family. When a bomb nearly killed him, sport helped heal.", + "title": "La CAF inquiète pour l'organisation de la CAN 2022 au Cameroun", + "description": "La vérité de juin n'est pas celle de novembre.
    \n
    \nIl y a six mois, Véron Mosengo-Omba, secrétaire général de la Confédération africaine de football,
    ", + "content": "La vérité de juin n'est pas celle de novembre.
    \n
    \nIl y a six mois, Véron Mosengo-Omba, secrétaire général de la Confédération africaine de football,
    ", "category": "", - "link": "https://www.bbc.co.uk/sport/disability-sport/59524921?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 00:00:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-caf-inquiete-pour-l-organisation-de-la-can-2022-au-cameroun-507414.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T16:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "91ae48ed4d16008272fc24700226ebad" + "hash": "6816ea2c8f5c90676ce60b60b06d7883" }, { - "title": "Omicron: Why is Nigeria on the travel red list?", - "description": "The UK has placed travel restrictions on arrivals from Nigeria and several other African countries - are they fair?", - "content": "The UK has placed travel restrictions on arrivals from Nigeria and several other African countries - are they fair?", + "title": "Luís Figo : \"La Superligue est morte\"", + "description": "Luís le fossoyeur.
    \n
    \nRécemment, Florentino Pérez et Andrea Agnelli sont…

    ", + "content": "Luís le fossoyeur.
    \n
    \nRécemment, Florentino Pérez et Andrea Agnelli sont…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/59548572?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:56:40 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/luis-figo-la-superligue-est-morte-507416.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T16:13:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f07725b7c8ea1af1bf64881ad0aa4d24" + "hash": "0735f931037d437ed479951fcd29f8e9" }, { - "title": "Biden and Putin hold talks amid Russia-Ukraine tensions", - "description": "The US and Russian leaders speak by video link, as Moscow warns tensions in Europe are \"off the scale\".", - "content": "The US and Russian leaders speak by video link, as Moscow warns tensions in Europe are \"off the scale\".", + "title": "En District dans le Nord, une équipe fait souffler l'arbitre dans le ballon après la défaite", + "description": "De l'Allier au Nord en passant par l'Allier au Nord en passant par Il n'y a pas qu'en France que ça part en vrille.
    \n
    \nCe samedi, le football écossais nous a offert une histoire pour le moins rocambolesque. Déjà averti, Funso Ojo, milieu de terrain…

    ", + "content": "Il n'y a pas qu'en France que ça part en vrille.
    \n
    \nCe samedi, le football écossais nous a offert une histoire pour le moins rocambolesque. Déjà averti, Funso Ojo, milieu de terrain…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59560444?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 14:20:30 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/aberdeen-une-enquete-contre-funso-ojo-apres-un-nouvel-incident-avec-un-supporter-adverse-507413.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T15:14:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e980c1898d43316f7df3e183dd4c8ea4" + "hash": "dbc1a2b77c80398c265fac31487bf05c" }, { - "title": "2022 Beijing Winter Olympics: China criticises US diplomatic boycott", - "description": "China angrily denounces a US plan not to send diplomats to the 2022 Winter Olympics in Beijing.", - "content": "China angrily denounces a US plan not to send diplomats to the 2022 Winter Olympics in Beijing.", + "title": "L'AS Saint-Étienne invite ses supporters à choisir son nouveau logo ", + "description": "L'heure du choix a sonné.
    \n
    \nDans quelques jours, l'AS Saint-Étienne révèlera son nouveau logo. Celui-ci sera choisi par tous les supporters et supportrices des Verts via
    ", + "content": "L'heure du choix a sonné.
    \n
    \nDans quelques jours, l'AS Saint-Étienne révèlera son nouveau logo. Celui-ci sera choisi par tous les supporters et supportrices des Verts via
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59559703?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:16:07 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-as-saint-etienne-invite-ses-supporters-a-choisir-son-nouveau-logo-507411.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T14:52:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4541dd80d6cd871e66bc47ce56cbbff0" + "hash": "e91d595ae34a4ba58e9b9b6d11d0727a" }, { - "title": "The Palestinian jailbreak that rocked Israel", - "description": "The search for six Palestinian fugitives from an Israeli prison unearths a story of dispossession, violence and bitter division in a fractured region.", - "content": "The search for six Palestinian fugitives from an Israeli prison unearths a story of dispossession, violence and bitter division in a fractured region.", + "title": "Belgique : le racisme et l'homophobie décomplexés d'un club amateur, le KVV Duffel, sur TikTok", + "description": "Si les clubs amateurs s'y mettent...
    \n
    \nLe club du KVV Duffel, dernier de son championnat en sixième division belge, a innové dans la bêtise et fait monter le niveau d'un cran. L'équipe…

    ", + "content": "Si les clubs amateurs s'y mettent...
    \n
    \nLe club du KVV Duffel, dernier de son championnat en sixième division belge, a innové dans la bêtise et fait monter le niveau d'un cran. L'équipe…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59524001?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 00:03:02 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/belgique-le-racisme-et-l-homophobie-decomplexes-d-un-club-amateur-le-kvv-duffel-sur-tiktok-507408.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T14:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbbcab1056ff4736e18005c6cac8321b" + "hash": "49d51478ce3f0da2e3ec23cfa9e59a56" }, { - "title": "Rohingya sue Facebook for $150bn over Myanmar hate speech", - "description": "The social media giant is accused of fuelling violence against the persecuted minority in Myanmar.", - "content": "The social media giant is accused of fuelling violence against the persecuted minority in Myanmar.", + "title": "Bientôt des mi-temps de 25 minutes comme au Superbowl ?", + "description": "Ça va faire du bruit.
    \n
    \nC'est le genre de point évoqué à la fin des réunions. Celui qui n'est pas au programme, qui devrait être le moins intéressant, mais qui oblige tout le…

    ", + "content": "Ça va faire du bruit.
    \n
    \nC'est le genre de point évoqué à la fin des réunions. Celui qui n'est pas au programme, qui devrait être le moins intéressant, mais qui oblige tout le…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59558090?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 07:28:18 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/bientot-des-mi-temps-de-25-minutes-comme-au-superbowl-507410.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T14:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1bf25d3634e6f86b59e7e659284d04c" + "hash": "5bfaf445c8f63ac617083ffef826f9d0" }, { - "title": "Western leaders urge Russia to lower Ukraine tensions", - "description": "The US and its European allies urge Moscow to de-escalate, amid fears it could invade Ukraine.", - "content": "The US and its European allies urge Moscow to de-escalate, amid fears it could invade Ukraine.", + "title": "Appel rejeté pour Fabrizio Miccoli, condamné à 3 ans et demi de prison ferme en Italie", + "description": "Miccoli piégé.
    \n
    \nL'ancien attaquant italien Fabrizio Miccoli a écopé d'une peine de trois ans et demi de prison ferme en Italie pour \"extorsion aggravée au moyen de méthode…

    ", + "content": "Miccoli piégé.
    \n
    \nL'ancien attaquant italien Fabrizio Miccoli a écopé d'une peine de trois ans et demi de prison ferme en Italie pour \"extorsion aggravée au moyen de méthode…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59558099?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 04:50:54 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/appel-rejete-pour-fabrizio-miccoli-condamne-a-3-ans-et-demi-de-prison-ferme-en-italie-507400.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T13:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "982aaeefa561151f8567ff1976256a80" + "hash": "6249a276ed712feb7e4e0aecc201a2a3" }, { - "title": "Peter Foster: Australian conman caught after six-month manhunt", - "description": "Peter Foster was declared a fugitive six months ago after allegedly skipping bail on fraud charges.", - "content": "Peter Foster was declared a fugitive six months ago after allegedly skipping bail on fraud charges.", + "title": "L'avocat de Karim Benzema, Me Antoine Vey, dénonce \"une sanction totalement disproportionnée\"", + "description": "Le sursis ne lui va pas.
    \n
    \nCe mercredi matin,
    ", + "content": "Le sursis ne lui va pas.
    \n
    \nCe mercredi matin,
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59544221?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 06:25:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-avocat-de-karim-benzema-me-antoine-vey-denonce-une-sanction-totalement-disproportionnee-507405.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T13:04:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "881a18168193ce7e3b785b188c792ace" + "hash": "cdeb4c0fad05c20c63530d3ee09a9a8c" }, { - "title": "Hong Kong Covid: The Cathay pilots stuck in 'perpetual quarantine'", - "description": "One Cathay Pacific pilot said he had spent almost 150 days in quarantine this year alone.", - "content": "One Cathay Pacific pilot said he had spent almost 150 days in quarantine this year alone.", + "title": "Benzema, pour l'exemple", + "description": "Karim Benzema a été condamné à un an de prison avec sursis et 75 000 euros d'amende. Il a décidé de faire appel puisque son avocat Me Sylvain Cormier rejette cette \" peine très sévère, injuste et sans preuve \". Le feuilleton n'est donc pas terminé sur le plan judiciaire. Toutefois cette première décision du tribunal clarifie le flou qui existait depuis qu'avait éclaté \" l'affaire de la sextape \", sans pour autant résorber les fractures qui se cristallisent autour de l'attaquant du Real Madrid.Le tribunal correctionnel de Versailles a été pour une fois très clair, indiquant que Karim Benzema (qui ne s'est Le début de saison a rappelé que Neymar n'avait plus son coup de rein destructeur. Et si l'heure était pour lui de se réinventer et de reculer sur le terrain ? Car ne nous mentons pas, le Brésilien en regista à la Andrea Pirlo est une alternative plus que prometteuse.Il est toujours difficile de faire des bilans en cours de saison. Mais après plus de trois mois de compétition, il est toutefois possible de tirer quelques enseignements de ce PSG new look. Exemple…", + "content": "Il est toujours difficile de faire des bilans en cours de saison. Mais après plus de trois mois de compétition, il est toutefois possible de tirer quelques enseignements de ce PSG new look. Exemple…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59558121?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 04:17:03 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/et-si-neymar-devait-jouer-en-numero-6-507389.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d3e4f205c60cfb7d3e8d85fd781efa7" + "hash": "4940c4471fea43302a5a370b925887ae" }, { - "title": "Ghislaine Maxwell 'gave schoolgirl outfit to Epstein victim'", - "description": "An accuser says the socialite suggested she dress up to serve tea to paedophile Jeffrey Epstein.", - "content": "An accuser says the socialite suggested she dress up to serve tea to paedophile Jeffrey Epstein.", + "title": "Rudi Garcia pour s'installer sur le banc de Manchester United ?", + "description": "On ne l'avait pas vu venir, celle-ci.
    \n
    \n15 août 2020. Rudi Garcia traumatise Manchester City (3-1), grand favori pour accéder au dernier carré de la Ligue des champions. Malheureusement…

    ", + "content": "On ne l'avait pas vu venir, celle-ci.
    \n
    \n15 août 2020. Rudi Garcia traumatise Manchester City (3-1), grand favori pour accéder au dernier carré de la Ligue des champions. Malheureusement…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59557022?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 22:29:48 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/rudi-garcia-pour-s-installer-sur-le-banc-de-manchester-united-507406.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T12:59:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5849f292f0580ac7ac38e305dafc557b" + "hash": "d65392b3b2cef64a08aa288a7925ece3" }, { - "title": "Kenyan policeman shoots dead six people including wife", - "description": "Authorities are calling the incident a \"shooting spree\", in which the killer also took his own life.", - "content": "Authorities are calling the incident a \"shooting spree\", in which the killer also took his own life.", + "title": "L'AC Ajaccio se considère comme \"le parfait bouc émissaire pour la commission de discipline\"", + "description": "Les Corses dérangent, énième épisode.
    \n
    \nAlors que les événements survenus dimanche soir à Décines lors…

    ", + "content": "Les Corses dérangent, énième épisode.
    \n
    \nAlors que les événements survenus dimanche soir à Décines lors…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59560578?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 09:51:45 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-ac-ajaccio-se-considere-comme-le-parfait-bouc-emissaire-pour-la-commission-de-discipline-507404.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T11:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b60477cb2e141c966726d2d6b2740849" + "hash": "aa6b4bb975d977ab728e95aef24bad91" }, { - "title": "Jussie Smollett testifies at trial: 'There was no hoax'", - "description": "Jussie Smollett says a \"massive\" man in a ski mask attacked him after shouting slurs in Chicago.", - "content": "Jussie Smollett says a \"massive\" man in a ski mask attacked him after shouting slurs in Chicago.", + "title": "Marco Verratti et Georginio Wijnaldum (PSG) finalement incertains pour affronter Manchester City", + "description": "C'était trop beau pour être vrai.
    \n
    \nAlors que tout le monde pensait que Mauricio Pochettino allait disposer d'un effectif au grand complet pour le déplacement sur la pelouse de…

    ", + "content": "C'était trop beau pour être vrai.
    \n
    \nAlors que tout le monde pensait que Mauricio Pochettino allait disposer d'un effectif au grand complet pour le déplacement sur la pelouse de…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59557297?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:24:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/marco-verratti-et-georginio-wijnaldum-psg-finalement-incertains-pour-affronter-manchester-city-507403.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T11:37:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ed83d25362051d7715c004e0029aea78" + "hash": "5f479838cdc065db9ed3764c12526dd8" }, { - "title": "James Webb Space Telescope scientist: 'It's the future of astrophysics'", - "description": "The James Webb Space Telescope is expected to be 100 times more powerful than the Hubble.", - "content": "The James Webb Space Telescope is expected to be 100 times more powerful than the Hubble.", + "title": "Noël Le Graët confirme que Karim Benzema \"reste sélectionnable\" en équipe de France", + "description": "Un problème Benzema ? Quel problème Benzema ?
    \n
    \n\"Benzema ne sera pas exclu par rapport à une éventuelle sanction judiciaire\",
    ", + "content": "Un problème Benzema ? Quel problème Benzema ?
    \n
    \n\"Benzema ne sera pas exclu par rapport à une éventuelle sanction judiciaire\",
    ", "category": "", - "link": "https://www.bbc.co.uk/news/science-environment-59525740?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 00:07:27 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/noel-le-graet-confirme-que-karim-benzema-reste-selectionnable-en-equipe-de-france-507401.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T11:09:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05be56fac1005df15a0f217d94cb78ea" + "hash": "0ebf01f1e7bf87289e96cc77300f3e02" }, { - "title": "How Lebanon's economic problems could leave Sara blind", - "description": "Lebanon stopped has stopped subsidising many medical expenses, which leaves poorer patients in danger.", - "content": "Lebanon stopped has stopped subsidising many medical expenses, which leaves poorer patients in danger.", + "title": "Declan Rice (West Ham) tape un freestyle de rap dans un Space sur Twitter", + "description": "Quand on n'est pas qualifié en Ligue des champions, on s'occupe autrement.
    \n
    \nSur Twitter, l'événement phare de ce mardi soir n'était ni
    ", + "content": "Quand on n'est pas qualifié en Ligue des champions, on s'occupe autrement.
    \n
    \nSur Twitter, l'événement phare de ce mardi soir n'était ni
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59528113?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 00:03:35 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/declan-rice-west-ham-tape-un-freestyle-de-rap-dans-un-space-sur-twitter-507397.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T10:39:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e35ce6f329611d3014a6e60ea4e2873" + "hash": "fd69436a2f7c386e96dc2827a9f05318" }, { - "title": "US diplomats to boycott 2022 Beijing Winter Olympics", - "description": "The White House says no US diplomats will attend the games in China, over human rights concerns.", - "content": "The White House says no US diplomats will attend the games in China, over human rights concerns.", + "title": "Pronostic Leicester Legia Varsovie : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    Leicester se relance face au Legia Varsovie

    \n
    \nCe groupe C d'Europa League est certainement l'un des plus ouverts. En effet, les 4 équipes du groupe…
    ", + "content": "

    Leicester se relance face au Legia Varsovie

    \n
    \nCe groupe C d'Europa League est certainement l'un des plus ouverts. En effet, les 4 équipes du groupe…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59556613?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 19:13:14 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-leicester-legia-varsovie-analyse-cotes-et-prono-du-match-de-ligue-europa-507399.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T10:33:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f05aca1d28366f0e9c3544350e413d3" + "hash": "b9a50ee71b81ad2d927be107a941ecd1" }, { - "title": "Covid-19: Italy tightens restrictions for unvaccinated", - "description": "A so-called Super Green Pass will be needed to access theatres, cinemas and restaurants.", - "content": "A so-called Super Green Pass will be needed to access theatres, cinemas and restaurants.", + "title": "Pronostic Monaco Real Sociedad : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    Monaco conserve sa 1re place face à la Real Sociedad

    \n
    \nDans ce groupe B de l'Europa League, quasiment tous les scenarii sont encore…
    ", + "content": "

    Monaco conserve sa 1re place face à la Real Sociedad

    \n
    \nDans ce groupe B de l'Europa League, quasiment tous les scenarii sont encore…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59548210?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:45:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-monaco-real-sociedad-analyse-cotes-et-prono-du-match-de-ligue-europa-507398.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T10:18:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1cac95ea68d79a57b54155ad74f23a01" + "hash": "8458981e7b8ec5a4ca3bc721585d8cac" }, { - "title": "Brexit: Ireland to receive €920m for Brexit impact", - "description": "The country is the first to receive money from the European Commission's Brexit Adjustment Reserve.", - "content": "The country is the first to receive money from the European Commission's Brexit Adjustment Reserve.", + "title": "Pronostic Rennes Vitesse Arnhem : Analyse, cotes et prono du match de Ligue Europa Conférence", + "description": "

    Rennes à pleine Vitesse

    \n
    \nInvaincu lors de ses 11 dernières rencontres toutes compétitions confondues, Rennes affiche sur cette période un…
    ", + "content": "

    Rennes à pleine Vitesse

    \n
    \nInvaincu lors de ses 11 dernières rencontres toutes compétitions confondues, Rennes affiche sur cette période un…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59547054?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:23:29 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/pronostic-rennes-vitesse-arnhem-analyse-cotes-et-prono-du-match-de-ligue-europa-conference-507396.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T10:17:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "78039b42ad85f32ed8724819171bdc64" + "hash": "547c6ceddae5b7bebcd02fcaa7c03b55" }, { - "title": "Amid shortage, Canada taps into emergency maple syrup reserves", - "description": "The Canadian province of Quebec produces 70% of the world's maple syrup supply.", - "content": "The Canadian province of Quebec produces 70% of the world's maple syrup supply.", + "title": "Pronostic Bröndby Lyon : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    Lyon enchaîne à Bröndby

    \n
    \nCette opposition entre Brondby et l'Olympique Lyonnais met aux prises les deux extrémités du groupe, puisque le club…
    ", + "content": "

    Lyon enchaîne à Bröndby

    \n
    \nCette opposition entre Brondby et l'Olympique Lyonnais met aux prises les deux extrémités du groupe, puisque le club…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59555141?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:18:29 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-brondby-lyon-analyse-cotes-et-prono-du-match-de-ligue-europa-507395.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T10:01:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06cf8f0a32136d34d804b662761c9eaf" + "hash": "190780a32fb6eb962f54fda1f0bbe0c6" }, { - "title": "New York's workers must all have vaccine by 27 December", - "description": "The city's mayor is introducing a vaccine mandate for all private sector employees from 27 December.", - "content": "The city's mayor is introducing a vaccine mandate for all private sector employees from 27 December.", + "title": "Carlo Ancelotti : \"Pour entraîner, c'est mieux d'avoir une Ferrari qu'une Fiat 500\"", + "description": "Et la Formule 1, c'est mieux que le karting, c'est ça ?
    \n
    \nRevenu cet été au Real Madrid, Carlo Ancelotti réussit pour l'instant un début de saison idéal avec les Merengues.…

    ", + "content": "Et la Formule 1, c'est mieux que le karting, c'est ça ?
    \n
    \nRevenu cet été au Real Madrid, Carlo Ancelotti réussit pour l'instant un début de saison idéal avec les Merengues.…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59552524?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:35:19 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/carlo-ancelotti-pour-entrainer-c-est-mieux-d-avoir-une-ferrari-qu-une-fiat-500-507393.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T09:58:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa87ee610f55db870d713b4db26a8a9f" + "hash": "800214764fdbcb2a94b7132d05e17861" }, { - "title": "Pakistan: Killing of Sri Lankan accused of blasphemy sparks protests", - "description": "More than 100 have been arrested over the lynching of a Sri Lankan man accused of insulting Islam.", - "content": "More than 100 have been arrested over the lynching of a Sri Lankan man accused of insulting Islam.", + "title": "Pronostic Galatasaray OM : Analyse, cotes et prono du match de Ligue Europa", + "description": "

    L'OM joue le coup à fond à Galatasaray

    \n
    \nDans ce groupe E d'Europa League, les quatres formations peuvent encore espérer se qualifier :…
    ", + "content": "

    L'OM joue le coup à fond à Galatasaray

    \n
    \nDans ce groupe E d'Europa League, les quatres formations peuvent encore espérer se qualifier :…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/59501368?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:04:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-galatasaray-om-analyse-cotes-et-prono-du-match-de-ligue-europa-507394.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T09:47:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eecc27d44abed9abafcf52d195d2a478" + "hash": "bc3d13b00184f5a8b10ad4b052c1e161" }, { - "title": "Sylvester Oromoni: Nigerians demand justice over Dowen College death", - "description": "The father of Sylvester Oromoni, 12, believes he was attacked for refusing to join a “cult group”.", - "content": "The father of Sylvester Oromoni, 12, believes he was attacked for refusing to join a “cult group”.", + "title": "Affaire de la sextape : Karim Benzema jugé coupable et condamné à un an de prison avec sursis", + "description": "Le verdict est tombé.
    \n
    \nLe tribunal correctionnel de Versailles a reconnu Karim Benzema coupable de \"complicité de délit de tentative de chantage\" et l'a condamné à un an…

    ", + "content": "Le verdict est tombé.
    \n
    \nLe tribunal correctionnel de Versailles a reconnu Karim Benzema coupable de \"complicité de délit de tentative de chantage\" et l'a condamné à un an…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59551124?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:57:55 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/affaire-de-la-sextape-karim-benzema-juge-coupable-et-condamne-a-un-an-de-prison-avec-sursis-507392.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T09:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04e3ee11d5b0874ba751b1194ab72d7a" + "hash": "e90aad955174ce8e3ee4bde53a092b3f" }, { - "title": "Aung San Suu Kyi: Myanmar court sentences ousted leader in widely criticised trial", - "description": "The ex-leader of Myanmar, who faces a total of 11 charges, is sentenced to two years in prison.", - "content": "The ex-leader of Myanmar, who faces a total of 11 charges, is sentenced to two years in prison.", + "title": "Jorge Jesus (Benfica) dévasté par l'occasion ratée de Haris Seferović face au FC Barcelone", + "description": "En voici un qui vient d'être rhabillé pour l'hiver.
    \n
    \nHaris Seferović a dû passer une sale soirée après son raté seul face à Marc-André ter Stegen dans les derniers souffles
    ", + "content": "En voici un qui vient d'être rhabillé pour l'hiver.
    \n
    \nHaris Seferović a dû passer une sale soirée après son raté seul face à Marc-André ter Stegen dans les derniers souffles
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59544484?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 15:19:15 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/jorge-jesus-benfica-devaste-par-l-occasion-ratee-de-haris-seferovic-face-au-fc-barcelone-507391.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T09:22:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9449e005ed15768e3206a430c7e8688" + "hash": "5866db364bb3fd4c0518c0a706d9b0b6" }, { - "title": "Haiti kidnappers release three more missionaries after abduction", - "description": "Three people among a group of 17 North American missionaries abducted in October are freed.", - "content": "Three people among a group of 17 North American missionaries abducted in October are freed.", + "title": "Samir Nasri ne serait pas surpris de voir Zinédine Zidane sur le banc du PSG", + "description": "L'ex-nouveau Zidane valide Zidane.
    \n
    \nSi la presse anglaise évoque avec insistance une arrivée de Mauricio Pochettino - actuellement en poste au PSG - vers Manchester United, la rumeur…

    ", + "content": "L'ex-nouveau Zidane valide Zidane.
    \n
    \nSi la presse anglaise évoque avec insistance une arrivée de Mauricio Pochettino - actuellement en poste au PSG - vers Manchester United, la rumeur…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59554201?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 16:10:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/samir-nasri-ne-serait-pas-surpris-de-voir-zinedine-zidane-sur-le-banc-du-psg-507390.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T08:17:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b46718804ed5bc35d6cd798ec6c4113" + "hash": "87f26213a031a4d7cf60f9a2eda7edb9" }, { - "title": "Vladimir Putin: What Russian president's India visit means for world politics", - "description": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", - "content": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "title": "Comment choisir son but de foot ?", + "description": "Pliable, fixe, poteaux carrés ou ronds... Choisir son but de foot peut rapidement devenir un véritable casse-tête. Pour en terminer avec les cages formées par deux simples pulls ou sacs à dos, voici donc un guide absolu des buts de football parmi ceux proposés par le site Netsportique.fr.
    \n

    Gamme \"QUICKFIRE…", + "content": "

    Gamme \"QUICKFIRE…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59515741?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 03:21:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/comment-choisir-son-but-de-foot-505861.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T05:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8aabcec641bdf6554d4e1974982ec66a" + "hash": "3cbfa34382b80b57545ca2a5a2ce4628" }, { - "title": "Climate change: Is ‘blue hydrogen’ Japan’s answer to coal?", - "description": "The Fukushima disaster turned Japan away from nuclear. A new energy source may help it quit coal.", - "content": "The Fukushima disaster turned Japan away from nuclear. A new energy source may help it quit coal.", + "title": "LFP, FFF, Darmanin : le jeu de la bouteille", + "description": "Les instances du foot - sauf les représentants des supporters - dont la LFP et la FFF se sont réunies ce mardi 23 novembre, au ministère de l'Intérieur (le choix du lieu a son importance) en compagnie des ministres de la Justice et des Sports. L'objectif était clairement de proposer une réponse coordonnée à la multiplication des incidents et des débordements, couronnée donc dimanche soir par un jet d'une bouteille sur Dimitri Payet. Seule question : concrètement, qu'est-ce que cela va vraiment changer ?Pour l'instant, nous demeurons surtout dans la communication et la gestion de crise. La ministre des Sports Roxana Maracineanu l'a presque confessé au micro de RMC, rappelant une précédente…", + "content": "Pour l'instant, nous demeurons surtout dans la communication et la gestion de crise. La ministre des Sports Roxana Maracineanu l'a presque confessé au micro de RMC, rappelant une précédente…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59525480?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 01:11:25 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/lfp-fff-darmanin-le-jeu-de-la-bouteille-507371.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "71420082e6cab517d0bb17cd63f22c10" + "hash": "4b0bad637ce50f3cd1fa7fe18b45aaec" }, { - "title": "Obituary: Bob Dole, WWII veteran and Republican stalwart", - "description": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", - "content": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", + "title": "Les clés de Manchester City-PSG", + "description": "Manchester City et le PSG s'apprêtent à en découdre pour la quatrième fois déjà en 2021 ce mercredi soir à l'Etihad Stadium (21h). En jeu : une qualification pour les huitièmes de finale de la Ligue des champions et une grosse option pour la première place du groupe A. Neymar, Messi, Mbappé, Verratti, Guardiola, Foden et même Grealish, le choc s'annonce titanesque. En voici les clés.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-45667690?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 17:18:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-cles-de-manchester-city-psg-507364.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c72a6ac4b63976ca07d64c56eeee733f" + "hash": "0196936e44dadc3b9aae062ac5a46968" }, { - "title": "The tech helping shops - and Santa - deliver this Christmas", - "description": "A number of tech solutions are out there to help retailers optimise sending out our presents.", - "content": "A number of tech solutions are out there to help retailers optimise sending out our presents.", + "title": "Le Roi David", + "description": "Une nouvelle fois buteur ce mardi soir face à Salzbourg (1-0) en Ligue des champions, Jonathan David confirme son rôle d'homme providentiel de l'attaque lilloise depuis le début de saison. Si le LOSC est à un match d'une qualif en C1, il le doit en (grande) partie à son buteur canadien.Qu'il semble loin, le temps où Jonathan David était qualifié d'attaquant aussi intéressant que maladroit. En l'espace d'un an, le gamin canadien a brûlé toutes les étapes plus vite les…", + "content": "Qu'il semble loin, le temps où Jonathan David était qualifié d'attaquant aussi intéressant que maladroit. En l'espace d'un an, le gamin canadien a brûlé toutes les étapes plus vite les…", "category": "", - "link": "https://www.bbc.co.uk/news/business-59487935?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 00:12:51 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-roi-david-507388.html", + "creator": "SO FOOT", + "pubDate": "2021-11-24T00:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4fc82442cd5be0f7c79978bf618473a" + "hash": "b9041ba190cb17e95b9e5e9f2e03e929" }, { - "title": "Covid in Uganda: The man whose children may never return to school", - "description": "The 20-month school closure in Uganda could have a long-term impact on many lives there.", - "content": "The 20-month school closure in Uganda could have a long-term impact on many lives there.", + "title": "Merci le LOSC !", + "description": "À une journée de la fin de la phase de poules, Lille pointe à la première place de son groupe et peut rêver d'un ticket pour les huitièmes de finale de Ligue des champions. En attendant une possible récompense à Wolfsburg dans quinze jours, le LOSC a le mérite de se montrer à la hauteur dans une compétition que l'on pensait trop grande pour lui.Il faut croire que cette équipe du LOSC est taillée pour les soirées de gala. À la peine en championnat, où ils ont connu plusieurs cruelles déconvenues depuis le début de saison, les Dogues…", + "content": "Il faut croire que cette équipe du LOSC est taillée pour les soirées de gala. À la peine en championnat, où ils ont connu plusieurs cruelles déconvenues depuis le début de saison, les Dogues…", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59507542?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 01:22:07 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/merci-le-losc-507387.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T23:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6bbd02194051f1e1dbf906dc1a8ff95c" + "hash": "fcc0d7beea6945a4caf924da9b3f59dc" }, { - "title": "Mandatory vaccinations: Three reasons for and against", - "description": "Blanket vaccination mandates are on the agenda but do they work and what are their costs?", - "content": "Blanket vaccination mandates are on the agenda but do they work and what are their costs?", + "title": "Le boss, c'est Chelsea ! ", + "description": "On attendait une finale pour la première place du groupe H à Stamford Bridge entre Chelsea et la Juventus ? On a assisté à un attaque-défense. La faute à des Blues flamboyants et supérieurs dans tous les compartiments du jeu, qui ont torturé une équipe turinoise soudain rappelée à ses limites du moment et repartie de Londres avec un message à transmettre au reste de l'Europe : le tenant du titre a bien l'intention de le rester.Seize occasions à sept, 21 tirs à 8, 8 tentatives cadrées à 2, 13 corners à 3, 20 centres à 6 : voici donc, en chiffres, le détail de l'ultra-domination de Chelsea ce mardi soir à Stamford…", + "content": "Seize occasions à sept, 21 tirs à 8, 8 tentatives cadrées à 2, 13 corners à 3, 20 centres à 6 : voici donc, en chiffres, le détail de l'ultra-domination de Chelsea ce mardi soir à Stamford…", "category": "", - "link": "https://www.bbc.co.uk/news/world-59506339?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 00:48:04 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-boss-c-est-chelsea-507384.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T23:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c820034d8d73c39dfa69ae83a23e8743" + "hash": "c218dbd6cdbf761ce6294d797041114a" }, { - "title": "Ghislaine Maxwell trial: Key moments from the first week", - "description": "The socialite is accused of grooming girls for abuse by late sex offender Jeffrey Epstein.", - "content": "The socialite is accused of grooming girls for abuse by late sex offender Jeffrey Epstein.", + "title": "Gourvennec : \"L'histoire, on l'écrit\" ", + "description": "Gourvennec est en passe de gagner son pari européen.
    \n
    \nAvec la victoire de son LOSC face à Salzbourg (1-0) ce mardi soir à domicile, Jocelyn Gourvennec s'est montré globalement…

    ", + "content": "Gourvennec est en passe de gagner son pari européen.
    \n
    \nAvec la victoire de son LOSC face à Salzbourg (1-0) ce mardi soir à domicile, Jocelyn Gourvennec s'est montré globalement…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59527051?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 10:16:21 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/gourvennec-l-histoire-on-l-ecrit-507385.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "41429111f41953ba2d81f89025e82aae" + "hash": "1974c24cc0dfb9e7926b9021de9bbe42" }, { - "title": "US boss fires 900 employees over Zoom", - "description": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", - "content": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", + "title": "L'Atalanta arrache un point sur le fil à Berne", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59554585?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:50:40 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-atalanta-arrache-un-point-sur-le-fil-a-berne-507374.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:10:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6de6e1684ec9d4ca6896e5fa93231633" + "hash": "264bf0566fc0d4c974b9a15b8bb6b46a" }, { - "title": "Eric Zemmour: Far-right French presidential candidate grabbed at rally", - "description": "A man grabs Eric Zemmour by the neck at the far-right presidential candidate's first rally.", - "content": "A man grabs Eric Zemmour by the neck at the far-right presidential candidate's first rally.", + "title": "Séville maîtrise Wolfsburg et se relance", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59545455?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 07:34:39 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/seville-maitrise-wolfsburg-et-se-relance-507381.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:05:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a719033575d0320a97b7fce6fb20353" + "hash": "b5fba63da9d6a61dbca7a89dffe561f6" }, { - "title": "Indonesia volcano: 'The volcano destroyed our houses - we need help'", - "description": "Watch this video to see how two survivors' lives have been impacted by Mt Semeru's eruption in Indonesia.", - "content": "Watch this video to see how two survivors' lives have been impacted by Mt Semeru's eruption in Indonesia.", + "title": "Les notes de l'épisode 12 de Koh-Lanta La Légende", + "description": "Deux éliminés, un gâteau au chocolat et à la banane, une épreuve d'immunité mythique qui aurait mérité un commentaire de Patrick Montel. C'était l'épisode 12 de Koh-Lanta La Légende, voici les notes.

    La tribu réunifiée

    \n
    \n
    \n
    \nOn lui parle de gâteau…


    ", + "content": "

    La tribu réunifiée

    \n
    \n
    \n
    \nOn lui parle de gâteau…


    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59553764?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 20:45:51 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-notes-de-l-episode-12-de-koh-lanta-la-legende-507360.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:05:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "073f042a2151bc386a7b37676dcc2ffa" + "hash": "d1e175aa4b57ae851498a77ffb552fc5" }, { - "title": "South Africa: The rape survivor who convicts rapists", - "description": "Rape survivor Sgt Catherine Tladi has secured several convictions for rape in South Africa's courts.", - "content": "Rape survivor Sgt Catherine Tladi has secured several convictions for rape in South Africa's courts.", + "title": "Les notes de Lille face à Salzbourg ", + "description": "Jonathan David et Reinildo ont bien fait le travail pour permettre à Lille de s'imposer et de prendre la tête de son groupe. Leurs coéquipiers n'ont pas été nuls non plus.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59523997?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 00:11:29 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/les-notes-de-lille-face-a-salzbourg-507382.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "807866b62e55a5f7d08a51196bda5a84" + "hash": "82f516b1acbd870e80c733815c064986" }, { - "title": "Thomas Massie: US congressman condemned for Christmas guns photo", - "description": "The photo of Thomas Massie's family posing with firearms was posted days after a deadly school shooting.", - "content": "The photo of Thomas Massie's family posing with firearms was posted days after a deadly school shooting.", + "title": "Le Zénith frustre Malmö", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59543735?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 00:42:47 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-zenith-frustre-malmo-507380.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05ffe8231672cd45d22e4d587828ce80" + "hash": "aabbcd70285db3b9ca9a431c93db08df" }, { - "title": "Indonesia volcano: Villages buried under hot ash", - "description": "Rescuers are searching for survivors after Mt Semeru erupted in eastern Java on Saturday.", - "content": "Rescuers are searching for survivors after Mt Semeru erupted in eastern Java on Saturday.", + "title": "Chelsea broie la Juve et tamponne son ticket", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59543120?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 20:46:20 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/chelsea-broie-la-juve-et-tamponne-son-ticket-507379.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c6e6a80c590a7df69d6d016a0062bb4" + "hash": "c03c75fc86adcfd8cb9569d1a208a4dc" }, { - "title": "Covid: UK red list criticised as 'travel apartheid' by Nigeria", - "description": "Nigeria - which was added to the red list on Monday - describes the restrictions as \"selective\".", - "content": "Nigeria - which was added to the red list on Monday - describes the restrictions as \"selective\".", + "title": "Lille terrasse Salzbourg", + "description": "Disciplinés et délivrés par un nouveau but de Jonathan David, les Lillois se sont emparés de la tête du groupe G en faisant vaciller le Red Bull Salzbourg, ce mardi au stade Pierre-Mauroy (1-0). Une deuxième victoire consécutive en C1 pour le champion de France en titre qui fait honneur à son statut et qui toque plus que jamais à la porte des huitièmes de finale de la Ligue des champions.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59545457?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:18:38 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/lille-terrasse-salzbourg-507378.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23784237334052b5d7d808a7b5fb8acf" + "hash": "dd55861fd69cd968f118a9fbd275c5df" }, { - "title": "Farc: Colombian rebel commander 'El Paisa' killed in Venezuela", - "description": "The feared ex-Farc commander was notorious for his bloody guerrilla attacks and kidnappings.", - "content": "The feared ex-Farc commander was notorious for his bloody guerrilla attacks and kidnappings.", + "title": "Le Barça et Benfica dos à dos", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59543742?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:46:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-barca-et-benfica-dos-a-dos-507377.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "479a7ef14a247a8e972e025066caefb5" + "hash": "12bf72522c8a98b02bae2e99018da3cc" }, { - "title": "Far-right target critics with Twitter's new media policy", - "description": "Far-right activists are using Twitter's new media policy to target anti-extremism researchers.", - "content": "Far-right activists are using Twitter's new media policy to target anti-extremism researchers.", + "title": "En direct : Koh-Lanta, la légende épisode 12", + "description": "Koh-Lanta c'est comme les dîners avec la belle-mère : une semaine de pause, parfois ça fait du bien. Le demi-épisode du soir promet de conclure l'arc entamé dans l'épisode onze, avec une épreuve d'immunité et le Conseil. C'est tout, direz-vous ? Soyons d'accord : ça paraît suspect. Préparez le popcorn.23h05 : Bon les petits potes, on se quitte sur ces promesses de nouvelle épreuve éliminatoire la semaine prochaine après un épisode aussi grand que Frédéric Sammaritano. J'ai envie de…", + "content": "23h05 : Bon les petits potes, on se quitte sur ces promesses de nouvelle épreuve éliminatoire la semaine prochaine après un épisode aussi grand que Frédéric Sammaritano. J'ai envie de…", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59547353?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:31:19 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-koh-lanta-la-legende-episode-12-507372.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T20:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "adcb983c95429cc30ddaaa0838a93125" + "hash": "bfd816c00caa12abb15469cf89a05811" }, { - "title": "Ray Dalio: US billionaire says China comments misunderstood", - "description": "Last month, JP Morgan's Jamie Dimon apologised for comments he made about the Chinese Communist Party.", - "content": "Last month, JP Morgan's Jamie Dimon apologised for comments he made about the Chinese Communist Party.", + "title": "Ronaldo et Sancho punissent Villarreal au bout de l'ennui", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59543875?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 03:44:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ronaldo-et-sancho-punissent-villarreal-au-bout-de-l-ennui-507369.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T19:50:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "35025e524d91b471bcf26eb1ab1dd271" + "hash": "168b668c95b52e791056ad1621b2c0a9" }, { - "title": "Joni Mitchell and Bette Midler pick up Kennedy Center Honors", - "description": "The legendary Canadian singer makes a rare public appearance at a ceremony hosted by Joe Biden.", - "content": "The legendary Canadian singer makes a rare public appearance at a ceremony hosted by Joe Biden.", + "title": "En direct : Lille - RB Salzbourg", + "description": "97' : Fin de chantier ! Lille s'impose contre le RB Salzbourg (1-0) grâce à un but de l'artiste ...", + "content": "97' : Fin de chantier ! Lille s'impose contre le RB Salzbourg (1-0) grâce à un but de l'artiste ...", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59546478?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:33:10 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-lille-rb-salzbourg-507376.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "75fa996e2b9c47f9010abbe1e8d926cb" + "hash": "d07fc8b40edfb2f58959af6a885acc41" }, { - "title": "ICYMI: Jumping into an active volcano, and other ways to spend the festive season", - "description": "Jumping into an active volcano is just one way to spend the festive season, in news you missed this week.", - "content": "Jumping into an active volcano is just one way to spend the festive season, in news you missed this week.", + "title": "En direct : Chelsea - Juventus", + "description": "95' : ON N'IRA PAS PLUS LOIN ! Quelle fessée donnée par les champions d'Europe face à cette ...", + "content": "95' : ON N'IRA PAS PLUS LOIN ! Quelle fessée donnée par les champions d'Europe face à cette ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-59509225?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:39:19 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-chelsea-juventus-507375.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f77ae92f34330d174c25f26c55f0fb4c" + "hash": "4df578111ac3af73bd49286d6eef99fe" }, { - "title": "Aung San Suu Kyi: Myanmar court sentences ousted leader to four years jail", - "description": "This is the first verdict delivered for the ex-leader of Myanmar, who faces a total of 11 charges.", - "content": "This is the first verdict delivered for the ex-leader of Myanmar, who faces a total of 11 charges.", + "title": "Le Bayern bousculé, mais vainqueur à Kiev", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59544484?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 09:15:17 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-bayern-bouscule-mais-vainqueur-a-kiev-507366.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d48d9a98c17796b04d1e3568435bba0" + "hash": "b7516fb1022763c71de4aa61a751320f" }, { - "title": "Bob Dole: Biden leads tributes to a 'dear friend'", - "description": "Tributes have been paid across the US political divide to the late Republican leader Bob Dole.", - "content": "Tributes have been paid across the US political divide to the late Republican leader Bob Dole.", + "title": "En direct : Barcelone - Benfica ", + "description": "96' : ET C'EST TERMINÉ !!!! 0-0 entre le Barça et Benfica. Un score logique tant personne ...", + "content": "96' : ET C'EST TERMINÉ !!!! 0-0 entre le Barça et Benfica. Un score logique tant personne ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59542811?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 21:03:35 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-barcelone-benfica-507362.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be8f60198e53358096c4707fee0f84c4" + "hash": "42672a41663a84824d278c16d9132261" }, { - "title": "Gambia elections: Adama Barrow declared presidential election winner", - "description": "The electoral commission names Adama Barrow the winner despite his opponents questioning the vote.", - "content": "The electoral commission names Adama Barrow the winner despite his opponents questioning the vote.", + "title": "Bafé Gomis, Moussa Marega et Leonardo Jardim champions d'Asie !", + "description": "

    Al-Hilal 2-0 Pohang Steelers

    \nButs : Al-Dawsari (1re) et Marega (63e)
    \n
    \nDéjà vainqueur en 2019, Bafétimbi Gomis…

    ", + "content": "

    Al-Hilal 2-0 Pohang Steelers

    \nButs : Al-Dawsari (1re) et Marega (63e)
    \n
    \nDéjà vainqueur en 2019, Bafétimbi Gomis…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59542813?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 22:35:31 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/bafe-gomis-moussa-marega-et-leonardo-jardim-champions-d-asie-507370.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T18:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4a82237d90738d5d7784c25a49c216a" + "hash": "7609daf2e304e20bf31fafaa3f3e60d5" }, { - "title": "Tennis governing body to keep playing in China", - "description": "The ITF says it has not followed the WTA in suspending tournaments in China because it \"does not want to punish a billion people\".", - "content": "The ITF says it has not followed the WTA in suspending tournaments in China because it \"does not want to punish a billion people\".", + "title": "Ryan Babel va sortir un album de rap autobiographique", + "description": "Vivement le Tour de Babel !
    \n
    \nL'ancien joueur de Liverpool et international néerlandais s'est confié au

    ", + "content": "Vivement le Tour de Babel !
    \n
    \nL'ancien joueur de Liverpool et international néerlandais s'est confié au


    ", "category": "", - "link": "https://www.bbc.co.uk/sport/tennis/59542940?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:09:21 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ryan-babel-va-sortir-un-album-de-rap-autobiographique-507368.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T17:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f5c93cc8a07e1d902653bf3001dae5a" + "hash": "5d82bf932f55190ff744fe509e94c31f" }, { - "title": "Putin in India: What Russian president's Delhi visit means for world politics", - "description": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", - "content": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "title": "Olivier Létang élu meilleur président d'Europe par Tuttosport", + "description": "Olivier dans les temps.
    \n
    \nAprès avoir décerné, sans grande surprise,
    le Golden Boy 2021 à Pedri ce…

    ", + "content": "Olivier dans les temps.
    \n
    \nAprès avoir décerné, sans grande surprise, le Golden Boy 2021 à Pedri ce…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59515741?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 03:21:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/olivier-letang-elu-meilleur-president-d-europe-par-tuttosport-507365.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T17:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4a50c5f13f5678ee6baf7005287deb5" + "hash": "0a9e4758b1f5e251c343bc237eb2326d" }, { - "title": "Thomas Massie: US Congressman condemned for Christmas guns photo", - "description": "The image shows Thomas Massie and his family holding firearms days after a deadly school shooting.", - "content": "The image shows Thomas Massie and his family holding firearms days after a deadly school shooting.", + "title": "Victor Osimhen forfait pour la CAN 2022", + "description": "Gros mal de crâne pour le Nigeria.
    \n
    \nSorti à la 55e minute du choc entre l'Inter Milan et le Napoli (3-2) après un duel aérien avec Milan Škriniar, Victor Osimhen sera…

    ", + "content": "Gros mal de crâne pour le Nigeria.
    \n
    \nSorti à la 55e minute du choc entre l'Inter Milan et le Napoli (3-2) après un duel aérien avec Milan Škriniar, Victor Osimhen sera…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59543735?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 00:42:47 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/victor-osimhen-forfait-pour-la-can-2022-507363.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T17:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "03d309610293544a50612fea9d263132" + "hash": "da3ffb9aa66c31054ee7b071441d1227" }, { - "title": "Pope condemns treatment of migrants in Europe", - "description": "Visiting a camp in Greece, Francis calls the neglect of migrants the \"shipwreck of civilisation\".", - "content": "Visiting a camp in Greece, Francis calls the neglect of migrants the \"shipwreck of civilisation\".", + "title": "L'ex-entraîneur du Werder Brême empêtré dans une sombre histoire de carnaval", + "description": "Sale histoire.
    \n
    \nTrois jours après avoir présenté sa démission du poste d'entraîneur du…

    ", + "content": "Sale histoire.
    \n
    \nTrois jours après avoir présenté sa démission du poste d'entraîneur du…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59538413?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:13:22 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-ex-entraineur-du-werder-breme-empetre-dans-une-sombre-histoire-de-carnaval-507361.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T16:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ffbacb5d096f0a35950421879d11f132" + "hash": "45b38149d8cea3bb14361c02ccb210d9" }, { - "title": "Military truck rams into group of Myanmar protesters in Yangon", - "description": "Several people have been injured during a demonstration against the country's military rulers.", - "content": "Several people have been injured during a demonstration against the country's military rulers.", + "title": "Six mois de prison avec sursis et cinq ans d'interdiction de stade pour le lanceur de bouteille", + "description": "À bon entendeur.
    \n
    \nAlors que l'audience des incidents survenus à la suite de l'Olympico touchait à sa fin ce mercredi après-midi, la président du tribunal correctionnel de Lyon a…

    ", + "content": "À bon entendeur.
    \n
    \nAlors que l'audience des incidents survenus à la suite de l'Olympico touchait à sa fin ce mercredi après-midi, la président du tribunal correctionnel de Lyon a…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59540695?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 19:08:56 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/six-mois-de-prison-avec-sursis-et-cinq-ans-d-interdiction-de-stade-pour-le-lanceur-de-bouteille-507367.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T16:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4fed4b0f4d08e32f53cbde408556b62f" + "hash": "99328c64ec1c553f743ae0f42b0a5781" }, { - "title": "India Nagaland: Security forces kill 13 civilians amid ambush blunder", - "description": "Home Minister Amit Shah expresses \"anguish\" after troops fire on miners in the country's north-east.", - "content": "Home Minister Amit Shah expresses \"anguish\" after troops fire on miners in the country's north-east.", + "title": "Jesse Marsch et Péter Gulácsi testés positifs à la Covid-19", + "description": "Les bulletins de santé sont de retour.
    \n
    \nPour le RB Leipzig, actuel dernier du groupe A avec un petit point, loin derrière Manchester City et le Paris Saint-Germain, une victoire à…

    ", + "content": "Les bulletins de santé sont de retour.
    \n
    \nPour le RB Leipzig, actuel dernier du groupe A avec un petit point, loin derrière Manchester City et le Paris Saint-Germain, une victoire à…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59531445?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 08:38:22 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/jesse-marsch-et-peter-gulacsi-testes-positifs-a-la-covid-19-507359.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T15:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e6bf14db83d8930b30df4cac6812670" + "hash": "3e9dd154474436db97f74dbfe27b3f82" }, { - "title": "Trump social media firm says it has raised $1bn", - "description": "The former US president is working to launch a social media app called Truth Social early next year.", - "content": "The former US president is working to launch a social media app called Truth Social early next year.", + "title": "Une panne mécanique vient gâcher le match d'une équipe de Régional 2 ", + "description": "Le vrai coup de la panne.
    \n
    \nEn déplacement ce samedi à Perpignan afin d'y affronter le Perpignan Sporting Nord pour le compte de la 7e journée de Régional 2, l'USA Pezens…

    ", + "content": "Le vrai coup de la panne.
    \n
    \nEn déplacement ce samedi à Perpignan afin d'y affronter le Perpignan Sporting Nord pour le compte de la 7e journée de Régional 2, l'USA Pezens…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59538590?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 17:05:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/une-panne-mecanique-vient-gacher-le-match-d-une-equipe-de-regional-2-507354.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T15:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d14eacd455975022cff3490104188081" + "hash": "adb8337a5b299b62007dc87967f487d6" }, { - "title": "Why France faces so much anger in West Africa", - "description": "Despite engaging better with the African continent recently, the ex-colonial power faces a backlash.", - "content": "Despite engaging better with the African continent recently, the ex-colonial power faces a backlash.", + "title": "La vente de l'ASSE finalement repoussée", + "description": "Retour à la case départ.
    \n
    \nDepuis plusieurs semaines, les dirigeants de Saint-Étienne s'activaient en coulisses afin de trouver les futurs repreneurs du club. Le cabinet d'audit KPMG,…

    ", + "content": "Retour à la case départ.
    \n
    \nDepuis plusieurs semaines, les dirigeants de Saint-Étienne s'activaient en coulisses afin de trouver les futurs repreneurs du club. Le cabinet d'audit KPMG,…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59517501?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 00:50:19 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-vente-de-l-asse-finalement-repoussee-507358.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T14:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2ff05de3361cead09701c7ee48cfbdf" + "hash": "23fc798c806116b20343565d26e99798" }, { - "title": "Vladimir Putin in India: What Russian president's visit means for world politics", - "description": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", - "content": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "title": "Affaire Hamraoui : le message d'excuse d'Éric Abidal à sa femme", + "description": "Attention, cette séquence d'autoflagellation peut heurter les âmes sensibles.
    \n
    \n\"Hayet Abidal pardonne-moi. Peu importe ta décision, tu resteras à mes yeux la femme de ma vie, et…

    ", + "content": "Attention, cette séquence d'autoflagellation peut heurter les âmes sensibles.
    \n
    \n\"Hayet Abidal pardonne-moi. Peu importe ta décision, tu resteras à mes yeux la femme de ma vie, et…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59515741?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 03:21:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/affaire-hamraoui-le-message-d-excuse-d-eric-abidal-a-sa-femme-507351.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T14:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "54f3f2e054a52aa64433905a341a74cb" + "hash": "e243271f030322dd81d4ec038bc51787" }, { - "title": "Parag Agrawal: Why Indian-born CEOs dominate Silicon Valley", - "description": "Parag Agrawal, Twitter's new CEO, is the latest of several Indian-Americans leading global tech firms.", - "content": "Parag Agrawal, Twitter's new CEO, is the latest of several Indian-Americans leading global tech firms.", + "title": "Pronostic Club Bruges Leipzig : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Des buts entre le Club Bruges et Leipzig

    \n
    \nDans un groupe qui comprend Manchester City et le Paris Saint-Germain, le Club Bruges et Leipzig étaient…
    ", + "content": "

    Des buts entre le Club Bruges et Leipzig

    \n
    \nDans un groupe qui comprend Manchester City et le Paris Saint-Germain, le Club Bruges et Leipzig étaient…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59457015?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 00:32:42 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-club-bruges-leipzig-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507355.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:51:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "627424f4e918e5a3ff6df078939ed418" + "hash": "60e5986cd4c28ba452b910faae664772" }, { - "title": "MH370: Could missing Malaysian Airlines plane finally be found?", - "description": "A British engineer believes he may help solve one of the world's greatest aviation mysteries.", - "content": "A British engineer believes he may help solve one of the world's greatest aviation mysteries.", + "title": "Pronostic Sporting Borussia Dortmund : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Sporting profite des absences du Borussia Dortmund

    \n
    \nCette opposition entre le Sporting Lisbonne et le Borussia Dortmund est très importante dans…
    ", + "content": "

    Le Sporting profite des absences du Borussia Dortmund

    \n
    \nCette opposition entre le Sporting Lisbonne et le Borussia Dortmund est très importante dans…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59517821?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 22:34:22 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-sporting-borussia-dortmund-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507349.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:38:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "39b30bc41f1a69543dc1243c0f538f97" + "hash": "3ba1789efb2e8a99788a6aba73c39d3a" }, { - "title": "Why Ugandan troops have entered DR Congo - again", - "description": "Previous incursions have led to accusations of looting and abuse, so will it be different this time?", - "content": "Previous incursions have led to accusations of looting and abuse, so will it be different this time?", + "title": "Pronostic Atlético Madrid Milan AC : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'Atlético Madrid enfonce un Milan AC presque résigné

    \n
    \nL'Atletico Madrid et le Milan AC jouent un match très important dans le cadre de la…
    ", + "content": "

    L'Atlético Madrid enfonce un Milan AC presque résigné

    \n
    \nL'Atletico Madrid et le Milan AC jouent un match très important dans le cadre de la…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59507543?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 00:41:35 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-atletico-madrid-milan-ac-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507353.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7e1d92a8168df88d802af97a0b41765b" + "hash": "74bbe74b26e6b91ce1af2d1fa2edd70f" }, { - "title": "Saudi Arabia Grand Prix: A race for equal rights", - "description": "As F1 races in Saudi Arabia, can it be a positive thing for female and LGBT rights?", - "content": "As F1 races in Saudi Arabia, can it be a positive thing for female and LGBT rights?", + "title": "Un joueur reçoit un scalpel pendant le Clásico en Colombie", + "description": "OL-OM, c'est de l'eau.
    \n
    \nLors du Clásico du championnat de Colombie, entre l'Atlético Nacional de Medellín et le Millonarios FC de Bogota, l'ambiance était électrique. Et les ultras…

    ", + "content": "OL-OM, c'est de l'eau.
    \n
    \nLors du Clásico du championnat de Colombie, entre l'Atlético Nacional de Medellín et le Millonarios FC de Bogota, l'ambiance était électrique. Et les ultras…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/newsbeat-59220247?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 00:43:33 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/un-joueur-recoit-un-scalpel-pendant-le-clasico-en-colombie-507352.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c610097cc6dedfb3c8e8e935ef95b66" + "hash": "2e0d741a4cf6a8726d477ef10477dbe8" }, { - "title": "French climber handed Mont Blanc gems after 2013 find", - "description": "The stones are believed to be from an Air India plane which crashed into the mountain in 1966.", - "content": "The stones are believed to be from an Air India plane which crashed into the mountain in 1966.", + "title": "Des jeunes du Stade rennais viennent jouer dans un centre pénitentiaire", + "description": "Mi-temps au mitard.
    \n
    \nHabituées au centre d'entraînement de La Piverdière, les jeunes pousses du Stade rennais se sont délocalisées, le temps d'un après-midi. Deux matchs ont été…

    ", + "content": "Mi-temps au mitard.
    \n
    \nHabituées au centre d'entraînement de La Piverdière, les jeunes pousses du Stade rennais se sont délocalisées, le temps d'un après-midi. Deux matchs ont été…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59538540?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 10:48:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/des-jeunes-du-stade-rennais-viennent-jouer-dans-un-centre-penitentiaire-507350.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3282b7021f08f428e280aa46b2670009" + "hash": "cfd62cdf4a2119ec1502cf8b61b58f3d" }, { - "title": "Pacific Ocean garbage patch is immense plastic habitat", - "description": "Researchers discover coastal species living on debris miles from their natural surroundings.", - "content": "Researchers discover coastal species living on debris miles from their natural surroundings.", + "title": "Tiago Djaló au centre des attentions", + "description": "Solide depuis la blessure de Sven Botman mi-octobre, Tiago Djaló rassure son monde et postule pour s'installer durablement au sein de la charnière lilloise à court-terme. Cela tombe bien, le LOSC a besoin de lui dès ce mardi soir face à Salzbourg (21h) en Ligue des champions.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.bbc.co.uk/news/science-environment-59521211?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 00:56:58 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/tiago-djalo-au-centre-des-attentions-507347.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b0521c284f4c8583995fcf9f1bc7ef5" + "hash": "089268981990195f0fa60cbb104a94d9" }, { - "title": "Bus carrying choir members plunges into Kenya river", - "description": "At least 23 die as a bus taking a church choir group to a wedding plunges into a flooded river.", - "content": "At least 23 die as a bus taking a church choir group to a wedding plunges into a flooded river.", + "title": "Le plus grand Tabárez du monde", + "description": "Au terme de quinze ans d'excellents et loyaux services, Óscar Tabárez a tiré sa révérence. Poussé vers la sortie par sa fédération, l'Uruguayen paie un mauvais début de campagne qualificative à la Coupe du monde 2022. Un final triste, mais inéluctable, pour l'homme qui a ramené la Celeste au sommet.Le 19 novembre dernier, l'ère Tabárez touchait officiellement à sa fin. Celle d'un professionnel de 74 ans, en poste depuis le 7 mars 2006 et assis sur le banc national 194 matchs durant. Mais…", + "content": "Le 19 novembre dernier, l'ère Tabárez touchait officiellement à sa fin. Celle d'un professionnel de 74 ans, en poste depuis le 7 mars 2006 et assis sur le banc national 194 matchs durant. Mais…", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59531173?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 17:05:51 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": false, + "link": "https://www.sofoot.com/le-plus-grand-tabarez-du-monde-507329.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "27647f1c6c1eb2fae4e31da3dd80470b" + "hash": "48db8213b4855c14161b8b6008cf6175" }, { - "title": "Afghanistan: Taliban warned against targeting former security forces", - "description": "US and allies \"deeply concerned\" about human rights abuses against former Afghan security forces.", - "content": "US and allies \"deeply concerned\" about human rights abuses against former Afghan security forces.", + "title": "Sergio Ramos dans le groupe parisien pour affronter Manchester City", + "description": "Hallelujah !
    \n
    \nIl aura donc fallu attendre 139 jours pour voir Sergio Ramos être convoqué dans le groupe du Paris Saint-Germain. Et le colosse de 35 ans a bien choisi son moment, puisque…

    ", + "content": "Hallelujah !
    \n
    \nIl aura donc fallu attendre 139 jours pour voir Sergio Ramos être convoqué dans le groupe du Paris Saint-Germain. Et le colosse de 35 ans a bien choisi son moment, puisque…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59536522?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 03:12:59 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/sergio-ramos-dans-le-groupe-parisien-pour-affronter-manchester-city-507340.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T12:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38c14b484b6feec1a933b18b5682f2ef" + "hash": "5fa652c36c6374fc86cb220f99e03138" }, { - "title": "Chris Cuomo: CNN fires presenter over help he gave politician brother", - "description": "The star TV presenter is sacked over efforts to help his brother defend sexual harassment claims.", - "content": "The star TV presenter is sacked over efforts to help his brother defend sexual harassment claims.", + "title": "L'AS Roma au cœur d'une polémique raciste à cause des chaussures d'Afena-Gyan", + "description": "Décidément, tout va beaucoup trop vite avec Afena-Gyan.
    \n
    \nAprès avoir…

    ", + "content": "Décidément, tout va beaucoup trop vite avec Afena-Gyan.
    \n
    \nAprès avoir…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59536519?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 00:26:55 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-as-roma-au-coeur-d-une-polemique-raciste-a-cause-des-chaussures-d-afena-gyan-507342.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T12:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "56150bea8868bb762751647cff85cfab" + "hash": "628bcce6480217def827666568ce409d" }, { - "title": "Eitan Biran: Cable car survivor returned to Italy after custody battle", - "description": "Eitan Biran, the sole survivor of a cable car crash, is now in Italy after a custody battle.", - "content": "Eitan Biran, the sole survivor of a cable car crash, is now in Italy after a custody battle.", + "title": "Darmanin donne deux semaines pour trouver des solutions en tribune", + "description": "On n'est plus à quinze jours près.
    \n
    \nGérald Darmanin, le ministre de l'Intérieur, a décidé qu'une deuxième réunion était nécessaire pour tenter de trouver des solutions et…

    ", + "content": "On n'est plus à quinze jours près.
    \n
    \nGérald Darmanin, le ministre de l'Intérieur, a décidé qu'une deuxième réunion était nécessaire pour tenter de trouver des solutions et…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59531437?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 10:47:33 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/darmanin-donne-deux-semaines-pour-trouver-des-solutions-en-tribune-507345.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T11:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9891ff0ade25f1ec771943ec8d3e4f8" + "hash": "9e8e654e20b6b8d7a4b6ab92dfff3b59" }, { - "title": "Belgian zoo hippos test positive for Covid", - "description": "Officials at Antwerp zoo do not know how the pair - now in quarantine - caught the virus.", - "content": "Officials at Antwerp zoo do not know how the pair - now in quarantine - caught the virus.", + "title": "Pochettino, l'appel du large", + "description": "Même si les résultats comptables sont brillants avant d'aller défier Manchester City, le PSG de Mauricio Pochettino ne fait pas rêver. Pis, il agace. Et l'avenir du coach argentin, arrivé en janvier dernier, pourrait vite s'écrire loin du Parc des Princes tant les rumeurs d'un départ vers Manchester United se font insistantes après celles de l'été dernier le renvoyant à Tottenham. D'autant que dans le même temps, le nom de Zinédine Zidane rôde dans les couloirs de Doha et que l'Argentin, en deux récentes interviews, a salement amoché son club. Paris, ton univers impitoyable.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59516896?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:53:17 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pochettino-l-appel-du-large-507339.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T11:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18a32b79f4a54339138a43a00b5ed50e" + "hash": "88f6e6c3a7f0d754b6e43903fe885aad" }, { - "title": "Ros Atkins on… America’s abortion divide", - "description": "How abortion rights in the US look likely to be changed by a conservative majority Supreme Court.", - "content": "How abortion rights in the US look likely to be changed by a conservative majority Supreme Court.", + "title": "Pronostic Sheriff Tiraspol Real Madrid : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Real Madrid prend sa revanche face au Sheriff Tiraspol

    \n
    \nParti sur les chapeaux de roue, le Sheriff Tiraspol a remporté ses deux premiers matchs de…
    ", + "content": "

    Le Real Madrid prend sa revanche face au Sheriff Tiraspol

    \n
    \nParti sur les chapeaux de roue, le Sheriff Tiraspol a remporté ses deux premiers matchs de…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59519863?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 00:10:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-sheriff-tiraspol-real-madrid-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507346.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T11:27:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "622a2ffeff377ef2be21fcb9c90620f6" + "hash": "02925f13ba81c9de1b65849384493a2d" }, { - "title": "The drought ravaging East African wildlife and livestock", - "description": "At least 26 million people are struggling for food across northern Kenya, Somalia and southern Ethiopia.", - "content": "At least 26 million people are struggling for food across northern Kenya, Somalia and southern Ethiopia.", + "title": "Pronostic Liverpool FC Porto : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Liverpool en contrôle face à Porto

    \n
    \nEn ayant réalisé un parcours parfait avec 4 victoires lors des 4 premières journées, Liverpool a fait coup…
    ", + "content": "

    Liverpool en contrôle face à Porto

    \n
    \nEn ayant réalisé un parcours parfait avec 4 victoires lors des 4 premières journées, Liverpool a fait coup…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59513118?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:31:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-liverpool-fc-porto-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507344.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T11:12:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2273a78505fdd8c1ea19d36868e80199" + "hash": "c5ad6c5c130246d2ecd1ef20e245405b" }, { - "title": "NunTok: How religion is booming on TikTok and Instagram", - "description": "Nuns, imams and Buddhist monks are among those sharing successful - and often fun - short-form videos on social media.", - "content": "Nuns, imams and Buddhist monks are among those sharing successful - and often fun - short-form videos on social media.", + "title": "Pronostic Inter Milan Shakhtar Donetsk : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'Inter assure la qualif' face au Shakhtar

    \n
    \nChampion d'Italie en titre, l'Inter était mal parti dans cette campagne de Ligue des Champions. En…
    ", + "content": "

    L'Inter assure la qualif' face au Shakhtar

    \n
    \nChampion d'Italie en titre, l'Inter était mal parti dans cette campagne de Ligue des Champions. En…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59513177?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:03:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-inter-milan-shakhtar-donetsk-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507343.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T11:01:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "28cf8bcb91e7dff27e79799ad450dbb7" + "hash": "9cd8d47345d071d0d17d4f051b3ec9b0" }, { - "title": "Indonesia volcano: Volcano rescuers face ash as high as rooftops", - "description": "At least 14 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", - "content": "At least 14 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", + "title": "Pronostic Besiktas Ajax Amsterdam : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'Ajax enchaîne contre le Besiktas

    \n
    \nCe match entre le Besiktas et l'Ajax revêt peu d'importance puisque les Turcs sont quasiment assurés de…
    ", + "content": "

    L'Ajax enchaîne contre le Besiktas

    \n
    \nCe match entre le Besiktas et l'Ajax revêt peu d'importance puisque les Turcs sont quasiment assurés de…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:29:45 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-besiktas-ajax-amsterdam-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507341.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T10:52:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd2e10688fefc4d93d520946469bcc30" + "hash": "52f63024a2851aa0e8d3c50ca1aec25e" }, { - "title": "Veteran Republican leader Bob Dole dies", - "description": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", - "content": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", + "title": "Le FC Porto suspecté de fraude fiscale ", + "description": "Frappé cet été par l'affaire Carton rouge en même temps que l'affaire Carton rouge en même temps que À défaut de responsables, le foot français a trouvé son coupable.
    \n
    \nLe syndicat des joueurs de football a réagi à ce qu'il s'est passé au Groupama Stadium ce dimanche soir avec le…

    ", + "content": "À défaut de responsables, le foot français a trouvé son coupable.
    \n
    \nLe syndicat des joueurs de football a réagi à ce qu'il s'est passé au Groupama Stadium ce dimanche soir avec le…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59533689?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 00:36:48 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/l-unfp-porte-plainte-a-son-tour-contre-l-agresseur-de-payet-507336.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T10:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "03c5cd618a0c582bfe5b87e142e903a4" + "hash": "59cef2612649106405cb338f06b0737b" }, { - "title": "Michigan school shooting: Suspect's parents deny involuntary manslaughter", - "description": "Bail is set at $1m for the couple arrested in Detroit after failing to attend court on Friday.", - "content": "Bail is set at $1m for the couple arrested in Detroit after failing to attend court on Friday.", + "title": "Pronostic Manchester City PSG : Analyse, cotes et prono du match de Ligue des Champions", + "description": "Dernier jour pour récupérer le bonus exceptionnel de Winamax : 150€ offerts direct au lieu de 100€ ! Après le carton plein sur le dernier match des Bleus, retrouvez notre pronostic sur l'énorme affiche Manchester City - PSG !

    Déposez 150€ et misez direct avec 300€ sur Manchester City - PSG

    \n
    \n
    \nDERNIERS JOURS :

    ", + "content": "

    Déposez 150€ et misez direct avec 300€ sur Manchester City - PSG

    \n
    \n
    \nDERNIERS JOURS :


    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59532845?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:57:52 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-manchester-city-psg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507338.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T10:12:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbe4922b49105654259f414501bc89db" + "hash": "76d6cbbb55a9ee063375972946befbc2" }, { - "title": "Rare turtle washes up 4,000 miles from home", - "description": "Tally the Turtle is recovering in a UK zoo awaiting a flight back to the warm waters of Mexico.", - "content": "Tally the Turtle is recovering in a UK zoo awaiting a flight back to the warm waters of Mexico.", + "title": "Maradona accusé de \"trafic d'être humain, privation de liberté, réduction en servitude, coups et blessures\"", + "description": "Sombre histoire pour El Pibe de Oro.
    \n
    \nC'est par le biais de l'ONG argentine Fondation pour la paix que Mavys Álvarez Rego a réitéré
    ", + "content": "Sombre histoire pour El Pibe de Oro.
    \n
    \nC'est par le biais de l'ONG argentine Fondation pour la paix que Mavys Álvarez Rego a réitéré
    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-wales-59520232?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 09:34:37 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/maradona-accuse-de-trafic-d-etre-humain-privation-de-liberte-reduction-en-servitude-coups-et-blessures-507335.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T10:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab0f9dc62c2b52dbdde47886e31008f0" + "hash": "133d834994bd359e31b475b162be0481" }, { - "title": "Indonesia volcano: Rescuers race to find survivors of Indonesia eruption", - "description": "At least 13 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", - "content": "At least 13 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", + "title": "Roxana Maracineanu : \"Le club doit être responsable de son groupe de supporters, ça me paraît évident\"", + "description": "Ou comment demander à un président de club de faire son travail.
    \n
    \nTrès remontée après les incidents ayant éclaté lors de l'Olympico, la ministre déléguée des Sports Roxana…

    ", + "content": "Ou comment demander à un président de club de faire son travail.
    \n
    \nTrès remontée après les incidents ayant éclaté lors de l'Olympico, la ministre déléguée des Sports Roxana…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sun, 05 Dec 2021 04:55:45 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/roxana-maracineanu-le-club-doit-etre-responsable-de-son-groupe-de-supporters-ca-me-parait-evident-507334.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T09:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b3d632cb703fd8e29c69c600189f13b" + "hash": "8c5130d900d41450d917fbf202d68f3d" }, { - "title": "Covid: Don't panic about Omicron variant, WHO says", - "description": "The World Health Organization urges people to be cautious and prepare for the Omicron variant.", - "content": "The World Health Organization urges people to be cautious and prepare for the Omicron variant.", + "title": "La patronne de Chelsea nommée meilleure directrice du football européen", + "description": "Aulas en bouffe son chapeau.
    \n
    \nConsidérée comme l'une des femmes les plus influentes de la planète football, Marina Granovskaia a été récompensée d'un travail de longue haleine.…

    ", + "content": "Aulas en bouffe son chapeau.
    \n
    \nConsidérée comme l'une des femmes les plus influentes de la planète football, Marina Granovskaia a été récompensée d'un travail de longue haleine.…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59526252?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:34:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/la-patronne-de-chelsea-nommee-meilleure-directrice-du-football-europeen-507333.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T09:15:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4bc7e291752627de8f17403513a3e1a6" + "hash": "ebb9692f01f9865b2b96ed680289a975" }, { - "title": "Indonesia volcano: Dozens injured as residents flee huge ash cloud from Mt Semeru", - "description": "One person has died and 41 have burn injuries as Mt Semeru erupts on Indonesia's Java island.", - "content": "One person has died and 41 have burn injuries as Mt Semeru erupts on Indonesia's Java island.", + "title": "Messi : \"Je suis heureux que Mbappé soit resté à Paris cette année\"", + "description": "Une MNM sans cacahuète ? Quel intérêt...
    \n
    \nAvec 7 buts et 7 passes décisives, Mbappé est bien un des seuls éléments offensifs du Paris Saint-Germain à faire l'unanimité. Il aura…

    ", + "content": "Une MNM sans cacahuète ? Quel intérêt...
    \n
    \nAvec 7 buts et 7 passes décisives, Mbappé est bien un des seuls éléments offensifs du Paris Saint-Germain à faire l'unanimité. Il aura…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 15:01:43 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/messi-je-suis-heureux-que-mbappe-soit-reste-a-paris-cette-annee-507332.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T08:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8dcf2ccd7e6fb47911e2b99618bdeb2b" + "hash": "fcd50fb0bad0889be67d6ec15afed14f" }, { - "title": "Biden and Putin to hold call amid Ukraine invasion fears", - "description": "The US and Russian leaders will discuss Ukraine amid mounting concerns about a possible Russian invasion.", - "content": "The US and Russian leaders will discuss Ukraine amid mounting concerns about a possible Russian invasion.", + "title": "Felix Afena-Gyan a bien reçu les chaussures promises par Mourinho", + "description": "Un homme de parole.
    \n
    \n\" J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de chaussures qu'il adore. Mais elle coûte presque 800 euros.…

    ", + "content": "Un homme de parole.
    \n
    \n\" J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de chaussures qu'il adore. Mais elle coûte presque 800 euros.…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59533689?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 18:53:39 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/felix-afena-gyan-a-bien-recu-les-chaussures-promises-par-mourinho-507330.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T08:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7d6640b72b62b65d15a731f8ce39f99a" + "hash": "5c9f2bb5b7cbf01698e6839718b44b52" }, { - "title": "Afghanistan: Macron reveals plans for joint European mission", - "description": "The French president says a number of European nations are working on a joint diplomatic mission.", - "content": "The French president says a number of European nations are working on a joint diplomatic mission.", + "title": "Zlatan Ibrahimović : \"Chaque jour quand je me réveille, j'ai mal partout\"", + "description": "Il est humain !
    \n
    \nÀ 40 balais, malgré son tendon d'Achille et un genou en compote, Zlatan continue de faire le show sur les pelouses européennes, en témoigne
    ", + "content": "Il est humain !
    \n
    \nÀ 40 balais, malgré son tendon d'Achille et un genou en compote, Zlatan continue de faire le show sur les pelouses européennes, en témoigne
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59531442?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 13:50:25 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": true, + "link": "https://www.sofoot.com/zlatan-ibrahimovic-chaque-jour-quand-je-me-reveille-j-ai-mal-partout-507331.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T08:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d05338022f330cfcbae3e690bd0cb605" + "hash": "e63c24d6318651893ac7bb2f5011dd8e" }, { - "title": "Gambia elections: Ex-President Yahya Jammeh's shadow looms over poll", - "description": "Exiled leader Yahya Jammeh - who ruled the country for 22 years - is a key figure in the poll.", - "content": "Exiled leader Yahya Jammeh - who ruled the country for 22 years - is a key figure in the poll.", + "title": "Lille joue gros face à Salzbourg", + "description": "Pour son dernier rendez-vous à domicile de la phase de groupes de Ligue des champions 2021-2022, le LOSC accueille le Red Bull Salzbourg qui est l'actuel leader de ce groupe G. Une victoire face aux Autrichiens permettrait au LOSC d'effacer la débâcle de l'aller, d'oublier les galères en championnat, et surtout de croire plus que jamais à une qualification pour les huitièmes de C1.
    ", + "content": "
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59531167?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 09:41:13 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/lille-joue-gros-face-a-salzbourg-507327.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4216ff35fa63cc5aedb87962bb1c700b" + "hash": "b677fd1f57033794e84ac7270c6848e1" }, { - "title": "Bolsonaro: Brazilian Supreme Court opens investigation into vaccine comments", - "description": "Brazil's president will face a Supreme Court inquiry for his falsehood about Covid-19 jabs and Aids.", - "content": "Brazil's president will face a Supreme Court inquiry for his falsehood about Covid-19 jabs and Aids.", + "title": "Karim Adeyemi, la menace fantasque", + "description": "Double buteur et bourreau du LOSC au match aller (2-1), Karim Adeyemi devrait encore bien embêter la défense lilloise ce mardi. L'attaquant aux trois nationalités, viré par le Bayern dans sa jeunesse, est la nouvelle pépite du RB Salzburg, qui n'en finit pas de créer des monstres.
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59528857?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 02:03:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/karim-adeyemi-la-menace-fantasque-507318.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca0d99f803ad29a31fa25bd6f433a781" + "hash": "9260664a40457cba03bf9d542c6bd3c3" }, { - "title": "Ready for power: Team Scholz promises a new Germany", - "description": "Next week will see a handover of power from the Merkel era and this is what to expect.", - "content": "Next week will see a handover of power from the Merkel era and this is what to expect.", + "title": "Sexismo No", + "description": "Ce sont des remarques sur leur physique, des insultes et des commentaires dégradants reçus presque quotidiennement : quinze journalistes espagnoles ont témoigné, dans les colonnes du journal Sport, pour faire part de leur ras-le-bol.Être journaliste sportive, en Espagne ? \"C'est compliqué\", glisse Laia Bonals, du quotidien catalan Ara. \"Surtout si tu parles de football, précise Maria Tikas, qui…", + "content": "Être journaliste sportive, en Espagne ? \"C'est compliqué\", glisse Laia Bonals, du quotidien catalan Ara. \"Surtout si tu parles de football, précise Maria Tikas, qui…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59516156?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 00:47:48 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/sexismo-no-507180.html", + "creator": "SO FOOT", + "pubDate": "2021-11-23T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb1de820682cd8f1cbea4874aa1b81b0" + "hash": "726c30823e5b7f4b2b3aafe7f81a6109" }, { - "title": "Italian man tries to dodge Covid jab using fake arm", - "description": "The man is so keen to get a vaccine pass he turns up with a plastic arm, but doctors aren't fooled.", - "content": "The man is so keen to get a vaccine pass he turns up with a plastic arm, but doctors aren't fooled.", + "title": "Dijon se paye Auxerre et décroche la couronne de Bourgogne", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59524527?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:40:58 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/dijon-se-paye-auxerre-et-decroche-la-couronne-de-bourgogne-507328.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T21:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb4d68d6ee2b11b8e2ee7c192ff1f35e" + "hash": "77da1ab3732911246da48d277e1b8406" }, { - "title": "Ethiopia closes schools to boost civil war effort", - "description": "The government wants secondary school students to harvest crops to help frontline fighters.", - "content": "The government wants secondary school students to harvest crops to help frontline fighters.", + "title": "En direct : Dijon - Auxerre", + "description": "90' : ET C'EST FINI !
    \n
    \nDijon remporte le derby bourguignon et fait un immense bond de six places ...", + "content": "90' : ET C'EST FINI !
    \n
    \nDijon remporte le derby bourguignon et fait un immense bond de six places ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59524707?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:28:03 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-dijon-auxerre-507326.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T19:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a73fdf63f1e6f58a0aa4311710fd629" + "hash": "12c05a96c3bb49900c64f95fa8cee7a2" }, { - "title": "South Africa battles Omicron fear and vaccine myths", - "description": "The new variant threatens to overshadow the holiday season as campaigners fight vaccine fears.", - "content": "The new variant threatens to overshadow the holiday season as campaigners fight vaccine fears.", + "title": "Gourvennec : \"On sait ce qu'une victoire face à Salzbourg nous apporterait\"", + "description": "Gourvennec est ambitieux avant son rendez-vous de gala.
    \n
    \nPrésent en conférence de presse avant la réception du Red Bull Salzbourg ce mardi soir en Ligue des champions au stade…

    ", + "content": "Gourvennec est ambitieux avant son rendez-vous de gala.
    \n
    \nPrésent en conférence de presse avant la réception du Red Bull Salzbourg ce mardi soir en Ligue des champions au stade…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59517496?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 13:43:37 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/gourvennec-on-sait-ce-qu-une-victoire-face-a-salzbourg-nous-apporterait-507324.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T19:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f09a1813d0cc757b532cbc88aa148b57" + "hash": "b0239b8f0d886123d603dde2b92cee04" }, { - "title": "The 'kind heart' who gave an Afghan family a new home", - "description": "An interpreter who had to flee Afghanistan is given a new home by a woman who was moved by his plight.", - "content": "An interpreter who had to flee Afghanistan is given a new home by a woman who was moved by his plight.", + "title": "DERNIERS JOURS de l'EXCLU : 20€ offerts SANS SORTIR LA CB pour parier sur la Ligue des Champions !", + "description": "Vous voulez parier cette semaine sans déposer d'argent ? En EXCLU, NetBet vous offre 20€ sans sortir votre CB ! De quoi parier sereinement sur la Ligue des Champions de la semaine

    EXCLU : 20€ offerts GRATOS chez NetBet

    \n
    \nVous voulez obtenir 20€ sans verser d'argent pour parier ?
    \n

    ", + "content": "

    EXCLU : 20€ offerts GRATOS chez NetBet

    \n
    \nVous voulez obtenir 20€ sans verser d'argent pour parier ?
    \n


    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-scotland-59504516?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 05:35:48 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/derniers-jours-de-l-exclu-20e-offerts-sans-sortir-la-cb-pour-parier-sur-la-ligue-des-champions-507284.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T18:28:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3343782eba8d7c7987a0c605dd30da31" + "hash": "7a622b88eae1fb3c92ac173d41678a04" }, { - "title": "Boxing Day: Festive film debut for Little Mix's Leigh-Anne Pinnock", - "description": "Boxing Day, the first British Christmas rom-com led by an all-black cast, is released Friday 3 December.", - "content": "Boxing Day, the first British Christmas rom-com led by an all-black cast, is released Friday 3 December.", + "title": "Pronostic Lille Salzbourg : Analyse, cotes et prono du match de Ligue des Champions", + "description": "Après le
    carton plein sur le dernier match des Bleus, retrouvez notre pronostic sur Lille - Salzbourg avec 10€ à récupérer sans sortir d'argent chez ZEbet

    10€ gratuits pour parier sur ce Lille - RB Salzbourg !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", + "content": "

    10€ gratuits pour parier sur ce Lille - RB Salzbourg !

    \n
    \nVous voulez obtenir 10€ sans verser le moindre centime pour parier sans pression ?
    \n

    ", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59409084?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:11:18 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-lille-salzbourg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507287.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T18:27:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37ac08fc5d4d271d5e4c58e8398683af" + "hash": "1b1f504125ba5f05a0cd2299fda133e4" }, { - "title": "Germany: Angela Merkel's military farewell features punk singer's hit", - "description": "A ceremony has been held for the German chancellor, who is due to step down after 16 years in office.", - "content": "A ceremony has been held for the German chancellor, who is due to step down after 16 years in office.", + "title": "Le patron de Lyca Mobile nouvel actionnaire du Paris FC", + "description": "Le Paris FC, Atlas officiel de la Ligue 2 BKT.
    \n
    \nMalgré une 5e place en Ligue 2, le PFC peut se consoler en accueillant un nouvel actionnaire, puisque l'Anglo-Sri Lankais…

    ", + "content": "Le Paris FC, Atlas officiel de la Ligue 2 BKT.
    \n
    \nMalgré une 5e place en Ligue 2, le PFC peut se consoler en accueillant un nouvel actionnaire, puisque l'Anglo-Sri Lankais…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59514304?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 23:07:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-patron-de-lyca-mobile-nouvel-actionnaire-du-paris-fc-507322.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T17:08:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9330f42fb58b08dced095e5684aee9d" + "hash": "bf5b2367b450ceb4998fd47757a2e6b3" }, { - "title": "Broome: Diving the remnants of a WW2 attack on Australia", - "description": "A WW2 air raid on Broome killed scores of people - historians say it should be better remembered.", - "content": "A WW2 air raid on Broome killed scores of people - historians say it should be better remembered.", + "title": "Le best of des buts amateurs du week-end des 20 et 21 novembre 2021", + "description": "Comme chaque début de semaine, retrouvez grâce au Vrai Foot Day et à l'application Rematch les plus belles vidéos de foot amateur filmées chaque week-end depuis le bord du terrain.Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", + "content": "Sans plus attendre, voici la sélection concoctée par la journée qui met en avant le foot…", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59397897?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:12:34 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-best-of-des-buts-amateurs-du-week-end-des-20-et-21-novembre-2021-507311.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T16:40:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2c481ce08fd017fc3cc0c8c21e7c438" + "hash": "65b8b9a53f82e38de8b8ad0621a22cd1" }, { - "title": "Russia Ukraine: Biden warns Russia against Ukraine 'red lines'", - "description": "Intelligence officials fear Russia could invade Ukraine as soon as early 2022, US media reports.", - "content": "Intelligence officials fear Russia could invade Ukraine as soon as early 2022, US media reports.", + "title": "Karl-Heinz Rummenigge regrette le départ de David Alaba", + "description": "Arrivé en Bavière en 2008, David Alaba a quitté son cocon l'été dernier pour devenir un élément essentiel de la défense du Real Madrid. Son départ semble d'ailleurs être toujours dans la…", + "content": "Arrivé en Bavière en 2008, David Alaba a quitté son cocon l'été dernier pour devenir un élément essentiel de la défense du Real Madrid. Son départ semble d'ailleurs être toujours dans la…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59528864?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 06:06:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/karl-heinz-rummenigge-regrette-le-depart-de-david-alaba-507321.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T16:38:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cabc5dd333290fad3739232474d95027" + "hash": "b0cd544b0cd2af532192227f3424a51b" }, { - "title": "Mali: Dozens of civilians killed after militants attack bus", - "description": "More than 30 people are killed after gunmen attack a bus travelling to a market.", - "content": "More than 30 people are killed after gunmen attack a bus travelling to a market.", + "title": "Une manifestation contre le Mondial au Qatar avant Strasbourg-Reims", + "description": "La lutte continue.
    \n
    \nPour le collectif Maquis Alsace-Lorraine, impossible de rester indifférent face aux morts sur les chantiers de la Coupe du monde 2022 au Qatar.
    ", + "content": "La lutte continue.
    \n
    \nPour le collectif Maquis Alsace-Lorraine, impossible de rester indifférent face aux morts sur les chantiers de la Coupe du monde 2022 au Qatar.
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59528860?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 02:44:21 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/une-manifestation-contre-le-mondial-au-qatar-avant-strasbourg-reims-507316.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T15:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2643896c1fe5a6c0c23f48e5d6b8d4e9" + "hash": "0acbdf60a8f415e281d13753cd8f07b8" }, { - "title": "Michigan school shooting: Suspect's parents arrested in Detroit", - "description": "The Michigan couple went on the run after being charged with involuntary manslaughter.", - "content": "The Michigan couple went on the run after being charged with involuntary manslaughter.", + "title": "Vincent Labrune \"choqué que l'on mette deux heures pour prendre une décision\"", + "description": "Le patron sort du bois.
    \n
    \nAprès la soirée cauchemar de ce dimanche au Groupama Stadium, la Ligue sort du silence ce lundi par l'intermédiaire de son président. Vincent Labrune a…

    ", + "content": "Le patron sort du bois.
    \n
    \nAprès la soirée cauchemar de ce dimanche au Groupama Stadium, la Ligue sort du silence ce lundi par l'intermédiaire de son président. Vincent Labrune a…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59530279?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 10:08:26 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/vincent-labrune-choque-que-l-on-mette-deux-heures-pour-prendre-une-decision-507315.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T15:09:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2e8d738c3d9df29a79a10929acecc64" + "hash": "b538bfa94cae0bc62a13d1e6ea6c9026" }, { - "title": "Indonesia volcano: Residents flee as Mt Semeru spews huge ash cloud", - "description": "Airlines have been warned about a plume of ash rising 15,000m from Mt Semeru in Java.", - "content": "Airlines have been warned about a plume of ash rising 15,000m from Mt Semeru in Java.", + "title": "Grifo reconnaît avoir simulé lors du match contre Francfort", + "description": "Alors que Fribourg était en difficulté sur sa pelouse contre l'Eintracht Francfort (0-2), le club de la Forêt-Noire pensait obtenir un penalty, de prime abord plutôt généreux. Accroché dans la…", + "content": "Alors que Fribourg était en difficulté sur sa pelouse contre l'Eintracht Francfort (0-2), le club de la Forêt-Noire pensait obtenir un penalty, de prime abord plutôt généreux. Accroché dans la…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 11:24:37 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/grifo-reconnait-avoir-simule-lors-du-match-contre-francfort-507308.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T14:41:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbfd7805f37560041d6e0359bd3c1e99" + "hash": "a82c5d6b789ea3976512d2e3693340fe" }, { - "title": "Omicron coronavirus variant: Your questions answered", - "description": "How long do symptoms last for, is it more harmful to children? Experts answer your questions.", - "content": "How long do symptoms last for, is it more harmful to children? Experts answer your questions.", + "title": "Un supporter de Fenerbahçe succombe après le but vainqueur face à Galatasaray", + "description": "De battre son cœur s'est arrêté.
    \n
    \nEn douchant les 52 000 spectateurs de la Türk Telecom Arena, l'antre du Galatasaray, dans les derniers souffles de la rencontre, Miguel Crespo ne…

    ", + "content": "De battre son cœur s'est arrêté.
    \n
    \nEn douchant les 52 000 spectateurs de la Türk Telecom Arena, l'antre du Galatasaray, dans les derniers souffles de la rencontre, Miguel Crespo ne…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/health-59511401?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:16:38 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/un-supporter-de-fenerbahce-succombe-apres-le-but-vainqueur-face-a-galatasaray-507313.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T14:03:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6bb70a35176f93258a0a17731f01f1a" + "hash": "d883870f6b0cf1b4c44fabe8a891dc3c" }, { - "title": "Michigan school shooting: Parents of gunman charged with manslaughter", - "description": "Authorities say the suspect killed four students and injured seven people with his dad's handgun.", - "content": "Authorities say the suspect killed four students and injured seven people with his dad's handgun.", + "title": "Mais qui est Felix Afena-Gyan, le chouchou de Mourinho ?", + "description": "Arrivé en Italie en mars 2021, promu en Primavera en avril, débarqué en équipe première en octobre, puis lancé dans le grand bain dans la foulée, Felix Afena-Gyan n'en finit plus de griller les étapes. Dimanche soir, il a même inscrit ses deux premiers buts en Serie A, face au Genoa. José Mourinho se frotte les mains : il tient là une pépite qu'il couve délicatement.Que s'est-il passé le 19 janvier 2003 ? José Mourinho et son FC Porto se déplaçaient sur la pelouse de Belenenses. Menés 1-0 à la pause, les Dragons se réveillent en seconde période. Jorge…", + "content": "Que s'est-il passé le 19 janvier 2003 ? José Mourinho et son FC Porto se déplaçaient sur la pelouse de Belenenses. Menés 1-0 à la pause, les Dragons se réveillent en seconde période. Jorge…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59523682?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:07:34 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/mais-qui-est-felix-afena-gyan-le-chouchou-de-mourinho-507297.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T14:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c804fb184b68458ee8f1d63e145e6854" + "hash": "8318e562e19274868ffdfacf83f14077" }, { - "title": "Ghislaine Maxwell: Employee told 'not to look Jeffrey Epstein in the eye'", - "description": "A former housekeeper said Ghislaine Maxwell acted as \"lady of the house\" at Jeffrey Epstein's US home.", - "content": "A former housekeeper said Ghislaine Maxwell acted as \"lady of the house\" at Jeffrey Epstein's US home.", + "title": "EuroMillions mardi 23 novembre 2021 : 145 millions d'€ à gagner !", + "description": "L'EuroMillions de ce mardi 23 novembre est à 145 millions d'euros. Une somme incroyable, payée par le PSG pour s'offrir Kylian Mbappé à l'été 2017

    EuroMillions du mardi 23 novembre 2021 : 145M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 145 millions d'euros ce mardi 23 novembre 2021.…
    ", + "content": "

    EuroMillions du mardi 23 novembre 2021 : 145M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 145 millions d'euros ce mardi 23 novembre 2021.…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59516888?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:09:50 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/euromillions-mardi-23-novembre-2021-145-millions-d-e-a-gagner-507312.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T13:58:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b1a2dbd7d8c374b01668eb1f126c580" + "hash": "e6471ea8fb19ace74f7e7bcbd76573ca" }, { - "title": "Austria ruling party picks Nehammer for chancellor", - "description": "Karl Nehammer is chosen as party leader and next chancellor in a bid to end days of turmoil.", - "content": "Karl Nehammer is chosen as party leader and next chancellor in a bid to end days of turmoil.", + "title": "Le Groupama Stadium à huis clos en attendant les mesures définitives", + "description": "
    Le (premier) verdict est tombé.
    \n
    \nAu lendemain de la suspension du match entre l'OL et l'OM après trois minutes de jeu, la commission de discipline s'est réunie afin de donner les…

    ", + "content": "Le (premier) verdict est tombé.
    \n
    \nAu lendemain de la suspension du match entre l'OL et l'OM après trois minutes de jeu, la commission de discipline s'est réunie afin de donner les…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59516158?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 12:03:54 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-groupama-stadium-a-huis-clos-en-attendant-les-mesures-definitives-507314.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T13:48:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4052dc3837101c226f309801a3a1057a" + "hash": "c7bf733da7f5aaf66c8964709d0abb46" }, { - "title": "Thailand: Newspaper rebuked over 'hunts Africans' headline", - "description": "The country's Covid-19 taskforce admonished the paper by saying it was a \"poor choice of words.\"", - "content": "The country's Covid-19 taskforce admonished the paper by saying it was a \"poor choice of words.\"", + "title": "Pronostic Young Boys Berne Atalanta Bergame : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'Atalanta bat encore les Young Boys de Berne

    \n
    \nMeilleure équipe du championnat suisse ces dernières saisons, les Young Boys de Berne ont remporté un…
    ", + "content": "

    L'Atalanta bat encore les Young Boys de Berne

    \n
    \nMeilleure équipe du championnat suisse ces dernières saisons, les Young Boys de Berne ont remporté un…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59501055?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 08:39:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-young-boys-berne-atalanta-bergame-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507310.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T13:32:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fb7651188e53b755f44b7380fb5cab66" + "hash": "daa6fea3e9cafc1e04ddf0c547594b2d" }, { - "title": "Alec Baldwin admits career could be over after fatal shooting", - "description": "But the 63-year-old US actor says he did not pull the trigger on the set of the Rust film in October.", - "content": "But the 63-year-old US actor says he did not pull the trigger on the set of the Rust film in October.", + "title": "Aulas, Jean-Michel à peu près", + "description": "Au cours d'une nouvelle soirée désastreuse pour l'image du football français, Jean-Michel Aulas a perdu une occasion de prendre de la hauteur et d'élever le débat, comme son homologue niçois Jean-Pierre Rivère trois mois auparavant. Il était pourtant légitime d'attendre autre chose de la part d'un des plus grands présidents de l'histoire de notre championnat.Un peu plus de deux heures après l'interruption du match entre Lyon et Marseille et…", + "content": "Un peu plus de deux heures après l'interruption du match entre Lyon et Marseille et…", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59514525?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 11:10:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/aulas-jean-michel-a-peu-pres-507295.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2acbec5d1a2acdc70c481c85a6d65cbd" + "hash": "9b48c022cf426e276fe85cd5f3c1865a" }, { - "title": "Kerala: The granny who learnt to read and write at 104", - "description": "Kuttiyamma, from the southern Indian state of Kerala, aced a government test that measures literacy.", - "content": "Kuttiyamma, from the southern Indian state of Kerala, aced a government test that measures literacy.", + "title": "Ole Gunnar Solskjær-MU : l'idylle désenchantée", + "description": "La lourde défaite contre Watford (4-1) ce week-end aura été celle de trop pour Ole Gunnar Solskjær, démis de ses fonctions par les dirigeants de Manchester United dimanche matin. Une issue inéluctable pour le coach norvégien qui aura passé presque trois ans sur le banc des Red Devils malgré une crédibilité proche du néant. Paradoxe.Cette fois, le couperet est tombé. Épargné de justesse par la direction de Manchester United après Vous vous êtes inscrits à la SoFoot Ligue, mais vous ne savez pas quelle équipe choisir pour ne pas finir la semaine avec 0 point ? Rassurez-vous, nous sommes là pour vous aider.
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", + "content": "
  • Pour s'inscrire à la SO FOOT LIGUE, c'est par ici.
    \n
    \n


  • ", "category": "", - "link": "https://www.bbc.co.uk/sport/africa/59517712?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 09:09:10 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/sofoot-ligue-nos-conseils-pour-faire-vos-picks-de-la-semaine-13-507299.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T12:30:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7190a1cb6be205b56aba3b21453094d7" + "hash": "0fea6a43118ab904f913c77e4531dd3e" }, { - "title": "How to spot the software that could be spying on you", - "description": "Software used to spy on someone via their phone is a growing threat and common in domestic abuse cases.", - "content": "Software used to spy on someone via their phone is a growing threat and common in domestic abuse cases.", + "title": "Comment Zidane a sauvé le festival Marrakech du Rire de Jamel", + "description": "Mercredi dernier est sorti un grand et beau livre So Foot. Après Diego Maradona, So Foot s'est s'attaqué à une autre légende, le plus grand numéro 10 français de l'histoire (derrière Michel…", + "content": "Mercredi dernier est sorti un grand et beau livre So Foot. Après Diego Maradona, So Foot s'est s'attaqué à une autre légende, le plus grand numéro 10 français de l'histoire (derrière Michel…", "category": "", - "link": "https://www.bbc.co.uk/news/business-59390778?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:01:11 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/comment-zidane-a-sauve-le-festival-marrakech-du-rire-de-jamel-507305.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T12:26:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7226804ee181c2963b268109aa95597c" + "hash": "505e0209846493c8864ce7b696ae1a1f" }, { - "title": "Why Turkey's currency crash does not worry Erdogan", - "description": "Turkey's national currency has plummeted 45% against the dollar this year", - "content": "Turkey's national currency has plummeted 45% against the dollar this year", + "title": "Dimitri Payet porte plainte contre X et sera examiné par un médecin du travail", + "description": "Le feuilleton continue après les incidents survenus ce dimanche au Groupama Stadium. Ce lundi, les événements basculent…", + "content": "Le feuilleton continue après les incidents survenus ce dimanche au Groupama Stadium. Ce lundi, les événements basculent…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59487912?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 07:30:19 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/dimitri-payet-porte-plainte-contre-x-et-sera-examine-par-un-medecin-du-travail-507309.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T12:07:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09529f1fc146ef6e44be8af0e460bded" + "hash": "bff0225be84a5671216d49cb737b110d" }, { - "title": "'No middle ground': Chile voters face tough choice as run-off looms", - "description": "Voters speak of the divisions as an ultra-conservative and a left-winger battle it out.", - "content": "Voters speak of the divisions as an ultra-conservative and a left-winger battle it out.", + "title": "Pronostic Séville Wolfsbourg : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le FC Séville au pied du mur face à Wolfsbourg

    \n
    \nAnnoncé comme le favori de ce groupe G, le FC Séville se retrouve actuellement en dernière position…
    ", + "content": "

    Le FC Séville au pied du mur face à Wolfsbourg

    \n
    \nAnnoncé comme le favori de ce groupe G, le FC Séville se retrouve actuellement en dernière position…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59489045?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 00:09:54 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-seville-wolfsbourg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507307.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:49:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "178bd674f7984162bb0ba6e98f1c2d4e" + "hash": "d10745e2fda29dc9c96eae9f7dded945" }, { - "title": "Africa's week in pictures: 26 November - 2 December 2021", - "description": "A selection of the best photos from the African continent and beyond.", - "content": "A selection of the best photos from the African continent and beyond.", + "title": "Un Français termine meilleur buteur de D3 suédoise", + "description": "La carrière de Yoann Fellrath est de celles qu'on qualifie de tortueuses, chaotiques. Passé par Tarbes en National 2 ou Bourgoin-Jallieu en National 3, c'est en troisième division suédoise que…", + "content": "La carrière de Yoann Fellrath est de celles qu'on qualifie de tortueuses, chaotiques. Passé par Tarbes en National 2 ou Bourgoin-Jallieu en National 3, c'est en troisième division suédoise que…", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59502970?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:14:25 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/un-francais-termine-meilleur-buteur-de-d3-suedoise-507303.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:37:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b759f9fc547a611d209f30c5dddd1fdc" + "hash": "88bd936a10615023d4e368d2ca5db885" }, { - "title": "How do you say Omicron?", - "description": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", - "content": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", + "title": "Le PSG vers une centième composition différente à la suite", + "description": "Incroyable, mais vrai.
    \n
    \nMercredi soir face à Manchester City, le Paris Saint-Germain pourrait voir son onze de départ modifié une centième fois de suite d'après un petit calcul de…

    ", + "content": "Incroyable, mais vrai.
    \n
    \nMercredi soir face à Manchester City, le Paris Saint-Germain pourrait voir son onze de départ modifié une centième fois de suite d'après un petit calcul de…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/health-59512165?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:26:31 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-psg-vers-une-centieme-composition-differente-a-la-suite-507304.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:36:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5d022c08253b967f8dd87dc0776f9c9" + "hash": "8f46d109c8125daa7f299197c7fb77b7" }, { - "title": "Pfizer CEO Albert Bourla: My wife's vaccine death is fake news", - "description": "In an exclusive interview, Albert Bourla hits out at the \"rubbish\" that has been published about him.", - "content": "In an exclusive interview, Albert Bourla hits out at the \"rubbish\" that has been published about him.", + "title": "Pronostic Barcelone Benfica : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    L'effet Xavi se poursuit pour Barcelone face au Benfica

    \n
    \nDans ce groupe E de la Ligue des Champions, le Bayern Munich a déjà assuré sa place pour…
    ", + "content": "

    L'effet Xavi se poursuit pour Barcelone face au Benfica

    \n
    \nDans ce groupe E de la Ligue des Champions, le Bayern Munich a déjà assuré sa place pour…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/health-59490619?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 06:11:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-barcelone-benfica-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507306.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d4a99cdc993b187585bd2dcb8c1da4c" + "hash": "f540458acddc6f940d1d6ebdd4e31557" }, { - "title": "Epstein accuser: Ghislaine Maxwell is a 'master manipulator'", - "description": "The BBC spoke to Teresa Helm, who accused Epstein of sexually assaulting her at the age of 22.", - "content": "The BBC spoke to Teresa Helm, who accused Epstein of sexually assaulting her at the age of 22.", + "title": "Pronostic Malmö Zenit Saint-Pétersbourg : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Zenit assure sa 3e place à Malmö

    \n
    \nCette affiche entre Malmö et le Zenit ne devrait pas avoir d'impact sur le résultat final du…
    ", + "content": "

    Le Zenit assure sa 3e place à Malmö

    \n
    \nCette affiche entre Malmö et le Zenit ne devrait pas avoir d'impact sur le résultat final du…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59498832?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 00:28:50 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-malmo-zenit-saint-petersbourg-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507302.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:25:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d08ec13322892abf849663874192157" + "hash": "42170cefb1cdd18115b69009539a4a73" }, { - "title": "Dragged up the stairs for my hospital appointment", - "description": "The healthcare system lacks equipment, buildings are crumbling and many healthcare workers have left in search of better lives.", - "content": "The healthcare system lacks equipment, buildings are crumbling and many healthcare workers have left in search of better lives.", + "title": "Pronostic Chelsea Juventus : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Chelsea prend sa revanche face à la Juventus

    \n
    \nCe choc entre Chelsea et la Juventus est un peu galvaudé car les deux formations sont quasiment assurées…
    ", + "content": "

    Chelsea prend sa revanche face à la Juventus

    \n
    \nCe choc entre Chelsea et la Juventus est un peu galvaudé car les deux formations sont quasiment assurées…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59498152?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 00:10:50 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-chelsea-juventus-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507301.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:19:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "15e75612c995afed2aa24b8e7a06165b" + "hash": "0c509df43412a788b074983afa42fc7d" }, { - "title": "US tightens travel rules amid new Omicron cases", - "description": "The US winter plan includes millions of free tests and stricter rules for international passengers.", - "content": "The US winter plan includes millions of free tests and stricter rules for international passengers.", + "title": "Pronostic Dynamo Kiev Bayern Munich : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Le Bayern Munich poursuit son sans-faute face au Dynamo Kiev

    \n
    \nDernier de ce groupe de Ligue des Champions, le Dynamo Kiev abat peut-être sa dernière…
    ", + "content": "

    Le Bayern Munich poursuit son sans-faute face au Dynamo Kiev

    \n
    \nDernier de ce groupe de Ligue des Champions, le Dynamo Kiev abat peut-être sa dernière…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59512368?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 07:47:06 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-dynamo-kiev-bayern-munich-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507298.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:17:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4e5374fffabc34e55b655bfbb756b7a" + "hash": "c79b901965391f5a9ccb2a985e553056" }, { - "title": "US government shutdown averted hours before deadline", - "description": "The US Congress passes a bill to fund federal agencies until 18 February, avoiding a costly shutdown.", - "content": "The US Congress passes a bill to fund federal agencies until 18 February, avoiding a costly shutdown.", + "title": "Troyes est le club français à avoir utilisé le plus de joueurs depuis un an", + "description": "44-26. Non, ce n'est pas le résultat de la sublime victoire du XV de France face aux All Blacks samedi dernier (pas loin, 40-25). Ce n'est pas non plus le nombre de minutes qu'il a fallu…", + "content": "44-26. Non, ce n'est pas le résultat de la sublime victoire du XV de France face aux All Blacks samedi dernier (pas loin, 40-25). Ce n'est pas non plus le nombre de minutes qu'il a fallu…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59514531?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 05:29:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/troyes-est-le-club-francais-a-avoir-utilise-le-plus-de-joueurs-depuis-un-an-507300.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:13:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ed46be124674417956a1fd9d229c900c" + "hash": "49ee99d17503683e702259e3e967f45c" }, { - "title": "Omicron: India reports first cases of new Covid variant", - "description": "Health officials say the two patients with the new strain have shown mild symptoms.", - "content": "Health officials say the two patients with the new strain have shown mild symptoms.", + "title": "Rhys Healey, le serial buteur du TFC", + "description": "Quel meilleur moment qu'un choc au sommet pour briller ? Rhys Healey l'a bien compris, lui qui a porté le Téfécé ce samedi face à Sochaux. Pour le plus grand bonheur du Stadium de Toulouse, qui a pleinement adopté son serial buteur anglais. C'est bien simple : depuis le début de saison, le globe-trotter britannique martyrise les défenses de Ligue 2 chaque week-end au sein de la meilleure attaque du championnat.\"Your defense is terrified, Healey's on fire !\" Les plus de 15 000 supporters venus au Stadium pour la réception de Sochaux ce samedi n'ont eu qu'une chanson sur les lèvres, histoire de…", + "content": "\"Your defense is terrified, Healey's on fire !\" Les plus de 15 000 supporters venus au Stadium pour la réception de Sochaux ce samedi n'ont eu qu'une chanson sur les lèvres, histoire de…", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59472675?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 05:48:25 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/rhys-healey-le-serial-buteur-du-tfc-507255.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T11:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d8cb5890e5840bbaae6280687f1dc65" + "hash": "5ffdc5aeddfbd2c736bc08de952497ab" }, { - "title": "Rights groups' warning as Trump's Remain in Mexico policy restored", - "description": "Activists say restoring Remain in Mexico at the border will result in \"torture, rape and death\".", - "content": "Activists say restoring Remain in Mexico at the border will result in \"torture, rape and death\".", + "title": "Pronostic Villarreal Manchester United : Analyse, cotes et prono du match de Ligue des Champions", + "description": "

    Villareal résiste à Man United

    \n
    \nDans ce groupe F de la Ligue des Champions, 3 équipes se sont détachées pour décrocher leurs places en…
    ", + "content": "

    Villareal résiste à Man United

    \n
    \nDans ce groupe F de la Ligue des Champions, 3 équipes se sont détachées pour décrocher leurs places en…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59514465?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 11:33:23 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-villarreal-manchester-united-analyse-cotes-et-prono-du-match-de-ligue-des-champions-507294.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T10:54:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba0441724ebb1d0893e208bfa9a96e3e" + "hash": "c82f7e0fd46aad8f1d617146ff7c56e6" }, { - "title": "Margaux Pinot: Shock over release of judoka’s partner in assault case", - "description": "Margaux Pinot accuses her partner of domestic abuse, but a court acquits him, citing lack of proof.", - "content": "Margaux Pinot accuses her partner of domestic abuse, but a court acquits him, citing lack of proof.", + "title": "Dimitri Payet absent de l'entraînement", + "description": "En état de choc.
    \n
    \nDimitri Payet ne s'est décidément pas remis de ce qu'il a vécu au Groupama Stadium dimanche soir lors de
    ", + "content": "En état de choc.
    \n
    \nDimitri Payet ne s'est décidément pas remis de ce qu'il a vécu au Groupama Stadium dimanche soir lors de
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59503827?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:14:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/dimitri-payet-absent-de-l-entrainement-507293.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T10:54:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4101248ebcea0786304cf08f81a6c44" + "hash": "d50333d36aa635b09239648cfd4125e4" }, { - "title": "Elle to stop promoting the use of animal fur in its magazines", - "description": "It is the first major fashion publication to make the pledge, citing its support for animal rights.", - "content": "It is the first major fashion publication to make the pledge, citing its support for animal rights.", + "title": "Pedri désigné Golden Boy 2021", + "description": "L'eau mouille et le feu brûle.
    \n
    \nAbsent des terrains depuis plusieurs semaines en raison d'une blessure musculaire à la jambe gauche, Pedri a reçu ce lundi un beau lot de consolation.…

    ", + "content": "L'eau mouille et le feu brûle.
    \n
    \nAbsent des terrains depuis plusieurs semaines en raison d'une blessure musculaire à la jambe gauche, Pedri a reçu ce lundi un beau lot de consolation.…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59511820?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:15:10 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pedri-designe-golden-boy-2021-507296.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T10:42:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "31937a654b229b7fb17194b41886e328" + "hash": "32db0cb3615efc1dfccad4702ca2c7ae" }, { - "title": "Queensland Floods: Second death recorded as crisis continues", - "description": "The southern part of Queensland has seen widespread rain and flooding.", - "content": "The southern part of Queensland has seen widespread rain and flooding.", + "title": "Une ancienne légende d'Everton signe en D2", + "description": "Louzy, commune de 1400 habitants, à sa nouvelle star.
    \n
    \nOn est d'accord, Tony Hibbert ne dira pas grand-chose aux jeunes admirateurs du ballon rond. Un petit tour sur sa fiche…

    ", + "content": "Louzy, commune de 1400 habitants, à sa nouvelle star.
    \n
    \nOn est d'accord, Tony Hibbert ne dira pas grand-chose aux jeunes admirateurs du ballon rond. Un petit tour sur sa fiche…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59501162?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 03:42:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/une-ancienne-legende-d-everton-signe-en-d2-507292.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T10:38:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "46af057efbbb64fb56e10b238c8fb2a9" + "hash": "fa4bda994a0f160745177d1c11e259e1" }, { - "title": "Covid: Germany puts major restrictions on unvaccinated", - "description": "Chancellor Angela Merkel describes the far-reaching measures as an act of \"national solidarity\".", - "content": "Chancellor Angela Merkel describes the far-reaching measures as an act of \"national solidarity\".", + "title": "Ruddy Buquet n'avait pas autorisé l'annonce du speaker", + "description": "Vite, appelez Scooby-Doo.
    \n
    \nMais qui a bien pu envoyer le speaker annoncer aux supporters la reprise du match après l'interruption d'OL-OM dimanche soir ? En tout cas, ce n'est…

    ", + "content": "Vite, appelez Scooby-Doo.
    \n
    \nMais qui a bien pu envoyer le speaker annoncer aux supporters la reprise du match après l'interruption d'OL-OM dimanche soir ? En tout cas, ce n'est…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59502180?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:00:10 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ruddy-buquet-n-avait-pas-autorise-l-annonce-du-speaker-507290.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T10:04:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4fc8341a29185d2e7d61954397c563e" + "hash": "45b1dadfc06aa7344cb8fe2f245af637" }, { - "title": "Covid: South Africa new cases surge as Omicron spreads", - "description": "The new Omicron variant has now become dominant, the country's top medical scientists say.", - "content": "The new Omicron variant has now become dominant, the country's top medical scientists say.", + "title": "OL-OM : le fameux \"acte isolé\" en vidéo", + "description": "Question de point de vue.
    \n
    \nAprès l'interruption du match Lyon-Marseille dimanche soir pour un jet de bouteille, Jean-Michel Aulas et le speaker de l'OL ont évoqué à plusieurs reprises…

    ", + "content": "Question de point de vue.
    \n
    \nAprès l'interruption du match Lyon-Marseille dimanche soir pour un jet de bouteille, Jean-Michel Aulas et le speaker de l'OL ont évoqué à plusieurs reprises…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59503517?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:42:33 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ol-om-le-fameux-acte-isole-en-video-507289.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T09:58:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab81461d8e1d36cbd7b15f1ae613cff3" + "hash": "361d3bc475395a41403caf484eaf30a2" }, { - "title": "Russia Ukraine: Lavrov warns of return to military confrontation nightmare", - "description": "Foreign Minister Sergei Lavrov floats the idea of a new European security pact to prevent Nato expansion.", - "content": "Foreign Minister Sergei Lavrov floats the idea of a new European security pact to prevent Nato expansion.", + "title": "Elche remercie Fran Escribá ", + "description": "Fekir a fait déborder le vase.
    \n
    \nEnglué dans les profondeurs de la Liga (18e au classement avec deux victoires en 14 matchs), Elche ne s'en sort pas. Ce dimanche, le club de…

    ", + "content": "Fekir a fait déborder le vase.
    \n
    \nEnglué dans les profondeurs de la Liga (18e au classement avec deux victoires en 14 matchs), Elche ne s'en sort pas. Ce dimanche, le club de…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59503762?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:08:55 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/elche-remercie-fran-escriba-507291.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T09:55:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7397cafcf90e4a2ced9905ee9529e91f" + "hash": "2203e1ad49ed81cc6de83ae91e414254" }, { - "title": "Omicron: Biden unveils new Covid-19 winter measures", - "description": "Public health officials in Minnesota have just reported a second US case of the Omicron variant.", - "content": "Public health officials in Minnesota have just reported a second US case of the Omicron variant.", + "title": "Le Napoli sans Victor Osimhen pendant plusieurs semaines", + "description": "Sale soirée pour le Napoli.
    \n
    \nBattus pour la première fois de la saison par l'Inter (3-2), les Napolitains…

    ", + "content": "Sale soirée pour le Napoli.
    \n
    \nBattus pour la première fois de la saison par l'Inter (3-2), les Napolitains…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59512368?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:17:54 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/le-napoli-sans-victor-osimhen-pendant-plusieurs-semaines-507288.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T09:50:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "984a6bb05903b2ff92ef2b3efbd6a4d9" + "hash": "35533168f102a95ddac22a1e6fcedd3e" }, { - "title": "Laverne & Shirley star Eddie Mekka dies aged 69", - "description": "The US actor is best known for playing Carmine Ragusa in the 1970s-80s Laverne & Shirley TV sitcom.", - "content": "The US actor is best known for playing Carmine Ragusa in the 1970s-80s Laverne & Shirley TV sitcom.", + "title": "Mourinho va offrir des chaussures à 800 euros à Felix Afena", + "description": "Pourquoi chercher des leviers psychologiques quand un simple cadeau suffit.
    \n
    \n\"J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de…

    ", + "content": "Pourquoi chercher des leviers psychologiques quand un simple cadeau suffit.
    \n
    \n\"J'avais promis à Felix que s'il disputait un bon match ce soir, je lui achèterais une paire de…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59514524?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 00:03:36 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/mourinho-va-offrir-des-chaussures-a-800-euros-a-felix-afena-507286.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T09:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "987a6d7df226210a3c7d660ed2a95a68" + "hash": "75abb1d90b2ac6ef422fbf94620b11d4" }, { - "title": "US and Mexico to restart Trump-era 'Remain in Mexico' policy", - "description": "More than 60,000 asylum seekers have been sent back to Mexico under the controversial programme.", - "content": "More than 60,000 asylum seekers have been sent back to Mexico under the controversial programme.", + "title": "Raúl Jiménez : \"Je dois encore plus profiter du football\"", + "description": "Séquence émotion.
    \n
    \nVoilà près d'un an que le pire a été évité à l'Emirates Stadium. Ce 29 novembre 2020, lors d'un duel avec David Luiz, Raúl Jiménez s'écroulait
    ", + "content": "Séquence émotion.
    \n
    \nVoilà près d'un an que le pire a été évité à l'Emirates Stadium. Ce 29 novembre 2020, lors d'un duel avec David Luiz, Raúl Jiménez s'écroulait
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59509854?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:20:49 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/raul-jimenez-je-dois-encore-plus-profiter-du-football-507285.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T08:35:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4e054bb87c95d4d743b4bac4dee30837" + "hash": "4b61911d0472c26805d8c46e0b7583df" }, { - "title": "Israel PM: Nuclear talks must end over Iran ‘blackmail’ tactics", - "description": "Naftali Bennett's call comes as Iran and world powers try to save their nuclear deal from collapse.", - "content": "Naftali Bennett's call comes as Iran and world powers try to save their nuclear deal from collapse.", + "title": "La blessure de Renato Sanches l'a empêché de signer au Barça l'été dernier", + "description": "Les ligaments croisés, tout ça, tout ça ?
    \n
    \nSimplement titularisé à six reprises cette saison en Ligue 1, Renato Sanches peine à retrouver l'étincelant niveau de jeu qu'il a parfois…

    ", + "content": "Les ligaments croisés, tout ça, tout ça ?
    \n
    \nSimplement titularisé à six reprises cette saison en Ligue 1, Renato Sanches peine à retrouver l'étincelant niveau de jeu qu'il a parfois…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59506445?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:09:30 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-blessure-de-renato-sanches-l-a-empeche-de-signer-au-barca-l-ete-dernier-507283.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T08:09:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "984dee99db5781e1be8532248cc1d8ff" + "hash": "8af9a791d80e47dc56018e42939a30a4" }, { - "title": "Afghanistan: Hamid Karzai says the Taliban are his brothers", - "description": "In a BBC interview, Hamid Karzai also calls on the international community to help rebuild Afghanistan.", - "content": "In a BBC interview, Hamid Karzai also calls on the international community to help rebuild Afghanistan.", + "title": "LOTO du lundi 22 novembre 2021 : 25 millions d'€ à gagner !", + "description": "25 millions d'euros sont à gagner au LOTO ce lundi 22 novembre 2021. Un montant incroyable pour la loterie française

    LOTO du lundi 22 novembre 2021 : 25 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce lundi 22 novembre 2021 affiche un montant énorme de 25 millions…
    ", + "content": "

    LOTO du lundi 22 novembre 2021 : 25 Millions d'€

    \n
    \nLa cagnotte du LOTO de ce lundi 22 novembre 2021 affiche un montant énorme de 25 millions…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-59505688?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 12:01:38 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/loto-du-lundi-22-novembre-2021-25-millions-d-e-a-gagner-507231.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T08:02:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb48748529818078386d0d5aa850db65" + "hash": "0e1717c4c64e6782ba8e2652c9543ad3" }, { - "title": "Ikea customers and staff sleep in store after snowstorm", - "description": "The group was left stranded after up to 30cm (12in) of snow fell in the Danish city of Aalborg.", - "content": "The group was left stranded after up to 30cm (12in) of snow fell in the Danish city of Aalborg.", + "title": "Maracineanu : \"Les dirigeants doivent arrêter de se cacher derrière leur petit doigt\"", + "description": "Le bal de l'indignation se poursuit.
    \n
    \nLes intolérables événements survenus ce dimanche soir au Groupama…

    ", + "content": "Le bal de l'indignation se poursuit.
    \n
    \nLes intolérables événements survenus ce dimanche soir au Groupama…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59509814?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:11:11 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/maracineanu-les-dirigeants-doivent-arreter-de-se-cacher-derriere-leur-petit-doigt-507282.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T07:37:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "126f9fe50107d98c9fd350c19e94263b" + "hash": "d75aaf91282632feac860f0c3db10902" }, { - "title": "Ghislaine Maxwell: Defence lawyers seek to discredit key accuser", - "description": "Ghislaine Maxwell's defence team try to poke holes in an alleged victim's testimony at her trial.", - "content": "Ghislaine Maxwell's defence team try to poke holes in an alleged victim's testimony at her trial.", + "title": "Tribunes au bord de la crise de nerf : la faute à qui ?", + "description": "Cet Olympico constitue le sixième incident grave, depuis le début de la saison. Avec, en ligne de mire, des tribunes françaises qui semblent au bord de la crise de nerfs et renvoient souvent une image décevante voire inquiétante. Mais quelles sont les solutions pour sortir de cette spirale, tant les causes de cette répétition de débordements de violence semblent échapper à tout le monde ?L'image est terrible. Dimitri Payet recevant, en pleine tête, une bouteille d'eau. Tout le monde se souvient de ce qu'il avait déjà subi, à Nice. Sa réaction, en balançant en retour…", + "content": "L'image est terrible. Dimitri Payet recevant, en pleine tête, une bouteille d'eau. Tout le monde se souvient de ce qu'il avait déjà subi, à Nice. Sa réaction, en balançant en retour…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59503757?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 11:12:50 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/tribunes-au-bord-de-la-crise-de-nerf-la-faute-a-qui-507280.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "147ec91974c29c1f9ff8455934f8b6af" + "hash": "a1ffd358fdb0641b9c5692384bda80e4" }, { - "title": "Will Meghan's big win change public opinion?", - "description": "The Duchess of Sussex has won her court case over privacy, but interest in her is not going to go away.", - "content": "The Duchess of Sussex has won her court case over privacy, but interest in her is not going to go away.", + "title": "Ces trois infos du week-end vont vous étonner", + "description": "Parce qu'il n'y a pas que les championnats du Big Five dans la vie, So Foot vous propose de découvrir trois informations qui, à coup sûr, avaient échappé à votre vigilance durant le week-end. Au menu de ce lundi : un monument polonais en péril, une dernière minute folle en D2 japonaise et une revanche savoureuse outre-Atlantique.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59503922?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 17:23:19 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ces-trois-infos-du-week-end-vont-vous-etonner-507268.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ed2312556cf1fd7870ee659957418c3" + "hash": "3d67211c48909c12dc2f0998cde62bb4" }, { - "title": "‘It’s like hell in here’: The struggle to save Afghanistan's starving babies", - "description": "Doctors in Afghanistan’s crisis-hit hospitals are caring for their patients in almost impossible conditions.", - "content": "Doctors in Afghanistan’s crisis-hit hospitals are caring for their patients in almost impossible conditions.", + "title": "Quiz : Ils ont marqué autant que Lionel Messi en Ligue 1 après 14 journées", + "description": "Lionel Messi aura donc attendu la quatorzième journée de Ligue 1, et la venue du FC Nantes au Parc des Princes (3-1), pour débloquer son compteur dans le championnat de France. Un premier but qui permet à la Pulga d'inscrire son nom au classement des buteurs et d'ainsi rejoindre 77 autres joueurs qui, comme lui, n'ont marqué qu'un seul pion depuis le début de la saison. Saurez-vous les retrouver ?", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59419962?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 00:01:43 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/quiz-ils-ont-marque-autant-que-lionel-messi-en-ligue-1-apres-14-journees-507265.html", + "creator": "SO FOOT", + "pubDate": "2021-11-22T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "63c8e800978accdbb8e5cf58f6469d18" + "hash": "56b64851169cb478b114877b05162b5e" }, { - "title": "How do you say 'Omicron'?", - "description": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", - "content": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", + "title": "Un stade, peu de lumières", + "description": "Le craquage d'un supporter lyonnais, dès la troisième minute de jeu, a complètement ruiné un dimanche soir qui s'annonçait palpitant. Si les fans rhodaniens s'étaient déjà distingués par certains comportements plus que discutables en Coupe d'Europe, les antécédents de débordements en Ligue 1 ne sont pas nombreux. Malgré tout, Aulas, qui avait réclamé de lourdes sanctions après Nice-OM, devrait être pris à son propre jeu. Même s'il assure qu'il ne s'agit pas du tout d'un cas similaire.\" Je fais partie des gens qui pensent que la seule sanction possible pour freiner cet état de fait, que ce soit au niveau des joueurs, des dirigeants, des supporters, c'est la pénalité en…", + "content": "\" Je fais partie des gens qui pensent que la seule sanction possible pour freiner cet état de fait, que ce soit au niveau des joueurs, des dirigeants, des supporters, c'est la pénalité en…", "category": "", - "link": "https://www.bbc.co.uk/news/health-59512165?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:26:31 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/un-stade-peu-de-lumieres-507279.html", + "creator": "SO FOOT", + "pubDate": "2021-11-21T23:01:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ae05625c213f24f9e1cf17eb477dcf79" + "hash": "44662886d71e6205ac0fc965b83e73ef" }, { - "title": "Home Alone house available to book on Airbnb", - "description": "The home from the 1990 Christmas classic starring Macaulay Culkin will be available for one night only.", - "content": "The home from the 1990 Christmas classic starring Macaulay Culkin will be available for one night only.", + "title": "Lyon-Marseille : la cible Dimitri Payet", + "description": "Venu à Lyon pour croiser le fer avec son meilleur ennemi et donner de l'amour pendant 90 minutes, Dimitri Payet n'en a passé que deux sur le terrain... Avant de devoir rentrer à l'infirmerie, après avoir reçu une bouteille en plein sur le crâne. Une triste habitude pour le Réunionnais, qui symbolise malgré lui le bourbier actuel dans les tribunes de Ligue 1.On s'en léchait déjà les babines : Dimitri Payet face à Lucas Paquetá, les deux meneurs de jeu des Olympiques à leurs sommets en ce moment, face à face au Parc OL en prime time ce…", + "content": "On s'en léchait déjà les babines : Dimitri Payet face à Lucas Paquetá, les deux meneurs de jeu des Olympiques à leurs sommets en ce moment, face à face au Parc OL en prime time ce…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59502515?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 09:19:24 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/lyon-marseille-la-cible-dimitri-payet-507272.html", + "creator": "SO FOOT", + "pubDate": "2021-11-21T22:59:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b77e66ef7300e2c10a7190390e086199" + "hash": "973612fdbd465256a837a4fbb8bf529f" }, { - "title": "When Jesus is used to steal from his flock", - "description": "William Neil \"Doc\" Gallagher used Christian radio to defraud religious pensioners out of millions.", - "content": "William Neil \"Doc\" Gallagher used Christian radio to defraud religious pensioners out of millions.", + "title": "OL-OM : la soirée qui a mis en lumière la lâcheté du foot français", + "description": "En faisant poireauter l'ensemble des acteurs et des suiveurs de ce Lyon-Marseille, interrompu après l'agression de Dimitri Payet par les tribunes, les instances et autres dirigeants du foot français ont donné à voir une preuve terrible de leur incompétence face à ces situations de crise, mais aussi de leur lâcheté au moment d'assumer les conséquences.Il est environ 20h50 quand les caméras se braquent sur Dimitri Payet, le visage enfoui dans la pelouse du Groupama Stadium de Lyon, les mains pressant son crâne endolori. Déjà ciblé par des…", + "content": "Il est environ 20h50 quand les caméras se braquent sur Dimitri Payet, le visage enfoui dans la pelouse du Groupama Stadium de Lyon, les mains pressant son crâne endolori. Déjà ciblé par des…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59327131?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 00:51:30 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ol-om-la-soiree-qui-a-mis-en-lumiere-la-lachete-du-foot-francais-507276.html", + "creator": "SO FOOT", + "pubDate": "2021-11-21T22:55:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17e022c7e2302c8e96ed68316745749d" + "hash": "6546b1a8521b7ddec6f842e6114723d1" }, { - "title": "Disney appoints woman as chair for first time in 98-year history", - "description": "Susan Arnold, who has been a board member for 14 years, will succeed Bob Iger at the end of the year.", - "content": "Susan Arnold, who has been a board member for 14 years, will succeed Bob Iger at the end of the year.", + "title": "Ruddy Buquet, arbitre d'OL-OM : \"Ma décision sportive a toujours été de ne pas reprendre le match\"", + "description": "Cette triste soirée de dimanche aura eu le mérite de nous offrir une scène rare : la prise de parole publique d'un arbitre pour donner son point de vue.
    \n
    \nEn l'occurrence, Ruddy Buquet…

    ", + "content": "Cette triste soirée de dimanche aura eu le mérite de nous offrir une scène rare : la prise de parole publique d'un arbitre pour donner son point de vue.
    \n
    \nEn l'occurrence, Ruddy Buquet…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59500682?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 02:28:25 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/ruddy-buquet-arbitre-d-ol-om-ma-decision-sportive-a-toujours-ete-de-ne-pas-reprendre-le-match-507278.html", + "creator": "SO FOOT", + "pubDate": "2021-11-21T22:22:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a3c53bc5d9510bb2a607a56ae142803" + "hash": "0496bae93da59ee87e665fc57f885940" }, { - "title": "Would you give 10% of your salary to charity?", - "description": "A growing number of people are deciding to give up a substantial chunk of their wages.", - "content": "A growing number of people are deciding to give up a substantial chunk of their wages.", + "title": "Monaco et Lille font du surplace", + "description": "Menée du fait d'un doublé éclair de Jonathan David et réduite à 10 en seconde période, l'ASM est pourtant parvenue à tenir en échec Lille au stade Louis-II (2-2). Une bonne dose de frustration pour les deux formations qui font du surplace en milieu de tableau. Une nouvelle fois, le LOSC a eu les occasions de sceller un précieux succès et ne les a pas saisies.

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/business-59466051?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 00:03:45 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": false, + "link": "https://www.sofoot.com/monaco-et-lille-font-du-surplace-507197.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T22:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "7d2e6706a72508abe477cb707ded357e" + "hash": "aee705ec9bc7fa9c88ef1512308cd45f" }, { - "title": "Curious leopard enters classroom in India", - "description": "The five-year-old leopard attacked a student before it was captured in the northern city of Aligarh.", - "content": "The five-year-old leopard attacked a student before it was captured in the northern city of Aligarh.", + "title": "Pronostic Angers Lorient : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Angers – Lorient avec des buts de chaque côté

    \n
    \nAprès 13 journées de Ligue 1, Angers se trouve dans la première partie de tableau à la…
    ", + "content": "

    Un Angers – Lorient avec des buts de chaque côté

    \n
    \nAprès 13 journées de Ligue 1, Angers se trouve dans la première partie de tableau à la…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59503874?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 10:33:31 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-angers-lorient-analyse-cotes-et-prono-du-match-de-ligue-1-507185.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T21:36:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09c0cc173d9e2f685c40d7fba92589ab" + "hash": "000a36409cb6acc46a8136f792a58f3f" }, { - "title": "US Supreme Court hears landmark abortion case", - "description": "The court's eventual ruling may cut off abortion access for tens of millions of American women.", - "content": "The court's eventual ruling may cut off abortion access for tens of millions of American women.", + "title": "Augsbourg surprend le Bayern", + "description": "

    ", + "content": "

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59495210?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:27:37 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": false, + "link": "https://www.sofoot.com/augsbourg-surprend-le-bayern-507196.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T21:32:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ba40529556ef689ad944036cfce7c1c3" + "hash": "7ccbce4e2d8fef688cd2821771247bf8" }, { - "title": "Covid Omicron: Time to consider mandatory jabs, EU chief says", - "description": "EU countries should discuss forced vaccinations to combat the Omicron variant, says Ursula von der Leyen.", - "content": "EU countries should discuss forced vaccinations to combat the Omicron variant, says Ursula von der Leyen.", + "title": "Pronostic Brest Lens : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Lens sur sa lancée à Brest

    \n
    \nL'an passé, le Stade Brestois a difficilement fini la saison se sauvant lors des dernières journées. Lors du mercato,…
    ", + "content": "

    Lens sur sa lancée à Brest

    \n
    \nL'an passé, le Stade Brestois a difficilement fini la saison se sauvant lors des dernières journées. Lors du mercato,…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59497462?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:18:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-brest-lens-analyse-cotes-et-prono-du-match-de-ligue-1-507183.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T21:25:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9ff1da5b41793b6283e74e9b0ef137d" + "hash": "bada1984c554efed6ac1a0cad8d14675" }, { - "title": "Michigan school shooting: Student kills four and wounds seven", - "description": "Police allege the suspect, a 15-year-old student, used a gun his father had bought days earlier.", - "content": "Police allege the suspect, a 15-year-old student, used a gun his father had bought days earlier.", + "title": "Pronostic Strasbourg Reims : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Strasbourg – Reims : le Crémant prend le dessus sur le Champagne

    \n
    \nDepuis son retour en Ligue 1, le Racing Club Strasbourg a connu de bons moments avec…
    ", + "content": "

    Strasbourg – Reims : le Crémant prend le dessus sur le Champagne

    \n
    \nDepuis son retour en Ligue 1, le Racing Club Strasbourg a connu de bons moments avec…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59484333?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:02:04 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-strasbourg-reims-analyse-cotes-et-prono-du-match-de-ligue-1-507182.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T21:14:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5fe189d8c82582a95ebb8abdd2a5d07d" + "hash": "e7fbb783d8b9b3445709067f55acd2fa" }, { - "title": "EU launches €300bn bid to challenge Chinese influence", - "description": "The Global Gateway infrastructure plan is described as a true alternative to Chinese influence.", - "content": "The Global Gateway infrastructure plan is described as a true alternative to Chinese influence.", + "title": "Pronostic Troyes Saint-Etienne : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Un Troyes – Saint-Etienne avec des buts de chaque côté

    \n
    \nChampion de Ligue 2 en titre, Troyes a retrouvé l'élite du football français.…
    ", + "content": "

    Un Troyes – Saint-Etienne avec des buts de chaque côté

    \n
    \nChampion de Ligue 2 en titre, Troyes a retrouvé l'élite du football français.…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59473071?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:26:58 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-troyes-saint-etienne-analyse-cotes-et-prono-du-match-de-ligue-1-507181.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T20:56:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "850ea6b2e1ed47951ef1b82a5843ae12" + "hash": "0a0f963c0065c56fcc0b8aac3721f1f0" }, { - "title": "Ethiopia's Tigray conflict: Lalibela retaken - government", - "description": "Tigray rebels took control of Lalibela, famous for its 13th Century rock-hewn churches, in August.", - "content": "Tigray rebels took control of Lalibela, famous for its 13th Century rock-hewn churches, in August.", + "title": "Pronostic Clermont Nice : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Nice se relance à Clermont

    \n
    \nBien parti dans cette saison de Ligue 1, Clermont avait remporté ses deux premiers matchs face à Bordeaux et Troyes avant…
    ", + "content": "

    Nice se relance à Clermont

    \n
    \nBien parti dans cette saison de Ligue 1, Clermont avait remporté ses deux premiers matchs face à Bordeaux et Troyes avant…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59493729?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:04:43 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-clermont-nice-analyse-cotes-et-prono-du-match-de-ligue-1-507179.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T20:31:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89cae94a32e96d9ff9b954af22697122" + "hash": "672d4c3b266db5a879c306325821de0c" }, { - "title": "The struggle to recover from NYC's flash flood", - "description": "Victims of a historic flood in New York City reflect on the wreckage wrought by Hurricane Ida.", - "content": "Victims of a historic flood in New York City reflect on the wreckage wrought by Hurricane Ida.", + "title": "En direct : Monaco - Lille", + "description": "96' : THE END !
    \n
    \nVite mené 0-2, l'ASM arrache finalement un nul mérité au regard des 60 ...", + "content": "96' : THE END !
    \n
    \nVite mené 0-2, l'ASM arrache finalement un nul mérité au regard des 60 ...", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59480146?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:08:59 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/en-direct-monaco-lille-507191.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T19:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ab4b6b392f24254fcc4af046da9eb23" + "hash": "750698f9e9334bee25e21b36818b81af" }, { - "title": "Austria: Doctor fined for amputating wrong leg of patient", - "description": "The patient's right leg was removed instead of his left, with the mistake discovered two days later.", - "content": "The patient's right leg was removed instead of his left, with the mistake discovered two days later.", + "title": "Griezmann pourra finalement jouer contre l'AC Milan", + "description": "Emoji Samba. Emoji Samba. Smiley cœur. Smiley cœur. Typiquement le genre d'enchaînement qui indique qu'Antoine Griezmann vient d'apprendre une bonne nouvelle. Pour le champion du monde,…", + "content": "Emoji Samba. Emoji Samba. Smiley cœur. Smiley cœur. Typiquement le genre d'enchaînement qui indique qu'Antoine Griezmann vient d'apprendre une bonne nouvelle. Pour le champion du monde,…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59498082?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:32:00 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/griezmann-pourra-finalement-jouer-contre-l-ac-milan-507190.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T16:53:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7c40cd3259df658e16e9987946847cc" + "hash": "a647ef14992809de13c96cf50006baa5" }, { - "title": "Munich WW2 bomb blows up near station, wounding four", - "description": "The \"aerial bomb\" blows up on a railway construction site close to the main station.", - "content": "The \"aerial bomb\" blows up on a railway construction site close to the main station.", + "title": "Affaire Hamraoui : Hayet Abidal demande le divorce", + "description": "Hayet Abidal a annoncé par l'intermédiaire de son avocate matrimoniale à Barcelone, Maître Jennifer Losada, entamer une procédure de divorce contre son époux, Éric Abidal. Sur la Alors que cette journée de Ligue 1 est placée sous le signe de la protection de…", + "content": "Alors que cette journée de Ligue 1 est placée sous le signe de la protection de…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59439798?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:59:05 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-fff-annonce-des-mesures-supplementaires-pour-la-protection-des-mineurs-507186.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T16:34:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "672ba87dd00b2c23e540cb768ea81b8a" + "hash": "42da8ee4847e4014c6e38d827c9f414e" }, { - "title": "Alice Sebold apologises to man cleared of her rape", - "description": "Anthony Broadwater spent 16 years in prison after being wrongly convicted of raping Alice Sebold.", - "content": "Anthony Broadwater spent 16 years in prison after being wrongly convicted of raping Alice Sebold.", + "title": "La police abat un jeune joueur en Argentine ", + "description": "L'Argentine est sous tension après la mort de Lucas Gonzalez (17 ans), joueur de Barracas Central (D2 argentine). Le quotidien espagnol Marca rapporte que l'Argentin a succombé après avoir…", + "content": "L'Argentine est sous tension après la mort de Lucas Gonzalez (17 ans), joueur de Barracas Central (D2 argentine). Le quotidien espagnol Marca rapporte que l'Argentin a succombé après avoir…", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59485586?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 11:05:41 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/la-police-abat-un-jeune-joueur-en-argentine-507189.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T16:33:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "888dc53b5fa44cfabcb9b9ee74d96a1e" + "hash": "03fdd2aa0530e1f39bb370690258b7af" }, { - "title": "Rust: US Police to search arms supplier over fatal film shooting", - "description": "A fourth search warrant is issued to find out how the ammo that killed Halyna Hutchins got on set.", - "content": "A fourth search warrant is issued to find out how the ammo that killed Halyna Hutchins got on set.", + "title": "Pronostic Metz Bordeaux : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Bordeaux va chercher un résultat à Metz

    \n
    \nA pareille époque l'an passé, le FC Metz réalisait un exercice intéressant, pointant dans la première…
    ", + "content": "

    Bordeaux va chercher un résultat à Metz

    \n
    \nA pareille époque l'an passé, le FC Metz réalisait un exercice intéressant, pointant dans la première…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59490286?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 16:00:51 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-metz-bordeaux-analyse-cotes-et-prono-du-match-de-ligue-1-507165.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T16:13:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09dcc298709451d0cffdd1f32c7d6526" + "hash": "52513a5623f187078263c6e02f2f66d8" }, { - "title": "Air quality: Delhi records worst November air in years", - "description": "Residents of the Indian capital didn't breathe \"good\" air even for one day in November, official data says.", - "content": "Residents of the Indian capital didn't breathe \"good\" air even for one day in November, official data says.", + "title": "Pronostic Inter Milan Naples : Analyse, cotes et prono du match de Serie A", + "description": "

    L'Inter ne veut pas laisser s'échapper Naples

    \n
    \nCe dimanche, l'Inter champion en titre reçoit l'actuel leader de Serie A, le Napoli. Actuellement,…
    ", + "content": "

    L'Inter ne veut pas laisser s'échapper Naples

    \n
    \nCe dimanche, l'Inter champion en titre reçoit l'actuel leader de Serie A, le Napoli. Actuellement,…
    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59486806?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 07:22:54 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-inter-milan-naples-analyse-cotes-et-prono-du-match-de-serie-a-507163.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T15:56:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "27b47834728034114eced9f5c7c93d3d" + "hash": "e6b2796dfa227bf8a147d2836f8a31d4" }, { - "title": "Tel Aviv named as world's most expensive city to live in", - "description": "Soaring inflation and supply-chain problems push up prices in the 173 cities surveyed.", - "content": "Soaring inflation and supply-chain problems push up prices in the 173 cities surveyed.", + "title": "Clermont va collaborer avec un musée d'art", + "description": "Dans un communiqué publié sur son site, le Clermont Foot a annoncé allier ses forces avec le musée d'art Roger-Quilliot (MARQ) afin de promouvoir les liens entre culture et football. L'exposition…", + "content": "Dans un communiqué publié sur son site, le Clermont Foot a annoncé allier ses forces avec le musée d'art Roger-Quilliot (MARQ) afin de promouvoir les liens entre culture et football. L'exposition…", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59489259?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 14:09:41 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/clermont-va-collaborer-avec-un-musee-d-art-507184.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T15:18:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a34c65411c4166507da10b3b0eea27e" + "hash": "a218bfbefc0529d4ea7ac9074ea1910f" }, { - "title": "HIV: The misinformation still circulating in 2021", - "description": "Huge progress has been made in treatment, prevention and understanding of HIV - but falsehoods still hurt people living with it.", - "content": "Huge progress has been made in treatment, prevention and understanding of HIV - but falsehoods still hurt people living with it.", + "title": "Pour Conte, Ndombele doit \"travailler beaucoup plus dur que les autres\"", + "description": "Commencée en juillet 2019, l'histoire entre Tanguy Ndombele et Tottenham n'a jamais vraiment été au beau fixe. Si le Français montre par moments toute l'étendue de son potentiel, il n'a…", + "content": "Commencée en juillet 2019, l'histoire entre Tanguy Ndombele et Tottenham n'a jamais vraiment été au beau fixe. Si le Français montre par moments toute l'étendue de son potentiel, il n'a…", "category": "", - "link": "https://www.bbc.co.uk/news/59431598?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:37:59 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pour-conte-ndombele-doit-travailler-beaucoup-plus-dur-que-les-autres-507173.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T15:04:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4402985ce88f0208c683e1dcb0a8baea" + "hash": "edcef7adae875713321a1f1218233b44" }, { - "title": "Why Gambians won't stop voting with marbles", - "description": "The Gambia has witnessed a flourishing of democracy but its curious election system remains unchanged.", - "content": "The Gambia has witnessed a flourishing of democracy but its curious election system remains unchanged.", + "title": "De Bruyne positif au coronavirus", + "description": "Mauvaise nouvelle pour City.
    \n
    \nLors de la traditionnelle conférence de presse d'avant-match pour le compte de la 12e journée de Premier League opposant Manchester City à…

    ", + "content": "Mauvaise nouvelle pour City.
    \n
    \nLors de la traditionnelle conférence de presse d'avant-match pour le compte de la 12e journée de Premier League opposant Manchester City à…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59476637?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:50:08 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/de-bruyne-positif-au-coronavirus-507178.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T14:42:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "62627d348e3369bdad396a4226afc3d0" + "hash": "4b76e3d1cad3d949fa59cbff8d626bce" }, { - "title": "Survivor: I'm haunted by deadliest Channel crossing", - "description": "Mohamed Isa Omar, one of two survivors of last week's disaster, tells the BBC he saw people drown.", - "content": "Mohamed Isa Omar, one of two survivors of last week's disaster, tells the BBC he saw people drown.", + "title": "Payet n'a pas dit adieu aux Bleus", + "description": "1135 jours. Il faut remonter au 11 octobre 2018 pour retrouver trace d'un match de Dimitri Payet en équipe de France. Plus de trois ans après sa dernière sélection (un 2-2 à Guingamp contre…", + "content": "1135 jours. Il faut remonter au 11 octobre 2018 pour retrouver trace d'un match de Dimitri Payet en équipe de France. Plus de trois ans après sa dernière sélection (un 2-2 à Guingamp contre…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59480814?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:56:15 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/payet-n-a-pas-dit-adieu-aux-bleus-507177.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T14:39:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9aa01acdac827add859731aa464e64ee" + "hash": "597ed2fdf379539a2c8b1bc3866cf171" }, { - "title": "Yemen's Marib: The city at the heart of a dirty war", - "description": "Jeremy Bowen gets rare access to Marib, where civilians are caught behind the conflict's front line.", - "content": "Jeremy Bowen gets rare access to Marib, where civilians are caught behind the conflict's front line.", + "title": "Pronostic Lyon OM : Analyse, cotes et prono du match de Ligue 1 + 150€ direct offerts chez Winamax", + "description": "Après le carton plein sur le dernier match des Bleus, retour des championnats ce week-end avec un Olympico qui promet. Retrouvez notre pronostic sur Lyon - OM avec le nouveau bonus Winamax : 150€ offerts direct !

    Déposez 150€ et misez direct avec 300€ sur Lyon - OM

    \n
    \n
    \nNOUVEAU :

    ", + "content": "

    Déposez 150€ et misez direct avec 300€ sur Lyon - OM

    \n
    \n
    \nNOUVEAU :


    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59459750?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:21:53 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/pronostic-lyon-om-analyse-cotes-et-prono-du-match-de-ligue-1-150e-direct-offerts-chez-winamax-507172.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T14:21:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5536610b82fe35f0db317f52cc88ee3" + "hash": "fd79e9d45962f0ddae52d1277a44c8ef" }, { - "title": "How Magdalena Andersson became Sweden's first female PM twice", - "description": "Magdalena Andersson's rise to power has been high political drama, but the finale may be yet to come.", - "content": "Magdalena Andersson's rise to power has been high political drama, but the finale may be yet to come.", + "title": "Orelsan se verrait bien ambassadeur du Stade Malherbe de Caen ", + "description": "\"J'rejoins mon père au stade, on prend deux buts, on prend deux bières. J'rentre chez moi, j'allume FIFA, j'reprends Malherbe, j'continue d'perdre.\" Sur les 57 minutes et 43…", + "content": "\"J'rejoins mon père au stade, on prend deux buts, on prend deux bières. J'rentre chez moi, j'allume FIFA, j'reprends Malherbe, j'continue d'perdre.\" Sur les 57 minutes et 43…", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59473070?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:42:10 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/orelsan-se-verrait-bien-ambassadeur-du-stade-malherbe-de-caen-507174.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T14:05:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f798421dbee4de6d8b785ec1eba1536" + "hash": "d2e8a30e5d89fe22ed793d137482d3e0" }, { - "title": "Pakistan: Islamists against Muhammad cartoons stage comeback", - "description": "The release of the TLP leader and supporters could have far-reaching implications in Pakistan and beyond.", - "content": "The release of the TLP leader and supporters could have far-reaching implications in Pakistan and beyond.", + "title": "Peter Bosz a encore \"mal à la tête\" depuis la claque infligée par Rennes", + "description": "Hamari Traoré, plus grand livreur de migraine de la Ligue 1.
    \n
    \n\"Oui, j'ai revisionné le match contre Rennes et ça fait mal à la tête. Je ne comprends pas la route qu'on a…

    ", + "content": "Hamari Traoré, plus grand livreur de migraine de la Ligue 1.
    \n
    \n\"Oui, j'ai revisionné le match contre Rennes et ça fait mal à la tête. Je ne comprends pas la route qu'on a…

    ", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59456545?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:42:32 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/peter-bosz-a-encore-mal-a-la-tete-depuis-la-claque-infligee-par-rennes-507175.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T14:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e3298727360cf3025e445383a7513e3" + "hash": "643ee302fdd04220b3b77e3cbc24acf1" }, { - "title": "Jack Dorsey: What's next for Twitter's co-founder?", - "description": "The last time the tech visionary left Twitter, he set up another company now worth $100bn.", - "content": "The last time the tech visionary left Twitter, he set up another company now worth $100bn.", + "title": "Markus Anfang (Werder Brême) soupçonné d'avoir utilisé un faux certificat de vaccination", + "description": "Depuis les prémices de l'émancipation malheureuse du coronavirus, les plus grands championnats d'Europe ne laissent plus rien au hasard en matière de mesures sanitaires. Présenter un pass…", + "content": "Depuis les prémices de l'émancipation malheureuse du coronavirus, les plus grands championnats d'Europe ne laissent plus rien au hasard en matière de mesures sanitaires. Présenter un pass…", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59471636?at_medium=RSS&at_campaign=KARANGA", - "creator": "", - "pubDate": "Tue, 30 Nov 2021 03:48:35 GMT", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", + "link": "https://www.sofoot.com/markus-anfang-werder-breme-soupconne-d-avoir-utilise-un-faux-certificat-de-vaccination-507171.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T13:13:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e606483d3f48e28faf563b80a8038cd8" + "hash": "d5585615bc4492afbf57697c3908fad0" }, { - "title": "Omicron: Do travel bans work against new Covid variants?", - "description": "What is the evidence that travel restrictions could stop the spread of coronavirus?", - "content": "What is the evidence that travel restrictions could stop the spread of coronavirus?", + "title": "La voie royale du FC Versailles", + "description": "Seule équipe encore invaincue sur les quatre premières divisions françaises, le FC Versailles 78 vit un début de saison de rêve sur le plan sportif en tête du groupe A de National 2. En coulisses pourtant, les dernières semaines ont été mouvementées : le président historique, Daniel Voisin, a claqué la porte après 25 ans au club, tandis que Jean-Luc Arribart est arrivé en tant que directeur général de la récente SAS créée par les nouveaux actionnaires. Le début d'une nouvelle ère ?À l'instar des géants que sont le SSC Naples, l'AC Milan, Porto ou le Sporting Portugal, le FC Versailles 78 n'a lui non plus toujours pas connu la défaite en championnat depuis le début de…", + "content": "À l'instar des géants que sont le SSC Naples, l'AC Milan, Porto ou le Sporting Portugal, le FC Versailles 78 n'a lui non plus toujours pas connu la défaite en championnat depuis le début de…", "category": "", - "link": "https://www.bbc.co.uk/news/59461861?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.sofoot.com/la-voie-royale-du-fc-versailles-507145.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6d6c3b0540c84a4c3ec83cfd9efe3593" + }, + { + "title": "Konrad de la Fuente, redécollage imminent ", + "description": "Sensation de l'été à Marseille, Konrad de la Fuente a légèrement disparu des radars au début de l'automne, un peu à l'image de l'OM de Sampaoli. Sauf qu'aujourd'hui, l'ailier américain revient peu à peu sur le devant de la scène. Avant de faire du soccer un sport reconnu de tous aux States ?
    \t\t\t\t\t
    ", + "content": "
    \t\t\t\t\t
    ", + "category": "", + "link": "https://www.sofoot.com/konrad-de-la-fuente-redecollage-imminent-507137.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "59770b2394e790debfcebe9c704c009e" + }, + { + "title": "Looking for Momo", + "description": "Il s'appelle Momo, il joue attaquant de pointe, en Ardèche, dans l'équipe des vétérans du Foot Loisirs 1994. Jusque-là, rien de bien étonnant. Oui, mais voilà : Momo a 80 ans. Pas de quoi empêcher ce retraité encore bien fringuant de tâter le cuir, tous les jeudis, de marquer quelques buts et d'imiter le King Cantona lorsqu'il fait trembler les filets. Pas un hasard pour un homme qui, au fond, n'a jamais vécu bien loin des terrains.\"Lorsque je parle du club autour de moi, la première chose que j'évoque, c'est Momo.\" Quand il évoque le Foot Loisirs 1994, l'association de foot dont il gère la communication en…", + "content": "\"Lorsque je parle du club autour de moi, la première chose que j'évoque, c'est Momo.\" Quand il évoque le Foot Loisirs 1994, l'association de foot dont il gère la communication en…", + "category": "", + "link": "https://www.sofoot.com/looking-for-momo-506890.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T13:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b0df90be4b2f32b17966257b9cd76945" + }, + { + "title": "La collection de tirages photo So Foot de novembre 2021 est arrivée !", + "description": "En collaboration avec l'agence photographique Icon Sport, So Foot vous propose, chaque mois, une sélection renouvelée de photographies exclusives de football en édition ultra limitée, onze tirages par taille, sur la nouvelle boutique maison :
    boutique.so. Brouillard en novembre, l'hiver sera tendre. La preuve avec quatre nouveaux tirages en édition limitée : la bicyclette de Rooney contre City, Zinédine période Juventus, le Parc des princes by night et l'arrêt de Dudek face à Shevchenko en 2005.
    \n
    \n


    ", + "content": "
    \n
    \n


    ", + "category": "", + "link": "https://www.sofoot.com/la-collection-de-tirages-photo-so-foot-de-novembre-2021-est-arrivee-506666.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T12:36:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fd2201e10e794f5e320b68aa91d3aabd" + }, + { + "title": "Podcast Alternative Football (épisode 13) avec Paul de Saint-Sernin comme invité sur le sujet \"l'humour et le football\"", + "description": "Le football est un jeu simple, dont beaucoup parlent, mais un univers complexe, que peu connaissent vraiment. Dans Alternative Football, le podcast hors terrain de So Foot, vous en découvrirez les rouages, avec ses principaux acteurs. Dans chaque épisode, Édouard Cissé, ancien milieu de terrain du PSG, de l'OM ou de Monaco désormais entrepreneur en plus d'être consultant pour Prime Video, et Matthieu Lille-Palette, vice-président d'Opta, s'entretiendront avec un invité sur un thème précis. Pendant une mi-temps, temps nécessaire pour redéfinir totalement votre grille de compréhension.Si on peut rire de tout, mais pas avec tout le monde, peut-on rire avec les footballeurs ? Si oui, comment ? Vaste question à laquelle ils ne sont que peu à s'être frottés. Dernier…", + "content": "Si on peut rire de tout, mais pas avec tout le monde, peut-on rire avec les footballeurs ? Si oui, comment ? Vaste question à laquelle ils ne sont que peu à s'être frottés. Dernier…", + "category": "", + "link": "https://www.sofoot.com/podcast-alternative-football-episode-13-avec-paul-de-saint-sernin-comme-invite-sur-le-sujet-l-humour-et-le-football-507168.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T12:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a93e12aadbadd96c1ed714af18fcc67e" + }, + { + "title": "La Premier League conclut un nouvel accord de diffusion aux USA ", + "description": "Business is business.
    \n
    \n
    Pourtant frappé par une crise institutionnelle avec en…

    ", + "content": "Business is business.
    \n
    \nPourtant frappé par une crise institutionnelle avec en…

    ", + "category": "", + "link": "https://www.sofoot.com/la-premier-league-conclut-un-nouvel-accord-de-diffusion-aux-usa-507167.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T11:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f59727233250a3db135d04b05c7d22c" + }, + { + "title": "Pochettino : \"On veut tous faire du beau jeu et gagner 5-0\"", + "description": "Troyes (2-1), Metz (1-2), Angers (2-1), Lille (2-1), Troyes (2-1) et plus récemment Bordeaux (2-3), les copies rendues par les joueurs du Paris Saint-Germain cette saison se suivent et se…", + "content": "Troyes (2-1), Metz (1-2), Angers (2-1), Lille (2-1), Troyes (2-1) et plus récemment Bordeaux (2-3), les copies rendues par les joueurs du Paris Saint-Germain cette saison se suivent et se…", + "category": "", + "link": "https://www.sofoot.com/pochettino-on-veut-tous-faire-du-beau-jeu-et-gagner-5-0-507166.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T10:36:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bcb642fe9293668ef4ce6f8e6d067ef7" + }, + { + "title": "Khalida Popal et Kim Kardashian ont aidé à l'évacuation de joueuses afghanes", + "description": "Les opérations de sauvetage continuent en Afghanistan.
    \n
    \nKhalida Popal, ancienne capitaine de l'équipe d'Afghanistan de football, a organisé une grande opération d'évacuation ce jeudi…

    ", + "content": "Les opérations de sauvetage continuent en Afghanistan.
    \n
    \nKhalida Popal, ancienne capitaine de l'équipe d'Afghanistan de football, a organisé une grande opération d'évacuation ce jeudi…

    ", + "category": "", + "link": "https://www.sofoot.com/khalida-popal-et-kim-kardashian-ont-aide-a-l-evacuation-de-joueuses-afghanes-507164.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T10:12:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "39346757012918da256e85a1b7463348" + }, + { + "title": "Giovanni van Bronckhorst nommé aux Rangers ", + "description": "Laissé vacant depuis le départ de Steven Gerrard vers Aston Villa, le banc des Rangers vient de trouver un nouvel occupant. En effet, les Gers ont décidé ce jeudi de nommer Giovanni van…", + "content": "Laissé vacant depuis le départ de Steven Gerrard vers Aston Villa, le banc des Rangers vient de trouver un nouvel occupant. En effet, les Gers ont décidé ce jeudi de nommer Giovanni van…", + "category": "", + "link": "https://www.sofoot.com/giovanni-van-bronckhorst-nomme-aux-rangers-507162.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T10:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "496145fcbfe0fe2ad137ffdd13edb09f" + }, + { + "title": "50 ouvriers sont morts accidentellement au Qatar en 2020", + "description": "6500 : c'est le nombre de morts provoquées en dix ans par les chantiers de la Coupe du monde 2022 au Qatar L'EuroMillions de ce vendredi 19 novembre est à 131 millions d'euros. Une somme qui vous permettrait d'acheter quasiment le club de Ligue 1 de votre choix, ou plus simplement de devenir l'une des 500 plus grosses richesses de France

    EuroMillions du vendredi 19 novembre 2021 : 131M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 131 millions d'euros ce vendredi 19 novembre…
    ", + "content": "

    EuroMillions du vendredi 19 novembre 2021 : 131M d'€

    \n
    \nLe jackpot de l'EuroMillions affiche 131 millions d'euros ce vendredi 19 novembre…
    ", + "category": "", + "link": "https://www.sofoot.com/euromillions-vendredi-19-novembre-2021-131-millions-d-e-a-gagner-507117.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T09:10:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e57ce7655ae3e9987845b50694865d47" + }, + { + "title": "LOTO du samedi 20 novembre 2021 : 24 millions d'€ à gagner !", + "description": "Gros week-end de foot mais aussi gros week-end FDJ avec un gros EuroMillions et un énorme LOTO avec 24 millions d'euros à gagner ce samedi 20 novembre 2021

    LOTO du samedi 20 novembre 2021 : 24 Millions d'€

    \n
    \nLe LOTO de ce samedi 20 novembre 2021 est de 24 millions d'euros.
    \nSi quelqu'un…

    ", + "content": "

    LOTO du samedi 20 novembre 2021 : 24 Millions d'€

    \n
    \nLe LOTO de ce samedi 20 novembre 2021 est de 24 millions d'euros.
    \nSi quelqu'un…

    ", + "category": "", + "link": "https://www.sofoot.com/loto-du-samedi-20-novembre-2021-24-millions-d-e-a-gagner-507160.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T09:06:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "339f1412b8bbeac460a62000732c6615" + }, + { + "title": "Bob Bradley quitte le Los Angeles FC", + "description": "Dream of Californication.
    \n
    \nBob Bradley restera comme le premier entraîneur de l'histoire du Los Angeles FC. Une franchise née en 2018 et intégrée cette même saison en MLS.…

    ", + "content": "Dream of Californication.
    \n
    \nBob Bradley restera comme le premier entraîneur de l'histoire du Los Angeles FC. Une franchise née en 2018 et intégrée cette même saison en MLS.…

    ", + "category": "", + "link": "https://www.sofoot.com/bob-bradley-quitte-le-los-angeles-fc-507159.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T09:06:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15618ce57e5bbb7913bbc63bf4a82634" + }, + { + "title": "Lucas Paquetá joueur du mois d'octobre en Ligue 1", + "description": "Incontournable au milieu de terrain à Lyon, Lucas Paquetá a marché sur la Ligue 1 au mois d'octobre. Aussi élégant sur la pelouse que son cuir chevelu, le Brésilien succède à Kylian Mbappé…", + "content": "Incontournable au milieu de terrain à Lyon, Lucas Paquetá a marché sur la Ligue 1 au mois d'octobre. Aussi élégant sur la pelouse que son cuir chevelu, le Brésilien succède à Kylian Mbappé…", + "category": "", + "link": "https://www.sofoot.com/lucas-paqueta-joueur-du-mois-d-octobre-en-ligue-1-507158.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T08:52:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8c4c27f548e16c6d5d9f1704a9ed93bb" + }, + { + "title": "225 millions de plus pour le Real dans la rénovation de son stade", + "description": "La rénovation de Santiago Bernabéu commence à réellement devenir un casse-tête pour le Real Madrid. Le projet avait été initié en 2019 avec une jolie enveloppe de 575 millions d'euros pour…", + "content": "La rénovation de Santiago Bernabéu commence à réellement devenir un casse-tête pour le Real Madrid. Le projet avait été initié en 2019 avec une jolie enveloppe de 575 millions d'euros pour…", + "category": "", + "link": "https://www.sofoot.com/225-millions-de-plus-pour-le-real-dans-la-renovation-de-son-stade-507157.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T08:22:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "da0c756a560a688cb66808116c9a571f" + }, + { + "title": "Sanction réduite pour un club brésilien dans une affaire de racisme", + "description": "Le club de Brusque au Brésil a pu voir ce jeudi sa sanction réduite dans une affaire de racisme qui concerne son ancien président Antonio Petermann. Ce dernier a avoué avoir émis des propos…", + "content": "Le club de Brusque au Brésil a pu voir ce jeudi sa sanction réduite dans une affaire de racisme qui concerne son ancien président Antonio Petermann. Ce dernier a avoué avoir émis des propos…", + "category": "", + "link": "https://www.sofoot.com/sanction-reduite-pour-un-club-bresilien-dans-une-affaire-de-racisme-507156.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T07:50:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e4ce5d67d116372e7e283fcd5e7a5a56" + }, + { + "title": "Jimmy Cabot, ça brûle", + "description": "Arrivé à Angers en septembre 2020, Jimmy Cabot, 27 ans, a vécu une première saison difficile dans le Maine-et-Loire avant de changer de look pour une autre vie à la suite de l'arrivée de Gérald Baticle. Repositionné piston droit par le coach arrivé cet été sur le banc du SCO, le Savoyard donne aujourd'hui la leçon aux habitués des couloirs et fonce dans tout le pays avec un statut improbable de meilleur tacleur de Ligue 1. Entre vieilles pannes de réveil, amour de la pétanque et développement personnel, portrait d'un homme complet.Un jour de juin, alors que le monde du foot a la tête à l'Euro et que ceux qui se fichent du foot tentent de comprendre quelque chose aux changements d'humeur du ciel, des hommes suent. Ils sont…", + "content": "Un jour de juin, alors que le monde du foot a la tête à l'Euro et que ceux qui se fichent du foot tentent de comprendre quelque chose aux changements d'humeur du ciel, des hommes suent. Ils sont…", + "category": "", + "link": "https://www.sofoot.com/jimmy-cabot-ca-brule-507127.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T05:05:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2a051a5cd5fb3cf303f2512fbf848b3a" + }, + { + "title": "Le nouveau défi de Samuel Eto'o", + "description": "Samuel Eto'o a officiellement déposé sa candidature à l'élection à la présidence de la Fédération camerounaise de football (FECAFOOT) le mercredi 17 novembre, en vue du scrutin du 11 décembre. L'ancien capitaine des Lions indomptables, qui bénéficie d'un important soutien populaire et médiatique, est déterminé à aller jusqu'au bout, malgré les tentatives de l'actuel président pour l'inciter à se retirer.Kinshasa était le dimanche 14 novembre \"the place to be\" du football africain, à l'occasion du match décisif entre la RD Congo et le Bénin, comptant pour la 6e journée de…", + "content": "Kinshasa était le dimanche 14 novembre \"the place to be\" du football africain, à l'occasion du match décisif entre la RD Congo et le Bénin, comptant pour la 6e journée de…", + "category": "", + "link": "https://www.sofoot.com/le-nouveau-defi-de-samuel-eto-o-507133.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "24bda355d4e44537cdc2404c9fd7751d" + }, + { + "title": "Ces activistes strasbourgeois ont un plan pour faire annuler la Coupe du monde 2022", + "description": "Ils ne voulaient pas rester indifférents aux milliers de morts recensés depuis l'attribution de la compétition au Qatar. Le collectif Maquis Alsace-Lorraine se lance dans un projet fou : faire annuler le prochain Mondial, en incitant personnellement les joueurs à boycotter l'événement.\" Depuis que je suis enfant, les footballeurs sont mes idoles. C'est pour ça que j'y crois, ils m'ont toujours fait rêver, ils ne peuvent pas me décevoir\", confie Ariel*, qui est à…", + "content": "\" Depuis que je suis enfant, les footballeurs sont mes idoles. C'est pour ça que j'y crois, ils m'ont toujours fait rêver, ils ne peuvent pas me décevoir\", confie Ariel*, qui est à…", + "category": "", + "link": "https://www.sofoot.com/ces-activistes-strasbourgeois-ont-un-plan-pour-faire-annuler-la-coupe-du-monde-2022-507132.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T05:00:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b98003fd7304412e2629c2e2bf09b134" + }, + { + "title": "Pronostic Nancy Rodez : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Nancy en regain de forme avant Rodez

    \n
    \nLanterne rouge de Ligue 2, Nancy a connu une entame de championnat très compliquée avec notamment 5 défaites…
    ", + "content": "

    Nancy en regain de forme avant Rodez

    \n
    \nLanterne rouge de Ligue 2, Nancy a connu une entame de championnat très compliquée avec notamment 5 défaites…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-nancy-rodez-analyse-cotes-et-prono-du-match-de-ligue-2-507155.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T02:48:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "714359fa98ecee9745535777d423eb7e" + }, + { + "title": "Pronostic Nîmes Quevilly Rouen : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Nîmes enchaine face à Quevilly Rouen

    \n
    \nRelégué de Ligue 1 après avoir vécu un exercice difficile, Nîmes a vu plusieurs cadres quitter le navire…
    ", + "content": "

    Nîmes enchaine face à Quevilly Rouen

    \n
    \nRelégué de Ligue 1 après avoir vécu un exercice difficile, Nîmes a vu plusieurs cadres quitter le navire…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-nimes-quevilly-rouen-analyse-cotes-et-prono-du-match-de-ligue-2-507154.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T02:43:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "077879d3446eca5bc8a432506df906d2" + }, + { + "title": "Pronostic Le Havre Amiens : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Le Havre ambitieux face à Amiens

    \n
    \nDécevant ces dernières saisons, Le Havre se monte nettement plus intéressant lors de ce nouvel exercice alors que…
    ", + "content": "

    Le Havre ambitieux face à Amiens

    \n
    \nDécevant ces dernières saisons, Le Havre se monte nettement plus intéressant lors de ce nouvel exercice alors que…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-le-havre-amiens-analyse-cotes-et-prono-du-match-de-ligue-2-507153.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T02:37:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2b7b3d3da3dee479b26678d553aca531" + }, + { + "title": "Pronostic Caen Paris FC : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Le Paris FC enfonce Caen

    \n
    \nSauvé lors de la dernière journée l'an passé, le Stade Malherbe de Caen avait en revanche parfaitement lancé ce nouvel…
    ", + "content": "

    Le Paris FC enfonce Caen

    \n
    \nSauvé lors de la dernière journée l'an passé, le Stade Malherbe de Caen avait en revanche parfaitement lancé ce nouvel…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-caen-paris-fc-analyse-cotes-et-prono-du-match-de-ligue-2-507152.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T02:26:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1cf2e2c144d511e6ea60b76dff2f9573" + }, + { + "title": "Pronostic Pau Guingamp : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Pau - Guingamp : L'En Avant tombe dans le piège palois

    \n
    \nPromu en Ligue 2 l'an passé, Pau a souffert pour se maintenir et est resté en L2 grâce à…
    ", + "content": "

    Pau - Guingamp : L'En Avant tombe dans le piège palois

    \n
    \nPromu en Ligue 2 l'an passé, Pau a souffert pour se maintenir et est resté en L2 grâce à…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-pau-guingamp-analyse-cotes-et-prono-du-match-de-ligue-2-507151.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T02:12:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9dd070c423ece9d27e5cd77a5c19b681" + }, + { + "title": "Pronostic Rennes Montpellier : Analyse, cotes et prono du match de Ligue 1", + "description": "

    Rennes enchaîne face à Montpellier

    \n
    \nLe Stade Rennais s'est installé ces dernières saisons comme l'un des candidats aux places européennes. Il y…
    ", + "content": "

    Rennes enchaîne face à Montpellier

    \n
    \nLe Stade Rennais s'est installé ces dernières saisons comme l'un des candidats aux places européennes. Il y…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-rennes-montpellier-analyse-cotes-et-prono-du-match-de-ligue-1-507150.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T02:02:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "409ddfbc25d17c3638d8b22f2c18dd2a" + }, + { + "title": "Pronostic Bastia Niort : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Bastia solide à domicile face à Niort

    \n
    \nChampion de National l'an passé, Bastia a donc été promu en Ligue 2. Le club corse connaît un retour…
    ", + "content": "

    Bastia solide à domicile face à Niort

    \n
    \nChampion de National l'an passé, Bastia a donc été promu en Ligue 2. Le club corse connaît un retour…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-bastia-niort-analyse-cotes-et-prono-du-match-de-ligue-2-507149.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T00:52:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c28c8065aed9ee932708e14092cc04c2" + }, + { + "title": "Pronostic Valenciennes Grenoble : Analyse, cotes et prono du match de Ligue 2", + "description": "

    Valenciennes, la mal-être avant Grenoble

    \n
    \nAprès avoir connu de fortes tensions entre supporters et dirigeants la saison dernière, Valenciennes vit des…
    ", + "content": "

    Valenciennes, la mal-être avant Grenoble

    \n
    \nAprès avoir connu de fortes tensions entre supporters et dirigeants la saison dernière, Valenciennes vit des…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-valenciennes-grenoble-analyse-cotes-et-prono-du-match-de-ligue-2-507148.html", + "creator": "SO FOOT", + "pubDate": "2021-11-19T00:45:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ca52c8c2287ea0fed4bcb5838361833a" + }, + { + "title": "Pronostic Lazio Juventus : Analyse, cotes et prono du match de Serie A", + "description": "

    La Lazio résiste à la Juve

    \n
    \nCe samedi dans le cadre de la 13e journée de Premier League, la Lazio reçoit la Juventus Turin. Les hommes de…
    ", + "content": "

    La Lazio résiste à la Juve

    \n
    \nCe samedi dans le cadre de la 13e journée de Premier League, la Lazio reçoit la Juventus Turin. Les hommes de…
    ", + "category": "", + "link": "https://www.sofoot.com/pronostic-lazio-juventus-analyse-cotes-et-prono-du-match-de-serie-a-507147.html", + "creator": "SO FOOT", + "pubDate": "2021-11-18T23:44:00Z", + "folder": "00.03 News/Sport - FR", + "feed": "SoFoot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4b4d955df6c98e30934f4a80abc0d288" + } + ], + "folder": "00.03 News/Sport - FR", + "name": "SoFoot", + "language": "fr", + "hash": "34481497e90bc38e67ca4f7307f04617" + }, + { + "title": "BBC News - World", + "subtitle": "", + "link": "https://www.bbc.co.uk/news/", + "image": "https://news.bbcimg.co.uk/nol/shared/img/bbc_news_120x60.gif", + "description": "BBC News - World", + "items": [ + { + "title": "Channel tragedy: French authorities identify 26 victims", + "description": "Sixteen Kurdish people, including two friends from Iraq, were among those who perished last month.", + "content": "Sixteen Kurdish people, including two friends from Iraq, were among those who perished last month.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59650239?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 14:59:50 GMT", + "pubDate": "Tue, 14 Dec 2021 18:00:55 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -73967,19 +79361,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4864e1c021a9a108d4797d89af2322d4" + "hash": "81fd76b32490e4c385ff19d9123a7603" }, { - "title": "WHO: ‘Omicron is a variant of concern, not panic’", - "description": "The world needs to be alert but not overreact, the World Health Organization’s spokesperson says.", - "content": "The world needs to be alert but not overreact, the World Health Organization’s spokesperson says.", + "title": "Covid: Omicron probably in most countries, WHO says", + "description": "The heavily mutated coronavirus variant is spreading at an unprecedented rate, the WHO's head warns.", + "content": "The heavily mutated coronavirus variant is spreading at an unprecedented rate, the WHO's head warns.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59490786?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59656385?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 01 Dec 2021 15:28:27 GMT", + "pubDate": "Tue, 14 Dec 2021 19:38:40 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -73987,19 +79382,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4aa101c7b89aa333f4433922c0855a24" + "hash": "6016d509de99435d60bd8596480e5d85" }, { - "title": "Michigan school shooting: Worst kind of tragedy, says sheriff", - "description": "Watch the Oakland County sheriff give details of the shooting, where three pupils were killed.", - "content": "Watch the Oakland County sheriff give details of the shooting, where three pupils were killed.", + "title": "Kentucky tornadoes: I spent my 40th birthday trapped under rubble", + "description": "Kyanna Parsons-Perez never imagined that her 40th birthday would be spent pinned to the floor of the Mayfield candle factory.", + "content": "Kyanna Parsons-Perez never imagined that her 40th birthday would be spent pinned to the floor of the Mayfield candle factory.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59488472?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59659513?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 01 Dec 2021 08:54:31 GMT", + "pubDate": "Tue, 14 Dec 2021 19:57:23 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74007,19 +79403,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e85c3e1762f288313ede2a4ffc11f343" + "hash": "287a8da7c59dbd02133c8b61024759e0" }, { - "title": "HGV shortages: Why European drivers don't want to come back to the UK", - "description": "Lorry drivers say more investment is needed to make the UK industry more attractive to workers.", - "content": "Lorry drivers say more investment is needed to make the UK industry more attractive to workers.", + "title": "Phillip Adams: Ex-NFL player who shot six dead had CTE brain disease", + "description": "US footballer Phillip Adams' brain showed evidence of damage linked to repeated head trauma.", + "content": "US footballer Phillip Adams' brain showed evidence of damage linked to repeated head trauma.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59477100?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59658661?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 01 Dec 2021 00:00:58 GMT", + "pubDate": "Tue, 14 Dec 2021 18:40:31 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74027,19 +79424,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c18148df285d0b7888e8d9aada9a8396" + "hash": "532bcc281b0bdedde81f19e437e401c3" }, { - "title": "Roe v Wade: How a Mississippi legal challenge could upend abortion rights", - "description": "The Supreme Court is being asked to overturn the 1973 ruling that legalised abortion in the US.", - "content": "The Supreme Court is being asked to overturn the 1973 ruling that legalised abortion in the US.", + "title": "Malta becomes first EU nation to legalise cannabis", + "description": "The landmark move is expected to be followed by more European countries.", + "content": "The landmark move is expected to be followed by more European countries.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59486375?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59660856?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 01 Dec 2021 01:21:05 GMT", + "pubDate": "Tue, 14 Dec 2021 21:14:28 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74047,19 +79445,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "4709ff5ab0834341f168f915ba37ade5" + "hash": "c8de95b7cc75d54091317e902e6ed9d7" }, { - "title": "Four dead as storm tears through Turkey", - "description": "Strong winds hit the country's western coast, destroying buildings and blowing ships ashore.", - "content": "Strong winds hit the country's western coast, destroying buildings and blowing ships ashore.", + "title": "Belarus: Opposition leader Tikhanovsky jailed for 18 years over protests", + "description": "Sergei Tikhanovsky, a former presidential candidate, is convicted after a trial condemned as a sham.", + "content": "Sergei Tikhanovsky, a former presidential candidate, is convicted after a trial condemned as a sham.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59484633?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59650238?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 19:55:28 GMT", + "pubDate": "Tue, 14 Dec 2021 18:10:17 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74067,19 +79466,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c09b35f50bdf25c110a23c997efdb6ef" + "hash": "7ba812f3e1f5302dac0debba67b9447b" }, { - "title": "Covid: WHO urges those at risk from disease to delay travel over Omicron", - "description": "It urges those who are unwell and the over-60s to delay international travel because of the Omicron variant.", - "content": "It urges those who are unwell and the over-60s to delay international travel because of the Omicron variant.", + "title": "Russia told to pay compensation to woman whose hands were cut off", + "description": "Europe's top human rights court says authorities failed to protect her against domestic violence.", + "content": "Europe's top human rights court says authorities failed to protect her against domestic violence.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59484773?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59659543?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 20:48:44 GMT", + "pubDate": "Tue, 14 Dec 2021 19:16:43 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74087,19 +79487,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "079d7bcb9bef647d1c081338f58e5c4d" + "hash": "7fa77f41fbf9aacbb58d3afd624f6614" }, { - "title": "Ghislaine Maxwell: Epstein pilot testifies he flew Prince Andrew", - "description": "The paedophile financier's pilot tells a court he also flew Bill Clinton and Donald Trump on the jet.", - "content": "The paedophile financier's pilot tells a court he also flew Bill Clinton and Donald Trump on the jet.", + "title": "Toronto police release video of 'suspect' in billionaires' 2017 murders", + "description": "Barry and Honey Sherman were found dead at home four years ago, but police have made no arrests.", + "content": "Barry and Honey Sherman were found dead at home four years ago, but police have made no arrests.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59484332?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59657761?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 19:53:37 GMT", + "pubDate": "Tue, 14 Dec 2021 17:52:59 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74107,19 +79508,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "48b3e26653eb2bcd7eb98e4a32d53458" + "hash": "69f8fa4a34f5ffbe297f1262733bc1b3" }, { - "title": "Mike Pence asks Supreme Court to overturn abortion rights", - "description": "The former vice-president speaks on the eve of the most important abortion case in years at the top US court.", - "content": "The former vice-president speaks on the eve of the most important abortion case in years at the top US court.", + "title": "Haiti fuel tanker blast kills dozens in Cap-Haïtien", + "description": "The victims had been gathering leaking fuel from a vehicle involved in an accident, reports say.", + "content": "The victims had been gathering leaking fuel from a vehicle involved in an accident, reports say.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59480917?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59650802?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:27:54 GMT", + "pubDate": "Tue, 14 Dec 2021 16:32:09 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74127,19 +79529,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd2b5e06cbfae4d7f0e81299a3468cb9" + "hash": "08f185a5b030b2c8787aa3c666318634" }, { - "title": "Lesotho ex-PM Thomas Thabane charged with murdering wife", - "description": "Thomas Thabane denies organising the killing of his estranged wife.", - "content": "Thomas Thabane denies organising the killing of his estranged wife.", + "title": "Trump's son urged father to intervene in 6 January Capitol riot", + "description": "Donald Trump Jr urged his father's aides to get the ex-president to stop the mob, text messages show.", + "content": "Donald Trump Jr urged his father's aides to get the ex-president to stop the mob, text messages show.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59482050?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59650800?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 17:17:06 GMT", + "pubDate": "Tue, 14 Dec 2021 18:44:23 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74147,39 +79550,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "94d23030675eb2c0a3ff1c499e4685de" + "hash": "52e38785b4a7e16f0b26063f6cea14ea" }, { - "title": "Barbados: Rihanna made national hero as island becomes republic", - "description": "The artist and businesswoman is honoured at an event marking Barbados' new status as a republic.", - "content": "The artist and businesswoman is honoured at an event marking Barbados' new status as a republic.", + "title": "Congolese rumba wins Unesco protected status", + "description": "The music and dance style from the two Congos is a fundamental part of the countries' identities.", + "content": "The music and dance style from the two Congos is a fundamental part of the countries' identities.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59473586?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59645087?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 07:35:43 GMT", + "pubDate": "Tue, 14 Dec 2021 17:04:47 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db74edece6c8d1ec91cefa0cdf9d95c8" + "hash": "a523623cdd5c7fa84874355b0bb030e5" }, { - "title": "Emma Coronel: Wife of kingpin El Chapo sentenced to three years", - "description": "Emma Coronel Aispuro pleaded guilty to conspiracy and drug charges in June", - "content": "Emma Coronel Aispuro pleaded guilty to conspiracy and drug charges in June", + "title": "Arctic heat record is like Mediterranean, says UN", + "description": "The highest temperature recorded in the region last year - 38C (100F) - is officially confirmed.", + "content": "The highest temperature recorded in the region last year - 38C (100F) - is officially confirmed.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59484382?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/science-environment-59649066?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 20:14:19 GMT", + "pubDate": "Tue, 14 Dec 2021 15:05:33 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74187,19 +79592,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d2218b75085f8c0e318ac1b8bc31e0e" + "hash": "1b403847dda23fc8bf4ff802364bb242" }, { - "title": "Yazidi genocide: IS member found guilty in German landmark trial", - "description": "Taha al-Jumailly is jailed by a German court for crimes including the murder of a young Yazidi girl.", - "content": "Taha al-Jumailly is jailed by a German court for crimes including the murder of a young Yazidi girl.", + "title": "Apology to US teachers over 'dash for cash' charity stunt", + "description": "The US bank that donated the cash said they will give more after the \"degrading and insulting\" event.", + "content": "The US bank that donated the cash said they will give more after the \"degrading and insulting\" event.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59474616?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59646803?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:48:22 GMT", + "pubDate": "Tue, 14 Dec 2021 00:42:17 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74207,19 +79613,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "388bd60e9e0b58972633b515ae97ba70" + "hash": "7ef1383cbf67c125dba8900567296d54" }, { - "title": "Covid: Greece to fine over-60s who refuse Covid-19 vaccine", - "description": "Fines of €100 (£85) will be imposed from mid-January, with the money going towards healthcare.", - "content": "Fines of €100 (£85) will be imposed from mid-January, with the money going towards healthcare.", + "title": "How much does the diplomatic boycott of Beijing 2022 matter?", + "description": "The Winter Olympics have been hit by a flurry of protests from governments in the West.", + "content": "The Winter Olympics have been hit by a flurry of protests from governments in the West.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59474808?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59646231?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 17:19:35 GMT", + "pubDate": "Mon, 13 Dec 2021 22:11:36 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74227,19 +79634,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "550682319ed29fd9dfd7bd671f3025a4" + "hash": "3e6b465bc449241c7b890abf09181a4c" }, { - "title": "Italian football fan banned for 'slapping' journalist live on TV", - "description": "Greta Beccaglia reported the man to the police after the incident outside a stadium in Florence.", - "content": "Greta Beccaglia reported the man to the police after the incident outside a stadium in Florence.", + "title": "Sex and cancer: 'I was ashamed to ask for help'", + "description": "Cait didn't know why it hurt to masturbate after her treatment - and didn't know who to ask.", + "content": "Cait didn't know why it hurt to masturbate after her treatment - and didn't know who to ask.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59478152?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/newsbeat-59461807?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 19:21:42 GMT", + "pubDate": "Tue, 14 Dec 2021 01:19:14 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74247,39 +79655,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "b366420044db94848ee3da4c6fe818e0" + "hash": "8bd689dcd4dcadac312b2e783a0e81e3" }, { - "title": "Dutch Covid: Couple win freedom from Omicron quarantine in TB ward", - "description": "A couple who fled an isolation hotel in the Netherlands are told they can now go home.", - "content": "A couple who fled an isolation hotel in the Netherlands are told they can now go home.", + "title": "Miami is banking on cryptocurrency and New York wants in", + "description": "MiamiCoin and NYCCoin are experiments designed to put these cities on the cryptocurrency map.", + "content": "MiamiCoin and NYCCoin are experiments designed to put these cities on the cryptocurrency map.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59473067?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59522532?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:43:01 GMT", + "pubDate": "Tue, 14 Dec 2021 01:20:09 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f0f1197540b8085482b35e7feac21c9" + "hash": "496e25349fbc7f19036a8bb10d3a1da9" }, { - "title": "Adele announces Las Vegas residency", - "description": "The singer will perform at Caesars Palace Hotel, with shows running from 21 January next year.", - "content": "The singer will perform at Caesars Palace Hotel, with shows running from 21 January next year.", + "title": "Record numbers of young Guatemalans migrate north, leaving families in limbo", + "description": "Chasing economic opportunity, record numbers of young Central Americans are braving the journey north.", + "content": "Chasing economic opportunity, record numbers of young Central Americans are braving the journey north.", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59473984?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59612806?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:27:24 GMT", + "pubDate": "Tue, 14 Dec 2021 01:21:31 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74287,19 +79697,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7d67fb745a07757df1854c57b61427c" + "hash": "51db092320edde835c32e6aace37ff23" }, { - "title": "Leaked papers link top Chinese leaders to Uyghur crackdown", - "description": "They show speeches by Xi Jinping and others which led to Uyghurs' mass internment and forced labour.", - "content": "They show speeches by Xi Jinping and others which led to Uyghurs' mass internment and forced labour.", + "title": "Nagaland killings: Anger grows after Indian army’s botched ambush", + "description": "Locals in Nagaland state demand government action after troops shot dead 14 civilians.", + "content": "Locals in Nagaland state demand government action after troops shot dead 14 civilians.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59456541?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59634192?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 08:09:52 GMT", + "pubDate": "Tue, 14 Dec 2021 00:48:51 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74307,39 +79718,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a6e0a4fc26d51c13c6421109b7ae15c" + "hash": "adee5246f2ac08b6f1ea4e2297f10f48" }, { - "title": "France issues arrest warrant over Japan 'parental kidnap'", - "description": "Vincent Fichot says his Japanese wife disappeared from the family home with his two children in 2018.", - "content": "Vincent Fichot says his Japanese wife disappeared from the family home with his two children in 2018.", + "title": "Saudi Arabia allows free thinkers to talk to students", + "description": "Young men and women meet leading philosophers in a country criticised for intolerance of dissent.", + "content": "Young men and women meet leading philosophers in a country criticised for intolerance of dissent.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59474807?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59609233?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 10:58:08 GMT", + "pubDate": "Tue, 14 Dec 2021 01:25:56 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1f9df0a4e618ab2b9aa0b29606dbf7c8" + "hash": "fb9d3c6079b25e97c794c38a6dff79c2" }, { - "title": "Dozens of former Afghan forces killed or disappeared by Taliban, rights group says", - "description": "Human Rights Watch says more than 100 former Afghan personnel have been killed or have disappeared.", - "content": "Human Rights Watch says more than 100 former Afghan personnel have been killed or have disappeared.", + "title": "The ultra-violent cult that became a global mafia", + "description": "A BBC investigation into Black Axe has unearthed new evidence of political infiltration, and a scamming and killing operation spanning the globe.", + "content": "A BBC investigation into Black Axe has unearthed new evidence of political infiltration, and a scamming and killing operation spanning the globe.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59474965?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59614595?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 11:39:48 GMT", + "pubDate": "Mon, 13 Dec 2021 00:01:43 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74347,19 +79760,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba97c41c0a7c072b9350658a1287f7b7" + "hash": "d7bdc3f127ceb1d443ebb4793ec2e7c8" }, { - "title": "China surveillance of journalists to use 'traffic-light' system", - "description": "Documents detail how one province is making a facial-recognition system to spot \"people of concern\".", - "content": "Documents detail how one province is making a facial-recognition system to spot \"people of concern\".", + "title": "Hong Kong elections: How China reshaped the city", + "description": "The city's Legco polls look different this year thanks to new electoral and national security laws.", + "content": "The city's Legco polls look different this year thanks to new electoral and national security laws.", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59441379?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59645657?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:58:31 GMT", + "pubDate": "Tue, 14 Dec 2021 00:05:51 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74367,19 +79781,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb0d03c5d9f2371da2de03d5959f4489" + "hash": "741f32946284eb72600d0ef68262c95e" }, { - "title": "Venezuelan migrants seeking a new home in Chile", - "description": "Tens of thousands of Venezuelans escaping poverty and violence at home are risking their lives to travel south to Chile.", - "content": "Tens of thousands of Venezuelans escaping poverty and violence at home are risking their lives to travel south to Chile.", + "title": "Ros Atkins on... the Lewis Hamilton and Max Verstappen F1 title drama", + "description": "Max Verstappen was crowned F1 world champion, after winning the Abu Dhabi Grand Prix.", + "content": "Max Verstappen was crowned F1 world champion, after winning the Abu Dhabi Grand Prix.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59438026?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59645658?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 00:04:34 GMT", + "pubDate": "Mon, 13 Dec 2021 23:37:29 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74387,19 +79802,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "111bf42514c617aacb718ac7c36f0918" + "hash": "f45cde4737223c56647d27a9bc6769a6" }, { - "title": "Joseph Kabila and DR Congo's missing millions", - "description": "Millions of dollars of public funds went through bank accounts of ex-President Joseph Kabila's allies, BBC Africa Eye reveals.", - "content": "Millions of dollars of public funds went through bank accounts of ex-President Joseph Kabila's allies, BBC Africa Eye reveals.", + "title": "Tom Holland: 'There are kids who look up to Spider-Man'", + "description": "Spider-Man: No Way Home is Tom Holland's third solo film and his sixth as part of the Avengers.", + "content": "Spider-Man: No Way Home is Tom Holland's third solo film and his sixth as part of the Avengers.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59436588?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59645557?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 00:16:40 GMT", + "pubDate": "Tue, 14 Dec 2021 00:06:57 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74407,19 +79823,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "55147ba68472b3cf7d7fd9f10a21b056" + "hash": "5b965eb22cb9bcaf0b74b39ab927d638" }, { - "title": "Iran nuclear deal: What key players want from talks", - "description": "The competing ambitions of the countries involved make success a long shot, writes Jonathan Marcus.", - "content": "The competing ambitions of the countries involved make success a long shot, writes Jonathan Marcus.", + "title": "Kentucky tornadoes: 100-year-old church destroyed in seconds", + "description": "The BBC's Nomia Iqbal shows us the ruins of the Mayfield First United Methodist Church in Kentucky.", + "content": "The BBC's Nomia Iqbal shows us the ruins of the Mayfield First United Methodist Church in Kentucky.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59435615?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59631837?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 22:43:18 GMT", + "pubDate": "Sun, 12 Dec 2021 22:25:36 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74427,19 +79844,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f45ff03b7abf2184895dd015bc21553" + "hash": "51c13c3ac58fe30824d28f770f397574" }, { - "title": "Gay and Muslim: Family wanted to 'make me better'", - "description": "Asad struggled with his mental health and suicidal thoughts when he came out to his religious family.", - "content": "Asad struggled with his mental health and suicidal thoughts when he came out to his religious family.", + "title": "Howard University: Why these students slept out in tents on campus for weeks", + "description": "After reports of mould and rodents in dorms, protesters at Howard University took over a campus building.", + "content": "After reports of mould and rodents in dorms, protesters at Howard University took over a campus building.", "category": "", - "link": "https://www.bbc.co.uk/news/newsbeat-59320090?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59613217?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 00:02:33 GMT", + "pubDate": "Mon, 13 Dec 2021 00:01:25 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74447,19 +79865,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "38ac3bf7efcd127bebe38a071142e195" + "hash": "55dfda5032a7875da1bf0b7653690ca7" }, { - "title": "Man rescued after 22 hours adrift off Japan coast", - "description": "Watch the moment rescuers reach the 69-year-old, whose boat capsized in stormy waters.", - "content": "Watch the moment rescuers reach the 69-year-old, whose boat capsized in stormy waters.", + "title": "Amazon criticised over safety at tornado-hit warehouse", + "description": "The firm said events happened quickly at the Illinois site and it was \"deeply saddened\" by the deaths.", + "content": "The firm said events happened quickly at the Illinois site and it was \"deeply saddened\" by the deaths.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59477186?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59641784?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:38:35 GMT", + "pubDate": "Mon, 13 Dec 2021 23:34:15 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74467,19 +79886,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2d1cf3a4712a3f39e6829a47ccd67932" + "hash": "afb8d1a03c6c6ca4135ac7716774f1b9" }, { - "title": "Yemen: The children haunted by 'ghosts' of war", - "description": "BBC Middle East editor Jeremy Bowen meets terrified families running from civil war in Yemen.", - "content": "BBC Middle East editor Jeremy Bowen meets terrified families running from civil war in Yemen.", + "title": "Two detained after UK boat's fatal collision off Sweden", + "description": "One person is dead and one missing on a Danish boat after a collision with a UK vessel off Sweden.", + "content": "One person is dead and one missing on a Danish boat after a collision with a UK vessel off Sweden.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59464760?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59633882?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 00:10:18 GMT", + "pubDate": "Mon, 13 Dec 2021 16:56:03 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74487,39 +79907,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "b19b542b1c2bb4a0dcb3c32439dd7598" + "hash": "4e224a4d7cca075a56a66735ac321c81" }, { - "title": "Why France is declaring Josephine Baker a national hero", - "description": "Josephine Baker is the first black woman to be remembered in the resting place of France’s national heroes.", - "content": "Josephine Baker is the first black woman to be remembered in the resting place of France’s national heroes.", + "title": "Larry Nassar abuse survivors to receive $380m settlement", + "description": "Hundreds of women abused by the ex-US gymnastics team doctor reach a settlement with USA Gymnastics.", + "content": "Hundreds of women abused by the ex-US gymnastics team doctor reach a settlement with USA Gymnastics.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59468682?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59645647?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 00:05:31 GMT", + "pubDate": "Mon, 13 Dec 2021 20:58:36 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6cdd5b1b477c03bc23a3510e1037e4c" + "hash": "1573dd3ebc545e575a51065fa313ebdb" }, { - "title": "China: Moment North Korean inmate breaks out of prison", - "description": "Zhu Xianjian was seen vaulting over an electric fence metres above the ground.", - "content": "Zhu Xianjian was seen vaulting over an electric fence metres above the ground.", + "title": "Srinagar: Three dead, 11 injured in militant attack on police bus", + "description": "Three militants fired at a bus carrying policemen in capital Srinagar on Monday, officials said.", + "content": "Three militants fired at a bus carrying policemen in capital Srinagar on Monday, officials said.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59457607?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59647425?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:04:29 GMT", + "pubDate": "Tue, 14 Dec 2021 08:27:28 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74527,19 +79949,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a6fbd49275992854f7c434455f086df" + "hash": "5010feecc5a23f57273ea6acbf9ea701" }, { - "title": "Covid: Omicron variant in Netherlands earlier than thought", - "description": "The new Covid-19 variant is found in Dutch samples taken before it was reported by South Africa.", - "content": "The new Covid-19 variant is found in Dutch samples taken before it was reported by South Africa.", + "title": "Canada offers up to $40bn to compensate indigenous children", + "description": "It comes after a lengthy legal battle over the abuse of native children held in government care.", + "content": "It comes after a lengthy legal battle over the abuse of native children held in government care.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59473131?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59602955?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:03:21 GMT", + "pubDate": "Tue, 14 Dec 2021 00:29:07 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74547,19 +79970,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1999f71cae9d3490b5563c16ea31fd90" + "hash": "d368b6058b0cf3e2a7e72afaf8126633" }, { - "title": "Australian parliament: One in three workers sexually harassed, says report", - "description": "Canberra's workplace culture has left a \"trail of devastation\" for women especially, a review finds.", - "content": "Canberra's workplace culture has left a \"trail of devastation\" for women especially, a review finds.", + "title": "Pentagon: No US troops to be punished for Afghan drone strike", + "description": "It follows a Pentagon review of the attack that killed an aid worker and nine of his family members.", + "content": "It follows a Pentagon review of the attack that killed an aid worker and nine of his family members.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59472194?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59647065?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 30 Nov 2021 06:13:27 GMT", + "pubDate": "Tue, 14 Dec 2021 02:14:01 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74567,19 +79991,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d803d3302dae946aeb389165ef48215a" + "hash": "6ade87b073daa06d847265dd361e6a48" }, { - "title": "Channel disaster: A father's anguish, a missing family", - "description": "Rizgar Hussein hasn't heard from his family since the Channel disaster on Wednesday.", - "content": "Rizgar Hussein hasn't heard from his family since the Channel disaster on Wednesday.", + "title": "Global supply chain: Toyota extends Japan production stoppages", + "description": "The carmaker said components plants in South East Asia had faced disruptions due to the pandemic.", + "content": "The carmaker said components plants in South East Asia had faced disruptions due to the pandemic.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59455685?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59646699?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 23:53:15 GMT", + "pubDate": "Tue, 14 Dec 2021 04:31:34 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74587,19 +80012,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a2fcc5a864ed2811feb9617647c6883" + "hash": "a60973b03df603bf3c463f88ce0180cb" }, { - "title": "The migrants returned to Iraqi camps from Belarus", - "description": "One family returns to the same camp they had lived in for seven years before trying to reach Europe.", - "content": "One family returns to the same camp they had lived in for seven years before trying to reach Europe.", + "title": "Kim Kardashian passes California 'baby bar' law exam", + "description": "The reality TV star and businesswoman says \"don't ever give up\" after passing on her fourth attempt.", + "content": "The reality TV star and businesswoman says \"don't ever give up\" after passing on her fourth attempt.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59438028?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59642262?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:01:13 GMT", + "pubDate": "Mon, 13 Dec 2021 19:05:05 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74607,39 +80033,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "317ed3d16460f4bb48b9766a028f6833" + "hash": "15121c64e448eaf7112fdab02e840f01" }, { - "title": "Covid Omicron: No need to panic, South African minister says", - "description": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", - "content": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", + "title": "How to make electricity for your neighbours", + "description": "Sick of waiting for electricity to reach his home, a Kenyan man built his own power plant", + "content": "Sick of waiting for electricity to reach his home, a Kenyan man built his own power plant", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59463879?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/stories-59635134?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 17:14:53 GMT", + "pubDate": "Tue, 14 Dec 2021 01:14:09 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8dc238388a6f1c9996b52336b00d583a" + "hash": "a6c6d18d823b6c32ce8effd74bdfda14" }, { - "title": "Twitter co-founder Jack Dorsey steps down as chief executive", - "description": "Twitter co-founder Jack Dorsey steps down from leading the company, saying he's \"ready to move on\".", - "content": "Twitter co-founder Jack Dorsey steps down from leading the company, saying he's \"ready to move on\".", + "title": "Golden Globes: Belfast and The Power of the Dog lead field for troubled awards", + "description": "The Power of the Dog, starring Benedict Cumberbatch, and Sir Kenneth Branagh's Belfast lead the race.", + "content": "The Power of the Dog, starring Benedict Cumberbatch, and Sir Kenneth Branagh's Belfast lead the race.", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59465747?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59635607?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:57:43 GMT", + "pubDate": "Mon, 13 Dec 2021 15:21:08 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74647,19 +80075,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "63e47d689c2de8d37e9848cc1bfffc5b" + "hash": "74ba2357254720aaffa87eba922235df" }, { - "title": "Ghislaine Maxwell's sex-trafficking trial begins in New York City", - "description": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", - "content": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", + "title": "Kentucky tornadoes: Rebuilding lives from 'hell on Earth'", + "description": "Residents in the US state are sifting through the rubble that was once a town.", + "content": "Residents in the US state are sifting through the rubble that was once a town.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59455605?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59632356?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:36:30 GMT", + "pubDate": "Mon, 13 Dec 2021 05:38:40 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74667,19 +80096,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a1890d54d221198a4f586cfd3c74ddc" + "hash": "75cc8404b8bd9322e28b258e5960969e" }, { - "title": "Covid: Dutch police arrest quarantine hotel escapees", - "description": "Police say the arrests were made on a plane in Amsterdam's airport before take-off to Spain on Sunday.", - "content": "Police say the arrests were made on a plane in Amsterdam's airport before take-off to Spain on Sunday.", + "title": "Srinagar: Two dead, 14 injured in attack on police bus", + "description": "Militants attacked a bus carrying policemen in Srinagar city on Monday evening, officials said.", + "content": "Militants attacked a bus carrying policemen in Srinagar city on Monday evening, officials said.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59456332?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59647425?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:36:15 GMT", + "pubDate": "Tue, 14 Dec 2021 03:54:42 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74687,19 +80117,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1ae2739b49d637a70d7b15dc7b93108" + "hash": "68c31dad24d6f89033c89d94b60055aa" }, { - "title": "Magdalena Andersson: Sweden's first female PM returns after resignation", - "description": "Magdalena Andersson is backed by MPs again, despite standing down last week hours into the job.", - "content": "Magdalena Andersson is backed by MPs again, despite standing down last week hours into the job.", + "title": "Kentucky tornadoes: Race to find missing in flattened US towns", + "description": "Search efforts continue as families await news of loved ones following Kentucky's deadly tornadoes.", + "content": "Search efforts continue as families await news of loved ones following Kentucky's deadly tornadoes.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59459733?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59637898?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:14:47 GMT", + "pubDate": "Mon, 13 Dec 2021 15:18:09 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74707,19 +80138,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f042ef710cb5be2c1caf9831bbe4d048" + "hash": "980d32456a9f4f64521f93aedd887ece" }, { - "title": "Oscar Pistorius: Reeva Steenkamp's parents to meet her killer", - "description": "The ex-Paralympian is moved to a prison close to the parents of the woman he killed eight years ago.", - "content": "The ex-Paralympian is moved to a prison close to the parents of the woman he killed eight years ago.", + "title": "'It's the definition of hell on Earth'", + "description": "Residents in the US state are sifting through the rubble that was once a town.", + "content": "Residents in the US state are sifting through the rubble that was once a town.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59458460?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59632356?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 10:35:25 GMT", + "pubDate": "Mon, 13 Dec 2021 05:38:40 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74727,19 +80159,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "c781d9ac027d7bada03c789f2702029a" + "hash": "df74d09e9197c691efdea0e2dcd01f21" }, { - "title": "Virgil Abloh: How he 'helped black people dream in fashion'", - "description": "Radio 1 Newsbeat has been speaking to people about the legacy Virgil Abloh leaves behind.", - "content": "Radio 1 Newsbeat has been speaking to people about the legacy Virgil Abloh leaves behind.", + "title": "Italy: Seven dead as rescuers find bodies in Sicily blast", + "description": "Rescuers are still searching for two missing people in the rubble of four collapsed buildings.", + "content": "Rescuers are still searching for two missing people in the rubble of four collapsed buildings.", "category": "", - "link": "https://www.bbc.co.uk/news/newsbeat-59414088?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59636399?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:05:36 GMT", + "pubDate": "Mon, 13 Dec 2021 11:12:58 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74747,19 +80180,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf9a4326ac395de1b4aac5c32ef812bd" + "hash": "f8216515b20635f19e4e79d40ebebadf" }, { - "title": "Jussie Smollett: Jury selection begins in actor’s trial", - "description": "The actor is accused of staging an attack on himself in 2019 as a publicity stunt, which he denies.", - "content": "The actor is accused of staging an attack on himself in 2019 as a publicity stunt, which he denies.", + "title": "Canada apologises for 'scourge' of military sexual misconduct", + "description": "Eleven of Canada's top brass have been removed from their posts in connection with sexual misconduct.", + "content": "Eleven of Canada's top brass have been removed from their posts in connection with sexual misconduct.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59439796?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59632657?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 15:37:54 GMT", + "pubDate": "Mon, 13 Dec 2021 20:32:46 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74767,19 +80201,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b71fffbe1024276260be0d67d25d453d" + "hash": "f754fa38b2a434a96a7ce153f4488838" }, { - "title": "Enes Kanter Freedom: NBA star changes name to celebrate US citizenship", - "description": "Outspoken Boston Celtics basketball player Enes Kanter will add 'Freedom' to his name.", - "content": "Outspoken Boston Celtics basketball player Enes Kanter will add 'Freedom' to his name.", + "title": "Russia explosion: Teen detonates device at Orthodox convent school", + "description": "A number of people were injured after the blast at an Orthodox school near a nunnery outside Moscow.", + "content": "A number of people were injured after the blast at an Orthodox school near a nunnery outside Moscow.", "category": "", - "link": "https://www.bbc.co.uk/news/59439797?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59636123?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:34:51 GMT", + "pubDate": "Mon, 13 Dec 2021 14:43:48 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74787,19 +80222,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e243df82d9cc114dc5f2c9186d75821e" + "hash": "89bdde5f50d9a610a8356424d9aff9c4" }, { - "title": "Honduras election: Opposition candidate Castro in the lead", - "description": "Early results give the left-wing opposition a strong lead, but the governing party has not conceded.", - "content": "Early results give the left-wing opposition a strong lead, but the governing party has not conceded.", + "title": "Koffi Olomidé cleared of rape but convicted of holding dancers", + "description": "A French court clears Koffi Olomidé of rape but convicts him of holding four dancers against their will.", + "content": "A French court clears Koffi Olomidé of rape but convicts him of holding four dancers against their will.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59459660?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59645081?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 11:24:57 GMT", + "pubDate": "Mon, 13 Dec 2021 19:27:42 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74807,19 +80243,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "88600fe4a9792b534cde73a443b73403" + "hash": "3ec6573e098954702b57620f04031080" }, { - "title": "China: North Korea fugitive captured after 40-day manhunt", - "description": "The defector had been on the run after staging a daring escape from a Chinese prison.", - "content": "The defector had been on the run after staging a daring escape from a Chinese prison.", + "title": "Inger Stoejberg: Jail for Danish ex-minister for asylum separations", + "description": "Inger Stoejberg faces 60 days in prison for separating young asylum-seeking couples in 2016.", + "content": "Inger Stoejberg faces 60 days in prison for separating young asylum-seeking couples in 2016.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59456540?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59636124?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 06:58:18 GMT", + "pubDate": "Mon, 13 Dec 2021 14:44:01 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74827,19 +80264,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f7dd82ef77f7e05f86823e9f06c035b9" + "hash": "14bf624291a6d1acd0e01b8596a9e6b6" }, { - "title": "Tanzania: Seven die in Zanzibar after eating poisonous turtle meat", - "description": "The meat is a delicacy for some in Tanzania but the authorities have now banned its consumption.", - "content": "The meat is a delicacy for some in Tanzania but the authorities have now banned its consumption.", + "title": "France resists US challenge to its values", + "description": "The government is fighting back at what it sees as imported cultural ideas from the UK and US.", + "content": "The government is fighting back at what it sees as imported cultural ideas from the UK and US.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59458466?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59584125?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:17:36 GMT", + "pubDate": "Mon, 13 Dec 2021 00:20:39 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74847,19 +80285,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "aeb8dd846052b3d99d8158e18423fabd" + "hash": "cfab3ca07a0c0e1f590077c5a49a29c2" }, { - "title": "US and Iran seek to break impasse at talks on reviving nuclear deal", - "description": "Iran's nuclear advances adds air of urgency as sides meet in Vienna after months-long pause.", - "content": "Iran's nuclear advances adds air of urgency as sides meet in Vienna after months-long pause.", + "title": "Omicron: India aims to avoid 'pandemic roulette'", + "description": "A virology institute boss says India will see a third wave \"depending on how warmly we invite it\".", + "content": "A virology institute boss says India will see a third wave \"depending on how warmly we invite it\".", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59386825?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59612846?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 00:03:55 GMT", + "pubDate": "Sun, 12 Dec 2021 23:41:39 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74867,19 +80306,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "36efbb544e66373b6a569c0f1b1349c4" + "hash": "e3a0b3c83d46cdcfdc5c6e945f976779" }, { - "title": "Queen of Barbados - but just for one last day", - "description": "The island nation will remove Queen Elizabeth as head of state and swear in its first Barbadian president.", - "content": "The island nation will remove Queen Elizabeth as head of state and swear in its first Barbadian president.", + "title": "Mexico truck crash: 'I woke up 50 metres from the truck'", + "description": "A survivor of a crash that killed 54 speaks to the BBC about the people who did not survive.", + "content": "A survivor of a crash that killed 54 speaks to the BBC about the people who did not survive.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59458431?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59620096?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 09:02:46 GMT", + "pubDate": "Sun, 12 Dec 2021 00:02:48 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74887,19 +80327,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b856feddea8bfa69cc3770be1738b269" + "hash": "56457f58ca3117f6037ae98357acc580" }, { - "title": "Omicron: Is India ready for a third wave?", - "description": "Experts say the government needs to first fulfil its promises to boost the public health system.", - "content": "Experts say the government needs to first fulfil its promises to boost the public health system.", + "title": "The Nigerian woman whose life changed when she visited a leprosy colony", + "description": "A Nigerian woman living in the US never imagined that leprosy still existed in her home country.", + "content": "A Nigerian woman living in the US never imagined that leprosy still existed in her home country.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59344605?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59578223?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 03:32:01 GMT", + "pubDate": "Sun, 12 Dec 2021 00:35:37 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74907,19 +80348,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "95a63b3249dbf6879ea3653006d3b7fd" + "hash": "13033b23949382c3a47061a38e32f103" }, { - "title": "Omicron symptoms mild so far, says South African doctor who spotted it", - "description": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", - "content": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", + "title": "The priests navigating Colombia's conflict zones", + "description": "Catholic clergy are sometimes the only ones who can access areas where armed groups are active.", + "content": "Catholic clergy are sometimes the only ones who can access areas where armed groups are active.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59450988?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59506656?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 11:13:14 GMT", + "pubDate": "Sun, 12 Dec 2021 00:31:54 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74927,19 +80369,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a9ef8265537aaef73f55c42ff30371f5" + "hash": "4658174def7973b00485fe4d84e0592f" }, { - "title": "ICYMI: Smells like Christmas, confirms US First Lady", - "description": "Jill Biden's clearly feeling festive but here’s some other tree-mendous moments you may have missed this week.", - "content": "Jill Biden's clearly feeling festive but here’s some other tree-mendous moments you may have missed this week.", + "title": "Meth and heroin fuel Afghanistan drugs boom", + "description": "With a collapsing economy and severe drought, Afghanistan’s drug trade is on the rise.", + "content": "With a collapsing economy and severe drought, Afghanistan’s drug trade is on the rise.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59421912?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59608474?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:02:59 GMT", + "pubDate": "Sun, 12 Dec 2021 00:18:07 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74947,19 +80390,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "70f4878de88b66560201b929260010a6" + "hash": "bda94d028661659be0573e42e2270c89" }, { - "title": "Covid Omicron: No need to panic, South Africa minister says", - "description": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", - "content": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", + "title": "Your pictures on the theme of 'misty mornings'", + "description": "A selection of striking images from our readers around the world.", + "content": "A selection of striking images from our readers around the world.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59463879?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/in-pictures-59577949?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 14:46:29 GMT", + "pubDate": "Sun, 12 Dec 2021 00:13:28 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74967,19 +80411,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "ea17b371b15070def872f5162345acbe" + "hash": "648e7a45baa8b850fb85129b1522ee94" }, { - "title": "Twitter founder Jack Dorsey steps down as chief executive", - "description": "The founder and chief executive will step down from leading the company.", - "content": "The founder and chief executive will step down from leading the company.", + "title": "Kentucky tornadoes: Man returns to destroyed home", + "description": "This survivor shows us what's left of his house - and what he was able to retrieve from the rubble.", + "content": "This survivor shows us what's left of his house - and what he was able to retrieve from the rubble.", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59465747?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59632355?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 16:05:13 GMT", + "pubDate": "Mon, 13 Dec 2021 02:13:45 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -74987,19 +80432,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f291fcb08abc8ac8c1d213e12c3a3b07" + "hash": "1f758357cd4ab61b560e27aa49db2f83" }, { - "title": "Barbados prepares to cut ties with the Queen", - "description": "Watch as we travel to the island to find out what Barbadians make of the move.", - "content": "Watch as we travel to the island to find out what Barbadians make of the move.", + "title": "Aerials show aftermath of deadly Kentucky tornadoes", + "description": "More than 70 people died in Kentucky in Friday night's storms, including dozens in a candle factory.", + "content": "More than 70 people died in Kentucky in Friday night's storms, including dozens in a candle factory.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59438437?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59623946?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 05:01:20 GMT", + "pubDate": "Sat, 11 Dec 2021 22:55:15 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75007,39 +80453,41 @@ "favorite": false, "created": false, "tags": [], - "hash": "e7a2da79653117ad56ce7db2581d4154" + "hash": "49d2917fb92e90f15a05371599f45889" }, { - "title": "Pre-Inca mummy found in Peru", - "description": "Archaeologists think the mummy, found near Lima, could be up to 1,200 years old.", - "content": "Archaeologists think the mummy, found near Lima, could be up to 1,200 years old.", + "title": "Kentucky weatherman films tornado 'ground zero'", + "description": "Meteorologist Noah Bergren shows the BBC the \"utter devastation\" of the tornadoes in the town of Mayfield.", + "content": "Meteorologist Noah Bergren shows the BBC the \"utter devastation\" of the tornadoes in the town of Mayfield.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59446488?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/59623945?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 16:36:43 GMT", + "pubDate": "Sat, 11 Dec 2021 17:15:28 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5f42177c1492a1ca604becaa5a61584c" + "hash": "2c6341660813beae810cc90375dfbac4" }, { - "title": "Covid: South Africa's president calls for lifting of Omicron travel bans", - "description": "Cyril Ramaphosa says the action by countries including the UK and US is discriminatory and unnecessary.", - "content": "Cyril Ramaphosa says the action by countries including the UK and US is discriminatory and unnecessary.", + "title": "Tornado rips through Amazon warehouse: Drone footage shows destruction", + "description": "Tornadoes have ripped through several states killing dozens of people, authorities say.", + "content": "Tornadoes have ripped through several states killing dozens of people, authorities say.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59453842?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59621245?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 20:40:37 GMT", + "pubDate": "Sat, 11 Dec 2021 12:20:57 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75047,19 +80495,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "783c2d146070a86d145d4f8ed5a3cf61" + "hash": "e3ba7c3867fb0b98afe8e574667ef613" }, { - "title": "Ghislaine Maxwell's sex-trafficking trial to begin in New York City", - "description": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", - "content": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", + "title": "Harry Dunn crash: Anne Sacoolas to face Westminster magistrates", + "description": "Mrs Sacoolas returned to the US after diplomatic immunity was asserted on her behalf.", + "content": "Mrs Sacoolas returned to the US after diplomatic immunity was asserted on her behalf.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59455605?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/uk-england-northamptonshire-59643750?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 04:09:34 GMT", + "pubDate": "Mon, 13 Dec 2021 17:50:33 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75067,19 +80516,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc577ae88f5d28d41efbdda17a834e1b" + "hash": "a9360324eef1f61674abe21bf4ae06de" }, { - "title": "Oscar Pistorius set to meet victim Reeva Steenkamp's parents", - "description": "The ex-Paralympian is moved to a prison closer to the parents of the woman he killed, Reeva Steenkamp.", - "content": "The ex-Paralympian is moved to a prison closer to the parents of the woman he killed, Reeva Steenkamp.", + "title": "Police and migrants clash outside Mexico City", + "description": "The migrant caravan has been slowly winding its way through Mexico to the United States border.", + "content": "The migrant caravan has been slowly winding its way through Mexico to the United States border.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59458460?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59637370?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 10:35:25 GMT", + "pubDate": "Mon, 13 Dec 2021 12:30:20 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75087,19 +80537,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0efce318fcb1f02c312c475955542539" + "hash": "166d6b8560de4b0dfc6feabc9cc2ad8f" }, { - "title": "Channel disaster: A father's anguish over missing family since tragedy", - "description": "Rizgar Hussein has not spoken to his family since they boarded a boat across the Channel on Tuesday.", - "content": "Rizgar Hussein has not spoken to his family since they boarded a boat across the Channel on Tuesday.", + "title": "Israeli Prime Minister Bennett in first trip to UAE as Iran threat looms", + "description": "Naftali Bennett meets Abu Dhabi's crown prince at a time of rising tensions in the region.", + "content": "Naftali Bennett meets Abu Dhabi's crown prince at a time of rising tensions in the region.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59454243?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59636279?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 21:09:23 GMT", + "pubDate": "Mon, 13 Dec 2021 12:47:23 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75107,19 +80558,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b01c88aa10dbc0a598460e8451846113" + "hash": "cc585506d63b32f214bab3a44994a505" }, { - "title": "Macau casino shares fall after 'illegal gambling' arrests", - "description": "A prominent gambling industry figure in Macau is believed to be among those arrested.", - "content": "A prominent gambling industry figure in Macau is believed to be among those arrested.", + "title": "Cyril Ramaphosa: South Africa president being treated for Covid", + "description": "Cyril Ramaphosa started feeling unwell on Sunday and has delegated all responsibilities to his deputy.", + "content": "Cyril Ramaphosa started feeling unwell on Sunday and has delegated all responsibilities to his deputy.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59456143?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59635277?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 29 Nov 2021 06:39:59 GMT", + "pubDate": "Mon, 13 Dec 2021 14:37:05 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75127,19 +80579,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "f07ff87145a489543aa01d6f79f1a7a4" + "hash": "9836076619b62d077d2231b44534b25b" }, { - "title": "Virgil Abloh: Designer and Off-White founder dies aged 41", - "description": "Abloh, who was Louis Vuitton's artistic director, had been suffering from a rare form of cancer.", - "content": "Abloh, who was Louis Vuitton's artistic director, had been suffering from a rare form of cancer.", + "title": "Hong Kong: Media tycoon Jimmy Lai gets 13 months jail for Tiananmen vigil", + "description": "Jimmy Lai, along with seven other activists, were given sentences ranging from four to 14 months.", + "content": "Jimmy Lai, along with seven other activists, were given sentences ranging from four to 14 months.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59455382?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-china-59632728?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 20:24:48 GMT", + "pubDate": "Mon, 13 Dec 2021 08:31:47 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75147,19 +80600,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "576b74b712b87c53014cbe6993074693" + "hash": "12c0f0c0f94d472791d92fadc0dbe58e" }, { - "title": "New variant symptoms mild, says doctor who spotted it", - "description": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", - "content": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", + "title": "Vladimir Putin: I moonlighted as a taxi driver in the 1990s", + "description": "Russia's president says he had to top up his income during economic troubles when the USSR collapsed.", + "content": "Russia's president says he had to top up his income during economic troubles when the USSR collapsed.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59450988?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59629670?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 11:13:14 GMT", + "pubDate": "Sun, 12 Dec 2021 23:13:45 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75167,19 +80621,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "03f099d08d42a6e4f19c37ca1dd2dd63" + "hash": "0797f6a22752b2c68459652ef9aafcef" }, { - "title": "Channel migrants: France wants 'serious' talks with UK", - "description": "Interior Minister Gérald Darmanin says France will not be held hostage by domestic British politics.", - "content": "Interior Minister Gérald Darmanin says France will not be held hostage by domestic British politics.", + "title": "UK ship investigated after Danish boat capsizes", + "description": "Two people on the Danish boat are feared dead after a collision off the Swedish coast.", + "content": "Two people on the Danish boat are feared dead after a collision off the Swedish coast.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59454135?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59633882?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:31:57 GMT", + "pubDate": "Mon, 13 Dec 2021 13:51:52 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75187,19 +80642,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "0b8057ef7659db8e2391fe1c88a39f43" + "hash": "bf44ef6cf78520b7bdcf54c2b42c251c" }, { - "title": "Great Carnival of Dakar: Fire-eaters and dancers mark event", - "description": "The three-day event is a celebration of Senegalese culture and features an elaborate parade.", - "content": "The three-day event is a celebration of Senegalese culture and features an elaborate parade.", + "title": "Kentucky tornadoes: Death toll likely to pass 100, governor says", + "description": "Rescue workers have continued to scour the rubble but hopes of finding survivors are waning.", + "content": "Rescue workers have continued to scour the rubble but hopes of finding survivors are waning.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59450598?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59632403?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 13:24:50 GMT", + "pubDate": "Mon, 13 Dec 2021 05:16:20 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75207,19 +80663,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "01c4bd7e9731fd76e2e88b753ef71012" + "hash": "26b9acef768e7ec6c5fab413f401c69d" }, { - "title": "Covid: Australia woman charged after setting fire in quarantine hotel", - "description": "The woman is charged with arson after allegedly lighting a fire under a bed at Pacific Hotel in Queensland.", - "content": "The woman is charged with arson after allegedly lighting a fire under a bed at Pacific Hotel in Queensland.", + "title": "Baltic Sea: Two missing after cargo ships collide off Sweden", + "description": "A Danish vessel has capsized after colliding with a British-flagged ship in the Baltic Sea.", + "content": "A Danish vessel has capsized after colliding with a British-flagged ship in the Baltic Sea.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59450174?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59633882?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 11:52:04 GMT", + "pubDate": "Mon, 13 Dec 2021 08:52:30 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75227,19 +80684,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "2bdf1cf239bacbea5df8365430a92072" + "hash": "40abfd3b8cbd68001e54da9608f925f5" }, { - "title": "Ros Atkins on... Migrants crossing English Channel to UK", - "description": "This week at least 27 migrants died while trying to make the journey, the deadliest crossing on record.", - "content": "This week at least 27 migrants died while trying to make the journey, the deadliest crossing on record.", + "title": "Black Axe: Leaked documents shine spotlight on secretive Nigerian gang", + "description": "Documents suggest the feared 'cult' has infiltrated Nigerian politics and launched a global fraud operation.", + "content": "Documents suggest the feared 'cult' has infiltrated Nigerian politics and launched a global fraud operation.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59434553?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59630424?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:29:18 GMT", + "pubDate": "Mon, 13 Dec 2021 00:06:43 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75247,19 +80705,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "143a58d8aee14a662419f388cef65318" + "hash": "dce36252b90d549817cf2c0d37633ce4" }, { - "title": "Covid: 13 test positive for Omicron after S Africa-Netherlands flights", - "description": "Thirteen people who travelled from South Africa to the Netherlands have tested positive for Omicron.", - "content": "Thirteen people who travelled from South Africa to the Netherlands have tested positive for Omicron.", + "title": "South Korea: End to Korean War agreed to in principle", + "description": "But talks have yet to begin because of North Korea's demands, says President Moon Jae-in.", + "content": "But talks have yet to begin because of North Korea's demands, says President Moon Jae-in.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59451103?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59632727?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 19:02:29 GMT", + "pubDate": "Mon, 13 Dec 2021 04:37:46 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75267,19 +80726,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "b274c25ce173282614b549eaa30d9ec7" + "hash": "8aee5416a7445b24e0e1d5f12ac7f91c" }, { - "title": "Kevin Strickland: Fundraiser for exonerated Missouri man tops $1.5m", - "description": "Kevin Strickland was released after 42 years in jail over a triple murder he did not commit.", - "content": "Kevin Strickland was released after 42 years in jail over a triple murder he did not commit.", + "title": "Nicaragua receives China vaccines after cutting ties with Taiwan", + "description": "The Central American nation cut all diplomatic ties with Taiwan last week in favour of China relations.", + "content": "The Central American nation cut all diplomatic ties with Taiwan last week in favour of China relations.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59452651?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59633388?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:47:00 GMT", + "pubDate": "Mon, 13 Dec 2021 05:14:21 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75287,19 +80747,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "670520c9288986d7c3f2ab09c81018f7" + "hash": "e38825c9c7cd914596c39c15a2cb90c1" }, { - "title": "Covid-positive Czech president appointed new PM from plexiglass box", - "description": "Petr Fiala was appointed by a president who is in self-isolation after testing positive for coronavirus.", - "content": "Petr Fiala was appointed by a president who is in self-isolation after testing positive for coronavirus.", + "title": "Indian police 'foil man's attempt to fake death'", + "description": "Officers say he murdered another man to try to fake his own death to avoid being returned to prison.", + "content": "Officers say he murdered another man to try to fake his own death to avoid being returned to prison.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59452646?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59631743?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 14:09:01 GMT", + "pubDate": "Sun, 12 Dec 2021 22:35:36 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75307,19 +80768,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "79525bfcafd2cba074753cdbfaee9ed6" + "hash": "8b2a0f3567e62fa05c1bbe325677b8fb" }, { - "title": "Covid: Israel to impose travel ban for foreigners over new variant", - "description": "Travellers from all countries will be banned from entering Israel for 14 days, local media report.", - "content": "Travellers from all countries will be banned from entering Israel for 14 days, local media report.", + "title": "Queensland border reopens to other Australian states", + "description": "Families enjoy emotional reunions after a controversial five-month border closure ends.", + "content": "Families enjoy emotional reunions after a controversial five-month border closure ends.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59448547?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-australia-59632567?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 07:50:05 GMT", + "pubDate": "Mon, 13 Dec 2021 04:50:35 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75327,19 +80789,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e26dff097a16fe907e87b34e71da900b" + "hash": "b0ec9fa8722beb684757123d451226f5" }, { - "title": "Covid: Swiss back government on Covid pass as cases surge", - "description": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", - "content": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", + "title": "Alibaba fires woman who claimed sexual assault", + "description": "The woman said a colleague and client had assaulted her on a business trip earlier this year.", + "content": "The woman said a colleague and client had assaulted her on a business trip earlier this year.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59380745?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-china-59627131?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:57:25 GMT", + "pubDate": "Sun, 12 Dec 2021 15:26:44 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75347,19 +80810,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "088217b0d34f59725d1ba921d7b5c97f" + "hash": "4a2bac998a6ad300f112b998278f0fd8" }, { - "title": "Calais activists: Migrants call us from boats asking for help", - "description": "Activists in Calais demand change after decades of people coming to the city looking to reach the UK.", - "content": "Activists in Calais demand change after decades of people coming to the city looking to reach the UK.", + "title": "Russia Ukraine: Massive consequences if Moscow invades, G7 says", + "description": "Moscow is amassing troops on Ukraine's border, but President Putin insists they pose no threat.", + "content": "Moscow is amassing troops on Ukraine's border, but President Putin insists they pose no threat.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59444335?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59627275?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 08:28:29 GMT", + "pubDate": "Sun, 12 Dec 2021 15:23:27 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75367,19 +80831,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "bfa1db2e9e98a611b9ea7bae6db06b7a" + "hash": "cc5cc5b52d64bd867830d6e115d86696" }, { - "title": "‘I’m blind but technology helps me animate’", - "description": "Elodie Bateson, 11, from Limavady who is blind has become an expert at making short animated movies.", - "content": "Elodie Bateson, 11, from Limavady who is blind has become an expert at making short animated movies.", + "title": "Kentucky tornadoes: Residents revisit destroyed home", + "description": "Kentucky residents are gathering the pieces that are left of their homes after the deadly tornadoes.", + "content": "Kentucky residents are gathering the pieces that are left of their homes after the deadly tornadoes.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-northern-ireland-59429216?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59632355?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:04:49 GMT", + "pubDate": "Mon, 13 Dec 2021 02:13:45 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75387,19 +80852,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b0b663a8b3641bde1abc782ea7cc98f" + "hash": "4322cbf7357d37867b3a15d33873fa17" }, { - "title": "Yemen: The woman saving a crumbling heritage", - "description": "Its famous architecture has been wrecked by war - now a female engineer is rebuilding amid the conflict.", - "content": "Its famous architecture has been wrecked by war - now a female engineer is rebuilding amid the conflict.", + "title": "Biden: US will do whatever is needed to help Tornado victims", + "description": "US president Joe Biden speaks to the country after states have been hit by deadly tornadoes.", + "content": "US president Joe Biden speaks to the country after states have been hit by deadly tornadoes.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59262086?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59625362?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:10:06 GMT", + "pubDate": "Sat, 11 Dec 2021 22:33:26 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75407,19 +80873,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "45e34168c2efb625147b9412cf36ba0d" + "hash": "d7f0a41aa136f8d1b143c7fe340bfe73" }, { - "title": "Your pictures on the theme of 'home comforts'", - "description": "A selection of striking images from our readers around the world.", - "content": "A selection of striking images from our readers around the world.", + "title": "Kentucky tornadoes: Desperate search for survivors as death toll rises", + "description": "At least 83 people are dead, many more are missing and entire towns have been destroyed.", + "content": "At least 83 people are dead, many more are missing and entire towns have been destroyed.", "category": "", - "link": "https://www.bbc.co.uk/news/in-pictures-59407041?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59623970?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:05:48 GMT", + "pubDate": "Sun, 12 Dec 2021 09:12:46 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75427,19 +80894,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1465888d2196b2e50c19648a0d80eecc" + "hash": "0abb0d81d61b3add6d6788018dbd980f" }, { - "title": "Nigerian celebrities Simi and Chigul expose sexism in music and Nollywood", - "description": "Singer Simi and Nollywood's Chigul tell the BBC about the cultural hurdles female stars face.", - "content": "Singer Simi and Nollywood's Chigul tell the BBC about the cultural hurdles female stars face.", + "title": "Alibaba fires employee who accused boss of rape", + "description": "The Chinese e-commerce firm has fired the woman, who went public with accusations in August.", + "content": "The Chinese e-commerce firm has fired the woman, who went public with accusations in August.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59134040?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-china-59627131?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:20:14 GMT", + "pubDate": "Sun, 12 Dec 2021 15:26:44 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75447,19 +80915,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "896837053aef45ec5d2ee5d95123e2fc" + "hash": "cad5fbb761ab9da10257e50aba97778e" }, { - "title": "The gangs enticing migrants to cross the English Channel", - "description": "The BBC has uncovered evidence showing that smugglers are still telling migrants it is safe to cross.", - "content": "The BBC has uncovered evidence showing that smugglers are still telling migrants it is safe to cross.", + "title": "Verstappen wins F1 world title, Mercedes protest", + "description": "Red Bull's Max Verstappen wins his first Formula 1 world title in dramatic circumstances at the season finale in Abu Dhabi.", + "content": "Red Bull's Max Verstappen wins his first Formula 1 world title in dramatic circumstances at the season finale in Abu Dhabi.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59442534?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/sport/formula1/59628024?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 07:58:27 GMT", + "pubDate": "Sun, 12 Dec 2021 17:58:51 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75467,19 +80936,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "9793984e5d8d1b3a966b0ab4c6984032" + "hash": "ecc51923ded32947e85163c771d8667f" }, { - "title": "Covid: Netherlands tightens partial lockdown amid surging infections", - "description": "The government says the three-week curbs are critical to protect hospitals from becoming overwhelmed.", - "content": "The government says the three-week curbs are critical to protect hospitals from becoming overwhelmed.", + "title": "Obituary: Vicente Fernández, Mexico's king of ranchera", + "description": "Known as the king of ranchera music, Fernández was immensely popular in Mexico and the US.", + "content": "Known as the king of ranchera music, Fernández was immensely popular in Mexico and the US.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59448525?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-56043096?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 05:46:58 GMT", + "pubDate": "Sun, 12 Dec 2021 14:55:32 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75487,19 +80957,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "e26bc873520119713697817f681555db" + "hash": "e31dfc7e842ee3336222c72c0ee86b46" }, { - "title": "Hondurans vote to replace controversial leader", - "description": "A former first lady and a man convicted of corruption vie to succeed an unpopular president.", - "content": "A former first lady and a man convicted of corruption vie to succeed an unpopular president.", + "title": "Ethiopia war: World heritage site Lalibela back in rebel hands", + "description": "Tigray forces had left Lalibela 11 days ago as federal forces and their allies had been advancing.", + "content": "Tigray forces had left Lalibela 11 days ago as federal forces and their allies had been advancing.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59446944?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59628178?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:11:55 GMT", + "pubDate": "Sun, 12 Dec 2021 16:32:18 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75507,19 +80978,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f2aac8fa9eb1db5a2c9ff4695eeea20" + "hash": "243849dc318265a98e0a7f0df8b1577d" }, { - "title": "New Zealand politician Julie Anne Genter cycles to hospital to give birth", - "description": "Julie Anne Genter said she had not planned to cycle whilst in labour, \"but it did end up happening\".", - "content": "Julie Anne Genter said she had not planned to cycle whilst in labour, \"but it did end up happening\".", + "title": "Covid: Brazil to demand proof of vaccination from foreign visitors", + "description": "Foreign travellers will need to provide a vaccination certificate in order to enter the country.", + "content": "Foreign travellers will need to provide a vaccination certificate in order to enter the country.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59450168?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59625304?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 08:45:34 GMT", + "pubDate": "Sun, 12 Dec 2021 01:16:44 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75527,19 +80999,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "a15107627503dc9115bdef37cea8ae11" + "hash": "6b1d6cac54f74f12fda677ab4a927087" }, { - "title": "'Why do you like Shah Rukh Khan?'", - "description": "The Bollywood superstar's female fandom rests not on love but on economics, according to a new book.", - "content": "The Bollywood superstar's female fandom rests not on love but on economics, according to a new book.", + "title": "Anne Rice, author of Interview with the Vampire, dies aged 80", + "description": "The American author was best known for her 1976 gothic novel Interview with the Vampire.", + "content": "The American author was best known for her 1976 gothic novel Interview with the Vampire.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59344606?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59627125?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:14:06 GMT", + "pubDate": "Sun, 12 Dec 2021 10:21:55 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75547,19 +81020,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "fadb6eb24bad6add6f0285e5b3ba4e2b" + "hash": "ff53f515116ada6c50fcd3bf1f49767e" }, { - "title": "Covid: Swiss vote on ending restrictions while cases surge", - "description": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", - "content": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", + "title": "Reckya Madougou: Opposition leader jailing damages Benin democracy - lawyer", + "description": "Reckya Madougou becomes the second opposition figure to be convicted in Benin in less than a week.", + "content": "Reckya Madougou becomes the second opposition figure to be convicted in Benin in less than a week.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59380745?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59628176?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:28:03 GMT", + "pubDate": "Sun, 12 Dec 2021 13:20:35 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75567,19 +81041,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "22836291089ac1c36009d00f39e387db" + "hash": "ab206b06154d2a3ba9a9b36ade84cb8e" }, { - "title": "Burkina Faso: Tear gas fired at protesters decrying Islamist attacks", - "description": "The protest comes amid fear of an Islamist encroachment following a number of recent attacks.", - "content": "The protest comes amid fear of an Islamist encroachment following a number of recent attacks.", + "title": "Indian PM Modi's Twitter hacked with bitcoin tweet", + "description": "The Indian prime minister's account had a message stating that bitcoin would be distributed to citizens.", + "content": "The Indian prime minister's account had a message stating that bitcoin would be distributed to citizens.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59443521?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59627124?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 15:24:27 GMT", + "pubDate": "Sun, 12 Dec 2021 10:59:57 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75587,19 +81062,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "d7a487b2b3df28e63c1896fc94974e60" + "hash": "6ba5f1cf0ec2dc43d63509d1ad1467ef" }, { - "title": "Musical theatre icon Stephen Sondheim dies at 91", - "description": "The US composer and lyricist reshaped America's musical theatre in a career spanning over 60 years.", - "content": "The US composer and lyricist reshaped America's musical theatre in a career spanning over 60 years.", + "title": "Italian church apologises after bishop tells children 'Santa does not exist'", + "description": "The bishop in Sicily told children Santa's red costume had been created by Coca-Cola, Italian media say.", + "content": "The bishop in Sicily told children Santa's red costume had been created by Coca-Cola, Italian media say.", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59440642?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59626108?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 01:50:26 GMT", + "pubDate": "Sun, 12 Dec 2021 05:48:16 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75607,19 +81083,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "da7b2ac656aa3b25a7f312fa15cab46b" + "hash": "3c680ec955513c359ffff6d5664c8bad" }, { - "title": "Covid: South Africa 'punished' for detecting new Omicron variant", - "description": "South Africa should be praised for discovering Omicron, not hit with travel bans, its officials say.", - "content": "South Africa should be praised for discovering Omicron, not hit with travel bans, its officials say.", + "title": "US Olympic boycott: Uyghurs and Hong Kongers react", + "description": "Protesters at the US Capitol welcomed the diplomatic boycott of the Beijing games, but say more is needed.", + "content": "Protesters at the US Capitol welcomed the diplomatic boycott of the Beijing games, but say more is needed.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59442129?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59619247?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 12:55:07 GMT", + "pubDate": "Sat, 11 Dec 2021 10:21:41 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75627,19 +81104,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f016e45f03e7bf4d6552172ad7185ec" + "hash": "8396f56cdffcbd8697cf125722368f3a" }, { - "title": "Covid vaccine: Can US troops be punished for refusing the jabs?", - "description": "The US military has said that America's 2.1 million soldiers and sailors must all get the vaccine.", - "content": "The US military has said that America's 2.1 million soldiers and sailors must all get the vaccine.", + "title": "Finnish teacher who secretly taught IS children in Syrian camps by text", + "description": "Using WhatsApp, Ilona Taimela found a novel way to educate Finnish children held in a Syrian camp.", + "content": "Using WhatsApp, Ilona Taimela found a novel way to educate Finnish children held in a Syrian camp.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59409447?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59577375?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 28 Nov 2021 00:24:59 GMT", + "pubDate": "Sat, 11 Dec 2021 00:24:07 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75647,19 +81125,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "55e788a85dd719e6e9a7204ea7b2dc7a" + "hash": "503f6e8d402571f49515e642898f4f7d" }, { - "title": "Dramatic rescue of 300 from migrant boat in Italy", - "description": "Some people were already in the water when the Italian coastguard reached them off Lampedusa Island.", - "content": "Some people were already in the water when the Italian coastguard reached them off Lampedusa Island.", + "title": "Week in pictures: 4-10 December 2021", + "description": "A selection of powerful images from all over the globe, taken this week.", + "content": "A selection of powerful images from all over the globe, taken this week.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59421913?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/in-pictures-59607504?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 23:46:38 GMT", + "pubDate": "Sat, 11 Dec 2021 00:53:09 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75667,19 +81146,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "7b52c45ae9941f1048618b8bca355665" + "hash": "581dd2fabefd3ff943d24f75553a221a" }, { - "title": "Egypt: Grand opening for Luxor's 'Avenue of the Sphinxes'", - "description": "The ancient walkway, connecting two of the Egyptian city's greatest temples, took decades to excavate.", - "content": "The ancient walkway, connecting two of the Egyptian city's greatest temples, took decades to excavate.", + "title": "Watch: Ros Atkins on… Compulsory Covid vaccinations", + "description": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", + "content": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59424084?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/health-59609452?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 23:12:38 GMT", + "pubDate": "Sat, 11 Dec 2021 00:02:03 GMT", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", @@ -75687,14108 +81167,28056 @@ "favorite": false, "created": false, "tags": [], - "hash": "967887f4a9938be6f54efe2ed850b604" + "hash": "1dd54ade292e0896e42087d66581aa01" }, { - "title": "Channel disaster: Kurdish woman is first victim identified", - "description": "Maryam Nuri Mohamed Amin was a 24-year-old Kurdish woman from northern Iraq.", - "content": "Maryam Nuri Mohamed Amin was a 24-year-old Kurdish woman from northern Iraq.", + "title": "ICYMI: House breaks Christmas tree world record", + "description": "Record-breaking decorations you have to see to believe and other festive stories you may have missed.", + "content": "Record-breaking decorations you have to see to believe and other festive stories you may have missed.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59439533?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59602724?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:40:38 GMT", + "pubDate": "Sun, 12 Dec 2021 00:05:01 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "af22e472c902ffbc1c8d9a915670445d" + "hash": "83e423ccbd8821a51dfa110ebed290fa" }, { - "title": "Peng Shuai: WTA concerned over 'censorship or coercion'", - "description": "The head of women's tennis says he is not certain Peng Shuai is free of Chinese censorship or coercion.", - "content": "The head of women's tennis says he is not certain Peng Shuai is free of Chinese censorship or coercion.", + "title": "Kentucky hit by 'worst ever tornadoes'", + "description": "More than 70 people died in Kentucky in Friday night's storms, including dozens in a candle factory, and the death toll is expected to rise above 100.", + "content": "More than 70 people died in Kentucky in Friday night's storms, including dozens in a candle factory, and the death toll is expected to rise above 100.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59443519?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59623946?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 10:44:08 GMT", + "pubDate": "Sat, 11 Dec 2021 22:55:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76ff9312cab5c53795f3d84dd10221c0" + "hash": "2c210ea51adbdc21456b8fc08ef9288b" }, { - "title": "Covid: Dozens test positive on SA-Netherlands flights", - "description": "The results are being examined for cases of the new Omicron variant emerging in southern Africa.", - "content": "The results are being examined for cases of the new Omicron variant emerging in southern Africa.", + "title": "Alan Shepard: Bezos company sends first US astronaut's daughter to edge of space", + "description": "Laura Shepard Churchley's father, Alan, became the first American in space in 1961.", + "content": "Laura Shepard Churchley's father, Alan, became the first American in space in 1961.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59442149?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59623264?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 10:38:46 GMT", + "pubDate": "Sat, 11 Dec 2021 21:53:17 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "81d4b882b4b9b5edb2a9522561f2d0b7" + "hash": "6b09a779e73e9a7c94966b3586725854" }, { - "title": "NFHS: Does India really have more women than men?", - "description": "An Indian government survey says so - but the numbers don't add up.", - "content": "An Indian government survey says so - but the numbers don't add up.", + "title": "Albert Benaiges: Ex-Barcelona academy chief faces sex abuse claims", + "description": "The allegations against Albert Benaiges date back to his time as a teacher in the 1980s and 90s.", + "content": "The allegations against Albert Benaiges date back to his time as a teacher in the 1980s and 90s.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59428011?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59623258?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:59:15 GMT", + "pubDate": "Sat, 11 Dec 2021 18:20:01 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2b051704b9d1ac556deb2e16ba07c15" + "hash": "c6298f2edc6a2f501138a6ec3ece146c" }, { - "title": "Covid: Conspiracy and untruths drive Europe's Covid protests", - "description": "Amid some legitimate concerns, misinformation and extreme views are radicalising people to violent protest.", - "content": "Amid some legitimate concerns, misinformation and extreme views are radicalising people to violent protest.", + "title": "Covid in Austria: Mass protest in Vienna against measures", + "description": "Austria has become the first country in the EU to make vaccinations mandatory, from February.", + "content": "Austria has become the first country in the EU to make vaccinations mandatory, from February.", "category": "", - "link": "https://www.bbc.co.uk/news/59390968?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59625302?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:56:09 GMT", + "pubDate": "Sat, 11 Dec 2021 22:33:58 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "879f31984baa0497cbb76859b20ad61b" + "hash": "3fe7133643b03a5882fc9c50a96b9c6e" }, { - "title": "Kenya tree felling sparks anger over Nairobi's new highway", - "description": "Some 4,000 young and mature trees face being cut down to make way for a Chinese-financed project.", - "content": "Some 4,000 young and mature trees face being cut down to make way for a Chinese-financed project.", + "title": "Mexico truck crash: Crackdown on people smugglers launched", + "description": "More than 50 people. thought to be migrants from Central America, were killed in a truck crash.", + "content": "More than 50 people. thought to be migrants from Central America, were killed in a truck crash.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59383324?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59612811?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:53:13 GMT", + "pubDate": "Sat, 11 Dec 2021 05:42:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f41aa3e1842f332eb9c2d8b1079a6066" + "hash": "6e201ad66a9822f4b98a3c3dd0c4ce79" }, { - "title": "Winter Olympics 2022: Testing times in the Chongli mountains", - "description": "Beijing is pushing ahead with Winter Olympics test events, despite Covid and human rights allegations.", - "content": "Beijing is pushing ahead with Winter Olympics test events, despite Covid and human rights allegations.", + "title": "Brazil nightclub fire: Four convicted over blaze that killed 242", + "description": "The fire in 2013 began when a band playing at a nightclub used flares which set light to the ceiling.", + "content": "The fire in 2013 began when a band playing at a nightclub used flares which set light to the ceiling.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59430731?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59617508?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:49:07 GMT", + "pubDate": "Sat, 11 Dec 2021 00:20:03 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4bb814376f15e8b2db20fcbf6496cdf9" + "hash": "72438d1ebf90b3aeef92613f7d958a8d" }, { - "title": "Russia-Ukraine border: Why Moscow is stoking tensions", - "description": "The Kremlin is sending the West a message, but how big a risk is there of conflict?", - "content": "The Kremlin is sending the West a message, but how big a risk is there of conflict?", + "title": "UK warns Russia of consequences if Ukraine invaded", + "description": "The foreign secretary says G7 ministers will warn Moscow such action would be a \"strategic mistake\".", + "content": "The foreign secretary says G7 ministers will warn Moscow such action would be a \"strategic mistake\".", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59415885?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/uk-59616743?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sat, 27 Nov 2021 00:44:35 GMT", + "pubDate": "Sat, 11 Dec 2021 01:30:03 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "36b600742a7cdffa531757f472c33467" + "hash": "9a00fa90bba7ba9337da665df13fef03" }, { - "title": "Ukraine-Russia conflict: Zelensky alleges coup plan involving Russians", - "description": "He says an alleged plan to overthrow his government comes amid threats of a Russian invasion.", - "content": "He says an alleged plan to overthrow his government comes amid threats of a Russian invasion.", + "title": "Ghislaine Maxwell prosecutors rest their case", + "description": "Prosecutors say Ms Maxwell ran \"a pyramid scheme of abuse\" with paedophile Jeffrey Epstein.", + "content": "Prosecutors say Ms Maxwell ran \"a pyramid scheme of abuse\" with paedophile Jeffrey Epstein.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59428712?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59616024?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 26 Nov 2021 16:13:25 GMT", + "pubDate": "Sat, 11 Dec 2021 00:42:23 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9e495eb2ad4722b000661b0386a8d1e" + "hash": "a5c376288b8ee27c59312c791f1ec55d" }, { - "title": "New Covid variant: South Africa's pride and punishment", - "description": "South Africans feel they are paying the price for their ability to monitor new Covid variants.", - "content": "South Africans feel they are paying the price for their ability to monitor new Covid variants.", + "title": "Kentucky weather man films tornado 'ground zero'", + "description": "Weather man Noah Bergren shows the BBC the \"utter devastation\" of the tornadoes in the town of Mayfield.", + "content": "Weather man Noah Bergren shows the BBC the \"utter devastation\" of the tornadoes in the town of Mayfield.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59432579?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/59623945?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 26 Nov 2021 13:13:38 GMT", + "pubDate": "Sat, 11 Dec 2021 17:15:28 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "918607bdcae8c1a241d70816c2a3fbd5" + "hash": "169833537c8557cb0ab1b95b2d2ea4b3" }, { - "title": "Protesters hit Amazon buildings on Black Friday", - "description": "Strikes or protests are planned in 20 countries, on one of the busiest days of the year for retail.", - "content": "Strikes or protests are planned in 20 countries, on one of the busiest days of the year for retail.", + "title": "Kentucky tornadoes: Biden reaches out to affected US states", + "description": "He promises the government will do all it can to help, as the death toll is expected to pass 100.", + "content": "He promises the government will do all it can to help, as the death toll is expected to pass 100.", "category": "", - "link": "https://www.bbc.co.uk/news/technology-59419572?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59623970?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 26 Nov 2021 12:38:28 GMT", + "pubDate": "Sat, 11 Dec 2021 23:33:47 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "56e243ae03d57d5cbb0a35d74bdc8138" + "hash": "44f9f06be58963cebde27910e92f5b77" }, { - "title": "Covid variant: Reaction to new rules on travel from southern Africa", - "description": "Travellers at Cape Town airport respond to new UK quarantine measures over Covid variant.", - "content": "Travellers at Cape Town airport respond to new UK quarantine measures over Covid variant.", + "title": "Donald Trump uses expletive to attack ex-ally Benjamin Netanyahu", + "description": "The former president rails against the ex-Israeli leader, saying he saved Israel from destruction.", + "content": "The former president rails against the ex-Israeli leader, saying he saved Israel from destruction.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59428504?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59571713?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 26 Nov 2021 11:04:28 GMT", + "pubDate": "Fri, 10 Dec 2021 17:10:01 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e3f23e31509eb465d5de500de7da25f" + "hash": "da32bc37facd438f73f70fde0b0a4f4a" }, { - "title": "Why Iraqi Kurds risk their lives to reach the West", - "description": "What drives people to make the perilous journey, which for many has ended in death?", - "content": "What drives people to make the perilous journey, which for many has ended in death?", + "title": "Afghanistan: Donors to release frozen funds for food and health aid", + "description": "The money will be used to fund nutrition and health services amid a growing humanitarian crisis.", + "content": "The money will be used to fund nutrition and health services amid a growing humanitarian crisis.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59419953?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59617510?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 26 Nov 2021 10:28:10 GMT", + "pubDate": "Sat, 11 Dec 2021 01:53:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9986fdddbdd88bc97918bd752434a196" + "hash": "4669899edeb1f2945f46d0660848e65a" }, { - "title": "Poorest face food crisis amid fertiliser shortage", - "description": "The boss of the world's largest fertiliser producer says gas prices are responsible for higher food prices.", - "content": "The boss of the world's largest fertiliser producer says gas prices are responsible for higher food prices.", + "title": "Kashmir killings: The families still waiting for bodies of loved ones", + "description": "Relatives of people killed by security forces during encounters say they have little hope of justice.", + "content": "Relatives of people killed by security forces during encounters say they have little hope of justice.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59428406?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59604645?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 26 Nov 2021 09:10:19 GMT", + "pubDate": "Fri, 10 Dec 2021 22:55:28 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dbba511fe12fa9b4f37e10ac8e154b77" + "hash": "042ba08af164bf37edb7406ceef1844a" }, { - "title": "Turkey: Police fire tear gas at women's rights march", - "description": "It comes months after Turkey withdrew from a treaty to combat violence against women.", - "content": "It comes months after Turkey withdrew from a treaty to combat violence against women.", + "title": "Ghislaine Maxwell: Key moments in the trial so far", + "description": "Ghislaine Maxwell is accused of grooming girls for abuse by late paedophile Jeffrey Epstein.", + "content": "Ghislaine Maxwell is accused of grooming girls for abuse by late paedophile Jeffrey Epstein.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59423301?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59527051?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 22:46:50 GMT", + "pubDate": "Fri, 10 Dec 2021 22:06:32 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9727b3449947b84987c4f9b5590bd743" + "hash": "5390fabd2355559ec039dfd02f021506" }, { - "title": "Death toll soars to 52 in Russian coal mine accident - reports", - "description": "A search for survivors after an accident in a Siberian mine turns to tragedy, with rescuers among the dead.", - "content": "A search for survivors after an accident in a Siberian mine turns to tragedy, with rescuers among the dead.", + "title": "Valérie Pécresse: Part-Thatcher, part-Merkel and wants to run France", + "description": "Valérie Pécresse has given the Republicans a lift, and a poll suggests she could be president.", + "content": "Valérie Pécresse has given the Republicans a lift, and a poll suggests she could be president.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59421319?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59590518?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 22:22:30 GMT", + "pubDate": "Fri, 10 Dec 2021 00:30:19 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "acd018a0f0d195dcc2e6ee674f433157" + "hash": "7b8c2b56a2e6d4f535cda60cb82810ab" }, { - "title": "Channel migrants: PM calls on France to take back people who make crossing", - "description": "A returns agreement would have an \"immediate\" impact on the number of crossings, Boris Johnson says.", - "content": "A returns agreement would have an \"immediate\" impact on the number of crossings, Boris Johnson says.", + "title": "How a Russian invasion of Ukraine could spill over into Europe", + "description": "A senior Western intel official warns war would have far-reaching consequences on the continent.", + "content": "A senior Western intel official warns war would have far-reaching consequences on the continent.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59423245?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59582146?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 21:10:03 GMT", + "pubDate": "Thu, 09 Dec 2021 21:04:11 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "75b0ae210be8f85924930bbecd26e1b3" + "hash": "aed7a23dbaf6c45f7189589584766424" }, { - "title": "Macy's Thanksgiving Parade: Baby Yoda and Snoopy delight crowds", - "description": "Thousands turn out to enjoy the annual parade with millions more watching on television.", - "content": "Thousands turn out to enjoy the annual parade with millions more watching on television.", + "title": "'Deadliest tornado system to ever run through Kentucky'", + "description": "The governor of the US state of Kentucky says Friday's tornadoes were the worst the state has seen.", + "content": "The governor of the US state of Kentucky says Friday's tornadoes were the worst the state has seen.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59423297?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59623841?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 18:20:05 GMT", + "pubDate": "Sat, 11 Dec 2021 16:40:20 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7d8d7104439f7e3fee99030e47a72e8c" + "hash": "9081a0e219e586cae68ce56fe65de4ba" }, { - "title": "UAE general accused of torture elected Interpol president", - "description": "Ahmed al-Raisi was chosen despite facing claims of complicity in torture by UAE security forces.", - "content": "Ahmed al-Raisi was chosen despite facing claims of complicity in torture by UAE security forces.", + "title": "More than 70 killed in Kentucky's worst ever tornadoes", + "description": "The governor of the US state says that the number of victims could rise to above 100.", + "content": "The governor of the US state says that the number of victims could rise to above 100.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59417409?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59620091?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 13:26:14 GMT", + "pubDate": "Sat, 11 Dec 2021 16:16:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "789abeda04739712fe4673d146931136" + "hash": "e0161e837710157acf472510e8f4a7bb" }, { - "title": "Frank Turner says he's reconciled with trans parent", - "description": "The musician tells The Guardian his estranged father is \"a lot more considerate\" since transitioning.", - "content": "The musician tells The Guardian his estranged father is \"a lot more considerate\" since transitioning.", + "title": "US Supreme Court says Texas abortion clinics can sue over law", + "description": "The Supreme Court leaves controversial Texas abortion law in place, but allows lawsuits", + "content": "The Supreme Court leaves controversial Texas abortion law in place, but allows lawsuits", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59414834?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59381081?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 09:39:23 GMT", + "pubDate": "Fri, 10 Dec 2021 19:52:21 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "893905996c42d86030d03567457a613e" + "hash": "bac9511f039558e5b426915327f98e65" }, { - "title": "Channel migrants: UK and France agree need for action after boat deaths", - "description": "After at least 27 people die in the Channel, Boris Johnson and Emmanuel Macron say cooperation is needed.", - "content": "After at least 27 people die in the Channel, Boris Johnson and Emmanuel Macron say cooperation is needed.", + "title": "Nobel Peace Prize: Maria Ressa attacks social media 'toxic sludge'", + "description": "Philippine journalist Maria Ressa accuses internet sites of using a \"God-like power\" to sow division.", + "content": "Philippine journalist Maria Ressa accuses internet sites of using a \"God-like power\" to sow division.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59412329?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59613540?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 08:07:40 GMT", + "pubDate": "Fri, 10 Dec 2021 18:34:28 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4277afc047d7e45a6b7ced17457ea4a0" + "hash": "5d379ec97d0128a4428759fa4583bd0c" }, { - "title": "Solomon Islands: Australia sends peacekeeping troops amid riots", - "description": "Violent riots have rocked the Pacific Island nation for a second straight day.", - "content": "Violent riots have rocked the Pacific Island nation for a second straight day.", + "title": "Michael Nesmith: The Monkees star dies at 78", + "description": "With the group, the singer and guitarist had a string of hits and starred in a TV sitcom in the 1960s.", + "content": "With the group, the singer and guitarist had a string of hits and starred in a TV sitcom in the 1960s.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59412000?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59606993?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 07:44:18 GMT", + "pubDate": "Fri, 10 Dec 2021 19:38:24 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "068a8010986966a9408ff1312107d651" + "hash": "24266a3a4199e8a33556a904fa4dd62f" }, { - "title": "Australia: LGBTQ advocates blast religious discrimination bill", - "description": "The new bill has raised concerns that it could pave the way for discriminatory hiring practices", - "content": "The new bill has raised concerns that it could pave the way for discriminatory hiring practices", + "title": "The woman who digs for the truth in mass graves", + "description": "Mercedes Doretti has dedicated her life to searching for victims of war and state violence, as part of the Argentine Forensic Anthropology Team.", + "content": "Mercedes Doretti has dedicated her life to searching for victims of war and state violence, as part of the Argentine Forensic Anthropology Team.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59411999?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/stories-59587051?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 07:00:53 GMT", + "pubDate": "Sat, 11 Dec 2021 01:00:46 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f8b59eaf2b5fc84933bd689e53b9a645" + "hash": "37a6872d1e85a3d6e4f7a5ee7ced645c" }, { - "title": "Parambir Singh: Missing India police officer reappears after months", - "description": "Parambir Singh, the former police chief of Mumbai, is facing multiple charges of extortion.", - "content": "Parambir Singh, the former police chief of Mumbai, is facing multiple charges of extortion.", + "title": "Madagascar food crisis: How a woman helped save her village from starvation", + "description": "Loharano has avoided the fate of many in southern Madagascar through the use of new farming methods.", + "content": "Loharano has avoided the fate of many in southern Madagascar through the use of new farming methods.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59412299?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59595276?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 06:14:54 GMT", + "pubDate": "Fri, 10 Dec 2021 00:38:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca3cffdc69493275bb6b75f02b16569a" + "hash": "94db72aecba3b6acc6a14713bbb344e9" }, { - "title": "US restricts trade with a dozen more Chinese technology firms", - "description": "The move comes as tensions grow between the US and China over the status of Taiwan and trade issues.", - "content": "The move comes as tensions grow between the US and China over the status of Taiwan and trade issues.", + "title": "Indonesia volcano: Volunteers struggle to recover the dead, metres deep in ash and mud", + "description": "The effort to recover bodies is continuing in Indonesia, after the eruption of Mount Semeru last week.", + "content": "The effort to recover bodies is continuing in Indonesia, after the eruption of Mount Semeru last week.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59412139?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59616114?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 03:42:49 GMT", + "pubDate": "Fri, 10 Dec 2021 19:36:29 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "720f0e5a56a3d84cd98b620cee9336a1" + "hash": "804a046acac00020011b61ee82e87398" }, { - "title": "Kavala: The case that set Turkey on collision course with the West", - "description": "Osman Kavala has not been convicted but his detention has set Turkey's leader on a collision course.", - "content": "Osman Kavala has not been convicted but his detention has set Turkey's leader on a collision course.", + "title": "Spanish floods claim first victim as towns are engulfed", + "description": "At least one person died when rivers burst their banks in northern Spain.", + "content": "At least one person died when rivers burst their banks in northern Spain.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59385194?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59608785?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 01:52:15 GMT", + "pubDate": "Fri, 10 Dec 2021 17:17:38 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f91d725f8616ea9a4af3632a28d7ba59" + "hash": "a8fa1c54f4298766a370b93ad3ac690e" }, { - "title": "Tripura: Fear and hope after anti-Muslim violence", - "description": "Weeks after mosques and Muslim properties were attacked, life is slowly getting back to normal in Tripura.", - "content": "Weeks after mosques and Muslim properties were attacked, life is slowly getting back to normal in Tripura.", + "title": "Ghana's Covid restrictions: Unvaccinated must get jabs on arrival", + "description": "The restrictions appear to be some of the strictest in the world, with no option to self-isolate.", + "content": "The restrictions appear to be some of the strictest in the world, with no option to self-isolate.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59398367?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59608484?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 01:11:31 GMT", + "pubDate": "Fri, 10 Dec 2021 16:35:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3415624aeb677a562e376754683a7f4" + "hash": "1e38335da3f382f9168be029a48a2ac4" }, { - "title": "Allahabad high court: Outrage as court reduces child sex abuse sentence", - "description": "There’s been outrage in India after the Allahabad high court reduces the jail term of a sex offender.", - "content": "There’s been outrage in India after the Allahabad high court reduces the jail term of a sex offender.", + "title": "Drone footage shows collapsed Amazon warehouse", + "description": "Tornadoes have ripped through several states killing dozens of people, authorities say.", + "content": "Tornadoes have ripped through several states killing dozens of people, authorities say.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59401179?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59621245?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 01:09:29 GMT", + "pubDate": "Sat, 11 Dec 2021 12:20:57 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0092c55e39dcfb0ef40387973387924" + "hash": "18aa5778afbce108510ca0407646c08a" }, { - "title": "Beatles outtakes in new Peter Jackson film", - "description": "The Lord of The Rings director has restored more than 50 hours of footage.", - "content": "The Lord of The Rings director has restored more than 50 hours of footage.", + "title": "Mexico truck crash: 'There are so many dead'", + "description": "At least 54 people have been killed, and scores more injured, after a truck rolled in southern Mexico.", + "content": "At least 54 people have been killed, and scores more injured, after a truck rolled in southern Mexico.", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59409077?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59616117?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 00:02:12 GMT", + "pubDate": "Fri, 10 Dec 2021 19:42:46 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "977856784b8ed749f8987ef53873fc0d" + "hash": "969b134e138ffef084c0d61108141641" }, { - "title": "Russian troop build-up: View from Ukraine front line", - "description": "BBC correspondent Abdujalil Abdurasulov visits eastern Ukraine as soldiers watch Russia's nearby movements.", - "content": "BBC correspondent Abdujalil Abdurasulov visits eastern Ukraine as soldiers watch Russia's nearby movements.", + "title": "More than 50 feared dead in Kentucky's worst ever tornadoes", + "description": "The governor of the US state says that the number of victims could rise to 100.", + "content": "The governor of the US state says that the number of victims could rise to 100.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59402658?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59620091?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 25 Nov 2021 00:01:43 GMT", + "pubDate": "Sat, 11 Dec 2021 10:46:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "702edb507c86093ca668d3bbeae00999" + "hash": "4166add8c3f1591a1417aa50e89ed626" }, { - "title": "What I learnt eating at 8,000 Chinese restaurants", - "description": "David R Chan's decades of dining at 8,000 Chinese eateries has taught him about America and himself.", - "content": "David R Chan's decades of dining at 8,000 Chinese eateries has taught him about America and himself.", + "title": "Drone footage shows Amazon warehouse collapse", + "description": "Tornadoes have ripped through several states killing more than 50 people, authorities say.", + "content": "Tornadoes have ripped through several states killing more than 50 people, authorities say.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59356176?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59621245?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 23:25:31 GMT", + "pubDate": "Sat, 11 Dec 2021 12:20:57 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cdb6eb40e982fa1ee59fa9fd8f995f44" + "hash": "928863e281aa001620cecf8e6f2aa780" }, { - "title": "Ahmaud Arbery: Three US men guilty of murdering black jogger", - "description": "Ahmaud Arbery was chased and shot in a case that became a rallying cry to racial justice protesters.", - "content": "Ahmaud Arbery was chased and shot in a case that became a rallying cry to racial justice protesters.", + "title": "Nobel Peace Prize: Maria Ressa and Dmitry Muratov share joy over win", + "description": "Maria Ressa and Dmitry Muratov published investigations that angered the leaders of their countries.", + "content": "Maria Ressa and Dmitry Muratov published investigations that angered the leaders of their countries.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59411030?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/uk-59606395?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:34:07 GMT", + "pubDate": "Fri, 10 Dec 2021 16:10:23 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d06e73b69127b5f3597e6f35832443c" + "hash": "10dd70e9207870b14f39fa5ecb771e3d" }, { - "title": "Inside Dunkirk's new migrant camp", - "description": "Last week French police officers evicted up to 1,500 people from a camp in Dunkirk.", - "content": "Last week French police officers evicted up to 1,500 people from a camp in Dunkirk.", + "title": "Tornadoes causing chaos across several US states", + "description": "People are reported to be trapped after a roof collapsed at an Amazon warehouse.", + "content": "People are reported to be trapped after a roof collapsed at an Amazon warehouse.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59410982?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59620091?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:28:40 GMT", + "pubDate": "Sat, 11 Dec 2021 09:41:24 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23c4463f669b06b4c7d2a63279b87116" + "hash": "3415fc27a6a0b6c785f7a1d54d911da5" }, { - "title": "JPMorgan boss 'regrets' China joke amid backlash", - "description": "Jamie Dimon has apologised after saying that his Wall Street bank would outlast China's ruling party.", - "content": "Jamie Dimon has apologised after saying that his Wall Street bank would outlast China's ruling party.", + "title": "Omicron and boosters: Your questions answered", + "description": "Will we need regular boosters, can we vaccinate children under 12? Experts answer your questions.", + "content": "Will we need regular boosters, can we vaccinate children under 12? Experts answer your questions.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59409508?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/health-59594000?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 19:56:44 GMT", + "pubDate": "Thu, 09 Dec 2021 17:03:21 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be05ee3b19c2328d73ceabdf141ca245" + "hash": "89eef7da1f37fccc0f5342c7d0689114" }, { - "title": "Mike Tyson: Malawi asks former boxer to be cannabis ambassador", - "description": "A minister has written a letter to the former boxer, who has invested in a cannabis farm in the US.", - "content": "A minister has written a letter to the former boxer, who has invested in a cannabis farm in the US.", + "title": "Mexico truck crash: Officials working to identify over 50 victims", + "description": "More than 50 people. thought to be migrants from Central America, were killed in the crash.", + "content": "More than 50 people. thought to be migrants from Central America, were killed in the crash.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59406196?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59612811?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 18:31:54 GMT", + "pubDate": "Fri, 10 Dec 2021 22:18:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb2f92887d630a307b985f5ff19c03bd" + "hash": "8bdbaddeb9d41a7883f295b81f8a78e9" }, { - "title": "Germany: African diaspora with 'a voice' in politics", - "description": "How can the \"voice\" of African diaspora help build relations between Germany and Africa?", - "content": "How can the \"voice\" of African diaspora help build relations between Germany and Africa?", + "title": "Julian Assange can be extradited to the US, court rules", + "description": "Judges are reassured by US promises to reduce the risk of the Wikileaks founder taking his own life.", + "content": "Judges are reassured by US promises to reduce the risk of the Wikileaks founder taking his own life.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59405846?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/uk-59608641?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 14:49:00 GMT", + "pubDate": "Fri, 10 Dec 2021 13:54:36 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1035c48579aaab5b1c7c092941be8b6d" + "hash": "257d31f34a5bd613469dce0d7abeea10" }, { - "title": "Climate change causing albatross divorce, says study", - "description": "There are more bird break-ups in warmer years, a study of 15,500 breeding pairs finds.", - "content": "There are more bird break-ups in warmer years, a study of 15,500 breeding pairs finds.", + "title": "Ros Atkins on… Compulsory Covid vaccinations", + "description": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", + "content": "Ros Atkins examines the ethical arguments surrounding vaccine mandates.", "category": "", - "link": "https://www.bbc.co.uk/news/newsbeat-59401921?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/health-59609452?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 13:00:26 GMT", + "pubDate": "Sat, 11 Dec 2021 00:02:03 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02d89da1ee722679ae6dfec6c8bdbd3d" + "hash": "a52700c4748a1ec9dd26f324eea7ae86" }, { - "title": "Apple sues Israeli spyware firm NSO Group", - "description": "Apple is the latest in a string of firms and governments to go after the hacking tool firm.", - "content": "Apple is the latest in a string of firms and governments to go after the hacking tool firm.", + "title": "Mexico truck crash: At least 54 people killed as trailer overturns", + "description": "More than 100 were injured when a trailer carrying Central American migrants overturned.", + "content": "More than 100 were injured when a trailer carrying Central American migrants overturned.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59393823?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59603801?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:56:02 GMT", + "pubDate": "Fri, 10 Dec 2021 15:36:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "16af09fe20fa388484c0d28fc1d90f84" + "hash": "1816423f7dacf28006ebfdb1e56d4b84" }, { - "title": "Ethiopia's Haile Gebrselassie and Feyisa Lilesa ready to join Tigray war", - "description": "Haile Gebrselassie and Feyisa Lilesa back the PM's call to go to the front line of the Tigray war.", - "content": "Haile Gebrselassie and Feyisa Lilesa back the PM's call to go to the front line of the Tigray war.", + "title": "Finding Afghanistan's exiled women MPs", + "description": "Most of Afghanistan's 69 women MPs are now in exile and have vowed to continue fighting for women's rights.", + "content": "Most of Afghanistan's 69 women MPs are now in exile and have vowed to continue fighting for women's rights.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59393463?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59598535?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:47:04 GMT", + "pubDate": "Fri, 10 Dec 2021 11:32:10 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7428fe233f92de3d70720eb785b5e46b" + "hash": "d5dbad0dd729f26ae61007f1a1c3e779" }, { - "title": "Wisconsin: Child becomes sixth fatality in car-ramming", - "description": "An eight-year-old boy is the latest person to die after a car ploughed into a crowd in Wisconsin.", - "content": "An eight-year-old boy is the latest person to die after a car ploughed into a crowd in Wisconsin.", + "title": "Bipin Rawat: India holds funerals for top general and his wife after crash", + "description": "Gen Bipin Rawat, who died in a helicopter crash, was cremated with full military honours.", + "content": "Gen Bipin Rawat, who died in a helicopter crash, was cremated with full military honours.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59396999?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59604649?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 12:25:20 GMT", + "pubDate": "Fri, 10 Dec 2021 11:34:02 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f6204dc5ccf0b24efe5f725e09f9278" + "hash": "f094ac87c31e3cfc397739e48dcecc29" }, { - "title": "Sweden votes in Magdalena Andersson as first female PM", - "description": "Before MPs backed Magdalena Andersson, Sweden was the only Nordic state never to have a woman as PM.", - "content": "Before MPs backed Magdalena Andersson, Sweden was the only Nordic state never to have a woman as PM.", + "title": "Margaret River bushfires: Blazes force evacuations in Australia tourist region", + "description": "The blazes near Margaret River have forced evacuations and scorched over 6,000 hectares of land.", + "content": "The blazes near Margaret River have forced evacuations and scorched over 6,000 hectares of land.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59400539?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-australia-59604211?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:40:54 GMT", + "pubDate": "Fri, 10 Dec 2021 02:10:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c98807f1dda33825e5d121f1f752a364" + "hash": "e7364892cb1750f0b77bda948d50e8af" }, { - "title": "Karim Benzema: French footballer guilty in sex tape blackmail case", - "description": "The Real Madrid striker is convicted of conspiring to blackmail fellow footballer Mathieu Valbuena.", - "content": "The Real Madrid striker is convicted of conspiring to blackmail fellow footballer Mathieu Valbuena.", + "title": "Singapore: Man feared for life during otter attack", + "description": "Graham George Spencer was left with more than 20 wounds after he was bitten by the animals.", + "content": "Graham George Spencer was left with more than 20 wounds after he was bitten by the animals.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59399701?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59592355?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:24:01 GMT", + "pubDate": "Fri, 10 Dec 2021 13:40:10 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "73e4415f06006214b6e4e3585c56577f" + "hash": "dd45bcdda59529a020a5d83dbc55b2d3" }, { - "title": "China: Photographer sorry for 'small eyes' Dior picture", - "description": "Some Chinese netizens found her photo insulting and racist as it showed a woman with small eyes.", - "content": "Some Chinese netizens found her photo insulting and racist as it showed a woman with small eyes.", + "title": "Football fans spending millions on club crypto-tokens", + "description": "Supporters have spent at least £260m on controversial fan tokens from major clubs, data suggests.", + "content": "Supporters have spent at least £260m on controversial fan tokens from major clubs, data suggests.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59397737?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/technology-59596267?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:20:46 GMT", + "pubDate": "Fri, 10 Dec 2021 00:05:38 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c08b53821c38b66f001f6eaab643b6f0" + "hash": "09ff2f82b03d777318bc244199baa53f" }, { - "title": "Kerala adoption row: A mother's search for her missing baby in India", - "description": "A mother's search for a missing baby in India has caused outrage and whipped up a political storm.", - "content": "A mother's search for a missing baby in India has caused outrage and whipped up a political storm.", + "title": "The Nepalese children made to work in bars and clubs", + "description": "Nepalese children, some as young as 11, are trapped in the worst forms of child labour.", + "content": "Nepalese children, some as young as 11, are trapped in the worst forms of child labour.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59306355?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59459910?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 11:05:30 GMT", + "pubDate": "Fri, 10 Dec 2021 00:44:21 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8b79182a8a8ae38cdca19d1e640cd951" + "hash": "4cf7798e8a888ca5a8e5e2f039730c81" }, { - "title": "Sri Lanka attacks: 23,000 charges filed against suspects as trial begins", - "description": "The list of charges and witnesses could mean a trial that takes up to 10 years, lawyers warn.", - "content": "The list of charges and witnesses could mean a trial that takes up to 10 years, lawyers warn.", + "title": "How this country became Europe's cargo bike hub", + "description": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", + "content": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59397642?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59430501?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 08:51:12 GMT", + "pubDate": "Fri, 10 Dec 2021 00:01:05 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ae9a86219887ef834126201eb8c15757" + "hash": "81c04d70afc7eb3b9560ad21aea0ab1d" }, { - "title": "Blast off for Nasa mission to strike space rock", - "description": "The spacecraft is set to crash into an object called Dimorphos in September 2022.", - "content": "The spacecraft is set to crash into an object called Dimorphos in September 2022.", + "title": "Africa needs China and the US to work together", + "description": "The US promotes democracy and China builds infrastructure but people in Africa want both.", + "content": "The US promotes democracy and China builds infrastructure but people in Africa want both.", "category": "", - "link": "https://www.bbc.co.uk/news/science-environment-59399510?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59531176?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 07:57:01 GMT", + "pubDate": "Thu, 09 Dec 2021 00:23:20 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4eedf8e2bf7b64ab90e1aca673204f9a" + "hash": "26535bcccd8720c44cd795f07deaefd2" }, { - "title": "Australia power plant demolition sees giant chimneys tumble to ground", - "description": "Huge amounts of metal and concrete will be recycled after the demolition of an old coal power plant.", - "content": "Huge amounts of metal and concrete will be recycled after the demolition of an old coal power plant.", + "title": "Myanmar coup: The women abused and tortured in detention", + "description": "Women held for protesting against a military takeover say they were sexually assaulted and tortured.", + "content": "Women held for protesting against a military takeover say they were sexually assaulted and tortured.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59397899?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59462503?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 05:48:30 GMT", + "pubDate": "Thu, 09 Dec 2021 00:15:31 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a82011d147bcedc18db5132d4842827e" + "hash": "6ea2708b7cb534428073cac9f1768712" }, { - "title": "Waukesha Christmas Parade: Dancing grannies and boy among victims", - "description": "An eight-year-old boy is the latest victim to succumb to injuries in the Waukesha Christmas parade car-ramming.", - "content": "An eight-year-old boy is the latest victim to succumb to injuries in the Waukesha Christmas parade car-ramming.", + "title": "Afghan women: Secret diaries of changing lives", + "description": "Five women's secret diary posts, sent to the BBC, reveal how deeply the Taliban takeover has affected them.", + "content": "Five women's secret diary posts, sent to the BBC, reveal how deeply the Taliban takeover has affected them.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59382870?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59578618?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 03:01:05 GMT", + "pubDate": "Thu, 09 Dec 2021 00:18:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0af1acd3bbe6bb943d349ea267366059" + "hash": "6cd6957dbf55c6c71eb5a31d2a3a9397" }, { - "title": "Colombia peace deal: The families displaced five years on", - "description": "Five years after a peace deal came into force in Colombia, violence by armed gangs is again on the rise.", - "content": "Five years after a peace deal came into force in Colombia, violence by armed gangs is again on the rise.", + "title": "Covid vaccines: Why is Nigeria unable to use its supply?", + "description": "It's reported that up to one million doses of Covid vaccine in Nigeria have expired and are to be destroyed.", + "content": "It's reported that up to one million doses of Covid vaccine in Nigeria have expired and are to be destroyed.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59386282?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/59580982?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 01:26:47 GMT", + "pubDate": "Wed, 08 Dec 2021 17:53:39 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "030ec546558e23a52e54333d3cc4e521" + "hash": "0af890715039b41015a83f4e98bc7c9d" }, { - "title": "Uganda suicide attacks: Inside view of the IS-linked ADF rebels", - "description": "An ex-fighter tells the BBC how the ADF, an IS affiliate, has been able to strike at Uganda's heart.", - "content": "An ex-fighter tells the BBC how the ADF, an IS affiliate, has been able to strike at Uganda's heart.", + "title": "Mothers reborn: The surprising benefits of lifelike dolls", + "description": "Reborn dolls are hyper-realistic dummies, treated like real children, given a birthing ceremony and even a heartbeat.", + "content": "Reborn dolls are hyper-realistic dummies, treated like real children, given a birthing ceremony and even a heartbeat.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59380311?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59604011?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 01:24:38 GMT", + "pubDate": "Fri, 10 Dec 2021 02:20:20 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b2e8dfd6363138cb31a9e892ba5e8c2" + "hash": "b102d3757b3bdac7528a35ee672f1504" }, { - "title": "Farm laws: Sikhs being targeted by fake social media profiles", - "description": "A total of 80 accounts have been suspended following a report into the network.", - "content": "A total of 80 accounts have been suspended following a report into the network.", + "title": "Mexico truck crash: At least 53 people killed as trailer overturns", + "description": "Dozens are injured when a trailer crammed with Central American migrants overturned, officials say.", + "content": "Dozens are injured when a trailer crammed with Central American migrants overturned, officials say.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59338245?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59603801?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 00:54:56 GMT", + "pubDate": "Fri, 10 Dec 2021 03:42:36 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "038a6147f5a836b3b9ccb623a7f576c9" + "hash": "de09b9ff01fe9d107df97ca893472cf8" }, { - "title": "Rescuing the Afghanistan girls' football team", - "description": "The mission to rescue the national Afghan girls' football team from the Taliban.", - "content": "The mission to rescue the national Afghan girls' football team from the Taliban.", + "title": "Jussie Smollett: Actor found guilty of lying about attack", + "description": "A lawyer for the actor has said his client plans '100%' to appeal the verdict.", + "content": "A lawyer for the actor has said his client plans '100%' to appeal the verdict.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59394170?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59599142?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Wed, 24 Nov 2021 00:10:38 GMT", + "pubDate": "Fri, 10 Dec 2021 00:50:16 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "73976a69605ddae6faea93054e07573b" + "hash": "da29abe68aa5f193ae9c6f18c6ce2980" }, { - "title": "Walgreens, CVS, and Walmart fuelled opioid crisis, Ohio jury finds", - "description": "A federal court finds Walgreens, CVS and Walmart helped create an oversupply of addictive painkillers.", - "content": "A federal court finds Walgreens, CVS and Walmart helped create an oversupply of addictive painkillers.", + "title": "Russia Ukraine: Putin compares Donbas war zone to genocide", + "description": "Russia's leader ramps up his rhetoric as the US and Ukrainian presidents discuss border tensions.", + "content": "Russia's leader ramps up his rhetoric as the US and Ukrainian presidents discuss border tensions.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59396041?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59599066?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 22:59:50 GMT", + "pubDate": "Thu, 09 Dec 2021 22:45:56 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1d6a7d7f25997d7ca6e6322b9b4e4ca" + "hash": "d86ea8d32803670ab0bd9e078d509442" }, { - "title": "Kevin Strickland exonerated after 42 years in Missouri prison", - "description": "Kevin Strickland was arrested at age 18 and convicted of a triple murder he did not commit.", - "content": "Kevin Strickland was arrested at age 18 and convicted of a triple murder he did not commit.", + "title": "Starbucks to get its first unionised US store since 1980s", + "description": "Staff at one branch vote to unionise, the first in the coffee chain's own stores since the 1980s.", + "content": "Staff at one branch vote to unionise, the first in the coffee chain's own stores since the 1980s.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59396598?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59588905?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 22:17:06 GMT", + "pubDate": "Fri, 10 Dec 2021 04:23:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "576459cf3c97c1a90afa433acd57464e" + "hash": "754415fbb30eedf8c7ab351c742adb8e" }, { - "title": "Bulgarian holiday bus tragedy hits young nation", - "description": "There is little since North Macedonia's 1991 declaration of independence to compare to this.", - "content": "There is little since North Macedonia's 1991 declaration of independence to compare to this.", + "title": "Kenya police recruits brag: 'We are the bad ones'", + "description": "A video of Kenyan police recruits acting in an intimidating fashion is widely condemned.", + "content": "A video of Kenyan police recruits acting in an intimidating fashion is widely condemned.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59395495?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59598455?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 20:48:18 GMT", + "pubDate": "Thu, 09 Dec 2021 17:48:12 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72f94036c475a5b27b036b72db2956cc" + "hash": "5530eeb7ba7765ef703152df0f531fad" }, { - "title": "Yalda Hakim: My return to Afghanistan", - "description": "The BBC's Yalda Hakim - who was born in Afghanistan - reports on the impact of 100 days of Taliban rule.", - "content": "The BBC's Yalda Hakim - who was born in Afghanistan - reports on the impact of 100 days of Taliban rule.", + "title": "Capitol riot: US appeals court rejects Trump's request to block files", + "description": "A panel investigating the Capitol riot wants to see the ex-president's White House records.", + "content": "A panel investigating the Capitol riot wants to see the ex-president's White House records.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59385469?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59599279?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 15:53:08 GMT", + "pubDate": "Thu, 09 Dec 2021 23:40:14 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a299ad1e018112c65ed40f40ca809e8" + "hash": "f2302785d1016861f9614701979407a7" }, { - "title": "Meredith Kercher: Student's killer Rudy Guede ends sentence", - "description": "Rudy Guede was the only person convicted of the 2007 murder of the exchange student in Perugia in Italy.", - "content": "Rudy Guede was the only person convicted of the 2007 murder of the exchange student in Perugia in Italy.", + "title": "New York’s Met museum to remove Sackler name from exhibits", + "description": "The Sackler family founded Purdue Pharma, which manufactured opioids linked to the deaths of thousands.", + "content": "The Sackler family founded Purdue Pharma, which manufactured opioids linked to the deaths of thousands.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59388718?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59572668?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 14:15:15 GMT", + "pubDate": "Thu, 09 Dec 2021 20:03:57 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbcf4d095521ccbec5ec3137b8a6a31e" + "hash": "6b473d4a1379623bea0a4fff21357942" }, { - "title": "Peng Shuai: China says tennis star case maliciously hyped up", - "description": "As questions remain over the tennis star's wellbeing, China insists it is not a diplomatic matter.", - "content": "As questions remain over the tennis star's wellbeing, China insists it is not a diplomatic matter.", + "title": "Nicaragua cuts ties with Taiwan in favour of Beijing", + "description": "It comes as the US State Department called for democracies to \"expand engagement with Taiwan\".", + "content": "It comes as the US State Department called for democracies to \"expand engagement with Taiwan\".", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59385519?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59574532?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 13:10:06 GMT", + "pubDate": "Fri, 10 Dec 2021 04:22:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2c4fca916800339046020d33b0a1fc28" + "hash": "85947eaf4d66e5ee47b339471020e8bc" }, { - "title": "Mexican nursery's lottery win turns into nightmare", - "description": "Parents who won almost $1m are being threatened by a gang demanding they use the money to buy guns.", - "content": "Parents who won almost $1m are being threatened by a gang demanding they use the money to buy guns.", + "title": "Woman fined €1,200 for causing Tour de France pile-up", + "description": "The woman's cardboard sign brought down dozens of cyclists during a stage of the elite race in June.", + "content": "The woman's cardboard sign brought down dozens of cyclists during a stage of the elite race in June.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59386281?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59582145?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:22:58 GMT", + "pubDate": "Thu, 09 Dec 2021 14:27:42 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "419f6fba332851cd99f7e679893625b7" + "hash": "d23f57227f45257039369b47a5baaef3" }, { - "title": "Ethiopia's Tigray conflict: PM Abiy Ahmed vows to lead from the war front", - "description": "Abiy Ahmed has said he will go to the front line to face Tigrayan rebels in the country's civil war.", - "content": "Abiy Ahmed has said he will go to the front line to face Tigrayan rebels in the country's civil war.", + "title": "In pictures: Israel hands seized relics to Egypt", + "description": "The haul includes figurines of ancient queens, hieroglyphic inscriptions and burial offerings.", + "content": "The haul includes figurines of ancient queens, hieroglyphic inscriptions and burial offerings.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59386181?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59571712?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 11:21:39 GMT", + "pubDate": "Thu, 09 Dec 2021 15:59:49 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "bc368bb65f286eac012319e586255b11" + "hash": "281be9a95f96e59b806cc5f370e26198" }, { - "title": "Afghanistan: 100 days of Taliban rule", - "description": "BBC reporter Yalda Hakim visits Kabul to look at four key areas of concern in Afghanistan.", - "content": "BBC reporter Yalda Hakim visits Kabul to look at four key areas of concern in Afghanistan.", + "title": "Saudi camel beauty pageant cracks down on cosmetic enhancements", + "description": "More than 40 camels are disqualified for receiving injections and other cosmetic enhancements.", + "content": "More than 40 camels are disqualified for receiving injections and other cosmetic enhancements.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59381294?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59593001?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 09:08:09 GMT", + "pubDate": "Thu, 09 Dec 2021 12:14:55 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "234c255d48cc3194becbeb5ad2d0140c" + "hash": "8672d0e1224f21a3c57063cd4d10ba18" }, { - "title": "Uber makes its first step into the cannabis market", - "description": "Customers will be able to place orders on the app then pick them up at nearby stores within an hour.", - "content": "Customers will be able to place orders on the app then pick them up at nearby stores within an hour.", + "title": "Where are Afghanistan's women MPs now?", + "description": "Sixty of Afghanistan's 69 women MPs are scattered across the globe, but many aim to continue fighting for women's rights.", + "content": "Sixty of Afghanistan's 69 women MPs are scattered across the globe, but many aim to continue fighting for women's rights.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59342016?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59598535?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 07:03:42 GMT", + "pubDate": "Fri, 10 Dec 2021 00:32:42 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "71a87eac9756d3d3ffe084d88ee51345" + "hash": "43057a2eaeef2bae3de3809c9504e795" }, { - "title": "Dozens killed in Bulgaria bus crash, including children", - "description": "At least 45 die, including children, after a bus crashes and catches fire in western Bulgaria.", - "content": "At least 45 die, including children, after a bus crashes and catches fire in western Bulgaria.", + "title": "The country that is Europe's hub for cargo bikes", + "description": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", + "content": "In Germany, generous subsidies are leading to more sophisticated cargo bikes.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59383852?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59430501?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 06:57:29 GMT", + "pubDate": "Fri, 10 Dec 2021 00:01:05 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "927255c4e5e6664771f19f7cc4e95cb9" + "hash": "793b53ea3f3640becd96ceb8d8f3fa19" }, { - "title": "Australia declares La Niña weather event has begun", - "description": "The phenomenon can lead to significant weather changes in different parts of the world.", - "content": "The phenomenon can lead to significant weather changes in different parts of the world.", + "title": "China's detention camps: Held in chains for using WhatsApp", + "description": "Erbakit Otarbay, an ethnic Kazakh, was imprisoned as part of a mass incarceration programme in China.", + "content": "Erbakit Otarbay, an ethnic Kazakh, was imprisoned as part of a mass incarceration programme in China.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59383008?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-china-59585597?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 05:19:41 GMT", + "pubDate": "Thu, 09 Dec 2021 00:09:59 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7487169fa2c32dd3a8adae014918f467" + "hash": "6e1b1ef9c9bf78219ba294682e4f1fa2" }, { - "title": "Greenland's Inuits seek Denmark compensation over failed social experiment", - "description": "Six surviving Greenlanders are part of a group of 22 children taken for \"re-education\" in 1951.", - "content": "Six surviving Greenlanders are part of a group of 22 children taken for \"re-education\" in 1951.", + "title": "Goalball player Sevda Altunoluk: 'I am the world's best'", + "description": "Sevda Altunoluk believes in empowering visually impaired people by encouraging them to compete in sport.", + "content": "Sevda Altunoluk believes in empowering visually impaired people by encouraging them to compete in sport.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59382793?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59586873?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 04:29:13 GMT", + "pubDate": "Thu, 09 Dec 2021 00:07:43 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04357dcb55ed67b9f4b7c955d0f4371b" + "hash": "c2862250345d6b5a65808a4a36621ce6" }, { - "title": "Kyle Rittenhouse says his case 'has nothing to do with race'", - "description": "\"I support the BLM movement,\" says the teen, who was acquitted of shooting three during racial unrest.", - "content": "\"I support the BLM movement,\" says the teen, who was acquitted of shooting three during racial unrest.", + "title": "Growing up in Iran: Every morning we had to chant ‘Death to America’", + "description": "Iranian Rana Rahimpour moved to the UK as a young journalist and is now unable to return home for fear of arrest.", + "content": "Iranian Rana Rahimpour moved to the UK as a young journalist and is now unable to return home for fear of arrest.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59382788?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59553662?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 03:08:48 GMT", + "pubDate": "Thu, 09 Dec 2021 00:02:29 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba29904db0a0413462ac8ca98e69aa10" + "hash": "6f95825e50ef0c3c31ac0b3fbd53edef" }, { - "title": "Australia missing campers: Man arrested over pair's disappearance", - "description": "Carol Clay and Russell Hill vanished in March last year during a camping trip in Victoria.", - "content": "Carol Clay and Russell Hill vanished in March last year during a camping trip in Victoria.", + "title": "Chimamanda Ngozi Adichie: ‘I want to say what I think’", + "description": "The Nigerian writer shares her experience of grief and her thoughts on \"cancel culture\" and trans rights.", + "content": "The Nigerian writer shares her experience of grief and her thoughts on \"cancel culture\" and trans rights.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59383007?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59568638?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 02:31:24 GMT", + "pubDate": "Thu, 09 Dec 2021 00:05:04 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f9bf92a6ab5615145ea7674313eafc9f" + "hash": "d1680f14e7aa15fe6cfd5f0b9b84ffae" }, { - "title": "Dart: Mission to smack Dimorphos asteroid set for launch", - "description": "A spacecraft is set to launch on a mission to nudge an asteroid off course.", - "content": "A spacecraft is set to launch on a mission to nudge an asteroid off course.", + "title": "Omicron: WHO concerned rich countries could hoard vaccines", + "description": "There are concerns that booster rollouts in wealthy nations could threaten supply to poorer countries.", + "content": "There are concerns that booster rollouts in wealthy nations could threaten supply to poorer countries.", "category": "", - "link": "https://www.bbc.co.uk/news/science-environment-59327293?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59599058?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 01:41:20 GMT", + "pubDate": "Thu, 09 Dec 2021 16:17:34 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cb3276c1e4bbb6ae023d336da833ecf7" + "hash": "3f7b809c6cc6ab75333b410e1e5d17d6" }, { - "title": "Kevin Spacey to pay $31m to studio after abuse claims", - "description": "The actor was ordered to pay $31m (£23.2) to the House of Cards studio after sexual abuse claims.", - "content": "The actor was ordered to pay $31m (£23.2) to the House of Cards studio after sexual abuse claims.", + "title": "Beijing Winter Olympics boycott is insignificant, says Macron", + "description": "The French president says some Western countries' refusal to send officials has no useful outcome.", + "content": "The French president says some Western countries' refusal to send officials has no useful outcome.", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59378553?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59599063?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:26:04 GMT", + "pubDate": "Thu, 09 Dec 2021 20:48:26 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea7c17bd49c80e792819e4d8d56c5e5d" + "hash": "5d8ea604a000ffce1f5608941e9a8649" }, { - "title": "China bans Namewee's viral pop song Fragile", - "description": "Fragile mocks Beijing and “little pinks”, a term referring to young nationalists who rush to the defence of the Chinese government.", - "content": "Fragile mocks Beijing and “little pinks”, a term referring to young nationalists who rush to the defence of the Chinese government.", + "title": "China committed genocide against Uyghurs, independent tribunal rules", + "description": "A London-based unofficial tribunal says China is deliberately preventing births among Uyghurs.", + "content": "A London-based unofficial tribunal says China is deliberately preventing births among Uyghurs.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59379880?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-china-59595952?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:11:48 GMT", + "pubDate": "Thu, 09 Dec 2021 13:51:22 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e34fe1ad8da2c3104b84405d8d4b0d1f" + "hash": "0d740a0e65f6fd71ae9070a9c309a605" }, { - "title": "Six ways shoebox-sized satellites are trying to change the world", - "description": "The CubeSat began as an educational tool but is now helping out humanity", - "content": "The CubeSat began as an educational tool but is now helping out humanity", + "title": "New Zealand to ban cigarettes for future generations", + "description": "No New Zealander born after 2009 will be able to buy tobacco under proposed new health laws.", + "content": "No New Zealander born after 2009 will be able to buy tobacco under proposed new health laws.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59346457?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59589775?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:10:20 GMT", + "pubDate": "Thu, 09 Dec 2021 04:32:02 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c6d41280e8405f9b8bab6f1a4f61022" + "hash": "326fed58a5ab161f727c27684d3c8aa0" }, { - "title": "How child sex abuse rose during pandemic in India", - "description": "The demand and distribution of abuse imagery shot up in India as lockdowns confined people to their homes.", - "content": "The demand and distribution of abuse imagery shot up in India as lockdowns confined people to their homes.", + "title": "Astroworld: Travis Scott says he was unaware fans were hurt", + "description": "The US rapper says he only discovered the impact of a deadly crowd surge after the festival in Texas.", + "content": "The US rapper says he only discovered the impact of a deadly crowd surge after the festival in Texas.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59173473?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59599271?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:09:09 GMT", + "pubDate": "Thu, 09 Dec 2021 19:45:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee3a90cad33b8cdd99d4731366b99d2d" + "hash": "cbaa74cac0a0cfdd7b10fa27c2b9eb2a" }, { - "title": "Can South Africa embrace renewable energy from the sun?", - "description": "South Africa's main electricity company Eskom plans to switch from using coal to renewable energy.", - "content": "South Africa's main electricity company Eskom plans to switch from using coal to renewable energy.", + "title": "Ethiopia war: UN halts food aid in two towns after warehouses looted", + "description": "Aid workers faced extreme intimidation and were held at gunpoint by looters, the UN says.", + "content": "Aid workers faced extreme intimidation and were held at gunpoint by looters, the UN says.", "category": "", - "link": "https://www.bbc.co.uk/news/business-58971281?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59588956?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:06:46 GMT", + "pubDate": "Thu, 09 Dec 2021 10:50:39 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e975dda6110b3a9aa5199d7abf97602" + "hash": "d1ee56ce0830b9e80c305c5c946d818e" }, { - "title": "Ethiopia's Tigray conflict: What are Facebook and Twitter doing about hate speech?", - "description": "Critics say social media firms are not doing enough to curb online hate speech around Ethiopia's war.", - "content": "Critics say social media firms are not doing enough to curb online hate speech around Ethiopia's war.", + "title": "US-led coalition against IS ends combat mission in Iraq", + "description": "Troops will remain to \"advise, assist and enable\" Iraqi security forces to stop a resurgence of IS.", + "content": "Troops will remain to \"advise, assist and enable\" Iraqi security forces to stop a resurgence of IS.", "category": "", - "link": "https://www.bbc.co.uk/news/59251942?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-middle-east-59593007?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:05:12 GMT", + "pubDate": "Thu, 09 Dec 2021 20:59:07 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4fcfca7ab599b61b53c3ca225f8853b8" + "hash": "db542b657c43947fcb916262dae5cd58" }, { - "title": "Iran nuclear programme: Threat of Israeli strike grows", - "description": "As Iran's nuclear programme forges ahead, some see Israel running out of options to thwart it.", - "content": "As Iran's nuclear programme forges ahead, some see Israel running out of options to thwart it.", + "title": "Lina Wertmüller: Groundbreaking Italian film director dies aged 93", + "description": "Wertmüller became the first woman ever to be nominated for an Oscar for best director in the 1970s.", + "content": "Wertmüller became the first woman ever to be nominated for an Oscar for best director in the 1970s.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59322152?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59599270?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Tue, 23 Nov 2021 00:03:48 GMT", + "pubDate": "Thu, 09 Dec 2021 17:15:44 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac6dcb2c028396497a983d4f32eedd9a" + "hash": "0a635d375dea09a73b1109ab77f25a59" }, { - "title": "Wisconsin witnesses recount how SUV mowed down parade-goers", - "description": "\"Little girls flying through the air.\" Witnesses recount the Waukesha Christmas parade horror.", - "content": "\"Little girls flying through the air.\" Witnesses recount the Waukesha Christmas parade horror.", + "title": "Colombia gangs: 'Surrender or we'll hunt you down' warns minister", + "description": "Following the capture of its most wanted drug lord, Colombia is going after his criminal network.", + "content": "Following the capture of its most wanted drug lord, Colombia is going after his criminal network.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59382797?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-latin-america-59547337?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 22:48:47 GMT", + "pubDate": "Wed, 08 Dec 2021 01:41:02 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "63c5bfc994fda179eea0ee0fd348054a" + "hash": "2a025a44d8543cec7d888c84f655a8f1" }, { - "title": "Wisconsin: Waukesha Police Chief chokes up while naming Christmas parade incident victims", - "description": "At least five people, aged between 52 and 81, were killed when a vehicle ploughed into a Christmas parade.", - "content": "At least five people, aged between 52 and 81, were killed when a vehicle ploughed into a Christmas parade.", + "title": "FIA boss: Electric F1 racing is 'simply not possible'", + "description": "With Formula One race distance at 200 miles, switching to electric vehicles remains a long way off.", + "content": "With Formula One race distance at 200 miles, switching to electric vehicles remains a long way off.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59381928?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59556016?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 21:13:11 GMT", + "pubDate": "Wed, 08 Dec 2021 00:09:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e655b03c1a3c115528f16a1ee410422" + "hash": "9b808f48671ee05b06feb6761356ddb3" }, { - "title": "Wisconsin: Driver 'intentionally' mowed down people at parade", - "description": "At least five people, aged 52 to 81, were killed when an SUV ploughed into a Christmas celebration.", - "content": "At least five people, aged 52 to 81, were killed when an SUV ploughed into a Christmas celebration.", + "title": "Putin-Biden talks: What next for Ukraine?", + "description": "Russia's president will want to register some kind of victory before his troops return, writes Jonathan Marcus.", + "content": "Russia's president will want to register some kind of victory before his troops return, writes Jonathan Marcus.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59378571?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59565590?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 21:13:01 GMT", + "pubDate": "Tue, 07 Dec 2021 22:33:07 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d84110efe9f65a3f86f8e44a3c693679" + "hash": "a965aaa9a62e67c0f7a4b4545d09da7b" }, { - "title": "Austrian Chancellor: 'You don’t only have rights, you have obligations'", - "description": "Austria's chancellor regrets jabs will be mandatory, but current low rates are \"too little, too late\".", - "content": "Austria's chancellor regrets jabs will be mandatory, but current low rates are \"too little, too late\".", + "title": "Afghanistan: Girls' despair as Taliban confirm secondary school ban", + "description": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", + "content": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59378552?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59565558?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 21:08:52 GMT", + "pubDate": "Wed, 08 Dec 2021 00:17:51 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89080af76969ffab57ee385fd8881cf2" + "hash": "41713bf58bc702c2b9ee6bffc8b0bce7" }, { - "title": "Peppa Pig and losing notes: UK PM's bizarre speech", - "description": "Boris Johnson is questioned by a reporter after talking about Peppa Pig World at a business conference.", - "content": "Boris Johnson is questioned by a reporter after talking about Peppa Pig World at a business conference.", + "title": "US father fired on Zoom describes 'callous' call", + "description": "Dad of five Christian was one of 900 Better.com employees laid-off on a Zoom call, weeks before Christmas.", + "content": "Dad of five Christian was one of 900 Better.com employees laid-off on a Zoom call, weeks before Christmas.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-59381775?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59573075?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 19:23:16 GMT", + "pubDate": "Tue, 07 Dec 2021 22:01:46 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bdf06f2a9e44062fb1f298b98575e82f" + "hash": "2075529f5b17a045062ff4ca5ae99fd0" }, { - "title": "Germany Covid: Health minister's stark warning to get jabbed", - "description": "As Germany battles a fourth Covid wave, the health minister gives a stark warning to get vaccinated.", - "content": "As Germany battles a fourth Covid wave, the health minister gives a stark warning to get vaccinated.", + "title": "China warns nations will 'pay price' for Olympic boycott", + "description": "The US, UK, Australia and Canada won't be sending government representatives to the Winter Olympics.", + "content": "The US, UK, Australia and Canada won't be sending government representatives to the Winter Olympics.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59378548?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-china-59592347?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:17:02 GMT", + "pubDate": "Thu, 09 Dec 2021 10:43:47 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbc91a8111a836a136322afd14c72276" + "hash": "6fc403bea56021fba0780cf5fb42a28c" }, { - "title": "Jerome Powell nominated to stay as US Federal Reserve chair", - "description": "President Biden opts for continuity by nominating Jerome Powell to remain head of the central bank.", - "content": "President Biden opts for continuity by nominating Jerome Powell to remain head of the central bank.", + "title": "Epstein and Maxwell pictured at Queen's residence at Balmoral", + "description": "The image of the couple at Balmoral was shown to a US court on Wednesday.", + "content": "The image of the couple at Balmoral was shown to a US court on Wednesday.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59340779?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59590576?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:14:39 GMT", + "pubDate": "Thu, 09 Dec 2021 08:01:47 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "51ccc4bdfedd780676a05e15fcccbc87" + "hash": "971c9567d2bc1f418e54d06badf9c785" }, { - "title": "Covid in Kenya: Government gives 20 million a month to get vaccinated", - "description": "Although less than 10% of Kenyans are vaccinated, the government wants to avoid a surge over Christmas.", - "content": "Although less than 10% of Kenyans are vaccinated, the government wants to avoid a surge over Christmas.", + "title": "Farm laws: India farmers end protest after government accepts demands", + "description": "The announcement was made after hectic negotiations between farmer groups and the government.", + "content": "The announcement was made after hectic negotiations between farmer groups and the government.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59367726?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59566157?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 14:55:37 GMT", + "pubDate": "Thu, 09 Dec 2021 13:03:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bd8ed3753f7fe800f940ab187c294dd1" + "hash": "3ea9512c90b6228757c642cabcc703d2" }, { - "title": "Cuba congratulates Venezuela on poll before result was out", - "description": "Cuba's president tweeted about the results before there had been an official announcement.", - "content": "Cuba's president tweeted about the results before there had been an official announcement.", + "title": "British waste dumped in Romania", + "description": "A BBC investigation has uncovered British waste being illegally shipped to Romania and dumped.", + "content": "A BBC investigation has uncovered British waste being illegally shipped to Romania and dumped.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59331696?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59557493?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 14:18:28 GMT", + "pubDate": "Thu, 09 Dec 2021 06:01:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fc5c1da84809c00ec943a5340f2e498f" + "hash": "58ece51b9b903567e05d0f6214e8ec05" }, { - "title": "Crowd trouble threatens future of French football, says sports minister", - "description": "France's sports minister says repeated crowd trouble at Ligue 1 matches is putting the \"survival\" of French football \"at stake\".", - "content": "France's sports minister says repeated crowd trouble at Ligue 1 matches is putting the \"survival\" of French football \"at stake\".", + "title": "Sauti Sol singer Chimano hailed in Kenya for coming out as gay", + "description": "Kenyan gay rights activists welcome Sauti Sol star Chimano's decision to \"no longer live a lie\".", + "content": "Kenyan gay rights activists welcome Sauti Sol star Chimano's decision to \"no longer live a lie\".", "category": "", - "link": "https://www.bbc.co.uk/sport/football/59374778?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59592901?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 13:51:31 GMT", + "pubDate": "Thu, 09 Dec 2021 11:56:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "faeace408f23d9bdd02b1388103ca22d" + "hash": "e2fb11c4507c1c75e601efebac631109" }, { - "title": "Peng Shuai: WTA says concerns remain for Chinese tennis star after IOC call", - "description": "Peng Shuai disappeared from the public eye after making sex assault allegations against a Chinese official.", - "content": "Peng Shuai disappeared from the public eye after making sex assault allegations against a Chinese official.", + "title": "Human remains found in car linked to 45-year-old cold case", + "description": "Tests are under way to confirm that the remains belong to missing student Kyle Wade Clinkscales.", + "content": "Tests are under way to confirm that the remains belong to missing student Kyle Wade Clinkscales.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59372058?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59592571?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 12:23:17 GMT", + "pubDate": "Thu, 09 Dec 2021 11:21:32 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4c5b1f072912911595302f2264d7d97" + "hash": "e246e5197dc7e0e9d5052192c3ba5b37" }, { - "title": "Far-right candidate through to Chile presidential run-off", - "description": "Voters will have to choose between far-right candidate José Antonio Kast and left-winger Gabriel Boric.", - "content": "Voters will have to choose between far-right candidate José Antonio Kast and left-winger Gabriel Boric.", + "title": "Hong Kong: Jimmy Lai convicted for taking part in Tiananmen vigil", + "description": "Jimmy Lai and other prominent activists were convicted for taking part in the unauthorised event.", + "content": "Jimmy Lai and other prominent activists were convicted for taking part in the unauthorised event.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59331695?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59574530?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 11:41:24 GMT", + "pubDate": "Thu, 09 Dec 2021 04:48:11 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "21b7cc1a566b62b2b2e1b7c7e68b1843" + "hash": "549682fd9da60cb19bfce235f9957f8c" }, { - "title": "Covid vaccines: How fast is progress around the world?", - "description": "Charts and maps tracking the progress of Covid vaccination programmes.", - "content": "Charts and maps tracking the progress of Covid vaccination programmes.", + "title": "Reverse advent calendar: A simple idea helping Australians at Christmas", + "description": "After starting her own reverse advent calendar to help others, Heather Luttrell took the idea nationwide.", + "content": "After starting her own reverse advent calendar to help others, Heather Luttrell took the idea nationwide.", "category": "", - "link": "https://www.bbc.co.uk/news/world-56237778?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-australia-59544669?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 11:32:20 GMT", + "pubDate": "Wed, 08 Dec 2021 00:02:23 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab04b377b24fcba927c694cd9953f606" + "hash": "bdaa59132a4155a400422975837e1ce0" }, { - "title": "American Music Awards: BTS and Taylor Swift take top awards", - "description": "The K-pop band win artist of the year, while Taylor Swift picks up a record-breaking 34th award.", - "content": "The K-pop band win artist of the year, while Taylor Swift picks up a record-breaking 34th award.", + "title": "Capitol riot: Lawmakers to hold ex-Trump chief of staff in contempt", + "description": "Donald Trump has urged his former aides to refuse cooperation with the 6 January House panel.", + "content": "Donald Trump has urged his former aides to refuse cooperation with the 6 January House panel.", "category": "", - "link": "https://www.bbc.co.uk/news/entertainment-arts-59372518?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59584975?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 10:50:25 GMT", + "pubDate": "Wed, 08 Dec 2021 17:26:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25a4efa368020978e136b833f1abcc2b" + "hash": "aec20c769471aae0866908c73a881f65" }, { - "title": "War photographer: 'Telling people's stories gives me hope'", - "description": "Claire Thomas says she couldn't help people in Iraq and Afghanistan, but she could tell their stories.", - "content": "Claire Thomas says she couldn't help people in Iraq and Afghanistan, but she could tell their stories.", + "title": "Delhi pollution: Indoor air worse than outside, says study", + "description": "India's capital routinely tops the list of the world's most polluted cities.", + "content": "India's capital routinely tops the list of the world's most polluted cities.", "category": "", - "link": "https://www.bbc.co.uk/news/uk-wales-59332407?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59566158?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 10:43:45 GMT", + "pubDate": "Thu, 09 Dec 2021 03:15:36 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "894133770f86f3a6bec4759c9ee4c06e" + "hash": "63ba136f9350d4cb23d922be812f276e" }, { - "title": "'I never expected my wedding song to be a global hit'", - "description": "Nimco Happy, the Somali singer of the viral TikTok hit Isii Nafta (I love you more than my life), reacts to her new-found fame.", - "content": "Nimco Happy, the Somali singer of the viral TikTok hit Isii Nafta (I love you more than my life), reacts to her new-found fame.", + "title": "Robbie Shakespeare, influential Sly and Robbie bassist, dies aged 68", + "description": "The acclaimed Sly and Robbie bassist is credited with revolutionising the sound of reggae and dancehall.", + "content": "The acclaimed Sly and Robbie bassist is credited with revolutionising the sound of reggae and dancehall.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59369575?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59588953?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 07:38:55 GMT", + "pubDate": "Thu, 09 Dec 2021 02:23:43 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d945f3b231d0ce13780952eaead2085" + "hash": "8dad1633babd8b20f41fda1f07e2fdef" }, { - "title": "The 99-year-old cyclist who has won a world silver medal", - "description": "How a former World War Two pilot came second in a cycling competition for older people.", - "content": "How a former World War Two pilot came second in a cycling competition for older people.", + "title": "Barnaby Joyce: Australia deputy PM tests positive for Covid after UK visit", + "description": "Barnaby Joyce met with UK cabinet ministers in London and is now isolating in the US.", + "content": "Barnaby Joyce met with UK cabinet ministers in London and is now isolating in the US.", "category": "", - "link": "https://www.bbc.co.uk/news/business-59317505?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-australia-59589043?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 00:09:08 GMT", + "pubDate": "Thu, 09 Dec 2021 00:46:06 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ccc2ae3a0a0db12aff9f92e13d5bf61" + "hash": "4bf796cc7d110c67114b2457aaf691b6" }, { - "title": "TB Joshua's widow and the battle for his Nigerian church", - "description": "Five months after the death of the prominent Nigerian televangelist, services have resumed.", - "content": "Five months after the death of the prominent Nigerian televangelist, services have resumed.", + "title": "Bipin Rawat: Tributes for India's top general who died in helicopter crash", + "description": "The US, Russia and Pakistan express shock over General Bipin Rawat's death in a helicopter crash.", + "content": "The US, Russia and Pakistan express shock over General Bipin Rawat's death in a helicopter crash.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59295624?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59576082?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 00:08:48 GMT", + "pubDate": "Thu, 09 Dec 2021 04:51:20 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "56cb8b9d543a9c3a931357b421402f2b" + "hash": "b444627bf3b5c24193bd3c2046143995" }, { - "title": "Why schools are failing children on climate change", - "description": "Experts say it's time for India's schools to start teaching climate change as a distinct subject.", - "content": "Experts say it's time for India's schools to start teaching climate change as a distinct subject.", + "title": "Ethiopia: UN halts food aid in two towns after warehouses looted", + "description": "Aid workers faced \"extreme intimidation\" and were held at gunpoint by looters, the UN says.", + "content": "Aid workers faced \"extreme intimidation\" and were held at gunpoint by looters, the UN says.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59173478?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59588956?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 00:06:36 GMT", + "pubDate": "Thu, 09 Dec 2021 05:19:33 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa12d130c1b2bd5a889b5359f328366d" + "hash": "21a26640972ec9720a2dbd9bd14b7cba" }, { - "title": "Kunsthaus Zurich: Looted art claims pose questions for Swiss museum", - "description": "Emil Bührle's impressionist art collection raises problems for Zurich's big, extended Kunsthaus.", - "content": "Emil Bührle's impressionist art collection raises problems for Zurich's big, extended Kunsthaus.", + "title": "Ghislaine Maxwell: Ex-boyfriend of Maxwell accuser backs up statement", + "description": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", + "content": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59320514?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59585506?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 00:04:04 GMT", + "pubDate": "Wed, 08 Dec 2021 22:21:22 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38c003678146d44dbef13f4328ea3d08" + "hash": "3b291dad7d8c2d451df68a11036ada9b" }, { - "title": "Beirut blast: UN ignored plea for port disaster evidence", - "description": "Letters to the UN chief's office requesting key information have gone unanswered, the BBC has found.", - "content": "Letters to the UN chief's office requesting key information have gone unanswered, the BBC has found.", + "title": "UK and Canada join diplomatic boycott of China Winter Olympics", + "description": "The two nations say their diplomats will not attend the games, citing Chinese human rights abuses.", + "content": "The two nations say their diplomats will not attend the games, citing Chinese human rights abuses.", "category": "", - "link": "https://www.bbc.co.uk/news/world-middle-east-59290301?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/uk-59582137?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Mon, 22 Nov 2021 00:00:53 GMT", + "pubDate": "Wed, 08 Dec 2021 19:10:23 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e94ecb42ace0e331494144a5cd62abba" + "hash": "6c52f48f376047b9250480f93653403b" }, { - "title": "Covid: Water cannons and tear gas fired at protesters in Belgium", - "description": "Belgium is the latest country to face unrest over new Covid-19 measures, with anger spreading across Europe.", - "content": "Belgium is the latest country to face unrest over new Covid-19 measures, with anger spreading across Europe.", + "title": "Global supply chain: Lego to build $1bn factory in Vietnam", + "description": "It will be the toymaker's second manufacturing plant in Asia after it opened one in China in 2016.", + "content": "It will be the toymaker's second manufacturing plant in Asia after it opened one in China in 2016.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59368718?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59588943?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 21 Nov 2021 18:11:55 GMT", + "pubDate": "Thu, 09 Dec 2021 04:30:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "215e22c09432f2933aec0894fbbc06fe" + "hash": "c4d180d94cfa1dfddac47080d9120050" }, { - "title": "ICYMI: Snowboarding baby goes viral and motocross rider front flips off a cliff", - "description": "Snowboarding baby, Wang Yuji, goes viral in China and others stories you may have missed this week.", - "content": "Snowboarding baby, Wang Yuji, goes viral in China and others stories you may have missed this week.", + "title": "Covid: Pfizer says booster shot promising against Omicron", + "description": "The company says a third dose of its vaccine could improve protection against the new variant.", + "content": "The company says a third dose of its vaccine could improve protection against the new variant.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59346367?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59582006?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 21 Nov 2021 12:02:37 GMT", + "pubDate": "Wed, 08 Dec 2021 15:39:14 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7f6e453458e74c8d44c55c59ef42260c" + "hash": "d3642a3aa2fbe90bff5866f60e9ba24c" }, { - "title": "Ole Gunnar Solskjaer: What went wrong at Man Utd?", - "description": "Ole Gunnar Solskjaer leaves Old Trafford after a slump in form - but was it all down to him?", - "content": "Ole Gunnar Solskjaer leaves Old Trafford after a slump in form - but was it all down to him?", + "title": "Ghislaine Maxwell: Ex-boyfriend of accuser corroborates account", + "description": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", + "content": "The accuser, known in court as Carolyn, alleged she had sex with Jeffrey Epstein from age 14 to 18.", "category": "", - "link": "https://www.bbc.co.uk/sport/football/59364799?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59585506?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 21 Nov 2021 10:38:53 GMT", + "pubDate": "Wed, 08 Dec 2021 22:21:22 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55afbe3d2d62def8b14eacd27b8f4afa" + "hash": "d9139b3ee03483dfa0c3b2f13623875c" }, { - "title": "Barcelona tackles roaming wild boar problem", - "description": "Pop star Shakira is just one of the city's residents to have had problems with the animals.", - "content": "Pop star Shakira is just one of the city's residents to have had problems with the animals.", + "title": "Elizabeth Holmes testifies she 'never' misled investors", + "description": "Holmes' defence team rested their case after seven days of testimony from the Theranos founder.", + "content": "Holmes' defence team rested their case after seven days of testimony from the Theranos founder.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59352740?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59587919?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Sun, 21 Nov 2021 00:04:35 GMT", + "pubDate": "Wed, 08 Dec 2021 20:47:58 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca474f0ca62b6dfce6e766f804069d99" + "hash": "18513d4a48aeb9e5acb98db23dfed7fc" }, { - "title": "Kyle Rittenhouse: Who is US teen cleared of protest killings?", - "description": "The suspect shot three men, two of whom were armed, during racial unrest in Wisconsin.", - "content": "The suspect shot three men, two of whom were armed, during racial unrest in Wisconsin.", + "title": "Netherlands to buy Rembrandt Standard Bearer self-portrait", + "description": "The Dutch government puts aside €150m for the 1636 work, currently owned by the Rothschild family.", + "content": "The Dutch government puts aside €150m for the 1636 work, currently owned by the Rothschild family.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-53934109?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59588109?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 22:43:21 GMT", + "pubDate": "Wed, 08 Dec 2021 20:57:58 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "70fdde6c646e5b9b93e81d9e2e7da8ff" + "hash": "13988105b58b592a17b1ff6f41ce4d1f" }, { - "title": "Belarus's Lukashenko tells BBC: We may have helped migrants into EU", - "description": "In an exclusive interview, Alexander Lukashenko says it was \"absolutely possible\" migrants had help.", - "content": "In an exclusive interview, Alexander Lukashenko says it was \"absolutely possible\" migrants had help.", + "title": "Tiger Woods will make his return at PNC Championship alongside son Charlie", + "description": "Tiger Woods will make his comeback playing alongside son Charlie at the PNC Championship in Florida next week.", + "content": "Tiger Woods will make his comeback playing alongside son Charlie at the PNC Championship in Florida next week.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59343815?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/sport/golf/59585790?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 22:24:03 GMT", + "pubDate": "Wed, 08 Dec 2021 17:45:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d05d83f9f0bd6ab8e9c0aa9e64c38ebf" + "hash": "6a3edf2b96fdccc7afc63f24f8849ca2" }, { - "title": "Kyle Rittenhouse: US teenager cleared over Kenosha killings", - "description": "Kyle Rittenhouse killed two men and injured a third at racial justice protests in Kenosha, Wisconsin.", - "content": "Kyle Rittenhouse killed two men and injured a third at racial justice protests in Kenosha, Wisconsin.", + "title": "Jamal Khashoggi: France releases Saudi man held over journalist's murder", + "description": "A man with the same name as a suspect in the killing was arrested at a Paris airport on Tuesday.", + "content": "A man with the same name as a suspect in the killing was arrested at a Paris airport on Tuesday.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59352228?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59580631?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:46:02 GMT", + "pubDate": "Wed, 08 Dec 2021 15:55:37 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c648e9b5f78e8704606c5f658290faf1" + "hash": "6be91e23715bc81bc67d628c34ac1304" }, { - "title": "Peng Shuai: US 'deeply concerned' over Chinese tennis star", - "description": "Peng Shuai, 35, has not been heard from since she accused a top Chinese official of sexual assault.", - "content": "Peng Shuai, 35, has not been heard from since she accused a top Chinese official of sexual assault.", + "title": "Sanna Marin: Finland's PM sorry for clubbing after Covid contact", + "description": "Sanna Marin went on a night out on Saturday, hours after her foreign minister had tested positive.", + "content": "Sanna Marin went on a night out on Saturday, hours after her foreign minister had tested positive.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-china-59327679?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59577371?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:31:12 GMT", + "pubDate": "Wed, 08 Dec 2021 14:50:56 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a723ed62d265e517684a6c6fee012339" + "hash": "40698a46ee28445dd62df32b39b7d879" }, { - "title": "In pictures: British Columbia devastated by catastrophic floods", - "description": "The flooding in Canada's west may be the most expensive natural disaster in the country's history.", - "content": "The flooding in Canada's west may be the most expensive natural disaster in the country's history.", + "title": "Boss says sorry for 'blundered' Zoom firing of 900 staff", + "description": "Vishal Garg says he \"is deeply sorry\" for sacking 900 staff in an online meeting.", + "content": "Vishal Garg says he \"is deeply sorry\" for sacking 900 staff in an online meeting.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59352803?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/business-59573146?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 21:24:22 GMT", + "pubDate": "Wed, 08 Dec 2021 16:38:23 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "579cb96a4121049d464911da10488a26" + "hash": "274e66f75e703d9949cbe27f4b5c1d06" }, { - "title": "DR Congo data leak: Millions transferred to Joseph Kabila allies", - "description": "Family and friends of former DR Congo President Joseph Kabila are named by Africa's biggest data leak.", - "content": "Family and friends of former DR Congo President Joseph Kabila are named by Africa's biggest data leak.", + "title": "Robert E Lee: Confederate general statue to be turned into art", + "description": "The statue was at the centre of a white nationalist rally in 2017, which led to the death of a woman.", + "content": "The statue was at the centre of a white nationalist rally in 2017, which led to the death of a woman.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59343922?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-us-canada-59577720?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 17:57:59 GMT", + "pubDate": "Wed, 08 Dec 2021 12:25:21 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac92bff0ab3e0d108d59190df13ab416" + "hash": "0ff77af0f21ea376cf97601f146162f7" }, { - "title": "Kamala Harris: First woman to get US presidential powers (briefly)", - "description": "Vice-President Kamala Harris briefly took control during Joe Biden's routine health check.", - "content": "Vice-President Kamala Harris briefly took control during Joe Biden's routine health check.", + "title": "Germany's Olaf Scholz takes over from Merkel as chancellor", + "description": "Olaf Scholz is confirmed as chancellor, leading a three-party coalition after 16 years of Merkel rule.", + "content": "Olaf Scholz is confirmed as chancellor, leading a three-party coalition after 16 years of Merkel rule.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59352170?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59575773?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 17:44:18 GMT", + "pubDate": "Wed, 08 Dec 2021 10:36:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "62e80eb265d267cd27b9d2008a26fb13" + "hash": "078f371920966b9178bf6a7dfe779842" }, { - "title": "Austria to go into full lockdown as Covid surges", - "description": "As well as Monday's lockdown, the chancellor says vaccinations will be compulsory from February.", - "content": "As well as Monday's lockdown, the chancellor says vaccinations will be compulsory from February.", + "title": "How Bangladeshis are lured into slavery in Libya", + "description": "A 19-year-old tells of his harrowing ordeal at the hands of traffickers who tricked him and his parents.", + "content": "A 19-year-old tells of his harrowing ordeal at the hands of traffickers who tricked him and his parents.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59343650?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-africa-59528818?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:49:00 GMT", + "pubDate": "Wed, 08 Dec 2021 00:40:44 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "093210740231d88f7948e5a107ce400b" + "hash": "b3309b3c4f71e63480569162b2699e18" }, { - "title": "Belarus president tells BBC: ‘We won’t stop the migrants’", - "description": "In an exclusive interview, President Lukashenko tells the BBC it’s “absolutely possible” his forces helped migrants cross into Poland.", - "content": "In an exclusive interview, President Lukashenko tells the BBC it’s “absolutely possible” his forces helped migrants cross into Poland.", + "title": "The ‘gals’ behind Samoa’s first woman PM", + "description": "Samoa's first woman prime minister has been supported throughout her career by a group of powerful female friends.", + "content": "Samoa's first woman prime minister has been supported throughout her career by a group of powerful female friends.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59353683?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59569649?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:43:52 GMT", + "pubDate": "Wed, 08 Dec 2021 01:31:08 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "621a46140d41fb9a58dbfa624d7b3cca" + "hash": "2ccf44fce2670d1642de535ddbd4f901" }, { - "title": "Africa is the future, says US. But what will change?", - "description": "US Secretary of State Antony Blinken talks of partnerships and avoids condescending lectures of the past.", - "content": "US Secretary of State Antony Blinken talks of partnerships and avoids condescending lectures of the past.", + "title": "What the data tells us about love and marriage in India", + "description": "A data journalist looks at numbers to offer a remarkably rich view of love in India and its many trials.", + "content": "A data journalist looks at numbers to offer a remarkably rich view of love in India and its many trials.", "category": "", - "link": "https://www.bbc.co.uk/news/world-africa-59327059?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59530706?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:43:28 GMT", + "pubDate": "Wed, 08 Dec 2021 00:22:06 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "45f35b0e1a3e94bab1850298fe1be5ee" + "hash": "d128bb9a34d7767f27b9853e4c91a456" }, { - "title": "Elijah McClain family to receive $15m settlement from Colorado", - "description": "Elijah McClain was put in a chokehold and injected with ketamine after being stopped by police.", - "content": "Elijah McClain was put in a chokehold and injected with ketamine after being stopped by police.", + "title": "Indonesia's biodiesel drive is leading to deforestation", + "description": "Indonesia aims to use biofuels to cut greenhouse gas emissions, but it may damage its forests in the process.", + "content": "Indonesia aims to use biofuels to cut greenhouse gas emissions, but it may damage its forests in the process.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59351260?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/59387191?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:05:58 GMT", + "pubDate": "Wed, 08 Dec 2021 00:37:31 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ec1339b2280786c7a129a2260846d05" + "hash": "d540ff12461686980f090ebe10e2c47f" }, { - "title": "US House votes to pass $1.9tn social spending plan", - "description": "The Build Back Better Act now heads to the Senate, where it faces significant hurdles.", - "content": "The Build Back Better Act now heads to the Senate, where it faces significant hurdles.", + "title": "Indonesia volcano: BBC reporter surrounded by houses buried in ash", + "description": "Watch Valdya Baraputri in Indonesia describe the path of destruction from Mount Semeru's eruption.", + "content": "Watch Valdya Baraputri in Indonesia describe the path of destruction from Mount Semeru's eruption.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59351261?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59560809?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 16:03:01 GMT", + "pubDate": "Tue, 07 Dec 2021 11:41:38 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ca02054e34a03a970dc5d98d43b358e" + "hash": "48dde6b43ac9f546288452cb55aabe12" }, { - "title": "Brazil: Amazon sees worst deforestation levels in 15 years", - "description": "The figures come after Brazil promised to end the practice by 2030 during the COP climate summit.", - "content": "The figures come after Brazil promised to end the practice by 2030 during the COP climate summit.", + "title": "Rebel Wilson on weight loss: I know what it’s like to be invisible", + "description": "The actress, producer and director opens up about her weight loss, in an exclusive BBC interview.", + "content": "The actress, producer and director opens up about her weight loss, in an exclusive BBC interview.", "category": "", - "link": "https://www.bbc.co.uk/news/world-latin-america-59341770?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59519160?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 09:47:31 GMT", + "pubDate": "Tue, 07 Dec 2021 00:02:38 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cd76efca2b6f68f109bd03f18a4a3eca" + "hash": "734cf8c5fca74a947f801cf88f8bc881" }, { - "title": "Farm laws: India PM Narendra Modi repeals controversial reforms", - "description": "Indian PM Narendra Modi has announced the repeal of controversial farm laws.", - "content": "Indian PM Narendra Modi has announced the repeal of controversial farm laws.", + "title": "Indonesia volcano: How I escaped the deadly Mt Semeru eruption", + "description": "Watch as this survivor describes how he escaped the deadly Mt Semeru eruption in Indonesia.", + "content": "Watch as this survivor describes how he escaped the deadly Mt Semeru eruption in Indonesia.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59342627?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59553764?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 07:09:18 GMT", + "pubDate": "Mon, 06 Dec 2021 20:45:51 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d17344f674995505777eb1fc5ce9330f" + "hash": "0642f978b9c370a6f9ea9e307591e3d3" }, { - "title": "Viewpoint: When Hindus and Muslims joined hands to riot", - "description": "What can 100-year-old riots, where Hindus and Muslims fought on the same side, teach us?", - "content": "What can 100-year-old riots, where Hindus and Muslims fought on the same side, teach us?", + "title": "Bipin Rawat: India's top general dies in helicopter crash", + "description": "General Bipin Rawat was killed alongside his wife and 11 others in the crash in Tamil Nadu.", + "content": "General Bipin Rawat was killed alongside his wife and 11 others in the crash in Tamil Nadu.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-india-59174930?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59576082?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 01:12:24 GMT", + "pubDate": "Wed, 08 Dec 2021 15:15:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18175df8043ff3ae7b920c947f74eecc" + "hash": "020f856a849ab872409ef45555acf247" }, { - "title": "Why France's Zemmour is dredging up World War Two", - "description": "The TV pundit is a likely presidential candidate but his views on wartime history are controversial.", - "content": "The TV pundit is a likely presidential candidate but his views on wartime history are controversial.", + "title": "Russia Ukraine: Sending US troops not on table - Biden", + "description": "The US president says a Western response to a Russian invasion would not include boots on the ground.", + "content": "The US president says a Western response to a Russian invasion would not include boots on the ground.", "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59329974?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59582013?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 01:09:48 GMT", + "pubDate": "Wed, 08 Dec 2021 18:08:39 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "948753fc03e1bfe84420783d6d3476e1" + "hash": "04464e3aa88f47e3ae76b6fc35609bee" }, { - "title": "Malaysian transgender woman Nur Sajat: 'I had to run away'", - "description": "Transgender woman Nur Sajat fled Malaysia after being charged with insulting Islam.", - "content": "Transgender woman Nur Sajat fled Malaysia after being charged with insulting Islam.", + "title": "Covid: Vaccines should work against Omicron variant, WHO says", + "description": "A small study in South Africa suggests the new variant could partially evade the Pfizer jab.", + "content": "A small study in South Africa suggests the new variant could partially evade the Pfizer jab.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59286774?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-59573037?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 01:02:11 GMT", + "pubDate": "Wed, 08 Dec 2021 00:57:13 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d6161b78c13406468e593e95706f7145" + "hash": "b69923565f7bfb73b03349e3daf947b5" }, { - "title": "Afghanistan: The teenage girls returning to school under the Taliban", - "description": "The BBC's John Simpson visits Bamiyan and finds some girls are attending secondary school in Afghanistan.", - "content": "The BBC's John Simpson visits Bamiyan and finds some girls are attending secondary school in Afghanistan.", + "title": "Bipin Rawat: India's top general in helicopter crash", + "description": "Chief of Defence Staff General Bipin Rawat was in the helicopter which crashed in southern India.", + "content": "Chief of Defence Staff General Bipin Rawat was in the helicopter which crashed in southern India.", "category": "", - "link": "https://www.bbc.co.uk/news/world-asia-59340356?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59576082?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 00:26:02 GMT", + "pubDate": "Wed, 08 Dec 2021 10:13:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "69cabad667ce04a8980e88eeac1404b6" + "hash": "8412ef17313c1ab68fdb52118c42752d" }, { - "title": "Australian school food van: 'I didn't believe in myself until I got this job'", - "description": "An Australian school is using a food van to help struggling students explore new avenues.", - "content": "An Australian school is using a food van to help struggling students explore new avenues.", + "title": "Biden warns Putin of 'strong measures' amid Ukraine invasion fears", + "description": "In a call with President Biden, Russia's Vladimir Putin seeks guarantees against eastward Nato expansion.", + "content": "In a call with President Biden, Russia's Vladimir Putin seeks guarantees against eastward Nato expansion.", "category": "", - "link": "https://www.bbc.co.uk/news/world-australia-59257766?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-europe-59567377?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 00:16:16 GMT", + "pubDate": "Tue, 07 Dec 2021 21:52:06 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b6ba32e2c4089e8d2d89215f34591f1" + "hash": "85f242268e7b4a09ce49a8035ec77e81" }, { - "title": "Ros Atkins on... the missing Chinese tennis star Peng Shuai", - "description": "Questions remain about the whereabouts of Peng Shuai, after she accused a top Chinese government official of sexual assault.", - "content": "Questions remain about the whereabouts of Peng Shuai, after she accused a top Chinese government official of sexual assault.", + "title": "Myanmar: Soldiers accused of shooting, burning 13 villagers", + "description": "Myanmar villagers say soldiers carried out the killings in response to an attack on a military convoy.", + "content": "Myanmar villagers say soldiers carried out the killings in response to an attack on a military convoy.", "category": "", - "link": "https://www.bbc.co.uk/news/world-59341755?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-59574528?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Fri, 19 Nov 2021 00:08:34 GMT", + "pubDate": "Wed, 08 Dec 2021 08:23:30 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4667c41dd20dee9f25fef70cf4ccc947" + "hash": "9ed1ca00c45b8277b0d1e3ec3b70104c" }, { - "title": "The doctor fleeing Tennessee over Covid", - "description": "The former head of the US state's vaccine rollout has been forced out after threats and taunts.", - "content": "The former head of the US state's vaccine rollout has been forced out after threats and taunts.", + "title": "Covishield: India vaccine maker halves production", + "description": "The Serum Institute is sitting on a stockpile of 500 million doses of Covishield, its CEO said.", + "content": "The Serum Institute is sitting on a stockpile of 500 million doses of Covishield, its CEO said.", "category": "", - "link": "https://www.bbc.co.uk/news/world-us-canada-59335010?at_medium=RSS&at_campaign=KARANGA", + "link": "https://www.bbc.co.uk/news/world-asia-india-59574878?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 18 Nov 2021 21:34:49 GMT", + "pubDate": "Wed, 08 Dec 2021 07:56:41 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25a34e71a3d136c6d26773934d97a3ff" + "hash": "60e0e5c3f4f1268ffe456fa3bb127b22" }, { - "title": "The family of asylum-seekers trapped on Europe’s edge", - "description": "A BBC team filmed a couple and their two-year-old daughter as they attempted to cross the Bosnia-Croatia border into the EU in search of asylum for the 40th time.", - "content": "A BBC team filmed a couple and their two-year-old daughter as they attempted to cross the Bosnia-Croatia border into the EU in search of asylum for the 40th time.", - "category": "", - "link": "https://www.bbc.co.uk/news/world-europe-59325777?at_medium=RSS&at_campaign=KARANGA", + "title": "China is biggest captor of journalists, says report", + "description": "Advocacy group Reporters Without Borders said at least 127 journalists are currently detained.", + "content": "Advocacy group Reporters Without Borders said at least 127 journalists are currently detained.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-china-59544226?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "Thu, 18 Nov 2021 05:59:26 GMT", - "folder": "00.03 News/News - EN", - "feed": "BBC Worldwide", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "574704d6a882191b6aca4393241a6ea0" - } - ], - "folder": "00.03 News/News - EN", - "name": "BBC Worldwide", - "language": "en", - "hash": "59d739939902ce3799242c8149a06d1f" - }, - { - "title": "Lifehacker", - "subtitle": "", - "link": "https://lifehacker.com", - "image": null, - "description": "Do everything better", - "items": [ - { - "title": "Use This Interactive Map to Find the Best Holiday Lights in Your Area", - "description": "

    For a few weeks each year, some people make the decision to adorn the outside of their home and yard with strings lights and face a higher-than-usual electric bill in order to spread some holiday cheer in their neighborhood. But sometimes the most elaborately decorated houses aren’t located on main roads.

    Read more...

    ", - "content": "

    For a few weeks each year, some people make the decision to adorn the outside of their home and yard with strings lights and face a higher-than-usual electric bill in order to spread some holiday cheer in their neighborhood. But sometimes the most elaborately decorated houses aren’t located on main roads.

    Read more...

    ", - "category": "crime mapping", - "link": "https://lifehacker.com/use-this-interactive-map-to-find-the-best-holiday-light-1848197353", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 11 Dec 2021 16:00:00 GMT", + "pubDate": "Wed, 08 Dec 2021 06:37:24 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8cfdf6256b8b1cd30b365298dedfa4f5" + "hash": "828b0672f87ac9f937578849662416af" }, { - "title": "How to Improve Your Garden Soil Quality Over the Winter", - "description": "

    After you’ve cleaned up the beds and put the hose and most of your tools away for the season, you may think that there’s nothing else you can do to set your garden up for success in the spring. But that’s not the case.

    Read more...

    ", - "content": "

    After you’ve cleaned up the beds and put the hose and most of your tools away for the season, you may think that there’s nothing else you can do to set your garden up for success in the spring. But that’s not the case.

    Read more...

    ", - "category": "soil", - "link": "https://lifehacker.com/how-to-improve-your-garden-soil-quality-over-the-winter-1848197329", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 11 Dec 2021 14:00:00 GMT", + "title": "Eilish, cheugy and Omicron among 2021's most mispronounced words", + "description": "Billie Eilish, cheugy and Glasgow also feature on a list of the words people find trickiest to say.", + "content": "Billie Eilish, cheugy and Glasgow also feature on a list of the words people find trickiest to say.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59573797?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 04:38:44 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52429ee343955f907c7c57feb6afcbfe" + "hash": "1ddc00e003c6917ed01da6815bb8b6af" }, { - "title": "How to Get Rid of a Bunch of Jerk Pigeons", - "description": "

    Pigeons are pests. There are reasons city-dwellers call them “rats with wings”: They multiply quickly—reproducing over the course of just a few weeks—and drive away other bird species. Their droppings are gross, and they can carry and spread a range of parasites and diseases. They can also cause problems around your…

    Read more...

    ", - "content": "

    Pigeons are pests. There are reasons city-dwellers call them “rats with wings”: They multiply quickly—reproducing over the course of just a few weeks—and drive away other bird species. Their droppings are gross, and they can carry and spread a range of parasites and diseases. They can also cause problems around your…

    Read more...

    ", - "category": "domestic pigeons", - "link": "https://lifehacker.com/how-to-get-rid-of-a-bunch-of-asshole-pigeons-1848189704", - "creator": "Emily Long", - "pubDate": "Fri, 10 Dec 2021 21:30:00 GMT", + "title": "Japanese billionaire blasts off to International Space Station", + "description": "Yusaku Maezawa will spend 12 days at the International Space Station before returning to Earth.", + "content": "Yusaku Maezawa will spend 12 days at the International Space Station before returning to Earth.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59544223?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 09:57:11 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d78bc7f07e4a211f16a9ca5baf58df2" + "hash": "4a92117f3ed9f3b5c1974f8b886c2e7d" }, { - "title": "All the Ways You're Being Rude on Dating Apps Without Realizing It", - "description": "

    Within every dating app’s direct messages is a delicate dance. You want to be forward without coming on too strong. You want to play it cool without losing someone’s interest. You want to be flirty without scaring someone off.

    Read more...

    ", - "content": "

    Within every dating app’s direct messages is a delicate dance. You want to be forward without coming on too strong. You want to play it cool without losing someone’s interest. You want to be flirty without scaring someone off.

    Read more...

    ", - "category": "someone else", - "link": "https://lifehacker.com/all-the-ways-youre-being-rude-on-dating-apps-without-re-1848188540", - "creator": "Meredith Dietz", - "pubDate": "Fri, 10 Dec 2021 20:30:00 GMT", + "title": "Ghislaine Maxwell: Jury sees never-before-seen photos of Epstein and defendant", + "description": "FBI agents submit previously unseen photo evidence as third accuser testifies in Maxwell trial.", + "content": "FBI agents submit previously unseen photo evidence as third accuser testifies in Maxwell trial.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59571857?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 21:20:10 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4623a8cf98e9aca23924f7a67bdd0633" + "hash": "5b30df757fd86e53d9392494fb48336c" }, { - "title": "Always Label Your Leftovers, And Other Ways to Stop Your Family From Wasting Them", - "description": "

    If you’re like me, remembering to eat your leftovers is a losing game. Every week, I diligently scoop uneaten tilapia, sweet potatoes, pasta, meatballs—hell, even a half-eaten avocado—into airtight Tupperware containers. And every week, I toss those suckers in the disposal then descend into a low-grade shame spiral…

    Read more...

    ", - "content": "

    If you’re like me, remembering to eat your leftovers is a losing game. Every week, I diligently scoop uneaten tilapia, sweet potatoes, pasta, meatballs—hell, even a half-eaten avocado—into airtight Tupperware containers. And every week, I toss those suckers in the disposal then descend into a low-grade shame spiral…

    Read more...

    ", - "category": "leftovers", - "link": "https://lifehacker.com/always-label-your-leftovers-and-other-ways-to-stop-you-1848195306", - "creator": "Sarah Showfety", - "pubDate": "Fri, 10 Dec 2021 20:00:00 GMT", + "title": "2022 Beijing Winter Olympics: Australia joins US diplomatic boycott", + "description": "The US is leading the diplomatic boycott of the 2022 Winter Olympics, over human rights concerns.", + "content": "The US is leading the diplomatic boycott of the 2022 Winter Olympics, over human rights concerns.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59573500?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 00:37:52 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89131464f3ace38c3339e40dc19c10d6" + "hash": "a9969fec20615d94868443ac90125021" }, { - "title": "The Best Places to Hide Christmas Gifts That You Never Thought Of", - "description": "

    There is a scene in National Lampoons Christmas Vacation that has never sat well with me (yes, just the one). Clark Griswold sneaks up to the attic to hide a bag full of Christmas presents, only to discover an old, dust-covered Mother’s Day gift dated 1983 hidden in the very same spot. (Given that the movie was…

    Read more...

    ", - "content": "

    There is a scene in National Lampoons Christmas Vacation that has never sat well with me (yes, just the one). Clark Griswold sneaks up to the attic to hide a bag full of Christmas presents, only to discover an old, dust-covered Mother’s Day gift dated 1983 hidden in the very same spot. (Given that the movie was…

    Read more...

    ", - "category": "christmas", - "link": "https://lifehacker.com/the-best-places-to-hide-christmas-gifts-that-you-never-1848194754", - "creator": "Meghan Moravcik Walbert", - "pubDate": "Fri, 10 Dec 2021 19:30:00 GMT", + "title": "Mahbouba Seraj: Afghanistan is a country in trouble", + "description": "Mahbouba Seraj is a prominent Afghan women’s rights activist. She has a personal message for the Taliban.", + "content": "Mahbouba Seraj is a prominent Afghan women’s rights activist. She has a personal message for the Taliban.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59555481?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:05:28 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7104d17386aaca9930a46daff1b3f89" + "hash": "773ea23f9d74f3bd6e153c89b271eb2e" }, { - "title": "Easy Ways to Clean Up Your Finances Now, Before Another Year Begins", - "description": "

    Taking stock of your finances at the end of the year is always a smart move, but it can feel overwhelming—which makes it all too easy to put off. If a full postmortem of your 2021 budget is just too much right now, here a few quick ways to get started.

    Read more...

    ", - "content": "

    Taking stock of your finances at the end of the year is always a smart move, but it can feel overwhelming—which makes it all too easy to put off. If a full postmortem of your 2021 budget is just too much right now, here a few quick ways to get started.

    Read more...

    ", - "category": "venmo", - "link": "https://lifehacker.com/easy-ways-to-clean-up-your-finances-now-before-another-1848194688", - "creator": "A.A. Newton", - "pubDate": "Fri, 10 Dec 2021 19:00:00 GMT", + "title": "Chinese social media giant Weibo's shares fall in Hong Kong debut", + "description": "Last week, Chinese ride-hailing giant Didi said it will move its listing to Hong Kong from the US.", + "content": "Last week, Chinese ride-hailing giant Didi said it will move its listing to Hong Kong from the US.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59558150?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 02:15:04 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2f581a263c40c571b991fe31a85c8254" + "hash": "fc3d670e01a8fce03f2af28a0f68e45a" }, { - "title": "What You Need Is a Snackle Box", - "description": "

    Snacking is an art, and some people are more artistically inclined than others. Children usually have a natural aptitude for snacking, which forces people with kids to develop snack-building skills out of necessity, so if we were to trace the history of the snackle box back to its inventor, I’m sure we would find a…

    Read more...

    ", - "content": "

    Snacking is an art, and some people are more artistically inclined than others. Children usually have a natural aptitude for snacking, which forces people with kids to develop snack-building skills out of necessity, so if we were to trace the history of the snackle box back to its inventor, I’m sure we would find a…

    Read more...

    ", - "category": "snack", - "link": "https://lifehacker.com/what-you-need-is-a-snackle-box-1848194985", - "creator": "Claire Lower", - "pubDate": "Fri, 10 Dec 2021 18:30:00 GMT", + "title": "Jamal Khashoggi: Suspect in murder of journalist arrested in Paris", + "description": "French media say Khaled Aedh Alotaibi was arrested at Charles-de-Gaulle airport on Tuesday.", + "content": "French media say Khaled Aedh Alotaibi was arrested at Charles-de-Gaulle airport on Tuesday.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59561881?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 17:43:08 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b7040691fbbe311d834ca485c2d9b566" + "hash": "583d9ede11c98c6c85ac60b3d0566c73" }, { - "title": "Are You Eligible to Buy AppleCare+ After 60 Days?", - "description": "

    When you first buy an expensive new Apple product, AppleCare+ might seem like an unnecessary added cost. After all, you’re going to treat this shiny piece of tech with the utmost care; you’re not going to let anything happen to it! Inevitably, you realize your folly, either because you shattered your iPhone’s display,…

    Read more...

    ", - "content": "

    When you first buy an expensive new Apple product, AppleCare+ might seem like an unnecessary added cost. After all, you’re going to treat this shiny piece of tech with the utmost care; you’re not going to let anything happen to it! Inevitably, you realize your folly, either because you shattered your iPhone’s display,…

    Read more...

    ", - "category": "applecare", - "link": "https://lifehacker.com/are-you-eligible-to-buy-applecare-after-60-days-1848193780", - "creator": "Jake Peterson", - "pubDate": "Fri, 10 Dec 2021 17:30:00 GMT", + "title": "Google sues alleged Russian cyber criminals", + "description": "Hackers behind a malicious \"botnet\" may have used their network to infect over a million computers.", + "content": "Hackers behind a malicious \"botnet\" may have used their network to infect over a million computers.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59571417?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:30:30 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89f099d649b5b85bb7503e2e8de8c611" + "hash": "9ea23264e5c95882bb34836d1a81eadb" }, { - "title": "How to Start Speed Training Without Getting Injured", - "description": "

    Starting a running habit is hard in the beginning, but also really satisfying—especially when you hit a big goals like running your first 5K or setting a new personal record. For every new runner, though, there comes a time when you start asking “what next?” 

    Read more...

    ", - "content": "

    Starting a running habit is hard in the beginning, but also really satisfying—especially when you hit a big goals like running your first 5K or setting a new personal record. For every new runner, though, there comes a time when you start asking “what next?” 

    Read more...

    ", - "category": "anthony wall", - "link": "https://lifehacker.com/how-to-start-speed-training-without-getting-injured-1848193655", - "creator": "Rachel Fairbank", - "pubDate": "Fri, 10 Dec 2021 17:00:00 GMT", + "title": "Bitcoin 'founder' to keep 1m Bitcoin cache", + "description": "A jury decided Craig Wright, who says he created the cryptocurrency, can retain bitcoin worth billions of dollars.", + "content": "A jury decided Craig Wright, who says he created the cryptocurrency, can retain bitcoin worth billions of dollars.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59571277?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 20:10:41 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e66f123e5af668a97835f7de459c4f1e" + "hash": "7a0ce9a402fc45e1bdacdcedc4334f21" }, { - "title": "10 Clever Gift Ideas for the Person on Your List Who Has Everything", - "description": "

    On the one hand, giving a gift is a gesture of affection; on the other hand, gifts are sometimes stressful social obligations. Shopping for the right gift for everyone on your list is hard enough when the people on that list are easily pleased—you can buy alcohol, food, or gadgets for most folks and they’re over the…

    Read more...

    ", - "content": "

    On the one hand, giving a gift is a gesture of affection; on the other hand, gifts are sometimes stressful social obligations. Shopping for the right gift for everyone on your list is hard enough when the people on that list are easily pleased—you can buy alcohol, food, or gadgets for most folks and they’re over the…

    Read more...

    ", - "category": "gift", - "link": "https://lifehacker.com/10-clever-gift-ideas-for-the-person-on-your-list-who-ha-1848192545", - "creator": "Jeff Somers", - "pubDate": "Fri, 10 Dec 2021 16:30:00 GMT", + "title": "Nearly 70 Spanish medics Covid positive after Christmas party", + "description": "The outbreak among ICU staff in Málaga is believed to have started at a Christmas party last week.", + "content": "The outbreak among ICU staff in Málaga is believed to have started at a Christmas party last week.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59561876?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 11:51:26 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83453c671e37f4ff5ae9153b6161346f" + "hash": "bf61a15818d491b9618a816856650117" }, { - "title": "The Out-of-Touch Adults' Guide To Kid Culture: Why Does Reddit Hate Kellogg's?", - "description": "

    It’s been a slow-week in the world of popular culture for kids. I guess everyone is too busy studying for final exams and holiday shopping to make memes or create dangerous “TikTok challenges.” Still, young people found time to organize a massive online labor action and cook gigantic hamburgers.

    Read more...

    ", - "content": "

    It’s been a slow-week in the world of popular culture for kids. I guess everyone is too busy studying for final exams and holiday shopping to make memes or create dangerous “TikTok challenges.” Still, young people found time to organize a massive online labor action and cook gigantic hamburgers.

    Read more...

    ", - "category": "culture", - "link": "https://lifehacker.com/the-out-of-touch-adults-guide-to-kid-culture-why-does-1848191373", - "creator": "Stephen Johnson", - "pubDate": "Fri, 10 Dec 2021 16:00:00 GMT", + "title": "Chile same-sex marriage: Law overwhelmingly approved by parliament", + "description": "A law allowing same-sex marriage is approved in the historically Catholic Latin American country.", + "content": "A law allowing same-sex marriage is approved in the historically Catholic Latin American country.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59570576?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:12:02 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c190c038f6c56da6c5bf1ab7a73d0b25" + "hash": "47896c95723e5c9d20e408c0328066fb" }, { - "title": "13 of the Worst Tech Gifts You Shouldn't Buy (and What to Buy Instead)", - "description": "

    It’s the season of giving, and many of us will be giving (and hoping to get) tech gifts this year. Maybe you’re surprising a family member a smartwatch, or a nice iPhone case. A tablet. A smart speaker.

    Read more...

    ", - "content": "

    It’s the season of giving, and many of us will be giving (and hoping to get) tech gifts this year. Maybe you’re surprising a family member a smartwatch, or a nice iPhone case. A tablet. A smart speaker.

    Read more...

    ", - "category": "smartbooks", - "link": "https://lifehacker.com/13-of-the-worst-tech-gifts-you-shouldnt-buy-and-what-t-1848191533", - "creator": "Khamosh Pathak", - "pubDate": "Fri, 10 Dec 2021 15:30:00 GMT", + "title": "Afghanistan: Girls' despair as Taliban confirms secondary school ban", + "description": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", + "content": "The BBC hears about the ban's harmful impact from teachers and students in 13 Afghan provinces.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59565558?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 00:17:51 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1cefe8477ae643f1b4d239feedd334cc" + "hash": "2a6e55047f3ece19d9927c27e5bd487c" }, { - "title": "How to Avoid Being Up-Sold at the Hardware Store", - "description": "

    Hardware stores can be intimidating places for the average DIYer. There are so many different types of tools, fasteners, appliances, paints, and adhesives that it can be daunting to try to distinguish one product claim from another. And then you have to wonder: Is the store employee giving you their best, most honest…

    Read more...

    ", - "content": "

    Hardware stores can be intimidating places for the average DIYer. There are so many different types of tools, fasteners, appliances, paints, and adhesives that it can be daunting to try to distinguish one product claim from another. And then you have to wonder: Is the store employee giving you their best, most honest…

    Read more...

    ", - "category": "hardware store", - "link": "https://lifehacker.com/how-to-avoid-being-up-sold-at-the-hardware-store-1848183749", - "creator": "Becca Lewis", - "pubDate": "Fri, 10 Dec 2021 15:00:00 GMT", + "title": "Amazon services down for thousands of users", + "description": "Customers of the e-commerce giant report problems with shopping services, Prime Video and Alexa.", + "content": "Customers of the e-commerce giant report problems with shopping services, Prime Video and Alexa.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59568858?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:23:20 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e9f717fd706e62900bb24db670700c85" + "hash": "03df78f3068e81a0fae2b58cfb0674f2" }, { - "title": "Teens Ages 16 and 17 Can Now Get COVID-19 Booster Shots", - "description": "

    The FDA and CDC announced yesterday that Pfizer’s COVID-19 shot can now be used as a booster for 16- and 17-year-olds. Until now, boosters were only approved for ages 18 and up.

    Read more...

    ", - "content": "

    The FDA and CDC announced yesterday that Pfizer’s COVID-19 shot can now be used as a booster for 16- and 17-year-olds. Until now, boosters were only approved for ages 18 and up.

    Read more...

    ", - "category": "moderna", - "link": "https://lifehacker.com/teens-ages-16-and-17-can-now-get-covid-19-booster-shots-1848192639", - "creator": "Beth Skwarecki", - "pubDate": "Fri, 10 Dec 2021 14:30:00 GMT", + "title": "Michael Steinhardt: US billionaire hands over antiquities worth $70m", + "description": "Michael Steinhardt is banned for life from buying such treasures following an investigation.", + "content": "Michael Steinhardt is banned for life from buying such treasures following an investigation.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59543021?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 15:07:57 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4fa57e0305039161daf6e030d7612a04" + "hash": "0df8cc40b7d82af25e0e57a3b76f824d" }, { - "title": "How to Prepare for a Solar Flare Hitting Earth (Because It's Probably Going to Happen)", - "description": "

    In the Tom Hanks movie Finch, a massive solar flare destroys the ozone layer, annihilating almost all life on Earth (and leading to the invention of annoying robots). While a mass coronal ejection really could hit Earth at any time—a sun-like star 100 light years away called EK…

    Read more...

    ", - "content": "

    In the Tom Hanks movie Finch, a massive solar flare destroys the ozone layer, annihilating almost all life on Earth (and leading to the invention of annoying robots). While a mass coronal ejection really could hit Earth at any time—a sun-like star 100 light years away called EK…

    Read more...

    ", - "category": "environment", - "link": "https://lifehacker.com/how-to-prepare-for-a-solar-flare-hitting-earth-because-1848076402", - "creator": "Stephen Johnson", - "pubDate": "Fri, 10 Dec 2021 14:00:00 GMT", + "title": "Afghanistan: Foreign Office chaotic during Kabul evacuation - whistleblower", + "description": "Thousands of pleas for help went unread and the foreign secretary lacked urgency, an ex-official says.", + "content": "Thousands of pleas for help went unread and the foreign secretary lacked urgency, an ex-official says.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-59549868?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 10:06:27 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42a97ca18fb453391bd9d32c42d0d849" + "hash": "3ff3fb7e067d2240868d7cc185887bb3" }, { - "title": "Actually, Stamps Are a Great Stocking Stuffer (I’m Right About This)", - "description": "

    As I’ve mentioned previously, my family takes stockings very seriously. A good stocking is all about balance. Some candy here, a clementine there, some cute beauty products to round it all out—you want to create a varied collection of tokens and trinkets to keep the stocking from being one-note.

    Read more...

    ", - "content": "

    As I’ve mentioned previously, my family takes stockings very seriously. A good stocking is all about balance. Some candy here, a clementine there, some cute beauty products to round it all out—you want to create a varied collection of tokens and trinkets to keep the stocking from being one-note.

    Read more...

    ", - "category": "postage stamps", - "link": "https://lifehacker.com/actually-stamps-are-a-great-stocking-stuffer-i-m-righ-1848189044", - "creator": "Claire Lower", - "pubDate": "Fri, 10 Dec 2021 13:30:00 GMT", + "title": "Super-rich increase their share of world's income", + "description": "A major report on wealth and inequality says 2020 saw the steepest rise in billionaires' wealth on record.", + "content": "A major report on wealth and inequality says 2020 saw the steepest rise in billionaires' wealth on record.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59565690?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 14:06:38 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d00d3aa1fef91da01e512aa40212ec73" + "hash": "6ecae0d6688cf1e7fe0077e105feee9b" }, { - "title": "The Best Productivity Features You Should Use in Windows 11", - "description": "

    While the nature of work is rapidly changing, at the end of the day, we still need to get things done—so it’s helpful when the technology we use for work thinks about that ahead of time, and includes ways for us to be more productive. Luckily, Windows 11 comes with built-in productivity tools that make it much easier…

    Read more...

    ", - "content": "

    While the nature of work is rapidly changing, at the end of the day, we still need to get things done—so it’s helpful when the technology we use for work thinks about that ahead of time, and includes ways for us to be more productive. Luckily, Windows 11 comes with built-in productivity tools that make it much easier…

    Read more...

    ", - "category": "windows 11", - "link": "https://lifehacker.com/the-best-productivity-features-you-should-use-in-window-1848186695", - "creator": "Shannon Flynn", - "pubDate": "Fri, 10 Dec 2021 13:00:00 GMT", + "title": "Aurangabad: Indian teen arrested for beheading pregnant sister", + "description": "The 19-year-old had eloped and married a man without her family's consent, police said.", + "content": "The 19-year-old had eloped and married a man without her family's consent, police said.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59559122?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 08:18:08 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d1af92cb02d97bf4d69e06d060b0d79" + "hash": "2de13f336b1171900d3e47afdbe5f295" }, { - "title": "Here's (Almost) All The Free Stuff You Can Get on an Airplane", - "description": "

    In-flight freebies aren’t what they used to be, but that doesn’t mean they’ve totally vanished. If you know know what to ask for, you may be surprised at what you can get for free.

    Read more...

    ", - "content": "

    In-flight freebies aren’t what they used to be, but that doesn’t mean they’ve totally vanished. If you know know what to ask for, you may be surprised at what you can get for free.

    Read more...

    ", - "category": "airlines", - "link": "https://lifehacker.com/heres-almost-all-the-free-stuff-you-can-get-on-an-air-1848187647", - "creator": "A.A. Newton", - "pubDate": "Thu, 09 Dec 2021 21:30:00 GMT", + "title": "Vishal Garg: US boss fires 900 employees over Zoom", + "description": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", + "content": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59554585?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 09:30:13 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "40d50a54097e0c6e6640ff721b9413e2" + "hash": "caddd8c6f3501a60f2d6caa3c71752a0" }, { - "title": "Can You Really Make Extra Cash by Owning a Vending Machine?", - "description": "

    You probably think of vending machines as your snack outpost of last resort when stranded in an office or airport. You probably don’t think of them as a cutting-edge, cash-producing business venture–but maybe you should. Did you know that these snack dispensers oases are often independently owned? Rather than being…

    Read more...

    ", - "content": "

    You probably think of vending machines as your snack outpost of last resort when stranded in an office or airport. You probably don’t think of them as a cutting-edge, cash-producing business venture–but maybe you should. Did you know that these snack dispensers oases are often independently owned? Rather than being…

    Read more...

    ", - "category": "vending machine", - "link": "https://lifehacker.com/can-you-really-make-extra-cash-by-owning-a-vending-mach-1848186341", - "creator": "Meredith Dietz", - "pubDate": "Thu, 09 Dec 2021 21:00:00 GMT", + "title": "Amalia: Heir to the Dutch throne keeps it normal at 18", + "description": "Princess Amalia had an ordinary childhood and wants her life to continue that way.", + "content": "Princess Amalia had an ordinary childhood and wants her life to continue that way.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59516157?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:39:23 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "043874b3ba0d3a7bf0bc38c9a2e2d7bf" + "hash": "c758439b1548986f858fe9b9623427d9" }, { - "title": "You Should Try to Earn $1,000 Just for Taste-Testing Hot Chocolate", - "description": "

    Although plenty of us chug coffee everyday like our lives depended on it, hot chocolate isn’t as likely to be part of our daily beverage routine. And while it’s not reserved exclusively for special occasions, treating yourself to a glass of liquid dessert—sometimes, while eating a solid dessert—is a particularly…

    Read more...

    ", - "content": "

    Although plenty of us chug coffee everyday like our lives depended on it, hot chocolate isn’t as likely to be part of our daily beverage routine. And while it’s not reserved exclusively for special occasions, treating yourself to a glass of liquid dessert—sometimes, while eating a solid dessert—is a particularly…

    Read more...

    ", - "category": "hot chocolate", - "link": "https://lifehacker.com/you-should-try-to-earn-1-000-just-for-taste-testing-ho-1848185899", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 09 Dec 2021 20:30:00 GMT", + "title": "David Gulpilil: Profound legacy of a trailblazing Aboriginal actor", + "description": "A trailblazing figure with a 50-year career, he helped vastly improve cultural representations.", + "content": "A trailblazing figure with a 50-year career, he helped vastly improve cultural representations.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59485830?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 21:07:09 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0eee7eb21f1d666bc0c127f299d5159b" + "hash": "822e89cd80826b76a66039c12d66f66a" }, { - "title": "Why Now Is the Perfect Time to Get Your Booster", - "description": "

    Booster doses of COVID-19 vaccines are still optional for many of us, but evidence is mounting that if you haven’t gotten one yet, you’d probably be better off if you did.

    Read more...

    ", - "content": "

    Booster doses of COVID-19 vaccines are still optional for many of us, but evidence is mounting that if you haven’t gotten one yet, you’d probably be better off if you did.

    Read more...

    ", - "category": "moderna", - "link": "https://lifehacker.com/why-now-is-the-perfect-time-to-get-your-booster-1848186058", - "creator": "Beth Skwarecki", - "pubDate": "Thu, 09 Dec 2021 20:00:00 GMT", + "title": "'I had to move across America when I became allergic to the sun'", + "description": "After experiencing an unusual allergic reaction, Carrie moves across America to escape the sun.", + "content": "After experiencing an unusual allergic reaction, Carrie moves across America to escape the sun.", + "category": "", + "link": "https://www.bbc.co.uk/news/disability-59404429?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:34:27 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "75fe6c4dc73f3f645f5ed7d0dce31c9b" + "hash": "90d2a70d2d2f8e27444ebe44cd432fc6" }, { - "title": "Why You Should 'Pre-Cry' Before Your Next Emotional Event", - "description": "

    The holidays (and the Omicron variant) are upon us and you know what that means: There’s never been a better time to cry it out. While the month of December—and all its attendant festivities—is a joyous time for many, it can also be a time of stress, overwhelm, loneliness, and grief.

    Read more...

    ", - "content": "

    The holidays (and the Omicron variant) are upon us and you know what that means: There’s never been a better time to cry it out. While the month of December—and all its attendant festivities—is a joyous time for many, it can also be a time of stress, overwhelm, loneliness, and grief.

    Read more...

    ", - "category": "crying", - "link": "https://lifehacker.com/why-you-should-pre-cry-before-your-next-emotional-event-1848186338", - "creator": "Sarah Showfety", - "pubDate": "Thu, 09 Dec 2021 19:30:00 GMT", + "title": "Helping trans people escape death in their home countries", + "description": "Iman Le Caire made it her mission to help other trans people flee persecution in hostile countries.", + "content": "Iman Le Caire made it her mission to help other trans people flee persecution in hostile countries.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59454871?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:05:08 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e139058c695de599cd16637cc616a97" + "hash": "d2708b3341c47c17f17daed7e02dc370" }, { - "title": "How to Make an Easy Roux in the Microwave (and Oven)", - "description": "

    Every year, I make turkey gumbo with my leftover Thanksgiving bird, and every year I complain about stirring the roux. Roux is not difficult to make. Combine equal amounts of fat and flour, whisk until smooth, then cook, stirring continuously—and I really do mean continuously—until it reaches the color you desire.

    Read more...

    ", - "content": "

    Every year, I make turkey gumbo with my leftover Thanksgiving bird, and every year I complain about stirring the roux. Roux is not difficult to make. Combine equal amounts of fat and flour, whisk until smooth, then cook, stirring continuously—and I really do mean continuously—until it reaches the color you desire.

    Read more...

    ", - "category": "roux", - "link": "https://lifehacker.com/how-to-make-an-easy-roux-in-the-microwave-and-oven-1848187134", - "creator": "Claire Lower", - "pubDate": "Thu, 09 Dec 2021 19:00:00 GMT", + "title": "'I want Afghan women to be free to wear colour'", + "description": "Fashion icon Halima Aden and Afghan tutor Aliya Kazimy write to each other about the importance of choice.", + "content": "Fashion icon Halima Aden and Afghan tutor Aliya Kazimy write to each other about the importance of choice.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59468000?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:09:37 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6613ab79ea9a77ad247a92e637dc280" + "hash": "b089b3802f59777eef052ff6b916e4ab" }, { - "title": "How to Check Whether an iPhone Has ‘Genuine’ Apple Parts Without Opening It Up", - "description": "

    Apple has always placed a huge emphasis on using genuine Apple parts for iPhone repairs, and now, with iOS15.2, you can finally check to see if any non-genuine parts have been used in yours. If you only buy new iPhones, this probably isn’t of much interest to you; however, if you buy iPhones second-hand off…

    Read more...

    ", - "content": "

    Apple has always placed a huge emphasis on using genuine Apple parts for iPhone repairs, and now, with iOS15.2, you can finally check to see if any non-genuine parts have been used in yours. If you only buy new iPhones, this probably isn’t of much interest to you; however, if you buy iPhones second-hand off…

    Read more...

    ", - "category": "iphone", - "link": "https://lifehacker.com/how-to-check-whether-an-iphone-has-genuine-apple-part-1848185986", - "creator": "Pranay Parab", - "pubDate": "Thu, 09 Dec 2021 18:30:00 GMT", + "title": "Juan Jose Florian: Colombia's Para-cycling 'superhero' and his dramatic life story", + "description": "Juan Jose Florian was forced into armed conflict on the opposite side to family. When a bomb nearly killed him, sport helped heal.", + "content": "Juan Jose Florian was forced into armed conflict on the opposite side to family. When a bomb nearly killed him, sport helped heal.", + "category": "", + "link": "https://www.bbc.co.uk/sport/disability-sport/59524921?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:00:26 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4fc33cccdcfa9275fa671d96b8c2a1c" + "hash": "91ae48ed4d16008272fc24700226ebad" }, { - "title": "Reinstall Microsoft Teams Before You Need to Dial 911", - "description": "

    We all love to joke about how we never use our smartphones as actual phones—I mean, really, who calls people in 2021? But if you’re in an emergency situation, your first instinct will still be to pick up that phone and dial 911. If your smartphone isn’t capable of doing that, that’s going to be a big problem.…

    Read more...

    ", - "content": "

    We all love to joke about how we never use our smartphones as actual phones—I mean, really, who calls people in 2021? But if you’re in an emergency situation, your first instinct will still be to pick up that phone and dial 911. If your smartphone isn’t capable of doing that, that’s going to be a big problem.…

    Read more...

    ", - "category": "mobile phones", - "link": "https://lifehacker.com/reinstall-microsoft-teams-before-you-need-to-dial-911-1848186174", - "creator": "Jake Peterson", - "pubDate": "Thu, 09 Dec 2021 18:00:00 GMT", + "title": "Omicron: Why is Nigeria on the travel red list?", + "description": "The UK has placed travel restrictions on arrivals from Nigeria and several other African countries - are they fair?", + "content": "The UK has placed travel restrictions on arrivals from Nigeria and several other African countries - are they fair?", + "category": "", + "link": "https://www.bbc.co.uk/news/59548572?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 17:56:40 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "77b4731a83ecc6c0476a0cd600ed79d3" + "hash": "f07725b7c8ea1af1bf64881ad0aa4d24" }, { - "title": "You Can Now Open Your Hotel Room Door With an iPhone, But Should You?", - "description": "

    Apple wants your iPhone to unlock all sorts of doors. Their car keys feature already lets you use your iPhone to unlock some supported cars, and if you have a HomeKit door lock, you can use your iPhone and Apple Watch to unlock your home as well. And now, Apple is starting to globally roll out its support for hotel…

    Read more...

    ", - "content": "

    Apple wants your iPhone to unlock all sorts of doors. Their car keys feature already lets you use your iPhone to unlock some supported cars, and if you have a HomeKit door lock, you can use your iPhone and Apple Watch to unlock your home as well. And now, Apple is starting to globally roll out its support for hotel…

    Read more...

    ", - "category": "iphone", - "link": "https://lifehacker.com/you-can-now-open-your-hotel-room-door-with-an-iphone-b-1848185461", - "creator": "Khamosh Pathak", - "pubDate": "Thu, 09 Dec 2021 17:30:00 GMT", + "title": "Biden and Putin hold talks amid Russia-Ukraine tensions", + "description": "The US and Russian leaders speak by video link, as Moscow warns tensions in Europe are \"off the scale\".", + "content": "The US and Russian leaders speak by video link, as Moscow warns tensions in Europe are \"off the scale\".", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59567377?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 17:42:30 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c886c798e31292debe0d0c9b43b317a7" + "hash": "539befd179719a5d674c19d9ee8980c4" }, { - "title": "Why You Should Stop 'Saving Room' for Dessert", - "description": "

    Given the copious amounts of holiday treats that fill our homes every December, you might feel justified in cutting back on other foods in order to make room for (more) dessert. After all, if you are eating less calories here so you can consume them there, it’ll all even out eventually, right? Actually, this is…

    Read more...

    ", - "content": "

    Given the copious amounts of holiday treats that fill our homes every December, you might feel justified in cutting back on other foods in order to make room for (more) dessert. After all, if you are eating less calories here so you can consume them there, it’ll all even out eventually, right? Actually, this is…

    Read more...

    ", - "category": "nutrition", - "link": "https://lifehacker.com/why-you-should-stop-saving-room-for-dessert-1848185608", - "creator": "Rachel Fairbank", - "pubDate": "Thu, 09 Dec 2021 17:00:00 GMT", + "title": "Burundi prison fire kills at least 38 in Gitega", + "description": "Vice-President Prosper Bazombanza says at least 38 people died and scores more were injured.", + "content": "Vice-President Prosper Bazombanza says at least 38 people died and scores more were injured.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59560444?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 14:20:30 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b69b270f5c3eddddb3e24e9e7eed29c" + "hash": "e980c1898d43316f7df3e183dd4c8ea4" }, { - "title": "What the Most-Googled Questions of 2021 Say About Us", - "description": "

    Google just released its annual “Year in Search,” a collection of the new, most-searched terms for 2021. According to Matt Cooke, head of Google News Lab, “Year in Search always provides a fascinating insight into what the nation is thinking, learning and discovering—about themselves and others.” Remember: This isn’t…

    Read more...

    ", - "content": "

    Google just released its annual “Year in Search,” a collection of the new, most-searched terms for 2021. According to Matt Cooke, head of Google News Lab, “Year in Search always provides a fascinating insight into what the nation is thinking, learning and discovering—about themselves and others.” Remember: This isn’t…

    Read more...

    ", - "category": "davina ogilvie", - "link": "https://lifehacker.com/what-the-most-googled-questions-of-2021-say-about-us-1848185560", - "creator": "Stephen Johnson", - "pubDate": "Thu, 09 Dec 2021 16:30:00 GMT", + "title": "2022 Beijing Winter Olympics: China criticises US diplomatic boycott", + "description": "China angrily denounces a US plan not to send diplomats to the 2022 Winter Olympics in Beijing.", + "content": "China angrily denounces a US plan not to send diplomats to the 2022 Winter Olympics in Beijing.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59559703?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 09:16:07 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e4228e6a6381879a025ef26b38d54a7" + "hash": "4541dd80d6cd871e66bc47ce56cbbff0" }, { - "title": "Make Switching From iPhone to Android Suck Less (and Vice Versa)", - "description": "

    This holiday season, many of us will get new phones, and some of us might even jump operating systems in the process, making the rare leap from Apple to Android (or the other way around) in the search for a more fulfilling mobile experience. If you recently (or plan to) move from iOS to Android, or from an Android…

    Read more...

    ", - "content": "

    This holiday season, many of us will get new phones, and some of us might even jump operating systems in the process, making the rare leap from Apple to Android (or the other way around) in the search for a more fulfilling mobile experience. If you recently (or plan to) move from iOS to Android, or from an Android…

    Read more...

    ", - "category": "iphone", - "link": "https://lifehacker.com/make-switching-from-iphone-to-android-suck-less-and-vi-1848151166", - "creator": "Jake Peterson", - "pubDate": "Thu, 09 Dec 2021 16:00:00 GMT", + "title": "The Palestinian jailbreak that rocked Israel", + "description": "The search for six Palestinian fugitives from an Israeli prison unearths a story of dispossession, violence and bitter division in a fractured region.", + "content": "The search for six Palestinian fugitives from an Israeli prison unearths a story of dispossession, violence and bitter division in a fractured region.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59524001?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 00:03:02 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbca79dc9aee8df6f3e02eb25377163b" + "hash": "cbbcab1056ff4736e18005c6cac8321b" }, { - "title": "How to Actually Enjoy Treadmill Running This Winter", - "description": "

    Running is invigorating: feeling the wind moving through your hair, your body connecting with the earth beneath your feet, a chance to take stock of the world that moves around you and the world that moves within you. Unless, of course, the weather sucks. Then it’s time to book it indoors and hit everyone’s “favorite”…

    Read more...

    ", - "content": "

    Running is invigorating: feeling the wind moving through your hair, your body connecting with the earth beneath your feet, a chance to take stock of the world that moves around you and the world that moves within you. Unless, of course, the weather sucks. Then it’s time to book it indoors and hit everyone’s “favorite”…

    Read more...

    ", - "category": "treadmill", - "link": "https://lifehacker.com/how-to-actually-enjoy-treadmill-running-this-winter-1848185096", - "creator": "Meredith Dietz", - "pubDate": "Thu, 09 Dec 2021 15:30:00 GMT", + "title": "Rohingya sue Facebook for $150bn over Myanmar hate speech", + "description": "The social media giant is accused of fuelling violence against the persecuted minority in Myanmar.", + "content": "The social media giant is accused of fuelling violence against the persecuted minority in Myanmar.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59558090?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 07:28:18 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8651cca3c63658bae6ff68bd65f79294" + "hash": "f1bf25d3634e6f86b59e7e659284d04c" }, { - "title": "You Should Stop Killing House Centipedes (But How to Get Rid of Them, If You Must)", - "description": "

    I get it: House centipedes travel at alarming speeds, and they look pretty intimidating while doing it, what with all their legs scampering about. But before you run for a shoe the next time you spot one, stop and take a breath. For as creepy as they look, the truth is that they’re not only harmless, they are actually

    Read more...

    ", - "content": "

    I get it: House centipedes travel at alarming speeds, and they look pretty intimidating while doing it, what with all their legs scampering about. But before you run for a shoe the next time you spot one, stop and take a breath. For as creepy as they look, the truth is that they’re not only harmless, they are actually

    Read more...

    ", - "category": "centipede", - "link": "https://lifehacker.com/you-should-stop-killing-house-centipedes-but-how-to-ge-1848183537", - "creator": "Becca Lewis", - "pubDate": "Thu, 09 Dec 2021 15:00:00 GMT", + "title": "Western leaders urge Russia to lower Ukraine tensions", + "description": "The US and its European allies urge Moscow to de-escalate, amid fears it could invade Ukraine.", + "content": "The US and its European allies urge Moscow to de-escalate, amid fears it could invade Ukraine.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59558099?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 04:50:54 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a658f2c5940606e7fadbcdd6628b8e01" + "hash": "982aaeefa561151f8567ff1976256a80" }, { - "title": "10 of the Best Apps of 2021 for Apple Devices, According to Apple", - "description": "

    Every year, the App Store Awards highlight some of the best apps and games for the Apple platforms and devices. Think of them as the Oscars of the App Store world: an honor handed out by the industry itself. You have to be pretty darn good to earn an award—and sometimes, it takes an app years to get there (consider…

    Read more...

    ", - "content": "

    Every year, the App Store Awards highlight some of the best apps and games for the Apple platforms and devices. Think of them as the Oscars of the App Store world: an honor handed out by the industry itself. You have to be pretty darn good to earn an award—and sometimes, it takes an app years to get there (consider…

    Read more...

    ", - "category": "ipads", - "link": "https://lifehacker.com/the-best-apps-of-2021-for-apple-devices-1848184304", - "creator": "Khamosh Pathak", - "pubDate": "Thu, 09 Dec 2021 14:30:00 GMT", + "title": "Peter Foster: Australian conman caught after six-month manhunt", + "description": "Peter Foster was declared a fugitive six months ago after allegedly skipping bail on fraud charges.", + "content": "Peter Foster was declared a fugitive six months ago after allegedly skipping bail on fraud charges.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59544221?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 06:25:26 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d6999789a0e4b43e035b0fec10e4741" + "hash": "881a18168193ce7e3b785b188c792ace" }, { - "title": "Why the Hell Did We Ever Stop Wearing Sweatbands?", - "description": "

    Sweatbands, popular in the ’80s, now only really exist as a symbol. Just like a floppy disk lives on as the “save” icon, and an old-school telephone handset is the image we tap when we want to make a call on a smartphone, a set of sweatbands are a cheesy way of indicating that somebody is working out (see picture…

    Read more...

    ", - "content": "

    Sweatbands, popular in the ’80s, now only really exist as a symbol. Just like a floppy disk lives on as the “save” icon, and an old-school telephone handset is the image we tap when we want to make a call on a smartphone, a set of sweatbands are a cheesy way of indicating that somebody is working out (see picture…

    Read more...

    ", - "category": "wristband", - "link": "https://lifehacker.com/why-the-hell-did-we-ever-stop-wearing-sweatbands-1848156420", - "creator": "Beth Skwarecki", - "pubDate": "Thu, 09 Dec 2021 14:00:00 GMT", + "title": "Hong Kong Covid: The Cathay pilots stuck in 'perpetual quarantine'", + "description": "One Cathay Pacific pilot said he had spent almost 150 days in quarantine this year alone.", + "content": "One Cathay Pacific pilot said he had spent almost 150 days in quarantine this year alone.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59370672?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 00:02:16 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b95b9b41870e61ace52f819ea3e75118" + "hash": "a8ae07861bae635e8834b0bf80c8493c" }, { - "title": "How to Know When Your iPhone Could Be Recording You", - "description": "

    You’ve probably had the (legitimate) fear that your smartphone is listening or watching you. Your iPhone certainly isn’t without privacy risks, and you should absolutely audit your settings and all of your app permissions, but one helpful feature that Apple has built in is a visual warning when your device is queued…

    Read more...

    ", - "content": "

    You’ve probably had the (legitimate) fear that your smartphone is listening or watching you. Your iPhone certainly isn’t without privacy risks, and you should absolutely audit your settings and all of your app permissions, but one helpful feature that Apple has built in is a visual warning when your device is queued…

    Read more...

    ", - "category": "iphone", - "link": "https://lifehacker.com/how-to-know-when-your-iphone-could-be-recording-1848182126", - "creator": "Emily Long", - "pubDate": "Thu, 09 Dec 2021 13:30:00 GMT", + "title": "Emmett Till: US closes investigation without charges", + "description": "The justice department says there is \"insufficient evidence\" to back a writer's claim a witness lied.", + "content": "The justice department says there is \"insufficient evidence\" to back a writer's claim a witness lied.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59558121?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 04:17:03 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4b376502fc8525fc0595003d53c7cad" + "hash": "6d3e4f205c60cfb7d3e8d85fd781efa7" }, { - "title": "Chores You Only Need to Do Once a Year (Thank God)", - "description": "

    There are many annoying chores that need to be done daily: washing dishes, spraying and wiping down kitchen counters, picking toys up off the floor, sweeping. And then there are those that are blessedly much less frequent. It will always suck that we have to do more things, but at least some of them are merely…

    Read more...

    ", - "content": "

    There are many annoying chores that need to be done daily: washing dishes, spraying and wiping down kitchen counters, picking toys up off the floor, sweeping. And then there are those that are blessedly much less frequent. It will always suck that we have to do more things, but at least some of them are merely…

    Read more...

    ", - "category": "housekeeping", - "link": "https://lifehacker.com/chores-you-only-need-to-do-once-a-year-thank-god-1848180807", - "creator": "Sarah Showfety", - "pubDate": "Wed, 08 Dec 2021 22:00:00 GMT", + "title": "Ghislaine Maxwell 'gave schoolgirl outfit to Epstein victim'", + "description": "An accuser says the socialite suggested she dress up to serve tea to paedophile Jeffrey Epstein.", + "content": "An accuser says the socialite suggested she dress up to serve tea to paedophile Jeffrey Epstein.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59557022?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 22:29:48 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "4d5a0b4088c423584132a4ae1db896af" + "hash": "5849f292f0580ac7ac38e305dafc557b" }, { - "title": "13 of the Best Dating Apps to Find Love or Mess Around", - "description": "

    Everyone on Tinder is looking for sex. Everyone on eharmony is too intense. Everyone on Hinge is more concerned with looking cool than finding a good match (alright, I’m projecting with that last one). Maybe you’re new to online dating, or you’re a swiping veteran getting fed up with false-starts and dead-ends on your…

    Read more...

    ", - "content": "

    Everyone on Tinder is looking for sex. Everyone on eharmony is too intense. Everyone on Hinge is more concerned with looking cool than finding a good match (alright, I’m projecting with that last one). Maybe you’re new to online dating, or you’re a swiping veteran getting fed up with false-starts and dead-ends on your…

    Read more...

    ", - "category": "social software", - "link": "https://lifehacker.com/13-of-the-best-dating-apps-to-find-love-or-mess-around-1848181275", - "creator": "Meredith Dietz", - "pubDate": "Wed, 08 Dec 2021 21:30:00 GMT", + "title": "Kenyan policeman shoots dead six people including wife", + "description": "Authorities are calling the incident a \"shooting spree\", in which the killer also took his own life.", + "content": "Authorities are calling the incident a \"shooting spree\", in which the killer also took his own life.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59560578?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 09:51:45 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3795768b3c1e63da3db58aa809494838" + "hash": "b60477cb2e141c966726d2d6b2740849" }, { - "title": "12 Trader Joe's Products Way Better Than the Name Brand Versions", - "description": "

    I’m not generally a religious person, but I do worship every other Sunday at the church of Trader Joe’s.

    Read more...

    ", - "content": "

    I’m not generally a religious person, but I do worship every other Sunday at the church of Trader Joe’s.

    Read more...

    ", - "category": "trader joes", - "link": "https://lifehacker.com/12-trader-joes-products-way-better-than-the-name-brand-1848166403", - "creator": "Joel Cunningham", - "pubDate": "Wed, 08 Dec 2021 20:30:00 GMT", + "title": "Jussie Smollett testifies at trial: 'There was no hoax'", + "description": "Jussie Smollett says a \"massive\" man in a ski mask attacked him after shouting slurs in Chicago.", + "content": "Jussie Smollett says a \"massive\" man in a ski mask attacked him after shouting slurs in Chicago.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59557297?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 23:24:06 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4faa2a7291ea21a62993f718278e1410" + "hash": "ed83d25362051d7715c004e0029aea78" }, { - "title": "How to Stop Verizon, AT&T, and T-Mobile From Collecting Your Phone Data to Sell Ads", - "description": "

    Social media sites, web browsers, and smartphone apps aren’t the only ways companies track your data: Your phone service provider collects data right from your phone, too. AT&T, T-Mobile (which now owns Sprint and MetroPCS), and Verizon all track location, web, and app usage, and then use that information to sell ads.

    Read more...

    ", - "content": "

    Social media sites, web browsers, and smartphone apps aren’t the only ways companies track your data: Your phone service provider collects data right from your phone, too. AT&T, T-Mobile (which now owns Sprint and MetroPCS), and Verizon all track location, web, and app usage, and then use that information to sell ads.

    Read more...

    ", - "category": "t mobile", - "link": "https://lifehacker.com/how-to-stop-verizon-at-t-and-t-mobile-from-collecting-1848180422", - "creator": "Brendan Hesse", - "pubDate": "Wed, 08 Dec 2021 20:00:00 GMT", + "title": "James Webb Space Telescope scientist: 'It's the future of astrophysics'", + "description": "The James Webb Space Telescope is expected to be 100 times more powerful than the Hubble.", + "content": "The James Webb Space Telescope is expected to be 100 times more powerful than the Hubble.", + "category": "", + "link": "https://www.bbc.co.uk/news/science-environment-59525740?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 00:07:27 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "313a5b821a3ce13a0b3dc2492916851c" + "hash": "05be56fac1005df15a0f217d94cb78ea" }, { - "title": "Bringing a Bag of Cheeseburgers Is the Ultimate Party Trick", - "description": "

    When it comes to potlucks, it’s hard to beat a church supper, particularly if you’re in the South or Midwest. Casseroles, fried foods of all kinds, fruity whipped salads, and entire tables devoted to desserts—everyone brings their A game, and everyone goes home full and happy.

    Read more...

    ", - "content": "

    When it comes to potlucks, it’s hard to beat a church supper, particularly if you’re in the South or Midwest. Casseroles, fried foods of all kinds, fruity whipped salads, and entire tables devoted to desserts—everyone brings their A game, and everyone goes home full and happy.

    Read more...

    ", - "category": "potluck", - "link": "https://lifehacker.com/bringing-a-bag-of-cheeseburgers-is-the-ultimate-party-t-1848179901", - "creator": "Claire Lower", - "pubDate": "Wed, 08 Dec 2021 19:30:00 GMT", + "title": "How Lebanon's economic problems could leave Sara blind", + "description": "Lebanon stopped has stopped subsidising many medical expenses, which leaves poorer patients in danger.", + "content": "Lebanon stopped has stopped subsidising many medical expenses, which leaves poorer patients in danger.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59528113?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 00:03:35 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ad265d4dd9497df868f294c8da3597c0" + "hash": "3e35ce6f329611d3014a6e60ea4e2873" }, { - "title": "What You Should Put in a ‘No Questions Asked’ Drawer for Your Kid, According to Reddit", - "description": "

    Even if you think of yourself as the kind of parent that your kid can talk to about anything, there are probably some things they would rather keep to themselves, whether it’s dealing with embarrassing bodily functions or not divulging the kinds of drugs they enjoy.

    Read more...

    ", - "content": "

    Even if you think of yourself as the kind of parent that your kid can talk to about anything, there are probably some things they would rather keep to themselves, whether it’s dealing with embarrassing bodily functions or not divulging the kinds of drugs they enjoy.

    Read more...

    ", - "category": "drawer", - "link": "https://lifehacker.com/what-you-should-put-in-a-no-questions-asked-drawer-fo-1848180288", - "creator": "Stephen Johnson", - "pubDate": "Wed, 08 Dec 2021 19:00:00 GMT", + "title": "US diplomats to boycott 2022 Beijing Winter Olympics", + "description": "The White House says no US diplomats will attend the games in China, over human rights concerns.", + "content": "The White House says no US diplomats will attend the games in China, over human rights concerns.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59556613?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 19:13:14 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1cd3d4178f05943ff670a700df21c46e" + "hash": "3f05aca1d28366f0e9c3544350e413d3" }, { - "title": "How to Pick a Flight With the Lowest Chance of Weather Delays", - "description": "

    The holidays are a notoriously difficult time to travel by plane, in part because of the number of people trying to fly and in part because of the increased likelihood of winter weather. Snowstorms and icy runways can quickly derail days’ worth of air travel.

    Read more...

    ", - "content": "

    The holidays are a notoriously difficult time to travel by plane, in part because of the number of people trying to fly and in part because of the increased likelihood of winter weather. Snowstorms and icy runways can quickly derail days’ worth of air travel.

    Read more...

    ", - "category": "civil aviation", - "link": "https://lifehacker.com/how-to-pick-a-flight-with-the-lowest-chance-of-weather-1848179668", - "creator": "Emily Long", - "pubDate": "Wed, 08 Dec 2021 18:00:00 GMT", + "title": "Covid-19: Italy tightens restrictions for unvaccinated", + "description": "A so-called Super Green Pass will be needed to access theatres, cinemas and restaurants.", + "content": "A so-called Super Green Pass will be needed to access theatres, cinemas and restaurants.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59548210?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 12:45:26 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2c5854aeb5bd097401dfe64bf4786088" + "hash": "1cac95ea68d79a57b54155ad74f23a01" }, { - "title": "The Easiest Way to Find Someone the Perfect Gift", - "description": "

    Buying the perfect gift on a budget is never easy, but here’s a hack that can help you narrow down the possibilities: You start by taking your budget, and then slashing it. Stay with me here.

    Read more...

    ", - "content": "

    Buying the perfect gift on a budget is never easy, but here’s a hack that can help you narrow down the possibilities: You start by taking your budget, and then slashing it. Stay with me here.

    Read more...

    ", - "category": "films", - "link": "https://lifehacker.com/the-easiest-way-to-find-someone-the-perfect-gift-1848179574", - "creator": "Beth Skwarecki", - "pubDate": "Wed, 08 Dec 2021 17:30:00 GMT", + "title": "Brexit: Ireland to receive €920m for Brexit impact", + "description": "The country is the first to receive money from the European Commission's Brexit Adjustment Reserve.", + "content": "The country is the first to receive money from the European Commission's Brexit Adjustment Reserve.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59547054?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 13:23:29 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "5075769254f7ef27de4e751c117a03f1" + "hash": "78039b42ad85f32ed8724819171bdc64" }, { - "title": "Coat Your Cheeseballs in Fried Garlic", - "description": "

    If you’ve ever eaten a cheeseball, you know that what’s on the outside is almost as important as what’s on the inside (cheese). A cheeseball’s outer layer should offer crunch, contrast, and intrigue. You should take one look at that ball of cheese and go, “Yeah, I’d like to dig in to that and see what it’s all about.”

    Read more...

    ", - "content": "

    If you’ve ever eaten a cheeseball, you know that what’s on the outside is almost as important as what’s on the inside (cheese). A cheeseball’s outer layer should offer crunch, contrast, and intrigue. You should take one look at that ball of cheese and go, “Yeah, I’d like to dig in to that and see what it’s all about.”

    Read more...

    ", - "category": "hospitality recreation", - "link": "https://lifehacker.com/coat-your-cheeseballs-in-fried-garlic-1848179608", - "creator": "Claire Lower", - "pubDate": "Wed, 08 Dec 2021 17:00:00 GMT", + "title": "Amid shortage, Canada taps into emergency maple syrup reserves", + "description": "The Canadian province of Quebec produces 70% of the world's maple syrup supply.", + "content": "The Canadian province of Quebec produces 70% of the world's maple syrup supply.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59555141?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:18:29 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "394461e1024694cecd2dda393a968272" + "hash": "06cf8f0a32136d34d804b662761c9eaf" }, { - "title": "Is the Apple Music Voice Plan Worth the Trade Offs?", - "description": "

    Apple Music’s Voice Plan lets you enjoy the benefits of a commercial-free music streaming service at a relatively affordable price of $4.99 per month. It costs the same as Apple Music’s subscription plan for students (and is half the regular subscription price), but it also removes several features—including the…

    Read more...

    ", - "content": "

    Apple Music’s Voice Plan lets you enjoy the benefits of a commercial-free music streaming service at a relatively affordable price of $4.99 per month. It costs the same as Apple Music’s subscription plan for students (and is half the regular subscription price), but it also removes several features—including the…

    Read more...

    ", - "category": "apple music", - "link": "https://lifehacker.com/is-the-apple-music-voice-plan-worth-the-trade-offs-1847899974", - "creator": "Pranay Parab", - "pubDate": "Wed, 08 Dec 2021 16:00:00 GMT", + "title": "New York's workers must all have vaccine by 27 December", + "description": "The city's mayor is introducing a vaccine mandate for all private sector employees from 27 December.", + "content": "The city's mayor is introducing a vaccine mandate for all private sector employees from 27 December.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59552524?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 17:35:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f918ad8e8b4101e5c3f2d380629171c7" + "hash": "fa87ee610f55db870d713b4db26a8a9f" }, { - "title": "Use These Apps and Gadgets to Get Better Sleep", - "description": "

    We know that sleep plays a significant role in our well-being and overall health. Unless we’re switching between time zones or pulling all-nighters, our body’s internal clocks—also known as our circadian rhythm—tell us when it’s time to go to sleep and wake up in the morning. However, a range of environmental cues can …

    Read more...

    ", - "content": "

    We know that sleep plays a significant role in our well-being and overall health. Unless we’re switching between time zones or pulling all-nighters, our body’s internal clocks—also known as our circadian rhythm—tell us when it’s time to go to sleep and wake up in the morning. However, a range of environmental cues can …

    Read more...

    ", - "category": "sleep", - "link": "https://lifehacker.com/use-these-apps-and-gadgets-to-get-better-sleep-1848076010", - "creator": "Shannon Flynn", - "pubDate": "Wed, 08 Dec 2021 15:30:00 GMT", + "title": "Pakistan: Killing of Sri Lankan accused of blasphemy sparks protests", + "description": "More than 100 have been arrested over the lynching of a Sri Lankan man accused of insulting Islam.", + "content": "More than 100 have been arrested over the lynching of a Sri Lankan man accused of insulting Islam.", + "category": "", + "link": "https://www.bbc.co.uk/news/59501368?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 09:04:26 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1e4bd915076d6b2dbc9cb0051dd81f4" + "hash": "eecc27d44abed9abafcf52d195d2a478" }, { - "title": "Should You Repair Your Leaky Mailbox—or Replace It?", - "description": "

    Winter used to mean snow on the ground. These days, thanks to climate change, it more likely means an increase in cold rain—but either way, ‘tis the season for wet mail, whether in your leaky mailbox or shoved through your drippy mail slot. Whether it’s bills or holiday cards, wet mail can really wreck your day. Here…

    Read more...

    ", - "content": "

    Winter used to mean snow on the ground. These days, thanks to climate change, it more likely means an increase in cold rain—but either way, ‘tis the season for wet mail, whether in your leaky mailbox or shoved through your drippy mail slot. Whether it’s bills or holiday cards, wet mail can really wreck your day. Here…

    Read more...

    ", - "category": "mailbox", - "link": "https://lifehacker.com/should-you-repair-your-leaky-mailbox-or-replace-it-1848177447", - "creator": "Becca Lewis", - "pubDate": "Wed, 08 Dec 2021 15:00:00 GMT", + "title": "Sylvester Oromoni: Nigerians demand justice over Dowen College death", + "description": "The father of Sylvester Oromoni, 12, believes he was attacked for refusing to join a “cult group”.", + "content": "The father of Sylvester Oromoni, 12, believes he was attacked for refusing to join a “cult group”.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59551124?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 13:57:55 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53e0cfc0b1715c5608c11354c78aa142" + "hash": "04e3ee11d5b0874ba751b1194ab72d7a" }, { - "title": "How to Tell If You’re in a Dysfunctional Relationship", - "description": "

    A relationship is supposed to be stable, nurturing, and safe. It is supposed to add value to your life by giving you a partner who can support you, celebrate with you, and make your days better. In turn, you are expected to do that for them, too—but it’s easy to give yourself fully to someone when you feel secure and…

    Read more...

    ", - "content": "

    A relationship is supposed to be stable, nurturing, and safe. It is supposed to add value to your life by giving you a partner who can support you, celebrate with you, and make your days better. In turn, you are expected to do that for them, too—but it’s easy to give yourself fully to someone when you feel secure and…

    Read more...

    ", - "category": "emotions", - "link": "https://lifehacker.com/how-to-tell-if-you-re-in-a-dysfunctional-relationship-1848175799", - "creator": "Lindsey Ellefson", - "pubDate": "Wed, 08 Dec 2021 14:30:00 GMT", + "title": "Aung San Suu Kyi: Myanmar court sentences ousted leader in widely criticised trial", + "description": "The ex-leader of Myanmar, who faces a total of 11 charges, is sentenced to two years in prison.", + "content": "The ex-leader of Myanmar, who faces a total of 11 charges, is sentenced to two years in prison.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59544484?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 15:19:15 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba70a035cfc34299229fa8506f47a210" + "hash": "b9449e005ed15768e3206a430c7e8688" }, { - "title": "You Need to Update Your Pixel Immediately", - "description": "

    The December 2021 security patch is rolling out now for select Pixel phones running Android 12. Monthly security patches might not be as exciting as the Pixel Drop updates that add new features to your phone, but they’re still important to install as soon as possible since they patch security flaws hackers could…

    Read more...

    ", - "content": "

    The December 2021 security patch is rolling out now for select Pixel phones running Android 12. Monthly security patches might not be as exciting as the Pixel Drop updates that add new features to your phone, but they’re still important to install as soon as possible since they patch security flaws hackers could…

    Read more...

    ", - "category": "pixel", - "link": "https://lifehacker.com/you-need-to-update-your-pixel-immediately-1848174438", - "creator": "Brendan Hesse", - "pubDate": "Wed, 08 Dec 2021 14:00:00 GMT", + "title": "Haiti kidnappers release three more missionaries after abduction", + "description": "Three people among a group of 17 North American missionaries abducted in October are freed.", + "content": "Three people among a group of 17 North American missionaries abducted in October are freed.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59554201?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 16:10:52 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f3aa3f9e51481414f8e35c09125c9bad" + "hash": "0b46718804ed5bc35d6cd798ec6c4113" }, { - "title": "The Difference Between Disinfecting and Sanitizing, According to the CDC", - "description": "

    We all have different versions of “cleaning.” For some, the act includes Windex, bleach, and a mop; for others, it means putting away toys, sweeping, and loading the dishwasher. But while “cleaning” can mean everything from straightening up to scrubbing down, when it comes to disinfecting and sanitizing, the…

    Read more...

    ", - "content": "

    We all have different versions of “cleaning.” For some, the act includes Windex, bleach, and a mop; for others, it means putting away toys, sweeping, and loading the dishwasher. But while “cleaning” can mean everything from straightening up to scrubbing down, when it comes to disinfecting and sanitizing, the…

    Read more...

    ", - "category": "bleach", - "link": "https://lifehacker.com/the-difference-between-disinfecting-and-sanitizing-acc-1848175073", - "creator": "Sarah Showfety", - "pubDate": "Wed, 08 Dec 2021 13:30:00 GMT", + "title": "Vladimir Putin: What Russian president's India visit means for world politics", + "description": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "content": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59515741?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 03:21:13 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e98e16027a3a12801d9587c8a9471c2" + "hash": "8aabcec641bdf6554d4e1974982ec66a" }, { - "title": "How to Watch The Game Awards 2021, and What to Expect", - "description": "

    The Game Awards 2021 is this week, the year-end event where we get to watch ads and trailers for new games. Oh, and they hand out awards for the best games of the past year—even though many of those awards happen off-screen before the stream even begins.

    Read more...

    ", - "content": "

    The Game Awards 2021 is this week, the year-end event where we get to watch ads and trailers for new games. Oh, and they hand out awards for the best games of the past year—even though many of those awards happen off-screen before the stream even begins.

    Read more...

    ", - "category": "the game awards", - "link": "https://lifehacker.com/how-to-watch-the-game-awards-2021-and-what-to-expect-1848176072", - "creator": "Brendan Hesse", - "pubDate": "Wed, 08 Dec 2021 13:00:00 GMT", + "title": "Climate change: Is ‘blue hydrogen’ Japan’s answer to coal?", + "description": "The Fukushima disaster turned Japan away from nuclear. A new energy source may help it quit coal.", + "content": "The Fukushima disaster turned Japan away from nuclear. A new energy source may help it quit coal.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59525480?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 01:11:25 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5ca29b6ddf3ce127ccd133a9c2b9cd1" + "hash": "71420082e6cab517d0bb17cd63f22c10" }, { - "title": "How to Spot a Shady Landlord (Before It’s Too Late)", - "description": "

    With the new year comes a slew of freshly signed leases. No matter the market conditions, there’s always a risk that the person selling and maintaining your apartment is, to use an industry term, a “total skeeve ball.” (Some of us would argue that the phrase “shady landlord” is redundant.) The reality of being a…

    Read more...

    ", - "content": "

    With the new year comes a slew of freshly signed leases. No matter the market conditions, there’s always a risk that the person selling and maintaining your apartment is, to use an industry term, a “total skeeve ball.” (Some of us would argue that the phrase “shady landlord” is redundant.) The reality of being a…

    Read more...

    ", - "category": "landlord", - "link": "https://lifehacker.com/how-to-spot-a-shady-landlord-before-it-s-too-late-1848136583", - "creator": "Meredith Dietz", - "pubDate": "Tue, 07 Dec 2021 22:00:00 GMT", + "title": "Obituary: Bob Dole, WWII veteran and Republican stalwart", + "description": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", + "content": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-45667690?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 17:18:36 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f895a04e1bf27011b4710bf4d126322" + "hash": "c72a6ac4b63976ca07d64c56eeee733f" }, { - "title": "Cheugy, Chipotle, and Dogecoin Among The Most Mispronounced Words of 2021", - "description": "

    The U.S. Captioning Company and the British Institute of Verbatim Reporters (BIVR) recently released reports on the most mispronounced words of the year—that is, the most challenging words for newsreaders and television hosts to say correctly the first time. We can only infer if these words are tough for people whose…

    Read more...

    ", - "content": "

    The U.S. Captioning Company and the British Institute of Verbatim Reporters (BIVR) recently released reports on the most mispronounced words of the year—that is, the most challenging words for newsreaders and television hosts to say correctly the first time. We can only infer if these words are tough for people whose…

    Read more...

    ", - "category": "dogecoin", - "link": "https://lifehacker.com/cheugy-chipotle-and-dogecoin-among-the-most-mispronou-1848173792", - "creator": "Sarah Showfety", - "pubDate": "Tue, 07 Dec 2021 21:00:00 GMT", + "title": "The tech helping shops - and Santa - deliver this Christmas", + "description": "A number of tech solutions are out there to help retailers optimise sending out our presents.", + "content": "A number of tech solutions are out there to help retailers optimise sending out our presents.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59487935?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 00:12:51 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3885e4b52bd4c6f1fd27037632358d49" + "hash": "b4fc82442cd5be0f7c79978bf618473a" }, { - "title": "You Should Brûlée All of Your Favorite Holiday Treats", - "description": "

    Whether you’re huddling around a roaring campfire, grilling a sumptuous piece of meat, or brûlée-ing a custardy crème, fire is sexy. Maybe it’s the element of danger involved in the exothermic process of combustion, or maybe it’s just because it looks cool, but breaking out a kitchen torch tells me we are about to…

    Read more...

    ", - "content": "

    Whether you’re huddling around a roaring campfire, grilling a sumptuous piece of meat, or brûlée-ing a custardy crème, fire is sexy. Maybe it’s the element of danger involved in the exothermic process of combustion, or maybe it’s just because it looks cool, but breaking out a kitchen torch tells me we are about to…

    Read more...

    ", - "category": "joe", - "link": "https://lifehacker.com/you-should-brulee-all-of-your-favorite-holiday-treats-1848174250", - "creator": "Claire Lower", - "pubDate": "Tue, 07 Dec 2021 20:30:00 GMT", + "title": "Covid in Uganda: The man whose children may never return to school", + "description": "The 20-month school closure in Uganda could have a long-term impact on many lives there.", + "content": "The 20-month school closure in Uganda could have a long-term impact on many lives there.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59507542?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 01:22:07 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8a1ec52c510e4bb2029ee60e07e75bfe" + "hash": "6bbd02194051f1e1dbf906dc1a8ff95c" }, { - "title": "All the Delightful New Pixel Features Worth Checking Out", - "description": "

    It’s time for a Feature Drop! Google hit us with the news on Monday, Dec. 6, announcing a handful of fun new features for the Pixel lineup of devices. While not all features are available on all Pixels, there is something new for everyone, so long as you have a Pixel 3 or newer. That said, the update isn’t here yet on…

    Read more...

    ", - "content": "

    It’s time for a Feature Drop! Google hit us with the news on Monday, Dec. 6, announcing a handful of fun new features for the Pixel lineup of devices. While not all features are available on all Pixels, there is something new for everyone, so long as you have a Pixel 3 or newer. That said, the update isn’t here yet on…

    Read more...

    ", - "category": "pixel", - "link": "https://lifehacker.com/all-the-delightful-new-pixel-features-worth-checking-ou-1848173319", - "creator": "Jake Peterson", - "pubDate": "Tue, 07 Dec 2021 20:00:00 GMT", + "title": "Mandatory vaccinations: Three reasons for and against", + "description": "Blanket vaccination mandates are on the agenda but do they work and what are their costs?", + "content": "Blanket vaccination mandates are on the agenda but do they work and what are their costs?", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59506339?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 00:48:04 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5a6294a318b4d7e2a4baf75866e0fc6e" + "hash": "c820034d8d73c39dfa69ae83a23e8743" }, { - "title": "How to Clean Your Scorched Iron", - "description": "

    If you’re back to wearing real work clothes on a regular basis, it may be time to bust out the iron. But before you attack any wrinkles, you’ll want to make sure the metal plate is clean and free of any burns, which can leave stains on your clothes. And if you do accidentally melt anything directly onto your iron,…

    Read more...

    ", - "content": "

    If you’re back to wearing real work clothes on a regular basis, it may be time to bust out the iron. But before you attack any wrinkles, you’ll want to make sure the metal plate is clean and free of any burns, which can leave stains on your clothes. And if you do accidentally melt anything directly onto your iron,…

    Read more...

    ", - "category": "chemistry", - "link": "https://lifehacker.com/how-to-clean-your-scorched-iron-1848173578", - "creator": "Emily Long", - "pubDate": "Tue, 07 Dec 2021 19:00:00 GMT", + "title": "Ghislaine Maxwell trial: Key moments from the first week", + "description": "The socialite is accused of grooming girls for abuse by late sex offender Jeffrey Epstein.", + "content": "The socialite is accused of grooming girls for abuse by late sex offender Jeffrey Epstein.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59527051?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 10:16:21 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "a71ec4d3e386b8d775b0fc95e3ecdaaa" + "hash": "41429111f41953ba2d81f89025e82aae" }, { - "title": "How to Start a Google Chat Call Directly From Gmail", - "description": "

    Just like Zoom, Google Meet (and Chat) has heavily relied on links. Whether you wanted to do a one-on-one call or a group call, it all started and ended with a joining link or a meeting code.

    Read more...

    ", - "content": "

    Just like Zoom, Google Meet (and Chat) has heavily relied on links. Whether you wanted to do a one-on-one call or a group call, it all started and ended with a joining link or a meeting code.

    Read more...

    ", - "category": "google", - "link": "https://lifehacker.com/how-to-start-a-google-chat-call-directly-from-gmail-1848172621", - "creator": "Khamosh Pathak", - "pubDate": "Tue, 07 Dec 2021 18:30:00 GMT", + "title": "US boss fires 900 employees over Zoom", + "description": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", + "content": "\"Last time I did this I cried,\" said the head of the online mortgage lender laying off 15% of his staff.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59554585?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:50:40 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10c163232e5744e5236419c322e3ad57" + "hash": "6de6e1684ec9d4ca6896e5fa93231633" }, { - "title": "How to Make All Your WhatsApp Messages Disappear Automatically", - "description": "

    WhatsApp’s Disappearing Messages feature has been quite limited so far—once enabled for a particular conversation or a group, all messages would be deleted automatically after seven days, but with no room for additional customization, or a default setting for all chats.

    Read more...

    ", - "content": "

    WhatsApp’s Disappearing Messages feature has been quite limited so far—once enabled for a particular conversation or a group, all messages would be deleted automatically after seven days, but with no room for additional customization, or a default setting for all chats.

    Read more...

    ", - "category": "whatsapp", - "link": "https://lifehacker.com/how-to-make-all-your-whatsapp-messages-disappear-automa-1848173060", - "creator": "Khamosh Pathak", - "pubDate": "Tue, 07 Dec 2021 18:00:00 GMT", + "title": "Eric Zemmour: Far-right French presidential candidate grabbed at rally", + "description": "A man grabs Eric Zemmour by the neck at the far-right presidential candidate's first rally.", + "content": "A man grabs Eric Zemmour by the neck at the far-right presidential candidate's first rally.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59545455?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 07:34:39 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b624754bee1e9c944dff5bf92990837" + "hash": "0a719033575d0320a97b7fce6fb20353" }, { - "title": "What to Know About Plan B's Effectiveness If You're Stocking Up Right Now", - "description": "

    Stocking up on emergency contraception can be a good way of making sure you have some available when you need it—or that you can provide it to a friend if they’re in need. (Plan B is available over the- ounter in the U.S., so this is just as legal as doing the same thing with Tylenol.) But there’s something you should…

    Read more...

    ", - "content": "

    Stocking up on emergency contraception can be a good way of making sure you have some available when you need it—or that you can provide it to a friend if they’re in need. (Plan B is available over the- ounter in the U.S., so this is just as legal as doing the same thing with Tylenol.) But there’s something you should…

    Read more...

    ", - "category": "drug safety", - "link": "https://lifehacker.com/what-to-know-about-plan-bs-effectiveness-if-youre-stock-1848173402", - "creator": "Beth Skwarecki", - "pubDate": "Tue, 07 Dec 2021 17:30:00 GMT", + "title": "Indonesia volcano: 'The volcano destroyed our houses - we need help'", + "description": "Watch this video to see how two survivors' lives have been impacted by Mt Semeru's eruption in Indonesia.", + "content": "Watch this video to see how two survivors' lives have been impacted by Mt Semeru's eruption in Indonesia.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59553764?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 20:45:51 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ad0f1beac92537558c1346166d6d51c" + "hash": "073f042a2151bc386a7b37676dcc2ffa" }, { - "title": "8 of the Worst YouTube Annoyances, and How to Fix Them", - "description": "

    Although you might not immediately think of it as such, YouTube is probably the smartest, most personal source of entertainment that we have. Plus, it’s free. And just like a streaming service, it’s easy to lose a couple of hours in the YouTube app or the website.

    Read more...

    ", - "content": "

    Although you might not immediately think of it as such, YouTube is probably the smartest, most personal source of entertainment that we have. Plus, it’s free. And just like a streaming service, it’s easy to lose a couple of hours in the YouTube app or the website.

    Read more...

    ", - "category": "youtube", - "link": "https://lifehacker.com/8-of-the-worst-youtube-annoyances-and-how-to-fix-them-1848171368", - "creator": "Khamosh Pathak", - "pubDate": "Tue, 07 Dec 2021 17:00:00 GMT", + "title": "South Africa: The rape survivor who convicts rapists", + "description": "Rape survivor Sgt Catherine Tladi has secured several convictions for rape in South Africa's courts.", + "content": "Rape survivor Sgt Catherine Tladi has secured several convictions for rape in South Africa's courts.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59523997?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 00:11:29 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3427cb739fcb87061326cc25fff0038e" + "hash": "807866b62e55a5f7d08a51196bda5a84" }, { - "title": "This Is How Much Online ‘Stalking’ You Should Do Before a Date", - "description": "

    Part of the reason that Hinge is my favorite dating app is the ability for people to really show some of their personality in their profile prompts. In addition to basic safety and vibe concerns, it’s useful to have a jumping off point for small talk about each other’s interests. Similarly, I’ve argued before why

    Read more...

    ", - "content": "

    Part of the reason that Hinge is my favorite dating app is the ability for people to really show some of their personality in their profile prompts. In addition to basic safety and vibe concerns, it’s useful to have a jumping off point for small talk about each other’s interests. Similarly, I’ve argued before why

    Read more...

    ", - "category": "you", - "link": "https://lifehacker.com/this-is-how-much-online-stalking-you-should-do-before-1848172339", - "creator": "Meredith Dietz", - "pubDate": "Tue, 07 Dec 2021 16:30:00 GMT", + "title": "Thomas Massie: US congressman condemned for Christmas guns photo", + "description": "The photo of Thomas Massie's family posing with firearms was posted days after a deadly school shooting.", + "content": "The photo of Thomas Massie's family posing with firearms was posted days after a deadly school shooting.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59543735?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 00:42:47 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3a01d9eede64f5b019346c488480bf8" + "hash": "05ffe8231672cd45d22e4d587828ce80" }, { - "title": "How to Avoid Getting Flagged By the TSA, According to the TS-Mother-F'ing-A", - "description": "

    Flying can be annoying, especially during the holidays, and it’s even worse if you’re flagged by the TSA. Even if you follow all of their many rules, you can still end up being flagged, which can be uncomfortable at best, and day-ruining at worst.

    Read more...

    ", - "content": "

    Flying can be annoying, especially during the holidays, and it’s even worse if you’re flagged by the TSA. Even if you follow all of their many rules, you can still end up being flagged, which can be uncomfortable at best, and day-ruining at worst.

    Read more...

    ", - "category": "baggage", - "link": "https://lifehacker.com/how-to-avoid-getting-flagged-by-the-tsa-according-to-t-1848171516", - "creator": "Rachel Fairbank", - "pubDate": "Tue, 07 Dec 2021 16:00:00 GMT", + "title": "Indonesia volcano: Villages buried under hot ash", + "description": "Rescuers are searching for survivors after Mt Semeru erupted in eastern Java on Saturday.", + "content": "Rescuers are searching for survivors after Mt Semeru erupted in eastern Java on Saturday.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59543120?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 20:46:20 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "058b3b9a3092ea75ee02b5754f5e01bd" + "hash": "5c6e6a80c590a7df69d6d016a0062bb4" }, { - "title": "How to Use a Rubber Band to Loosen a Stubborn Screw, and Other Clever DIY Tricks", - "description": "

    Every craftsperson has their own unique way of doing things. Ask a question about a particular tool or method, and you’re likely to get as many different answers and suggestions as there are pros in the room. Some tricks are more useful than others, though—here are some of the best I know, from how to unstick a nut…

    Read more...

    ", - "content": "

    Every craftsperson has their own unique way of doing things. Ask a question about a particular tool or method, and you’re likely to get as many different answers and suggestions as there are pros in the room. Some tricks are more useful than others, though—here are some of the best I know, from how to unstick a nut…

    Read more...

    ", - "category": "woodworking", - "link": "https://lifehacker.com/how-to-use-a-rubber-band-to-loosen-a-stubborn-screw-an-1848170893", - "creator": "Becca Lewis", - "pubDate": "Tue, 07 Dec 2021 15:30:00 GMT", + "title": "Covid: UK red list criticised as 'travel apartheid' by Nigeria", + "description": "Nigeria - which was added to the red list on Monday - describes the restrictions as \"selective\".", + "content": "Nigeria - which was added to the red list on Monday - describes the restrictions as \"selective\".", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59545457?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 12:18:38 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "49f0b8b81a01804b1245072f4d60c65e" + "hash": "23784237334052b5d7d808a7b5fb8acf" }, { - "title": "13 of the Weirdest Christmas Traditions From Around the World", - "description": "

    It only seems normal to drag a dead tree into your house in order to get drunk in front of it because we do it every year. Same with all the holiday tales and traditions involving Santa, little baby Jesus, that Mariah Carey song, and everything else we associate with Dec. 25.

    How strange would all of this seem to an…

    Read more...

    ", - "content": "

    It only seems normal to drag a dead tree into your house in order to get drunk in front of it because we do it every year. Same with all the holiday tales and traditions involving Santa, little baby Jesus, that Mariah Carey song, and everything else we associate with Dec. 25.

    How strange would all of this seem to an…

    Read more...

    ", - "category": "traditions", - "link": "https://lifehacker.com/13-of-the-weirdest-christmas-traditions-from-around-the-1848168110", - "creator": "Stephen Johnson", - "pubDate": "Tue, 07 Dec 2021 15:00:00 GMT", + "title": "Farc: Colombian rebel commander 'El Paisa' killed in Venezuela", + "description": "The feared ex-Farc commander was notorious for his bloody guerrilla attacks and kidnappings.", + "content": "The feared ex-Farc commander was notorious for his bloody guerrilla attacks and kidnappings.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59543742?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 09:46:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb815b3903d3bd3970926d49b2c6c19a" + "hash": "479a7ef14a247a8e972e025066caefb5" }, { - "title": "How to Get the Smell of Garlic Out of Your Wooden Cutting Board", - "description": "

    If you own wooden utensils or cutting boards, you’ve probably noticed they have a way of retaining certain pungent odors. As much as we love our wooden kitchen tools, they are also porous, so they easily absorb strong smells—and then transfer those smells to foods we’re preparing later (garlic watermelon, anyone?).

    Read more...

    ", - "content": "

    If you own wooden utensils or cutting boards, you’ve probably noticed they have a way of retaining certain pungent odors. As much as we love our wooden kitchen tools, they are also porous, so they easily absorb strong smells—and then transfer those smells to foods we’re preparing later (garlic watermelon, anyone?).

    Read more...

    ", - "category": "garlic", - "link": "https://lifehacker.com/how-to-get-the-smell-of-garlic-out-of-your-wooden-cutti-1848170888", - "creator": "Rachel Fairbank", - "pubDate": "Tue, 07 Dec 2021 14:30:00 GMT", + "title": "Far-right target critics with Twitter's new media policy", + "description": "Far-right activists are using Twitter's new media policy to target anti-extremism researchers.", + "content": "Far-right activists are using Twitter's new media policy to target anti-extremism researchers.", + "category": "", + "link": "https://www.bbc.co.uk/news/technology-59547353?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 13:31:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e5cb32e94adff53bc0c5ee6d3c3eb25b" + "hash": "adcb983c95429cc30ddaaa0838a93125" }, { - "title": "You Should Stir Leftover Gravy Into Soups and Stews", - "description": "

    By now, all of your turkey gravy has been consumed, frozen, or tossed, but pouring gravy on roasts, potatoes, and roasted potatoes is an all-winter affair in my house. I make gravy before Thanksgiving, on Thanksgiving, and after Thanksgiving, which translates into a freezer full of gravy.

    Read more...

    ", - "content": "

    By now, all of your turkey gravy has been consumed, frozen, or tossed, but pouring gravy on roasts, potatoes, and roasted potatoes is an all-winter affair in my house. I make gravy before Thanksgiving, on Thanksgiving, and after Thanksgiving, which translates into a freezer full of gravy.

    Read more...

    ", - "category": "gravy", - "link": "https://lifehacker.com/you-should-stir-leftover-gravy-into-soups-and-stews-1848170201", - "creator": "Claire Lower", - "pubDate": "Tue, 07 Dec 2021 14:00:00 GMT", + "title": "Ray Dalio: US billionaire says China comments misunderstood", + "description": "Last month, JP Morgan's Jamie Dimon apologised for comments he made about the Chinese Communist Party.", + "content": "Last month, JP Morgan's Jamie Dimon apologised for comments he made about the Chinese Communist Party.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59543875?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 03:44:13 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "889617fa749d5bc12b9dd2974bc2b643" + "hash": "35025e524d91b471bcf26eb1ab1dd271" }, { - "title": "Why You Should Be Wary When Sending Your Pixel or iPhone in for Repairs", - "description": "

    None of us would willingly hand our phones over to someone if we thought they were going to steal and leak our personal data—but recent reports indicate some Apple and Google repair staff are doing just that.

    Read more...

    ", - "content": "

    None of us would willingly hand our phones over to someone if we thought they were going to steal and leak our personal data—but recent reports indicate some Apple and Google repair staff are doing just that.

    Read more...

    ", - "category": "pixel", - "link": "https://lifehacker.com/why-you-should-be-wary-when-sending-your-pixel-or-iphon-1848168903", - "creator": "Brendan Hesse", - "pubDate": "Mon, 06 Dec 2021 22:00:00 GMT", + "title": "Joni Mitchell and Bette Midler pick up Kennedy Center Honors", + "description": "The legendary Canadian singer makes a rare public appearance at a ceremony hosted by Joe Biden.", + "content": "The legendary Canadian singer makes a rare public appearance at a ceremony hosted by Joe Biden.", + "category": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59546478?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 10:33:10 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e16bcc1fc42bb9d77e1f1ffb550badb" + "hash": "75fa996e2b9c47f9010abbe1e8d926cb" }, { - "title": "What You Should Know About the New COVID Travel Rules That Start Today", - "description": "

    If you’re planning an international trip (or if you’re on one right now), it’s time to brush up on the COVID-related regulations, because testing requirements changed, and they take effect today. Also, remember how the Biden administration decided in early November that country-based travel bans are a bad idea?…

    Read more...

    ", - "content": "

    If you’re planning an international trip (or if you’re on one right now), it’s time to brush up on the COVID-related regulations, because testing requirements changed, and they take effect today. Also, remember how the Biden administration decided in early November that country-based travel bans are a bad idea?…

    Read more...

    ", - "category": "sars cov 2 omicron variant", - "link": "https://lifehacker.com/what-you-should-know-about-the-new-covid-travel-rules-t-1848166165", - "creator": "Beth Skwarecki", - "pubDate": "Mon, 06 Dec 2021 21:00:00 GMT", + "title": "ICYMI: Jumping into an active volcano, and other ways to spend the festive season", + "description": "Jumping into an active volcano is just one way to spend the festive season, in news you missed this week.", + "content": "Jumping into an active volcano is just one way to spend the festive season, in news you missed this week.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59509225?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 11:39:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "df16b9a88b8f5f2358c5c0837f7b7b5c" + "hash": "f77ae92f34330d174c25f26c55f0fb4c" }, { - "title": "Make Poultry Cracklins in Your Air Fryer", - "description": "

    Devouring salty, crackling poultry skin is one of my favorite things about eating birds but, once cooled, it can go from transcendentally crisp to upsettingly gummy in a matter of minutes. Depending on the size of your bird, trying to eat all the skin before it cools can come off as a little creepy, but you don’t have…

    Read more...

    ", - "content": "

    Devouring salty, crackling poultry skin is one of my favorite things about eating birds but, once cooled, it can go from transcendentally crisp to upsettingly gummy in a matter of minutes. Depending on the size of your bird, trying to eat all the skin before it cools can come off as a little creepy, but you don’t have…

    Read more...

    ", - "category": "chicken as food", - "link": "https://lifehacker.com/make-poultry-cracklins-in-your-air-fryer-1848168231", - "creator": "Claire Lower", - "pubDate": "Mon, 06 Dec 2021 20:30:00 GMT", + "title": "Aung San Suu Kyi: Myanmar court sentences ousted leader to four years jail", + "description": "This is the first verdict delivered for the ex-leader of Myanmar, who faces a total of 11 charges.", + "content": "This is the first verdict delivered for the ex-leader of Myanmar, who faces a total of 11 charges.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59544484?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 09:15:17 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "28a0f7faa49fb32e45907d2816db664d" + "hash": "1d48d9a98c17796b04d1e3568435bba0" }, { - "title": "Let's Bring Back the Fruit Stocking Stuffer", - "description": "

    I read a lot of historical fiction as a child—most of it in the American Girl Doll series. I don’t know how they do it now, but back in my day each doll had six matching books (each sold separately!), and all of the books had nearly identical titles—the only part of the title that would change from doll to doll was…

    Read more...

    ", - "content": "

    I read a lot of historical fiction as a child—most of it in the American Girl Doll series. I don’t know how they do it now, but back in my day each doll had six matching books (each sold separately!), and all of the books had nearly identical titles—the only part of the title that would change from doll to doll was…

    Read more...

    ", - "category": "trees", - "link": "https://lifehacker.com/lets-bring-back-the-fruit-stocking-stuffer-1848167306", - "creator": "Claire Lower", - "pubDate": "Mon, 06 Dec 2021 20:00:00 GMT", + "title": "Bob Dole: Biden leads tributes to a 'dear friend'", + "description": "Tributes have been paid across the US political divide to the late Republican leader Bob Dole.", + "content": "Tributes have been paid across the US political divide to the late Republican leader Bob Dole.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59542811?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 21:03:35 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3bb7301b4278ed350068124c9a66518e" + "hash": "be8f60198e53358096c4707fee0f84c4" }, { - "title": "Is Your Child Too Popular for Their Own Good?", - "description": "

    It’s impossible for thoughtful parents to not to worry about their child’s popularity. You can’t remember your own Lords-of-the Flies-with-hairspray high school social experience and not wonder whether you’ve prepared your child to navigate the fraught social landscape of not-quite-adulthood.

    Read more...

    ", - "content": "

    It’s impossible for thoughtful parents to not to worry about their child’s popularity. You can’t remember your own Lords-of-the Flies-with-hairspray high school social experience and not wonder whether you’ve prepared your child to navigate the fraught social landscape of not-quite-adulthood.

    Read more...

    ", - "category": "popular", - "link": "https://lifehacker.com/is-your-child-too-popular-for-their-own-good-1848149805", - "creator": "Stephen Johnson", - "pubDate": "Mon, 06 Dec 2021 19:30:00 GMT", + "title": "Gambia elections: Adama Barrow declared presidential election winner", + "description": "The electoral commission names Adama Barrow the winner despite his opponents questioning the vote.", + "content": "The electoral commission names Adama Barrow the winner despite his opponents questioning the vote.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59542813?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 22:35:31 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d9af2ecac56b02f4bda0f096e1064fd" + "hash": "a4a82237d90738d5d7784c25a49c216a" }, { - "title": "The Best Way to Ask for a Cost-of-Living Raise", - "description": "

    The end of the calendar year is a time for tactfully exiting holiday parties and hazarding guesses at what to get your coworker for Secret Santa, but more importantly, for many workplaces, it’s also the time when performance reviews happen, budgets are made, and salaries are negotiated.

    Read more...

    ", - "content": "

    The end of the calendar year is a time for tactfully exiting holiday parties and hazarding guesses at what to get your coworker for Secret Santa, but more importantly, for many workplaces, it’s also the time when performance reviews happen, budgets are made, and salaries are negotiated.

    Read more...

    ", - "category": "physical cosmology", - "link": "https://lifehacker.com/the-best-way-to-ask-for-a-cost-of-living-raise-1848167183", - "creator": "Meredith Dietz", - "pubDate": "Mon, 06 Dec 2021 19:00:00 GMT", + "title": "Tennis governing body to keep playing in China", + "description": "The ITF says it has not followed the WTA in suspending tournaments in China because it \"does not want to punish a billion people\".", + "content": "The ITF says it has not followed the WTA in suspending tournaments in China because it \"does not want to punish a billion people\".", + "category": "", + "link": "https://www.bbc.co.uk/sport/tennis/59542940?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 19:09:21 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "801c77da930efda05fcf30f4cbcab6af" + "hash": "9f5c93cc8a07e1d902653bf3001dae5a" }, { - "title": "How to Get Through Bedtime When You’re Solo-Parenting", - "description": "

    If you’re a parent of small children, you probably face the nightly bedtime routine with some amount of dread. There are so many to-do’s, moving, slippery parts, hyper children, and hygiene perils (see: bathwater, drinking) to deal with—plus an unparalleled appetite for chaos and stalling that seem to hit as soon as…

    Read more...

    ", - "content": "

    If you’re a parent of small children, you probably face the nightly bedtime routine with some amount of dread. There are so many to-do’s, moving, slippery parts, hyper children, and hygiene perils (see: bathwater, drinking) to deal with—plus an unparalleled appetite for chaos and stalling that seem to hit as soon as…

    Read more...

    ", - "category": "lifestyles", - "link": "https://lifehacker.com/how-to-get-through-bedtime-when-you-re-solo-parenting-1848166666", - "creator": "Sarah Showfety", - "pubDate": "Mon, 06 Dec 2021 18:30:00 GMT", + "title": "Putin in India: What Russian president's Delhi visit means for world politics", + "description": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "content": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59515741?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 03:21:13 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0f19726e2ec19fab2b2ec7829ff3b19" + "hash": "b4a50c5f13f5678ee6baf7005287deb5" }, { - "title": "How to Stop Your Phone From Calling 911 by Accident", - "description": "

    When there’s an emergency, you want quick, reliable access to help. What you don’t want is for that access to be so quick and so reliable you end up calling 911 by complete accident. Unfortunately, that is the state of emergency services on iPhone and Android, and if you’re reading this, you might be well aware of how…

    Read more...

    ", - "content": "

    When there’s an emergency, you want quick, reliable access to help. What you don’t want is for that access to be so quick and so reliable you end up calling 911 by complete accident. Unfortunately, that is the state of emergency services on iPhone and Android, and if you’re reading this, you might be well aware of how…

    Read more...

    ", - "category": "disaster accident", - "link": "https://lifehacker.com/how-to-stop-your-phone-from-calling-911-by-accident-1848166179", - "creator": "Jake Peterson", - "pubDate": "Mon, 06 Dec 2021 17:30:00 GMT", + "title": "Thomas Massie: US Congressman condemned for Christmas guns photo", + "description": "The image shows Thomas Massie and his family holding firearms days after a deadly school shooting.", + "content": "The image shows Thomas Massie and his family holding firearms days after a deadly school shooting.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59543735?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 00:42:47 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "393db2380bc3c8f248b1e2ccb028fbf9" + "hash": "03d309610293544a50612fea9d263132" }, { - "title": "7 of the Best Password Managers to Choose From Before Lockwise Shuts Down", - "description": "

    Firefox is shutting down its Lockwise password manager service. The passwords you save in the Firefox app on desktop and mobile will still be available, and they’ll still be synced across all your devices; Mozilla is effectively rolling Lockwise’s features into Firefox and removing the iOS and Android app from the…

    Read more...

    ", - "content": "

    Firefox is shutting down its Lockwise password manager service. The passwords you save in the Firefox app on desktop and mobile will still be available, and they’ll still be synced across all your devices; Mozilla is effectively rolling Lockwise’s features into Firefox and removing the iOS and Android app from the…

    Read more...

    ", - "category": "software", - "link": "https://lifehacker.com/7-of-the-best-password-managers-to-choose-from-before-l-1848165088", - "creator": "Khamosh Pathak", - "pubDate": "Mon, 06 Dec 2021 16:30:00 GMT", + "title": "Pope condemns treatment of migrants in Europe", + "description": "Visiting a camp in Greece, Francis calls the neglect of migrants the \"shipwreck of civilisation\".", + "content": "Visiting a camp in Greece, Francis calls the neglect of migrants the \"shipwreck of civilisation\".", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59538413?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 13:13:22 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "127ac8504577f97de160d6b9ad985c14" + "hash": "ffbacb5d096f0a35950421879d11f132" }, { - "title": "How to Unlock Halo Infinite's Hidden Multiplayer Modes Before Microsoft Takes Them Down", - "description": "

    Before Halo Infinite’s story mode goes public, Microsoft is inviting users into the multiplayer mode in the open beta, which has been running on Steam since Nov. 15. Halo Infinite starts you off with 17 multiplayer modes by default, but if you launch the game with Steam set in offline mode, you end up with 14 more…

    Read more...

    ", - "content": "

    Before Halo Infinite’s story mode goes public, Microsoft is inviting users into the multiplayer mode in the open beta, which has been running on Steam since Nov. 15. Halo Infinite starts you off with 17 multiplayer modes by default, but if you launch the game with Steam set in offline mode, you end up with 14 more…

    Read more...

    ", - "category": "microsoft", - "link": "https://lifehacker.com/how-to-unlock-halo-infinites-hidden-multiplayer-modes-b-1848165514", - "creator": "Khamosh Pathak", - "pubDate": "Mon, 06 Dec 2021 16:00:00 GMT", + "title": "Military truck rams into group of Myanmar protesters in Yangon", + "description": "Several people have been injured during a demonstration against the country's military rulers.", + "content": "Several people have been injured during a demonstration against the country's military rulers.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59540695?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 19:08:56 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2b5d08873f2c08289779703d8ba62cb" + "hash": "4fed4b0f4d08e32f53cbde408556b62f" }, { - "title": "How to Make the Perfect DIY Gift-Wrapping Station", - "description": "

    Wrapping holiday gifts can be fun—but if your gift-wrapping station is disorganized (and the wrapping paper is forever rolling off the table and unraveling), it can also be tedious. That’s why taking the extra time to set up the perfect, functional gift-wrapping station is worth the effort. Here are a few tips to set…

    Read more...

    ", - "content": "

    Wrapping holiday gifts can be fun—but if your gift-wrapping station is disorganized (and the wrapping paper is forever rolling off the table and unraveling), it can also be tedious. That’s why taking the extra time to set up the perfect, functional gift-wrapping station is worth the effort. Here are a few tips to set…

    Read more...

    ", - "category": "wrapping", - "link": "https://lifehacker.com/how-to-make-the-perfect-diy-gift-wrapping-station-1848164443", - "creator": "Becca Lewis", - "pubDate": "Mon, 06 Dec 2021 15:30:00 GMT", + "title": "India Nagaland: Security forces kill 13 civilians amid ambush blunder", + "description": "Home Minister Amit Shah expresses \"anguish\" after troops fire on miners in the country's north-east.", + "content": "Home Minister Amit Shah expresses \"anguish\" after troops fire on miners in the country's north-east.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59531445?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 08:38:22 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5b6104dee4b3a28362f5222998fc40d6" + "hash": "8e6bf14db83d8930b30df4cac6812670" }, { - "title": "Understanding the 'Goodness-of-Fit' Theory Can Help You Be a Better Parent", - "description": "

    It’s a cliché to say very child is different, but it’s unquestionably true that different kids need different types or support and will thrive in different environments. A child with a laidback temperament might thrive in a traditional classroom setting, while one who is full of energy might be disruptive, and one…

    Read more...

    ", - "content": "

    It’s a cliché to say very child is different, but it’s unquestionably true that different kids need different types or support and will thrive in different environments. A child with a laidback temperament might thrive in a traditional classroom setting, while one who is full of energy might be disruptive, and one…

    Read more...

    ", - "category": "personality", - "link": "https://lifehacker.com/understanding-the-goodness-of-fit-theory-can-help-you-b-1848157537", - "creator": "Rachel Fairbank", - "pubDate": "Mon, 06 Dec 2021 15:00:00 GMT", + "title": "Trump social media firm says it has raised $1bn", + "description": "The former US president is working to launch a social media app called Truth Social early next year.", + "content": "The former US president is working to launch a social media app called Truth Social early next year.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59538590?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 17:05:52 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "50db9a8c0d642d8dc9566ee22d459390" + "hash": "d14eacd455975022cff3490104188081" }, { - "title": "Start a ‘Tech-Free’ Hobby, and Other Ways to Beat Technology Fatigue", - "description": "

    You may have noticed that we are all surrounded by tech. We use it for work, for entertainment, and to keep in touch with our friends and family. It can feel, from the moment you wake up to the moment you go to bed, that you are tethered to your many gadgets. If you’re feeling overwhelmed by the constant use of…

    Read more...

    ", - "content": "

    You may have noticed that we are all surrounded by tech. We use it for work, for entertainment, and to keep in touch with our friends and family. It can feel, from the moment you wake up to the moment you go to bed, that you are tethered to your many gadgets. If you’re feeling overwhelmed by the constant use of…

    Read more...

    ", - "category": "fatigue", - "link": "https://lifehacker.com/start-a-tech-free-hobby-and-other-ways-to-beat-techn-1848133853", - "creator": "Shannon Flynn", - "pubDate": "Mon, 06 Dec 2021 14:30:00 GMT", + "title": "Why France faces so much anger in West Africa", + "description": "Despite engaging better with the African continent recently, the ex-colonial power faces a backlash.", + "content": "Despite engaging better with the African continent recently, the ex-colonial power faces a backlash.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59517501?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 00:50:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac49c0a9bccb4f47b9d8acacd1d67266" + "hash": "e2ff05de3361cead09701c7ee48cfbdf" }, { - "title": "15 Discontinued Fast-Food Items That Must Return, According to Lifehacker Readers", - "description": "

    Last week I asked which discontinued fast-food items you wish would return with all your heart. To paint a picture of loss, I of course used Taco Bell’s discontinuation of the Mexican Pizza as an example; despite less-than-overwhelming support for the Mexican Pizza in the comments, the item will be featured in this…

    Read more...

    ", - "content": "

    Last week I asked which discontinued fast-food items you wish would return with all your heart. To paint a picture of loss, I of course used Taco Bell’s discontinuation of the Mexican Pizza as an example; despite less-than-overwhelming support for the Mexican Pizza in the comments, the item will be featured in this…

    Read more...

    ", - "category": "blazer", - "link": "https://lifehacker.com/15-discontinued-fast-food-items-that-must-return-accor-1848157164", - "creator": "Meredith Dietz", - "pubDate": "Mon, 06 Dec 2021 14:00:00 GMT", + "title": "Vladimir Putin in India: What Russian president's visit means for world politics", + "description": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "content": "Russia and India ties are facing challenges from fast-changing geopolitics in Asia and beyond.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59515741?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 03:21:13 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9bef6229e234d822c4a51188b9aa602" + "hash": "54f3f2e054a52aa64433905a341a74cb" }, { - "title": "How to Tell the Difference Between a Thanksgiving Cactus and a Christmas Cactus, and Why It Matters", - "description": "

    Despite their festive name, Christmas cacti are great year-round houseplants, and don’t look out of place in the middle of July. They also live so long that they can be passed down between generations if they receive the proper care.

    Read more...

    ", - "content": "

    Despite their festive name, Christmas cacti are great year-round houseplants, and don’t look out of place in the middle of July. They also live so long that they can be passed down between generations if they receive the proper care.

    Read more...

    ", - "category": "plants", - "link": "https://lifehacker.com/how-to-tell-the-difference-between-a-thanksgiving-cactu-1848161107", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 05 Dec 2021 18:00:00 GMT", + "title": "Parag Agrawal: Why Indian-born CEOs dominate Silicon Valley", + "description": "Parag Agrawal, Twitter's new CEO, is the latest of several Indian-Americans leading global tech firms.", + "content": "Parag Agrawal, Twitter's new CEO, is the latest of several Indian-Americans leading global tech firms.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59457015?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 00:32:42 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9fde1610a6937f3486f877af6e8f6d55" + "hash": "627424f4e918e5a3ff6df078939ed418" }, { - "title": "Don't Overlook These Relationship Green Flags", - "description": "

    When it comes to romantic relationships—whether they are firmly established, or still in their early stages—we are (rightfully) conditioned to pay attention to and make note of any warning signs about a person, commonly referred to as “red flags.”

    Read more...

    ", - "content": "

    When it comes to romantic relationships—whether they are firmly established, or still in their early stages—we are (rightfully) conditioned to pay attention to and make note of any warning signs about a person, commonly referred to as “red flags.”

    Read more...

    ", - "category": "personal life", - "link": "https://lifehacker.com/dont-overlook-these-relationship-green-flags-1848161100", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 05 Dec 2021 16:00:00 GMT", + "title": "MH370: Could missing Malaysian Airlines plane finally be found?", + "description": "A British engineer believes he may help solve one of the world's greatest aviation mysteries.", + "content": "A British engineer believes he may help solve one of the world's greatest aviation mysteries.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59517821?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 22:34:22 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "333a3915e36b0c96df9e862ae12f09ec" + "hash": "39b30bc41f1a69543dc1243c0f538f97" }, { - "title": "Why You Should Use a Quarter to Test Tire Tread Instead of a Penny", - "description": "

    As you were learning how to drive, you may have also learned a few car maintenance basics, like how to refill your windshield wiper fluid or check your oil levels. Another common tip was to use a penny to check the tread on your tires.

    Read more...

    ", - "content": "

    As you were learning how to drive, you may have also learned a few car maintenance basics, like how to refill your windshield wiper fluid or check your oil levels. Another common tip was to use a penny to check the tread on your tires.

    Read more...

    ", - "category": "tire", - "link": "https://lifehacker.com/why-you-should-use-a-quarter-to-test-tire-tread-instead-1848161093", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 05 Dec 2021 14:00:00 GMT", + "title": "Why Ugandan troops have entered DR Congo - again", + "description": "Previous incursions have led to accusations of looting and abuse, so will it be different this time?", + "content": "Previous incursions have led to accusations of looting and abuse, so will it be different this time?", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59507543?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 00:41:35 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1c6ecb4918490c77a275fc415b78d470" + "hash": "7e1d92a8168df88d802af97a0b41765b" }, { - "title": "Don't Ignore These Less-Obvious Signs of Verbal Abuse", - "description": "

    Sometimes it’s very clear when someone speaking to you is being verbally abusive; you feel cut-down, belittled, and/or manipulated. But other times, it can be harder to tell if the words directed at you are some type of criticism or unwelcome feedback, or actual verbal abuse.

    Read more...

    ", - "content": "

    Sometimes it’s very clear when someone speaking to you is being verbally abusive; you feel cut-down, belittled, and/or manipulated. But other times, it can be harder to tell if the words directed at you are some type of criticism or unwelcome feedback, or actual verbal abuse.

    Read more...

    ", - "category": "verbal abuse", - "link": "https://lifehacker.com/dont-ignore-these-less-obvious-signs-of-verbal-abuse-1848156652", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 04 Dec 2021 18:00:00 GMT", + "title": "Saudi Arabia Grand Prix: A race for equal rights", + "description": "As F1 races in Saudi Arabia, can it be a positive thing for female and LGBT rights?", + "content": "As F1 races in Saudi Arabia, can it be a positive thing for female and LGBT rights?", + "category": "", + "link": "https://www.bbc.co.uk/news/newsbeat-59220247?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 00:43:33 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "187b13226185f655844af49aade517e6" + "hash": "0c610097cc6dedfb3c8e8e935ef95b66" }, { - "title": "How to Figure Out if Wood Has Been Pressure-Treated, and Why It Matters", - "description": "

    Those who have spent some time working with wood know that the building material comes in different types, and they’re not all equally suited for every project. Other than the features that depend on the type of tree the wood came from (i.e. maple, oak, birch, etc.), how wood is used also comes down to whether or not…

    Read more...

    ", - "content": "

    Those who have spent some time working with wood know that the building material comes in different types, and they’re not all equally suited for every project. Other than the features that depend on the type of tree the wood came from (i.e. maple, oak, birch, etc.), how wood is used also comes down to whether or not…

    Read more...

    ", - "category": "wood", - "link": "https://lifehacker.com/how-to-figure-out-if-wood-has-been-pressure-treated-an-1848156635", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 04 Dec 2021 16:00:00 GMT", + "title": "French climber handed Mont Blanc gems after 2013 find", + "description": "The stones are believed to be from an Air India plane which crashed into the mountain in 1966.", + "content": "The stones are believed to be from an Air India plane which crashed into the mountain in 1966.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59538540?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 10:48:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "6a7bf0a461d6a6ffa548711db1f6ef7b" + "hash": "3282b7021f08f428e280aa46b2670009" }, { - "title": "Snag $1,000 for Looking Like Your Pet", - "description": "

    There’s an old saying that eventually, people and their pets will start to look like each other. (Or is that spouses? Either way, it’s something/one you live and go on walks with.) But once that happens, what comes next? You can either ignore it and move on with your life, or really lean into it, and take (and…

    Read more...

    ", - "content": "

    There’s an old saying that eventually, people and their pets will start to look like each other. (Or is that spouses? Either way, it’s something/one you live and go on walks with.) But once that happens, what comes next? You can either ignore it and move on with your life, or really lean into it, and take (and…

    Read more...

    ", - "category": "shane co", - "link": "https://lifehacker.com/snag-1-000-for-looking-like-your-pet-1848156578", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 04 Dec 2021 14:00:00 GMT", + "title": "Pacific Ocean garbage patch is immense plastic habitat", + "description": "Researchers discover coastal species living on debris miles from their natural surroundings.", + "content": "Researchers discover coastal species living on debris miles from their natural surroundings.", + "category": "", + "link": "https://www.bbc.co.uk/news/science-environment-59521211?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 00:56:58 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6edf34280c793a5df399e284dfacd34" + "hash": "6b0521c284f4c8583995fcf9f1bc7ef5" }, { - "title": "What You Need to Know About the Omicron Variant", - "description": "

    Omicron is the latest variant of the virus that causes COVID-19. Like Delta, it’s been designated by the World Health Organization as a “Variant of Concern” (more severe than a “Variant of Interest”). Also like Delta, it’s moving fast. Cases spiked in South Africa recently, and cases of infection with the variant have…

    Read more...

    ", - "content": "

    Omicron is the latest variant of the virus that causes COVID-19. Like Delta, it’s been designated by the World Health Organization as a “Variant of Concern” (more severe than a “Variant of Interest”). Also like Delta, it’s moving fast. Cases spiked in South Africa recently, and cases of infection with the variant have…

    Read more...

    ", - "category": "omicron", - "link": "https://lifehacker.com/what-you-need-to-know-about-the-omicron-variant-1848158084", - "creator": "Beth Skwarecki", - "pubDate": "Fri, 03 Dec 2021 20:00:00 GMT", + "title": "Bus carrying choir members plunges into Kenya river", + "description": "At least 23 die as a bus taking a church choir group to a wedding plunges into a flooded river.", + "content": "At least 23 die as a bus taking a church choir group to a wedding plunges into a flooded river.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59531173?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 17:05:51 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2bef46d8d91a6ec737e8b400d77e006a" + "hash": "27647f1c6c1eb2fae4e31da3dd80470b" }, { - "title": "How to Lock Up Your Photos and Videos in Google Photos", - "description": "

    For one reason or another, we all have photos and videos that we don’t want just anyone looking at, and we’ve all experienced that small jolt of panic when showing someone one picture, and they start scrolling to their heart’s content. If you use Google Photos, you no longer need to worry, as you can move your…

    Read more...

    ", - "content": "

    For one reason or another, we all have photos and videos that we don’t want just anyone looking at, and we’ve all experienced that small jolt of panic when showing someone one picture, and they start scrolling to their heart’s content. If you use Google Photos, you no longer need to worry, as you can move your…

    Read more...

    ", - "category": "google", - "link": "https://lifehacker.com/how-to-lock-up-your-photos-and-videos-in-google-photos-1848157338", - "creator": "Jake Peterson", - "pubDate": "Fri, 03 Dec 2021 19:30:00 GMT", + "title": "Afghanistan: Taliban warned against targeting former security forces", + "description": "US and allies \"deeply concerned\" about human rights abuses against former Afghan security forces.", + "content": "US and allies \"deeply concerned\" about human rights abuses against former Afghan security forces.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59536522?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 03:12:59 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "852d8fec6f2ddf642763849ebb4efe96" + "hash": "38c14b484b6feec1a933b18b5682f2ef" }, { - "title": "Sous Vide an 'Always Sunny' Rum Ham That Would Make Frank Reynolds Proud", - "description": "

    It took me way longer than it should have to watch It’s Always Sunny In Philadelphia. It’s almost like I was saving it for when I needed it most, which happened to be during a global pandemic (and a couple of months before the Season 15 premier). I adore it, and everyone involved with making it. The entire cast is…

    Read more...

    ", - "content": "

    It took me way longer than it should have to watch It’s Always Sunny In Philadelphia. It’s almost like I was saving it for when I needed it most, which happened to be during a global pandemic (and a couple of months before the Season 15 premier). I adore it, and everyone involved with making it. The entire cast is…

    Read more...

    ", - "category": "rum", - "link": "https://lifehacker.com/sous-vide-an-always-sunny-rum-ham-that-would-make-frank-1848157451", - "creator": "Claire Lower", - "pubDate": "Fri, 03 Dec 2021 19:00:00 GMT", + "title": "Chris Cuomo: CNN fires presenter over help he gave politician brother", + "description": "The star TV presenter is sacked over efforts to help his brother defend sexual harassment claims.", + "content": "The star TV presenter is sacked over efforts to help his brother defend sexual harassment claims.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59536519?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 00:26:55 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0f8523355af5dd1ed191f33a5cd3f3a" + "hash": "56150bea8868bb762751647cff85cfab" }, { - "title": "30 of the Best Movies of 2021 You Can Watch at Home Right Now", - "description": "

    It has been a good year for movies. Not a great year for movie theaters, though.

    In 2019, the last year in which box office returns were unaffected by the pandemic, U.S. theaters banked $11.4 billion in ticket sales. Last year, that lofty total dropped to $2.2 billion (for context, Avengers: Endgame alone made more…

    Read more...

    ", - "content": "

    It has been a good year for movies. Not a great year for movie theaters, though.

    In 2019, the last year in which box office returns were unaffected by the pandemic, U.S. theaters banked $11.4 billion in ticket sales. Last year, that lofty total dropped to $2.2 billion (for context, Avengers: Endgame alone made more…

    Read more...

    ", - "category": "beanie feldstein", - "link": "https://lifehacker.com/30-of-the-best-movies-of-2021-you-can-watch-at-home-rig-1848154310", - "creator": "Joel Cunningham", - "pubDate": "Fri, 03 Dec 2021 18:00:00 GMT", + "title": "Eitan Biran: Cable car survivor returned to Italy after custody battle", + "description": "Eitan Biran, the sole survivor of a cable car crash, is now in Italy after a custody battle.", + "content": "Eitan Biran, the sole survivor of a cable car crash, is now in Italy after a custody battle.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59531437?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 10:47:33 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14fea2431e4806b274f2049734ef888e" + "hash": "c9891ff0ade25f1ec771943ec8d3e4f8" }, { - "title": "How to Keep Little Kids From Destroying Your Christmas Tree", - "description": "

    You’ve made the annual pilgrimage to the Christmas tree farm, selected the fullest Fraser fir, (or erected that surprisingly lifelike pre-lit Aspen artificial from Costco), placed each ornament on the perfect branch and carefully lifted your little one to the tree’s apex for the privilege of putting the star on top.…

    Read more...

    ", - "content": "

    You’ve made the annual pilgrimage to the Christmas tree farm, selected the fullest Fraser fir, (or erected that surprisingly lifelike pre-lit Aspen artificial from Costco), placed each ornament on the perfect branch and carefully lifted your little one to the tree’s apex for the privilege of putting the star on top.…

    Read more...

    ", - "category": "christmas", - "link": "https://lifehacker.com/how-to-keep-little-kids-from-destroying-your-christmas-1848156541", - "creator": "Sarah Showfety", - "pubDate": "Fri, 03 Dec 2021 17:30:00 GMT", + "title": "Belgian zoo hippos test positive for Covid", + "description": "Officials at Antwerp zoo do not know how the pair - now in quarantine - caught the virus.", + "content": "Officials at Antwerp zoo do not know how the pair - now in quarantine - caught the virus.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59516896?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 15:53:17 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7117b403ccbcf2da4860b795d96d8bfe" + "hash": "18a32b79f4a54339138a43a00b5ed50e" }, { - "title": "How to (Finally) Speed Up Pokémon GO’s Refresh Rate on Your Phone", - "description": "

    Pokémon GO is still going strong, and is a great example of a uniquely mobile gaming experience. While the game is more about hunting for Pokémon throughout the real world, and less about graphics, the game’s frame rate has always lagged behind what our smartphones are capable of. Thankfully, that’s no longer the…

    Read more...

    ", - "content": "

    Pokémon GO is still going strong, and is a great example of a uniquely mobile gaming experience. While the game is more about hunting for Pokémon throughout the real world, and less about graphics, the game’s frame rate has always lagged behind what our smartphones are capable of. Thankfully, that’s no longer the…

    Read more...

    ", - "category": "refresh rate", - "link": "https://lifehacker.com/how-to-finally-speed-up-pokemon-go-s-refresh-rate-on-1848155974", - "creator": "Jake Peterson", - "pubDate": "Fri, 03 Dec 2021 17:00:00 GMT", + "title": "Ros Atkins on… America’s abortion divide", + "description": "How abortion rights in the US look likely to be changed by a conservative majority Supreme Court.", + "content": "How abortion rights in the US look likely to be changed by a conservative majority Supreme Court.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59519863?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 00:10:23 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f99628fbc937a26d3fbfac544de6e7cd" + "hash": "622a2ffeff377ef2be21fcb9c90620f6" }, { - "title": "Everything You Need to Know About the Rise (and the Effectiveness) of Digital Therapeutics", - "description": "

    The old joke “there’s an app for that!” has finally come for the healthcare industry as medicine moves into the uncharted waters known as Digital Therapeutics (DTx). You might be familiar with the broader category of Digital Health, which includes stuff like the Fitbit designed to support healthy lifestyles or a…

    Read more...

    ", - "content": "

    The old joke “there’s an app for that!” has finally come for the healthcare industry as medicine moves into the uncharted waters known as Digital Therapeutics (DTx). You might be familiar with the broader category of Digital Health, which includes stuff like the Fitbit designed to support healthy lifestyles or a…

    Read more...

    ", - "category": "digital therapeutics", - "link": "https://lifehacker.com/everything-you-need-to-know-about-the-rise-and-the-eff-1848155470", - "creator": "Jeff Somers", - "pubDate": "Fri, 03 Dec 2021 16:30:00 GMT", + "title": "The drought ravaging East African wildlife and livestock", + "description": "At least 26 million people are struggling for food across northern Kenya, Somalia and southern Ethiopia.", + "content": "At least 26 million people are struggling for food across northern Kenya, Somalia and southern Ethiopia.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59513118?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:31:06 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d38f9dc4e585b10c54afbae929f91909" + "hash": "2273a78505fdd8c1ea19d36868e80199" }, { - "title": "How to Get Your Solar Panels Ready for Winter", - "description": "

    Let’s start with the good news: Solar panels can continue to produce energy throughout the winter, even when temperatures really drop. (If you purchased solar panels for your home and live somewhere with cold winters, you probably already know this.) But the less-convenient news is that if your area is also prone to…

    Read more...

    ", - "content": "

    Let’s start with the good news: Solar panels can continue to produce energy throughout the winter, even when temperatures really drop. (If you purchased solar panels for your home and live somewhere with cold winters, you probably already know this.) But the less-convenient news is that if your area is also prone to…

    Read more...

    ", - "category": "environment", - "link": "https://lifehacker.com/how-to-get-your-solar-panels-ready-for-winter-1848155353", - "creator": "Elizabeth Yuko", - "pubDate": "Fri, 03 Dec 2021 16:00:00 GMT", + "title": "NunTok: How religion is booming on TikTok and Instagram", + "description": "Nuns, imams and Buddhist monks are among those sharing successful - and often fun - short-form videos on social media.", + "content": "Nuns, imams and Buddhist monks are among those sharing successful - and often fun - short-form videos on social media.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59513177?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:03:23 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "529cbf30cdcf176a6434c9b0677dad1d" + "hash": "28cf8bcb91e7dff27e79799ad450dbb7" }, { - "title": "Why You Should Master the Art of 'Lazy' Exercise", - "description": "

    In college, I knew a girl who did a lot of her studying at the gym. She’d bring a textbook and prop it up on the treadmill, and somehow it worked for her. Anytime I tried it, I’d have a bouncing book, a terrible workout, and not be able to report back a single word I’d read.

    Read more...

    ", - "content": "

    In college, I knew a girl who did a lot of her studying at the gym. She’d bring a textbook and prop it up on the treadmill, and somehow it worked for her. Anytime I tried it, I’d have a bouncing book, a terrible workout, and not be able to report back a single word I’d read.

    Read more...

    ", - "category": "exercise", - "link": "https://lifehacker.com/why-you-should-master-the-art-of-lazy-exercise-1848069976", - "creator": "Beth Skwarecki", - "pubDate": "Fri, 03 Dec 2021 15:30:00 GMT", + "title": "Indonesia volcano: Volcano rescuers face ash as high as rooftops", + "description": "At least 14 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", + "content": "At least 14 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 13:29:45 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bd7bc1e22ad0f2ac84c82d9a80bded35" + "hash": "fd2e10688fefc4d93d520946469bcc30" }, { - "title": "How to Install Picture Rail Now That It Is (Rightfully) Back in Style", - "description": "

    While most contemporary homes don’t come with picture rail installed, the Victorian style of molding is making a comeback. Whether you’re after that classic victorian look—or something a bit more modern look—installing picture rail molding is a simple and stylish project to tackle. While conventional picture hooks and…

    Read more...

    ", - "content": "

    While most contemporary homes don’t come with picture rail installed, the Victorian style of molding is making a comeback. Whether you’re after that classic victorian look—or something a bit more modern look—installing picture rail molding is a simple and stylish project to tackle. While conventional picture hooks and…

    Read more...

    ", - "category": "nail", - "link": "https://lifehacker.com/how-to-install-picture-rail-now-that-it-is-rightfully-1848154539", - "creator": "Becca Lewis", - "pubDate": "Fri, 03 Dec 2021 15:00:00 GMT", + "title": "Veteran Republican leader Bob Dole dies", + "description": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", + "content": "Long-serving senator, who recovered from terrible injuries to run for president, dies at 98", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-45667690?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 17:18:36 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9beb313d344ad1e7034e0a2a5ccd34f1" + "hash": "43d4774f568cc305ef72d20ba0938f6e" }, { - "title": "The Out-of-Touch Adults’ Guide to Kid Culture: Did Ancient Rome Even Exist?", - "description": "

    With the holiday season in full swing, the young people are shifting to different dimensions, denying the existence of Ancient Rome, and learning more about snowflakes than you’d even think was possible.

    Read more...

    ", - "content": "

    With the holiday season in full swing, the young people are shifting to different dimensions, denying the existence of Ancient Rome, and learning more about snowflakes than you’d even think was possible.

    Read more...

    ", - "category": "culture", - "link": "https://lifehacker.com/the-out-of-touch-adults-guide-to-kid-culture-did-anci-1848152209", - "creator": "Stephen Johnson", - "pubDate": "Fri, 03 Dec 2021 14:30:00 GMT", + "title": "Biden and Putin to talk amid Ukraine invasion fears", + "description": "On Tuesday the US and Russian leaders will speak amid mounting concerns of Russia invading Ukraine.", + "content": "On Tuesday the US and Russian leaders will speak amid mounting concerns of Russia invading Ukraine.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59533689?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 00:36:48 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eee44dd67ccd1064c2b7fec3fa273fb5" + "hash": "03c5cd618a0c582bfe5b87e142e903a4" }, { - "title": "These Are the Best Streaming Service Sign-Up Deals You Can Get Right Now", - "description": "

    The cost of streaming service subscriptions to cover all of your watching and listening needs can add up quickly, especially if you don’t take advantage of free trials and discounts when they come along. While it’s true that most streaming services offered up their best deals for Cyber Monday—and some of those promos…

    Read more...

    ", - "content": "

    The cost of streaming service subscriptions to cover all of your watching and listening needs can add up quickly, especially if you don’t take advantage of free trials and discounts when they come along. While it’s true that most streaming services offered up their best deals for Cyber Monday—and some of those promos…

    Read more...

    ", - "category": "bestbuycom", - "link": "https://lifehacker.com/these-are-the-best-streaming-service-sign-up-deals-you-1848154491", - "creator": "Emily Long", - "pubDate": "Fri, 03 Dec 2021 14:00:00 GMT", + "title": "Michigan school shooting: Suspect's parents deny involuntary manslaughter", + "description": "Bail is set at $1m for the couple arrested in Detroit after failing to attend court on Friday.", + "content": "Bail is set at $1m for the couple arrested in Detroit after failing to attend court on Friday.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59532845?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 15:57:52 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "62d8552a946bdb8bb146df7429efd138" + "hash": "cbe4922b49105654259f414501bc89db" }, { - "title": "Please Don't Say These Things to Someone Who Doesn't Drink", - "description": "

    The new year is here, and with it came a big night for drinking. The holidays typically come with a lot of them, from Thanksgiving to boozy Secret Santa exchanges to New Years Eve, there are frequent opportunities to gather and make merry—most of them with gallons of alcohol.

    Read more...

    ", - "content": "

    The new year is here, and with it came a big night for drinking. The holidays typically come with a lot of them, from Thanksgiving to boozy Secret Santa exchanges to New Years Eve, there are frequent opportunities to gather and make merry—most of them with gallons of alcohol.

    Read more...

    ", - "category": "uber", - "link": "https://lifehacker.com/please-dont-say-these-things-to-someone-who-doesnt-drin-1848059452", - "creator": "Sarah Showfety", - "pubDate": "Fri, 03 Dec 2021 13:30:00 GMT", + "title": "Rare turtle washes up 4,000 miles from home", + "description": "Tally the Turtle is recovering in a UK zoo awaiting a flight back to the warm waters of Mexico.", + "content": "Tally the Turtle is recovering in a UK zoo awaiting a flight back to the warm waters of Mexico.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-wales-59520232?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 09:34:37 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7f6836639a15ef1c3d34cd7842b9b774" + "hash": "ab0f9dc62c2b52dbdde47886e31008f0" }, { - "title": "Plant These Veggies to Create a Winter Garden", - "description": "

    Although winter typically isn’t thought of as a gardening season, it is possible—with the proper arrangements and precautions—to plant and grow a handful of vegetables during the colder season. Of course, that depends on exactly how cold and snowy your winter gets, but thanks to climate change, who knows what a…

    Read more...

    ", - "content": "

    Although winter typically isn’t thought of as a gardening season, it is possible—with the proper arrangements and precautions—to plant and grow a handful of vegetables during the colder season. Of course, that depends on exactly how cold and snowy your winter gets, but thanks to climate change, who knows what a…

    Read more...

    ", - "category": "leaf vegetables", - "link": "https://lifehacker.com/plant-these-veggies-to-create-a-winter-garden-1848150672", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 02 Dec 2021 20:35:00 GMT", + "title": "Indonesia volcano: Rescuers race to find survivors of Indonesia eruption", + "description": "At least 13 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", + "content": "At least 13 people are dead and dozens injured after Mt Semeru erupted on Indonesia's Java island.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 04:55:45 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b24a88acd83ac7d873de0a5eb7e58ed" + "hash": "0b3d632cb703fd8e29c69c600189f13b" }, { - "title": "Never Burn These Items in a Fireplace", - "description": "

    It’s fireplace season in many areas right now, which (hopefully) means cozy evenings spent curled up in front of its warm glow. Or, maybe you were cleaning and came across a bunch of letters and gifts from an ex, and felt that warm glow beckoning to you for other, less cozy reasons.

    Read more...

    ", - "content": "

    It’s fireplace season in many areas right now, which (hopefully) means cozy evenings spent curled up in front of its warm glow. Or, maybe you were cleaning and came across a bunch of letters and gifts from an ex, and felt that warm glow beckoning to you for other, less cozy reasons.

    Read more...

    ", - "category": "fireplace", - "link": "https://lifehacker.com/never-burn-these-items-in-a-fireplace-1848150689", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 02 Dec 2021 20:00:00 GMT", + "title": "Covid: Don't panic about Omicron variant, WHO says", + "description": "The World Health Organization urges people to be cautious and prepare for the Omicron variant.", + "content": "The World Health Organization urges people to be cautious and prepare for the Omicron variant.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59526252?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 17:34:06 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "9b3352bf0a08b2d1dbdebe33d2c32c48" + "hash": "4bc7e291752627de8f17403513a3e1a6" }, { - "title": "How to Fight the Oncoming Destruction of Roe v. Wade and Abortion Rights", - "description": "

    As you might already be well aware, the future of Roe v. Wade isn’t looking good.

    Read more...

    ", - "content": "

    As you might already be well aware, the future of Roe v. Wade isn’t looking good.

    Read more...

    ", - "category": "roe", - "link": "https://lifehacker.com/how-to-fight-the-oncoming-destruction-of-roe-v-wade-an-1848151068", - "creator": "Meredith Dietz", - "pubDate": "Thu, 02 Dec 2021 19:30:00 GMT", + "title": "Indonesia volcano: Dozens injured as residents flee huge ash cloud from Mt Semeru", + "description": "One person has died and 41 have burn injuries as Mt Semeru erupts on Indonesia's Java island.", + "content": "One person has died and 41 have burn injuries as Mt Semeru erupts on Indonesia's Java island.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 15:01:43 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "defeb94d56c0aaa800d261cb1d71adfe" + "hash": "8dcf2ccd7e6fb47911e2b99618bdeb2b" }, { - "title": "You Should Air Fry Some Crackers", - "description": "

    Crackers are not something you have to cook. They are a fully realized and finished product, and come out of the box ready for consumption. Put a piece of cheese on a cracker and you have a good snack. Holiday snacks, however, require a little more than “good.” They require a bit of excess, a bit of unnecessary and…

    Read more...

    ", - "content": "

    Crackers are not something you have to cook. They are a fully realized and finished product, and come out of the box ready for consumption. Put a piece of cheese on a cracker and you have a good snack. Holiday snacks, however, require a little more than “good.” They require a bit of excess, a bit of unnecessary and…

    Read more...

    ", - "category": "crackers", - "link": "https://lifehacker.com/you-should-air-fry-some-crackers-1848151031", - "creator": "Claire Lower", - "pubDate": "Thu, 02 Dec 2021 19:00:00 GMT", + "title": "Biden and Putin to hold call amid Ukraine invasion fears", + "description": "The US and Russian leaders will discuss Ukraine amid mounting concerns about a possible Russian invasion.", + "content": "The US and Russian leaders will discuss Ukraine amid mounting concerns about a possible Russian invasion.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59533689?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 18:53:39 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17c3c6fb773eed3bfd67826d1b7f9c07" + "hash": "7d6640b72b62b65d15a731f8ce39f99a" }, { - "title": "How to Fix Your Pixel 6's Connectivity Issues", - "description": "

    There’s a lot to love about the Pixel 6 and 6 Pro, but there are some serious headaches, as well. The last time we covered the devices, we talked about how to fix the Pixel 6's slow fingerprint sensor. Today, it appears a new headache has surfaced, with many users complaining their Pixel 6 or Pixel 6 Pro won’t connect…

    Read more...

    ", - "content": "

    There’s a lot to love about the Pixel 6 and 6 Pro, but there are some serious headaches, as well. The last time we covered the devices, we talked about how to fix the Pixel 6's slow fingerprint sensor. Today, it appears a new headache has surfaced, with many users complaining their Pixel 6 or Pixel 6 Pro won’t connect…

    Read more...

    ", - "category": "pixel 6", - "link": "https://lifehacker.com/how-to-fix-your-pixel-6s-connectivity-issues-1848149259", - "creator": "Jake Peterson", - "pubDate": "Thu, 02 Dec 2021 18:30:00 GMT", + "title": "Afghanistan: Macron reveals plans for joint European mission", + "description": "The French president says a number of European nations are working on a joint diplomatic mission.", + "content": "The French president says a number of European nations are working on a joint diplomatic mission.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59531442?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 13:50:25 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "4d86a45a4f67cc6e831d16657c1f5ddb" + "hash": "d05338022f330cfcbae3e690bd0cb605" }, { - "title": "How to Explore Your Bisexuality Without Being Overwhelmed", - "description": "

    When you first start to consider that you might be bisexual, a whole new world of possibilities suddenly opens up. Essentially, your personal dating pool just doubled in size at a time when you’re still trying to figure out your own identity. It can be a lot. Here’s how to explore your bisexuality without getting…

    Read more...

    ", - "content": "

    When you first start to consider that you might be bisexual, a whole new world of possibilities suddenly opens up. Essentially, your personal dating pool just doubled in size at a time when you’re still trying to figure out your own identity. It can be a lot. Here’s how to explore your bisexuality without getting…

    Read more...

    ", - "category": "bisexuality", - "link": "https://lifehacker.com/how-to-explore-your-bisexuality-without-being-overwhelm-1848003279", - "creator": "Lindsey Ellefson", - "pubDate": "Thu, 02 Dec 2021 18:00:00 GMT", + "title": "Gambia elections: Ex-President Yahya Jammeh's shadow looms over poll", + "description": "Exiled leader Yahya Jammeh - who ruled the country for 22 years - is a key figure in the poll.", + "content": "Exiled leader Yahya Jammeh - who ruled the country for 22 years - is a key figure in the poll.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59531167?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 09:41:13 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2eddd5618c83ac7da2e33fc6b8b0818a" + "hash": "4216ff35fa63cc5aedb87962bb1c700b" }, { - "title": "Get Rid of These Antiperspirants That Have Cancer-Causing Chemicals, FDA Says", - "description": "

    If you’re a fan of aerosol spray antiperspirants and deodorants, you’re going to want to check to see whether the one you use is part of a voluntary recall issued by Procter & Gamble (P&G).

    Read more...

    ", - "content": "

    If you’re a fan of aerosol spray antiperspirants and deodorants, you’re going to want to check to see whether the one you use is part of a voluntary recall issued by Procter & Gamble (P&G).

    Read more...

    ", - "category": "chemical substances", - "link": "https://lifehacker.com/get-rid-of-these-antiperspirants-that-have-cancer-causi-1848149010", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 02 Dec 2021 17:30:00 GMT", + "title": "Bolsonaro: Brazilian Supreme Court opens investigation into vaccine comments", + "description": "Brazil's president will face a Supreme Court inquiry for his falsehood about Covid-19 jabs and Aids.", + "content": "Brazil's president will face a Supreme Court inquiry for his falsehood about Covid-19 jabs and Aids.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59528857?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 02:03:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aec19a91780c4f06d1ef9cadc890cd75" + "hash": "ca0d99f803ad29a31fa25bd6f433a781" }, { - "title": "Is It OK to Run in Cemeteries?", - "description": "

    At over three million burials, Calvary Cemetery in Queens, N.Y. boasts the most bodies of any cemetery in the US. It’s also one of my favorite places to run. At the top of one of its rolling hills, you can turn and look out at row after row of gravestones, until a horizon of the stone slabs meets the Manhattan…

    Read more...

    ", - "content": "

    At over three million burials, Calvary Cemetery in Queens, N.Y. boasts the most bodies of any cemetery in the US. It’s also one of my favorite places to run. At the top of one of its rolling hills, you can turn and look out at row after row of gravestones, until a horizon of the stone slabs meets the Manhattan…

    Read more...

    ", - "category": "a slinger", - "link": "https://lifehacker.com/is-it-ok-to-run-in-cemeteries-1848069962", - "creator": "Meredith Dietz", - "pubDate": "Thu, 02 Dec 2021 17:00:00 GMT", + "title": "Ready for power: Team Scholz promises a new Germany", + "description": "Next week will see a handover of power from the Merkel era and this is what to expect.", + "content": "Next week will see a handover of power from the Merkel era and this is what to expect.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59516156?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 00:47:48 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2e49639fa3e06d4babd79328f1d52b8" + "hash": "eb1de820682cd8f1cbea4874aa1b81b0" }, { - "title": "How to Repair Your Crumbling Sidewalk Curb", - "description": "

    One of the first things any new homeowner discovers is that a house is basically entropy in building form. From the moment a house is born, it’s dying—eaten by termites, digested by rot, eventually subject to any number of cataclysmic natural disasters. You thought you were borrowing a worrisome amount of money in…

    Read more...

    ", - "content": "

    One of the first things any new homeowner discovers is that a house is basically entropy in building form. From the moment a house is born, it’s dying—eaten by termites, digested by rot, eventually subject to any number of cataclysmic natural disasters. You thought you were borrowing a worrisome amount of money in…

    Read more...

    ", - "category": "curb", - "link": "https://lifehacker.com/how-to-repair-your-crumbling-sidewalk-curb-1848148779", - "creator": "Jeff Somers", - "pubDate": "Thu, 02 Dec 2021 16:30:00 GMT", + "title": "Italian man tries to dodge Covid jab using fake arm", + "description": "The man is so keen to get a vaccine pass he turns up with a plastic arm, but doctors aren't fooled.", + "content": "The man is so keen to get a vaccine pass he turns up with a plastic arm, but doctors aren't fooled.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59524527?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 17:40:58 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52aaea40b12b5516bd4cb6b924790fa5" + "hash": "eb4d68d6ee2b11b8e2ee7c192ff1f35e" }, { - "title": "How to Keep Your Christmas Tree Alive Throughout the Holidays", - "description": "

    The air is crisp. It’s getting dark at 4 p.m. The mailbox is stuffed increasingly desperate sales flyers. It must be the holiday season, which means it is high time to get a Christmas tree (unless you’re one of those happy souls who already decorated weeks ago, in which case, good for you).

    And whether you believe…

    Read more...

    ", - "content": "

    The air is crisp. It’s getting dark at 4 p.m. The mailbox is stuffed increasingly desperate sales flyers. It must be the holiday season, which means it is high time to get a Christmas tree (unless you’re one of those happy souls who already decorated weeks ago, in which case, good for you).

    And whether you believe…

    Read more...

    ", - "category": "tree", - "link": "https://lifehacker.com/how-to-keep-your-christmas-tree-alive-through-the-holid-1821047464", - "creator": "Olga Oksman", - "pubDate": "Thu, 02 Dec 2021 16:00:00 GMT", + "title": "Ethiopia closes schools to boost civil war effort", + "description": "The government wants secondary school students to harvest crops to help frontline fighters.", + "content": "The government wants secondary school students to harvest crops to help frontline fighters.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59524707?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 17:28:03 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbac47e122bb7af459776acc95206f25" + "hash": "0a73fdf63f1e6f58a0aa4311710fd629" }, { - "title": "What Are the Best Gift Ideas for Someone Who Has Everything and Wants Nothing?", - "description": "

    One of my favorite things to do this time of year is flip through random gift guides in an effort to discover fresh ideas for stocking stuffers for my husband, or something (anything) for my impossible-to-buy-for father-in-law. Sure, if they have everything and want nothing, maybe that’s what they should get—but…

    Read more...

    ", - "content": "

    One of my favorite things to do this time of year is flip through random gift guides in an effort to discover fresh ideas for stocking stuffers for my husband, or something (anything) for my impossible-to-buy-for father-in-law. Sure, if they have everything and want nothing, maybe that’s what they should get—but…

    Read more...

    ", - "category": "etsy", - "link": "https://lifehacker.com/what-are-the-best-gift-ideas-for-someone-who-has-everyt-1848148684", - "creator": "Meghan Moravcik Walbert", - "pubDate": "Thu, 02 Dec 2021 15:30:00 GMT", + "title": "South Africa battles Omicron fear and vaccine myths", + "description": "The new variant threatens to overshadow the holiday season as campaigners fight vaccine fears.", + "content": "The new variant threatens to overshadow the holiday season as campaigners fight vaccine fears.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59517496?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 13:43:37 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e55c3e765a8a6a1393809fdecae7d62b" + "hash": "f09a1813d0cc757b532cbc88aa148b57" }, { - "title": "12 of the Best Movies That Deal Frankly With Addiction and Recovery", - "description": "

    HBO just dropped the trailer for the second season of its acclaimed teen drama Euphoria. It’s been a long wait between seasons—though there have been a couple of specials in the meantime, but the last regular-series episode aired over two years ago. The show deals with frankly (very frankly) with multiple aspects of…

    Read more...

    ", - "content": "

    HBO just dropped the trailer for the second season of its acclaimed teen drama Euphoria. It’s been a long wait between seasons—though there have been a couple of specials in the meantime, but the last regular-series episode aired over two years ago. The show deals with frankly (very frankly) with multiple aspects of…

    Read more...

    ", - "category": "addiction", - "link": "https://lifehacker.com/12-movies-that-deal-frankly-with-addiction-and-recovery-1848130285", - "creator": "Ross Johnson", - "pubDate": "Thu, 02 Dec 2021 15:00:00 GMT", + "title": "The 'kind heart' who gave an Afghan family a new home", + "description": "An interpreter who had to flee Afghanistan is given a new home by a woman who was moved by his plight.", + "content": "An interpreter who had to flee Afghanistan is given a new home by a woman who was moved by his plight.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-scotland-59504516?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 05:35:48 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38e06533b9a4ceee0495fbe7431239d0" + "hash": "3343782eba8d7c7987a0c605dd30da31" }, { - "title": "The Best Way to Wrap Oddly Shaped Gifts, According to TikTok", - "description": "

    Every December I suffer flashbacks to my first-ever retail job, wrapping presents at a gift shop. As much as I enjoyed entering autopilot and mechanically wrapping box after box, it was always a fun challenge to tackle an oddly-shaped gift: A loose teddy bear. A stray shovel. An entire island of misfit toys that…

    Read more...

    ", - "content": "

    Every December I suffer flashbacks to my first-ever retail job, wrapping presents at a gift shop. As much as I enjoyed entering autopilot and mechanically wrapping box after box, it was always a fun challenge to tackle an oddly-shaped gift: A loose teddy bear. A stray shovel. An entire island of misfit toys that…

    Read more...

    ", - "category": "wrapping", - "link": "https://lifehacker.com/the-best-way-to-wrap-oddly-shaped-gifts-according-to-t-1848144660", - "creator": "Meredith Dietz", - "pubDate": "Thu, 02 Dec 2021 14:30:00 GMT", + "title": "Boxing Day: Festive film debut for Little Mix's Leigh-Anne Pinnock", + "description": "Boxing Day, the first British Christmas rom-com led by an all-black cast, is released Friday 3 December.", + "content": "Boxing Day, the first British Christmas rom-com led by an all-black cast, is released Friday 3 December.", + "category": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59409084?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:11:18 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "005c5831ca424ea5d5d719df7b699fc4" + "hash": "37ac08fc5d4d271d5e4c58e8398683af" }, { - "title": "This Is the Most Rewarding Way to Motivate Yourself to Clean Your Home", - "description": "

    Six years ago, Chris Fleming released the sketch “Company is Coming” as part of his hit web series GAYLE. In it, a frantic Gayle vacuums the air, spins around, and shouts things like “David, put seashells on the door knobs!,” “Fluff the pillows, you losers!” and “Can we get the lesbian plant out of here??”

    Read more...

    ", - "content": "

    Six years ago, Chris Fleming released the sketch “Company is Coming” as part of his hit web series GAYLE. In it, a frantic Gayle vacuums the air, spins around, and shouts things like “David, put seashells on the door knobs!,” “Fluff the pillows, you losers!” and “Can we get the lesbian plant out of here??”

    Read more...

    ", - "category": "cleaner", - "link": "https://lifehacker.com/this-is-the-most-rewarding-way-to-motivate-yourself-to-1848145391", - "creator": "Claire Lower", - "pubDate": "Thu, 02 Dec 2021 14:00:00 GMT", + "title": "Germany: Angela Merkel's military farewell features punk singer's hit", + "description": "A ceremony has been held for the German chancellor, who is due to step down after 16 years in office.", + "content": "A ceremony has been held for the German chancellor, who is due to step down after 16 years in office.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59514304?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 23:07:08 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "34a86d3dddff46d8b540abd79023616a" + "hash": "c9330f42fb58b08dced095e5684aee9d" }, { - "title": "Munch on These National Cookie Day Freebies and Deals", - "description": "

    By now, your Thanksgiving leftovers should be gone (or at least safely stored in the freezer), so it’s time to turn your sights toward something else to snack on. Sure, you could go through the hassle of making a batch of homemade cookies to share with your loved one (or with yourself). But why would you do that when…

    Read more...

    ", - "content": "

    By now, your Thanksgiving leftovers should be gone (or at least safely stored in the freezer), so it’s time to turn your sights toward something else to snack on. Sure, you could go through the hassle of making a batch of homemade cookies to share with your loved one (or with yourself). But why would you do that when…

    Read more...

    ", - "category": "cookie", - "link": "https://lifehacker.com/munch-on-these-national-cookie-day-freebies-and-deals-1848143016", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 02 Dec 2021 13:30:00 GMT", + "title": "Broome: Diving the remnants of a WW2 attack on Australia", + "description": "A WW2 air raid on Broome killed scores of people - historians say it should be better remembered.", + "content": "A WW2 air raid on Broome killed scores of people - historians say it should be better remembered.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59397897?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:12:34 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85402bd7003a41bc8eb306c544b67fdc" + "hash": "f2c481ce08fd017fc3cc0c8c21e7c438" }, { - "title": "What's the Best Way to Tell Your Kids the Truth About Santa?", - "description": "

    I may not remember much about my childhood, but I do remember this: Third grade. Mrs. Cannon’s class. She’s reading Beverly Cleary’s Superfudge. Partway through, she stops and says, “OK. Anyone who still believes in Santa, step out into the hall.”

    Read more...

    ", - "content": "

    I may not remember much about my childhood, but I do remember this: Third grade. Mrs. Cannon’s class. She’s reading Beverly Cleary’s Superfudge. Partway through, she stops and says, “OK. Anyone who still believes in Santa, step out into the hall.”

    Read more...

    ", - "category": "christian folklore", - "link": "https://lifehacker.com/whats-the-best-way-to-tell-your-kids-the-truth-about-sa-1848144818", - "creator": "Sarah Showfety", - "pubDate": "Wed, 01 Dec 2021 21:00:00 GMT", + "title": "Russia Ukraine: Biden warns Russia against Ukraine 'red lines'", + "description": "Intelligence officials fear Russia could invade Ukraine as soon as early 2022, US media reports.", + "content": "Intelligence officials fear Russia could invade Ukraine as soon as early 2022, US media reports.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59528864?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 06:06:06 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cd5634f14a5c8921f5ef5f033325d359" + "hash": "cabc5dd333290fad3739232474d95027" }, { - "title": "The Comet Leonard, the Christmas Star, and Other Things to See in December’s Night Sky", - "description": "

    There’s a lot going on in the night sky in December, from the spectacular Geminids meteor shower to Venus at its brightest. Here are some of December’s most impressive star-gazing highlights to mark on your calendar.

    Read more...

    ", - "content": "

    There’s a lot going on in the night sky in December, from the spectacular Geminids meteor shower to Venus at its brightest. Here are some of December’s most impressive star-gazing highlights to mark on your calendar.

    Read more...

    ", - "category": "night sky", - "link": "https://lifehacker.com/the-comet-leonard-the-christmas-star-and-other-things-1848145000", - "creator": "Stephen Johnson", - "pubDate": "Wed, 01 Dec 2021 20:30:00 GMT", + "title": "Mali: Dozens of civilians killed after militants attack bus", + "description": "More than 30 people are killed after gunmen attack a bus travelling to a market.", + "content": "More than 30 people are killed after gunmen attack a bus travelling to a market.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59528860?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 02:44:21 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "20be3b8538600c41502a52f07a31d466" + "hash": "2643896c1fe5a6c0c23f48e5d6b8d4e9" }, { - "title": "How Hackers Tricked 300,000 Android Users into Downloading Password-Stealing Malware", - "description": "

    A recent report from cybersecurity firm ThreatFabric reveals that over 300,000 Android users installed trojan apps that secretly stole their banking information. While the apps have been removed and deactivated by Google, the developers used unique methods to deploy the malware that all Android users need to be wary…

    Read more...

    ", - "content": "

    A recent report from cybersecurity firm ThreatFabric reveals that over 300,000 Android users installed trojan apps that secretly stole their banking information. While the apps have been removed and deactivated by Google, the developers used unique methods to deploy the malware that all Android users need to be wary…

    Read more...

    ", - "category": "android", - "link": "https://lifehacker.com/how-hackers-tricked-300-000-android-users-into-download-1848144780", - "creator": "Brendan Hesse", - "pubDate": "Wed, 01 Dec 2021 20:00:00 GMT", + "title": "Michigan school shooting: Suspect's parents arrested in Detroit", + "description": "The Michigan couple went on the run after being charged with involuntary manslaughter.", + "content": "The Michigan couple went on the run after being charged with involuntary manslaughter.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59530279?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 10:08:26 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d252c88c4bda2b64b4b3f46ca3789b5e" + "hash": "b2e8d738c3d9df29a79a10929acecc64" }, { - "title": "You Deserve a Big Ol' Pan of Baked Brie", - "description": "

    Brie en croute is an excessive dish. Brie, on its own, served at room temperature without adornment, is already delightful: soft and spreadable, creamy and a little funky, a cheese that does not need to be melted.

    Read more...

    ", - "content": "

    Brie en croute is an excessive dish. Brie, on its own, served at room temperature without adornment, is already delightful: soft and spreadable, creamy and a little funky, a cheese that does not need to be melted.

    Read more...

    ", - "category": "brie", - "link": "https://lifehacker.com/you-deserve-a-big-ol-pan-of-baked-brie-1848140307", - "creator": "Claire Lower", - "pubDate": "Wed, 01 Dec 2021 19:30:00 GMT", + "title": "Indonesia volcano: Residents flee as Mt Semeru spews huge ash cloud", + "description": "Airlines have been warned about a plume of ash rising 15,000m from Mt Semeru in Java.", + "content": "Airlines have been warned about a plume of ash rising 15,000m from Mt Semeru in Java.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59532251?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 11:24:37 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9078150823ff5220eda7157a64afd2e5" + "hash": "fbfd7805f37560041d6e0359bd3c1e99" }, { - "title": "This Extension Lets You Finally Play YouTube in the Background on Mobile", - "description": "

    YouTube on mobile has never been an ideal experience. Unlike watching YouTube on a computer, where you have the flexibility to leave videos playing in the background, YouTube on mobile is usually locked to the app or website you’re using to view it. And if you want all the bells and whistles—such as ad-free streaming—…

    Read more...

    ", - "content": "

    YouTube on mobile has never been an ideal experience. Unlike watching YouTube on a computer, where you have the flexibility to leave videos playing in the background, YouTube on mobile is usually locked to the app or website you’re using to view it. And if you want all the bells and whistles—such as ad-free streaming—…

    Read more...

    ", - "category": "youtube", - "link": "https://lifehacker.com/this-extension-lets-you-finally-play-youtube-in-the-bac-1848143437", - "creator": "Jake Peterson", - "pubDate": "Wed, 01 Dec 2021 19:00:00 GMT", + "title": "Omicron coronavirus variant: Your questions answered", + "description": "How long do symptoms last for, is it more harmful to children? Experts answer your questions.", + "content": "How long do symptoms last for, is it more harmful to children? Experts answer your questions.", + "category": "", + "link": "https://www.bbc.co.uk/news/health-59511401?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 10:16:38 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3dc1858831a95ae2fd6be42d1024b4e" + "hash": "f6bb70a35176f93258a0a17731f01f1a" }, { - "title": "How to Get What You Actually Want for Christmas", - "description": "

    If you’ve ever received a windbreaker branded with the name of the company your spouse works for, a toilet seat, or an emoji pancake pan because “it would be fun for the kids” on Christmas morning, we’d understand your desire to make sure it never happened again. Because we all know that presents that are clearly…

    Read more...

    ", - "content": "

    If you’ve ever received a windbreaker branded with the name of the company your spouse works for, a toilet seat, or an emoji pancake pan because “it would be fun for the kids” on Christmas morning, we’d understand your desire to make sure it never happened again. Because we all know that presents that are clearly…

    Read more...

    ", - "category": "christmas", - "link": "https://lifehacker.com/how-to-get-what-you-actually-want-for-christmas-1848143852", - "creator": "Sarah Showfety", - "pubDate": "Wed, 01 Dec 2021 18:30:00 GMT", + "title": "Michigan school shooting: Parents of gunman charged with manslaughter", + "description": "Authorities say the suspect killed four students and injured seven people with his dad's handgun.", + "content": "Authorities say the suspect killed four students and injured seven people with his dad's handgun.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59523682?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:07:34 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "007ef6c5f6dad89adab06c2396996759" + "hash": "c804fb184b68458ee8f1d63e145e6854" }, { - "title": "How to (Finally) Actually Move on From a Relationship", - "description": "

    Every relationship is different, and so is every breakup. I mean, at one point or another, haven’t we all typed, “how long get over breakup timeline” into our search bar? Sadly, there is no mathematical equation to calculate a finite timeframe to recover from heartbreak (at least not according to Oprah Daily).

    Read more...

    ", - "content": "

    Every relationship is different, and so is every breakup. I mean, at one point or another, haven’t we all typed, “how long get over breakup timeline” into our search bar? Sadly, there is no mathematical equation to calculate a finite timeframe to recover from heartbreak (at least not according to Oprah Daily).

    Read more...

    ", - "category": "jeff guenther", - "link": "https://lifehacker.com/how-to-finally-actually-move-on-from-a-relationship-1848143662", - "creator": "Meredith Dietz", - "pubDate": "Wed, 01 Dec 2021 18:00:00 GMT", + "title": "Ghislaine Maxwell: Employee told 'not to look Jeffrey Epstein in the eye'", + "description": "A former housekeeper said Ghislaine Maxwell acted as \"lady of the house\" at Jeffrey Epstein's US home.", + "content": "A former housekeeper said Ghislaine Maxwell acted as \"lady of the house\" at Jeffrey Epstein's US home.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59516888?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 09:09:50 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f87e8a3b9c8597b217f534bcc77d7c2" + "hash": "1b1a2dbd7d8c374b01668eb1f126c580" }, { - "title": "These Are the Worst Christmas Gifts Lifehacker Readers Have Ever Received", - "description": "

    I recently went down a Reddit rabbit hole in which commenters described the worst gift they’d ever received—everything from miniature butter knives (at age 7) to used magazines to...a thrift store jock strap? It was all pretty terrible, so of course I then asked you about the worst gift you’d ever received and holy…

    Read more...

    ", - "content": "

    I recently went down a Reddit rabbit hole in which commenters described the worst gift they’d ever received—everything from miniature butter knives (at age 7) to used magazines to...a thrift store jock strap? It was all pretty terrible, so of course I then asked you about the worst gift you’d ever received and holy…

    Read more...

    ", - "category": "crocodile hunter", - "link": "https://lifehacker.com/these-are-the-worst-christmas-gifts-lifehacker-readers-1848142392", - "creator": "Meghan Moravcik Walbert", - "pubDate": "Wed, 01 Dec 2021 17:30:00 GMT", + "title": "Austria ruling party picks Nehammer for chancellor", + "description": "Karl Nehammer is chosen as party leader and next chancellor in a bid to end days of turmoil.", + "content": "Karl Nehammer is chosen as party leader and next chancellor in a bid to end days of turmoil.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59516158?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 12:03:54 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ddec923f3f63b77daa3b07151989505" + "hash": "4052dc3837101c226f309801a3a1057a" }, { - "title": "8 Privacy Settings You Should Change on LinkedIn Right Now", - "description": "

    LinkedIn, like all social networks, uses a lot of your personal information to show you ads and sponsored content. Just as you’d be wary about sharing more of your data with Facebook, you should also exercise restraint when sharing information with LinkedIn. If you haven’t been doing that so far, now is the time to…

    Read more...

    ", - "content": "

    LinkedIn, like all social networks, uses a lot of your personal information to show you ads and sponsored content. Just as you’d be wary about sharing more of your data with Facebook, you should also exercise restraint when sharing information with LinkedIn. If you haven’t been doing that so far, now is the time to…

    Read more...

    ", - "category": "linkedin", - "link": "https://lifehacker.com/8-privacy-settings-you-should-change-on-linkedin-right-1848142007", - "creator": "Pranay Parab", - "pubDate": "Wed, 01 Dec 2021 17:00:00 GMT", + "title": "Thailand: Newspaper rebuked over 'hunts Africans' headline", + "description": "The country's Covid-19 taskforce admonished the paper by saying it was a \"poor choice of words.\"", + "content": "The country's Covid-19 taskforce admonished the paper by saying it was a \"poor choice of words.\"", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59501055?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 08:39:36 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "389b74197bf84a53f26cbdae09c0a75d" + "hash": "fb7651188e53b755f44b7380fb5cab66" }, { - "title": "15 Potent Gifts for the Weed Enthusiast in Your Life", - "description": "

    We’re in a place where you can finally get weed on demand, even delivered right to your doorstep in many states. This means that instead of just herb shopping for personal reasons, people can and should be giving it as gifts, too. What weed-loving (or weed curious) person wouldn’t want to open a pretty box to find…

    Read more...

    ", - "content": "

    We’re in a place where you can finally get weed on demand, even delivered right to your doorstep in many states. This means that instead of just herb shopping for personal reasons, people can and should be giving it as gifts, too. What weed-loving (or weed curious) person wouldn’t want to open a pretty box to find…

    Read more...

    ", - "category": "weed", - "link": "https://lifehacker.com/15-potent-gifts-for-the-weed-enthusiast-in-your-life-1848132453", - "creator": "Danielle Guercio", - "pubDate": "Wed, 01 Dec 2021 16:30:00 GMT", + "title": "Alec Baldwin admits career could be over after fatal shooting", + "description": "But the 63-year-old US actor says he did not pull the trigger on the set of the Rust film in October.", + "content": "But the 63-year-old US actor says he did not pull the trigger on the set of the Rust film in October.", + "category": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59514525?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 11:10:08 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1e84beeee54aa4f2e4aba4b4e5ddec1" + "hash": "2acbec5d1a2acdc70c481c85a6d65cbd" }, { - "title": "When to See the 'Cold Moon' in December", - "description": "

    November’s bloody eclipse of the beaver moon was spectacular, but do not discount the full moon of December. Know as the “cold moon,” December’s full moon will rise on Saturday, Dec. 18, 2021. It will be brightest at 11:37 p.m. ET. Brrr.

    Read more...

    ", - "content": "

    November’s bloody eclipse of the beaver moon was spectacular, but do not discount the full moon of December. Know as the “cold moon,” December’s full moon will rise on Saturday, Dec. 18, 2021. It will be brightest at 11:37 p.m. ET. Brrr.

    Read more...

    ", - "category": "cold moon", - "link": "https://lifehacker.com/when-to-see-the-cold-moon-in-december-1848117266", - "creator": "Stephen Johnson", - "pubDate": "Wed, 01 Dec 2021 16:00:00 GMT", + "title": "Kerala: The granny who learnt to read and write at 104", + "description": "Kuttiyamma, from the southern Indian state of Kerala, aced a government test that measures literacy.", + "content": "Kuttiyamma, from the southern Indian state of Kerala, aced a government test that measures literacy.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59503872?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:25:37 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2ae8353086a288c4f9f3294b3ebaeea" + "hash": "d69bef0a4cbbeb4a6a3116c1ce1a5ea8" }, { - "title": "Use These Clever Mental Tricks to Make Your Run Less Boring", - "description": "

    “The thoughts that occur to me while I’m running are like clouds in the sky. Clouds of all different sizes. They come and they go, while the sky remains the same sky always. The clouds are mere guests in the sky that pass away and vanish, leaving behind the sky.”

    Read more...

    ", - "content": "

    “The thoughts that occur to me while I’m running are like clouds in the sky. Clouds of all different sizes. They come and they go, while the sky remains the same sky always. The clouds are mere guests in the sky that pass away and vanish, leaving behind the sky.”

    Read more...

    ", - "category": "haruki murakami", - "link": "https://lifehacker.com/use-these-clever-mental-tricks-to-make-your-run-less-bo-1847947762", - "creator": "Meredith Dietz", - "pubDate": "Wed, 01 Dec 2021 15:30:00 GMT", + "title": "Lamine Diack: Disgraced athletics boss dies in Senegal", + "description": "The disgraced former head of world athletics governing body Lamine Diack dies in Senegal aged 88.", + "content": "The disgraced former head of world athletics governing body Lamine Diack dies in Senegal aged 88.", + "category": "", + "link": "https://www.bbc.co.uk/sport/africa/59517712?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 09:09:10 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e13efe0016b0595759534c02cad00e97" + "hash": "7190a1cb6be205b56aba3b21453094d7" }, { - "title": "12 Hidden Google Messages Features You Should Be Using", - "description": "

    Google’s Messages app is an Android smartphone’s answer to Apple Messages, and it has become so ubiquitous on those devices, you might not give it a second thought. It’s pre-installed on most Android smartphones, and can be used as the default messaging app on any Android device.

    Read more...

    ", - "content": "

    Google’s Messages app is an Android smartphone’s answer to Apple Messages, and it has become so ubiquitous on those devices, you might not give it a second thought. It’s pre-installed on most Android smartphones, and can be used as the default messaging app on any Android device.

    Read more...

    ", - "category": "google", - "link": "https://lifehacker.com/12-hidden-google-messages-features-you-should-be-using-1848128328", - "creator": "Khamosh Pathak", - "pubDate": "Wed, 01 Dec 2021 15:00:00 GMT", + "title": "How to spot the software that could be spying on you", + "description": "Software used to spy on someone via their phone is a growing threat and common in domestic abuse cases.", + "content": "Software used to spy on someone via their phone is a growing threat and common in domestic abuse cases.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59390778?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:01:11 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c51fe11ab389d8fdfeb43c40a817083" + "hash": "7226804ee181c2963b268109aa95597c" }, { - "title": "When Paying for More iPad Pro Storage Might Actually Be Worth It", - "description": "

    If you’re in the market for an iPad Pro, you likely aren’t ignorant of the cost. The high-refresh rate, Mini-LED HDR displays, Apple’s incredible M1 chip, and LiDAR sensor, among other key features, set a premium price for the Pros that you don’t see on other iPads. As such, you might be eyeing a smaller storage size…

    Read more...

    ", - "content": "

    If you’re in the market for an iPad Pro, you likely aren’t ignorant of the cost. The high-refresh rate, Mini-LED HDR displays, Apple’s incredible M1 chip, and LiDAR sensor, among other key features, set a premium price for the Pros that you don’t see on other iPads. As such, you might be eyeing a smaller storage size…

    Read more...

    ", - "category": "ipad", - "link": "https://lifehacker.com/when-paying-for-more-ipad-pro-storage-might-actually-be-1848138107", - "creator": "Jake Peterson", - "pubDate": "Wed, 01 Dec 2021 14:30:00 GMT", + "title": "Why Turkey's currency crash does not worry Erdogan", + "description": "Turkey's national currency has plummeted 45% against the dollar this year", + "content": "Turkey's national currency has plummeted 45% against the dollar this year", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59487912?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 07:30:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23db23f4ee1dea0c9832a5360dbbf1aa" + "hash": "09529f1fc146ef6e44be8af0e460bded" }, { - "title": "7 Ways You Should Prepare Your Car and Home Before the Snow Starts", - "description": "

    With winter weather approaching, getting ready for the chore of ice and snow removal is an essential prep. Digging out your car and clearing paths and walkways can be frustrating and time consuming, not to mention tough on your lower back, but you can save yourself some time and hassle this season if you think a…

    Read more...

    ", - "content": "

    With winter weather approaching, getting ready for the chore of ice and snow removal is an essential prep. Digging out your car and clearing paths and walkways can be frustrating and time consuming, not to mention tough on your lower back, but you can save yourself some time and hassle this season if you think a…

    Read more...

    ", - "category": "snow", - "link": "https://lifehacker.com/7-ways-you-should-prepare-your-car-and-home-before-the-1848044411", - "creator": "Becca Lewis", - "pubDate": "Wed, 01 Dec 2021 14:00:00 GMT", + "title": "'No middle ground': Chile voters face tough choice as run-off looms", + "description": "Voters speak of the divisions as an ultra-conservative and a left-winger battle it out.", + "content": "Voters speak of the divisions as an ultra-conservative and a left-winger battle it out.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59489045?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 00:09:54 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "08af66b7fc30da2fc930c4d18a488156" + "hash": "178bd674f7984162bb0ba6e98f1c2d4e" }, { - "title": "You Should Definitely Make Some Christmas Tree Syrup", - "description": "

    Somewhere in the middle of the pandemic I fell down a rabbit hole, and learned all about tree tapping to make syrup. Yes—amongst us commoners, in neighborhoods all across America, there are people who tap their own trees to produce their own maple syrup. 

    Read more...

    ", - "content": "

    Somewhere in the middle of the pandemic I fell down a rabbit hole, and learned all about tree tapping to make syrup. Yes—amongst us commoners, in neighborhoods all across America, there are people who tap their own trees to produce their own maple syrup. 

    Read more...

    ", - "category": "tree", - "link": "https://lifehacker.com/you-should-definitely-make-some-christmas-tree-syrup-1848133356", - "creator": "Amanda Blum", - "pubDate": "Wed, 01 Dec 2021 13:30:00 GMT", + "title": "Africa's week in pictures: 26 November - 2 December 2021", + "description": "A selection of the best photos from the African continent and beyond.", + "content": "A selection of the best photos from the African continent and beyond.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59502970?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:14:25 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d0875ded62ead71c7b603683cb317eaa" + "hash": "b759f9fc547a611d209f30c5dddd1fdc" }, { - "title": "When You Should Donate Anonymously (and When You Shouldn't)", - "description": "

    If you’ve ever donated to a good cause online, you’re no doubt familiar with the last step—the potentially anxiety-inducing decision of whether to make your donation public, or keep it anonymous. If you’re anything like me, all kinds of conflicting thoughts rush in.

    Read more...

    ", - "content": "

    If you’ve ever donated to a good cause online, you’re no doubt familiar with the last step—the potentially anxiety-inducing decision of whether to make your donation public, or keep it anonymous. If you’re anything like me, all kinds of conflicting thoughts rush in.

    Read more...

    ", - "category": "giving", - "link": "https://lifehacker.com/when-you-should-donate-anonymously-and-when-you-should-1848139001", - "creator": "Sarah Showfety", - "pubDate": "Tue, 30 Nov 2021 21:30:00 GMT", + "title": "How do you say Omicron?", + "description": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", + "content": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", + "category": "", + "link": "https://www.bbc.co.uk/news/health-59512165?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:26:31 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "46e5dc51877eb450798b5aa088ef543d" + "hash": "f5d022c08253b967f8dd87dc0776f9c9" }, { - "title": "This Is How You Choose the Perfect Christmas Tree", - "description": "

    Most people go to the local Christmas tree lot with no idea what they’re looking for. Just embarrassing themselves, going, “Uhhmm, that one looks good, I think?” Do not be a Christmas-tree ignoramus any longer. Check out the list below so you can confidently walk up to that guy with the knit hat and rugged flannel and…

    Read more...

    ", - "content": "

    Most people go to the local Christmas tree lot with no idea what they’re looking for. Just embarrassing themselves, going, “Uhhmm, that one looks good, I think?” Do not be a Christmas-tree ignoramus any longer. Check out the list below so you can confidently walk up to that guy with the knit hat and rugged flannel and…

    Read more...

    ", - "category": "christmas tree", - "link": "https://lifehacker.com/this-is-how-you-choose-the-perfect-christmas-tree-1848138846", - "creator": "Stephen Johnson", - "pubDate": "Tue, 30 Nov 2021 21:00:00 GMT", + "title": "Pfizer CEO Albert Bourla: My wife's vaccine death is fake news", + "description": "In an exclusive interview, Albert Bourla hits out at the \"rubbish\" that has been published about him.", + "content": "In an exclusive interview, Albert Bourla hits out at the \"rubbish\" that has been published about him.", + "category": "", + "link": "https://www.bbc.co.uk/news/health-59490619?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 06:11:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f3d44e0dacb560b8d475f7cc3beac7f" + "hash": "3d4a99cdc993b187585bd2dcb8c1da4c" }, { - "title": "Impress Your Guests With a Butter Board", - "description": "

    Food on boards is very popular, perhaps more popular than it’s ever been. Search “grazing table” on this world wide web, and you’ll find lots of photos of very large charcuterie and cheese boards, along with many blogs insisting that they are not just “big charcuterie boards.” Grazing tables are a different, new…

    Read more...

    ", - "content": "

    Food on boards is very popular, perhaps more popular than it’s ever been. Search “grazing table” on this world wide web, and you’ll find lots of photos of very large charcuterie and cheese boards, along with many blogs insisting that they are not just “big charcuterie boards.” Grazing tables are a different, new…

    Read more...

    ", - "category": "butter", - "link": "https://lifehacker.com/impress-your-guests-with-a-butter-board-1848138546", - "creator": "Claire Lower", - "pubDate": "Tue, 30 Nov 2021 20:30:00 GMT", + "title": "Epstein accuser: Ghislaine Maxwell is a 'master manipulator'", + "description": "The BBC spoke to Teresa Helm, who accused Epstein of sexually assaulting her at the age of 22.", + "content": "The BBC spoke to Teresa Helm, who accused Epstein of sexually assaulting her at the age of 22.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59498832?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 00:28:50 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd421f86ba632f77058e9ed83fdef4c7" + "hash": "4d08ec13322892abf849663874192157" }, { - "title": "21 Times Celebrity Voiceover Stunt Casting Paid Off", - "description": "

    Last month, Universal delighted few, annoyed many, and baffled all but those with a pragmatic view of movies-as-product when it announced Chris Pratt will be taking over the role of Mario in an upcoming Super Mario Bros. animated movie. The actor was also recently cast as loveably outrageous cat stereotype Garfield…

    Read more...

    ", - "content": "

    Last month, Universal delighted few, annoyed many, and baffled all but those with a pragmatic view of movies-as-product when it announced Chris Pratt will be taking over the role of Mario in an upcoming Super Mario Bros. animated movie. The actor was also recently cast as loveably outrageous cat stereotype Garfield…

    Read more...

    ", - "category": "alison brie", - "link": "https://lifehacker.com/21-times-celebrity-voiceover-stunt-casting-paid-off-1848122527", - "creator": "Ross Johnson", - "pubDate": "Tue, 30 Nov 2021 20:00:00 GMT", + "title": "Dragged up the stairs for my hospital appointment", + "description": "The healthcare system lacks equipment, buildings are crumbling and many healthcare workers have left in search of better lives.", + "content": "The healthcare system lacks equipment, buildings are crumbling and many healthcare workers have left in search of better lives.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59498152?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 00:10:50 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b37d16d2271f951d9c8cb7f375d9e4ad" + "hash": "15e75612c995afed2aa24b8e7a06165b" }, { - "title": "How to Check Road Conditions When You Travel This Winter", - "description": "

    There’s only so much you can control when it comes to travel, especially during the holidays. Whether you’re embarking on a road trip to see family, or simply worried about driving through the snow to the other side of town, the cold winter months typically mean the start of increasingly dangerous road conditions.

    Read more...

    ", - "content": "

    There’s only so much you can control when it comes to travel, especially during the holidays. Whether you’re embarking on a road trip to see family, or simply worried about driving through the snow to the other side of town, the cold winter months typically mean the start of increasingly dangerous road conditions.

    Read more...

    ", - "category": "disaster accident", - "link": "https://lifehacker.com/how-to-check-road-conditions-when-you-travel-this-winte-1848138349", - "creator": "Meredith Dietz", - "pubDate": "Tue, 30 Nov 2021 19:30:00 GMT", + "title": "US tightens travel rules amid new Omicron cases", + "description": "The US winter plan includes millions of free tests and stricter rules for international passengers.", + "content": "The US winter plan includes millions of free tests and stricter rules for international passengers.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59512368?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 07:47:06 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b654e269bf1c911a3911d3877a8ed27" + "hash": "d4e5374fffabc34e55b655bfbb756b7a" }, { - "title": "Why Your Friends Are Probably More Popular, Richer, and More Attractive Than You", - "description": "

    Chances are good you are less popular than your friends. Poorer, too. Probably they are also better looking. Sorry. This is called “the friendship paradox,” and it’s just logical fact.

    Read more...

    ", - "content": "

    Chances are good you are less popular than your friends. Poorer, too. Probably they are also better looking. Sorry. This is called “the friendship paradox,” and it’s just logical fact.

    Read more...

    ", - "category": "richer", - "link": "https://lifehacker.com/why-your-friends-are-probably-more-popular-richer-and-1848113295", - "creator": "Stephen Johnson", - "pubDate": "Tue, 30 Nov 2021 19:00:00 GMT", + "title": "US government shutdown averted hours before deadline", + "description": "The US Congress passes a bill to fund federal agencies until 18 February, avoiding a costly shutdown.", + "content": "The US Congress passes a bill to fund federal agencies until 18 February, avoiding a costly shutdown.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59514531?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 05:29:36 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ea20e875bec7f6fdad34464c513954b" + "hash": "ed46be124674417956a1fd9d229c900c" }, { - "title": "How to Reduce Eye Strain When You're Staring at Screens All Day", - "description": "

    The rise of screen use has raised a number of concerns, especially when it comes to eye health and the impacts of blue light on the eye. But what is blue light, and how much is it really to blame for the strain our daily screen activity is putting on our eyes?

    Read more...

    ", - "content": "

    The rise of screen use has raised a number of concerns, especially when it comes to eye health and the impacts of blue light on the eye. But what is blue light, and how much is it really to blame for the strain our daily screen activity is putting on our eyes?

    Read more...

    ", - "category": "optical filter", - "link": "https://lifehacker.com/how-to-reduce-eye-strain-when-youre-staring-at-screens-1848133756", - "creator": "Shannon Flynn", - "pubDate": "Tue, 30 Nov 2021 18:30:00 GMT", + "title": "Omicron: India reports first cases of new Covid variant", + "description": "Health officials say the two patients with the new strain have shown mild symptoms.", + "content": "Health officials say the two patients with the new strain have shown mild symptoms.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59472675?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 05:48:25 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a280e83e6eedf11b4e515916335d737" + "hash": "0d8cb5890e5840bbaae6280687f1dc65" }, { - "title": "Why You Should Replace Your Old Christmas Lights With LED Lights", - "description": "

    Holiday lights are a cozy tradition—as the days get shorter, a few sparkly strands can really brighten up the endless evenings. While this holiday tradition is worth keeping, traditional filament light bulbs are not. Here’s why you should make the switch to LED lights this year.

    Read more...

    ", - "content": "

    Holiday lights are a cozy tradition—as the days get shorter, a few sparkly strands can really brighten up the endless evenings. While this holiday tradition is worth keeping, traditional filament light bulbs are not. Here’s why you should make the switch to LED lights this year.

    Read more...

    ", - "category": "christmas lights", - "link": "https://lifehacker.com/why-you-should-replace-your-old-christmas-lights-with-l-1848137005", - "creator": "Becca Lewis", - "pubDate": "Tue, 30 Nov 2021 18:00:00 GMT", + "title": "Rights groups' warning as Trump's Remain in Mexico policy restored", + "description": "Activists say restoring Remain in Mexico at the border will result in \"torture, rape and death\".", + "content": "Activists say restoring Remain in Mexico at the border will result in \"torture, rape and death\".", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59514465?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 11:33:23 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b64913c04db7e0f6c565b85d9cf283ec" + "hash": "ba0441724ebb1d0893e208bfa9a96e3e" }, { - "title": "Apple Music Can Give You Spotify Wrapped-Style Stats, Sort of", - "description": "

    At the end of each year, Spotify’s Wrapped feature takes over social media, as seemingly all of your friends start sharing their year in music—the one song they played the most, the artists in their top 5, the genres that define their taste. Unfortunately, you use Apple Music, so you’re out of luck.

    Well, not…

    Read more...

    ", - "content": "

    At the end of each year, Spotify’s Wrapped feature takes over social media, as seemingly all of your friends start sharing their year in music—the one song they played the most, the artists in their top 5, the genres that define their taste. Unfortunately, you use Apple Music, so you’re out of luck.

    Well, not…

    Read more...

    ", - "category": "spotify", - "link": "https://lifehacker.com/apple-music-can-give-you-spotify-wrapped-style-stats-s-1848135995", - "creator": "Pranay Parab", - "pubDate": "Tue, 30 Nov 2021 17:30:00 GMT", + "title": "Margaux Pinot: Shock over release of judoka’s partner in assault case", + "description": "Margaux Pinot accuses her partner of domestic abuse, but a court acquits him, citing lack of proof.", + "content": "Margaux Pinot accuses her partner of domestic abuse, but a court acquits him, citing lack of proof.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59503827?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 19:14:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72b0af1c4bc4052e047be1ba4c2f3dae" + "hash": "d4101248ebcea0786304cf08f81a6c44" }, { - "title": "How to Surprise Your Kid on Christmas Without Being a Jerk", - "description": "

    We recently asked Lifehacker readers “What’s the Worst Christmas Gift You’ve Ever Received?” and the comments were...disheartening. I mean, some were funny (a toilet seat, a family member’s headshot, an unwrapped DVD of Footloose) but many brought a sting to the eye. Stories abounded of parents ostensibly trying to…

    Read more...

    ", - "content": "

    We recently asked Lifehacker readers “What’s the Worst Christmas Gift You’ve Ever Received?” and the comments were...disheartening. I mean, some were funny (a toilet seat, a family member’s headshot, an unwrapped DVD of Footloose) but many brought a sting to the eye. Stories abounded of parents ostensibly trying to…

    Read more...

    ", - "category": "mammals", - "link": "https://lifehacker.com/how-to-surprise-your-kid-on-christmas-without-being-an-1848133414", - "creator": "Sarah Showfety", - "pubDate": "Tue, 30 Nov 2021 17:00:00 GMT", + "title": "Elle to stop promoting the use of animal fur in its magazines", + "description": "It is the first major fashion publication to make the pledge, citing its support for animal rights.", + "content": "It is the first major fashion publication to make the pledge, citing its support for animal rights.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59511820?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:15:10 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14809b36d15df23a37fb41f5643f2990" + "hash": "31937a654b229b7fb17194b41886e328" }, { - "title": "Why You Should Sign Into All of Your Accounts Every Now and Then", - "description": "

    We all juggle a lot of online accounts these days. From streaming subscriptions, to multiple email addresses, to accounts for movie theaters, airlines, and restaurants—if it has a website, you likely have an account for it. If you’re like me, you hardly use most of these accounts, if you use them at all. Even still,…

    Read more...

    ", - "content": "

    We all juggle a lot of online accounts these days. From streaming subscriptions, to multiple email addresses, to accounts for movie theaters, airlines, and restaurants—if it has a website, you likely have an account for it. If you’re like me, you hardly use most of these accounts, if you use them at all. Even still,…

    Read more...

    ", - "category": "icloud", - "link": "https://lifehacker.com/why-you-should-sign-into-all-of-your-accounts-every-now-1848117972", - "creator": "Jake Peterson", - "pubDate": "Tue, 30 Nov 2021 16:30:00 GMT", + "title": "Queensland Floods: Second death recorded as crisis continues", + "description": "The southern part of Queensland has seen widespread rain and flooding.", + "content": "The southern part of Queensland has seen widespread rain and flooding.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59501162?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 03:42:36 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d911d67b556c29409560ee15b5d54666" + "hash": "46af057efbbb64fb56e10b238c8fb2a9" }, { - "title": "How to Keep Your Poinsettias Alive Until Christmas", - "description": "

    Bright red poinsettias are popular holiday-season decor, and like a lot of plants, have particular preferences when it comes to placement in your home. To help your flowers survive and thrive throughout the season—especially if plant care isn’t your jam—make sure you know how much water, sunlight, and heat your…

    Read more...

    ", - "content": "

    Bright red poinsettias are popular holiday-season decor, and like a lot of plants, have particular preferences when it comes to placement in your home. To help your flowers survive and thrive throughout the season—especially if plant care isn’t your jam—make sure you know how much water, sunlight, and heat your…

    Read more...

    ", - "category": "christian folklore", - "link": "https://lifehacker.com/how-to-keep-your-poinsettias-alive-until-christmas-1848133974", - "creator": "Emily Long", - "pubDate": "Tue, 30 Nov 2021 16:00:00 GMT", + "title": "Covid: Germany puts major restrictions on unvaccinated", + "description": "Chancellor Angela Merkel describes the far-reaching measures as an act of \"national solidarity\".", + "content": "Chancellor Angela Merkel describes the far-reaching measures as an act of \"national solidarity\".", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59502180?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 17:00:10 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6adc4d0f8fabbbd39af73e518ec88480" + "hash": "c4fc8341a29185d2e7d61954397c563e" }, { - "title": "What Fitness Tracker Data Is Actually Useful for Your Doctor?", - "description": "

    Whether a smartwatch or a ring, many of us now wear fitness trackers, which means we have collected a lot of data on how much we are moving and sleeping, as well as how our heart rates change with our activity levels. All of this information can be a good motivator for getting you moving more regularly and monitoring…

    Read more...

    ", - "content": "

    Whether a smartwatch or a ring, many of us now wear fitness trackers, which means we have collected a lot of data on how much we are moving and sleeping, as well as how our heart rates change with our activity levels. All of this information can be a good motivator for getting you moving more regularly and monitoring…

    Read more...

    ", - "category": "john higgins", - "link": "https://lifehacker.com/what-fitness-tracker-data-is-actually-useful-for-your-d-1848135784", - "creator": "Rachel Fairbank", - "pubDate": "Tue, 30 Nov 2021 15:30:00 GMT", + "title": "Covid: South Africa new cases surge as Omicron spreads", + "description": "The new Omicron variant has now become dominant, the country's top medical scientists say.", + "content": "The new Omicron variant has now become dominant, the country's top medical scientists say.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59503517?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 17:42:33 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c934fa5693819fa13afabc38f8fbad6" + "hash": "ab81461d8e1d36cbd7b15f1ae613cff3" }, { - "title": "Maybe You Can Become a ‘Luckier’ Person", - "description": "

    The idea that success, money, and power spring from hard work and dogged determination has been hard-wired into America’s cultural DNA since the founding of the country, when Ben Franklin wrote, “Energy and persistence conquer all things.” But every now and then, even old white guys with granny glasses are wrong:…

    Read more...

    ", - "content": "

    The idea that success, money, and power spring from hard work and dogged determination has been hard-wired into America’s cultural DNA since the founding of the country, when Ben Franklin wrote, “Energy and persistence conquer all things.” But every now and then, even old white guys with granny glasses are wrong:…

    Read more...

    ", - "category": "woody", - "link": "https://lifehacker.com/maybe-you-can-become-a-luckier-person-1848133716", - "creator": "Stephen Johnson", - "pubDate": "Tue, 30 Nov 2021 15:00:00 GMT", + "title": "Russia Ukraine: Lavrov warns of return to military confrontation nightmare", + "description": "Foreign Minister Sergei Lavrov floats the idea of a new European security pact to prevent Nato expansion.", + "content": "Foreign Minister Sergei Lavrov floats the idea of a new European security pact to prevent Nato expansion.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59503762?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 17:08:55 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7371f120eea0bf796aa0c8cbc807a80c" + "hash": "7397cafcf90e4a2ced9905ee9529e91f" }, { - "title": "How to Play Guitar Without Learning How to Play Guitar", - "description": "

    If you’re one of the millions of people who somehow acquired a guitar during their life—a guitar they have dutifully moved from place to place with the sincere intention of someday learning how to play it—you probably know it’s not as easy as rock stars make it seem. If you’ve actually made any attempt to learn the…

    Read more...

    ", - "content": "

    If you’re one of the millions of people who somehow acquired a guitar during their life—a guitar they have dutifully moved from place to place with the sincere intention of someday learning how to play it—you probably know it’s not as easy as rock stars make it seem. If you’ve actually made any attempt to learn the…

    Read more...

    ", - "category": "robin thicke", - "link": "https://lifehacker.com/how-to-play-guitar-without-learning-how-to-play-guitar-1848128835", - "creator": "Jeff Somers", - "pubDate": "Tue, 30 Nov 2021 14:30:00 GMT", + "title": "Omicron: Biden unveils new Covid-19 winter measures", + "description": "Public health officials in Minnesota have just reported a second US case of the Omicron variant.", + "content": "Public health officials in Minnesota have just reported a second US case of the Omicron variant.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59512368?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 19:17:54 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e52f71cf8560969a4d48270baf66115c" + "hash": "984a6bb05903b2ff92ef2b3efbd6a4d9" }, { - "title": "16 of the Best Cozy Christmas Movies That Aren’t All White People in Sweaters", - "description": "

    You’re likely seen the memes: A collage of posters for a bunch of Hallmark Christmas movies, all of them featuring nearly identical images of blonde white women and brown-haired white men in variations of red and green sweaters. As a brown-haired white man with an acting background, I do not think it is bad that these…

    Read more...

    ", - "content": "

    You’re likely seen the memes: A collage of posters for a bunch of Hallmark Christmas movies, all of them featuring nearly identical images of blonde white women and brown-haired white men in variations of red and green sweaters. As a brown-haired white man with an acting background, I do not think it is bad that these…

    Read more...

    ", - "category": "christmas", - "link": "https://lifehacker.com/16-of-the-best-cozy-christmas-movies-that-aren-t-all-wh-1848103267", - "creator": "Ross Johnson", - "pubDate": "Tue, 30 Nov 2021 14:00:00 GMT", + "title": "Laverne & Shirley star Eddie Mekka dies aged 69", + "description": "The US actor is best known for playing Carmine Ragusa in the 1970s-80s Laverne & Shirley TV sitcom.", + "content": "The US actor is best known for playing Carmine Ragusa in the 1970s-80s Laverne & Shirley TV sitcom.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59514524?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 00:03:36 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7065e421229a6cf2c25c6da44c254658" + "hash": "987a6d7df226210a3c7d660ed2a95a68" }, { - "title": "Brine Your Holiday Meats in Shio Koji", - "description": "

    Cooking and serving a large piece of meat for a holiday meal can make one feel like an (evil and rich) Dickens character, but buying large cuts for a crowd is far more cost effective (and less wasteful) than buying individual steaks or chops. But scale is not enough: These large animal parts deserve to be permeated…

    Read more...

    ", - "content": "

    Cooking and serving a large piece of meat for a holiday meal can make one feel like an (evil and rich) Dickens character, but buying large cuts for a crowd is far more cost effective (and less wasteful) than buying individual steaks or chops. But scale is not enough: These large animal parts deserve to be permeated…

    Read more...

    ", - "category": "miso", - "link": "https://lifehacker.com/brine-your-holiday-meats-in-shio-koji-1848133750", - "creator": "Claire Lower", - "pubDate": "Tue, 30 Nov 2021 13:30:00 GMT", + "title": "US and Mexico to restart Trump-era 'Remain in Mexico' policy", + "description": "More than 60,000 asylum seekers have been sent back to Mexico under the controversial programme.", + "content": "More than 60,000 asylum seekers have been sent back to Mexico under the controversial programme.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59509854?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 17:20:49 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "762e704b7551f48a8b58b8895ea07cdd" + "hash": "4e054bb87c95d4d743b4bac4dee30837" }, { - "title": "What is 'Web3' and Why Should You Care?", - "description": "

    Tech loves to talk about the future, and if you’ve been paying any attention to recent industry headlines, you’ve probably seen the phrase “Web3” bandied about. It’s not a new term, but as the hype around cryptocurrency, NFTs, and the “metaverse” spikes, Web3 is getting a lot more attention. And while Web3 is

    Read more...

    ", - "content": "

    Tech loves to talk about the future, and if you’ve been paying any attention to recent industry headlines, you’ve probably seen the phrase “Web3” bandied about. It’s not a new term, but as the hype around cryptocurrency, NFTs, and the “metaverse” spikes, Web3 is getting a lot more attention. And while Web3 is

    Read more...

    ", - "category": "web3", - "link": "https://lifehacker.com/what-is-web3-and-why-should-you-care-1848133134", - "creator": "Brendan Hesse", - "pubDate": "Mon, 29 Nov 2021 21:30:00 GMT", + "title": "Israel PM: Nuclear talks must end over Iran ‘blackmail’ tactics", + "description": "Naftali Bennett's call comes as Iran and world powers try to save their nuclear deal from collapse.", + "content": "Naftali Bennett's call comes as Iran and world powers try to save their nuclear deal from collapse.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59506445?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 17:09:30 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17a15e3e9627139dd7a875896394076d" + "hash": "984dee99db5781e1be8532248cc1d8ff" }, { - "title": "How to Survive the ‘Toddler Screaming’ Phase", - "description": "

    If you’ve ever had a toddler, chances are, you’ve been the lucky recipient of their “screaming phase.” Note, I didn’t say tantrum phase. No, there is a brand of toddler screeching that has little or sometimes nothing to do with a full-on meltdown about not being able to take home the Paw Patrol water bottle they’ve…

    Read more...

    ", - "content": "

    If you’ve ever had a toddler, chances are, you’ve been the lucky recipient of their “screaming phase.” Note, I didn’t say tantrum phase. No, there is a brand of toddler screeching that has little or sometimes nothing to do with a full-on meltdown about not being able to take home the Paw Patrol water bottle they’ve…

    Read more...

    ", - "category": "toddler", - "link": "https://lifehacker.com/how-to-survive-the-toddler-screaming-phase-1848132853", - "creator": "Sarah Showfety", - "pubDate": "Mon, 29 Nov 2021 21:00:00 GMT", + "title": "Afghanistan: Hamid Karzai says the Taliban are his brothers", + "description": "In a BBC interview, Hamid Karzai also calls on the international community to help rebuild Afghanistan.", + "content": "In a BBC interview, Hamid Karzai also calls on the international community to help rebuild Afghanistan.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59505688?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 12:01:38 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3cc472ad2dd03bb83573724b80ac027" + "hash": "eb48748529818078386d0d5aa850db65" }, { - "title": "How to Install a Security Camera Without Breaking the Law", - "description": "

    It’s becoming increasingly common for homeowners to invest in security cameras, but there are also privacy laws that limit where all those cameras can be pointed. If you’re looking to install security cameras in and around the perimeter of your home, you’ll need to consider those laws as much as your own security, so…

    Read more...

    ", - "content": "

    It’s becoming increasingly common for homeowners to invest in security cameras, but there are also privacy laws that limit where all those cameras can be pointed. If you’re looking to install security cameras in and around the perimeter of your home, you’ll need to consider those laws as much as your own security, so…

    Read more...

    ", - "category": "security", - "link": "https://lifehacker.com/how-to-install-a-security-camera-without-breaking-the-l-1848006254", - "creator": "Shannon Flynn", - "pubDate": "Mon, 29 Nov 2021 20:30:00 GMT", + "title": "Ikea customers and staff sleep in store after snowstorm", + "description": "The group was left stranded after up to 30cm (12in) of snow fell in the Danish city of Aalborg.", + "content": "The group was left stranded after up to 30cm (12in) of snow fell in the Danish city of Aalborg.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59509814?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 16:11:11 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "afdcab7ac6c051d694ae17bfd6a83752" + "hash": "126f9fe50107d98c9fd350c19e94263b" }, { - "title": "Stop LinkedIn From Clogging Up Your Inbox Already", - "description": "

    LinkedIn never passes up an opportunity to flood your inbox with emails. Even if you do your best to unsubscribe from every message you receive, the service always seems to find a way to send you even more of them. If you’d rather keep LinkedIn’s updates out of your inbox, it is possible—if difficult—unsubscribe from…

    Read more...

    ", - "content": "

    LinkedIn never passes up an opportunity to flood your inbox with emails. Even if you do your best to unsubscribe from every message you receive, the service always seems to find a way to send you even more of them. If you’d rather keep LinkedIn’s updates out of your inbox, it is possible—if difficult—unsubscribe from…

    Read more...

    ", - "category": "linkedin", - "link": "https://lifehacker.com/stop-linkedin-from-clogging-up-your-inbox-already-1848130851", - "creator": "Pranay Parab", - "pubDate": "Mon, 29 Nov 2021 20:00:00 GMT", + "title": "Ghislaine Maxwell: Defence lawyers seek to discredit key accuser", + "description": "Ghislaine Maxwell's defence team try to poke holes in an alleged victim's testimony at her trial.", + "content": "Ghislaine Maxwell's defence team try to poke holes in an alleged victim's testimony at her trial.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59503757?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 11:12:50 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "042833328b9b9e7c6d88b4bf5028b81e" + "hash": "147ec91974c29c1f9ff8455934f8b6af" }, { - "title": "The Lazy Way to Stuff a Stocking That Doesn’t Look Lazy", - "description": "

    There are two types of Christmas-observing families: Those who are serious about stockings, and amateurs. Like most things, my sisters and I view stocking stuffing as a competition, but we will never beat our mother, who has had three decades to perfect her stocking stuffing methods (with her children as test…

    Read more...

    ", - "content": "

    There are two types of Christmas-observing families: Those who are serious about stockings, and amateurs. Like most things, my sisters and I view stocking stuffing as a competition, but we will never beat our mother, who has had three decades to perfect her stocking stuffing methods (with her children as test…

    Read more...

    ", - "category": "joe", - "link": "https://lifehacker.com/the-lazy-way-to-stuff-a-stocking-that-doesn-t-look-lazy-1848132358", - "creator": "Claire Lower", - "pubDate": "Mon, 29 Nov 2021 19:30:00 GMT", + "title": "Will Meghan's big win change public opinion?", + "description": "The Duchess of Sussex has won her court case over privacy, but interest in her is not going to go away.", + "content": "The Duchess of Sussex has won her court case over privacy, but interest in her is not going to go away.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-59503922?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 17:23:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58bf38c27c2f18132afd4beb8d11e424" + "hash": "9ed2312556cf1fd7870ee659957418c3" }, { - "title": "You Can Use Your Apple Watch to Automatically Unlock Your Mac", - "description": "

    You might know about Apple’s feature that lets you automatically unlock your iPhone using the Apple Watch (when you’re wearing a face mask, at least). But you may not have known that this feature has also existed for years on the Mac. As long as you’re wearing your Apple Watch—and it’s unlocked—you can sign in to your…

    Read more...

    ", - "content": "

    You might know about Apple’s feature that lets you automatically unlock your iPhone using the Apple Watch (when you’re wearing a face mask, at least). But you may not have known that this feature has also existed for years on the Mac. As long as you’re wearing your Apple Watch—and it’s unlocked—you can sign in to your…

    Read more...

    ", - "category": "apple", - "link": "https://lifehacker.com/you-can-use-your-apple-watch-to-automatically-unlock-yo-1848128398", - "creator": "Khamosh Pathak", - "pubDate": "Mon, 29 Nov 2021 19:00:00 GMT", + "title": "‘It’s like hell in here’: The struggle to save Afghanistan's starving babies", + "description": "Doctors in Afghanistan’s crisis-hit hospitals are caring for their patients in almost impossible conditions.", + "content": "Doctors in Afghanistan’s crisis-hit hospitals are caring for their patients in almost impossible conditions.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59419962?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 00:01:43 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "08d38cddd2b504d9239b04e8682c620a" + "hash": "63c8e800978accdbb8e5cf58f6469d18" }, { - "title": "Your Pixel Will Now Wait Until Everyone Is Smiling Before Snapping a Picture", - "description": "

    As long as we’ve had cameras, we’ve tried to take the perfect group photo. You set the camera on a stand, turn on the timer, run back to crowd, say “Cheese!” and hope no one blinked. Of course, someone often does, and you have to take the photo all over again—that is, unless you have a phone that can automatically…

    Read more...

    ", - "content": "

    As long as we’ve had cameras, we’ve tried to take the perfect group photo. You set the camera on a stand, turn on the timer, run back to crowd, say “Cheese!” and hope no one blinked. Of course, someone often does, and you have to take the photo all over again—that is, unless you have a phone that can automatically…

    Read more...

    ", - "category": "pixel", - "link": "https://lifehacker.com/your-pixel-will-now-wait-until-everyone-is-smiling-befo-1848131573", - "creator": "Jake Peterson", - "pubDate": "Mon, 29 Nov 2021 18:30:00 GMT", + "title": "How do you say 'Omicron'?", + "description": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", + "content": "Omicron is the 13th variant of the Covid-19 virus to receive a Greek name but the pronunciation is up for debate.", + "category": "", + "link": "https://www.bbc.co.uk/news/health-59512165?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:26:31 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e476aa0d495aff88ec92776efcd549f" + "hash": "ae05625c213f24f9e1cf17eb477dcf79" }, { - "title": "You Should Start This Ornament Tradition With Your Kids", - "description": "

    Growing up, there wasn’t a strong Christmas ornament tradition in my family. Or one at all, really. There were no hand-crafted trinkets with sentimental value, or delicate keepsakes passed down through generations. The main thing I remember about our tree was its comical 1980s artificiality of sparse, rigid branches,…

    Read more...

    ", - "content": "

    Growing up, there wasn’t a strong Christmas ornament tradition in my family. Or one at all, really. There were no hand-crafted trinkets with sentimental value, or delicate keepsakes passed down through generations. The main thing I remember about our tree was its comical 1980s artificiality of sparse, rigid branches,…

    Read more...

    ", - "category": "ornament", - "link": "https://lifehacker.com/why-you-should-start-this-ornament-tradition-with-your-1848131382", - "creator": "Sarah Showfety", - "pubDate": "Mon, 29 Nov 2021 18:00:00 GMT", + "title": "Home Alone house available to book on Airbnb", + "description": "The home from the 1990 Christmas classic starring Macaulay Culkin will be available for one night only.", + "content": "The home from the 1990 Christmas classic starring Macaulay Culkin will be available for one night only.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59502515?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 09:19:24 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ef284c602698fb847de1b200a93af3db" + "hash": "b77e66ef7300e2c10a7190390e086199" }, { - "title": "The Best Winter Running Gear, According to Reddit", - "description": "

    In theory, winter running is easy: It’s just normal running with extra layers. But sometimes it’s tough to find exactly what layers you need. Fortunately, a bunch of cold-dwelling redditors have come through with their recommendations to keep you toasty all winter long.

    Read more...

    ", - "content": "

    In theory, winter running is easy: It’s just normal running with extra layers. But sometimes it’s tough to find exactly what layers you need. Fortunately, a bunch of cold-dwelling redditors have come through with their recommendations to keep you toasty all winter long.

    Read more...

    ", - "category": "clothing", - "link": "https://lifehacker.com/the-best-winter-running-gear-according-to-reddit-1848119170", - "creator": "Beth Skwarecki", - "pubDate": "Mon, 29 Nov 2021 17:30:00 GMT", + "title": "When Jesus is used to steal from his flock", + "description": "William Neil \"Doc\" Gallagher used Christian radio to defraud religious pensioners out of millions.", + "content": "William Neil \"Doc\" Gallagher used Christian radio to defraud religious pensioners out of millions.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59327131?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 00:51:30 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18d1ff9edb4490a177c6b63e0c6f823f" + "hash": "17e022c7e2302c8e96ed68316745749d" }, { - "title": "16 of the Most Useful iPhone Messages Features You Should Be Using", - "description": "

    Apple’s Messages is probably one of the most-used apps on your iPhone that you spend the least time thinking about. After all, it’s just texting.

    But this humble messaging app is actually remarkably feature-packed, and if you spend a few minutes poking around in your settings, you’ll be able to unlock lots of useful…

    Read more...

    ", - "content": "

    Apple’s Messages is probably one of the most-used apps on your iPhone that you spend the least time thinking about. After all, it’s just texting.

    But this humble messaging app is actually remarkably feature-packed, and if you spend a few minutes poking around in your settings, you’ll be able to unlock lots of useful…

    Read more...

    ", - "category": "iphone", - "link": "https://lifehacker.com/16-of-the-most-useful-iphone-messages-features-you-shou-1848130284", - "creator": "Pranay Parab", - "pubDate": "Mon, 29 Nov 2021 17:00:00 GMT", + "title": "Disney appoints woman as chair for first time in 98-year history", + "description": "Susan Arnold, who has been a board member for 14 years, will succeed Bob Iger at the end of the year.", + "content": "Susan Arnold, who has been a board member for 14 years, will succeed Bob Iger at the end of the year.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59500682?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 02:28:25 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "562b59d25d7147c8ef605dc72692dbe9" + "hash": "3a3c53bc5d9510bb2a607a56ae142803" }, { - "title": "Discover Your Perfect Pullup Variation", - "description": "

    Pulling yourself from arm’s length up to a horizontal bar is a phenomenal exercise for your back, your arms, and your core. But there’s more than one way to do it, and I’m not just talking about the fact that “pullups” and “chinups” are technically two different exercises. There are countless variations to make the…

    Read more...

    ", - "content": "

    Pulling yourself from arm’s length up to a horizontal bar is a phenomenal exercise for your back, your arms, and your core. But there’s more than one way to do it, and I’m not just talking about the fact that “pullups” and “chinups” are technically two different exercises. There are countless variations to make the…

    Read more...

    ", - "category": "bodyweight exercise", - "link": "https://lifehacker.com/discover-your-perfect-pullup-variation-1848119449", - "creator": "Beth Skwarecki", - "pubDate": "Mon, 29 Nov 2021 16:30:00 GMT", + "title": "Would you give 10% of your salary to charity?", + "description": "A growing number of people are deciding to give up a substantial chunk of their wages.", + "content": "A growing number of people are deciding to give up a substantial chunk of their wages.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59466051?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 00:03:45 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da0b537929b7e6461a035a055b1f922a" + "hash": "7d2e6706a72508abe477cb707ded357e" }, { - "title": "The Right Way to Install a Simple Floating Shelf", - "description": "

    If you’ve got an alcove, corner, or otherwise awkward empty space in a room that needs a little extra storage or decorative touch, the best solution may be a simple floating shelf. Floating shelves are cost-effective to make—and are fairly easy to install—and they can finish off a space that needs a little something.

    Read more...

    ", - "content": "

    If you’ve got an alcove, corner, or otherwise awkward empty space in a room that needs a little extra storage or decorative touch, the best solution may be a simple floating shelf. Floating shelves are cost-effective to make—and are fairly easy to install—and they can finish off a space that needs a little something.

    Read more...

    ", - "category": "shelf", - "link": "https://lifehacker.com/the-right-way-to-install-a-simple-floating-shelf-1848129875", - "creator": "Becca Lewis", - "pubDate": "Mon, 29 Nov 2021 16:00:00 GMT", + "title": "Curious leopard enters classroom in India", + "description": "The five-year-old leopard attacked a student before it was captured in the northern city of Aligarh.", + "content": "The five-year-old leopard attacked a student before it was captured in the northern city of Aligarh.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59503874?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 10:33:31 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e6a6a18fc5b05905a8126ec481cfd48" + "hash": "09c0cc173d9e2f685c40d7fba92589ab" }, { - "title": "The Best Ways to Give Money Without Giving Cash", - "description": "

    In some ways, money is the perfect gift. It’s liquid, which means the recipient has total agency to do whatever they want with it. Cash is the easiest way to give money, and no one’s going to be mad about getting a box full of twenties for their birthday—but unless you’re Robert Deniro in a Scorsese film, giving cash…

    Read more...

    ", - "content": "

    In some ways, money is the perfect gift. It’s liquid, which means the recipient has total agency to do whatever they want with it. Cash is the easiest way to give money, and no one’s going to be mad about getting a box full of twenties for their birthday—but unless you’re Robert Deniro in a Scorsese film, giving cash…

    Read more...

    ", - "category": "money", - "link": "https://lifehacker.com/the-best-ways-to-give-money-without-giving-cash-1848124581", - "creator": "Jeff Somers", - "pubDate": "Mon, 29 Nov 2021 15:30:00 GMT", + "title": "US Supreme Court hears landmark abortion case", + "description": "The court's eventual ruling may cut off abortion access for tens of millions of American women.", + "content": "The court's eventual ruling may cut off abortion access for tens of millions of American women.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59495210?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:27:37 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ed6dd81511da7a2ad2c2d7f9eba957c4" + "hash": "ba40529556ef689ad944036cfce7c1c3" }, { - "title": "What to Do Before You Have Surgery", - "description": "

    The idea of surgery can be daunting. You’re unconscious while someone cuts into you, more or less, and there is nothing you can do about it—it is the height of helplessness. For some, none of that is a big deal. For others—especially first-timers—surgery can be really scary. Here are some tips for how to prepare for…

    Read more...

    ", - "content": "

    The idea of surgery can be daunting. You’re unconscious while someone cuts into you, more or less, and there is nothing you can do about it—it is the height of helplessness. For some, none of that is a big deal. For others—especially first-timers—surgery can be really scary. Here are some tips for how to prepare for…

    Read more...

    ", - "category": "surgery", - "link": "https://lifehacker.com/what-to-do-before-you-have-surgery-1848100632", - "creator": "Lindsey Ellefson", - "pubDate": "Mon, 29 Nov 2021 15:00:00 GMT", + "title": "Covid Omicron: Time to consider mandatory jabs, EU chief says", + "description": "EU countries should discuss forced vaccinations to combat the Omicron variant, says Ursula von der Leyen.", + "content": "EU countries should discuss forced vaccinations to combat the Omicron variant, says Ursula von der Leyen.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59497462?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 19:18:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "762e4498d0b7de234235fcb7cfc53874" + "hash": "a9ff1da5b41793b6283e74e9b0ef137d" }, { - "title": "18 of the Best Non-Christmas Christmas Movies (That Aren't ‘Die Hard’)", - "description": "

    Tired: “My favorite Christmas movie is Die Hard.”

    Read more...

    ", - "content": "

    Tired: “My favorite Christmas movie is Die Hard.”

    Read more...

    ", - "category": "christmas", - "link": "https://lifehacker.com/18-of-the-best-non-christmas-christmas-movies-that-are-1848104777", - "creator": "Ross Johnson", - "pubDate": "Mon, 29 Nov 2021 14:30:00 GMT", + "title": "Michigan school shooting: Student kills four and wounds seven", + "description": "Police allege the suspect, a 15-year-old student, used a gun his father had bought days earlier.", + "content": "Police allege the suspect, a 15-year-old student, used a gun his father had bought days earlier.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59484333?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:02:04 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca8425e89a1d77d26a6045c6fb4cb1f0" + "hash": "5fe189d8c82582a95ebb8abdd2a5d07d" }, { - "title": "Stop Killing Houseplants (Create a Self-Sustaining Ecosphere Instead)", - "description": "

    Try as I might to keep my indoor plants alive, I am not a natural plant mom. If you’re similarly incompetent, but still want to keep a little slice of nature in your home, let me present to you: the glorious ecosphere.

    Read more...

    ", - "content": "

    Try as I might to keep my indoor plants alive, I am not a natural plant mom. If you’re similarly incompetent, but still want to keep a little slice of nature in your home, let me present to you: the glorious ecosphere.

    Read more...

    ", - "category": "ecosphere", - "link": "https://lifehacker.com/stop-killing-houseplants-create-a-self-sustaining-ecos-1848018886", - "creator": "Meredith Dietz", - "pubDate": "Mon, 29 Nov 2021 14:00:00 GMT", + "title": "EU launches €300bn bid to challenge Chinese influence", + "description": "The Global Gateway infrastructure plan is described as a true alternative to Chinese influence.", + "content": "The Global Gateway infrastructure plan is described as a true alternative to Chinese influence.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59473071?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 14:26:58 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3358ce2a4f590dd138d1f98b12f39dc3" + "hash": "850ea6b2e1ed47951ef1b82a5843ae12" }, { - "title": "Why 'Tubular Skylights' Are Great for Brightening Up Your Home", - "description": "

    Letting in some natural light can really brighten up your home, especially during the winter months. However, while traditional skylights are an option, they can be costly and add to heating and cooling costs. Tubular skylights are a good alternative, providing natural light year round without losing as much…

    Read more...

    ", - "content": "

    Letting in some natural light can really brighten up your home, especially during the winter months. However, while traditional skylights are an option, they can be costly and add to heating and cooling costs. Tubular skylights are a good alternative, providing natural light year round without losing as much…

    Read more...

    ", - "category": "solar architecture", - "link": "https://lifehacker.com/why-tubular-skylights-are-great-for-brightening-up-your-1848031312", - "creator": "Becca Lewis", - "pubDate": "Mon, 29 Nov 2021 13:30:00 GMT", + "title": "Ethiopia's Tigray conflict: Lalibela retaken - government", + "description": "Tigray rebels took control of Lalibela, famous for its 13th Century rock-hewn churches, in August.", + "content": "Tigray rebels took control of Lalibela, famous for its 13th Century rock-hewn churches, in August.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59493729?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:04:43 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5be1f5b7ae45d2ca87436cd3251b27d8" + "hash": "89cae94a32e96d9ff9b954af22697122" }, { - "title": "Don't Overthink Your Latkes", - "description": "

    Fact: people love latkes. I wish I was one of them. Fried potatoes should be a slam dunk, but most of my Chanukah memories involve skipping the latkes for the applesauce they were served with.

    Read more...

    ", - "content": "

    Fact: people love latkes. I wish I was one of them. Fried potatoes should be a slam dunk, but most of my Chanukah memories involve skipping the latkes for the applesauce they were served with.

    Read more...

    ", - "category": "staple foods", - "link": "https://lifehacker.com/dont-overthink-your-latkes-1848119681", - "creator": "Amanda Blum", - "pubDate": "Sun, 28 Nov 2021 21:30:00 GMT", + "title": "The struggle to recover from NYC's flash flood", + "description": "Victims of a historic flood in New York City reflect on the wreckage wrought by Hurricane Ida.", + "content": "Victims of a historic flood in New York City reflect on the wreckage wrought by Hurricane Ida.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59480146?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:08:59 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cce855c48af4307d97a3100b11cdba7d" + "hash": "0ab4b6b392f24254fcc4af046da9eb23" }, { - "title": "How to Tell Exactly How Many Christmas Lights You Need", - "description": "

    There is an unspoken rule dictating that any Christmas comedy must include a scene where one of the characters gets completely tangled in strings of holiday lights. And while that situation may be funny onscreen, when it’s happening in your living room, it can be hard to find the humor in it.

    Read more...

    ", - "content": "

    There is an unspoken rule dictating that any Christmas comedy must include a scene where one of the characters gets completely tangled in strings of holiday lights. And while that situation may be funny onscreen, when it’s happening in your living room, it can be hard to find the humor in it.

    Read more...

    ", - "category": "christmas lights", - "link": "https://lifehacker.com/how-to-tell-exactly-how-many-christmas-lights-you-need-1848126999", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 28 Nov 2021 18:00:00 GMT", + "title": "Austria: Doctor fined for amputating wrong leg of patient", + "description": "The patient's right leg was removed instead of his left, with the mistake discovered two days later.", + "content": "The patient's right leg was removed instead of his left, with the mistake discovered two days later.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59498082?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:32:00 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04e557059bbe808599d450c8ef0448c3" + "hash": "e7c40cd3259df658e16e9987946847cc" }, { - "title": "Get Paid $1,234 to Watch 5 of Your Favorite Childhood Movies", - "description": "

    There’s nothing like curling up on the couch and enjoying one of your favorite childhood movies. Sure, you already know the plot and can recite half of the film from memory, but that’s part of the charm. Most of all, it’s comforting.

    Read more...

    ", - "content": "

    There’s nothing like curling up on the couch and enjoying one of your favorite childhood movies. Sure, you already know the plot and can recite half of the film from memory, but that’s part of the charm. Most of all, it’s comforting.

    Read more...

    ", - "category": "entertainment culture", - "link": "https://lifehacker.com/get-paid-1-234-to-watch-5-of-your-favorite-childhood-m-1848126998", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 28 Nov 2021 16:00:00 GMT", + "title": "Munich WW2 bomb blows up near station, wounding four", + "description": "The \"aerial bomb\" blows up on a railway construction site close to the main station.", + "content": "The \"aerial bomb\" blows up on a railway construction site close to the main station.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59487910?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 14:19:12 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "62183d1fb6ece847facc64b66b2d8bc9" + "hash": "025c1b1bc795635137177654b09dcb99" }, { - "title": "How to Prep Your Garage for Winter", - "description": "

    Whether you use your garage as a place to park your vehicles, or as more of a workshop, now’s the time to get it ready for the winter season. But either way, it can be a daunting task, and you may not know where to start.

    Read more...

    ", - "content": "

    Whether you use your garage as a place to park your vehicles, or as more of a workshop, now’s the time to get it ready for the winter season. But either way, it can be a daunting task, and you may not know where to start.

    Read more...

    ", - "category": "garage", - "link": "https://lifehacker.com/how-to-prep-your-garage-for-winter-1848126993", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 28 Nov 2021 14:00:00 GMT", + "title": "Arizona officer fired after fatally shooting man in wheelchair", + "description": "Tucson police officer Ryan Remington fired nine shots at the 61-year old suspected shoplifter.", + "content": "Tucson police officer Ryan Remington fired nine shots at the 61-year old suspected shoplifter.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59439798?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 16:59:05 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f018ca766a2921079a24c6bfc3e1cc72" + "hash": "672ba87dd00b2c23e540cb768ea81b8a" }, { - "title": "How to Wash Holiday Stockings and Other Fabric Decorations", - "description": "

    Maybe you’re the type of person who, at the end of each holiday season, washes all the stockings and other festive fabric decorations before putting them in a carefully sealed container, so everything’s ready-to-go the following year.

    Read more...

    ", - "content": "

    Maybe you’re the type of person who, at the end of each holiday season, washes all the stockings and other festive fabric decorations before putting them in a carefully sealed container, so everything’s ready-to-go the following year.

    Read more...

    ", - "category": "clothing", - "link": "https://lifehacker.com/how-to-wash-holiday-stockings-and-other-fabric-decorati-1848124966", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 27 Nov 2021 18:00:00 GMT", + "title": "Alice Sebold apologises to man cleared of her rape", + "description": "Anthony Broadwater spent 16 years in prison after being wrongly convicted of raping Alice Sebold.", + "content": "Anthony Broadwater spent 16 years in prison after being wrongly convicted of raping Alice Sebold.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59485586?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 11:05:41 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "77df250acdb06e0c710b9cde4fb5d328" + "hash": "888dc53b5fa44cfabcb9b9ee74d96a1e" }, { - "title": "How to Tell If Vintage Furniture Is the Real Deal or a Knockoff", - "description": "

    While there have long been diehard fans of vintage and antique furniture, the furniture shortage and resulting delivery delay throughout the COVID-19 pandemic has made higher-end secondhand shopping even more competitive. And with the increased demand has come a flood of fakes, Sydney Gore writes in an article for…

    Read more...

    ", - "content": "

    While there have long been diehard fans of vintage and antique furniture, the furniture shortage and resulting delivery delay throughout the COVID-19 pandemic has made higher-end secondhand shopping even more competitive. And with the increased demand has come a flood of fakes, Sydney Gore writes in an article for…

    Read more...

    ", - "category": "furniture", - "link": "https://lifehacker.com/how-to-tell-if-vintage-furniture-is-the-real-deal-or-a-1848124958", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 27 Nov 2021 16:00:00 GMT", + "title": "Rust: US Police to search arms supplier over fatal film shooting", + "description": "A fourth search warrant is issued to find out how the ammo that killed Halyna Hutchins got on set.", + "content": "A fourth search warrant is issued to find out how the ammo that killed Halyna Hutchins got on set.", + "category": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59490286?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 16:00:51 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "275f7605df8bd871d8a800781dd64479" + "hash": "09dcc298709451d0cffdd1f32c7d6526" }, { - "title": "Use This Converter to Calculate the Height of Mt. Everest (or Anything Else) in Danny DeVitos", - "description": "

    Are you getting bored with our current units of measurement? Do you constantly weigh the pros and cons of the United States switching over to the metric system, and wonder if there was a better option?

    Read more...

    ", - "content": "

    Are you getting bored with our current units of measurement? Do you constantly weigh the pros and cons of the United States switching over to the metric system, and wonder if there was a better option?

    Read more...

    ", - "category": "converter", - "link": "https://lifehacker.com/use-this-converter-to-calculate-the-height-of-mt-evere-1848124951", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 27 Nov 2021 14:00:00 GMT", + "title": "Air quality: Delhi records worst November air in years", + "description": "Residents of the Indian capital didn't breathe \"good\" air even for one day in November, official data says.", + "content": "Residents of the Indian capital didn't breathe \"good\" air even for one day in November, official data says.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59486806?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 07:22:54 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b085ea0b238de352bd035a42ca85d16b" + "hash": "27b47834728034114eced9f5c7c93d3d" }, { - "title": "How to Decorate a Room With Christmas Greenery Without a Whole Tree", - "description": "

    Thanksgiving is over, which means the inflatable lawn turkeys will soon be replaced by inflatable lawn candy canes and holiday lights. And for those who celebrate and decorate for Christmas, it’s time to decide whether to chop a real, live outside tree and bring it into their home for a few weeks, or dust off the…

    Read more...

    ", - "content": "

    Thanksgiving is over, which means the inflatable lawn turkeys will soon be replaced by inflatable lawn candy canes and holiday lights. And for those who celebrate and decorate for Christmas, it’s time to decide whether to chop a real, live outside tree and bring it into their home for a few weeks, or dust off the…

    Read more...

    ", - "category": "christmas", - "link": "https://lifehacker.com/how-to-decorate-a-room-with-christmas-greenery-without-1848122659", - "creator": "Elizabeth Yuko", - "pubDate": "Fri, 26 Nov 2021 18:00:00 GMT", + "title": "Tel Aviv named as world's most expensive city to live in", + "description": "Soaring inflation and supply-chain problems push up prices in the 173 cities surveyed.", + "content": "Soaring inflation and supply-chain problems push up prices in the 173 cities surveyed.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59489259?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 14:09:41 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6a4b0702bec08352551a6292fc9e6b2" + "hash": "4a34c65411c4166507da10b3b0eea27e" }, { - "title": "The Difference Between Hard Water and Soft Water (and Why It Matters)", - "description": "

    When everything is working the way it’s supposed to, you might assume that tap water is pretty consistent across the board in terms of what’s in it, and how it can affect your home and your body. But in reality, that’s not the case. There are multiple ways tap water can differ depending on the community, but today…

    Read more...

    ", - "content": "

    When everything is working the way it’s supposed to, you might assume that tap water is pretty consistent across the board in terms of what’s in it, and how it can affect your home and your body. But in reality, that’s not the case. There are multiple ways tap water can differ depending on the community, but today…

    Read more...

    ", - "category": "water", - "link": "https://lifehacker.com/the-difference-between-hard-water-and-soft-water-and-w-1848122651", - "creator": "Elizabeth Yuko", - "pubDate": "Fri, 26 Nov 2021 16:00:00 GMT", + "title": "HIV: The misinformation still circulating in 2021", + "description": "Huge progress has been made in treatment, prevention and understanding of HIV - but falsehoods still hurt people living with it.", + "content": "Huge progress has been made in treatment, prevention and understanding of HIV - but falsehoods still hurt people living with it.", + "category": "", + "link": "https://www.bbc.co.uk/news/59431598?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:37:59 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a1db216a2a7026dcf4fc9262cee19d71" + "hash": "4402985ce88f0208c683e1dcb0a8baea" }, { - "title": "How to Spot Fake Brand-Name Tools Sold Online", - "description": "

    Whether you’re in the market for tools for yourself, or to give to others as gifts, you’re probably keeping an eye out for sales and special offers—especially over the next week or so. But unfortunately, not all tools sold online are what they say they are.

    Read more...

    ", - "content": "

    Whether you’re in the market for tools for yourself, or to give to others as gifts, you’re probably keeping an eye out for sales and special offers—especially over the next week or so. But unfortunately, not all tools sold online are what they say they are.

    Read more...

    ", - "category": "tools", - "link": "https://lifehacker.com/how-to-spot-fake-brand-name-tools-sold-online-1848122667", - "creator": "Elizabeth Yuko", - "pubDate": "Fri, 26 Nov 2021 14:00:00 GMT", + "title": "Why Gambians won't stop voting with marbles", + "description": "The Gambia has witnessed a flourishing of democracy but its curious election system remains unchanged.", + "content": "The Gambia has witnessed a flourishing of democracy but its curious election system remains unchanged.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59476637?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:50:08 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a66b0bc5fadc3b024f899e2e509daf7" + "hash": "62627d348e3369bdad396a4226afc3d0" }, { - "title": "13 Exciting Ways to Eat Your Thanksgiving Leftovers", - "description": "

    Thanksgiving leftovers are more fun to eat than the actual, proper Thanksgiving meal. The leftovers are where you can get creative, inspired, and unhinged. Sandwiches, soup, fried rice, and pot pies are all fine and delicious, but they’re almost as traditional as turkey and dressing. If you’re looking for new and…

    Read more...

    ", - "content": "

    Thanksgiving leftovers are more fun to eat than the actual, proper Thanksgiving meal. The leftovers are where you can get creative, inspired, and unhinged. Sandwiches, soup, fried rice, and pot pies are all fine and delicious, but they’re almost as traditional as turkey and dressing. If you’re looking for new and…

    Read more...

    ", - "category": "cuisine", - "link": "https://lifehacker.com/13-exciting-ways-to-eat-your-thanksgiving-leftovers-1848118023", - "creator": "Claire Lower", - "pubDate": "Fri, 26 Nov 2021 13:30:00 GMT", + "title": "Survivor: I'm haunted by deadliest Channel crossing", + "description": "Mohamed Isa Omar, one of two survivors of last week's disaster, tells the BBC he saw people drown.", + "content": "Mohamed Isa Omar, one of two survivors of last week's disaster, tells the BBC he saw people drown.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59480814?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:56:15 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fae1bb5e13439a39ca743704ac441794" + "hash": "9aa01acdac827add859731aa464e64ee" }, { - "title": "How to Decide Whether to Board or Bring Your Pet on a Holiday Road Trip", - "description": "

    Many people think of their furry, four-legged friends as being part of their family, so it can be hard to leave them for the holidays. But with holiday travel being hectic enough on its own, it’s not always clear whether to add your mutt to the mix.

    Read more...

    ", - "content": "

    Many people think of their furry, four-legged friends as being part of their family, so it can be hard to leave them for the holidays. But with holiday travel being hectic enough on its own, it’s not always clear whether to add your mutt to the mix.

    Read more...

    ", - "category": "jessica bell", - "link": "https://lifehacker.com/how-to-decide-whether-to-board-or-bring-your-pet-on-a-h-1848117313", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 25 Nov 2021 18:00:00 GMT", + "title": "Yemen's Marib: The city at the heart of a dirty war", + "description": "Jeremy Bowen gets rare access to Marib, where civilians are caught behind the conflict's front line.", + "content": "Jeremy Bowen gets rare access to Marib, where civilians are caught behind the conflict's front line.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59459750?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:21:53 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0733cbcf02de92bfa321845fb4aa5986" + "hash": "d5536610b82fe35f0db317f52cc88ee3" }, { - "title": "How to Share Your Dietary Preferences and Restrictions Without Sounding Rude", - "description": "

    Not everyone is on the same page when it comes to food allergies and intolerances, and dietary restrictions and preferences, and that’s never more evident than at a holiday meal. While your immediate family may know you’re vegan or lactose intolerant, that’s not necessarily the case with extended family, friends, or…

    Read more...

    ", - "content": "

    Not everyone is on the same page when it comes to food allergies and intolerances, and dietary restrictions and preferences, and that’s never more evident than at a holiday meal. While your immediate family may know you’re vegan or lactose intolerant, that’s not necessarily the case with extended family, friends, or…

    Read more...

    ", - "category": "diet", - "link": "https://lifehacker.com/how-to-share-your-dietary-preferences-and-restrictions-1848117253", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 25 Nov 2021 16:00:00 GMT", + "title": "How Magdalena Andersson became Sweden's first female PM twice", + "description": "Magdalena Andersson's rise to power has been high political drama, but the finale may be yet to come.", + "content": "Magdalena Andersson's rise to power has been high political drama, but the finale may be yet to come.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59473070?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:42:10 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ccd5fc279569089d752cd7823c284a27" + "hash": "9f798421dbee4de6d8b785ec1eba1536" }, { - "title": "The Laziest, Most Efficient Way to Clean Just Before Guests Arrive", - "description": "

    Having people over is always more work than you think it’s going to be. Even if you go in with the intention of keeping it casual, there’s usually the moment about a half hour before guests are set to arrive that you realize that your home—which you initially didn’t think was that bad—actually looks pretty sloppy.

    Read more...

    ", - "content": "

    Having people over is always more work than you think it’s going to be. Even if you go in with the intention of keeping it casual, there’s usually the moment about a half hour before guests are set to arrive that you realize that your home—which you initially didn’t think was that bad—actually looks pretty sloppy.

    Read more...

    ", + "title": "Pakistan: Islamists against Muhammad cartoons stage comeback", + "description": "The release of the TLP leader and supporters could have far-reaching implications in Pakistan and beyond.", + "content": "The release of the TLP leader and supporters could have far-reaching implications in Pakistan and beyond.", "category": "", - "link": "https://lifehacker.com/the-laziest-most-efficient-way-to-clean-just-before-gu-1848117221", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 25 Nov 2021 14:00:00 GMT", + "link": "https://www.bbc.co.uk/news/world-asia-59456545?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:42:32 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4633d83f953aa876fa02a6da0ab7b494" + "hash": "3e3298727360cf3025e445383a7513e3" }, { - "title": "Please Don't Bring These Things Up at the Thanksgiving Table", - "description": "

    Hopefully, we all know to avoid politics and religion at holiday social occasions where guests of varying ideological and spiritual leanings have gathered, for a good, festive time. But there are plenty of other verboten subjects and lines of questioning from which you should probably steer clear—that is, unless you…

    Read more...

    ", - "content": "

    Hopefully, we all know to avoid politics and religion at holiday social occasions where guests of varying ideological and spiritual leanings have gathered, for a good, festive time. But there are plenty of other verboten subjects and lines of questioning from which you should probably steer clear—that is, unless you…

    Read more...

    ", + "title": "Jack Dorsey: What's next for Twitter's co-founder?", + "description": "The last time the tech visionary left Twitter, he set up another company now worth $100bn.", + "content": "The last time the tech visionary left Twitter, he set up another company now worth $100bn.", "category": "", - "link": "https://lifehacker.com/please-dont-bring-these-things-up-at-the-thanksgiving-t-1848119290", - "creator": "Sarah Showfety", - "pubDate": "Wed, 24 Nov 2021 21:30:00 GMT", + "link": "https://www.bbc.co.uk/news/technology-59471636?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 03:48:35 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e219d42a410ef5f3490dcaf605ec707d" + "hash": "e606483d3f48e28faf563b80a8038cd8" }, { - "title": "How to Tell If You’re Oversharing (and How to Stop It)", - "description": "

    The line between private and public information has never been more blurred, whether you blame reality TV, social media, or perhaps a global pandemic steadily chipping away at all of our emotional states. Chances are good that at one point or another, you’ve been guilty of oversharing, which the New York Times

    Read more...

    ", - "content": "

    The line between private and public information has never been more blurred, whether you blame reality TV, social media, or perhaps a global pandemic steadily chipping away at all of our emotional states. Chances are good that at one point or another, you’ve been guilty of oversharing, which the New York Times

    Read more...

    ", + "title": "Omicron: Do travel bans work against new Covid variants?", + "description": "What is the evidence that travel restrictions could stop the spread of coronavirus?", + "content": "What is the evidence that travel restrictions could stop the spread of coronavirus?", "category": "", - "link": "https://lifehacker.com/how-to-tell-if-you-re-oversharing-and-how-to-stop-it-1847937624", - "creator": "Meredith Dietz", - "pubDate": "Wed, 24 Nov 2021 20:30:00 GMT", + "link": "https://www.bbc.co.uk/news/59461861?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 14:59:50 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5dc61fe34afe0eae0b39fd90a61207ff" + "hash": "4864e1c021a9a108d4797d89af2322d4" }, { - "title": "There Were Billions of T-rexes, and 9 Other Things You Never Knew About Dinosaurs", - "description": "

    Dinosaurs have been extinct for over 65 million years, but scientists just can’t let them rest in their colossal graves. Instead, they’re digging up fossils, conducting research, and otherwise changing our understanding of dinosaur biology and culture. Please enjoy these ten newly discovered facts and theories about…

    Read more...

    ", - "content": "

    Dinosaurs have been extinct for over 65 million years, but scientists just can’t let them rest in their colossal graves. Instead, they’re digging up fossils, conducting research, and otherwise changing our understanding of dinosaur biology and culture. Please enjoy these ten newly discovered facts and theories about…

    Read more...

    ", - "category": "paleontology", - "link": "https://lifehacker.com/10-amazing-things-you-never-knew-about-dinosaurs-1848118855", - "creator": "Stephen Johnson", - "pubDate": "Wed, 24 Nov 2021 20:00:00 GMT", + "title": "WHO: ‘Omicron is a variant of concern, not panic’", + "description": "The world needs to be alert but not overreact, the World Health Organization’s spokesperson says.", + "content": "The world needs to be alert but not overreact, the World Health Organization’s spokesperson says.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59490786?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 15:28:27 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f8ebc36af633650a9003ecd3d201204" + "hash": "4aa101c7b89aa333f4433922c0855a24" }, { - "title": "How to Recognize When You're in An Emotional Affair (and What to Do About It)", - "description": "

    The word “affair” makes us think of fiery, passionate, physical flings, but not every affair is an in-person tryst. Some are emotional affairs and, unlike their physical counterparts, they can be trickier to identify. Are you getting way too personal with a colleague? Are you making up excuses to see your kid’s cute…

    Read more...

    ", - "content": "

    The word “affair” makes us think of fiery, passionate, physical flings, but not every affair is an in-person tryst. Some are emotional affairs and, unlike their physical counterparts, they can be trickier to identify. Are you getting way too personal with a colleague? Are you making up excuses to see your kid’s cute…

    Read more...

    ", - "category": "emotional affair", - "link": "https://lifehacker.com/how-to-recognize-when-youre-in-an-emotional-affair-and-1847993221", - "creator": "Lindsey Ellefson", - "pubDate": "Wed, 24 Nov 2021 19:30:00 GMT", + "title": "Michigan school shooting: Worst kind of tragedy, says sheriff", + "description": "Watch the Oakland County sheriff give details of the shooting, where three pupils were killed.", + "content": "Watch the Oakland County sheriff give details of the shooting, where three pupils were killed.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59488472?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 08:54:31 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18301664efd3256d45f2d95d8ff91bfa" + "hash": "e85c3e1762f288313ede2a4ffc11f343" }, { - "title": "So You Bought the Wrong Milk for Your Pumpkin Pie", - "description": "

    Sweetened condensed milk and evaporated milk are two distinct products, but it’s easy to get them confused. They’re both milk that comes in cans, and they’re usually stocked right next to each other, often with the same cute little cow on the label. Grabbing one when you meant to grab the other is not outside of the…

    Read more...

    ", - "content": "

    Sweetened condensed milk and evaporated milk are two distinct products, but it’s easy to get them confused. They’re both milk that comes in cans, and they’re usually stocked right next to each other, often with the same cute little cow on the label. Grabbing one when you meant to grab the other is not outside of the…

    Read more...

    ", - "category": "pumpkin pie", - "link": "https://lifehacker.com/so-you-bought-the-wrong-milk-for-your-pumpkin-pie-1848118315", - "creator": "Claire Lower", - "pubDate": "Wed, 24 Nov 2021 19:00:00 GMT", + "title": "HGV shortages: Why European drivers don't want to come back to the UK", + "description": "Lorry drivers say more investment is needed to make the UK industry more attractive to workers.", + "content": "Lorry drivers say more investment is needed to make the UK industry more attractive to workers.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-59477100?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 00:00:58 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ed28196ace095891667d88ef584a0578" + "hash": "c18148df285d0b7888e8d9aada9a8396" }, { - "title": "Black Friday Is a Scam", - "description": "

    This isn’t a post about how to avoid scammers on Black Friday (though, there will be plenty of those, so watch out). It’s about how the whole event is an over-hyped, panic-inducing marketing blitz to which we should not subscribe. (You hear me, Big Retail? I don’t believe those LEGOs will only be $9 off for one day.

    Read more...

    ", - "content": "

    This isn’t a post about how to avoid scammers on Black Friday (though, there will be plenty of those, so watch out). It’s about how the whole event is an over-hyped, panic-inducing marketing blitz to which we should not subscribe. (You hear me, Big Retail? I don’t believe those LEGOs will only be $9 off for one day.

    Read more...

    ", - "category": "black friday", - "link": "https://lifehacker.com/black-friday-is-a-scam-1848117218", - "creator": "Sarah Showfety", - "pubDate": "Wed, 24 Nov 2021 18:30:00 GMT", + "title": "Roe v Wade: How a Mississippi legal challenge could upend abortion rights", + "description": "The Supreme Court is being asked to overturn the 1973 ruling that legalised abortion in the US.", + "content": "The Supreme Court is being asked to overturn the 1973 ruling that legalised abortion in the US.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59486375?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 01:21:05 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ac688f14dbba8ce4f412fb5a45d538c" + "hash": "4709ff5ab0834341f168f915ba37ade5" }, { - "title": "Our Favorite Home Improvements You Can Make for Less Than $100", - "description": "

    Home improvement projects can be daunting, both in scale and in cost. But if you’re looking for small ways to make your home more comfortable, more efficient, or safer for you and your guests, you don’t have to go broke. Here are a few of our favorite home improvement projects that will yield big results, even on a…

    Read more...

    ", - "content": "

    Home improvement projects can be daunting, both in scale and in cost. But if you’re looking for small ways to make your home more comfortable, more efficient, or safer for you and your guests, you don’t have to go broke. Here are a few of our favorite home improvement projects that will yield big results, even on a…

    Read more...

    ", - "category": "central heating", - "link": "https://lifehacker.com/our-favorite-home-improvements-you-can-make-for-less-th-1848115216", - "creator": "Becca Lewis", - "pubDate": "Wed, 24 Nov 2021 18:00:00 GMT", + "title": "Four dead as storm tears through Turkey", + "description": "Strong winds hit the country's western coast, destroying buildings and blowing ships ashore.", + "content": "Strong winds hit the country's western coast, destroying buildings and blowing ships ashore.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59484633?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 19:55:28 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e54ffd27e176c3cd55d9c48a2fcf57a2" + "hash": "c09b35f50bdf25c110a23c997efdb6ef" }, { - "title": "You Should Try DuckDuckGo's New Tracker Protection on Android, No Matter What Browser You Use", - "description": "

    We all know that the internet isn’t a “private” place. When you search for something on Google or download a new app, there’s an understanding that some of your data is likely going somewhere. That said, what’s especially creepy about the state of our privacy online is how invisible tracking can be. You can think…

    Read more...

    ", - "content": "

    We all know that the internet isn’t a “private” place. When you search for something on Google or download a new app, there’s an understanding that some of your data is likely going somewhere. That said, what’s especially creepy about the state of our privacy online is how invisible tracking can be. You can think…

    Read more...

    ", - "category": "duckduckgo", - "link": "https://lifehacker.com/you-should-try-duckduckgos-new-tracker-protection-on-an-1848116798", - "creator": "Jake Peterson", - "pubDate": "Wed, 24 Nov 2021 17:30:00 GMT", + "title": "Covid: WHO urges those at risk from disease to delay travel over Omicron", + "description": "It urges those who are unwell and the over-60s to delay international travel because of the Omicron variant.", + "content": "It urges those who are unwell and the over-60s to delay international travel because of the Omicron variant.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59484773?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 20:48:44 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4464a7297c9f3ee764135273fe98a936" + "hash": "079d7bcb9bef647d1c081338f58e5c4d" }, { - "title": "What's New on Paramount Plus in December 2021", - "description": "

    The weirdest thing about the Peak Streaming Era is that there are TV shows that have been running for years that I, a person who reads entertainment websites for fun and listens to podcasts about TV, have never heard of.

    Read more...

    ", - "content": "

    The weirdest thing about the Peak Streaming Era is that there are TV shows that have been running for years that I, a person who reads entertainment websites for fun and listens to podcasts about TV, have never heard of.

    Read more...

    ", - "category": "rugrats", - "link": "https://lifehacker.com/whats-new-on-paramount-plus-in-december-2021-1848117485", - "creator": "Joel Cunningham", - "pubDate": "Wed, 24 Nov 2021 17:00:00 GMT", + "title": "Ghislaine Maxwell: Epstein pilot testifies he flew Prince Andrew", + "description": "The paedophile financier's pilot tells a court he also flew Bill Clinton and Donald Trump on the jet.", + "content": "The paedophile financier's pilot tells a court he also flew Bill Clinton and Donald Trump on the jet.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59484332?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 19:53:37 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2fa3266257774ced97dbc7b4a1563e10" + "hash": "48b3e26653eb2bcd7eb98e4a32d53458" }, { - "title": "How to (Try to) Prevent Your Kid From Melting Down During the Holidays", - "description": "

    As much as we may wax nostalgic about what the holidays were like for us growing up, being a parent during this time of the year isn’t exactly easy. There’s the nonstop sugar, the disruptions to your child’s schedule, the heightened anticipation about presents, and all the other overstimulating festivities.

    Read more...

    ", - "content": "

    As much as we may wax nostalgic about what the holidays were like for us growing up, being a parent during this time of the year isn’t exactly easy. There’s the nonstop sugar, the disruptions to your child’s schedule, the heightened anticipation about presents, and all the other overstimulating festivities.

    Read more...

    ", - "category": "jason kahn", - "link": "https://lifehacker.com/how-to-try-to-prevent-your-kid-from-melting-down-duri-1848115100", - "creator": "Rachel Fairbank", - "pubDate": "Wed, 24 Nov 2021 16:30:00 GMT", + "title": "Mike Pence asks Supreme Court to overturn abortion rights", + "description": "The former vice-president speaks on the eve of the most important abortion case in years at the top US court.", + "content": "The former vice-president speaks on the eve of the most important abortion case in years at the top US court.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59480917?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:27:54 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c5c6fd00d6d9ab4fd7df640e43da6219" + "hash": "dd2b5e06cbfae4d7f0e81299a3468cb9" }, { - "title": "Why Everyone Secretly Hates 'Do-Gooders'", - "description": "

    This article from the BBC made me feel so relieved at my loathing of altruists that I can finally say what most of us have been thinking: Selfless people are the absolute worst.

    Read more...

    ", - "content": "

    This article from the BBC made me feel so relieved at my loathing of altruists that I can finally say what most of us have been thinking: Selfless people are the absolute worst.

    Read more...

    ", - "category": "motivation", - "link": "https://lifehacker.com/why-everyone-secretly-hates-do-gooders-1848114786", - "creator": "Stephen Johnson", - "pubDate": "Wed, 24 Nov 2021 16:00:00 GMT", + "title": "Lesotho ex-PM Thomas Thabane charged with murdering wife", + "description": "Thomas Thabane denies organising the killing of his estranged wife.", + "content": "Thomas Thabane denies organising the killing of his estranged wife.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59482050?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 17:17:06 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d05d2d6c7469e7fe393bdb8527f77230" + "hash": "94d23030675eb2c0a3ff1c499e4685de" }, { - "title": "Black Friday Food Deals to Sustain You While You Shop", - "description": "

    Although Black Friday isn’t the be-all-end-all shopping day it once was, for some people, hitting the stores at the stroke of midnight, after downing a plate of Thanksgiving leftovers, has become a tradition.

    Read more...

    ", - "content": "

    Although Black Friday isn’t the be-all-end-all shopping day it once was, for some people, hitting the stores at the stroke of midnight, after downing a plate of Thanksgiving leftovers, has become a tradition.

    Read more...

    ", - "category": "black friday", - "link": "https://lifehacker.com/black-friday-food-deals-to-sustain-you-while-you-shop-1848114149", - "creator": "Elizabeth Yuko", - "pubDate": "Wed, 24 Nov 2021 15:30:00 GMT", + "title": "Barbados: Rihanna made national hero as island becomes republic", + "description": "The artist and businesswoman is honoured at an event marking Barbados' new status as a republic.", + "content": "The artist and businesswoman is honoured at an event marking Barbados' new status as a republic.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59473586?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 07:35:43 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "c303ba479fedaf3c931b92997c293973" + "hash": "db74edece6c8d1ec91cefa0cdf9d95c8" }, { - "title": "Should You Get a Whoop Band or a Smartwatch?", - "description": "

    If you want an activity tracker, there are a bunch of great choices out there, from budget step trackers to full-featured watches. If you’ve decided you want a ton of data and don’t mind spending extra money for it, that narrows down your options a good bit, but one of the candidates is not quite like the others. So…

    Read more...

    ", - "content": "

    If you want an activity tracker, there are a bunch of great choices out there, from budget step trackers to full-featured watches. If you’ve decided you want a ton of data and don’t mind spending extra money for it, that narrows down your options a good bit, but one of the candidates is not quite like the others. So…

    Read more...

    ", - "category": "whoop", - "link": "https://lifehacker.com/should-you-get-a-whoop-band-or-a-smartwatch-1848110715", - "creator": "Beth Skwarecki", - "pubDate": "Wed, 24 Nov 2021 15:00:00 GMT", + "title": "Emma Coronel: Wife of kingpin El Chapo sentenced to three years", + "description": "Emma Coronel Aispuro pleaded guilty to conspiracy and drug charges in June", + "content": "Emma Coronel Aispuro pleaded guilty to conspiracy and drug charges in June", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59484382?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 20:14:19 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76bc9b5cf07338b54ba49e842e23fa6e" + "hash": "1d2218b75085f8c0e318ac1b8bc31e0e" }, { - "title": "These Food Chains Won't Judge You and Will Be Open on Thanksgiving Day", - "description": "

    For many of us, Thanksgiving is centered around a huge meal. But let’s say you don’t feel like spending much, if any, time in the kitchen and would rather be on the couch watching TV with takeout. Or maybe your food prep doesn’t go quite as planned and you need a last-minute backup dinner. Or you’ve realized you…

    Read more...

    ", - "content": "

    For many of us, Thanksgiving is centered around a huge meal. But let’s say you don’t feel like spending much, if any, time in the kitchen and would rather be on the couch watching TV with takeout. Or maybe your food prep doesn’t go quite as planned and you need a last-minute backup dinner. Or you’ve realized you…

    Read more...

    ", - "category": "thanksgiving", - "link": "https://lifehacker.com/these-food-chains-wont-judge-you-and-will-be-open-on-th-1848110919", - "creator": "Emily Long", - "pubDate": "Wed, 24 Nov 2021 14:30:00 GMT", + "title": "Yazidi genocide: IS member found guilty in German landmark trial", + "description": "Taha al-Jumailly is jailed by a German court for crimes including the murder of a young Yazidi girl.", + "content": "Taha al-Jumailly is jailed by a German court for crimes including the murder of a young Yazidi girl.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59474616?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 12:48:22 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6af1c0bd319b8802f5bf72350d87b278" + "hash": "388bd60e9e0b58972633b515ae97ba70" }, { - "title": "Do These Things When You’re so Irritated You’re About to Snap", - "description": "

    It’s always the little things that make me snap. A spouse breathing too loudly, a dish left in the sink, a stranger’s bad parking job: Suddenly my whole day is ruined, and everyone I know is lucky enough to be subjected to my Larry David-like rants.

    Read more...

    ", - "content": "

    It’s always the little things that make me snap. A spouse breathing too loudly, a dish left in the sink, a stranger’s bad parking job: Suddenly my whole day is ruined, and everyone I know is lucky enough to be subjected to my Larry David-like rants.

    Read more...

    ", - "category": "attention deficit hyperactivity disorder", - "link": "https://lifehacker.com/do-these-things-when-you-re-so-irritated-you-re-about-t-1848041707", - "creator": "Meredith Dietz", - "pubDate": "Wed, 24 Nov 2021 14:00:00 GMT", + "title": "Covid: Greece to fine over-60s who refuse Covid-19 vaccine", + "description": "Fines of €100 (£85) will be imposed from mid-January, with the money going towards healthcare.", + "content": "Fines of €100 (£85) will be imposed from mid-January, with the money going towards healthcare.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59474808?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 17:19:35 GMT", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8cece473af60c9093a61b8010c165d9" + "hash": "550682319ed29fd9dfd7bd671f3025a4" }, { - "title": "The Best and Worst Hours to Drive on Thanksgiving, According to AAA", - "description": "

    After a holiday season during which many of us stayed close to home (ahem, 2020), Thanksgiving 2021 is expected to be busy for travel of all kinds. That means highways and airports are likely to be more crowded than at any time in recent memory, and delays and disruptions are inevitable.

    Read more...

    ", - "content": "

    After a holiday season during which many of us stayed close to home (ahem, 2020), Thanksgiving 2021 is expected to be busy for travel of all kinds. That means highways and airports are likely to be more crowded than at any time in recent memory, and delays and disruptions are inevitable.

    Read more...

    ", - "category": "disaster accident", - "link": "https://lifehacker.com/the-best-and-worst-hours-to-drive-on-thanksgiving-acco-1848111343", - "creator": "Emily Long", - "pubDate": "Wed, 24 Nov 2021 13:30:00 GMT", + "title": "Italian football fan banned for 'slapping' journalist live on TV", + "description": "Greta Beccaglia reported the man to the police after the incident outside a stadium in Florence.", + "content": "Greta Beccaglia reported the man to the police after the incident outside a stadium in Florence.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59478152?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 19:21:42 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc17c12eb24c517a3260d4626d152b80" + "hash": "b366420044db94848ee3da4c6fe818e0" }, { - "title": "What to Do If Your Turkey Is Still Frozen", - "description": "

    Here we are, the day before Thanksgiving, and your turkey is still frozen. It doesn’t matter that multiple food websites have been yelling about turkey thaw times for days—if not weeks—now. There are always a few stragglers who wait until Wednesday or—much worse—Thursday morning.

    Read more...

    ", - "content": "

    Here we are, the day before Thanksgiving, and your turkey is still frozen. It doesn’t matter that multiple food websites have been yelling about turkey thaw times for days—if not weeks—now. There are always a few stragglers who wait until Wednesday or—much worse—Thursday morning.

    Read more...

    ", - "category": "laboratory equipment", - "link": "https://lifehacker.com/what-to-do-if-your-turkey-is-still-frozen-1848113182", - "creator": "Claire Lower", - "pubDate": "Wed, 24 Nov 2021 13:00:00 GMT", + "title": "Dutch Covid: Couple win freedom from Omicron quarantine in TB ward", + "description": "A couple who fled an isolation hotel in the Netherlands are told they can now go home.", + "content": "A couple who fled an isolation hotel in the Netherlands are told they can now go home.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59473067?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:43:01 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0f7c4fe3b2d188b76414b25495d65105" + "hash": "3f0f1197540b8085482b35e7feac21c9" }, { - "title": "How to Set a Formal Thanksgiving Table Like a Sophisticated Adult", - "description": "

    The biggest eating holiday of the year is upon us. You’ve brainstormed the menu, shopped for sweet potatoes and Brussels sprouts, and thawed the turkey. (You have thawed the turkey, right?) With all the fanfare and preparation around the main event, it’s easy to give short shrift to the canvas that will display the…

    Read more...

    ", - "content": "

    The biggest eating holiday of the year is upon us. You’ve brainstormed the menu, shopped for sweet potatoes and Brussels sprouts, and thawed the turkey. (You have thawed the turkey, right?) With all the fanfare and preparation around the main event, it’s easy to give short shrift to the canvas that will display the…

    Read more...

    ", - "category": "spoon", - "link": "https://lifehacker.com/how-to-set-a-formal-thanksgiving-table-like-a-sophistic-1848113001", - "creator": "Sarah Showfety", - "pubDate": "Tue, 23 Nov 2021 22:30:00 GMT", + "title": "Adele announces Las Vegas residency", + "description": "The singer will perform at Caesars Palace Hotel, with shows running from 21 January next year.", + "content": "The singer will perform at Caesars Palace Hotel, with shows running from 21 January next year.", + "category": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59473984?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 15:27:24 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88b21f555c28c6156609f5b0897b4a7f" + "hash": "c7d67fb745a07757df1854c57b61427c" }, { - "title": "How to Cut Coffee's Bitterness Without Using Sweetener", - "description": "

    When it came to coffee, for ages I was a milk and “Sugar in the Raw” girl. Just one packet at most, or ideally half a packet—but that was the absolute minimum amount of crystals required to make it palatable. (Before that, I vacillated between Sweet ‘n Low and Splenda, two artificial alternatives I was never happy…

    Read more...

    ", - "content": "

    When it came to coffee, for ages I was a milk and “Sugar in the Raw” girl. Just one packet at most, or ideally half a packet—but that was the absolute minimum amount of crystals required to make it palatable. (Before that, I vacillated between Sweet ‘n Low and Splenda, two artificial alternatives I was never happy…

    Read more...

    ", - "category": "excipients", - "link": "https://lifehacker.com/how-to-cut-coffees-bitterness-without-using-sweetener-1848067924", - "creator": "Sarah Showfety", - "pubDate": "Tue, 23 Nov 2021 22:00:00 GMT", + "title": "Leaked papers link top Chinese leaders to Uyghur crackdown", + "description": "They show speeches by Xi Jinping and others which led to Uyghurs' mass internment and forced labour.", + "content": "They show speeches by Xi Jinping and others which led to Uyghurs' mass internment and forced labour.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-china-59456541?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 08:09:52 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ad182aa602243e6935a0cbde216d716e" + "hash": "8a6e0a4fc26d51c13c6421109b7ae15c" }, { - "title": "How to Still Have Great Sex When You Don't Feel Very Sexy", - "description": "

    Even when you’re not feeling your hottest, your partner in a good relationship is still attracted to you. It can feel unbelievable, but it’s true. It doesn’t matter if you’re feeling uneasy about your looks, if you’re going through a sad period, or you have a health issue—there are plenty of reasons you might feel…

    Read more...

    ", - "content": "

    Even when you’re not feeling your hottest, your partner in a good relationship is still attracted to you. It can feel unbelievable, but it’s true. It doesn’t matter if you’re feeling uneasy about your looks, if you’re going through a sad period, or you have a health issue—there are plenty of reasons you might feel…

    Read more...

    ", - "category": "love", - "link": "https://lifehacker.com/how-to-still-have-great-sex-when-you-dont-feel-very-sex-1848030478", - "creator": "Lindsey Ellefson", - "pubDate": "Tue, 23 Nov 2021 21:30:00 GMT", + "title": "France issues arrest warrant over Japan 'parental kidnap'", + "description": "Vincent Fichot says his Japanese wife disappeared from the family home with his two children in 2018.", + "content": "Vincent Fichot says his Japanese wife disappeared from the family home with his two children in 2018.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59474807?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 10:58:08 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "bcb9718470faf543bb5c42895360852d" + "hash": "1f9df0a4e618ab2b9aa0b29606dbf7c8" }, { - "title": "Do You Really Need to Chill Your Pie Dough?", - "description": "

    Everyone knows that a chef’s kiss-worthy pie crust requires cold butter, which is why most recipes recommend chilling the dough twice: Once after mixing, and again after assembling the pie. The downside is that rolling out cold dough sucks, so you’ll have to wait for it to warm up first (or smack it around a little), …

    Read more...

    ", - "content": "

    Everyone knows that a chef’s kiss-worthy pie crust requires cold butter, which is why most recipes recommend chilling the dough twice: Once after mixing, and again after assembling the pie. The downside is that rolling out cold dough sucks, so you’ll have to wait for it to warm up first (or smack it around a little), …

    Read more...

    ", - "category": "pie", - "link": "https://lifehacker.com/do-you-really-need-to-chill-your-pie-dough-1848111393", - "creator": "A.A. Newton", - "pubDate": "Tue, 23 Nov 2021 21:00:00 GMT", + "title": "Dozens of former Afghan forces killed or disappeared by Taliban, rights group says", + "description": "Human Rights Watch says more than 100 former Afghan personnel have been killed or have disappeared.", + "content": "Human Rights Watch says more than 100 former Afghan personnel have been killed or have disappeared.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59474965?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 11:39:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b26cc43db764646f55496295d0f5688" + "hash": "ba97c41c0a7c072b9350658a1287f7b7" }, { - "title": "When You Should Use LinkedIn's Resume Builder, and When You Shouldn’t", - "description": "

    There’s never a bad time to apply for a new job, but updating your resume can begin to feel like a big task (especially if you’re already overworked). If you’ve got a LinkedIn profile though, you can use what you’ve already written to build and customize a strategic resume, as well as speed up your application…

    Read more...

    ", - "content": "

    There’s never a bad time to apply for a new job, but updating your resume can begin to feel like a big task (especially if you’re already overworked). If you’ve got a LinkedIn profile though, you can use what you’ve already written to build and customize a strategic resume, as well as speed up your application…

    Read more...

    ", - "category": "linkedin", - "link": "https://lifehacker.com/when-you-should-use-linkedins-resume-builder-and-when-1848110383", - "creator": "Pranay Parab", - "pubDate": "Tue, 23 Nov 2021 20:30:00 GMT", + "title": "China surveillance of journalists to use 'traffic-light' system", + "description": "Documents detail how one province is making a facial-recognition system to spot \"people of concern\".", + "content": "Documents detail how one province is making a facial-recognition system to spot \"people of concern\".", + "category": "", + "link": "https://www.bbc.co.uk/news/technology-59441379?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 15:58:31 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca3521929e151add3c283ddfcb991d32" + "hash": "fb0d03c5d9f2371da2de03d5959f4489" }, { - "title": "The Two Bottles You Should Bring to Thanksgiving Dinner", - "description": "

    I am too dumb to figure out “analytics” but I suspect “what wine pairs with turkey?” is an oft-Googled search term this time of year. Pinot and Beaujolais are popular options but they are, in my highly valued opinion, not the best bottles to bring to a Thanksgiving or other seasonally festive dinner. That distinction…

    Read more...

    ", - "content": "

    I am too dumb to figure out “analytics” but I suspect “what wine pairs with turkey?” is an oft-Googled search term this time of year. Pinot and Beaujolais are popular options but they are, in my highly valued opinion, not the best bottles to bring to a Thanksgiving or other seasonally festive dinner. That distinction…

    Read more...

    ", - "category": "thanksgiving dinner", - "link": "https://lifehacker.com/the-two-bottles-you-should-bring-to-thanksgiving-dinner-1848106673", - "creator": "Claire Lower", - "pubDate": "Tue, 23 Nov 2021 20:00:00 GMT", + "title": "Venezuelan migrants seeking a new home in Chile", + "description": "Tens of thousands of Venezuelans escaping poverty and violence at home are risking their lives to travel south to Chile.", + "content": "Tens of thousands of Venezuelans escaping poverty and violence at home are risking their lives to travel south to Chile.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59438026?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 00:04:34 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec5426c8713ecd06b1ec5df7df708382" + "hash": "111bf42514c617aacb718ac7c36f0918" }, { - "title": "19 of the Best Shows Canceled in 2021 (and Where They Might Go Next)", - "description": "

    We currently have more broadcast and cable networks and streaming services that any one person or household or possibly small village could possibly watch, and all of them are desperate for content. That means that shows come and go faster than they used to, but it also means there’s more hope than ever that your…

    Read more...

    ", - "content": "

    We currently have more broadcast and cable networks and streaming services that any one person or household or possibly small village could possibly watch, and all of them are desperate for content. That means that shows come and go faster than they used to, but it also means there’s more hope than ever that your…

    Read more...

    ", - "category": "aretha franklin", - "link": "https://lifehacker.com/19-of-the-best-shows-canceled-in-2021-and-where-they-m-1848068965", - "creator": "Ross Johnson", - "pubDate": "Tue, 23 Nov 2021 19:30:00 GMT", + "title": "Joseph Kabila and DR Congo's missing millions", + "description": "Millions of dollars of public funds went through bank accounts of ex-President Joseph Kabila's allies, BBC Africa Eye reveals.", + "content": "Millions of dollars of public funds went through bank accounts of ex-President Joseph Kabila's allies, BBC Africa Eye reveals.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59436588?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 00:16:40 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d20b2cc71d59ba791f6dae11f278638c" + "hash": "55147ba68472b3cf7d7fd9f10a21b056" }, { - "title": "How to Feel Your Feelings (and Why You Should)", - "description": "

    Feeling our feelings—contrary to long-held popular opinion that it is somehow weak—is remarkably hard work. Which is why we engage in frequent avoidance techniques so we don’t have to feel them: drinking, binge-eating, gambling, and staying excessively busy, to name a few. But as it turns out, learning how to feel (…

    Read more...

    ", - "content": "

    Feeling our feelings—contrary to long-held popular opinion that it is somehow weak—is remarkably hard work. Which is why we engage in frequent avoidance techniques so we don’t have to feel them: drinking, binge-eating, gambling, and staying excessively busy, to name a few. But as it turns out, learning how to feel (…

    Read more...

    ", - "category": "jeff guenther", - "link": "https://lifehacker.com/how-to-feel-your-feelings-and-why-you-should-1848110119", - "creator": "Sarah Showfety", - "pubDate": "Tue, 23 Nov 2021 19:00:00 GMT", + "title": "Iran nuclear deal: What key players want from talks", + "description": "The competing ambitions of the countries involved make success a long shot, writes Jonathan Marcus.", + "content": "The competing ambitions of the countries involved make success a long shot, writes Jonathan Marcus.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59435615?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 22:43:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f8e129759af0ec72bd152e2edde0d2a8" + "hash": "3f45ff03b7abf2184895dd015bc21553" }, { - "title": "Customize Your Mac's 'Finder' so It Shows You the Things You Actually Need", - "description": "

    Finder is your pathway to all the files on your Mac. Sure, you could (and should) use Spotlight to quickly find and open files. But when it comes to actually managing and working with files, folders, and documents, the Finder app is essential—especially since none of use know how to create a folder hierarchy anymore.

    Read more...

    ", - "content": "

    Finder is your pathway to all the files on your Mac. Sure, you could (and should) use Spotlight to quickly find and open files. But when it comes to actually managing and working with files, folders, and documents, the Finder app is essential—especially since none of use know how to create a folder hierarchy anymore.

    Read more...

    ", - "category": "finder", - "link": "https://lifehacker.com/customize-your-macs-finder-so-it-shows-you-the-things-y-1848108213", - "creator": "Khamosh Pathak", - "pubDate": "Tue, 23 Nov 2021 18:30:00 GMT", + "title": "Gay and Muslim: Family wanted to 'make me better'", + "description": "Asad struggled with his mental health and suicidal thoughts when he came out to his religious family.", + "content": "Asad struggled with his mental health and suicidal thoughts when he came out to his religious family.", + "category": "", + "link": "https://www.bbc.co.uk/news/newsbeat-59320090?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 00:02:33 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "971d8a3b3ca63903c96b37ce612e7821" + "hash": "38ac3bf7efcd127bebe38a071142e195" }, { - "title": "What Discontinued Fast-Food Item Do You Wish With All Your Heart Would Return?", - "description": "

    Inadequate as I am to properly articulate what loss feels like, I turn to the poets. So in the words Edna St. Vincent Millay, “Where you used to be, there is a hole in the world, which I find myself constantly walking around in the daytime, and falling in at night. I miss you like hell.” I am, of course, talking about…

    Read more...

    ", - "content": "

    Inadequate as I am to properly articulate what loss feels like, I turn to the poets. So in the words Edna St. Vincent Millay, “Where you used to be, there is a hole in the world, which I find myself constantly walking around in the daytime, and falling in at night. I miss you like hell.” I am, of course, talking about…

    Read more...

    ", - "category": "taco bell", - "link": "https://lifehacker.com/what-discontinued-fast-food-item-do-you-wish-with-all-y-1848110165", - "creator": "Meredith Dietz", - "pubDate": "Tue, 23 Nov 2021 18:00:00 GMT", + "title": "Man rescued after 22 hours adrift off Japan coast", + "description": "Watch the moment rescuers reach the 69-year-old, whose boat capsized in stormy waters.", + "content": "Watch the moment rescuers reach the 69-year-old, whose boat capsized in stormy waters.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59477186?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 12:38:35 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4abee0c276bc0deb5df8def371ba273" + "hash": "2d1cf3a4712a3f39e6829a47ccd67932" }, { - "title": "How (and Why) to Give Cryptocurrency as a Gift This Year", - "description": "

    Considering that it’s one of the few things unaffected by supply chain issues, you might be want to consider gifting friends and family cryptocurrency for the holidays this year. Of course, cryptocurrencies are risky investments due to their volatility, so you’d have to be comfortable with crypto as a “fun” gift that…

    Read more...

    ", - "content": "

    Considering that it’s one of the few things unaffected by supply chain issues, you might be want to consider gifting friends and family cryptocurrency for the holidays this year. Of course, cryptocurrencies are risky investments due to their volatility, so you’d have to be comfortable with crypto as a “fun” gift that…

    Read more...

    ", - "category": "cryptocurrency", - "link": "https://lifehacker.com/how-and-why-to-give-cryptocurrency-as-a-gift-this-yea-1847976113", - "creator": "Mike Winters", - "pubDate": "Tue, 23 Nov 2021 17:30:00 GMT", + "title": "Yemen: The children haunted by 'ghosts' of war", + "description": "BBC Middle East editor Jeremy Bowen meets terrified families running from civil war in Yemen.", + "content": "BBC Middle East editor Jeremy Bowen meets terrified families running from civil war in Yemen.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59464760?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 00:10:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "463eb4bfbeebd95391a3987fa96f8b2c" + "hash": "b19b542b1c2bb4a0dcb3c32439dd7598" }, { - "title": "What's New on Netflix in December 2021", - "description": "

    Netflix apparently doesn’t want you to go outside again before 2022, given how much stuff they’re cramming onto their service in December: with new seasons of past breakouts, star-studded original films, comedy specials, and so much reality TV, who needs reality? Reality is depressing!

    Read more...

    ", - "content": "

    Netflix apparently doesn’t want you to go outside again before 2022, given how much stuff they’re cramming onto their service in December: with new seasons of past breakouts, star-studded original films, comedy specials, and so much reality TV, who needs reality? Reality is depressing!

    Read more...

    ", - "category": "netflix", - "link": "https://lifehacker.com/whats-new-on-netflix-in-december-2021-1848110326", - "creator": "Joel Cunningham", - "pubDate": "Tue, 23 Nov 2021 17:00:00 GMT", + "title": "Why France is declaring Josephine Baker a national hero", + "description": "Josephine Baker is the first black woman to be remembered in the resting place of France’s national heroes.", + "content": "Josephine Baker is the first black woman to be remembered in the resting place of France’s national heroes.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59468682?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 00:05:31 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "192e6191eb24736fa7e1514eb0867719" + "hash": "e6cdd5b1b477c03bc23a3510e1037e4c" }, { - "title": "How to Fix Your Broken Roku", - "description": "

    Is your Roku giving you issues? Maybe you sat down to watch some HBO Max, or started looking forward to Hawkeye on Disney+, but something’s wrong with your Roku. As the holiday breaks approaches, we’re all going to have more time to spend watching TV, but you won’t be able to enjoy it if your Roku apps don’t work.…

    Read more...

    ", - "content": "

    Is your Roku giving you issues? Maybe you sat down to watch some HBO Max, or started looking forward to Hawkeye on Disney+, but something’s wrong with your Roku. As the holiday breaks approaches, we’re all going to have more time to spend watching TV, but you won’t be able to enjoy it if your Roku apps don’t work.…

    Read more...

    ", - "category": "roku", - "link": "https://lifehacker.com/how-to-fix-your-broken-roku-1848109662", - "creator": "Jake Peterson", - "pubDate": "Tue, 23 Nov 2021 16:30:00 GMT", + "title": "China: Moment North Korean inmate breaks out of prison", + "description": "Zhu Xianjian was seen vaulting over an electric fence metres above the ground.", + "content": "Zhu Xianjian was seen vaulting over an electric fence metres above the ground.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-59457607?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 15:04:29 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2be6c639784bd46bab52ebafb022c16" + "hash": "1a6fbd49275992854f7c434455f086df" }, { - "title": "How to Reduce Your Family’s Screen Time (Now That It’s Totally Out of Control)", - "description": "

    In a simpler, more innocent time, limiting screen time was cited by many parents as one of their major parenting concerns. In a 2019 Pew Research Center poll, 71% of parents with a child under the age of 12 said they were concerned about the amount of time their kids spent in front of a screen.

    Read more...

    ", - "content": "

    In a simpler, more innocent time, limiting screen time was cited by many parents as one of their major parenting concerns. In a 2019 Pew Research Center poll, 71% of parents with a child under the age of 12 said they were concerned about the amount of time their kids spent in front of a screen.

    Read more...

    ", - "category": "screen time", - "link": "https://lifehacker.com/how-to-reduce-your-family-s-screen-time-now-that-it-s-1848107784", - "creator": "Rachel Fairbank", - "pubDate": "Tue, 23 Nov 2021 16:00:00 GMT", + "title": "Covid: Omicron variant in Netherlands earlier than thought", + "description": "The new Covid-19 variant is found in Dutch samples taken before it was reported by South Africa.", + "content": "The new Covid-19 variant is found in Dutch samples taken before it was reported by South Africa.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59473131?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 15:03:21 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc4f423bad2d03274c51922f45a76306" + "hash": "1999f71cae9d3490b5563c16ea31fd90" }, { - "title": "How to Be Alone on Thanksgiving", - "description": "

    There is no rule that says you have to be with family during the holiday season, but it feels like there is. There are loads of reasons you might find yourself flying solo on Thanksgiving. Maybe your family is toxic. Maybe you don’t have the money to fly home. Maybe you’re burned out and want a year off from all the…

    Read more...

    ", - "content": "

    There is no rule that says you have to be with family during the holiday season, but it feels like there is. There are loads of reasons you might find yourself flying solo on Thanksgiving. Maybe your family is toxic. Maybe you don’t have the money to fly home. Maybe you’re burned out and want a year off from all the…

    Read more...

    ", - "category": "thanksgiving", - "link": "https://lifehacker.com/how-to-be-alone-on-thanksgiving-1848100781", - "creator": "Lindsey Ellefson", - "pubDate": "Tue, 23 Nov 2021 15:30:00 GMT", + "title": "Australian parliament: One in three workers sexually harassed, says report", + "description": "Canberra's workplace culture has left a \"trail of devastation\" for women especially, a review finds.", + "content": "Canberra's workplace culture has left a \"trail of devastation\" for women especially, a review finds.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59472194?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 06:13:27 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57668b7610cc46cf88aeae93313441bd" + "hash": "d803d3302dae946aeb389165ef48215a" }, { - "title": "14 Things Every Home Gym Needs", - "description": "

    There’s a little game I like to play sometimes, and it seems to be popular with other folks who tend to work out at home: What equipment would I buy if I were starting a new home gym from scratch? Or you can play the advanced version: if you already have (insert common items here), what would you buy next?

    Read more...

    ", - "content": "

    There’s a little game I like to play sometimes, and it seems to be popular with other folks who tend to work out at home: What equipment would I buy if I were starting a new home gym from scratch? Or you can play the advanced version: if you already have (insert common items here), what would you buy next?

    Read more...

    ", - "category": "squat", - "link": "https://lifehacker.com/14-things-every-home-gym-needs-1848104799", - "creator": "Beth Skwarecki", - "pubDate": "Tue, 23 Nov 2021 15:00:00 GMT", + "title": "Channel disaster: A father's anguish, a missing family", + "description": "Rizgar Hussein hasn't heard from his family since the Channel disaster on Wednesday.", + "content": "Rizgar Hussein hasn't heard from his family since the Channel disaster on Wednesday.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59455685?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 23:53:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b19fd5f38f9e0e72210bdc23fe58079" + "hash": "0a2fcc5a864ed2811feb9617647c6883" }, { - "title": "How to Get Your Kid to Look at Holiday Toy Catalogues in a Way That Is Actually Productive", - "description": "

    The holidays approaching, which means if you have kids and a mailbox, the latter is filling up daily with toy and children’s clothing catalogs. While witnessing your kids’ unbridled excitement at paging through them may generate nostalgia-fueled forgiveness of this influx of direct marketing, such holiday catalogs, if …

    Read more...

    ", - "content": "

    The holidays approaching, which means if you have kids and a mailbox, the latter is filling up daily with toy and children’s clothing catalogs. While witnessing your kids’ unbridled excitement at paging through them may generate nostalgia-fueled forgiveness of this influx of direct marketing, such holiday catalogs, if …

    Read more...

    ", - "category": "toy", - "link": "https://lifehacker.com/how-to-get-your-kid-to-look-at-holiday-toy-catalogues-i-1848104872", - "creator": "Sarah Showfety", - "pubDate": "Tue, 23 Nov 2021 14:30:00 GMT", + "title": "The migrants returned to Iraqi camps from Belarus", + "description": "One family returns to the same camp they had lived in for seven years before trying to reach Europe.", + "content": "One family returns to the same camp they had lived in for seven years before trying to reach Europe.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59438028?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:01:13 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7863b69a209d1faf6d4f34bde0cd9b59" + "hash": "317ed3d16460f4bb48b9766a028f6833" }, { - "title": "The Best Thanksgiving Guests Bring Toilet Paper", - "description": "

    Being a Thanksgiving guest is an easier gig than being a Thanksgiving host, but the best guests always contribute in some fashion. Bringing a side dish the most classic move (bringing a bottle of wine is a close second), but there are lots of practical, non-edible things you can bring if you find yourself invited to a…

    Read more...

    ", - "content": "

    Being a Thanksgiving guest is an easier gig than being a Thanksgiving host, but the best guests always contribute in some fashion. Bringing a side dish the most classic move (bringing a bottle of wine is a close second), but there are lots of practical, non-edible things you can bring if you find yourself invited to a…

    Read more...

    ", - "category": "thanksgiving dinner", - "link": "https://lifehacker.com/the-best-thanksgiving-guests-bring-toilet-paper-1848105840", - "creator": "Claire Lower", - "pubDate": "Tue, 23 Nov 2021 14:00:00 GMT", + "title": "Covid Omicron: No need to panic, South African minister says", + "description": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", + "content": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59463879?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 17:14:53 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "38c2eab181038f09d3558411d9a04687" + "hash": "8dc238388a6f1c9996b52336b00d583a" }, { - "title": "How to Recognize the Weasley, Smarmy, and Otherwise Loaded Language That People Use Against You", - "description": "

    We’re surrounded with loaded language. Whether it’s mass media, politics, or the people around us, someone is always trying to use words and phrases to support their agenda and to change our minds in bad faith.

    Read more...

    ", - "content": "

    We’re surrounded with loaded language. Whether it’s mass media, politics, or the people around us, someone is always trying to use words and phrases to support their agenda and to change our minds in bad faith.

    Read more...

    ", - "category": "smarmy", - "link": "https://lifehacker.com/how-to-recognize-the-weasley-smarmy-and-otherwise-loa-1848105669", - "creator": "Stephen Johnson", - "pubDate": "Mon, 22 Nov 2021 22:30:00 GMT", + "title": "Twitter co-founder Jack Dorsey steps down as chief executive", + "description": "Twitter co-founder Jack Dorsey steps down from leading the company, saying he's \"ready to move on\".", + "content": "Twitter co-founder Jack Dorsey steps down from leading the company, saying he's \"ready to move on\".", + "category": "", + "link": "https://www.bbc.co.uk/news/technology-59465747?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 16:57:43 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d39e12e2bbc982590355852699b72ec1" + "hash": "63e47d689c2de8d37e9848cc1bfffc5b" }, { - "title": "How to Choose Between HIIT and Steady Cardio Workouts", - "description": "

    High intensity interval training packs a hard workout into a short period of time, which makes it sound like it should be an efficient, superior way to work out. But HIIT doesn’t have as many advantages as we’re led to believe, and often steady-state cardio is the better option. Let’s look at a few factors to keep in…

    Read more...

    ", - "content": "

    High intensity interval training packs a hard workout into a short period of time, which makes it sound like it should be an efficient, superior way to work out. But HIIT doesn’t have as many advantages as we’re led to believe, and often steady-state cardio is the better option. Let’s look at a few factors to keep in…

    Read more...

    ", - "category": "hiit", - "link": "https://lifehacker.com/how-to-choose-between-hiit-and-steady-cardio-workouts-1848105482", - "creator": "Beth Skwarecki", - "pubDate": "Mon, 22 Nov 2021 22:00:00 GMT", + "title": "Ghislaine Maxwell's sex-trafficking trial begins in New York City", + "description": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", + "content": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59455605?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 15:36:30 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3807fd593e49beea21acae9a2a71e5c" + "hash": "8a1890d54d221198a4f586cfd3c74ddc" }, { - "title": "Use These Three Ingredients to Easily 'Vegan-ize' Your Favorite Thanksgiving Recipes", - "description": "

    As I’ve mentioned previously, my 2021 Thanksgiving guest list is chockfull vegans, vegetarians, people with dairy allergies, and the lactose intolerant. I am none of those things. I love butter, I love cream, and I love animal fats—but I also love a challenge, so I have been enthusiastically tweaking my recipes to…

    Read more...

    ", - "content": "

    As I’ve mentioned previously, my 2021 Thanksgiving guest list is chockfull vegans, vegetarians, people with dairy allergies, and the lactose intolerant. I am none of those things. I love butter, I love cream, and I love animal fats—but I also love a challenge, so I have been enthusiastically tweaking my recipes to…

    Read more...

    ", - "category": "soups", - "link": "https://lifehacker.com/use-these-three-ingredients-to-easily-vegan-ize-your-fa-1848105033", - "creator": "Claire Lower", - "pubDate": "Mon, 22 Nov 2021 21:30:00 GMT", + "title": "Covid: Dutch police arrest quarantine hotel escapees", + "description": "Police say the arrests were made on a plane in Amsterdam's airport before take-off to Spain on Sunday.", + "content": "Police say the arrests were made on a plane in Amsterdam's airport before take-off to Spain on Sunday.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59456332?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 09:36:15 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "df01ce6b75e51f3687501c0fbda6ddc4" + "hash": "b1ae2739b49d637a70d7b15dc7b93108" }, { - "title": "What Bloating Actually Is (and How to Prevent It)", - "description": "

    My favorite game to play over the holidays is one in which I am my own competitor, testing my own limits, pushing myself to see how much food I can eat without putting myself in a position of serious discomfort. How do I win? Well, it’s a delicate game that involves careful strategy (and Lactaid). Still, I am not…

    Read more...

    ", - "content": "

    My favorite game to play over the holidays is one in which I am my own competitor, testing my own limits, pushing myself to see how much food I can eat without putting myself in a position of serious discomfort. How do I win? Well, it’s a delicate game that involves careful strategy (and Lactaid). Still, I am not…

    Read more...

    ", - "category": "bloating", - "link": "https://lifehacker.com/what-bloating-actually-is-and-how-to-prevent-it-1848104978", - "creator": "Meredith Dietz", - "pubDate": "Mon, 22 Nov 2021 21:00:00 GMT", + "title": "Magdalena Andersson: Sweden's first female PM returns after resignation", + "description": "Magdalena Andersson is backed by MPs again, despite standing down last week hours into the job.", + "content": "Magdalena Andersson is backed by MPs again, despite standing down last week hours into the job.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59459733?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 14:14:47 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4ebdb0bd46f52b6c91a79a0c9816717" + "hash": "f042ef710cb5be2c1caf9831bbe4d048" }, { - "title": "What's New on Amazon Prime Video in December 2021", - "description": "

    Much as how The Wheel of Time was the result of Jeff Bezos really, really wanting Amazon Prime Video to have its own Game of Thrones, December’s original film offering Being the Ricardos seems the answer to his request that an Amazon-produced film bring home a Best Actress Oscar.

    Read more...

    ", - "content": "

    Much as how The Wheel of Time was the result of Jeff Bezos really, really wanting Amazon Prime Video to have its own Game of Thrones, December’s original film offering Being the Ricardos seems the answer to his request that an Amazon-produced film bring home a Best Actress Oscar.

    Read more...

    ", - "category": "amazon", - "link": "https://lifehacker.com/whats-new-on-amazon-prime-video-in-december-2021-1848104497", - "creator": "Joel Cunningham", - "pubDate": "Mon, 22 Nov 2021 19:30:00 GMT", + "title": "Oscar Pistorius: Reeva Steenkamp's parents to meet her killer", + "description": "The ex-Paralympian is moved to a prison close to the parents of the woman he killed eight years ago.", + "content": "The ex-Paralympian is moved to a prison close to the parents of the woman he killed eight years ago.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59458460?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 10:35:25 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74e646b58cffd15d0a78c769390222a8" + "hash": "c781d9ac027d7bada03c789f2702029a" }, { - "title": "What You Should Do the Last Few Days Before Thanksgiving", - "description": "

    After weeks of preparation and planning, we are just days away from cooking The Bird, as well as all the other sides and pies required by the holiday. I, for one, am excited.

    Read more...

    ", - "content": "

    After weeks of preparation and planning, we are just days away from cooking The Bird, as well as all the other sides and pies required by the holiday. I, for one, am excited.

    Read more...

    ", - "category": "cuisine", - "link": "https://lifehacker.com/what-you-should-do-the-last-few-days-before-thanksgivin-1848104126", - "creator": "Claire Lower", - "pubDate": "Mon, 22 Nov 2021 19:00:00 GMT", + "title": "Virgil Abloh: How he 'helped black people dream in fashion'", + "description": "Radio 1 Newsbeat has been speaking to people about the legacy Virgil Abloh leaves behind.", + "content": "Radio 1 Newsbeat has been speaking to people about the legacy Virgil Abloh leaves behind.", + "category": "", + "link": "https://www.bbc.co.uk/news/newsbeat-59414088?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 16:05:36 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "071ea8fae8df4b36d91d128f46c27b06" + "hash": "bf9a4326ac395de1b4aac5c32ef812bd" }, { - "title": "How to Leave a Holiday Party Early Without Being Rude", - "description": "

    ‘Tis the season to gather, make merry, and peace out early so you can get into your fleece Snuggie and watch Money Heist before bed? While this may not be the official motto of the holiday season, it sure is for me. I love mingling, toasting, and being festive—up to a point. And that point is usually well before the…

    Read more...

    ", - "content": "

    ‘Tis the season to gather, make merry, and peace out early so you can get into your fleece Snuggie and watch Money Heist before bed? While this may not be the official motto of the holiday season, it sure is for me. I love mingling, toasting, and being festive—up to a point. And that point is usually well before the…

    Read more...

    ", - "category": "party", - "link": "https://lifehacker.com/how-to-leave-a-holiday-party-early-without-being-rude-1848103261", - "creator": "Sarah Showfety", - "pubDate": "Mon, 22 Nov 2021 18:30:00 GMT", + "title": "Jussie Smollett: Jury selection begins in actor’s trial", + "description": "The actor is accused of staging an attack on himself in 2019 as a publicity stunt, which he denies.", + "content": "The actor is accused of staging an attack on himself in 2019 as a publicity stunt, which he denies.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59439796?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 15:37:54 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ba1c6dfe5db522382cbdd7cc2889517" + "hash": "b71fffbe1024276260be0d67d25d453d" }, { - "title": "What Do All Those Noises Your AirPods and Beats Make Actually Mean?", - "description": "

    When you pick up your AirPods or your Beats, you expect them to play your favorite music, podcasts, movies, and more. What you might not expect to hear are random, unexplained alert tones. These sounds can be distracting and confusing, and can affect the way your headphones and earbuds function. Here’s what these…

    Read more...

    ", - "content": "

    When you pick up your AirPods or your Beats, you expect them to play your favorite music, podcasts, movies, and more. What you might not expect to hear are random, unexplained alert tones. These sounds can be distracting and confusing, and can affect the way your headphones and earbuds function. Here’s what these…

    Read more...

    ", - "category": "airpods", - "link": "https://lifehacker.com/what-do-all-those-noises-your-airpods-and-beats-make-ac-1848102854", - "creator": "Jake Peterson", - "pubDate": "Mon, 22 Nov 2021 17:30:00 GMT", + "title": "Enes Kanter Freedom: NBA star changes name to celebrate US citizenship", + "description": "Outspoken Boston Celtics basketball player Enes Kanter will add 'Freedom' to his name.", + "content": "Outspoken Boston Celtics basketball player Enes Kanter will add 'Freedom' to his name.", + "category": "", + "link": "https://www.bbc.co.uk/news/59439797?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 16:34:51 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8872485aa76cb883344009afe00d2648" + "hash": "e243df82d9cc114dc5f2c9186d75821e" }, { - "title": "What's New on HBO Max in December 2021", - "description": "

    In early 2003, it seemed like The Matrix was poised to become the next Star Wars—a sci-fi franchise with enough fan enthusiasm and in-universe lore to endure for decades. The first film, a box office hit in 1999 that only became more popular on DVD (becoming one of the first “must-own” titles and arguably, and…

    Read more...

    ", - "content": "

    In early 2003, it seemed like The Matrix was poised to become the next Star Wars—a sci-fi franchise with enough fan enthusiasm and in-universe lore to endure for decades. The first film, a box office hit in 1999 that only became more popular on DVD (becoming one of the first “must-own” titles and arguably, and…

    Read more...

    ", - "category": "hbo max", - "link": "https://lifehacker.com/what-new-on-hbo-max-in-december-2021-1848102760", - "creator": "Joel Cunningham", - "pubDate": "Mon, 22 Nov 2021 16:00:00 GMT", + "title": "Honduras election: Opposition candidate Castro in the lead", + "description": "Early results give the left-wing opposition a strong lead, but the governing party has not conceded.", + "content": "Early results give the left-wing opposition a strong lead, but the governing party has not conceded.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59459660?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 11:24:57 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0d9d07f7231da9912772bc3609b821c" + "hash": "88600fe4a9792b534cde73a443b73403" }, { - "title": "How to Get Instant Notifications When a Specific PS5 Game Goes on Sale", - "description": "

    As console game prices keep heading north, preordering games or buying them on launch date makes less and less financial sense. Especially when the same game could be available for 30% or more off the list price in a few months—by which point those game-breaking bugs will also have been fixed. If you’ve been feeling…

    Read more...

    ", - "content": "

    As console game prices keep heading north, preordering games or buying them on launch date makes less and less financial sense. Especially when the same game could be available for 30% or more off the list price in a few months—by which point those game-breaking bugs will also have been fixed. If you’ve been feeling…

    Read more...

    ", - "category": "wish list", - "link": "https://lifehacker.com/how-to-get-instant-notifications-when-a-specific-ps5-ga-1848101795", - "creator": "Pranay Parab", - "pubDate": "Mon, 22 Nov 2021 15:00:00 GMT", + "title": "China: North Korea fugitive captured after 40-day manhunt", + "description": "The defector had been on the run after staging a daring escape from a Chinese prison.", + "content": "The defector had been on the run after staging a daring escape from a Chinese prison.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-china-59456540?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 06:58:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6602b0d3f7c8eef5db423d3e69ba8122" + "hash": "f7dd82ef77f7e05f86823e9f06c035b9" }, { - "title": "Use These Hidden Settings to Organize the Open Windows on Your Mac", - "description": "

    Traditionally, Mac’s window management features have lagged behind Microsoft Windows. And with Windows 11's new Snap Layouts feature, it might seem like Windows is racing forwards yet again—but that’s not entirely the case. The Mac offers pretty good window management features; they’re just not as obvious as the…

    Read more...

    ", - "content": "

    Traditionally, Mac’s window management features have lagged behind Microsoft Windows. And with Windows 11's new Snap Layouts feature, it might seem like Windows is racing forwards yet again—but that’s not entirely the case. The Mac offers pretty good window management features; they’re just not as obvious as the…

    Read more...

    ", - "category": "safari", - "link": "https://lifehacker.com/use-these-hidden-settings-to-organize-the-open-windows-1848095779", - "creator": "Khamosh Pathak", - "pubDate": "Mon, 22 Nov 2021 14:30:00 GMT", + "title": "Tanzania: Seven die in Zanzibar after eating poisonous turtle meat", + "description": "The meat is a delicacy for some in Tanzania but the authorities have now banned its consumption.", + "content": "The meat is a delicacy for some in Tanzania but the authorities have now banned its consumption.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59458466?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 14:17:36 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1a9526bd33feef26466d6e576a4c49c" + "hash": "aeb8dd846052b3d99d8158e18423fabd" }, { - "title": "Why You Shouldn't Bake Your Pies in an Air Fryer", - "description": "

    Oven resource management is one of the hardest parts of cooking a Thanksgiving meal. If you’re fresh out of oven space and still have one pie left to bake, it’s only natural to start making eyes at your trusty countertop convection oven. “After all, why not?” you may ask yourself. “Why shouldn’t I bake a pie in my air…

    Read more...

    ", - "content": "

    Oven resource management is one of the hardest parts of cooking a Thanksgiving meal. If you’re fresh out of oven space and still have one pie left to bake, it’s only natural to start making eyes at your trusty countertop convection oven. “After all, why not?” you may ask yourself. “Why shouldn’t I bake a pie in my air…

    Read more...

    ", - "category": "air fryer", - "link": "https://lifehacker.com/why-you-shouldnt-bake-your-pies-in-an-air-fryer-1848093724", - "creator": "A.A. Newton", - "pubDate": "Mon, 22 Nov 2021 14:00:00 GMT", + "title": "US and Iran seek to break impasse at talks on reviving nuclear deal", + "description": "Iran's nuclear advances adds air of urgency as sides meet in Vienna after months-long pause.", + "content": "Iran's nuclear advances adds air of urgency as sides meet in Vienna after months-long pause.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59386825?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 00:03:55 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "213614f78cde6c472eb7ae1886f7eda1" + "hash": "36efbb544e66373b6a569c0f1b1349c4" }, { - "title": "How to Repair Tears in Your Car's Vinyl Seats", - "description": "

    Over time, a vehicle goes through a lot—between things breaking under the hood, scratches and dents on the body, and wear and tear on the interior. This includes rips and holes in the seats, which can happen regardless of whether they’re made out of fabric, leather, or vinyl.

    Read more...

    ", - "content": "

    Over time, a vehicle goes through a lot—between things breaking under the hood, scratches and dents on the body, and wear and tear on the interior. This includes rips and holes in the seats, which can happen regardless of whether they’re made out of fabric, leather, or vinyl.

    Read more...

    ", - "category": "tears", - "link": "https://lifehacker.com/how-to-repair-tears-in-your-cars-vinyl-seats-1848086294", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 21 Nov 2021 18:00:00 GMT", + "title": "Queen of Barbados - but just for one last day", + "description": "The island nation will remove Queen Elizabeth as head of state and swear in its first Barbadian president.", + "content": "The island nation will remove Queen Elizabeth as head of state and swear in its first Barbadian president.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-59458431?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 09:02:46 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "45914fdba3bf50743fe75604a4d38eeb" + "hash": "b856feddea8bfa69cc3770be1738b269" }, { - "title": "How to Sealcoat Your Driveway Before Winter", - "description": "

    We’ve reached the time of year when colder, wetter weather is becoming more frequent, but there are still days mild enough to finish last-minute outdoor projects before winter. And if you’ve noticed that each spring, your paved driveway looks a little (or a lot) worse for wear, you may be wondering what you can do to…

    Read more...

    ", - "content": "

    We’ve reached the time of year when colder, wetter weather is becoming more frequent, but there are still days mild enough to finish last-minute outdoor projects before winter. And if you’ve noticed that each spring, your paved driveway looks a little (or a lot) worse for wear, you may be wondering what you can do to…

    Read more...

    ", - "category": "sealcoat", - "link": "https://lifehacker.com/how-to-sealcoat-your-driveway-before-winter-1848086305", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 21 Nov 2021 16:00:00 GMT", + "title": "Omicron: Is India ready for a third wave?", + "description": "Experts say the government needs to first fulfil its promises to boost the public health system.", + "content": "Experts say the government needs to first fulfil its promises to boost the public health system.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59344605?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 03:32:01 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5ce0328bdeec9e13b30c8be1b211419" + "hash": "95a63b3249dbf6879ea3653006d3b7fd" }, { - "title": "Why You Need to Clean Your Gas Fireplace (and How to Do It)", - "description": "

    There’s something special about a real, wood-burning fireplace: The scent, the crackling sounds, and watching the logs slowly burn down to glowing embers. But they’re also a hassle, and pretty dirty. Because of that, many people have opted to install gas fireplaces instead.

    Read more...

    ", - "content": "

    There’s something special about a real, wood-burning fireplace: The scent, the crackling sounds, and watching the logs slowly burn down to glowing embers. But they’re also a hassle, and pretty dirty. Because of that, many people have opted to install gas fireplaces instead.

    Read more...

    ", - "category": "fireplace", - "link": "https://lifehacker.com/why-you-need-to-clean-your-gas-fireplace-and-how-to-do-1848086322", - "creator": "Elizabeth Yuko", - "pubDate": "Sun, 21 Nov 2021 14:00:00 GMT", + "title": "Omicron symptoms mild so far, says South African doctor who spotted it", + "description": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", + "content": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-59450988?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 11:13:14 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d6e5ddd07d02ff3233c79139e05192f" + "hash": "a9ef8265537aaef73f55c42ff30371f5" }, { - "title": "How to Remove Scratches from Glass Windows", - "description": "

    Over time, a lot can happen to your home’s windows—both inside and outside—including scratches. If you happen to notice some scratches on the glass, you may not even be sure how they got there. (Unless you just saw a toddler reach for a pair of keys and go to town scribbling on a window. If so, it’s probably that.)

    Read more...

    ", - "content": "

    Over time, a lot can happen to your home’s windows—both inside and outside—including scratches. If you happen to notice some scratches on the glass, you may not even be sure how they got there. (Unless you just saw a toddler reach for a pair of keys and go to town scribbling on a window. If so, it’s probably that.)

    Read more...

    ", - "category": "woodworking", - "link": "https://lifehacker.com/how-to-remove-scratches-from-glass-windows-1848084784", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 20 Nov 2021 18:00:00 GMT", + "title": "ICYMI: Smells like Christmas, confirms US First Lady", + "description": "Jill Biden's clearly feeling festive but here’s some other tree-mendous moments you may have missed this week.", + "content": "Jill Biden's clearly feeling festive but here’s some other tree-mendous moments you may have missed this week.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-59421912?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:02:59 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3aa58430bb998ee4acf9ae0e06b9e9ca" + "hash": "70f4878de88b66560201b929260010a6" }, { - "title": "Get Paid $1,000 to Binge-Watch ’90s Rom-Coms", - "description": "

    Depending on who you ask, the 1990s were the last great decade for romantic comedies. Sure, there were some in the early 2000s too, but the genre—known for cheesy plot lines and setting unrealistic dating expectations for pretty much everyone—sort of fizzled after that.

    Read more...

    ", - "content": "

    Depending on who you ask, the 1990s were the last great decade for romantic comedies. Sure, there were some in the early 2000s too, but the genre—known for cheesy plot lines and setting unrealistic dating expectations for pretty much everyone—sort of fizzled after that.

    Read more...

    ", - "category": "coms", - "link": "https://lifehacker.com/get-paid-1-000-to-binge-watch-90s-rom-coms-1848084770", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 20 Nov 2021 16:00:00 GMT", + "title": "Covid Omicron: No need to panic, South Africa minister says", + "description": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", + "content": "Joe Phaahla says South Africa is experienced in dealing with Covid variants, despite a surge in cases.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59463879?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 14:46:29 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ca559e0ce108a4b5c8dce8032f50474" + "hash": "ea17b371b15070def872f5162345acbe" }, { - "title": "How to Keep Your Drains Free From Clogs", - "description": "

    Knowing how to unclog a drain is an important life skill. But what’s even better than successfully unclogging a drain? Not having to do it in the first place. The problem is, many people tend to think of a drain as a way to get rid of things—whether or not our drains are equipped to handle them.

    Read more...

    ", - "content": "

    Knowing how to unclog a drain is an important life skill. But what’s even better than successfully unclogging a drain? Not having to do it in the first place. The problem is, many people tend to think of a drain as a way to get rid of things—whether or not our drains are equipped to handle them.

    Read more...

    ", - "category": "michelle miley", - "link": "https://lifehacker.com/how-to-keep-your-drains-free-from-clogs-1848084736", - "creator": "Elizabeth Yuko", - "pubDate": "Sat, 20 Nov 2021 14:00:00 GMT", + "title": "Twitter founder Jack Dorsey steps down as chief executive", + "description": "The founder and chief executive will step down from leading the company.", + "content": "The founder and chief executive will step down from leading the company.", + "category": "", + "link": "https://www.bbc.co.uk/news/technology-59465747?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 16:05:13 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "33997100c4e95f713dde184981bfcbd8" + "hash": "f291fcb08abc8ac8c1d213e12c3a3b07" }, { - "title": "Snag These Black Friday Video Game Deals Right Now, Without Leaving Your Couch", - "description": "

    It’s a good weekend to stay inside and download some video games. While real-life Black Friday doesn’t happen for another week, PlayStation and Xbox are already running virtual Black Friday sales in their respective online stores, so you can snag some cheap games without waiting in long lines at Wal-Mart. While not…

    Read more...

    ", - "content": "

    It’s a good weekend to stay inside and download some video games. While real-life Black Friday doesn’t happen for another week, PlayStation and Xbox are already running virtual Black Friday sales in their respective online stores, so you can snag some cheap games without waiting in long lines at Wal-Mart. While not…

    Read more...

    ", - "category": "nintendo eshop", - "link": "https://lifehacker.com/snag-these-black-friday-video-game-deals-right-now-wit-1848091968", - "creator": "Stephen Johnson", - "pubDate": "Fri, 19 Nov 2021 22:30:00 GMT", + "title": "Barbados prepares to cut ties with the Queen", + "description": "Watch as we travel to the island to find out what Barbadians make of the move.", + "content": "Watch as we travel to the island to find out what Barbadians make of the move.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59438437?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 05:01:20 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88f8c07898446e4aeaf1737dd5defbc8" + "hash": "e7a2da79653117ad56ce7db2581d4154" }, { - "title": "How to Stop Your Family From Buying Too Much Crap for Your Kids (and What to Do When It Happens Anyway)", - "description": "

    It’s the season of giving, but when it comes to kids who have playrooms already overflowing with toys, books, games, and puzzles, the holidays can bring an unwanted influx of stuff adding to the mess you’re already struggling to contain.

    Read more...

    ", - "content": "

    It’s the season of giving, but when it comes to kids who have playrooms already overflowing with toys, books, games, and puzzles, the holidays can bring an unwanted influx of stuff adding to the mess you’re already struggling to contain.

    Read more...

    ", - "category": "gift", - "link": "https://lifehacker.com/how-to-stop-your-family-from-buying-too-much-crap-for-y-1848089246", - "creator": "Sarah Showfety", - "pubDate": "Fri, 19 Nov 2021 22:00:00 GMT", + "title": "Pre-Inca mummy found in Peru", + "description": "Archaeologists think the mummy, found near Lima, could be up to 1,200 years old.", + "content": "Archaeologists think the mummy, found near Lima, could be up to 1,200 years old.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59446488?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 16:36:43 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "1c48b889b8d6f6447120454b3c57386a" + "hash": "5f42177c1492a1ca604becaa5a61584c" }, { - "title": "Harness the Awesome Power of Your Air Fryer This Thanksgiving", - "description": "

    By this point, pretty much everyone is aware that air fryers are “just small convection ovens” and that they “don’t really fry anything.” But, semantics aside, having a tiny convection oven on your counter is pretty convenient. Air fryers—on the whole—rule, and you can (and should) harness their full power to make…

    Read more...

    ", - "content": "

    By this point, pretty much everyone is aware that air fryers are “just small convection ovens” and that they “don’t really fry anything.” But, semantics aside, having a tiny convection oven on your counter is pretty convenient. Air fryers—on the whole—rule, and you can (and should) harness their full power to make…

    Read more...

    ", - "category": "air fryer", - "link": "https://lifehacker.com/harness-the-awesome-power-of-your-air-fryer-this-thanks-1848091479", - "creator": "Claire Lower", - "pubDate": "Fri, 19 Nov 2021 21:30:00 GMT", + "title": "Covid: South Africa's president calls for lifting of Omicron travel bans", + "description": "Cyril Ramaphosa says the action by countries including the UK and US is discriminatory and unnecessary.", + "content": "Cyril Ramaphosa says the action by countries including the UK and US is discriminatory and unnecessary.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59453842?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 20:40:37 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bc967df2d26ef50da2cab0e27bd95cd6" + "hash": "783c2d146070a86d145d4f8ed5a3cf61" }, { - "title": "Finally, Everyone 18 and Older Can Get a Booster Shot", - "description": "

    The FDA authorized Moderna and Pfizer boosters today for everyone aged 18 and older, and the CDC’s advisory panel followed up with a recommendation to match. Bottom line, if you’ve been holding out because you weren’t sure if you’re eligible, you’re now definitely cleared to go get one. The only requirement is that…

    Read more...

    ", - "content": "

    The FDA authorized Moderna and Pfizer boosters today for everyone aged 18 and older, and the CDC’s advisory panel followed up with a recommendation to match. Bottom line, if you’ve been holding out because you weren’t sure if you’re eligible, you’re now definitely cleared to go get one. The only requirement is that…

    Read more...

    ", - "category": "moderna", - "link": "https://lifehacker.com/finally-everyone-18-and-older-can-get-a-booster-shot-1848092156", - "creator": "Beth Skwarecki", - "pubDate": "Fri, 19 Nov 2021 21:00:00 GMT", + "title": "Ghislaine Maxwell's sex-trafficking trial to begin in New York City", + "description": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", + "content": "The UK socialite denies grooming girls for convicted paedophile Jeffrey Epstein to sexually abuse.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59455605?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 04:09:34 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "93becf37d5febfe78736d50dc0b79da8" + "hash": "cc577ae88f5d28d41efbdda17a834e1b" }, { - "title": "The Ultimate Guide to Picking the Right Apple Watch As a Gift", - "description": "

    If you’re buying a gift for someone with an iPhone, it’s likely they have an Apple Watch on their list (if they don’t own one already). Apple Watch is the most popular smartwatch in the world; the only problem is, there are quite a few of them to choose from. Between the Series 3, Series 7, SE, and others, how do you…

    Read more...

    ", - "content": "

    If you’re buying a gift for someone with an iPhone, it’s likely they have an Apple Watch on their list (if they don’t own one already). Apple Watch is the most popular smartwatch in the world; the only problem is, there are quite a few of them to choose from. Between the Series 3, Series 7, SE, and others, how do you…

    Read more...

    ", - "category": "apple", - "link": "https://lifehacker.com/the-ultimate-guide-to-picking-the-right-apple-watch-as-1848084811", - "creator": "Jake Peterson", - "pubDate": "Fri, 19 Nov 2021 20:30:00 GMT", + "title": "Oscar Pistorius set to meet victim Reeva Steenkamp's parents", + "description": "The ex-Paralympian is moved to a prison closer to the parents of the woman he killed, Reeva Steenkamp.", + "content": "The ex-Paralympian is moved to a prison closer to the parents of the woman he killed, Reeva Steenkamp.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59458460?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 10:35:25 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ae31da90f50a41b69364b914129f4ae3" + "hash": "0efce318fcb1f02c312c475955542539" }, { - "title": "How to Hang Your Holiday Decor Without Destroying Your Home", - "description": "

    From wreaths to string lights, indoors and out, holiday decorations can be a hassle to put up—and they can damage your walls, siding, and doors with unnecessary (and permanent) hardware. Instead, here’s how to decorate easily and breezily without the added holes and permanent hooks, while also better protecting the…

    Read more...

    ", - "content": "

    From wreaths to string lights, indoors and out, holiday decorations can be a hassle to put up—and they can damage your walls, siding, and doors with unnecessary (and permanent) hardware. Instead, here’s how to decorate easily and breezily without the added holes and permanent hooks, while also better protecting the…

    Read more...

    ", - "category": "cable tie", - "link": "https://lifehacker.com/how-to-decorate-for-the-holidays-without-destroying-you-1848089533", - "creator": "Becca Lewis", - "pubDate": "Fri, 19 Nov 2021 19:30:00 GMT", + "title": "Channel disaster: A father's anguish over missing family since tragedy", + "description": "Rizgar Hussein has not spoken to his family since they boarded a boat across the Channel on Tuesday.", + "content": "Rizgar Hussein has not spoken to his family since they boarded a boat across the Channel on Tuesday.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59454243?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 21:09:23 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "734ab2e2c31be1824dce56c3e6e94d65" + "hash": "b01c88aa10dbc0a598460e8451846113" }, { - "title": "Is It Safer to Place Your PS5 or Xbox Series X Vertically or Horizontally?", - "description": "

    The PlayStation 5 and Xbox Series X are big, and you’ll likely need to make room to place one of these consoles in your home theater or on your desk.

    Read more...

    ", - "content": "

    The PlayStation 5 and Xbox Series X are big, and you’ll likely need to make room to place one of these consoles in your home theater or on your desk.

    Read more...

    ", - "category": "xbox", - "link": "https://lifehacker.com/is-it-safer-to-place-your-ps5-or-xbox-series-x-vertical-1848090814", - "creator": "Brendan Hesse", - "pubDate": "Fri, 19 Nov 2021 19:00:00 GMT", + "title": "Macau casino shares fall after 'illegal gambling' arrests", + "description": "A prominent gambling industry figure in Macau is believed to be among those arrested.", + "content": "A prominent gambling industry figure in Macau is believed to be among those arrested.", + "category": "", + "link": "https://www.bbc.co.uk/news/business-59456143?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 06:39:59 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "daedb8424951572ccd5dc69227cb764a" + "hash": "f07ff87145a489543aa01d6f79f1a7a4" }, { - "title": "Add a Little Campari to Your Cranberry Sauce", - "description": "

    Cranberry sauce is probably the easiest Thanksgiving dish you can make from scratch. Add 12 ounces of cranberries to a pot, along with a cup of sugar and a cup of water. Bring to a boil and let simmer until the cranberries pop and reduce into a thick, jelly-like sauce. Put it on turkey and eat it.

    Read more...

    ", - "content": "

    Cranberry sauce is probably the easiest Thanksgiving dish you can make from scratch. Add 12 ounces of cranberries to a pot, along with a cup of sugar and a cup of water. Bring to a boil and let simmer until the cranberries pop and reduce into a thick, jelly-like sauce. Put it on turkey and eat it.

    Read more...

    ", - "category": "cranberry sauce", - "link": "https://lifehacker.com/add-a-little-campari-to-your-cranberry-sauce-1848090704", - "creator": "Claire Lower", - "pubDate": "Fri, 19 Nov 2021 18:30:00 GMT", + "title": "Virgil Abloh: Designer and Off-White founder dies aged 41", + "description": "Abloh, who was Louis Vuitton's artistic director, had been suffering from a rare form of cancer.", + "content": "Abloh, who was Louis Vuitton's artistic director, had been suffering from a rare form of cancer.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59455382?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 20:24:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "66fde12251605493510cc0073a2fea6d" + "hash": "576b74b712b87c53014cbe6993074693" }, { - "title": "How to Lock Your Secrets in the Notes App (and Why You Should)", - "description": "

    Searching for data or photo lockers will lead you to many apps. Some of them are genuinely secure—others, less so—but given that you’re dealing with secure data (documents, photos, security codes, or bank details), you maybe don’t want to trust a third-party iPhone app that happens to have a thousand 5-star reviews.…

    Read more...

    ", - "content": "

    Searching for data or photo lockers will lead you to many apps. Some of them are genuinely secure—others, less so—but given that you’re dealing with secure data (documents, photos, security codes, or bank details), you maybe don’t want to trust a third-party iPhone app that happens to have a thousand 5-star reviews.…

    Read more...

    ", - "category": "notes", - "link": "https://lifehacker.com/how-to-lock-your-secrets-in-the-notes-app-and-why-you-1848087825", - "creator": "Khamosh Pathak", - "pubDate": "Fri, 19 Nov 2021 18:00:00 GMT", + "title": "New variant symptoms mild, says doctor who spotted it", + "description": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", + "content": "The South African doctor who found the new variant says patients are showing very mild symptoms so far.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-59450988?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 11:13:14 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8275d37c5a5a0a1777e280d01eea684" + "hash": "03f099d08d42a6e4f19c37ca1dd2dd63" }, { - "title": "22 Book-to-TV Adaptations to Look Forward to Binge-Watching in 2022", - "description": "

    Long gone are the days of the monoculture, when everyone settled for watching one of the same three shows every night (because that’s all that was on). Today, the only thing that unifies our viewing habits is how much time we all spend figuring out what to watch—there’s so much good stuff out there, figuring out how…

    Read more...

    ", - "content": "

    Long gone are the days of the monoculture, when everyone settled for watching one of the same three shows every night (because that’s all that was on). Today, the only thing that unifies our viewing habits is how much time we all spend figuring out what to watch—there’s so much good stuff out there, figuring out how…

    Read more...

    ", - "category": "reese witherspoon", - "link": "https://lifehacker.com/22-book-to-tv-adaptations-to-look-forward-to-binge-watc-1848069441", - "creator": "Jeff Somers", - "pubDate": "Fri, 19 Nov 2021 17:30:00 GMT", + "title": "Channel migrants: France wants 'serious' talks with UK", + "description": "Interior Minister Gérald Darmanin says France will not be held hostage by domestic British politics.", + "content": "Interior Minister Gérald Darmanin says France will not be held hostage by domestic British politics.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59454135?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 19:31:57 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b6e0715e79509a8f2e43f9b6edd64da8" + "hash": "0b8057ef7659db8e2391fe1c88a39f43" }, { - "title": "10 Scientific Advances That Will Actually Make You Hopeful for the Future", - "description": "

    We’ve all had a rough couple of years (decades?), but that doesn’t mean everything will continue to slide downhill. Maybe I’m a foolish optimist, but it’s the holidays, and these 10 technologies and trends make me genuinely hopeful for the future. Maybe we’ll wind up living in the hopeful sci-fi vision of the ‘50s,…

    Read more...

    ", - "content": "

    We’ve all had a rough couple of years (decades?), but that doesn’t mean everything will continue to slide downhill. Maybe I’m a foolish optimist, but it’s the holidays, and these 10 technologies and trends make me genuinely hopeful for the future. Maybe we’ll wind up living in the hopeful sci-fi vision of the ‘50s,…

    Read more...

    ", - "category": "powered exoskeleton", - "link": "https://lifehacker.com/10-scientific-advances-that-will-actually-make-you-hope-1848085674", - "creator": "Stephen Johnson", - "pubDate": "Fri, 19 Nov 2021 17:00:00 GMT", + "title": "Great Carnival of Dakar: Fire-eaters and dancers mark event", + "description": "The three-day event is a celebration of Senegalese culture and features an elaborate parade.", + "content": "The three-day event is a celebration of Senegalese culture and features an elaborate parade.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59450598?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 13:24:50 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5ced133bfc8a862195157e1cc65e9d4" + "hash": "01c4bd7e9731fd76e2e88b753ef71012" }, { - "title": "You Can Finally Download Amazon Prime Video Movies and TV Shows on Desktop", - "description": "

    When you’re heading somewhere likely to have spotty internet coverage, downloading your favorite TV shows and movies beforehand is always a solid plan. Most streaming services allow you to do this to some extent, but until recently, you could only download Amazon Prime Video content onto a mobile device. Well, no…

    Read more...

    ", - "content": "

    When you’re heading somewhere likely to have spotty internet coverage, downloading your favorite TV shows and movies beforehand is always a solid plan. Most streaming services allow you to do this to some extent, but until recently, you could only download Amazon Prime Video content onto a mobile device. Well, no…

    Read more...

    ", - "category": "amazon", - "link": "https://lifehacker.com/you-can-finally-download-amazon-prime-video-movies-and-1848088507", - "creator": "Pranay Parab", - "pubDate": "Fri, 19 Nov 2021 16:00:00 GMT", + "title": "Covid: Australia woman charged after setting fire in quarantine hotel", + "description": "The woman is charged with arson after allegedly lighting a fire under a bed at Pacific Hotel in Queensland.", + "content": "The woman is charged with arson after allegedly lighting a fire under a bed at Pacific Hotel in Queensland.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-australia-59450174?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 11:52:04 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d9b76d1ce4f42b3c99c305ab44ca4ae4" + "hash": "2bdf1cf239bacbea5df8365430a92072" }, { - "title": "How to Convince Your Stubborn Parents to Stop Eating so Much Junk", - "description": "

    Talking to a friend about health can be hard enough, but talking your parents about any kind of change can feel borderline impossible. Combine these two endeavors, and it can feel like you’re on a fool’s errand.

    Read more...

    ", - "content": "

    Talking to a friend about health can be hard enough, but talking your parents about any kind of change can feel borderline impossible. Combine these two endeavors, and it can feel like you’re on a fool’s errand.

    Read more...

    ", - "category": "addiction medicine", - "link": "https://lifehacker.com/how-to-convince-your-stubborn-parents-to-stop-eating-so-1848086165", - "creator": "Meredith Dietz", - "pubDate": "Fri, 19 Nov 2021 15:30:00 GMT", + "title": "Ros Atkins on... Migrants crossing English Channel to UK", + "description": "This week at least 27 migrants died while trying to make the journey, the deadliest crossing on record.", + "content": "This week at least 27 migrants died while trying to make the journey, the deadliest crossing on record.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59434553?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 00:29:18 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1ce1ceb3d227fc23cf1c7e3ef271213" + "hash": "143a58d8aee14a662419f388cef65318" }, { - "title": "An Age-by-Age Guide to Gender-Neutral Gifts for Kids", - "description": "

    Now more than ever, there is a push for toy and clothing manufacturers to create gender-neutral options for kids; ones that don’t exclusively push pink, fluffy princess gear on girls, and firetruck-themed everything on boys. Offering unisex products enables children to play and explore outside of traditional gender…

    Read more...

    ", - "content": "

    Now more than ever, there is a push for toy and clothing manufacturers to create gender-neutral options for kids; ones that don’t exclusively push pink, fluffy princess gear on girls, and firetruck-themed everything on boys. Offering unisex products enables children to play and explore outside of traditional gender…

    Read more...

    ", - "category": "crayola", - "link": "https://lifehacker.com/an-age-by-age-guide-to-gender-neutral-gifts-for-kids-1848046071", - "creator": "Sarah Showfety", - "pubDate": "Fri, 19 Nov 2021 15:00:00 GMT", + "title": "Covid: 13 test positive for Omicron after S Africa-Netherlands flights", + "description": "Thirteen people who travelled from South Africa to the Netherlands have tested positive for Omicron.", + "content": "Thirteen people who travelled from South Africa to the Netherlands have tested positive for Omicron.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59451103?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 19:02:29 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0670a38867fb5089198df8017da2011d" + "hash": "b274c25ce173282614b549eaa30d9ec7" }, { - "title": "The Out-of-Touch Adults' Guide to Kid Culture: Why Everyone Is Excited for 'Spider-Man: No Way Home'", - "description": "

    This week, the kids are raging against work, throwing cheese at cars, and enjoying the trailer for the new Spider-Man movie. Youth is wasted on the young.

    Read more...

    ", - "content": "

    This week, the kids are raging against work, throwing cheese at cars, and enjoying the trailer for the new Spider-Man movie. Youth is wasted on the young.

    Read more...

    ", - "category": "spider man", - "link": "https://lifehacker.com/the-out-of-touch-adults-guide-to-kid-culture-why-every-1848087076", - "creator": "Stephen Johnson", - "pubDate": "Fri, 19 Nov 2021 14:30:00 GMT", + "title": "Kevin Strickland: Fundraiser for exonerated Missouri man tops $1.5m", + "description": "Kevin Strickland was released after 42 years in jail over a triple murder he did not commit.", + "content": "Kevin Strickland was released after 42 years in jail over a triple murder he did not commit.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59452651?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 15:47:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "def176b2504791dd39bcba48cd03c70c" + "hash": "670520c9288986d7c3f2ab09c81018f7" }, { - "title": "What Is the Worst Christmas Gift You've Ever Received?", - "description": "

    You may have noticed we’re in the thick of gift-giving season. Well, I’m not; my shopping is basically done. (Those supply chains will not have their way with me, no they will not.) But as I peruse the list of gifts I have purchased over the past month, I ask myself: Is any of this any good? Does my 11-year-old really

    Read more...

    ", - "content": "

    You may have noticed we’re in the thick of gift-giving season. Well, I’m not; my shopping is basically done. (Those supply chains will not have their way with me, no they will not.) But as I peruse the list of gifts I have purchased over the past month, I ask myself: Is any of this any good? Does my 11-year-old really

    Read more...

    ", - "category": "grandma", - "link": "https://lifehacker.com/what-is-the-worst-christmas-gift-youve-ever-received-1848085069", - "creator": "Meghan Moravcik Walbert", - "pubDate": "Fri, 19 Nov 2021 14:00:00 GMT", + "title": "Covid-positive Czech president appointed new PM from plexiglass box", + "description": "Petr Fiala was appointed by a president who is in self-isolation after testing positive for coronavirus.", + "content": "Petr Fiala was appointed by a president who is in self-isolation after testing positive for coronavirus.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59452646?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 14:09:01 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "221e53c530f7f3bd8b7e5978a7d166b1" + "hash": "79525bfcafd2cba074753cdbfaee9ed6" }, { - "title": "How (and Why) to Do Two Workouts a Day", - "description": "

    I do two workouts most days: a session on a spin bike in the morning, and weightlifting in the afternoon or evening. But I remember a time when two-a-days sounded like an incredible amount of work, the domain of pro athletes and people who had an unhealthy obsession with exercise. It turns out that doubling up on…

    Read more...

    ", - "content": "

    I do two workouts most days: a session on a spin bike in the morning, and weightlifting in the afternoon or evening. But I remember a time when two-a-days sounded like an incredible amount of work, the domain of pro athletes and people who had an unhealthy obsession with exercise. It turns out that doubling up on…

    Read more...

    ", - "category": "physical exercise", - "link": "https://lifehacker.com/how-and-why-to-do-two-workouts-a-day-1848085429", - "creator": "Beth Skwarecki", - "pubDate": "Thu, 18 Nov 2021 21:30:00 GMT", + "title": "Covid: Israel to impose travel ban for foreigners over new variant", + "description": "Travellers from all countries will be banned from entering Israel for 14 days, local media report.", + "content": "Travellers from all countries will be banned from entering Israel for 14 days, local media report.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59448547?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 07:50:05 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04e562d190441cae1c9f931399c64a1b" + "hash": "e26dff097a16fe907e87b34e71da900b" }, { - "title": "What's New on Hulu in December 2021", - "description": "

    While its original series don’t always have the marquee value of those on rival services, Hulu has quietly been building one of the strongest catalogs of original content in the Peak Streaming era—the recent delights of Only Murders in the Building being but one case in point (pun slightly intended).

    Read more...

    ", - "content": "

    While its original series don’t always have the marquee value of those on rival services, Hulu has quietly been building one of the strongest catalogs of original content in the Peak Streaming era—the recent delights of Only Murders in the Building being but one case in point (pun slightly intended).

    Read more...

    ", - "category": "hulu", - "link": "https://lifehacker.com/whats-new-on-hulu-in-december-2021-1848082809", - "creator": "Joel Cunningham", - "pubDate": "Thu, 18 Nov 2021 20:00:00 GMT", + "title": "Covid: Swiss back government on Covid pass as cases surge", + "description": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", + "content": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59380745?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 15:57:25 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "373adb867c28ad22fdc1acb265667b1f" + "hash": "088217b0d34f59725d1ba921d7b5c97f" }, { - "title": "9 Thanksgiving Dishes Your Vegan Guests Will Love", - "description": "

    The traditional Thanksgiving menu is not exactly vegan friendly (or even vegetarian friendly). Nearly every dish contains cream, butter, eggs, or turkey stock, and the whole thing is centered around a large, dead bird.

    Read more...

    ", - "content": "

    The traditional Thanksgiving menu is not exactly vegan friendly (or even vegetarian friendly). Nearly every dish contains cream, butter, eggs, or turkey stock, and the whole thing is centered around a large, dead bird.

    Read more...

    ", - "category": "veganism", - "link": "https://lifehacker.com/9-thanksgiving-dishes-your-vegan-guests-will-love-1848083265", - "creator": "Claire Lower", - "pubDate": "Thu, 18 Nov 2021 19:00:00 GMT", + "title": "Calais activists: Migrants call us from boats asking for help", + "description": "Activists in Calais demand change after decades of people coming to the city looking to reach the UK.", + "content": "Activists in Calais demand change after decades of people coming to the city looking to reach the UK.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59444335?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 08:28:29 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fddc034602eb521880710a2ac95d9d95" + "hash": "bfa1db2e9e98a611b9ea7bae6db06b7a" }, { - "title": "How to Split Bills With Your Roommates Without Pissing Each Other Off", - "description": "

    Split chores. Built-in company. Someone else’s expensive snacks for you to steal in gradual, imperceptible portions. There are a lot of compelling reasons to have roommates, but odds are your decision to live in a shared household is primarily a financial one.

    Read more...

    ", - "content": "

    Split chores. Built-in company. Someone else’s expensive snacks for you to steal in gradual, imperceptible portions. There are a lot of compelling reasons to have roommates, but odds are your decision to live in a shared household is primarily a financial one.

    Read more...

    ", - "category": "rent", - "link": "https://lifehacker.com/how-to-split-bills-with-your-roommates-without-pissing-1848083535", - "creator": "Meredith Dietz", - "pubDate": "Thu, 18 Nov 2021 18:30:00 GMT", + "title": "‘I’m blind but technology helps me animate’", + "description": "Elodie Bateson, 11, from Limavady who is blind has become an expert at making short animated movies.", + "content": "Elodie Bateson, 11, from Limavady who is blind has become an expert at making short animated movies.", + "category": "", + "link": "https://www.bbc.co.uk/news/uk-northern-ireland-59429216?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:04:49 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f388005cec00cd41f1c86c35f1446b9" + "hash": "5b0b663a8b3641bde1abc782ea7cc98f" }, { - "title": "How to Get Your Kids to Actually Pick Up After Themselves", - "description": "

    If only the words to the kid’s song were true: Clean up, clean up, everybody everywhere. Clean up, clean up, everybody do their share.

    Read more...

    ", - "content": "

    If only the words to the kid’s song were true: Clean up, clean up, everybody everywhere. Clean up, clean up, everybody do their share.

    Read more...

    ", - "category": "chuck", - "link": "https://lifehacker.com/how-to-get-your-kids-to-actually-pick-up-after-themselv-1848083178", - "creator": "Sarah Showfety", - "pubDate": "Thu, 18 Nov 2021 18:00:00 GMT", + "title": "Yemen: The woman saving a crumbling heritage", + "description": "Its famous architecture has been wrecked by war - now a female engineer is rebuilding amid the conflict.", + "content": "Its famous architecture has been wrecked by war - now a female engineer is rebuilding amid the conflict.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59262086?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:10:06 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0b80540a203c66ffbe671ba137f375b" + "hash": "45e34168c2efb625147b9412cf36ba0d" }, { - "title": "How to Stop Your iPhone 12 or 13 From Frequently Dropping Calls", - "description": "

    If your iPhone won’t stop dropping calls, it can be difficult to troubleshoot. After all, you can’t just switch to Cingular Wireless anymore, and without the support of the network with the fewest dropped calls, what are you supposed to do? If your issue is tied to an iPhone 12 or iPhone 13, however, there is a new…

    Read more...

    ", - "content": "

    If your iPhone won’t stop dropping calls, it can be difficult to troubleshoot. After all, you can’t just switch to Cingular Wireless anymore, and without the support of the network with the fewest dropped calls, what are you supposed to do? If your issue is tied to an iPhone 12 or iPhone 13, however, there is a new…

    Read more...

    ", - "category": "iphone", - "link": "https://lifehacker.com/how-to-stop-your-iphone-12-or-13-from-frequently-droppi-1848082613", - "creator": "Jake Peterson", - "pubDate": "Thu, 18 Nov 2021 17:00:00 GMT", + "title": "Your pictures on the theme of 'home comforts'", + "description": "A selection of striking images from our readers around the world.", + "content": "A selection of striking images from our readers around the world.", + "category": "", + "link": "https://www.bbc.co.uk/news/in-pictures-59407041?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:05:48 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9209204b172ba2072a936e8898444e51" + "hash": "1465888d2196b2e50c19648a0d80eecc" }, { - "title": "What's New on Disney Plus in December 2021", - "description": "

    The weird thing about franchise canon is you have to take the good with the bad. This means that Disney/Lucasfilm has spent the better part of the past decade working overtime to fix the parts of the official Star Wars storyline that, uh, don’t really work—retroactively making them at least seem better by retconning…

    Read more...

    ", - "content": "

    The weird thing about franchise canon is you have to take the good with the bad. This means that Disney/Lucasfilm has spent the better part of the past decade working overtime to fix the parts of the official Star Wars storyline that, uh, don’t really work—retroactively making them at least seem better by retconning…

    Read more...

    ", - "category": "lin manuel miranda", - "link": "https://lifehacker.com/whats-new-on-disney-plus-in-december-2021-1848082540", - "creator": "Joel Cunningham", - "pubDate": "Thu, 18 Nov 2021 16:30:00 GMT", + "title": "Nigerian celebrities Simi and Chigul expose sexism in music and Nollywood", + "description": "Singer Simi and Nollywood's Chigul tell the BBC about the cultural hurdles female stars face.", + "content": "Singer Simi and Nollywood's Chigul tell the BBC about the cultural hurdles female stars face.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-africa-59134040?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:20:14 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b717570f95c724884d30dcff48072496" + "hash": "896837053aef45ec5d2ee5d95123e2fc" }, { - "title": "You Can Finally Get Real-Time Lyrics on Spotify", - "description": "

    Even with the many music streaming options to choose from these days, Spotify is still the king for millions of users. While the app is enjoying a long, successful run, it hasn’t shined in every category. Real-time lyrics have been notably absent from Spotify’s features for some time now, as competing services like…

    Read more...

    ", - "content": "

    Even with the many music streaming options to choose from these days, Spotify is still the king for millions of users. While the app is enjoying a long, successful run, it hasn’t shined in every category. Real-time lyrics have been notably absent from Spotify’s features for some time now, as competing services like…

    Read more...

    ", - "category": "spotify", - "link": "https://lifehacker.com/you-can-finally-get-real-time-lyrics-on-spotify-1848081872", - "creator": "Jake Peterson", - "pubDate": "Thu, 18 Nov 2021 15:30:00 GMT", + "title": "The gangs enticing migrants to cross the English Channel", + "description": "The BBC has uncovered evidence showing that smugglers are still telling migrants it is safe to cross.", + "content": "The BBC has uncovered evidence showing that smugglers are still telling migrants it is safe to cross.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59442534?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 07:58:27 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dae11f34f9e8dd36ffb0ad081c209e17" + "hash": "9793984e5d8d1b3a966b0ab4c6984032" }, { - "title": "The Least Siri Can Do Is Pronounce Your Name Correctly", - "description": "

    Siri is no one’s favorite virtual assistant, and if it’s also always pronouncing your name wrong, it’s doing little to endear itself to you. As recently as iOS 14, you could let Siri know its pronunciation was incorrect, and tell it the correct way to say your (or another contact’s) name. This method has been removed…

    Read more...

    ", - "content": "

    Siri is no one’s favorite virtual assistant, and if it’s also always pronouncing your name wrong, it’s doing little to endear itself to you. As recently as iOS 14, you could let Siri know its pronunciation was incorrect, and tell it the correct way to say your (or another contact’s) name. This method has been removed…

    Read more...

    ", - "category": "siri", - "link": "https://lifehacker.com/the-least-siri-can-do-is-pronounce-your-name-correctly-1848081315", - "creator": "Pranay Parab", - "pubDate": "Thu, 18 Nov 2021 15:00:00 GMT", + "title": "Covid: Netherlands tightens partial lockdown amid surging infections", + "description": "The government says the three-week curbs are critical to protect hospitals from becoming overwhelmed.", + "content": "The government says the three-week curbs are critical to protect hospitals from becoming overwhelmed.", + "category": "", + "link": "https://www.bbc.co.uk/news/world-europe-59448525?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 05:46:58 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Lifehacker", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "91013cfa366bcc905f93b2dc0119412c" - } - ], - "folder": "00.03 News/News - EN", - "name": "Lifehacker", - "language": "en", - "hash": "19891577f7b816449c04545ef876c28a" - }, - { - "title": "Nature - Issue - nature.com science feeds", - "subtitle": "", - "link": "http://feeds.nature.com/nature/rss/current", - "image": null, - "description": "Nature is the international weekly journal of science: a magazine style journal that publishes full-length research papers in all disciplines of science, as well as News and Views, reviews, news, features, commentaries, web focuses and more, covering all branches of science and how science impacts upon all aspects of society and life.", - "items": [ + "hash": "e26bc873520119713697817f681555db" + }, { - "title": "COVID evolution and the Webb telescope — the week in infographics", - "description": "", - "content": "\n ", + "title": "Hondurans vote to replace controversial leader", + "description": "A former first lady and a man convicted of corruption vie to succeed an unpopular president.", + "content": "A former first lady and a man convicted of corruption vie to succeed an unpopular president.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03694-x", + "link": "https://www.bbc.co.uk/news/world-latin-america-59446944?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-10", + "pubDate": "Sun, 28 Nov 2021 00:11:55 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca4f761afe1837fca32274955ad6fb23" + "hash": "3f2aac8fa9eb1db5a2c9ff4695eeea20" }, { - "title": "To beat Omicron, Delta and bird flu, Europe must pull together", - "description": "", - "content": "\n ", + "title": "New Zealand politician Julie Anne Genter cycles to hospital to give birth", + "description": "Julie Anne Genter said she had not planned to cycle whilst in labour, \"but it did end up happening\".", + "content": "Julie Anne Genter said she had not planned to cycle whilst in labour, \"but it did end up happening\".", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03661-6", - "creator": "Amélie Desvars-Larrive", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/world-asia-59450168?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 08:45:34 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "479ef6e3c698a60e75ad7df5b0924b7d" + "hash": "a15107627503dc9115bdef37cea8ae11" }, { - "title": "Coronapod: vaccines and long COVID, how protected are you?", - "description": "", - "content": "\n ", + "title": "'Why do you like Shah Rukh Khan?'", + "description": "The Bollywood superstar's female fandom rests not on love but on economics, according to a new book.", + "content": "The Bollywood superstar's female fandom rests not on love but on economics, according to a new book.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03732-8", - "creator": "Noah Baker", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/world-asia-india-59344606?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:14:06 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "64f50bbcecec943c8f73593337704a78" + "hash": "fadb6eb24bad6add6f0285e5b3ba4e2b" }, { - "title": "Heatwaves afflict even the far north’s icy seas", - "description": "", - "content": "\n ", + "title": "Covid: Swiss vote on ending restrictions while cases surge", + "description": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", + "content": "Sunday's referendum is held in a country with one of the lowest vaccination rates in Western Europe.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03676-z", + "link": "https://www.bbc.co.uk/news/world-europe-59380745?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-10", + "pubDate": "Sat, 27 Nov 2021 00:28:03 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4822797c127f82a060b0d52c317e7988" + "hash": "22836291089ac1c36009d00f39e387db" }, { - "title": "Chile: elect a president to strengthen climate action, not weaken it", - "description": "", - "content": "\n ", + "title": "Burkina Faso: Tear gas fired at protesters decrying Islamist attacks", + "description": "The protest comes amid fear of an Islamist encroachment following a number of recent attacks.", + "content": "The protest comes amid fear of an Islamist encroachment following a number of recent attacks.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03662-5", - "creator": "Maisa Rojas", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/world-africa-59443521?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 15:24:27 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa6c96fe9a146279aa1aaa4f5788eb84" + "hash": "d7a487b2b3df28e63c1896fc94974e60" }, { - "title": "Managing up: how to communicate effectively with your PhD adviser", - "description": "", - "content": "\n ", + "title": "Musical theatre icon Stephen Sondheim dies at 91", + "description": "The US composer and lyricist reshaped America's musical theatre in a career spanning over 60 years.", + "content": "The US composer and lyricist reshaped America's musical theatre in a career spanning over 60 years.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03703-z", - "creator": "Lluís Saló-Salgado", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59440642?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 01:50:26 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbc86f87aa97a153feb13e2d387a7ec1" + "hash": "da7b2ac656aa3b25a7f312fa15cab46b" }, { - "title": "Bringing back the stars", - "description": "", - "content": "\n ", + "title": "Covid: South Africa 'punished' for detecting new Omicron variant", + "description": "South Africa should be praised for discovering Omicron, not hit with travel bans, its officials say.", + "content": "South Africa should be praised for discovering Omicron, not hit with travel bans, its officials say.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03727-5", - "creator": "Redfern Jon Barrett", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/world-59442129?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 12:55:07 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd0f1497ed81446787fbefced8b418e4" + "hash": "1f016e45f03e7bf4d6552172ad7185ec" }, { - "title": "DeepMind AI tackles one of chemistry’s most valuable techniques", - "description": "", - "content": "\n ", + "title": "Covid vaccine: Can US troops be punished for refusing the jabs?", + "description": "The US military has said that America's 2.1 million soldiers and sailors must all get the vaccine.", + "content": "The US military has said that America's 2.1 million soldiers and sailors must all get the vaccine.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03697-8", - "creator": "Davide Castelvecchi", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/world-us-canada-59409447?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 00:24:59 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f8455130284e1ceb829b7688c2062b4" + "hash": "55e788a85dd719e6e9a7204ea7b2dc7a" }, { - "title": "The race to make vaccines for a dangerous respiratory virus", - "description": "", - "content": "\n ", + "title": "Dramatic rescue of 300 from migrant boat in Italy", + "description": "Some people were already in the water when the Italian coastguard reached them off Lampedusa Island.", + "content": "Some people were already in the water when the Italian coastguard reached them off Lampedusa Island.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03704-y", - "creator": "Kendall Powell", - "pubDate": "2021-12-10", + "link": "https://www.bbc.co.uk/news/world-europe-59421913?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 23:46:38 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d5b6ccd9e5407710a46a0c3ad6a2c3b" + "hash": "7b52c45ae9941f1048618b8bca355665" }, { - "title": "Malaria protection due to sickle haemoglobin depends on parasite genotype", - "description": "", - "content": "\n ", + "title": "Egypt: Grand opening for Luxor's 'Avenue of the Sphinxes'", + "description": "The ancient walkway, connecting two of the Egyptian city's greatest temples, took decades to excavate.", + "content": "The ancient walkway, connecting two of the Egyptian city's greatest temples, took decades to excavate.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04288-3", - "creator": "Gavin Band", - "pubDate": "2021-12-09", + "link": "https://www.bbc.co.uk/news/world-africa-59424084?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 23:12:38 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d349d253e42f5018906a424571376d4" + "hash": "967887f4a9938be6f54efe2ed850b604" }, { - "title": "Snake escape: imported reptiles gobble an island’s lizards", - "description": "", - "content": "\n ", + "title": "Channel disaster: Kurdish woman is first victim identified", + "description": "Maryam Nuri Mohamed Amin was a 24-year-old Kurdish woman from northern Iraq.", + "content": "Maryam Nuri Mohamed Amin was a 24-year-old Kurdish woman from northern Iraq.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03647-4", + "link": "https://www.bbc.co.uk/news/world-europe-59439533?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Sat, 27 Nov 2021 13:40:38 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "43b03bc65f43399882e07f5295d3166d" + "hash": "af22e472c902ffbc1c8d9a915670445d" }, { - "title": "Running of the bulls tramples the laws of crowd dynamics", - "description": "", - "content": "\n ", + "title": "Peng Shuai: WTA concerned over 'censorship or coercion'", + "description": "The head of women's tennis says he is not certain Peng Shuai is free of Chinese censorship or coercion.", + "content": "The head of women's tennis says he is not certain Peng Shuai is free of Chinese censorship or coercion.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03645-6", + "link": "https://www.bbc.co.uk/news/world-asia-china-59443519?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Sat, 27 Nov 2021 10:44:08 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a03059f55bad1e0a1052f2058b410a91" + "hash": "76ff9312cab5c53795f3d84dd10221c0" }, { - "title": "Nervous stomach: lab-grown organs clench like the real thing", - "description": "", - "content": "\n ", + "title": "Covid: Dozens test positive on SA-Netherlands flights", + "description": "The results are being examined for cases of the new Omicron variant emerging in southern Africa.", + "content": "The results are being examined for cases of the new Omicron variant emerging in southern Africa.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03648-3", + "link": "https://www.bbc.co.uk/news/world-europe-59442149?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Sat, 27 Nov 2021 10:38:46 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bf15032e0e0705d1a076c5f6f38bb3d" + "hash": "81d4b882b4b9b5edb2a9522561f2d0b7" }, { - "title": "Why cannabis reeks of skunk", - "description": "", - "content": "\n ", + "title": "NFHS: Does India really have more women than men?", + "description": "An Indian government survey says so - but the numbers don't add up.", + "content": "An Indian government survey says so - but the numbers don't add up.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03650-9", + "link": "https://www.bbc.co.uk/news/world-asia-india-59428011?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Sat, 27 Nov 2021 00:59:15 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ea2a6d134efc48f71bc3bc6c290fa1b" + "hash": "f2b051704b9d1ac556deb2e16ba07c15" }, { - "title": "The power of genetic diversity in genome-wide association studies of lipids", - "description": "", - "content": "\n ", + "title": "Covid: Conspiracy and untruths drive Europe's Covid protests", + "description": "Amid some legitimate concerns, misinformation and extreme views are radicalising people to violent protest.", + "content": "Amid some legitimate concerns, misinformation and extreme views are radicalising people to violent protest.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04064-3", - "creator": "Sarah E. Graham", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/59390968?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 00:56:09 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "697a1129d7855565e9dcb00494532f94" + "hash": "879f31984baa0497cbb76859b20ad61b" }, { - "title": "Half of top cancer studies fail high-profile reproducibility effort", - "description": "", - "content": "\n ", + "title": "Kenya tree felling sparks anger over Nairobi's new highway", + "description": "Some 4,000 young and mature trees face being cut down to make way for a Chinese-financed project.", + "content": "Some 4,000 young and mature trees face being cut down to make way for a Chinese-financed project.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03691-0", - "creator": "Asher Mullard", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59383324?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 00:53:13 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b48f2e9d1c4e60c80110b60620057aa" + "hash": "f41aa3e1842f332eb9c2d8b1079a6066" }, { - "title": "Major cholesterol study reveals benefits of examining diverse populations", - "description": "", - "content": "\n ", + "title": "Winter Olympics 2022: Testing times in the Chongli mountains", + "description": "Beijing is pushing ahead with Winter Olympics test events, despite Covid and human rights allegations.", + "content": "Beijing is pushing ahead with Winter Olympics test events, despite Covid and human rights allegations.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-02998-2", + "link": "https://www.bbc.co.uk/news/world-asia-china-59430731?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Sat, 27 Nov 2021 00:49:07 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a93fa8ac0a20edef6e97858b812123c9" + "hash": "4bb814376f15e8b2db20fcbf6496cdf9" }, { - "title": "Daily briefing: Megastudy finds what will get us to go to the gym", - "description": "", - "content": "\n ", + "title": "Russia-Ukraine border: Why Moscow is stoking tensions", + "description": "The Kremlin is sending the West a message, but how big a risk is there of conflict?", + "content": "The Kremlin is sending the West a message, but how big a risk is there of conflict?", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03724-8", - "creator": "Flora Graham", - "pubDate": "2021-12-09", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59415885?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sat, 27 Nov 2021 00:44:35 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0cc03e00ea93f4ab3034d4caf1cbaa80" + "hash": "36b600742a7cdffa531757f472c33467" }, { - "title": "Architecture of the chloroplast PSI-NDH supercomplex in Hordeum vulgare", - "description": "", - "content": "\n ", + "title": "Ukraine-Russia conflict: Zelensky alleges coup plan involving Russians", + "description": "He says an alleged plan to overthrow his government comes amid threats of a Russian invasion.", + "content": "He says an alleged plan to overthrow his government comes amid threats of a Russian invasion.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04277-6", - "creator": "Liangliang Shen", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59428712?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 16:13:25 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1a8331327af9537adf959f9a775f72a" + "hash": "a9e495eb2ad4722b000661b0386a8d1e" }, { - "title": "Research outliers among universities under 50", - "description": "", - "content": "\n ", + "title": "New Covid variant: South Africa's pride and punishment", + "description": "South Africans feel they are paying the price for their ability to monitor new Covid variants.", + "content": "South Africans feel they are paying the price for their ability to monitor new Covid variants.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03632-x", + "link": "https://www.bbc.co.uk/news/world-africa-59432579?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Fri, 26 Nov 2021 13:13:38 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fab185fef9fdd4dd18394cb5187a460a" + "hash": "918607bdcae8c1a241d70816c2a3fbd5" }, { - "title": "Universities under 50 chart a clear roadmap for the future", - "description": "", - "content": "\n ", + "title": "Protesters hit Amazon buildings on Black Friday", + "description": "Strikes or protests are planned in 20 countries, on one of the busiest days of the year for retail.", + "content": "Strikes or protests are planned in 20 countries, on one of the busiest days of the year for retail.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03630-z", - "creator": "Catherine Armitage", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/technology-59419572?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 12:38:28 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2bf3d249598ebb4a9f2c89ae1776f416" + "hash": "56e243ae03d57d5cbb0a35d74bdc8138" }, { - "title": "How 'megastudies' are changing behavioural science", - "description": "", - "content": "\n ", + "title": "Covid variant: Reaction to new rules on travel from southern Africa", + "description": "Travellers at Cape Town airport respond to new UK quarantine measures over Covid variant.", + "content": "Travellers at Cape Town airport respond to new UK quarantine measures over Covid variant.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03671-4", - "creator": "Benjamin Thompson", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/uk-59428504?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 11:04:28 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dcb4bacc76d4b1ac53d99acf505f0718" + "hash": "8e3f23e31509eb465d5de500de7da25f" }, { - "title": "‘Sky river’ brought Iran deadly floods but also welcome water", - "description": "", - "content": "\n ", + "title": "Why Iraqi Kurds risk their lives to reach the West", + "description": "What drives people to make the perilous journey, which for many has ended in death?", + "content": "What drives people to make the perilous journey, which for many has ended in death?", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03646-5", + "link": "https://www.bbc.co.uk/news/world-middle-east-59419953?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Fri, 26 Nov 2021 10:28:10 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e8c79730e1721d5c91c1de149b06bca7" + "hash": "9986fdddbdd88bc97918bd752434a196" }, { - "title": "Megastudies improve the impact of applied behavioural science", - "description": "", - "content": "\n ", + "title": "Poorest face food crisis amid fertiliser shortage", + "description": "The boss of the world's largest fertiliser producer says gas prices are responsible for higher food prices.", + "content": "The boss of the world's largest fertiliser producer says gas prices are responsible for higher food prices.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04128-4", - "creator": "Katherine L. Milkman", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59428406?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 09:10:19 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1eebd8837260f1aee44ce5fcce943e19" + "hash": "dbba511fe12fa9b4f37e10ac8e154b77" }, { - "title": "Structures of the σ2 receptor enable docking for bioactive ligand discovery", - "description": "", - "content": "\n ", + "title": "Turkey: Police fire tear gas at women's rights march", + "description": "It comes months after Turkey withdrew from a treaty to combat violence against women.", + "content": "It comes months after Turkey withdrew from a treaty to combat violence against women.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04175-x", - "creator": "Assaf Alon", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59423301?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 22:46:50 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bcd52c4b4494ef73e6897ef635d93c3c" + "hash": "9727b3449947b84987c4f9b5590bd743" }, { - "title": "Collective durotaxis along a self-generated stiffness gradient in vivo", - "description": "", - "content": "\n ", + "title": "Death toll soars to 52 in Russian coal mine accident - reports", + "description": "A search for survivors after an accident in a Siberian mine turns to tragedy, with rescuers among the dead.", + "content": "A search for survivors after an accident in a Siberian mine turns to tragedy, with rescuers among the dead.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04210-x", - "creator": "Adam Shellard", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59421319?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 22:22:30 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd2e414198c55a9b072587aebfe9bed1" + "hash": "acd018a0f0d195dcc2e6ee674f433157" }, { - "title": "Structure of pathological TDP-43 filaments from ALS with FTLD", - "description": "", - "content": "\n ", + "title": "Channel migrants: PM calls on France to take back people who make crossing", + "description": "A returns agreement would have an \"immediate\" impact on the number of crossings, Boris Johnson says.", + "content": "A returns agreement would have an \"immediate\" impact on the number of crossings, Boris Johnson says.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04199-3", - "creator": "Diana Arseni", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/uk-59423245?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 21:10:03 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "aea5c539b62d894212fdadbf3fd879b1" + "hash": "75b0ae210be8f85924930bbecd26e1b3" }, { - "title": "Gut microbiota modulates weight gain in mice after discontinued smoke exposure", - "description": "", - "content": "\n ", + "title": "Macy's Thanksgiving Parade: Baby Yoda and Snoopy delight crowds", + "description": "Thousands turn out to enjoy the annual parade with millions more watching on television.", + "content": "Thousands turn out to enjoy the annual parade with millions more watching on television.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04194-8", - "creator": "Leviel Fluhr", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59423297?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 18:20:05 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c369d8ae36f3bfe7cd07589cf1850d46" + "hash": "7d8d7104439f7e3fee99030e47a72e8c" }, { - "title": "Non-genetic determinants of malignant clonal fitness at single-cell resolution", - "description": "", - "content": "\n ", + "title": "UAE general accused of torture elected Interpol president", + "description": "Ahmed al-Raisi was chosen despite facing claims of complicity in torture by UAE security forces.", + "content": "Ahmed al-Raisi was chosen despite facing claims of complicity in torture by UAE security forces.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04206-7", - "creator": "Katie A. Fennell", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59417409?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 13:26:14 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "962af1ed3a3f896124226b7ad2fbbeb2" + "hash": "789abeda04739712fe4673d146931136" }, { - "title": "High-frequency and intrinsically stretchable polymer diodes", - "description": "", - "content": "\n ", + "title": "Frank Turner says he's reconciled with trans parent", + "description": "The musician tells The Guardian his estranged father is \"a lot more considerate\" since transitioning.", + "content": "The musician tells The Guardian his estranged father is \"a lot more considerate\" since transitioning.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04053-6", - "creator": "Naoji Matsuhisa", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59414834?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 09:39:23 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74766a3688e331c47f979f15a8db84e3" + "hash": "893905996c42d86030d03567457a613e" }, { - "title": "Structure and mechanism of the SGLT family of glucose transporters", - "description": "", - "content": "\n ", + "title": "Channel migrants: UK and France agree need for action after boat deaths", + "description": "After at least 27 people die in the Channel, Boris Johnson and Emmanuel Macron say cooperation is needed.", + "content": "After at least 27 people die in the Channel, Boris Johnson and Emmanuel Macron say cooperation is needed.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04211-w", - "creator": "Lei Han", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/uk-59412329?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 08:07:40 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "113009321d3bc6cdb4ec8fdfb8b414a8" + "hash": "4277afc047d7e45a6b7ced17457ea4a0" }, { - "title": "Exercise plasma boosts memory and dampens brain inflammation via clusterin", - "description": "", - "content": "\n ", + "title": "Solomon Islands: Australia sends peacekeeping troops amid riots", + "description": "Violent riots have rocked the Pacific Island nation for a second straight day.", + "content": "Violent riots have rocked the Pacific Island nation for a second straight day.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04183-x", - "creator": "Zurine De Miguel", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-59412000?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 07:44:18 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8158f8cb79aadc3f8f4a4a7721be2fce" + "hash": "068a8010986966a9408ff1312107d651" }, { - "title": "The emergence, genomic diversity and global spread of SARS-CoV-2", - "description": "", - "content": "\n ", + "title": "Australia: LGBTQ advocates blast religious discrimination bill", + "description": "The new bill has raised concerns that it could pave the way for discriminatory hiring practices", + "content": "The new bill has raised concerns that it could pave the way for discriminatory hiring practices", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04188-6", - "creator": "Juan Li", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-australia-59411999?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 07:00:53 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4d064222d633a248c3affdf137609d8" + "hash": "f8b59eaf2b5fc84933bd689e53b9a645" }, { - "title": "A wide-orbit giant planet in the high-mass b Centauri binary system", - "description": "", - "content": "\n ", + "title": "Parambir Singh: Missing India police officer reappears after months", + "description": "Parambir Singh, the former police chief of Mumbai, is facing multiple charges of extortion.", + "content": "Parambir Singh, the former police chief of Mumbai, is facing multiple charges of extortion.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04124-8", - "creator": "Markus Janson", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59412299?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 06:14:54 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5652ac522c24bb8528133d47fbca1a00" + "hash": "ca3cffdc69493275bb6b75f02b16569a" }, { - "title": "A constraint on historic growth in global photosynthesis due to increasing CO2", - "description": "", - "content": "\n ", + "title": "US restricts trade with a dozen more Chinese technology firms", + "description": "The move comes as tensions grow between the US and China over the status of Taiwan and trade issues.", + "content": "The move comes as tensions grow between the US and China over the status of Taiwan and trade issues.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04096-9", - "creator": "T. F. Keenan", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59412139?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 03:42:49 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "869f0f54d2c85920e273d5563432cc6b" + "hash": "720f0e5a56a3d84cd98b620cee9336a1" }, { - "title": "Giant modulation of optical nonlinearity by Floquet engineering", - "description": "", - "content": "\n ", + "title": "Kavala: The case that set Turkey on collision course with the West", + "description": "Osman Kavala has not been convicted but his detention has set Turkey's leader on a collision course.", + "content": "Osman Kavala has not been convicted but his detention has set Turkey's leader on a collision course.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04051-8", - "creator": "Jun-Yi Shan", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59385194?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 01:52:15 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06ba7af0d267281e456f0f2d2c77f50a" + "hash": "f91d725f8616ea9a4af3632a28d7ba59" }, { - "title": "β-NAD as a building block in natural product biosynthesis", - "description": "", - "content": "\n ", + "title": "Tripura: Fear and hope after anti-Muslim violence", + "description": "Weeks after mosques and Muslim properties were attacked, life is slowly getting back to normal in Tripura.", + "content": "Weeks after mosques and Muslim properties were attacked, life is slowly getting back to normal in Tripura.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04214-7", - "creator": "Lena Barra", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59398367?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 01:11:31 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4d0d2cc98f6310ff7400609bb270548" + "hash": "e3415624aeb677a562e376754683a7f4" }, { - "title": "Unrepresentative big surveys significantly overestimated US vaccine uptake", - "description": "", - "content": "\n ", + "title": "Allahabad high court: Outrage as court reduces child sex abuse sentence", + "description": "There’s been outrage in India after the Allahabad high court reduces the jail term of a sex offender.", + "content": "There’s been outrage in India after the Allahabad high court reduces the jail term of a sex offender.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04198-4", - "creator": "Valerie C. Bradley", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59401179?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 01:09:29 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6597892a5df4d1b2e592a2d2be2e893e" + "hash": "f0092c55e39dcfb0ef40387973387924" }, { - "title": "Adaptive stimulus selection for consolidation in the hippocampus", - "description": "", - "content": "\n ", + "title": "Beatles outtakes in new Peter Jackson film", + "description": "The Lord of The Rings director has restored more than 50 hours of footage.", + "content": "The Lord of The Rings director has restored more than 50 hours of footage.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04118-6", - "creator": "Satoshi Terada", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59409077?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 00:02:12 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6ccaac26bdea820a570e93c50949285" + "hash": "977856784b8ed749f8987ef53873fc0d" }, { - "title": "A hormone complex of FABP4 and nucleoside kinases regulates islet function", - "description": "", - "content": "\n ", + "title": "Russian troop build-up: View from Ukraine front line", + "description": "BBC correspondent Abdujalil Abdurasulov visits eastern Ukraine as soldiers watch Russia's nearby movements.", + "content": "BBC correspondent Abdujalil Abdurasulov visits eastern Ukraine as soldiers watch Russia's nearby movements.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04137-3", - "creator": "Kacey J. Prentice", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59402658?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 00:01:43 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "741f7cc94a7b6d1fda80571126321777" + "hash": "702edb507c86093ca668d3bbeae00999" }, { - "title": "Combinatorial, additive and dose-dependent drug–microbiome associations", - "description": "", - "content": "\n ", + "title": "What I learnt eating at 8,000 Chinese restaurants", + "description": "David R Chan's decades of dining at 8,000 Chinese eateries has taught him about America and himself.", + "content": "David R Chan's decades of dining at 8,000 Chinese eateries has taught him about America and himself.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04177-9", - "creator": "Sofia K. Forslund", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59356176?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 23:25:31 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc2a6d9be39c789353e1bdd15082beb7" + "hash": "cdb6eb40e982fa1ee59fa9fd8f995f44" }, { - "title": "Structural basis of inhibition of the human SGLT2–MAP17 glucose transporter", - "description": "", - "content": "\n ", + "title": "Ahmaud Arbery: Three US men guilty of murdering black jogger", + "description": "Ahmaud Arbery was chased and shot in a case that became a rallying cry to racial justice protesters.", + "content": "Ahmaud Arbery was chased and shot in a case that became a rallying cry to racial justice protesters.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04212-9", - "creator": "Yange Niu", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59411030?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:34:07 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4a5d294dfc9d323610819bb74ce47b2" + "hash": "2d06e73b69127b5f3597e6f35832443c" }, { - "title": "Sex-specific chromatin remodelling safeguards transcription in germ cells", - "description": "", - "content": "\n ", + "title": "Inside Dunkirk's new migrant camp", + "description": "Last week French police officers evicted up to 1,500 people from a camp in Dunkirk.", + "content": "Last week French police officers evicted up to 1,500 people from a camp in Dunkirk.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04208-5", - "creator": "Tien-Chi Huang", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59410982?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:28:40 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c2743bf867174e3bcf60ca66dcc24fbd" + "hash": "23c4463f669b06b4c7d2a63279b87116" }, { - "title": "Industry demand drives innovation", - "description": "", - "content": "\n ", + "title": "JPMorgan boss 'regrets' China joke amid backlash", + "description": "Jamie Dimon has apologised after saying that his Wall Street bank would outlast China's ruling party.", + "content": "Jamie Dimon has apologised after saying that his Wall Street bank would outlast China's ruling party.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03634-9", - "creator": "Leigh Dayton", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59409508?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 19:56:44 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9fe88a4d4daee82cd3944212a6dbfde4" + "hash": "be05ee3b19c2328d73ceabdf141ca245" }, { - "title": "A heritable, non-genetic road to cancer evolution", - "description": "", - "content": "\n ", + "title": "Mike Tyson: Malawi asks former boxer to be cannabis ambassador", + "description": "A minister has written a letter to the former boxer, who has invested in a cannabis farm in the US.", + "content": "A minister has written a letter to the former boxer, who has invested in a cannabis farm in the US.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03606-z", - "creator": "Tamara Prieto", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59406196?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 18:31:54 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b205ed75398c2781af78e958343ff92a" + "hash": "bb2f92887d630a307b985f5ff19c03bd" }, { - "title": "Omicron likely to weaken COVID vaccine protection", - "description": "", - "content": "\n ", + "title": "Germany: African diaspora with 'a voice' in politics", + "description": "How can the \"voice\" of African diaspora help build relations between Germany and Africa?", + "content": "How can the \"voice\" of African diaspora help build relations between Germany and Africa?", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03672-3", - "creator": "Ewen Callaway", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59405846?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 14:49:00 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "af5edf898f8c147c4b36b3e1106f9129" + "hash": "1035c48579aaab5b1c7c092941be8b6d" }, { - "title": "Brazil is in water crisis — it needs a drought plan", - "description": "", - "content": "\n ", + "title": "Climate change causing albatross divorce, says study", + "description": "There are more bird break-ups in warmer years, a study of 15,500 breeding pairs finds.", + "content": "There are more bird break-ups in warmer years, a study of 15,500 breeding pairs finds.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03625-w", - "creator": "Augusto Getirana", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/newsbeat-59401921?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 13:00:26 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "26ecba20ecfe03d7e53e93cb953ddfa9" + "hash": "02d89da1ee722679ae6dfec6c8bdbd3d" }, { - "title": "What surveys really say", - "description": "", - "content": "\n ", + "title": "Apple sues Israeli spyware firm NSO Group", + "description": "Apple is the latest in a string of firms and governments to go after the hacking tool firm.", + "content": "Apple is the latest in a string of firms and governments to go after the hacking tool firm.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03604-1", - "creator": "Frauke Kreuter", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59393823?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:56:02 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "166ad68387b24644fa493e812d7f8d83" + "hash": "16af09fe20fa388484c0d28fc1d90f84" }, { - "title": "Metal planet, COVID pact and Hubble telescope time", - "description": "", - "content": "\n ", + "title": "Ethiopia's Haile Gebrselassie and Feyisa Lilesa ready to join Tigray war", + "description": "Haile Gebrselassie and Feyisa Lilesa back the PM's call to go to the front line of the Tigray war.", + "content": "Haile Gebrselassie and Feyisa Lilesa back the PM's call to go to the front line of the Tigray war.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03618-9", + "link": "https://www.bbc.co.uk/news/world-africa-59393463?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Wed, 24 Nov 2021 12:47:04 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e51e9c045ffc292f9dcf17d31916c7c4" + "hash": "7428fe233f92de3d70720eb785b5e46b" }, { - "title": "Daily briefing: Omicron might weaken vaccine protection", - "description": "", - "content": "\n ", + "title": "Wisconsin: Child becomes sixth fatality in car-ramming", + "description": "An eight-year-old boy is the latest person to die after a car ploughed into a crowd in Wisconsin.", + "content": "An eight-year-old boy is the latest person to die after a car ploughed into a crowd in Wisconsin.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03689-8", - "creator": "Flora Graham", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59396999?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 12:25:20 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "581176b521ae725db8d36a5d62def3f5" + "hash": "0f6204dc5ccf0b24efe5f725e09f9278" }, { - "title": "Gut clues to weight gain after quitting smoking", - "description": "", - "content": "\n ", + "title": "Sweden votes in Magdalena Andersson as first female PM", + "description": "Before MPs backed Magdalena Andersson, Sweden was the only Nordic state never to have a woman as PM.", + "content": "Before MPs backed Magdalena Andersson, Sweden was the only Nordic state never to have a woman as PM.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03548-6", - "creator": "Matthew P. Spindler", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59400539?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:40:54 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14b8ec394dbb7a309dca510cfbd951d5" + "hash": "c98807f1dda33825e5d121f1f752a364" }, { - "title": "Universities under 50 carve their niche", - "description": "", - "content": "\n ", + "title": "Karim Benzema: French footballer guilty in sex tape blackmail case", + "description": "The Real Madrid striker is convicted of conspiring to blackmail fellow footballer Mathieu Valbuena.", + "content": "The Real Madrid striker is convicted of conspiring to blackmail fellow footballer Mathieu Valbuena.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03635-8", - "creator": "Flynn Murphy", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59399701?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:24:01 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1bf2d5872c52296f3a593f120a67f82c" + "hash": "73e4415f06006214b6e4e3585c56577f" }, { - "title": "Transporter-protein structures show how salt gets a sweet ride into cells", - "description": "", - "content": "\n ", + "title": "China: Photographer sorry for 'small eyes' Dior picture", + "description": "Some Chinese netizens found her photo insulting and racist as it showed a woman with small eyes.", + "content": "Some Chinese netizens found her photo insulting and racist as it showed a woman with small eyes.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03555-7", - "creator": "David Drew", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-china-59397737?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:20:46 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5826327b2e1bd66a24e27f148f6e8347" + "hash": "c08b53821c38b66f001f6eaab643b6f0" }, { - "title": "Giant planet imaged orbiting two massive stars", - "description": "", - "content": "\n ", + "title": "Kerala adoption row: A mother's search for her missing baby in India", + "description": "A mother's search for a missing baby in India has caused outrage and whipped up a political storm.", + "content": "A mother's search for a missing baby in India has caused outrage and whipped up a political storm.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03607-y", - "creator": "Kaitlin Kratter", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59306355?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 11:05:30 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "341eea26c8e5a9a2f66cff9ce9bf3e7b" + "hash": "8b79182a8a8ae38cdca19d1e640cd951" }, { - "title": "An IPCC reviewer shares his thoughts on the climate debate", - "description": "", - "content": "\n ", + "title": "Sri Lanka attacks: 23,000 charges filed against suspects as trial begins", + "description": "The list of charges and witnesses could mean a trial that takes up to 10 years, lawyers warn.", + "content": "The list of charges and witnesses could mean a trial that takes up to 10 years, lawyers warn.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03673-2", - "creator": "Sarah O’Meara", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-59397642?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 08:51:12 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "212943d6e670ad9da5180f849494ed86" + "hash": "ae9a86219887ef834126201eb8c15757" }, { - "title": "Aggregates of TDP-43 protein spiral into view", - "description": "", - "content": "\n ", + "title": "Blast off for Nasa mission to strike space rock", + "description": "The spacecraft is set to crash into an object called Dimorphos in September 2022.", + "content": "The spacecraft is set to crash into an object called Dimorphos in September 2022.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03605-0", - "creator": "Hana M. Odeh", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/science-environment-59399510?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 07:57:01 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9840a4080a66dc7cb092fcf649f6b378" + "hash": "4eedf8e2bf7b64ab90e1aca673204f9a" }, { - "title": "Customized recruitment attracts top talent", - "description": "", - "content": "\n ", + "title": "Australia power plant demolition sees giant chimneys tumble to ground", + "description": "Huge amounts of metal and concrete will be recycled after the demolition of an old coal power plant.", + "content": "Huge amounts of metal and concrete will be recycled after the demolition of an old coal power plant.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03633-w", - "creator": "Benjamin Plackett", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-australia-59397899?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 05:48:30 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "880a5427d989a25dd18238056800ac62" + "hash": "a82011d147bcedc18db5132d4842827e" }, { - "title": "Constraints on estimating the CO2 fertilization effect emerge", - "description": "", - "content": "\n ", + "title": "Waukesha Christmas Parade: Dancing grannies and boy among victims", + "description": "An eight-year-old boy is the latest victim to succumb to injuries in the Waukesha Christmas parade car-ramming.", + "content": "An eight-year-old boy is the latest victim to succumb to injuries in the Waukesha Christmas parade car-ramming.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03560-w", - "creator": "Chris Huntingford", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59382870?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 03:01:05 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "63f912b110f9ef24e6d26bbf04b1b115" + "hash": "0af1acd3bbe6bb943d349ea267366059" }, { - "title": "Benefits of megastudies for testing behavioural interventions", - "description": "", - "content": "\n ", + "title": "Colombia peace deal: The families displaced five years on", + "description": "Five years after a peace deal came into force in Colombia, violence by armed gangs is again on the rise.", + "content": "Five years after a peace deal came into force in Colombia, violence by armed gangs is again on the rise.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03400-x", - "creator": "Heather Royer", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59386282?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 01:26:47 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f8fc23056bce26c178355ac14336a64" + "hash": "030ec546558e23a52e54333d3cc4e521" }, { - "title": "Young universities forge new paths to success", - "description": "", - "content": "\n ", + "title": "Uganda suicide attacks: Inside view of the IS-linked ADF rebels", + "description": "An ex-fighter tells the BBC how the ADF, an IS affiliate, has been able to strike at Uganda's heart.", + "content": "An ex-fighter tells the BBC how the ADF, an IS affiliate, has been able to strike at Uganda's heart.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03631-y", - "creator": "James Mitchell Crow", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59380311?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 01:24:38 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a524bb0544adc3bcb35c0b2460a4685" + "hash": "6b2e8dfd6363138cb31a9e892ba5e8c2" }, { - "title": "A guide to the Nature Index", - "description": "", - "content": "\n ", + "title": "Farm laws: Sikhs being targeted by fake social media profiles", + "description": "A total of 80 accounts have been suspended following a report into the network.", + "content": "A total of 80 accounts have been suspended following a report into the network.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03636-7", + "link": "https://www.bbc.co.uk/news/world-asia-india-59338245?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Wed, 24 Nov 2021 00:54:56 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d47b7ba3b1378dab9de5556a5944f926" + "hash": "038a6147f5a836b3b9ccb623a7f576c9" }, { - "title": "The UN must get on with appointing its new science board", - "description": "", - "content": "\n ", + "title": "Rescuing the Afghanistan girls' football team", + "description": "The mission to rescue the national Afghan girls' football team from the Taliban.", + "content": "The mission to rescue the national Afghan girls' football team from the Taliban.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03615-y", + "link": "https://www.bbc.co.uk/news/world-59394170?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Wed, 24 Nov 2021 00:10:38 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c28254088983c13cf9e53d182e1062d2" + "hash": "73976a69605ddae6faea93054e07573b" }, { - "title": "The $11-billion Webb telescope aims to probe the early Universe", - "description": "", - "content": "\n ", + "title": "Walgreens, CVS, and Walmart fuelled opioid crisis, Ohio jury finds", + "description": "A federal court finds Walgreens, CVS and Walmart helped create an oversupply of addictive painkillers.", + "content": "A federal court finds Walgreens, CVS and Walmart helped create an oversupply of addictive painkillers.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03620-1", - "creator": "Alexandra Witze", - "pubDate": "2021-12-08", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59396041?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 22:59:50 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "49ac5a1fa99ac6b1b24ee57c3b1d5129" + "hash": "f1d6a7d7f25997d7ca6e6322b9b4e4ca" }, { - "title": "Long Acting Capsid Inhibitor Protects Macaques From Repeat SHIV Challenges", - "description": "", - "content": "\n ", + "title": "Kevin Strickland exonerated after 42 years in Missouri prison", + "description": "Kevin Strickland was arrested at age 18 and convicted of a triple murder he did not commit.", + "content": "Kevin Strickland was arrested at age 18 and convicted of a triple murder he did not commit.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04279-4", - "creator": "Samuel J. Vidal", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59396598?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 22:17:06 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c2df707c78826a38b6d56320680af195" + "hash": "576459cf3c97c1a90afa433acd57464e" }, { - "title": "Signature of long-lived memory CD8+ T cells in acute SARS-CoV-2 infection", - "description": "", - "content": "\n ", + "title": "Bulgarian holiday bus tragedy hits young nation", + "description": "There is little since North Macedonia's 1991 declaration of independence to compare to this.", + "content": "There is little since North Macedonia's 1991 declaration of independence to compare to this.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04280-x", - "creator": "Sarah Adamo", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59395495?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 20:48:18 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "217b6984e6bb95b06073441ee93eee2a" + "hash": "72f94036c475a5b27b036b72db2956cc" }, { - "title": "Multi-omic machine learning predictor of breast cancer therapy response", - "description": "", - "content": "\n ", + "title": "Yalda Hakim: My return to Afghanistan", + "description": "The BBC's Yalda Hakim - who was born in Afghanistan - reports on the impact of 100 days of Taliban rule.", + "content": "The BBC's Yalda Hakim - who was born in Afghanistan - reports on the impact of 100 days of Taliban rule.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04278-5", - "creator": "Stephen-John Sammut", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59385469?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 15:53:08 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2451fdf8e5b113ab2f04620364baefa5" + "hash": "3a299ad1e018112c65ed40f40ca809e8" }, { - "title": "From the archive", - "description": "", - "content": "\n ", + "title": "Meredith Kercher: Student's killer Rudy Guede ends sentence", + "description": "Rudy Guede was the only person convicted of the 2007 murder of the exchange student in Perugia in Italy.", + "content": "Rudy Guede was the only person convicted of the 2007 murder of the exchange student in Perugia in Italy.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03561-9", + "link": "https://www.bbc.co.uk/news/world-europe-59388718?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Tue, 23 Nov 2021 14:15:15 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ab6d27578955c76d17e855772d55316" + "hash": "fbcf4d095521ccbec5ec3137b8a6a31e" }, { - "title": "It’s alive! Bio-bricks can signal to others of their kind", - "description": "", - "content": "\n ", + "title": "Peng Shuai: China says tennis star case maliciously hyped up", + "description": "As questions remain over the tennis star's wellbeing, China insists it is not a diplomatic matter.", + "content": "As questions remain over the tennis star's wellbeing, China insists it is not a diplomatic matter.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03644-7", + "link": "https://www.bbc.co.uk/news/world-asia-china-59385519?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Tue, 23 Nov 2021 13:10:06 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1ac607eb8e4819d0f130073ace1e75e5" + "hash": "2c4fca916800339046020d33b0a1fc28" }, { - "title": "Webcast: how to plan your career", - "description": "", - "content": "\n ", + "title": "Mexican nursery's lottery win turns into nightmare", + "description": "Parents who won almost $1m are being threatened by a gang demanding they use the money to buy guns.", + "content": "Parents who won almost $1m are being threatened by a gang demanding they use the money to buy guns.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03663-4", - "creator": "Jack Leeming", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59386281?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 12:22:58 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f825012468ba3f4de091fa5e1188225e" + "hash": "419f6fba332851cd99f7e679893625b7" }, { - "title": "Call to join the decentralized science movement", - "description": "", - "content": "\n ", + "title": "Ethiopia's Tigray conflict: PM Abiy Ahmed vows to lead from the war front", + "description": "Abiy Ahmed has said he will go to the front line to face Tigrayan rebels in the country's civil war.", + "content": "Abiy Ahmed has said he will go to the front line to face Tigrayan rebels in the country's civil war.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03642-9", - "creator": "Sarah Hamburg", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59386181?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 11:21:39 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "15a61c915fa85eb29ad33ca4e828f1f2" + "hash": "bc368bb65f286eac012319e586255b11" }, { - "title": "Are female science leaders judged more harshly than men? Study it", - "description": "", - "content": "\n ", + "title": "Afghanistan: 100 days of Taliban rule", + "description": "BBC reporter Yalda Hakim visits Kabul to look at four key areas of concern in Afghanistan.", + "content": "BBC reporter Yalda Hakim visits Kabul to look at four key areas of concern in Afghanistan.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03643-8", - "creator": "Martina Schraudner", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-59381294?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 09:08:09 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba05a9beeed1d8c8aa0fff60ea185fa5" + "hash": "234c255d48cc3194becbeb5ad2d0140c" }, { - "title": "Portugal: female science leaders could speed up change", - "description": "", - "content": "\n ", + "title": "Uber makes its first step into the cannabis market", + "description": "Customers will be able to place orders on the app then pick them up at nearby stores within an hour.", + "content": "Customers will be able to place orders on the app then pick them up at nearby stores within an hour.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03641-w", - "creator": "Paulo Cartaxana", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59342016?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 07:03:42 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18a4202df727a2ffdb17319479abb4ca" + "hash": "71a87eac9756d3d3ffe084d88ee51345" }, { - "title": "Omicron: the global response is making it worse", - "description": "", - "content": "\n ", + "title": "Dozens killed in Bulgaria bus crash, including children", + "description": "At least 45 die, including children, after a bus crashes and catches fire in western Bulgaria.", + "content": "At least 45 die, including children, after a bus crashes and catches fire in western Bulgaria.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03616-x", + "link": "https://www.bbc.co.uk/news/world-europe-59383852?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "pubDate": "Tue, 23 Nov 2021 06:57:29 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "349f0de66fd12969a732c09dc8c9eb4d" + "hash": "927255c4e5e6664771f19f7cc4e95cb9" }, { - "title": "Daily briefing: How to predict COVID’s next move", - "description": "", - "content": "\n ", + "title": "Australia declares La Niña weather event has begun", + "description": "The phenomenon can lead to significant weather changes in different parts of the world.", + "content": "The phenomenon can lead to significant weather changes in different parts of the world.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03670-5", - "creator": "Flora Graham", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-australia-59383008?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 05:19:41 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "216887bf95c2132fa4503a6236576618" + "hash": "7487169fa2c32dd3a8adae014918f467" }, { - "title": "Beyond Omicron: what’s next for COVID’s viral evolution", - "description": "", - "content": "\n ", + "title": "Greenland's Inuits seek Denmark compensation over failed social experiment", + "description": "Six surviving Greenlanders are part of a group of 22 children taken for \"re-education\" in 1951.", + "content": "Six surviving Greenlanders are part of a group of 22 children taken for \"re-education\" in 1951.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03619-8", - "creator": "Ewen Callaway", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "id": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59382793?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 04:29:13 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4cc36f87b467bbd43678af496c907929" + "hash": "04357dcb55ed67b9f4b7c955d0f4371b" }, { - "title": "Build solar-energy systems to last — save billions", - "description": "", - "content": "\n ", + "title": "Kyle Rittenhouse says his case 'has nothing to do with race'", + "description": "\"I support the BLM movement,\" says the teen, who was acquitted of shooting three during racial unrest.", + "content": "\"I support the BLM movement,\" says the teen, who was acquitted of shooting three during racial unrest.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03626-9", - "creator": "Dirk Jordan", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59382788?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 03:08:48 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57dc67d4bdbbdc7dec38f341519f44e0" + "hash": "ba29904db0a0413462ac8ca98e69aa10" }, { - "title": "Hominin skull and Mars panorama — November’s best science images", - "description": "", - "content": "\n ", + "title": "Australia missing campers: Man arrested over pair's disappearance", + "description": "Carol Clay and Russell Hill vanished in March last year during a camping trip in Victoria.", + "content": "Carol Clay and Russell Hill vanished in March last year during a camping trip in Victoria.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03520-4", - "creator": "Emma Stoye", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-australia-59383007?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 02:31:24 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ad3648c5f5bec3a93b48a986aeccd03c" + "hash": "f9bf92a6ab5615145ea7674313eafc9f" }, { - "title": "How remouldable computer hardware is speeding up science", - "description": "", - "content": "\n ", + "title": "Dart: Mission to smack Dimorphos asteroid set for launch", + "description": "A spacecraft is set to launch on a mission to nudge an asteroid off course.", + "content": "A spacecraft is set to launch on a mission to nudge an asteroid off course.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03627-8", - "creator": "Jeffrey M. Perkel", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/science-environment-59327293?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 01:41:20 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea0112ea124f6ad58fe086740c046e88" + "hash": "cb3276c1e4bbb6ae023d336da833ecf7" }, { - "title": "What fuelled an ancient empire’s rise? Potatoes and quinoa", - "description": "", - "content": "\n ", + "title": "Kevin Spacey to pay $31m to studio after abuse claims", + "description": "The actor was ordered to pay $31m (£23.2) to the House of Cards studio after sexual abuse claims.", + "content": "The actor was ordered to pay $31m (£23.2) to the House of Cards studio after sexual abuse claims.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03583-3", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59378553?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Tue, 23 Nov 2021 00:26:04 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5d15061a19b50ea0661cac5b9fd9962" + "hash": "ea7c17bd49c80e792819e4d8d56c5e5d" }, { - "title": "Super jelly springs back from a squashing", - "description": "", - "content": "\n ", + "title": "China bans Namewee's viral pop song Fragile", + "description": "Fragile mocks Beijing and “little pinks”, a term referring to young nationalists who rush to the defence of the Chinese government.", + "content": "Fragile mocks Beijing and “little pinks”, a term referring to young nationalists who rush to the defence of the Chinese government.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03586-0", + "link": "https://www.bbc.co.uk/news/world-asia-china-59379880?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Tue, 23 Nov 2021 00:11:48 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d4ba7e6c12ed9f31a8920a2a1b4b1ba" + "hash": "e34fe1ad8da2c3104b84405d8d4b0d1f" }, { - "title": "Climate adaptation, and the next great extinction: Books in brief", - "description": "", - "content": "\n ", + "title": "Six ways shoebox-sized satellites are trying to change the world", + "description": "The CubeSat began as an educational tool but is now helping out humanity", + "content": "The CubeSat began as an educational tool but is now helping out humanity", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03624-x", - "creator": "Andrew Robinson", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-59346457?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 00:10:20 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "54586185afd6af900cec48ec80a7b9f8" + "hash": "4c6d41280e8405f9b8bab6f1a4f61022" }, { - "title": "Handling snakes for science", - "description": "", - "content": "\n ", + "title": "How child sex abuse rose during pandemic in India", + "description": "The demand and distribution of abuse imagery shot up in India as lockdowns confined people to their homes.", + "content": "The demand and distribution of abuse imagery shot up in India as lockdowns confined people to their homes.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03629-6", - "creator": "Virginia Gewin", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59173473?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 00:09:09 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b9437c51bab34b4b9b9fe6e86699a4e" + "hash": "ee3a90cad33b8cdd99d4731366b99d2d" }, { - "title": "The wasted chewing gum bacteriome: an oral history", - "description": "", - "content": "\n ", + "title": "Can South Africa embrace renewable energy from the sun?", + "description": "South Africa's main electricity company Eskom plans to switch from using coal to renewable energy.", + "content": "South Africa's main electricity company Eskom plans to switch from using coal to renewable energy.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03660-7", - "creator": "Lavie Tidhar", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-58971281?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 00:06:46 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5955303a4abc835ad22c5bcd5f992925" + "hash": "8e975dda6110b3a9aa5199d7abf97602" }, { - "title": "Has Eric Kandel rested on his laurels? No", - "description": "", - "content": "\n ", + "title": "Ethiopia's Tigray conflict: What are Facebook and Twitter doing about hate speech?", + "description": "Critics say social media firms are not doing enough to curb online hate speech around Ethiopia's war.", + "content": "Critics say social media firms are not doing enough to curb online hate speech around Ethiopia's war.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03623-y", - "creator": "Alison Abbott", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/59251942?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 00:05:12 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d401e343e1fbeab5f52beb52e8a6dd7" + "hash": "4fcfca7ab599b61b53c3ca225f8853b8" }, { - "title": "Python power-up: new image tool visualizes complex data", - "description": "", - "content": "\n ", + "title": "Iran nuclear programme: Threat of Israeli strike grows", + "description": "As Iran's nuclear programme forges ahead, some see Israel running out of options to thwart it.", + "content": "As Iran's nuclear programme forges ahead, some see Israel running out of options to thwart it.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03628-7", - "creator": "Jeffrey M. Perkel", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59322152?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Tue, 23 Nov 2021 00:03:48 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8a00e1b245bd78c63e020ee8205c2602" + "hash": "ac6dcb2c028396497a983d4f32eedd9a" }, { - "title": "Daily briefing: Francis Collins reflects on science and the NIH", - "description": "", - "content": "\n ", + "title": "Wisconsin witnesses recount how SUV mowed down parade-goers", + "description": "\"Little girls flying through the air.\" Witnesses recount the Waukesha Christmas parade horror.", + "content": "\"Little girls flying through the air.\" Witnesses recount the Waukesha Christmas parade horror.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03657-2", - "creator": "Flora Graham", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59382797?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 22:48:47 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3152fe48ff2cef74a5e08d98fc31054" + "hash": "63c5bfc994fda179eea0ee0fd348054a" }, { - "title": "Understand the real reasons reproducibility reform fails", - "description": "", - "content": "\n ", + "title": "Wisconsin: Waukesha Police Chief chokes up while naming Christmas parade incident victims", + "description": "At least five people, aged between 52 and 81, were killed when a vehicle ploughed into a Christmas parade.", + "content": "At least five people, aged between 52 and 81, were killed when a vehicle ploughed into a Christmas parade.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03617-w", - "creator": "Nicole C. Nelson", - "pubDate": "2021-12-06", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59381928?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 21:13:11 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bda2a5c68c9ea461ed30fce414baab58" + "hash": "8e655b03c1a3c115528f16a1ee410422" }, { - "title": "Coronapod: How has COVID impacted mental health?", - "description": "", - "content": "\n ", + "title": "Wisconsin: Driver 'intentionally' mowed down people at parade", + "description": "At least five people, aged 52 to 81, were killed when an SUV ploughed into a Christmas celebration.", + "content": "At least five people, aged 52 to 81, were killed when an SUV ploughed into a Christmas celebration.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03649-2", - "creator": "Noah Baker", - "pubDate": "2021-12-03", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59378571?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 21:13:01 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a022a5619499a6a47376b19c67cd6e28" + "hash": "d84110efe9f65a3f86f8e44a3c693679" }, { - "title": "AI mathematician and a planetary diet — the week in infographics", - "description": "", - "content": "\n ", + "title": "Austrian Chancellor: 'You don’t only have rights, you have obligations'", + "description": "Austria's chancellor regrets jabs will be mandatory, but current low rates are \"too little, too late\".", + "content": "Austria's chancellor regrets jabs will be mandatory, but current low rates are \"too little, too late\".", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03612-1", + "link": "https://www.bbc.co.uk/news/world-europe-59378552?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-03", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Mon, 22 Nov 2021 21:08:52 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5565019960d7317db69d1fb0f3fa710" + "hash": "89080af76969ffab57ee385fd8881cf2" }, { - "title": "The last library", - "description": "", - "content": "\n ", + "title": "Peppa Pig and losing notes: UK PM's bizarre speech", + "description": "Boris Johnson is questioned by a reporter after talking about Peppa Pig World at a business conference.", + "content": "Boris Johnson is questioned by a reporter after talking about Peppa Pig World at a business conference.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03637-6", - "creator": "Brian Trent", - "pubDate": "2021-12-03", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/uk-59381775?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 19:23:16 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "87d2de44737b20d94024cc744b7ae694" + "hash": "bdf06f2a9e44062fb1f298b98575e82f" }, { - "title": "Science misinformation alarms Francis Collins as he leaves top NIH job", - "description": "", - "content": "\n ", + "title": "Germany Covid: Health minister's stark warning to get jabbed", + "description": "As Germany battles a fourth Covid wave, the health minister gives a stark warning to get vaccinated.", + "content": "As Germany battles a fourth Covid wave, the health minister gives a stark warning to get vaccinated.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03611-2", - "creator": "Nidhi Subbaraman", - "pubDate": "2021-12-03", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59378548?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 16:17:02 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "07ce509929184b7c48c1553f3076b2ef" + "hash": "fbc91a8111a836a136322afd14c72276" }, { - "title": "Daily briefing: Omicron — what scientists know so far", - "description": "", - "content": "\n ", + "title": "Jerome Powell nominated to stay as US Federal Reserve chair", + "description": "President Biden opts for continuity by nominating Jerome Powell to remain head of the central bank.", + "content": "President Biden opts for continuity by nominating Jerome Powell to remain head of the central bank.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03652-7", - "creator": "Flora Graham", - "pubDate": "2021-12-03", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59340779?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 16:14:39 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6516e8400c7faacdb3b69d58309fbe0" + "hash": "51ccc4bdfedd780676a05e15fcccbc87" }, { - "title": "Publisher Correction: Single-photon nonlinearity at room temperature", - "description": "", - "content": "\n ", + "title": "Covid in Kenya: Government gives 20 million a month to get vaccinated", + "description": "Although less than 10% of Kenyans are vaccinated, the government wants to avoid a surge over Christmas.", + "content": "Although less than 10% of Kenyans are vaccinated, the government wants to avoid a surge over Christmas.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04113-x", - "creator": "Anton V. Zasedatelev", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59367726?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 14:55:37 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b11d662af463dc8c70b9f8325cadafdd" + "hash": "bd8ed3753f7fe800f940ab187c294dd1" }, { - "title": "Human blastoids model blastocyst development and implantation", - "description": "", - "content": "\n ", + "title": "Cuba congratulates Venezuela on poll before result was out", + "description": "Cuba's president tweeted about the results before there had been an official announcement.", + "content": "Cuba's president tweeted about the results before there had been an official announcement.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04267-8", - "creator": "Harunobu Kagawa", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59331696?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 14:18:28 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "63f0c6b3c8841ac49809178b2fbd0277" + "hash": "fc5c1da84809c00ec943a5340f2e498f" }, { - "title": "Omicron is bad but the global response is worse", - "description": "", - "content": "\n ", + "title": "Crowd trouble threatens future of French football, says sports minister", + "description": "France's sports minister says repeated crowd trouble at Ligue 1 matches is putting the \"survival\" of French football \"at stake\".", + "content": "France's sports minister says repeated crowd trouble at Ligue 1 matches is putting the \"survival\" of French football \"at stake\".", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03616-x", + "link": "https://www.bbc.co.uk/sport/football/59374778?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-07", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Mon, 22 Nov 2021 13:51:31 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "28697f4b3274b5cf2ead54f790d37c0a" + "hash": "faeace408f23d9bdd02b1388103ca22d" }, { - "title": "Does police outreach cut crime? Efforts in six nations give a bleak answer", - "description": "", - "content": "\n ", + "title": "Peng Shuai: WTA says concerns remain for Chinese tennis star after IOC call", + "description": "Peng Shuai disappeared from the public eye after making sex assault allegations against a Chinese official.", + "content": "Peng Shuai disappeared from the public eye after making sex assault allegations against a Chinese official.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03580-6", + "link": "https://www.bbc.co.uk/news/world-asia-china-59372058?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Mon, 22 Nov 2021 12:23:17 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8f2923cd804d0c1954916c6a13c61f92" + "hash": "a4c5b1f072912911595302f2264d7d97" }, { - "title": "Famous space family has a surprisingly peaceful history", - "description": "", - "content": "\n ", + "title": "Far-right candidate through to Chile presidential run-off", + "description": "Voters will have to choose between far-right candidate José Antonio Kast and left-winger Gabriel Boric.", + "content": "Voters will have to choose between far-right candidate José Antonio Kast and left-winger Gabriel Boric.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03584-2", + "link": "https://www.bbc.co.uk/news/world-latin-america-59331695?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Mon, 22 Nov 2021 11:41:24 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a21b01c1bf5dfda54ddd0524ffb28fb9" + "hash": "21b7cc1a566b62b2b2e1b7c7e68b1843" }, { - "title": "Surging plastic use is fed by coal power — with deadly results", - "description": "", - "content": "\n ", + "title": "Covid vaccines: How fast is progress around the world?", + "description": "Charts and maps tracking the progress of Covid vaccination programmes.", + "content": "Charts and maps tracking the progress of Covid vaccination programmes.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03613-0", + "link": "https://www.bbc.co.uk/news/world-56237778?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Mon, 22 Nov 2021 11:32:20 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b4c454a83c90328a0c2d2f8c36bb1b7" + "hash": "ab04b377b24fcba927c694cd9953f606" }, { - "title": "Omicron is supercharging the COVID vaccine booster debate", - "description": "", - "content": "\n ", + "title": "American Music Awards: BTS and Taylor Swift take top awards", + "description": "The K-pop band win artist of the year, while Taylor Swift picks up a record-breaking 34th award.", + "content": "The K-pop band win artist of the year, while Taylor Swift picks up a record-breaking 34th award.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03592-2", - "creator": "Elie Dolgin", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/entertainment-arts-59372518?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 10:50:25 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "812010711698747d1651683aa867d040" + "hash": "25a4efa368020978e136b833f1abcc2b" }, { - "title": "How bad is Omicron? What scientists know so far", - "description": "", - "content": "\n ", + "title": "War photographer: 'Telling people's stories gives me hope'", + "description": "Claire Thomas says she couldn't help people in Iraq and Afghanistan, but she could tell their stories.", + "content": "Claire Thomas says she couldn't help people in Iraq and Afghanistan, but she could tell their stories.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03614-z", - "creator": "Ewen Callaway", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/uk-wales-59332407?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 10:43:45 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d8ca680902d54ce217eda2f050d7b7f" + "hash": "894133770f86f3a6bec4759c9ee4c06e" }, { - "title": "Omicron-variant border bans ignore the evidence, say scientists", - "description": "", - "content": "\n ", + "title": "'I never expected my wedding song to be a global hit'", + "description": "Nimco Happy, the Somali singer of the viral TikTok hit Isii Nafta (I love you more than my life), reacts to her new-found fame.", + "content": "Nimco Happy, the Somali singer of the viral TikTok hit Isii Nafta (I love you more than my life), reacts to her new-found fame.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03608-x", - "creator": "Smriti Mallapaty", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59369575?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 07:38:55 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7d6c2625e02d35ff6c47442078cecdbc" + "hash": "1d945f3b231d0ce13780952eaead2085" }, { - "title": "Daily briefing: What a healthy, sustainable diet looks like", - "description": "", - "content": "\n ", + "title": "The 99-year-old cyclist who has won a world silver medal", + "description": "How a former World War Two pilot came second in a cycling competition for older people.", + "content": "How a former World War Two pilot came second in a cycling competition for older people.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03639-4", - "creator": "Flora Graham", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/business-59317505?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 00:09:08 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "315627d93778bfbf51a760dc8e202203" + "hash": "3ccc2ae3a0a0db12aff9f92e13d5bf61" }, { - "title": "This tiny iron-rich world is extraordinarily metal", - "description": "", - "content": "\n ", + "title": "TB Joshua's widow and the battle for his Nigerian church", + "description": "Five months after the death of the prominent Nigerian televangelist, services have resumed.", + "content": "Five months after the death of the prominent Nigerian televangelist, services have resumed.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03587-z", - "creator": "Alexandra Witze", - "pubDate": "2021-12-02", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59295624?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 00:08:48 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb473b0ce681c1f4306a7d2574c0330a" + "hash": "56cb8b9d543a9c3a931357b421402f2b" }, { - "title": "Non-trivial role of internal climate feedback on interglacial temperature evolution", - "description": "", - "content": "\n ", + "title": "Why schools are failing children on climate change", + "description": "Experts say it's time for India's schools to start teaching climate change as a distinct subject.", + "content": "Experts say it's time for India's schools to start teaching climate change as a distinct subject.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-03930-4", - "creator": "Xu Zhang", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59173478?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 00:06:36 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "306384ce1643d3b8f26a22adaf9b74ba" + "hash": "fa12d130c1b2bd5a889b5359f328366d" }, { - "title": "Video: Rebuilding a retina", - "description": "", - "content": "\n ", + "title": "Kunsthaus Zurich: Looted art claims pose questions for Swiss museum", + "description": "Emil Bührle's impressionist art collection raises problems for Zurich's big, extended Kunsthaus.", + "content": "Emil Bührle's impressionist art collection raises problems for Zurich's big, extended Kunsthaus.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03576-2", + "link": "https://www.bbc.co.uk/news/world-europe-59320514?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Mon, 22 Nov 2021 00:04:04 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f117cc1c6a4ac0162a39384bc2210cb5" + "hash": "38c003678146d44dbef13f4328ea3d08" }, { - "title": "The quest to treat dry age-related macular degeneration", - "description": "", - "content": "\n ", + "title": "Beirut blast: UN ignored plea for port disaster evidence", + "description": "Letters to the UN chief's office requesting key information have gone unanswered, the BBC has found.", + "content": "Letters to the UN chief's office requesting key information have gone unanswered, the BBC has found.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03574-4", - "creator": "Michael Eisenstein", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-middle-east-59290301?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 00:00:53 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "961e29d4bc84d35e411025126398944f" + "hash": "e94ecb42ace0e331494144a5cd62abba" }, { - "title": "Shutting ‘super-polluters’ slashes greenhouse gases — and deaths", - "description": "", - "content": "\n ", + "title": "Covid: Water cannons and tear gas fired at protesters in Belgium", + "description": "Belgium is the latest country to face unrest over new Covid-19 measures, with anger spreading across Europe.", + "content": "Belgium is the latest country to face unrest over new Covid-19 measures, with anger spreading across Europe.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03581-5", + "link": "https://www.bbc.co.uk/news/world-europe-59368718?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Sun, 21 Nov 2021 18:11:55 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38f6d368757750d42a2919be519a4298" + "hash": "215e22c09432f2933aec0894fbbc06fe" }, { - "title": "Pandemic mental health and Eurasia’s oldest jewellery", - "description": "", - "content": "\n ", + "title": "ICYMI: Snowboarding baby goes viral and motocross rider front flips off a cliff", + "description": "Snowboarding baby, Wang Yuji, goes viral in China and others stories you may have missed this week.", + "content": "Snowboarding baby, Wang Yuji, goes viral in China and others stories you may have missed this week.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03570-8", + "link": "https://www.bbc.co.uk/news/world-59346367?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Sun, 21 Nov 2021 12:02:37 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42c18d0faa5c99c45c0e9100562fe078" + "hash": "7f6e453458e74c8d44c55c59ef42260c" }, { - "title": "What’s the best diet for people and the planet?", - "description": "", - "content": "\n ", + "title": "Ole Gunnar Solskjaer: What went wrong at Man Utd?", + "description": "Ole Gunnar Solskjaer leaves Old Trafford after a slump in form - but was it all down to him?", + "content": "Ole Gunnar Solskjaer leaves Old Trafford after a slump in form - but was it all down to him?", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03601-4", - "creator": "Benjamin Thompson", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/sport/football/59364799?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Sun, 21 Nov 2021 10:38:53 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a86a9691461a54eb28eb765375db049e" + "hash": "55afbe3d2d62def8b14eacd27b8f4afa" }, { - "title": "This enormous eagle could have killed you, probably", - "description": "", - "content": "\n ", + "title": "Barcelona tackles roaming wild boar problem", + "description": "Pop star Shakira is just one of the city's residents to have had problems with the animals.", + "content": "Pop star Shakira is just one of the city's residents to have had problems with the animals.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03585-1", + "link": "https://www.bbc.co.uk/news/world-europe-59352740?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Sun, 21 Nov 2021 00:04:35 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d990da531864a446a89e90953b641c3d" + "hash": "ca474f0ca62b6dfce6e766f804069d99" }, { - "title": "In situ Raman spectroscopy reveals the structure and dissociation of interfacial water", - "description": "", - "content": "\n ", + "title": "Kyle Rittenhouse: Who is US teen cleared of protest killings?", + "description": "The suspect shot three men, two of whom were armed, during racial unrest in Wisconsin.", + "content": "The suspect shot three men, two of whom were armed, during racial unrest in Wisconsin.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04068-z", - "creator": "Yao-Hui Wang", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-53934109?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 22:43:21 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc1557bbe085ea25a092abc6d7341f5f" + "hash": "70fdde6c646e5b9b93e81d9e2e7da8ff" }, { - "title": "Reply to: Non-trivial role of internal climate feedback on interglacial temperature evolution", - "description": "", - "content": "\n ", + "title": "Belarus's Lukashenko tells BBC: We may have helped migrants into EU", + "description": "In an exclusive interview, Alexander Lukashenko says it was \"absolutely possible\" migrants had help.", + "content": "In an exclusive interview, Alexander Lukashenko says it was \"absolutely possible\" migrants had help.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-03931-3", - "creator": "Samantha Bova", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59343815?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 22:24:03 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "97c9d21ecb1b650c7546cb6f2e4208ff" + "hash": "d05d83f9f0bd6ab8e9c0aa9e64c38ebf" }, { - "title": "Optomechanical dissipative solitons", - "description": "", - "content": "\n ", + "title": "Kyle Rittenhouse: US teenager cleared over Kenosha killings", + "description": "Kyle Rittenhouse killed two men and injured a third at racial justice protests in Kenosha, Wisconsin.", + "content": "Kyle Rittenhouse killed two men and injured a third at racial justice protests in Kenosha, Wisconsin.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04012-1", - "creator": "Jing Zhang", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59352228?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:46:02 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0d5b81a0323c40b02bc24c103862b4cf" + "hash": "c648e9b5f78e8704606c5f658290faf1" }, { - "title": "Bizarre tail weaponry in a transitional ankylosaur from subantarctic Chile", - "description": "", - "content": "\n ", + "title": "Peng Shuai: US 'deeply concerned' over Chinese tennis star", + "description": "Peng Shuai, 35, has not been heard from since she accused a top Chinese official of sexual assault.", + "content": "Peng Shuai, 35, has not been heard from since she accused a top Chinese official of sexual assault.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04147-1", - "creator": "Sergio Soto-Acuña", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-china-59327679?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:31:12 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e037396dbd3ef61dde7cb066d542c2ec" + "hash": "a723ed62d265e517684a6c6fee012339" }, { - "title": "Footprint evidence of early hominin locomotor diversity at Laetoli, Tanzania", - "description": "", - "content": "\n ", + "title": "In pictures: British Columbia devastated by catastrophic floods", + "description": "The flooding in Canada's west may be the most expensive natural disaster in the country's history.", + "content": "The flooding in Canada's west may be the most expensive natural disaster in the country's history.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04187-7", - "creator": "Ellison J. McNutt", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59352803?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 21:24:22 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "adf08c9507196ac151b96fdeed3cf5f3" + "hash": "579cb96a4121049d464911da10488a26" }, { - "title": "Advancing mathematics by guiding human intuition with AI", - "description": "", - "content": "\n ", + "title": "DR Congo data leak: Millions transferred to Joseph Kabila allies", + "description": "Family and friends of former DR Congo President Joseph Kabila are named by Africa's biggest data leak.", + "content": "Family and friends of former DR Congo President Joseph Kabila are named by Africa's biggest data leak.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04086-x", - "creator": "Alex Davies", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59343922?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 17:57:59 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ad456be50130f55c012fae81a0e4d13" + "hash": "ac92bff0ab3e0d108d59190df13ab416" }, { - "title": "Antiviral activity of bacterial TIR domains via immune signalling molecules", - "description": "", - "content": "\n ", + "title": "Kamala Harris: First woman to get US presidential powers (briefly)", + "description": "Vice-President Kamala Harris briefly took control during Joe Biden's routine health check.", + "content": "Vice-President Kamala Harris briefly took control during Joe Biden's routine health check.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04098-7", - "creator": "Gal Ofir", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59352170?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 17:44:18 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, + "feed": "BBC Worldwide", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ce11ba0ce9a4c1cd78523891cb86b9ad" + "hash": "62e80eb265d267cd27b9d2008a26fb13" }, { - "title": "Antigen-presenting innate lymphoid cells orchestrate neuroinflammation", - "description": "", - "content": "\n ", + "title": "Austria to go into full lockdown as Covid surges", + "description": "As well as Monday's lockdown, the chancellor says vaccinations will be compulsory from February.", + "content": "As well as Monday's lockdown, the chancellor says vaccinations will be compulsory from February.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04136-4", - "creator": "John B. Grigg", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59343650?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:49:00 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e405a21e4fba1937cc66d66cb3bf583" + "hash": "093210740231d88f7948e5a107ce400b" }, { - "title": "Local circuit amplification of spatial selectivity in the hippocampus", - "description": "", - "content": "\n ", + "title": "Belarus president tells BBC: ‘We won’t stop the migrants’", + "description": "In an exclusive interview, President Lukashenko tells the BBC it’s “absolutely possible” his forces helped migrants cross into Poland.", + "content": "In an exclusive interview, President Lukashenko tells the BBC it’s “absolutely possible” his forces helped migrants cross into Poland.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04169-9", - "creator": "Tristan Geiller", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-59353683?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:43:52 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbdb2721f53b565085eabde36a43a713" + "hash": "621a46140d41fb9a58dbfa624d7b3cca" }, { - "title": "Cyclic evolution of phytoplankton forced by changes in tropical seasonality", - "description": "", - "content": "\n ", + "title": "Africa is the future, says US. But what will change?", + "description": "US Secretary of State Antony Blinken talks of partnerships and avoids condescending lectures of the past.", + "content": "US Secretary of State Antony Blinken talks of partnerships and avoids condescending lectures of the past.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04195-7", - "creator": "Luc Beaufort", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-africa-59327059?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:43:28 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0ce47787d67875b6b1006be284e4d4c" + "hash": "45f35b0e1a3e94bab1850298fe1be5ee" }, { - "title": "Accuracy mechanism of eukaryotic ribosome translocation", - "description": "", - "content": "\n ", + "title": "Elijah McClain family to receive $15m settlement from Colorado", + "description": "Elijah McClain was put in a chokehold and injected with ketamine after being stopped by police.", + "content": "Elijah McClain was put in a chokehold and injected with ketamine after being stopped by police.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04131-9", - "creator": "Muminjon Djumagulov", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59351260?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:05:58 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5aef9e801605a5d11bf1385037cc164e" + "hash": "4ec1339b2280786c7a129a2260846d05" }, { - "title": "Quantifying social organization and political polarization in online platforms", - "description": "", - "content": "\n ", + "title": "US House votes to pass $1.9tn social spending plan", + "description": "The Build Back Better Act now heads to the Senate, where it faces significant hurdles.", + "content": "The Build Back Better Act now heads to the Senate, where it faces significant hurdles.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04167-x", - "creator": "Isaac Waller", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59351261?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 16:03:01 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f034bef35fa95929bc21f9f73b871a88" + "hash": "9ca02054e34a03a970dc5d98d43b358e" }, { - "title": "Sound emission and annihilations in a programmable quantum vortex collider", - "description": "", - "content": "\n ", + "title": "Brazil: Amazon sees worst deforestation levels in 15 years", + "description": "The figures come after Brazil promised to end the practice by 2030 during the COP climate summit.", + "content": "The figures come after Brazil promised to end the practice by 2030 during the COP climate summit.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04047-4", - "creator": "W. J. Kwon", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-latin-america-59341770?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 09:47:31 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a68ea0a2b3d48a6bd264150d89abfbce" + "hash": "cd76efca2b6f68f109bd03f18a4a3eca" }, { - "title": "Activation of homologous recombination in G1 preserves centromeric integrity", - "description": "", - "content": "\n ", + "title": "Farm laws: India PM Narendra Modi repeals controversial reforms", + "description": "Indian PM Narendra Modi has announced the repeal of controversial farm laws.", + "content": "Indian PM Narendra Modi has announced the repeal of controversial farm laws.", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04200-z", - "creator": "Duygu Yilmaz", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59342627?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 07:09:18 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b8aca336ed1761bb2fc298fa4ea866db" + "hash": "d17344f674995505777eb1fc5ce9330f" }, { - "title": "De novo protein design by deep network hallucination", - "description": "", - "content": "\n ", + "title": "Viewpoint: When Hindus and Muslims joined hands to riot", + "description": "What can 100-year-old riots, where Hindus and Muslims fought on the same side, teach us?", + "content": "What can 100-year-old riots, where Hindus and Muslims fought on the same side, teach us?", "category": "", - "link": "https://www.nature.com/articles/s41586-021-04184-w", - "creator": "Ivan Anishchenko", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-india-59174930?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 01:12:24 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3786897dfccba312041bd601922b88f" + "hash": "18175df8043ff3ae7b920c947f74eecc" }, { - "title": "Artificial intelligence aids intuition in mathematical discovery", - "description": "", - "content": "\n ", + "title": "Why France's Zemmour is dredging up World War Two", + "description": "The TV pundit is a likely presidential candidate but his views on wartime history are controversial.", + "content": "The TV pundit is a likely presidential candidate but his views on wartime history are controversial.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03512-4", - "creator": "Christian Stump", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-europe-59329974?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 01:09:48 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "73c80694b9513a78d86e2375532ad046" + "hash": "948753fc03e1bfe84420783d6d3476e1" }, { - "title": "Industry scores higher than academia for job satisfaction", - "description": "", - "content": "\n ", + "title": "Malaysian transgender woman Nur Sajat: 'I had to run away'", + "description": "Transgender woman Nur Sajat fled Malaysia after being charged with insulting Islam.", + "content": "Transgender woman Nur Sajat fled Malaysia after being charged with insulting Islam.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03567-3", + "link": "https://www.bbc.co.uk/news/world-asia-59286774?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Fri, 19 Nov 2021 01:02:11 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86da21ba9ff25b25bbca522d93d86325" + "hash": "d6161b78c13406468e593e95706f7145" }, { - "title": "DeepMind’s AI helps untangle the mathematics of knots", - "description": "", - "content": "\n ", + "title": "Afghanistan: The teenage girls returning to school under the Taliban", + "description": "The BBC's John Simpson visits Bamiyan and finds some girls are attending secondary school in Afghanistan.", + "content": "The BBC's John Simpson visits Bamiyan and finds some girls are attending secondary school in Afghanistan.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03593-1", - "creator": "Davide Castelvecchi", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-asia-59340356?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 00:26:02 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "489277b745d4c2f2f970641523593420" + "hash": "69cabad667ce04a8980e88eeac1404b6" }, { - "title": "Mnemovirus", - "description": "", - "content": "\n ", + "title": "Australian school food van: 'I didn't believe in myself until I got this job'", + "description": "An Australian school is using a food van to help struggling students explore new avenues.", + "content": "An Australian school is using a food van to help struggling students explore new avenues.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03577-1", - "creator": "Alexander B. Joy", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-australia-59257766?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 00:16:16 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "557f51a7205e84f340a049e60ca2df3a" + "hash": "0b6ba32e2c4089e8d2d89215f34591f1" }, { - "title": "Africa: tackle HIV and COVID-19 together", - "description": "", - "content": "\n ", + "title": "Ros Atkins on... the missing Chinese tennis star Peng Shuai", + "description": "Questions remain about the whereabouts of Peng Shuai, after she accused a top Chinese government official of sexual assault.", + "content": "Questions remain about the whereabouts of Peng Shuai, after she accused a top Chinese government official of sexual assault.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03546-8", - "creator": "Nokukhanya Msomi", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-59341755?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 00:08:34 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c1eeb09c36d6b44592a99321b9744d4" + "hash": "4667c41dd20dee9f25fef70cf4ccc947" }, { - "title": "What humanity should eat to stay healthy and save the planet", - "description": "", - "content": "\n ", + "title": "The doctor fleeing Tennessee over Covid", + "description": "The former head of the US state's vaccine rollout has been forced out after threats and taunts.", + "content": "The former head of the US state's vaccine rollout has been forced out after threats and taunts.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03565-5", - "creator": "Gayathri Vaidyanathan", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "link": "https://www.bbc.co.uk/news/world-us-canada-59335010?at_medium=RSS&at_campaign=KARANGA", + "creator": "", + "pubDate": "Thu, 18 Nov 2021 21:34:49 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7911ad67fbb1617d1a69e257c6f5abb7" + "hash": "25a34e71a3d136c6d26773934d97a3ff" }, { - "title": "Armoured dinosaurs of the Southern Hemisphere", - "description": "", - "content": "\n ", + "title": "The family of asylum-seekers trapped on Europe’s edge", + "description": "A BBC team filmed a couple and their two-year-old daughter as they attempted to cross the Bosnia-Croatia border into the EU in search of asylum for the 40th time.", + "content": "A BBC team filmed a couple and their two-year-old daughter as they attempted to cross the Bosnia-Croatia border into the EU in search of asylum for the 40th time.", "category": "", - "link": "https://www.nature.com/articles/d41586-021-03572-6", + "link": "https://www.bbc.co.uk/news/world-europe-59325777?at_medium=RSS&at_campaign=KARANGA", "creator": "", - "pubDate": "2021-12-01", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", + "pubDate": "Thu, 18 Nov 2021 05:59:26 GMT", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "BBC Worldwide", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6233b23b64a17882d50b101554b55ec5" - }, + "hash": "574704d6a882191b6aca4393241a6ea0" + } + ], + "folder": "00.03 News/News - EN", + "name": "BBC Worldwide", + "language": "en", + "hash": "59d739939902ce3799242c8149a06d1f" + }, + { + "title": "Lifehacker", + "subtitle": "", + "link": "https://lifehacker.com", + "image": null, + "description": "Do everything better", + "items": [ { - "title": "Earth’s eccentric orbit paced the evolution of marine phytoplankton", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03549-5", - "creator": "Rosalind E. M. Rickaby", - "pubDate": "2021-12-01", + "title": "What to Do When Someone's Having a Heart Attack, so You're Not Carrie Bradshaw", + "description": "

    Spoilers ahead for And Just Like That…, the Sex and the City reboot on HBO Max, although this news has been hard to ignore whether or not you even watch the show.

    Read more...

    ", + "content": "

    Spoilers ahead for And Just Like That…, the Sex and the City reboot on HBO Max, although this news has been hard to ignore whether or not you even watch the show.

    Read more...

    ", + "category": "carrie fucking bradshaw", + "link": "https://lifehacker.com/what-to-do-when-someones-having-a-heart-attack-so-your-1848215254", + "creator": "Meredith Dietz", + "pubDate": "Tue, 14 Dec 2021 21:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e976565e1fc17d07fbc610c4a9bd8d42" + "hash": "256898f62e43bb6818583bc3534e262b" }, { - "title": "‘BRICS’ nations are collaborating on science but need a bigger global platform", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03568-2", - "creator": "", - "pubDate": "2021-12-01", + "title": "Why You Should Enable Fall Protection on Your Apple Watch, Even If You're Young", + "description": "

    The Apple Watch is an excellent health tool. It tracks your steps, keeps count of your expended calories, and helps you check in on your heart rate. While many of its excellent features work out of the box, one option is often turned off by default, and it’s the one option that could very well save someone’s life.

    Read more...

    ", + "content": "

    The Apple Watch is an excellent health tool. It tracks your steps, keeps count of your expended calories, and helps you check in on your heart rate. While many of its excellent features work out of the box, one option is often turned off by default, and it’s the one option that could very well save someone’s life.

    Read more...

    ", + "category": "apple watch", + "link": "https://lifehacker.com/why-you-should-enable-fall-protection-on-your-apple-wat-1848212497", + "creator": "Jake Peterson", + "pubDate": "Tue, 14 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "857614b74c577c0930ee4c24147bc8b8" + "hash": "7dd71470b985bf9ee49ee73c883a5b7b" }, { - "title": "Hominin footprints at Laetoli reveal a walk on the wild side", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03469-4", - "creator": "Stephanie M. Melillo", - "pubDate": "2021-12-01", + "title": "Why You Should Stop Using the Phrase 'Master Bedroom'", + "description": "

    Fans of TV shows featuring house-hunting, flipping, flopping, or home improvement may have noticed a new term popping up in more recent episodes: “primary bedroom.” It’s also slowly becoming the norm in real estate descriptions, and even if the term is unfamiliar at first, context clues will tell you that “primary…

    Read more...

    ", + "content": "

    Fans of TV shows featuring house-hunting, flipping, flopping, or home improvement may have noticed a new term popping up in more recent episodes: “primary bedroom.” It’s also slowly becoming the norm in real estate descriptions, and even if the term is unfamiliar at first, context clues will tell you that “primary…

    Read more...

    ", + "category": "bedroom", + "link": "https://lifehacker.com/why-you-should-stop-using-the-phrase-master-bedroom-1848204457", + "creator": "Elizabeth Yuko", + "pubDate": "Tue, 14 Dec 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6dbc9d350903ac43d51cd00bf5fb3278" + "hash": "be1350860d73d41e1f33ce5a4363d6cd" }, { - "title": "World commits to a pandemic-response pact: what’s next", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03596-y", - "creator": "Amy Maxmen", - "pubDate": "2021-12-01", + "title": "How to Finally Disable Auto Macro Mode on iPhone 13 Pro", + "description": "

    Apple pulled off a neat trick on the iPhone 13 Pro and 13 Pro Max; it added a surprisingly good Macro mode to the Camera app, without even adding a separate Macro camera (like Android phones do). The Camera app automatically switches to a cropped version of the Ultra-Wide camera once you got closer to an object.…

    Read more...

    ", + "content": "

    Apple pulled off a neat trick on the iPhone 13 Pro and 13 Pro Max; it added a surprisingly good Macro mode to the Camera app, without even adding a separate Macro camera (like Android phones do). The Camera app automatically switches to a cropped version of the Ultra-Wide camera once you got closer to an object.…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/how-to-finally-disable-auto-macro-mode-on-iphone-13-pro-1848213448", + "creator": "Khamosh Pathak", + "pubDate": "Tue, 14 Dec 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89302122318ae18d673eaefa0356ba3b" + "hash": "ae2b31be62b4cb0721d9150cc2c1f006" }, { - "title": "How to tell a compelling story in scientific presentations", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03603-2", - "creator": "Bruce Kirchoff", - "pubDate": "2021-12-01", + "title": "The Best Warm Winter Cocktails That Aren't the Same Old Hot Toddy", + "description": "

    Warm cocktails are tricky for me. I have an overactive internal furnace, and hot ethanol tends to waft in an aggressive manner. (I even chill my mulled port.) But, at lest once a holiday season, when I’m nice and high on nostalgia, I give into the warming promise of a toddy, a mulled something, or a boozy coffee, and…

    Read more...

    ", + "content": "

    Warm cocktails are tricky for me. I have an overactive internal furnace, and hot ethanol tends to waft in an aggressive manner. (I even chill my mulled port.) But, at lest once a holiday season, when I’m nice and high on nostalgia, I give into the warming promise of a toddy, a mulled something, or a boozy coffee, and…

    Read more...

    ", + "category": "liquids", + "link": "https://lifehacker.com/the-best-warm-winter-cocktails-that-arent-the-same-old-1848214317", + "creator": "Claire Lower", + "pubDate": "Tue, 14 Dec 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30fd2668c2f4af909969239427e49d0d" + "hash": "5f7bb8db3e8288b906ab27779c4105e5" }, { - "title": "A visual guide to repairing the retina", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03575-3", - "creator": "Michael Eisenstein", - "pubDate": "2021-12-01", + "title": "Lifehacker Is Hiring a Personal Finance Writer", + "description": "

    Lifehacker is looking for a Senior Finance Writer, which means we’re looking for a particular kind of person: Our finance writers cover specialized topics, but those topics need to be explained in an approachable, down-to-earth way. In other words, you’re not writing for the Financial fucking Times, and you should be…

    Read more...

    ", + "content": "

    Lifehacker is looking for a Senior Finance Writer, which means we’re looking for a particular kind of person: Our finance writers cover specialized topics, but those topics need to be explained in an approachable, down-to-earth way. In other words, you’re not writing for the Financial fucking Times, and you should be…

    Read more...

    ", + "category": "lifehacker", + "link": "https://lifehacker.com/lifehacker-is-hiring-a-personal-finance-writer-1848213371", + "creator": "Jordan Calhoun", + "pubDate": "Tue, 14 Dec 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "abf601907b3e2406ff5d37edf710b931" + "hash": "c2325f971e7c10ba629e3e5f096f7734" }, { - "title": "Daily briefing: Omicron was already spreading in Europe", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03610-3", - "creator": "Flora Graham", - "pubDate": "2021-12-01", + "title": "The Best of 404PageFound, and Other Primitive '90s Websites That Still Exist", + "description": "

    The idea that once something hits the internet, it’s there forever, isn’t true. Things disappear from the internet all the time, from once-thriving online communities being killed when their hosting company goes under, to publications that have their archives wiped, to personal sites that vanish when their owners stop…

    Read more...

    ", + "content": "

    The idea that once something hits the internet, it’s there forever, isn’t true. Things disappear from the internet all the time, from once-thriving online communities being killed when their hosting company goes under, to publications that have their archives wiped, to personal sites that vanish when their owners stop…

    Read more...

    ", + "category": "world wide web", + "link": "https://lifehacker.com/the-best-of-404pagefound-and-other-primitive-90s-websi-1848208541", + "creator": "Stephen Johnson", + "pubDate": "Tue, 14 Dec 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e5194201ea7a6157745666dbb56aa249" + "hash": "1b60500eccddaef35fe675df144dc049" }, { - "title": "Choreographing water molecules to speed up hydrogen production", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03511-5", - "creator": "Matthias M. Waegele", - "pubDate": "2021-12-01", + "title": "14 Korean Movies to Watch Before an American Remake Ruins Them", + "description": "

    To quote Parasite director Bong Joon-Ho, “...once you overcome the 1-inch tall barrier of subtitles, you will be introduced to so many more amazing films.”

    Fortunately, in the streaming area, a great many of those amazing films are more readily available than ever before—certainly there’s no shortage of great films…

    Read more...

    ", + "content": "

    To quote Parasite director Bong Joon-Ho, “...once you overcome the 1-inch tall barrier of subtitles, you will be introduced to so many more amazing films.”

    Fortunately, in the streaming area, a great many of those amazing films are more readily available than ever before—certainly there’s no shortage of great films…

    Read more...

    ", + "category": "cinema of south korea", + "link": "https://lifehacker.com/14-korean-movies-to-watch-before-an-american-remake-rui-1848207126", + "creator": "Ross Johnson", + "pubDate": "Tue, 14 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "26da92b50a5b400fadcde1aa18bc3fcc" + "hash": "3bcb3478fdcdaf6cfbee415e6e6091bc" }, { - "title": "Robotic sample return reveals lunar secrets", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03547-7", - "creator": "Richard W. Carlson", - "pubDate": "2021-12-01", + "title": "How to Tell If You're Getting Bad Advice at the Hardware Store", + "description": "

    If you’re looking for some help from a hardware store employee, the advice you get can vary depending on the knowledge and experience of the person helping you. Most of the time, salespeople at hardware stores will offer good-intentioned suggestions, but sometimes even advice made with the best of intentions can be…

    Read more...

    ", + "content": "

    If you’re looking for some help from a hardware store employee, the advice you get can vary depending on the knowledge and experience of the person helping you. Most of the time, salespeople at hardware stores will offer good-intentioned suggestions, but sometimes even advice made with the best of intentions can be…

    Read more...

    ", + "category": "advice", + "link": "https://lifehacker.com/how-to-tell-if-youre-getting-bad-advice-at-the-hardware-1848187465", + "creator": "Becca Lewis", + "pubDate": "Tue, 14 Dec 2021 17:02:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bd311fb546ac76166eeb6b94fcca1f75" + "hash": "49ddd0862ac15cc21814ff20d8b85b84" }, { - "title": "An autoimmune stem-like CD8 T cell population drives type 1 diabetes", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04248-x", - "creator": "Sofia V. Gearty", - "pubDate": "2021-11-30", + "title": "How to Make the Best Vegetarian Charcuterie Board You've Ever Had", + "description": "

    Charcuterie boards are fantastic in a million ways, whether it’s taking one on a camping trip, assembling one for your kids’ lunch, hosting a party, a last-minute dinner when you’re too tired to cook, or even giving one as a Valentine’s Day gift. The classics are classics for a reason, and charcuterie boards are no…

    Read more...

    ", + "content": "

    Charcuterie boards are fantastic in a million ways, whether it’s taking one on a camping trip, assembling one for your kids’ lunch, hosting a party, a last-minute dinner when you’re too tired to cook, or even giving one as a Valentine’s Day gift. The classics are classics for a reason, and charcuterie boards are no…

    Read more...

    ", + "category": "salt and pepper", + "link": "https://lifehacker.com/how-to-make-the-best-vegetarian-charcuterie-board-youve-1848211309", + "creator": "Rachel Fairbank", + "pubDate": "Tue, 14 Dec 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d6d2c42da7d2b741c9d9108ced85e682" + "hash": "82f82663334fa0e248cd196538b857be" }, { - "title": "Author Correction: Targeting LIF-mediated paracrine interaction for pancreatic cancer therapy and monitoring", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04176-w", - "creator": "Yu Shi", - "pubDate": "2021-11-30", + "title": "How to Check Your Internet Speed Directly in macOS Monterey", + "description": "

    If you want to check how fast (or slow) your internet is, the usual method is to go to speedtest.net, fast.com, or any of the bajillion other internet speed test sites. But if you have a Mac running macOS Monterey, you don’t need to visit any website to check your internet speed. There’s now a built-in tool in macOS,…

    Read more...

    ", + "content": "

    If you want to check how fast (or slow) your internet is, the usual method is to go to speedtest.net, fast.com, or any of the bajillion other internet speed test sites. But if you have a Mac running macOS Monterey, you don’t need to visit any website to check your internet speed. There’s now a built-in tool in macOS,…

    Read more...

    ", + "category": "macos", + "link": "https://lifehacker.com/how-to-check-your-internet-speed-directly-in-macos-mont-1848211312", + "creator": "Pranay Parab", + "pubDate": "Tue, 14 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6c76d524fc7e9413e92916c7caa477c3" + "hash": "5920a207ea71348bb1c43916e7db2fa5" }, { - "title": "Time-Crystalline Eigenstate Order on a Quantum Processor", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04257-w", - "creator": "Xiao Mi", - "pubDate": "2021-11-30", + "title": "The Most Powerful Passport in the World, and Other Things You Don't Know About Your Little Travel Booklet", + "description": "

    Of course you need a passport to cross international borders, but they’re more than a required travel document: They keep track of your globetrotting, and there’s nuance to both the design of your passport booklet and the access it provides. Here are 12 interesting facts you may not know about your passport.

    Read more...

    ", + "content": "

    Of course you need a passport to cross international borders, but they’re more than a required travel document: They keep track of your globetrotting, and there’s nuance to both the design of your passport booklet and the access it provides. Here are 12 interesting facts you may not know about your passport.

    Read more...

    ", + "category": "canadian passport", + "link": "https://lifehacker.com/the-most-powerful-passport-in-the-world-and-other-thin-1848210861", + "creator": "Emily Long", + "pubDate": "Tue, 14 Dec 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38bb26f060dbb80c503f163f9ef082e0" + "hash": "064f737d83b342fff8d95ad32ed07d28" }, { - "title": "Climate researchers: consider standing for office — I did", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03540-0", - "creator": "John Dearing", - "pubDate": "2021-11-30", + "title": "How to Explain to Your Kids Why You Celebrate Christmas When You Aren't Religious", + "description": "

    One of the big shifts between our parents’ generation and ours is the increasing number of families who are choosing to raise their children without religious beliefs. In a 2019 survey that was conducted by the American Enterprise Institute, only 42% of families with children under the age of 18 report attending…

    Read more...

    ", + "content": "

    One of the big shifts between our parents’ generation and ours is the increasing number of families who are choosing to raise their children without religious beliefs. In a 2019 survey that was conducted by the American Enterprise Institute, only 42% of families with children under the age of 18 report attending…

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/how-to-explain-to-your-kids-why-you-celebrate-christmas-1848202356", + "creator": "Rachel Fairbank", + "pubDate": "Tue, 14 Dec 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "24abe63dd0f96545eba88e246dd60a27" + "hash": "f3abc7b7f83e6a89b1b490bfd173a0fd" }, { - "title": "Animal experiments: EU is pushing to find substitutes fast", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03539-7", - "creator": "Stefan Hippenstiel", - "pubDate": "2021-11-30", + "title": "10 of the Best Android Apps of 2021, According to Google", + "description": "

    Got an Android device? If so, Google’s got a great selection of apps and games for you to check out. At the end of each year, both Apple and Google award the best apps and games on their respective app stores. (If you have an iPhone, you should check out our best-of Apple list.) And if you haven’t had the time to try…

    Read more...

    ", + "content": "

    Got an Android device? If so, Google’s got a great selection of apps and games for you to check out. At the end of each year, both Apple and Google award the best apps and games on their respective app stores. (If you have an iPhone, you should check out our best-of Apple list.) And if you haven’t had the time to try…

    Read more...

    ", + "category": "google", + "link": "https://lifehacker.com/10-of-the-best-android-apps-of-2021-according-to-googl-1848205308", + "creator": "Pranay Parab", + "pubDate": "Tue, 14 Dec 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18b9cbc8a6561982178f68c5f30b0464" + "hash": "338f2a4905e4b1fe67fa738abbca4c9c" }, { - "title": "From the archive", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03513-3", - "creator": "", - "pubDate": "2021-11-30", + "title": "These Sous Vide Eggs Will Make Your Christmas Morning Merrier (and Easier)", + "description": "

    On Christmas morning breakfast should be fairly hands-off and immensely forgivable, which is why I usually favor a combination of out-of-a-tube cinnamon rolls and bacon or a bag of sausage biscuits from McDonald’s. I realize, however, that some red-blooded Americans need eggs to get their day going, even if that day…

    Read more...

    ", + "content": "

    On Christmas morning breakfast should be fairly hands-off and immensely forgivable, which is why I usually favor a combination of out-of-a-tube cinnamon rolls and bacon or a bag of sausage biscuits from McDonald’s. I realize, however, that some red-blooded Americans need eggs to get their day going, even if that day…

    Read more...

    ", + "category": "sous vide", + "link": "https://lifehacker.com/these-sous-vide-eggs-will-make-your-christmas-morning-m-1848208409", + "creator": "Claire Lower", + "pubDate": "Tue, 14 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e300f90863bd72481321dc690b410a36" + "hash": "71070c0bfde955a1bdc035e4821b62a1" }, { - "title": "Collaborate equitably in ancient DNA research and beyond", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03541-z", - "creator": "Mehmet Somel", - "pubDate": "2021-11-30", + "title": "Don’t Become a Victim of This TSA PreCheck Scam", + "description": "

    The 2020 holiday season was no picnic, but it looks like 2021 will have its own challenges. Although vaccines are available for the vast majority of Americans who want them, we are still very much in the middle of a global pandemic, battling the latest new, concerning variant. Although things don’t quite look like we…

    Read more...

    ", + "content": "

    The 2020 holiday season was no picnic, but it looks like 2021 will have its own challenges. Although vaccines are available for the vast majority of Americans who want them, we are still very much in the middle of a global pandemic, battling the latest new, concerning variant. Although things don’t quite look like we…

    Read more...

    ", + "category": "tsa precheck", + "link": "https://lifehacker.com/don-t-become-a-victim-of-this-tsa-precheck-scam-1848204454", + "creator": "Elizabeth Yuko", + "pubDate": "Tue, 14 Dec 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bcafe1b654f01127537f0dddf1642991" + "hash": "6db3e1da8df9e377fa39449859519e80" }, { - "title": "Across the Sahara in a day: swifts zip across the desert at amazing rates", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03582-4", - "creator": "", - "pubDate": "2021-11-30", + "title": "11 of the Weirdest Christmas Traditions We Should Absolutely Bring Back", + "description": "

    If a straight-up snitch like the Elf on the Shelf can become a holiday mainstay, literally anything can—and many stranger things have. I’m here to argue that the following activities, ideas, and traditions that were once annual winter traditions somewhere, can be again if we all believe hard enough. And believe, I do.

    Read more...

    ", + "content": "

    If a straight-up snitch like the Elf on the Shelf can become a holiday mainstay, literally anything can—and many stranger things have. I’m here to argue that the following activities, ideas, and traditions that were once annual winter traditions somewhere, can be again if we all believe hard enough. And believe, I do.

    Read more...

    ", + "category": "traditions", + "link": "https://lifehacker.com/11-of-the-weirdest-christmas-traditions-we-should-absol-1848189392", + "creator": "Stephen Johnson", + "pubDate": "Tue, 14 Dec 2021 13:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1e14bdeda807796d202035badde680e" + "hash": "5be182eeb1e992ac907aca9ca2322fb2" }, { - "title": "Ancient-DNA researchers write their own rules", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03542-y", - "creator": "Krystal S. Tsosie", - "pubDate": "2021-11-30", + "title": "We Present to You a Ridiculous Number of Ways to Use Old Socks (Other Than That One, You Perv)", + "description": "

    Socks may come into this world as a pair, but they almost always leave this world alone. Luckily, you don’t necessarily need to toss out socks that are missing their perfect match, or stretched-out, or threadbare, or hole-y. From cleaning your home to craft supplies for your kids, there are plenty of ingenious ways to…

    Read more...

    ", + "content": "

    Socks may come into this world as a pair, but they almost always leave this world alone. Luckily, you don’t necessarily need to toss out socks that are missing their perfect match, or stretched-out, or threadbare, or hole-y. From cleaning your home to craft supplies for your kids, there are plenty of ingenious ways to…

    Read more...

    ", + "category": "socks", + "link": "https://lifehacker.com/we-present-to-you-a-ridiculous-number-of-ways-to-use-ol-1848207919", + "creator": "Meredith Dietz", + "pubDate": "Mon, 13 Dec 2021 22:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1b76b30ba166180d2fec3db2d13bcbb" + "hash": "15c20213d48ee8496d442a7337f166aa" }, { - "title": "China’s Mars rover has amassed reams of novel geological data", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03554-8", - "creator": "Smriti Mallapaty", - "pubDate": "2021-11-30", + "title": "How to Count 'One Mississippi' Around the World", + "description": "

    I know I’m not the only one who learned to count “one Mississippi, two Mississippi” as a kid. The idea, of course, is that when you insert those words between your numbers, the pace of your counting will roughly match the seconds on a clock. But Mississippi can’t be universal around the world, can it? A redditor asked…

    Read more...

    ", + "content": "

    I know I’m not the only one who learned to count “one Mississippi, two Mississippi” as a kid. The idea, of course, is that when you insert those words between your numbers, the pace of your counting will roughly match the seconds on a clock. But Mississippi can’t be universal around the world, can it? A redditor asked…

    Read more...

    ", + "category": "motherfucker", + "link": "https://lifehacker.com/how-to-count-one-mississippi-around-the-world-1848205496", + "creator": "Beth Skwarecki", + "pubDate": "Mon, 13 Dec 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0258a527eed3736f3d1af5863fd8233" + "hash": "f10acfe28c93a32d12c55fc9b319cacc" }, { - "title": "The United States needs a department of technology and science policy", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03543-x", - "creator": "Harold Varmus", - "pubDate": "2021-11-30", + "title": "Do You Need a 'Vacation Ring'?", + "description": "

    If you’ve got one, it’s probably your most expensive piece of jewelry: That gleaming stone that says “I do” (or “I did”), that shimmering token of commitment you rarely take off, that bijou that cost some major coin—your engagement ring. Considering the average couple spent close to $4,000 on engagement rings in 2020

    Read more...

    ", + "content": "

    If you’ve got one, it’s probably your most expensive piece of jewelry: That gleaming stone that says “I do” (or “I did”), that shimmering token of commitment you rarely take off, that bijou that cost some major coin—your engagement ring. Considering the average couple spent close to $4,000 on engagement rings in 2020

    Read more...

    ", + "category": "ring", + "link": "https://lifehacker.com/do-you-need-a-vacation-ring-1848206601", + "creator": "Sarah Showfety", + "pubDate": "Mon, 13 Dec 2021 21:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e3f62b2606892f72f7a334c0ea979f1" + "hash": "01102ee94b3f7bbcd1a8ea60aeda8ba1" }, { - "title": "Daily briefing: Multicellular living robots build their own offspring", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03595-z", - "creator": "Flora Graham", - "pubDate": "2021-11-30", + "title": "A Beginner's Guide to Making the Perfect Peanut Brittle", + "description": "

    When it comes to candy making, I tend to favor confections that can be made without a candy thermometer, and ideally in the microwave. Haystacks, cheater’s fudge, lazy caramels, and gin balls are a few of my favorites treats to make, eat, and give, but this year I’m adding peanut brittle to my repertoire (and to my…

    Read more...

    ", + "content": "

    When it comes to candy making, I tend to favor confections that can be made without a candy thermometer, and ideally in the microwave. Haystacks, cheater’s fudge, lazy caramels, and gin balls are a few of my favorites treats to make, eat, and give, but this year I’m adding peanut brittle to my repertoire (and to my…

    Read more...

    ", + "category": "peanut", + "link": "https://lifehacker.com/a-beginners-guide-to-making-the-perfect-peanut-brittle-1848206701", + "creator": "Claire Lower", + "pubDate": "Mon, 13 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30e03c93207ca290b806ca4e740db730" + "hash": "f3feb51791db77d4b256904407a6870d" }, { - "title": "What the Moderna–NIH COVID vaccine patent fight means for research", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03535-x", - "creator": "Heidi Ledford", - "pubDate": "2021-11-30", + "title": "How to Avoid Hooking Up With an Ex Over the Holidays", + "description": "

    Whether you’re heading back to your hometown like a Hallmark movie or just feeling lonely in general, the holidays are a prime time for that creeping feeling that you ought to text your ex and see what they’re up to. It’s easy enough to get lost in nostalgia about good holiday seasons past and wish you had that old…

    Read more...

    ", + "content": "

    Whether you’re heading back to your hometown like a Hallmark movie or just feeling lonely in general, the holidays are a prime time for that creeping feeling that you ought to text your ex and see what they’re up to. It’s easy enough to get lost in nostalgia about good holiday seasons past and wish you had that old…

    Read more...

    ", + "category": "mariah carey", + "link": "https://lifehacker.com/how-to-avoid-hooking-up-with-an-ex-over-the-holidays-1848205347", + "creator": "Lindsey Ellefson", + "pubDate": "Mon, 13 Dec 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bc46f0042655a770564e76bce094f52" + "hash": "682c35529f54b86c57d6d70aea806c25" }, { - "title": "Author Correction: Estimating a social cost of carbon for global energy consumption", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04185-9", - "creator": "Ashwin Rode", - "pubDate": "2021-11-29", + "title": "16 of the Best iOS 15.2 Feature Updates Worth Knowing About", + "description": "

    As the year comes to a close, Apple has one last surprise for all of us. No, it’s not another Apple event—it’s a new point release for iPhone and iPad. iOS 15.2 and iPadOS 15.2 dropped today, and they finally bring some of the features that were first promised to us in June 2021 at WWDC, even if there’s still no sign…

    Read more...

    ", + "content": "

    As the year comes to a close, Apple has one last surprise for all of us. No, it’s not another Apple event—it’s a new point release for iPhone and iPad. iOS 15.2 and iPadOS 15.2 dropped today, and they finally bring some of the features that were first promised to us in June 2021 at WWDC, even if there’s still no sign…

    Read more...

    ", + "category": "ios", + "link": "https://lifehacker.com/16-of-the-best-ios-15-2-feature-updates-worth-knowing-a-1848199396", + "creator": "Khamosh Pathak", + "pubDate": "Mon, 13 Dec 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbe0bd212a4e28c188986b73ddb29a3d" + "hash": "78cf4712523c03539b0df760ce2f2bc3" }, { - "title": "‘For a brown invertebrate’: rescuing native UK oysters", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03573-5", - "creator": "Virginia Gewin", - "pubDate": "2021-11-29", + "title": "How to (Legally) Cut Down Your Own Christmas Tree in a National Forest", + "description": "

    If you’re planning on bringing a live evergreen tree into your home to celebrate the holiday season (and haven’t already done so), you may find that the pickings are slim at the usual spots (like street corners, otherwise vacant lots, and dedicated Christmas tree farms). But even if that’s not the case, you may be…

    Read more...

    ", + "content": "

    If you’re planning on bringing a live evergreen tree into your home to celebrate the holiday season (and haven’t already done so), you may find that the pickings are slim at the usual spots (like street corners, otherwise vacant lots, and dedicated Christmas tree farms). But even if that’s not the case, you may be…

    Read more...

    ", + "category": "tree", + "link": "https://lifehacker.com/how-to-legally-cut-down-your-own-christmas-tree-in-a-1848204151", + "creator": "Elizabeth Yuko", + "pubDate": "Mon, 13 Dec 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "edef24ba21555c544ee78236baae8d4b" + "hash": "d6b89f35596a05d1d42e65cc465a7a4a" }, { - "title": "Is this mammoth-ivory pendant Eurasia’s oldest surviving jewellery?", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03534-y", - "creator": "Tosin Thompson", - "pubDate": "2021-11-29", + "title": "How to Use the Hidden Flight Tracker in iPhone Messages", + "description": "

    ‘Tis the season for busy airports and massive flight delays, which can cause major headaches when you’re traveling to visit family and friends. But if you and your loved ones have iMessage, you actually don’t need an airline app, a flight tracking app, or even the ability to Google to figure out if your flight is off…

    Read more...

    ", + "content": "

    ‘Tis the season for busy airports and massive flight delays, which can cause major headaches when you’re traveling to visit family and friends. But if you and your loved ones have iMessage, you actually don’t need an airline app, a flight tracking app, or even the ability to Google to figure out if your flight is off…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/how-to-use-the-hidden-flight-tracker-in-iphone-messages-1848205414", + "creator": "Emily Long", + "pubDate": "Mon, 13 Dec 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b2226e40f03a13ca0c0483cf894bb4d" + "hash": "690fd4b9769e9b7726d927e44eee976e" }, { - "title": "Audio long-read: The chase for fusion energy", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03501-7", - "creator": "Philip Ball", - "pubDate": "2021-11-29", + "title": "Don't Drink These Coke, Sprite, and Minute Maid Cans That May Be Contaminated With Metal", + "description": "

    Attention soda and juice drinkers: If that beverage you’re about to crack open is a Coca-Cola product, you’re going to want to check the label before taking a sip. That’s because some Minute Maid juices, Sprite, and Coca-Cola are part of a company-issued recall.

    Read more...

    ", + "content": "

    Attention soda and juice drinkers: If that beverage you’re about to crack open is a Coca-Cola product, you’re going to want to check the label before taking a sip. That’s because some Minute Maid juices, Sprite, and Coca-Cola are part of a company-issued recall.

    Read more...

    ", + "category": "minute maid", + "link": "https://lifehacker.com/dont-drink-these-coke-sprite-and-minute-maid-cans-tha-1848204539", + "creator": "Elizabeth Yuko", + "pubDate": "Mon, 13 Dec 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98af222f8099064b64f765f848cb3676" + "hash": "5f6d5ecdaf295f3b441d5f18f7d841b5" }, { - "title": "Victories against AIDS have lessons for COVID-19", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03569-1", - "creator": "Anthony Fauci", - "pubDate": "2021-11-29", + "title": "38 Franchise Films, TV Shows, and Sequels Coming in 2022, Because We Keep Watching Them", + "description": "

    Remember that thing you like? From before? Well, it’s back.

    Read more...

    ", + "content": "

    Remember that thing you like? From before? Well, it’s back.

    Read more...

    ", + "category": "sam raimi", + "link": "https://lifehacker.com/38-franchise-tv-shows-films-and-sequels-coming-in-202-1848201629", + "creator": "Ross Johnson", + "pubDate": "Mon, 13 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e54386fffee4976207c2c1c0f413fd63" + "hash": "4a29193c58ba060ed7a5dd76f3e08697" }, { - "title": "Discrimination still plagues science", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03043-y", - "creator": "Chris Woolston", - "pubDate": "2021-11-29", + "title": "Christmas Trees, Stocking Stuffers, and Other Holiday Essentials You Can Order From Uber Eats", + "description": "

    Are you balancing your intake of Christmas cookies by ordering Uber Eats for tacos and Pad See Ew (my personal holiday tradition)? Well, you can now keep that app open to get some holiday shopping done, too. Here’s how you can use the food delivery service to shop for your holiday must-haves—including stocking…

    Read more...

    ", + "content": "

    Are you balancing your intake of Christmas cookies by ordering Uber Eats for tacos and Pad See Ew (my personal holiday tradition)? Well, you can now keep that app open to get some holiday shopping done, too. Here’s how you can use the food delivery service to shop for your holiday must-haves—including stocking…

    Read more...

    ", + "category": "uber eats", + "link": "https://lifehacker.com/christmas-trees-stocking-stuffers-and-other-holiday-e-1848205399", + "creator": "Meredith Dietz", + "pubDate": "Mon, 13 Dec 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2f82e8fe4b93dfaedb9d7b6a23263e4" + "hash": "60516e0362ed2bcf55f7e384b42519d2" }, { - "title": "When scientists gave 1,000 vulnerable people hepatitis over 30 years", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03571-7", - "creator": "Heidi Ledford", - "pubDate": "2021-11-29", + "title": "What to Do If Someone Is Impersonating You on Instagram", + "description": "

    Is someone copying my Instagram? It’s a more common concern than you might think. Scammers sometimes impersonate legitimate accounts on Instagram to fool friends and family or catfish unsuspecting strangers. If you come across an account impersonating you or someone you know, you can take action and request the…

    Read more...

    ", + "content": "

    Is someone copying my Instagram? It’s a more common concern than you might think. Scammers sometimes impersonate legitimate accounts on Instagram to fool friends and family or catfish unsuspecting strangers. If you come across an account impersonating you or someone you know, you can take action and request the…

    Read more...

    ", + "category": "instagram", + "link": "https://lifehacker.com/what-to-do-if-someone-is-impersonating-you-on-instagram-1848195932", + "creator": "Shannon Flynn", + "pubDate": "Mon, 13 Dec 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "652b01fc801606bd100519fd7555bc0f" + "hash": "60cbb1634bce0ac7aa7b1f3e074ca67d" }, { - "title": "Daily briefing: What happened to the ‘CRISPR babies’?", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03590-4", - "creator": "Flora Graham", - "pubDate": "2021-11-29", + "title": "11 of the Best Christmas Plants That Aren't Poinsettias", + "description": "

    There are certain things in this world whose appeal is mysterious: Jake Paul. Caesar salads without anchovies. Dubstep. The popularity of the poinsettias plant this time of year is nearly as mysterious—their bright red and green coloring makes them absolutely ideal for the holidays, which explains why they’re easily…

    Read more...

    ", + "content": "

    There are certain things in this world whose appeal is mysterious: Jake Paul. Caesar salads without anchovies. Dubstep. The popularity of the poinsettias plant this time of year is nearly as mysterious—their bright red and green coloring makes them absolutely ideal for the holidays, which explains why they’re easily…

    Read more...

    ", + "category": "plants", + "link": "https://lifehacker.com/11-of-the-best-christmas-plants-that-arent-poinsettias-1848204518", + "creator": "Jeff Somers", + "pubDate": "Mon, 13 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8cb27e91a5b735d94edfd4501500fca4" + "hash": "8b37408da3c2275cbe000b6dca6bb634" }, { - "title": "Coronapod: everything we know about the new COVID variant", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03562-8", - "creator": "Noah Baker", - "pubDate": "2021-11-26", + "title": "Make This Plant Pulley for Easier Watering", + "description": "

    Hanging plants are a great addition to your home, but watering them can be a hassle—especially if you have high ceilings. To save yourself the trouble, you can make a hanging system that allows you to lower plants easily to watering height and then raise them back up without any step stools required, and with no…

    Read more...

    ", + "content": "

    Hanging plants are a great addition to your home, but watering them can be a hassle—especially if you have high ceilings. To save yourself the trouble, you can make a hanging system that allows you to lower plants easily to watering height and then raise them back up without any step stools required, and with no…

    Read more...

    ", + "category": "environment", + "link": "https://lifehacker.com/make-this-plant-pulley-for-easier-watering-1848203878", + "creator": "Becca Lewis", + "pubDate": "Mon, 13 Dec 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "44a0dc3f6110fbc922b2d17f9bb9ff97" + "hash": "9d7b4f00d8f69812d909df23bf6a7896" }, { - "title": "The Importance of Spotting Cancer’s Warning Signs", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03402-9", - "creator": "Lauren Gravitz", - "pubDate": "2021-11-26", + "title": "The Difference Between ‘Stick-and-Poke’ Tattoos vs. Machine Tattoos (and Why It Matters)", + "description": "

    While machine tattooing is considered the norm in the tattoo industry, another tattooing technique—the “stick-and-poke” method—is becoming increasingly popular. There are some similarities and differences between the two types of tattooing methods to consider before getting inked, and knowing the finer points of both…

    Read more...

    ", + "content": "

    While machine tattooing is considered the norm in the tattoo industry, another tattooing technique—the “stick-and-poke” method—is becoming increasingly popular. There are some similarities and differences between the two types of tattooing methods to consider before getting inked, and knowing the finer points of both…

    Read more...

    ", + "category": "tattooing", + "link": "https://lifehacker.com/the-difference-between-stick-and-poke-tattoos-vs-mac-1848195830", + "creator": "Shannon Flynn", + "pubDate": "Mon, 13 Dec 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5a83d28913141604bb490a782fb81e6" + "hash": "5c831ce6d02b2c39bd538a3d31fc93d9" }, { - "title": "Asteroid deflection and disordered diamonds — the week in infographics", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03553-9", - "creator": "", - "pubDate": "2021-11-26", + "title": "A True-or-False Guide to the Online Rumors You’re Sure to Hear This Christmas", + "description": "

    The OG fact-checkers at Snopes have compiled the year’s best and worst holiday rumors, social media glurge, and questionable email forwards. Here’s a quick guide so you’ll know how to respond when they come across your aunt’s Facebook feed this holiday season.

    Read more...

    ", + "content": "

    The OG fact-checkers at Snopes have compiled the year’s best and worst holiday rumors, social media glurge, and questionable email forwards. Here’s a quick guide so you’ll know how to respond when they come across your aunt’s Facebook feed this holiday season.

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/a-true-or-false-guide-to-the-online-rumors-you-re-sure-1848196648", + "creator": "Stephen Johnson", + "pubDate": "Mon, 13 Dec 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5fc2d47aba5e51855c07131942fa0d55" + "hash": "bd18d2dddfbab95411024efb334ca7e6" }, { - "title": "Multiview confocal super-resolution microscopy", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04110-0", - "creator": "Yicong Wu", - "pubDate": "2021-11-26", + "title": "Choose Violence, Replace the Cereal in Your Rice Krispies Treats With Potato Chips", + "description": "

    As a kid, I couldn’t get enough of Rice Krispies treats. The gooey texture of marshmallows. The crunch of rice cereal. It was exactly what I wanted, and I wanted it all the time. This was hard, as I had parents who refused to allow them in the house.

    Read more...

    ", + "content": "

    As a kid, I couldn’t get enough of Rice Krispies treats. The gooey texture of marshmallows. The crunch of rice cereal. It was exactly what I wanted, and I wanted it all the time. This was hard, as I had parents who refused to allow them in the house.

    Read more...

    ", + "category": "rice krispies", + "link": "https://lifehacker.com/fuck-it-replace-the-cereal-in-your-rice-krispie-treats-1848195134", + "creator": "Rachel Fairbank", + "pubDate": "Mon, 13 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c05c45a99805a890d1240069ca6388c7" + "hash": "65f464084be6b3bff03d07ac1e5a0cd1" }, { - "title": "Daily briefing: Omicron coronavirus variant puts scientists on alert", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03564-6", - "creator": "Flora Graham", - "pubDate": "2021-11-26", + "title": "7 Perfect Pickles You Must Keep on Hand at All Times", + "description": "

    I learned that I had ADHD late in life. It became funny when I went from hesitatingly revealing it to close friends to realizing literally every single woman I know (and most of the rest of the people I know, too) all have ADHD.

    Read more...

    ", + "content": "

    I learned that I had ADHD late in life. It became funny when I went from hesitatingly revealing it to close friends to realizing literally every single woman I know (and most of the rest of the people I know, too) all have ADHD.

    Read more...

    ", + "category": "pickles", + "link": "https://lifehacker.com/7-perfect-pickles-you-must-keep-on-hand-at-all-times-1848161356", + "creator": "Amanda Blum", + "pubDate": "Mon, 13 Dec 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f9ae23927cc6f3ee606f9ae7f640d945" + "hash": "fa3af7f055af38df2c6dc01786b5eccb" }, { - "title": "World commits to a pandemic response pact: what's next", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03596-y", - "creator": "Amy Maxmen", - "pubDate": "2021-12-01", + "title": "How to Fix a Broken String of Christmas Lights", + "description": "

    Generally speaking, technology is improving all the time. And yet, strings of holiday lights—whether they’re for an indoor tree, or the outside of a house—never seem to get better. Sure, there are different varieties, but the same problems seem to pop up year after year.

    Read more...

    ", + "content": "

    Generally speaking, technology is improving all the time. And yet, strings of holiday lights—whether they’re for an indoor tree, or the outside of a house—never seem to get better. Sure, there are different varieties, but the same problems seem to pop up year after year.

    Read more...

    ", + "category": "christmas lights", + "link": "https://lifehacker.com/how-to-fix-a-broken-string-of-christmas-lights-1848199279", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 12 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e46802d04855f14d8ac18a4f81eecce" + "hash": "8f7dc719b6689ad54aec04e450b61e36" }, { - "title": "Outcry as men win outsize share of Australian medical-research funding", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03536-w", - "creator": "Holly Else", - "pubDate": "2021-11-26", + "title": "How to Prune Outdoor Evergreens Without Ruining Them", + "description": "

    For most of the year, deciduous trees get all the attention. To their credit, though, they do put on quite the show: Blossoming in the springtime, providing shade in the summer, and then pulling out all the stops for their final number—having their leaves change colors, and then falling off their branches.

    Read more...

    ", + "content": "

    For most of the year, deciduous trees get all the attention. To their credit, though, they do put on quite the show: Blossoming in the springtime, providing shade in the summer, and then pulling out all the stops for their final number—having their leaves change colors, and then falling off their branches.

    Read more...

    ", + "category": "megan hughes", + "link": "https://lifehacker.com/how-to-prune-outdoor-evergreens-without-ruining-them-1848199276", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 12 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "707759625d422f75eb2bb11de2536b0b" + "hash": "c8d693c7205baa2369a64b039aed2041" }, { - "title": "The COVID Cancer Effect", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03404-7", - "creator": "Usha Lee McFarling", - "pubDate": "2021-11-26", + "title": "Use This Interactive Map to Find the Best Holiday Lights in Your Area", + "description": "

    For a few weeks each year, some people make the decision to adorn the outside of their home and yard with strings lights and face a higher-than-usual electric bill in order to spread some holiday cheer in their neighborhood. But sometimes the most elaborately decorated houses aren’t located on main roads.

    Read more...

    ", + "content": "

    For a few weeks each year, some people make the decision to adorn the outside of their home and yard with strings lights and face a higher-than-usual electric bill in order to spread some holiday cheer in their neighborhood. But sometimes the most elaborately decorated houses aren’t located on main roads.

    Read more...

    ", + "category": "crime mapping", + "link": "https://lifehacker.com/use-this-interactive-map-to-find-the-best-holiday-light-1848197353", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 11 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "80d34c13b1b7e2b5ed0a5b2742fe85d6" + "hash": "8cfdf6256b8b1cd30b365298dedfa4f5" }, { - "title": "The Colon Cancer Conundrum", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03405-6", - "creator": "Cassandra Willyard", - "pubDate": "2021-11-26", + "title": "How to Improve Your Garden Soil Quality Over the Winter", + "description": "

    After you’ve cleaned up the beds and put the hose and most of your tools away for the season, you may think that there’s nothing else you can do to set your garden up for success in the spring. But that’s not the case.

    Read more...

    ", + "content": "

    After you’ve cleaned up the beds and put the hose and most of your tools away for the season, you may think that there’s nothing else you can do to set your garden up for success in the spring. But that’s not the case.

    Read more...

    ", + "category": "soil", + "link": "https://lifehacker.com/how-to-improve-your-garden-soil-quality-over-the-winter-1848197329", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 11 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c823a05d724b6a2a398dc7845078341" + "hash": "52429ee343955f907c7c57feb6afcbfe" }, { - "title": "EverLife", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03556-6", - "creator": "Michael García Juelle", - "pubDate": "2021-11-26", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "", - "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "2e576404cf238c2e041ed2f41d129323" - }, - { - "title": "Trapped in a hotel room: my scientific life in the pandemic", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03566-4", - "creator": "Jen Lewendon", - "pubDate": "2021-11-26", + "title": "How to Get Rid of a Bunch of Jerk Pigeons", + "description": "

    Pigeons are pests. There are reasons city-dwellers call them “rats with wings”: They multiply quickly—reproducing over the course of just a few weeks—and drive away other bird species. Their droppings are gross, and they can carry and spread a range of parasites and diseases. They can also cause problems around your…

    Read more...

    ", + "content": "

    Pigeons are pests. There are reasons city-dwellers call them “rats with wings”: They multiply quickly—reproducing over the course of just a few weeks—and drive away other bird species. Their droppings are gross, and they can carry and spread a range of parasites and diseases. They can also cause problems around your…

    Read more...

    ", + "category": "domestic pigeons", + "link": "https://lifehacker.com/how-to-get-rid-of-a-bunch-of-asshole-pigeons-1848189704", + "creator": "Emily Long", + "pubDate": "Fri, 10 Dec 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6bb46e20510adffa3193e6a0769b55c4" + "hash": "2d78bc7f07e4a211f16a9ca5baf58df2" }, { - "title": "We Must Improve Equity in Cancer Screening", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03403-8", - "creator": "Melba Newsome", - "pubDate": "2021-11-26", + "title": "All the Ways You're Being Rude on Dating Apps Without Realizing It", + "description": "

    Within every dating app’s direct messages is a delicate dance. You want to be forward without coming on too strong. You want to play it cool without losing someone’s interest. You want to be flirty without scaring someone off.

    Read more...

    ", + "content": "

    Within every dating app’s direct messages is a delicate dance. You want to be forward without coming on too strong. You want to play it cool without losing someone’s interest. You want to be flirty without scaring someone off.

    Read more...

    ", + "category": "someone else", + "link": "https://lifehacker.com/all-the-ways-youre-being-rude-on-dating-apps-without-re-1848188540", + "creator": "Meredith Dietz", + "pubDate": "Fri, 10 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "171c3de1e5af02682003d4615aeed40c" + "hash": "4623a8cf98e9aca23924f7a67bdd0633" }, { - "title": "Enhanced fusogenicity and pathogenicity of SARS-CoV-2 Delta P681R mutation", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04266-9", - "creator": "Akatsuki Saito", - "pubDate": "2021-11-25", + "title": "Always Label Your Leftovers, And Other Ways to Stop Your Family From Wasting Them", + "description": "

    If you’re like me, remembering to eat your leftovers is a losing game. Every week, I diligently scoop uneaten tilapia, sweet potatoes, pasta, meatballs—hell, even a half-eaten avocado—into airtight Tupperware containers. And every week, I toss those suckers in the disposal then descend into a low-grade shame spiral…

    Read more...

    ", + "content": "

    If you’re like me, remembering to eat your leftovers is a losing game. Every week, I diligently scoop uneaten tilapia, sweet potatoes, pasta, meatballs—hell, even a half-eaten avocado—into airtight Tupperware containers. And every week, I toss those suckers in the disposal then descend into a low-grade shame spiral…

    Read more...

    ", + "category": "leftovers", + "link": "https://lifehacker.com/always-label-your-leftovers-and-other-ways-to-stop-you-1848195306", + "creator": "Sarah Showfety", + "pubDate": "Fri, 10 Dec 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "03a565bdca7e5ae3d19e1e903aa84738" + "hash": "89131464f3ace38c3339e40dc19c10d6" }, { - "title": "Heavily mutated Omicron variant puts scientists on alert", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03552-w", - "creator": "Ewen Callaway", - "pubDate": "2021-11-25", + "title": "The Best Places to Hide Christmas Gifts That You Never Thought Of", + "description": "

    There is a scene in National Lampoons Christmas Vacation that has never sat well with me (yes, just the one). Clark Griswold sneaks up to the attic to hide a bag full of Christmas presents, only to discover an old, dust-covered Mother’s Day gift dated 1983 hidden in the very same spot. (Given that the movie was…

    Read more...

    ", + "content": "

    There is a scene in National Lampoons Christmas Vacation that has never sat well with me (yes, just the one). Clark Griswold sneaks up to the attic to hide a bag full of Christmas presents, only to discover an old, dust-covered Mother’s Day gift dated 1983 hidden in the very same spot. (Given that the movie was…

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/the-best-places-to-hide-christmas-gifts-that-you-never-1848194754", + "creator": "Meghan Moravcik Walbert", + "pubDate": "Fri, 10 Dec 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f0afb1a66a0590a43ec2d2d2a279ffc" + "hash": "c7104d17386aaca9930a46daff1b3f89" }, { - "title": "Record number of first-time observers get Hubble telescope time", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03538-8", - "creator": "Dalmeet Singh Chawla", - "pubDate": "2021-11-25", + "title": "Easy Ways to Clean Up Your Finances Now, Before Another Year Begins", + "description": "

    Taking stock of your finances at the end of the year is always a smart move, but it can feel overwhelming—which makes it all too easy to put off. If a full postmortem of your 2021 budget is just too much right now, here a few quick ways to get started.

    Read more...

    ", + "content": "

    Taking stock of your finances at the end of the year is always a smart move, but it can feel overwhelming—which makes it all too easy to put off. If a full postmortem of your 2021 budget is just too much right now, here a few quick ways to get started.

    Read more...

    ", + "category": "venmo", + "link": "https://lifehacker.com/easy-ways-to-clean-up-your-finances-now-before-another-1848194688", + "creator": "A.A. Newton", + "pubDate": "Fri, 10 Dec 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee12a6535503bc657cdc441afafb491b" + "hash": "2f581a263c40c571b991fe31a85c8254" }, { - "title": "Our lockdown mentoring plan was a lifeline, and it’s still going", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03551-x", - "creator": "Alexa Ruel", - "pubDate": "2021-11-25", + "title": "What You Need Is a Snackle Box", + "description": "

    Snacking is an art, and some people are more artistically inclined than others. Children usually have a natural aptitude for snacking, which forces people with kids to develop snack-building skills out of necessity, so if we were to trace the history of the snackle box back to its inventor, I’m sure we would find a…

    Read more...

    ", + "content": "

    Snacking is an art, and some people are more artistically inclined than others. Children usually have a natural aptitude for snacking, which forces people with kids to develop snack-building skills out of necessity, so if we were to trace the history of the snackle box back to its inventor, I’m sure we would find a…

    Read more...

    ", + "category": "snack", + "link": "https://lifehacker.com/what-you-need-is-a-snackle-box-1848194985", + "creator": "Claire Lower", + "pubDate": "Fri, 10 Dec 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7c88d04abc702bc006c65e3e981b044" + "hash": "b7040691fbbe311d834ca485c2d9b566" }, { - "title": "Daily briefing: US braces for ‘fifth wave’ of COVID", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03559-3", - "creator": "Flora Graham", - "pubDate": "2021-11-25", + "title": "Are You Eligible to Buy AppleCare+ After 60 Days?", + "description": "

    When you first buy an expensive new Apple product, AppleCare+ might seem like an unnecessary added cost. After all, you’re going to treat this shiny piece of tech with the utmost care; you’re not going to let anything happen to it! Inevitably, you realize your folly, either because you shattered your iPhone’s display,…

    Read more...

    ", + "content": "

    When you first buy an expensive new Apple product, AppleCare+ might seem like an unnecessary added cost. After all, you’re going to treat this shiny piece of tech with the utmost care; you’re not going to let anything happen to it! Inevitably, you realize your folly, either because you shattered your iPhone’s display,…

    Read more...

    ", + "category": "applecare", + "link": "https://lifehacker.com/are-you-eligible-to-buy-applecare-after-60-days-1848193780", + "creator": "Jake Peterson", + "pubDate": "Fri, 10 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e9aae656bdaf06ba0a3a4c11cb8e4d46" + "hash": "89f099d649b5b85bb7503e2e8de8c611" }, { - "title": "The N501Y spike substitution enhances SARS-CoV-2 infection and transmission", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04245-0", - "creator": "Yang Liu", - "pubDate": "2021-11-24", + "title": "How to Start Speed Training Without Getting Injured", + "description": "

    Starting a running habit is hard in the beginning, but also really satisfying—especially when you hit a big goals like running your first 5K or setting a new personal record. For every new runner, though, there comes a time when you start asking “what next?” 

    Read more...

    ", + "content": "

    Starting a running habit is hard in the beginning, but also really satisfying—especially when you hit a big goals like running your first 5K or setting a new personal record. For every new runner, though, there comes a time when you start asking “what next?” 

    Read more...

    ", + "category": "anthony wall", + "link": "https://lifehacker.com/how-to-start-speed-training-without-getting-injured-1848193655", + "creator": "Rachel Fairbank", + "pubDate": "Fri, 10 Dec 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e329b9705192aa67feccf6c52979de9" + "hash": "e66f123e5af668a97835f7de459c4f1e" }, { - "title": "Reply to: Spatial scale and the synchrony of ecological disruption", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03760-4", - "creator": "Christopher H. Trisos", - "pubDate": "2021-11-24", + "title": "38 Franchise TV Shows, Films, and Sequels Coming in 2022, Because We Keep Watching Them", + "description": "

    Remember that thing you like? From before? Well, it’s back.

    Read more...

    ", + "content": "

    Remember that thing you like? From before? Well, it’s back.

    Read more...

    ", + "category": "sam raimi", + "link": "https://lifehacker.com/38-franchise-tv-shows-films-and-sequels-coming-in-202-1848201629", + "creator": "Ross Johnson", + "pubDate": "Mon, 13 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72f59ff9f6dffced4febf9160f9e00b0" + "hash": "d360885666cd8f9b32e134db6a564b58" }, { - "title": "Spatial scale and the synchrony of ecological disruption", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03759-x", - "creator": "Robert K. Colwell", - "pubDate": "2021-11-24", + "title": "10 Clever Gift Ideas for the Person on Your List Who Has Everything", + "description": "

    On the one hand, giving a gift is a gesture of affection; on the other hand, gifts are sometimes stressful social obligations. Shopping for the right gift for everyone on your list is hard enough when the people on that list are easily pleased—you can buy alcohol, food, or gadgets for most folks and they’re over the…

    Read more...

    ", + "content": "

    On the one hand, giving a gift is a gesture of affection; on the other hand, gifts are sometimes stressful social obligations. Shopping for the right gift for everyone on your list is hard enough when the people on that list are easily pleased—you can buy alcohol, food, or gadgets for most folks and they’re over the…

    Read more...

    ", + "category": "gift", + "link": "https://lifehacker.com/10-clever-gift-ideas-for-the-person-on-your-list-who-ha-1848192545", + "creator": "Jeff Somers", + "pubDate": "Fri, 10 Dec 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0f4b24fa74eec75164875073b60f9d6" + "hash": "83453c671e37f4ff5ae9153b6161346f" }, { - "title": "Neutron beam sheds light on medieval faith and superstition", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03505-3", - "creator": "", - "pubDate": "2021-11-24", + "title": "The Out-of-Touch Adults' Guide To Kid Culture: Why Does Reddit Hate Kellogg's?", + "description": "

    It’s been a slow-week in the world of popular culture for kids. I guess everyone is too busy studying for final exams and holiday shopping to make memes or create dangerous “TikTok challenges.” Still, young people found time to organize a massive online labor action and cook gigantic hamburgers.

    Read more...

    ", + "content": "

    It’s been a slow-week in the world of popular culture for kids. I guess everyone is too busy studying for final exams and holiday shopping to make memes or create dangerous “TikTok challenges.” Still, young people found time to organize a massive online labor action and cook gigantic hamburgers.

    Read more...

    ", + "category": "culture", + "link": "https://lifehacker.com/the-out-of-touch-adults-guide-to-kid-culture-why-does-1848191373", + "creator": "Stephen Johnson", + "pubDate": "Fri, 10 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88c8287a9e78a8af4a06388db910f3ee" + "hash": "c190c038f6c56da6c5bf1ab7a73d0b25" }, { - "title": "The surgical solution to congenital heart defects", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03517-z", - "creator": "Benjamin Plackett", - "pubDate": "2021-11-24", + "title": "13 of the Worst Tech Gifts You Shouldn't Buy (and What to Buy Instead)", + "description": "

    It’s the season of giving, and many of us will be giving (and hoping to get) tech gifts this year. Maybe you’re surprising a family member a smartwatch, or a nice iPhone case. A tablet. A smart speaker.

    Read more...

    ", + "content": "

    It’s the season of giving, and many of us will be giving (and hoping to get) tech gifts this year. Maybe you’re surprising a family member a smartwatch, or a nice iPhone case. A tablet. A smart speaker.

    Read more...

    ", + "category": "smartbooks", + "link": "https://lifehacker.com/13-of-the-worst-tech-gifts-you-shouldnt-buy-and-what-t-1848191533", + "creator": "Khamosh Pathak", + "pubDate": "Fri, 10 Dec 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c23495be56e73c657630865a4c36ae41" + "hash": "1cefe8477ae643f1b4d239feedd334cc" }, { - "title": "Tidings from an exploding star make astronomers happy", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03508-0", - "creator": "", - "pubDate": "2021-11-24", + "title": "How to Avoid Being Up-Sold at the Hardware Store", + "description": "

    Hardware stores can be intimidating places for the average DIYer. There are so many different types of tools, fasteners, appliances, paints, and adhesives that it can be daunting to try to distinguish one product claim from another. And then you have to wonder: Is the store employee giving you their best, most honest…

    Read more...

    ", + "content": "

    Hardware stores can be intimidating places for the average DIYer. There are so many different types of tools, fasteners, appliances, paints, and adhesives that it can be daunting to try to distinguish one product claim from another. And then you have to wonder: Is the store employee giving you their best, most honest…

    Read more...

    ", + "category": "hardware store", + "link": "https://lifehacker.com/how-to-avoid-being-up-sold-at-the-hardware-store-1848183749", + "creator": "Becca Lewis", + "pubDate": "Fri, 10 Dec 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87e7aa5810a259d222b2209ecda171c1" + "hash": "e9f717fd706e62900bb24db670700c85" }, { - "title": "What the Moderna-NIH COVID vaccine patent fight means for research", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03535-x", - "creator": "Heidi Ledford", - "pubDate": "2021-11-30", + "title": "Choose Violence, Replace the Cereal in Your Rice Krispie Treats With Potato Chips", + "description": "

    As a kid, I couldn’t get enough of Rice Krispies treats. The gooey texture of marshmallows. The crunch of rice cereal. It was exactly what I wanted, and I wanted it all the time. This was hard, as I had parents who refused to allow them in the house.

    Read more...

    ", + "content": "

    As a kid, I couldn’t get enough of Rice Krispies treats. The gooey texture of marshmallows. The crunch of rice cereal. It was exactly what I wanted, and I wanted it all the time. This was hard, as I had parents who refused to allow them in the house.

    Read more...

    ", + "category": "potato", + "link": "https://lifehacker.com/fuck-it-replace-the-cereal-in-your-rice-krispie-treats-1848195134", + "creator": "Rachel Fairbank", + "pubDate": "Mon, 13 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "96f9f5ee76804d26780d12a49176fcdb" + "hash": "f7b5bb9de8ad23d456651d4b19d667a5" }, { - "title": "How jellyfish control their lives", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03510-6", - "creator": "", - "pubDate": "2021-11-24", + "title": "Teens Ages 16 and 17 Can Now Get COVID-19 Booster Shots", + "description": "

    The FDA and CDC announced yesterday that Pfizer’s COVID-19 shot can now be used as a booster for 16- and 17-year-olds. Until now, boosters were only approved for ages 18 and up.

    Read more...

    ", + "content": "

    The FDA and CDC announced yesterday that Pfizer’s COVID-19 shot can now be used as a booster for 16- and 17-year-olds. Until now, boosters were only approved for ages 18 and up.

    Read more...

    ", + "category": "moderna", + "link": "https://lifehacker.com/teens-ages-16-and-17-can-now-get-covid-19-booster-shots-1848192639", + "creator": "Beth Skwarecki", + "pubDate": "Fri, 10 Dec 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a1827945c162975e40c0b98cfc1ebce" + "hash": "4fa57e0305039161daf6e030d7612a04" }, { - "title": "The 3D print job that keeps quake damage at bay", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03506-2", - "creator": "", - "pubDate": "2021-11-24", + "title": "How to Prepare for a Solar Flare Hitting Earth (Because It's Probably Going to Happen)", + "description": "

    In the Tom Hanks movie Finch, a massive solar flare destroys the ozone layer, annihilating almost all life on Earth (and leading to the invention of annoying robots). While a mass coronal ejection really could hit Earth at any time—a sun-like star 100 light years away called EK…

    Read more...

    ", + "content": "

    In the Tom Hanks movie Finch, a massive solar flare destroys the ozone layer, annihilating almost all life on Earth (and leading to the invention of annoying robots). While a mass coronal ejection really could hit Earth at any time—a sun-like star 100 light years away called EK…

    Read more...

    ", + "category": "environment", + "link": "https://lifehacker.com/how-to-prepare-for-a-solar-flare-hitting-earth-because-1848076402", + "creator": "Stephen Johnson", + "pubDate": "Fri, 10 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "238c280fbfff7d3477add4eca7ee1a8b" + "hash": "42a97ca18fb453391bd9d32c42d0d849" }, { - "title": "How to repair a baby’s broken heart", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03518-y", - "creator": "Benjamin Plackett", - "pubDate": "2021-11-24", + "title": "Actually, Stamps Are a Great Stocking Stuffer (I’m Right About This)", + "description": "

    As I’ve mentioned previously, my family takes stockings very seriously. A good stocking is all about balance. Some candy here, a clementine there, some cute beauty products to round it all out—you want to create a varied collection of tokens and trinkets to keep the stocking from being one-note.

    Read more...

    ", + "content": "

    As I’ve mentioned previously, my family takes stockings very seriously. A good stocking is all about balance. Some candy here, a clementine there, some cute beauty products to round it all out—you want to create a varied collection of tokens and trinkets to keep the stocking from being one-note.

    Read more...

    ", + "category": "postage stamps", + "link": "https://lifehacker.com/actually-stamps-are-a-great-stocking-stuffer-i-m-righ-1848189044", + "creator": "Claire Lower", + "pubDate": "Fri, 10 Dec 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6148a0961cbfb039c5d8758a704cbffc" + "hash": "d00d3aa1fef91da01e512aa40212ec73" }, { - "title": "Researcher careers under the microscope: salary satisfaction and COVID impacts", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03537-9", - "creator": "Shamini Bundell", - "pubDate": "2021-11-24", + "title": "The Best Productivity Features You Should Use in Windows 11", + "description": "

    While the nature of work is rapidly changing, at the end of the day, we still need to get things done—so it’s helpful when the technology we use for work thinks about that ahead of time, and includes ways for us to be more productive. Luckily, Windows 11 comes with built-in productivity tools that make it much easier…

    Read more...

    ", + "content": "

    While the nature of work is rapidly changing, at the end of the day, we still need to get things done—so it’s helpful when the technology we use for work thinks about that ahead of time, and includes ways for us to be more productive. Luckily, Windows 11 comes with built-in productivity tools that make it much easier…

    Read more...

    ", + "category": "windows 11", + "link": "https://lifehacker.com/the-best-productivity-features-you-should-use-in-window-1848186695", + "creator": "Shannon Flynn", + "pubDate": "Fri, 10 Dec 2021 13:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c3cde882d85bd45056cce2ecb7295a2" + "hash": "5d1af92cb02d97bf4d69e06d060b0d79" }, { - "title": "Hard times tear coupled seabirds apart", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03509-z", - "creator": "", - "pubDate": "2021-11-24", + "title": "Here's (Almost) All The Free Stuff You Can Get on an Airplane", + "description": "

    In-flight freebies aren’t what they used to be, but that doesn’t mean they’ve totally vanished. If you know know what to ask for, you may be surprised at what you can get for free.

    Read more...

    ", + "content": "

    In-flight freebies aren’t what they used to be, but that doesn’t mean they’ve totally vanished. If you know know what to ask for, you may be surprised at what you can get for free.

    Read more...

    ", + "category": "airlines", + "link": "https://lifehacker.com/heres-almost-all-the-free-stuff-you-can-get-on-an-air-1848187647", + "creator": "A.A. Newton", + "pubDate": "Thu, 09 Dec 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ef68bf82e80318dacc8c4a35bfb9752" + "hash": "40d50a54097e0c6e6640ff721b9413e2" }, { - "title": "Video: Babies with misshapen hearts", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03519-x", - "creator": "", - "pubDate": "2021-11-24", + "title": "Can You Really Make Extra Cash by Owning a Vending Machine?", + "description": "

    You probably think of vending machines as your snack outpost of last resort when stranded in an office or airport. You probably don’t think of them as a cutting-edge, cash-producing business venture–but maybe you should. Did you know that these snack dispensers oases are often independently owned? Rather than being…

    Read more...

    ", + "content": "

    You probably think of vending machines as your snack outpost of last resort when stranded in an office or airport. You probably don’t think of them as a cutting-edge, cash-producing business venture–but maybe you should. Did you know that these snack dispensers oases are often independently owned? Rather than being…

    Read more...

    ", + "category": "vending machine", + "link": "https://lifehacker.com/can-you-really-make-extra-cash-by-owning-a-vending-mach-1848186341", + "creator": "Meredith Dietz", + "pubDate": "Thu, 09 Dec 2021 21:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a257c32a5bde8d948b39bdf7fd45f2b" + "hash": "043874b3ba0d3a7bf0bc38c9a2e2d7bf" }, { - "title": "Artificial heavy fermions in a van der Waals heterostructure", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04021-0", - "creator": "Viliam Vaňo", - "pubDate": "2021-11-24", + "title": "You Should Try to Earn $1,000 Just for Taste-Testing Hot Chocolate", + "description": "

    Although plenty of us chug coffee everyday like our lives depended on it, hot chocolate isn’t as likely to be part of our daily beverage routine. And while it’s not reserved exclusively for special occasions, treating yourself to a glass of liquid dessert—sometimes, while eating a solid dessert—is a particularly…

    Read more...

    ", + "content": "

    Although plenty of us chug coffee everyday like our lives depended on it, hot chocolate isn’t as likely to be part of our daily beverage routine. And while it’s not reserved exclusively for special occasions, treating yourself to a glass of liquid dessert—sometimes, while eating a solid dessert—is a particularly…

    Read more...

    ", + "category": "hot chocolate", + "link": "https://lifehacker.com/you-should-try-to-earn-1-000-just-for-taste-testing-ho-1848185899", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 09 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "35a149a841c59910e266910022e414c6" + "hash": "0eee7eb21f1d666bc0c127f299d5159b" }, { - "title": "ecDNA hubs drive cooperative intermolecular oncogene expression", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04116-8", - "creator": "King L. Hung", - "pubDate": "2021-11-24", + "title": "Why Now Is the Perfect Time to Get Your Booster", + "description": "

    Booster doses of COVID-19 vaccines are still optional for many of us, but evidence is mounting that if you haven’t gotten one yet, you’d probably be better off if you did.

    Read more...

    ", + "content": "

    Booster doses of COVID-19 vaccines are still optional for many of us, but evidence is mounting that if you haven’t gotten one yet, you’d probably be better off if you did.

    Read more...

    ", + "category": "moderna", + "link": "https://lifehacker.com/why-now-is-the-perfect-time-to-get-your-booster-1848186058", + "creator": "Beth Skwarecki", + "pubDate": "Thu, 09 Dec 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7effdd55edcccc21b24dc252f5233419" + "hash": "75fe6c4dc73f3f645f5ed7d0dce31c9b" }, { - "title": "The CLIP1–LTK fusion is an oncogenic driver in non‐small‐cell lung cancer", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04135-5", - "creator": "Hiroki Izumi", - "pubDate": "2021-11-24", + "title": "Why You Should 'Pre-Cry' Before Your Next Emotional Event", + "description": "

    The holidays (and the Omicron variant) are upon us and you know what that means: There’s never been a better time to cry it out. While the month of December—and all its attendant festivities—is a joyous time for many, it can also be a time of stress, overwhelm, loneliness, and grief.

    Read more...

    ", + "content": "

    The holidays (and the Omicron variant) are upon us and you know what that means: There’s never been a better time to cry it out. While the month of December—and all its attendant festivities—is a joyous time for many, it can also be a time of stress, overwhelm, loneliness, and grief.

    Read more...

    ", + "category": "crying", + "link": "https://lifehacker.com/why-you-should-pre-cry-before-your-next-emotional-event-1848186338", + "creator": "Sarah Showfety", + "pubDate": "Thu, 09 Dec 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f65b2a9787283fd6b401e065027b043b" + "hash": "5e139058c695de599cd16637cc616a97" }, { - "title": "Ultrahard bulk amorphous carbon from collapsed fullerene", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03882-9", - "creator": "Yuchen Shang", - "pubDate": "2021-11-24", + "title": "How to Make an Easy Roux in the Microwave (and Oven)", + "description": "

    Every year, I make turkey gumbo with my leftover Thanksgiving bird, and every year I complain about stirring the roux. Roux is not difficult to make. Combine equal amounts of fat and flour, whisk until smooth, then cook, stirring continuously—and I really do mean continuously—until it reaches the color you desire.

    Read more...

    ", + "content": "

    Every year, I make turkey gumbo with my leftover Thanksgiving bird, and every year I complain about stirring the roux. Roux is not difficult to make. Combine equal amounts of fat and flour, whisk until smooth, then cook, stirring continuously—and I really do mean continuously—until it reaches the color you desire.

    Read more...

    ", + "category": "roux", + "link": "https://lifehacker.com/how-to-make-an-easy-roux-in-the-microwave-and-oven-1848187134", + "creator": "Claire Lower", + "pubDate": "Thu, 09 Dec 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cbe008bd5cd0ac5229faa7c30ee21cef" + "hash": "c6613ab79ea9a77ad247a92e637dc280" }, { - "title": "Electron-beam energy reconstruction for neutrino oscillation measurements", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04046-5", - "creator": "M. Khachatryan", - "pubDate": "2021-11-24", + "title": "How to Check Whether an iPhone Has ‘Genuine’ Apple Parts Without Opening It Up", + "description": "

    Apple has always placed a huge emphasis on using genuine Apple parts for iPhone repairs, and now, with iOS15.2, you can finally check to see if any non-genuine parts have been used in yours. If you only buy new iPhones, this probably isn’t of much interest to you; however, if you buy iPhones second-hand off…

    Read more...

    ", + "content": "

    Apple has always placed a huge emphasis on using genuine Apple parts for iPhone repairs, and now, with iOS15.2, you can finally check to see if any non-genuine parts have been used in yours. If you only buy new iPhones, this probably isn’t of much interest to you; however, if you buy iPhones second-hand off…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/how-to-check-whether-an-iphone-has-genuine-apple-part-1848185986", + "creator": "Pranay Parab", + "pubDate": "Thu, 09 Dec 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37ec08e437f807891efde35e717eb348" + "hash": "c4fc33cccdcfa9275fa671d96b8c2a1c" }, { - "title": "Fam72a enforces error-prone DNA repair during antibody diversification", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04093-y", - "creator": "Mélanie Rogier", - "pubDate": "2021-11-24", + "title": "Reinstall Microsoft Teams Before You Need to Dial 911", + "description": "

    We all love to joke about how we never use our smartphones as actual phones—I mean, really, who calls people in 2021? But if you’re in an emergency situation, your first instinct will still be to pick up that phone and dial 911. If your smartphone isn’t capable of doing that, that’s going to be a big problem.…

    Read more...

    ", + "content": "

    We all love to joke about how we never use our smartphones as actual phones—I mean, really, who calls people in 2021? But if you’re in an emergency situation, your first instinct will still be to pick up that phone and dial 911. If your smartphone isn’t capable of doing that, that’s going to be a big problem.…

    Read more...

    ", + "category": "mobile phones", + "link": "https://lifehacker.com/reinstall-microsoft-teams-before-you-need-to-dial-911-1848186174", + "creator": "Jake Peterson", + "pubDate": "Thu, 09 Dec 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c8c758b57745d6519b97980c36480da" + "hash": "77b4731a83ecc6c0476a0cd600ed79d3" }, { - "title": "Aldehyde-driven transcriptional stress triggers an anorexic DNA damage response", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04133-7", - "creator": "Lee Mulderrig", - "pubDate": "2021-11-24", + "title": "You Can Now Open Your Hotel Room Door With an iPhone, But Should You?", + "description": "

    Apple wants your iPhone to unlock all sorts of doors. Their car keys feature already lets you use your iPhone to unlock some supported cars, and if you have a HomeKit door lock, you can use your iPhone and Apple Watch to unlock your home as well. And now, Apple is starting to globally roll out its support for hotel…

    Read more...

    ", + "content": "

    Apple wants your iPhone to unlock all sorts of doors. Their car keys feature already lets you use your iPhone to unlock some supported cars, and if you have a HomeKit door lock, you can use your iPhone and Apple Watch to unlock your home as well. And now, Apple is starting to globally roll out its support for hotel…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/you-can-now-open-your-hotel-room-door-with-an-iphone-b-1848185461", + "creator": "Khamosh Pathak", + "pubDate": "Thu, 09 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "695a1cb0f5de75469214892c01beca00" + "hash": "c886c798e31292debe0d0c9b43b317a7" }, { - "title": "The human microbiome encodes resistance to the antidiabetic drug acarbose", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04091-0", - "creator": "Jared Balaich", - "pubDate": "2021-11-24", + "title": "Why You Should Stop 'Saving Room' for Dessert", + "description": "

    Given the copious amounts of holiday treats that fill our homes every December, you might feel justified in cutting back on other foods in order to make room for (more) dessert. After all, if you are eating less calories here so you can consume them there, it’ll all even out eventually, right? Actually, this is…

    Read more...

    ", + "content": "

    Given the copious amounts of holiday treats that fill our homes every December, you might feel justified in cutting back on other foods in order to make room for (more) dessert. After all, if you are eating less calories here so you can consume them there, it’ll all even out eventually, right? Actually, this is…

    Read more...

    ", + "category": "nutrition", + "link": "https://lifehacker.com/why-you-should-stop-saving-room-for-dessert-1848185608", + "creator": "Rachel Fairbank", + "pubDate": "Thu, 09 Dec 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7e3696689462b4bca9759f9a07eb3d8" + "hash": "1b69b270f5c3eddddb3e24e9e7eed29c" }, { - "title": "Contextual inference underlies the learning of sensorimotor repertoires", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04129-3", - "creator": "James B. Heald", - "pubDate": "2021-11-24", + "title": "What the Most-Googled Questions of 2021 Say About Us", + "description": "

    Google just released its annual “Year in Search,” a collection of the new, most-searched terms for 2021. According to Matt Cooke, head of Google News Lab, “Year in Search always provides a fascinating insight into what the nation is thinking, learning and discovering—about themselves and others.” Remember: This isn’t…

    Read more...

    ", + "content": "

    Google just released its annual “Year in Search,” a collection of the new, most-searched terms for 2021. According to Matt Cooke, head of Google News Lab, “Year in Search always provides a fascinating insight into what the nation is thinking, learning and discovering—about themselves and others.” Remember: This isn’t…

    Read more...

    ", + "category": "davina ogilvie", + "link": "https://lifehacker.com/what-the-most-googled-questions-of-2021-say-about-us-1848185560", + "creator": "Stephen Johnson", + "pubDate": "Thu, 09 Dec 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d9658d841740fdbc2584efc08d92be6" + "hash": "5e4228e6a6381879a025ef26b38d54a7" }, { - "title": "Mechanism for the activation of the anaplastic lymphoma kinase receptor", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04140-8", - "creator": "Andrey V. Reshetnyak", - "pubDate": "2021-11-24", + "title": "Make Switching From iPhone to Android Suck Less (and Vice Versa)", + "description": "

    This holiday season, many of us will get new phones, and some of us might even jump operating systems in the process, making the rare leap from Apple to Android (or the other way around) in the search for a more fulfilling mobile experience. If you recently (or plan to) move from iOS to Android, or from an Android…

    Read more...

    ", + "content": "

    This holiday season, many of us will get new phones, and some of us might even jump operating systems in the process, making the rare leap from Apple to Android (or the other way around) in the search for a more fulfilling mobile experience. If you recently (or plan to) move from iOS to Android, or from an Android…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/make-switching-from-iphone-to-android-suck-less-and-vi-1848151166", + "creator": "Jake Peterson", + "pubDate": "Thu, 09 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca3038b31241e899cdcf617d525665f1" + "hash": "fbca79dc9aee8df6f3e02eb25377163b" }, { - "title": "On-chip electro-optic frequency shifters and beam splitters", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03999-x", - "creator": "Yaowen Hu", - "pubDate": "2021-11-24", + "title": "How to Actually Enjoy Treadmill Running This Winter", + "description": "

    Running is invigorating: feeling the wind moving through your hair, your body connecting with the earth beneath your feet, a chance to take stock of the world that moves around you and the world that moves within you. Unless, of course, the weather sucks. Then it’s time to book it indoors and hit everyone’s “favorite”…

    Read more...

    ", + "content": "

    Running is invigorating: feeling the wind moving through your hair, your body connecting with the earth beneath your feet, a chance to take stock of the world that moves around you and the world that moves within you. Unless, of course, the weather sucks. Then it’s time to book it indoors and hit everyone’s “favorite”…

    Read more...

    ", + "category": "treadmill", + "link": "https://lifehacker.com/how-to-actually-enjoy-treadmill-running-this-winter-1848185096", + "creator": "Meredith Dietz", + "pubDate": "Thu, 09 Dec 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1e60c5bf63558a5e532a9080b4240fd" + "hash": "8651cca3c63658bae6ff68bd65f79294" }, { - "title": "Quantum gas magnifier for sub-lattice-resolved imaging of 3D quantum systems", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04011-2", - "creator": "Luca Asteria", - "pubDate": "2021-11-24", + "title": "You Should Stop Killing House Centipedes (But How to Get Rid of Them, If You Must)", + "description": "

    I get it: House centipedes travel at alarming speeds, and they look pretty intimidating while doing it, what with all their legs scampering about. But before you run for a shoe the next time you spot one, stop and take a breath. For as creepy as they look, the truth is that they’re not only harmless, they are actually

    Read more...

    ", + "content": "

    I get it: House centipedes travel at alarming speeds, and they look pretty intimidating while doing it, what with all their legs scampering about. But before you run for a shoe the next time you spot one, stop and take a breath. For as creepy as they look, the truth is that they’re not only harmless, they are actually

    Read more...

    ", + "category": "centipede", + "link": "https://lifehacker.com/you-should-stop-killing-house-centipedes-but-how-to-ge-1848183537", + "creator": "Becca Lewis", + "pubDate": "Thu, 09 Dec 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2cc6cfa810969a1d384363787766a700" + "hash": "a658f2c5940606e7fadbcdd6628b8e01" }, { - "title": "Mechanical forcing of the North American monsoon by orography", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03978-2", - "creator": "William R. Boos", - "pubDate": "2021-11-24", + "title": "10 of the Best Apps of 2021 for Apple Devices, According to Apple", + "description": "

    Every year, the App Store Awards highlight some of the best apps and games for the Apple platforms and devices. Think of them as the Oscars of the App Store world: an honor handed out by the industry itself. You have to be pretty darn good to earn an award—and sometimes, it takes an app years to get there (consider…

    Read more...

    ", + "content": "

    Every year, the App Store Awards highlight some of the best apps and games for the Apple platforms and devices. Think of them as the Oscars of the App Store world: an honor handed out by the industry itself. You have to be pretty darn good to earn an award—and sometimes, it takes an app years to get there (consider…

    Read more...

    ", + "category": "ipads", + "link": "https://lifehacker.com/the-best-apps-of-2021-for-apple-devices-1848184304", + "creator": "Khamosh Pathak", + "pubDate": "Thu, 09 Dec 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f625ad399d6781f572e8e2b9a6b94a6e" + "hash": "2d6999789a0e4b43e035b0fec10e4741" }, { - "title": "Synthesis of paracrystalline diamond", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04122-w", - "creator": "Hu Tang", - "pubDate": "2021-11-24", + "title": "Why the Hell Did We Ever Stop Wearing Sweatbands?", + "description": "

    Sweatbands, popular in the ’80s, now only really exist as a symbol. Just like a floppy disk lives on as the “save” icon, and an old-school telephone handset is the image we tap when we want to make a call on a smartphone, a set of sweatbands are a cheesy way of indicating that somebody is working out (see picture…

    Read more...

    ", + "content": "

    Sweatbands, popular in the ’80s, now only really exist as a symbol. Just like a floppy disk lives on as the “save” icon, and an old-school telephone handset is the image we tap when we want to make a call on a smartphone, a set of sweatbands are a cheesy way of indicating that somebody is working out (see picture…

    Read more...

    ", + "category": "wristband", + "link": "https://lifehacker.com/why-the-hell-did-we-ever-stop-wearing-sweatbands-1848156420", + "creator": "Beth Skwarecki", + "pubDate": "Thu, 09 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f37cf4f03397c6e4902a7f8bc61368b0" + "hash": "b95b9b41870e61ace52f819ea3e75118" }, { - "title": "IL-27 signalling promotes adipocyte thermogenesis and energy expenditure", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04127-5", - "creator": "Qian Wang", - "pubDate": "2021-11-24", + "title": "How to Know When Your iPhone Could Be Recording You", + "description": "

    You’ve probably had the (legitimate) fear that your smartphone is listening or watching you. Your iPhone certainly isn’t without privacy risks, and you should absolutely audit your settings and all of your app permissions, but one helpful feature that Apple has built in is a visual warning when your device is queued…

    Read more...

    ", + "content": "

    You’ve probably had the (legitimate) fear that your smartphone is listening or watching you. Your iPhone certainly isn’t without privacy risks, and you should absolutely audit your settings and all of your app permissions, but one helpful feature that Apple has built in is a visual warning when your device is queued…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/how-to-know-when-your-iphone-could-be-recording-1848182126", + "creator": "Emily Long", + "pubDate": "Thu, 09 Dec 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d9180493c20019c3a35e9bc84afa50cd" + "hash": "d4b376502fc8525fc0595003d53c7cad" }, { - "title": "Colossal angular magnetoresistance in ferrimagnetic nodal-line semiconductors", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04028-7", - "creator": "Junho Seo", - "pubDate": "2021-11-24", + "title": "Chores You Only Need to Do Once a Year (Thank God)", + "description": "

    There are many annoying chores that need to be done daily: washing dishes, spraying and wiping down kitchen counters, picking toys up off the floor, sweeping. And then there are those that are blessedly much less frequent. It will always suck that we have to do more things, but at least some of them are merely…

    Read more...

    ", + "content": "

    There are many annoying chores that need to be done daily: washing dishes, spraying and wiping down kitchen counters, picking toys up off the floor, sweeping. And then there are those that are blessedly much less frequent. It will always suck that we have to do more things, but at least some of them are merely…

    Read more...

    ", + "category": "housekeeping", + "link": "https://lifehacker.com/chores-you-only-need-to-do-once-a-year-thank-god-1848180807", + "creator": "Sarah Showfety", + "pubDate": "Wed, 08 Dec 2021 22:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4fff63101c4e188a1d3cf8be92a66160" + "hash": "4d5a0b4088c423584132a4ae1db896af" }, { - "title": "A multi-scale map of cell structure fusing protein images and interactions", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04115-9", - "creator": "Yue Qin", - "pubDate": "2021-11-24", + "title": "13 of the Best Dating Apps to Find Love or Mess Around", + "description": "

    Everyone on Tinder is looking for sex. Everyone on eharmony is too intense. Everyone on Hinge is more concerned with looking cool than finding a good match (alright, I’m projecting with that last one). Maybe you’re new to online dating, or you’re a swiping veteran getting fed up with false-starts and dead-ends on your…

    Read more...

    ", + "content": "

    Everyone on Tinder is looking for sex. Everyone on eharmony is too intense. Everyone on Hinge is more concerned with looking cool than finding a good match (alright, I’m projecting with that last one). Maybe you’re new to online dating, or you’re a swiping veteran getting fed up with false-starts and dead-ends on your…

    Read more...

    ", + "category": "social software", + "link": "https://lifehacker.com/13-of-the-best-dating-apps-to-find-love-or-mess-around-1848181275", + "creator": "Meredith Dietz", + "pubDate": "Wed, 08 Dec 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "15028cfb1f682a44324c5b49d8b24a7b" + "hash": "3795768b3c1e63da3db58aa809494838" }, { - "title": "Distribution control enables efficient reduced-dimensional perovskite LEDs", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03997-z", - "creator": "Dongxin Ma", - "pubDate": "2021-11-24", + "title": "12 Trader Joe's Products Way Better Than the Name Brand Versions", + "description": "

    I’m not generally a religious person, but I do worship every other Sunday at the church of Trader Joe’s.

    Read more...

    ", + "content": "

    I’m not generally a religious person, but I do worship every other Sunday at the church of Trader Joe’s.

    Read more...

    ", + "category": "trader joes", + "link": "https://lifehacker.com/12-trader-joes-products-way-better-than-the-name-brand-1848166403", + "creator": "Joel Cunningham", + "pubDate": "Wed, 08 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "50adc80dff8d7270008c81c3bab2390d" + "hash": "4faa2a7291ea21a62993f718278e1410" }, { - "title": "Structural basis for ligand reception by anaplastic lymphoma kinase", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04141-7", - "creator": "Tongqing Li", - "pubDate": "2021-11-24", + "title": "How to Stop Verizon, AT&T, and T-Mobile From Collecting Your Phone Data to Sell Ads", + "description": "

    Social media sites, web browsers, and smartphone apps aren’t the only ways companies track your data: Your phone service provider collects data right from your phone, too. AT&T, T-Mobile (which now owns Sprint and MetroPCS), and Verizon all track location, web, and app usage, and then use that information to sell ads.

    Read more...

    ", + "content": "

    Social media sites, web browsers, and smartphone apps aren’t the only ways companies track your data: Your phone service provider collects data right from your phone, too. AT&T, T-Mobile (which now owns Sprint and MetroPCS), and Verizon all track location, web, and app usage, and then use that information to sell ads.

    Read more...

    ", + "category": "t mobile", + "link": "https://lifehacker.com/how-to-stop-verizon-at-t-and-t-mobile-from-collecting-1848180422", + "creator": "Brendan Hesse", + "pubDate": "Wed, 08 Dec 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cfc88808e75d5892bb0b2201dca67c92" + "hash": "313a5b821a3ce13a0b3dc2492916851c" }, { - "title": "Mechanical actions of dendritic-spine enlargement on presynaptic exocytosis", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04125-7", - "creator": "Hasan Ucar", - "pubDate": "2021-11-24", + "title": "Bringing a Bag of Cheeseburgers Is the Ultimate Party Trick", + "description": "

    When it comes to potlucks, it’s hard to beat a church supper, particularly if you’re in the South or Midwest. Casseroles, fried foods of all kinds, fruity whipped salads, and entire tables devoted to desserts—everyone brings their A game, and everyone goes home full and happy.

    Read more...

    ", + "content": "

    When it comes to potlucks, it’s hard to beat a church supper, particularly if you’re in the South or Midwest. Casseroles, fried foods of all kinds, fruity whipped salads, and entire tables devoted to desserts—everyone brings their A game, and everyone goes home full and happy.

    Read more...

    ", + "category": "potluck", + "link": "https://lifehacker.com/bringing-a-bag-of-cheeseburgers-is-the-ultimate-party-t-1848179901", + "creator": "Claire Lower", + "pubDate": "Wed, 08 Dec 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ddf4d6104a6ab34411f20c5a8c22ce3c" + "hash": "ad265d4dd9497df868f294c8da3597c0" }, { - "title": "FAM72A antagonizes UNG2 to promote mutagenic repair during antibody maturation", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04144-4", - "creator": "Yuqing Feng", - "pubDate": "2021-11-24", + "title": "What You Should Put in a ‘No Questions Asked’ Drawer for Your Kid, According to Reddit", + "description": "

    Even if you think of yourself as the kind of parent that your kid can talk to about anything, there are probably some things they would rather keep to themselves, whether it’s dealing with embarrassing bodily functions or not divulging the kinds of drugs they enjoy.

    Read more...

    ", + "content": "

    Even if you think of yourself as the kind of parent that your kid can talk to about anything, there are probably some things they would rather keep to themselves, whether it’s dealing with embarrassing bodily functions or not divulging the kinds of drugs they enjoy.

    Read more...

    ", + "category": "drawer", + "link": "https://lifehacker.com/what-you-should-put-in-a-no-questions-asked-drawer-fo-1848180288", + "creator": "Stephen Johnson", + "pubDate": "Wed, 08 Dec 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "254c88e9d44ea5781fffb15f33ebc761" + "hash": "1cd3d4178f05943ff670a700df21c46e" }, { - "title": "Want research integrity? Stop the blame game", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03493-4", - "creator": "Malcolm Macleod", - "pubDate": "2021-11-24", + "title": "How to Pick a Flight With the Lowest Chance of Weather Delays", + "description": "

    The holidays are a notoriously difficult time to travel by plane, in part because of the number of people trying to fly and in part because of the increased likelihood of winter weather. Snowstorms and icy runways can quickly derail days’ worth of air travel.

    Read more...

    ", + "content": "

    The holidays are a notoriously difficult time to travel by plane, in part because of the number of people trying to fly and in part because of the increased likelihood of winter weather. Snowstorms and icy runways can quickly derail days’ worth of air travel.

    Read more...

    ", + "category": "civil aviation", + "link": "https://lifehacker.com/how-to-pick-a-flight-with-the-lowest-chance-of-weather-1848179668", + "creator": "Emily Long", + "pubDate": "Wed, 08 Dec 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0fa60a23ab5746eb9057d134526648e" + "hash": "2c5854aeb5bd097401dfe64bf4786088" }, { - "title": "Women and the environment: power on the ground and in academia", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03524-0", - "creator": "Nuria Pistón", - "pubDate": "2021-11-24", + "title": "The Easiest Way to Find Someone the Perfect Gift", + "description": "

    Buying the perfect gift on a budget is never easy, but here’s a hack that can help you narrow down the possibilities: You start by taking your budget, and then slashing it. Stay with me here.

    Read more...

    ", + "content": "

    Buying the perfect gift on a budget is never easy, but here’s a hack that can help you narrow down the possibilities: You start by taking your budget, and then slashing it. Stay with me here.

    Read more...

    ", + "category": "films", + "link": "https://lifehacker.com/the-easiest-way-to-find-someone-the-perfect-gift-1848179574", + "creator": "Beth Skwarecki", + "pubDate": "Wed, 08 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d43028ef448df890cae943e853b55f60" + "hash": "5075769254f7ef27de4e751c117a03f1" }, { - "title": "How record wildfires are harming human health", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03496-1", - "creator": "Max Kozlov", - "pubDate": "2021-11-24", + "title": "Coat Your Cheeseballs in Fried Garlic", + "description": "

    If you’ve ever eaten a cheeseball, you know that what’s on the outside is almost as important as what’s on the inside (cheese). A cheeseball’s outer layer should offer crunch, contrast, and intrigue. You should take one look at that ball of cheese and go, “Yeah, I’d like to dig in to that and see what it’s all about.”

    Read more...

    ", + "content": "

    If you’ve ever eaten a cheeseball, you know that what’s on the outside is almost as important as what’s on the inside (cheese). A cheeseball’s outer layer should offer crunch, contrast, and intrigue. You should take one look at that ball of cheese and go, “Yeah, I’d like to dig in to that and see what it’s all about.”

    Read more...

    ", + "category": "hospitality recreation", + "link": "https://lifehacker.com/coat-your-cheeseballs-in-fried-garlic-1848179608", + "creator": "Claire Lower", + "pubDate": "Wed, 08 Dec 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf0b6fd138eda32430246c5a23346c81" + "hash": "394461e1024694cecd2dda393a968272" }, { - "title": "Researchers at risk in Afghanistan need better tools to find help", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03515-1", - "creator": "", - "pubDate": "2021-11-24", + "title": "Is the Apple Music Voice Plan Worth the Trade Offs?", + "description": "

    Apple Music’s Voice Plan lets you enjoy the benefits of a commercial-free music streaming service at a relatively affordable price of $4.99 per month. It costs the same as Apple Music’s subscription plan for students (and is half the regular subscription price), but it also removes several features—including the…

    Read more...

    ", + "content": "

    Apple Music’s Voice Plan lets you enjoy the benefits of a commercial-free music streaming service at a relatively affordable price of $4.99 per month. It costs the same as Apple Music’s subscription plan for students (and is half the regular subscription price), but it also removes several features—including the…

    Read more...

    ", + "category": "apple music", + "link": "https://lifehacker.com/is-the-apple-music-voice-plan-worth-the-trade-offs-1847899974", + "creator": "Pranay Parab", + "pubDate": "Wed, 08 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e9bcf7be5bd84b5d24c7752e488f54f5" + "hash": "f918ad8e8b4101e5c3f2d380629171c7" }, { - "title": "Electrons reveal the need for improved neutrino models", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03456-9", - "creator": "Noemi Rocco", - "pubDate": "2021-11-24", + "title": "Use These Apps and Gadgets to Get Better Sleep", + "description": "

    We know that sleep plays a significant role in our well-being and overall health. Unless we’re switching between time zones or pulling all-nighters, our body’s internal clocks—also known as our circadian rhythm—tell us when it’s time to go to sleep and wake up in the morning. However, a range of environmental cues can …

    Read more...

    ", + "content": "

    We know that sleep plays a significant role in our well-being and overall health. Unless we’re switching between time zones or pulling all-nighters, our body’s internal clocks—also known as our circadian rhythm—tell us when it’s time to go to sleep and wake up in the morning. However, a range of environmental cues can …

    Read more...

    ", + "category": "sleep", + "link": "https://lifehacker.com/use-these-apps-and-gadgets-to-get-better-sleep-1848076010", + "creator": "Shannon Flynn", + "pubDate": "Wed, 08 Dec 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "502499a7c1ff0a29f5f7977494fa066a" + "hash": "d1e4bd915076d6b2dbc9cb0051dd81f4" }, { - "title": "COVID deaths, gravitational waves and pandemic PhD supervision", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03494-3", - "creator": "", - "pubDate": "2021-11-24", + "title": "Should You Repair Your Leaky Mailbox—or Replace It?", + "description": "

    Winter used to mean snow on the ground. These days, thanks to climate change, it more likely means an increase in cold rain—but either way, ‘tis the season for wet mail, whether in your leaky mailbox or shoved through your drippy mail slot. Whether it’s bills or holiday cards, wet mail can really wreck your day. Here…

    Read more...

    ", + "content": "

    Winter used to mean snow on the ground. These days, thanks to climate change, it more likely means an increase in cold rain—but either way, ‘tis the season for wet mail, whether in your leaky mailbox or shoved through your drippy mail slot. Whether it’s bills or holiday cards, wet mail can really wreck your day. Here…

    Read more...

    ", + "category": "mailbox", + "link": "https://lifehacker.com/should-you-repair-your-leaky-mailbox-or-replace-it-1848177447", + "creator": "Becca Lewis", + "pubDate": "Wed, 08 Dec 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04dbe85cb980ac4cb33788841c452f94" + "hash": "53e0cfc0b1715c5608c11354c78aa142" }, { - "title": "Context is key for learning motor skills", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03028-x", - "creator": "Anne G. E. Collins", - "pubDate": "2021-11-24", + "title": "How to Tell If You’re in a Dysfunctional Relationship", + "description": "

    A relationship is supposed to be stable, nurturing, and safe. It is supposed to add value to your life by giving you a partner who can support you, celebrate with you, and make your days better. In turn, you are expected to do that for them, too—but it’s easy to give yourself fully to someone when you feel secure and…

    Read more...

    ", + "content": "

    A relationship is supposed to be stable, nurturing, and safe. It is supposed to add value to your life by giving you a partner who can support you, celebrate with you, and make your days better. In turn, you are expected to do that for them, too—but it’s easy to give yourself fully to someone when you feel secure and…

    Read more...

    ", + "category": "emotions", + "link": "https://lifehacker.com/how-to-tell-if-you-re-in-a-dysfunctional-relationship-1848175799", + "creator": "Lindsey Ellefson", + "pubDate": "Wed, 08 Dec 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d400a949e9ed6ffeab36ef3201e821f" + "hash": "ba70a035cfc34299229fa8506f47a210" }, { - "title": "Venetian blinds", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03525-z", - "creator": "Gretchen Tessmer", - "pubDate": "2021-11-24", + "title": "You Need to Update Your Pixel Immediately", + "description": "

    The December 2021 security patch is rolling out now for select Pixel phones running Android 12. Monthly security patches might not be as exciting as the Pixel Drop updates that add new features to your phone, but they’re still important to install as soon as possible since they patch security flaws hackers could…

    Read more...

    ", + "content": "

    The December 2021 security patch is rolling out now for select Pixel phones running Android 12. Monthly security patches might not be as exciting as the Pixel Drop updates that add new features to your phone, but they’re still important to install as soon as possible since they patch security flaws hackers could…

    Read more...

    ", + "category": "pixel", + "link": "https://lifehacker.com/you-need-to-update-your-pixel-immediately-1848174438", + "creator": "Brendan Hesse", + "pubDate": "Wed, 08 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85b7f0abaf0a88342c184eaa90d467c5" + "hash": "f3aa3f9e51481414f8e35c09125c9bad" }, { - "title": "Is this mammoth-ivory pendant Eurasia's oldest surviving jewellery?", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03534-y", - "creator": "Tosin Thompson", - "pubDate": "2021-11-29", + "title": "The Difference Between Disinfecting and Sanitizing, According to the CDC", + "description": "

    We all have different versions of “cleaning.” For some, the act includes Windex, bleach, and a mop; for others, it means putting away toys, sweeping, and loading the dishwasher. But while “cleaning” can mean everything from straightening up to scrubbing down, when it comes to disinfecting and sanitizing, the…

    Read more...

    ", + "content": "

    We all have different versions of “cleaning.” For some, the act includes Windex, bleach, and a mop; for others, it means putting away toys, sweeping, and loading the dishwasher. But while “cleaning” can mean everything from straightening up to scrubbing down, when it comes to disinfecting and sanitizing, the…

    Read more...

    ", + "category": "bleach", + "link": "https://lifehacker.com/the-difference-between-disinfecting-and-sanitizing-acc-1848175073", + "creator": "Sarah Showfety", + "pubDate": "Wed, 08 Dec 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6e0f8de1cd99a1ec14fdd83c041c175" + "hash": "9e98e16027a3a12801d9587c8a9471c2" }, { - "title": "Forceful synapses reveal mechanical interactions in the brain", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03516-0", - "creator": "", - "pubDate": "2021-11-24", + "title": "How to Watch The Game Awards 2021, and What to Expect", + "description": "

    The Game Awards 2021 is this week, the year-end event where we get to watch ads and trailers for new games. Oh, and they hand out awards for the best games of the past year—even though many of those awards happen off-screen before the stream even begins.

    Read more...

    ", + "content": "

    The Game Awards 2021 is this week, the year-end event where we get to watch ads and trailers for new games. Oh, and they hand out awards for the best games of the past year—even though many of those awards happen off-screen before the stream even begins.

    Read more...

    ", + "category": "the game awards", + "link": "https://lifehacker.com/how-to-watch-the-game-awards-2021-and-what-to-expect-1848176072", + "creator": "Brendan Hesse", + "pubDate": "Wed, 08 Dec 2021 13:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a60daa5e728c0c6c85e4fdc967e31c6" + "hash": "d5ca29b6ddf3ce127ccd133a9c2b9cd1" }, { - "title": "Daily briefing: ‘Incident’ delays launch of the James Webb Space Telescope", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03544-w", - "creator": "Flora Graham", - "pubDate": "2021-11-24", + "title": "How to Spot a Shady Landlord (Before It’s Too Late)", + "description": "

    With the new year comes a slew of freshly signed leases. No matter the market conditions, there’s always a risk that the person selling and maintaining your apartment is, to use an industry term, a “total skeeve ball.” (Some of us would argue that the phrase “shady landlord” is redundant.) The reality of being a…

    Read more...

    ", + "content": "

    With the new year comes a slew of freshly signed leases. No matter the market conditions, there’s always a risk that the person selling and maintaining your apartment is, to use an industry term, a “total skeeve ball.” (Some of us would argue that the phrase “shady landlord” is redundant.) The reality of being a…

    Read more...

    ", + "category": "landlord", + "link": "https://lifehacker.com/how-to-spot-a-shady-landlord-before-it-s-too-late-1848136583", + "creator": "Meredith Dietz", + "pubDate": "Tue, 07 Dec 2021 22:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "68cf47d57b6f6edca768c17a966f4b9b" + "hash": "6f895a04e1bf27011b4710bf4d126322" }, { - "title": "How to make macroscale non-crystalline diamonds", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-02957-x", - "creator": "Alfonso San-Miguel", - "pubDate": "2021-11-24", + "title": "Cheugy, Chipotle, and Dogecoin Among The Most Mispronounced Words of 2021", + "description": "

    The U.S. Captioning Company and the British Institute of Verbatim Reporters (BIVR) recently released reports on the most mispronounced words of the year—that is, the most challenging words for newsreaders and television hosts to say correctly the first time. We can only infer if these words are tough for people whose…

    Read more...

    ", + "content": "

    The U.S. Captioning Company and the British Institute of Verbatim Reporters (BIVR) recently released reports on the most mispronounced words of the year—that is, the most challenging words for newsreaders and television hosts to say correctly the first time. We can only infer if these words are tough for people whose…

    Read more...

    ", + "category": "dogecoin", + "link": "https://lifehacker.com/cheugy-chipotle-and-dogecoin-among-the-most-mispronou-1848173792", + "creator": "Sarah Showfety", + "pubDate": "Tue, 07 Dec 2021 21:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "494d0db5d77a05d89c671c97a62c0bce" + "hash": "3885e4b52bd4c6f1fd27037632358d49" }, { - "title": "A COVID-19 peptide vaccine for the induction of SARS-CoV-2 T cell immunity", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04232-5", - "creator": "Jonas S. Heitmann", - "pubDate": "2021-11-23", + "title": "You Should Brûlée All of Your Favorite Holiday Treats", + "description": "

    Whether you’re huddling around a roaring campfire, grilling a sumptuous piece of meat, or brûlée-ing a custardy crème, fire is sexy. Maybe it’s the element of danger involved in the exothermic process of combustion, or maybe it’s just because it looks cool, but breaking out a kitchen torch tells me we are about to…

    Read more...

    ", + "content": "

    Whether you’re huddling around a roaring campfire, grilling a sumptuous piece of meat, or brûlée-ing a custardy crème, fire is sexy. Maybe it’s the element of danger involved in the exothermic process of combustion, or maybe it’s just because it looks cool, but breaking out a kitchen torch tells me we are about to…

    Read more...

    ", + "category": "joe", + "link": "https://lifehacker.com/you-should-brulee-all-of-your-favorite-holiday-treats-1848174250", + "creator": "Claire Lower", + "pubDate": "Tue, 07 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9ca5edb3eb78b4424d1276ca6137b8b" + "hash": "8a1ec52c510e4bb2029ee60e07e75bfe" }, { - "title": "Support deaf participants at virtual conferences", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03487-2", - "creator": "Denis Meuthen", - "pubDate": "2021-11-23", + "title": "All the Delightful New Pixel Features Worth Checking Out", + "description": "

    It’s time for a Feature Drop! Google hit us with the news on Monday, Dec. 6, announcing a handful of fun new features for the Pixel lineup of devices. While not all features are available on all Pixels, there is something new for everyone, so long as you have a Pixel 3 or newer. That said, the update isn’t here yet on…

    Read more...

    ", + "content": "

    It’s time for a Feature Drop! Google hit us with the news on Monday, Dec. 6, announcing a handful of fun new features for the Pixel lineup of devices. While not all features are available on all Pixels, there is something new for everyone, so long as you have a Pixel 3 or newer. That said, the update isn’t here yet on…

    Read more...

    ", + "category": "pixel", + "link": "https://lifehacker.com/all-the-delightful-new-pixel-features-worth-checking-ou-1848173319", + "creator": "Jake Peterson", + "pubDate": "Tue, 07 Dec 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58495be646209f03227e1dd1f8e8231a" + "hash": "5a6294a318b4d7e2a4baf75866e0fc6e" }, { - "title": "Science community steps up to reform open access", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03485-4", - "creator": "Geoffrey Boulton", - "pubDate": "2021-11-23", + "title": "How to Clean Your Scorched Iron", + "description": "

    If you’re back to wearing real work clothes on a regular basis, it may be time to bust out the iron. But before you attack any wrinkles, you’ll want to make sure the metal plate is clean and free of any burns, which can leave stains on your clothes. And if you do accidentally melt anything directly onto your iron,…

    Read more...

    ", + "content": "

    If you’re back to wearing real work clothes on a regular basis, it may be time to bust out the iron. But before you attack any wrinkles, you’ll want to make sure the metal plate is clean and free of any burns, which can leave stains on your clothes. And if you do accidentally melt anything directly onto your iron,…

    Read more...

    ", + "category": "chemistry", + "link": "https://lifehacker.com/how-to-clean-your-scorched-iron-1848173578", + "creator": "Emily Long", + "pubDate": "Tue, 07 Dec 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a39e7a27b5298effb62a342d0537b4b" + "hash": "a71ec4d3e386b8d775b0fc95e3ecdaaa" }, { - "title": "From the archive", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03457-8", - "creator": "", - "pubDate": "2021-11-23", + "title": "How to Start a Google Chat Call Directly From Gmail", + "description": "

    Just like Zoom, Google Meet (and Chat) has heavily relied on links. Whether you wanted to do a one-on-one call or a group call, it all started and ended with a joining link or a meeting code.

    Read more...

    ", + "content": "

    Just like Zoom, Google Meet (and Chat) has heavily relied on links. Whether you wanted to do a one-on-one call or a group call, it all started and ended with a joining link or a meeting code.

    Read more...

    ", + "category": "google", + "link": "https://lifehacker.com/how-to-start-a-google-chat-call-directly-from-gmail-1848172621", + "creator": "Khamosh Pathak", + "pubDate": "Tue, 07 Dec 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "41793ddd5216645eb0d0521516023298" + "hash": "10c163232e5744e5236419c322e3ad57" }, { - "title": "Earth is headed for well over two degrees of warming", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03507-1", - "creator": "", - "pubDate": "2021-11-23", + "title": "How to Make All Your WhatsApp Messages Disappear Automatically", + "description": "

    WhatsApp’s Disappearing Messages feature has been quite limited so far—once enabled for a particular conversation or a group, all messages would be deleted automatically after seven days, but with no room for additional customization, or a default setting for all chats.

    Read more...

    ", + "content": "

    WhatsApp’s Disappearing Messages feature has been quite limited so far—once enabled for a particular conversation or a group, all messages would be deleted automatically after seven days, but with no room for additional customization, or a default setting for all chats.

    Read more...

    ", + "category": "whatsapp", + "link": "https://lifehacker.com/how-to-make-all-your-whatsapp-messages-disappear-automa-1848173060", + "creator": "Khamosh Pathak", + "pubDate": "Tue, 07 Dec 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4d16b83004276c027256496995362c3" + "hash": "6b624754bee1e9c944dff5bf92990837" }, { - "title": "Ditch gendered terminology for cell division", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03490-7", - "creator": "Peter White", - "pubDate": "2021-11-23", + "title": "What to Know About Plan B's Effectiveness If You're Stocking Up Right Now", + "description": "

    Stocking up on emergency contraception can be a good way of making sure you have some available when you need it—or that you can provide it to a friend if they’re in need. (Plan B is available over the- ounter in the U.S., so this is just as legal as doing the same thing with Tylenol.) But there’s something you should…

    Read more...

    ", + "content": "

    Stocking up on emergency contraception can be a good way of making sure you have some available when you need it—or that you can provide it to a friend if they’re in need. (Plan B is available over the- ounter in the U.S., so this is just as legal as doing the same thing with Tylenol.) But there’s something you should…

    Read more...

    ", + "category": "drug safety", + "link": "https://lifehacker.com/what-to-know-about-plan-bs-effectiveness-if-youre-stock-1848173402", + "creator": "Beth Skwarecki", + "pubDate": "Tue, 07 Dec 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c05f4f7501661edcf143b97ef6d9cb73" + "hash": "7ad0f1beac92537558c1346166d6d51c" }, { - "title": "Mini-machine can chop and channel proteins", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03502-6", - "creator": "", - "pubDate": "2021-11-22", + "title": "8 of the Worst YouTube Annoyances, and How to Fix Them", + "description": "

    Although you might not immediately think of it as such, YouTube is probably the smartest, most personal source of entertainment that we have. Plus, it’s free. And just like a streaming service, it’s easy to lose a couple of hours in the YouTube app or the website.

    Read more...

    ", + "content": "

    Although you might not immediately think of it as such, YouTube is probably the smartest, most personal source of entertainment that we have. Plus, it’s free. And just like a streaming service, it’s easy to lose a couple of hours in the YouTube app or the website.

    Read more...

    ", + "category": "youtube", + "link": "https://lifehacker.com/8-of-the-worst-youtube-annoyances-and-how-to-fix-them-1848171368", + "creator": "Khamosh Pathak", + "pubDate": "Tue, 07 Dec 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "465c7e12d1718776f7343a0dfbfb3590" + "hash": "3427cb739fcb87061326cc25fff0038e" }, { - "title": "Ahmedabad: local data beat the heat", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03486-3", - "creator": "Priya Dutta", - "pubDate": "2021-11-23", + "title": "This Is How Much Online ‘Stalking’ You Should Do Before a Date", + "description": "

    Part of the reason that Hinge is my favorite dating app is the ability for people to really show some of their personality in their profile prompts. In addition to basic safety and vibe concerns, it’s useful to have a jumping off point for small talk about each other’s interests. Similarly, I’ve argued before why

    Read more...

    ", + "content": "

    Part of the reason that Hinge is my favorite dating app is the ability for people to really show some of their personality in their profile prompts. In addition to basic safety and vibe concerns, it’s useful to have a jumping off point for small talk about each other’s interests. Similarly, I’ve argued before why

    Read more...

    ", + "category": "you", + "link": "https://lifehacker.com/this-is-how-much-online-stalking-you-should-do-before-1848172339", + "creator": "Meredith Dietz", + "pubDate": "Tue, 07 Dec 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ed75e897566df07c154c5d96b6888d0" + "hash": "a3a01d9eede64f5b019346c488480bf8" }, { - "title": "Artificial intelligence powers protein-folding predictions", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03499-y", - "creator": "Michael Eisenstein", - "pubDate": "2021-11-23", + "title": "How to Avoid Getting Flagged By the TSA, According to the TS-Mother-F'ing-A", + "description": "

    Flying can be annoying, especially during the holidays, and it’s even worse if you’re flagged by the TSA. Even if you follow all of their many rules, you can still end up being flagged, which can be uncomfortable at best, and day-ruining at worst.

    Read more...

    ", + "content": "

    Flying can be annoying, especially during the holidays, and it’s even worse if you’re flagged by the TSA. Even if you follow all of their many rules, you can still end up being flagged, which can be uncomfortable at best, and day-ruining at worst.

    Read more...

    ", + "category": "baggage", + "link": "https://lifehacker.com/how-to-avoid-getting-flagged-by-the-tsa-according-to-t-1848171516", + "creator": "Rachel Fairbank", + "pubDate": "Tue, 07 Dec 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5a33cbc80216082eca0d9bc8f8fb3935" + "hash": "058b3b9a3092ea75ee02b5754f5e01bd" }, { - "title": "How burnout and imposter syndrome blight scientific careers", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03042-z", - "creator": "Chris Woolston", - "pubDate": "2021-11-23", + "title": "How to Use a Rubber Band to Loosen a Stubborn Screw, and Other Clever DIY Tricks", + "description": "

    Every craftsperson has their own unique way of doing things. Ask a question about a particular tool or method, and you’re likely to get as many different answers and suggestions as there are pros in the room. Some tricks are more useful than others, though—here are some of the best I know, from how to unstick a nut…

    Read more...

    ", + "content": "

    Every craftsperson has their own unique way of doing things. Ask a question about a particular tool or method, and you’re likely to get as many different answers and suggestions as there are pros in the room. Some tricks are more useful than others, though—here are some of the best I know, from how to unstick a nut…

    Read more...

    ", + "category": "woodworking", + "link": "https://lifehacker.com/how-to-use-a-rubber-band-to-loosen-a-stubborn-screw-an-1848170893", + "creator": "Becca Lewis", + "pubDate": "Tue, 07 Dec 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "103f8bc9b162fe46a4d20d170336a863" + "hash": "49f0b8b81a01804b1245072f4d60c65e" }, { - "title": "Do vaccines protect against long COVID? What the data say", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03495-2", - "creator": "Heidi Ledford", - "pubDate": "2021-11-23", + "title": "13 of the Weirdest Christmas Traditions From Around the World", + "description": "

    It only seems normal to drag a dead tree into your house in order to get drunk in front of it because we do it every year. Same with all the holiday tales and traditions involving Santa, little baby Jesus, that Mariah Carey song, and everything else we associate with Dec. 25.

    How strange would all of this seem to an…

    Read more...

    ", + "content": "

    It only seems normal to drag a dead tree into your house in order to get drunk in front of it because we do it every year. Same with all the holiday tales and traditions involving Santa, little baby Jesus, that Mariah Carey song, and everything else we associate with Dec. 25.

    How strange would all of this seem to an…

    Read more...

    ", + "category": "traditions", + "link": "https://lifehacker.com/13-of-the-weirdest-christmas-traditions-from-around-the-1848168110", + "creator": "Stephen Johnson", + "pubDate": "Tue, 07 Dec 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "445121e49f3092a7a69e764c32c21714" + "hash": "eb815b3903d3bd3970926d49b2c6c19a" }, { - "title": "US astronomy has ambitious plans — but it needs global partners", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03514-2", - "creator": "", - "pubDate": "2021-11-23", + "title": "How to Get the Smell of Garlic Out of Your Wooden Cutting Board", + "description": "

    If you own wooden utensils or cutting boards, you’ve probably noticed they have a way of retaining certain pungent odors. As much as we love our wooden kitchen tools, they are also porous, so they easily absorb strong smells—and then transfer those smells to foods we’re preparing later (garlic watermelon, anyone?).

    Read more...

    ", + "content": "

    If you own wooden utensils or cutting boards, you’ve probably noticed they have a way of retaining certain pungent odors. As much as we love our wooden kitchen tools, they are also porous, so they easily absorb strong smells—and then transfer those smells to foods we’re preparing later (garlic watermelon, anyone?).

    Read more...

    ", + "category": "garlic", + "link": "https://lifehacker.com/how-to-get-the-smell-of-garlic-out-of-your-wooden-cutti-1848170888", + "creator": "Rachel Fairbank", + "pubDate": "Tue, 07 Dec 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f04c2969c5c559df22d3c8c913c79d40" + "hash": "e5cb32e94adff53bc0c5ee6d3c3eb25b" }, { - "title": "All-nighter: staying up to fight malaria", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03500-8", - "creator": "Brendan Maher", - "pubDate": "2021-11-22", + "title": "You Should Stir Leftover Gravy Into Soups and Stews", + "description": "

    By now, all of your turkey gravy has been consumed, frozen, or tossed, but pouring gravy on roasts, potatoes, and roasted potatoes is an all-winter affair in my house. I make gravy before Thanksgiving, on Thanksgiving, and after Thanksgiving, which translates into a freezer full of gravy.

    Read more...

    ", + "content": "

    By now, all of your turkey gravy has been consumed, frozen, or tossed, but pouring gravy on roasts, potatoes, and roasted potatoes is an all-winter affair in my house. I make gravy before Thanksgiving, on Thanksgiving, and after Thanksgiving, which translates into a freezer full of gravy.

    Read more...

    ", + "category": "gravy", + "link": "https://lifehacker.com/you-should-stir-leftover-gravy-into-soups-and-stews-1848170201", + "creator": "Claire Lower", + "pubDate": "Tue, 07 Dec 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "418c58e7853b85c15b618c5a344bce44" + "hash": "889617fa749d5bc12b9dd2974bc2b643" }, { - "title": "The art critic in the machine tells forgeries from the real thing", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03447-w", - "creator": "", - "pubDate": "2021-11-22", + "title": "Why You Should Be Wary When Sending Your Pixel or iPhone in for Repairs", + "description": "

    None of us would willingly hand our phones over to someone if we thought they were going to steal and leak our personal data—but recent reports indicate some Apple and Google repair staff are doing just that.

    Read more...

    ", + "content": "

    None of us would willingly hand our phones over to someone if we thought they were going to steal and leak our personal data—but recent reports indicate some Apple and Google repair staff are doing just that.

    Read more...

    ", + "category": "pixel", + "link": "https://lifehacker.com/why-you-should-be-wary-when-sending-your-pixel-or-iphon-1848168903", + "creator": "Brendan Hesse", + "pubDate": "Mon, 06 Dec 2021 22:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "93d75c1035f70abe173ad56a2087eb2f" + "hash": "3e16bcc1fc42bb9d77e1f1ffb550badb" }, { - "title": "Battery-powered trains offer a cost-effective ride to a cleaner world", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03448-9", - "creator": "", - "pubDate": "2021-11-22", + "title": "What You Should Know About the New COVID Travel Rules That Start Today", + "description": "

    If you’re planning an international trip (or if you’re on one right now), it’s time to brush up on the COVID-related regulations, because testing requirements changed, and they take effect today. Also, remember how the Biden administration decided in early November that country-based travel bans are a bad idea?…

    Read more...

    ", + "content": "

    If you’re planning an international trip (or if you’re on one right now), it’s time to brush up on the COVID-related regulations, because testing requirements changed, and they take effect today. Also, remember how the Biden administration decided in early November that country-based travel bans are a bad idea?…

    Read more...

    ", + "category": "sars cov 2 omicron variant", + "link": "https://lifehacker.com/what-you-should-know-about-the-new-covid-travel-rules-t-1848166165", + "creator": "Beth Skwarecki", + "pubDate": "Mon, 06 Dec 2021 21:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5b761cd343005ea7425e98a56a72627" + "hash": "df16b9a88b8f5f2358c5c0837f7b7b5c" }, { - "title": "Michael Rutter (1933–2021)", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03498-z", - "creator": "Uta Frith", - "pubDate": "2021-11-22", + "title": "Make Poultry Cracklins in Your Air Fryer", + "description": "

    Devouring salty, crackling poultry skin is one of my favorite things about eating birds but, once cooled, it can go from transcendentally crisp to upsettingly gummy in a matter of minutes. Depending on the size of your bird, trying to eat all the skin before it cools can come off as a little creepy, but you don’t have…

    Read more...

    ", + "content": "

    Devouring salty, crackling poultry skin is one of my favorite things about eating birds but, once cooled, it can go from transcendentally crisp to upsettingly gummy in a matter of minutes. Depending on the size of your bird, trying to eat all the skin before it cools can come off as a little creepy, but you don’t have…

    Read more...

    ", + "category": "chicken as food", + "link": "https://lifehacker.com/make-poultry-cracklins-in-your-air-fryer-1848168231", + "creator": "Claire Lower", + "pubDate": "Mon, 06 Dec 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "language": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0380dd2184c0ed92d29ffe1f0564752d" + "hash": "28a0f7faa49fb32e45907d2816db664d" }, { - "title": "Heavily mutated coronavirus variant puts scientists on alert", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03552-w", - "creator": "Ewen Callaway", - "pubDate": "2021-11-25", + "title": "Let's Bring Back the Fruit Stocking Stuffer", + "description": "

    I read a lot of historical fiction as a child—most of it in the American Girl Doll series. I don’t know how they do it now, but back in my day each doll had six matching books (each sold separately!), and all of the books had nearly identical titles—the only part of the title that would change from doll to doll was…

    Read more...

    ", + "content": "

    I read a lot of historical fiction as a child—most of it in the American Girl Doll series. I don’t know how they do it now, but back in my day each doll had six matching books (each sold separately!), and all of the books had nearly identical titles—the only part of the title that would change from doll to doll was…

    Read more...

    ", + "category": "trees", + "link": "https://lifehacker.com/lets-bring-back-the-fruit-stocking-stuffer-1848167306", + "creator": "Claire Lower", + "pubDate": "Mon, 06 Dec 2021 20:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eed79f99dd4dbe5bac9452d4ad978af4" + "hash": "3bb7301b4278ed350068124c9a66518e" }, { - "title": "Daily briefing: What we know about vaccines and long COVID", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03531-1", - "creator": "Flora Graham", - "pubDate": "2021-11-23", + "title": "Is Your Child Too Popular for Their Own Good?", + "description": "

    It’s impossible for thoughtful parents to not to worry about their child’s popularity. You can’t remember your own Lords-of-the Flies-with-hairspray high school social experience and not wonder whether you’ve prepared your child to navigate the fraught social landscape of not-quite-adulthood.

    Read more...

    ", + "content": "

    It’s impossible for thoughtful parents to not to worry about their child’s popularity. You can’t remember your own Lords-of-the Flies-with-hairspray high school social experience and not wonder whether you’ve prepared your child to navigate the fraught social landscape of not-quite-adulthood.

    Read more...

    ", + "category": "popular", + "link": "https://lifehacker.com/is-your-child-too-popular-for-their-own-good-1848149805", + "creator": "Stephen Johnson", + "pubDate": "Mon, 06 Dec 2021 19:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e3c3d549d3ed7ca24e036185c60b090" + "hash": "9d9af2ecac56b02f4bda0f096e1064fd" }, { - "title": "China creates vast research infrastructure to support ambitious climate goals", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03491-6", - "creator": "Smriti Mallapaty", - "pubDate": "2021-11-22", + "title": "The Best Way to Ask for a Cost-of-Living Raise", + "description": "

    The end of the calendar year is a time for tactfully exiting holiday parties and hazarding guesses at what to get your coworker for Secret Santa, but more importantly, for many workplaces, it’s also the time when performance reviews happen, budgets are made, and salaries are negotiated.

    Read more...

    ", + "content": "

    The end of the calendar year is a time for tactfully exiting holiday parties and hazarding guesses at what to get your coworker for Secret Santa, but more importantly, for many workplaces, it’s also the time when performance reviews happen, budgets are made, and salaries are negotiated.

    Read more...

    ", + "category": "physical cosmology", + "link": "https://lifehacker.com/the-best-way-to-ask-for-a-cost-of-living-raise-1848167183", + "creator": "Meredith Dietz", + "pubDate": "Mon, 06 Dec 2021 19:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "78fed7ce7627b66ba9b501c848dd6219" + "hash": "801c77da930efda05fcf30f4cbcab6af" }, { - "title": "Cuba’s bet on home-grown COVID vaccines is paying off", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03470-x", - "creator": "Sara Reardon", - "pubDate": "2021-11-22", + "title": "How to Get Through Bedtime When You’re Solo-Parenting", + "description": "

    If you’re a parent of small children, you probably face the nightly bedtime routine with some amount of dread. There are so many to-do’s, moving, slippery parts, hyper children, and hygiene perils (see: bathwater, drinking) to deal with—plus an unparalleled appetite for chaos and stalling that seem to hit as soon as…

    Read more...

    ", + "content": "

    If you’re a parent of small children, you probably face the nightly bedtime routine with some amount of dread. There are so many to-do’s, moving, slippery parts, hyper children, and hygiene perils (see: bathwater, drinking) to deal with—plus an unparalleled appetite for chaos and stalling that seem to hit as soon as…

    Read more...

    ", + "category": "lifestyles", + "link": "https://lifehacker.com/how-to-get-through-bedtime-when-you-re-solo-parenting-1848166666", + "creator": "Sarah Showfety", + "pubDate": "Mon, 06 Dec 2021 18:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b12673feeb01bba489ca515b67a77e31" + "hash": "a0f19726e2ec19fab2b2ec7829ff3b19" }, { - "title": "How dogs became humans’ best friends: from Neanderthals to now", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03497-0", - "creator": "Josie Glausiusz", - "pubDate": "2021-11-22", + "title": "How to Stop Your Phone From Calling 911 by Accident", + "description": "

    When there’s an emergency, you want quick, reliable access to help. What you don’t want is for that access to be so quick and so reliable you end up calling 911 by complete accident. Unfortunately, that is the state of emergency services on iPhone and Android, and if you’re reading this, you might be well aware of how…

    Read more...

    ", + "content": "

    When there’s an emergency, you want quick, reliable access to help. What you don’t want is for that access to be so quick and so reliable you end up calling 911 by complete accident. Unfortunately, that is the state of emergency services on iPhone and Android, and if you’re reading this, you might be well aware of how…

    Read more...

    ", + "category": "disaster accident", + "link": "https://lifehacker.com/how-to-stop-your-phone-from-calling-911-by-accident-1848166179", + "creator": "Jake Peterson", + "pubDate": "Mon, 06 Dec 2021 17:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6cb078116e5143410a4c0706e17fb7c1" + "hash": "393db2380bc3c8f248b1e2ccb028fbf9" }, { - "title": "Daily briefing: Adoption advice for academics", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03528-w", - "creator": "Flora Graham", - "pubDate": "2021-11-22", + "title": "7 of the Best Password Managers to Choose From Before Lockwise Shuts Down", + "description": "

    Firefox is shutting down its Lockwise password manager service. The passwords you save in the Firefox app on desktop and mobile will still be available, and they’ll still be synced across all your devices; Mozilla is effectively rolling Lockwise’s features into Firefox and removing the iOS and Android app from the…

    Read more...

    ", + "content": "

    Firefox is shutting down its Lockwise password manager service. The passwords you save in the Firefox app on desktop and mobile will still be available, and they’ll still be synced across all your devices; Mozilla is effectively rolling Lockwise’s features into Firefox and removing the iOS and Android app from the…

    Read more...

    ", + "category": "software", + "link": "https://lifehacker.com/7-of-the-best-password-managers-to-choose-from-before-l-1848165088", + "creator": "Khamosh Pathak", + "pubDate": "Mon, 06 Dec 2021 16:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6da7b317ec780ddeaf2c4f9f2dda6f84" + "hash": "127ac8504577f97de160d6b9ad985c14" }, { - "title": "First quantum computer to pack 100 qubits enters crowded race", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03476-5", - "creator": "Philip Ball", - "pubDate": "2021-11-19", + "title": "How to Unlock Halo Infinite's Hidden Multiplayer Modes Before Microsoft Takes Them Down", + "description": "

    Before Halo Infinite’s story mode goes public, Microsoft is inviting users into the multiplayer mode in the open beta, which has been running on Steam since Nov. 15. Halo Infinite starts you off with 17 multiplayer modes by default, but if you launch the game with Steam set in offline mode, you end up with 14 more…

    Read more...

    ", + "content": "

    Before Halo Infinite’s story mode goes public, Microsoft is inviting users into the multiplayer mode in the open beta, which has been running on Steam since Nov. 15. Halo Infinite starts you off with 17 multiplayer modes by default, but if you launch the game with Steam set in offline mode, you end up with 14 more…

    Read more...

    ", + "category": "microsoft", + "link": "https://lifehacker.com/how-to-unlock-halo-infinites-hidden-multiplayer-modes-b-1848165514", + "creator": "Khamosh Pathak", + "pubDate": "Mon, 06 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db652ed21bc43fd7ca312eb29726f25c" + "hash": "b2b5d08873f2c08289779703d8ba62cb" }, { - "title": "This microbe works a toxic metal into a weapon against its foes", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03477-4", - "creator": "", - "pubDate": "2021-11-19", + "title": "How to Make the Perfect DIY Gift-Wrapping Station", + "description": "

    Wrapping holiday gifts can be fun—but if your gift-wrapping station is disorganized (and the wrapping paper is forever rolling off the table and unraveling), it can also be tedious. That’s why taking the extra time to set up the perfect, functional gift-wrapping station is worth the effort. Here are a few tips to set…

    Read more...

    ", + "content": "

    Wrapping holiday gifts can be fun—but if your gift-wrapping station is disorganized (and the wrapping paper is forever rolling off the table and unraveling), it can also be tedious. That’s why taking the extra time to set up the perfect, functional gift-wrapping station is worth the effort. Here are a few tips to set…

    Read more...

    ", + "category": "wrapping", + "link": "https://lifehacker.com/how-to-make-the-perfect-diy-gift-wrapping-station-1848164443", + "creator": "Becca Lewis", + "pubDate": "Mon, 06 Dec 2021 15:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "08783d8cb01e93548136d1988210a205" + "hash": "5b6104dee4b3a28362f5222998fc40d6" }, { - "title": "Defining Alzheimer’s, and the climate costs of AI: Books in brief", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03484-5", - "creator": "Andrew Robinson", - "pubDate": "2021-11-19", + "title": "Understanding the 'Goodness-of-Fit' Theory Can Help You Be a Better Parent", + "description": "

    It’s a cliché to say very child is different, but it’s unquestionably true that different kids need different types or support and will thrive in different environments. A child with a laidback temperament might thrive in a traditional classroom setting, while one who is full of energy might be disruptive, and one…

    Read more...

    ", + "content": "

    It’s a cliché to say very child is different, but it’s unquestionably true that different kids need different types or support and will thrive in different environments. A child with a laidback temperament might thrive in a traditional classroom setting, while one who is full of energy might be disruptive, and one…

    Read more...

    ", + "category": "personality", + "link": "https://lifehacker.com/understanding-the-goodness-of-fit-theory-can-help-you-b-1848157537", + "creator": "Rachel Fairbank", + "pubDate": "Mon, 06 Dec 2021 15:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c2a2701cd9f271078d5ed6e932f0387" + "hash": "50db9a8c0d642d8dc9566ee22d459390" }, { - "title": "COVID’s career impact and embryo secrets — the week in infographics", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03478-3", - "creator": "", - "pubDate": "2021-11-19", + "title": "Start a ‘Tech-Free’ Hobby, and Other Ways to Beat Technology Fatigue", + "description": "

    You may have noticed that we are all surrounded by tech. We use it for work, for entertainment, and to keep in touch with our friends and family. It can feel, from the moment you wake up to the moment you go to bed, that you are tethered to your many gadgets. If you’re feeling overwhelmed by the constant use of…

    Read more...

    ", + "content": "

    You may have noticed that we are all surrounded by tech. We use it for work, for entertainment, and to keep in touch with our friends and family. It can feel, from the moment you wake up to the moment you go to bed, that you are tethered to your many gadgets. If you’re feeling overwhelmed by the constant use of…

    Read more...

    ", + "category": "fatigue", + "link": "https://lifehacker.com/start-a-tech-free-hobby-and-other-ways-to-beat-techn-1848133853", + "creator": "Shannon Flynn", + "pubDate": "Mon, 06 Dec 2021 14:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b8565b86e24777e8298a6d652384f83" + "hash": "ac49c0a9bccb4f47b9d8acacd1d67266" }, { - "title": "Scientists question Max Planck Society’s treatment of women leaders", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03492-5", - "creator": "Alison Abbott", - "pubDate": "2021-11-19", + "title": "15 Discontinued Fast-Food Items That Must Return, According to Lifehacker Readers", + "description": "

    Last week I asked which discontinued fast-food items you wish would return with all your heart. To paint a picture of loss, I of course used Taco Bell’s discontinuation of the Mexican Pizza as an example; despite less-than-overwhelming support for the Mexican Pizza in the comments, the item will be featured in this…

    Read more...

    ", + "content": "

    Last week I asked which discontinued fast-food items you wish would return with all your heart. To paint a picture of loss, I of course used Taco Bell’s discontinuation of the Mexican Pizza as an example; despite less-than-overwhelming support for the Mexican Pizza in the comments, the item will be featured in this…

    Read more...

    ", + "category": "blazer", + "link": "https://lifehacker.com/15-discontinued-fast-food-items-that-must-return-accor-1848157164", + "creator": "Meredith Dietz", + "pubDate": "Mon, 06 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c24c3f6f3180afed7a5ede3b5eeafe2a" + "hash": "c9bef6229e234d822c4a51188b9aa602" }, { - "title": "Star Corps Crew Manual Section 15-A37: On Mental Dislocation", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03398-2", - "creator": "Marissa Lingen", - "pubDate": "2021-11-19", + "title": "How to Tell the Difference Between a Thanksgiving Cactus and a Christmas Cactus, and Why It Matters", + "description": "

    Despite their festive name, Christmas cacti are great year-round houseplants, and don’t look out of place in the middle of July. They also live so long that they can be passed down between generations if they receive the proper care.

    Read more...

    ", + "content": "

    Despite their festive name, Christmas cacti are great year-round houseplants, and don’t look out of place in the middle of July. They also live so long that they can be passed down between generations if they receive the proper care.

    Read more...

    ", + "category": "plants", + "link": "https://lifehacker.com/how-to-tell-the-difference-between-a-thanksgiving-cactu-1848161107", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 05 Dec 2021 18:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fe2bb68d0205b592108fb031b3275647" + "hash": "9fde1610a6937f3486f877af6e8f6d55" }, { - "title": "Daily briefing: NASA spacecraft will die trying to deflect an asteroid", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03504-4", - "creator": "Flora Graham", - "pubDate": "2021-11-19", + "title": "Don't Overlook These Relationship Green Flags", + "description": "

    When it comes to romantic relationships—whether they are firmly established, or still in their early stages—we are (rightfully) conditioned to pay attention to and make note of any warning signs about a person, commonly referred to as “red flags.”

    Read more...

    ", + "content": "

    When it comes to romantic relationships—whether they are firmly established, or still in their early stages—we are (rightfully) conditioned to pay attention to and make note of any warning signs about a person, commonly referred to as “red flags.”

    Read more...

    ", + "category": "personal life", + "link": "https://lifehacker.com/dont-overlook-these-relationship-green-flags-1848161100", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 05 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83161fab1ec3e1a3d75c50e4b5d17737" + "hash": "333a3915e36b0c96df9e862ae12f09ec" }, { - "title": "NASA spacecraft will slam into asteroid in first planetary-defence test", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03471-w", - "creator": "Alexandra Witze", - "pubDate": "2021-11-19", + "title": "Why You Should Use a Quarter to Test Tire Tread Instead of a Penny", + "description": "

    As you were learning how to drive, you may have also learned a few car maintenance basics, like how to refill your windshield wiper fluid or check your oil levels. Another common tip was to use a penny to check the tread on your tires.

    Read more...

    ", + "content": "

    As you were learning how to drive, you may have also learned a few car maintenance basics, like how to refill your windshield wiper fluid or check your oil levels. Another common tip was to use a penny to check the tread on your tires.

    Read more...

    ", + "category": "tire", + "link": "https://lifehacker.com/why-you-should-use-a-quarter-to-test-tire-tread-instead-1848161093", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 05 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "65c577c539228d26ace9ab5f05e5b720" + "hash": "1c6ecb4918490c77a275fc415b78d470" }, { - "title": "Adopting as academics: what we learnt", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03482-7", - "creator": "Tony Ly", - "pubDate": "2021-11-18", + "title": "Don't Ignore These Less-Obvious Signs of Verbal Abuse", + "description": "

    Sometimes it’s very clear when someone speaking to you is being verbally abusive; you feel cut-down, belittled, and/or manipulated. But other times, it can be harder to tell if the words directed at you are some type of criticism or unwelcome feedback, or actual verbal abuse.

    Read more...

    ", + "content": "

    Sometimes it’s very clear when someone speaking to you is being verbally abusive; you feel cut-down, belittled, and/or manipulated. But other times, it can be harder to tell if the words directed at you are some type of criticism or unwelcome feedback, or actual verbal abuse.

    Read more...

    ", + "category": "verbal abuse", + "link": "https://lifehacker.com/dont-ignore-these-less-obvious-signs-of-verbal-abuse-1848156652", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 04 Dec 2021 18:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee8f843ce7f8b07fd298f770b7c6fc8c" + "hash": "187b13226185f655844af49aade517e6" }, { - "title": "Do childhood colds help the body respond to COVID?", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03087-0", - "creator": "Rachel Brazil", - "pubDate": "2021-11-18", + "title": "How to Figure Out if Wood Has Been Pressure-Treated, and Why It Matters", + "description": "

    Those who have spent some time working with wood know that the building material comes in different types, and they’re not all equally suited for every project. Other than the features that depend on the type of tree the wood came from (i.e. maple, oak, birch, etc.), how wood is used also comes down to whether or not…

    Read more...

    ", + "content": "

    Those who have spent some time working with wood know that the building material comes in different types, and they’re not all equally suited for every project. Other than the features that depend on the type of tree the wood came from (i.e. maple, oak, birch, etc.), how wood is used also comes down to whether or not…

    Read more...

    ", + "category": "wood", + "link": "https://lifehacker.com/how-to-figure-out-if-wood-has-been-pressure-treated-an-1848156635", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 04 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f935101591ba16ab17bb0220f513bdc" + "hash": "6a7bf0a461d6a6ffa548711db1f6ef7b" }, { - "title": "Europe’s COVID death toll could rise by hundreds of thousands", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03455-w", - "creator": "Smriti Mallapaty", - "pubDate": "2021-11-18", + "title": "Snag $1,000 for Looking Like Your Pet", + "description": "

    There’s an old saying that eventually, people and their pets will start to look like each other. (Or is that spouses? Either way, it’s something/one you live and go on walks with.) But once that happens, what comes next? You can either ignore it and move on with your life, or really lean into it, and take (and…

    Read more...

    ", + "content": "

    There’s an old saying that eventually, people and their pets will start to look like each other. (Or is that spouses? Either way, it’s something/one you live and go on walks with.) But once that happens, what comes next? You can either ignore it and move on with your life, or really lean into it, and take (and…

    Read more...

    ", + "category": "shane co", + "link": "https://lifehacker.com/snag-1-000-for-looking-like-your-pet-1848156578", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 04 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d00536606025b3ea4704f6518474956" + "hash": "e6edf34280c793a5df399e284dfacd34" }, { - "title": "Genome surveillance by HUSH-mediated silencing of intronless mobile elements", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04228-1", - "creator": "Marta Seczynska", - "pubDate": "2021-11-18", + "title": "What You Need to Know About the Omicron Variant", + "description": "

    Omicron is the latest variant of the virus that causes COVID-19. Like Delta, it’s been designated by the World Health Organization as a “Variant of Concern” (more severe than a “Variant of Interest”). Also like Delta, it’s moving fast. Cases spiked in South Africa recently, and cases of infection with the variant have…

    Read more...

    ", + "content": "

    Omicron is the latest variant of the virus that causes COVID-19. Like Delta, it’s been designated by the World Health Organization as a “Variant of Concern” (more severe than a “Variant of Interest”). Also like Delta, it’s moving fast. Cases spiked in South Africa recently, and cases of infection with the variant have…

    Read more...

    ", + "category": "omicron", + "link": "https://lifehacker.com/what-you-need-to-know-about-the-omicron-variant-1848158084", + "creator": "Beth Skwarecki", + "pubDate": "Fri, 03 Dec 2021 20:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47da5697e00922c9dfeef2b83d4e5b21" + "hash": "2bef46d8d91a6ec737e8b400d77e006a" }, { - "title": "Optimization of Non-Coding Regions for a Non-Modified mRNA COVID-19 Vaccine", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04231-6", - "creator": "Makda S. Gebre", - "pubDate": "2021-11-18", + "title": "How to Lock Up Your Photos and Videos in Google Photos", + "description": "

    For one reason or another, we all have photos and videos that we don’t want just anyone looking at, and we’ve all experienced that small jolt of panic when showing someone one picture, and they start scrolling to their heart’s content. If you use Google Photos, you no longer need to worry, as you can move your…

    Read more...

    ", + "content": "

    For one reason or another, we all have photos and videos that we don’t want just anyone looking at, and we’ve all experienced that small jolt of panic when showing someone one picture, and they start scrolling to their heart’s content. If you use Google Photos, you no longer need to worry, as you can move your…

    Read more...

    ", + "category": "google", + "link": "https://lifehacker.com/how-to-lock-up-your-photos-and-videos-in-google-photos-1848157338", + "creator": "Jake Peterson", + "pubDate": "Fri, 03 Dec 2021 19:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0c5c2ad27c2afdcec22eb4dc7d53c87" + "hash": "852d8fec6f2ddf642763849ebb4efe96" }, { - "title": "CRISPR screens unveil signal hubs for nutrient licensing of T cell immunity", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04109-7", - "creator": "Lingyun Long", - "pubDate": "2021-11-18", + "title": "Sous Vide an 'Always Sunny' Rum Ham That Would Make Frank Reynolds Proud", + "description": "

    It took me way longer than it should have to watch It’s Always Sunny In Philadelphia. It’s almost like I was saving it for when I needed it most, which happened to be during a global pandemic (and a couple of months before the Season 15 premier). I adore it, and everyone involved with making it. The entire cast is…

    Read more...

    ", + "content": "

    It took me way longer than it should have to watch It’s Always Sunny In Philadelphia. It’s almost like I was saving it for when I needed it most, which happened to be during a global pandemic (and a couple of months before the Season 15 premier). I adore it, and everyone involved with making it. The entire cast is…

    Read more...

    ", + "category": "rum", + "link": "https://lifehacker.com/sous-vide-an-always-sunny-rum-ham-that-would-make-frank-1848157451", + "creator": "Claire Lower", + "pubDate": "Fri, 03 Dec 2021 19:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "387f967a8eab8f2b8d12bfdb4df3fe27" + "hash": "e0f8523355af5dd1ed191f33a5cd3f3a" }, { - "title": "Daily briefing: Second person found to have ‘naturally’ eradicated HIV", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03489-0", - "creator": "Flora Graham", - "pubDate": "2021-11-18", + "title": "30 of the Best Movies of 2021 You Can Watch at Home Right Now", + "description": "

    It has been a good year for movies. Not a great year for movie theaters, though.

    In 2019, the last year in which box office returns were unaffected by the pandemic, U.S. theaters banked $11.4 billion in ticket sales. Last year, that lofty total dropped to $2.2 billion (for context, Avengers: Endgame alone made more…

    Read more...

    ", + "content": "

    It has been a good year for movies. Not a great year for movie theaters, though.

    In 2019, the last year in which box office returns were unaffected by the pandemic, U.S. theaters banked $11.4 billion in ticket sales. Last year, that lofty total dropped to $2.2 billion (for context, Avengers: Endgame alone made more…

    Read more...

    ", + "category": "beanie feldstein", + "link": "https://lifehacker.com/30-of-the-best-movies-of-2021-you-can-watch-at-home-rig-1848154310", + "creator": "Joel Cunningham", + "pubDate": "Fri, 03 Dec 2021 18:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88c219612c266cf250bb6c2051a9e4d0" + "hash": "14fea2431e4806b274f2049734ef888e" }, { - "title": "First Nations communities bring expertise to Canada’s scientific research", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03060-x", - "creator": "Brian Owens", - "pubDate": "2021-11-17", + "title": "How to Keep Little Kids From Destroying Your Christmas Tree", + "description": "

    You’ve made the annual pilgrimage to the Christmas tree farm, selected the fullest Fraser fir, (or erected that surprisingly lifelike pre-lit Aspen artificial from Costco), placed each ornament on the perfect branch and carefully lifted your little one to the tree’s apex for the privilege of putting the star on top.…

    Read more...

    ", + "content": "

    You’ve made the annual pilgrimage to the Christmas tree farm, selected the fullest Fraser fir, (or erected that surprisingly lifelike pre-lit Aspen artificial from Costco), placed each ornament on the perfect branch and carefully lifted your little one to the tree’s apex for the privilege of putting the star on top.…

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/how-to-keep-little-kids-from-destroying-your-christmas-1848156541", + "creator": "Sarah Showfety", + "pubDate": "Fri, 03 Dec 2021 17:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d74bbaa6e9b2276e8ce9dfabaa4863bd" + "hash": "7117b403ccbcf2da4860b795d96d8bfe" }, { - "title": "Cerebellar neurons that curb food consumption", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03383-9", - "creator": "Richard Simerly", - "pubDate": "2021-11-17", + "title": "How to (Finally) Speed Up Pokémon GO’s Refresh Rate on Your Phone", + "description": "

    Pokémon GO is still going strong, and is a great example of a uniquely mobile gaming experience. While the game is more about hunting for Pokémon throughout the real world, and less about graphics, the game’s frame rate has always lagged behind what our smartphones are capable of. Thankfully, that’s no longer the…

    Read more...

    ", + "content": "

    Pokémon GO is still going strong, and is a great example of a uniquely mobile gaming experience. While the game is more about hunting for Pokémon throughout the real world, and less about graphics, the game’s frame rate has always lagged behind what our smartphones are capable of. Thankfully, that’s no longer the…

    Read more...

    ", + "category": "refresh rate", + "link": "https://lifehacker.com/how-to-finally-speed-up-pokemon-go-s-refresh-rate-on-1848155974", + "creator": "Jake Peterson", + "pubDate": "Fri, 03 Dec 2021 17:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a2cf7b2cfab8ce253ba3f0c171fde92" + "hash": "f99628fbc937a26d3fbfac544de6e7cd" }, { - "title": "Millions of helpline calls reveal how COVID affected mental health", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03454-x", - "creator": "Heidi Ledford", - "pubDate": "2021-11-17", + "title": "Everything You Need to Know About the Rise (and the Effectiveness) of Digital Therapeutics", + "description": "

    The old joke “there’s an app for that!” has finally come for the healthcare industry as medicine moves into the uncharted waters known as Digital Therapeutics (DTx). You might be familiar with the broader category of Digital Health, which includes stuff like the Fitbit designed to support healthy lifestyles or a…

    Read more...

    ", + "content": "

    The old joke “there’s an app for that!” has finally come for the healthcare industry as medicine moves into the uncharted waters known as Digital Therapeutics (DTx). You might be familiar with the broader category of Digital Health, which includes stuff like the Fitbit designed to support healthy lifestyles or a…

    Read more...

    ", + "category": "digital therapeutics", + "link": "https://lifehacker.com/everything-you-need-to-know-about-the-rise-and-the-eff-1848155470", + "creator": "Jeff Somers", + "pubDate": "Fri, 03 Dec 2021 16:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1930a2e08a458bd5fbb0115020c8ab5e" + "hash": "d38f9dc4e585b10c54afbae929f91909" }, { - "title": "A peek into the black box of human embryology", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03381-x", - "creator": "Alexander Goedel", - "pubDate": "2021-11-17", + "title": "How to Get Your Solar Panels Ready for Winter", + "description": "

    Let’s start with the good news: Solar panels can continue to produce energy throughout the winter, even when temperatures really drop. (If you purchased solar panels for your home and live somewhere with cold winters, you probably already know this.) But the less-convenient news is that if your area is also prone to…

    Read more...

    ", + "content": "

    Let’s start with the good news: Solar panels can continue to produce energy throughout the winter, even when temperatures really drop. (If you purchased solar panels for your home and live somewhere with cold winters, you probably already know this.) But the less-convenient news is that if your area is also prone to…

    Read more...

    ", + "category": "environment", + "link": "https://lifehacker.com/how-to-get-your-solar-panels-ready-for-winter-1848155353", + "creator": "Elizabeth Yuko", + "pubDate": "Fri, 03 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "794ad66cdc34df9842ec5c0f6156bea0" + "hash": "529cbf30cdcf176a6434c9b0677dad1d" }, { - "title": "Polar bear researchers struggle for air time", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03063-8", - "creator": "Chris Woolston", - "pubDate": "2021-11-17", + "title": "Why You Should Master the Art of 'Lazy' Exercise", + "description": "

    In college, I knew a girl who did a lot of her studying at the gym. She’d bring a textbook and prop it up on the treadmill, and somehow it worked for her. Anytime I tried it, I’d have a bouncing book, a terrible workout, and not be able to report back a single word I’d read.

    Read more...

    ", + "content": "

    In college, I knew a girl who did a lot of her studying at the gym. She’d bring a textbook and prop it up on the treadmill, and somehow it worked for her. Anytime I tried it, I’d have a bouncing book, a terrible workout, and not be able to report back a single word I’d read.

    Read more...

    ", + "category": "exercise", + "link": "https://lifehacker.com/why-you-should-master-the-art-of-lazy-exercise-1848069976", + "creator": "Beth Skwarecki", + "pubDate": "Fri, 03 Dec 2021 15:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac5d9c2140eaa522c9cdef74c1ea52ae" + "hash": "bd7bc1e22ad0f2ac84c82d9a80bded35" }, { - "title": "Canada’s researchers call for a return to stated science ambitions", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03059-4", - "creator": "Brian Owens", - "pubDate": "2021-11-17", + "title": "How to Install Picture Rail Now That It Is (Rightfully) Back in Style", + "description": "

    While most contemporary homes don’t come with picture rail installed, the Victorian style of molding is making a comeback. Whether you’re after that classic victorian look—or something a bit more modern look—installing picture rail molding is a simple and stylish project to tackle. While conventional picture hooks and…

    Read more...

    ", + "content": "

    While most contemporary homes don’t come with picture rail installed, the Victorian style of molding is making a comeback. Whether you’re after that classic victorian look—or something a bit more modern look—installing picture rail molding is a simple and stylish project to tackle. While conventional picture hooks and…

    Read more...

    ", + "category": "nail", + "link": "https://lifehacker.com/how-to-install-picture-rail-now-that-it-is-rightfully-1848154539", + "creator": "Becca Lewis", + "pubDate": "Fri, 03 Dec 2021 15:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a7121a848b64200e8dafd8a39ef0976" + "hash": "9beb313d344ad1e7034e0a2a5ccd34f1" }, { - "title": "Daily briefing: Time to rewrite the textbooks on chemical-bond strength", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03480-9", - "creator": "Flora Graham", - "pubDate": "2021-11-17", + "title": "The Out-of-Touch Adults’ Guide to Kid Culture: Did Ancient Rome Even Exist?", + "description": "

    With the holiday season in full swing, the young people are shifting to different dimensions, denying the existence of Ancient Rome, and learning more about snowflakes than you’d even think was possible.

    Read more...

    ", + "content": "

    With the holiday season in full swing, the young people are shifting to different dimensions, denying the existence of Ancient Rome, and learning more about snowflakes than you’d even think was possible.

    Read more...

    ", + "category": "culture", + "link": "https://lifehacker.com/the-out-of-touch-adults-guide-to-kid-culture-did-anci-1848152209", + "creator": "Stephen Johnson", + "pubDate": "Fri, 03 Dec 2021 14:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c7cd64bb418307dab50871c3226bffb" + "hash": "eee44dd67ccd1064c2b7fec3fa273fb5" }, { - "title": "How Canada stacks up in science against its closest competitors", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03061-w", - "creator": "", - "pubDate": "2021-11-17", + "title": "These Are the Best Streaming Service Sign-Up Deals You Can Get Right Now", + "description": "

    The cost of streaming service subscriptions to cover all of your watching and listening needs can add up quickly, especially if you don’t take advantage of free trials and discounts when they come along. While it’s true that most streaming services offered up their best deals for Cyber Monday—and some of those promos…

    Read more...

    ", + "content": "

    The cost of streaming service subscriptions to cover all of your watching and listening needs can add up quickly, especially if you don’t take advantage of free trials and discounts when they come along. While it’s true that most streaming services offered up their best deals for Cyber Monday—and some of those promos…

    Read more...

    ", + "category": "bestbuycom", + "link": "https://lifehacker.com/these-are-the-best-streaming-service-sign-up-deals-you-1848154491", + "creator": "Emily Long", + "pubDate": "Fri, 03 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f493d8f934ee2361fdde6b15cf5245e" + "hash": "62d8552a946bdb8bb146df7429efd138" }, { - "title": "Welcome home", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03396-4", - "creator": "Beth Cato", - "pubDate": "2021-11-17", + "title": "Please Don't Say These Things to Someone Who Doesn't Drink", + "description": "

    The new year is here, and with it came a big night for drinking. The holidays typically come with a lot of them, from Thanksgiving to boozy Secret Santa exchanges to New Years Eve, there are frequent opportunities to gather and make merry—most of them with gallons of alcohol.

    Read more...

    ", + "content": "

    The new year is here, and with it came a big night for drinking. The holidays typically come with a lot of them, from Thanksgiving to boozy Secret Santa exchanges to New Years Eve, there are frequent opportunities to gather and make merry—most of them with gallons of alcohol.

    Read more...

    ", + "category": "uber", + "link": "https://lifehacker.com/please-dont-say-these-things-to-someone-who-doesnt-drin-1848059452", + "creator": "Sarah Showfety", + "pubDate": "Fri, 03 Dec 2021 13:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f70fc617e92fb584a70f36171fb6971b" + "hash": "7f6836639a15ef1c3d34cd7842b9b774" }, { - "title": "Iodine powers low-cost engines for satellites", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03384-8", - "creator": "Igor Levchenko", - "pubDate": "2021-11-17", + "title": "Plant These Veggies to Create a Winter Garden", + "description": "

    Although winter typically isn’t thought of as a gardening season, it is possible—with the proper arrangements and precautions—to plant and grow a handful of vegetables during the colder season. Of course, that depends on exactly how cold and snowy your winter gets, but thanks to climate change, who knows what a…

    Read more...

    ", + "content": "

    Although winter typically isn’t thought of as a gardening season, it is possible—with the proper arrangements and precautions—to plant and grow a handful of vegetables during the colder season. Of course, that depends on exactly how cold and snowy your winter gets, but thanks to climate change, who knows what a…

    Read more...

    ", + "category": "leaf vegetables", + "link": "https://lifehacker.com/plant-these-veggies-to-create-a-winter-garden-1848150672", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 02 Dec 2021 20:35:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aec73a058549fdd5aeacb260bd183994" + "hash": "1b24a88acd83ac7d873de0a5eb7e58ed" }, { - "title": "Helpline data used to monitor population distress in a pandemic", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03038-9", - "creator": "Cindy H. Liu", - "pubDate": "2021-11-17", + "title": "Never Burn These Items in a Fireplace", + "description": "

    It’s fireplace season in many areas right now, which (hopefully) means cozy evenings spent curled up in front of its warm glow. Or, maybe you were cleaning and came across a bunch of letters and gifts from an ex, and felt that warm glow beckoning to you for other, less cozy reasons.

    Read more...

    ", + "content": "

    It’s fireplace season in many areas right now, which (hopefully) means cozy evenings spent curled up in front of its warm glow. Or, maybe you were cleaning and came across a bunch of letters and gifts from an ex, and felt that warm glow beckoning to you for other, less cozy reasons.

    Read more...

    ", + "category": "fireplace", + "link": "https://lifehacker.com/never-burn-these-items-in-a-fireplace-1848150689", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 02 Dec 2021 20:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b09a792962110233733d13db8f6457e3" + "hash": "9b3352bf0a08b2d1dbdebe33d2c32c48" }, { - "title": "It’s a snap: the friction-based physics behind a common gesture", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03444-z", - "creator": "", - "pubDate": "2021-11-17", + "title": "How to Fight the Oncoming Destruction of Roe v. Wade and Abortion Rights", + "description": "

    As you might already be well aware, the future of Roe v. Wade isn’t looking good.

    Read more...

    ", + "content": "

    As you might already be well aware, the future of Roe v. Wade isn’t looking good.

    Read more...

    ", + "category": "roe", + "link": "https://lifehacker.com/how-to-fight-the-oncoming-destruction-of-roe-v-wade-an-1848151068", + "creator": "Meredith Dietz", + "pubDate": "Thu, 02 Dec 2021 19:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "baa32060acc036f395da17b085bae95b" + "hash": "defeb94d56c0aaa800d261cb1d71adfe" }, { - "title": "Canada’s scientific strength depends on greater support for innovation", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03058-5", - "creator": "Bec Crew", - "pubDate": "2021-11-17", + "title": "You Should Air Fry Some Crackers", + "description": "

    Crackers are not something you have to cook. They are a fully realized and finished product, and come out of the box ready for consumption. Put a piece of cheese on a cracker and you have a good snack. Holiday snacks, however, require a little more than “good.” They require a bit of excess, a bit of unnecessary and…

    Read more...

    ", + "content": "

    Crackers are not something you have to cook. They are a fully realized and finished product, and come out of the box ready for consumption. Put a piece of cheese on a cracker and you have a good snack. Holiday snacks, however, require a little more than “good.” They require a bit of excess, a bit of unnecessary and…

    Read more...

    ", + "category": "crackers", + "link": "https://lifehacker.com/you-should-air-fry-some-crackers-1848151031", + "creator": "Claire Lower", + "pubDate": "Thu, 02 Dec 2021 19:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30b65a8211d74ff50a1c112e2325b381" + "hash": "17c3c6fb773eed3bfd67826d1b7f9c07" }, { - "title": "Sea squirts teach new lessons in evolution", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03475-6", - "creator": "Shamini Bundell", - "pubDate": "2021-11-17", + "title": "How to Fix Your Pixel 6's Connectivity Issues", + "description": "

    There’s a lot to love about the Pixel 6 and 6 Pro, but there are some serious headaches, as well. The last time we covered the devices, we talked about how to fix the Pixel 6's slow fingerprint sensor. Today, it appears a new headache has surfaced, with many users complaining their Pixel 6 or Pixel 6 Pro won’t connect…

    Read more...

    ", + "content": "

    There’s a lot to love about the Pixel 6 and 6 Pro, but there are some serious headaches, as well. The last time we covered the devices, we talked about how to fix the Pixel 6's slow fingerprint sensor. Today, it appears a new headache has surfaced, with many users complaining their Pixel 6 or Pixel 6 Pro won’t connect…

    Read more...

    ", + "category": "pixel 6", + "link": "https://lifehacker.com/how-to-fix-your-pixel-6s-connectivity-issues-1848149259", + "creator": "Jake Peterson", + "pubDate": "Thu, 02 Dec 2021 18:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "674b88dcb9b9d863a7952a7ba57b6287" + "hash": "4d86a45a4f67cc6e831d16657c1f5ddb" }, { - "title": "A guide to the Nature Index", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03065-6", - "creator": "", - "pubDate": "2021-11-17", + "title": "How to Explore Your Bisexuality Without Being Overwhelmed", + "description": "

    When you first start to consider that you might be bisexual, a whole new world of possibilities suddenly opens up. Essentially, your personal dating pool just doubled in size at a time when you’re still trying to figure out your own identity. It can be a lot. Here’s how to explore your bisexuality without getting…

    Read more...

    ", + "content": "

    When you first start to consider that you might be bisexual, a whole new world of possibilities suddenly opens up. Essentially, your personal dating pool just doubled in size at a time when you’re still trying to figure out your own identity. It can be a lot. Here’s how to explore your bisexuality without getting…

    Read more...

    ", + "category": "bisexuality", + "link": "https://lifehacker.com/how-to-explore-your-bisexuality-without-being-overwhelm-1848003279", + "creator": "Lindsey Ellefson", + "pubDate": "Thu, 02 Dec 2021 18:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "506cd85df5c76e54deeea3c966030ac9" + "hash": "2eddd5618c83ac7da2e33fc6b8b0818a" }, { - "title": "Even organic pesticides spur change in the wildlife next door", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03445-y", - "creator": "", - "pubDate": "2021-11-17", + "title": "Get Rid of These Antiperspirants That Have Cancer-Causing Chemicals, FDA Says", + "description": "

    If you’re a fan of aerosol spray antiperspirants and deodorants, you’re going to want to check to see whether the one you use is part of a voluntary recall issued by Procter & Gamble (P&G).

    Read more...

    ", + "content": "

    If you’re a fan of aerosol spray antiperspirants and deodorants, you’re going to want to check to see whether the one you use is part of a voluntary recall issued by Procter & Gamble (P&G).

    Read more...

    ", + "category": "chemical substances", + "link": "https://lifehacker.com/get-rid-of-these-antiperspirants-that-have-cancer-causi-1848149010", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 02 Dec 2021 17:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ac82649d9b618b14505fedf066366a9" + "hash": "aec19a91780c4f06d1ef9cadc890cd75" }, { - "title": "Independent infections of porcine deltacoronavirus among Haitian children", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04111-z", - "creator": "John A. Lednicky", - "pubDate": "2021-11-17", + "title": "Is It OK to Run in Cemeteries?", + "description": "

    At over three million burials, Calvary Cemetery in Queens, N.Y. boasts the most bodies of any cemetery in the US. It’s also one of my favorite places to run. At the top of one of its rolling hills, you can turn and look out at row after row of gravestones, until a horizon of the stone slabs meets the Manhattan…

    Read more...

    ", + "content": "

    At over three million burials, Calvary Cemetery in Queens, N.Y. boasts the most bodies of any cemetery in the US. It’s also one of my favorite places to run. At the top of one of its rolling hills, you can turn and look out at row after row of gravestones, until a horizon of the stone slabs meets the Manhattan…

    Read more...

    ", + "category": "a slinger", + "link": "https://lifehacker.com/is-it-ok-to-run-in-cemeteries-1848069962", + "creator": "Meredith Dietz", + "pubDate": "Thu, 02 Dec 2021 17:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83c075b8036979f35abc9ad98f12c689" + "hash": "f2e49639fa3e06d4babd79328f1d52b8" }, { - "title": "Observation of universal ageing dynamics in antibiotic persistence", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04114-w", - "creator": "Yoav Kaplan", - "pubDate": "2021-11-17", + "title": "How to Repair Your Crumbling Sidewalk Curb", + "description": "

    One of the first things any new homeowner discovers is that a house is basically entropy in building form. From the moment a house is born, it’s dying—eaten by termites, digested by rot, eventually subject to any number of cataclysmic natural disasters. You thought you were borrowing a worrisome amount of money in…

    Read more...

    ", + "content": "

    One of the first things any new homeowner discovers is that a house is basically entropy in building form. From the moment a house is born, it’s dying—eaten by termites, digested by rot, eventually subject to any number of cataclysmic natural disasters. You thought you were borrowing a worrisome amount of money in…

    Read more...

    ", + "category": "curb", + "link": "https://lifehacker.com/how-to-repair-your-crumbling-sidewalk-curb-1848148779", + "creator": "Jeff Somers", + "pubDate": "Thu, 02 Dec 2021 16:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5445626d850ca173f6e2bddd0a22eeaa" + "hash": "52aaea40b12b5516bd4cb6b924790fa5" }, { - "title": "In-orbit demonstration of an iodine electric propulsion system", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04015-y", - "creator": "Dmytro Rafalskyi", - "pubDate": "2021-11-17", + "title": "How to Keep Your Christmas Tree Alive Throughout the Holidays", + "description": "

    The air is crisp. It’s getting dark at 4 p.m. The mailbox is stuffed increasingly desperate sales flyers. It must be the holiday season, which means it is high time to get a Christmas tree (unless you’re one of those happy souls who already decorated weeks ago, in which case, good for you).

    And whether you believe…

    Read more...

    ", + "content": "

    The air is crisp. It’s getting dark at 4 p.m. The mailbox is stuffed increasingly desperate sales flyers. It must be the holiday season, which means it is high time to get a Christmas tree (unless you’re one of those happy souls who already decorated weeks ago, in which case, good for you).

    And whether you believe…

    Read more...

    ", + "category": "tree", + "link": "https://lifehacker.com/how-to-keep-your-christmas-tree-alive-through-the-holid-1821047464", + "creator": "Olga Oksman", + "pubDate": "Thu, 02 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23f579d006baef7d5b88ddffde6d2d46" + "hash": "fbac47e122bb7af459776acc95206f25" }, { - "title": "Cell-type specialization is encoded by specific chromatin topologies", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04081-2", - "creator": "Warren Winick-Ng", - "pubDate": "2021-11-17", + "title": "What Are the Best Gift Ideas for Someone Who Has Everything and Wants Nothing?", + "description": "

    One of my favorite things to do this time of year is flip through random gift guides in an effort to discover fresh ideas for stocking stuffers for my husband, or something (anything) for my impossible-to-buy-for father-in-law. Sure, if they have everything and want nothing, maybe that’s what they should get—but…

    Read more...

    ", + "content": "

    One of my favorite things to do this time of year is flip through random gift guides in an effort to discover fresh ideas for stocking stuffers for my husband, or something (anything) for my impossible-to-buy-for father-in-law. Sure, if they have everything and want nothing, maybe that’s what they should get—but…

    Read more...

    ", + "category": "etsy", + "link": "https://lifehacker.com/what-are-the-best-gift-ideas-for-someone-who-has-everyt-1848148684", + "creator": "Meghan Moravcik Walbert", + "pubDate": "Thu, 02 Dec 2021 15:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dbe81a25bf57a0c17aeaa3f8ee978c65" + "hash": "e55c3e765a8a6a1393809fdecae7d62b" }, { - "title": "Structure, function and pharmacology of human itch GPCRs", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04126-6", - "creator": "Can Cao", - "pubDate": "2021-11-17", + "title": "12 of the Best Movies That Deal Frankly With Addiction and Recovery", + "description": "

    HBO just dropped the trailer for the second season of its acclaimed teen drama Euphoria. It’s been a long wait between seasons—though there have been a couple of specials in the meantime, but the last regular-series episode aired over two years ago. The show deals with frankly (very frankly) with multiple aspects of…

    Read more...

    ", + "content": "

    HBO just dropped the trailer for the second season of its acclaimed teen drama Euphoria. It’s been a long wait between seasons—though there have been a couple of specials in the meantime, but the last regular-series episode aired over two years ago. The show deals with frankly (very frankly) with multiple aspects of…

    Read more...

    ", + "category": "addiction", + "link": "https://lifehacker.com/12-movies-that-deal-frankly-with-addiction-and-recovery-1848130285", + "creator": "Ross Johnson", + "pubDate": "Thu, 02 Dec 2021 15:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a5698eb9e92bab17415e711747cfa79" + "hash": "38e06533b9a4ceee0495fbe7431239d0" }, { - "title": "Cardiopharyngeal deconstruction and ancestral tunicate sessility", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04041-w", - "creator": "Alfonso Ferrández-Roldán", - "pubDate": "2021-11-17", + "title": "The Best Way to Wrap Oddly Shaped Gifts, According to TikTok", + "description": "

    Every December I suffer flashbacks to my first-ever retail job, wrapping presents at a gift shop. As much as I enjoyed entering autopilot and mechanically wrapping box after box, it was always a fun challenge to tackle an oddly-shaped gift: A loose teddy bear. A stray shovel. An entire island of misfit toys that…

    Read more...

    ", + "content": "

    Every December I suffer flashbacks to my first-ever retail job, wrapping presents at a gift shop. As much as I enjoyed entering autopilot and mechanically wrapping box after box, it was always a fun challenge to tackle an oddly-shaped gift: A loose teddy bear. A stray shovel. An entire island of misfit toys that…

    Read more...

    ", + "category": "wrapping", + "link": "https://lifehacker.com/the-best-way-to-wrap-oddly-shaped-gifts-according-to-t-1848144660", + "creator": "Meredith Dietz", + "pubDate": "Thu, 02 Dec 2021 14:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "603470581fd1cd2fc5d6b4cd1f37a723" + "hash": "005c5831ca424ea5d5d719df7b699fc4" }, { - "title": "Isolation and characterization of a californium metallocene", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04027-8", - "creator": "Conrad A. P. Goodwin", - "pubDate": "2021-11-17", + "title": "This Is the Most Rewarding Way to Motivate Yourself to Clean Your Home", + "description": "

    Six years ago, Chris Fleming released the sketch “Company is Coming” as part of his hit web series GAYLE. In it, a frantic Gayle vacuums the air, spins around, and shouts things like “David, put seashells on the door knobs!,” “Fluff the pillows, you losers!” and “Can we get the lesbian plant out of here??”

    Read more...

    ", + "content": "

    Six years ago, Chris Fleming released the sketch “Company is Coming” as part of his hit web series GAYLE. In it, a frantic Gayle vacuums the air, spins around, and shouts things like “David, put seashells on the door knobs!,” “Fluff the pillows, you losers!” and “Can we get the lesbian plant out of here??”

    Read more...

    ", + "category": "cleaner", + "link": "https://lifehacker.com/this-is-the-most-rewarding-way-to-motivate-yourself-to-1848145391", + "creator": "Claire Lower", + "pubDate": "Thu, 02 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "492a25e98089390c6abf60c021ede6c6" + "hash": "34a86d3dddff46d8b540abd79023616a" }, { - "title": "Approaching the intrinsic exciton physics limit in two-dimensional semiconductor diodes", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03949-7", - "creator": "Peng Chen", - "pubDate": "2021-11-17", + "title": "Munch on These National Cookie Day Freebies and Deals", + "description": "

    By now, your Thanksgiving leftovers should be gone (or at least safely stored in the freezer), so it’s time to turn your sights toward something else to snack on. Sure, you could go through the hassle of making a batch of homemade cookies to share with your loved one (or with yourself). But why would you do that when…

    Read more...

    ", + "content": "

    By now, your Thanksgiving leftovers should be gone (or at least safely stored in the freezer), so it’s time to turn your sights toward something else to snack on. Sure, you could go through the hassle of making a batch of homemade cookies to share with your loved one (or with yourself). But why would you do that when…

    Read more...

    ", + "category": "cookie", + "link": "https://lifehacker.com/munch-on-these-national-cookie-day-freebies-and-deals-1848143016", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 02 Dec 2021 13:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b900506ef94c88cc1aeedfa93a1195dd" + "hash": "85402bd7003a41bc8eb306c544b67fdc" }, { - "title": "Structure, function and pharmacology of human itch receptor complexes", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04077-y", - "creator": "Fan Yang", - "pubDate": "2021-11-17", + "title": "What's the Best Way to Tell Your Kids the Truth About Santa?", + "description": "

    I may not remember much about my childhood, but I do remember this: Third grade. Mrs. Cannon’s class. She’s reading Beverly Cleary’s Superfudge. Partway through, she stops and says, “OK. Anyone who still believes in Santa, step out into the hall.”

    Read more...

    ", + "content": "

    I may not remember much about my childhood, but I do remember this: Third grade. Mrs. Cannon’s class. She’s reading Beverly Cleary’s Superfudge. Partway through, she stops and says, “OK. Anyone who still believes in Santa, step out into the hall.”

    Read more...

    ", + "category": "christian folklore", + "link": "https://lifehacker.com/whats-the-best-way-to-tell-your-kids-the-truth-about-sa-1848144818", + "creator": "Sarah Showfety", + "pubDate": "Wed, 01 Dec 2021 21:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8084cb1c209b70b35bc5d77a62e8da9f" + "hash": "cd5634f14a5c8921f5ef5f033325d359" }, { - "title": "Exploding and weeping ceramics", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03975-5", - "creator": "Hanlin Gu", - "pubDate": "2021-11-17", + "title": "The Comet Leonard, the Christmas Star, and Other Things to See in December’s Night Sky", + "description": "

    There’s a lot going on in the night sky in December, from the spectacular Geminids meteor shower to Venus at its brightest. Here are some of December’s most impressive star-gazing highlights to mark on your calendar.

    Read more...

    ", + "content": "

    There’s a lot going on in the night sky in December, from the spectacular Geminids meteor shower to Venus at its brightest. Here are some of December’s most impressive star-gazing highlights to mark on your calendar.

    Read more...

    ", + "category": "night sky", + "link": "https://lifehacker.com/the-comet-leonard-the-christmas-star-and-other-things-1848145000", + "creator": "Stephen Johnson", + "pubDate": "Wed, 01 Dec 2021 20:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9723db5255e2b15153737bdd84202788" + "hash": "20be3b8538600c41502a52f07a31d466" }, { - "title": "Reverse-translational identification of a cerebellar satiation network", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04143-5", - "creator": "Aloysius Y. T. Low", - "pubDate": "2021-11-17", + "title": "How Hackers Tricked 300,000 Android Users into Downloading Password-Stealing Malware", + "description": "

    A recent report from cybersecurity firm ThreatFabric reveals that over 300,000 Android users installed trojan apps that secretly stole their banking information. While the apps have been removed and deactivated by Google, the developers used unique methods to deploy the malware that all Android users need to be wary…

    Read more...

    ", + "content": "

    A recent report from cybersecurity firm ThreatFabric reveals that over 300,000 Android users installed trojan apps that secretly stole their banking information. While the apps have been removed and deactivated by Google, the developers used unique methods to deploy the malware that all Android users need to be wary…

    Read more...

    ", + "category": "android", + "link": "https://lifehacker.com/how-hackers-tricked-300-000-android-users-into-download-1848144780", + "creator": "Brendan Hesse", + "pubDate": "Wed, 01 Dec 2021 20:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2d1a9cef15f05f9da17329f1647ba62" + "hash": "d252c88c4bda2b64b4b3f46ca3789b5e" }, { - "title": "Cortical responses to touch reflect subcortical integration of LTMR signals", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04094-x", - "creator": "Alan J. Emanuel", - "pubDate": "2021-11-17", + "title": "You Deserve a Big Ol' Pan of Baked Brie", + "description": "

    Brie en croute is an excessive dish. Brie, on its own, served at room temperature without adornment, is already delightful: soft and spreadable, creamy and a little funky, a cheese that does not need to be melted.

    Read more...

    ", + "content": "

    Brie en croute is an excessive dish. Brie, on its own, served at room temperature without adornment, is already delightful: soft and spreadable, creamy and a little funky, a cheese that does not need to be melted.

    Read more...

    ", + "category": "brie", + "link": "https://lifehacker.com/you-deserve-a-big-ol-pan-of-baked-brie-1848140307", + "creator": "Claire Lower", + "pubDate": "Wed, 01 Dec 2021 19:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9063a39fa230cd59cc8a57ec3267e820" + "hash": "9078150823ff5220eda7157a64afd2e5" }, { - "title": "Mental health concerns during the COVID-19 pandemic as revealed by helpline calls", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04099-6", - "creator": "Marius Brülhart", - "pubDate": "2021-11-17", + "title": "This Extension Lets You Finally Play YouTube in the Background on Mobile", + "description": "

    YouTube on mobile has never been an ideal experience. Unlike watching YouTube on a computer, where you have the flexibility to leave videos playing in the background, YouTube on mobile is usually locked to the app or website you’re using to view it. And if you want all the bells and whistles—such as ad-free streaming—…

    Read more...

    ", + "content": "

    YouTube on mobile has never been an ideal experience. Unlike watching YouTube on a computer, where you have the flexibility to leave videos playing in the background, YouTube on mobile is usually locked to the app or website you’re using to view it. And if you want all the bells and whistles—such as ad-free streaming—…

    Read more...

    ", + "category": "youtube", + "link": "https://lifehacker.com/this-extension-lets-you-finally-play-youtube-in-the-bac-1848143437", + "creator": "Jake Peterson", + "pubDate": "Wed, 01 Dec 2021 19:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea16538da16a9fb7b28626e118e40959" + "hash": "c3dc1858831a95ae2fd6be42d1024b4e" }, { - "title": "Herpesviruses assimilate kinesin to produce motorized viral particles", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04106-w", - "creator": "Caitlin E. Pegg", - "pubDate": "2021-11-17", + "title": "How to Get What You Actually Want for Christmas", + "description": "

    If you’ve ever received a windbreaker branded with the name of the company your spouse works for, a toilet seat, or an emoji pancake pan because “it would be fun for the kids” on Christmas morning, we’d understand your desire to make sure it never happened again. Because we all know that presents that are clearly…

    Read more...

    ", + "content": "

    If you’ve ever received a windbreaker branded with the name of the company your spouse works for, a toilet seat, or an emoji pancake pan because “it would be fun for the kids” on Christmas morning, we’d understand your desire to make sure it never happened again. Because we all know that presents that are clearly…

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/how-to-get-what-you-actually-want-for-christmas-1848143852", + "creator": "Sarah Showfety", + "pubDate": "Wed, 01 Dec 2021 18:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c77816712d69647cf3bad681008c4b21" + "hash": "007ef6c5f6dad89adab06c2396996759" }, { - "title": "Observation of Stark many-body localization without disorder", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03988-0", - "creator": "W. Morong", - "pubDate": "2021-11-17", + "title": "How to (Finally) Actually Move on From a Relationship", + "description": "

    Every relationship is different, and so is every breakup. I mean, at one point or another, haven’t we all typed, “how long get over breakup timeline” into our search bar? Sadly, there is no mathematical equation to calculate a finite timeframe to recover from heartbreak (at least not according to Oprah Daily).

    Read more...

    ", + "content": "

    Every relationship is different, and so is every breakup. I mean, at one point or another, haven’t we all typed, “how long get over breakup timeline” into our search bar? Sadly, there is no mathematical equation to calculate a finite timeframe to recover from heartbreak (at least not according to Oprah Daily).

    Read more...

    ", + "category": "jeff guenther", + "link": "https://lifehacker.com/how-to-finally-actually-move-on-from-a-relationship-1848143662", + "creator": "Meredith Dietz", + "pubDate": "Wed, 01 Dec 2021 18:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9c96ba1f645a9f50b46ed3c5fe11a5b5" + "hash": "9f87e8a3b9c8597b217f534bcc77d7c2" }, { - "title": "Single-cell transcriptomic characterization of a gastrulating human embryo", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04158-y", - "creator": "Richard C. V. Tyser", - "pubDate": "2021-11-17", + "title": "These Are the Worst Christmas Gifts Lifehacker Readers Have Ever Received", + "description": "

    I recently went down a Reddit rabbit hole in which commenters described the worst gift they’d ever received—everything from miniature butter knives (at age 7) to used magazines to...a thrift store jock strap? It was all pretty terrible, so of course I then asked you about the worst gift you’d ever received and holy…

    Read more...

    ", + "content": "

    I recently went down a Reddit rabbit hole in which commenters described the worst gift they’d ever received—everything from miniature butter knives (at age 7) to used magazines to...a thrift store jock strap? It was all pretty terrible, so of course I then asked you about the worst gift you’d ever received and holy…

    Read more...

    ", + "category": "crocodile hunter", + "link": "https://lifehacker.com/these-are-the-worst-christmas-gifts-lifehacker-readers-1848142392", + "creator": "Meghan Moravcik Walbert", + "pubDate": "Wed, 01 Dec 2021 17:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fc80f23bc87a866720998b6d07709f8e" + "hash": "5ddec923f3f63b77daa3b07151989505" }, { - "title": "Measuring phonon dispersion at an interface", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03971-9", - "creator": "Ruishi Qi", - "pubDate": "2021-11-17", + "title": "8 Privacy Settings You Should Change on LinkedIn Right Now", + "description": "

    LinkedIn, like all social networks, uses a lot of your personal information to show you ads and sponsored content. Just as you’d be wary about sharing more of your data with Facebook, you should also exercise restraint when sharing information with LinkedIn. If you haven’t been doing that so far, now is the time to…

    Read more...

    ", + "content": "

    LinkedIn, like all social networks, uses a lot of your personal information to show you ads and sponsored content. Just as you’d be wary about sharing more of your data with Facebook, you should also exercise restraint when sharing information with LinkedIn. If you haven’t been doing that so far, now is the time to…

    Read more...

    ", + "category": "linkedin", + "link": "https://lifehacker.com/8-privacy-settings-you-should-change-on-linkedin-right-1848142007", + "creator": "Pranay Parab", + "pubDate": "Wed, 01 Dec 2021 17:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b2b8ada8ad4b7df935589dcf13759dc" + "hash": "389b74197bf84a53f26cbdae09c0a75d" }, { - "title": "Excitons and emergent quantum phenomena in stacked 2D semiconductors", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03979-1", - "creator": "Nathan P. Wilson", - "pubDate": "2021-11-17", + "title": "15 Potent Gifts for the Weed Enthusiast in Your Life", + "description": "

    We’re in a place where you can finally get weed on demand, even delivered right to your doorstep in many states. This means that instead of just herb shopping for personal reasons, people can and should be giving it as gifts, too. What weed-loving (or weed curious) person wouldn’t want to open a pretty box to find…

    Read more...

    ", + "content": "

    We’re in a place where you can finally get weed on demand, even delivered right to your doorstep in many states. This means that instead of just herb shopping for personal reasons, people can and should be giving it as gifts, too. What weed-loving (or weed curious) person wouldn’t want to open a pretty box to find…

    Read more...

    ", + "category": "weed", + "link": "https://lifehacker.com/15-potent-gifts-for-the-weed-enthusiast-in-your-life-1848132453", + "creator": "Danielle Guercio", + "pubDate": "Wed, 01 Dec 2021 16:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "152e1316853848477df6d870769f9053" + "hash": "c1e84beeee54aa4f2e4aba4b4e5ddec1" }, { - "title": "Widespread changes in surface temperature persistence under climate change", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-03943-z", - "creator": "Jingyuan Li", - "pubDate": "2021-11-17", + "title": "When to See the 'Cold Moon' in December", + "description": "

    November’s bloody eclipse of the beaver moon was spectacular, but do not discount the full moon of December. Know as the “cold moon,” December’s full moon will rise on Saturday, Dec. 18, 2021. It will be brightest at 11:37 p.m. ET. Brrr.

    Read more...

    ", + "content": "

    November’s bloody eclipse of the beaver moon was spectacular, but do not discount the full moon of December. Know as the “cold moon,” December’s full moon will rise on Saturday, Dec. 18, 2021. It will be brightest at 11:37 p.m. ET. Brrr.

    Read more...

    ", + "category": "cold moon", + "link": "https://lifehacker.com/when-to-see-the-cold-moon-in-december-1848117266", + "creator": "Stephen Johnson", + "pubDate": "Wed, 01 Dec 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f3227d59567764ec0947afb4dd9255c" + "hash": "e2ae8353086a288c4f9f3294b3ebaeea" }, { - "title": "Structural insights into Ubr1-mediated N-degron polyubiquitination", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/s41586-021-04097-8", - "creator": "Man Pan", - "pubDate": "2021-11-17", + "title": "Use These Clever Mental Tricks to Make Your Run Less Boring", + "description": "

    “The thoughts that occur to me while I’m running are like clouds in the sky. Clouds of all different sizes. They come and they go, while the sky remains the same sky always. The clouds are mere guests in the sky that pass away and vanish, leaving behind the sky.”

    Read more...

    ", + "content": "

    “The thoughts that occur to me while I’m running are like clouds in the sky. Clouds of all different sizes. They come and they go, while the sky remains the same sky always. The clouds are mere guests in the sky that pass away and vanish, leaving behind the sky.”

    Read more...

    ", + "category": "haruki murakami", + "link": "https://lifehacker.com/use-these-clever-mental-tricks-to-make-your-run-less-bo-1847947762", + "creator": "Meredith Dietz", + "pubDate": "Wed, 01 Dec 2021 15:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb7a752793c95465abc0716f0d123e57" + "hash": "e13efe0016b0595759534c02cad00e97" }, { - "title": "A critical mass of learning at Mila, Canada", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03064-7", - "creator": "Nicola Jones", - "pubDate": "2021-11-17", + "title": "12 Hidden Google Messages Features You Should Be Using", + "description": "

    Google’s Messages app is an Android smartphone’s answer to Apple Messages, and it has become so ubiquitous on those devices, you might not give it a second thought. It’s pre-installed on most Android smartphones, and can be used as the default messaging app on any Android device.

    Read more...

    ", + "content": "

    Google’s Messages app is an Android smartphone’s answer to Apple Messages, and it has become so ubiquitous on those devices, you might not give it a second thought. It’s pre-installed on most Android smartphones, and can be used as the default messaging app on any Android device.

    Read more...

    ", + "category": "google", + "link": "https://lifehacker.com/12-hidden-google-messages-features-you-should-be-using-1848128328", + "creator": "Khamosh Pathak", + "pubDate": "Wed, 01 Dec 2021 15:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "81e6258e84a2e8c34b593038fb3050c2" + "hash": "8c51fe11ab389d8fdfeb43c40a817083" }, { - "title": "The start-ups chasing clean, carbon-free fusion energy", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03401-w", - "creator": "Philip Ball", - "pubDate": "2021-11-17", + "title": "When Paying for More iPad Pro Storage Might Actually Be Worth It", + "description": "

    If you’re in the market for an iPad Pro, you likely aren’t ignorant of the cost. The high-refresh rate, Mini-LED HDR displays, Apple’s incredible M1 chip, and LiDAR sensor, among other key features, set a premium price for the Pros that you don’t see on other iPads. As such, you might be eyeing a smaller storage size…

    Read more...

    ", + "content": "

    If you’re in the market for an iPad Pro, you likely aren’t ignorant of the cost. The high-refresh rate, Mini-LED HDR displays, Apple’s incredible M1 chip, and LiDAR sensor, among other key features, set a premium price for the Pros that you don’t see on other iPads. As such, you might be eyeing a smaller storage size…

    Read more...

    ", + "category": "ipad", + "link": "https://lifehacker.com/when-paying-for-more-ipad-pro-storage-might-actually-be-1848138107", + "creator": "Jake Peterson", + "pubDate": "Wed, 01 Dec 2021 14:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37f1644a9db923b968b416217a857da4" + "hash": "23db23f4ee1dea0c9832a5360dbbf1aa" }, { - "title": "Californium—carbon bond captured in a complex", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03385-7", - "creator": "Julie E. Niklas", - "pubDate": "2021-11-17", + "title": "7 Ways You Should Prepare Your Car and Home Before the Snow Starts", + "description": "

    With winter weather approaching, getting ready for the chore of ice and snow removal is an essential prep. Digging out your car and clearing paths and walkways can be frustrating and time consuming, not to mention tough on your lower back, but you can save yourself some time and hassle this season if you think a…

    Read more...

    ", + "content": "

    With winter weather approaching, getting ready for the chore of ice and snow removal is an essential prep. Digging out your car and clearing paths and walkways can be frustrating and time consuming, not to mention tough on your lower back, but you can save yourself some time and hassle this season if you think a…

    Read more...

    ", + "category": "snow", + "link": "https://lifehacker.com/7-ways-you-should-prepare-your-car-and-home-before-the-1848044411", + "creator": "Becca Lewis", + "pubDate": "Wed, 01 Dec 2021 14:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ef678288480c4e31a12ea2d12c1f5e1" + "hash": "08af66b7fc30da2fc930c4d18a488156" }, { - "title": "Canada’s scientists are elucidating the dark metabolome", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03062-9", - "creator": "James Mitchell Crow", - "pubDate": "2021-11-17", + "title": "You Should Definitely Make Some Christmas Tree Syrup", + "description": "

    Somewhere in the middle of the pandemic I fell down a rabbit hole, and learned all about tree tapping to make syrup. Yes—amongst us commoners, in neighborhoods all across America, there are people who tap their own trees to produce their own maple syrup. 

    Read more...

    ", + "content": "

    Somewhere in the middle of the pandemic I fell down a rabbit hole, and learned all about tree tapping to make syrup. Yes—amongst us commoners, in neighborhoods all across America, there are people who tap their own trees to produce their own maple syrup. 

    Read more...

    ", + "category": "tree", + "link": "https://lifehacker.com/you-should-definitely-make-some-christmas-tree-syrup-1848133356", + "creator": "Amanda Blum", + "pubDate": "Wed, 01 Dec 2021 13:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c2d611c7b66de0108f55e0fd70938ccc" + "hash": "d0875ded62ead71c7b603683cb317eaa" }, { - "title": "Europe’s Roma people are vulnerable to poor practice in genetics", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03416-3", - "creator": "Veronika Lipphardt", - "pubDate": "2021-11-17", + "title": "When You Should Donate Anonymously (and When You Shouldn't)", + "description": "

    If you’ve ever donated to a good cause online, you’re no doubt familiar with the last step—the potentially anxiety-inducing decision of whether to make your donation public, or keep it anonymous. If you’re anything like me, all kinds of conflicting thoughts rush in.

    Read more...

    ", + "content": "

    If you’ve ever donated to a good cause online, you’re no doubt familiar with the last step—the potentially anxiety-inducing decision of whether to make your donation public, or keep it anonymous. If you’re anything like me, all kinds of conflicting thoughts rush in.

    Read more...

    ", + "category": "giving", + "link": "https://lifehacker.com/when-you-should-donate-anonymously-and-when-you-should-1848139001", + "creator": "Sarah Showfety", + "pubDate": "Tue, 30 Nov 2021 21:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa0b7620c8494447ee7d4fdcc3ba4b0a" + "hash": "46e5dc51877eb450798b5aa088ef543d" }, { - "title": "New mineral, FDA chief and the pandemic’s toll on research", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03435-0", - "creator": "", - "pubDate": "2021-11-17", + "title": "This Is How You Choose the Perfect Christmas Tree", + "description": "

    Most people go to the local Christmas tree lot with no idea what they’re looking for. Just embarrassing themselves, going, “Uhhmm, that one looks good, I think?” Do not be a Christmas-tree ignoramus any longer. Check out the list below so you can confidently walk up to that guy with the knit hat and rugged flannel and…

    Read more...

    ", + "content": "

    Most people go to the local Christmas tree lot with no idea what they’re looking for. Just embarrassing themselves, going, “Uhhmm, that one looks good, I think?” Do not be a Christmas-tree ignoramus any longer. Check out the list below so you can confidently walk up to that guy with the knit hat and rugged flannel and…

    Read more...

    ", + "category": "christmas tree", + "link": "https://lifehacker.com/this-is-how-you-choose-the-perfect-christmas-tree-1848138846", + "creator": "Stephen Johnson", + "pubDate": "Tue, 30 Nov 2021 21:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1928724281284aa97eb17a066ca349c0" + "hash": "0f3d44e0dacb560b8d475f7cc3beac7f" }, { - "title": "COP26: Meet the scientists behind the crucial climate summit", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03029-w", - "creator": "Quirin Schiermeier", - "pubDate": "2021-11-16", + "title": "Impress Your Guests With a Butter Board", + "description": "

    Food on boards is very popular, perhaps more popular than it’s ever been. Search “grazing table” on this world wide web, and you’ll find lots of photos of very large charcuterie and cheese boards, along with many blogs insisting that they are not just “big charcuterie boards.” Grazing tables are a different, new…

    Read more...

    ", + "content": "

    Food on boards is very popular, perhaps more popular than it’s ever been. Search “grazing table” on this world wide web, and you’ll find lots of photos of very large charcuterie and cheese boards, along with many blogs insisting that they are not just “big charcuterie boards.” Grazing tables are a different, new…

    Read more...

    ", + "category": "butter", + "link": "https://lifehacker.com/impress-your-guests-with-a-butter-board-1848138546", + "creator": "Claire Lower", + "pubDate": "Tue, 30 Nov 2021 20:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a41af0895586b81d871105a7c9b9de58" + "hash": "dd421f86ba632f77058e9ed83fdef4c7" }, { - "title": "Presidents of Royal Society live long lives", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03420-7", - "creator": "Oscar S. Wilson", - "pubDate": "2021-11-16", + "title": "21 Times Celebrity Voiceover Stunt Casting Paid Off", + "description": "

    Last month, Universal delighted few, annoyed many, and baffled all but those with a pragmatic view of movies-as-product when it announced Chris Pratt will be taking over the role of Mario in an upcoming Super Mario Bros. animated movie. The actor was also recently cast as loveably outrageous cat stereotype Garfield…

    Read more...

    ", + "content": "

    Last month, Universal delighted few, annoyed many, and baffled all but those with a pragmatic view of movies-as-product when it announced Chris Pratt will be taking over the role of Mario in an upcoming Super Mario Bros. animated movie. The actor was also recently cast as loveably outrageous cat stereotype Garfield…

    Read more...

    ", + "category": "alison brie", + "link": "https://lifehacker.com/21-times-celebrity-voiceover-stunt-casting-paid-off-1848122527", + "creator": "Ross Johnson", + "pubDate": "Tue, 30 Nov 2021 20:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "183990819bf0c6a9acaadf1a481400b6" + "hash": "b37d16d2271f951d9c8cb7f375d9e4ad" }, { - "title": "Link knowledge and action networks to tackle disasters", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03419-0", - "creator": "Jim Falk", - "pubDate": "2021-11-16", + "title": "How to Check Road Conditions When You Travel This Winter", + "description": "

    There’s only so much you can control when it comes to travel, especially during the holidays. Whether you’re embarking on a road trip to see family, or simply worried about driving through the snow to the other side of town, the cold winter months typically mean the start of increasingly dangerous road conditions.

    Read more...

    ", + "content": "

    There’s only so much you can control when it comes to travel, especially during the holidays. Whether you’re embarking on a road trip to see family, or simply worried about driving through the snow to the other side of town, the cold winter months typically mean the start of increasingly dangerous road conditions.

    Read more...

    ", + "category": "disaster accident", + "link": "https://lifehacker.com/how-to-check-road-conditions-when-you-travel-this-winte-1848138349", + "creator": "Meredith Dietz", + "pubDate": "Tue, 30 Nov 2021 19:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "080cbfa01e2f1f03826229ba0470f34d" + "hash": "6b654e269bf1c911a3911d3877a8ed27" }, { - "title": "Reflections on a pioneer in electrical engineering", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03417-2", - "creator": "Polina Bayvel", - "pubDate": "2021-11-16", + "title": "Why Your Friends Are Probably More Popular, Richer, and More Attractive Than You", + "description": "

    Chances are good you are less popular than your friends. Poorer, too. Probably they are also better looking. Sorry. This is called “the friendship paradox,” and it’s just logical fact.

    Read more...

    ", + "content": "

    Chances are good you are less popular than your friends. Poorer, too. Probably they are also better looking. Sorry. This is called “the friendship paradox,” and it’s just logical fact.

    Read more...

    ", + "category": "richer", + "link": "https://lifehacker.com/why-your-friends-are-probably-more-popular-richer-and-1848113295", + "creator": "Stephen Johnson", + "pubDate": "Tue, 30 Nov 2021 19:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d431507fbed25df3a7e353e72111fe61" + "hash": "0ea20e875bec7f6fdad34464c513954b" }, { - "title": "High-speed spinning yields some of the toughest spider silk ever found", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03443-0", - "creator": "", - "pubDate": "2021-11-16", + "title": "How to Reduce Eye Strain When You're Staring at Screens All Day", + "description": "

    The rise of screen use has raised a number of concerns, especially when it comes to eye health and the impacts of blue light on the eye. But what is blue light, and how much is it really to blame for the strain our daily screen activity is putting on our eyes?

    Read more...

    ", + "content": "

    The rise of screen use has raised a number of concerns, especially when it comes to eye health and the impacts of blue light on the eye. But what is blue light, and how much is it really to blame for the strain our daily screen activity is putting on our eyes?

    Read more...

    ", + "category": "optical filter", + "link": "https://lifehacker.com/how-to-reduce-eye-strain-when-youre-staring-at-screens-1848133756", + "creator": "Shannon Flynn", + "pubDate": "Tue, 30 Nov 2021 18:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac422b468c7f4344eea4d6303ae16a3d" + "hash": "0a280e83e6eedf11b4e515916335d737" }, { - "title": "From the archive", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03382-w", - "creator": "", - "pubDate": "2021-11-16", + "title": "Why You Should Replace Your Old Christmas Lights With LED Lights", + "description": "

    Holiday lights are a cozy tradition—as the days get shorter, a few sparkly strands can really brighten up the endless evenings. While this holiday tradition is worth keeping, traditional filament light bulbs are not. Here’s why you should make the switch to LED lights this year.

    Read more...

    ", + "content": "

    Holiday lights are a cozy tradition—as the days get shorter, a few sparkly strands can really brighten up the endless evenings. While this holiday tradition is worth keeping, traditional filament light bulbs are not. Here’s why you should make the switch to LED lights this year.

    Read more...

    ", + "category": "christmas lights", + "link": "https://lifehacker.com/why-you-should-replace-your-old-christmas-lights-with-l-1848137005", + "creator": "Becca Lewis", + "pubDate": "Tue, 30 Nov 2021 18:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37048d3a792bc1fc7946c2c3bbf3fa74" + "hash": "b64913c04db7e0f6c565b85d9cf283ec" }, { - "title": "Stagnating salaries present hurdles to career satisfaction", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03041-0", - "creator": "Chris Woolston", - "pubDate": "2021-11-16", + "title": "Apple Music Can Give You Spotify Wrapped-Style Stats, Sort of", + "description": "

    At the end of each year, Spotify’s Wrapped feature takes over social media, as seemingly all of your friends start sharing their year in music—the one song they played the most, the artists in their top 5, the genres that define their taste. Unfortunately, you use Apple Music, so you’re out of luck.

    Well, not…

    Read more...

    ", + "content": "

    At the end of each year, Spotify’s Wrapped feature takes over social media, as seemingly all of your friends start sharing their year in music—the one song they played the most, the artists in their top 5, the genres that define their taste. Unfortunately, you use Apple Music, so you’re out of luck.

    Well, not…

    Read more...

    ", + "category": "spotify", + "link": "https://lifehacker.com/apple-music-can-give-you-spotify-wrapped-style-stats-s-1848135995", + "creator": "Pranay Parab", + "pubDate": "Tue, 30 Nov 2021 17:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5b2c92fda0cd56cf485375f57df127e" + "hash": "72b0af1c4bc4052e047be1ba4c2f3dae" }, { - "title": "COP26 didn’t solve everything — but researchers must stay engaged", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03433-2", - "creator": "", - "pubDate": "2021-11-16", + "title": "How to Surprise Your Kid on Christmas Without Being a Jerk", + "description": "

    We recently asked Lifehacker readers “What’s the Worst Christmas Gift You’ve Ever Received?” and the comments were...disheartening. I mean, some were funny (a toilet seat, a family member’s headshot, an unwrapped DVD of Footloose) but many brought a sting to the eye. Stories abounded of parents ostensibly trying to…

    Read more...

    ", + "content": "

    We recently asked Lifehacker readers “What’s the Worst Christmas Gift You’ve Ever Received?” and the comments were...disheartening. I mean, some were funny (a toilet seat, a family member’s headshot, an unwrapped DVD of Footloose) but many brought a sting to the eye. Stories abounded of parents ostensibly trying to…

    Read more...

    ", + "category": "mammals", + "link": "https://lifehacker.com/how-to-surprise-your-kid-on-christmas-without-being-an-1848133414", + "creator": "Sarah Showfety", + "pubDate": "Tue, 30 Nov 2021 17:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72e2f7c9027589c246311bb66d80a156" + "hash": "14809b36d15df23a37fb41f5643f2990" }, { - "title": "Daily briefing: How some fish can live for centuries", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03473-8", - "creator": "Flora Graham", - "pubDate": "2021-11-16", + "title": "Why You Should Sign Into All of Your Accounts Every Now and Then", + "description": "

    We all juggle a lot of online accounts these days. From streaming subscriptions, to multiple email addresses, to accounts for movie theaters, airlines, and restaurants—if it has a website, you likely have an account for it. If you’re like me, you hardly use most of these accounts, if you use them at all. Even still,…

    Read more...

    ", + "content": "

    We all juggle a lot of online accounts these days. From streaming subscriptions, to multiple email addresses, to accounts for movie theaters, airlines, and restaurants—if it has a website, you likely have an account for it. If you’re like me, you hardly use most of these accounts, if you use them at all. Even still,…

    Read more...

    ", + "category": "icloud", + "link": "https://lifehacker.com/why-you-should-sign-into-all-of-your-accounts-every-now-1848117972", + "creator": "Jake Peterson", + "pubDate": "Tue, 30 Nov 2021 16:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9d76523d7162ac8f89b52082145709f" + "hash": "d911d67b556c29409560ee15b5d54666" }, { - "title": "Yes, science can weigh in on abortion law", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03434-1", - "creator": "Diana Greene Foster", - "pubDate": "2021-11-16", + "title": "How to Keep Your Poinsettias Alive Until Christmas", + "description": "

    Bright red poinsettias are popular holiday-season decor, and like a lot of plants, have particular preferences when it comes to placement in your home. To help your flowers survive and thrive throughout the season—especially if plant care isn’t your jam—make sure you know how much water, sunlight, and heat your…

    Read more...

    ", + "content": "

    Bright red poinsettias are popular holiday-season decor, and like a lot of plants, have particular preferences when it comes to placement in your home. To help your flowers survive and thrive throughout the season—especially if plant care isn’t your jam—make sure you know how much water, sunlight, and heat your…

    Read more...

    ", + "category": "christian folklore", + "link": "https://lifehacker.com/how-to-keep-your-poinsettias-alive-until-christmas-1848133974", + "creator": "Emily Long", + "pubDate": "Tue, 30 Nov 2021 16:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b84f0c7ae3753bf81ca539ba62f8164a" + "hash": "6adc4d0f8fabbbd39af73e518ec88480" }, { - "title": "Funders need to credit open science", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03418-1", - "creator": "Hans de Jonge", - "pubDate": "2021-11-16", + "title": "What Fitness Tracker Data Is Actually Useful for Your Doctor?", + "description": "

    Whether a smartwatch or a ring, many of us now wear fitness trackers, which means we have collected a lot of data on how much we are moving and sleeping, as well as how our heart rates change with our activity levels. All of this information can be a good motivator for getting you moving more regularly and monitoring…

    Read more...

    ", + "content": "

    Whether a smartwatch or a ring, many of us now wear fitness trackers, which means we have collected a lot of data on how much we are moving and sleeping, as well as how our heart rates change with our activity levels. All of this information can be a good motivator for getting you moving more regularly and monitoring…

    Read more...

    ", + "category": "john higgins", + "link": "https://lifehacker.com/what-fitness-tracker-data-is-actually-useful-for-your-d-1848135784", + "creator": "Rachel Fairbank", + "pubDate": "Tue, 30 Nov 2021 15:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "50546217414cb878dab97bc0eeaf2d4d" + "hash": "0c934fa5693819fa13afabc38f8fbad6" }, { - "title": "Ancient mud bricks show adobe’s foundations 5,000 years ago", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03446-x", - "creator": "", - "pubDate": "2021-11-15", + "title": "Maybe You Can Become a ‘Luckier’ Person", + "description": "

    The idea that success, money, and power spring from hard work and dogged determination has been hard-wired into America’s cultural DNA since the founding of the country, when Ben Franklin wrote, “Energy and persistence conquer all things.” But every now and then, even old white guys with granny glasses are wrong:…

    Read more...

    ", + "content": "

    The idea that success, money, and power spring from hard work and dogged determination has been hard-wired into America’s cultural DNA since the founding of the country, when Ben Franklin wrote, “Energy and persistence conquer all things.” But every now and then, even old white guys with granny glasses are wrong:…

    Read more...

    ", + "category": "woody", + "link": "https://lifehacker.com/maybe-you-can-become-a-luckier-person-1848133716", + "creator": "Stephen Johnson", + "pubDate": "Tue, 30 Nov 2021 15:00:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bc23c25bf06d46981d000e124aee2cbf" + "hash": "7371f120eea0bf796aa0c8cbc807a80c" }, { - "title": "The greener route to indigo blue", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03437-y", - "creator": "James Mitchell Crow", - "pubDate": "2021-11-15", + "title": "How to Play Guitar Without Learning How to Play Guitar", + "description": "

    If you’re one of the millions of people who somehow acquired a guitar during their life—a guitar they have dutifully moved from place to place with the sincere intention of someday learning how to play it—you probably know it’s not as easy as rock stars make it seem. If you’ve actually made any attempt to learn the…

    Read more...

    ", + "content": "

    If you’re one of the millions of people who somehow acquired a guitar during their life—a guitar they have dutifully moved from place to place with the sincere intention of someday learning how to play it—you probably know it’s not as easy as rock stars make it seem. If you’ve actually made any attempt to learn the…

    Read more...

    ", + "category": "robin thicke", + "link": "https://lifehacker.com/how-to-play-guitar-without-learning-how-to-play-guitar-1848128835", + "creator": "Jeff Somers", + "pubDate": "Tue, 30 Nov 2021 14:30:00 GMT", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "d2d5204cf5b65803a6383db28ea0aa39" - }, - { - "title": "More Alzheimer’s drugs head for FDA review: what scientists are watching", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03410-9", - "creator": "Asher Mullard", - "pubDate": "2021-11-15", - "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "b3989abab632037401c660cf6ec9f4ec" - }, - { - "title": "Daily briefing: New mineral discovered inside a diamond", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03468-5", - "creator": "Flora Graham", - "pubDate": "2021-11-15", - "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "f7ef26188e8455154fc47264aea597f8" - }, - { - "title": "How to turn your ideas into patents", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03438-x", - "creator": "Andy Tay", - "pubDate": "2021-11-15", - "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "b8020a63bb4cffb1c5e2bbef02830c18" - }, - { - "title": "Friction: from fingerprints to climate change", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03436-z", - "creator": "Anna Novitzky", - "pubDate": "2021-11-15", - "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "085886042e0ee73052691768ea131c2c" - }, - { - "title": "COP26 hasn’t solved the problem: scientists react to UN climate deal", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03431-4", - "creator": "Ehsan Masood", - "pubDate": "2021-11-14", - "folder": "00.03 News/News - EN", - "feed": "Nature", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "817a8bf4db7c7561d246b862588698cd" + "hash": "e52f71cf8560969a4d48270baf66115c" }, { - "title": "COP26: Glasgow Climate Pact signed into history", - "description": "", - "content": "\n ", - "category": "", - "link": "https://www.nature.com/articles/d41586-021-03464-9", - "creator": "Flora Graham", - "pubDate": "2021-11-13", - "folder": "00.03 News/News - EN", - "feed": "Nature", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "ce1ea49ae52a41bdd6947bc2bb63d069" - } - ], - "folder": "00.03 News/News - EN", - "name": "Nature", - "language": "", - "hash": "35ab143b2b9e5b2e6eba5d5f4ab0858b" - }, - { - "title": "NYT > Top Stories", - "subtitle": "", - "link": "https://www.nytimes.com", - "image": "https://static01.nyt.com/images/misc/NYT_logo_rss_250x40.png", - "description": "", - "items": [ - { - "title": "Tornadoes Hit Several States, With at Least 70 Dead in Kentucky", - "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", - "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-midwest-south", - "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 16:56:07 +0000", + "title": "16 of the Best Cozy Christmas Movies That Aren’t All White People in Sweaters", + "description": "

    You’re likely seen the memes: A collage of posters for a bunch of Hallmark Christmas movies, all of them featuring nearly identical images of blonde white women and brown-haired white men in variations of red and green sweaters. As a brown-haired white man with an acting background, I do not think it is bad that these…

    Read more...

    ", + "content": "

    You’re likely seen the memes: A collage of posters for a bunch of Hallmark Christmas movies, all of them featuring nearly identical images of blonde white women and brown-haired white men in variations of red and green sweaters. As a brown-haired white man with an acting background, I do not think it is bad that these…

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/16-of-the-best-cozy-christmas-movies-that-aren-t-all-wh-1848103267", + "creator": "Ross Johnson", + "pubDate": "Tue, 30 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ad66a3978951b81d9f48de866c2c4f3" + "hash": "7065e421229a6cf2c25c6da44c254658" }, { - "title": "Deaths Confirmed After Tornado Hits Amazon Warehouse in Illinois", - "description": "The police said they were notifying next of kin after a tornado caused “catastrophic damage to a significant portion” of the building.", - "content": "The partially collapsed Amazon distribution center in Edwardsville, Ill.", - "category": "Tornadoes", - "link": "https://www.nytimes.com/2021/12/11/us/amazon-warehouse-deaths-tornado.html", - "creator": "Daniel Victor", - "pubDate": "Sat, 11 Dec 2021 13:03:33 +0000", + "title": "Brine Your Holiday Meats in Shio Koji", + "description": "

    Cooking and serving a large piece of meat for a holiday meal can make one feel like an (evil and rich) Dickens character, but buying large cuts for a crowd is far more cost effective (and less wasteful) than buying individual steaks or chops. But scale is not enough: These large animal parts deserve to be permeated…

    Read more...

    ", + "content": "

    Cooking and serving a large piece of meat for a holiday meal can make one feel like an (evil and rich) Dickens character, but buying large cuts for a crowd is far more cost effective (and less wasteful) than buying individual steaks or chops. But scale is not enough: These large animal parts deserve to be permeated…

    Read more...

    ", + "category": "miso", + "link": "https://lifehacker.com/brine-your-holiday-meats-in-shio-koji-1848133750", + "creator": "Claire Lower", + "pubDate": "Tue, 30 Nov 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a3b1442a132bd339347ca39d4d99f22" + "hash": "762e704b7551f48a8b58b8895ea07cdd" }, { - "title": "What to Know About the Deadly Tornado Outbreak", - "description": "Dozens of people were killed across several states on Friday night.", - "content": "First responders at an Amazon Distribution Center damaged by a tornado on Friday in Edwardsville, Ill.", - "category": "Tornadoes", - "link": "https://www.nytimes.com/article/tornado-storms-weekend.html", - "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 12:46:29 +0000", + "title": "What is 'Web3' and Why Should You Care?", + "description": "

    Tech loves to talk about the future, and if you’ve been paying any attention to recent industry headlines, you’ve probably seen the phrase “Web3” bandied about. It’s not a new term, but as the hype around cryptocurrency, NFTs, and the “metaverse” spikes, Web3 is getting a lot more attention. And while Web3 is

    Read more...

    ", + "content": "

    Tech loves to talk about the future, and if you’ve been paying any attention to recent industry headlines, you’ve probably seen the phrase “Web3” bandied about. It’s not a new term, but as the hype around cryptocurrency, NFTs, and the “metaverse” spikes, Web3 is getting a lot more attention. And while Web3 is

    Read more...

    ", + "category": "web3", + "link": "https://lifehacker.com/what-is-web3-and-why-should-you-care-1848133134", + "creator": "Brendan Hesse", + "pubDate": "Mon, 29 Nov 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "892fcd9153fbdcd21d7e83d4f7f5c65e" + "hash": "17a15e3e9627139dd7a875896394076d" }, { - "title": "In Bid for Control of Elections, Trump Loyalists Face Few Obstacles", - "description": "A movement animated by Donald J. Trump’s 2020 election lies is turning its attention to 2022 and beyond.", - "content": "A pro-Trump mob, galvanized by Donald J. Trump’s false claim of a stolen election in 2020, stormed the U.S. Capitol building on Jan. 6.", - "category": "Voter Fraud (Election Fraud)", - "link": "https://www.nytimes.com/2021/12/11/us/politics/trust-in-elections-trump-democracy.html", - "creator": "Charles Homans", - "pubDate": "Sat, 11 Dec 2021 10:00:11 +0000", + "title": "How to Survive the ‘Toddler Screaming’ Phase", + "description": "

    If you’ve ever had a toddler, chances are, you’ve been the lucky recipient of their “screaming phase.” Note, I didn’t say tantrum phase. No, there is a brand of toddler screeching that has little or sometimes nothing to do with a full-on meltdown about not being able to take home the Paw Patrol water bottle they’ve…

    Read more...

    ", + "content": "

    If you’ve ever had a toddler, chances are, you’ve been the lucky recipient of their “screaming phase.” Note, I didn’t say tantrum phase. No, there is a brand of toddler screeching that has little or sometimes nothing to do with a full-on meltdown about not being able to take home the Paw Patrol water bottle they’ve…

    Read more...

    ", + "category": "toddler", + "link": "https://lifehacker.com/how-to-survive-the-toddler-screaming-phase-1848132853", + "creator": "Sarah Showfety", + "pubDate": "Mon, 29 Nov 2021 21:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "404734b22cd2eee5bd2c1b446e4f72ae" + "hash": "a3cc472ad2dd03bb83573724b80ac027" }, { - "title": "PowerPoint Sent to Mark Meadows Is Examined by Jan. 6 Panel", - "description": "Mark Meadows’s lawyer said the former White House chief of staff did not act on the document, which recommended that President Donald J. Trump declare a national emergency to keep himself in power.", - "content": "Mark Meadows’s lawyer said the former White House chief of staff did not act on the document, which recommended that President Donald J. Trump declare a national emergency to keep himself in power.", - "category": "Meadows, Mark R (1959- )", - "link": "https://www.nytimes.com/2021/12/10/us/politics/capitol-attack-meadows-powerpoint.html", - "creator": "Luke Broadwater and Alan Feuer", - "pubDate": "Sat, 11 Dec 2021 00:59:37 +0000", + "title": "How to Install a Security Camera Without Breaking the Law", + "description": "

    It’s becoming increasingly common for homeowners to invest in security cameras, but there are also privacy laws that limit where all those cameras can be pointed. If you’re looking to install security cameras in and around the perimeter of your home, you’ll need to consider those laws as much as your own security, so…

    Read more...

    ", + "content": "

    It’s becoming increasingly common for homeowners to invest in security cameras, but there are also privacy laws that limit where all those cameras can be pointed. If you’re looking to install security cameras in and around the perimeter of your home, you’ll need to consider those laws as much as your own security, so…

    Read more...

    ", + "category": "security", + "link": "https://lifehacker.com/how-to-install-a-security-camera-without-breaking-the-l-1848006254", + "creator": "Shannon Flynn", + "pubDate": "Mon, 29 Nov 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a580aad2a1ecb9e6acd293ff46d480e" + "hash": "afdcab7ac6c051d694ae17bfd6a83752" }, { - "title": "Inside the Fall of Kabul: An On-the-Ground Account", - "description": "Against all predictions, the Taliban took the Afghan capital in a matter of hours. This is the story of why and what came after, by a reporter and photographer who witnessed it all.", - "content": "Against all predictions, the Taliban took the Afghan capital in a matter of hours. This is the story of why and what came after, by a reporter and photographer who witnessed it all.", - "category": "Afghanistan War (2001- )", - "link": "https://www.nytimes.com/2021/12/10/magazine/fall-of-kabul-afghanistan.html", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 23:05:48 +0000", + "title": "Stop LinkedIn From Clogging Up Your Inbox Already", + "description": "

    LinkedIn never passes up an opportunity to flood your inbox with emails. Even if you do your best to unsubscribe from every message you receive, the service always seems to find a way to send you even more of them. If you’d rather keep LinkedIn’s updates out of your inbox, it is possible—if difficult—unsubscribe from…

    Read more...

    ", + "content": "

    LinkedIn never passes up an opportunity to flood your inbox with emails. Even if you do your best to unsubscribe from every message you receive, the service always seems to find a way to send you even more of them. If you’d rather keep LinkedIn’s updates out of your inbox, it is possible—if difficult—unsubscribe from…

    Read more...

    ", + "category": "linkedin", + "link": "https://lifehacker.com/stop-linkedin-from-clogging-up-your-inbox-already-1848130851", + "creator": "Pranay Parab", + "pubDate": "Mon, 29 Nov 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d91f930db1966f85195c4e5614df41fa" + "hash": "042833328b9b9e7c6d88b4bf5028b81e" }, { - "title": "As Vaccines Trickle into Africa, Zambia’s Challenges Highlight Other Obstacles", - "description": "Vaccinating Africa is critical to protecting the continent and the world against dangerous variants, but supply isn’t the only problem countries face.", - "content": "The Covid-19 vaccination tents at Chongwe District Hospital in Zambia sat empty.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/11/health/covid-vaccine-africa.html", - "creator": "Stephanie Nolen", - "pubDate": "Sat, 11 Dec 2021 14:14:08 +0000", + "title": "The Lazy Way to Stuff a Stocking That Doesn’t Look Lazy", + "description": "

    There are two types of Christmas-observing families: Those who are serious about stockings, and amateurs. Like most things, my sisters and I view stocking stuffing as a competition, but we will never beat our mother, who has had three decades to perfect her stocking stuffing methods (with her children as test…

    Read more...

    ", + "content": "

    There are two types of Christmas-observing families: Those who are serious about stockings, and amateurs. Like most things, my sisters and I view stocking stuffing as a competition, but we will never beat our mother, who has had three decades to perfect her stocking stuffing methods (with her children as test…

    Read more...

    ", + "category": "joe", + "link": "https://lifehacker.com/the-lazy-way-to-stuff-a-stocking-that-doesn-t-look-lazy-1848132358", + "creator": "Claire Lower", + "pubDate": "Mon, 29 Nov 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "355acdc28dd124912ddd12531ef884c9" + "hash": "58bf38c27c2f18132afd4beb8d11e424" }, { - "title": "British Studies Warn of Omicron’s Speed; One Notes Need for Boosters", - "description": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", - "content": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/11/world/covid-omicron-vaccines", - "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 18:48:13 +0000", + "title": "You Can Use Your Apple Watch to Automatically Unlock Your Mac", + "description": "

    You might know about Apple’s feature that lets you automatically unlock your iPhone using the Apple Watch (when you’re wearing a face mask, at least). But you may not have known that this feature has also existed for years on the Mac. As long as you’re wearing your Apple Watch—and it’s unlocked—you can sign in to your…

    Read more...

    ", + "content": "

    You might know about Apple’s feature that lets you automatically unlock your iPhone using the Apple Watch (when you’re wearing a face mask, at least). But you may not have known that this feature has also existed for years on the Mac. As long as you’re wearing your Apple Watch—and it’s unlocked—you can sign in to your…

    Read more...

    ", + "category": "apple", + "link": "https://lifehacker.com/you-can-use-your-apple-watch-to-automatically-unlock-yo-1848128398", + "creator": "Khamosh Pathak", + "pubDate": "Mon, 29 Nov 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "767bd4df9f47fac8a44e52d53afd27f8" + "hash": "08d38cddd2b504d9239b04e8682c620a" }, { - "title": "Helicopters and High-Speed Chases: Inside Texas’ Push to Arrest Migrants", - "description": "Texas is using state law enforcement in an unusual way in an attempt to stem illegal border crossings. The tactic is raising constitutional concerns and transforming life in one small town.", - "content": "A group of migrants waits along the road after being apprehended in Kinney County by officers with the Texas Department of Public Safety.", - "category": "Illegal Immigration", - "link": "https://www.nytimes.com/2021/12/11/us/texas-migrant-arrests-police.html", - "creator": "J. David Goodman and Kirsten Luce", - "pubDate": "Sat, 11 Dec 2021 10:00:25 +0000", + "title": "Your Pixel Will Now Wait Until Everyone Is Smiling Before Snapping a Picture", + "description": "

    As long as we’ve had cameras, we’ve tried to take the perfect group photo. You set the camera on a stand, turn on the timer, run back to crowd, say “Cheese!” and hope no one blinked. Of course, someone often does, and you have to take the photo all over again—that is, unless you have a phone that can automatically…

    Read more...

    ", + "content": "

    As long as we’ve had cameras, we’ve tried to take the perfect group photo. You set the camera on a stand, turn on the timer, run back to crowd, say “Cheese!” and hope no one blinked. Of course, someone often does, and you have to take the photo all over again—that is, unless you have a phone that can automatically…

    Read more...

    ", + "category": "pixel", + "link": "https://lifehacker.com/your-pixel-will-now-wait-until-everyone-is-smiling-befo-1848131573", + "creator": "Jake Peterson", + "pubDate": "Mon, 29 Nov 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0121216de47f992182cc7487ae44fcac" + "hash": "8e476aa0d495aff88ec92776efcd549f" }, { - "title": "Iran’s Nuclear Program Ignites New Tension Between U.S. and Israel", - "description": "Strains emerged during talks this week after a short period of strong relations between a new Israeli government and new American one.", - "content": "American negotiators have signaled that Iranians’ advancements in their nuclear program and their recent hard line in Vienna mean Tehran is not serious about a diplomatic agreement.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/10/us/politics/iran-nuclear-us-israel-biden-bennett.html", - "creator": "Julian E. Barnes, Ronen Bergman and David E. Sanger", - "pubDate": "Sat, 11 Dec 2021 01:34:42 +0000", + "title": "You Should Start This Ornament Tradition With Your Kids", + "description": "

    Growing up, there wasn’t a strong Christmas ornament tradition in my family. Or one at all, really. There were no hand-crafted trinkets with sentimental value, or delicate keepsakes passed down through generations. The main thing I remember about our tree was its comical 1980s artificiality of sparse, rigid branches,…

    Read more...

    ", + "content": "

    Growing up, there wasn’t a strong Christmas ornament tradition in my family. Or one at all, really. There were no hand-crafted trinkets with sentimental value, or delicate keepsakes passed down through generations. The main thing I remember about our tree was its comical 1980s artificiality of sparse, rigid branches,…

    Read more...

    ", + "category": "ornament", + "link": "https://lifehacker.com/why-you-should-start-this-ornament-tradition-with-your-1848131382", + "creator": "Sarah Showfety", + "pubDate": "Mon, 29 Nov 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f40590ac53d8aa92b624e6872ef3c04f" + "hash": "ef284c602698fb847de1b200a93af3db" }, { - "title": "What Is the Perfect Date to Bring Workers Back to the Office?", - "description": "More and more companies are saying: We’ll get back to you.", - "content": "More and more companies are saying: We’ll get back to you.", - "category": "Coronavirus Reopenings", - "link": "https://www.nytimes.com/2021/12/11/business/return-to-office-2022.html", - "creator": "Emma Goldberg", - "pubDate": "Sat, 11 Dec 2021 13:24:44 +0000", + "title": "The Best Winter Running Gear, According to Reddit", + "description": "

    In theory, winter running is easy: It’s just normal running with extra layers. But sometimes it’s tough to find exactly what layers you need. Fortunately, a bunch of cold-dwelling redditors have come through with their recommendations to keep you toasty all winter long.

    Read more...

    ", + "content": "

    In theory, winter running is easy: It’s just normal running with extra layers. But sometimes it’s tough to find exactly what layers you need. Fortunately, a bunch of cold-dwelling redditors have come through with their recommendations to keep you toasty all winter long.

    Read more...

    ", + "category": "clothing", + "link": "https://lifehacker.com/the-best-winter-running-gear-according-to-reddit-1848119170", + "creator": "Beth Skwarecki", + "pubDate": "Mon, 29 Nov 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0551ab5399c8e004b183b1d4e2b6846d" + "hash": "18d1ff9edb4490a177c6b63e0c6f823f" }, { - "title": "Your Guide to the New Language of the Office", - "description": "You can still circle back and touch base. But the vernacular of work life for many has changed just as much as their work has.", - "content": "You can still circle back and touch base. But the vernacular of work life for many has changed just as much as their work has.", - "category": "Workplace Environment", - "link": "https://www.nytimes.com/2021/12/11/business/new-corporate-jargon.html", - "creator": "Emma Goldberg", - "pubDate": "Sat, 11 Dec 2021 10:00:14 +0000", + "title": "16 of the Most Useful iPhone Messages Features You Should Be Using", + "description": "

    Apple’s Messages is probably one of the most-used apps on your iPhone that you spend the least time thinking about. After all, it’s just texting.

    But this humble messaging app is actually remarkably feature-packed, and if you spend a few minutes poking around in your settings, you’ll be able to unlock lots of useful…

    Read more...

    ", + "content": "

    Apple’s Messages is probably one of the most-used apps on your iPhone that you spend the least time thinking about. After all, it’s just texting.

    But this humble messaging app is actually remarkably feature-packed, and if you spend a few minutes poking around in your settings, you’ll be able to unlock lots of useful…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/16-of-the-most-useful-iphone-messages-features-you-shou-1848130284", + "creator": "Pranay Parab", + "pubDate": "Mon, 29 Nov 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ccccd56a40a4dd1abb2d5639f96bc75" + "hash": "562b59d25d7147c8ef605dc72692dbe9" }, { - "title": "Can Parties Help Us Heal?", - "description": "Inside a night of release at Nowadays, hosted by the group Nocturnal Medicine.", - "content": "Nocturnal Medicine held a therapy rave at a Queens nightclub to help people transition into winter.", - "category": "Nowadays (Queens, NY, Bar)", - "link": "https://www.nytimes.com/2021/12/11/style/party-rave-healing.html", - "creator": "Anna P. Kambhampaty", - "pubDate": "Sat, 11 Dec 2021 10:00:08 +0000", + "title": "Discover Your Perfect Pullup Variation", + "description": "

    Pulling yourself from arm’s length up to a horizontal bar is a phenomenal exercise for your back, your arms, and your core. But there’s more than one way to do it, and I’m not just talking about the fact that “pullups” and “chinups” are technically two different exercises. There are countless variations to make the…

    Read more...

    ", + "content": "

    Pulling yourself from arm’s length up to a horizontal bar is a phenomenal exercise for your back, your arms, and your core. But there’s more than one way to do it, and I’m not just talking about the fact that “pullups” and “chinups” are technically two different exercises. There are countless variations to make the…

    Read more...

    ", + "category": "bodyweight exercise", + "link": "https://lifehacker.com/discover-your-perfect-pullup-variation-1848119449", + "creator": "Beth Skwarecki", + "pubDate": "Mon, 29 Nov 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7b1e3a3de401bebfd8e1fd6547e2355" + "hash": "da0b537929b7e6461a035a055b1f922a" }, { - "title": "Silent Films Offer Rare Glimpses of Life in 1920s Ireland", - "description": "Shot by an American ornithologist in the early years of Irish independence, the footage turned up in the archives of the Chicago Academy of Sciences and is being restored.", - "content": "Shot by an American ornithologist in the early years of Irish independence, the footage turned up in the archives of the Chicago Academy of Sciences and is being restored.", - "category": "Ireland", - "link": "https://www.nytimes.com/2021/12/11/world/europe/silent-film-ireland-discovery.html", - "creator": "Claire Fahy", - "pubDate": "Sat, 11 Dec 2021 10:30:07 +0000", + "title": "The Right Way to Install a Simple Floating Shelf", + "description": "

    If you’ve got an alcove, corner, or otherwise awkward empty space in a room that needs a little extra storage or decorative touch, the best solution may be a simple floating shelf. Floating shelves are cost-effective to make—and are fairly easy to install—and they can finish off a space that needs a little something.

    Read more...

    ", + "content": "

    If you’ve got an alcove, corner, or otherwise awkward empty space in a room that needs a little extra storage or decorative touch, the best solution may be a simple floating shelf. Floating shelves are cost-effective to make—and are fairly easy to install—and they can finish off a space that needs a little something.

    Read more...

    ", + "category": "shelf", + "link": "https://lifehacker.com/the-right-way-to-install-a-simple-floating-shelf-1848129875", + "creator": "Becca Lewis", + "pubDate": "Mon, 29 Nov 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3d5eae05bc25e697d10b8e7a0e23b79" + "hash": "1e6a6a18fc5b05905a8126ec481cfd48" }, { - "title": "The Holidays Are for Martinelli’s", - "description": "The sparkling cider has long had a place on the kid’s table. It’s really a family affair.", - "content": "The sparkling cider has long had a place on the kid’s table. It’s really a family affair.", - "category": "Cider", - "link": "https://www.nytimes.com/2021/12/11/style/martinellis-sparkling-cider.html", - "creator": "Natalie Shutler", - "pubDate": "Sat, 11 Dec 2021 10:00:11 +0000", + "title": "The Best Ways to Give Money Without Giving Cash", + "description": "

    In some ways, money is the perfect gift. It’s liquid, which means the recipient has total agency to do whatever they want with it. Cash is the easiest way to give money, and no one’s going to be mad about getting a box full of twenties for their birthday—but unless you’re Robert Deniro in a Scorsese film, giving cash…

    Read more...

    ", + "content": "

    In some ways, money is the perfect gift. It’s liquid, which means the recipient has total agency to do whatever they want with it. Cash is the easiest way to give money, and no one’s going to be mad about getting a box full of twenties for their birthday—but unless you’re Robert Deniro in a Scorsese film, giving cash…

    Read more...

    ", + "category": "money", + "link": "https://lifehacker.com/the-best-ways-to-give-money-without-giving-cash-1848124581", + "creator": "Jeff Somers", + "pubDate": "Mon, 29 Nov 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1ce2775efc04957430be26c717a5c55" + "hash": "ed6dd81511da7a2ad2c2d7f9eba957c4" }, { - "title": "How the United States Can Break Putin’s Hold on Ukraine", - "description": "The Biden administration’s policy toward Ukraine needs todemonstrate a more active level of engagement.", - "content": "The Biden administration’s policy toward Ukraine needs todemonstrate a more active level of engagement.", - "category": "Russia", - "link": "https://www.nytimes.com/2021/12/10/opinion/international-world/putin-ukraine-biden.html", - "creator": "Alexander Vindman", - "pubDate": "Sat, 11 Dec 2021 00:34:08 +0000", + "title": "What to Do Before You Have Surgery", + "description": "

    The idea of surgery can be daunting. You’re unconscious while someone cuts into you, more or less, and there is nothing you can do about it—it is the height of helplessness. For some, none of that is a big deal. For others—especially first-timers—surgery can be really scary. Here are some tips for how to prepare for…

    Read more...

    ", + "content": "

    The idea of surgery can be daunting. You’re unconscious while someone cuts into you, more or less, and there is nothing you can do about it—it is the height of helplessness. For some, none of that is a big deal. For others—especially first-timers—surgery can be really scary. Here are some tips for how to prepare for…

    Read more...

    ", + "category": "surgery", + "link": "https://lifehacker.com/what-to-do-before-you-have-surgery-1848100632", + "creator": "Lindsey Ellefson", + "pubDate": "Mon, 29 Nov 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec344fc7ec1eb6cb0f44373f833a05d2" + "hash": "762e4498d0b7de234235fcb7cfc53874" }, { - "title": "As Omicron Looms, Fear Messaging Isn't Working", - "description": "This horror movie has been playing for 21 months.", - "content": "This horror movie has been playing for 21 months.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/10/opinion/covid-omicron-psychology-fear.html", - "creator": "Adam Grant", - "pubDate": "Fri, 10 Dec 2021 16:18:14 +0000", + "title": "18 of the Best Non-Christmas Christmas Movies (That Aren't ‘Die Hard’)", + "description": "

    Tired: “My favorite Christmas movie is Die Hard.”

    Read more...

    ", + "content": "

    Tired: “My favorite Christmas movie is Die Hard.”

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/18-of-the-best-non-christmas-christmas-movies-that-are-1848104777", + "creator": "Ross Johnson", + "pubDate": "Mon, 29 Nov 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1ad2ffaca506566d6ae004e61e7238f7" + "hash": "ca8425e89a1d77d26a6045c6fb4cb1f0" }, { - "title": "We Can Live Better Lives While Being Smart About Covid", - "description": "This virus is not going to disappear anytime soon.", - "content": "This virus is not going to disappear anytime soon.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/11/opinion/covid-vaccine-omicron-booster.html", - "creator": "The Editorial Board", - "pubDate": "Sat, 11 Dec 2021 16:09:13 +0000", + "title": "Stop Killing Houseplants (Create a Self-Sustaining Ecosphere Instead)", + "description": "

    Try as I might to keep my indoor plants alive, I am not a natural plant mom. If you’re similarly incompetent, but still want to keep a little slice of nature in your home, let me present to you: the glorious ecosphere.

    Read more...

    ", + "content": "

    Try as I might to keep my indoor plants alive, I am not a natural plant mom. If you’re similarly incompetent, but still want to keep a little slice of nature in your home, let me present to you: the glorious ecosphere.

    Read more...

    ", + "category": "ecosphere", + "link": "https://lifehacker.com/stop-killing-houseplants-create-a-self-sustaining-ecos-1848018886", + "creator": "Meredith Dietz", + "pubDate": "Mon, 29 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c5c6cb20df5d70eba182e516a800090b" + "hash": "3358ce2a4f590dd138d1f98b12f39dc3" }, { - "title": "What Can Schools Do About Disturbed Students?", - "description": "“There is no profile of a school shooter that is reliable.”", - "content": "“There is no profile of a school shooter that is reliable.”", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/11/opinion/schools-students-staff.html", - "creator": "Jessica Grose", - "pubDate": "Sat, 11 Dec 2021 13:55:26 +0000", + "title": "Why 'Tubular Skylights' Are Great for Brightening Up Your Home", + "description": "

    Letting in some natural light can really brighten up your home, especially during the winter months. However, while traditional skylights are an option, they can be costly and add to heating and cooling costs. Tubular skylights are a good alternative, providing natural light year round without losing as much…

    Read more...

    ", + "content": "

    Letting in some natural light can really brighten up your home, especially during the winter months. However, while traditional skylights are an option, they can be costly and add to heating and cooling costs. Tubular skylights are a good alternative, providing natural light year round without losing as much…

    Read more...

    ", + "category": "solar architecture", + "link": "https://lifehacker.com/why-tubular-skylights-are-great-for-brightening-up-your-1848031312", + "creator": "Becca Lewis", + "pubDate": "Mon, 29 Nov 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e872942b7bd9d66681552788ccc71574" + "hash": "5be1f5b7ae45d2ca87436cd3251b27d8" }, { - "title": "The Inflation Suspense Goes On", - "description": "The data refuse to settle the big debate. ", - "content": "March 12, 2020, in New York City.  ", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/10/opinion/inflation-economy.html", - "creator": "Paul Krugman", - "pubDate": "Fri, 10 Dec 2021 19:05:04 +0000", + "title": "Don't Overthink Your Latkes", + "description": "

    Fact: people love latkes. I wish I was one of them. Fried potatoes should be a slam dunk, but most of my Chanukah memories involve skipping the latkes for the applesauce they were served with.

    Read more...

    ", + "content": "

    Fact: people love latkes. I wish I was one of them. Fried potatoes should be a slam dunk, but most of my Chanukah memories involve skipping the latkes for the applesauce they were served with.

    Read more...

    ", + "category": "staple foods", + "link": "https://lifehacker.com/dont-overthink-your-latkes-1848119681", + "creator": "Amanda Blum", + "pubDate": "Sun, 28 Nov 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9ea48b334eb0c7d1b378064e3296a1b" + "hash": "cce855c48af4307d97a3100b11cdba7d" }, { - "title": "Climate Change Is Thawing Arctic Alaska", - "description": "The landscape resembles frozen spinach left out on the kitchen counter too long.", - "content": "The landscape resembles frozen spinach left out on the kitchen counter too long.", - "category": "Rivers", - "link": "https://www.nytimes.com/2021/12/07/opinion/climate-change-alaska.html", - "creator": "Jon Waterman", - "pubDate": "Tue, 07 Dec 2021 10:00:21 +0000", + "title": "How to Tell Exactly How Many Christmas Lights You Need", + "description": "

    There is an unspoken rule dictating that any Christmas comedy must include a scene where one of the characters gets completely tangled in strings of holiday lights. And while that situation may be funny onscreen, when it’s happening in your living room, it can be hard to find the humor in it.

    Read more...

    ", + "content": "

    There is an unspoken rule dictating that any Christmas comedy must include a scene where one of the characters gets completely tangled in strings of holiday lights. And while that situation may be funny onscreen, when it’s happening in your living room, it can be hard to find the humor in it.

    Read more...

    ", + "category": "christmas lights", + "link": "https://lifehacker.com/how-to-tell-exactly-how-many-christmas-lights-you-need-1848126999", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 28 Nov 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b6b7354b0a48a3582e8c50c76a5c36d" + "hash": "04e557059bbe808599d450c8ef0448c3" }, { - "title": "I Have a Handle on History. The Future Is a Different Story.", - "description": "Try as we might, no one can really imagine what comes next.", - "content": "Try as we might, no one can really imagine what comes next.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/11/opinion/us-democracy-future.html", - "creator": "Jamelle Bouie", - "pubDate": "Sat, 11 Dec 2021 15:13:55 +0000", + "title": "Get Paid $1,234 to Watch 5 of Your Favorite Childhood Movies", + "description": "

    There’s nothing like curling up on the couch and enjoying one of your favorite childhood movies. Sure, you already know the plot and can recite half of the film from memory, but that’s part of the charm. Most of all, it’s comforting.

    Read more...

    ", + "content": "

    There’s nothing like curling up on the couch and enjoying one of your favorite childhood movies. Sure, you already know the plot and can recite half of the film from memory, but that’s part of the charm. Most of all, it’s comforting.

    Read more...

    ", + "category": "entertainment culture", + "link": "https://lifehacker.com/get-paid-1-234-to-watch-5-of-your-favorite-childhood-m-1848126998", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 28 Nov 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "371fcb1f2337cd34d09d7f7d175e215d" + "hash": "62183d1fb6ece847facc64b66b2d8bc9" }, { - "title": "How the Great Resignation Could Help Workers", - "description": "French history offers hopeful lessons.", - "content": "French history offers hopeful lessons.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/12/11/opinion/great-resignation-labor-shortage.html", - "creator": "Abigail Susik", - "pubDate": "Sat, 11 Dec 2021 14:54:49 +0000", + "title": "How to Prep Your Garage for Winter", + "description": "

    Whether you use your garage as a place to park your vehicles, or as more of a workshop, now’s the time to get it ready for the winter season. But either way, it can be a daunting task, and you may not know where to start.

    Read more...

    ", + "content": "

    Whether you use your garage as a place to park your vehicles, or as more of a workshop, now’s the time to get it ready for the winter season. But either way, it can be a daunting task, and you may not know where to start.

    Read more...

    ", + "category": "garage", + "link": "https://lifehacker.com/how-to-prep-your-garage-for-winter-1848126993", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 28 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0502380714fed73b3bc9b536d19010fe" + "hash": "f018ca766a2921079a24c6bfc3e1cc72" }, { - "title": "Abortion: Real Stories, Not Abstractions", - "description": "Readers discuss having an abortion, the physical toll of pregnancy, their religious beliefs, unwanted children and more.", - "content": "Readers discuss having an abortion, the physical toll of pregnancy, their religious beliefs, unwanted children and more.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/11/opinion/letters/abortion.html", - "creator": "", - "pubDate": "Sat, 11 Dec 2021 16:30:06 +0000", + "title": "How to Wash Holiday Stockings and Other Fabric Decorations", + "description": "

    Maybe you’re the type of person who, at the end of each holiday season, washes all the stockings and other festive fabric decorations before putting them in a carefully sealed container, so everything’s ready-to-go the following year.

    Read more...

    ", + "content": "

    Maybe you’re the type of person who, at the end of each holiday season, washes all the stockings and other festive fabric decorations before putting them in a carefully sealed container, so everything’s ready-to-go the following year.

    Read more...

    ", + "category": "clothing", + "link": "https://lifehacker.com/how-to-wash-holiday-stockings-and-other-fabric-decorati-1848124966", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 27 Nov 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55ed4620eaca1dc626533b229f545b7f" + "hash": "77df250acdb06e0c710b9cde4fb5d328" }, { - "title": "Revoke the Omicron Travel Ban Against African Countries", - "description": "And don’t make the same mistake again.", - "content": "And don’t make the same mistake again.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/11/opinion/omicron-travel-ban-covid-africa.html", - "creator": "Saad B. Omer", - "pubDate": "Sat, 11 Dec 2021 16:00:04 +0000", + "title": "How to Tell If Vintage Furniture Is the Real Deal or a Knockoff", + "description": "

    While there have long been diehard fans of vintage and antique furniture, the furniture shortage and resulting delivery delay throughout the COVID-19 pandemic has made higher-end secondhand shopping even more competitive. And with the increased demand has come a flood of fakes, Sydney Gore writes in an article for…

    Read more...

    ", + "content": "

    While there have long been diehard fans of vintage and antique furniture, the furniture shortage and resulting delivery delay throughout the COVID-19 pandemic has made higher-end secondhand shopping even more competitive. And with the increased demand has come a flood of fakes, Sydney Gore writes in an article for…

    Read more...

    ", + "category": "furniture", + "link": "https://lifehacker.com/how-to-tell-if-vintage-furniture-is-the-real-deal-or-a-1848124958", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 27 Nov 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7bc72ea965075ff244e315600acf763c" + "hash": "275f7605df8bd871d8a800781dd64479" }, { - "title": "Why We Need to Address Scam Culture", - "description": "It’s not just about shady deals. It’s about the social fabric.", - "content": "It’s not just about shady deals. It’s about the social fabric.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/10/opinion/scams-trust-institutions.html", - "creator": "Tressie McMillan Cottom", - "pubDate": "Sat, 11 Dec 2021 01:10:24 +0000", + "title": "Use This Converter to Calculate the Height of Mt. Everest (or Anything Else) in Danny DeVitos", + "description": "

    Are you getting bored with our current units of measurement? Do you constantly weigh the pros and cons of the United States switching over to the metric system, and wonder if there was a better option?

    Read more...

    ", + "content": "

    Are you getting bored with our current units of measurement? Do you constantly weigh the pros and cons of the United States switching over to the metric system, and wonder if there was a better option?

    Read more...

    ", + "category": "converter", + "link": "https://lifehacker.com/use-this-converter-to-calculate-the-height-of-mt-evere-1848124951", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 27 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "361e02b6477d07e92dfd850011605646" + "hash": "b085ea0b238de352bd035a42ca85d16b" }, { - "title": "A Nobel Peace Prize Is Not Enough to Save Independent Media", - "description": "It will take more than speeches — or indeed Nobel prizes — to save independent journalism.", - "content": "It will take more than speeches — or indeed Nobel prizes — to save independent journalism.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/12/10/opinion/independent-journalism-at-risk-nobel-prize.html", - "creator": "Maria Ressa and Mark Thompson", - "pubDate": "Fri, 10 Dec 2021 19:37:37 +0000", + "title": "How to Decorate a Room With Christmas Greenery Without a Whole Tree", + "description": "

    Thanksgiving is over, which means the inflatable lawn turkeys will soon be replaced by inflatable lawn candy canes and holiday lights. And for those who celebrate and decorate for Christmas, it’s time to decide whether to chop a real, live outside tree and bring it into their home for a few weeks, or dust off the…

    Read more...

    ", + "content": "

    Thanksgiving is over, which means the inflatable lawn turkeys will soon be replaced by inflatable lawn candy canes and holiday lights. And for those who celebrate and decorate for Christmas, it’s time to decide whether to chop a real, live outside tree and bring it into their home for a few weeks, or dust off the…

    Read more...

    ", + "category": "christmas", + "link": "https://lifehacker.com/how-to-decorate-a-room-with-christmas-greenery-without-1848122659", + "creator": "Elizabeth Yuko", + "pubDate": "Fri, 26 Nov 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "273ed956d600d21aadfe5ed2ad1e0fd8" + "hash": "c6a4b0702bec08352551a6292fc9e6b2" }, { - "title": "With This Supreme Court, What’s Next for Abortion Rights?", - "description": "Legal scholars, researchers and writers consider how the country could be transformed.", - "content": "Legal scholars, researchers and writers consider how the country could be transformed.", - "category": "debatable", - "link": "https://www.nytimes.com/2021/12/10/opinion/supreme-court-abortion-roe.html", - "creator": "Spencer Bokat-Lindell", - "pubDate": "Fri, 10 Dec 2021 18:15:05 +0000", + "title": "The Difference Between Hard Water and Soft Water (and Why It Matters)", + "description": "

    When everything is working the way it’s supposed to, you might assume that tap water is pretty consistent across the board in terms of what’s in it, and how it can affect your home and your body. But in reality, that’s not the case. There are multiple ways tap water can differ depending on the community, but today…

    Read more...

    ", + "content": "

    When everything is working the way it’s supposed to, you might assume that tap water is pretty consistent across the board in terms of what’s in it, and how it can affect your home and your body. But in reality, that’s not the case. There are multiple ways tap water can differ depending on the community, but today…

    Read more...

    ", + "category": "water", + "link": "https://lifehacker.com/the-difference-between-hard-water-and-soft-water-and-w-1848122651", + "creator": "Elizabeth Yuko", + "pubDate": "Fri, 26 Nov 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "00bf2855beb387e5f6e0bbf5e44f7362" + "hash": "a1db216a2a7026dcf4fc9262cee19d71" }, { - "title": "Omicron: A Big Deal About Small ‘O’", - "description": "The Greek letter auditions for a different role in our lexicon.", - "content": "The Greek letter auditions for a different role in our lexicon.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/10/opinion/omicron-tarnation-lox.html", - "creator": "John McWhorter", - "pubDate": "Fri, 10 Dec 2021 20:56:19 +0000", + "title": "How to Spot Fake Brand-Name Tools Sold Online", + "description": "

    Whether you’re in the market for tools for yourself, or to give to others as gifts, you’re probably keeping an eye out for sales and special offers—especially over the next week or so. But unfortunately, not all tools sold online are what they say they are.

    Read more...

    ", + "content": "

    Whether you’re in the market for tools for yourself, or to give to others as gifts, you’re probably keeping an eye out for sales and special offers—especially over the next week or so. But unfortunately, not all tools sold online are what they say they are.

    Read more...

    ", + "category": "tools", + "link": "https://lifehacker.com/how-to-spot-fake-brand-name-tools-sold-online-1848122667", + "creator": "Elizabeth Yuko", + "pubDate": "Fri, 26 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "41fcaf0c4c43639968dd45b783ca9972" + "hash": "7a66b0bc5fadc3b024f899e2e509daf7" }, { - "title": "Are Vaccine Polls Flawed?", - "description": "Researchers say that two large surveys aren’t representative.", - "content": "Researchers say that two large surveys aren’t representative.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/10/opinion/vaccine-polls-covid.html", - "creator": "Peter Coy", - "pubDate": "Fri, 10 Dec 2021 22:27:42 +0000", + "title": "13 Exciting Ways to Eat Your Thanksgiving Leftovers", + "description": "

    Thanksgiving leftovers are more fun to eat than the actual, proper Thanksgiving meal. The leftovers are where you can get creative, inspired, and unhinged. Sandwiches, soup, fried rice, and pot pies are all fine and delicious, but they’re almost as traditional as turkey and dressing. If you’re looking for new and…

    Read more...

    ", + "content": "

    Thanksgiving leftovers are more fun to eat than the actual, proper Thanksgiving meal. The leftovers are where you can get creative, inspired, and unhinged. Sandwiches, soup, fried rice, and pot pies are all fine and delicious, but they’re almost as traditional as turkey and dressing. If you’re looking for new and…

    Read more...

    ", + "category": "cuisine", + "link": "https://lifehacker.com/13-exciting-ways-to-eat-your-thanksgiving-leftovers-1848118023", + "creator": "Claire Lower", + "pubDate": "Fri, 26 Nov 2021 13:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "77f5fcb4edab40bddc10a716aa0c3bad" + "hash": "fae1bb5e13439a39ca743704ac441794" }, { - "title": "Will the Coronavirus Evolve to Be Milder?", - "description": "While we may care, the virus really doesn’t.", - "content": "While we may care, the virus really doesn’t.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/10/opinion/covid-evolve-milder.html", - "creator": "Andrew Pekosz", - "pubDate": "Sat, 11 Dec 2021 14:36:35 +0000", + "title": "How to Decide Whether to Board or Bring Your Pet on a Holiday Road Trip", + "description": "

    Many people think of their furry, four-legged friends as being part of their family, so it can be hard to leave them for the holidays. But with holiday travel being hectic enough on its own, it’s not always clear whether to add your mutt to the mix.

    Read more...

    ", + "content": "

    Many people think of their furry, four-legged friends as being part of their family, so it can be hard to leave them for the holidays. But with holiday travel being hectic enough on its own, it’s not always clear whether to add your mutt to the mix.

    Read more...

    ", + "category": "jessica bell", + "link": "https://lifehacker.com/how-to-decide-whether-to-board-or-bring-your-pet-on-a-h-1848117313", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 25 Nov 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd2a41606760196e7bd4d6c4c5f8b7c7" + "hash": "0733cbcf02de92bfa321845fb4aa5986" }, { - "title": "Rift Between Wyden and Son Shows the Challenge of Taxing the Ultrarich", - "description": "A dispute between Ron Wyden, the Democratic Senate Finance Committee chairman, and his hedge fund-manager son illustrates how the merely rich help the fabulously rich resist tax increases.", - "content": "A dispute between Ron Wyden, the Democratic Senate Finance Committee chairman, and his hedge fund-manager son illustrates how the merely rich help the fabulously rich resist tax increases.", - "category": "Tax Shelters", - "link": "https://www.nytimes.com/2021/12/10/us/politics/taxing-the-rich.html", - "creator": "Jonathan Weisman", - "pubDate": "Fri, 10 Dec 2021 10:00:25 +0000", + "title": "How to Share Your Dietary Preferences and Restrictions Without Sounding Rude", + "description": "

    Not everyone is on the same page when it comes to food allergies and intolerances, and dietary restrictions and preferences, and that’s never more evident than at a holiday meal. While your immediate family may know you’re vegan or lactose intolerant, that’s not necessarily the case with extended family, friends, or…

    Read more...

    ", + "content": "

    Not everyone is on the same page when it comes to food allergies and intolerances, and dietary restrictions and preferences, and that’s never more evident than at a holiday meal. While your immediate family may know you’re vegan or lactose intolerant, that’s not necessarily the case with extended family, friends, or…

    Read more...

    ", + "category": "diet", + "link": "https://lifehacker.com/how-to-share-your-dietary-preferences-and-restrictions-1848117253", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 25 Nov 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4257ec2c62db603e3c14c19a3da52aa6" + "hash": "ccd5fc279569089d752cd7823c284a27" }, { - "title": "Supreme Court Allows Challenge to Texas Abortion Law but Leaves It in Effect", - "description": "The law, which bans most abortions after about six weeks of pregnancy, was drafted to evade review in federal court and has been in effect since September.", - "content": "The law, which bans most abortions after about six weeks of pregnancy, was drafted to evade review in federal court and has been in effect since September.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/10/us/politics/texas-abortion-supreme-court.html", - "creator": "Adam Liptak", - "pubDate": "Fri, 10 Dec 2021 18:50:50 +0000", + "title": "The Laziest, Most Efficient Way to Clean Just Before Guests Arrive", + "description": "

    Having people over is always more work than you think it’s going to be. Even if you go in with the intention of keeping it casual, there’s usually the moment about a half hour before guests are set to arrive that you realize that your home—which you initially didn’t think was that bad—actually looks pretty sloppy.

    Read more...

    ", + "content": "

    Having people over is always more work than you think it’s going to be. Even if you go in with the intention of keeping it casual, there’s usually the moment about a half hour before guests are set to arrive that you realize that your home—which you initially didn’t think was that bad—actually looks pretty sloppy.

    Read more...

    ", + "category": "", + "link": "https://lifehacker.com/the-laziest-most-efficient-way-to-clean-just-before-gu-1848117221", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 25 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6fdbff3354b3a78273568b08a9b06cf0" + "hash": "4633d83f953aa876fa02a6da0ab7b494" }, { - "title": "In Texas, Panic Over Critical Race Theory Extends to Bookshelves", - "description": "A new state law constricts teachers when it comes to race and history. And a politician is questioning why 850 titles are on library shelves. The result: “A lot of our teachers are petrified.”", - "content": "A new state law constricts teachers when it comes to race and history. And a politician is questioning why 850 titles are on library shelves. The result: “A lot of our teachers are petrified.”", - "category": "Education (K-12)", - "link": "https://www.nytimes.com/2021/12/10/us/texas-critical-race-theory-ban-books.html", - "creator": "Michael Powell", - "pubDate": "Fri, 10 Dec 2021 20:14:14 +0000", + "title": "Please Don't Bring These Things Up at the Thanksgiving Table", + "description": "

    Hopefully, we all know to avoid politics and religion at holiday social occasions where guests of varying ideological and spiritual leanings have gathered, for a good, festive time. But there are plenty of other verboten subjects and lines of questioning from which you should probably steer clear—that is, unless you…

    Read more...

    ", + "content": "

    Hopefully, we all know to avoid politics and religion at holiday social occasions where guests of varying ideological and spiritual leanings have gathered, for a good, festive time. But there are plenty of other verboten subjects and lines of questioning from which you should probably steer clear—that is, unless you…

    Read more...

    ", + "category": "", + "link": "https://lifehacker.com/please-dont-bring-these-things-up-at-the-thanksgiving-t-1848119290", + "creator": "Sarah Showfety", + "pubDate": "Wed, 24 Nov 2021 21:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "545ad2e020d50a6e8bdf682bd5562e06" + "hash": "e219d42a410ef5f3490dcaf605ec707d" }, { - "title": "Elon Musk’s Latest Innovation: Troll Philanthropy", - "description": "Some very wealthy people give their money away in an attempt to burnish their reputations. Not the Tesla C.E.O.", - "content": "Some very wealthy people give their money away in an attempt to burnish their reputations. Not the Tesla C.E.O.", - "category": "Philanthropy", - "link": "https://www.nytimes.com/2021/12/10/business/elon-musk-philanthropy.html", - "creator": "Nicholas Kulish", - "pubDate": "Fri, 10 Dec 2021 16:59:25 +0000", + "title": "How to Tell If You’re Oversharing (and How to Stop It)", + "description": "

    The line between private and public information has never been more blurred, whether you blame reality TV, social media, or perhaps a global pandemic steadily chipping away at all of our emotional states. Chances are good that at one point or another, you’ve been guilty of oversharing, which the New York Times

    Read more...

    ", + "content": "

    The line between private and public information has never been more blurred, whether you blame reality TV, social media, or perhaps a global pandemic steadily chipping away at all of our emotional states. Chances are good that at one point or another, you’ve been guilty of oversharing, which the New York Times

    Read more...

    ", + "category": "", + "link": "https://lifehacker.com/how-to-tell-if-you-re-oversharing-and-how-to-stop-it-1847937624", + "creator": "Meredith Dietz", + "pubDate": "Wed, 24 Nov 2021 20:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b7f287447e1f1916f4413ee47109655" + "hash": "5dc61fe34afe0eae0b39fd90a61207ff" }, { - "title": "‘I Would Give Anything to Hold Their Hands Again’", - "description": "A husband and wife find a way to talk to their young sons about an unspeakable event.", - "content": "A husband and wife find a way to talk to their young sons about an unspeakable event.", - "category": "Earthquakes", - "link": "https://www.nytimes.com/2021/12/10/style/moderrn-love-haiti-earthquake-hold-their-hands-again.html", - "creator": "Jessica Alexander", - "pubDate": "Fri, 10 Dec 2021 05:00:06 +0000", + "title": "There Were Billions of T-rexes, and 9 Other Things You Never Knew About Dinosaurs", + "description": "

    Dinosaurs have been extinct for over 65 million years, but scientists just can’t let them rest in their colossal graves. Instead, they’re digging up fossils, conducting research, and otherwise changing our understanding of dinosaur biology and culture. Please enjoy these ten newly discovered facts and theories about…

    Read more...

    ", + "content": "

    Dinosaurs have been extinct for over 65 million years, but scientists just can’t let them rest in their colossal graves. Instead, they’re digging up fossils, conducting research, and otherwise changing our understanding of dinosaur biology and culture. Please enjoy these ten newly discovered facts and theories about…

    Read more...

    ", + "category": "paleontology", + "link": "https://lifehacker.com/10-amazing-things-you-never-knew-about-dinosaurs-1848118855", + "creator": "Stephen Johnson", + "pubDate": "Wed, 24 Nov 2021 20:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "36182a7a68cf812ac19604068a98b832" + "hash": "3f8ebc36af633650a9003ecd3d201204" }, { - "title": "The Spectacle of Yoko Ono Disrupting the Beatles and the Variant Hunters: The Week in Narrated Articles", - "description": "Five articles from around The Times, narrated just for you.", - "content": "Five articles from around The Times, narrated just for you.", - "category": "", - "link": "https://www.nytimes.com/2021/12/10/podcasts/the-spectacle-of-yoko-ono-disrupting-the-beatles-and-the-variant-hunters-the-week-in-narrated-articles.html", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 10:30:04 +0000", + "title": "How to Recognize When You're in An Emotional Affair (and What to Do About It)", + "description": "

    The word “affair” makes us think of fiery, passionate, physical flings, but not every affair is an in-person tryst. Some are emotional affairs and, unlike their physical counterparts, they can be trickier to identify. Are you getting way too personal with a colleague? Are you making up excuses to see your kid’s cute…

    Read more...

    ", + "content": "

    The word “affair” makes us think of fiery, passionate, physical flings, but not every affair is an in-person tryst. Some are emotional affairs and, unlike their physical counterparts, they can be trickier to identify. Are you getting way too personal with a colleague? Are you making up excuses to see your kid’s cute…

    Read more...

    ", + "category": "emotional affair", + "link": "https://lifehacker.com/how-to-recognize-when-youre-in-an-emotional-affair-and-1847993221", + "creator": "Lindsey Ellefson", + "pubDate": "Wed, 24 Nov 2021 19:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "032b28b025947d3cb3073aba5e5455bb" + "hash": "18301664efd3256d45f2d95d8ff91bfa" }, { - "title": "Teaching ‘The 1619 Project’: A Virtual Event for Educators and Librarians", - "description": "Join Nikole Hannah-Jones for a candid discussion of the project and ways to share the new books “The 1619 Project: A New Origin Story” and “Born on the Water” with students.", - "content": "Join Nikole Hannah-Jones for a candid discussion of the project and ways to share the new books “The 1619 Project: A New Origin Story” and “Born on the Water” with students.", - "category": "Race and Ethnicity", - "link": "https://www.nytimes.com/2021/11/22/magazine/teaching-the-1619-project-event.html", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 15:07:30 +0000", + "title": "So You Bought the Wrong Milk for Your Pumpkin Pie", + "description": "

    Sweetened condensed milk and evaporated milk are two distinct products, but it’s easy to get them confused. They’re both milk that comes in cans, and they’re usually stocked right next to each other, often with the same cute little cow on the label. Grabbing one when you meant to grab the other is not outside of the…

    Read more...

    ", + "content": "

    Sweetened condensed milk and evaporated milk are two distinct products, but it’s easy to get them confused. They’re both milk that comes in cans, and they’re usually stocked right next to each other, often with the same cute little cow on the label. Grabbing one when you meant to grab the other is not outside of the…

    Read more...

    ", + "category": "pumpkin pie", + "link": "https://lifehacker.com/so-you-bought-the-wrong-milk-for-your-pumpkin-pie-1848118315", + "creator": "Claire Lower", + "pubDate": "Wed, 24 Nov 2021 19:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a43f1aef0d417dd6d9a1726711347ae" + "hash": "ed28196ace095891667d88ef584a0578" }, { - "title": "A New Oral History of HBO", - "description": "James Andrew Miller talks about “Tinderbox,” and Mayukh Sen discusses “Taste Makers.”", - "content": "James Andrew Miller talks about “Tinderbox,” and Mayukh Sen discusses “Taste Makers.”", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/10/books/review/a-new-oral-history-of-hbo.html", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 19:46:04 +0000", + "title": "Black Friday Is a Scam", + "description": "

    This isn’t a post about how to avoid scammers on Black Friday (though, there will be plenty of those, so watch out). It’s about how the whole event is an over-hyped, panic-inducing marketing blitz to which we should not subscribe. (You hear me, Big Retail? I don’t believe those LEGOs will only be $9 off for one day.

    Read more...

    ", + "content": "

    This isn’t a post about how to avoid scammers on Black Friday (though, there will be plenty of those, so watch out). It’s about how the whole event is an over-hyped, panic-inducing marketing blitz to which we should not subscribe. (You hear me, Big Retail? I don’t believe those LEGOs will only be $9 off for one day.

    Read more...

    ", + "category": "black friday", + "link": "https://lifehacker.com/black-friday-is-a-scam-1848117218", + "creator": "Sarah Showfety", + "pubDate": "Wed, 24 Nov 2021 18:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10a99ecd53dfa2ea29a35fc9c6593a23" + "hash": "5ac688f14dbba8ce4f412fb5a45d538c" }, { - "title": "Some Voters Are at Odds With Their Party on Abortion", - "description": "Despite decades of partisan fighting in Washington, Americans are not as neatly divided on abortion as politicians and activists.", - "content": "The number of Americans who support or oppose abortion can vary widely, depending on how pollsters phrase the question. ", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/11/us/abortion-politics-polls.html", - "creator": "Nate Cohn", - "pubDate": "Sat, 11 Dec 2021 17:00:07 +0000", + "title": "Our Favorite Home Improvements You Can Make for Less Than $100", + "description": "

    Home improvement projects can be daunting, both in scale and in cost. But if you’re looking for small ways to make your home more comfortable, more efficient, or safer for you and your guests, you don’t have to go broke. Here are a few of our favorite home improvement projects that will yield big results, even on a…

    Read more...

    ", + "content": "

    Home improvement projects can be daunting, both in scale and in cost. But if you’re looking for small ways to make your home more comfortable, more efficient, or safer for you and your guests, you don’t have to go broke. Here are a few of our favorite home improvement projects that will yield big results, even on a…

    Read more...

    ", + "category": "central heating", + "link": "https://lifehacker.com/our-favorite-home-improvements-you-can-make-for-less-th-1848115216", + "creator": "Becca Lewis", + "pubDate": "Wed, 24 Nov 2021 18:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4dcdc30d0b20242bce34df1a81607762" + "hash": "e54ffd27e176c3cd55d9c48a2fcf57a2" }, { - "title": "Should Police Investigate Residential Schools Cases in Canada?", - "description": "The Six Nations in Ontario have set up a special group to oversee the investigation of student deaths, in a rare collaboration between an Indigenous group and the police.", - "content": "The former Mohawk Institute Residential School in Brantford, Ontario where police officers and members of this Six Nations community are working together to look for unmarked graves.", - "category": "Indigenous People", - "link": "https://www.nytimes.com/2021/12/11/world/canada/missing-indigenous-children-police.html", - "creator": "Ian Austen", - "pubDate": "Sat, 11 Dec 2021 15:10:56 +0000", + "title": "You Should Try DuckDuckGo's New Tracker Protection on Android, No Matter What Browser You Use", + "description": "

    We all know that the internet isn’t a “private” place. When you search for something on Google or download a new app, there’s an understanding that some of your data is likely going somewhere. That said, what’s especially creepy about the state of our privacy online is how invisible tracking can be. You can think…

    Read more...

    ", + "content": "

    We all know that the internet isn’t a “private” place. When you search for something on Google or download a new app, there’s an understanding that some of your data is likely going somewhere. That said, what’s especially creepy about the state of our privacy online is how invisible tracking can be. You can think…

    Read more...

    ", + "category": "duckduckgo", + "link": "https://lifehacker.com/you-should-try-duckduckgos-new-tracker-protection-on-an-1848116798", + "creator": "Jake Peterson", + "pubDate": "Wed, 24 Nov 2021 17:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "78ca564d6b04faac44e84090d18776f7" + "hash": "4464a7297c9f3ee764135273fe98a936" }, { - "title": "First Fires, Then Floods: Climate Extremes Batter Australia", - "description": "Many of the same areas that suffered through horrific bush fires in 2019 and 2020 are now dealing with prodigious rainfall that could leave some people stranded for weeks.", - "content": "Teachers from Bedgerabong, New South Wales, were evacuated from a flooded area in a fire truck.", - "category": "Australia", - "link": "https://www.nytimes.com/2021/12/11/world/australia/flooding-fire-climate-australia.html", - "creator": "Damien Cave and Matthew Abbott", - "pubDate": "Sat, 11 Dec 2021 10:00:22 +0000", + "title": "What's New on Paramount Plus in December 2021", + "description": "

    The weirdest thing about the Peak Streaming Era is that there are TV shows that have been running for years that I, a person who reads entertainment websites for fun and listens to podcasts about TV, have never heard of.

    Read more...

    ", + "content": "

    The weirdest thing about the Peak Streaming Era is that there are TV shows that have been running for years that I, a person who reads entertainment websites for fun and listens to podcasts about TV, have never heard of.

    Read more...

    ", + "category": "rugrats", + "link": "https://lifehacker.com/whats-new-on-paramount-plus-in-december-2021-1848117485", + "creator": "Joel Cunningham", + "pubDate": "Wed, 24 Nov 2021 17:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d8805117c5d799304a4aec383d2662a" + "hash": "2fa3266257774ced97dbc7b4a1563e10" }, { - "title": "Less Mange, More Frills: Rome’s New Mayor Bets on His Christmas Tree", - "description": "The annual Christmas tree in the Italian capital has come under scrutiny ever since a 2017 debacle. Will this year’s pass social media muster?", - "content": "Workers using a crane to decorate the annual Christmas tree this past week in central Rome.", - "category": "Christmas", - "link": "https://www.nytimes.com/2021/12/11/world/europe/rome-christmas-tree.html", - "creator": "Elisabetta Povoledo", - "pubDate": "Sat, 11 Dec 2021 18:32:25 +0000", + "title": "How to (Try to) Prevent Your Kid From Melting Down During the Holidays", + "description": "

    As much as we may wax nostalgic about what the holidays were like for us growing up, being a parent during this time of the year isn’t exactly easy. There’s the nonstop sugar, the disruptions to your child’s schedule, the heightened anticipation about presents, and all the other overstimulating festivities.

    Read more...

    ", + "content": "

    As much as we may wax nostalgic about what the holidays were like for us growing up, being a parent during this time of the year isn’t exactly easy. There’s the nonstop sugar, the disruptions to your child’s schedule, the heightened anticipation about presents, and all the other overstimulating festivities.

    Read more...

    ", + "category": "jason kahn", + "link": "https://lifehacker.com/how-to-try-to-prevent-your-kid-from-melting-down-duri-1848115100", + "creator": "Rachel Fairbank", + "pubDate": "Wed, 24 Nov 2021 16:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "441dfabd51783b7137d6178484a0c61b" + "hash": "c5c6fd00d6d9ab4fd7df640e43da6219" }, { - "title": "Russia-Ukraine Sea Encounter Highlights Jittery Nerves in the Region", - "description": "The Russians intercepted a half-century-old Ukrainian naval vessel, then portrayed its actions as a provocative prelude to war.", - "content": "The half-century-old Donbas at anchor in Mariupol on the Sea of Azov in 2018. The Russians intercepted the Ukrainian ship on Thursday night.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/10/world/europe/ukraine-russia-war-naval-vessel.html", - "creator": "Michael Schwirtz", - "pubDate": "Sat, 11 Dec 2021 08:53:14 +0000", + "title": "Why Everyone Secretly Hates 'Do-Gooders'", + "description": "

    This article from the BBC made me feel so relieved at my loathing of altruists that I can finally say what most of us have been thinking: Selfless people are the absolute worst.

    Read more...

    ", + "content": "

    This article from the BBC made me feel so relieved at my loathing of altruists that I can finally say what most of us have been thinking: Selfless people are the absolute worst.

    Read more...

    ", + "category": "motivation", + "link": "https://lifehacker.com/why-everyone-secretly-hates-do-gooders-1848114786", + "creator": "Stephen Johnson", + "pubDate": "Wed, 24 Nov 2021 16:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4736557ef4ef3bb4afcf54cee9eb8ed7" + "hash": "d05d2d6c7469e7fe393bdb8527f77230" }, { - "title": "Self-Proclaimed Proud Boys Member Gets 10 Years for Violence at Portland Protests", - "description": "Prosecutors called Alan Swinney, 51, a “white nationalist vigilante cowboy” who shot a man in the eye with a paintball gun.", - "content": "Prosecutors called Alan Swinney, 51, a “white nationalist vigilante cowboy” who shot a man in the eye with a paintball gun.", - "category": "George Floyd Protests (2020)", - "link": "https://www.nytimes.com/2021/12/10/us/proud-boys-alan-swinney-sentenced.html", - "creator": "Michael Levenson", - "pubDate": "Sat, 11 Dec 2021 01:13:30 +0000", + "title": "Black Friday Food Deals to Sustain You While You Shop", + "description": "

    Although Black Friday isn’t the be-all-end-all shopping day it once was, for some people, hitting the stores at the stroke of midnight, after downing a plate of Thanksgiving leftovers, has become a tradition.

    Read more...

    ", + "content": "

    Although Black Friday isn’t the be-all-end-all shopping day it once was, for some people, hitting the stores at the stroke of midnight, after downing a plate of Thanksgiving leftovers, has become a tradition.

    Read more...

    ", + "category": "black friday", + "link": "https://lifehacker.com/black-friday-food-deals-to-sustain-you-while-you-shop-1848114149", + "creator": "Elizabeth Yuko", + "pubDate": "Wed, 24 Nov 2021 15:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4dbe816fc5b436c81737c717c94b4e0" + "hash": "c303ba479fedaf3c931b92997c293973" }, { - "title": "Ex-Panama President’s Sons Are Extradited to U.S. After Multicountry Chase", - "description": "Two sons of the former president Ricardo Martinelli fled the United States by Uber, private jet and an “unknown vessel,” prosecutors said. The second has now been extradited, weeks after his brother.", - "content": "Luis Enrique Martinelli Linares appearing in court in Guatemala. He and his brother, Ricardo Alberto Martinelli Linares, face charges in a money laundering case in Brooklyn.", - "category": "Money Laundering", - "link": "https://www.nytimes.com/2021/12/11/nyregion/panama-president-sons-charges.html", - "creator": "Mike Ives", - "pubDate": "Sat, 11 Dec 2021 09:06:54 +0000", + "title": "Should You Get a Whoop Band or a Smartwatch?", + "description": "

    If you want an activity tracker, there are a bunch of great choices out there, from budget step trackers to full-featured watches. If you’ve decided you want a ton of data and don’t mind spending extra money for it, that narrows down your options a good bit, but one of the candidates is not quite like the others. So…

    Read more...

    ", + "content": "

    If you want an activity tracker, there are a bunch of great choices out there, from budget step trackers to full-featured watches. If you’ve decided you want a ton of data and don’t mind spending extra money for it, that narrows down your options a good bit, but one of the candidates is not quite like the others. So…

    Read more...

    ", + "category": "whoop", + "link": "https://lifehacker.com/should-you-get-a-whoop-band-or-a-smartwatch-1848110715", + "creator": "Beth Skwarecki", + "pubDate": "Wed, 24 Nov 2021 15:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53561b3b9477d4b163a81c9c7a22ea02" + "hash": "76bc9b5cf07338b54ba49e842e23fa6e" }, { - "title": "Echoes of Trump at Zemmour’s Rally in France ", - "description": "Éric Zemmour, the polarizing far-right polemicist, launched his presidential campaign last week with a frenzied rally that was disrupted by a violent brawl.", - "content": "Éric Zemmour, a French far-right candidate for the 2022 presidential election, made a theatrical entrance at his campaign rally in Villepinte, northeast of Paris.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/11/world/europe/eric-zemmour-rally-france.html", - "creator": "Constant Méheut", - "pubDate": "Sat, 11 Dec 2021 16:03:31 +0000", + "title": "These Food Chains Won't Judge You and Will Be Open on Thanksgiving Day", + "description": "

    For many of us, Thanksgiving is centered around a huge meal. But let’s say you don’t feel like spending much, if any, time in the kitchen and would rather be on the couch watching TV with takeout. Or maybe your food prep doesn’t go quite as planned and you need a last-minute backup dinner. Or you’ve realized you…

    Read more...

    ", + "content": "

    For many of us, Thanksgiving is centered around a huge meal. But let’s say you don’t feel like spending much, if any, time in the kitchen and would rather be on the couch watching TV with takeout. Or maybe your food prep doesn’t go quite as planned and you need a last-minute backup dinner. Or you’ve realized you…

    Read more...

    ", + "category": "thanksgiving", + "link": "https://lifehacker.com/these-food-chains-wont-judge-you-and-will-be-open-on-th-1848110919", + "creator": "Emily Long", + "pubDate": "Wed, 24 Nov 2021 14:30:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "56a48ea87291e907aac0ba47a8733902" + "hash": "6af1c0bd319b8802f5bf72350d87b278" }, { - "title": "Michael Nesmith, the ‘Quiet Monkee,’ Is Dead at 78", - "description": "He shot to fame as a member of a made-for-TV rock group, but he denied that he was the group’s only “real” musician. He went on to create some of the first music videos.", - "content": "He shot to fame as a member of a made-for-TV rock group, but he denied that he was the group’s only “real” musician. He went on to create some of the first music videos.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/12/10/arts/music/michael-nesmith-dead.html", - "creator": "Neil Genzlinger", - "pubDate": "Fri, 10 Dec 2021 19:25:43 +0000", + "title": "Do These Things When You’re so Irritated You’re About to Snap", + "description": "

    It’s always the little things that make me snap. A spouse breathing too loudly, a dish left in the sink, a stranger’s bad parking job: Suddenly my whole day is ruined, and everyone I know is lucky enough to be subjected to my Larry David-like rants.

    Read more...

    ", + "content": "

    It’s always the little things that make me snap. A spouse breathing too loudly, a dish left in the sink, a stranger’s bad parking job: Suddenly my whole day is ruined, and everyone I know is lucky enough to be subjected to my Larry David-like rants.

    Read more...

    ", + "category": "attention deficit hyperactivity disorder", + "link": "https://lifehacker.com/do-these-things-when-you-re-so-irritated-you-re-about-t-1848041707", + "creator": "Meredith Dietz", + "pubDate": "Wed, 24 Nov 2021 14:00:00 GMT", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "Lifehacker", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cb19969a91a386d407df3b59f48cbadd" + "hash": "a8cece473af60c9093a61b8010c165d9" + }, + { + "title": "The Best and Worst Hours to Drive on Thanksgiving, According to AAA", + "description": "

    After a holiday season during which many of us stayed close to home (ahem, 2020), Thanksgiving 2021 is expected to be busy for travel of all kinds. That means highways and airports are likely to be more crowded than at any time in recent memory, and delays and disruptions are inevitable.

    Read more...

    ", + "content": "

    After a holiday season during which many of us stayed close to home (ahem, 2020), Thanksgiving 2021 is expected to be busy for travel of all kinds. That means highways and airports are likely to be more crowded than at any time in recent memory, and delays and disruptions are inevitable.

    Read more...

    ", + "category": "disaster accident", + "link": "https://lifehacker.com/the-best-and-worst-hours-to-drive-on-thanksgiving-acco-1848111343", + "creator": "Emily Long", + "pubDate": "Wed, 24 Nov 2021 13:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dc17c12eb24c517a3260d4626d152b80" + }, + { + "title": "What to Do If Your Turkey Is Still Frozen", + "description": "

    Here we are, the day before Thanksgiving, and your turkey is still frozen. It doesn’t matter that multiple food websites have been yelling about turkey thaw times for days—if not weeks—now. There are always a few stragglers who wait until Wednesday or—much worse—Thursday morning.

    Read more...

    ", + "content": "

    Here we are, the day before Thanksgiving, and your turkey is still frozen. It doesn’t matter that multiple food websites have been yelling about turkey thaw times for days—if not weeks—now. There are always a few stragglers who wait until Wednesday or—much worse—Thursday morning.

    Read more...

    ", + "category": "laboratory equipment", + "link": "https://lifehacker.com/what-to-do-if-your-turkey-is-still-frozen-1848113182", + "creator": "Claire Lower", + "pubDate": "Wed, 24 Nov 2021 13:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0f7c4fe3b2d188b76414b25495d65105" + }, + { + "title": "How to Set a Formal Thanksgiving Table Like a Sophisticated Adult", + "description": "

    The biggest eating holiday of the year is upon us. You’ve brainstormed the menu, shopped for sweet potatoes and Brussels sprouts, and thawed the turkey. (You have thawed the turkey, right?) With all the fanfare and preparation around the main event, it’s easy to give short shrift to the canvas that will display the…

    Read more...

    ", + "content": "

    The biggest eating holiday of the year is upon us. You’ve brainstormed the menu, shopped for sweet potatoes and Brussels sprouts, and thawed the turkey. (You have thawed the turkey, right?) With all the fanfare and preparation around the main event, it’s easy to give short shrift to the canvas that will display the…

    Read more...

    ", + "category": "spoon", + "link": "https://lifehacker.com/how-to-set-a-formal-thanksgiving-table-like-a-sophistic-1848113001", + "creator": "Sarah Showfety", + "pubDate": "Tue, 23 Nov 2021 22:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "88b21f555c28c6156609f5b0897b4a7f" + }, + { + "title": "How to Cut Coffee's Bitterness Without Using Sweetener", + "description": "

    When it came to coffee, for ages I was a milk and “Sugar in the Raw” girl. Just one packet at most, or ideally half a packet—but that was the absolute minimum amount of crystals required to make it palatable. (Before that, I vacillated between Sweet ‘n Low and Splenda, two artificial alternatives I was never happy…

    Read more...

    ", + "content": "

    When it came to coffee, for ages I was a milk and “Sugar in the Raw” girl. Just one packet at most, or ideally half a packet—but that was the absolute minimum amount of crystals required to make it palatable. (Before that, I vacillated between Sweet ‘n Low and Splenda, two artificial alternatives I was never happy…

    Read more...

    ", + "category": "excipients", + "link": "https://lifehacker.com/how-to-cut-coffees-bitterness-without-using-sweetener-1848067924", + "creator": "Sarah Showfety", + "pubDate": "Tue, 23 Nov 2021 22:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ad182aa602243e6935a0cbde216d716e" + }, + { + "title": "How to Still Have Great Sex When You Don't Feel Very Sexy", + "description": "

    Even when you’re not feeling your hottest, your partner in a good relationship is still attracted to you. It can feel unbelievable, but it’s true. It doesn’t matter if you’re feeling uneasy about your looks, if you’re going through a sad period, or you have a health issue—there are plenty of reasons you might feel…

    Read more...

    ", + "content": "

    Even when you’re not feeling your hottest, your partner in a good relationship is still attracted to you. It can feel unbelievable, but it’s true. It doesn’t matter if you’re feeling uneasy about your looks, if you’re going through a sad period, or you have a health issue—there are plenty of reasons you might feel…

    Read more...

    ", + "category": "love", + "link": "https://lifehacker.com/how-to-still-have-great-sex-when-you-dont-feel-very-sex-1848030478", + "creator": "Lindsey Ellefson", + "pubDate": "Tue, 23 Nov 2021 21:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bcb9718470faf543bb5c42895360852d" + }, + { + "title": "Do You Really Need to Chill Your Pie Dough?", + "description": "

    Everyone knows that a chef’s kiss-worthy pie crust requires cold butter, which is why most recipes recommend chilling the dough twice: Once after mixing, and again after assembling the pie. The downside is that rolling out cold dough sucks, so you’ll have to wait for it to warm up first (or smack it around a little), …

    Read more...

    ", + "content": "

    Everyone knows that a chef’s kiss-worthy pie crust requires cold butter, which is why most recipes recommend chilling the dough twice: Once after mixing, and again after assembling the pie. The downside is that rolling out cold dough sucks, so you’ll have to wait for it to warm up first (or smack it around a little), …

    Read more...

    ", + "category": "pie", + "link": "https://lifehacker.com/do-you-really-need-to-chill-your-pie-dough-1848111393", + "creator": "A.A. Newton", + "pubDate": "Tue, 23 Nov 2021 21:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3b26cc43db764646f55496295d0f5688" + }, + { + "title": "When You Should Use LinkedIn's Resume Builder, and When You Shouldn’t", + "description": "

    There’s never a bad time to apply for a new job, but updating your resume can begin to feel like a big task (especially if you’re already overworked). If you’ve got a LinkedIn profile though, you can use what you’ve already written to build and customize a strategic resume, as well as speed up your application…

    Read more...

    ", + "content": "

    There’s never a bad time to apply for a new job, but updating your resume can begin to feel like a big task (especially if you’re already overworked). If you’ve got a LinkedIn profile though, you can use what you’ve already written to build and customize a strategic resume, as well as speed up your application…

    Read more...

    ", + "category": "linkedin", + "link": "https://lifehacker.com/when-you-should-use-linkedins-resume-builder-and-when-1848110383", + "creator": "Pranay Parab", + "pubDate": "Tue, 23 Nov 2021 20:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ca3521929e151add3c283ddfcb991d32" + }, + { + "title": "The Two Bottles You Should Bring to Thanksgiving Dinner", + "description": "

    I am too dumb to figure out “analytics” but I suspect “what wine pairs with turkey?” is an oft-Googled search term this time of year. Pinot and Beaujolais are popular options but they are, in my highly valued opinion, not the best bottles to bring to a Thanksgiving or other seasonally festive dinner. That distinction…

    Read more...

    ", + "content": "

    I am too dumb to figure out “analytics” but I suspect “what wine pairs with turkey?” is an oft-Googled search term this time of year. Pinot and Beaujolais are popular options but they are, in my highly valued opinion, not the best bottles to bring to a Thanksgiving or other seasonally festive dinner. That distinction…

    Read more...

    ", + "category": "thanksgiving dinner", + "link": "https://lifehacker.com/the-two-bottles-you-should-bring-to-thanksgiving-dinner-1848106673", + "creator": "Claire Lower", + "pubDate": "Tue, 23 Nov 2021 20:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ec5426c8713ecd06b1ec5df7df708382" + }, + { + "title": "19 of the Best Shows Canceled in 2021 (and Where They Might Go Next)", + "description": "

    We currently have more broadcast and cable networks and streaming services that any one person or household or possibly small village could possibly watch, and all of them are desperate for content. That means that shows come and go faster than they used to, but it also means there’s more hope than ever that your…

    Read more...

    ", + "content": "

    We currently have more broadcast and cable networks and streaming services that any one person or household or possibly small village could possibly watch, and all of them are desperate for content. That means that shows come and go faster than they used to, but it also means there’s more hope than ever that your…

    Read more...

    ", + "category": "aretha franklin", + "link": "https://lifehacker.com/19-of-the-best-shows-canceled-in-2021-and-where-they-m-1848068965", + "creator": "Ross Johnson", + "pubDate": "Tue, 23 Nov 2021 19:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d20b2cc71d59ba791f6dae11f278638c" + }, + { + "title": "How to Feel Your Feelings (and Why You Should)", + "description": "

    Feeling our feelings—contrary to long-held popular opinion that it is somehow weak—is remarkably hard work. Which is why we engage in frequent avoidance techniques so we don’t have to feel them: drinking, binge-eating, gambling, and staying excessively busy, to name a few. But as it turns out, learning how to feel (…

    Read more...

    ", + "content": "

    Feeling our feelings—contrary to long-held popular opinion that it is somehow weak—is remarkably hard work. Which is why we engage in frequent avoidance techniques so we don’t have to feel them: drinking, binge-eating, gambling, and staying excessively busy, to name a few. But as it turns out, learning how to feel (…

    Read more...

    ", + "category": "jeff guenther", + "link": "https://lifehacker.com/how-to-feel-your-feelings-and-why-you-should-1848110119", + "creator": "Sarah Showfety", + "pubDate": "Tue, 23 Nov 2021 19:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f8e129759af0ec72bd152e2edde0d2a8" + }, + { + "title": "Customize Your Mac's 'Finder' so It Shows You the Things You Actually Need", + "description": "

    Finder is your pathway to all the files on your Mac. Sure, you could (and should) use Spotlight to quickly find and open files. But when it comes to actually managing and working with files, folders, and documents, the Finder app is essential—especially since none of use know how to create a folder hierarchy anymore.

    Read more...

    ", + "content": "

    Finder is your pathway to all the files on your Mac. Sure, you could (and should) use Spotlight to quickly find and open files. But when it comes to actually managing and working with files, folders, and documents, the Finder app is essential—especially since none of use know how to create a folder hierarchy anymore.

    Read more...

    ", + "category": "finder", + "link": "https://lifehacker.com/customize-your-macs-finder-so-it-shows-you-the-things-y-1848108213", + "creator": "Khamosh Pathak", + "pubDate": "Tue, 23 Nov 2021 18:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "971d8a3b3ca63903c96b37ce612e7821" + }, + { + "title": "What Discontinued Fast-Food Item Do You Wish With All Your Heart Would Return?", + "description": "

    Inadequate as I am to properly articulate what loss feels like, I turn to the poets. So in the words Edna St. Vincent Millay, “Where you used to be, there is a hole in the world, which I find myself constantly walking around in the daytime, and falling in at night. I miss you like hell.” I am, of course, talking about…

    Read more...

    ", + "content": "

    Inadequate as I am to properly articulate what loss feels like, I turn to the poets. So in the words Edna St. Vincent Millay, “Where you used to be, there is a hole in the world, which I find myself constantly walking around in the daytime, and falling in at night. I miss you like hell.” I am, of course, talking about…

    Read more...

    ", + "category": "taco bell", + "link": "https://lifehacker.com/what-discontinued-fast-food-item-do-you-wish-with-all-y-1848110165", + "creator": "Meredith Dietz", + "pubDate": "Tue, 23 Nov 2021 18:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b4abee0c276bc0deb5df8def371ba273" + }, + { + "title": "How (and Why) to Give Cryptocurrency as a Gift This Year", + "description": "

    Considering that it’s one of the few things unaffected by supply chain issues, you might be want to consider gifting friends and family cryptocurrency for the holidays this year. Of course, cryptocurrencies are risky investments due to their volatility, so you’d have to be comfortable with crypto as a “fun” gift that…

    Read more...

    ", + "content": "

    Considering that it’s one of the few things unaffected by supply chain issues, you might be want to consider gifting friends and family cryptocurrency for the holidays this year. Of course, cryptocurrencies are risky investments due to their volatility, so you’d have to be comfortable with crypto as a “fun” gift that…

    Read more...

    ", + "category": "cryptocurrency", + "link": "https://lifehacker.com/how-and-why-to-give-cryptocurrency-as-a-gift-this-yea-1847976113", + "creator": "Mike Winters", + "pubDate": "Tue, 23 Nov 2021 17:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "463eb4bfbeebd95391a3987fa96f8b2c" + }, + { + "title": "What's New on Netflix in December 2021", + "description": "

    Netflix apparently doesn’t want you to go outside again before 2022, given how much stuff they’re cramming onto their service in December: with new seasons of past breakouts, star-studded original films, comedy specials, and so much reality TV, who needs reality? Reality is depressing!

    Read more...

    ", + "content": "

    Netflix apparently doesn’t want you to go outside again before 2022, given how much stuff they’re cramming onto their service in December: with new seasons of past breakouts, star-studded original films, comedy specials, and so much reality TV, who needs reality? Reality is depressing!

    Read more...

    ", + "category": "netflix", + "link": "https://lifehacker.com/whats-new-on-netflix-in-december-2021-1848110326", + "creator": "Joel Cunningham", + "pubDate": "Tue, 23 Nov 2021 17:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "192e6191eb24736fa7e1514eb0867719" + }, + { + "title": "How to Fix Your Broken Roku", + "description": "

    Is your Roku giving you issues? Maybe you sat down to watch some HBO Max, or started looking forward to Hawkeye on Disney+, but something’s wrong with your Roku. As the holiday breaks approaches, we’re all going to have more time to spend watching TV, but you won’t be able to enjoy it if your Roku apps don’t work.…

    Read more...

    ", + "content": "

    Is your Roku giving you issues? Maybe you sat down to watch some HBO Max, or started looking forward to Hawkeye on Disney+, but something’s wrong with your Roku. As the holiday breaks approaches, we’re all going to have more time to spend watching TV, but you won’t be able to enjoy it if your Roku apps don’t work.…

    Read more...

    ", + "category": "roku", + "link": "https://lifehacker.com/how-to-fix-your-broken-roku-1848109662", + "creator": "Jake Peterson", + "pubDate": "Tue, 23 Nov 2021 16:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e2be6c639784bd46bab52ebafb022c16" + }, + { + "title": "How to Reduce Your Family’s Screen Time (Now That It’s Totally Out of Control)", + "description": "

    In a simpler, more innocent time, limiting screen time was cited by many parents as one of their major parenting concerns. In a 2019 Pew Research Center poll, 71% of parents with a child under the age of 12 said they were concerned about the amount of time their kids spent in front of a screen.

    Read more...

    ", + "content": "

    In a simpler, more innocent time, limiting screen time was cited by many parents as one of their major parenting concerns. In a 2019 Pew Research Center poll, 71% of parents with a child under the age of 12 said they were concerned about the amount of time their kids spent in front of a screen.

    Read more...

    ", + "category": "screen time", + "link": "https://lifehacker.com/how-to-reduce-your-family-s-screen-time-now-that-it-s-1848107784", + "creator": "Rachel Fairbank", + "pubDate": "Tue, 23 Nov 2021 16:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dc4f423bad2d03274c51922f45a76306" + }, + { + "title": "How to Be Alone on Thanksgiving", + "description": "

    There is no rule that says you have to be with family during the holiday season, but it feels like there is. There are loads of reasons you might find yourself flying solo on Thanksgiving. Maybe your family is toxic. Maybe you don’t have the money to fly home. Maybe you’re burned out and want a year off from all the…

    Read more...

    ", + "content": "

    There is no rule that says you have to be with family during the holiday season, but it feels like there is. There are loads of reasons you might find yourself flying solo on Thanksgiving. Maybe your family is toxic. Maybe you don’t have the money to fly home. Maybe you’re burned out and want a year off from all the…

    Read more...

    ", + "category": "thanksgiving", + "link": "https://lifehacker.com/how-to-be-alone-on-thanksgiving-1848100781", + "creator": "Lindsey Ellefson", + "pubDate": "Tue, 23 Nov 2021 15:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "57668b7610cc46cf88aeae93313441bd" + }, + { + "title": "14 Things Every Home Gym Needs", + "description": "

    There’s a little game I like to play sometimes, and it seems to be popular with other folks who tend to work out at home: What equipment would I buy if I were starting a new home gym from scratch? Or you can play the advanced version: if you already have (insert common items here), what would you buy next?

    Read more...

    ", + "content": "

    There’s a little game I like to play sometimes, and it seems to be popular with other folks who tend to work out at home: What equipment would I buy if I were starting a new home gym from scratch? Or you can play the advanced version: if you already have (insert common items here), what would you buy next?

    Read more...

    ", + "category": "squat", + "link": "https://lifehacker.com/14-things-every-home-gym-needs-1848104799", + "creator": "Beth Skwarecki", + "pubDate": "Tue, 23 Nov 2021 15:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1b19fd5f38f9e0e72210bdc23fe58079" + }, + { + "title": "How to Get Your Kid to Look at Holiday Toy Catalogues in a Way That Is Actually Productive", + "description": "

    The holidays approaching, which means if you have kids and a mailbox, the latter is filling up daily with toy and children’s clothing catalogs. While witnessing your kids’ unbridled excitement at paging through them may generate nostalgia-fueled forgiveness of this influx of direct marketing, such holiday catalogs, if …

    Read more...

    ", + "content": "

    The holidays approaching, which means if you have kids and a mailbox, the latter is filling up daily with toy and children’s clothing catalogs. While witnessing your kids’ unbridled excitement at paging through them may generate nostalgia-fueled forgiveness of this influx of direct marketing, such holiday catalogs, if …

    Read more...

    ", + "category": "toy", + "link": "https://lifehacker.com/how-to-get-your-kid-to-look-at-holiday-toy-catalogues-i-1848104872", + "creator": "Sarah Showfety", + "pubDate": "Tue, 23 Nov 2021 14:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7863b69a209d1faf6d4f34bde0cd9b59" + }, + { + "title": "The Best Thanksgiving Guests Bring Toilet Paper", + "description": "

    Being a Thanksgiving guest is an easier gig than being a Thanksgiving host, but the best guests always contribute in some fashion. Bringing a side dish the most classic move (bringing a bottle of wine is a close second), but there are lots of practical, non-edible things you can bring if you find yourself invited to a…

    Read more...

    ", + "content": "

    Being a Thanksgiving guest is an easier gig than being a Thanksgiving host, but the best guests always contribute in some fashion. Bringing a side dish the most classic move (bringing a bottle of wine is a close second), but there are lots of practical, non-edible things you can bring if you find yourself invited to a…

    Read more...

    ", + "category": "thanksgiving dinner", + "link": "https://lifehacker.com/the-best-thanksgiving-guests-bring-toilet-paper-1848105840", + "creator": "Claire Lower", + "pubDate": "Tue, 23 Nov 2021 14:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38c2eab181038f09d3558411d9a04687" + }, + { + "title": "How to Recognize the Weasley, Smarmy, and Otherwise Loaded Language That People Use Against You", + "description": "

    We’re surrounded with loaded language. Whether it’s mass media, politics, or the people around us, someone is always trying to use words and phrases to support their agenda and to change our minds in bad faith.

    Read more...

    ", + "content": "

    We’re surrounded with loaded language. Whether it’s mass media, politics, or the people around us, someone is always trying to use words and phrases to support their agenda and to change our minds in bad faith.

    Read more...

    ", + "category": "smarmy", + "link": "https://lifehacker.com/how-to-recognize-the-weasley-smarmy-and-otherwise-loa-1848105669", + "creator": "Stephen Johnson", + "pubDate": "Mon, 22 Nov 2021 22:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d39e12e2bbc982590355852699b72ec1" + }, + { + "title": "How to Choose Between HIIT and Steady Cardio Workouts", + "description": "

    High intensity interval training packs a hard workout into a short period of time, which makes it sound like it should be an efficient, superior way to work out. But HIIT doesn’t have as many advantages as we’re led to believe, and often steady-state cardio is the better option. Let’s look at a few factors to keep in…

    Read more...

    ", + "content": "

    High intensity interval training packs a hard workout into a short period of time, which makes it sound like it should be an efficient, superior way to work out. But HIIT doesn’t have as many advantages as we’re led to believe, and often steady-state cardio is the better option. Let’s look at a few factors to keep in…

    Read more...

    ", + "category": "hiit", + "link": "https://lifehacker.com/how-to-choose-between-hiit-and-steady-cardio-workouts-1848105482", + "creator": "Beth Skwarecki", + "pubDate": "Mon, 22 Nov 2021 22:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a3807fd593e49beea21acae9a2a71e5c" + }, + { + "title": "Use These Three Ingredients to Easily 'Vegan-ize' Your Favorite Thanksgiving Recipes", + "description": "

    As I’ve mentioned previously, my 2021 Thanksgiving guest list is chockfull vegans, vegetarians, people with dairy allergies, and the lactose intolerant. I am none of those things. I love butter, I love cream, and I love animal fats—but I also love a challenge, so I have been enthusiastically tweaking my recipes to…

    Read more...

    ", + "content": "

    As I’ve mentioned previously, my 2021 Thanksgiving guest list is chockfull vegans, vegetarians, people with dairy allergies, and the lactose intolerant. I am none of those things. I love butter, I love cream, and I love animal fats—but I also love a challenge, so I have been enthusiastically tweaking my recipes to…

    Read more...

    ", + "category": "soups", + "link": "https://lifehacker.com/use-these-three-ingredients-to-easily-vegan-ize-your-fa-1848105033", + "creator": "Claire Lower", + "pubDate": "Mon, 22 Nov 2021 21:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "df01ce6b75e51f3687501c0fbda6ddc4" + }, + { + "title": "What Bloating Actually Is (and How to Prevent It)", + "description": "

    My favorite game to play over the holidays is one in which I am my own competitor, testing my own limits, pushing myself to see how much food I can eat without putting myself in a position of serious discomfort. How do I win? Well, it’s a delicate game that involves careful strategy (and Lactaid). Still, I am not…

    Read more...

    ", + "content": "

    My favorite game to play over the holidays is one in which I am my own competitor, testing my own limits, pushing myself to see how much food I can eat without putting myself in a position of serious discomfort. How do I win? Well, it’s a delicate game that involves careful strategy (and Lactaid). Still, I am not…

    Read more...

    ", + "category": "bloating", + "link": "https://lifehacker.com/what-bloating-actually-is-and-how-to-prevent-it-1848104978", + "creator": "Meredith Dietz", + "pubDate": "Mon, 22 Nov 2021 21:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a4ebdb0bd46f52b6c91a79a0c9816717" + }, + { + "title": "What's New on Amazon Prime Video in December 2021", + "description": "

    Much as how The Wheel of Time was the result of Jeff Bezos really, really wanting Amazon Prime Video to have its own Game of Thrones, December’s original film offering Being the Ricardos seems the answer to his request that an Amazon-produced film bring home a Best Actress Oscar.

    Read more...

    ", + "content": "

    Much as how The Wheel of Time was the result of Jeff Bezos really, really wanting Amazon Prime Video to have its own Game of Thrones, December’s original film offering Being the Ricardos seems the answer to his request that an Amazon-produced film bring home a Best Actress Oscar.

    Read more...

    ", + "category": "amazon", + "link": "https://lifehacker.com/whats-new-on-amazon-prime-video-in-december-2021-1848104497", + "creator": "Joel Cunningham", + "pubDate": "Mon, 22 Nov 2021 19:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "74e646b58cffd15d0a78c769390222a8" + }, + { + "title": "What You Should Do the Last Few Days Before Thanksgiving", + "description": "

    After weeks of preparation and planning, we are just days away from cooking The Bird, as well as all the other sides and pies required by the holiday. I, for one, am excited.

    Read more...

    ", + "content": "

    After weeks of preparation and planning, we are just days away from cooking The Bird, as well as all the other sides and pies required by the holiday. I, for one, am excited.

    Read more...

    ", + "category": "cuisine", + "link": "https://lifehacker.com/what-you-should-do-the-last-few-days-before-thanksgivin-1848104126", + "creator": "Claire Lower", + "pubDate": "Mon, 22 Nov 2021 19:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "071ea8fae8df4b36d91d128f46c27b06" + }, + { + "title": "How to Leave a Holiday Party Early Without Being Rude", + "description": "

    ‘Tis the season to gather, make merry, and peace out early so you can get into your fleece Snuggie and watch Money Heist before bed? While this may not be the official motto of the holiday season, it sure is for me. I love mingling, toasting, and being festive—up to a point. And that point is usually well before the…

    Read more...

    ", + "content": "

    ‘Tis the season to gather, make merry, and peace out early so you can get into your fleece Snuggie and watch Money Heist before bed? While this may not be the official motto of the holiday season, it sure is for me. I love mingling, toasting, and being festive—up to a point. And that point is usually well before the…

    Read more...

    ", + "category": "party", + "link": "https://lifehacker.com/how-to-leave-a-holiday-party-early-without-being-rude-1848103261", + "creator": "Sarah Showfety", + "pubDate": "Mon, 22 Nov 2021 18:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5ba1c6dfe5db522382cbdd7cc2889517" + }, + { + "title": "What Do All Those Noises Your AirPods and Beats Make Actually Mean?", + "description": "

    When you pick up your AirPods or your Beats, you expect them to play your favorite music, podcasts, movies, and more. What you might not expect to hear are random, unexplained alert tones. These sounds can be distracting and confusing, and can affect the way your headphones and earbuds function. Here’s what these…

    Read more...

    ", + "content": "

    When you pick up your AirPods or your Beats, you expect them to play your favorite music, podcasts, movies, and more. What you might not expect to hear are random, unexplained alert tones. These sounds can be distracting and confusing, and can affect the way your headphones and earbuds function. Here’s what these…

    Read more...

    ", + "category": "airpods", + "link": "https://lifehacker.com/what-do-all-those-noises-your-airpods-and-beats-make-ac-1848102854", + "creator": "Jake Peterson", + "pubDate": "Mon, 22 Nov 2021 17:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8872485aa76cb883344009afe00d2648" + }, + { + "title": "What's New on HBO Max in December 2021", + "description": "

    In early 2003, it seemed like The Matrix was poised to become the next Star Wars—a sci-fi franchise with enough fan enthusiasm and in-universe lore to endure for decades. The first film, a box office hit in 1999 that only became more popular on DVD (becoming one of the first “must-own” titles and arguably, and…

    Read more...

    ", + "content": "

    In early 2003, it seemed like The Matrix was poised to become the next Star Wars—a sci-fi franchise with enough fan enthusiasm and in-universe lore to endure for decades. The first film, a box office hit in 1999 that only became more popular on DVD (becoming one of the first “must-own” titles and arguably, and…

    Read more...

    ", + "category": "hbo max", + "link": "https://lifehacker.com/what-new-on-hbo-max-in-december-2021-1848102760", + "creator": "Joel Cunningham", + "pubDate": "Mon, 22 Nov 2021 16:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b0d9d07f7231da9912772bc3609b821c" + }, + { + "title": "How to Get Instant Notifications When a Specific PS5 Game Goes on Sale", + "description": "

    As console game prices keep heading north, preordering games or buying them on launch date makes less and less financial sense. Especially when the same game could be available for 30% or more off the list price in a few months—by which point those game-breaking bugs will also have been fixed. If you’ve been feeling…

    Read more...

    ", + "content": "

    As console game prices keep heading north, preordering games or buying them on launch date makes less and less financial sense. Especially when the same game could be available for 30% or more off the list price in a few months—by which point those game-breaking bugs will also have been fixed. If you’ve been feeling…

    Read more...

    ", + "category": "wish list", + "link": "https://lifehacker.com/how-to-get-instant-notifications-when-a-specific-ps5-ga-1848101795", + "creator": "Pranay Parab", + "pubDate": "Mon, 22 Nov 2021 15:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6602b0d3f7c8eef5db423d3e69ba8122" + }, + { + "title": "Use These Hidden Settings to Organize the Open Windows on Your Mac", + "description": "

    Traditionally, Mac’s window management features have lagged behind Microsoft Windows. And with Windows 11's new Snap Layouts feature, it might seem like Windows is racing forwards yet again—but that’s not entirely the case. The Mac offers pretty good window management features; they’re just not as obvious as the…

    Read more...

    ", + "content": "

    Traditionally, Mac’s window management features have lagged behind Microsoft Windows. And with Windows 11's new Snap Layouts feature, it might seem like Windows is racing forwards yet again—but that’s not entirely the case. The Mac offers pretty good window management features; they’re just not as obvious as the…

    Read more...

    ", + "category": "safari", + "link": "https://lifehacker.com/use-these-hidden-settings-to-organize-the-open-windows-1848095779", + "creator": "Khamosh Pathak", + "pubDate": "Mon, 22 Nov 2021 14:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b1a9526bd33feef26466d6e576a4c49c" + }, + { + "title": "Why You Shouldn't Bake Your Pies in an Air Fryer", + "description": "

    Oven resource management is one of the hardest parts of cooking a Thanksgiving meal. If you’re fresh out of oven space and still have one pie left to bake, it’s only natural to start making eyes at your trusty countertop convection oven. “After all, why not?” you may ask yourself. “Why shouldn’t I bake a pie in my air…

    Read more...

    ", + "content": "

    Oven resource management is one of the hardest parts of cooking a Thanksgiving meal. If you’re fresh out of oven space and still have one pie left to bake, it’s only natural to start making eyes at your trusty countertop convection oven. “After all, why not?” you may ask yourself. “Why shouldn’t I bake a pie in my air…

    Read more...

    ", + "category": "air fryer", + "link": "https://lifehacker.com/why-you-shouldnt-bake-your-pies-in-an-air-fryer-1848093724", + "creator": "A.A. Newton", + "pubDate": "Mon, 22 Nov 2021 14:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "213614f78cde6c472eb7ae1886f7eda1" + }, + { + "title": "How to Repair Tears in Your Car's Vinyl Seats", + "description": "

    Over time, a vehicle goes through a lot—between things breaking under the hood, scratches and dents on the body, and wear and tear on the interior. This includes rips and holes in the seats, which can happen regardless of whether they’re made out of fabric, leather, or vinyl.

    Read more...

    ", + "content": "

    Over time, a vehicle goes through a lot—between things breaking under the hood, scratches and dents on the body, and wear and tear on the interior. This includes rips and holes in the seats, which can happen regardless of whether they’re made out of fabric, leather, or vinyl.

    Read more...

    ", + "category": "tears", + "link": "https://lifehacker.com/how-to-repair-tears-in-your-cars-vinyl-seats-1848086294", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 21 Nov 2021 18:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "45914fdba3bf50743fe75604a4d38eeb" + }, + { + "title": "How to Sealcoat Your Driveway Before Winter", + "description": "

    We’ve reached the time of year when colder, wetter weather is becoming more frequent, but there are still days mild enough to finish last-minute outdoor projects before winter. And if you’ve noticed that each spring, your paved driveway looks a little (or a lot) worse for wear, you may be wondering what you can do to…

    Read more...

    ", + "content": "

    We’ve reached the time of year when colder, wetter weather is becoming more frequent, but there are still days mild enough to finish last-minute outdoor projects before winter. And if you’ve noticed that each spring, your paved driveway looks a little (or a lot) worse for wear, you may be wondering what you can do to…

    Read more...

    ", + "category": "sealcoat", + "link": "https://lifehacker.com/how-to-sealcoat-your-driveway-before-winter-1848086305", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 21 Nov 2021 16:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b5ce0328bdeec9e13b30c8be1b211419" + }, + { + "title": "Why You Need to Clean Your Gas Fireplace (and How to Do It)", + "description": "

    There’s something special about a real, wood-burning fireplace: The scent, the crackling sounds, and watching the logs slowly burn down to glowing embers. But they’re also a hassle, and pretty dirty. Because of that, many people have opted to install gas fireplaces instead.

    Read more...

    ", + "content": "

    There’s something special about a real, wood-burning fireplace: The scent, the crackling sounds, and watching the logs slowly burn down to glowing embers. But they’re also a hassle, and pretty dirty. Because of that, many people have opted to install gas fireplaces instead.

    Read more...

    ", + "category": "fireplace", + "link": "https://lifehacker.com/why-you-need-to-clean-your-gas-fireplace-and-how-to-do-1848086322", + "creator": "Elizabeth Yuko", + "pubDate": "Sun, 21 Nov 2021 14:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2d6e5ddd07d02ff3233c79139e05192f" + }, + { + "title": "How to Remove Scratches from Glass Windows", + "description": "

    Over time, a lot can happen to your home’s windows—both inside and outside—including scratches. If you happen to notice some scratches on the glass, you may not even be sure how they got there. (Unless you just saw a toddler reach for a pair of keys and go to town scribbling on a window. If so, it’s probably that.)

    Read more...

    ", + "content": "

    Over time, a lot can happen to your home’s windows—both inside and outside—including scratches. If you happen to notice some scratches on the glass, you may not even be sure how they got there. (Unless you just saw a toddler reach for a pair of keys and go to town scribbling on a window. If so, it’s probably that.)

    Read more...

    ", + "category": "woodworking", + "link": "https://lifehacker.com/how-to-remove-scratches-from-glass-windows-1848084784", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 20 Nov 2021 18:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3aa58430bb998ee4acf9ae0e06b9e9ca" + }, + { + "title": "Get Paid $1,000 to Binge-Watch ’90s Rom-Coms", + "description": "

    Depending on who you ask, the 1990s were the last great decade for romantic comedies. Sure, there were some in the early 2000s too, but the genre—known for cheesy plot lines and setting unrealistic dating expectations for pretty much everyone—sort of fizzled after that.

    Read more...

    ", + "content": "

    Depending on who you ask, the 1990s were the last great decade for romantic comedies. Sure, there were some in the early 2000s too, but the genre—known for cheesy plot lines and setting unrealistic dating expectations for pretty much everyone—sort of fizzled after that.

    Read more...

    ", + "category": "coms", + "link": "https://lifehacker.com/get-paid-1-000-to-binge-watch-90s-rom-coms-1848084770", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 20 Nov 2021 16:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6ca559e0ce108a4b5c8dce8032f50474" + }, + { + "title": "How to Keep Your Drains Free From Clogs", + "description": "

    Knowing how to unclog a drain is an important life skill. But what’s even better than successfully unclogging a drain? Not having to do it in the first place. The problem is, many people tend to think of a drain as a way to get rid of things—whether or not our drains are equipped to handle them.

    Read more...

    ", + "content": "

    Knowing how to unclog a drain is an important life skill. But what’s even better than successfully unclogging a drain? Not having to do it in the first place. The problem is, many people tend to think of a drain as a way to get rid of things—whether or not our drains are equipped to handle them.

    Read more...

    ", + "category": "michelle miley", + "link": "https://lifehacker.com/how-to-keep-your-drains-free-from-clogs-1848084736", + "creator": "Elizabeth Yuko", + "pubDate": "Sat, 20 Nov 2021 14:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "33997100c4e95f713dde184981bfcbd8" + }, + { + "title": "Snag These Black Friday Video Game Deals Right Now, Without Leaving Your Couch", + "description": "

    It’s a good weekend to stay inside and download some video games. While real-life Black Friday doesn’t happen for another week, PlayStation and Xbox are already running virtual Black Friday sales in their respective online stores, so you can snag some cheap games without waiting in long lines at Wal-Mart. While not…

    Read more...

    ", + "content": "

    It’s a good weekend to stay inside and download some video games. While real-life Black Friday doesn’t happen for another week, PlayStation and Xbox are already running virtual Black Friday sales in their respective online stores, so you can snag some cheap games without waiting in long lines at Wal-Mart. While not…

    Read more...

    ", + "category": "nintendo eshop", + "link": "https://lifehacker.com/snag-these-black-friday-video-game-deals-right-now-wit-1848091968", + "creator": "Stephen Johnson", + "pubDate": "Fri, 19 Nov 2021 22:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "88f8c07898446e4aeaf1737dd5defbc8" + }, + { + "title": "How to Stop Your Family From Buying Too Much Crap for Your Kids (and What to Do When It Happens Anyway)", + "description": "

    It’s the season of giving, but when it comes to kids who have playrooms already overflowing with toys, books, games, and puzzles, the holidays can bring an unwanted influx of stuff adding to the mess you’re already struggling to contain.

    Read more...

    ", + "content": "

    It’s the season of giving, but when it comes to kids who have playrooms already overflowing with toys, books, games, and puzzles, the holidays can bring an unwanted influx of stuff adding to the mess you’re already struggling to contain.

    Read more...

    ", + "category": "gift", + "link": "https://lifehacker.com/how-to-stop-your-family-from-buying-too-much-crap-for-y-1848089246", + "creator": "Sarah Showfety", + "pubDate": "Fri, 19 Nov 2021 22:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1c48b889b8d6f6447120454b3c57386a" + }, + { + "title": "Harness the Awesome Power of Your Air Fryer This Thanksgiving", + "description": "

    By this point, pretty much everyone is aware that air fryers are “just small convection ovens” and that they “don’t really fry anything.” But, semantics aside, having a tiny convection oven on your counter is pretty convenient. Air fryers—on the whole—rule, and you can (and should) harness their full power to make…

    Read more...

    ", + "content": "

    By this point, pretty much everyone is aware that air fryers are “just small convection ovens” and that they “don’t really fry anything.” But, semantics aside, having a tiny convection oven on your counter is pretty convenient. Air fryers—on the whole—rule, and you can (and should) harness their full power to make…

    Read more...

    ", + "category": "air fryer", + "link": "https://lifehacker.com/harness-the-awesome-power-of-your-air-fryer-this-thanks-1848091479", + "creator": "Claire Lower", + "pubDate": "Fri, 19 Nov 2021 21:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc967df2d26ef50da2cab0e27bd95cd6" + }, + { + "title": "Finally, Everyone 18 and Older Can Get a Booster Shot", + "description": "

    The FDA authorized Moderna and Pfizer boosters today for everyone aged 18 and older, and the CDC’s advisory panel followed up with a recommendation to match. Bottom line, if you’ve been holding out because you weren’t sure if you’re eligible, you’re now definitely cleared to go get one. The only requirement is that…

    Read more...

    ", + "content": "

    The FDA authorized Moderna and Pfizer boosters today for everyone aged 18 and older, and the CDC’s advisory panel followed up with a recommendation to match. Bottom line, if you’ve been holding out because you weren’t sure if you’re eligible, you’re now definitely cleared to go get one. The only requirement is that…

    Read more...

    ", + "category": "moderna", + "link": "https://lifehacker.com/finally-everyone-18-and-older-can-get-a-booster-shot-1848092156", + "creator": "Beth Skwarecki", + "pubDate": "Fri, 19 Nov 2021 21:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "93becf37d5febfe78736d50dc0b79da8" + }, + { + "title": "The Ultimate Guide to Picking the Right Apple Watch As a Gift", + "description": "

    If you’re buying a gift for someone with an iPhone, it’s likely they have an Apple Watch on their list (if they don’t own one already). Apple Watch is the most popular smartwatch in the world; the only problem is, there are quite a few of them to choose from. Between the Series 3, Series 7, SE, and others, how do you…

    Read more...

    ", + "content": "

    If you’re buying a gift for someone with an iPhone, it’s likely they have an Apple Watch on their list (if they don’t own one already). Apple Watch is the most popular smartwatch in the world; the only problem is, there are quite a few of them to choose from. Between the Series 3, Series 7, SE, and others, how do you…

    Read more...

    ", + "category": "apple", + "link": "https://lifehacker.com/the-ultimate-guide-to-picking-the-right-apple-watch-as-1848084811", + "creator": "Jake Peterson", + "pubDate": "Fri, 19 Nov 2021 20:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ae31da90f50a41b69364b914129f4ae3" + }, + { + "title": "How to Hang Your Holiday Decor Without Destroying Your Home", + "description": "

    From wreaths to string lights, indoors and out, holiday decorations can be a hassle to put up—and they can damage your walls, siding, and doors with unnecessary (and permanent) hardware. Instead, here’s how to decorate easily and breezily without the added holes and permanent hooks, while also better protecting the…

    Read more...

    ", + "content": "

    From wreaths to string lights, indoors and out, holiday decorations can be a hassle to put up—and they can damage your walls, siding, and doors with unnecessary (and permanent) hardware. Instead, here’s how to decorate easily and breezily without the added holes and permanent hooks, while also better protecting the…

    Read more...

    ", + "category": "cable tie", + "link": "https://lifehacker.com/how-to-decorate-for-the-holidays-without-destroying-you-1848089533", + "creator": "Becca Lewis", + "pubDate": "Fri, 19 Nov 2021 19:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "734ab2e2c31be1824dce56c3e6e94d65" + }, + { + "title": "Is It Safer to Place Your PS5 or Xbox Series X Vertically or Horizontally?", + "description": "

    The PlayStation 5 and Xbox Series X are big, and you’ll likely need to make room to place one of these consoles in your home theater or on your desk.

    Read more...

    ", + "content": "

    The PlayStation 5 and Xbox Series X are big, and you’ll likely need to make room to place one of these consoles in your home theater or on your desk.

    Read more...

    ", + "category": "xbox", + "link": "https://lifehacker.com/is-it-safer-to-place-your-ps5-or-xbox-series-x-vertical-1848090814", + "creator": "Brendan Hesse", + "pubDate": "Fri, 19 Nov 2021 19:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "daedb8424951572ccd5dc69227cb764a" + }, + { + "title": "Add a Little Campari to Your Cranberry Sauce", + "description": "

    Cranberry sauce is probably the easiest Thanksgiving dish you can make from scratch. Add 12 ounces of cranberries to a pot, along with a cup of sugar and a cup of water. Bring to a boil and let simmer until the cranberries pop and reduce into a thick, jelly-like sauce. Put it on turkey and eat it.

    Read more...

    ", + "content": "

    Cranberry sauce is probably the easiest Thanksgiving dish you can make from scratch. Add 12 ounces of cranberries to a pot, along with a cup of sugar and a cup of water. Bring to a boil and let simmer until the cranberries pop and reduce into a thick, jelly-like sauce. Put it on turkey and eat it.

    Read more...

    ", + "category": "cranberry sauce", + "link": "https://lifehacker.com/add-a-little-campari-to-your-cranberry-sauce-1848090704", + "creator": "Claire Lower", + "pubDate": "Fri, 19 Nov 2021 18:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "66fde12251605493510cc0073a2fea6d" + }, + { + "title": "How to Lock Your Secrets in the Notes App (and Why You Should)", + "description": "

    Searching for data or photo lockers will lead you to many apps. Some of them are genuinely secure—others, less so—but given that you’re dealing with secure data (documents, photos, security codes, or bank details), you maybe don’t want to trust a third-party iPhone app that happens to have a thousand 5-star reviews.…

    Read more...

    ", + "content": "

    Searching for data or photo lockers will lead you to many apps. Some of them are genuinely secure—others, less so—but given that you’re dealing with secure data (documents, photos, security codes, or bank details), you maybe don’t want to trust a third-party iPhone app that happens to have a thousand 5-star reviews.…

    Read more...

    ", + "category": "notes", + "link": "https://lifehacker.com/how-to-lock-your-secrets-in-the-notes-app-and-why-you-1848087825", + "creator": "Khamosh Pathak", + "pubDate": "Fri, 19 Nov 2021 18:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a8275d37c5a5a0a1777e280d01eea684" + }, + { + "title": "22 Book-to-TV Adaptations to Look Forward to Binge-Watching in 2022", + "description": "

    Long gone are the days of the monoculture, when everyone settled for watching one of the same three shows every night (because that’s all that was on). Today, the only thing that unifies our viewing habits is how much time we all spend figuring out what to watch—there’s so much good stuff out there, figuring out how…

    Read more...

    ", + "content": "

    Long gone are the days of the monoculture, when everyone settled for watching one of the same three shows every night (because that’s all that was on). Today, the only thing that unifies our viewing habits is how much time we all spend figuring out what to watch—there’s so much good stuff out there, figuring out how…

    Read more...

    ", + "category": "reese witherspoon", + "link": "https://lifehacker.com/22-book-to-tv-adaptations-to-look-forward-to-binge-watc-1848069441", + "creator": "Jeff Somers", + "pubDate": "Fri, 19 Nov 2021 17:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b6e0715e79509a8f2e43f9b6edd64da8" + }, + { + "title": "10 Scientific Advances That Will Actually Make You Hopeful for the Future", + "description": "

    We’ve all had a rough couple of years (decades?), but that doesn’t mean everything will continue to slide downhill. Maybe I’m a foolish optimist, but it’s the holidays, and these 10 technologies and trends make me genuinely hopeful for the future. Maybe we’ll wind up living in the hopeful sci-fi vision of the ‘50s,…

    Read more...

    ", + "content": "

    We’ve all had a rough couple of years (decades?), but that doesn’t mean everything will continue to slide downhill. Maybe I’m a foolish optimist, but it’s the holidays, and these 10 technologies and trends make me genuinely hopeful for the future. Maybe we’ll wind up living in the hopeful sci-fi vision of the ‘50s,…

    Read more...

    ", + "category": "powered exoskeleton", + "link": "https://lifehacker.com/10-scientific-advances-that-will-actually-make-you-hope-1848085674", + "creator": "Stephen Johnson", + "pubDate": "Fri, 19 Nov 2021 17:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b5ced133bfc8a862195157e1cc65e9d4" + }, + { + "title": "You Can Finally Download Amazon Prime Video Movies and TV Shows on Desktop", + "description": "

    When you’re heading somewhere likely to have spotty internet coverage, downloading your favorite TV shows and movies beforehand is always a solid plan. Most streaming services allow you to do this to some extent, but until recently, you could only download Amazon Prime Video content onto a mobile device. Well, no…

    Read more...

    ", + "content": "

    When you’re heading somewhere likely to have spotty internet coverage, downloading your favorite TV shows and movies beforehand is always a solid plan. Most streaming services allow you to do this to some extent, but until recently, you could only download Amazon Prime Video content onto a mobile device. Well, no…

    Read more...

    ", + "category": "amazon", + "link": "https://lifehacker.com/you-can-finally-download-amazon-prime-video-movies-and-1848088507", + "creator": "Pranay Parab", + "pubDate": "Fri, 19 Nov 2021 16:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d9b76d1ce4f42b3c99c305ab44ca4ae4" + }, + { + "title": "How to Convince Your Stubborn Parents to Stop Eating so Much Junk", + "description": "

    Talking to a friend about health can be hard enough, but talking your parents about any kind of change can feel borderline impossible. Combine these two endeavors, and it can feel like you’re on a fool’s errand.

    Read more...

    ", + "content": "

    Talking to a friend about health can be hard enough, but talking your parents about any kind of change can feel borderline impossible. Combine these two endeavors, and it can feel like you’re on a fool’s errand.

    Read more...

    ", + "category": "addiction medicine", + "link": "https://lifehacker.com/how-to-convince-your-stubborn-parents-to-stop-eating-so-1848086165", + "creator": "Meredith Dietz", + "pubDate": "Fri, 19 Nov 2021 15:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d1ce1ceb3d227fc23cf1c7e3ef271213" + }, + { + "title": "An Age-by-Age Guide to Gender-Neutral Gifts for Kids", + "description": "

    Now more than ever, there is a push for toy and clothing manufacturers to create gender-neutral options for kids; ones that don’t exclusively push pink, fluffy princess gear on girls, and firetruck-themed everything on boys. Offering unisex products enables children to play and explore outside of traditional gender…

    Read more...

    ", + "content": "

    Now more than ever, there is a push for toy and clothing manufacturers to create gender-neutral options for kids; ones that don’t exclusively push pink, fluffy princess gear on girls, and firetruck-themed everything on boys. Offering unisex products enables children to play and explore outside of traditional gender…

    Read more...

    ", + "category": "crayola", + "link": "https://lifehacker.com/an-age-by-age-guide-to-gender-neutral-gifts-for-kids-1848046071", + "creator": "Sarah Showfety", + "pubDate": "Fri, 19 Nov 2021 15:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0670a38867fb5089198df8017da2011d" + }, + { + "title": "The Out-of-Touch Adults' Guide to Kid Culture: Why Everyone Is Excited for 'Spider-Man: No Way Home'", + "description": "

    This week, the kids are raging against work, throwing cheese at cars, and enjoying the trailer for the new Spider-Man movie. Youth is wasted on the young.

    Read more...

    ", + "content": "

    This week, the kids are raging against work, throwing cheese at cars, and enjoying the trailer for the new Spider-Man movie. Youth is wasted on the young.

    Read more...

    ", + "category": "spider man", + "link": "https://lifehacker.com/the-out-of-touch-adults-guide-to-kid-culture-why-every-1848087076", + "creator": "Stephen Johnson", + "pubDate": "Fri, 19 Nov 2021 14:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "def176b2504791dd39bcba48cd03c70c" + }, + { + "title": "What Is the Worst Christmas Gift You've Ever Received?", + "description": "

    You may have noticed we’re in the thick of gift-giving season. Well, I’m not; my shopping is basically done. (Those supply chains will not have their way with me, no they will not.) But as I peruse the list of gifts I have purchased over the past month, I ask myself: Is any of this any good? Does my 11-year-old really

    Read more...

    ", + "content": "

    You may have noticed we’re in the thick of gift-giving season. Well, I’m not; my shopping is basically done. (Those supply chains will not have their way with me, no they will not.) But as I peruse the list of gifts I have purchased over the past month, I ask myself: Is any of this any good? Does my 11-year-old really

    Read more...

    ", + "category": "grandma", + "link": "https://lifehacker.com/what-is-the-worst-christmas-gift-youve-ever-received-1848085069", + "creator": "Meghan Moravcik Walbert", + "pubDate": "Fri, 19 Nov 2021 14:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "221e53c530f7f3bd8b7e5978a7d166b1" + }, + { + "title": "How (and Why) to Do Two Workouts a Day", + "description": "

    I do two workouts most days: a session on a spin bike in the morning, and weightlifting in the afternoon or evening. But I remember a time when two-a-days sounded like an incredible amount of work, the domain of pro athletes and people who had an unhealthy obsession with exercise. It turns out that doubling up on…

    Read more...

    ", + "content": "

    I do two workouts most days: a session on a spin bike in the morning, and weightlifting in the afternoon or evening. But I remember a time when two-a-days sounded like an incredible amount of work, the domain of pro athletes and people who had an unhealthy obsession with exercise. It turns out that doubling up on…

    Read more...

    ", + "category": "physical exercise", + "link": "https://lifehacker.com/how-and-why-to-do-two-workouts-a-day-1848085429", + "creator": "Beth Skwarecki", + "pubDate": "Thu, 18 Nov 2021 21:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "04e562d190441cae1c9f931399c64a1b" + }, + { + "title": "What's New on Hulu in December 2021", + "description": "

    While its original series don’t always have the marquee value of those on rival services, Hulu has quietly been building one of the strongest catalogs of original content in the Peak Streaming era—the recent delights of Only Murders in the Building being but one case in point (pun slightly intended).

    Read more...

    ", + "content": "

    While its original series don’t always have the marquee value of those on rival services, Hulu has quietly been building one of the strongest catalogs of original content in the Peak Streaming era—the recent delights of Only Murders in the Building being but one case in point (pun slightly intended).

    Read more...

    ", + "category": "hulu", + "link": "https://lifehacker.com/whats-new-on-hulu-in-december-2021-1848082809", + "creator": "Joel Cunningham", + "pubDate": "Thu, 18 Nov 2021 20:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "373adb867c28ad22fdc1acb265667b1f" + }, + { + "title": "9 Thanksgiving Dishes Your Vegan Guests Will Love", + "description": "

    The traditional Thanksgiving menu is not exactly vegan friendly (or even vegetarian friendly). Nearly every dish contains cream, butter, eggs, or turkey stock, and the whole thing is centered around a large, dead bird.

    Read more...

    ", + "content": "

    The traditional Thanksgiving menu is not exactly vegan friendly (or even vegetarian friendly). Nearly every dish contains cream, butter, eggs, or turkey stock, and the whole thing is centered around a large, dead bird.

    Read more...

    ", + "category": "veganism", + "link": "https://lifehacker.com/9-thanksgiving-dishes-your-vegan-guests-will-love-1848083265", + "creator": "Claire Lower", + "pubDate": "Thu, 18 Nov 2021 19:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fddc034602eb521880710a2ac95d9d95" + }, + { + "title": "How to Split Bills With Your Roommates Without Pissing Each Other Off", + "description": "

    Split chores. Built-in company. Someone else’s expensive snacks for you to steal in gradual, imperceptible portions. There are a lot of compelling reasons to have roommates, but odds are your decision to live in a shared household is primarily a financial one.

    Read more...

    ", + "content": "

    Split chores. Built-in company. Someone else’s expensive snacks for you to steal in gradual, imperceptible portions. There are a lot of compelling reasons to have roommates, but odds are your decision to live in a shared household is primarily a financial one.

    Read more...

    ", + "category": "rent", + "link": "https://lifehacker.com/how-to-split-bills-with-your-roommates-without-pissing-1848083535", + "creator": "Meredith Dietz", + "pubDate": "Thu, 18 Nov 2021 18:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f388005cec00cd41f1c86c35f1446b9" + }, + { + "title": "How to Get Your Kids to Actually Pick Up After Themselves", + "description": "

    If only the words to the kid’s song were true: Clean up, clean up, everybody everywhere. Clean up, clean up, everybody do their share.

    Read more...

    ", + "content": "

    If only the words to the kid’s song were true: Clean up, clean up, everybody everywhere. Clean up, clean up, everybody do their share.

    Read more...

    ", + "category": "chuck", + "link": "https://lifehacker.com/how-to-get-your-kids-to-actually-pick-up-after-themselv-1848083178", + "creator": "Sarah Showfety", + "pubDate": "Thu, 18 Nov 2021 18:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e0b80540a203c66ffbe671ba137f375b" + }, + { + "title": "How to Stop Your iPhone 12 or 13 From Frequently Dropping Calls", + "description": "

    If your iPhone won’t stop dropping calls, it can be difficult to troubleshoot. After all, you can’t just switch to Cingular Wireless anymore, and without the support of the network with the fewest dropped calls, what are you supposed to do? If your issue is tied to an iPhone 12 or iPhone 13, however, there is a new…

    Read more...

    ", + "content": "

    If your iPhone won’t stop dropping calls, it can be difficult to troubleshoot. After all, you can’t just switch to Cingular Wireless anymore, and without the support of the network with the fewest dropped calls, what are you supposed to do? If your issue is tied to an iPhone 12 or iPhone 13, however, there is a new…

    Read more...

    ", + "category": "iphone", + "link": "https://lifehacker.com/how-to-stop-your-iphone-12-or-13-from-frequently-droppi-1848082613", + "creator": "Jake Peterson", + "pubDate": "Thu, 18 Nov 2021 17:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9209204b172ba2072a936e8898444e51" + }, + { + "title": "What's New on Disney Plus in December 2021", + "description": "

    The weird thing about franchise canon is you have to take the good with the bad. This means that Disney/Lucasfilm has spent the better part of the past decade working overtime to fix the parts of the official Star Wars storyline that, uh, don’t really work—retroactively making them at least seem better by retconning…

    Read more...

    ", + "content": "

    The weird thing about franchise canon is you have to take the good with the bad. This means that Disney/Lucasfilm has spent the better part of the past decade working overtime to fix the parts of the official Star Wars storyline that, uh, don’t really work—retroactively making them at least seem better by retconning…

    Read more...

    ", + "category": "lin manuel miranda", + "link": "https://lifehacker.com/whats-new-on-disney-plus-in-december-2021-1848082540", + "creator": "Joel Cunningham", + "pubDate": "Thu, 18 Nov 2021 16:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b717570f95c724884d30dcff48072496" + }, + { + "title": "You Can Finally Get Real-Time Lyrics on Spotify", + "description": "

    Even with the many music streaming options to choose from these days, Spotify is still the king for millions of users. While the app is enjoying a long, successful run, it hasn’t shined in every category. Real-time lyrics have been notably absent from Spotify’s features for some time now, as competing services like…

    Read more...

    ", + "content": "

    Even with the many music streaming options to choose from these days, Spotify is still the king for millions of users. While the app is enjoying a long, successful run, it hasn’t shined in every category. Real-time lyrics have been notably absent from Spotify’s features for some time now, as competing services like…

    Read more...

    ", + "category": "spotify", + "link": "https://lifehacker.com/you-can-finally-get-real-time-lyrics-on-spotify-1848081872", + "creator": "Jake Peterson", + "pubDate": "Thu, 18 Nov 2021 15:30:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dae11f34f9e8dd36ffb0ad081c209e17" + }, + { + "title": "The Least Siri Can Do Is Pronounce Your Name Correctly", + "description": "

    Siri is no one’s favorite virtual assistant, and if it’s also always pronouncing your name wrong, it’s doing little to endear itself to you. As recently as iOS 14, you could let Siri know its pronunciation was incorrect, and tell it the correct way to say your (or another contact’s) name. This method has been removed…

    Read more...

    ", + "content": "

    Siri is no one’s favorite virtual assistant, and if it’s also always pronouncing your name wrong, it’s doing little to endear itself to you. As recently as iOS 14, you could let Siri know its pronunciation was incorrect, and tell it the correct way to say your (or another contact’s) name. This method has been removed…

    Read more...

    ", + "category": "siri", + "link": "https://lifehacker.com/the-least-siri-can-do-is-pronounce-your-name-correctly-1848081315", + "creator": "Pranay Parab", + "pubDate": "Thu, 18 Nov 2021 15:00:00 GMT", + "folder": "00.03 News/News - EN", + "feed": "Lifehacker", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "91013cfa366bcc905f93b2dc0119412c" + } + ], + "folder": "00.03 News/News - EN", + "name": "Lifehacker", + "language": "en", + "hash": "19891577f7b816449c04545ef876c28a" + }, + { + "title": "Nature - Issue - nature.com science feeds", + "subtitle": "", + "link": "http://feeds.nature.com/nature/rss/current", + "image": null, + "description": "Nature is the international weekly journal of science: a magazine style journal that publishes full-length research papers in all disciplines of science, as well as News and Views, reviews, news, features, commentaries, web focuses and more, covering all branches of science and how science impacts upon all aspects of society and life.", + "items": [ + { + "title": "Stretchy electronics go wireless for flexible wearables", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03757-z", + "creator": "Dan Fox", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9bf9623beda327af86955dec63232efe" + }, + { + "title": "Lift off! The biggest known flying creature had an explosive launch", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03677-y", + "creator": "", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e70abc8c75fd6820de549774faebe209" + }, + { + "title": "Remembering a pioneer in biotechnology", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03696-9", + "creator": "Tzvi Aviv", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "04a0c809361b67a48c25018e0a1c3c50" + }, + { + "title": "Young star’s streamer of scorching-hot gas gives astronomers a fiery first", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03683-0", + "creator": "", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "73b3c11a4a87d0f42a1106d69bcb61a6" + }, + { + "title": "Prepare PhD holders for different career tracks", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03695-w", + "creator": "Theo van den Broek", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "92d232744346c6910f1ab2a1b9ab4941" + }, + { + "title": "From the archive", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03679-w", + "creator": "", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "01ef516c9e34d64bc5ce70d540dc56d5" + }, + { + "title": "Harvard chemist on trial: a guide to the Charles Lieber case", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03752-4", + "creator": "Andrew Silver", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0c8df48350610b30f74c8d6e5c85589" + }, + { + "title": "The loss of the world’s frozen places", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03705-x", + "creator": "Alexandra Witze", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ad0036c94fe5cd30f786f3351f27ffa2" + }, + { + "title": "The science news that shaped 2021: Nature’s picks", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03734-6", + "creator": "", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0b9d9ddd8b1937671cbfcd8a0f9839e5" + }, + { + "title": "Giant cracks push imperilled Antarctic glacier closer to collapse", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03758-y", + "creator": "Alexandra Witze", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5a6bbaebd5be49a5b63fa5ecf4671d6e" + }, + { + "title": "Finding mental-health clarity under pandemic pressures", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03760-4", + "creator": "Matt Kasson", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "715ef3c112889ee5e153e040794804e3" + }, + { + "title": "Gender balance at Nature Conferences: an update", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03735-5", + "creator": "", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1cc19b8f3dd01dbdebcfc426a2f8dc0a" + }, + { + "title": "Depression and anxiety ‘the norm’ for UK PhD students", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03761-3", + "creator": "Chris Woolston", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9e5d1c4d67a1333ebee0b70005a4242a" + }, + { + "title": "India — stop looking down on international collaborations", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03700-2", + "creator": "Arun Kumar Shukla", + "pubDate": "2021-12-14", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "896884505acaebc80298bf9cc361fddf" + }, + { + "title": "Something in the air: gathering dust that’s crossed an ocean", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03706-w", + "creator": "Amber Dance", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6ece82ae33d930b6ea20abb97fbd0004" + }, + { + "title": "What Sci-Hub’s latest court battle means for research", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03659-0", + "creator": "Holly Else", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "df633edcf79b38afc0ec8e7bcae84f01" + }, + { + "title": "Merck’s COVID pill loses its lustre: what that means for the pandemic", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03667-0", + "creator": "Max Kozlov", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b745af22c9c980788d31a6b15481d97e" + }, + { + "title": "Daily briefing: Merck downgrades COVID pill results", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03754-2", + "creator": "Flora Graham", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "863dd1efe58902b88f91d432726a72e8" + }, + { + "title": "Waning COVID super-immunity raises questions about Omicron", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03674-1", + "creator": "Max Kozlov", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aac2715495a445b0290f84b40bf4b672" + }, + { + "title": "How the mixed-race mestizo myth warped science in Latin America", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03622-z", + "creator": "Emiliano Rodríguez Mega", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f742f45d1d3deecab893b615669a71bd" + }, + { + "title": "The best science images of 2021", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03521-3", + "creator": "Emma Stoye", + "pubDate": "2021-12-13", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "431eea931a26a7f9327f0c237358b958" + }, + { + "title": "Why the ‘wobbly bridge’ did its infamous shimmy", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03675-0", + "creator": "", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1b73aade2a34df049f3501a7cf3bbc38" + }, + { + "title": "COVID evolution and the Webb telescope — the week in infographics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03694-x", + "creator": "", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ca4f761afe1837fca32274955ad6fb23" + }, + { + "title": "To beat Omicron, Delta and bird flu, Europe must pull together", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03661-6", + "creator": "Amélie Desvars-Larrive", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "479ef6e3c698a60e75ad7df5b0924b7d" + }, + { + "title": "Coronapod: vaccines and long COVID, how protected are you?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03732-8", + "creator": "Noah Baker", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "64f50bbcecec943c8f73593337704a78" + }, + { + "title": "Heatwaves afflict even the far north’s icy seas", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03676-z", + "creator": "", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4822797c127f82a060b0d52c317e7988" + }, + { + "title": "Chile: elect a president to strengthen climate action, not weaken it", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03662-5", + "creator": "Maisa Rojas", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fa6c96fe9a146279aa1aaa4f5788eb84" + }, + { + "title": "Managing up: how to communicate effectively with your PhD adviser", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03703-z", + "creator": "Lluís Saló-Salgado", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fbc86f87aa97a153feb13e2d387a7ec1" + }, + { + "title": "Bringing back the stars", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03727-5", + "creator": "Redfern Jon Barrett", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dd0f1497ed81446787fbefced8b418e4" + }, + { + "title": "Daily briefing: Earliest remains of domestic dogs in the Americas", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03737-3", + "creator": "Flora Graham", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d795431e2a21be73343ee90e43e00906" + }, + { + "title": "DeepMind AI tackles one of chemistry’s most valuable techniques", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03697-8", + "creator": "Davide Castelvecchi", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f8455130284e1ceb829b7688c2062b4" + }, + { + "title": "The race to make vaccines for a dangerous respiratory virus", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03704-y", + "creator": "Kendall Powell", + "pubDate": "2021-12-10", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0d5b6ccd9e5407710a46a0c3ad6a2c3b" + }, + { + "title": "Malaria protection due to sickle haemoglobin depends on parasite genotype", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04288-3", + "creator": "Gavin Band", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2d349d253e42f5018906a424571376d4" + }, + { + "title": "Snake escape: imported reptiles gobble an island’s lizards", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03647-4", + "creator": "", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "43b03bc65f43399882e07f5295d3166d" + }, + { + "title": "Running of the bulls tramples the laws of crowd dynamics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03645-6", + "creator": "", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a03059f55bad1e0a1052f2058b410a91" + }, + { + "title": "Nervous stomach: lab-grown organs clench like the real thing", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03648-3", + "creator": "", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9bf15032e0e0705d1a076c5f6f38bb3d" + }, + { + "title": "Why cannabis reeks of skunk", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03650-9", + "creator": "", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5ea2a6d134efc48f71bc3bc6c290fa1b" + }, + { + "title": "The power of genetic diversity in genome-wide association studies of lipids", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04064-3", + "creator": "Sarah E. Graham", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "697a1129d7855565e9dcb00494532f94" + }, + { + "title": "Half of top cancer studies fail high-profile reproducibility effort", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03691-0", + "creator": "Asher Mullard", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0b48f2e9d1c4e60c80110b60620057aa" + }, + { + "title": "Major cholesterol study reveals benefits of examining diverse populations", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-02998-2", + "creator": "", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a93fa8ac0a20edef6e97858b812123c9" + }, + { + "title": "Daily briefing: Megastudy finds what will get us to go to the gym", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03724-8", + "creator": "Flora Graham", + "pubDate": "2021-12-09", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0cc03e00ea93f4ab3034d4caf1cbaa80" + }, + { + "title": "Architecture of the chloroplast PSI-NDH supercomplex in Hordeum vulgare", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04277-6", + "creator": "Liangliang Shen", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1a8331327af9537adf959f9a775f72a" + }, + { + "title": "Research outliers among universities under 50", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03632-x", + "creator": "", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fab185fef9fdd4dd18394cb5187a460a" + }, + { + "title": "Universities under 50 chart a clear roadmap for the future", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03630-z", + "creator": "Catherine Armitage", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2bf3d249598ebb4a9f2c89ae1776f416" + }, + { + "title": "How 'megastudies' are changing behavioural science", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03671-4", + "creator": "Benjamin Thompson", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dcb4bacc76d4b1ac53d99acf505f0718" + }, + { + "title": "‘Sky river’ brought Iran deadly floods but also welcome water", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03646-5", + "creator": "", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e8c79730e1721d5c91c1de149b06bca7" + }, + { + "title": "Megastudies improve the impact of applied behavioural science", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04128-4", + "creator": "Katherine L. Milkman", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1eebd8837260f1aee44ce5fcce943e19" + }, + { + "title": "Structures of the σ2 receptor enable docking for bioactive ligand discovery", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04175-x", + "creator": "Assaf Alon", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bcd52c4b4494ef73e6897ef635d93c3c" + }, + { + "title": "Collective durotaxis along a self-generated stiffness gradient in vivo", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04210-x", + "creator": "Adam Shellard", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fd2e414198c55a9b072587aebfe9bed1" + }, + { + "title": "Structure of pathological TDP-43 filaments from ALS with FTLD", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04199-3", + "creator": "Diana Arseni", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aea5c539b62d894212fdadbf3fd879b1" + }, + { + "title": "Gut microbiota modulates weight gain in mice after discontinued smoke exposure", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04194-8", + "creator": "Leviel Fluhr", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c369d8ae36f3bfe7cd07589cf1850d46" + }, + { + "title": "Non-genetic determinants of malignant clonal fitness at single-cell resolution", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04206-7", + "creator": "Katie A. Fennell", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "962af1ed3a3f896124226b7ad2fbbeb2" + }, + { + "title": "High-frequency and intrinsically stretchable polymer diodes", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04053-6", + "creator": "Naoji Matsuhisa", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "74766a3688e331c47f979f15a8db84e3" + }, + { + "title": "Structure and mechanism of the SGLT family of glucose transporters", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04211-w", + "creator": "Lei Han", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "113009321d3bc6cdb4ec8fdfb8b414a8" + }, + { + "title": "Exercise plasma boosts memory and dampens brain inflammation via clusterin", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04183-x", + "creator": "Zurine De Miguel", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8158f8cb79aadc3f8f4a4a7721be2fce" + }, + { + "title": "The emergence, genomic diversity and global spread of SARS-CoV-2", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04188-6", + "creator": "Juan Li", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a4d064222d633a248c3affdf137609d8" + }, + { + "title": "A wide-orbit giant planet in the high-mass b Centauri binary system", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04124-8", + "creator": "Markus Janson", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5652ac522c24bb8528133d47fbca1a00" + }, + { + "title": "A constraint on historic growth in global photosynthesis due to increasing CO2", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04096-9", + "creator": "T. F. Keenan", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "869f0f54d2c85920e273d5563432cc6b" + }, + { + "title": "Giant modulation of optical nonlinearity by Floquet engineering", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04051-8", + "creator": "Jun-Yi Shan", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "06ba7af0d267281e456f0f2d2c77f50a" + }, + { + "title": "β-NAD as a building block in natural product biosynthesis", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04214-7", + "creator": "Lena Barra", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a4d0d2cc98f6310ff7400609bb270548" + }, + { + "title": "Unrepresentative big surveys significantly overestimated US vaccine uptake", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04198-4", + "creator": "Valerie C. Bradley", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6597892a5df4d1b2e592a2d2be2e893e" + }, + { + "title": "Adaptive stimulus selection for consolidation in the hippocampus", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04118-6", + "creator": "Satoshi Terada", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c6ccaac26bdea820a570e93c50949285" + }, + { + "title": "A hormone complex of FABP4 and nucleoside kinases regulates islet function", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04137-3", + "creator": "Kacey J. Prentice", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "741f7cc94a7b6d1fda80571126321777" + }, + { + "title": "Combinatorial, additive and dose-dependent drug–microbiome associations", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04177-9", + "creator": "Sofia K. Forslund", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cc2a6d9be39c789353e1bdd15082beb7" + }, + { + "title": "Structural basis of inhibition of the human SGLT2–MAP17 glucose transporter", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04212-9", + "creator": "Yange Niu", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d4a5d294dfc9d323610819bb74ce47b2" + }, + { + "title": "Sex-specific chromatin remodelling safeguards transcription in germ cells", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04208-5", + "creator": "Tien-Chi Huang", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c2743bf867174e3bcf60ca66dcc24fbd" + }, + { + "title": "Industry demand drives innovation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03634-9", + "creator": "Leigh Dayton", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9fe88a4d4daee82cd3944212a6dbfde4" + }, + { + "title": "A heritable, non-genetic road to cancer evolution", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03606-z", + "creator": "Tamara Prieto", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b205ed75398c2781af78e958343ff92a" + }, + { + "title": "Omicron likely to weaken COVID vaccine protection", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03672-3", + "creator": "Ewen Callaway", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "af5edf898f8c147c4b36b3e1106f9129" + }, + { + "title": "Brazil is in water crisis — it needs a drought plan", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03625-w", + "creator": "Augusto Getirana", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "26ecba20ecfe03d7e53e93cb953ddfa9" + }, + { + "title": "What surveys really say", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03604-1", + "creator": "Frauke Kreuter", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "166ad68387b24644fa493e812d7f8d83" + }, + { + "title": "Metal planet, COVID pact and Hubble telescope time", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03618-9", + "creator": "", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e51e9c045ffc292f9dcf17d31916c7c4" + }, + { + "title": "Daily briefing: Omicron might weaken vaccine protection", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03689-8", + "creator": "Flora Graham", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "581176b521ae725db8d36a5d62def3f5" + }, + { + "title": "Gut clues to weight gain after quitting smoking", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03548-6", + "creator": "Matthew P. Spindler", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "14b8ec394dbb7a309dca510cfbd951d5" + }, + { + "title": "Universities under 50 carve their niche", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03635-8", + "creator": "Flynn Murphy", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1bf2d5872c52296f3a593f120a67f82c" + }, + { + "title": "Transporter-protein structures show how salt gets a sweet ride into cells", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03555-7", + "creator": "David Drew", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5826327b2e1bd66a24e27f148f6e8347" + }, + { + "title": "Giant planet imaged orbiting two massive stars", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03607-y", + "creator": "Kaitlin Kratter", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "341eea26c8e5a9a2f66cff9ce9bf3e7b" + }, + { + "title": "An IPCC reviewer shares his thoughts on the climate debate", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03673-2", + "creator": "Sarah O’Meara", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "212943d6e670ad9da5180f849494ed86" + }, + { + "title": "Aggregates of TDP-43 protein spiral into view", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03605-0", + "creator": "Hana M. Odeh", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9840a4080a66dc7cb092fcf649f6b378" + }, + { + "title": "Customized recruitment attracts top talent", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03633-w", + "creator": "Benjamin Plackett", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "880a5427d989a25dd18238056800ac62" + }, + { + "title": "Constraints on estimating the CO2 fertilization effect emerge", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03560-w", + "creator": "Chris Huntingford", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "63f912b110f9ef24e6d26bbf04b1b115" + }, + { + "title": "Benefits of megastudies for testing behavioural interventions", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03400-x", + "creator": "Heather Royer", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6f8fc23056bce26c178355ac14336a64" + }, + { + "title": "Young universities forge new paths to success", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03631-y", + "creator": "James Mitchell Crow", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2a524bb0544adc3bcb35c0b2460a4685" + }, + { + "title": "A guide to the Nature Index", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03636-7", + "creator": "", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d47b7ba3b1378dab9de5556a5944f926" + }, + { + "title": "The UN must get on with appointing its new science board", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03615-y", + "creator": "", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c28254088983c13cf9e53d182e1062d2" + }, + { + "title": "The $11-billion Webb telescope aims to probe the early Universe", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03620-1", + "creator": "Alexandra Witze", + "pubDate": "2021-12-08", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "49ac5a1fa99ac6b1b24ee57c3b1d5129" + }, + { + "title": "Long Acting Capsid Inhibitor Protects Macaques From Repeat SHIV Challenges", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04279-4", + "creator": "Samuel J. Vidal", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c2df707c78826a38b6d56320680af195" + }, + { + "title": "Signature of long-lived memory CD8+ T cells in acute SARS-CoV-2 infection", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04280-x", + "creator": "Sarah Adamo", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "217b6984e6bb95b06073441ee93eee2a" + }, + { + "title": "Multi-omic machine learning predictor of breast cancer therapy response", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04278-5", + "creator": "Stephen-John Sammut", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2451fdf8e5b113ab2f04620364baefa5" + }, + { + "title": "From the archive", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03561-9", + "creator": "", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3ab6d27578955c76d17e855772d55316" + }, + { + "title": "It’s alive! Bio-bricks can signal to others of their kind", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03644-7", + "creator": "", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1ac607eb8e4819d0f130073ace1e75e5" + }, + { + "title": "Webcast: how to plan your career", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03663-4", + "creator": "Jack Leeming", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f825012468ba3f4de091fa5e1188225e" + }, + { + "title": "Call to join the decentralized science movement", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03642-9", + "creator": "Sarah Hamburg", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15a61c915fa85eb29ad33ca4e828f1f2" + }, + { + "title": "Are female science leaders judged more harshly than men? Study it", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03643-8", + "creator": "Martina Schraudner", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ba05a9beeed1d8c8aa0fff60ea185fa5" + }, + { + "title": "Portugal: female science leaders could speed up change", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03641-w", + "creator": "Paulo Cartaxana", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "18a4202df727a2ffdb17319479abb4ca" + }, + { + "title": "Omicron: the global response is making it worse", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03616-x", + "creator": "", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "349f0de66fd12969a732c09dc8c9eb4d" + }, + { + "title": "Daily briefing: How to predict COVID’s next move", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03670-5", + "creator": "Flora Graham", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "216887bf95c2132fa4503a6236576618" + }, + { + "title": "Beyond Omicron: what’s next for COVID’s viral evolution", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03619-8", + "creator": "Ewen Callaway", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4cc36f87b467bbd43678af496c907929" + }, + { + "title": "Build solar-energy systems to last — save billions", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03626-9", + "creator": "Dirk Jordan", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "57dc67d4bdbbdc7dec38f341519f44e0" + }, + { + "title": "Hominin skull and Mars panorama — November’s best science images", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03520-4", + "creator": "Emma Stoye", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ad3648c5f5bec3a93b48a986aeccd03c" + }, + { + "title": "How remouldable computer hardware is speeding up science", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03627-8", + "creator": "Jeffrey M. Perkel", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ea0112ea124f6ad58fe086740c046e88" + }, + { + "title": "What fuelled an ancient empire’s rise? Potatoes and quinoa", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03583-3", + "creator": "", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f5d15061a19b50ea0661cac5b9fd9962" + }, + { + "title": "Super jelly springs back from a squashing", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03586-0", + "creator": "", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3d4ba7e6c12ed9f31a8920a2a1b4b1ba" + }, + { + "title": "Climate adaptation, and the next great extinction: Books in brief", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03624-x", + "creator": "Andrew Robinson", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "54586185afd6af900cec48ec80a7b9f8" + }, + { + "title": "Handling snakes for science", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03629-6", + "creator": "Virginia Gewin", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b9437c51bab34b4b9b9fe6e86699a4e" + }, + { + "title": "The wasted chewing gum bacteriome: an oral history", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03660-7", + "creator": "Lavie Tidhar", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5955303a4abc835ad22c5bcd5f992925" + }, + { + "title": "Has Eric Kandel rested on his laurels? No", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03623-y", + "creator": "Alison Abbott", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1d401e343e1fbeab5f52beb52e8a6dd7" + }, + { + "title": "Python power-up: new image tool visualizes complex data", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03628-7", + "creator": "Jeffrey M. Perkel", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8a00e1b245bd78c63e020ee8205c2602" + }, + { + "title": "Daily briefing: Francis Collins reflects on science and the NIH", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03657-2", + "creator": "Flora Graham", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c3152fe48ff2cef74a5e08d98fc31054" + }, + { + "title": "Understand the real reasons reproducibility reform fails", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03617-w", + "creator": "Nicole C. Nelson", + "pubDate": "2021-12-06", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bda2a5c68c9ea461ed30fce414baab58" + }, + { + "title": "Coronapod: How has COVID impacted mental health?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03649-2", + "creator": "Noah Baker", + "pubDate": "2021-12-03", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a022a5619499a6a47376b19c67cd6e28" + }, + { + "title": "AI mathematician and a planetary diet — the week in infographics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03612-1", + "creator": "", + "pubDate": "2021-12-03", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a5565019960d7317db69d1fb0f3fa710" + }, + { + "title": "The last library", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03637-6", + "creator": "Brian Trent", + "pubDate": "2021-12-03", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "87d2de44737b20d94024cc744b7ae694" + }, + { + "title": "Science misinformation alarms Francis Collins as he leaves top NIH job", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03611-2", + "creator": "Nidhi Subbaraman", + "pubDate": "2021-12-03", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "07ce509929184b7c48c1553f3076b2ef" + }, + { + "title": "Daily briefing: Omicron — what scientists know so far", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03652-7", + "creator": "Flora Graham", + "pubDate": "2021-12-03", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c6516e8400c7faacdb3b69d58309fbe0" + }, + { + "title": "Publisher Correction: Single-photon nonlinearity at room temperature", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04113-x", + "creator": "Anton V. Zasedatelev", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b11d662af463dc8c70b9f8325cadafdd" + }, + { + "title": "Human blastoids model blastocyst development and implantation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04267-8", + "creator": "Harunobu Kagawa", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "63f0c6b3c8841ac49809178b2fbd0277" + }, + { + "title": "Omicron is bad but the global response is worse", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03616-x", + "creator": "", + "pubDate": "2021-12-07", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "28697f4b3274b5cf2ead54f790d37c0a" + }, + { + "title": "Does police outreach cut crime? Efforts in six nations give a bleak answer", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03580-6", + "creator": "", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8f2923cd804d0c1954916c6a13c61f92" + }, + { + "title": "Famous space family has a surprisingly peaceful history", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03584-2", + "creator": "", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a21b01c1bf5dfda54ddd0524ffb28fb9" + }, + { + "title": "Surging plastic use is fed by coal power — with deadly results", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03613-0", + "creator": "", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b4c454a83c90328a0c2d2f8c36bb1b7" + }, + { + "title": "Omicron is supercharging the COVID vaccine booster debate", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03592-2", + "creator": "Elie Dolgin", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "812010711698747d1651683aa867d040" + }, + { + "title": "How bad is Omicron? What scientists know so far", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03614-z", + "creator": "Ewen Callaway", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6d8ca680902d54ce217eda2f050d7b7f" + }, + { + "title": "Omicron-variant border bans ignore the evidence, say scientists", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03608-x", + "creator": "Smriti Mallapaty", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7d6c2625e02d35ff6c47442078cecdbc" + }, + { + "title": "Daily briefing: What a healthy, sustainable diet looks like", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03639-4", + "creator": "Flora Graham", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "315627d93778bfbf51a760dc8e202203" + }, + { + "title": "This tiny iron-rich world is extraordinarily metal", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03587-z", + "creator": "Alexandra Witze", + "pubDate": "2021-12-02", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bb473b0ce681c1f4306a7d2574c0330a" + }, + { + "title": "Non-trivial role of internal climate feedback on interglacial temperature evolution", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03930-4", + "creator": "Xu Zhang", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "306384ce1643d3b8f26a22adaf9b74ba" + }, + { + "title": "Video: Rebuilding a retina", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03576-2", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f117cc1c6a4ac0162a39384bc2210cb5" + }, + { + "title": "The quest to treat dry age-related macular degeneration", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03574-4", + "creator": "Michael Eisenstein", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "961e29d4bc84d35e411025126398944f" + }, + { + "title": "Shutting ‘super-polluters’ slashes greenhouse gases — and deaths", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03581-5", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38f6d368757750d42a2919be519a4298" + }, + { + "title": "Pandemic mental health and Eurasia’s oldest jewellery", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03570-8", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "42c18d0faa5c99c45c0e9100562fe078" + }, + { + "title": "What’s the best diet for people and the planet?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03601-4", + "creator": "Benjamin Thompson", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a86a9691461a54eb28eb765375db049e" + }, + { + "title": "This enormous eagle could have killed you, probably", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03585-1", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d990da531864a446a89e90953b641c3d" + }, + { + "title": "In situ Raman spectroscopy reveals the structure and dissociation of interfacial water", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04068-z", + "creator": "Yao-Hui Wang", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cc1557bbe085ea25a092abc6d7341f5f" + }, + { + "title": "Reply to: Non-trivial role of internal climate feedback on interglacial temperature evolution", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03931-3", + "creator": "Samantha Bova", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "97c9d21ecb1b650c7546cb6f2e4208ff" + }, + { + "title": "Optomechanical dissipative solitons", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04012-1", + "creator": "Jing Zhang", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0d5b81a0323c40b02bc24c103862b4cf" + }, + { + "title": "Bizarre tail weaponry in a transitional ankylosaur from subantarctic Chile", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04147-1", + "creator": "Sergio Soto-Acuña", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e037396dbd3ef61dde7cb066d542c2ec" + }, + { + "title": "Footprint evidence of early hominin locomotor diversity at Laetoli, Tanzania", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04187-7", + "creator": "Ellison J. McNutt", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "adf08c9507196ac151b96fdeed3cf5f3" + }, + { + "title": "Advancing mathematics by guiding human intuition with AI", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04086-x", + "creator": "Alex Davies", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6ad456be50130f55c012fae81a0e4d13" + }, + { + "title": "Antiviral activity of bacterial TIR domains via immune signalling molecules", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04098-7", + "creator": "Gal Ofir", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ce11ba0ce9a4c1cd78523891cb86b9ad" + }, + { + "title": "Antigen-presenting innate lymphoid cells orchestrate neuroinflammation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04136-4", + "creator": "John B. Grigg", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2e405a21e4fba1937cc66d66cb3bf583" + }, + { + "title": "Local circuit amplification of spatial selectivity in the hippocampus", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04169-9", + "creator": "Tristan Geiller", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bbdb2721f53b565085eabde36a43a713" + }, + { + "title": "Cyclic evolution of phytoplankton forced by changes in tropical seasonality", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04195-7", + "creator": "Luc Beaufort", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0ce47787d67875b6b1006be284e4d4c" + }, + { + "title": "Accuracy mechanism of eukaryotic ribosome translocation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04131-9", + "creator": "Muminjon Djumagulov", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5aef9e801605a5d11bf1385037cc164e" + }, + { + "title": "Quantifying social organization and political polarization in online platforms", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04167-x", + "creator": "Isaac Waller", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f034bef35fa95929bc21f9f73b871a88" + }, + { + "title": "Sound emission and annihilations in a programmable quantum vortex collider", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04047-4", + "creator": "W. J. Kwon", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a68ea0a2b3d48a6bd264150d89abfbce" + }, + { + "title": "Activation of homologous recombination in G1 preserves centromeric integrity", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04200-z", + "creator": "Duygu Yilmaz", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b8aca336ed1761bb2fc298fa4ea866db" + }, + { + "title": "De novo protein design by deep network hallucination", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04184-w", + "creator": "Ivan Anishchenko", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a3786897dfccba312041bd601922b88f" + }, + { + "title": "Artificial intelligence aids intuition in mathematical discovery", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03512-4", + "creator": "Christian Stump", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "73c80694b9513a78d86e2375532ad046" + }, + { + "title": "Industry scores higher than academia for job satisfaction", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03567-3", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "86da21ba9ff25b25bbca522d93d86325" + }, + { + "title": "DeepMind’s AI helps untangle the mathematics of knots", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03593-1", + "creator": "Davide Castelvecchi", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "489277b745d4c2f2f970641523593420" + }, + { + "title": "Mnemovirus", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03577-1", + "creator": "Alexander B. Joy", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "557f51a7205e84f340a049e60ca2df3a" + }, + { + "title": "Africa: tackle HIV and COVID-19 together", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03546-8", + "creator": "Nokukhanya Msomi", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4c1eeb09c36d6b44592a99321b9744d4" + }, + { + "title": "What humanity should eat to stay healthy and save the planet", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03565-5", + "creator": "Gayathri Vaidyanathan", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7911ad67fbb1617d1a69e257c6f5abb7" + }, + { + "title": "Armoured dinosaurs of the Southern Hemisphere", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03572-6", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6233b23b64a17882d50b101554b55ec5" + }, + { + "title": "Earth’s eccentric orbit paced the evolution of marine phytoplankton", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03549-5", + "creator": "Rosalind E. M. Rickaby", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e976565e1fc17d07fbc610c4a9bd8d42" + }, + { + "title": "‘BRICS’ nations are collaborating on science but need a bigger global platform", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03568-2", + "creator": "", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "857614b74c577c0930ee4c24147bc8b8" + }, + { + "title": "Hominin footprints at Laetoli reveal a walk on the wild side", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03469-4", + "creator": "Stephanie M. Melillo", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6dbc9d350903ac43d51cd00bf5fb3278" + }, + { + "title": "World commits to a pandemic-response pact: what’s next", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03596-y", + "creator": "Amy Maxmen", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "89302122318ae18d673eaefa0356ba3b" + }, + { + "title": "How to tell a compelling story in scientific presentations", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03603-2", + "creator": "Bruce Kirchoff", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30fd2668c2f4af909969239427e49d0d" + }, + { + "title": "A visual guide to repairing the retina", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03575-3", + "creator": "Michael Eisenstein", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "abf601907b3e2406ff5d37edf710b931" + }, + { + "title": "Daily briefing: Omicron was already spreading in Europe", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03610-3", + "creator": "Flora Graham", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e5194201ea7a6157745666dbb56aa249" + }, + { + "title": "Choreographing water molecules to speed up hydrogen production", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03511-5", + "creator": "Matthias M. Waegele", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "26da92b50a5b400fadcde1aa18bc3fcc" + }, + { + "title": "Robotic sample return reveals lunar secrets", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03547-7", + "creator": "Richard W. Carlson", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd311fb546ac76166eeb6b94fcca1f75" + }, + { + "title": "An autoimmune stem-like CD8 T cell population drives type 1 diabetes", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04248-x", + "creator": "Sofia V. Gearty", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d6d2c42da7d2b741c9d9108ced85e682" + }, + { + "title": "Author Correction: Targeting LIF-mediated paracrine interaction for pancreatic cancer therapy and monitoring", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04176-w", + "creator": "Yu Shi", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6c76d524fc7e9413e92916c7caa477c3" + }, + { + "title": "Time-Crystalline Eigenstate Order on a Quantum Processor", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04257-w", + "creator": "Xiao Mi", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38bb26f060dbb80c503f163f9ef082e0" + }, + { + "title": "Climate researchers: consider standing for office — I did", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03540-0", + "creator": "John Dearing", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "24abe63dd0f96545eba88e246dd60a27" + }, + { + "title": "Animal experiments: EU is pushing to find substitutes fast", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03539-7", + "creator": "Stefan Hippenstiel", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "18b9cbc8a6561982178f68c5f30b0464" + }, + { + "title": "From the archive", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03513-3", + "creator": "", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e300f90863bd72481321dc690b410a36" + }, + { + "title": "Collaborate equitably in ancient DNA research and beyond", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03541-z", + "creator": "Mehmet Somel", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bcafe1b654f01127537f0dddf1642991" + }, + { + "title": "Across the Sahara in a day: swifts zip across the desert at amazing rates", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03582-4", + "creator": "", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b1e14bdeda807796d202035badde680e" + }, + { + "title": "Ancient-DNA researchers write their own rules", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03542-y", + "creator": "Krystal S. Tsosie", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c1b76b30ba166180d2fec3db2d13bcbb" + }, + { + "title": "China’s Mars rover has amassed reams of novel geological data", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03554-8", + "creator": "Smriti Mallapaty", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f0258a527eed3736f3d1af5863fd8233" + }, + { + "title": "The United States needs a department of technology and science policy", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03543-x", + "creator": "Harold Varmus", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9e3f62b2606892f72f7a334c0ea979f1" + }, + { + "title": "Daily briefing: Multicellular living robots build their own offspring", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03595-z", + "creator": "Flora Graham", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30e03c93207ca290b806ca4e740db730" + }, + { + "title": "What the Moderna–NIH COVID vaccine patent fight means for research", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03535-x", + "creator": "Heidi Ledford", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9bc46f0042655a770564e76bce094f52" + }, + { + "title": "Author Correction: Estimating a social cost of carbon for global energy consumption", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04185-9", + "creator": "Ashwin Rode", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bbe0bd212a4e28c188986b73ddb29a3d" + }, + { + "title": "‘For a brown invertebrate’: rescuing native UK oysters", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03573-5", + "creator": "Virginia Gewin", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "edef24ba21555c544ee78236baae8d4b" + }, + { + "title": "Is this mammoth-ivory pendant Eurasia’s oldest surviving jewellery?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03534-y", + "creator": "Tosin Thompson", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0b2226e40f03a13ca0c0483cf894bb4d" + }, + { + "title": "Audio long-read: The chase for fusion energy", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03501-7", + "creator": "Philip Ball", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "98af222f8099064b64f765f848cb3676" + }, + { + "title": "Victories against AIDS have lessons for COVID-19", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03569-1", + "creator": "Anthony Fauci", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e54386fffee4976207c2c1c0f413fd63" + }, + { + "title": "Discrimination still plagues science", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03043-y", + "creator": "Chris Woolston", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d2f82e8fe4b93dfaedb9d7b6a23263e4" + }, + { + "title": "When scientists gave 1,000 vulnerable people hepatitis over 30 years", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03571-7", + "creator": "Heidi Ledford", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "652b01fc801606bd100519fd7555bc0f" + }, + { + "title": "Daily briefing: What happened to the ‘CRISPR babies’?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03590-4", + "creator": "Flora Graham", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8cb27e91a5b735d94edfd4501500fca4" + }, + { + "title": "Coronapod: everything we know about the new COVID variant", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03562-8", + "creator": "Noah Baker", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "44a0dc3f6110fbc922b2d17f9bb9ff97" + }, + { + "title": "The Importance of Spotting Cancer’s Warning Signs", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03402-9", + "creator": "Lauren Gravitz", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a5a83d28913141604bb490a782fb81e6" + }, + { + "title": "Asteroid deflection and disordered diamonds — the week in infographics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03553-9", + "creator": "", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5fc2d47aba5e51855c07131942fa0d55" + }, + { + "title": "Multiview confocal super-resolution microscopy", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04110-0", + "creator": "Yicong Wu", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c05c45a99805a890d1240069ca6388c7" + }, + { + "title": "Daily briefing: Omicron coronavirus variant puts scientists on alert", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03564-6", + "creator": "Flora Graham", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f9ae23927cc6f3ee606f9ae7f640d945" + }, + { + "title": "World commits to a pandemic response pact: what's next", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03596-y", + "creator": "Amy Maxmen", + "pubDate": "2021-12-01", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e46802d04855f14d8ac18a4f81eecce" + }, + { + "title": "Outcry as men win outsize share of Australian medical-research funding", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03536-w", + "creator": "Holly Else", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "707759625d422f75eb2bb11de2536b0b" + }, + { + "title": "The COVID Cancer Effect", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03404-7", + "creator": "Usha Lee McFarling", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "80d34c13b1b7e2b5ed0a5b2742fe85d6" + }, + { + "title": "The Colon Cancer Conundrum", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03405-6", + "creator": "Cassandra Willyard", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4c823a05d724b6a2a398dc7845078341" + }, + { + "title": "EverLife", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03556-6", + "creator": "Michael García Juelle", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2e576404cf238c2e041ed2f41d129323" + }, + { + "title": "Trapped in a hotel room: my scientific life in the pandemic", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03566-4", + "creator": "Jen Lewendon", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6bb46e20510adffa3193e6a0769b55c4" + }, + { + "title": "We Must Improve Equity in Cancer Screening", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03403-8", + "creator": "Melba Newsome", + "pubDate": "2021-11-26", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "171c3de1e5af02682003d4615aeed40c" + }, + { + "title": "Enhanced fusogenicity and pathogenicity of SARS-CoV-2 Delta P681R mutation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04266-9", + "creator": "Akatsuki Saito", + "pubDate": "2021-11-25", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "03a565bdca7e5ae3d19e1e903aa84738" + }, + { + "title": "Heavily mutated Omicron variant puts scientists on alert", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03552-w", + "creator": "Ewen Callaway", + "pubDate": "2021-11-25", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4f0afb1a66a0590a43ec2d2d2a279ffc" + }, + { + "title": "Record number of first-time observers get Hubble telescope time", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03538-8", + "creator": "Dalmeet Singh Chawla", + "pubDate": "2021-11-25", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ee12a6535503bc657cdc441afafb491b" + }, + { + "title": "Our lockdown mentoring plan was a lifeline, and it’s still going", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03551-x", + "creator": "Alexa Ruel", + "pubDate": "2021-11-25", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c7c88d04abc702bc006c65e3e981b044" + }, + { + "title": "Daily briefing: US braces for ‘fifth wave’ of COVID", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03559-3", + "creator": "Flora Graham", + "pubDate": "2021-11-25", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e9aae656bdaf06ba0a3a4c11cb8e4d46" + }, + { + "title": "The N501Y spike substitution enhances SARS-CoV-2 infection and transmission", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04245-0", + "creator": "Yang Liu", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8e329b9705192aa67feccf6c52979de9" + }, + { + "title": "Reply to: Spatial scale and the synchrony of ecological disruption", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03760-4", + "creator": "Christopher H. Trisos", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "72f59ff9f6dffced4febf9160f9e00b0" + }, + { + "title": "Spatial scale and the synchrony of ecological disruption", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03759-x", + "creator": "Robert K. Colwell", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0f4b24fa74eec75164875073b60f9d6" + }, + { + "title": "Neutron beam sheds light on medieval faith and superstition", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03505-3", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "88c8287a9e78a8af4a06388db910f3ee" + }, + { + "title": "The surgical solution to congenital heart defects", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03517-z", + "creator": "Benjamin Plackett", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c23495be56e73c657630865a4c36ae41" + }, + { + "title": "Tidings from an exploding star make astronomers happy", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03508-0", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "87e7aa5810a259d222b2209ecda171c1" + }, + { + "title": "What the Moderna-NIH COVID vaccine patent fight means for research", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03535-x", + "creator": "Heidi Ledford", + "pubDate": "2021-11-30", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "96f9f5ee76804d26780d12a49176fcdb" + }, + { + "title": "How jellyfish control their lives", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03510-6", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6a1827945c162975e40c0b98cfc1ebce" + }, + { + "title": "The 3D print job that keeps quake damage at bay", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03506-2", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "238c280fbfff7d3477add4eca7ee1a8b" + }, + { + "title": "How to repair a baby’s broken heart", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03518-y", + "creator": "Benjamin Plackett", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6148a0961cbfb039c5d8758a704cbffc" + }, + { + "title": "Researcher careers under the microscope: salary satisfaction and COVID impacts", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03537-9", + "creator": "Shamini Bundell", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c3cde882d85bd45056cce2ecb7295a2" + }, + { + "title": "Hard times tear coupled seabirds apart", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03509-z", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2ef68bf82e80318dacc8c4a35bfb9752" + }, + { + "title": "Video: Babies with misshapen hearts", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03519-x", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0a257c32a5bde8d948b39bdf7fd45f2b" + }, + { + "title": "Artificial heavy fermions in a van der Waals heterostructure", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04021-0", + "creator": "Viliam Vaňo", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "35a149a841c59910e266910022e414c6" + }, + { + "title": "ecDNA hubs drive cooperative intermolecular oncogene expression", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04116-8", + "creator": "King L. Hung", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7effdd55edcccc21b24dc252f5233419" + }, + { + "title": "The CLIP1–LTK fusion is an oncogenic driver in non‐small‐cell lung cancer", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04135-5", + "creator": "Hiroki Izumi", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f65b2a9787283fd6b401e065027b043b" + }, + { + "title": "Ultrahard bulk amorphous carbon from collapsed fullerene", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03882-9", + "creator": "Yuchen Shang", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cbe008bd5cd0ac5229faa7c30ee21cef" + }, + { + "title": "Electron-beam energy reconstruction for neutrino oscillation measurements", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04046-5", + "creator": "M. Khachatryan", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "37ec08e437f807891efde35e717eb348" + }, + { + "title": "Fam72a enforces error-prone DNA repair during antibody diversification", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04093-y", + "creator": "Mélanie Rogier", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7c8c758b57745d6519b97980c36480da" + }, + { + "title": "Aldehyde-driven transcriptional stress triggers an anorexic DNA damage response", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04133-7", + "creator": "Lee Mulderrig", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "695a1cb0f5de75469214892c01beca00" + }, + { + "title": "The human microbiome encodes resistance to the antidiabetic drug acarbose", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04091-0", + "creator": "Jared Balaich", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e7e3696689462b4bca9759f9a07eb3d8" + }, + { + "title": "Contextual inference underlies the learning of sensorimotor repertoires", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04129-3", + "creator": "James B. Heald", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5d9658d841740fdbc2584efc08d92be6" + }, + { + "title": "Mechanism for the activation of the anaplastic lymphoma kinase receptor", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04140-8", + "creator": "Andrey V. Reshetnyak", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ca3038b31241e899cdcf617d525665f1" + }, + { + "title": "On-chip electro-optic frequency shifters and beam splitters", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03999-x", + "creator": "Yaowen Hu", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b1e60c5bf63558a5e532a9080b4240fd" + }, + { + "title": "Quantum gas magnifier for sub-lattice-resolved imaging of 3D quantum systems", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04011-2", + "creator": "Luca Asteria", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2cc6cfa810969a1d384363787766a700" + }, + { + "title": "Mechanical forcing of the North American monsoon by orography", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03978-2", + "creator": "William R. Boos", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f625ad399d6781f572e8e2b9a6b94a6e" + }, + { + "title": "Synthesis of paracrystalline diamond", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04122-w", + "creator": "Hu Tang", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f37cf4f03397c6e4902a7f8bc61368b0" + }, + { + "title": "IL-27 signalling promotes adipocyte thermogenesis and energy expenditure", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04127-5", + "creator": "Qian Wang", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d9180493c20019c3a35e9bc84afa50cd" + }, + { + "title": "Colossal angular magnetoresistance in ferrimagnetic nodal-line semiconductors", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04028-7", + "creator": "Junho Seo", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4fff63101c4e188a1d3cf8be92a66160" + }, + { + "title": "A multi-scale map of cell structure fusing protein images and interactions", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04115-9", + "creator": "Yue Qin", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15028cfb1f682a44324c5b49d8b24a7b" + }, + { + "title": "Distribution control enables efficient reduced-dimensional perovskite LEDs", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03997-z", + "creator": "Dongxin Ma", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "50adc80dff8d7270008c81c3bab2390d" + }, + { + "title": "Structural basis for ligand reception by anaplastic lymphoma kinase", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04141-7", + "creator": "Tongqing Li", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cfc88808e75d5892bb0b2201dca67c92" + }, + { + "title": "Mechanical actions of dendritic-spine enlargement on presynaptic exocytosis", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04125-7", + "creator": "Hasan Ucar", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ddf4d6104a6ab34411f20c5a8c22ce3c" + }, + { + "title": "FAM72A antagonizes UNG2 to promote mutagenic repair during antibody maturation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04144-4", + "creator": "Yuqing Feng", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "254c88e9d44ea5781fffb15f33ebc761" + }, + { + "title": "Want research integrity? Stop the blame game", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03493-4", + "creator": "Malcolm Macleod", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a0fa60a23ab5746eb9057d134526648e" + }, + { + "title": "Women and the environment: power on the ground and in academia", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03524-0", + "creator": "Nuria Pistón", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d43028ef448df890cae943e853b55f60" + }, + { + "title": "How record wildfires are harming human health", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03496-1", + "creator": "Max Kozlov", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bf0b6fd138eda32430246c5a23346c81" + }, + { + "title": "Researchers at risk in Afghanistan need better tools to find help", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03515-1", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e9bcf7be5bd84b5d24c7752e488f54f5" + }, + { + "title": "Electrons reveal the need for improved neutrino models", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03456-9", + "creator": "Noemi Rocco", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "502499a7c1ff0a29f5f7977494fa066a" + }, + { + "title": "COVID deaths, gravitational waves and pandemic PhD supervision", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03494-3", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "04dbe85cb980ac4cb33788841c452f94" + }, + { + "title": "Context is key for learning motor skills", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03028-x", + "creator": "Anne G. E. Collins", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4d400a949e9ed6ffeab36ef3201e821f" + }, + { + "title": "Venetian blinds", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03525-z", + "creator": "Gretchen Tessmer", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "85b7f0abaf0a88342c184eaa90d467c5" + }, + { + "title": "Is this mammoth-ivory pendant Eurasia's oldest surviving jewellery?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03534-y", + "creator": "Tosin Thompson", + "pubDate": "2021-11-29", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f6e0f8de1cd99a1ec14fdd83c041c175" + }, + { + "title": "Forceful synapses reveal mechanical interactions in the brain", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03516-0", + "creator": "", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4a60daa5e728c0c6c85e4fdc967e31c6" + }, + { + "title": "Daily briefing: ‘Incident’ delays launch of the James Webb Space Telescope", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03544-w", + "creator": "Flora Graham", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "68cf47d57b6f6edca768c17a966f4b9b" + }, + { + "title": "How to make macroscale non-crystalline diamonds", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-02957-x", + "creator": "Alfonso San-Miguel", + "pubDate": "2021-11-24", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "494d0db5d77a05d89c671c97a62c0bce" + }, + { + "title": "A COVID-19 peptide vaccine for the induction of SARS-CoV-2 T cell immunity", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04232-5", + "creator": "Jonas S. Heitmann", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c9ca5edb3eb78b4424d1276ca6137b8b" + }, + { + "title": "Support deaf participants at virtual conferences", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03487-2", + "creator": "Denis Meuthen", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "58495be646209f03227e1dd1f8e8231a" + }, + { + "title": "Science community steps up to reform open access", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03485-4", + "creator": "Geoffrey Boulton", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2a39e7a27b5298effb62a342d0537b4b" + }, + { + "title": "From the archive", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03457-8", + "creator": "", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "41793ddd5216645eb0d0521516023298" + }, + { + "title": "Earth is headed for well over two degrees of warming", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03507-1", + "creator": "", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d4d16b83004276c027256496995362c3" + }, + { + "title": "Ditch gendered terminology for cell division", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03490-7", + "creator": "Peter White", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c05f4f7501661edcf143b97ef6d9cb73" + }, + { + "title": "Mini-machine can chop and channel proteins", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03502-6", + "creator": "", + "pubDate": "2021-11-22", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "465c7e12d1718776f7343a0dfbfb3590" + }, + { + "title": "Ahmedabad: local data beat the heat", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03486-3", + "creator": "Priya Dutta", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8ed75e897566df07c154c5d96b6888d0" + }, + { + "title": "Artificial intelligence powers protein-folding predictions", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03499-y", + "creator": "Michael Eisenstein", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5a33cbc80216082eca0d9bc8f8fb3935" + }, + { + "title": "How burnout and imposter syndrome blight scientific careers", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03042-z", + "creator": "Chris Woolston", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "103f8bc9b162fe46a4d20d170336a863" + }, + { + "title": "Do vaccines protect against long COVID? What the data say", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03495-2", + "creator": "Heidi Ledford", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "445121e49f3092a7a69e764c32c21714" + }, + { + "title": "US astronomy has ambitious plans — but it needs global partners", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03514-2", + "creator": "", + "pubDate": "2021-11-23", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f04c2969c5c559df22d3c8c913c79d40" + }, + { + "title": "All-nighter: staying up to fight malaria", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03500-8", + "creator": "Brendan Maher", + "pubDate": "2021-11-22", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "418c58e7853b85c15b618c5a344bce44" + }, + { + "title": "The art critic in the machine tells forgeries from the real thing", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03447-w", + "creator": "", + "pubDate": "2021-11-22", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "93d75c1035f70abe173ad56a2087eb2f" + }, + { + "title": "Battery-powered trains offer a cost-effective ride to a cleaner world", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03448-9", + "creator": "", + "pubDate": "2021-11-22", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a5b761cd343005ea7425e98a56a72627" + }, + { + "title": "Michael Rutter (1933–2021)", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03498-z", + "creator": "Uta Frith", + "pubDate": "2021-11-22", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0380dd2184c0ed92d29ffe1f0564752d" + }, + { + "title": "Heavily mutated coronavirus variant puts scientists on alert", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03552-w", + "creator": "Ewen Callaway", + "pubDate": "2021-11-25", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "eed79f99dd4dbe5bac9452d4ad978af4" + }, + { + "title": "Daily briefing: What we know about vaccines and long COVID", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03531-1", + "creator": "Flora Graham", + "pubDate": "2021-11-23", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1e3c3d549d3ed7ca24e036185c60b090" + }, + { + "title": "China creates vast research infrastructure to support ambitious climate goals", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03491-6", + "creator": "Smriti Mallapaty", + "pubDate": "2021-11-22", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "78fed7ce7627b66ba9b501c848dd6219" + }, + { + "title": "Cuba’s bet on home-grown COVID vaccines is paying off", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03470-x", + "creator": "Sara Reardon", + "pubDate": "2021-11-22", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b12673feeb01bba489ca515b67a77e31" + }, + { + "title": "How dogs became humans’ best friends: from Neanderthals to now", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03497-0", + "creator": "Josie Glausiusz", + "pubDate": "2021-11-22", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6cb078116e5143410a4c0706e17fb7c1" + }, + { + "title": "Daily briefing: Adoption advice for academics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03528-w", + "creator": "Flora Graham", + "pubDate": "2021-11-22", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6da7b317ec780ddeaf2c4f9f2dda6f84" + }, + { + "title": "First quantum computer to pack 100 qubits enters crowded race", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03476-5", + "creator": "Philip Ball", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "db652ed21bc43fd7ca312eb29726f25c" + }, + { + "title": "This microbe works a toxic metal into a weapon against its foes", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03477-4", + "creator": "", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "08783d8cb01e93548136d1988210a205" + }, + { + "title": "Defining Alzheimer’s, and the climate costs of AI: Books in brief", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03484-5", + "creator": "Andrew Robinson", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8c2a2701cd9f271078d5ed6e932f0387" + }, + { + "title": "COVID’s career impact and embryo secrets — the week in infographics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03478-3", + "creator": "", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0b8565b86e24777e8298a6d652384f83" + }, + { + "title": "Scientists question Max Planck Society’s treatment of women leaders", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03492-5", + "creator": "Alison Abbott", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c24c3f6f3180afed7a5ede3b5eeafe2a" + }, + { + "title": "Star Corps Crew Manual Section 15-A37: On Mental Dislocation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03398-2", + "creator": "Marissa Lingen", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fe2bb68d0205b592108fb031b3275647" + }, + { + "title": "Daily briefing: NASA spacecraft will die trying to deflect an asteroid", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03504-4", + "creator": "Flora Graham", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "83161fab1ec3e1a3d75c50e4b5d17737" + }, + { + "title": "NASA spacecraft will slam into asteroid in first planetary-defence test", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03471-w", + "creator": "Alexandra Witze", + "pubDate": "2021-11-19", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "65c577c539228d26ace9ab5f05e5b720" + }, + { + "title": "Adopting as academics: what we learnt", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03482-7", + "creator": "Tony Ly", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ee8f843ce7f8b07fd298f770b7c6fc8c" + }, + { + "title": "Do childhood colds help the body respond to COVID?", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03087-0", + "creator": "Rachel Brazil", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6f935101591ba16ab17bb0220f513bdc" + }, + { + "title": "Europe’s COVID death toll could rise by hundreds of thousands", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03455-w", + "creator": "Smriti Mallapaty", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3d00536606025b3ea4704f6518474956" + }, + { + "title": "Genome surveillance by HUSH-mediated silencing of intronless mobile elements", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04228-1", + "creator": "Marta Seczynska", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "47da5697e00922c9dfeef2b83d4e5b21" + }, + { + "title": "Optimization of Non-Coding Regions for a Non-Modified mRNA COVID-19 Vaccine", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04231-6", + "creator": "Makda S. Gebre", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0c5c2ad27c2afdcec22eb4dc7d53c87" + }, + { + "title": "CRISPR screens unveil signal hubs for nutrient licensing of T cell immunity", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04109-7", + "creator": "Lingyun Long", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "387f967a8eab8f2b8d12bfdb4df3fe27" + }, + { + "title": "Daily briefing: Second person found to have ‘naturally’ eradicated HIV", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03489-0", + "creator": "Flora Graham", + "pubDate": "2021-11-18", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "88c219612c266cf250bb6c2051a9e4d0" + }, + { + "title": "First Nations communities bring expertise to Canada’s scientific research", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03060-x", + "creator": "Brian Owens", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d74bbaa6e9b2276e8ce9dfabaa4863bd" + }, + { + "title": "Cerebellar neurons that curb food consumption", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03383-9", + "creator": "Richard Simerly", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a2cf7b2cfab8ce253ba3f0c171fde92" + }, + { + "title": "Millions of helpline calls reveal how COVID affected mental health", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03454-x", + "creator": "Heidi Ledford", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1930a2e08a458bd5fbb0115020c8ab5e" + }, + { + "title": "A peek into the black box of human embryology", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03381-x", + "creator": "Alexander Goedel", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "794ad66cdc34df9842ec5c0f6156bea0" + }, + { + "title": "Polar bear researchers struggle for air time", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03063-8", + "creator": "Chris Woolston", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ac5d9c2140eaa522c9cdef74c1ea52ae" + }, + { + "title": "Canada’s researchers call for a return to stated science ambitions", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03059-4", + "creator": "Brian Owens", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4a7121a848b64200e8dafd8a39ef0976" + }, + { + "title": "Daily briefing: Time to rewrite the textbooks on chemical-bond strength", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03480-9", + "creator": "Flora Graham", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4c7cd64bb418307dab50871c3226bffb" + }, + { + "title": "How Canada stacks up in science against its closest competitors", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03061-w", + "creator": "", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0f493d8f934ee2361fdde6b15cf5245e" + }, + { + "title": "Welcome home", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03396-4", + "creator": "Beth Cato", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f70fc617e92fb584a70f36171fb6971b" + }, + { + "title": "Iodine powers low-cost engines for satellites", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03384-8", + "creator": "Igor Levchenko", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aec73a058549fdd5aeacb260bd183994" + }, + { + "title": "Helpline data used to monitor population distress in a pandemic", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03038-9", + "creator": "Cindy H. Liu", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b09a792962110233733d13db8f6457e3" + }, + { + "title": "It’s a snap: the friction-based physics behind a common gesture", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03444-z", + "creator": "", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "baa32060acc036f395da17b085bae95b" + }, + { + "title": "Canada’s scientific strength depends on greater support for innovation", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03058-5", + "creator": "Bec Crew", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30b65a8211d74ff50a1c112e2325b381" + }, + { + "title": "Sea squirts teach new lessons in evolution", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03475-6", + "creator": "Shamini Bundell", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "674b88dcb9b9d863a7952a7ba57b6287" + }, + { + "title": "A guide to the Nature Index", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03065-6", + "creator": "", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "506cd85df5c76e54deeea3c966030ac9" + }, + { + "title": "Even organic pesticides spur change in the wildlife next door", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03445-y", + "creator": "", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4ac82649d9b618b14505fedf066366a9" + }, + { + "title": "Independent infections of porcine deltacoronavirus among Haitian children", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04111-z", + "creator": "John A. Lednicky", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "83c075b8036979f35abc9ad98f12c689" + }, + { + "title": "Observation of universal ageing dynamics in antibiotic persistence", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04114-w", + "creator": "Yoav Kaplan", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5445626d850ca173f6e2bddd0a22eeaa" + }, + { + "title": "In-orbit demonstration of an iodine electric propulsion system", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04015-y", + "creator": "Dmytro Rafalskyi", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "23f579d006baef7d5b88ddffde6d2d46" + }, + { + "title": "Cell-type specialization is encoded by specific chromatin topologies", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04081-2", + "creator": "Warren Winick-Ng", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dbe81a25bf57a0c17aeaa3f8ee978c65" + }, + { + "title": "Structure, function and pharmacology of human itch GPCRs", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04126-6", + "creator": "Can Cao", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0a5698eb9e92bab17415e711747cfa79" + }, + { + "title": "Cardiopharyngeal deconstruction and ancestral tunicate sessility", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04041-w", + "creator": "Alfonso Ferrández-Roldán", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "603470581fd1cd2fc5d6b4cd1f37a723" + }, + { + "title": "Isolation and characterization of a californium metallocene", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04027-8", + "creator": "Conrad A. P. Goodwin", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "492a25e98089390c6abf60c021ede6c6" + }, + { + "title": "Approaching the intrinsic exciton physics limit in two-dimensional semiconductor diodes", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03949-7", + "creator": "Peng Chen", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b900506ef94c88cc1aeedfa93a1195dd" + }, + { + "title": "Structure, function and pharmacology of human itch receptor complexes", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04077-y", + "creator": "Fan Yang", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8084cb1c209b70b35bc5d77a62e8da9f" + }, + { + "title": "Exploding and weeping ceramics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03975-5", + "creator": "Hanlin Gu", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9723db5255e2b15153737bdd84202788" + }, + { + "title": "Reverse-translational identification of a cerebellar satiation network", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04143-5", + "creator": "Aloysius Y. T. Low", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b2d1a9cef15f05f9da17329f1647ba62" + }, + { + "title": "Cortical responses to touch reflect subcortical integration of LTMR signals", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04094-x", + "creator": "Alan J. Emanuel", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9063a39fa230cd59cc8a57ec3267e820" + }, + { + "title": "Mental health concerns during the COVID-19 pandemic as revealed by helpline calls", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04099-6", + "creator": "Marius Brülhart", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ea16538da16a9fb7b28626e118e40959" + }, + { + "title": "Herpesviruses assimilate kinesin to produce motorized viral particles", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04106-w", + "creator": "Caitlin E. Pegg", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c77816712d69647cf3bad681008c4b21" + }, + { + "title": "Observation of Stark many-body localization without disorder", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03988-0", + "creator": "W. Morong", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9c96ba1f645a9f50b46ed3c5fe11a5b5" + }, + { + "title": "Single-cell transcriptomic characterization of a gastrulating human embryo", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04158-y", + "creator": "Richard C. V. Tyser", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fc80f23bc87a866720998b6d07709f8e" + }, + { + "title": "Measuring phonon dispersion at an interface", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03971-9", + "creator": "Ruishi Qi", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b2b8ada8ad4b7df935589dcf13759dc" + }, + { + "title": "Excitons and emergent quantum phenomena in stacked 2D semiconductors", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03979-1", + "creator": "Nathan P. Wilson", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "152e1316853848477df6d870769f9053" + }, + { + "title": "Widespread changes in surface temperature persistence under climate change", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-03943-z", + "creator": "Jingyuan Li", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f3227d59567764ec0947afb4dd9255c" + }, + { + "title": "Structural insights into Ubr1-mediated N-degron polyubiquitination", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/s41586-021-04097-8", + "creator": "Man Pan", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "eb7a752793c95465abc0716f0d123e57" + }, + { + "title": "A critical mass of learning at Mila, Canada", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03064-7", + "creator": "Nicola Jones", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "81e6258e84a2e8c34b593038fb3050c2" + }, + { + "title": "The start-ups chasing clean, carbon-free fusion energy", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03401-w", + "creator": "Philip Ball", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "37f1644a9db923b968b416217a857da4" + }, + { + "title": "Californium—carbon bond captured in a complex", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03385-7", + "creator": "Julie E. Niklas", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7ef678288480c4e31a12ea2d12c1f5e1" + }, + { + "title": "Canada’s scientists are elucidating the dark metabolome", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03062-9", + "creator": "James Mitchell Crow", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c2d611c7b66de0108f55e0fd70938ccc" + }, + { + "title": "Europe’s Roma people are vulnerable to poor practice in genetics", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03416-3", + "creator": "Veronika Lipphardt", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fa0b7620c8494447ee7d4fdcc3ba4b0a" + }, + { + "title": "New mineral, FDA chief and the pandemic’s toll on research", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03435-0", + "creator": "", + "pubDate": "2021-11-17", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1928724281284aa97eb17a066ca349c0" + }, + { + "title": "COP26: Meet the scientists behind the crucial climate summit", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03029-w", + "creator": "Quirin Schiermeier", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a41af0895586b81d871105a7c9b9de58" + }, + { + "title": "Presidents of Royal Society live long lives", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03420-7", + "creator": "Oscar S. Wilson", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "183990819bf0c6a9acaadf1a481400b6" + }, + { + "title": "Link knowledge and action networks to tackle disasters", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03419-0", + "creator": "Jim Falk", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "080cbfa01e2f1f03826229ba0470f34d" + }, + { + "title": "Reflections on a pioneer in electrical engineering", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03417-2", + "creator": "Polina Bayvel", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d431507fbed25df3a7e353e72111fe61" + }, + { + "title": "High-speed spinning yields some of the toughest spider silk ever found", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03443-0", + "creator": "", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ac422b468c7f4344eea4d6303ae16a3d" + }, + { + "title": "From the archive", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03382-w", + "creator": "", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "37048d3a792bc1fc7946c2c3bbf3fa74" + }, + { + "title": "Stagnating salaries present hurdles to career satisfaction", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03041-0", + "creator": "Chris Woolston", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a5b2c92fda0cd56cf485375f57df127e" + }, + { + "title": "COP26 didn’t solve everything — but researchers must stay engaged", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03433-2", + "creator": "", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "72e2f7c9027589c246311bb66d80a156" + }, + { + "title": "Daily briefing: How some fish can live for centuries", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03473-8", + "creator": "Flora Graham", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b9d76523d7162ac8f89b52082145709f" + }, + { + "title": "Yes, science can weigh in on abortion law", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03434-1", + "creator": "Diana Greene Foster", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b84f0c7ae3753bf81ca539ba62f8164a" + }, + { + "title": "Funders need to credit open science", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03418-1", + "creator": "Hans de Jonge", + "pubDate": "2021-11-16", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "50546217414cb878dab97bc0eeaf2d4d" + }, + { + "title": "Ancient mud bricks show adobe’s foundations 5,000 years ago", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03446-x", + "creator": "", + "pubDate": "2021-11-15", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc23c25bf06d46981d000e124aee2cbf" + }, + { + "title": "The greener route to indigo blue", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03437-y", + "creator": "James Mitchell Crow", + "pubDate": "2021-11-15", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d2d5204cf5b65803a6383db28ea0aa39" + }, + { + "title": "More Alzheimer’s drugs head for FDA review: what scientists are watching", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03410-9", + "creator": "Asher Mullard", + "pubDate": "2021-11-15", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b3989abab632037401c660cf6ec9f4ec" + }, + { + "title": "Daily briefing: New mineral discovered inside a diamond", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03468-5", + "creator": "Flora Graham", + "pubDate": "2021-11-15", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f7ef26188e8455154fc47264aea597f8" + }, + { + "title": "How to turn your ideas into patents", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03438-x", + "creator": "Andy Tay", + "pubDate": "2021-11-15", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b8020a63bb4cffb1c5e2bbef02830c18" + }, + { + "title": "Friction: from fingerprints to climate change", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03436-z", + "creator": "Anna Novitzky", + "pubDate": "2021-11-15", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "085886042e0ee73052691768ea131c2c" + }, + { + "title": "COP26 hasn’t solved the problem: scientists react to UN climate deal", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03431-4", + "creator": "Ehsan Masood", + "pubDate": "2021-11-14", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "817a8bf4db7c7561d246b862588698cd" + }, + { + "title": "COP26: Glasgow Climate Pact signed into history", + "description": "", + "content": "\n ", + "category": "", + "link": "https://www.nature.com/articles/d41586-021-03464-9", + "creator": "Flora Graham", + "pubDate": "2021-11-13", + "folder": "00.03 News/News - EN", + "feed": "Nature", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ce1ea49ae52a41bdd6947bc2bb63d069" + } + ], + "folder": "00.03 News/News - EN", + "name": "Nature", + "language": "", + "hash": "35ab143b2b9e5b2e6eba5d5f4ab0858b" + }, + { + "title": "NYT > Top Stories", + "subtitle": "", + "link": "https://www.nytimes.com", + "image": "https://static01.nyt.com/images/misc/NYT_logo_rss_250x40.png", + "description": "", + "items": [ + { + "title": "Trump Fraud Inquiry’s Focus: Did He Mislead His Own Accountants?", + "description": "The investigation, by the Manhattan district attorney, is zeroing in on information the former president and his company shared about the value of his assets.", + "content": "Documents that Donald J. Trump, the former president, used to secure loans and tout his wealth are at issue in the Manhattan district attorney’s investigation. ", + "category": "Accounting and Accountants", + "link": "https://www.nytimes.com/2021/12/14/nyregion/trump-fraud-inquiry.html", + "creator": "William K. Rashbaum, Ben Protess and Jonah E. Bromwich", + "pubDate": "Tue, 14 Dec 2021 21:40:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4441991414d589378dfd81519ce4a27a" + }, + { + "title": "Pfizer Treatment Protects Against Severe Disease, Study Says", + "description": "The company said its antiviral treatment, taken in pill form, worked in laboratory studies against the Omicron variant. Here’s the latest on Covid-19.", + "content": "The company said its antiviral treatment, taken in pill form, worked in laboratory studies against the Omicron variant. Here’s the latest on Covid-19.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/14/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Tue, 14 Dec 2021 22:20:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a4636b97b1c99d77ce337ba51447414" + }, + { + "title": "Conservatives Abandon Johnson Over New Covid Rules", + "description": "A record number of Prime Minister Boris Johnson’s fellow party members voted against his plan for Covid certificates. But the plan passed with the help of the opposition.", + "content": "Protesters demonstrated against Covid-19 passports and increased restrictions on Monday outside Parliament in London.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/14/world/europe/britain-covid-restrictions.html", + "creator": "Mark Landler and Stephen Castle", + "pubDate": "Tue, 14 Dec 2021 20:41:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dd60e0dff0e88c35ff70a662e119453e" + }, + { + "title": "Facing Covid Spike, N.F.L. Mandates Boosters, but Stops Short on Testing", + "description": "The league will require boosters for coaches and some team personnel after a single-day high in positive tests among players. But the players’ union has argued that daily testing should resume.", + "content": "Patriots Coach Bill Belichick wearing a mask before a game in December 2020. The league relaxed mask-wearing guidelines for vaccinated personnel this season.", + "category": "Disease Rates", + "link": "https://www.nytimes.com/2021/12/14/sports/football/nfl-covid-vaccine-booster-shots.html", + "creator": "Emmanuel Morgan and Robin Stein", + "pubDate": "Tue, 14 Dec 2021 17:12:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "198ca86beb149010de54482ae585c018" + }, + { + "title": "Cuomo Is Ordered to Forfeit Earnings From $5.1 Million Book Deal", + "description": "Former Gov. Andrew M. Cuomo received authorization to write the book under false pretenses, the board had previously ruled.", + "content": "Former Gov. Andrew M. Cuomo earned roughly $5.1 million for his pandemic memoir, “American Crisis: Leadership Lessons from the Covid-19 Pandemic.”", + "category": "Cuomo, Andrew M", + "link": "https://www.nytimes.com/2021/12/14/nyregion/andrew-cuomo-book.html", + "creator": "Grace Ashford and Luis Ferré-Sadurní", + "pubDate": "Tue, 14 Dec 2021 21:29:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6481a24067b58518420f63deffe3435c" + }, + { + "title": "House Set to Refer Contempt Charge Against Meadows in Jan. 6 Inquiry", + "description": "The former White House chief of staff previously provided the committee with thousands of pages of documents, including text messages he received on Jan. 6.", + "content": "After initially cooperating with the committee investigating the Jan. 6 attack on the Capitol, Mark Meadows filed suit against the panel.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/14/us/mark-meadows-contempt-capitol-riot.html", + "creator": "Luke Broadwater", + "pubDate": "Tue, 14 Dec 2021 21:35:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0539e7b93a4aab230074931f11c3aa2b" + }, + { + "title": "Senate Passes $2.5 Trillion Debt Ceiling Increase", + "description": "The measure would allow the government to continue borrowing to finance its obligations without further action by Congress until after the 2022 midterm elections.", + "content": "Senator Chuck Schumer said on Tuesday that the $2.5 trillion figure would be enough to move the threat of a default past the midterm elections next year.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/14/us/politics/debt-limit.html", + "creator": "Emily Cochrane", + "pubDate": "Tue, 14 Dec 2021 21:59:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "37c4054fe4e733725c8a8ce422d547bf" + }, + { + "title": "Trends in Arctic Report Card: ‘Consistent, Alarming and Undeniable’", + "description": "The changes happening at the top of the planet could unfold elsewhere in the years to come, scientists report.", + "content": "A prowling polar bear on the island of Pyramiden, part of the Svalbard archipelago in Norway, this year.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/14/climate/arctic-report-card-climate-change.html", + "creator": "Raymond Zhong", + "pubDate": "Tue, 14 Dec 2021 21:30:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "75dbb8fc0a15d899edb300dd20fe7de7" + }, + { + "title": "As Search Continues, Dozens Killed in Tornadoes Are Mourned", + "description": "At least 74 people were killed in Kentucky, including victims ranging in age from two months to 98 years old. Here’s the latest.", + "content": "At least 74 people were killed in Kentucky, including victims ranging in age from two months to 98 years old. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/14/us/tornado-damage-victims", + "creator": "The New York Times", + "pubDate": "Tue, 14 Dec 2021 22:20:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b20436d8a69baef631683848ac55333d" + }, + { + "title": "Chloe Kim Is Grown Up and Ready for the Olympic Spotlight", + "description": "Everyone seemed to love Chloe Kim when she was a snowboarding prodigy on her way to an Olympic gold medal. When she saw the downside of fame, she stepped back and built a life beyond the halfpipe.", + "content": "Everyone seemed to love Chloe Kim when she was a snowboarding prodigy on her way to an Olympic gold medal. When she saw the downside of fame, she stepped back and built a life beyond the halfpipe.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/12/14/sports/olympics/chloe-kim-snowboarding.html", + "creator": "John Branch", + "pubDate": "Tue, 14 Dec 2021 16:50:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c1ad326211f566dd96fd13fd2bb3f2b3" + }, + { + "title": "James Webb Space Telescope Launch Is Making Astronomers Very Anxious", + "description": "The James Webb Space Telescope is endowed with the hopes and trepidations of a generation of astronomers.", + "content": "Testing and inspection of the telescope’s observatory at Northrop Grummon in California in May 2020.", + "category": "James Webb Space Telescope", + "link": "https://www.nytimes.com/2021/12/14/science/james-webb-telescope-launch.html", + "creator": "Dennis Overbye", + "pubDate": "Tue, 14 Dec 2021 18:08:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6c7693efb375d04dca5f9a09c7241131" + }, + { + "title": "New York’s Top 10 New Restaurants of 2021", + "description": "After a year that began with indoor dining banned in the city, our critic Pete Wells cherishes the places that celebrate sharing — and life.", + "content": "A panoply of dishes at CheLi on St. Marks Place.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/12/14/dining/new-yorks-top-10-new-restaurants-of-2021.html", + "creator": "Pete Wells", + "pubDate": "Tue, 14 Dec 2021 17:06:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "932d779790aaaf43669997754437f197" + }, + { + "title": "The Welcome Return of the Run-In", + "description": "Running into acquaintances used to be a routine annoyance. Now, it’s an unholy rush.", + "content": "Running into acquaintances used to be a routine annoyance. Now, it’s an unholy rush.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/14/style/run-in-acquaintances.html", + "creator": "Reyhan Harmanci", + "pubDate": "Tue, 14 Dec 2021 19:49:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "76c74aa1f113c737a304b1f7e562b963" + }, + { + "title": "Looking for a Way to Soup Up Your Car? Go Electric.", + "description": "It may not be cheap, but swapping the combustion engine in your car for an electric one is getting easier.", + "content": "It may not be cheap, but swapping the combustion engine in your car for an electric one is getting easier.", + "category": "Electric and Hybrid Vehicles", + "link": "https://www.nytimes.com/2021/12/13/business/car-electric-engine-retrofitting.html", + "creator": "Christine Negroni", + "pubDate": "Mon, 13 Dec 2021 14:44:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2059863bc127a9dc85f27af4ae15b32f" + }, + { + "title": "Boris Johnson, Facing Omicron and Scandal, Is in Trouble ", + "description": "Britons don’t know whether the prime minister can save himself, let alone Christmas.", + "content": "Britons don’t know whether the prime minister can save himself, let alone Christmas.", + "category": "Great Britain", + "link": "https://www.nytimes.com/2021/12/14/opinion/boris-johnson-britain-omicron.html", + "creator": "Tanya Gold", + "pubDate": "Tue, 14 Dec 2021 06:07:45 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "808974a6e24afe5cd49b5e56d697a9a5" + }, + { + "title": "Tornadoes Shouldn’t Be a Workplace Hazard", + "description": "The disasters that struck in Kentucky and Illinois cannot be separated from the overall political economy of the United States.", + "content": "Families gather at the site of a candle factory in Mayfield, Ky., that was destroyed by a tornado on Friday, killing eight people.", + "category": "Workplace Hazards and Violations", + "link": "https://www.nytimes.com/2021/12/14/opinion/tornadoes-mayfield-amazon.html", + "creator": "Jamelle Bouie", + "pubDate": "Tue, 14 Dec 2021 16:03:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dcb1559caf383d5c74d3f17980e8bf09" + }, + { + "title": "Timeless Wisdom for Leading a Life of Love, Friendship and Learning", + "description": "The ethicist Leon Kass discusses the ingredients for a meaningful life.", + "content": "The ethicist Leon Kass discusses the ingredients for a meaningful life.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/14/opinion/ezra-klein-podcast-leon-kass.html", + "creator": "‘The Ezra Klein Show’", + "pubDate": "Tue, 14 Dec 2021 18:33:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "80931cf1fa3a8bd2b6c2c05d9881bf3c" + }, + { + "title": "The Bogus Bashing of Build Back Better", + "description": "Beware of bad faith, bad logic and bad arithmetic.", + "content": "Beware of bad faith, bad logic and bad arithmetic.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/13/opinion/build-back-better.html", + "creator": "Paul Krugman", + "pubDate": "Tue, 14 Dec 2021 00:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e6c2622e95d0418a226135c25b5df154" + }, + { + "title": "The Anti-Abortion Movement Could Reduce Abortions if It Wanted To", + "description": "Contraception would reduce abortions. Why doesn’t the anti-abortion movement promote it?", + "content": "Contraception would reduce abortions. Why doesn’t the anti-abortion movement promote it?", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/14/opinion/abortion-contraception-pregnancy.html", + "creator": "Jill Filipovic", + "pubDate": "Tue, 14 Dec 2021 19:52:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cfdb2834681f0139f6fa07c5fac7eb2d" + }, + { + "title": "Your Pocketbook Is Ruled by This Agency, and It’s in the Middle of a Huge Fight", + "description": "The current chairwoman could effectively run out the clock on the president’s first term.", + "content": "Jelena McWilliams, the chairwoman of the Federal Deposit Insurance Corporation’s board of directors and an opponent of stronger merger oversight, could effectively run out the clock on President Biden’s first term.", + "category": "McWilliams, Jelena", + "link": "https://www.nytimes.com/2021/12/14/opinion/jelena-mcwilliams-fdic-bank-regulation.html", + "creator": "Mehrsa Baradaran and Jeremy Kress", + "pubDate": "Tue, 14 Dec 2021 15:22:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "27c3ec6140ae39c26a30b85bfa5661ba" + }, + { + "title": "Take Action Now to Curb Inflation", + "description": "It’s better to act more aggressively now than wait and risk sparking a recession later.", + "content": "Jerome Powell, chairman of the Federal Reserve.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/13/opinion/inflation-biden-powell-economy-federal-reserve.html", + "creator": "Glenn Hubbard", + "pubDate": "Mon, 13 Dec 2021 18:37:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d3a527ae6937ba8520d0b849295ceba5" + }, + { + "title": "Debate Teaches Kids How to Think", + "description": "Everyone should have that privilege.", + "content": "Everyone should have that privilege.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/13/opinion/debate-important-lessons.html", + "creator": "Jay Caspian Kang", + "pubDate": "Tue, 14 Dec 2021 02:35:58 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fc7cc9014d4b1992b9fce97e35202a5d" + }, + { + "title": "Is Biden’s Presidency a Disappointment?", + "description": "Readers assess the Biden presidency. Also: Mark Meadows and Jan. 6; paying for abortions for women in need.", + "content": "  ", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/14/opinion/letters/biden-presidency.html", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 18:11:54 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d19baf9571cefdfa58447992db901923" + }, + { + "title": "Education Is Like a Beautiful Garden", + "description": "Consider giving to education-related charities this holiday season.", + "content": "Consider giving to education-related charities this holiday season.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/13/opinion/philanthropy-giving-education.html", + "creator": "Peter Coy", + "pubDate": "Mon, 13 Dec 2021 20:38:58 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9b351a0dddb36ec4c05341315111199d" + }, + { + "title": "Donating to Environmental Nonprofits in the South", + "description": "Our collective efforts can make a huge difference. ", + "content": "Lost Cove in Sewanee, Tenn.", + "category": "Environment", + "link": "https://www.nytimes.com/2021/12/13/opinion/environmental-nonprofits-tennesse-south.html", + "creator": "Margaret Renkl", + "pubDate": "Mon, 13 Dec 2021 10:05:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "87dce11919f7550cf9c182e23b44dd16" + }, + { + "title": "There Is a World of Good We Can Do", + "description": "A few worthies from Times Opinion’s giving guide and a few … unworthies.", + "content": "A few worthies from Times Opinion’s giving guide and a few … unworthies.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/13/opinion/charities-giving-politics.html", + "creator": "Gail Collins and Bret Stephens", + "pubDate": "Tue, 14 Dec 2021 00:27:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b0377d0472e994fee857dbfda21eabe5" + }, + { + "title": "Why Times Opinion Is Sounding the Climate Change Alarm", + "description": "The climate crisis is now.", + "content": "The climate crisis is now.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/13/opinion/nyt-climate-change.html", + "creator": "Kathleen Kingsbury", + "pubDate": "Mon, 13 Dec 2021 14:05:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "720c20e84b2ad7491a3933dba4a135e0" + }, + { + "title": "Across the World, Covid Anxiety and Depression Take Hold", + "description": "It is still unclear how much of a threat the fast-spreading Omicron variant poses, but fear and a sudden revival of restrictions have added to an epidemic of loneliness.", + "content": "A Covid-19 patient in a hospital in Marseille, France, on Friday.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/12/13/world/europe/covid-anxiety-depression-omicron.html", + "creator": "Roger Cohen", + "pubDate": "Tue, 14 Dec 2021 03:29:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b7199893a7d7847d361b5185759785c5" + }, + { + "title": "Supreme Court Allows Vaccine Mandate for New York Health Care Workers", + "description": "Doctors and nurses challenged a state coronavirus vaccine requirement that had medical but not religious exemptions, saying it violated their right to free exercise of their faiths.", + "content": "Lisabeth Johnson, a nurse at the Hebrew Home at Riverdale in New York, received a coronavirus vaccine at her workplace in September.", + "category": "Freedom of Religion", + "link": "https://www.nytimes.com/2021/12/13/us/politics/supreme-court-vaccine-mandate-new-york-healthcare.html", + "creator": "Adam Liptak", + "pubDate": "Mon, 13 Dec 2021 21:42:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9c0f2a23077db744115bb4a702d66101" + }, + { + "title": "Nassar Abuse Survivors Reach a $380 Million Settlement", + "description": "The agreement reached with U.S.A. Gymnastics and the U.S. Olympic & Paralympic Committee will compensate more than 500 girls and women abused in the sport.", + "content": "The agreement reached with U.S.A. Gymnastics and the U.S. Olympic & Paralympic Committee will compensate more than 500 girls and women abused in the sport.", + "category": "Gymnastics", + "link": "https://www.nytimes.com/2021/12/13/sports/olympics/nassar-abuse-gymnasts-settlement.html", + "creator": "Juliet Macur", + "pubDate": "Mon, 13 Dec 2021 18:38:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "92509c5f0c2b38a8a94feeb819ff3a53" + }, + { + "title": "Her Instagram Handle Was ‘Metaverse.’ Last Month, It Vanished.", + "description": "Five days after Facebook changed its name to Meta, an Australian artist found herself blocked, with seemingly no recourse, from an account documenting nearly a decade of her life and work.", + "content": "Thea-Mai Baumann’s Instagram account was erased after Facebook changed its name to Meta.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/13/technology/instagram-handle-metaverse.html", + "creator": "Maddison Connaughton", + "pubDate": "Mon, 13 Dec 2021 05:21:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4287993cc5d3fea7b0a65792a8fcb88a" + }, + { + "title": "No U.S. Troops Will Be Punished for Deadly Kabul Drone Strike", + "description": "The military initially defended the August strike, which killed 10 civilians including seven children, in the days afterward, but ultimately called it a tragic mistake.", + "content": "A relative looks at the damage after after a U.S. drone strike killed 10 civilians in Kabul, Afghanistan, in August. The military later admitted the strike was a tragic mistake.", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/13/us/politics/afghanistan-drone-strike.html", + "creator": "Eric Schmitt", + "pubDate": "Mon, 13 Dec 2021 18:27:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fe4a03a2b8478f440fe1fc69f00fabba" + }, + { + "title": "How Far Will Supreme Court Justices Go on Abortion?", + "description": "And the Supreme Court’s two very different paths.", + "content": "The Supreme Court", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/14/briefing/abortion-supreme-court-roe-v-wade.html", + "creator": "David Leonhardt", + "pubDate": "Tue, 14 Dec 2021 12:25:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "18f5dd47b2d0bc70b3499fe8087c8aeb" + }, + { + "title": "Why Was Haiti’s President Assassinated?", + "description": "An investigation into the killing of the Caribbean nation’s leader points to corruption and drug trafficking at the highest levels of government.", + "content": "A mural depicting Mr. Moïse in Port-au-Prince, the capital of Haiti, in September. The investigation into the president’s killing has stalled, American officials say.", + "category": "Assassinations and Attempted Assassinations", + "link": "https://www.nytimes.com/2021/12/14/podcasts/the-daily/jovenel-moise-haiti-president-assassination.html", + "creator": "Sabrina Tavernise, Daniel Guillemette, Austin Mitchell, Rob Szypko, Chelsea Daniel, Paige Cowett, Lisa Chow, Dan Powell, Marion Lozano and Chris Wood", + "pubDate": "Tue, 14 Dec 2021 11:00:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "26d3cf1156ab40eedbc05f0ab4809e21" + }, + { + "title": "A New Oral History of HBO", + "description": "James Andrew Miller talks about “Tinderbox,” and Mayukh Sen discusses “Taste Makers.”", + "content": "James Andrew Miller talks about “Tinderbox,” and Mayukh Sen discusses “Taste Makers.”", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/10/books/review/a-new-oral-history-of-hbo.html", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 19:46:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "10a99ecd53dfa2ea29a35fc9c6593a23" + }, + { + "title": "Gasoline Truck in Haiti Explodes, Killing More Than 60", + "description": "Scores more were injured in the blast. It was the latest tragedy to hit the country, which has been rocked by political violence, natural disasters, poverty and hunger.", + "content": "The explosion site in Cap-Haitien, Haiti, on Tuesday.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/14/world/americas/haiti-fuel-tanker-explosion.html", + "creator": "Harold Isaac and Oscar Lopez", + "pubDate": "Tue, 14 Dec 2021 18:49:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a6f4073d8e148fabab97aa3ecfe9c8bc" + }, + { + "title": "Proud Boys Regroup, Focusing on School Boards and Town Councils", + "description": "The far-right nationalist group has become increasingly active at school board meetings and town council gatherings across the country.", + "content": "Proud Boys members at a rally in Salem, Ore., in May.", + "category": "Storming of the US Capitol (Jan, 2021)", + "link": "https://www.nytimes.com/2021/12/14/us/proud-boys-local-issues.html", + "creator": "Sheera Frenkel", + "pubDate": "Tue, 14 Dec 2021 22:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fe2354b358dfad6f2b8c9ad8404f4c14" + }, + { + "title": "Phillip Adams Had Severe C.T.E. at the Time of Shootings", + "description": "A neuropathologist found an “unusually severe” form of the brain disease in the 32-year-old former N.F.L. player who killed six people in April before shooting himself.", + "content": "Phillip Adams, a former journeyman N.F.L. defensive back, was posthumously found to have stage 2 C.T.E. after his brain was examined at Boston University.", + "category": "Chronic Traumatic Encephalopathy", + "link": "https://www.nytimes.com/2021/12/14/sports/football/phillip-adams-cte-shootings.html", + "creator": "Jonathan Abrams", + "pubDate": "Tue, 14 Dec 2021 19:00:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "25eab41fd3ca84a3000795fc4ac571f9" + }, + { + "title": "China Turns to Olympic Committee as Peng Shuai Scandal Lingers", + "description": "The International Olympic Committee’s professed neutrality has provided coverage for Beijing, which delivers big audiences and funding in exchange.", + "content": "The International Olympic Committee’s professed neutrality has provided coverage for Beijing, which delivers big audiences and funding in exchange.", + "category": "Samaranch, Juan Antonio", + "link": "https://www.nytimes.com/2021/12/14/business/china-olympics-peng-shuai-samaranch.html", + "creator": "Li Yuan", + "pubDate": "Tue, 14 Dec 2021 11:15:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d56862368bf39eb6312d9680f4f79f6f" + }, + { + "title": "Belarus Opposition Leader Is Sentenced to 18 Years in Prison", + "description": "The activist Sergei Tikhanovsky planned to challenge the country’s authoritarian leader, Aleksandr G. Lukashenko, in a presidential election last year. He was arrested before the vote and his wife stepped in.", + "content": "A photograph of Sergei Tikhanovsky, the detained Belarusian opposition activist and blogger, displayed at a demonstration in Minsk in August 2020.", + "category": "Elections", + "link": "https://www.nytimes.com/2021/12/14/world/europe/belarus-opposition-sergei-tikhanovsky.html", + "creator": "Ivan Nechepurenko", + "pubDate": "Tue, 14 Dec 2021 19:18:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e59d7677b50df0ddfadb8c47b8e6f5eb" + }, + { + "title": "How Inflation Affects Turkey's Struggling Economy", + "description": "Even before the pandemic, Turkey was trying to ward off financial meltdown. The crisis has accelerated as President Recep Tayyip Erdogan has doubled down on his unorthodox policies.", + "content": "People lined up to purchase bread in Istanbul, Turkey, last week.", + "category": "Erdogan, Recep Tayyip", + "link": "https://www.nytimes.com/2021/12/14/business/economy/turkey-inflation-economy-lira.html", + "creator": "Patricia Cohen", + "pubDate": "Tue, 14 Dec 2021 21:16:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "00b34cb5b702a07a46bf9c27a1804fb0" + }, + { + "title": "Wirecutter Union Reaches Deal With New York Times Co.", + "description": "The contract, which the union’s members will vote on, includes immediate average wage increases of about $5,000 and 3 percent raises for each year of the deal, which runs through February 2024.", + "content": "The contract, which the union’s members will vote on, includes immediate average wage increases of about $5,000 and 3 percent raises for each year of the deal, which runs through February 2024.", + "category": "Organized Labor", + "link": "https://www.nytimes.com/2021/12/14/business/media/wirecutter-union-contract.html", + "creator": "Katie Robertson", + "pubDate": "Tue, 14 Dec 2021 20:23:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d8a1c435191b89e71c52f37f1cec8eb7" + }, + { + "title": "Business Updates: Toyota Outlines Plans to Expand Electric Car Sales", + "description": "The International Energy Agency said that the key factor in its improved outlook was rising production in the United States, Canada and Brazil.", + "content": "The International Energy Agency said that the key factor in its improved outlook was rising production in the United States, Canada and Brazil.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/14/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 14 Dec 2021 22:11:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c4b17b3044a10d99c9114a509a74b5e7" + }, + { + "title": "Nai-Ni Chen, Whose Dances Merged East and West, Dies at 62", + "description": "Ms. Chen, who founded the Nai-Ni Chen Dance Company in 1988, died while swimming in Hawaii, where she was vacationing.", + "content": "Nai-Ni Chen performing in “Passage to the Silk River” at New York City Center’s Fall for Dance Festival in 2005. “I like to integrate both aesthetics, Eastern and Western,” Ms. Chen, who founded the company named for her, once said.", + "category": "Dancing", + "link": "https://www.nytimes.com/2021/12/13/arts/dance/nai-ni-chen-dead.html", + "creator": "Neil Genzlinger", + "pubDate": "Mon, 13 Dec 2021 23:31:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4982f760fa3f433333e756dcb01d6c8a" + }, + { + "title": "The Fed Meets Amid Faster Inflation and Prepares to React", + "description": "The Federal Reserve could announce plans to cut economic support faster, and may signal 2022 rate increases, at its Dec. 14-15 meeting.", + "content": "Jerome H. Powell, the Federal Reserve chair, has signaled that the central bank is growing more worried about inflation and could move to withdraw economic support more quickly.", + "category": "Interest Rates", + "link": "https://www.nytimes.com/2021/12/14/business/economy/fed-meeting-inflation.html", + "creator": "Jeanna Smialek", + "pubDate": "Tue, 14 Dec 2021 22:09:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b63a932ec0ff03eb6943d2cecf39cf54" + }, + { + "title": "Heavy Rain and Snow Are Expected Over Much of California", + "description": "The state was blanketed by a variety of weather warnings, with more than five feet of snow predicted for parts of the Sierra Nevada.", + "content": "A storm brought heavy rainfall and wind to San Francisco and other parts of Northern California on Monday.", + "category": "California", + "link": "https://www.nytimes.com/2021/12/14/us/california-snow-rain-storm.html", + "creator": "Derrick Bryson Taylor", + "pubDate": "Tue, 14 Dec 2021 21:35:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b157981faf220e3c1ffcdc5c6bb61ed0" + }, + { + "title": "Paris 2024 Floats Openness After Two Closed-Door Olympics", + "description": "French organizers approved a sprawling opening ceremony, with athletes floating down the Seine in a parade of boats, but to date they have not criticized China.", + "content": "French organizers approved a sprawling opening ceremony, with athletes floating down the Seine in a parade of boats, but to date they have not criticized China.", + "category": "International Olympic Committee", + "link": "https://www.nytimes.com/2021/12/13/sports/olympics/paris-2024-beijing-2022.html", + "creator": "Matthew Futterman", + "pubDate": "Tue, 14 Dec 2021 21:46:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4a98054cf12c7636b0bd35008b565c85" + }, + { + "title": "How to Deal With Social Anxiety During the Holidays", + "description": "Even in the best of times, social gatherings can be overwhelming. If you’re feeling less-than-festive, here’s how to ease into the season.", + "content": "Even in the best of times, social gatherings can be overwhelming. If you’re feeling less-than-festive, here’s how to ease into the season.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/11/24/well/mind/holiday-social-anxiety.html", + "creator": "Jancee Dunn", + "pubDate": "Thu, 25 Nov 2021 00:00:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1d7eca35e6d7387fc71b41b3e0f6ded2" + }, + { + "title": "How to Build Resilience in Midlife", + "description": "There are active steps you can take during and after a crisis to speed your emotional recovery.", + "content": "There are active steps you can take during and after a crisis to speed your emotional recovery.", + "category": "Optimism", + "link": "https://www.nytimes.com/2017/07/25/well/mind/how-to-boost-resilience-in-midlife.html", + "creator": "Tara Parker-Pope", + "pubDate": "Wed, 26 Jul 2017 03:22:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "32dd2c229cc5c6f0ff358f31fbf11c4e" + }, + { + "title": "I’m Embarrassed by My Prenatal Depression. Here’s Why I Talk About It Anyway.", + "description": "One in five women will have mental health issues during and after pregnancy. Raising awareness matters for getting them the treatment they need.", + "content": "One in five women will have mental health issues during and after pregnancy. Raising awareness matters for getting them the treatment they need.", + "category": "Mental Health and Disorders", + "link": "https://www.nytimes.com/2019/04/30/parenting/prenatal-depression.html", + "creator": "Jessica Grose", + "pubDate": "Tue, 25 Jun 2019 20:46:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cfbd54c5c267bf0c2719c74ae9623edf" + }, + { + "title": "The Brain Fog of Menopause", + "description": "‘Menopause-related cognitive impairment happens to women in their 40s and 50s, women in the prime of life who suddenly have the rug pulled out from under them,’ an expert says.", + "content": " ", + "category": "Menopause", + "link": "https://www.nytimes.com/2018/12/17/well/live/the-brain-fog-of-menopause.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 17 Dec 2018 10:00:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c8951e8843c0e8681764976dd51d558b" + }, + { + "title": "ECT Can Be a Good Treatment Option for Serious Depression", + "description": "Electroconvulsive therapy can effectively treat depression, and is as safe as antidepressant drugs along with psychotherapy, a new analysis found.", + "content": "Doctors prepare a patient to receive electroconvulsive therapy at Mount Sinai Medical Center in New York.", + "category": "Seizures (Medical)", + "link": "https://www.nytimes.com/2021/09/14/well/ect-therapy-depression.html", + "creator": "Nicholas Bakalar", + "pubDate": "Tue, 14 Sep 2021 16:30:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "719906951c49909d67acc36913a3e548" + }, + { + "title": "Mackenzie Davis Catches Fire", + "description": "In the new HBO Max series “Station Eleven,” Davis plays the lead as a tough but vulnerable survivor of a pandemic. She had ample experience to draw from.", + "content": "“Like anybody else, I had a number of hugely upsetting events happen in the last two years,” Mackenzie Davis said. Her latest role provided a chance to grapple with some of those feelings.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/14/arts/television/mackenzie-davis-station-eleven.html", + "creator": "Coralie Kraft", + "pubDate": "Tue, 14 Dec 2021 19:26:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fca4edccc37a26cf2d137e097c7607a9" + }, + { + "title": "Famed for Fiction, Jim Harrison Was Also a Poet of Prodigious Appetites", + "description": "Pleasure and mortality are the twin themes of Harrison’s mammoth “Complete Poems,” spanning his career from his 1965 debut to his 2016 death.", + "content": "Pleasure and mortality are the twin themes of Harrison’s mammoth “Complete Poems,” spanning his career from his 1965 debut to his 2016 death.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/14/books/review/jim-harrison-complete-poems.html", + "creator": "Troy Jollimore", + "pubDate": "Tue, 14 Dec 2021 16:40:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "96468272ba660f0f6e8f96253836119e" + }, + { + "title": "For Aging New Yorkers, Help With Health Care", + "description": "When a Holocaust survivor needed a dental procedure, nonprofit groups assisted. The challenges on a fixed income can be daunting.", + "content": "Saveliy Kaplinsky came to the United States after spending most of his life in Minsk.", + "category": "New York Times Neediest Cases Fund", + "link": "https://www.nytimes.com/2021/12/14/neediest-cases/new-york-health-care-assistance.html", + "creator": "Emma Grillo", + "pubDate": "Tue, 14 Dec 2021 10:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2a81a733ce991d47b203ce919407f0b5" + }, + { + "title": "Why Shouldn’t Housing for the Homeless Be Beautiful?", + "description": "An exhibition highlights creative solutions by architects around the world to the problem of homelessness.", + "content": "An exhibition highlights creative solutions by architects around the world to the problem of homelessness.", + "category": "Homeless Persons", + "link": "https://www.nytimes.com/2021/11/25/arts/design/homeless-architecture-whos-next-munich.html", + "creator": "Thomas Rogers", + "pubDate": "Fri, 26 Nov 2021 16:05:12 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "736ce2c376fa134a6a51280ae90016e2" + }, + { + "title": "Seton Hall and Rutgers Shake Up Men's Basketball Rankings", + "description": "No. 16 Seton Hall has two wins over top-10 teams, and Rutgers upset No. 1 Purdue after a rough start. They revived their rivalry Sunday after a one-year hiatus.", + "content": "No. 16 Seton Hall has two wins over top-10 teams, and Rutgers upset No. 1 Purdue after a rough start. They revived their rivalry Sunday after a one-year hiatus.", + "category": "Basketball (College)", + "link": "https://www.nytimes.com/2021/12/13/sports/rutgers-seton-hall-mens-basketball.html", + "creator": "Billy Witz", + "pubDate": "Mon, 13 Dec 2021 23:48:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8334f850dbcd0f201fbbfc9195053e14" + }, + { + "title": "Jan. 6 Committee Recommends Contempt Charge for Mark Meadows", + "description": "The panel sent a criminal contempt of Congress referral to the full House, as the extent of Mark Meadows’s role in President Donald J. Trump’s efforts to overturn the election became clearer.", + "content": "The House committee acted after Mark Meadows, the former chief of staff for President Donald J. Trump, shifted from partially participating in the inquiry to waging a legal fight against the committee.", + "category": "Meadows, Mark R (1959- )", + "link": "https://www.nytimes.com/2021/12/13/us/politics/mark-meadows-contempt.html", + "creator": "Luke Broadwater and Alan Feuer", + "pubDate": "Tue, 14 Dec 2021 03:43:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8aceabaf4f169c2b8d2de93ea198c884" + }, + { + "title": "Fox News Hosts Sent Texts to Mark Meadows During Jan. 6 Attack", + "description": "Afterward, on their shows, Laura Ingraham spread the false claim of antifa involvement, and Sean Hannity referred to the 2020 election as a “train wreck.”", + "content": "Afterward, on their shows, Laura Ingraham spread the false claim of antifa involvement, and Sean Hannity referred to the 2020 election as a “train wreck.”", + "category": "Storming of the US Capitol (Jan, 2021)", + "link": "https://www.nytimes.com/2021/12/13/business/media/fox-news-trump-jan-6-meadows.html", + "creator": "Jim Windolf and John Koblin", + "pubDate": "Tue, 14 Dec 2021 03:39:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4518f88d8fd9a8dab848ed80f7122a64" + }, + { + "title": "Lawyers Clash Again Over Subpoena for Trump’s Financial Records", + "description": "The long-running case dates back to an early 2019 House Oversight Committee demand to see years of the then-president’s financial data.", + "content": "Former President Donald J. Trump filed a lawsuit against the accounting firm Mazars USA to block it from complying with a congressional subpoena.", + "category": "Trump Tax Returns", + "link": "https://www.nytimes.com/2021/12/13/us/politics/trump-subpoena-financial-records.html", + "creator": "Charlie Savage", + "pubDate": "Tue, 14 Dec 2021 00:07:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "136fb47d8f346278bce166becae20269" + }, + { + "title": "Denmark and Norway Predict Drastic Spike in Omicron Cases", + "description": "Health authorities in Europe are warning of a sharp increase in Omicron cases, adding to an existing surge from the Delta variant.", + "content": "Vaccinations at a high school in Oslo in September. Researchers are concerned that the rise in Omicron cases in Norway will overburden hospitals.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/13/health/omicron-cases-denmark-norway.html", + "creator": "Carl Zimmer and Emily Anthes", + "pubDate": "Mon, 13 Dec 2021 20:58:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4ad018532feaa0dff7636fc17e5ce127" + }, + { + "title": "Jail Officer Who Led Others to Safety Is Among the 74 Killed in Tornadoes", + "description": "Families were mourning in several states after a swarm of tornadoes left a trail of destruction. “It’s almost crushing how it feels,” said Kentucky’s governor, Andy Beshear.", + "content": "Volunteers cleared debris in Mayfield, Ky., on Monday.", + "category": "Tornadoes", + "link": "https://www.nytimes.com/2021/12/13/us/kentucky-tornado-victims.html", + "creator": "Edgar Sandoval, Tariro Mzezewa and Christine Hauser", + "pubDate": "Tue, 14 Dec 2021 01:47:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0847210a86876a04c20d1ed4434d645c" + }, + { + "title": "Kentucky Tornadoes Followed Flash Floods, Ice Storm and a Covid Spike", + "description": "Even before the catastrophic storm claimed dozens of lives, a state and its governor have been repeatedly tested.", + "content": "An apartment complex in Dawson Village, Ky., was nearly erased by the storm that hit on Friday night.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/13/us/kentucky-tornado-disaster-governor.html", + "creator": "Rick Rojas and Richard Fausset", + "pubDate": "Tue, 14 Dec 2021 01:52:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f2c59cfe555ab5b3f535a8d3b2116024" + }, + { + "title": "Israeli Prime Minister Holds Historic Meeting With U.A.E Crown Prince", + "description": "Prime Minister Naftali Bennett and Prince Mohammed bin Zayed of the United Arab Emirates met for four hours on the Israeli leader’s first official trip to the Gulf state.", + "content": "Prime Minister Naftali Bennett of Israel, left, and Crown Prince Mohammed bin Zayed of the United Arab Emirates in Abu Dhabi on Monday.", + "category": "Bennett, Naftali", + "link": "https://www.nytimes.com/2021/12/13/world/middleeast/israel-uae-naftali-bennett.html", + "creator": "Patrick Kingsley", + "pubDate": "Mon, 13 Dec 2021 13:52:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "490708320335bb66b8d9bb77459671b6" + }, + { + "title": "Israel Finds Planes That Could Be Key to a Strike on Iran Badly Back-Ordered", + "description": "The United States told Israel it was unlikely to deliver refueling tankers before 2024, amid tensions between the two nations over how to deal with Iran’s nuclear program.", + "content": "A United States Air Force KC-46 jet in flight this year. KC-46 refueling tankers could prove critical to Israel in efforts to strike Iran’s nuclear facilities. ", + "category": "Israel", + "link": "https://www.nytimes.com/2021/12/13/us/politics/israel-tankers-iran.html", + "creator": "David E. Sanger, Ronen Bergman and Helene Cooper", + "pubDate": "Tue, 14 Dec 2021 03:17:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "81fc12e625ddf499d1e5f29eba1c7232" + }, + { + "title": "Manchin Casts Doubt on Quick Vote on Biden’s Social Policy Bill", + "description": "The West Virginia Democrat said he still harbored serious concerns about the $2.2 trillion measure, potentially frustrating his party’s push to win Senate approval before Christmas.", + "content": "Senator Joe Manchin III has called the current trend of inflation “alarming.”", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/13/us/politics/manchin-social-policy-bill.html", + "creator": "Emily Cochrane", + "pubDate": "Mon, 13 Dec 2021 23:49:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c1ae67dad62bca92a43173c836c464dd" + }, + { + "title": "What Did Stephen Sondheim Really Think of ‘Rent’?", + "description": "The composer served as something of a mentor to Jonathan Larson and spoke frankly about the show after the younger man’s death.", + "content": "Jonathan Larson, left, sometimes turned to Stephen Sondheim for advice.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/13/movies/stephen-sondheim-jonathan-larson.html", + "creator": "Evelyn McDonnell", + "pubDate": "Tue, 14 Dec 2021 02:25:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1505e63256d8ab4a40e4d756522b8478" + }, + { + "title": "To Understand Our Future on Earth, Look to the Laws That Govern Nature", + "description": "In “A Natural History of the Future,” Rob Dunn turns to ecology as a way of figuring out just how the planet will be altered by climate change.", + "content": "In “A Natural History of the Future,” Rob Dunn turns to ecology as a way of figuring out just how the planet will be altered by climate change.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/09/books/review/a-natural-history-of-the-future-rob-dunn.html", + "creator": "Peter Brannen", + "pubDate": "Thu, 09 Dec 2021 10:00:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fb25fe05120002ad8e11864b3eb2d8d6" + }, + { + "title": "Vicente Fernández, the King of Machos and Heartbreak", + "description": "The singer’s brand of machismo may have frayed, but for many, he was the ideal of what it means to be hard-working, hard-loving Mexican man.", + "content": "The singer Vicente Fernández, who was the king of ranchera music, performed at the Latin Grammy Awards in 2019. He died on Sunday at 81.", + "category": "Fernandez, Vicente", + "link": "https://www.nytimes.com/2021/12/13/arts/music/vicente-fernandez-influence.html", + "creator": "Maira Garcia", + "pubDate": "Tue, 14 Dec 2021 00:37:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "280b60c477f34746e89a148022eadb65" + }, + { + "title": "We’re Edging Closer to Civil War", + "description": "I see too many uneasy parallels between what was happening nearly 200 years ago and what is happening now over abortion.", + "content": "I see too many uneasy parallels between what was happening nearly 200 years ago and what is happening now over abortion.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/12/opinion/abortion-rights-america.html", + "creator": "Charles M. Blow", + "pubDate": "Sun, 12 Dec 2021 20:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "04d8f066e78a255e803f1ea7778b18d5" + }, + { + "title": "He Conceived of the Metaverse in the ’90s. He’s Unimpressed With Mark Zuckerberg’s.", + "description": "The novelist Neal Stephenson on Facebook’s next move and how you can survive the climate crisis.", + "content": "The novelist Neal Stephenson on Facebook’s next move and how you can survive the climate crisis.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/13/opinion/sway-kara-swisher-neal-stephenson.html", + "creator": "‘Sway’", + "pubDate": "Mon, 13 Dec 2021 13:44:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2a8e04c3b201c1f32ac39417badff656" + }, + { + "title": "Explore the Sound of Activism With Tom Morello", + "description": "Songs and social movements often go hand in hand. What music defines our politically charged times? Join a virtual event on Dec. 15.", + "content": "Songs and social movements often go hand in hand. What music defines our politically charged times? Join a virtual event on Dec. 15.", + "category": "Music", + "link": "https://www.nytimes.com/2021/11/30/opinion/explore-the-sound-of-activism-with-tom-morello.html", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 21:31:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "91e6c9a2a26a3d2d2f490230e42aa921" + }, + { + "title": "No Escape From the Pandemic Puppy Bubble", + "description": "A humorous take on dog obsession and the joys of having a pet lizard.", + "content": "A humorous take on dog obsession and the joys of having a pet lizard.", + "category": "Dogs", + "link": "https://www.nytimes.com/2021/12/12/opinion/pandemic-dogs-pets.html", + "creator": "Jon Methven", + "pubDate": "Sun, 12 Dec 2021 16:01:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e387f692a5468658ead1703e2e91baab" + }, + { + "title": "Detecting Signs of Trouble in Schools", + "description": "Discussing steps to reduce the number of school shootings. Also: Book censorship; hunger in Afghanistan; abortion after incest; what kind of America? ", + "content": "  ", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/13/opinion/letters/school-shootings.html", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 16:26:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15d05b6ea1906439614c90a89f32fd8d" + }, + { + "title": "The Upcoming Elections That Could Shake Both Parties", + "description": "Control of the Senate hangs on a few state races.", + "content": "John Fetterman wants Pennsylvania Democrats’ nomination to run for the Senate.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/opinion/elections-republicans-2022.html", + "creator": "Michelle Cottle", + "pubDate": "Mon, 13 Dec 2021 00:59:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0a3f43fc61fbf394ad5212a54b7e7046" + }, + { + "title": "As a Secret Unit Pounded ISIS, Civilian Deaths Mounted", + "description": "An American strike cell alarmed its partners as it raced to defeat the enemy.", + "content": "Talon Anvil directed thousands of strikes against Islamic State fighters in Syria, but former and current officials said its aggressive approach regularly killed civilians.", + "category": "Civilian Casualties", + "link": "https://www.nytimes.com/2021/12/12/us/civilian-deaths-war-isis.html", + "creator": "Dave Philipps, Eric Schmitt and Mark Mazzetti", + "pubDate": "Sun, 12 Dec 2021 08:00:12 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6bbb249c0d2fd9cbdd4d15583d79b33d" + }, + { + "title": "Chris Wallace Leaves Fox News as Right-Wing Hosts Hold Sway", + "description": "The “Fox News Sunday” anchor had been with the network for 18 years, and often dissented from the views of his pro-Trump colleagues.", + "content": "The “Fox News Sunday” anchor Chris Wallace at his home in Annapolis, Md., last year.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/12/business/media/chris-wallace-fox-news.html", + "creator": "Michael M. Grynbaum", + "pubDate": "Mon, 13 Dec 2021 01:52:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "08d0f8944c17736d48c319032c5a5521" + }, + { + "title": "Robberies. Drought. Tent Camps. Los Angeles’s Next Mayor Faces a Litany of Crises.", + "description": "The city’s unease could prove pivotal next year, when Los Angeles will elect a new mayor in a contest that civic leaders say will have the highest stakes in decades.", + "content": "A homeless encampment in Los Angeles, where more than nine in 10 county residents said homelessness was a serious or very serious problem.", + "category": "Los Angeles (Calif)", + "link": "https://www.nytimes.com/2021/12/12/us/los-angeles-mayor-race.html", + "creator": "Shawn Hubler and Jill Cowan", + "pubDate": "Sun, 12 Dec 2021 17:50:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9d23e9ae572f2e0435f622699400f442" + }, + { + "title": "Democrats Back Biden, But No Consensus About Plan B for 2024", + "description": "Leaders with White House aspirations all say they’ll support the president for another term. But there is no shortage of chatter about the options if he continues to falter.", + "content": "President Biden has told associates, and his press secretary has confirmed, that he plans to run for re-election in 2024.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/12/us/politics/biden-democrats-2024.html", + "creator": "Jonathan Martin and Alexander Burns", + "pubDate": "Sun, 12 Dec 2021 15:57:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "988893fbcb5904b787b4669377f6391f" + }, + { + "title": "Peloton Responds to 'And Just Like That' Appearance", + "description": "A Peloton stationary bike played a pivotal role on the new HBO Max “Sex and the City” revival, whose premiere preceded a drop in the company’s stock price on Friday.", + "content": "Carrie (Sarah Jessica Parker) and Mr. Big (Chris Noth) in the premiere of “And Just Like That.”", + "category": "Product Placement", + "link": "https://www.nytimes.com/2021/12/11/arts/television/peloton-sex-and-the-city.html", + "creator": "Isabella Grullón Paz", + "pubDate": "Mon, 13 Dec 2021 04:09:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fc2ec70b45df0a555979d26b3204c725" + }, + { + "title": "'Don't Look Up' Nails the Media Apocalypse", + "description": "With “Don’t Look Up,” Adam McKay makes a star-studded allegorical satire that shows the news media whistling past the climate-change graveyard.", + "content": "With “Don’t Look Up,” Adam McKay makes a star-studded allegorical satire that shows the news media whistling past the climate-change graveyard.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/12/12/business/media/dont-look-up-news-media.html", + "creator": "Ben Smith", + "pubDate": "Mon, 13 Dec 2021 00:54:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6f76b88a5e4c2f5541cef2a253311451" + }, + { + "title": "Derek Chauvin Appears Likely to Plead Guilty to Federal Crimes", + "description": "A change of plea hearing has been set for Mr. Chauvin, a former Minneapolis police officer who was found guilty of murdering George Floyd in April.", + "content": " Derek Chauvin, a former Minneapolis police officer, was sentenced in June after being convicted of murdering George Floyd.", + "category": "George Floyd Protests (2020)", + "link": "https://www.nytimes.com/2021/12/13/us/derek-chauvin-guilty-plea-federal.html", + "creator": "Nicholas Bogel-Burroughs", + "pubDate": "Mon, 13 Dec 2021 20:36:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "29afd6172d6c530a786f285acc6dcd80" + }, + { + "title": "Boris Johnson Is in Trouble. The Question Is, How Much?", + "description": "The British prime minister is facing a new virus variant, a rebellious Conservative Party, collapsing poll ratings and questions about whether he or his staff flouted the lockdown rules.", + "content": "Demonstrators rallied in London on Satruday against Covid passports and increasing measures to prevent the spread of the virus.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/13/world/europe/boris-johnson-uk-coronavirus.html", + "creator": "Mark Landler and Stephen Castle", + "pubDate": "Mon, 13 Dec 2021 23:57:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "76dcc8063483849522f6ffd94dc0cb7f" + }, + { + "title": "Geminid Meteor Shower: How to Watch Its Peak in Night Skies", + "description": "A picture from the meteor shower in 2020 highlights how brilliant this winter sky show can be.", + "content": "A composite photo of a night of six showers, on Dec. 13 and Dec. 14, 2020, in Texas, showing meteors from the Geminids, Sigma Hydrids, Leonis Minorids, Comae Berenicids, Monocerotids and Puppid-Velids showers.", + "category": "Space and Astronomy", + "link": "https://www.nytimes.com/2021/12/13/science/meteor-shower-geminid.html", + "creator": "Adam Mann", + "pubDate": "Mon, 13 Dec 2021 23:05:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4e4daf5d2acfc9c175e7390085ec8e89" + }, + { + "title": "Deals Reached on 3 Major NYC Transportation Projects", + "description": "Elected officials announced deals on funding of a new international terminal at Kennedy Airport and improvements to commuter train service.", + "content": "Gov. Kathy Hochul said that the Port Authority of New York and New Jersey had struck a revised deal for the construction of a $9.5 billion international terminal at Kennedy Airport.", + "category": "Infrastructure Investment and Jobs Act (2021)", + "link": "https://www.nytimes.com/2021/12/13/nyregion/jfk-metro-north-infrastructure-nyc.html", + "creator": "Patrick McGeehan", + "pubDate": "Tue, 14 Dec 2021 00:12:15 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d66ea17f6beff12d52a300b054994901" + }, + { + "title": "Joshua Bellamy, Ex-Jet, Is Sentenced to 3 Years in Covid-19 Aid Scheme", + "description": "Mr. Bellamy obtained a Paycheck Protection Program loan for $1.2 million for his company, Drip Entertainment L.L.C., by using false information, federal prosecutors said.", + "content": "Joshua Bellamy, a wide receiver, played for the Chicago Bears from 2014 to 2018 and later for the New York Jets. ", + "category": "Football", + "link": "https://www.nytimes.com/2021/12/13/sports/football/joshua-bellamy-sentenced-covid-fraud.html", + "creator": "Vimal Patel", + "pubDate": "Tue, 14 Dec 2021 04:21:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2d8b0c20973a89c14ab1b4a0aec6145d" + }, + { + "title": "Tunisia’s President Promises Vote on Constitution and Sets Election Date", + "description": "President Kais Saied’s announcement dispelled some of the uncertainty Tunisians have endured for months since he shunted aside Parliament in what critics called a soft coup.", + "content": "President Kais Saied’s announcement dispelled some of the uncertainty Tunisians have endured for months since he shunted aside Parliament in what critics called a soft coup.", + "category": "Tunisia", + "link": "https://www.nytimes.com/2021/12/13/world/middleeast/tunisia-saied-constitution-election.html", + "creator": "Vivian Yee", + "pubDate": "Tue, 14 Dec 2021 00:52:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "660dc83b597eb168defa6ca89ff9d8a0" + }, + { + "title": "Teachers Hit the Floor to Scoop Up Cash. Critics Give the Event an F.", + "description": "Ten teachers in South Dakota competed for $5,000 in dollar bills to spend on classroom improvements. Critics called the event at a hockey game in Sioux Falls demeaning.", + "content": "Local teachers scrambled for dollar bills to fund projects for their classrooms on Saturday.", + "category": "Education (K-12)", + "link": "https://www.nytimes.com/2021/12/13/us/south-dakota-teachers-dash-for-cash.html", + "creator": "Neil Vigdor", + "pubDate": "Tue, 14 Dec 2021 00:55:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "985bdd04e50283b975f40913cf565182" + }, + { + "title": "Charles R. Morris, Iconoclastic Author on Economics, Dies at 82", + "description": "Resisting ideological labels, experienced in government and banking, he critiqued policymakers’ “good intentions” and the costs of health care and forecast the 2008 financial crisis.", + "content": "Charles R. Morris in 2010. Armed with journalism and law degrees, he worked in government and in banking and wrote a raft of books on business and economics, in one case predicting the financial collapse of 2008.  ", + "category": "Morris, Charles R", + "link": "https://www.nytimes.com/2021/12/13/business/economy/charles-r-morris-dead.html", + "creator": "Sam Roberts", + "pubDate": "Tue, 14 Dec 2021 00:46:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "da3ab84b2c85752a0627368d646b50bb" + }, + { + "title": "Ghislaine Maxwell’s Unusual Request: Allow Anonymous Defense Witnesses", + "description": "Three of Ms. Maxwell’s accusers testified anonymously. Now her lawyers are asking that three defense witnesses also be able to conceal their identities.", + "content": "Bobbi Sternheim, one of the lawyers representing Ghislaine Maxwell, asked the judge overseeing Ms. Maxwell’s sex-trafficking trial to permit some witnesses to testify anonymously.", + "category": "Sex Crimes", + "link": "https://www.nytimes.com/2021/12/13/nyregion/ghislaine-maxwell-witness.html", + "creator": "Benjamin Weiser", + "pubDate": "Mon, 13 Dec 2021 23:17:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7686785043ca6d58f3bdebfb673290f6" + }, + { + "title": "Business Updates: California Proposes Raising Fees for Rooftop Solar Panels", + "description": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "content": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 14 Dec 2021 04:41:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4bc87256efcd951554f27772a858ad74" + }, + { + "title": "Why More Kids Aren’t Getting the HPV Vaccine", + "description": "The human papillomavirus vaccine can prevent six potentially lethal malignancies, but inoculation is meeting with rising resistance from parents.", + "content": "The human papillomavirus vaccine can prevent six potentially lethal malignancies, but inoculation is meeting with rising resistance from parents.", + "category": "Human Papillomavirus (HPV)", + "link": "https://www.nytimes.com/2021/12/13/well/live/hpv-vaccine-children.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 13 Dec 2021 15:24:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5018d907122d5d7b077bea54571abc34" + }, + { + "title": "My Daughter and I Were Diagnosed With Autism on the Same Day", + "description": "Autistic moms can face judgment while struggling with their own diagnosis and advocating for their children.", + "content": "Autistic moms can face judgment while struggling with their own diagnosis and advocating for their children.", + "category": "Autism", + "link": "https://www.nytimes.com/2020/04/15/parenting/autism-mom.html", + "creator": "Jen Malia", + "pubDate": "Mon, 01 Mar 2021 12:25:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "069809f8ab93e94b687eaf3562c5fab9" + }, + { + "title": "Navigating My Pregnancy With Fibroids", + "description": "The condition didn’t cause any complications with my first pregnancy. It landed me in the hospital with my second.", + "content": "The condition didn’t cause any complications with my first pregnancy. It landed me in the hospital with my second.", + "category": "Pregnancy and Childbirth", + "link": "https://www.nytimes.com/2021/12/13/well/family/pregnancy-fibroids.html", + "creator": "Tiffanie Graham", + "pubDate": "Mon, 13 Dec 2021 17:46:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6f37a94b2237f5d62edc89e192a59d9c" + }, + { + "title": "When Your 200-Month-Old Can’t Sleep Through the Night", + "description": "The biology of adolescent sleep leads to a later sleep onset time, which doesn’t pair well with early school start times.", + "content": "The biology of adolescent sleep leads to a later sleep onset time, which doesn’t pair well with early school start times.", + "category": "Sleep", + "link": "https://www.nytimes.com/2019/10/28/well/family/teenagers-sleep-insomnia.html", + "creator": "Perri Klass, M.D.", + "pubDate": "Fri, 01 Nov 2019 04:52:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1651fd60847bb384e4625c6ba3f73923" + }, + { + "title": "As Covid Deaths Rise, Lingering Grief Gets a New Name", + "description": "Prolonged grief disorder was recently added to the Diagnostic and Statistical Manual of Mental Disorders, just as experts are predicting a coming wave of severe bereavement.", + "content": "Prolonged grief disorder was recently added to the Diagnostic and Statistical Manual of Mental Disorders, just as experts are predicting a coming wave of severe bereavement.", + "category": "Grief (Emotion)", + "link": "https://www.nytimes.com/2021/12/08/well/mind/prolonged-grief-disorder-covid.html", + "creator": "Dawn MacKeen", + "pubDate": "Wed, 08 Dec 2021 19:05:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "550c48f85e14c924d1468b4251181f97" + }, + { + "title": "The Best Poetry of 2021", + "description": "The Book Review’s poetry columnist, Elisa Gabbert, picks her seven favorite collections of the year.", + "content": "The Book Review’s poetry columnist, Elisa Gabbert, picks her seven favorite collections of the year.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/10/books/review/best-poetry-books-2021.html", + "creator": "Elisa Gabbert", + "pubDate": "Fri, 10 Dec 2021 10:00:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "32a03b7375a0c3c43faccbc6fdd7acf8" + }, + { + "title": "When Did Every Celebrity Become a Creative Director?", + "description": "Famous brand ambassadors have fancy new titles now.", + "content": "Cardi B at the release party for Whipshots, a vodka-infused whipped cream. She is a partner at the company.", + "category": "Celebrities", + "link": "https://www.nytimes.com/2021/12/13/style/celebrity-creative-directors.html", + "creator": "Valeriya Safronova", + "pubDate": "Mon, 13 Dec 2021 17:12:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "56136365fae6a02b81b0b3749f658c10" + }, + { + "title": "Hugs and Checkered Flags in a Race to Salute British Vets", + "description": "The Race of Remembrance is put on by Mission Motorsport, a charity that uses racing to help military veterans recover from injuries or mental health issues.", + "content": "Cars crossing the finish line at the 12-hour Race of Remembrance in Wales last month.", + "category": "Veterans", + "link": "https://www.nytimes.com/2021/12/12/business/race-of-remembrance-wales.html", + "creator": "John Hogan", + "pubDate": "Sun, 12 Dec 2021 23:33:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cf2de0ad39503150bad95dcb978eff2b" + }, + { + "title": "‘Succession’ Season Finale Recap: Do Not Pass Go", + "description": "The final episode of Season 3 brought new alliances, new betrayals and new reminders that when Logan doesn’t like how the game is going, he just changes the rules.", + "content": "A deal with the devil: Matthew Macfadyen in the season finale of “Succession.”", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/13/arts/television/succession-season-3-finale-recap.html", + "creator": "Noel Murray", + "pubDate": "Mon, 13 Dec 2021 14:35:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4da59963c239ad615d2bb41eff348763" + }, + { + "title": "Amtrak Worker Sold Railroad Equipment for Years to Line His Pockets, U.S. Says", + "description": "Jose Rodriquez, 49, of Brick, N.J., pleaded guilty to mail fraud on Monday. Prosecutors said he obtained 114 chain saws for the railroad service, but sold them for profit.", + "content": "Jose Rodriguez had worked for Amtrak since 2007. He faces up to 20 years in prison and a fine of up to $250,000.", + "category": "Postal Service and Post Offices", + "link": "https://www.nytimes.com/2021/12/13/us/amtrak-chainsaws-employee.html", + "creator": "Jesus Jiménez", + "pubDate": "Tue, 14 Dec 2021 01:54:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b9410e56cb76ac26e9b71086460a1b83" + }, + { + "title": "As U.S. Covid Deaths Near 800,000, 1 of Every 100 Older Americans Has Perished", + "description": "They are among the most vaccinated groups, but people 65 and older make up about three-quarters of the nation’s coronavirus death toll.", + "content": "They are among the most vaccinated groups, but people 65 and older make up about three-quarters of the nation’s coronavirus death toll.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/13/us/covid-deaths-elderly-americans.html", + "creator": "Julie Bosman, Amy Harmon and Albert Sun", + "pubDate": "Mon, 13 Dec 2021 11:33:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a2406cb62f8382b1efc87a915e576b27" + }, + { + "title": "Across the World, Covid Anxiety and Depression Take Hold", + "description": "It is still unclear how much of a threat the fast-spreading Omicron variant poses, but fear and a sudden revival of restrictions have added to an epidemic of loneliness.", + "content": "A Covid-19 patient in a hospital in Marseille, France, on Friday.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/12/13/world/covid-anxiety-depression-omicron.html", + "creator": "Roger Cohen", + "pubDate": "Mon, 13 Dec 2021 11:52:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "984a004354c2da9d26fe85b38a4df898" + }, + { + "title": "Countering a ‘Tidal Wave’ of Omicron, Britain Speeds Up Booster Rollout", + "description": "The country will aim to offer all eligible adults a booster shot by the end of this year. Here’s the latest pandemic news.", + "content": "The country will aim to offer all eligible adults a booster shot by the end of this year. Here’s the latest pandemic news.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 15:43:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c30f9c3b379d2e61220d324c01431ce4" + }, + { + "title": "74 Dead in Kentucky After Tornadoes, but Toll Is Expected to Rise", + "description": "More than 100 people were still unaccounted for in Kentucky, Gov. Andy Beshear said. President Biden will visit the state on Wednesday. Here’s the latest.", + "content": "More than 100 people were still unaccounted for in Kentucky, Gov. Andy Beshear said. President Biden will visit the state on Wednesday. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/us/tornadoes-kentucky-illinois", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 21:15:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2c8fc1f68776d692066ab8eb95e84a0a" + }, + { + "title": "‘A Nightmare’: Kentucky Tornado Victims Sort Through Rubble", + "description": "Residents of Princeton, Ky., sifted through debris for salvageable items and cherished belongings after a tornado destroyed dozens of homes on Friday night.", + "content": "Residents of Princeton, Ky., sifted through debris for salvageable items and cherished belongings after a tornado destroyed dozens of homes on Friday night.", + "category": "Kentucky", + "link": "https://www.nytimes.com/video/us/100000008117393/kentucky-tornado-princeton.html", + "creator": "Sarah Kerr, Yousur Al-Hlou and Noah Throop", + "pubDate": "Mon, 13 Dec 2021 19:21:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "632020b08efea986a9048b5f8062867e" + }, + { + "title": "Mark Meadows Sought to Fight Election Outcome, Jan. 6 Panel Says", + "description": "The House committee laid out its case for a contempt of Congress charge against Mark Meadows, the chief of staff to former President Donald J. Trump.", + "content": "Mark Meadows had been cooperating with the Jan. 6 committee’s investigation, but he refused to appear for a scheduled deposition last week or to turn over additional documents.", + "category": "Meadows, Mark R (1959- )", + "link": "https://www.nytimes.com/2021/12/12/us/politics/mark-meadows-capitol-attack.html", + "creator": "Luke Broadwater", + "pubDate": "Mon, 13 Dec 2021 02:24:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "059d176824d4a7dd559982d5f3f2a621" + }, + { + "title": "Pedro Almodóvar Is Still Making Movies That Shock", + "description": "He built his reputation with raunchy farces. But in his new film, “Parallel Mothers,” the 72-year-old dredges up his country’s most painful history.", + "content": "He built his reputation with raunchy farces. But in his new film, “Parallel Mothers,” the 72-year-old dredges up his country’s most painful history.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/12/13/magazine/parellel-mothers-pedro-almodovar.html", + "creator": "Marcela Valdes", + "pubDate": "Mon, 13 Dec 2021 16:39:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "812c6848df64f55b3f659f3cf205a7f3" + }, + { + "title": "Cultivating Olives on the Slopes of Mount Etna", + "description": "For millenniums, farmers and vintners in northeastern Sicily have benefited from the area’s mineral-rich soil, a result of volcanic eruptions.", + "content": "For millenniums, farmers and vintners in northeastern Sicily have benefited from the area’s mineral-rich soil, a result of volcanic eruptions.", + "category": "Olives", + "link": "https://www.nytimes.com/2021/12/13/travel/mount-etna-olive-oil.html", + "creator": "Marta Giaccone", + "pubDate": "Mon, 13 Dec 2021 10:00:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d7912573d1b0cfad2a283d993eaef837" + }, + { + "title": "Whole Roasted Duck for a Festive Holiday Meal", + "description": "Roasting a duck isn’t much harder than preparing a chicken, and makes for a festive holiday meal.", + "content": "A golden-skinned roasted duck is an impressive main course for a special meal.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/10/dining/roast-duck-recipe.html", + "creator": "Melissa Clark", + "pubDate": "Fri, 10 Dec 2021 17:09:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ddf40d222aace30b6a230a8fa8566362" + }, + { + "title": "It May Not Feel Like It Right Now, but There Is a World of Good We Can Do", + "description": "A few worthies from Times Opinion’s giving guide and a few ... unworthies.", + "content": "A few worthies from Times Opinion’s giving guide and a few ... unworthies.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/13/opinion/charities-giving-politics.html", + "creator": "Gail Collins and Bret Stephens", + "pubDate": "Mon, 13 Dec 2021 10:47:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5d7a971b52abfb6b70fbdc45df839c86" + }, + { + "title": "A Scientist’s Guide to Understanding Omicron", + "description": "The Omicron data is coming. Here’s how to interpret it.", + "content": "SARS-CoV-2 virus particles which cause COVID-19.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/12/opinion/covid-omicron-data.html", + "creator": "Jesse Bloom and Sarah Cobey", + "pubDate": "Sun, 12 Dec 2021 17:35:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e2f0ca1749fa6afa0eb6c428055a7d5" + }, + { + "title": "Unvaccinated, and Hospitalized With Covid", + "description": "Readers discuss the strain Covid puts on hospitals. Also: Calling for a carbon tax; how overturning Roe could backfire; writing “real” letters.", + "content": " ", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/12/opinion/letters/unvaccinated-hospitals-covid.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:30:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0e7a620d78995451c14c5e9deda476b" + }, + { + "title": "What Mary Can Teach Us About the Joy and Pain of Life", + "description": "In the Bible, we see the mother of Jesus experience great blessings and unimaginable sorrow.", + "content": "In the Bible, we see the mother of Jesus experience great blessings and unimaginable sorrow.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/12/opinion/what-mary-can-teach-us-about-the-joy-and-pain-of-life.html", + "creator": "Tish Harrison Warren", + "pubDate": "Sun, 12 Dec 2021 20:51:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1b8d9f6ffe7f42ee9023974712782bc7" + }, + { + "title": " Cultural Elites Need to Look Beyond Their Noses", + "description": "Confined to our own bubbles, we are less informed about people who lead entirely different cultural, social and political lives.", + "content": "Confined to our own bubbles, we are less informed about people who lead entirely different cultural, social and political lives.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/11/opinion/urban-cultural-elites.html", + "creator": "Jane Coaston", + "pubDate": "Sat, 11 Dec 2021 17:08:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "878407c66954ee9b72a779f5de38e1ca" + }, + { + "title": "What the New Right Sees", + "description": "Why an alienated movement sees American life more clearly than its rivals.", + "content": "Why an alienated movement sees American life more clearly than its rivals.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/11/opinion/what-the-new-right-sees.html", + "creator": "Ross Douthat", + "pubDate": "Sat, 11 Dec 2021 20:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "40729219a53b12506b42b5fd41264beb" + }, + { + "title": "Biden’s Highly Selective Travel Ban Doesn’t Make Sense", + "description": "And don’t make the same mistake again.", + "content": "And don’t make the same mistake again.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/11/opinion/omicron-travel-ban-covid-africa.html", + "creator": "Saad B. Omer", + "pubDate": "Sat, 11 Dec 2021 16:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bed8ac46203e1490282082a4ee030658" + }, + { + "title": "Haiti’s Leader Kept a List of Drug Traffickers. His Assassins Came for It.", + "description": "In the months before his murder, President Jovenel Moïse took a number of steps to fight drug and arms smugglers. Some officials now fear he was killed for it.", + "content": "A mural depicting Mr. Moïse near the entrance to his home in Pétionville, Haiti, where he was assassinated.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/world/americas/jovenel-moise-haiti-president-drug-traffickers.html", + "creator": "Maria Abi-Habib", + "pubDate": "Sun, 12 Dec 2021 18:42:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d2ac6c30c59fe6758f49938e1f51b8f0" + }, + { + "title": "Anne Rice, Who Spun Gothic Tales of Vampires, Dies at 80", + "description": "She wrote more than 30 Gothic novels, including the best seller “Interview With the Vampire,” published in 1976 and later turned into a hit movie starring Tom Cruise and Brad Pitt.", + "content": "Author Anne Rice in Los Angeles in 2016.", + "category": "Rice, Anne", + "link": "https://www.nytimes.com/2021/12/12/books/anne-rice-dead.html", + "creator": "Elian Peltier", + "pubDate": "Sun, 12 Dec 2021 10:45:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4f4a71aeeda37c82ed04a20b45f98854" + }, + { + "title": "You’re Going to Work a Long Time. Here’s How to Build in Breaks.", + "description": "Living longer can mean having a longer career, whether by choice or necessity. Stopping and starting isn’t easy, but it might be worth it.", + "content": "Living longer can mean having a longer career, whether by choice or necessity. Stopping and starting isn’t easy, but it might be worth it.", + "category": "Longevity", + "link": "https://www.nytimes.com/2021/12/11/your-money/work-time-out-career-longevity.html", + "creator": "Ron Lieber", + "pubDate": "Sat, 11 Dec 2021 15:46:40 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3c8deb368912eb1602b946a96e338247" + }, + { + "title": "Newsom Calls for Gun Legislation Modeled on the Texas Abortion Law", + "description": "Gov. Gavin Newsom of California accused Texas of insulating its abortion law from the courts, and then called on lawmakers to use a similar strategy to go after the gun industry.", + "content": "Mr. Newsom’s announcement seemed to explicitly position California opposite Texas in the divisive battles over abortion rights and gun control.", + "category": "Newsom, Gavin", + "link": "https://www.nytimes.com/2021/12/12/us/politics/newsom-texas-abortion-law-guns.html", + "creator": "Shawn Hubler", + "pubDate": "Sun, 12 Dec 2021 06:33:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c750e594d27f0f08edb51616924c9b0" + }, + { + "title": "The End of a Return-to-Office Date", + "description": "More and more companies are saying: We’ll get back to you.", + "content": "More and more companies are saying: We’ll get back to you.", + "category": "Coronavirus Reopenings", + "link": "https://www.nytimes.com/2021/12/11/business/return-to-office-2022.html", + "creator": "Emma Goldberg", + "pubDate": "Sat, 11 Dec 2021 22:26:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3aaaa4eadd61ae687998b61b349358e2" + }, + { + "title": "America’s Anti-Democratic Movement", + "description": "It’s making progress.", + "content": "It’s making progress.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/13/briefing/anti-democratic-movement-us-politics.html", + "creator": "David Leonhardt", + "pubDate": "Mon, 13 Dec 2021 11:01:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a1d13bb24c4839db673a1789d0965ab3" + }, + { + "title": "The Outsize Life and Quiet Death of the Steele Dossier", + "description": "For years, a collection of salacious allegations about Donald J. Trump and Russia captivated America. It has since proved to be a flawed document.", + "content": "For years, a collection of salacious allegations about Donald J. Trump and Russia captivated America. It has since proved to be a flawed document.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/13/podcasts/the-daily/steele-dossier-donald-trump-igor-danchenko.html", + "creator": "Michael Barbaro, Michael Simon Johnson, Sydney Harper, Lynsea Garrison, Lisa Tobin, Dan Powell, Marion Lozano and Chris Wood", + "pubDate": "Mon, 13 Dec 2021 11:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7e9047c9b2db9384a1943f7bf28eafab" + }, + { + "title": "American Families Are Drowning in Care Costs. Here’s How to Change That.", + "description": "Ai-jen Poo on the economic potential of a public investment in child care, elder care and paid family leave.", + "content": "Ai-jen Poo on the economic potential of a public investment in child care, elder care and paid family leave.", + "category": "Income Inequality", + "link": "https://www.nytimes.com/2021/12/07/opinion/ezra-klein-podcast-ai-jen-poo.html", + "creator": "‘The Ezra Klein Show’", + "pubDate": "Tue, 07 Dec 2021 17:20:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2cfedff818d9be736a9560b6907ef852" + }, + { + "title": "Teaching ‘The 1619 Project’: A Virtual Event for Educators and Librarians", + "description": "Join Nikole Hannah-Jones for a candid discussion of the project and ways to share the new books “The 1619 Project: A New Origin Story” and “Born on the Water” with students.", + "content": "Join Nikole Hannah-Jones for a candid discussion of the project and ways to share the new books “The 1619 Project: A New Origin Story” and “Born on the Water” with students.", + "category": "Race and Ethnicity", + "link": "https://www.nytimes.com/2021/11/22/magazine/teaching-the-1619-project-event.html", + "creator": "The New York Times", + "pubDate": "Mon, 22 Nov 2021 15:07:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4a43f1aef0d417dd6d9a1726711347ae" + }, + { + "title": "Inflationary Wave Changes Political Terrain for Right-Wing Populists", + "description": "The leaders of Turkey, Hungary and Brazil are all grappling with problems posed by the global rise in prices ahead of national elections.", + "content": "President Jair Bolsonaro on Brazil’s Independence Day in September. The country’s currency has steadily declined in value, and its economy slipped back into recession in the third quarter.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/13/business/inflation-turkey-brazil-hungary.html", + "creator": "Matt Phillips, Carlotta Gall, Flávia Milhorance and Benjamin Novak", + "pubDate": "Mon, 13 Dec 2021 16:02:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4e1cb0f1597a61a6e9acac34a84c9637" + }, + { + "title": "How Conflicting Guidance on Travel During the Pandemic Shows Little Progress", + "description": "The Omicron variant turned my trip home from South Africa into a nightmare episode of conflicting public health orders that often seemed to have little connection to science.", + "content": "The Omicron variant turned my trip home from South Africa into a nightmare episode of conflicting public health orders that often seemed to have little connection to science.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/13/health/omicron-travel-setbacks.html", + "creator": "Stephanie Nolen", + "pubDate": "Mon, 13 Dec 2021 15:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fed126a4a8b96fe8d16a53d1fb4c0a6c" + }, + { + "title": "India Cities Ban Eggs, Drawing a Backlash", + "description": "Food-cart rules spurred by conservative beliefs draw a backlash, showcasing the tensions around the country’s rising Hindu nationalist movement.", + "content": "An Indian street food vendor preparing an egg dish for a customer in Ahmedabad in the state of Gujarat in November.", + "category": "Ahmedabad (India)", + "link": "https://www.nytimes.com/2021/12/13/world/asia/india-eggs-hindu-nationalism.html", + "creator": "Suhasini Raj", + "pubDate": "Mon, 13 Dec 2021 10:00:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ad064e6cba876ee33528ccdf42f2e8ab" + }, + { + "title": "Hong Kong Court Sentences Jimmy Lai to Prison Over Tiananmen Vigil", + "description": "The former media mogul and other prominent pro-democracy activists were previously convicted of inciting others to take part in an unauthorized assembly.", + "content": "A van took Jimmy Lai and other prominent pro-democracy activists to the Wanchai district court in Hong Kong last week for their trial. ", + "category": "Hong Kong", + "link": "https://www.nytimes.com/2021/12/13/world/asia/hongkong-jimmy-lai-tiananmen.html", + "creator": "Vivian Wang and Austin Ramzy", + "pubDate": "Mon, 13 Dec 2021 08:36:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "da5a7734d6bc73b3cb34f6e239631d57" + }, + { + "title": "Penguin Random House Defends Effort to Buy Simon & Schuster", + "description": "The Biden administration has challenged the deal over concerns it would harm authors, but the publisher said that argument is a misunderstanding of how the book industry works.", + "content": "Penguin Random House has offered $2.18 billion for Simon & Schuster, a deal that would further consolidate the publishing industry.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/13/books/penguin-random-house-simon-schuster.html", + "creator": "Elizabeth A. Harris and Alexandra Alter", + "pubDate": "Mon, 13 Dec 2021 17:21:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e531d2344b0b575cf9f81ca518686c62" + }, + { + "title": "Militants Kill 2 Policemen in Kashmir as Violence Escalates", + "description": "The clash on Monday came three days after a similar attack on a squad of police officers patrolling streets in northern Kashmir left two of its men dead.", + "content": "A protest on the outskirts of Srinagar, Kashmir, on Monday, after deadly clashes between the police and militants.", + "category": "Territorial Disputes", + "link": "https://www.nytimes.com/2021/12/13/world/asia/india-kashmir-policemen-killed.html", + "creator": "Sameer Yasir", + "pubDate": "Mon, 13 Dec 2021 19:51:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0a99f72dfcd4e643e0de86463afd33d3" + }, + { + "title": "Golden Globes Nominations 2022: The Complete List", + "description": "The Hollywood Foreign Press Association announced a list that showed some improvement on its goal of diversifying the awards. But questions still hover over the ceremony.", + "content": "Nominated for Globes were the “King Richard” performers Aunjanue Ellis, left, and Will Smith (with Mikayla Bartholomew, second from left, Saniyya Sidney, Demi Singleton and Danielle Lawson).", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/13/movies/golden-globes-nominees-list.html", + "creator": "Kyle Buchanan", + "pubDate": "Mon, 13 Dec 2021 15:42:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4bca7ba0735bb50a8fe19e4f851dd600" + }, + { + "title": "Coast Guard Suspends Search for Passenger Who Fell From Cruise Ship", + "description": "The U.S. Coast Guard said on Sunday that it halted its search for a woman who went overboard from a Carnival cruise ship near Ensenada, Mexico.", + "content": "The Carnival Miracle cruise ship in 2013. Carnival Cruise Line said in a statement that the woman fell “from the balcony of her stateroom\" during a three-day cruise.", + "category": "Cruises", + "link": "https://www.nytimes.com/2021/12/13/us/us-coast-guard-woman-overboard-carnival-cruise.html", + "creator": "Johnny Diaz", + "pubDate": "Mon, 13 Dec 2021 18:24:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1a3297d5e1cb79456fec404df9e79e55" + }, + { + "title": "After 15 Years of Infighting, James Brown’s Estate Is Sold", + "description": "The sale to Primary Wave Music, for an estimated $90 million, provides resources to ultimately realize the musician’s wish to fund scholarships for needy children.", + "content": "The Primary Wave deal is being described as a major step toward underwriting scholarships for children that Brown had outlined in his will. ", + "category": "Wills and Estates", + "link": "https://www.nytimes.com/2021/12/13/arts/music/james-brown-estate-primary-wave.html", + "creator": "Ben Sisario and Steve Knopper", + "pubDate": "Mon, 13 Dec 2021 16:48:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4dfb43af8e8048856b510e22581d9e8e" + }, + { + "title": "Mikio Shinagawa, Who Ran a Fashionable SoHo Haunt, Dies at 66", + "description": "His earthy Japanese restaurant, Omen, became a downtown canteen for well-known patrons like Patti Smith, Yoko Ono and Richard Gere.", + "content": "His earthy Japanese restaurant, Omen, became a downtown canteen for well-known patrons like Patti Smith, Yoko Ono and Richard Gere.", + "category": "Shinagawa, Mikio (1955-2021)", + "link": "https://www.nytimes.com/2021/12/12/dining/mikio-shinagawa-dead.html", + "creator": "Alex Vadukul", + "pubDate": "Sun, 12 Dec 2021 19:08:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b37e7a6cac785652f421a2293116d244" + }, + { + "title": "Business Updates: Vox Media Plans to Merge With Group Nine Media", + "description": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "content": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 21:18:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bba669d3a51b1beec3a0323c6cd6b34d" + }, + { + "title": "Will Forte Is Still Waiting for ‘MacGruber’ to Blow Up", + "description": "In a new Peacock series, Forte returns as the unruly “Saturday Night Live” action hero who’s once again reckoning with bombs (including his 2010 movie).", + "content": "Will Forte is back as MacGruber, the asinine star of “Saturday Night Live” sketches, commercials, a 2010 movie and now, a new series on Peacock.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/08/arts/television/will-forte-macgruber.html", + "creator": "Dave Itzkoff", + "pubDate": "Wed, 08 Dec 2021 20:06:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fe1630f980936cfce6554340857a4daa" + }, + { + "title": "Black Women Make Waves in Hair Care", + "description": "A new crop of businesses is claiming a growing share of a billion-dollar industry.", + "content": "Whitney White, the co-founder and owner of Melanin Haircare at her offices in Hudson, Mass.", + "category": "Hair", + "link": "https://www.nytimes.com/2021/12/09/style/black-women-hair-care.html", + "creator": "Tiffany Martinbrough", + "pubDate": "Mon, 13 Dec 2021 18:03:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "05bddff91145eb8c8ad7251f15715f9d" + }, + { + "title": "The Seattle Seahawks’ Boom Is Busted", + "description": "The bold energy that defined the Seattle Seahawks is gone. What will replace it?", + "content": "The bold energy that defined the Seattle Seahawks is gone. What will replace it?", + "category": "National Football League", + "link": "https://www.nytimes.com/2021/12/13/sports/football/seattle-seahawks-pete-carroll-playoffs.html", + "creator": "Kurt Streeter", + "pubDate": "Mon, 13 Dec 2021 11:23:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "361d2fe2f8a0a3598696fff4a701a5b4" + }, + { + "title": "With Paige Bueckers Injured, UConn Faces a Tough Few Months", + "description": "The No. 3 Huskies will be without the best player in women’s college basketball for up to eight weeks. With a win and a loss so far in her absence, it’s difficult to say how they will fare.", + "content": "The No. 3 Huskies will be without the best player in women’s college basketball for up to eight weeks. With a win and a loss so far in her absence, it’s difficult to say how they will fare.", + "category": "University of Connecticut", + "link": "https://www.nytimes.com/2021/12/13/sports/ncaabasketball/uconn-paige-bueckers.html", + "creator": "Adam Zagoria", + "pubDate": "Mon, 13 Dec 2021 18:06:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15e7a9039c34e6db0441b9beec4aaedd" + }, + { + "title": "64 Dead in Kentucky After Tornadoes, but Toll Is Expected to Rise", + "description": "More than 100 people were still unaccounted for in Kentucky, Gov. Andy Beshear said. President Biden will visit the state on Wednesday. Here’s the latest.", + "content": "More than 100 people were still unaccounted for in Kentucky, Gov. Andy Beshear said. President Biden will visit the state on Wednesday. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/us/tornadoes-kentucky-illinois", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 19:28:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "20a74544b5c0a756b5598f163e1637b4" + }, + { + "title": "Merck’s Covid Pill Might Pose Risks for Pregnant Women", + "description": "Some laboratory studies suggest that molnupiravir can insert errors in DNA, which could in theory harm a developing fetus, sperm cells or children.", + "content": "While molnupiravir has been shown to reduce the risk of hospitalization and death from Covid-19, scientists have raised concerns about the drug’s potential to cause mutations in human DNA.", + "category": "Molnupiravir (Drug)", + "link": "https://www.nytimes.com/2021/12/13/health/merck-covid-pill-pregnancy-risk.html", + "creator": "Benjamin Mueller", + "pubDate": "Mon, 13 Dec 2021 15:27:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "24c520631f0acd8438e223c1dabd7c10" + }, + { + "title": "Champions League Repeats Its Draw After a ‘Technical Problem’", + "description": "A buzzed-about round of 16 matchup between Manchester United and Paris St.-Germain was the result of a mistake. P.S.G. will face Real Madrid instead.", + "content": "Manchester United was drawn against P.S.G. Then it wasn’t.", + "category": "UEFA Champions League (Soccer)", + "link": "https://www.nytimes.com/2021/12/13/sports/soccer/champions-league-redraw.html", + "creator": "Victor Mather", + "pubDate": "Mon, 13 Dec 2021 15:50:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2b87d089a1c8786185b78da545190282" + }, + { + "title": "Business Updates: UBS Told to Pay €1.8 Billion for Aiding Tax Evasion", + "description": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "content": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 19:28:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd28da0d80d485c05c1f0acd1eebedf6" + }, + { + "title": "Yes, Your Kids Can Play Outside All Winter", + "description": "Hardened athletes and explorers weigh in on how to keep your kids warm.", + "content": "Hardened athletes and explorers weigh in on how to keep your kids warm.", + "category": "Coats and Jackets", + "link": "https://www.nytimes.com/2020/11/04/parenting/kids-winter-play-outside.html", + "creator": "Elisabeth Kwak-Hefferan", + "pubDate": "Thu, 17 Dec 2020 08:29:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d8797f15e72fdfa00c1c9ecd721993d8" + }, + { + "title": "Tinder for Sperm: Even in the Petri Dish, Looks and Athleticism Are Prized", + "description": "What makes one sperm cell — a blob of DNA with a tail — stand out? The selection process is like a microscopic Mr. America contest.", + "content": "What makes one sperm cell — a blob of DNA with a tail — stand out? The selection process is like a microscopic Mr. America contest.", + "category": "Sperm", + "link": "https://www.nytimes.com/2020/04/17/parenting/fertility/ivf-sperm-selection.html", + "creator": "Randi Hutter Epstein", + "pubDate": "Fri, 17 Apr 2020 16:01:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34b4aa52f96d26dc372796aab86035ee" + }, + { + "title": "At Least 64 Dead in Kentucky, With Recovery ‘to Go On for Years’", + "description": "Gov. Andy Beshear said that as many as 105 people were still unaccounted for after Friday’s tornadoes. Here’s the latest on the aftermath.", + "content": "Gov. Andy Beshear said that as many as 105 people were still unaccounted for after Friday’s tornadoes. Here’s the latest on the aftermath.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/us/tornadoes-kentucky-illinois", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 17:23:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1c2d005d1ac7e24e0cfe3e17343c9ca8" + }, + { + "title": "At Amazon Site, Tornado Collided With Company’s Peak Delivery Season", + "description": "Amazon, which has its highest employment during the holiday shopping season, said the tornado formed at the site’s parking lot.", + "content": "Safety personnel and first responders outside the damaged Amazon delivery depot on Saturday in Edwardsville, Ill.", + "category": "Delivery Services", + "link": "https://www.nytimes.com/2021/12/12/technology/amazon-tornado-edwardsville.html", + "creator": "Karen Weise and Eric Berger", + "pubDate": "Sun, 12 Dec 2021 20:53:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fed92758adaa44406ba76facccc3fc63" + }, + { + "title": "No U.S. Troops Will Be Punished for Deadly Kabul Strike, Pentagon Chief Decides", + "description": "The military initially defended the August strike, which killed 10 civilians including seven children, in the days afterward, but ultimately called it a tragic mistake.", + "content": "A relative looks at the damage after after a U.S. drone strike killed 10 civilians in Kabul, Afghanistan, in August. The military later admitted the strike was a tragic mistake.", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/13/us/politics/afghanistan-drone-strike.html", + "creator": "Eric Schmitt", + "pubDate": "Mon, 13 Dec 2021 17:25:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6e4037f700ef4cf82a97e8ff3f924da1" + }, + { + "title": "I Have a Handle on History. The Future Is a Different Story.", + "description": "Try as we might, no one can really imagine what comes next.", + "content": "Try as we might, no one can really imagine what comes next.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/11/opinion/us-democracy-future.html", + "creator": "Jamelle Bouie", + "pubDate": "Sat, 11 Dec 2021 15:13:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "371fcb1f2337cd34d09d7f7d175e215d" + }, + { + "title": "Economy Updates: Stocks Dip Ahead of Fed’s Decision on Pandemic Support", + "description": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "content": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 17:25:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f0a7338905336dd861245edc0b552841" + }, + { + "title": "Best Classical Music of 2021", + "description": "The Metropolitan Opera returned with its first work by a Black composer, the repertory slowly got richer, and other highlights of the year.", + "content": "From left: Angel Blue and Will Liverman in “Fire Shut Up in My Bones” at the Metropolitan Opera, and Magdalena Kozena in “Innocence” at the Aix Festival.", + "category": "Two Thousand Twenty One", + "link": "https://www.nytimes.com/2021/12/06/arts/music/best-classical-music.html", + "creator": "Anthony Tommasini, Zachary Woolfe, Joshua Barone, Seth Colter Walls and David Allen", + "pubDate": "Wed, 08 Dec 2021 05:03:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a51c7149e34a1b35f30a06d2b0527445" + }, + { + "title": "The Architect Who Invited Her Mother to Be Her Next-Door Neighbor", + "description": "Jess Hinshaw and Kathy Lewis live in a pair of adjoining Brooklyn brownstones that reflect both their individual tastes and their strong familial bond.", + "content": "In the living room of Kathy Lewis’s house, a contemporary coffee table designed by her daughter, Jess Hinshaw, and Hinshaw’s husband, Hagan Hinshaw, offsets a salvaged fireplace from Demolition Depot and a set of original French doors.", + "category": "Home Repairs and Improvements", + "link": "https://www.nytimes.com/2021/12/09/t-magazine/brooklyn-brownstone-home-design.html", + "creator": "Rose Courteau", + "pubDate": "Thu, 09 Dec 2021 20:33:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "eb9dfdaaec5df891114865e5e9a37487" + }, + { + "title": "‘The Woman Gave Him His Ticket, and He Walked Off’", + "description": "In tribute to a New York City institution, this week’s Metropolitan Diary offers reader tales of encounters with Stephen Sondheim.", + "content": "In tribute to a New York City institution, this week’s Metropolitan Diary offers reader tales of encounters with Stephen Sondheim.", + "category": "New York City", + "link": "https://www.nytimes.com/2021/12/12/nyregion/metropolitan-diary.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 08:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b2e82ee76d020ea1e3c4276a56742acc" + }, + { + "title": "Holiday Tipping for Homeowners", + "description": "Think about the people who regularly tend to you and your home, but first set a budget to know how much you can afford to give.", + "content": "Think about the people who regularly tend to you and your home, but first set a budget to know how much you can afford to give.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/12/11/realestate/holiday-tipping-homeowners.html", + "creator": "Ronda Kaysen", + "pubDate": "Sat, 11 Dec 2021 15:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0208223890c00ca700c52b86fb8c4a8e" + }, + { + "title": "At Least 64 Dead in Kentucky, but Candle Factory Toll Is Less Than Feared", + "description": "Gov. Andy Beshear said that as many as 105 people were still unaccounted for after Friday’s tornadoes. Here’s the latest on the aftermath.", + "content": "Gov. Andy Beshear said that as many as 105 people were still unaccounted for after Friday’s tornadoes. Here’s the latest on the aftermath.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/us/tornadoes-kentucky-illinois", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 15:43:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "baba47ed1bb429b52141a0e7167f84aa" + }, + { + "title": "Now in Your Inbox: Political Misinformation", + "description": "One of the most powerful communication tools available to politicians teems with unfounded claims and largely escapes notice.", + "content": "A fund-raising email from Senator John Kennedy of Louisiana claimed, falsely, that President Biden was “giving every illegal immigrant that comes into our country $450,000.”", + "category": "Rumors and Misinformation", + "link": "https://www.nytimes.com/2021/12/13/us/politics/email-political-misinformation.html", + "creator": "Maggie Astor", + "pubDate": "Mon, 13 Dec 2021 13:34:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c85f8220d0687529dc619eb32f133852" + }, + { + "title": "What We Learned From Week 14 in the N.F.L.", + "description": "Kansas City’s defense could give Patrick Mahomes the breathing room to grab home-field advantage, and Micah Parsons made good on the Cowboys’ promise to beat Washington.", + "content": "Mike Hughes, a cornerback, returned a fumble 23 yards for a touchdown on Kansas City’s first defensive play against the Las Vegas Raiders on Sunday.", + "category": "Football", + "link": "https://www.nytimes.com/2021/12/12/sports/football/nfl-week-14-scores.html", + "creator": "Tyler Dunne", + "pubDate": "Mon, 13 Dec 2021 14:48:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ed1656ec43d0db8e3f248fbeadab1233" + }, + { + "title": "Why We Need to Address Scam Culture", + "description": "It’s not just about shady deals. It’s about the social fabric.", + "content": "It’s not just about shady deals. It’s about the social fabric.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/10/opinion/scams-trust-institutions.html", + "creator": "Tressie McMillan Cottom", + "pubDate": "Sat, 11 Dec 2021 01:10:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "361e02b6477d07e92dfd850011605646" + }, + { + "title": "South Korea Has Long Wanted Nuclear Subs. A New Reactor Could Open a Door.", + "description": "The country plans to build a small modular reactor for marine propulsion, raising questions of whether it eventually intends to develop a nuclear submarine despite a U.S. treaty.", + "content": "The submarine Dosan Ahn Chang-ho off the coast of Pohang, South Korea, taking part in a celebration of the nation’s 73rd Armed Forces Day in October 2021.", + "category": "South Korea", + "link": "https://www.nytimes.com/2021/12/13/world/asia/south-korea-nuclear-submarines.html", + "creator": "Choe Sang-Hun", + "pubDate": "Mon, 13 Dec 2021 10:00:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "627c7fc27121c065e24ca3e6ee71c990" + }, + { + "title": "‘Our Boat Was Surrounded by Dead Bodies’: Witnessing a Migrant Tragedy", + "description": "Migrants who were on a separate boat described the horrible aftermath of the sinking in the English Channel that took at least 27 lives.", + "content": "Migrants arriving at a beach last month in Dungeness, on the southeast coast of England, after being rescued while crossing the English Channel. ", + "category": "Maritime Accidents and Safety", + "link": "https://www.nytimes.com/2021/12/12/world/middleeast/migrants-channel-france-uk-sinking.html", + "creator": "Jane Arraf, Sangar Khaleel and Megan Specia", + "pubDate": "Sun, 12 Dec 2021 11:19:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2c46c433b4b01fde339792bb610648b5" + }, + { + "title": "M.T.A. to Offer Free Rides for OMNY ‘Tap-and-Go’ Customers", + "description": "Transit leaders hope to boost ridership by putting a weekly fare cap on trips made with the subway’s new “tap-and-go” payment system.", + "content": "Transit officials hope that bringing weekly discounts to the OMNY system will save people money and get them to ride more.", + "category": "Subways", + "link": "https://www.nytimes.com/2021/12/13/nyregion/omny-nyc-subway-fare-capping.html", + "creator": "Ana Ley", + "pubDate": "Mon, 13 Dec 2021 10:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "39ba3fd010ff2d556c4581d020dd8f78" + }, + { + "title": "Workers in Europe Are Demanding Higher Pay as Inflation Soars", + "description": "Prices are rising at the fastest rate on record, and unions want to keep up. Policymakers worry that might make inflation worse.", + "content": "Carlos Bowles, an economist at the European Central Bank and vice president of a trade union for central bank employees. Workers are pressing for a raise of at least 5 percent to keep up with a record inflationary surge.", + "category": "Wages and Salaries", + "link": "https://www.nytimes.com/2021/12/13/business/workers-pay-europe-inflation.html", + "creator": "Liz Alderman", + "pubDate": "Mon, 13 Dec 2021 14:54:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5bcee336da6cf02f79aaf3c85d22577e" + }, + { + "title": "Vicente Fernández, ‘El Rey’ of Mexican Ranchera Music, Is Dead at 81", + "description": "A beloved Mexican singer, Mr. Fernández was known for his powerful operatic range and marathon performances, delivered in a signature charro outfit and intricately embroidered sombrero.", + "content": "Vicente Fernández at Madison Square Garden in 2008. He was known for giving epic performances in which he relished the give-and-take with his fans.", + "category": "Fernandez, Vicente", + "link": "https://www.nytimes.com/2021/12/12/arts/music/vicente-fernandez-dead.html", + "creator": "Christine Chung", + "pubDate": "Sun, 12 Dec 2021 23:20:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "de6ed5ffdf8973241df1f7e5109a042b" + }, + { + "title": "Business Updates: China’s SenseTime Delays Hong Kong I.P.O. Amid Sanctions", + "description": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "content": "SenseTime is one of a number of Chinese companies that has drawn condemnation for helping Beijing develop its fast-growing surveillance systems.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/13/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 14:57:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "da0b3bbebe99dfd3ef9473856332a853" + }, + { + "title": "French Soccer Wrestles Surge in Stadium Violence", + "description": "The return of supporters to stadiums in France has been accompanied by a series of games postponed or marred by trouble in the stands.", + "content": "Dimitri Payet has been hit twice this season by objects thrown from the stands.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/12/12/sports/soccer/ligue-1-france-violence.html", + "creator": "Rory Smith", + "pubDate": "Sun, 12 Dec 2021 20:02:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "787d818939aff8dd0e635b69307c9713" + }, + { + "title": "Spielberg’s ‘West Side Story’ Opens to Tepid Box Office Receipts", + "description": "Musicals often take time to build an audience, but can this remake, with little star power, compete with franchises and spectacles?", + "content": "Musicals often take time to build an audience, but can this remake, with little star power, compete with franchises and spectacles?", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/12/business/media/west-side-story-tepid-sales.html", + "creator": "Brooks Barnes", + "pubDate": "Sun, 12 Dec 2021 21:12:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a2e7ecb0559b94d405bf4c16169eb133" + }, + { + "title": "In Kentucky, Tallying the Grim Scale of Destruction", + "description": "“I don’t think we’ll have seen damage at this scale, ever,” said Gov. Andy Beshear of Kentucky in the wake of the devastating tornadoes on Friday.", + "content": "A tornado flattened most of the small town of Dawson Springs, Ky.", + "category": "Tornadoes", + "link": "https://www.nytimes.com/2021/12/12/us/tornadoes-damage-deaths.html", + "creator": "Rick Rojas, Edgar Sandoval, Jamie McGee and Campbell Robertson", + "pubDate": "Mon, 13 Dec 2021 02:43:45 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e835e02ae1ebeb093804be2b61b67529" + }, + { + "title": "How to Help Victims of the Tornadoes", + "description": "Here’s how to pitch in as local and national volunteers and aid groups mobilize to help hard-hit areas.", + "content": "Volunteers organizing donations at Primera Iglesia Bautista Hispana church in Mayfield, Ky.", + "category": "Philanthropy", + "link": "https://www.nytimes.com/2021/12/12/us/how-to-help-victims-of-the-tornadoes.html", + "creator": "Alyssa Lukpat", + "pubDate": "Mon, 13 Dec 2021 01:59:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd0dd738603773a0ae1c5f45878c586e" + }, + { + "title": "Le président haïtien dressait une liste de narco-trafiquants. Ses tueurs l’ont saisie.", + "description": "Dans les mois précédant son meurtre, Jovenel Moïse avait entrepris de lutter contre des trafiquants d’armes et de drogues. Certains responsables craignent aujourd’hui que ce fut sa perte.", + "content": "Des forces de sécurité haïtiennes en juillet dernier lors des préparatifs des funérailles du président Jovenel Moïse.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/fr/2021/12/12/world/americas/haiti-jovenel-trafic-drogue.html", + "creator": "Maria Abi-Habib", + "pubDate": "Sun, 12 Dec 2021 18:03:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "309fc7b204ccb8565ed39923880973a7" + }, + { + "title": "South Africa’s President Tests Positive for the Coronavirus", + "description": "President Cyril Ramaphosa was displaying mild Covid-19 symptoms as new cases are rising exponentially in the country. Catch up on pandemic news.", + "content": "President Cyril Ramaphosa was displaying mild Covid-19 symptoms as new cases are rising exponentially in the country. Catch up on pandemic news.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/12/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Mon, 13 Dec 2021 04:00:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ccbd608532ecfeb8e5444dc4d786ee60" + }, + { + "title": "Omicron: What We Know About the New Covid Variant", + "description": "In just a few weeks since its discovery, Omicron has turned out to be highly transmissible and less susceptible to vaccines than other variants.", + "content": "A woman receiving a Covid shot vaccine at a center in Soweto, South Africa. ", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/article/omicron-coronavirus-variant.html", + "creator": "Carl Zimmer and Andrew Jacobs", + "pubDate": "Sun, 12 Dec 2021 00:44:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e7e7d1e5e6876992c45876cb24dd10ec" + }, + { + "title": "New Leader Pushes Teachers’ Union to Take On Social Justice Role", + "description": "Becky Pringle, the country’s top Black labor leader, has plunged the National Education Association into the reckoning unfolding in public schools.", + "content": "Becky Pringle, the president of the National Education Association, has been influential on the Biden administration. “I can listen to her speak about equity,” Education Secretary Miguel Cardona said, “and walk away smarter.”", + "category": "Education (K-12)", + "link": "https://www.nytimes.com/2021/12/12/us/politics/teachers-union-becky-pringle.html", + "creator": "Erica L. Green", + "pubDate": "Sun, 12 Dec 2021 21:48:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cbe87eebf1be3368fddc56a0f1a12aa0" + }, + { + "title": "For Texas Governor, Hard Right Turn Followed a Careful Rise", + "description": "Greg Abbott’s shift will face a test in next year’s election, but he has demonstrated during his career a keen sense of the political winds.", + "content": "Governor Greg Abbott is introduced ahead of his remarks at a meeting of the Houston Region Business Coalition.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/us/greg-abbott-texas-governor.html", + "creator": "J. David Goodman", + "pubDate": "Sun, 12 Dec 2021 10:00:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "392105dae350ad2ece889b7d5b4a74c7" + }, + { + "title": "Putin, Patron of European Unity? At This Art Exhibition, He Is.", + "description": "Russia’s president is an unlikely backer for a roving art show that asks questions about what it means to be European — and whether Russia really is.", + "content": "Russia’s president is an unlikely backer for a roving art show that asks questions about what it means to be European — and whether Russia really is.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/10/arts/design/diversity-united-exhibition-moscow-berlin-paris.html", + "creator": "Valeriya Safronova", + "pubDate": "Fri, 10 Dec 2021 18:33:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d31a99458be9ba979130ba0c1b20b771" + }, + { + "title": "Eric Asimov’s Favorite Wines of 2021", + "description": "It was another strange year with travel still limited. But good wines can bring the world to you.", + "content": "It was another strange year with travel still limited. But good wines can bring the world to you.", + "category": "Wines", + "link": "https://www.nytimes.com/2021/12/09/dining/drinks/best-wines.html", + "creator": "Eric Asimov", + "pubDate": "Fri, 10 Dec 2021 14:37:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "25b18f8d7bb2ef05d82bf1b465824817" + }, + { + "title": "Teen Girls Talk About Puberty. ‘We Don’t Turn Into Aliens.’", + "description": "From period pains and hip dips to bullying and catcalling, five girls talk about the trials of growing up.", + "content": "From period pains and hip dips to bullying and catcalling, five girls talk about the trials of growing up.", + "category": "Documentary Films and Programs", + "link": "https://www.nytimes.com/2021/12/07/opinion/teen-puberty-just-girls.html", + "creator": "Bronwen Parker-Rhodes", + "pubDate": "Tue, 07 Dec 2021 10:00:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0e9292f9fb42845329e19e57eecb2a2d" + }, + { + "title": "Are Vaccine Polls Flawed?", + "description": "Researchers say that two large surveys aren’t representative.", + "content": "Researchers say that two large surveys aren’t representative.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/10/opinion/vaccine-polls-covid.html", + "creator": "Peter Coy", + "pubDate": "Fri, 10 Dec 2021 22:27:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "77f5fcb4edab40bddc10a716aa0c3bad" + }, + { + "title": "In U.S.-China Competition, Indonesia Is Key", + "description": "If the real goal of strategic competition with China is to ensure a “free and open Indo-Pacific,” America can’t rely on a few fast friends who share its worldview. ", + "content": "President Joko Widodo of Indonesia, left, and President Xi Jinping of China in 2017.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/12/opinion/indonesia-us-jokowi-biden.html", + "creator": "Ben Bland", + "pubDate": "Sun, 12 Dec 2021 16:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "336e2b5592f62aca04076bcb8149d5a2" + }, + { + "title": "How the Great Resignation Could Help Workers", + "description": "French history offers hopeful lessons.", + "content": "French history offers hopeful lessons.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/12/11/opinion/great-resignation-labor-shortage.html", + "creator": "Abigail Susik", + "pubDate": "Sat, 11 Dec 2021 14:54:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0502380714fed73b3bc9b536d19010fe" + }, + { + "title": "Why Hospitalizations Are Now a Better Indicator of Covid’s Impact", + "description": "In highly vaccinated areas, Covid policies should be tied to hospitalizations.", + "content": "In highly vaccinated areas, Covid policies should be tied to hospitalizations.", + "category": "Disease Rates", + "link": "https://www.nytimes.com/2021/12/11/opinion/why-hospitalizations-are-now-a-better-indicator-of-covids-impact.html", + "creator": "Monica Gandhi and Leslie Bienen", + "pubDate": "Sat, 11 Dec 2021 20:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "45dfe634933e3c06df5b3b1e82c59488" + }, + { + "title": "Cash Is Out. Crypto Is In. What's Happening to Money?", + "description": "It’s not just about the demise of coins and dollar bills. It’s also about society’s faith in the very idea of money.", + "content": "It’s not just about the demise of coins and dollar bills. It’s also about society’s faith in the very idea of money.", + "category": "Banking and Financial Institutions", + "link": "https://www.nytimes.com/2021/12/10/opinion/cash-crypto-trust-money.html", + "creator": "Peter Coy", + "pubDate": "Fri, 10 Dec 2021 16:35:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "88362aff91da60540deb235f6a3711da" + }, + { + "title": "Birds Aren’t Real, or Are They? Inside a Gen Z Conspiracy Theory.", + "description": "Peter McIndoe, the 23-year-old creator of the viral Birds Aren’t Real movement, is ready to reveal what the effort is really about.", + "content": "Peter McIndoe, the 23-year-old creator of the viral Birds Aren’t Real movement, is ready to reveal what the effort is really about.", + "category": "Computers and the Internet", + "link": "https://www.nytimes.com/2021/12/09/technology/birds-arent-real-gen-z-misinformation.html", + "creator": "Taylor Lorenz", + "pubDate": "Thu, 09 Dec 2021 14:44:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a491a8049969ede6ffb0aa5c1ab29b5" + }, + { + "title": "How Samantha Jones Was Written Out of ‘And Just Like That’ ", + "description": "Here’s how the “Sex and the City” revival wrote out Kim Cattrall, who has been publicly critical of the star, Sarah Jessica Parker. Plus: A roundup of the best reviews of “And Just Like That.”", + "content": "Here’s how the “Sex and the City” revival wrote out Kim Cattrall, who has been publicly critical of the star, Sarah Jessica Parker. Plus: A roundup of the best reviews of “And Just Like That.”", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/10/arts/television/where-is-samantha-and-just-like-that.html", + "creator": "Alexis Soloski", + "pubDate": "Fri, 10 Dec 2021 15:02:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "664274605908093ffb3622d475cad6fd" + }, + { + "title": "Rift Between Wyden and Son Shows the Challenge of Taxing the Ultrarich", + "description": "A dispute between Ron Wyden, the Democratic Senate Finance Committee chairman, and his hedge fund-manager son illustrates how the merely rich help the fabulously rich resist tax increases.", + "content": "A dispute between Ron Wyden, the Democratic Senate Finance Committee chairman, and his hedge fund-manager son illustrates how the merely rich help the fabulously rich resist tax increases.", + "category": "Tax Shelters", + "link": "https://www.nytimes.com/2021/12/10/us/politics/taxing-the-rich.html", + "creator": "Jonathan Weisman", + "pubDate": "Fri, 10 Dec 2021 10:00:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4257ec2c62db603e3c14c19a3da52aa6" + }, + { + "title": "Helicopters and High-Speed Chases: Inside Texas’ Push to Arrest Migrants", + "description": "Texas is using state law enforcement in an unusual way in an attempt to stem illegal border crossings. The tactic is raising constitutional concerns and transforming life in one small town.", + "content": "A group of migrants waits along the road after being apprehended in Kinney County by officers with the Texas Department of Public Safety.", + "category": "Illegal Immigration", + "link": "https://www.nytimes.com/2021/12/11/us/texas-migrant-arrests-police.html", + "creator": "J. David Goodman and Kirsten Luce", + "pubDate": "Sat, 11 Dec 2021 10:00:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0121216de47f992182cc7487ae44fcac" + }, + { + "title": "The Sunday Read: ‘How the Real Estate Boom Left Black Neighborhoods Behind’", + "description": "What would it take to catch up?", + "content": "What would it take to catch up?", + "category": "", + "link": "https://www.nytimes.com/2021/12/12/podcasts/the-daily/the-sunday-read-how-the-real-estate-boom-left-black-neighborhoods-behind.html", + "creator": "Vanessa Gregory, Jack D’Isidoro, Aaron Esposito, John Woo and Marion Lozano", + "pubDate": "Sun, 12 Dec 2021 11:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1f7e4ee2410ff4a8048ea7e76306f673" + }, + { + "title": "Remembering Stephen Sondheim, Musical Theater Visionary", + "description": "A conversation about his legacy, his engagements with pop music and whether he has any true inheritors.", + "content": "A conversation about his legacy, his engagements with pop music and whether he has any true inheritors.", + "category": "audio-neutral-informative", + "link": "https://www.nytimes.com/2021/12/07/arts/music/popcast-stephen-sondheim.html", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 16:43:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c2a4af6c9e25c4158572774ce0087fca" + }, + { + "title": "Standing Ready in the Aftermath of Disaster", + "description": "When wildfires and hurricanes affected communities, support networks jumped in for the food insecure.", + "content": "When wildfires and hurricanes affected communities, support networks jumped in for the food insecure.", + "category": "New York Times Neediest Cases Fund", + "link": "https://www.nytimes.com/2021/12/09/neediest-cases/standing-ready-in-the-aftermath-of-disaster.html", + "creator": "Kristen Bayrakdarian", + "pubDate": "Thu, 09 Dec 2021 10:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7cd624a23347940a0fb64c04699a6bd6" + }, + { + "title": "McCollum on Simmons Trade Rumors, Vaccines and Blazers Firing", + "description": "Portland guard CJ McCollum is facing challenges both personal and professional in his first year as president of the players’ union. “It’s the life I chose,” he said.", + "content": "Portland guard CJ McCollum is facing challenges both personal and professional in his first year as president of the players’ union. “It’s the life I chose,” he said.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/12/12/sports/basketball/blazers-cj-mccollum-trade-rumors.html", + "creator": "Tania Ganguli", + "pubDate": "Sun, 12 Dec 2021 18:14:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ddc20b64ed24eaa9d94aeff450fcd187" + }, + { + "title": "Diplomats Warn Russia of ‘Massive Consequences’ if It Invades Ukraine", + "description": "The foreign ministers for the Group of 7 urged Russia to pull back from the tense border standoff. Moscow has massed as many as 100,000 troops on Ukraine’s eastern, northern and southern frontiers.", + "content": "Liz Truss, top center, Britain’s foreign secretary, next to Secretary of State Antony J. Blinken on Sunday in Liverpool, England.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/us/politics/g7-russia-ukraine.html", + "creator": "Lara Jakes", + "pubDate": "Sun, 12 Dec 2021 16:09:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "85f31ef78cfbd89a89cf349dc18893be" + }, + { + "title": "New Caledonia Says ‘Non’ to Independence", + "description": "The vote on the Pacific island territory comes as France’s president has prioritized shoring up the country’s international profile, seeing its military as a bulwark against China.", + "content": "A polling station in Nouméa, the capital of New Caledonia, on Sunday. Amid a boycott of the referendum, residents of the South Pacific islands voted against independence from France. ", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/world/asia/new-caledonia-independence-vote.html", + "creator": "Hannah Beech", + "pubDate": "Sun, 12 Dec 2021 17:06:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f9285ccbf08b48bd84cad8232b0f58e8" + }, + { + "title": "Julianna Peña’s Upset of Amanda Nunes Shakes Up the U.F.C.", + "description": "Peña had entered the match as an enormous underdog against Nunes, one of the greatest female fighters in mixed martial arts.", + "content": "Peña had entered the match as an enormous underdog against Nunes, one of the greatest female fighters in mixed martial arts.", + "category": "Mixed Martial Arts", + "link": "https://www.nytimes.com/2021/12/12/sports/julianna-pena-amanda-nunes-ufc.html", + "creator": "Emmanuel Morgan", + "pubDate": "Mon, 13 Dec 2021 02:17:12 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1c34b82c5d0ae9190f321de66c353867" + }, + { + "title": "Marjorie Tallchief, Acclaimed Ballerina, Is Dead at 95", + "description": "A versatile artist who performed with the Paris Opera Ballet, she was the younger sister of the famed dancer Maria Tallchief.", + "content": "Marjorie Tallchief in 1966. One critic described her as “a brilliant, dynamic dancer with a svelte and flexible body,” adding, “Through her quasi-acrobatic virtuosity, she embodies the perfect dancer for our time.” ", + "category": "Tallchief, Marjorie", + "link": "https://www.nytimes.com/2021/12/12/arts/dance/marjorie-tallchief-ballerina-dead-95.html", + "creator": "Anna Kisselgoff", + "pubDate": "Sun, 12 Dec 2021 19:25:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0896377d7d02454ac59a32466fd691de" + }, + { + "title": "Why a Child’s Rude Behavior May Be Good for Development", + "description": "The safer children feel, the more they can show their true selves — warts and all — experts say. And that’s good for their development.", + "content": "The safer children feel, the more they can show their true selves — warts and all — experts say. And that’s good for their development.", + "category": "Children and Childhood", + "link": "https://www.nytimes.com/2021/12/11/well/family/rude-child-development-behavior.html", + "creator": "Melinda Wenner Moyer", + "pubDate": "Sat, 11 Dec 2021 10:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a30899f6aa05ea6c4e8a0386890257a0" + }, + { + "title": "Grind Your Teeth? Your Night Guard May Not Be the Right Fix", + "description": "Some experts say tooth-grinding is a behavior rather than a disorder, and the dentist’s chair isn’t the best place to address it.", + "content": "Some experts say tooth-grinding is a behavior rather than a disorder, and the dentist’s chair isn’t the best place to address it.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/02/16/well/live/tooth-grinding-night-guards.html", + "creator": "Kate Murphy", + "pubDate": "Thu, 18 Feb 2021 22:23:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "963c91dd14e3f89ddf8ad35176d34208" + }, + { + "title": "In Search of Black Santa", + "description": "My kids shouldn’t have to color their Santa Claus figurines with brown ink like I did.", + "content": "Kelvin Douglas is a jolly Santa Claus for children in Houston.", + "category": "Santa Claus", + "link": "https://www.nytimes.com/2021/12/09/well/family/black-santa.html", + "creator": "Nancy Redd", + "pubDate": "Thu, 09 Dec 2021 18:21:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3409388253d4d3aed03b33e2a72c0abe" + }, + { + "title": "Your ‘Maskne’ Might Not Be Acne at All", + "description": "Perioral dermatitis, a complex facial rash that is often mistaken for acne, is becoming more common, some experts say. Here’s how to spot, treat and prevent this irritating condition.", + "content": "Perioral dermatitis, a complex facial rash that is often mistaken for acne, is becoming more common, some experts say. Here’s how to spot, treat and prevent this irritating condition.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/04/02/well/perioral-dermatitis-pandemic.html", + "creator": "Elizabeth Svoboda", + "pubDate": "Fri, 02 Apr 2021 09:00:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b77d4bf1a4a7d90a35cf997932beff3b" + }, + { + "title": "Finding the Musical Spirit of Notre-Dame", + "description": "The beloved Paris cathedral is still being restored after the devastating 2019 fire, but other churches are keeping its musical traditions alive this holiday season.", + "content": "The organ at St.-Eustache, which is considered a jewel of the French Renaissance.", + "category": "Music", + "link": "https://www.nytimes.com/2021/12/09/travel/notre-dame-music-paris-churches.html", + "creator": "Elaine Sciolino", + "pubDate": "Mon, 13 Dec 2021 03:25:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "99a3b0244eb30daeb65c86d177f7af87" + }, + { + "title": "Spelling Bee Tips and Tricks", + "description": "We asked readers how they play one of our most popular games. Enthusiasts weighed in with their favorite tips and tricks.", + "content": "We asked readers how they play one of our most popular games. Enthusiasts weighed in with their favorite tips and tricks.", + "category": "Spelling Bee (Game)", + "link": "https://www.nytimes.com/2021/12/09/crosswords/spellingbee-tips.html", + "creator": "Deb Amlen and Jackie Frere", + "pubDate": "Thu, 09 Dec 2021 11:00:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d566578981244a58d09c3d4e86157abb" + }, + { + "title": "A Devilish Chocolate Cake You Can Sink Your Teeth Into", + "description": "This season, Yotam Ottolenghi thinks you should have your cake, and eat it, too, even (or especially) if it’s rich, dark and topped with praline.", + "content": "This season, Yotam Ottolenghi thinks you should have your cake, and eat it, too, even (or especially) if it’s rich, dark and topped with praline.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/10/dining/ottolenghi-chocolate-devils-food-cake.html", + "creator": "Yotam Ottolenghi", + "pubDate": "Sat, 11 Dec 2021 03:26:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d777a539d7f3075d0a9e899352c8a32c" + }, + { + "title": "The 50 Best TV Shows on Netflix Right Now", + "description": "New shows come to the streaming giant all the time — too many to ever watch them all. We’re here to help.", + "content": "New shows come to the streaming giant all the time — too many to ever watch them all. We’re here to help.", + "category": "Television", + "link": "https://www.nytimes.com/article/best-tv-shows-netflix.html", + "creator": "Noel Murray", + "pubDate": "Sat, 11 Dec 2021 01:15:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b4b7618da1f9d3c60cf4f8491d640f87" + }, + { + "title": "Tornado Death Toll Rises as States Assess Damage", + "description": "Scores were killed by the devastating storms on Friday night, including at least 80 people in Kentucky. Here’s the latest.", + "content": "Scores were killed by the devastating storms on Friday night, including at least 80 people in Kentucky. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/12/us/tornadoes-kentucky-illinois", + "creator": "The New York Times", + "pubDate": "Sun, 12 Dec 2021 21:11:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ce1b7de08f52d623ea75fbdd2d51e031" + }, + { + "title": "Scenes From the Aftermath of the Deadly Tornadoes", + "description": "Residents across six states in the South and Midwest awoke Saturday to unimaginable damage from a series of storms.", + "content": "Residents across six states in the South and Midwest awoke Saturday to unimaginable damage from a series of storms.", + "category": "Deaths (Fatalities)", + "link": "https://www.nytimes.com/2021/12/11/us/tornadoes-photos.html", + "creator": "Vimal Patel", + "pubDate": "Sun, 12 Dec 2021 01:33:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6c4c126d8e13a2d996cff0c6b94bd81b" + }, + { + "title": "Ahead of the Holidays, Fauci Says ‘We Have the Tools to Protect Ourselves’", + "description": "Dr. Anthony Fauci again urged Americans to get vaccinated, seek out shots for their young children and obtain boosters. Here’s the latest on Covid-19.", + "content": "Dr. Anthony Fauci again urged Americans to get vaccinated, seek out shots for their young children and obtain boosters. Here’s the latest on Covid-19.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/12/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Sun, 12 Dec 2021 21:57:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b43aaf71fdfef85dd818c5ad8642e794" + }, + { + "title": "Chris Wallace to Leave Fox News for CNN’s Streaming Service", + "description": "The “Fox News Sunday” host had been with the network for 18 years. He announced his departure on his program. Soon after, CNN said he would have an interview program on its new service.", + "content": "The “Fox News Sunday” anchor Chris Wallace at his home in Annapolis, Md., last year.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/12/business/chris-wallace-fox-news.html", + "creator": "Michael M. Grynbaum", + "pubDate": "Sun, 12 Dec 2021 17:02:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e94e87c4b446f7c708984b5b9f2e7546" + }, + { + "title": "‘Sesame Street’ Was Always Political", + "description": "The beloved children’s show has been a recurrent culture-war target, but a documentary on HBO shows how social purpose was built into it.", + "content": "The beloved children’s show has been a recurrent culture-war target, but a documentary on HBO shows how social purpose was built into it.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/12/arts/television/sesame-street.html", + "creator": "James Poniewozik", + "pubDate": "Sun, 12 Dec 2021 14:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7f5a9a73cf4aea11b5460388232123da" + }, + { + "title": "Kate McKinnon Returns to ‘S.N.L.’ as Dr. Anthony Fauci", + "description": "McKinnon wasted no time playing numerous roles in a “Saturday Night Live” episode in which Billie Eilish was both host and musical guest.", + "content": "Kate McKinnon played Dr. Anthony S. Fauci, among others, on “Saturday Night Live” this week.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/12/arts/television/saturday-night-live-billie-eilish.html", + "creator": "Dave Itzkoff", + "pubDate": "Sun, 12 Dec 2021 07:52:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a5f5a50add38edc65839f6bcab9301ab" + }, + { + "title": "The Key to Marketing to Older People? Don’t Say ‘Old.’", + "description": "To reach a rapidly expanding demographic, companies are changing their tone.", + "content": "Tinker Hatfield, left, a designer for Nike, talked with the company’s co-founder Phil Knight about the origin of the CruzrOne running shoe, in a promotional video on Nike.com. ", + "category": "Advertising and Marketing", + "link": "https://www.nytimes.com/2021/12/08/business/dealbook/marketing-older-people.html", + "creator": "Corinne Purtill", + "pubDate": "Wed, 08 Dec 2021 10:00:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "60f972bdca89f81a5d7714e32456c7bd" + }, + { + "title": "The Beatles \"Get Back\" Documentary Is a Master Class in Creativity", + "description": "In a new documentary, ‘Get Back,’ the Beatles give a master class in creativity under pressure.", + "content": "In a new documentary, ‘Get Back,’ the Beatles give a master class in creativity under pressure.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/12/08/opinion/beatles-get-back-creativity-lessons.html", + "creator": "Jere Hester", + "pubDate": "Wed, 08 Dec 2021 20:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8197177abc5b7d7eb849f83503779244" + }, + { + "title": "We Can Live Better Lives While Being Smart About Covid", + "description": "This virus is not going to disappear anytime soon.", + "content": "This virus is not going to disappear anytime soon.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/11/opinion/covid-vaccine-omicron-booster.html", + "creator": "The Editorial Board", + "pubDate": "Sat, 11 Dec 2021 16:09:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c5c6cb20df5d70eba182e516a800090b" + }, + { + "title": "With This Supreme Court, What’s Next for Abortion Rights?", + "description": "Legal scholars, researchers and writers consider how the country could be transformed.", + "content": "Legal scholars, researchers and writers consider how the country could be transformed.", + "category": "debatable", + "link": "https://www.nytimes.com/2021/12/10/opinion/supreme-court-abortion-roe.html", + "creator": "Spencer Bokat-Lindell", + "pubDate": "Fri, 10 Dec 2021 18:15:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "00bf2855beb387e5f6e0bbf5e44f7362" + }, + { + "title": "Silent Films Offer Rare Glimpses of Life in 1920s Ireland", + "description": "Shot by an American ornithologist in the early years of Irish independence, the footage turned up in the archives of the Chicago Academy of Sciences and is being restored.", + "content": "Shot by an American ornithologist in the early years of Irish independence, the footage turned up in the archives of the Chicago Academy of Sciences and is being restored.", + "category": "Ireland", + "link": "https://www.nytimes.com/2021/12/11/world/europe/silent-film-ireland-discovery.html", + "creator": "Claire Fahy", + "pubDate": "Sat, 11 Dec 2021 10:30:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b3d5eae05bc25e697d10b8e7a0e23b79" + }, + { + "title": "PowerPoint Sent to Mark Meadows Is Examined by Jan. 6 Panel", + "description": "Mark Meadows’s lawyer said the former White House chief of staff did not act on the document, which recommended that President Donald J. Trump declare a national emergency to keep himself in power.", + "content": "Mark Meadows’s lawyer said the former White House chief of staff did not act on the document, which recommended that President Donald J. Trump declare a national emergency to keep himself in power.", + "category": "Meadows, Mark R (1959- )", + "link": "https://www.nytimes.com/2021/12/10/us/politics/capitol-attack-meadows-powerpoint.html", + "creator": "Luke Broadwater and Alan Feuer", + "pubDate": "Sat, 11 Dec 2021 00:59:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4a580aad2a1ecb9e6acd293ff46d480e" + }, + { + "title": "In Bid for Control of Elections, Trump Loyalists Face Few Obstacles", + "description": "A movement animated by Donald J. Trump’s 2020 election lies is turning its attention to 2022 and beyond.", + "content": "A pro-Trump mob, galvanized by Donald J. Trump’s false claim of a stolen election in 2020, stormed the U.S. Capitol building on Jan. 6.", + "category": "Voter Fraud (Election Fraud)", + "link": "https://www.nytimes.com/2021/12/11/us/politics/trust-in-elections-trump-democracy.html", + "creator": "Charles Homans", + "pubDate": "Sat, 11 Dec 2021 10:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "404734b22cd2eee5bd2c1b446e4f72ae" + }, + { + "title": "Inside the Fall of Kabul: An On-the-Ground Account", + "description": "Against all predictions, the Taliban took the Afghan capital in a matter of hours. This is the story of why and what came after, by a reporter and photographer who witnessed it all.", + "content": "Against all predictions, the Taliban took the Afghan capital in a matter of hours. This is the story of why and what came after, by a reporter and photographer who witnessed it all.", + "category": "Afghanistan War (2001- )", + "link": "https://www.nytimes.com/2021/12/10/magazine/fall-of-kabul-afghanistan.html", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 23:05:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d91f930db1966f85195c4e5614df41fa" + }, + { + "title": "Self-Proclaimed Proud Boys Member Gets 10 Years for Violence at Portland Protests", + "description": "Prosecutors called Alan Swinney, 51, a “white nationalist vigilante cowboy” who shot a man in the eye with a paintball gun.", + "content": "Prosecutors called Alan Swinney, 51, a “white nationalist vigilante cowboy” who shot a man in the eye with a paintball gun.", + "category": "George Floyd Protests (2020)", + "link": "https://www.nytimes.com/2021/12/10/us/proud-boys-alan-swinney-sentenced.html", + "creator": "Michael Levenson", + "pubDate": "Sat, 11 Dec 2021 01:13:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b4dbe816fc5b436c81737c717c94b4e0" + }, + { + "title": "A Student Was Murdered Near Columbia. What Should the University Do?", + "description": "The murder of a student adjacent to Columbia’s ever-expanding campus renews questions about the school’s obligations to the surrounding communities.", + "content": "A candlelight vigil for Davide Giri, a Columbia University student who was fatally stabbed near the campus last week.", + "category": "Colleges and Universities", + "link": "https://www.nytimes.com/2021/12/10/nyregion/urban-universities-neighborhoods.html", + "creator": "Ginia Bellafante", + "pubDate": "Fri, 10 Dec 2021 18:11:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e8aa9aae906b4298318edffc471aa0ba" + }, + { + "title": "Israeli Leader Is to Meet Emirati Prince, Showcasing Deepening Ties", + "description": "Prime Minister Naftali Bennett will travel to Abu Dhabi on Sunday — the first such visit by an Israeli leader.", + "content": "Prime Minister Naftali Bennett of Israel, center, arriving for a cabinet meeting at his office in Jerusalem last month.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/world/middleeast/israel-uae-naftali-bennett.html", + "creator": "Patrick Kingsley", + "pubDate": "Sun, 12 Dec 2021 11:23:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "348d624c0b3daf3c66a44cc24f8826a7" + }, + { + "title": "Max Verstappen Wins Formula One Title, Passing Lewis Hamilton on Last Lap", + "description": "Formula 1 capped a long season with a hotly debated decision in Abu Dhabi. Mercedes, which lodged two protests against the result, has 96 hours to consider appealing the ruling.", + "content": "The Red Bull driver Max Verstappen of the Netherlands celebrated winning his first Formula 1 world title at the Abu Dhabi Grand Prix.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/09/sports/autoracing/f1-schedule.html", + "creator": "Luke Smith", + "pubDate": "Sun, 12 Dec 2021 20:58:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f34ad0eb297c91f91a039789037d314" + }, + { + "title": "Robert Farris Thompson, ‘Guerrilla Scholar’ of African Art, Dies at 88", + "description": "He revolutionized the study of the cultures of Africa and the Americas by combining art history with anthropology, sociology and ethnomusicology.", + "content": "He revolutionized the study of the cultures of Africa and the Americas by combining art history with anthropology, sociology and ethnomusicology.", + "category": "Thompson, Robert Farris", + "link": "https://www.nytimes.com/2021/12/12/arts/robert-farris-thompson-dead.html", + "creator": "Holland Cotter", + "pubDate": "Sun, 12 Dec 2021 17:20:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e373e7a063dda2ce5a231bce56e9b5d2" + }, + { + "title": "N.Y.C. Arts Organizations Awarded $51.4 Million Dollars in Grants", + "description": "The Department of Cultural Affairs is awarding $51.4 million in grants to more than 1,000 nonprofit arts and cultural groups that are seeking to rebound from the pandemic.", + "content": "The Solomon R. Guggenheim Museum, which is among the larger arts organizations benefiting from the city grants.", + "category": "Culture (Arts)", + "link": "https://www.nytimes.com/2021/12/09/arts/new-york-city-arts-grants.html", + "creator": "Matt Stevens", + "pubDate": "Thu, 09 Dec 2021 16:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0f0eccb75a0aa74baa6ee9f42ca27d52" + }, + { + "title": "Can Peloton Sue Over Its ‘And Just Like That’ Appearance?", + "description": "A Peloton stationary bike played a pivotal role on the new HBO Max “Sex and the City” revival, whose premiere preceded a drop in the company’s stock price on Friday.", + "content": "A Peloton stationary bike played a pivotal role on the new HBO Max “Sex and the City” revival, whose premiere preceded a drop in the company’s stock price on Friday.", + "category": "Product Placement", + "link": "https://www.nytimes.com/2021/12/11/arts/television/peloton-sex-and-the-city.html", + "creator": "Isabella Grullón Paz", + "pubDate": "Sun, 12 Dec 2021 21:16:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d5f727cfdfd5226e8f0cd403892874ce" + }, + { + "title": "Opening Their Eyes to Art and Each Other", + "description": "Talibah Safiya and Bertram Williams Jr. felt a spark while watching a play together in high school, 11 years before their first proper date.", + "content": "Talibah Safiya and Bertram Williams Jr. felt a spark while watching a play together in high school, 11 years before their first proper date.", + "category": "Weddings and Engagements", + "link": "https://www.nytimes.com/2021/12/10/style/talibah-safiya-bertram-williams-wedding.html", + "creator": "Gabe Cohn", + "pubDate": "Fri, 10 Dec 2021 16:39:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a8d95299bcd5e96ce13ee3f72b1e0932" + }, + { + "title": "How a Professional Mover Spends His Sundays", + "description": "The weekends are busy for Adonis Williams, who has been moving New Yorkers for almost 20 years.", + "content": "“On a workday, I’m going over the details of the job like it’s a military mission,” said Adonis Williams, who manages a regular crew of movers and drives a 20-foot truck.", + "category": "Moving and Moving Industry", + "link": "https://www.nytimes.com/2021/12/10/nyregion/how-a-professional-mover-spends-his-sundays.html", + "creator": "Laura Entis", + "pubDate": "Fri, 10 Dec 2021 10:00:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ea85955102734fc716ba45742e019c2f" + }, + { + "title": "A Savannah Home Melds Georgian Architecture With ’60s Flair", + "description": "More than 50 years after their completion, the interiors of one couple’s august house remain a riot of century-clashing design.", + "content": "More than 50 years after their completion, the interiors of one couple’s august house remain a riot of century-clashing design.", + "category": "holiday issue 2021", + "link": "https://www.nytimes.com/2021/12/01/t-magazine/savannah-georgia-home-design.html", + "creator": "Monica Nelson and Peyton Fulford", + "pubDate": "Thu, 09 Dec 2021 19:13:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8f3072d7411bf3dcdb796ef41aa82806" + }, + { + "title": "Does It Make Sense to Categorize People by Generation?", + "description": "In “The Generation Myth,” Bobby Duffy deconstructs the stereotypes that have built up around millennials, boomers and other cohorts.", + "content": "Bobby Duffy questions generational stereotypes, like that millennials are self-absorbed snowflakes.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/08/books/review/the-generation-myth-bobby-duffy.html", + "creator": "Tom Standage", + "pubDate": "Wed, 08 Dec 2021 21:14:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a67986cb160f309f5c76d01d9e98e6f8" + }, + { + "title": "Pop-Up Exhibition Aims to Preserve Black History in Sag Harbor", + "description": "A pop-up exhibition is helping a historical society conserve its archive of the Black experience in beach communities facing increased gentrification.", + "content": "Georgette Grier-Key, director of the Eastville Community Historical Society on the South Fork of Long Island, characterizes Eastville as one of the earliest truly integrated communities in the United States.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/07/arts/design/sag-harbor-black-artists-long-island.html", + "creator": "Aruna D’Souza", + "pubDate": "Tue, 07 Dec 2021 17:18:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dcf9bd0a70897da0a41dc9e9b65e991c" + }, + { + "title": "Pennsylvania Hospitals Fill Up as Cold Weather Sets In", + "description": "The state is among a number in the Midwest and Northeast that have seen sharp rises in hospitalizations in the last two weeks. Catch up on Covid updates.", + "content": "The state is among a number in the Midwest and Northeast that have seen sharp rises in hospitalizations in the last two weeks. Catch up on Covid updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/12/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Sun, 12 Dec 2021 21:11:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aa58169ed3a7b16d33e0b07ca12377fc" + }, + { + "title": "Tornadoes Tear Through South and Midwest, With at Least 70 Dead in Kentucky", + "description": "Power was out across the region on Saturday, and severe storms were expected to continue.", + "content": "After a tornado ripped through Mayfield, Ky., homes were destroyed and debris from trees littered local roads.", + "category": "Tornadoes", + "link": "https://www.nytimes.com/2021/12/11/us/kentucky-deadly-tornadoes.html", + "creator": "Rick Rojas, Jamie McGee, Laura Faith Kebede and Campbell Robertson", + "pubDate": "Sun, 12 Dec 2021 05:33:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "387d9944ca6b64e2701fb9581d7dd6d3" + }, + { + "title": "Haiti’s Leader Kept a List of Drug Traffickers. His Assassins Came For It.", + "description": "In the months before his murder, President Jovenel Moïse took a number of steps to fight drug and arms smugglers. Some officials now fear he was killed for it.", + "content": "A mural depicting Mr. Moïse near the entrance to his home in Pétionville, where he was assassinated.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/12/world/jovenel-moise-haiti-president-drug-traffickers.html", + "creator": "Maria Abi-Habib", + "pubDate": "Sun, 12 Dec 2021 10:00:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e956b54d61150a0c03bcc88637165963" + }, + { + "title": "Former Aide Says He Was Ordered to Ignore Subpoena Over Pandemic Response", + "description": "Peter Navarro is refusing to respond to a congressional subpoena, saying he is following a “direct order” from former President Trump. Follow Covid updates.", + "content": "Peter Navarro is refusing to respond to a congressional subpoena, saying he is following a “direct order” from former President Trump. Follow Covid updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 22:55:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d05c3c3213100fecff74389d2a188efb" + }, + { + "title": "The Sublime Spectacle of Yoko Ono Disrupting the Beatles", + "description": "In Peter Jackson’s “The Beatles: Get Back,” Ono is a performance artist at the height of her powers.", + "content": "In Peter Jackson’s “The Beatles: Get Back,” Ono is a performance artist at the height of her powers.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/12/08/arts/music/yoko-ono-beatles-get-back.html", + "creator": "Amanda Hess", + "pubDate": "Wed, 08 Dec 2021 21:10:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b982ead349d750194b67c7112fb77577" + }, + { + "title": "Joan Semmel Takes an Unflinching View of Her Own Body", + "description": "The painter, 89, has never shied away from erotic imagery. Her signature nude self-portraits are an attempt to see herself through her own eyes.", + "content": "The artist Joan Semmel in her SoHo studio, where she has lived and worked for over half a century.", + "category": "Semmel, Joan", + "link": "https://www.nytimes.com/2021/12/09/t-magazine/joan-semmel-nude-portraits.html", + "creator": "Daphne Merkin", + "pubDate": "Fri, 10 Dec 2021 16:12:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4dd6c8333f455ed7087d95c3e0198084" + }, + { + "title": "What Can Schools Do About Disturbed Students?", + "description": "“There is no profile of a school shooter that is reliable.”", + "content": "“There is no profile of a school shooter that is reliable.”", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/11/opinion/schools-students-staff.html", + "creator": "Jessica Grose", + "pubDate": "Sat, 11 Dec 2021 13:55:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e872942b7bd9d66681552788ccc71574" + }, + { + "title": "The Inflation Suspense Goes On", + "description": "The data refuse to settle the big debate. ", + "content": "March 12, 2020, in New York City.  ", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/10/opinion/inflation-economy.html", + "creator": "Paul Krugman", + "pubDate": "Fri, 10 Dec 2021 19:05:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a9ea48b334eb0c7d1b378064e3296a1b" + }, + { + "title": "Abortion: Real Stories, Not Abstractions", + "description": "Readers discuss having an abortion, the physical toll of pregnancy, their religious beliefs, unwanted children and more.", + "content": "Readers discuss having an abortion, the physical toll of pregnancy, their religious beliefs, unwanted children and more.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/11/opinion/letters/abortion.html", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 16:30:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "55ed4620eaca1dc626533b229f545b7f" + }, + { + "title": "Revoke the Omicron Travel Ban Against African Countries", + "description": "And don’t make the same mistake again.", + "content": "And don’t make the same mistake again.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/11/opinion/omicron-travel-ban-covid-africa.html", + "creator": "Saad B. Omer", + "pubDate": "Sat, 11 Dec 2021 16:00:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7bc72ea965075ff244e315600acf763c" + }, + { + "title": "How the United States Can Break Putin’s Hold on Ukraine", + "description": "The Biden administration’s policy toward Ukraine needs todemonstrate a more active level of engagement.", + "content": "The Biden administration’s policy toward Ukraine needs todemonstrate a more active level of engagement.", + "category": "Russia", + "link": "https://www.nytimes.com/2021/12/10/opinion/international-world/putin-ukraine-biden.html", + "creator": "Alexander Vindman", + "pubDate": "Sat, 11 Dec 2021 00:34:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ec344fc7ec1eb6cb0f44373f833a05d2" + }, + { + "title": "As Omicron Looms, Fear Messaging Isn't Working", + "description": "This horror movie has been playing for 21 months.", + "content": "This horror movie has been playing for 21 months.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/10/opinion/covid-omicron-psychology-fear.html", + "creator": "Adam Grant", + "pubDate": "Fri, 10 Dec 2021 16:18:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1ad2ffaca506566d6ae004e61e7238f7" + }, + { + "title": "A Nobel Peace Prize Is Not Enough to Save Independent Media", + "description": "It will take more than speeches — or indeed Nobel prizes — to save independent journalism.", + "content": "It will take more than speeches — or indeed Nobel prizes — to save independent journalism.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/12/10/opinion/independent-journalism-at-risk-nobel-prize.html", + "creator": "Maria Ressa and Mark Thompson", + "pubDate": "Fri, 10 Dec 2021 19:37:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "273ed956d600d21aadfe5ed2ad1e0fd8" + }, + { + "title": "Will the Coronavirus Evolve to Be Milder?", + "description": "While we may care, the virus really doesn’t.", + "content": "While we may care, the virus really doesn’t.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/10/opinion/covid-evolve-milder.html", + "creator": "Andrew Pekosz", + "pubDate": "Sat, 11 Dec 2021 14:36:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dd2a41606760196e7bd4d6c4c5f8b7c7" + }, + { + "title": "Demaryius Thomas, Ex-Denver Broncos Wide Receiver, Is Found Dead", + "description": "Thomas, 33, played as a wide receiver in the National Football League for 10 seasons and helped lead the Broncos to victory in the Super Bowl in 2016. He retired in June.", + "content": "Demaryius Thomas of the Denver Broncos warming up before a game against the Kansas City Chiefs in 2018.", + "category": "Thomas, Demaryius", + "link": "https://www.nytimes.com/2021/12/10/sports/football/demaryius-thomas-dead.html", + "creator": "Livia Albeck-Ripka", + "pubDate": "Fri, 10 Dec 2021 17:50:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "be5b04936a16dd673fbb24226750de27" + }, + { + "title": "11 Million New Oysters in New York Harbor (but None for You to Eat)", + "description": "The oysters, which act as nonstop water filters, were added to the Hudson River as part of an ongoing project to rehabilitate the polluted waterways around the city.", + "content": "Big, discovered under Pier 40 three years ago, is believed to be the largest oyster found in New York in over a century. ", + "category": "Oysters", + "link": "https://www.nytimes.com/2021/12/10/us/oysters-new-york-hudson-river.html", + "creator": "Karen Zraick", + "pubDate": "Fri, 10 Dec 2021 13:06:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "582af5f0ec1f661036bd2829231724a4" + }, + { + "title": "U.K. Court Rules Julian Assange Can Be Extradited to U.S.", + "description": "The WikiLeaks founder will seek to appeal. But if the extradition goes ahead, he would face espionage charges that could put him in prison for decades.", + "content": "The WikiLeaks founder will seek to appeal. But if the extradition goes ahead, he would face espionage charges that could put him in prison for decades.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/10/world/europe/uk-julian-assange-extradition.html", + "creator": "Megan Specia and Charlie Savage", + "pubDate": "Fri, 10 Dec 2021 18:27:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "97b2822e3489dad7a5f108c7a0475c62" + }, + { + "title": "Our Favorite Healthy Habits of 2021", + "description": "From labeling your feelings to exercise snacks, here’s a roundup of some of Well’s best advice for better living.", + "content": "From labeling your feelings to exercise snacks, here’s a roundup of some of Well’s best advice for better living.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/09/well/mind/healthy-habits.html", + "creator": "Tara Parker-Pope", + "pubDate": "Fri, 10 Dec 2021 14:43:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ee0802cf9bba35fad8da5ce23d58914e" + }, + { + "title": "Your Face Is, or Will Be, Your Boarding Pass", + "description": "Tech-driven changes are coming fast and furiously to airports, including advancements in biometrics that verify identity and shorten security procedures for those passengers who opt into the programs.", + "content": "Tech-driven changes are coming fast and furiously to airports, including advancements in biometrics that verify identity and shorten security procedures for those passengers who opt into the programs.", + "category": "Facial Recognition Software", + "link": "https://www.nytimes.com/2021/12/07/travel/biometrics-airports-security.html", + "creator": "Elaine Glusac", + "pubDate": "Tue, 07 Dec 2021 10:00:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "657089bbebdc11bca694dbd2152a326c" + }, + { + "title": "Seeking Space for Solar Farms, Cities Find Room at Their Airports", + "description": "Airports around the nation are installing solar arrays on unused land, roofs and parking garages, helping them achieve self-sufficiency while also providing power to their communities.", + "content": "A grid of solar panels stretching toward the Tallahassee International Airport control tower.", + "category": "Solar Energy", + "link": "https://www.nytimes.com/2021/12/07/business/airports-solar-farms.html", + "creator": "Amy Zipkin", + "pubDate": "Tue, 07 Dec 2021 19:04:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1c5e217482909c93d92288bc09721952" + }, + { + "title": "Mayor-Elect Eric Adams Cancels 10 Fund-Raisers", + "description": "One of them was sponsored by a contentious public relations executive, Ronn Torossian.", + "content": "Eric Adams, left, and Ronn Torossian at the mayor-elect’s celebration party at Zero Bond on Nov. 2, 2021.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/11/nyregion/eric-adams-fund-raisers-canceled.html", + "creator": "Ben Smith and Dana Rubinstein", + "pubDate": "Sat, 11 Dec 2021 21:24:58 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bad56e07ab68830543fd1c9dd27f8200" + }, + { + "title": "Bryce Young, Alabama’s Sophomore Star, Wins the Heisman Trophy", + "description": "Voters have more data points than ever to consider, but how they select the winner has changed little over the years: Quarterbacks dominate and winning matters.", + "content": "Voters have more data points than ever to consider, but how they select the winner has changed little over the years: Quarterbacks dominate and winning matters.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/12/11/sports/ncaafootball/heisman-trophy.html", + "creator": "Billy Witz", + "pubDate": "Sun, 12 Dec 2021 04:06:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e59165ec187f4e9059f9aa7e1038e1b2" + }, + { + "title": "Denis O’Brien, Force in Ex-Beatle’s Film Company, Dies at 80", + "description": "He and George Harrison created Handmade Films to make “Monty Python’s Life of Brian.” Other successes followed, but the partnership ended badly.", + "content": "Denis O’Brien with George Harrison during the filming of the 1986 movie “Shanghai Surprise” in Surrey, England. The two were partners in the film production company Handmade Films.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/09/movies/denis-obrien-dead.html", + "creator": "Neil Genzlinger", + "pubDate": "Thu, 09 Dec 2021 20:27:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2eed6ca5817bd7bec3fd7609e3b50bfa" + }, + { + "title": "Margaret Giannini, Champion of People With Disabilities, Dies at 100", + "description": "After meeting the parents of children with a range of disabilities, she decided almost on the spot to start a clinic to treat such children exclusively.", + "content": "Dr. Margaret Giannini in 2017. She was the catalyst behind establishing one of the world’s largest facilities for people with developmental disabilities.", + "category": "Giannini, Margaret (1921-2021)", + "link": "https://www.nytimes.com/2021/12/11/health/margaret-giannini-dead.html", + "creator": "Katharine Q. Seelye", + "pubDate": "Sat, 11 Dec 2021 22:54:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1af6375b8bd47932c24b68b4608f1402" + }, + { + "title": "Do Booster Shots Work Against the Omicron Variant? Your Questions Answered", + "description": "Alarmed by the arrival of the new variant, health officials have called for everyone who is eligible to get a booster shot.", + "content": "Alarmed by the arrival of the new variant, health officials have called for everyone who is eligible to get a booster shot.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/article/booster-shots-questions-answers.html", + "creator": "Tara Parker-Pope", + "pubDate": "Tue, 07 Dec 2021 16:04:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b1346156dbb106e3c999352a3a3a6a62" + }, + { + "title": "Glyn Johns is a Fashion Favorite in 'The Beatles: Get Back'", + "description": "The long-lost outfits of the Beatles sound man have made him an unwitting fashion favorite, five decades later.", + "content": "The long-lost outfits of the Beatles sound man have made him an unwitting fashion favorite, five decades later.", + "category": "Fashion and Apparel", + "link": "https://www.nytimes.com/2021/12/11/style/glyn-johns-get-back-beatles-outfit.html", + "creator": "Alex Williams", + "pubDate": "Sat, 11 Dec 2021 23:09:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aa57d1137687366e138a364872d2311f" + }, + { + "title": "Lewis Hamilton or Max Verstappen? Abu Dhabi Race to Decide F1 Champion", + "description": "It has not had a season like this in years because Lewis Hamilton has dominated. Not this year. He or Max Verstappen will become champion on Sunday.", + "content": "Lewis Hamilton, left, and Max Verstappen battling for position on Sunday during the Grand Prix of Saudi Arabia in Jeddah.", + "category": "Automobile Racing", + "link": "https://www.nytimes.com/2021/12/09/sports/autoracing/f1-hamilton-verstappen-abu-dhabi-grand-prix.html", + "creator": "Ian Parkes", + "pubDate": "Thu, 09 Dec 2021 10:02:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fc1be54926e51cbf8f9c6545fa681de7" + }, + { + "title": "On the Citizen App, Even the Happy Videos Can Be Unsettling", + "description": "However the “personal safety” app adapts its message, it’s still toying with how you feel about your own community.", + "content": "However the “personal safety” app adapts its message, it’s still toying with how you feel about your own community.", + "category": "Video Recordings, Downloads and Streaming", + "link": "https://www.nytimes.com/2021/12/08/magazine/on-the-citizen-app-even-the-happy-videos-can-be-unsettling.html", + "creator": "Peter C. Baker", + "pubDate": "Thu, 09 Dec 2021 00:19:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "11a119d1412e89e937a7793dfebff9ab" + }, + { + "title": "10 Ways I Fed My Fandom(s)", + "description": "No apologies from our critic-at-large, who found plenty of movies, plays and TV series to nourish the culture nerd within.", + "content": "Clockwise from left: Dev Patel in “The Green Knight\"; Jon Michael Hill and Namir Smallwood in “Pass Over”; and Elisabeth Olsen, left and Kathryn Hahn in “WandaVision.”", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/08/theater/theater-tv-movies-fandoms-2021.html", + "creator": "Maya Phillips", + "pubDate": "Wed, 08 Dec 2021 10:00:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b36fd97a346a49f17b7ce2dd50acc221" + }, + { + "title": "Five Horror Movies to Stream Now", + "description": "This month’s picks include a prude mutant, a vengeful witch, a tortured musician and a demonic dinner.", + "content": "This month’s picks include a prude mutant, a vengeful witch, a tortured musician and a demonic dinner.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/10/movies/streaming-horror.html", + "creator": "Erik Piepenburg", + "pubDate": "Fri, 10 Dec 2021 16:30:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ae2328d1b448fed9d6799bbc0773010a" + }, + { + "title": "Tornadoes Leave Trail of Devastation Across 6 States, With Scores Dead", + "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-midwest-south", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 23:25:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2605b7b0bd86b5fa4d804223f65ed949" + }, + { + "title": "In a Kentucky Town Hit by a Tornado, Anguish, Worry — and Feeling Grateful to Be Alive", + "description": "A tornado devastated much of Mayfield, Ky., leaving a close-knit community to grapple with what it has lost and what it will take to recover.", + "content": "Irene Noltner consoles Jody O’Neill outside The Lighthouse, a women and children’s shelter that was destroyed by a tornado along with much of downtown Mayfield, Ky.", + "category": "Candles", + "link": "https://www.nytimes.com/2021/12/11/us/mayfield-kentucky-hit-by-tornado.html", + "creator": "Rick Rojas and Jamie McGee", + "pubDate": "Sat, 11 Dec 2021 22:59:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3b55f8ed454c85bbdcbacc3cec681e96" + }, + { + "title": "Deaths Confirmed After Tornado Hits Amazon Warehouse in Illinois", + "description": "The police said they were notifying next of kin after a tornado caused “catastrophic damage to a significant portion” of the building.", + "content": "The partially collapsed Amazon distribution center in Edwardsville, Ill.", + "category": "Tornadoes", + "link": "https://www.nytimes.com/2021/12/11/us/amazon-warehouse-deaths-tornado.html", + "creator": "Daniel Victor", + "pubDate": "Sat, 11 Dec 2021 13:03:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a3b1442a132bd339347ca39d4d99f22" + }, + { + "title": "As Vaccines Trickle into Africa, Zambia’s Challenges Highlight Other Obstacles", + "description": "Vaccinating Africa is critical to protecting the continent and the world against dangerous variants, but supply isn’t the only problem countries face.", + "content": "The Covid-19 vaccination tents at Chongwe District Hospital in Zambia sat empty.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/11/health/covid-vaccine-africa.html", + "creator": "Stephanie Nolen", + "pubDate": "Sat, 11 Dec 2021 14:14:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "355acdc28dd124912ddd12531ef884c9" + }, + { + "title": "British studies warn of Omicron’s speed, and one notes the need for boosters.", + "description": "", + "content": "Lining up to get a Covid-19 vaccine shot in London last week.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/world/covid-omicron-vaccines/britain-omicron", + "creator": "Benjamin Mueller", + "pubDate": "Sat, 11 Dec 2021 18:54:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e8bea302590d0726fa6fcb6f51579743" + }, + { + "title": "A Cookie as Big as the Ritz", + "description": "This festive cookie cake is a cross between an American chocolate-chip cookie and an elegant Parisian treat.", + "content": "This festive cookie cake is a cross between an American chocolate-chip cookie and an elegant Parisian treat.", + "category": "Cookies", + "link": "https://www.nytimes.com/2021/12/01/magazine/new-years-cookie-recipe.html", + "creator": "Dorie Greenspan", + "pubDate": "Sat, 11 Dec 2021 00:00:12 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "afa682241b2e1932dcfbfb2677f0de0e" + }, + { + "title": "Best Movies of 2021", + "description": "Even when a film wasn’t great, filmgoing was. But there were some truly wonderful releases, ranging from music docs and musicals to westerns and the just plain weird.", + "content": "Even when a film wasn’t great, filmgoing was. But there were some truly wonderful releases, ranging from music docs and musicals to westerns and the just plain weird.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/06/movies/best-movies.html", + "creator": "A.O. Scott and Manohla Dargis", + "pubDate": "Mon, 06 Dec 2021 11:25:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0e24365f654e5e0b7616027d0d970026" + }, + { + "title": "My Not-So-Secret Admirer", + "description": "Sometimes you just need a dose of love and validation to get you through the day. And who better to give it to you than yourself?", + "content": "Sometimes you just need a dose of love and validation to get you through the day. And who better to give it to you than yourself?", + "category": "Love (Emotion)", + "link": "https://www.nytimes.com/2021/12/10/style/my-not-so-secret-admirer.html", + "creator": "Lia Picard", + "pubDate": "Fri, 10 Dec 2021 10:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f1e16dbf34c8486ca5976137026a98ee" + }, + { + "title": "Supreme Court Allows Challenge to Texas Abortion Law but Leaves It in Effect", + "description": "The law, which bans most abortions after about six weeks of pregnancy, was drafted to evade review in federal court and has been in effect since September.", + "content": "The law, which bans most abortions after about six weeks of pregnancy, was drafted to evade review in federal court and has been in effect since September.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/10/us/politics/texas-abortion-supreme-court.html", + "creator": "Adam Liptak", + "pubDate": "Fri, 10 Dec 2021 18:50:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6fdbff3354b3a78273568b08a9b06cf0" + }, + { + "title": "In Texas, Panic Over Critical Race Theory Extends to Bookshelves", + "description": "A new state law constricts teachers when it comes to race and history. And a politician is questioning why 850 titles are on library shelves. The result: “A lot of our teachers are petrified.”", + "content": "A new state law constricts teachers when it comes to race and history. And a politician is questioning why 850 titles are on library shelves. The result: “A lot of our teachers are petrified.”", + "category": "Education (K-12)", + "link": "https://www.nytimes.com/2021/12/10/us/texas-critical-race-theory-ban-books.html", + "creator": "Michael Powell", + "pubDate": "Fri, 10 Dec 2021 20:14:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "545ad2e020d50a6e8bdf682bd5562e06" + }, + { + "title": "Elon Musk’s Latest Innovation: Troll Philanthropy", + "description": "Some very wealthy people give their money away in an attempt to burnish their reputations. Not the Tesla C.E.O.", + "content": "Some very wealthy people give their money away in an attempt to burnish their reputations. Not the Tesla C.E.O.", + "category": "Philanthropy", + "link": "https://www.nytimes.com/2021/12/10/business/elon-musk-philanthropy.html", + "creator": "Nicholas Kulish", + "pubDate": "Fri, 10 Dec 2021 16:59:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9b7f287447e1f1916f4413ee47109655" + }, + { + "title": "‘I Would Give Anything to Hold Their Hands Again’", + "description": "A husband and wife find a way to talk to their young sons about an unspeakable event.", + "content": "A husband and wife find a way to talk to their young sons about an unspeakable event.", + "category": "Earthquakes", + "link": "https://www.nytimes.com/2021/12/10/style/moderrn-love-haiti-earthquake-hold-their-hands-again.html", + "creator": "Jessica Alexander", + "pubDate": "Fri, 10 Dec 2021 05:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "36182a7a68cf812ac19604068a98b832" + }, + { + "title": "Some Voters Are at Odds With Their Party on Abortion", + "description": "Despite decades of partisan fighting in Washington, Americans are not as neatly divided on abortion as politicians and activists.", + "content": "The number of Americans who support or oppose abortion can vary widely, depending on how pollsters phrase the question. ", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/11/us/abortion-politics-polls.html", + "creator": "Nate Cohn", + "pubDate": "Sat, 11 Dec 2021 17:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4dcdc30d0b20242bce34df1a81607762" + }, + { + "title": "In Bakersfield, Many Find a California They Can Afford", + "description": "Known for both oil and agriculture, the “Texas of California” rises in population as city dwellers seek backyards and shorter commutes.", + "content": "Known for both oil and agriculture, the “Texas of California” rises in population as city dwellers seek backyards and shorter commutes.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/12/11/us/california-housing-bakersfield.html", + "creator": "Jill Cowan", + "pubDate": "Sat, 11 Dec 2021 19:00:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a7a1c1aa4c778ec6dae8c59386e2586a" + }, + { + "title": "Should Police Investigate Residential Schools Cases in Canada?", + "description": "The Six Nations in Ontario have set up a special group to oversee the investigation of student deaths, in a rare collaboration between an Indigenous group and the police.", + "content": "The former Mohawk Institute Residential School in Brantford, Ontario where police officers and members of this Six Nations community are working together to look for unmarked graves.", + "category": "Indigenous People", + "link": "https://www.nytimes.com/2021/12/11/world/canada/missing-indigenous-children-police.html", + "creator": "Ian Austen", + "pubDate": "Sat, 11 Dec 2021 15:10:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "78ca564d6b04faac44e84090d18776f7" + }, + { + "title": "Less Mange, More Frills: Rome’s New Mayor Bets on His Christmas Tree", + "description": "The annual Christmas tree in the Italian capital has come under scrutiny ever since a 2017 debacle. Will this year’s pass social media muster?", + "content": "Workers using a crane to decorate the annual Christmas tree this past week in central Rome.", + "category": "Christmas", + "link": "https://www.nytimes.com/2021/12/11/world/europe/rome-christmas-tree.html", + "creator": "Elisabetta Povoledo", + "pubDate": "Sat, 11 Dec 2021 18:32:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "441dfabd51783b7137d6178484a0c61b" + }, + { + "title": "Russia-Ukraine Sea Encounter Highlights Jittery Nerves in the Region", + "description": "The Russians intercepted a half-century-old Ukrainian naval vessel, then portrayed its actions as a provocative prelude to war.", + "content": "The half-century-old Donbas at anchor in Mariupol on the Sea of Azov in 2018. The Russians intercepted the Ukrainian ship on Thursday night.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/10/world/europe/ukraine-russia-war-naval-vessel.html", + "creator": "Michael Schwirtz", + "pubDate": "Sat, 11 Dec 2021 08:53:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4736557ef4ef3bb4afcf54cee9eb8ed7" + }, + { + "title": "In Hawaii, Fears Grow Over Unsafe Levels of Petroleum in Drinking Water", + "description": "State health officials warned residents at a military base near Pearl Harbor to avoid using the water after the Navy found petroleum in samples taken from one of its wells.", + "content": "Joint Base Pearl Harbor-Hickam in 2012.", + "category": "Water", + "link": "https://www.nytimes.com/2021/12/11/us/hawaii-petroleum-navy.html", + "creator": "Maria Cramer", + "pubDate": "Sat, 11 Dec 2021 19:37:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "95e555b97b5fd7b23f43357b1da14b2e" + }, + { + "title": "Ex-Panama President’s Sons Are Extradited to U.S. After Multicountry Chase", + "description": "Two sons of the former president Ricardo Martinelli fled the United States by Uber, private jet and an “unknown vessel,” prosecutors said. The second has now been extradited, weeks after his brother.", + "content": "Luis Enrique Martinelli Linares appearing in court in Guatemala. He and his brother, Ricardo Alberto Martinelli Linares, face charges in a money laundering case in Brooklyn.", + "category": "Money Laundering", + "link": "https://www.nytimes.com/2021/12/11/nyregion/panama-president-sons-charges.html", + "creator": "Mike Ives", + "pubDate": "Sat, 11 Dec 2021 09:06:54 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "53561b3b9477d4b163a81c9c7a22ea02" + }, + { + "title": "NYCFC Played the Long Game to Reach MLS Cup", + "description": "A team that once took the field behind big-name European imports embraced a new kind of star power en route to its first M.L.S. championship.", + "content": "New York City F.C. claimed the M.L.S. Cup title in its seventh season in the league.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/12/10/sports/soccer/mls-cup-nycfc-portland.html", + "creator": "Joel Petterson", + "pubDate": "Sat, 11 Dec 2021 23:52:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "052033c970e6035a7de9f3fd1664e90a" + }, + { + "title": "Echoes of Trump at Zemmour’s Rally in France ", + "description": "Éric Zemmour, the polarizing far-right polemicist, launched his presidential campaign last week with a frenzied rally that was disrupted by a violent brawl.", + "content": "Éric Zemmour, a French far-right candidate for the 2022 presidential election, made a theatrical entrance at his campaign rally in Villepinte, northeast of Paris.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/11/world/europe/eric-zemmour-rally-france.html", + "creator": "Constant Méheut", + "pubDate": "Sat, 11 Dec 2021 16:03:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "56a48ea87291e907aac0ba47a8733902" }, { "title": "Biden Talks Vaccines and Bob Dole in Interview With Jimmy Fallon", @@ -89797,11 +109225,6514 @@ "category": "Comedy and Humor", "link": "https://www.nytimes.com/2021/12/11/us/politics/biden-jimmy-fallon-vaccines.html", "creator": "Zolan Kanno-Youngs", - "pubDate": "Sat, 11 Dec 2021 06:00:31 +0000", + "pubDate": "Sat, 11 Dec 2021 06:00:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "788c5742609879936d2ba69a876b9b59" + }, + { + "title": "As Metro Pictures Closes, Its Founders Look Back", + "description": "Janelle Reiring and Helene Winer on their landmark gallery, which introduced Cindy Sherman, Louise Lawler, Robert Longo and Richard Prince to the art world.", + "content": "Janelle Reiring, left, and Helene Winer at Metro Pictures on West 24th Street with their final exhibition, Paulina Olowska’s “Haus Proud” in the background. The art gallery will close Saturday, after 41 years in business.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/10/arts/design/metro-pictures-closing.html", + "creator": "Roberta Smith and David Colman", + "pubDate": "Fri, 10 Dec 2021 18:27:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6dbb410e9480c52ae6fc39a8653bd753" + }, + { + "title": "Sports in 2021 Tried to Return to Normal", + "description": "The coronavirus pandemic still had an impact, but players and leagues had their moments.", + "content": "Giannis Antetokounmpo, No. 34, of the winning Milwaukee Bucks, fending off, from left, Cameron Johnson, Cameron Payne and Jae Crowder of the Phoenix Suns in the N.B.A. finals in July.", + "category": "Olympic Games (2020)", + "link": "https://www.nytimes.com/2021/12/10/sports/2021-year-in-sports.html", + "creator": "Joe Drape", + "pubDate": "Fri, 10 Dec 2021 10:00:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "140359edcda4b5094bf0343921e17841" + }, + { + "title": "Remember Emmet Otter and His Jug Band? They’re Back, and Onstage.", + "description": "The Jim Henson TV special was a hit in 1978. Now its furry creatures return in a new theatrical production in Manhattan, just in time for the holiday season.", + "content": "“Jim Henson’s Emmet Otter’s Jug-Band Christmas,” once a TV special, is now back as a theatrical production in all its furry glory at the New Victory Theater in Manhattan.", + "category": "Puppets", + "link": "https://www.nytimes.com/2021/12/09/theater/emmet-otter-jug-band.html", + "creator": "Elisabeth Vincentelli", + "pubDate": "Thu, 09 Dec 2021 20:01:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b9fe6c59ee8aa53a80259ff9f33b780f" + }, + { + "title": "Amanda Gorman, the Inaugural Poet Who Dreams of Writing Novels", + "description": "“Novel writing was my original love, and I still hope to do it. I just typically can finish writing a single poem faster than I can an entire narrative book!”", + "content": "“Novel writing was my original love, and I still hope to do it. I just typically can finish writing a single poem faster than I can an entire narrative book!”", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/09/books/review/amanda-gorman-by-the-book-interview.html", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 15:16:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dd2382cd880d3f4c6e2855e52e3d6604" + }, + { + "title": "What’s the Secret to Monochrome Dressing?", + "description": "A reader asks for guidance on picking a color and sticking with it.", + "content": "Barack and Michelle Obama at the inauguration of Joe Biden in January.", + "category": "Fashion and Apparel", + "link": "https://www.nytimes.com/2021/12/10/fashion/whats-the-secret-to-monochrome-dressing.html", + "creator": "Vanessa Friedman", + "pubDate": "Sat, 11 Dec 2021 09:07:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "60326ed22514dec3494e954f8905dfc3" + }, + { + "title": "Tornadoes Hit Several States, With at Least 70 Dead in Kentucky", + "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-midwest-south", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 16:56:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9ad66a3978951b81d9f48de866c2c4f3" + }, + { + "title": "What to Know About the Deadly Tornado Outbreak", + "description": "Dozens of people were killed across several states on Friday night.", + "content": "First responders at an Amazon Distribution Center damaged by a tornado on Friday in Edwardsville, Ill.", + "category": "Tornadoes", + "link": "https://www.nytimes.com/article/tornado-storms-weekend.html", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 12:46:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "892fcd9153fbdcd21d7e83d4f7f5c65e" + }, + { + "title": "British Studies Warn of Omicron’s Speed; One Notes Need for Boosters", + "description": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", + "content": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 18:48:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "767bd4df9f47fac8a44e52d53afd27f8" + }, + { + "title": "Iran’s Nuclear Program Ignites New Tension Between U.S. and Israel", + "description": "Strains emerged during talks this week after a short period of strong relations between a new Israeli government and new American one.", + "content": "American negotiators have signaled that Iranians’ advancements in their nuclear program and their recent hard line in Vienna mean Tehran is not serious about a diplomatic agreement.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/10/us/politics/iran-nuclear-us-israel-biden-bennett.html", + "creator": "Julian E. Barnes, Ronen Bergman and David E. Sanger", + "pubDate": "Sat, 11 Dec 2021 01:34:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f40590ac53d8aa92b624e6872ef3c04f" + }, + { + "title": "What Is the Perfect Date to Bring Workers Back to the Office?", + "description": "More and more companies are saying: We’ll get back to you.", + "content": "More and more companies are saying: We’ll get back to you.", + "category": "Coronavirus Reopenings", + "link": "https://www.nytimes.com/2021/12/11/business/return-to-office-2022.html", + "creator": "Emma Goldberg", + "pubDate": "Sat, 11 Dec 2021 13:24:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0551ab5399c8e004b183b1d4e2b6846d" + }, + { + "title": "Your Guide to the New Language of the Office", + "description": "You can still circle back and touch base. But the vernacular of work life for many has changed just as much as their work has.", + "content": "You can still circle back and touch base. But the vernacular of work life for many has changed just as much as their work has.", + "category": "Workplace Environment", + "link": "https://www.nytimes.com/2021/12/11/business/new-corporate-jargon.html", + "creator": "Emma Goldberg", + "pubDate": "Sat, 11 Dec 2021 10:00:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4ccccd56a40a4dd1abb2d5639f96bc75" + }, + { + "title": "Can Parties Help Us Heal?", + "description": "Inside a night of release at Nowadays, hosted by the group Nocturnal Medicine.", + "content": "Nocturnal Medicine held a therapy rave at a Queens nightclub to help people transition into winter.", + "category": "Nowadays (Queens, NY, Bar)", + "link": "https://www.nytimes.com/2021/12/11/style/party-rave-healing.html", + "creator": "Anna P. Kambhampaty", + "pubDate": "Sat, 11 Dec 2021 10:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e7b1e3a3de401bebfd8e1fd6547e2355" + }, + { + "title": "The Holidays Are for Martinelli’s", + "description": "The sparkling cider has long had a place on the kid’s table. It’s really a family affair.", + "content": "The sparkling cider has long had a place on the kid’s table. It’s really a family affair.", + "category": "Cider", + "link": "https://www.nytimes.com/2021/12/11/style/martinellis-sparkling-cider.html", + "creator": "Natalie Shutler", + "pubDate": "Sat, 11 Dec 2021 10:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1ce2775efc04957430be26c717a5c55" + }, + { + "title": "Climate Change Is Thawing Arctic Alaska", + "description": "The landscape resembles frozen spinach left out on the kitchen counter too long.", + "content": "The landscape resembles frozen spinach left out on the kitchen counter too long.", + "category": "Rivers", + "link": "https://www.nytimes.com/2021/12/07/opinion/climate-change-alaska.html", + "creator": "Jon Waterman", + "pubDate": "Tue, 07 Dec 2021 10:00:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7b6b7354b0a48a3582e8c50c76a5c36d" + }, + { + "title": "Omicron: A Big Deal About Small ‘O’", + "description": "The Greek letter auditions for a different role in our lexicon.", + "content": "The Greek letter auditions for a different role in our lexicon.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/10/opinion/omicron-tarnation-lox.html", + "creator": "John McWhorter", + "pubDate": "Fri, 10 Dec 2021 20:56:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "41fcaf0c4c43639968dd45b783ca9972" + }, + { + "title": "The Spectacle of Yoko Ono Disrupting the Beatles and the Variant Hunters: The Week in Narrated Articles", + "description": "Five articles from around The Times, narrated just for you.", + "content": "Five articles from around The Times, narrated just for you.", + "category": "", + "link": "https://www.nytimes.com/2021/12/10/podcasts/the-spectacle-of-yoko-ono-disrupting-the-beatles-and-the-variant-hunters-the-week-in-narrated-articles.html", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 10:30:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "032b28b025947d3cb3073aba5e5455bb" + }, + { + "title": "First Fires, Then Floods: Climate Extremes Batter Australia", + "description": "Many of the same areas that suffered through horrific bush fires in 2019 and 2020 are now dealing with prodigious rainfall that could leave some people stranded for weeks.", + "content": "Teachers from Bedgerabong, New South Wales, were evacuated from a flooded area in a fire truck.", + "category": "Australia", + "link": "https://www.nytimes.com/2021/12/11/world/australia/flooding-fire-climate-australia.html", + "creator": "Damien Cave and Matthew Abbott", + "pubDate": "Sat, 11 Dec 2021 10:00:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5d8805117c5d799304a4aec383d2662a" + }, + { + "title": "Michael Nesmith, the ‘Quiet Monkee,’ Is Dead at 78", + "description": "He shot to fame as a member of a made-for-TV rock group, but he denied that he was the group’s only “real” musician. He went on to create some of the first music videos.", + "content": "He shot to fame as a member of a made-for-TV rock group, but he denied that he was the group’s only “real” musician. He went on to create some of the first music videos.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/12/10/arts/music/michael-nesmith-dead.html", + "creator": "Neil Genzlinger", + "pubDate": "Fri, 10 Dec 2021 19:25:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cb19969a91a386d407df3b59f48cbadd" + }, + { + "title": "Another Death at Rikers Continues ‘Very Difficult Year’ at N.Y.C. Jails", + "description": "A Brooklyn man, who went into cardiac arrest on Friday, became the 15th person to die this year within New York City’s correction system.", + "content": "A Brooklyn man, who went into cardiac arrest on Friday, became the 15th person to die this year within New York City’s correction system.", + "category": "Prisons and Prisoners", + "link": "https://www.nytimes.com/2021/12/10/nyregion/rikers-jail-death-15th-person.html", + "creator": "Jan Ransom and Karen Zraick", + "pubDate": "Sat, 11 Dec 2021 00:27:32 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38b9767bef4520f5b994d237c9cca5b9" + }, + { + "title": "Omicron Can Weaken Vaccines, but Boosters Show Promise, U.K. Study Says", + "description": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", + "content": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/world/covid-omicron-vaccines", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 16:40:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e9f48cd5e70d272094f4a088f8361420" + }, + { + "title": "Small Court Victories Change Nothing for Women Seeking Abortions in Texas", + "description": "A Texas statute that bans abortion after six weeks of pregnancy was seemingly undercut by two court rulings, but the reality on the ground has not changed.", + "content": "A Texas statute that bans abortion after six weeks of pregnancy was seemingly undercut by two court rulings, but the reality on the ground has not changed.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/10/us/texas-abortion-law-providers.html", + "creator": "J. David Goodman and Ruth Graham", + "pubDate": "Fri, 10 Dec 2021 23:23:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ede25a3df50f610953caaf0b8a02c8b8" + }, + { + "title": "Analysis: Biden Sees Booming Economy, but Many Americans Don't", + "description": "The president has struggled to sell strong growth and job gains to a public that appears more concerned about rising prices — and remains anxious about Covid.", + "content": "The president has struggled to sell strong growth and job gains to a public that appears more concerned about rising prices — and remains anxious about Covid.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/10/business/biden-economy-growth-jobs.html", + "creator": "Jim Tankersley", + "pubDate": "Fri, 10 Dec 2021 20:06:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "6115db8465b3b8d4621499b2e370118f" + }, + { + "title": "The Game Awards Returns With Glitz and an Industry Asserting Its Muscle", + "description": "On Thursday night, the video game industry held its big awards event, which is quickly becoming as important — and as long — as certain other entertainment occasions.", + "content": "On Thursday night, the video game industry held its big awards event, which is quickly becoming as important — and as long — as certain other entertainment occasions.", + "category": "Computer and Video Games", + "link": "https://www.nytimes.com/2021/12/10/business/the-game-awards.html", + "creator": "Kellen Browning", + "pubDate": "Sat, 11 Dec 2021 00:08:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e7bd67f315fc0c43b179c56cd1e01024" + }, + { + "title": "Tornadoes Hit Several States, With at Least 50 Dead in Kentucky", + "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-midwest-south", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 13:40:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8b10810d23f8d0d657a0596d716b02c9" + }, + { + "title": "Patti LuPone on 'Company,' Stephen Sondheim and More", + "description": "“Aaaaaaaaaaaaaahhhhh, I’ll drink to that!” she belts onstage in Stephen Sondheim’s “Company,” as Broadway reopens. So. Will. We.", + "content": "“Your talent will out,” Ms. LuPone said. “Your talent will carry you, if you stick to it and honor your talent.”", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/11/style/patti-lupone-company-stephen-sondheim.html", + "creator": "Maureen Dowd", + "pubDate": "Sat, 11 Dec 2021 10:00:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "59670fa901f500cddf898ee011b1379c" + }, + { + "title": "12 Easy, One-Bowl Cookies for a Simply Sweet Season", + "description": "If you have a hankering for a treat, but don’t have time for the cleanup, these recipes are for you.", + "content": "If you have a hankering for a treat, but don’t have time for the cleanup, these recipes are for you.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/10/dining/easy-cookies-one-bowl.html", + "creator": "Margaux Laskey", + "pubDate": "Fri, 10 Dec 2021 10:00:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a694971a83b215e86643624bd9e0bb3" + }, + { + "title": "What Do You Say to the Sufferer?", + "description": "An attempt to be present with a stranger in pain.", + "content": "An attempt to be present with a stranger in pain.", + "category": "On Consolation: Finding Solace in Dark Times (Book)", + "link": "https://www.nytimes.com/2021/12/09/opinion/sufferer-stranger-pain.html", + "creator": "David Brooks", + "pubDate": "Fri, 10 Dec 2021 00:00:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "73e4c8f19188fa1ddc98951c44415307" + }, + { + "title": "How Can You Learn to Be More Resilient?", + "description": "Pandemic life doesn’t have to be just about survival. You can become stronger and ready for the next challenge.", + "content": "Pandemic life doesn’t have to be just about survival. You can become stronger and ready for the next challenge.", + "category": "Anxiety and Stress", + "link": "https://www.nytimes.com/2021/12/09/well/mind/emotional-resilience.html", + "creator": "Emily Sohn", + "pubDate": "Thu, 09 Dec 2021 20:08:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6450f63f95df1b4c6f3ab9c3cb9efce6" + }, + { + "title": "What Bears Can Teach Us About Our Exercise Habits", + "description": "Scientists have found that grizzlies, like people, seem to choose the path of least resistance.", + "content": "Scientists have found that grizzlies, like people, seem to choose the path of least resistance.", + "category": "Animal Behavior", + "link": "https://www.nytimes.com/2021/04/07/well/move/bears-exercise-laziness-humans.html", + "creator": "Gretchen Reynolds", + "pubDate": "Thu, 08 Apr 2021 14:12:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "78e594e62b444a83b9b26d500028a255" + }, + { + "title": "To Start a New Habit, Make It Easy", + "description": "Removing obstacles makes it more likely you’ll achieve a new health goal. The 7-Day Well Challenge will show you how.", + "content": "Removing obstacles makes it more likely you’ll achieve a new health goal. The 7-Day Well Challenge will show you how.", + "category": "Habits and Routines (Behavior)", + "link": "https://www.nytimes.com/2021/01/09/well/mind/healthy-habits.html", + "creator": "Tara Parker-Pope", + "pubDate": "Sat, 09 Jan 2021 10:00:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5bb49ab52441e17ca5f1b2d2454dc561" + }, + { + "title": "Omicron is speeding through Britain, and vaccines provide reduced protection, U.K. scientists say.", + "description": "", + "content": "Lining up to get a Covid-19 vaccine shot in London last week.", + "category": "", + "link": "https://www.nytimes.com/2021/12/10/health/britain-omicron.html", + "creator": "Benjamin Mueller", + "pubDate": "Sat, 11 Dec 2021 02:49:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9ff92413055678686fe696fc7b44633d" + }, + { + "title": "Relax. Omicron Isn’t Going to Take Down the Economy.", + "description": "The country is better positioned to absorb the damage of each successive wave of the virus.", + "content": "The country is better positioned to absorb the damage of each successive wave of the virus.", + "category": "Coronavirus Delta Variant", + "link": "https://www.nytimes.com/2021/12/10/opinion/omicron-delta-economy-inflation.html", + "creator": "Mark Zandi", + "pubDate": "Fri, 10 Dec 2021 20:38:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aa53b9e4782e130bd82601a306ff5a89" + }, + { + "title": "Will Covid Evolve to Be Milder?", + "description": "While we may care, the virus really doesn’t.", + "content": "While we may care, the virus really doesn’t.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/10/opinion/covid-evolve-milder.html", + "creator": "Andrew Pekosz", + "pubDate": "Fri, 10 Dec 2021 10:00:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4930cb64052d89954cd0daf7de34f4df" + }, + { + "title": "So You Lost the Election. We Had Nothing to Do With It.", + "description": "Why is it that progressives are always blamed when moderates lose?", + "content": "Why is it that progressives are always blamed when moderates lose?", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/10/opinion/democrats-progressives-moderates-elections.html", + "creator": "Jamelle Bouie", + "pubDate": "Fri, 10 Dec 2021 14:59:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bace9a9a60815e162edc7a56b7c57cf3" + }, + { + "title": "How Is the U.S. Economy Doing?", + "description": "Why do Americans say that the economy is awful but that they’re doing fine?", + "content": "Why do Americans say that the economy is awful but that they’re doing fine?", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/09/opinion/economy-inflation-spending-jobs.html", + "creator": "Paul Krugman", + "pubDate": "Fri, 10 Dec 2021 00:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3181dae877af16e73fdc0a66f37bf64b" + }, + { + "title": "Don’t Let ‘Treeson’ Drive You Out of New York City", + "description": "Not everyone can make it in New York.", + "content": "Not everyone can make it in New York.", + "category": "News Corporation", + "link": "https://www.nytimes.com/2021/12/09/opinion/new-york-city-christmas.html", + "creator": "Mara Gay", + "pubDate": "Fri, 10 Dec 2021 00:08:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "350d800fe2d8b09004ac4d7d20ea8c05" + }, + { + "title": "For the Elderly, Complacency Could Be a Killer", + "description": "Whatever the Omicron variant may mean for the young, it’s already clear that it can be deadly for the old.", + "content": "Whatever the Omicron variant may mean for the young, it’s already clear that it can be deadly for the old.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/09/opinion/omicron-nursing-homes.html", + "creator": "Zeynep Tufekci", + "pubDate": "Thu, 09 Dec 2021 19:03:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8ed5abda7359079e64e37df98fcf84a1" + }, + { + "title": "China Evergrande Has Defaulted on Its Debt, Fitch Says", + "description": "A ratings firm’s declaration confirmed what investors had already suspected, but they now must wait on a restructuring plan overseen by the firm hand of Beijing.", + "content": "A ratings firm’s declaration confirmed what investors had already suspected, but they now must wait on a restructuring plan overseen by the firm hand of Beijing.", + "category": "China", + "link": "https://www.nytimes.com/2021/12/09/business/china-evergrande-default.html", + "creator": "Alexandra Stevenson and Cao Li", + "pubDate": "Thu, 09 Dec 2021 13:44:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "93ea6a5804fc153ebe60e45fe031b2ad" + }, + { + "title": "How Nursing Homes’ Worst Offenses Are Hidden From the Public", + "description": "Thousands of problems identified by state inspectors were never publicly disclosed because of a secretive appeals process, a New York Times investigation found.", + "content": "Thousands of problems identified by state inspectors were never publicly disclosed because of a secretive appeals process, a New York Times investigation found.", + "category": "Nursing Homes", + "link": "https://www.nytimes.com/2021/12/09/business/nursing-home-abuse-inspection.html", + "creator": "Robert Gebeloff, Katie Thomas and Jessica Silver-Greenberg", + "pubDate": "Thu, 09 Dec 2021 16:13:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2480bde220d752656712e1a8bdc954d7" + }, + { + "title": "Review: ‘And Just Like That,’ It All Went Wrong", + "description": "The “Sex and the City” revival is part dramedy about heartbreak, part awkward bid at relevance.", + "content": "The “Sex and the City” revival is part dramedy about heartbreak, part awkward bid at relevance.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/09/arts/television/review-and-just-like-that.html", + "creator": "James Poniewozik", + "pubDate": "Thu, 09 Dec 2021 18:31:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4cdfef632e494823c7f74491afbaf190" + }, + { + "title": "What a Times Journalist Learned From His ‘Don’t Look Up’ Moment", + "description": "A new film about a killer comet revives memories of a nail-biting night in The Times newsroom two decades ago.", + "content": "A new film about a killer comet revives memories of a nail-biting night in The Times newsroom two decades ago.", + "category": "Asteroids", + "link": "https://www.nytimes.com/2021/12/09/science/dont-look-up-movie.html", + "creator": "Dennis Overbye", + "pubDate": "Thu, 09 Dec 2021 22:45:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3f8cc2df7d5e7adbcc758a475b838810" + }, + { + "title": "Migrant Truck Crash in Mexico Kills More Than 50", + "description": "The migrants, mostly from Guatemala and apparently U.S.-bound, had been crammed into a tractor-trailer that flipped and slammed into a bridge in southern Mexico.", + "content": "The migrants, mostly from Guatemala and apparently U.S.-bound, had been crammed into a tractor-trailer that flipped and slammed into a bridge in southern Mexico.", + "category": "Immigration and Emigration", + "link": "https://www.nytimes.com/2021/12/10/world/americas/mexico-truck-crash.html", + "creator": "Oscar Lopez", + "pubDate": "Fri, 10 Dec 2021 19:49:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a0fac76a24d3b498fe866fa6c5fe0b86" + }, + { + "title": "Hesitancy, Apathy and Unused Doses: Zambia’s Vaccination Challenges", + "description": "Vaccinating Africa is critical to protecting the continent and the world against dangerous variants, but supply isn’t the only obstacle countries face.", + "content": "The Covid-19 vaccination tents at Chongwe District Hospital in Zambia sat empty.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/11/health/covid-vaccine-africa.html", + "creator": "Stephanie Nolen", + "pubDate": "Sat, 11 Dec 2021 10:00:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e84b45d2981741872d8b31deb1dda737" + }, + { + "title": "Tornadoes Hit Several States, With at Least 50 Likely Dead in Kentucky", + "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-storms-amazon", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 10:21:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "98e70e4afd2a995e048f3c428a50f099" + }, + { + "title": "International Travel During Covid: The Documents You Need", + "description": "The pandemic has created a whole new checklist of what you should bring on your trip. Here’s the essential paperwork you need to have in your bag.", + "content": "The pandemic has created a whole new checklist of what you should bring on your trip. Here’s the essential paperwork you need to have in your bag.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/10/travel/international-travel-documents-covid.html", + "creator": "Lauren Sloss", + "pubDate": "Fri, 10 Dec 2021 17:27:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d21a06b5b62d73c4f7f89220288992ff" + }, + { + "title": "Echoing Trump, David Perdue Sues Over Baseless Election Claims", + "description": "The legal action by Mr. Perdue, a Republican candidate for governor of Georgia, was the latest sign that 2020 election falsehoods will be a main focus of his bid.", + "content": "The legal action by Mr. Perdue, a Republican candidate for governor of Georgia, was the latest sign that 2020 election falsehoods will be a main focus of his bid.", + "category": "Perdue, David A Jr", + "link": "https://www.nytimes.com/2021/12/10/us/politics/david-perdue-georgia-election.html", + "creator": "Astead W. Herndon and Nick Corasaniti", + "pubDate": "Fri, 10 Dec 2021 22:45:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "219c5240bd185f14f64ba48ca32db8d5" + }, + { + "title": "What Do We Mean by Good Soccer?", + "description": "The best games manage to be both compulsive viewing and technically excellent, but those that clear that bar are rare. And that presents fans with a choice.", + "content": "The best games manage to be both compulsive viewing and technically excellent, but those that clear that bar are rare. And that presents fans with a choice.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/12/10/sports/soccer/manchester-united-rangnick.html", + "creator": "Rory Smith", + "pubDate": "Fri, 10 Dec 2021 22:08:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b392e2e96214f2e1d413ea58ed489c9d" + }, + { + "title": "13 New Christmas Albums That Reimagine Holiday Songs", + "description": "Fresh seasonal releases from Kelly Clarkson, Bryson Tiller, Nat King Cole and Pistol Annies span genres and generations.", + "content": "Fresh seasonal releases from Kelly Clarkson, Bryson Tiller, Nat King Cole and Pistol Annies span genres and generations.", + "category": "Christmas", + "link": "https://www.nytimes.com/2021/12/09/arts/music/new-christmas-holiday-albums.html", + "creator": "Jon Caramanica, Jon Pareles and Giovanni Russonello", + "pubDate": "Fri, 10 Dec 2021 15:44:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7ebaf8fffa3c8f7fda46622436dd77fb" + }, + { + "title": "Murray Bartlett of ‘The White Lotus’ Shucks His Oyster", + "description": "The Australian actor is hitting his stride at 50.", + "content": "The Australian actor is hitting his stride at 50.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/12/10/style/murray-bartlett-of-the-white-lotus-shucks-his-oyster.html", + "creator": "Alexis Soloski", + "pubDate": "Fri, 10 Dec 2021 10:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9bdf51c327f5cca6191304e8c284636c" + }, + { + "title": "A Roving History of Mortals Considered Gods", + "description": "“Accidental Gods,” by Anna Della Subin, is about “men unwittingly turned divine,” including Julius Caesar, Gandhi, Douglas MacArthur and others.", + "content": "“Accidental Gods,” by Anna Della Subin, is about “men unwittingly turned divine,” including Julius Caesar, Gandhi, Douglas MacArthur and others.", + "category": "Accidental Gods: On Men Unwittingly Turned Divine (Book)", + "link": "https://www.nytimes.com/2021/12/08/books/review-accidental-gods-anna-della-subin.html", + "creator": "Jennifer Szalai", + "pubDate": "Wed, 08 Dec 2021 10:00:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c37a26c6064d15df28d0dfb634cbe6dd" + }, + { + "title": "Michael Hurley, an Original Folk Iconoclast, Turns 80", + "description": "For six decades, the folk singer has chronicled his woes and loves on records he’s mostly made himself. His new album celebrates that independence — and the community it fostered.", + "content": "For six decades, the folk singer has chronicled his woes and loves on records he’s mostly made himself. His new album celebrates that independence — and the community it fostered.", + "category": "Folk Music", + "link": "https://www.nytimes.com/2021/12/08/arts/music/michael-hurley-time-of-the-foxgloves.html", + "creator": "Grayson Haver Currin", + "pubDate": "Wed, 08 Dec 2021 20:08:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "22696799c993649649891d8e7cc88cc3" + }, + { + "title": "Why ‘Dr. Brain’ Is More Subdued Than Sensational", + "description": "In an interview, the South Korean filmmaker Kim Jee-woon discusses his quiet psychological thriller and the emerging global popularity of K-drama.", + "content": "In an interview, the South Korean filmmaker Kim Jee-woon discusses his quiet psychological thriller and the emerging global popularity of K-drama.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/10/arts/television/dr-brain-apple-tv-kim-jee-woon.html", + "creator": "Simon Abrams", + "pubDate": "Sat, 11 Dec 2021 05:13:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2ec4cb1cfddf9833a5260d9653e93401" + }, + { + "title": "November 2021 CPI: Inflation Rose at Fastest Pace Since 1982", + "description": "The Consumer Price Index is rising sharply, a concern for Washington policymakers and a sign of the rising costs facing American households.", + "content": "The Consumer Price Index is rising sharply, a concern for Washington policymakers and a sign of the rising costs facing American households.", + "category": "Inflation (Economics)", + "link": "https://www.nytimes.com/2021/12/10/business/cpi-inflation-november-2021.html", + "creator": "Jeanna Smialek", + "pubDate": "Fri, 10 Dec 2021 22:12:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fa44d9eb728a7439a2f4c84825d75dc2" + }, + { + "title": "Vaccine Mandates Rekindle Fierce Debate Over Civil Liberties", + "description": "Tougher requirements in some European nations have inspired pushback from angry citizens as leaders grapple with how far to go in the name of public health.", + "content": "Tougher requirements in some European nations have inspired pushback from angry citizens as leaders grapple with how far to go in the name of public health.", + "category": "Demonstrations, Protests and Riots", + "link": "https://www.nytimes.com/2021/12/10/world/europe/vaccine-mandates-civil-liberties.html", + "creator": "Mark Landler", + "pubDate": "Fri, 10 Dec 2021 17:00:15 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f6386e7471ab5fcb64238f19bb5d7344" + }, + { + "title": "New York Businesses Ordered to Require Masks Indoors or Vaccine Proof", + "description": "Some Republican officials criticized the move, which Gov. Kathy Hochul labeled a “wake-up call” to areas where vaccination lags.", + "content": "Some Republican officials criticized the move, which Gov. Kathy Hochul labeled a “wake-up call” to areas where vaccination lags.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/10/nyregion/ny-mask-mandate-covid.html", + "creator": "Luis Ferré-Sadurní and Jesse McKinley", + "pubDate": "Fri, 10 Dec 2021 21:37:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0abe410e9e09fc77cc9c33da5a579f9c" + }, + { + "title": "In the Michigan School Shooting, the Prosecutor Asks, What About the Parents?", + "description": "After seeing the evidence, Karen McDonald made an instinctual, and unusual, decision to charge Ethan Crumbley’s mother and father. Can she succeed?", + "content": "After seeing the evidence, Karen McDonald made an instinctual, and unusual, decision to charge Ethan Crumbley’s mother and father. Can she succeed?", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/10/us/michigan-school-shooting-prosecutor.html", + "creator": "Stephanie Saul", + "pubDate": "Fri, 10 Dec 2021 20:14:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "93abf7e3aab6bceba04fa942b55e8ad4" + }, + { + "title": "Jeff Bezos Is Getting Astronaut Wings. But Soon, the F.A.A. Won’t Award Them.", + "description": "Starting in January, space tourists will not receive a participation trophy for flying to space. But everyone will be on the honor roll.", + "content": "Starting in January, space tourists will not receive a participation trophy for flying to space. But everyone will be on the honor roll.", + "category": "Private Spaceflight", + "link": "https://www.nytimes.com/2021/12/10/science/astronaut-wings-faa-bezos-musk.html", + "creator": "Joey Roulette", + "pubDate": "Sat, 11 Dec 2021 00:10:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7f9322cc485e26ca937e11e9c3c41db3" + }, + { + "title": "How Bank Regulators Are Trying to Oust a Trump Holdover", + "description": "Jelena McWilliams, the FDIC’s chairwoman, doesn’t always go along with President Biden’s agenda. Other regulators want to push her out.", + "content": "Jelena McWilliams, the FDIC’s chairwoman, doesn’t always go along with President Biden’s agenda. Other regulators want to push her out.", + "category": "Banking and Financial Institutions", + "link": "https://www.nytimes.com/2021/12/10/business/jelena-mcwilliams-fdic-bank-regulation-trump.html", + "creator": "Emily Flitter", + "pubDate": "Fri, 10 Dec 2021 21:25:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "36347bc8ff6580c8d64dab9e3f245ce0" + }, + { + "title": "‘Social Detonator’: In Artist’s Work, and Life, Different Classes Collide", + "description": "Oscar Murillo, a Colombian-born painter raised in London, considers it an “infiltration” when his class-conscious canvases wind up on the walls of collectors.", + "content": "Oscar Murillo, a Colombian-born painter raised in London, considers it an “infiltration” when his class-conscious canvases wind up on the walls of collectors.", + "category": "Murillo, Oscar (1986- )", + "link": "https://www.nytimes.com/2021/12/10/world/americas/oscar-murillo-colombian-artist.html", + "creator": "Silvana Paternostro", + "pubDate": "Sat, 11 Dec 2021 00:02:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a8e01acfcc5b69ea7716885e67c828dc" + }, + { + "title": "Republicans in Texas County, in Unusual Move, Upend Primary System", + "description": "The G.O.P. in Potter County is planning to break away from a nonpartisan election board and hold its own primary next year, in a move criticized by election experts.", + "content": "The G.O.P. in Potter County is planning to break away from a nonpartisan election board and hold its own primary next year, in a move criticized by election experts.", + "category": "Primaries and Caucuses", + "link": "https://www.nytimes.com/2021/12/10/us/politics/republicans-amarillo-potter-county-primary.html", + "creator": "Jennifer Medina", + "pubDate": "Sat, 11 Dec 2021 01:53:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "036e0ce244de88108a2daa1173ec12c6" + }, + { + "title": "Jussie Smollett Found Guilty: What Comes Next?", + "description": "The actor who was found guilty of falsely telling the police he was the victim of a hate crime faces a possible sentence of up to three years, but experts disagree on whether the judge is likely to incarcerate him.", + "content": "The actor who was found guilty of falsely telling the police he was the victim of a hate crime faces a possible sentence of up to three years, but experts disagree on whether the judge is likely to incarcerate him.", + "category": "Smollett, Jussie (1983- )", + "link": "https://www.nytimes.com/2021/12/10/arts/television/jussie-smollett-convicted-guilty.html", + "creator": "Julia Jacobs and Mark Guarino", + "pubDate": "Sat, 11 Dec 2021 00:41:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "512eab55c1d4cfc77425b5a9752c69fb" + }, + { + "title": "Prosecution Rests at Ghislaine Maxwell Trial After 4th Accuser Testifies", + "description": "Annie Farmer was 16 when, she said, Jeffrey Epstein and Ghislaine Maxwell engaged in behavior that upset her.", + "content": "Annie Farmer was 16 when, she said, Jeffrey Epstein and Ghislaine Maxwell engaged in behavior that upset her.", + "category": "Sex Crimes", + "link": "https://www.nytimes.com/2021/12/10/nyregion/ghislaine-maxwell-trial-annie-farmer.html", + "creator": "Benjamin Weiser, Colin Moynihan and Rebecca Davis O’Brien", + "pubDate": "Sat, 11 Dec 2021 03:14:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4aa9e0b7bab05ab7eb43f7181d55d1bb" + }, + { + "title": "Live Updates: Tornadoes Rip Through Several States, Killing One", + "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-storms-amazon", + "creator": "The New York Times", + "pubDate": "Sat, 11 Dec 2021 09:13:32 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "14587bec27620e686526c062a1fe94c3" + }, + { + "title": "Biden Eulogizes Dole as ‘Genuine Hero’ Who ‘Lived by a Code of Honor’", + "description": "The funeral at Washington National Cathedral evoked a kind of Old Home Week ritual as one momentous Washington figure after another soldiered into the rows.", + "content": "The funeral at Washington National Cathedral evoked a kind of Old Home Week ritual as one momentous Washington figure after another soldiered into the rows.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/10/us/politics/bob-dole-funeral-biden.html", + "creator": "Mark Leibovich and Zolan Kanno-Youngs", + "pubDate": "Sat, 11 Dec 2021 02:30:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "83dfd8313724915e7c00e2280e949fa0" + }, + { + "title": "One Killed at Arkansas Nursing Home as Tornadoes Rip Through Several States", + "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill.", + "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill.", + "category": "Tornadoes", + "link": "https://www.nytimes.com/2021/12/10/us/arkansas-tornado-nursing-home-monette.html", + "creator": "Michael Levenson, Vimal Patel and Isabella Grullón Paz", + "pubDate": "Sat, 11 Dec 2021 05:31:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "21585e54bfba3d7d4b3bd9ebfdd8c2c6" + }, + { + "title": "GM’s EV Efforts Reportedly Include a Bigger Michigan Presence", + "description": "The company will make electric pickups at an existing plant and batteries at a factory built with a partner, a person with knowledge of the plan said.", + "content": "The company will make electric pickups at an existing plant and batteries at a factory built with a partner, a person with knowledge of the plan said.", + "category": "General Motors", + "link": "https://www.nytimes.com/2021/12/10/business/gm-electric-vehicles-michigan.html", + "creator": "Neal E. Boudette", + "pubDate": "Fri, 10 Dec 2021 22:56:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a215584fda9e0f0e1360fcaafb898d6" + }, + { + "title": "Inflation Rising at Fastest Pace in Nearly 40 Years, New Data Shows", + "description": "The Consumer Price Index climbed by 6.8 percent in November from a year ago, the strongest inflationary burst in a generation. Follow economic updates.", + "content": "The Consumer Price Index climbed by 6.8 percent in November from a year ago, the strongest inflationary burst in a generation. Follow economic updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/10/business/inflation-cpi-stock-market-news", + "creator": "The New York Times", + "pubDate": "Fri, 10 Dec 2021 20:44:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7f8c15456241efe83d78cf50573dbe6b" + }, + { + "title": "One-year jump in energy prices is a big factor in inflation’s jump.", + "description": "Energy prices rose by one-third in the last year, and 6.8 percent in November alone, but there are recent signs of relief.", + "content": "Energy prices rose by one-third in the last year, and 6.8 percent in November alone, but there are recent signs of relief.", + "category": "Prices (Fares, Fees and Rates)", + "link": "https://www.nytimes.com/live/2021/12/10/business/inflation-cpi-stock-market-news/one-year-jump-in-energy-prices-is-a-big-factor-in-inflations-jump", + "creator": "Talmon Joseph Smith", + "pubDate": "Fri, 10 Dec 2021 18:28:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "61554161abe731ab6d2f2e42744bd0d2" + }, + { + "title": "Food prices and rent surged in November, helping fuel inflation.", + "description": "Prices for beef, pork and other food were up sharply from one year ago and housing costs also continued to climb.", + "content": "Prices for beef, pork and other food were up sharply from one year ago and housing costs also continued to climb.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/10/business/inflation-cpi-stock-market-news/food-prices-and-rent-surged-in-november-helping-fuel-inflation", + "creator": "Madeleine Ngo", + "pubDate": "Fri, 10 Dec 2021 18:05:54 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aa5666c3c13a0f5c126f34bf4b10bc67" + }, + { + "title": "Covid Malaise", + "description": "Why do Americans say the economy is in rough shape? Because it is.", + "content": "Why do Americans say the economy is in rough shape? Because it is.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/10/briefing/us-economy-covid-malaise.html", + "creator": "David Leonhardt", + "pubDate": "Fri, 10 Dec 2021 11:24:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fb3303cac1c8c8f5d81ac1f428eed21b" + }, + { + "title": "Here's How Philadelphia's Covid Mandate for Health Workers Worked", + "description": "Federal officials point to the city’s mandate as a success story and a shield against new Covid outbreaks at hospitals and nursing homes.", + "content": "Federal officials point to the city’s mandate as a success story and a shield against new Covid outbreaks at hospitals and nursing homes.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/10/health/philadelphia-vaccine-mandate.html", + "creator": "Reed Abelson", + "pubDate": "Fri, 10 Dec 2021 18:38:32 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f001baed3d053d6f61fba70c21810bfd" + }, + { + "title": "A Murder, Gold Bars, a Jailbreak and Questions About Justice", + "description": "Was the 1993 killing of a woman near Buffalo committed by a prison escapee? Was the detective who solved the case involved? Is there anything straightforward about this crime?", + "content": "Was the 1993 killing of a woman near Buffalo committed by a prison escapee? Was the detective who solved the case involved? Is there anything straightforward about this crime?", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/12/10/nyregion/richard-matt-murder-buffalo.html", + "creator": "Danny Hakim and Jesse McKinley", + "pubDate": "Fri, 10 Dec 2021 16:50:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2747421b959fa1568ccaaffd1c4e0007" + }, + { + "title": "10 Works of Art That Evaded the Algorithm This Year", + "description": "Contemplation, not clicks: Our critic looks back on marble sculptures in Rome, songs of “atmospheric anxiety” and the Frick Collection in a new light.", + "content": "Contemplation, not clicks: Our critic looks back on marble sculptures in Rome, songs of “atmospheric anxiety” and the Frick Collection in a new light.", + "category": "Two Thousand Twenty One", + "link": "https://www.nytimes.com/2021/12/08/arts/art-algorithm-2021.html", + "creator": "Jason Farago", + "pubDate": "Wed, 08 Dec 2021 10:02:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aac197923bf513fe0af3da71d7a25600" + }, + { + "title": "‘Dickinson’ on AppleTV+ Is Ending. But the Props Live On in Archives.", + "description": "The Apple TV+ series “Dickinson” is donating scripts, props and other artifacts — including painstaking replicas of the poet’s manuscripts — to the Emily Dickinson Museum and Harvard University.", + "content": "The Apple TV+ series “Dickinson” is donating scripts, props and other artifacts — including painstaking replicas of the poet’s manuscripts — to the Emily Dickinson Museum and Harvard University.", + "category": "Poetry and Poets", + "link": "https://www.nytimes.com/2021/12/10/arts/television/emily-dickinson-archive-harvard.html", + "creator": "Jennifer Schuessler", + "pubDate": "Fri, 10 Dec 2021 16:00:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8237b019a0ca9efb8f356fdf69d3a7a4" + }, + { + "title": "I Cherish This Lifeline to My Parents", + "description": "Al Hirschfeld’s drawings of Stephen Sondheim’s shows were a gift.", + "content": "Al Hirschfeld’s drawings of Stephen Sondheim’s shows were a gift.", + "category": "Sondheim, Stephen", + "link": "https://www.nytimes.com/2021/12/09/opinion/theater-al-hirschfeld-stephen-sondheim.html", + "creator": "Patrick Healy", + "pubDate": "Thu, 09 Dec 2021 13:29:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "17cc137fe925b0549a899090131cd388" + }, + { + "title": "Rethinking U.S. Rules on International Travel", + "description": "Readers discuss testing requirements and suggest a quarantine. Also: Outdoor dining; universal pre-K; Roe v. Wade; machines and morality; Gil Hodges.", + "content": "Readers discuss testing requirements and suggest a quarantine. Also: Outdoor dining; universal pre-K; Roe v. Wade; machines and morality; Gil Hodges.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/10/opinion/letters/covid-international-travel-airlines.html", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 17:06:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "418ef6dd027f1406266bce6cc6de44cf" + }, + { + "title": "We Need Less Talk and More Action From Congress on Tech", + "description": "Mosseri talks while Congress dithers.", + "content": "Mosseri talks while Congress dithers.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/09/opinion/congress-facebook-teens.html", + "creator": "Kara Swisher", + "pubDate": "Thu, 09 Dec 2021 21:28:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8ebd2bce50fdd82430d6860cb511f3c7" + }, + { + "title": "Why Joe Biden Needs More Than Accomplishments to Be a Success", + "description": "A theory of political time explains how he has become a prisoner of great expectations.", + "content": "A theory of political time explains how he has become a prisoner of great expectations.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/09/opinion/joe-biden-political-time.html", + "creator": "Corey Robin", + "pubDate": "Thu, 09 Dec 2021 10:00:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b007a3bceb33d0b8e3e16fdad50f91eb" + }, + { + "title": "New York A.G. to Subpoena Trump to Testify in Fraud Investigation", + "description": "The move by the attorney general, Letitia James, comes at a critical moment in a criminal inquiry into the former president, who could try to block the demand.", + "content": "The move by the attorney general, Letitia James, comes at a critical moment in a criminal inquiry into the former president, who could try to block the demand.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/09/nyregion/trump-subpoena-testimony-letitia-james.html", + "creator": "Jonah E. Bromwich, Ben Protess and William K. Rashbaum", + "pubDate": "Thu, 09 Dec 2021 20:47:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e8e334ec14bd7a1c70c6cd19860453a2" + }, + { + "title": "In Michigan School Shooting, the First Lawsuit Is Filed", + "description": "The parents of two sisters who survived the Oxford High School shootings have filed a federal suit against the district and its officials.", + "content": "The parents of two sisters who survived the Oxford High School shootings have filed a federal suit against the district and its officials.", + "category": "Oxford Charter Township, Mich, Shooting (2021)", + "link": "https://www.nytimes.com/2021/12/09/us/michigan-school-shooting-lawsuits-oxford.html", + "creator": "Dana Goldstein", + "pubDate": "Thu, 09 Dec 2021 22:28:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6cfbde4b83eda37f9248c8897e4e343a" + }, + { + "title": "Ukraine Commanders Say a Russian Invasion Would Overwhelm Them", + "description": "If Russia opts for an invasion, Ukraine’s generals say, they would have no hope of repelling it without a major infusion of military help from the West.", + "content": "If Russia opts for an invasion, Ukraine’s generals say, they would have no hope of repelling it without a major infusion of military help from the West.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/09/world/europe/ukraine-military-russia-invasion.html", + "creator": "Michael Schwirtz", + "pubDate": "Thu, 09 Dec 2021 10:00:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "19150d144821c667432b1908e3a60c1e" + }, + { + "title": "The Censoring of Peng Shuai", + "description": "China’s decision to censor a star athlete has confronted the sports industry with a dilemma — speak out on her behalf or protect its financial interests in the country.", + "content": "China’s decision to censor a star athlete has confronted the sports industry with a dilemma — speak out on her behalf or protect its financial interests in the country.", + "category": "Tennis", + "link": "https://www.nytimes.com/2021/12/10/podcasts/the-daily/peng-shuai-china-sports.html", + "creator": "Sabrina Tavernise, Robert Jimison, Mooj Zadie, Rachel Quester, Luke Vander Ploeg, Alex Young, Lisa Chow, Patricia Willens, Marion Lozano, Corey Schreppel, Brad Fisher, Dan Powell and Chris Wood", + "pubDate": "Fri, 10 Dec 2021 11:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "201a7dcab341b652cfdc6ae7104ff23c" + }, + { + "title": "Is the University of Austin Just a PR Stunt?", + "description": "Can a new university fix academia’s problems? Or will it just create another ideological bubble?", + "content": "Can a new university fix academia’s problems? Or will it just create another ideological bubble?", + "category": "University of Austin", + "link": "https://www.nytimes.com/2021/12/08/opinion/the-argument-free-speech-on-college-campuses.html", + "creator": "‘The Argument’", + "pubDate": "Wed, 08 Dec 2021 17:28:45 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9a4caf44f876ea2861a59fad9395f9ad" + }, + { + "title": "Ghislaine Maxwell Defense Questions Fourth Accuser’s Memory", + "description": "Ms. Maxwell’s attorney challenged Annie Farmer’s testimony. Ms. Farmer has called Ms. Maxwell “a sexual predator.” Here’s the latest on the trial.", + "content": "Ms. Maxwell’s attorney challenged Annie Farmer’s testimony. Ms. Farmer has called Ms. Maxwell “a sexual predator.” Here’s the latest on the trial.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/10/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Fri, 10 Dec 2021 20:43:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e645c58620b8f01b51d683cd3476802" + }, + { + "title": "U.S. and Others Pledge Export Controls Tied to Human Rights", + "description": "The Biden administration’s partnership with Australia, Denmark, Norway, Canada, France, the Netherlands and the United Kingdom aims to stem the flow of key technologies to authoritarian governments.", + "content": "The Biden administration’s partnership with Australia, Denmark, Norway, Canada, France, the Netherlands and the United Kingdom aims to stem the flow of key technologies to authoritarian governments.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/10/business/economy/human-rights-export-controls.html", + "creator": "Ana Swanson", + "pubDate": "Fri, 10 Dec 2021 16:19:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "36727624701db6214d3b184ba2dca109" + }, + { + "title": "Tigray Rebels Executed Dozens of Civilians, Report Says", + "description": "The report from Human Rights Watch adds to the mounting violations committed by the warring parties since the conflict in Ethiopia’s northern Tigray region began over a year ago.", + "content": "The report from Human Rights Watch adds to the mounting violations committed by the warring parties since the conflict in Ethiopia’s northern Tigray region began over a year ago.", + "category": "Ethiopia", + "link": "https://www.nytimes.com/2021/12/10/world/africa/ethiopia-executions-rebels.html", + "creator": "Abdi Latif Dahir", + "pubDate": "Fri, 10 Dec 2021 19:56:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "514098ea5e9839f4d6f63187a320d443" + }, + { + "title": "6 More Subpoenas Issued in House Panel’s Jan. 6 Investigation", + "description": "Those issued subpoenas included two men who met with President Donald J. Trump in his private dining room on Jan. 4 and Mr. Trump’s former political affairs director.", + "content": "Those issued subpoenas included two men who met with President Donald J. Trump in his private dining room on Jan. 4 and Mr. Trump’s former political affairs director.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/10/us/politics/jan-6-capitol-riot-subpoenas.html", + "creator": "Luke Broadwater", + "pubDate": "Fri, 10 Dec 2021 20:25:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "39860bf2d526aa41661eb21e7df2b299" + }, + { + "title": "Scuba-Diving YouTuber Finds Car Linked to Teens Missing Since 2000", + "description": "A YouTuber who investigates cold cases found a missing Tennessee teenager’s car submerged in a nearby river. It is at least the fourth such discovery by amateur investigators in two months.", + "content": "A YouTuber who investigates cold cases found a missing Tennessee teenager’s car submerged in a nearby river. It is at least the fourth such discovery by amateur investigators in two months.", + "category": "Traffic Accidents and Safety", + "link": "https://www.nytimes.com/2021/12/10/us/youtube-scuba-diver-missing-teens.html", + "creator": "Amanda Holpuch", + "pubDate": "Fri, 10 Dec 2021 18:53:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8b5a51f60c95749038c0a5a1e6e2e3b1" + }, + { + "title": "Better.com’s C.E.O. ‘Taking Time Off’ After Firing Workers Over Zoom", + "description": "The mortgage lender’s board announced the decision in a memo sent to staff, adding that the company had brought on a third-party firm to assess its leadership and culture.", + "content": "The mortgage lender’s board announced the decision in a memo sent to staff, adding that the company had brought on a third-party firm to assess its leadership and culture.", + "category": "Layoffs and Job Reductions", + "link": "https://www.nytimes.com/2021/12/10/business/economy/better-ceo-zoom-firing.html", + "creator": "Emma Goldberg", + "pubDate": "Fri, 10 Dec 2021 16:05:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1cd043f0528cec8310d5f3d629042c32" + }, + { + "title": "Biden Lauds Dole at Funeral, Says He ‘Lived by a Code of Honor’", + "description": "“Bob was a man who always did his duty,” President Biden said of the former senator during a funeral service in Washington.", + "content": "“Bob was a man who always did his duty,” President Biden said of the former senator during a funeral service in Washington.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/10/us/politics/bob-dole-funeral-biden.html", + "creator": "Zolan Kanno-Youngs", + "pubDate": "Fri, 10 Dec 2021 19:37:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5778abcf28fa8807918eb9aa90882b6e" + }, + { + "title": "Doctors and Hospitals Make Late Bid to Change Surprise Billing Ban", + "description": "A lawsuit says the Biden administration’s faulty interpretation of the law will harm medical providers.", + "content": "A lawsuit says the Biden administration’s faulty interpretation of the law will harm medical providers.", + "category": "Hospitals", + "link": "https://www.nytimes.com/2021/12/09/upshot/surprise-billing-act.html", + "creator": "Margot Sanger-Katz", + "pubDate": "Thu, 09 Dec 2021 19:46:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e94f8da6e2b7dda7227b1bcf61f17fb0" + }, + { + "title": "To Create a Healthy Habit, Find an Accountability Buddy", + "description": "Whether it’s a person or an app that sends us reminders, we make better choices when we’re being watched (even by ourselves.)", + "content": "Whether it’s a person or an app that sends us reminders, we make better choices when we’re being watched (even by ourselves.)", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/01/08/well/live/habits-health.html", + "creator": "Tara Parker-Pope", + "pubDate": "Fri, 08 Jan 2021 10:00:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3af403d3c81e6ee5f671ff3b192601b5" + }, + { + "title": "Review: In a Gender-Flipped Revival, ‘Company’ Loves Misery", + "description": "Bobby is now Bobbie in this confusing, sour remake of the 1970 musical by Stephen Sondheim and George Furth.", + "content": "Bobby is now Bobbie in this confusing, sour remake of the 1970 musical by Stephen Sondheim and George Furth.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/09/theater/company-review-sondheim.html", + "creator": "Jesse Green", + "pubDate": "Fri, 10 Dec 2021 02:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ee2b2172eb6cbe44aa60664caefa2cdc" + }, + { + "title": "‘Ugly Diamonds’ Get a Makeover", + "description": "Following the fashion trend for the offbeat, gems that are gray, green, brown and other shades that once would have been shunned now are in demand.", + "content": "Following the fashion trend for the offbeat, gems that are gray, green, brown and other shades that once would have been shunned now are in demand.", + "category": "Jewels and Jewelry", + "link": "https://www.nytimes.com/2021/12/06/fashion/jewelry-diamonds-hemmerle-le-vian.html", + "creator": "Milena Lazazzera", + "pubDate": "Mon, 06 Dec 2021 16:49:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "239ef84fa75c51985b0107e83d381507" + }, + { + "title": "Alicia Keys, on and Off the Digital Grid", + "description": "Her new double album, “Keys,” shows how thoroughly the production can transform her songs.", + "content": "Her new double album, “Keys,” shows how thoroughly the production can transform her songs.", + "category": "Rhythm and Blues (Music)", + "link": "https://www.nytimes.com/2021/12/10/arts/music/alicia-keys-keys-review.html", + "creator": "Jon Pareles", + "pubDate": "Fri, 10 Dec 2021 13:58:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a1a48b7284b395c78bb4158ddcf23308" + }, + { + "title": "I Can’t Give My Cat the Perfect Life. ‘TV for Cats’ Gives Her a Taste.", + "description": "Ideally, Daisy and I would live in a sprawling home with outdoor space. Instead, she is content to chirp at two-dimensional birds on YouTube.", + "content": "Ideally, Daisy and I would live in a sprawling home with outdoor space. Instead, she is content to chirp at two-dimensional birds on YouTube.", + "category": "Birds", + "link": "https://www.nytimes.com/2021/12/07/magazine/tv-for-cats.html", + "creator": "Megan Reynolds", + "pubDate": "Thu, 09 Dec 2021 00:20:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "095f10c868c298ebebba19d8a3edce2a" + }, + { + "title": "A Sidewalk Christmas Tree Vendor on Price and Cost Increases", + "description": "“There’s a lot going on behind me selling Christmas trees on the street.”", + "content": "“There’s a lot going on behind me selling Christmas trees on the street.”", + "category": "Christmas Trees", + "link": "https://www.nytimes.com/2021/12/10/business/christmas-tree.html", + "creator": "Julia Rothman and Shaina Feinberg", + "pubDate": "Fri, 10 Dec 2021 17:12:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "23df2d979fb82b47afee74ada2738a0e" + }, + { + "title": "Senate Clears Last Major Hurdle to Raising Debt Ceiling", + "description": "Fourteen Republicans joined Democrats in voting to take up legislation that would pave the way for Congress to raise the debt ceiling by a simple majority vote, skirting a filibuster.", + "content": "Fourteen Republicans joined Democrats in voting to take up legislation that would pave the way for Congress to raise the debt ceiling by a simple majority vote, skirting a filibuster.", + "category": "Senate", + "link": "https://www.nytimes.com/2021/12/09/us/politics/debt-ceiling-congress.html", + "creator": "Emily Cochrane", + "pubDate": "Thu, 09 Dec 2021 18:37:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a6631bb71d4d89b6ad1649c6ddea789e" + }, + { + "title": "Debt Limit Split Shows Pragmatic Republicans Are Dwindling", + "description": "Fearing backlash from the right, most in the party dug in against a bipartisan deal needed to stave off a federal default.", + "content": "Fearing backlash from the right, most in the party dug in against a bipartisan deal needed to stave off a federal default.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/09/us/politics/debt-limit-mcconnell-gop-senate.html", + "creator": "Carl Hulse", + "pubDate": "Fri, 10 Dec 2021 00:10:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30168f15781495c10f41c75df0ffcfcf" + }, + { + "title": "Omicron Wave Heads for U.K., but It’s Not Clear How Bad It’ll Be", + "description": "Britain could be a bellwether of what other countries will see from the new coronavirus variant. Officials say Omicron could account for most cases within weeks.", + "content": "Britain could be a bellwether of what other countries will see from the new coronavirus variant. Officials say Omicron could account for most cases within weeks.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/09/world/europe/uk-omicron-spreading-restrictions.html", + "creator": "Megan Specia", + "pubDate": "Fri, 10 Dec 2021 02:30:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7d6b93e0406192465526eeb4dbdf943e" + }, + { + "title": "F.D.A. Authorizes Pfizer-BioNTech Boosters for 16- and 17-Year-Olds", + "description": "The World Health Organization said the priority should remain getting first shots to hundreds of millions of unvaccinated people. Here’s the latest on Covid.", + "content": "The World Health Organization said the priority should remain getting first shots to hundreds of millions of unvaccinated people. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 20:35:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "040fc3a4b2f5c81493126c239320ed3c" + }, + { + "title": "Appeals Court Rejects Trump’s Bid to Shield Material From Jan. 6 Inquiry", + "description": "A three-judge panel held that Congress’s oversight powers, backed by President Biden’s decision not to invoke executive privilege over the material, outweighed Mr. Trump’s residual secrecy powers.", + "content": "A three-judge panel held that Congress’s oversight powers, backed by President Biden’s decision not to invoke executive privilege over the material, outweighed Mr. Trump’s residual secrecy powers.", + "category": "Trump, Donald J", + "link": "https://www.nytimes.com/2021/12/09/us/politics/trump-jan-6-documents.html", + "creator": "Charlie Savage", + "pubDate": "Fri, 10 Dec 2021 00:55:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "876a43d6245fbcb01ee70fdd332c3d4a" + }, + { + "title": "Jussie Smollett Found Guilty of Reporting a Fake Hate Crime", + "description": "Mr. Smollett was convicted of filing a false police report in 2019 claiming he had been the victim of a racist and homophobic attack. The jury deliberated for more than nine hours.", + "content": "Mr. Smollett was convicted of filing a false police report in 2019 claiming he had been the victim of a racist and homophobic attack. The jury deliberated for more than nine hours.", + "category": "Smollett, Jussie (1983- )", + "link": "https://www.nytimes.com/2021/12/09/arts/television/jussie-smollett-guilty.html", + "creator": "Julia Jacobs and Mark Guarino", + "pubDate": "Fri, 10 Dec 2021 02:15:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "57ce2303eacc9f01b3b5ab41546fcbbb" + }, + { + "title": "Mexico Migrant Truck Crash Leaves 53 Dead", + "description": "Dozens more were reported injured in the crash in southern Chiapas state, where many migrants regularly cross into Mexico from Central America.", + "content": "Dozens more were reported injured in the crash in southern Chiapas state, where many migrants regularly cross into Mexico from Central America.", + "category": "Mexico", + "link": "https://www.nytimes.com/2021/12/09/world/americas/mexico-migrants-killed-accident.html", + "creator": "Oscar Lopez", + "pubDate": "Fri, 10 Dec 2021 02:22:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a33c6d4f132932369178bab259830122" + }, + { + "title": "Buffalo Starbucks Workers Vote for Union at 1 Store", + "description": "The coffee chain’s executives sought to persuade workers to reject the union in an election campaign that began in late August. Workers at a second store voted not to unionize and the result at a third outlet was not clear.", + "content": "The coffee chain’s executives sought to persuade workers to reject the union in an election campaign that began in late August. Workers at a second store voted not to unionize and the result at a third outlet was not clear.", + "category": "Starbucks Corporation", + "link": "https://www.nytimes.com/2021/12/09/business/economy/buffalo-starbucks-union.html", + "creator": "Noam Scheiber", + "pubDate": "Fri, 10 Dec 2021 00:48:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8da6be3d6a05925b377938eb5bd5d119" + }, + { + "title": "Here's Why Inflation Is Worrying Washington", + "description": "Price gains have moved up sharply for months, but the fact that the trend is lasting and broadening has newly put policymakers on red alert.", + "content": "Price gains have moved up sharply for months, but the fact that the trend is lasting and broadening has newly put policymakers on red alert.", + "category": "Consumer Price Index", + "link": "https://www.nytimes.com/2021/12/09/business/economy/inflation-price-gains.html", + "creator": "Jeanna Smialek", + "pubDate": "Thu, 09 Dec 2021 16:40:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f14b1233c45812d809e6daf21c99c2d7" + }, + { + "title": " N.Y.C. Grants Noncitizens Right to Vote in Local Elections", + "description": "The legislation approved by the City Council will set up a system for legal residents to vote in municipal elections.", + "content": "The legislation approved by the City Council will set up a system for legal residents to vote in municipal elections.", + "category": "Voting Rights, Registration and Requirements", + "link": "https://www.nytimes.com/2021/12/09/nyregion/noncitizens-voting-rights-nyc.html", + "creator": "Jeffery C. Mays and Annie Correal", + "pubDate": "Thu, 09 Dec 2021 23:52:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e6a97d83baea36c1ef0369ae4d1a2b3" + }, + { + "title": "Hoping for a Dog Phone? You May Have a Long Wait.", + "description": "A scientist in Scotland tested a so-called DogPhone to let her dog make video calls. He did use it, but mostly by mistake.", + "content": "A scientist in Scotland tested a so-called DogPhone to let her dog make video calls. He did use it, but mostly by mistake.", + "category": "Animal Behavior", + "link": "https://www.nytimes.com/2021/12/09/science/dog-video-call-separation-anxiety.html", + "creator": "Christine Chung", + "pubDate": "Thu, 09 Dec 2021 17:00:54 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "45dff1fbcae774396538238a4e1ae387" + }, + { + "title": "I Play Video Games With My 4-Year-Old, and That's OK", + "description": "Video games may not be harmless, but what are you going to do?", + "content": "Video games may not be harmless, but what are you going to do?", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/09/opinion/video-games-kids.html", + "creator": "Jay Caspian Kang", + "pubDate": "Thu, 09 Dec 2021 20:00:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "551ad319b15e0edbf81cd9b0fec4a7ac" + }, + { + "title": "Democrats' Infighting Only Helps Republicans", + "description": "The party’s infighting and pessimism are just what Republicans savor.", + "content": "The party’s infighting and pessimism are just what Republicans savor.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/09/opinion/biden-democrats-cooperation.html", + "creator": "Frank Bruni", + "pubDate": "Thu, 09 Dec 2021 17:21:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "17034be27c51d2336297deba4c75f13a" + }, + { + "title": "Al Hirschfeld's Drawings Captured Stephen Sondheim Better Than Any Photo", + "description": "These nine portraits of Sondheim musicals, from “West Side Story” and “Gypsy” to “Into the Woods” and “Passion,” sparked this theater-goer’s memory.", + "content": "These nine portraits of Sondheim musicals, from “West Side Story” and “Gypsy” to “Into the Woods” and “Passion,” sparked this theater-goer’s memory.", + "category": "Sondheim, Stephen", + "link": "https://www.nytimes.com/2021/12/09/opinion/stephen-sondheim-al-hirschfeld.html", + "creator": "Ben Brantley", + "pubDate": "Thu, 09 Dec 2021 10:00:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "de55ebecbe308d80b33ec79538c6b192" + }, + { + "title": "Biden’s Democracy Summit Sells Democracy Short", + "description": "Biden’s democracy summit sells the concept short.", + "content": "Biden’s democracy summit sells the concept short.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/09/opinion/biden-democracy-summit.html", + "creator": "Jan-Werner Müller", + "pubDate": "Thu, 09 Dec 2021 10:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4d4d54e2247767918165d9ad7d6d7f52" + }, + { + "title": "Social Media Companies Are Trying to Co-opt the First Amendment", + "description": "They want the same protections newspapers enjoy. But they are not newspapers.", + "content": "They want the same protections newspapers enjoy. But they are not newspapers.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/09/opinion/social-media-first-amendment.html", + "creator": "Jameel Jaffer and Scott Wilkens", + "pubDate": "Thu, 09 Dec 2021 10:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7c2ff7b508984c98de6ddf7ae8d2b547" + }, + { + "title": "I'm Done Trying to Understand or Educate the Unvaccinated", + "description": "They don’t only leave themselves vulnerable to the virus, they make everyone more vulnerable.", + "content": "They don’t only leave themselves vulnerable to the virus, they make everyone more vulnerable.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/08/opinion/unvaccinated-people-anti-vaxxers.html", + "creator": "Charles M. Blow", + "pubDate": "Thu, 09 Dec 2021 02:33:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dec7d28ee2c458b7025a75ab5b2d5c2f" + }, + { + "title": "School District Investigates Claims of Longtime Sexual Misconduct by Teachers", + "description": "Six teachers from Babylon High School have been placed on leave as the investigation continues and alumnae come forward with claims.", + "content": "Six teachers from Babylon High School have been placed on leave as the investigation continues and alumnae come forward with claims.", + "category": "Child Abuse and Neglect", + "link": "https://www.nytimes.com/2021/12/08/nyregion/babylon-high-school-teachers-allegations.html", + "creator": "Sarah Maslin Nir", + "pubDate": "Wed, 08 Dec 2021 10:00:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2b54ff77e60f287f0967214c65e47bff" + }, + { + "title": "A Penny for Your Squats? A Tiny Monetary Award Motivated Hundreds to Exercise.", + "description": "Among 52 incentives to exercise, giving people a 9-cent award if they returned to the gym after missing a workout helped the most.", + "content": "Among 52 incentives to exercise, giving people a 9-cent award if they returned to the gym after missing a workout helped the most.", + "category": "Nature (Journal)", + "link": "https://www.nytimes.com/2021/12/08/well/move/exercise-motivation-study.html", + "creator": "Gretchen Reynolds", + "pubDate": "Wed, 08 Dec 2021 16:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "383d6f73da85f9b39ad3c7fd97dd89e4" + }, + { + "title": "Fox News Christmas Tree Is Set on Fire in Manhattan", + "description": "The 50-foot tree had been ceremonially lit days earlier during a broadcast. The police said that a man was in custody in connection with the blaze.", + "content": "The 50-foot tree had been ceremonially lit days earlier during a broadcast. The police said that a man was in custody in connection with the blaze.", + "category": "Avenue of the Americas (Manhattan, NY)", + "link": "https://www.nytimes.com/2021/12/08/nyregion/fox-christmas-tree-fire.html", + "creator": "Mike Ives", + "pubDate": "Thu, 09 Dec 2021 00:45:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5aea31ccceb5ae5f70cdd989a7971618" + }, + { + "title": "It’s a Christmas Sweater on a T. Rex: You Sure You Want to Call It Ugly?", + "description": "The Natural History Museum in London outfitted its animatronic Tyrannosaurus rex in a colorful Christmas sweater.", + "content": "The Natural History Museum in London outfitted its animatronic Tyrannosaurus rex in a colorful Christmas sweater.", + "category": "Museums", + "link": "https://www.nytimes.com/2021/12/08/world/europe/t-rex-christmas-jumper-natural-history-museum.html", + "creator": "Maria Cramer", + "pubDate": "Wed, 08 Dec 2021 13:17:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c1a95487547330c8b0d9826869641df1" + }, + { + "title": "Booster Shots, Bob Dole, ‘Sex and the City’: Your Thursday Evening Briefing", + "description": "Here’s what you need to know at the end of the day.", + "content": "Here’s what you need to know at the end of the day.", + "category": "", + "link": "https://www.nytimes.com/2021/12/09/briefing/booster-shots-bob-dole-sex-and-the-city.html", + "creator": "Remy Tumin", + "pubDate": "Thu, 09 Dec 2021 23:08:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f53875afac9044ad912e28141bb000b0" + }, + { + "title": "Talking About the Best Books of 2021", + "description": "On a special episode of the podcast, taped live, editors from The New York Times Book Review discuss this year’s outstanding fiction and nonfiction.", + "content": "On a special episode of the podcast, taped live, editors from The New York Times Book Review discuss this year’s outstanding fiction and nonfiction.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/03/books/review/podcast-best-books-2021.html", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 21:05:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cd993824fbd184ec0ab2388084c50006" + }, + { + "title": "‘Kids Are Dying. How Are These Sites Still Allowed?’", + "description": "Inside the Times investigation into a web page that facilitates suicide, and why it has proved so difficult to shut down.", + "content": "Inside the Times investigation into a web page that facilitates suicide, and why it has proved so difficult to shut down.", + "category": "Deaths (Fatalities)", + "link": "https://www.nytimes.com/2021/12/09/podcasts/the-daily/suicide-investigation.html", + "creator": "Michael Barbaro, Austin Mitchell, Asthaa Chaturvedi, Rob Szypko, Larissa Anderson, Liz O. Baylen, Dan Powell and Chris Wood", + "pubDate": "Thu, 09 Dec 2021 14:22:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f777c62cbfc46a13bb7087b820251968" + }, + { + "title": "两届北京奥运会为何“冰火两重天”", + "description": "2008年北京夏季奥运会也曾面临抵制呼声,但最终人们记住更多的是精彩的开幕式和赛事,以及一个蓬勃发展并且张开双臂拥抱世界的中国。14年后,北京冬奥会再次遭遇抵制,这一次有什么不同?", + "content": "2008年北京夏季奥运会也曾面临抵制呼声,但最终人们记住更多的是精彩的开幕式和赛事,以及一个蓬勃发展并且张开双臂拥抱世界的中国。14年后,北京冬奥会再次遭遇抵制,这一次有什么不同?", + "category": "", + "link": "https://www.nytimes.com/zh-hans/2021/12/09/world/asia/beijing-olympics-boycott.html", + "creator": "Rong Xiaoqing", + "pubDate": "Thu, 09 Dec 2021 09:25:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7003854a3be824f5158565c492875d56" + }, + { + "title": "Letitia James Drops Out of N.Y. Governor’s Race", + "description": "The move by the state attorney general, which instantly upended the high-profile governor’s race, seemed to solidify the front-runner status of the Democratic incumbent, Gov. Kathy Hochul.", + "content": "The move by the state attorney general, which instantly upended the high-profile governor’s race, seemed to solidify the front-runner status of the Democratic incumbent, Gov. Kathy Hochul.", + "category": "James, Letitia", + "link": "https://www.nytimes.com/2021/12/09/nyregion/letitia-james-drops-out-governor.html", + "creator": "Katie Glueck and Nicholas Fandos", + "pubDate": "Thu, 09 Dec 2021 19:00:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "67a7a69cc38990f8531840ddc09bb515" + }, + { + "title": "Biden's Democracy Summit Convenes as U.S. Hits a ‘Rough Patch’", + "description": "The president kicked off his summit as critics questioned the guest list and whether the United States could be an effective advocate for democracy amid problems at home.", + "content": "The president kicked off his summit as critics questioned the guest list and whether the United States could be an effective advocate for democracy amid problems at home.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/09/us/politics/biden-democracy-summit.html", + "creator": "Michael Crowley and Zolan Kanno-Youngs", + "pubDate": "Fri, 10 Dec 2021 00:19:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4029c6335f9538ead0d29c9f0225dab3" + }, + { + "title": "The Smaller, Everyday Deals for College Athletes Under New Rules", + "description": "Although players with six-figure deals have attracted most of the public attention, thousands of athletes are pulling in just enough for books or date nights under name, image and likeness agreements.", + "content": "Although players with six-figure deals have attracted most of the public attention, thousands of athletes are pulling in just enough for books or date nights under name, image and likeness agreements.", + "category": "Student Athlete Compensation", + "link": "https://www.nytimes.com/2021/12/09/sports/ncaafootball/college-athletes-nil-deals.html", + "creator": "Alan Blinder", + "pubDate": "Thu, 09 Dec 2021 22:24:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "226064855eba85642443b53e966d7840" + }, + { + "title": "Citizen Enforcement of Abortion Law Violates Texas Constitution, Judge Rules", + "description": "A state judge said the approach inappropriately granted standing and denied due process. Abortion providers said they would expand services if the State Supreme Court upheld the ruling.", + "content": "A state judge said the approach inappropriately granted standing and denied due process. Abortion providers said they would expand services if the State Supreme Court upheld the ruling.", + "category": "Law and Legislation", + "link": "https://www.nytimes.com/2021/12/09/us/texas-abortion-law-unconstitutional.html", + "creator": "J. David Goodman", + "pubDate": "Fri, 10 Dec 2021 01:14:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ed7a244bdd1e85dcb7fddb6b01205df3" + }, + { + "title": "Met Museum Removes Sackler Name From Wing Over Opioid Ties", + "description": "The museum and the Sackler family announced that the name would be removed from seven exhibition spaces, including the wing that houses the Temple of Dendur.", + "content": "The museum and the Sackler family announced that the name would be removed from seven exhibition spaces, including the wing that houses the Temple of Dendur.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/09/arts/design/met-museum-sackler-wing.html", + "creator": "Robin Pogrebin", + "pubDate": "Thu, 09 Dec 2021 20:21:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b1c2c895c3a64d10ea4e65a0cc971861" + }, + { + "title": "Columbus Reaches $5.75 Million Settlement Agreement With Protesters", + "description": "Under the deal, which is subject to City Council approval, the money would go to 32 plaintiffs who said they were injured by the police during 2020 social justice protests.", + "content": "Under the deal, which is subject to City Council approval, the money would go to 32 plaintiffs who said they were injured by the police during 2020 social justice protests.", + "category": "George Floyd Protests (2020)", + "link": "https://www.nytimes.com/2021/12/09/us/columbus-settlement-protests-police.html", + "creator": "Jesus Jiménez", + "pubDate": "Fri, 10 Dec 2021 04:00:03 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e9cfea924d3445f7a6681cad9878cadd" + }, + { + "title": "Taiwan Loses Nicaragua as Ally as Tensions With China Rise", + "description": "The nation switched diplomatic allegiance to Beijing, leaving 13 nations and the Vatican still recognizing Taiwan as a sovereign nation.", + "content": "The nation switched diplomatic allegiance to Beijing, leaving 13 nations and the Vatican still recognizing Taiwan as a sovereign nation.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/10/world/asia/taiwan-nicaragua-china.html", + "creator": "Steven Lee Myers", + "pubDate": "Fri, 10 Dec 2021 03:01:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "61063fe511d70f269b0d4b094c9ec1b0" + }, + { + "title": "Barry Harris, Pianist and Devoted Scholar of Bebop, Dies at 91", + "description": "For decades, he performed, taught and toured with unflagging devotion. He also helped to lay the foundation for the widespread academic study of jazz.", + "content": "For decades, he performed, taught and toured with unflagging devotion. He also helped to lay the foundation for the widespread academic study of jazz.", + "category": "Harris, Barry", + "link": "https://www.nytimes.com/2021/12/09/arts/music/barry-harris-dead.html", + "creator": "Giovanni Russonello", + "pubDate": "Thu, 09 Dec 2021 23:15:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "682c88128a2efb24d877a89b99c47e8a" + }, + { + "title": "U.S. Announces End to Combat Mission in Iraq, but Troops Will Not Leave", + "description": "The U.S. military said it had transitioned to an advise and assist mission in the country, but the roughly 2,500 service members on the ground will remain, staying on in support roles.", + "content": "The U.S. military said it had transitioned to an advise and assist mission in the country, but the roughly 2,500 service members on the ground will remain, staying on in support roles.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/09/world/middleeast/us-iraq-combat-mission.html", + "creator": "Jane Arraf", + "pubDate": "Thu, 09 Dec 2021 20:24:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1e6d7fbaef30173a35bfe11fa31fdd6b" + }, + { + "title": "William Hartmann, 63, Michigan Official Who Disputed Election, Dies", + "description": "He refused to certify Joseph Biden’s victory over Donald Trump in Detroit but later relented. A foe of Covid vaccines, he was hospitalized with the virus.", + "content": "He refused to certify Joseph Biden’s victory over Donald Trump in Detroit but later relented. A foe of Covid vaccines, he was hospitalized with the virus.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/09/us/politics/william-hartmann-dead.html", + "creator": "Katharine Q. Seelye", + "pubDate": "Fri, 10 Dec 2021 00:56:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9615b07a7eff38b0050a04063dd4ed81" + }, + { + "title": "The Health Toll of Poor Sleep", + "description": "Finding that slumber sweet spot can be helpful for fending off a range of mental and bodily ills.", + "content": "Finding that slumber sweet spot can be helpful for fending off a range of mental and bodily ills.", + "category": "Sleep", + "link": "https://www.nytimes.com/2021/12/06/well/mind/sleep-health.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 06 Dec 2021 16:49:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2ac16a4572c9f638f9b3eeb4a06c5eca" + }, + { + "title": "The Quiet Brain of the Athlete", + "description": "The brains of fit, young athletes dial down extraneous noise and attend to important sounds better than those of other young people.", + "content": "The brains of fit, young athletes dial down extraneous noise and attend to important sounds better than those of other young people.", + "category": "Athletics and Sports", + "link": "https://www.nytimes.com/2019/12/18/well/move/sports-athletes-brain-hearing-noise-running.html", + "creator": "Gretchen Reynolds", + "pubDate": "Wed, 18 Dec 2019 18:13:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4cd3fe2cda4755aa041e2817bd8ac4e5" + }, + { + "title": "On Wintry Runs, Finding a Room of My Own", + "description": "When I go running in slush and snow, ideas can break loose and float to the surface like little ice floes.", + "content": "When I go running in slush and snow, ideas can break loose and float to the surface like little ice floes.", + "category": "Running", + "link": "https://www.nytimes.com/2019/03/20/well/move/on-wintry-runs-finding-a-room-of-my-own.html", + "creator": "Caitlin Shetterly", + "pubDate": "Wed, 20 Mar 2019 09:00:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ad16c4d0bfe9a8270a3c14ef8cb90194" + }, + { + "title": "The Year on the Red Carpet", + "description": "All that pent-up dressing up finally found an outlet. If it wasn’t a carpet per se, it was a public moment.", + "content": "All that pent-up dressing up finally found an outlet. If it wasn’t a carpet per se, it was a public moment.", + "category": "Fashion and Apparel", + "link": "https://www.nytimes.com/2021/12/08/style/the-year-on-the-red-carpet.html", + "creator": "Vanessa Friedman", + "pubDate": "Wed, 08 Dec 2021 17:13:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "02fc67d2e766c161037cff88447334b9" + }, + { + "title": "Bethan Laura Wood's Fantastical London Home", + "description": "Bethan Laura Wood has made her name dreaming up transportive rainbow-hued furniture and housewares. Her own London home is just as fantastical.", + "content": "Bethan Laura Wood has made her name dreaming up transportive rainbow-hued furniture and housewares. Her own London home is just as fantastical.", + "category": "Wood, Bethan Laura", + "link": "https://www.nytimes.com/2021/11/30/t-magazine/bethan-laura-wood-home-design.html", + "creator": "Meara Sharma", + "pubDate": "Fri, 03 Dec 2021 20:00:42 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6f7147b70fc2a52ec2a3a39ce531e24e" + }, + { + "title": "‘Red Rocket’ Review: All My XXX’s Live in Texas", + "description": "A porn star returns to his hometown in Sean Baker’s latest slice of hard-luck Americana.", + "content": "A porn star returns to his hometown in Sean Baker’s latest slice of hard-luck Americana.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/09/movies/red-rocket-review.html", + "creator": "A.O. Scott", + "pubDate": "Thu, 09 Dec 2021 16:52:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3253303f138fc77669aef365906aad8e" + }, + { + "title": "Kim Abeles Turns the Climate Crisis Into Eco-art", + "description": "She doesn’t just make art about pollution, she makes art out of it. Now her “Smog Collectors” series is on view at California State University, Fullerton.", + "content": "She doesn’t just make art about pollution, she makes art out of it. Now her “Smog Collectors” series is on view at California State University, Fullerton.", + "category": "Air Pollution", + "link": "https://www.nytimes.com/2021/12/09/arts/design/pollution-abeles-art-fullerton-environment.html", + "creator": "Jori Finkel", + "pubDate": "Thu, 09 Dec 2021 23:40:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8cf7a29aa2368d0413ee2eadef029c3d" + }, + { + "title": "New Christmas Movies to Stream on HBO Max, Disney+ and More", + "description": "A list of quality holiday movies on streaming services other than Netflix.", + "content": "A list of quality holiday movies on streaming services other than Netflix.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/09/movies/holiday-movies-streaming.html", + "creator": "Elisabeth Vincentelli", + "pubDate": "Thu, 09 Dec 2021 12:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dea509fa37a68f7a14f01fa4573638fc" + }, + { + "title": "Starbucks Workers in Buffalo Vote to Unionize", + "description": "The vote at one store represents a challenge to the labor model at the giant coffee retailer. Here’s the latest business news.", + "content": "The vote at one store represents a challenge to the labor model at the giant coffee retailer. Here’s the latest business news.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 20:35:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "11a14e360e53e947ee11de825e37177b" + }, + { + "title": "The Peerless Imagination of Greg Tate", + "description": "For four decades, he set the critical standard for elegantly intricate assessments of music, art, literature and more, writing dynamically about the resilience and paradoxes of Black creativity and life.", + "content": "For four decades, he set the critical standard for elegantly intricate assessments of music, art, literature and more, writing dynamically about the resilience and paradoxes of Black creativity and life.", + "category": "Music", + "link": "https://www.nytimes.com/2021/12/08/arts/music/greg-tate-critic.html", + "creator": "Jon Caramanica", + "pubDate": "Wed, 08 Dec 2021 22:46:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ba6e4b08d4d4c34ac0c67d867ed893da" + }, + { + "title": "The Era of the Celebrity Meal", + "description": "Fast-food chains are hungry for celebrity partners to drive sales and appeal to younger consumers. The method is working.", + "content": "Fast-food chains are hungry for celebrity partners to drive sales and appeal to younger consumers. The method is working.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/08/style/celebrity-fast-food-partnerships.html", + "creator": "Anna P. Kambhampaty and Julie Creswell", + "pubDate": "Wed, 08 Dec 2021 22:26:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8a621254c8d4690210a1f3dfd00c7669" + }, + { + "title": "Everybody Wants to Be Your Email Buddy", + "description": "Requests, you get requests …", + "content": "Requests, you get requests …", + "category": "Campaign Finance", + "link": "https://www.nytimes.com/2021/12/08/opinion/trump-biden-email-fundraising.html", + "creator": "Gail Collins", + "pubDate": "Thu, 09 Dec 2021 00:00:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c802a69d0f59ccbc6d3f991d52da0549" + }, + { + "title": "The Year America Lost Its Democracy", + "description": "Republicans mounted an all-out assault on voting rights. Democrats did little to stop them.", + "content": "Republicans mounted an all-out assault on voting rights. Democrats did little to stop them.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/08/opinion/american-democracy.html", + "creator": "Farhad Manjoo", + "pubDate": "Wed, 08 Dec 2021 20:00:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f373d4ecadce73eee1850c68f77fa0f7" + }, + { + "title": "Why Is There So Much Judgment About How We Feed Our Kids?", + "description": "An interview with Priya Fielding-Singh, the author of “How the Other Half Eats.”", + "content": "An interview with Priya Fielding-Singh, the author of “How the Other Half Eats.”", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/08/opinion/inequality-parents-children.html", + "creator": "Jessica Grose", + "pubDate": "Wed, 08 Dec 2021 17:35:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dc738b492b56cf1e29e72365bdd077b4" + }, + { + "title": "Yes, Americans Should Be Mailed Free Tests", + "description": "We need every option available to return to normal.", + "content": "We need every option available to return to normal.", + "category": "Tests (Medical)", + "link": "https://www.nytimes.com/2021/12/08/opinion/free-covid-test-biden.html", + "creator": "Aaron E. Carroll", + "pubDate": "Wed, 08 Dec 2021 20:11:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dd0b536fa4a3d7e8a4f5a39154aabde2" + }, + { + "title": "The Supreme Court Faces a Voting Paradox with Abortion Decision", + "description": "Any voting system is vulnerable to inconsistency.", + "content": "Any voting system is vulnerable to inconsistency.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/08/opinion/supreme-court-abortion.html", + "creator": "Peter Coy", + "pubDate": "Wed, 08 Dec 2021 20:32:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "77881d7d23341cdd3e4f6c988fcafc59" + }, + { + "title": "Schools Are Closing Classrooms on Fridays. Parents Are Furious.", + "description": "Desperate to keep teachers, some districts have turned to remote teaching for one day a week — and sometimes more. Families have been left to find child care.", + "content": "Desperate to keep teachers, some districts have turned to remote teaching for one day a week — and sometimes more. Families have been left to find child care.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/08/us/schools-closed-fridays-remote-learning.html", + "creator": "Giulia Heyward", + "pubDate": "Wed, 08 Dec 2021 18:57:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "31bce02eed04af91094f0ad77e2b57be" + }, + { + "title": "The Coronavirus Attacks Fat Tissue, Scientists Find", + "description": "The research may help explain why people who are overweight and obese have been at higher risk of severe illness and death from Covid.", + "content": "The research may help explain why people who are overweight and obese have been at higher risk of severe illness and death from Covid.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/12/08/health/covid-fat-obesity.html", + "creator": "Roni Caryn Rabin", + "pubDate": "Wed, 08 Dec 2021 21:06:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1161874414210a59195ba59c3fd4991" + }, + { + "title": "Frustration Over a Stalled Bill", + "description": "Democrats favor federal support for scientific research. Why can’t they agree?", + "content": "Democrats favor federal support for scientific research. Why can’t they agree?", + "category": "", + "link": "https://www.nytimes.com/2021/12/09/briefing/federal-scientific-research-democrats-stalled.html", + "creator": "David Leonhardt", + "pubDate": "Thu, 09 Dec 2021 11:30:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f297237f8b1e1bc5206015c3a72ccbed" + }, + { + "title": "Why Humans Aren’t the Worst (Despite, Well, Everything Happening in the World)", + "description": "The historian Rutger Bregman makes a case for the “collective brilliance” of humanity.", + "content": "The historian Rutger Bregman makes a case for the “collective brilliance” of humanity.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/06/opinion/sway-kara-swisher-rutger-bregman.html", + "creator": "‘Sway’", + "pubDate": "Mon, 06 Dec 2021 10:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "19d5123a561027f5ac9de957efb0ef08" + }, + { + "title": "In Michigan School Shooting, First Lawsuits Are Filed", + "description": "The parents of two sisters who survived the Oxford High School shootings have filed two $100 million suits against the district and its officials.", + "content": "The parents of two sisters who survived the Oxford High School shootings have filed two $100 million suits against the district and its officials.", + "category": "Oxford Charter Township, Mich, Shooting (2021)", + "link": "https://www.nytimes.com/2021/12/09/us/michigan-school-shooting-lawsuits-oxford.html", + "creator": "Dana Goldstein", + "pubDate": "Thu, 09 Dec 2021 17:58:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f3107440e4e831619c1a6d7c808de96" + }, + { + "title": "Bob Dole Remembered as ‘Giant of History’ in Capitol Tribute", + "description": "President Biden was among those honoring Mr. Dole, one of the longest-serving Republican leaders, as he lay in state at the Capitol.", + "content": "President Biden was among those honoring Mr. Dole, one of the longest-serving Republican leaders, as he lay in state at the Capitol.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/us/bob-dole", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 19:31:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6d8675e66a52e2b93a103fecb1c91168" + }, + { + "title": "Denmark’s Prime Minister is Questioned Over Mass Mink Slaughter", + "description": "The prime minister, Mette Frederiksen, said she did not know the government lacked legal authority to order the mass slaughter of 17 million minks after infected animals passed the virus to humans.", + "content": "The prime minister, Mette Frederiksen, said she did not know the government lacked legal authority to order the mass slaughter of 17 million minks after infected animals passed the virus to humans.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/09/world/europe/denmark-mink.html", + "creator": "Thomas Erdbrink and Jasmina Nielsen", + "pubDate": "Thu, 09 Dec 2021 18:31:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3b22696e3b384384f55e022802b9c7b5" + }, + { + "title": "Before Trump's SPAC Deal, a Strange Surge in Trading", + "description": "Trading in the merger partner’s warrants, which allow holders to buy shares later, spiked several times before the Trump Media agreement was made public.", + "content": "Trading in the merger partner’s warrants, which allow holders to buy shares later, spiked several times before the Trump Media agreement was made public.", + "category": "Digital World Acquisition Corp", + "link": "https://www.nytimes.com/2021/12/09/business/trump-spac-stock.html", + "creator": "Matthew Goldstein", + "pubDate": "Thu, 09 Dec 2021 18:14:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2925f04b7681af0f8400b6f68e7b7072" + }, + { + "title": "Finland's Prime Minister Apologizes for Clubbing After Covid Exposure", + "description": "Prime Minister Sanna Marin said she should have “double-checked the guidance” after someone in her government tested positive for the coronavirus.", + "content": "Prime Minister Sanna Marin said she should have “double-checked the guidance” after someone in her government tested positive for the coronavirus.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/09/world/europe/finland-prime-minister-clubbing-apology.html", + "creator": "Marc Santora", + "pubDate": "Thu, 09 Dec 2021 20:01:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2e627577d657e69d1c78ee3eb06ce4d8" + }, + { + "title": "Ghislaine Maxwell Sex-Trafficking Trial Delayed After Lawyer Becomes Ill", + "description": "Jurors were poised to hear from a fourth woman who says she was abused by Jeffrey Epstein, but the proceedings were abruptly adjourned. Get updates on the trial.", + "content": "Jurors were poised to hear from a fourth woman who says she was abused by Jeffrey Epstein, but the proceedings were abruptly adjourned. Get updates on the trial.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 19:31:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1d8c5f9a02bddbc15dce475f1cda9ad5" + }, + { + "title": "Jim Malatras, SUNY Chancellor, to Resign After Disparaging Cuomo Victim", + "description": "Jim Malatras, the chancellor of the State University of New York, said he would resigned after text messages showed he had belittled a woman who later accused Andrew Cuomo of sexual harassment.", + "content": "Jim Malatras, the chancellor of the State University of New York, said he would resigned after text messages showed he had belittled a woman who later accused Andrew Cuomo of sexual harassment.", + "category": "Appointments and Executive Changes", + "link": "https://www.nytimes.com/2021/12/09/nyregion/suny-chancellor-malatras-resigns.html", + "creator": "Luis Ferré-Sadurní", + "pubDate": "Thu, 09 Dec 2021 20:54:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "824a93f659a2d151eccbafe44d7b0096" + }, + { + "title": "Jailed Journalists Reach Record High for Sixth Year in 2021", + "description": "The Committee to Protect Journalists, a press freedom monitoring group, said 293 journalists were behind bars this year, more than a quarter of them in China.", + "content": "The Committee to Protect Journalists, a press freedom monitoring group, said 293 journalists were behind bars this year, more than a quarter of them in China.", + "category": "Freedom of the Press", + "link": "https://www.nytimes.com/2021/12/09/world/americas/jailed-journalists-worldwide.html", + "creator": "Rick Gladstone", + "pubDate": "Thu, 09 Dec 2021 05:01:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc1ee9f2af7aae08b43859b3a44f4a63" + }, + { + "title": "Ken Jennings and Mayim Bialik to Share ‘Jeopardy!’ Hosting Duties", + "description": "The long-running quiz show decided to keep the hosts into its 38th season in 2022, putting an end, at least for now, to speculation and drama around the job.", + "content": "The long-running quiz show decided to keep the hosts into its 38th season in 2022, putting an end, at least for now, to speculation and drama around the job.", + "category": "Jeopardy! (TV Program)", + "link": "https://www.nytimes.com/2021/12/09/arts/television/jeopardy-hosts-mayim-jennings.html", + "creator": "Johnny Diaz", + "pubDate": "Thu, 09 Dec 2021 17:57:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a87bbd6e1e3850df024232c236924bc0" + }, + { + "title": "Josh Duggar Is Convicted of Downloading Child Sexual Abuse Imagery", + "description": "Mr. Duggar, who appeared on the TLC reality show “19 Kids and Counting,” faces a maximum penalty of 40 years in prison and $500,000 in fines.", + "content": "Mr. Duggar, who appeared on the TLC reality show “19 Kids and Counting,” faces a maximum penalty of 40 years in prison and $500,000 in fines.", + "category": "Child Abuse and Neglect", + "link": "https://www.nytimes.com/2021/12/09/us/josh-duggar-guilty.html", + "creator": "Neil Vigdor", + "pubDate": "Thu, 09 Dec 2021 18:28:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "909519d3aceaea88bf87532c885af417" + }, + { + "title": "India’s Farmers Call Off Yearlong Protest Against Hated Farm Laws", + "description": "Prime Minister Narendra Modi unexpectedly conceded protesters’ main demand weeks ago, but serious problems remain with the country’s agricultural system.", + "content": "Prime Minister Narendra Modi unexpectedly conceded protesters’ main demand weeks ago, but serious problems remain with the country’s agricultural system.", + "category": "India", + "link": "https://www.nytimes.com/2021/12/09/world/asia/india-farmer-protests-end.html", + "creator": "Karan Deep Singh", + "pubDate": "Thu, 09 Dec 2021 19:44:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd24ce7afcc07b4ea048721a6b292b0c" + }, + { + "title": "How Music Can Rev Up a High-Intensity Workout", + "description": "Volunteers reported enjoying intense exercise most when upbeat music was playing, compared with when they heard a podcast or nothing.", + "content": "Volunteers reported enjoying intense exercise most when upbeat music was playing, compared with when they heard a podcast or nothing.", + "category": "Exercise", + "link": "https://www.nytimes.com/2019/07/10/well/move/how-music-can-rev-up-a-high-intensity-workout.html", + "creator": "Gretchen Reynolds", + "pubDate": "Tue, 16 Jul 2019 05:02:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1b5c032d23b262853224a9a8e469fe0e" + }, + { + "title": "A New Look for a New World", + "description": "Following lockdowns, makeup is colorful, expressive, imperfect and meant to be seen. It’s “girl gaze” makeup.", + "content": "Following lockdowns, makeup is colorful, expressive, imperfect and meant to be seen. It’s “girl gaze” makeup.", + "category": "Cosmetics and Toiletries", + "link": "https://www.nytimes.com/2021/12/09/style/post-lockdown-makeup-looks.html", + "creator": "Rachel Strugatz", + "pubDate": "Thu, 09 Dec 2021 19:28:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ee082b9fafdf4461b78bb1f46dbbf923" + }, + { + "title": "‘The Snowy Day,’ a Children’s Classic, Becomes an Opera", + "description": "Based on the popular 1962 children’s book, the show aims to celebrate Blackness and attract new audiences to the art form.", + "content": "Based on the popular 1962 children’s book, the show aims to celebrate Blackness and attract new audiences to the art form.", + "category": "Opera", + "link": "https://www.nytimes.com/2021/12/08/arts/music/snowy-day-ezra-jack-keats-opera.html", + "creator": "Javier C. Hernández", + "pubDate": "Wed, 08 Dec 2021 13:49:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "67dbd63ee1b579ce7a363b74ca345022" + }, + { + "title": "Interest in Stephen Sondheim's Music, Books and Shows Soar After His Death", + "description": "Fans have been streaming his music, buying his books, and trying to get in to see his shows, with a new revival of “Company” opening this week on Broadway.", + "content": "Fans have been streaming his music, buying his books, and trying to get in to see his shows, with a new revival of “Company” opening this week on Broadway.", + "category": "Sondheim, Stephen", + "link": "https://www.nytimes.com/2021/12/08/theater/stephen-sondheim-music-shows.html", + "creator": "Michael Paulson", + "pubDate": "Thu, 09 Dec 2021 01:31:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b021900b003737851928415b131ab9e2" + }, + { + "title": "Giants’ Risk-Averse Offense Contributes to 4-8 Record", + "description": "The Giants’ risk-averse offense may be as much to blame as injuries for the team’s 4-8 record.", + "content": "The Giants’ risk-averse offense may be as much to blame as injuries for the team’s 4-8 record.", + "category": "Coaches and Managers", + "link": "https://www.nytimes.com/2021/12/08/sports/football/giants-joe-judge-punts.html", + "creator": "Mike Tanier", + "pubDate": "Wed, 08 Dec 2021 11:49:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "90d2083ca8bf8c6fd406d63a173e21b2" + }, + { + "title": "Guido Palau’s Good Hair Days", + "description": "The hairstyling star renowned for designer collaborations took to Instagram during the pandemic to explore his medium through a series of #HairTests, now assembled in a new book.", + "content": "The hairstyling star renowned for designer collaborations took to Instagram during the pandemic to explore his medium through a series of #HairTests, now assembled in a new book.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/12/09/style/guido-palau-hair-tests-book.html", + "creator": "Guy Trebay", + "pubDate": "Thu, 09 Dec 2021 08:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d364c23718d75347734951a5d012470b" + }, + { + "title": "U.S. Hospitals Are Struggling Under a Delta-Fueled Surge in Cases", + "description": "Officials are bracing for Omicron, but Delta is the more imminent threat, driving a 15 percent rise in hospitalizations in the past two weeks. Health workers said their situations had been worsened by staff shortages, illnesses and resistance to vaccine mandates. Here’s the latest on Covid.", + "content": "Officials are bracing for Omicron, but Delta is the more imminent threat, driving a 15 percent rise in hospitalizations in the past two weeks. Health workers said their situations had been worsened by staff shortages, illnesses and resistance to vaccine mandates. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 14:21:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3f52ea7b37c5a66b06f29afb859d21e7" + }, + { + "title": "Coronavirus Cases Are Rising Among Children in South African Hospitals", + "description": "The increase, observed in children’s wards at two major hospitals in South Africa, points to increased community transmission, doctors say.", + "content": "The increase, observed in children’s wards at two major hospitals in South Africa, points to increased community transmission, doctors say.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/08/world/africa/coronavirus-south-africa-children.html", + "creator": "Lynsey Chutel", + "pubDate": "Wed, 08 Dec 2021 20:03:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cd305cc682dc401e0acaeedbd3313c58" + }, + { + "title": "Children, Coping With Loss, Are Pandemic’s ‘Forgotten Grievers’", + "description": "A bipartisan group led by two former governors is urging President Biden to help an estimated 167,000 children who have lost parents or caregivers.", + "content": "A bipartisan group led by two former governors is urging President Biden to help an estimated 167,000 children who have lost parents or caregivers.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/09/us/politics/children-lost-parents-caregivers-pandemic.html", + "creator": "Sheryl Gay Stolberg", + "pubDate": "Thu, 09 Dec 2021 10:00:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c17d72bf1f291380bc7a5ac182930d03" + }, + { + "title": "Why Evergrande's Debt Problems Threaten China", + "description": "The firm’s debts are huge, but Beijing will need to walk a fine line if it wants to send a message about reckless borrowing while protecting its economy.", + "content": "The firm’s debts are huge, but Beijing will need to walk a fine line if it wants to send a message about reckless borrowing while protecting its economy.", + "category": "China", + "link": "https://www.nytimes.com/article/evergrande-debt-crisis.html", + "creator": "Alexandra Stevenson and Cao Li", + "pubDate": "Thu, 09 Dec 2021 13:30:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "24dd8a26167e47c09eee9dd106692938" + }, + { + "title": "Bob Dole Lies in State at the Capitol", + "description": "The senator, who died on Sunday at 98, was known for being a deal-maker and was one of the longest-serving Republican leaders. Follow our updates.", + "content": "The senator, who died on Sunday at 98, was known for being a deal-maker and was one of the longest-serving Republican leaders. Follow our updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/us/bob-dole", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 14:21:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "62bb9cb360a86901edf6c68e1ddf7a4b" + }, + { + "title": "Event Planner Working on Bob Dole’s Funeral Is Let Go for Jan. 6 Ties", + "description": "Tim Unes was helping to plan memorial events for Mr. Dole when it came to light that he had been subpoenaed by the committee investigating the Capitol riot.", + "content": "Tim Unes was helping to plan memorial events for Mr. Dole when it came to light that he had been subpoenaed by the committee investigating the Capitol riot.", + "category": "Funerals and Memorials", + "link": "https://www.nytimes.com/2021/12/08/us/politics/dole-funeral-planner-capitol-riot.html", + "creator": "Michael D. Shear, Luke Broadwater and Maggie Haberman", + "pubDate": "Thu, 09 Dec 2021 04:33:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6d3285eb6995eca9a5fd4a62fe82b0f8" + }, + { + "title": "How the Supply Chain Upheaval Became a Life-or-Death Threat", + "description": "A maker of medical devices can’t keep up with customer demand as the shortage of computer chips puts it in competition with bigger companies with more clout.", + "content": "A maker of medical devices can’t keep up with customer demand as the shortage of computer chips puts it in competition with bigger companies with more clout.", + "category": "Medical Devices", + "link": "https://www.nytimes.com/2021/12/09/business/supply-chain-medical-device-shortages.html", + "creator": "Peter S. Goodman", + "pubDate": "Thu, 09 Dec 2021 10:00:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c4f654a0a30f1c36b014df9981daba72" + }, + { + "title": "Progress for Saudi Women Is Uneven, Despite Cultural Changes and More Jobs", + "description": "Women say Saudi Arabia has advanced significantly in just the past year, with more choices regarding work, fashion (including colored abayas) and social spaces, but restrictions remain everywhere.", + "content": "Women say Saudi Arabia has advanced significantly in just the past year, with more choices regarding work, fashion (including colored abayas) and social spaces, but restrictions remain everywhere.", + "category": "Saudi Arabia", + "link": "https://www.nytimes.com/2021/12/09/world/middleeast/saudi-arabia-women-mbs.html", + "creator": "Kate Kelly", + "pubDate": "Thu, 09 Dec 2021 10:00:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a983dbe592be1186a125adece9e6eb7f" + }, + { + "title": "Finding the Musical Spirit of Notre Dame ", + "description": "The beloved Paris cathedral is still being restored after the devastating 2019 fire, but other churches are keeping its musical traditions alive this holiday season.", + "content": "The beloved Paris cathedral is still being restored after the devastating 2019 fire, but other churches are keeping its musical traditions alive this holiday season.", + "category": "Music", + "link": "https://www.nytimes.com/2021/12/09/travel/music-paris-notre-dame-churches.html", + "creator": "Elaine Sciolino", + "pubDate": "Thu, 09 Dec 2021 12:52:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7023015cffdb24b4a2e07ea4524fe732" + }, + { + "title": "Will Smith Is Done Trying to Be Perfect", + "description": "“Strategizing about being the biggest movie star in the world — that is all completely over. ”", + "content": "“Strategizing about being the biggest movie star in the world — that is all completely over. ”", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/12/09/magazine/will-smith-interview.html", + "creator": "David Marchese", + "pubDate": "Thu, 09 Dec 2021 10:00:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fd76a8d059b4906b494275f8b47ab217" + }, + { + "title": "How to Buy a Used Car", + "description": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", + "content": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", + "category": "Used Cars", + "link": "https://www.nytimes.com/2021/12/09/business/used-car-buying-tips.html", + "creator": "Paul Stenquist", + "pubDate": "Thu, 09 Dec 2021 11:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e65acb6aae7dcb2d2e51e90e158d4e7b" + }, + { + "title": "Amanda Gorman’s ‘Call Us What We Carry: Poems’ Review", + "description": "Gorman’s latest poetry collection, “Call Us What We Carry,” offers reverence and effervescence, gravity and impishness, and poems that are focused, pithy and playfully heretical.", + "content": "Gorman’s latest poetry collection, “Call Us What We Carry,” offers reverence and effervescence, gravity and impishness, and poems that are focused, pithy and playfully heretical.", + "category": "Gorman, Amanda", + "link": "https://www.nytimes.com/2021/12/07/books/review-call-us-what-we-carry-amanda-gorman.html", + "creator": "Molly Young", + "pubDate": "Tue, 07 Dec 2021 17:26:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e8028cfba82629a4577526c1438bbff1" + }, + { + "title": "For Nursing Homes, Complacency Could Be a Killer", + "description": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", + "content": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/09/opinion/omicron-nursing-homes.html", + "creator": "Zeynep Tufekci", + "pubDate": "Thu, 09 Dec 2021 13:36:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b2f1f51a910abedf7ff4abc45b1ac50d" + }, + { + "title": "Soda Shop Chains Are Taking Hold of the West", + "description": "With locations now numbering in the hundreds, regional soda-shop chains are spreading far beyond Utah, where they first found popularity.", + "content": "With locations now numbering in the hundreds, regional soda-shop chains are spreading far beyond Utah, where they first found popularity.", + "category": "Sodalicious Inc", + "link": "https://www.nytimes.com/2021/12/06/dining/swig-soda-shop-chains.html", + "creator": "Victoria Petersen", + "pubDate": "Mon, 06 Dec 2021 18:08:36 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "039bbd57349eb8c350905d02faac394d" + }, + { + "title": "Military Ends Pearl Harbor Project to Identify the Dead", + "description": "The remains of 355 sailors and Marines from the U.S.S. Oklahoma were identified using DNA and dental records, but 33 crew members could not be.", + "content": "The remains of 355 sailors and Marines from the U.S.S. Oklahoma were identified using DNA and dental records, but 33 crew members could not be.", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/07/us/pearl-harbor-attack-dna.html", + "creator": "Neil Vigdor", + "pubDate": "Tue, 07 Dec 2021 14:47:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f962949adf6dd915dec0b7ee65a8d49a" + }, + { + "title": "Volunteer Dies After a Sheep Charges at Her on a Therapy Farm", + "description": "Kim Taylor, 73, went into cardiac arrest after being attacked while caring for livestock at a Massachusetts farm, the police said.", + "content": "Kim Taylor, 73, went into cardiac arrest after being attacked while caring for livestock at a Massachusetts farm, the police said.", + "category": "Therapy and Rehabilitation", + "link": "https://www.nytimes.com/2021/12/06/us/massachusetts-sheep-woman-killed.html", + "creator": "Vimal Patel", + "pubDate": "Tue, 07 Dec 2021 03:09:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "215ab4604e237f234521b2d8d7842c43" + }, + { + "title": "In Chicago, a New Approach to Gay and Bisexual Men With Prostate Cancer", + "description": "A new clinic focuses on patients left grappling with the aftermath of treatment in ways that are rarely appreciated by doctors.", + "content": "A new clinic focuses on patients left grappling with the aftermath of treatment in ways that are rarely appreciated by doctors.", + "category": "Homosexuality and Bisexuality", + "link": "https://www.nytimes.com/2021/12/07/health/gay-men-prostate-cancer.html", + "creator": "Steve Kenny", + "pubDate": "Tue, 07 Dec 2021 08:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "da1ebc6ed8b1bf0f8917cac0d39e33bc" + }, + { + "title": "Millions of Followers? For Book Sales, ‘It’s Unreliable.’", + "description": "Social-media fandom can help authors score book deals and bigger advances, but does it translate to how a new title will sell? Publishers are increasingly skeptical.", + "content": "Social-media fandom can help authors score book deals and bigger advances, but does it translate to how a new title will sell? Publishers are increasingly skeptical.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/07/books/social-media-following-book-publishing.html", + "creator": "Elizabeth A. Harris", + "pubDate": "Tue, 07 Dec 2021 17:16:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c67b2445a715381097b65617a140e8ec" + }, + { + "title": "Biden Rallies Global Democracies as U.S. Hits a ‘Rough Patch’", + "description": "The White House’s Summit for Democracy has drawn harsh criticism of domestic issues and questions about the guest list.", + "content": "The White House’s Summit for Democracy has drawn harsh criticism of domestic issues and questions about the guest list.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/09/us/politics/biden-democracy-summit.html", + "creator": "Michael Crowley and Zolan Kanno-Youngs", + "pubDate": "Thu, 09 Dec 2021 10:00:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "951098086e616ff3af611fe7824dbb5f" + }, + { + "title": "Will Ghislaine Maxwell Testify at Her Sex-Trafficking Trial?", + "description": "Veteran defense lawyers, including one who defended Kyle Rittenhouse, said the risk Ms. Maxwell would take by testifying probably outweighs any potential reward.", + "content": "Veteran defense lawyers, including one who defended Kyle Rittenhouse, said the risk Ms. Maxwell would take by testifying probably outweighs any potential reward.", + "category": "Human Trafficking", + "link": "https://www.nytimes.com/2021/12/09/nyregion/ghislaine-maxwell-trial-testify.html", + "creator": "Benjamin Weiser", + "pubDate": "Thu, 09 Dec 2021 08:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b26b0de472b0b1589de1a12cccbdfb59" + }, + { + "title": "David Banks Is the Next N.Y.C. Schools Chancellor", + "description": "Mr. Banks, who founded the Eagle Academy, a network of public schools for boys, is the first commissioner named to Mayor-elect Eric Adams’s administration.", + "content": "Mr. Banks, who founded the Eagle Academy, a network of public schools for boys, is the first commissioner named to Mayor-elect Eric Adams’s administration.", + "category": "Education (K-12)", + "link": "https://www.nytimes.com/2021/12/08/nyregion/david-banks-nyc-school-chancellor.html", + "creator": "Eliza Shapiro", + "pubDate": "Thu, 09 Dec 2021 00:43:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a902d116e8b4af739ef3e0672151624b" + }, + { + "title": "New Zealand Plans to Eventually Ban All Cigarette Sales", + "description": "The proposal, expected to become law next year, would raise the smoking age year by year until it covers the entire population.", + "content": "The proposal, expected to become law next year, would raise the smoking age year by year until it covers the entire population.", + "category": "New Zealand", + "link": "https://www.nytimes.com/2021/12/09/world/asia/new-zealand-smoking-ban.html", + "creator": "Natasha Frost", + "pubDate": "Thu, 09 Dec 2021 10:05:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "36d2834f654cbc540947776fcd3a4598" + }, + { + "title": "North Carolina Supreme Court Delays 2022 Primary Elections", + "description": "In response to lawsuits over North Carolina’s political maps, the justices issued an order on Wednesday pushing back the state’s primaries from March to May.", + "content": "In response to lawsuits over North Carolina’s political maps, the justices issued an order on Wednesday pushing back the state’s primaries from March to May.", + "category": "Redistricting and Reapportionment", + "link": "https://www.nytimes.com/2021/12/08/us/politics/north-carolina-primary-elections-redistricting.html", + "creator": "Michael Wines", + "pubDate": "Thu, 09 Dec 2021 02:54:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f19edd43fc1bab8cf49b11690306a309" + }, + { + "title": "N.Y.C. Looks to Impose New Regulations on Illegal Airbnbs", + "description": "New legislation will require hosts of short-term rentals to register with the city — the latest move in a long battle between New York and the rental companies.", + "content": "New legislation will require hosts of short-term rentals to register with the city — the latest move in a long battle between New York and the rental companies.", + "category": "Renting and Leasing (Real Estate)", + "link": "https://www.nytimes.com/2021/12/09/nyregion/nyc-illegal-airbnb-regulation.html", + "creator": "Mihir Zaveri", + "pubDate": "Thu, 09 Dec 2021 10:00:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "45f50a8f7ab892c46ab7803d9f36f333" + }, + { + "title": "Business Updates: Volkswagen Board Meets Amid Leadership Dispute", + "description": "Herbert Diess has angered workers by mentioning the possibility of job cuts as the automaker prepares for an all-electric future and taking on Tesla.", + "content": "Herbert Diess has angered workers by mentioning the possibility of job cuts as the automaker prepares for an all-electric future and taking on Tesla.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/09/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Thu, 09 Dec 2021 14:23:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "651b4bb9388aa5d7da14330767c0cabc" + }, + { + "title": "Gig Worker Protections Get a Push in European Proposal", + "description": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", + "content": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", + "category": "Delivery Services", + "link": "https://www.nytimes.com/2021/12/09/technology/european-commission-gig-workers-uber.html", + "creator": "Adam Satariano and Elian Peltier", + "pubDate": "Thu, 09 Dec 2021 11:58:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fc67acc2b81dd83ad63e27d74bc76bea" + }, + { + "title": "Father and Son Arrested on Suspicion of Starting the Caldor Fire", + "description": "The men have not been charged but were arrested in connection with the 15th-largest blaze in California’s recorded history. It burned more than 200,000 acres near Lake Tahoe.", + "content": "The men have not been charged but were arrested in connection with the 15th-largest blaze in California’s recorded history. It burned more than 200,000 acres near Lake Tahoe.", + "category": "Arson", + "link": "https://www.nytimes.com/2021/12/08/us/caldor-fire-arson-arrest-california.html", + "creator": "Jill Cowan", + "pubDate": "Thu, 09 Dec 2021 03:52:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8fef10955237d1e9b104f5ea8fd0229e" + }, + { + "title": "Senate Votes to Scrap Biden Vaccine Mandate as Republicans Eye 2022", + "description": "The action was largely symbolic, but it allowed Republicans to press an attack on Democrats that is likely to be central to their midterm election campaigns.", + "content": "The action was largely symbolic, but it allowed Republicans to press an attack on Democrats that is likely to be central to their midterm election campaigns.", + "category": "Senate", + "link": "https://www.nytimes.com/2021/12/08/us/politics/biden-vaccine-mandate-senate.html", + "creator": "Emily Cochrane", + "pubDate": "Thu, 09 Dec 2021 01:25:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f636a075d4350f0b8abcaf93d94689f" + }, + { + "title": "SpaceX Launches IXPE NASA Telescope for X-Ray Views of Universe", + "description": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", + "content": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", + "category": "Space and Astronomy", + "link": "https://www.nytimes.com/2021/12/09/science/nasa-spacex-ixpe-launch.html", + "creator": "Jonathan O’Callaghan", + "pubDate": "Thu, 09 Dec 2021 11:42:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f900d35896e468c245bb25ab68e0188f" + }, + { + "title": "Evidence Muddles Durham’s Case on Sussmann’s F.B.I. Meeting", + "description": "One disclosure dovetails with the special counsel John Durham’s indictment against Michael Sussmann, while several others clash with it.", + "content": "One disclosure dovetails with the special counsel John Durham’s indictment against Michael Sussmann, while several others clash with it.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/08/us/durham-sussmann-fbi-trump-russia.html", + "creator": "Charlie Savage", + "pubDate": "Thu, 09 Dec 2021 00:31:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cec5ddaa183bbe44e1c1e5d6b7bbb016" + }, + { + "title": "Best Art Exhibitions of 2021", + "description": "Ambitious museum shows in Tulsa, Richmond, and Louisville left an imprint. Jasper Johns, Maya Lin and Latino artists shone. And the high quality of gallery shows of women was dizzying and gratifying.", + "content": "Ambitious museum shows in Tulsa, Richmond, and Louisville left an imprint. Jasper Johns, Maya Lin and Latino artists shone. And the high quality of gallery shows of women was dizzying and gratifying.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/07/arts/design/best-art-2021.html", + "creator": "Holland Cotter and Roberta Smith", + "pubDate": "Thu, 09 Dec 2021 04:53:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "af702a8d56ef0f98a4935d02563948bf" + }, + { + "title": "Arca Once Made Electronic Music. Now She Builds Worlds.", + "description": "The artist’s latest project is “KICK,” a five-album cycle accompanied by an elaborate 3-D visual world that presses against all kinds of boundaries.", + "content": "The artist’s latest project is “KICK,” a five-album cycle accompanied by an elaborate 3-D visual world that presses against all kinds of boundaries.", + "category": "Music", + "link": "https://www.nytimes.com/2021/12/03/arts/music/arca-kick.html", + "creator": "Isabelia Herrera", + "pubDate": "Fri, 03 Dec 2021 15:00:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0d4ebe79a213c330cfb2a50042439c25" + }, + { + "title": "Carrie Mae Weems Sets the Stage and Urges Action", + "description": "In “The Shape of Things” at the Park Avenue Armory, the artist tells us how we got to this political moment, and asks us to decide what comes next.", + "content": "In “The Shape of Things” at the Park Avenue Armory, the artist tells us how we got to this political moment, and asks us to decide what comes next.", + "category": "Park Avenue Armory (Manhattan, NY)", + "link": "https://www.nytimes.com/2021/12/06/arts/design/weems-park-avenue-armory-shape-review.html", + "creator": "Aruna D’Souza", + "pubDate": "Mon, 06 Dec 2021 19:15:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3ad4eca6e997f8693c4b3382356a6f6f" + }, + { + "title": "Late Night Has Some Ideas on Who Set the Fox Christmas Tree Ablaze", + "description": "“The fire is believed to have started after Fox News’ pants caught on fire,” Jimmy Kimmel said.", + "content": "“The fire is believed to have started after Fox News’ pants caught on fire,” Jimmy Kimmel said.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/09/arts/television/jimmy-kimmel-fox-news-christmas-tree-fire.html", + "creator": "Trish Bendix", + "pubDate": "Thu, 09 Dec 2021 06:46:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e17fb32a61ccb4a5f88b4c4f2dec379" + }, + { + "title": "‘Is There Still Sex in the City?’ Review: Candace Bushnell Dishes Hot Details", + "description": "In her one-woman Off Broadway show, the “Sex and the City” author invites audiences behind the scenes of her life with a wink and a cocktail.", + "content": "In her one-woman Off Broadway show, the “Sex and the City” author invites audiences behind the scenes of her life with a wink and a cocktail.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/08/theater/is-there-still-sex-in-the-city-review.html", + "creator": "Naveen Kumar", + "pubDate": "Wed, 08 Dec 2021 21:43:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3f4ac86c4df1453fc15acde53f892740" + }, + { + "title": "China Evergrande Defaults on Its Debt, Fitch Says", + "description": "Fitch’s announcement spells out a reality already accepted by investors: The company can’t pay its bills and is being restructured under Beijing’s eye.", + "content": "Fitch’s announcement spells out a reality already accepted by investors: The company can’t pay its bills and is being restructured under Beijing’s eye.", + "category": "China", + "link": "https://www.nytimes.com/2021/12/09/business/china-evergrande-default.html", + "creator": "Alexandra Stevenson and Cao Li", + "pubDate": "Thu, 09 Dec 2021 10:01:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "de711057ba0dde10f3e5852487b3959d" + }, + { + "title": "Tips for Buying a Used Car", + "description": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", + "content": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", + "category": "Used Cars", + "link": "https://www.nytimes.com/2021/12/09/business/used-car-buying-tips.html", + "creator": "Paul Stenquist", + "pubDate": "Thu, 09 Dec 2021 11:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "19f4c08838b7ea1e2da50475e6660da4" + }, + { + "title": "Omicron Threatens the Old. Nursing Homes Must Act Now.", + "description": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", + "content": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/09/opinion/omicron-nursing-homes.html", + "creator": "Zeynep Tufekci", + "pubDate": "Thu, 09 Dec 2021 10:00:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "82072f01503191badbac5da403de3b8a" + }, + { + "title": "Recipe Plagiarism and Buying a High School: The Week in Narrated Articles", + "description": "Five articles from around The Times, narrated just for you.", + "content": "Five articles from around The Times, narrated just for you.", + "category": "", + "link": "https://www.nytimes.com/2021/12/03/podcasts/recipe-plagiarism-and-buying-a-high-school-the-week-in-narrated-articles.html", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 10:30:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c1b5c40849c1212f0c77278ded38e8fd" + }, + { + "title": "Safety Nets That Sustain Community", + "description": "Grants provided support for organizations building out health initiatives, buoying Latino nonprofits and making sure New Yorkers are nourished.", + "content": "Grants provided support for organizations building out health initiatives, buoying Latino nonprofits and making sure New Yorkers are nourished.", + "category": "New York Times Neediest Cases Fund", + "link": "https://www.nytimes.com/2021/12/07/neediest-cases/safety-nets-that-sustain-community.html", + "creator": "Emma Grillo and Kristen Bayrakdarian", + "pubDate": "Tue, 07 Dec 2021 10:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "03ef4bb1de08355b719113e864ee78e1" + }, + { + "title": "Catharsis Songs", + "description": "Big feelings, big playlist.", + "content": "Big feelings, big playlist.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/08/at-home/newsletter.html", + "creator": "Melissa Kirsch", + "pubDate": "Wed, 08 Dec 2021 22:34:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "998c46d5e5384d8f20832299e93e59db" + }, + { + "title": "Gig Worker Protections Get a Push in European Proposal", + "description": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", + "content": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", + "category": "Delivery Services", + "link": "https://www.nytimes.com/2021/12/09/technology/gig-workers-europe-uber.html", + "creator": "Adam Satariano and Elian Peltier", + "pubDate": "Thu, 09 Dec 2021 10:07:11 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "95c6852ffc5d21b1f7179278b7cda441" + }, + { + "title": "SpaceX Launches IXPE NASA Telescope for X-Ray Views of Universe", + "description": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", + "content": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", + "category": "Space and Astronomy", + "link": "https://www.nytimes.com/2021/12/09/science/ixpe-spacex-nasa-launch.html", + "creator": "Jonathan O’Callaghan", + "pubDate": "Thu, 09 Dec 2021 06:38:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5cf0ddb157fae1c12aba5b38f3c4a179" + }, + { + "title": "House Votes to Crack Down on Goods Made in Xinjiang Over Abuse of Uyghurs", + "description": "The lopsided margin reflected growing bipartisan anger at China’s human rights abuses against Uyghurs in the northwestern region.", + "content": "The lopsided margin reflected growing bipartisan anger at China’s human rights abuses against Uyghurs in the northwestern region.", + "category": "Law and Legislation", + "link": "https://www.nytimes.com/2021/12/08/us/politics/china-xinjiang-labor-ban-uyghurs.html", + "creator": "Catie Edmondson", + "pubDate": "Thu, 09 Dec 2021 00:39:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "67b377a73650e6401a578df75a476db1" + }, + { + "title": "How to Age Well and Stay in Your Home", + "description": "Don’t wait for a crisis like a broken hip to modify your home.", + "content": "Don’t wait for a crisis like a broken hip to modify your home.", + "category": "Elderly", + "link": "https://www.nytimes.com/2018/05/21/well/how-to-age-well-and-stay-in-your-home.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 21 May 2018 09:00:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4de297cc33daebbf5ddd2643f940c3fc" + }, + { + "title": "How Exercise May Support the Aging Brain", + "description": "Simple activities like walking boost immune cells in the brain that may help to keep memory sharp and even ward off Alzheimer’s disease.", + "content": "Simple activities like walking boost immune cells in the brain that may help to keep memory sharp and even ward off Alzheimer’s disease.", + "category": "Alzheimer's Disease", + "link": "https://www.nytimes.com/2021/12/01/well/move/exercise-brain-health-alzheimers.html", + "creator": "Gretchen Reynolds", + "pubDate": "Fri, 03 Dec 2021 14:16:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "87197fb1ffd351baa557f4854d40810d" + }, + { + "title": "Getting Older, Sleeping Less", + "description": "When insomnia persists, it can wreak physical, emotional and social havoc.", + "content": "When insomnia persists, it can wreak physical, emotional and social havoc.", + "category": "Sleep", + "link": "https://www.nytimes.com/2017/01/16/well/live/getting-older-sleeping-less.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 16 Jan 2017 14:31:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dfb11deec0d193e5dc025ad068780fa0" + }, + { + "title": "Is Dancing the Kale of Exercise?", + "description": "Research shows that dance offers a wealth of anti-aging benefits. It’s also fun.", + "content": "Research shows that dance offers a wealth of anti-aging benefits. It’s also fun.", + "category": "Dancing", + "link": "https://www.nytimes.com/2019/04/30/well/move/health-benefits-dancing.html", + "creator": "Marilyn Friedman", + "pubDate": "Tue, 30 Apr 2019 09:00:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a07bc98f1afde8eb1fbcd639f08087b7" + }, + { + "title": "For a Longer Life, Get Moving. Even a Little.", + "description": "Some of the greatest gains are seen when people shift from being sedentary toward ambling for even one extra hour each day.", + "content": "Some of the greatest gains are seen when people shift from being sedentary toward ambling for even one extra hour each day.", + "category": "Longevity", + "link": "https://www.nytimes.com/2019/08/28/well/move/for-a-longer-life-get-moving-even-a-little.html", + "creator": "Gretchen Reynolds", + "pubDate": "Tue, 03 Sep 2019 05:16:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dfe29f4eb96daf780e33e628c37cc409" + }, + { + "title": "Book Review: 'Garbo,' by Robert Gottlieb", + "description": "Robert Gottlieb’s scrupulous study, “Garbo,” suggests that the great star was a sphinx without a secret.", + "content": "Robert Gottlieb’s scrupulous study, “Garbo,” suggests that the great star was a sphinx without a secret.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/03/books/review/greta-garbo-biography-robert-gottlieb.html", + "creator": "Mark Harris", + "pubDate": "Fri, 03 Dec 2021 20:43:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f98cb6b526b663c7e969a6e25770aaea" + }, + { + "title": "‘Being the Ricardos’ Review: Kiss, Fight, Rinse, Repeat", + "description": "Nicole Kidman and Javier Bardem star as Lucille Ball and Desi Arnaz in Aaron Sorkin’s drama about one very bad week.", + "content": "Nicole Kidman and Javier Bardem star as Lucille Ball and Desi Arnaz in Aaron Sorkin’s drama about one very bad week.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/08/movies/being-the-ricardos-review.html", + "creator": "Manohla Dargis", + "pubDate": "Wed, 08 Dec 2021 22:30:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5094f1995bb85c48a90f4403accfb2b9" + }, + { + "title": "Best Jazz Albums of 2021", + "description": "In a year of continued uncertainty, musicians held their colleagues, and listeners, close.", + "content": "In a year of continued uncertainty, musicians held their colleagues, and listeners, close.", + "category": "Jazz", + "link": "https://www.nytimes.com/2021/12/02/arts/music/best-jazz-albums.html", + "creator": "Giovanni Russonello", + "pubDate": "Tue, 07 Dec 2021 16:04:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b0c5ca9cb21887262ce88189dc62ff50" + }, + { + "title": "René Pollesch Aims for a ‘Safe Space’ at the Volksbühne in Berlin", + "description": "René Pollesch is the fourth boss of the Volksbühne in four years. The Berlin theater is pinning hopes of a return to its former vibrancy on his collaborative approach.", + "content": "René Pollesch is the fourth boss of the Volksbühne in four years. The Berlin theater is pinning hopes of a return to its former vibrancy on his collaborative approach.", + "category": "Volksbuhne", + "link": "https://www.nytimes.com/2021/12/03/theater/rene-pollesch-volksbuehne.html", + "creator": "A.J. Goldmann", + "pubDate": "Fri, 03 Dec 2021 15:24:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d2134d9002442e4804153821ff28a0eb" + }, + { + "title": "Remembering Sylvia Weinstock, the ‘Queen of Cake’", + "description": "Sylvia Weinstock, who died Nov. 22, created thousands of wedding cakes over the years. Four couples share what her confections meant to them.", + "content": "Sylvia Weinstock, who died Nov. 22, created thousands of wedding cakes over the years. Four couples share what her confections meant to them.", + "category": "Bakeries and Baked Products", + "link": "https://www.nytimes.com/2021/12/04/style/sylvia-weinstock-queen-of-cake.html", + "creator": "Alix Strauss", + "pubDate": "Sat, 04 Dec 2021 10:00:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e404362888192928351982e346fd19c" + }, + { + "title": "More Than 200 Million Americans Are Fully Vaccinated", + "description": "The U.S. crossed the milestone as the threat of the Omicron variant spurred a flurry of shots in recent days. Here’s the latest on the pandemic.", + "content": "The U.S. crossed the milestone as the threat of the Omicron variant spurred a flurry of shots in recent days. Here’s the latest on the pandemic.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 23:25:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "90ea88e076404dfae7609a182849d622" + }, + { + "title": "Pfizer Says Its Booster Is Effective Against Omicron", + "description": "The company’s finding is based on only a small study of blood samples in a laboratory, but others are sure to follow.", + "content": "The company’s finding is based on only a small study of blood samples in a laboratory, but others are sure to follow.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/08/health/pfizer-booster-omicron.html", + "creator": "Sharon LaFraniere", + "pubDate": "Thu, 09 Dec 2021 01:14:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d29be6b949acdd8792708d8fccff49be" + }, + { + "title": "The World Is Unprepared for the Next Pandemic, Report Says", + "description": "The latest Global Health Security Index finds that no country is positioned well to respond to outbreaks.", + "content": "The latest Global Health Security Index finds that no country is positioned well to respond to outbreaks.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/12/08/health/covid-pandemic-preparedness.html", + "creator": "Emily Anthes", + "pubDate": "Wed, 08 Dec 2021 23:17:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4ef4d06d40a65315a39cba53908a88ba" + }, + { + "title": "Britain Introduces 'Plan B' Covid Measures to Tackle Omicron", + "description": "People in England will be urged to work from home and have to show proof of vaccination. Critics say the prime minister is trying to deflect attention from a growing outcry over reports his staff flouted Covid rules.", + "content": "People in England will be urged to work from home and have to show proof of vaccination. Critics say the prime minister is trying to deflect attention from a growing outcry over reports his staff flouted Covid rules.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/08/world/europe/uk-covid-johnson.html", + "creator": "Mark Landler, Stephen Castle and Megan Specia", + "pubDate": "Wed, 08 Dec 2021 21:06:04 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e99aed4b8f00483bc93131ca09804470" + }, + { + "title": "Ally, Member or Partner? NATO’s Long Dilemma Over Ukraine.", + "description": "NATO promised Ukraine full membership in 2008, but without explaining how or when. Putin sees that promise as an ongoing threat to Russia.", + "content": "NATO promised Ukraine full membership in 2008, but without explaining how or when. Putin sees that promise as an ongoing threat to Russia.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/08/world/europe/nato-ukraine-russia-dilemma.html", + "creator": "Steven Erlanger", + "pubDate": "Wed, 08 Dec 2021 21:39:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1df81698ef81ab3a9735c5b54c4f14cc" + }, + { + "title": "U.S. Threat to Squeeze Russia’s Economy Is a Tactic With a Mixed Record", + "description": "Sanctions, like aiming to cut oil exports, could also hurt European allies. “It’s a limited toolbox,” one expert said.", + "content": "Sanctions, like aiming to cut oil exports, could also hurt European allies. “It’s a limited toolbox,” one expert said.", + "category": "Embargoes and Sanctions", + "link": "https://www.nytimes.com/2021/12/08/business/economy/us-russia-sanctions-ukraine.html", + "creator": "Patricia Cohen", + "pubDate": "Thu, 09 Dec 2021 01:38:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cfb5fe8d4a6edc49f222b8a3888bc528" + }, + { + "title": "Meadows Sues Pelosi in Bid to Block Jan. 6 Committee Subpoena", + "description": "The suit came hours after the committee said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", + "content": "The suit came hours after the committee said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/08/us/politics/mark-meadows-contempt-jan-6-committee.html", + "creator": "Luke Broadwater", + "pubDate": "Wed, 08 Dec 2021 23:21:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8706204da0793aceb5f331ce28be8603" + }, + { + "title": "Some Jan. 6 Rioters May Use Police Brutality as a Defense", + "description": "Half a dozen defendants in the assault on the Capitol are using video to try to make a case that they were simply protecting themselves and others. They face skepticism and an uphill legal battle.", + "content": "Half a dozen defendants in the assault on the Capitol are using video to try to make a case that they were simply protecting themselves and others. They face skepticism and an uphill legal battle.", + "category": "Storming of the US Capitol (Jan, 2021)", + "link": "https://www.nytimes.com/2021/12/08/us/politics/jan-6-riot-police-brutality-defense.html", + "creator": "Alan Feuer", + "pubDate": "Wed, 08 Dec 2021 15:58:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1162a091aba0555556a26c6bd0dabeee" + }, + { + "title": "De Blasio Fought for 2 Years to Keep Ethics Warning Secret. Here’s Why.", + "description": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", + "content": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", + "category": "de Blasio, Bill", + "link": "https://www.nytimes.com/2021/12/08/nyregion/bill-de-blasio-donors-nyc.html", + "creator": "William Neuman", + "pubDate": "Wed, 08 Dec 2021 22:42:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3ef6766812cf2dad5c3da0ab252a0015" + }, + { + "title": "The Secret to This Glazed Holiday Ham? Root Beer.", + "description": "The sarsaparilla flavor lends the meat a woodsy mintiness, which sings when it’s paired with aromatics like bay leaves and shallots.", + "content": "The sarsaparilla flavor lends the meat a woodsy mintiness, which sings when it’s paired with aromatics like bay leaves and shallots.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/08/magazine/root-beer-ham-recipe.html", + "creator": "Eric Kim", + "pubDate": "Thu, 09 Dec 2021 00:25:32 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f4231eef20079ed5b315a7744f77d670" + }, + { + "title": "The Oscars Are Broken. Here’s How to Fix Them.", + "description": "The ratings flop that was the last ceremony provided useful lessons in what not to do. But there are steps the academy can take for an actually enjoyable evening.", + "content": "The ratings flop that was the last ceremony provided useful lessons in what not to do. But there are steps the academy can take for an actually enjoyable evening.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/08/movies/how-to-fix-the-oscars.html", + "creator": "Kyle Buchanan", + "pubDate": "Thu, 09 Dec 2021 05:21:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dd6afe3ae731a86dcebc88d37518d52f" + }, + { + "title": "I’m an E.R. Doctor in Michigan, Where Unvaccinated People Are Filling Hospital Beds", + "description": "With every shift, I see the strain people sick with Covid-19 put on my hospital. ", + "content": "With every shift, I see the strain people sick with Covid-19 put on my hospital. ", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/08/opinion/covid-michigan-surge.html", + "creator": "Rob Davidson", + "pubDate": "Wed, 08 Dec 2021 10:00:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ce084ce942051b596bc47041c22b5ad0" + }, + { + "title": "In Russia, the Pandemic Is Beating Putin", + "description": "The virus has starkly revealed the limits of the president’s power.", + "content": "The virus has starkly revealed the limits of the president’s power.", + "category": "Russia", + "link": "https://www.nytimes.com/2021/12/08/opinion/covid-russia-putin.html", + "creator": "Alexey Kovalev", + "pubDate": "Wed, 08 Dec 2021 06:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7c8fbe175458508cf450890f5be6c0b1" + }, + { + "title": "Trump Won’t Let America Go. Can Democrats Pry It Away?", + "description": "“The radicalized G.O.P. is the main anti-democratic force.” ", + "content": "“The radicalized G.O.P. is the main anti-democratic force.” ", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/08/opinion/trump-democrats-republicans.html", + "creator": "Thomas B. Edsall", + "pubDate": "Wed, 08 Dec 2021 10:00:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dc8cdcdaf301f724baa58e9f4f86c5e9" + }, + { + "title": "Can the Press Prevent a Trump Restoration?", + "description": "A journalism that shades the truth for the sake of some higher cause will lose the trust of some of the people it’s trying to steer away from demagogy.", + "content": "A journalism that shades the truth for the sake of some higher cause will lose the trust of some of the people it’s trying to steer away from demagogy.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/08/opinion/trump-press-restoration.html", + "creator": "Ross Douthat", + "pubDate": "Wed, 08 Dec 2021 10:00:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "250c9ad5a7b5656f2bbb2015ee07ac1d" + }, + { + "title": "Climate Progress Depends on U.S.-China Competition", + "description": "Competition between American and Chinese companies will be the real driver of decreased greenhouse gas emissions around the globe.", + "content": "Competition between American and Chinese companies will be the real driver of decreased greenhouse gas emissions around the globe.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/08/opinion/us-china-competition-climate-progress.html", + "creator": "Deborah Seligsohn", + "pubDate": "Wed, 08 Dec 2021 06:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30a9a7b3afb9cc06b752c53d49a5176a" + }, + { + "title": "How Tech Is Helping Poor People Get Government Aid", + "description": "Even as the government expanded aid programs, many people faced barriers to using them. That problem is now being addressed with apps and streamlined websites.", + "content": "Even as the government expanded aid programs, many people faced barriers to using them. That problem is now being addressed with apps and streamlined websites.", + "category": "Welfare (US)", + "link": "https://www.nytimes.com/2021/12/08/us/politics/safety-net-apps-tech.html", + "creator": "Jason DeParle", + "pubDate": "Wed, 08 Dec 2021 16:55:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "91a12d78842b0896e92a5c5426342b03" + }, + { + "title": "California Positions Itself as a ‘Refuge’ of Abortion Rights", + "description": "A new legislative proposal includes the recommendation to fund the procedure for low-income women who come to California for abortion services.", + "content": "A new legislative proposal includes the recommendation to fund the procedure for low-income women who come to California for abortion services.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/08/us/california-abortion-sanctuary-state.html", + "creator": "Thomas Fuller", + "pubDate": "Wed, 08 Dec 2021 23:20:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "678cc93ffa02443da2fa6361eca91de7" + }, + { + "title": "Four Takeaways From the 8th Day of Ghislaine Maxwell’s Trial", + "description": "A former pilot and a former assistant at Jeffrey Epstein’s Palm Beach home testified, as prosecutors sought to bolster the accounts of Ms. Maxwell’s accusers.", + "content": "A former pilot and a former assistant at Jeffrey Epstein’s Palm Beach home testified, as prosecutors sought to bolster the accounts of Ms. Maxwell’s accusers.", + "category": "Epstein, Jeffrey E (1953- )", + "link": "https://www.nytimes.com/2021/12/08/nyregion/ghislaine-maxwell-trial-takeaways.html", + "creator": "Rebecca Davis O’Brien", + "pubDate": "Wed, 08 Dec 2021 22:45:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "580c1bd1d28a22dce865c96ac178f01d" + }, + { + "title": "Supreme Court Seems Wary of Ban on State Aid to Religious Schools", + "description": "The case, concerning a tuition program in Maine, seemed likely to extend a winning streak at the court for parents seeking public funds for religious education.", + "content": "The case, concerning a tuition program in Maine, seemed likely to extend a winning streak at the court for parents seeking public funds for religious education.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/12/08/us/politics/supreme-court-religious-schools-maine.html", + "creator": "Adam Liptak", + "pubDate": "Wed, 08 Dec 2021 22:15:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34a063ddac6dd50e7d6c34c08365ad64" + }, + { + "title": "Biden Orders Federal Vehicles and Buildings to Use Renewable Energy by 2050", + "description": "The federal government would stop buying gasoline-powered vehicles by 2035 and its buildings would be powered by wind, solar or other carbon-free electricity by 2050.", + "content": "The federal government would stop buying gasoline-powered vehicles by 2035 and its buildings would be powered by wind, solar or other carbon-free electricity by 2050.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/08/climate/biden-government-carbon-neutral.html", + "creator": "Lisa Friedman", + "pubDate": "Wed, 08 Dec 2021 21:32:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "925c4aea9116d1af7a9275d10f05fc02" + }, + { + "title": "Hillary Clinton Reads Discarded Victory Speech From 2016 Election", + "description": "Mrs. Clinton read the long-shelved speech aloud for her offering on MasterClass, a site featuring lessons from prominent figures in the arts, business and other fields.", + "content": "Mrs. Clinton read the long-shelved speech aloud for her offering on MasterClass, a site featuring lessons from prominent figures in the arts, business and other fields.", + "category": "Presidential Election of 2016", + "link": "https://www.nytimes.com/2021/12/08/us/elections/hillary-clinton-speech-election.html", + "creator": "Michael Levenson", + "pubDate": "Thu, 09 Dec 2021 03:32:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "76225d8b738ef20704a0ad86c4836da9" + }, + { + "title": "Woman Stole Daughter’s Identity to Get Loans and Attend College, U.S. Says", + "description": "Laura Oglesby, 48, of Missouri, who pleaded guilty to intentionally providing false information to the Social Security Administration, lived as someone nearly half her age, the authorities said.", + "content": "Laura Oglesby, 48, of Missouri, who pleaded guilty to intentionally providing false information to the Social Security Administration, lived as someone nearly half her age, the authorities said.", + "category": "Colleges and Universities", + "link": "https://www.nytimes.com/2021/12/08/us/laura-oglesby-social-security-fraud.html", + "creator": "Jesus Jiménez", + "pubDate": "Thu, 09 Dec 2021 02:34:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e5f1010dc57595bb22836a8f9fea61a0" + }, + { + "title": "Allergan Settles with N.Y. for $200 Million in Sprawling Opioid Case", + "description": "The agreement with Allergan, a company whose best-known product is Botox, is the latest settlement in the case jointly argued by New York State and two counties.", + "content": "The agreement with Allergan, a company whose best-known product is Botox, is the latest settlement in the case jointly argued by New York State and two counties.", + "category": "Opioids and Opiates", + "link": "https://www.nytimes.com/2021/12/08/nyregion/allergan-settlement-opioid.html", + "creator": "Sarah Maslin Nir", + "pubDate": "Thu, 09 Dec 2021 00:22:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6aced77317be841658c2b2572e0659d8" + }, + { + "title": "Tensions Rise at Columbia as Strikers Fear Retaliation From University", + "description": "After administrators sent an email saying that students who remained on strike after Friday were not guaranteed jobs next term, union members turned up the heat.", + "content": "After administrators sent an email saying that students who remained on strike after Friday were not guaranteed jobs next term, union members turned up the heat.", + "category": "Colleges and Universities", + "link": "https://www.nytimes.com/2021/12/08/nyregion/columbia-grad-student-strike.html", + "creator": "Ashley Wong", + "pubDate": "Thu, 09 Dec 2021 00:09:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "271d1558d3385cde83eb63ff7cb8cea8" + }, + { + "title": "Elizabeth Holmes' Defense Rests Their Case in Fraud Trial", + "description": "Lawyers must now agree on a set of jury instructions before closing arguments begin on Dec. 16.", + "content": "Lawyers must now agree on a set of jury instructions before closing arguments begin on Dec. 16.", + "category": "Frauds and Swindling", + "link": "https://www.nytimes.com/2021/12/08/technology/elizabeth-holmes-theranos-trial-defense.html", + "creator": "Erin Griffith", + "pubDate": "Wed, 08 Dec 2021 21:10:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9dde1d48a900ef99185a912f1a0be169" + }, + { + "title": "Pfizer says blood samples from people who got three of its doses show robust antibody levels against Omicron.", + "description": "", + "content": "", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid/pfizer-says-blood-samples-showed-a-third-dose-of-its-vaccine-provides-significant-protection-against-omicron", + "creator": "Sharon LaFraniere", + "pubDate": "Wed, 08 Dec 2021 21:18:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b0f0caa24f999c357df2e7bd6e0eb578" + }, + { + "title": "Rally Planner With Ties to G.O.P. Is Cooperating in Jan. 6 Inquiry", + "description": "Ali Alexander, who helped organize the gathering that drew Trump supporters to Washington on Jan. 6, could shed light on efforts by the former president and his allies to overturn the election.", + "content": "Ali Alexander, who helped organize the gathering that drew Trump supporters to Washington on Jan. 6, could shed light on efforts by the former president and his allies to overturn the election.", + "category": "Storming of the US Capitol (Jan, 2021)", + "link": "https://www.nytimes.com/2021/12/08/us/politics/ali-alexander-jan-6-house-testimony.html", + "creator": "Alan Feuer and Luke Broadwater", + "pubDate": "Wed, 08 Dec 2021 21:39:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "24930bcfaa69a9aaccaa33527c77218a" + }, + { + "title": "John Wilson, the Genius Behind the Weirdest Show on TV", + "description": "In the second season of “How To With John Wilson,” the documentary filmmaker shows off his penchant for mutating the mundane into the vivid and extraordinary.", + "content": "In the second season of “How To With John Wilson,” the documentary filmmaker shows off his penchant for mutating the mundane into the vivid and extraordinary.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/07/magazine/how-to-john-wilson.html", + "creator": "Nitsuh Abebe", + "pubDate": "Wed, 08 Dec 2021 21:08:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3860a9cedd6228ad08b4cd821cdb6d60" + }, + { + "title": "‘West Side Story’ Review: In Love and War, 1957 Might Be Tonight", + "description": "Steven Spielberg rediscovers the breathing, troubling essence of a classic, building a bold and current screen musical with no pretense to perfection.", + "content": "Steven Spielberg rediscovers the breathing, troubling essence of a classic, building a bold and current screen musical with no pretense to perfection.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/08/movies/west-side-story-review.html", + "creator": "A.O. Scott", + "pubDate": "Wed, 08 Dec 2021 16:44:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e4cb6c86ba8b489d9fb14da8686590cb" + }, + { + "title": "What’s One of the Most Dangerous Toys for Kids? The Internet.", + "description": "Our kids are at the mercy of tech companies, with only an outdated law to protect them.", + "content": "Our kids are at the mercy of tech companies, with only an outdated law to protect them.", + "category": "Data-Mining and Database Marketing", + "link": "https://www.nytimes.com/2021/11/24/opinion/kids-internet-safety-social-apps.html", + "creator": "Adam Westbrook, Lucy King and Jonah M. Kessel", + "pubDate": "Wed, 24 Nov 2021 10:00:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6fb20f3e7d6af7135fe81f3392fd6802" + }, + { + "title": "Pearl Harbor and the Capacity for Surprise", + "description": "Could we avert a similar catastrophe in the future? ", + "content": "Could we avert a similar catastrophe in the future? ", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/07/opinion/pearl-harbor-american-adversaries.html", + "creator": "Bret Stephens", + "pubDate": "Wed, 08 Dec 2021 00:26:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fb0aeb0dd3b03cc47b256d47eb4e9ecc" + }, + { + "title": "Will My Students Ever Know a World Without School Shootings?", + "description": "Teachers can do only do so much to protect their students from school shootings.", + "content": "Teachers can do only do so much to protect their students from school shootings.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/07/opinion/oxford-shooting-teachers.html", + "creator": "Sarah Lerner", + "pubDate": "Tue, 07 Dec 2021 16:44:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "51c72f7b763113591e85ab22b31c23ab" + }, + { + "title": "The Words Democrats Use Are Not the Real Problem", + "description": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", + "content": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/08/opinion/hispanic-voters-messaging.html", + "creator": "Jamelle Bouie", + "pubDate": "Wed, 08 Dec 2021 02:11:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3a205d3b3328a40be871a8b907fcb30d" + }, + { + "title": "What Happened in the P.S.G. Attack?", + "description": "The assault of a top women’s player made headlines, with masked men, a metal bar and a teammate arrested. But weeks later, new details suggest the original story might have been wrong.", + "content": "The assault of a top women’s player made headlines, with masked men, a metal bar and a teammate arrested. But weeks later, new details suggest the original story might have been wrong.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/12/07/sports/soccer/psg-attack-diallo-hamraoui.html", + "creator": "Tariq Panja", + "pubDate": "Tue, 07 Dec 2021 16:47:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0165ae89b4baff5123a7eab5ac0d5087" + }, + { + "title": "Pandemic-Era ‘Excess Savings’ Are Dwindling for Many", + "description": "The drop in cash reserves has vast implications for the working class and could dampen consumer spending, a large share of economic activity.", + "content": "The drop in cash reserves has vast implications for the working class and could dampen consumer spending, a large share of economic activity.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/07/business/pandemic-savings.html", + "creator": "Talmon Joseph Smith", + "pubDate": "Tue, 07 Dec 2021 12:58:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c35977ab2eb24054f8a15432d721479" + }, + { + "title": "On the Banks of the Furious Congo River, a 5-Star Emporium of Ambition", + "description": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", + "content": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", + "category": "Mines and Mining", + "link": "https://www.nytimes.com/2021/12/07/world/congo-cobalt-investor-fleuve-hotel.html", + "creator": "Dionne Searcey, Eric Lipton, Michael Forsythe and Ashley Gilbertson", + "pubDate": "Tue, 07 Dec 2021 20:51:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3e3b34d5b15c61ca3b6d7c3ce9d1a351" + }, + { + "title": "Michael Steinhardt, Billionaire, Surrenders $70 Million in Stolen Relics", + "description": "The hedge fund pioneer is barred for life from buying more antiquities. He turned over 180 stolen objects that had decorated his homes and office.", + "content": "The hedge fund pioneer is barred for life from buying more antiquities. He turned over 180 stolen objects that had decorated his homes and office.", + "category": "Arts and Antiquities Looting", + "link": "https://www.nytimes.com/2021/12/06/arts/design/steinhardt-billionaire-stolen-antiquities.html", + "creator": "Tom Mashberg", + "pubDate": "Tue, 07 Dec 2021 02:54:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ddd043e6d34db0b3a8f741534910456a" + }, + { + "title": "Omicron, Instagram, Great Performers: Your Wednesday Evening Briefing", + "description": "Here’s what you need to know at the end of the day.", + "content": "Here’s what you need to know at the end of the day.", + "category": "", + "link": "https://www.nytimes.com/2021/12/08/briefing/omicron-instagram-great-performers.html", + "creator": "Remy Tumin", + "pubDate": "Wed, 08 Dec 2021 22:33:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9192a3c4fbe1530ab3cdd1be53dc885d" + }, + { + "title": "Why Ukraine Matters to Vladimir Putin", + "description": "Amid fears that Moscow is preparing for an invasion, one thing is clear: The Russian president has a singular fixation on the former Soviet republic.", + "content": "Amid fears that Moscow is preparing for an invasion, one thing is clear: The Russian president has a singular fixation on the former Soviet republic.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/08/podcasts/the-daily/putin-russian-military-ukraine.html", + "creator": "Michael Barbaro, Eric Krupke, Rachelle Bonja, Luke Vander Ploeg, Mike Benoist, Dan Powell, Marion Lozano and Chris Wood", + "pubDate": "Wed, 08 Dec 2021 11:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0d73a36b94eb881cbdf39ea91c0aea95" + }, + { + "title": "Trial Over Daunte Wright’s Death Begins", + "description": "The prosecution showed video of Kimberly Potter, a former police officer, shooting Mr. Wright, a Black man. The defense described it as a tragic accident.", + "content": "The prosecution showed video of Kimberly Potter, a former police officer, shooting Mr. Wright, a Black man. The defense described it as a tragic accident.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/us/daunte-wright-kim-potter-trial", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 20:35:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3cff1f969e599d412831e96e7d064a05" + }, + { + "title": "Greg Tate, Influential Critic of Black Culture, Dies at 64", + "description": "His writing for The Village Voice and other publications helped elevate hip-hop and street art to the same planes as jazz and Abstract Expressionism.", + "content": "His writing for The Village Voice and other publications helped elevate hip-hop and street art to the same planes as jazz and Abstract Expressionism.", + "category": "Tate, Greg (Author)", + "link": "https://www.nytimes.com/2021/12/08/arts/music/greg-tate-dead.html", + "creator": "Clay Risen", + "pubDate": "Wed, 08 Dec 2021 23:13:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c0477bf01b70736ca7dbf87baa96495a" + }, + { + "title": "Lawmakers Urge Instagram's Adam Mosseri to Better Protect Children", + "description": "Adam Mosseri, the company’s leader, was asked to appear before a Senate panel after internal research leaked that said the app had a toxic effect on some teenagers.", + "content": "Adam Mosseri, the company’s leader, was asked to appear before a Senate panel after internal research leaked that said the app had a toxic effect on some teenagers.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/08/technology/adam-mosseri-instagram-senate.html", + "creator": "Cecilia Kang", + "pubDate": "Wed, 08 Dec 2021 23:13:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1e0c03d946635972fafbbb1cd9f3c439" + }, + { + "title": "Business Updates: Apple Can Delay Changes to App Store Rules, Court Says", + "description": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", + "content": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 23:25:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b1b408c9b04c7d3c9a0e60928c69c38c" + }, + { + "title": "Tiger Woods Set to Play the PNC Championship With His Son", + "description": "The golfer, who is still recovering from a serious car crash in February, has not competed in a tournament since he and his son, Charlie, last played in the family team event a year ago.", + "content": "The golfer, who is still recovering from a serious car crash in February, has not competed in a tournament since he and his son, Charlie, last played in the family team event a year ago.", + "category": "Golf", + "link": "https://www.nytimes.com/2021/12/08/sports/golf/tiger-woods-charlie-pnc-championship.html", + "creator": "Bill Pennington", + "pubDate": "Wed, 08 Dec 2021 22:10:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f8dce6e3ac3fd5d7970ef238989c9e9" + }, + { + "title": "After Warm Start to Snow Season, Colorado Resorts Look for Relief", + "description": "Record high temperatures have left mountain resorts across the state reliant on artificial snow. Winter storms predicted for this week could change that.", + "content": "Record high temperatures have left mountain resorts across the state reliant on artificial snow. Winter storms predicted for this week could change that.", + "category": "Snow and Snowstorms", + "link": "https://www.nytimes.com/2021/12/08/us/colorado-winter-weather-snow.html", + "creator": "Christine Chung", + "pubDate": "Wed, 08 Dec 2021 18:25:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fb9e8ea70db030e9e1b332e32aaa577d" + }, + { + "title": "Yusaku Maezawa, Japanese Billionaire, Arrives at Space Station", + "description": "Yusaku Maezawa, the founder of the clothing retailer Zozo, will spend 12 days in orbit with a production assistant who will document his stay.", + "content": "Yusaku Maezawa, the founder of the clothing retailer Zozo, will spend 12 days in orbit with a production assistant who will document his stay.", + "category": "Maezawa, Yusaku", + "link": "https://www.nytimes.com/2021/12/08/science/yusaku-maezawa-space-station.html", + "creator": "Joey Roulette", + "pubDate": "Wed, 08 Dec 2021 16:32:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0411955f9ec6502f2dba217d5d87f988" + }, + { + "title": "Better.com C.E.O. Apologizes for Firing Workers Over Zoom", + "description": "Vishal Garg said in a letter to employees on Tuesday that he had failed to show “respect and appreciation” in the call, which has been widely criticized.", + "content": "Vishal Garg said in a letter to employees on Tuesday that he had failed to show “respect and appreciation” in the call, which has been widely criticized.", + "category": "Layoffs and Job Reductions", + "link": "https://www.nytimes.com/2021/12/08/business/better-zoom-layoffs-vishal-garg.html", + "creator": "Derrick Bryson Taylor and Jenny Gross", + "pubDate": "Wed, 08 Dec 2021 16:46:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "40dd181af94eb6c150658f30ab5d2661" + }, + { + "title": "Wrong Man Arrested Over Khashoggi Killing, France Says", + "description": "The French authorities released a Saudi man who shared the name and age of a suspect in the murder of the dissident writer, saying it was a case of mistaken identity.", + "content": "The French authorities released a Saudi man who shared the name and age of a suspect in the murder of the dissident writer, saying it was a case of mistaken identity.", + "category": "Khashoggi, Jamal", + "link": "https://www.nytimes.com/2021/12/08/world/europe/france-khashoggi-arrest-mistaken-identity.html", + "creator": "Aurelien Breeden", + "pubDate": "Wed, 08 Dec 2021 14:47:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b6f7ccd542c1fe078907310b769cd716" + }, + { + "title": "Getting Married in the Metaverse", + "description": "One couple’s recent nuptials in the virtual world known as the metaverse showcase the possibilities of having a wedding unfettered by the bounds of reality.", + "content": "One couple’s recent nuptials in the virtual world known as the metaverse showcase the possibilities of having a wedding unfettered by the bounds of reality.", + "category": "Virtual Reality (Computers)", + "link": "https://www.nytimes.com/2021/12/08/fashion/metaverse-virtual-wedding.html", + "creator": "Steven Kurutz", + "pubDate": "Wed, 08 Dec 2021 10:00:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c1eb3c94d29f0302032f58a99a3102f" + }, + { + "title": "It’s a Good Time to Be Reba McEntire", + "description": "With new music, movies and memes, the country singer has kept busy during the pandemic.", + "content": "With new music, movies and memes, the country singer has kept busy during the pandemic.", + "category": "McEntire, Reba", + "link": "https://www.nytimes.com/2021/12/07/style/reba-mcentire.html", + "creator": "Brennan Carley", + "pubDate": "Wed, 08 Dec 2021 18:22:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bf92caea2aea13f743eb6671b14f353d" + }, + { + "title": "This Creamy Fall Orzo Recipe Will Please Anyone Who Loves a Cozy Porridge", + "description": "This hearty, meatless meal from Melissa Clark is full of tender pasta, butternut squash and lots of warming brown butter — just the thing for a blustery evening.", + "content": "This hearty, meatless meal from Melissa Clark is full of tender pasta, butternut squash and lots of warming brown butter — just the thing for a blustery evening.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/03/dining/fall-orzo-recipe.html", + "creator": "Melissa Clark", + "pubDate": "Mon, 06 Dec 2021 18:51:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "59d742ece4928cc1029bd66c35a10a12" + }, + { + "title": "Mr. Men Little Miss Books Stand the (Silly, Splendid, Topsy-Turvy) Test of Time", + "description": "Mr. Men Little Miss, the children’s book series created by Roger Hargreaves, turns 50 this year.", + "content": "Mr. Men Little Miss, the children’s book series created by Roger Hargreaves, turns 50 this year.", + "category": "genre-books-childrens", + "link": "https://www.nytimes.com/2021/12/08/books/mr-men-little-miss-books.html", + "creator": "Liza Weisstuch", + "pubDate": "Wed, 08 Dec 2021 10:00:15 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d1b3564fff11ba0c7347eac4093417a1" + }, + { + "title": "Pfizer-BioNTech Says Booster Offers Significant Omicron Protection", + "description": "The companies said three doses of the vaccine are effective against the variant, but two doses alone “may not be sufficient.” Here’s the latest on Covid.", + "content": "The companies said three doses of the vaccine are effective against the variant, but two doses alone “may not be sufficient.” Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 22:21:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "070c1776c15b2fd096d685f59e0221ee" + }, + { + "title": "Jan. 6 Committee to Cite Mark Meadows for Criminal Contempt", + "description": "The select committee investigating the Capitol riot said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", + "content": "The select committee investigating the Capitol riot said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/08/us/politics/mark-meadows-contempt-jan-6-committee.html", + "creator": "Luke Broadwater", + "pubDate": "Wed, 08 Dec 2021 21:52:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "03872024a2f0238b779b0af64aa51574" + }, + { + "title": "De Blasio Fought for 2 Years to Keep Ethics Warning Secret. Here’s Why.", + "description": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", + "content": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", + "category": "de Blasio, Bill", + "link": "https://www.nytimes.com/2021/12/08/nyregion/de-blasio-donors-nyc.html", + "creator": "William Neuman", + "pubDate": "Wed, 08 Dec 2021 22:22:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d55d06a0a7eb7d22dba336cf7d69aba7" + }, + { + "title": "Yes, Americans Should Get Free Tests", + "description": "We need every option available to return to normal.", + "content": "We need every option available to return to normal.", + "category": "Tests (Medical)", + "link": "https://www.nytimes.com/2021/12/08/opinion/free-covid-test-biden.html", + "creator": "Aaron E. Carroll", + "pubDate": "Wed, 08 Dec 2021 20:11:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "74bf3809fab8d535d57559ab066452d5" + }, + { + "title": "What Does Russia Want With Ukraine?", + "description": "And why people are fearing war there.", + "content": "And why people are fearing war there.", + "category": "Russia", + "link": "https://www.nytimes.com/2021/12/08/briefing/biden-putin-ukraine-border-tensions.html", + "creator": "David Leonhardt", + "pubDate": "Wed, 08 Dec 2021 15:01:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4fdba8037590928cf038b2689b9147b5" + }, + { + "title": "With Olaf Scholz at the Helm in Germany, a New, Uncertain Chapter", + "description": "After 16 years, Angela Merkel handed over the German chancellery to Olaf Scholz, leaving behind a changed country and a polarizing legacy.", + "content": "After 16 years, Angela Merkel handed over the German chancellery to Olaf Scholz, leaving behind a changed country and a polarizing legacy.", + "category": "Merkel, Angela", + "link": "https://www.nytimes.com/2021/12/08/world/europe/germany-merkel-scholz-chancellor-government.html", + "creator": "Katrin Bennhold and Melissa Eddy", + "pubDate": "Wed, 08 Dec 2021 20:55:05 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ff4fe63b26132a765a264f9a126ea31c" + }, + { + "title": "Can an Athlete’s Blood Enhance Brainpower?", + "description": "Scientists who injected idle mice with blood from athletic mice found improvements in learning and memory. The findings could have implications for Alzheimer’s research and beyond.", + "content": "Scientists who injected idle mice with blood from athletic mice found improvements in learning and memory. The findings could have implications for Alzheimer’s research and beyond.", + "category": "Animal Cognition", + "link": "https://www.nytimes.com/2021/12/08/science/mice-blood-alzheimers.html", + "creator": "Pam Belluck", + "pubDate": "Wed, 08 Dec 2021 19:22:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8a8cb33f57c1c9c31b5a73c076747c30" + }, + { + "title": "Business Updates: Head of Instagram Testifies Before Senate Panel", + "description": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", + "content": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 20:35:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a6680e4435ecf634318111172c26e3a7" + }, + { + "title": "India’s Top Military General, Bipin Rawat, Dies in Helicopter Crash", + "description": "Gen. Bipin Rawat, who was killed along with his wife and 11 others on board, was in charge of overhauling a military that has struggled to modernize.", + "content": "Gen. Bipin Rawat, who was killed along with his wife and 11 others on board, was in charge of overhauling a military that has struggled to modernize.", + "category": "Aviation Accidents, Safety and Disasters", + "link": "https://www.nytimes.com/2021/12/08/world/asia/helicopter-crash-india-top-general.html", + "creator": "Suhasini Raj and Mujib Mashal", + "pubDate": "Wed, 08 Dec 2021 19:38:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "48963db9d39e449766cc32ada087d8dd" + }, + { + "title": "Proposal Would Allow E.U. to Retaliate Against Economic Pressure", + "description": "The European Commission is considering sweeping powers to impose punitive sanctions on those seeking to influence its political policies through economic pressure.", + "content": "The European Commission is considering sweeping powers to impose punitive sanctions on those seeking to influence its political policies through economic pressure.", + "category": "European Union", + "link": "https://www.nytimes.com/2021/12/08/world/europe/eu-sanctions-economic-retaliation.html", + "creator": "Monika Pronczuk", + "pubDate": "Wed, 08 Dec 2021 20:18:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9e52910e726c0e94ffa7411ac4d062e4" + }, + { + "title": "Pastor Who Appeared in Drag on HBO's 'We're Here' Leaves Church", + "description": "A United Methodist Church pastor in Indiana stepped down after performing in drag and speaking about inclusion on the show “We’re Here.”", + "content": "A United Methodist Church pastor in Indiana stepped down after performing in drag and speaking about inclusion on the show “We’re Here.”", + "category": "Ministers (Protestant)", + "link": "https://www.nytimes.com/2021/12/08/us/indiana-pastor-drag-hbo.html", + "creator": "Amanda Holpuch", + "pubDate": "Wed, 08 Dec 2021 18:35:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d8f3e9473c05930e1f2bf6567def8d09" + }, + { + "title": "House Passes $768 Billion Defense Policy Bill", + "description": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", + "content": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", + "category": "Law and Legislation", + "link": "https://www.nytimes.com/2021/12/07/us/politics/defense-budget-democrats-biden.html", + "creator": "Catie Edmondson", + "pubDate": "Wed, 08 Dec 2021 04:38:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ef3b29dbd2dfea724123fe317b7fd00e" + }, + { + "title": "House Passes Legislation to Pave Way for Debt Ceiling Increase", + "description": "The bill would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", + "content": "The bill would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", + "category": "Senate", + "link": "https://www.nytimes.com/2021/12/07/us/politics/debt-ceiling-deal-congress.html", + "creator": "Emily Cochrane and Margot Sanger-Katz", + "pubDate": "Wed, 08 Dec 2021 02:36:48 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "918059cea5dce1cb81262475aaf63bb2" + }, + { + "title": "Debate Over ‘Packing’ Supreme Court Divides Biden Panel", + "description": "The bipartisan group voted 34 to 0 to send the president a report analyzing ideas like Supreme Court expansion, but it declined to take a stand.", + "content": "The bipartisan group voted 34 to 0 to send the president a report analyzing ideas like Supreme Court expansion, but it declined to take a stand.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/07/us/politics/supreme-court-packing-expansion.html", + "creator": "Charlie Savage", + "pubDate": "Wed, 08 Dec 2021 04:44:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "691a7d684282d73459b6d5d8ab48307d" + }, + { + "title": "Lawmakers Reach Deal to Overhaul How Military Handles Sexual Assault Cases", + "description": "Under the agreement, commanders’ powers would be clipped after years of complaints about unfairness and retaliation.", + "content": "Under the agreement, commanders’ powers would be clipped after years of complaints about unfairness and retaliation.", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/07/us/politics/military-sexual-assault-congress.html", + "creator": "Jennifer Steinhauer", + "pubDate": "Wed, 08 Dec 2021 02:20:55 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3e5941607d54b59258256ae2b8215001" + }, + { + "title": "Early Study Shows Pfizer Vaccine Gives Some Protection Against Omicron", + "description": "A South African lab experiment found the variant may dull the power of vaccines but hinted that booster shots might help. Here’s the latest.", + "content": "A South African lab experiment found the variant may dull the power of vaccines but hinted that booster shots might help. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 10:14:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cca40d1117be307e8bbadacb56af896f" + }, + { + "title": "Pediatricians Find Children Need Much More Than Vaccines", + "description": "At one clinic serving low-income children, treatment for health problems that have gone unchecked during the pandemic is more in demand than coronavirus shots.", + "content": "At one clinic serving low-income children, treatment for health problems that have gone unchecked during the pandemic is more in demand than coronavirus shots.", + "category": "Children and Childhood", + "link": "https://www.nytimes.com/2021/12/07/us/politics/children-vaccine-pediatricians.html", + "creator": "Noah Weiland", + "pubDate": "Tue, 07 Dec 2021 21:49:25 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "939f819a32372e72351e64e89b8b331d" + }, + { + "title": "N.Y.C. Business Owners and Workers React to Vaccine Mandate", + "description": "After Mayor Bill de Blasio set a mandate for all private employers, some raised questions about how the city planned to enforce it, while others said they backed the idea.", + "content": "After Mayor Bill de Blasio set a mandate for all private employers, some raised questions about how the city planned to enforce it, while others said they backed the idea.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/07/nyregion/vaccine-mandate-nyc-business.html", + "creator": "Emma G. Fitzsimmons and Lola Fadulu", + "pubDate": "Wed, 08 Dec 2021 02:09:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2090f079f92ac4528bb937b13e99e8ff" + }, + { + "title": "Biden and Putin Hold Virtual Summit Over Ukraine", + "description": "President Biden said a Russian invasion of Ukraine would result in heavy economic penalties for Mr. Putin, in a tense meeting.", + "content": "President Biden said a Russian invasion of Ukraine would result in heavy economic penalties for Mr. Putin, in a tense meeting.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/07/us/politics/biden-putin-ukraine-summit.html", + "creator": "David E. Sanger and Michael Crowley", + "pubDate": "Wed, 08 Dec 2021 02:11:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "57d155493b219d2e4b3c6dd3e02c3692" + }, + { + "title": "Here are five takeaways from the Biden-Putin call.", + "description": "The meeting was a big foreign policy test for President Biden, with consequences for the stability of Europe, the credibility of American threats and the future of Ukraine.", + "content": "The meeting was a big foreign policy test for President Biden, with consequences for the stability of Europe, the credibility of American threats and the future of Ukraine.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/07/world/europe/here-are-five-takeaways-from-the-biden-putin-call.html", + "creator": "Michael Crowley", + "pubDate": "Tue, 07 Dec 2021 23:01:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "175c7e30707613a31f464f93c83fe4f7" + }, + { + "title": "Saule Omarova, Biden’s Pick for Key Banking Regulator, Backs Out", + "description": "Saule Omarova withdrew herself from consideration to be comptroller of the currency after attacks from Republicans and banking lobbyists that labeled her a communist.", + "content": "Saule Omarova withdrew herself from consideration to be comptroller of the currency after attacks from Republicans and banking lobbyists that labeled her a communist.", + "category": "Omarova, Saule", + "link": "https://www.nytimes.com/2021/12/07/business/saule-omarova-occ-nomination.html", + "creator": "Emily Flitter", + "pubDate": "Tue, 07 Dec 2021 21:00:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "968653e1082c77c27a7776e0795f2ab2" + }, + { + "title": "Scholz Becomes German Chancellor, Ending Merkel Era", + "description": "The country’s president gave Olaf Scholz his official certificate of office, and Angela Merkel received a standing ovation from Parliament. Here’s the latest.", + "content": "The country’s president gave Olaf Scholz his official certificate of office, and Angela Merkel received a standing ovation from Parliament. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/08/world/germany-scholz-merkel", + "creator": "The New York Times", + "pubDate": "Wed, 08 Dec 2021 10:14:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "572e49eab59b566121e06dc3b19c0f3e" + }, + { + "title": "Redistricting Makes California a Top House Battlefield for 2022", + "description": "As legislators across the country draw House maps to protect incumbents, a nonpartisan commission of California citizens is drafting one that will scramble political fortunes for both parties.", + "content": "As legislators across the country draw House maps to protect incumbents, a nonpartisan commission of California citizens is drafting one that will scramble political fortunes for both parties.", + "category": "Redistricting and Reapportionment", + "link": "https://www.nytimes.com/2021/12/07/us/politics/california-redistricting-midterms.html", + "creator": "Jonathan Weisman", + "pubDate": "Tue, 07 Dec 2021 20:44:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5271b4715c9896d632b328e1affc5568" + }, + { + "title": "In a Reversal, Meadows Refuses an Interview for the Jan. 6 Inquiry", + "description": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be deposed, reversing a commitment he made last week.", + "content": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be deposed, reversing a commitment he made last week.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/07/us/politics/meadows-cooperate-jan-6.html", + "creator": "Luke Broadwater and Maggie Haberman", + "pubDate": "Wed, 08 Dec 2021 01:41:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4b5fcd6ec6f4c529482bb6727830f87f" + }, + { + "title": "Hollywood Loves a Monstrous Mommy. Can It Do Her Justice?", + "description": "Cinema is finally capturing, with uncanny precision and furious energy, more honest and complex versions of the mother.", + "content": "Cinema is finally capturing, with uncanny precision and furious energy, more honest and complex versions of the mother.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/07/magazine/mother-movie-depictions.html", + "creator": "Lydia Kiesling", + "pubDate": "Tue, 07 Dec 2021 10:00:15 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38d46bd5b03ea101aee81e35524cb5ad" + }, + { + "title": "From Soap Opera to Art: Why a Moscow Museum Is Re-Enacting ‘Santa Barbara’", + "description": "A new contemporary art space is probing how Russia engages with the West by reviving an unlikely 1990s TV hit.", + "content": "A new contemporary art space is probing how Russia engages with the West by reviving an unlikely 1990s TV hit.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/07/arts/design/santa-barbara-ges-2-moscow-ragnar-kjartansson.html", + "creator": "Valerie Hopkins", + "pubDate": "Wed, 08 Dec 2021 03:21:22 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d9d606c873bf2fb1602ab3af1637fa7f" + }, + { + "title": "Can a New University Really Fix Academia’s Free Speech Problems?", + "description": "Or does it just create another ideological bubble?", + "content": "Or does it just create another ideological bubble?", + "category": "University of Austin", + "link": "https://www.nytimes.com/2021/12/08/opinion/the-argument-free-speech-on-college-campuses.html", + "creator": "‘The Argument’", + "pubDate": "Wed, 08 Dec 2021 10:00:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "251abede48f304e78d377fc4a8954b2a" + }, + { + "title": "Bob Dole, Donald Trump and the Art of Responsibility", + "description": "Somehow, America stopped honoring responsibility.", + "content": "Somehow, America stopped honoring responsibility.", + "category": "International Trade and World Market", + "link": "https://www.nytimes.com/2021/12/07/opinion/bob-dole-donald-trump.html", + "creator": "Paul Krugman", + "pubDate": "Tue, 07 Dec 2021 17:32:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "deda447fddb0952bdfaaab5acb53312a" + }, + { + "title": "How Can Something Be Racist but Not Racist at the Same Time?", + "description": "These days, it’s hard to tell.", + "content": "These days, it’s hard to tell.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/07/opinion/racism-america-complex-confusion.html", + "creator": "John McWhorter", + "pubDate": "Tue, 07 Dec 2021 20:00:26 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fede6da0f494b5fcb763fd8c18c134e7" + }, + { + "title": "The Words Democrats Use Are Not the Real Problem", + "description": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", + "content": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/07/opinion/hispanic-voters-messaging.html", + "creator": "Jamelle Bouie", + "pubDate": "Tue, 07 Dec 2021 10:00:13 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "68e38b48fb315fceaa68bce5f1e2ec17" + }, + { + "title": "Should States Be Allowed to Spend Public Money on Religious Educations?", + "description": "The Supreme Court is about to consider that question.", + "content": "The Supreme Court is about to consider that question.", + "category": "Private and Sectarian Schools", + "link": "https://www.nytimes.com/2021/12/07/opinion/public-schools-religion.html", + "creator": "Michael Bindas and Walter Womack", + "pubDate": "Tue, 07 Dec 2021 10:00:09 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d8eb0853866f858ca94dc8bd381703c7" + }, + { + "title": "If James Madison Weighed In on Politics Today", + "description": "Readers discuss James Madison and the role of Congress today. Also: Expanding the fight for abortion rights; a proposal for the National Mall.", + "content": "Readers discuss James Madison and the role of Congress today. Also: Expanding the fight for abortion rights; a proposal for the National Mall.", + "category": "Madison, James (1751-1836)", + "link": "https://www.nytimes.com/2021/12/07/opinion/letters/james-madison-congress-politics.html", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 16:34:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d0253c46b02be4b8fa89a79021e7cd9c" + }, + { + "title": "Alana Haim on ‘Licorice Pizza,’ Her Surprising Movie Debut", + "description": "When Paul Thomas Anderson asked her to star in “Licorice Pizza,” the musician had zero acting experience. Now she’s winning rave reviews.", + "content": "When Paul Thomas Anderson asked her to star in “Licorice Pizza,” the musician had zero acting experience. Now she’s winning rave reviews.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/06/movies/alana-haim-licorice-pizza.html", + "creator": "Lindsay Zoladz", + "pubDate": "Mon, 06 Dec 2021 16:00:10 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "88bc3f5f424047a368137d72330e968b" + }, + { + "title": "Companies Linked to Russian Ransomware Hide in Plain Sight", + "description": "Cybersecurity experts tracing money paid by American businesses to Russian ransomware gangs found it led to one of Moscow’s most prestigious addresses.", + "content": "Cybersecurity experts tracing money paid by American businesses to Russian ransomware gangs found it led to one of Moscow’s most prestigious addresses.", + "category": "Computer Security", + "link": "https://www.nytimes.com/2021/12/06/world/europe/ransomware-russia-bitcoin.html", + "creator": "Andrew E. Kramer", + "pubDate": "Mon, 06 Dec 2021 10:00:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "d3ce6c500f26b0736d44200db5a7cacc" + }, + { + "title": "Chanel, TikTok and the Beauty Advent Calendar Controversy", + "description": "Some social media users are not feeling the Christmas spirit — or this box of mini lipsticks and branded stickers.", + "content": "Some social media users are not feeling the Christmas spirit — or this box of mini lipsticks and branded stickers.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/06/style/chanel-tiktok-advent-calendar-controversy.html", + "creator": "Vanessa Friedman", + "pubDate": "Mon, 06 Dec 2021 19:04:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0a404c838736e610dd5096c7c8406cdf" + }, + { + "title": "San Francisco Restaurant Apologizes for Asking 3 Police Officers to Leave", + "description": "The uniformed officers had just sat down when staff members asked them to leave because the workers felt uncomfortable about the officers’ weapons, the restaurant said.", + "content": "The uniformed officers had just sat down when staff members asked them to leave because the workers felt uncomfortable about the officers’ weapons, the restaurant said.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/12/06/us/san-francisco-restaurant-police-officers.html", + "creator": "Alyssa Lukpat", + "pubDate": "Mon, 06 Dec 2021 12:04:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cd398714d5cf9b09efe8dab30664555d" + }, + { + "title": "Do You Have a Story About Seeing Your Parent Differently?", + "description": "The Modern Love Podcast wants to hear about a time your perception of your parent(s) changed.", + "content": "The Modern Love Podcast wants to hear about a time your perception of your parent(s) changed.", + "category": "Parenting", + "link": "https://www.nytimes.com/2021/11/18/podcasts/modern-love-seeing-parents-differently.html", + "creator": "", + "pubDate": "Thu, 18 Nov 2021 23:22:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34eb818d8937e3eb287ab4e50fa378a4" + }, + { + "title": "Third Accuser Says Epstein and Maxwell Preyed on Her as a Troubled Teen", + "description": "The accuser, who testified under her first name, Carolyn, described being preyed upon as an especially vulnerable child.", + "content": "The accuser, who testified under her first name, Carolyn, described being preyed upon as an especially vulnerable child.", + "category": "Human Trafficking", + "link": "https://www.nytimes.com/2021/12/07/nyregion/ghislaine-maxwell-trial-carolyn.html", + "creator": "Rebecca Davis O’Brien and Colin Moynihan", + "pubDate": "Wed, 08 Dec 2021 00:26:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a29dbcd04c377a333c326538f0e5eb01" + }, + { + "title": "In Bob Dole’s Hometown, Kansans Grieve for the Man and His Political Style", + "description": "Residents of Russell, the town in Kansas where Mr. Dole grew up, spoke longingly of a bygone era of bipartisanship.", + "content": "Residents of Russell, the town in Kansas where Mr. Dole grew up, spoke longingly of a bygone era of bipartisanship.", + "category": "Dole, Bob", + "link": "https://www.nytimes.com/2021/12/07/us/bob-dole-hometown-russell-kansas.html", + "creator": "Mitch Smith", + "pubDate": "Tue, 07 Dec 2021 22:14:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8ca9ec40207b055dc5fe72abaebf3d39" + }, + { + "title": "Photos From Indonesia Volcano: Death Toll Rises ", + "description": "About 17 people were still missing as rescuers searched for survivors buried under volcanic ash.", + "content": "About 17 people were still missing as rescuers searched for survivors buried under volcanic ash.", + "category": "Indonesia", + "link": "https://www.nytimes.com/2021/12/07/world/asia/indonesia-volcano-eruption.html", + "creator": "Muktita Suhartono", + "pubDate": "Tue, 07 Dec 2021 11:28:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6653a8e7e2e47f1ca2e7c9836a554429" + }, + { + "title": "Mississippi Killer Confessed to Another Murder Before His Execution", + "description": "David Neal Cox admitted to the 2007 killing of his sister-in-law, Felecia Cox, a cold case in which he had long been the prime suspect, prosecutors said.", + "content": "David Neal Cox admitted to the 2007 killing of his sister-in-law, Felecia Cox, a cold case in which he had long been the prime suspect, prosecutors said.", + "category": "Domestic Violence", + "link": "https://www.nytimes.com/2021/12/07/us/david-neal-cox-execution-felecia-mississippi.html", + "creator": "Neil Vigdor", + "pubDate": "Tue, 07 Dec 2021 22:41:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c59d7dda7dc86b394afcebbb3ea7fb67" + }, + { + "title": "Chris Magnus Confirmed to Lead Customs and Border Protection", + "description": "Mr. Magnus, the police chief in Tucson, Ariz., will seek to win the trust of the U.S. Border Patrol, an agency championed by former President Donald J. Trump.", + "content": "Mr. Magnus, the police chief in Tucson, Ariz., will seek to win the trust of the U.S. Border Patrol, an agency championed by former President Donald J. Trump.", + "category": "Magnus, Chris (1960- )", + "link": "https://www.nytimes.com/2021/12/07/us/politics/chris-magnus-cbp-biden.html", + "creator": "Eileen Sullivan", + "pubDate": "Wed, 08 Dec 2021 01:11:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a79b6bfcf17e54d5d354285bbd57f05d" + }, + { + "title": "Helicopter Crashes With India’s Top Military General Aboard", + "description": "The fate of Gen. Bipin Rawat, the chief of the country’s defense staff, wasn’t immediately clear.", + "content": "The fate of Gen. Bipin Rawat, the chief of the country’s defense staff, wasn’t immediately clear.", + "category": "Aviation Accidents, Safety and Disasters", + "link": "https://www.nytimes.com/2021/12/08/world/asia/helicopter-crash-india-top-general.html", + "creator": "Suhasini Raj and Mujib Mashal", + "pubDate": "Wed, 08 Dec 2021 10:19:52 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f193374ca112aaa8f133e4e28badaa6c" + }, + { + "title": "Elizabeth Holmes Returns to the Stand on Tuesday.", + "description": "The climax of the cross-examination of Ms. Holmes, founder of the blood testing start-up Theranos, sends her fraud trial to its end stage.", + "content": "The climax of the cross-examination of Ms. Holmes, founder of the blood testing start-up Theranos, sends her fraud trial to its end stage.", + "category": "Tests (Medical)", + "link": "https://www.nytimes.com/2021/12/07/technology/elizabeth-holmes-theranos-trial.html", + "creator": "Erin Griffith", + "pubDate": "Wed, 08 Dec 2021 01:39:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d7e55d1ac21116d190b46cf474ea4db5" + }, + { + "title": "Lawyers in Jussie Smollett Case Tangle Over Motive as Testimony Ends", + "description": "Mr. Smollett was questioned Tuesday by the prosecution about his interactions with his attackers shortly before the 2019 assault.", + "content": "Mr. Smollett was questioned Tuesday by the prosecution about his interactions with his attackers shortly before the 2019 assault.", + "category": "Assaults", + "link": "https://www.nytimes.com/2021/12/07/arts/television/jussie-smollett-trial.html", + "creator": "Julia Jacobs and Mark Guarino", + "pubDate": "Tue, 07 Dec 2021 23:03:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "98c39a04bb1abb14eafd3d290b377141" + }, + { + "title": "Sundays Off: U.A.E. Changes Its Weekend to Align With West", + "description": "The United Arab Emirates, in a nod to global markets, has changed its workweek, declaring that Sunday, a work day in much of the Arab world, is now part of the weekend. Fridays will be half days.", + "content": "The United Arab Emirates, in a nod to global markets, has changed its workweek, declaring that Sunday, a work day in much of the Arab world, is now part of the weekend. Fridays will be half days.", + "category": "United Arab Emirates", + "link": "https://www.nytimes.com/2021/12/07/world/middleeast/uae-weekend-shift.html", + "creator": "Mona El-Naggar", + "pubDate": "Tue, 07 Dec 2021 23:09:18 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89809,20 +115740,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "788c5742609879936d2ba69a876b9b59" + "hash": "1760f6db9f330e917b325fba965026c3" }, { - "title": "Another Death at Rikers Continues ‘Very Difficult Year’ at N.Y.C. Jails", - "description": "A Brooklyn man, who went into cardiac arrest on Friday, became the 15th person to die this year within New York City’s correction system.", - "content": "A Brooklyn man, who went into cardiac arrest on Friday, became the 15th person to die this year within New York City’s correction system.", - "category": "Prisons and Prisoners", - "link": "https://www.nytimes.com/2021/12/10/nyregion/rikers-jail-death-15th-person.html", - "creator": "Jan Ransom and Karen Zraick", - "pubDate": "Sat, 11 Dec 2021 00:27:32 +0000", + "title": "French Police Arrest Man in Connection With Khashoggi Killing", + "description": "A man with the same name, Khalid Alotaibi, is wanted in connection with the murder of the Saudi journalist Jamal Khashoggi. A Saudi official says France arrested the wrong man.", + "content": "A man with the same name, Khalid Alotaibi, is wanted in connection with the murder of the Saudi journalist Jamal Khashoggi. A Saudi official says France arrested the wrong man.", + "category": "Assassinations and Attempted Assassinations", + "link": "https://www.nytimes.com/2021/12/07/world/middleeast/khashoggi-arrest-france-alotaiba.html", + "creator": "Ben Hubbard and Aurelien Breeden", + "pubDate": "Tue, 07 Dec 2021 18:21:28 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89830,20 +115760,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "38b9767bef4520f5b994d237c9cca5b9" + "hash": "3ed79a4efa1a7e936005ae95383f5772" }, { - "title": "In Search of Black Santa", - "description": "My kids shouldn’t have to color their Santa Claus figurines with brown ink like I did.", - "content": "Kelvin Douglas is a jolly Santa Claus for children in Houston.", - "category": "Santa Claus", - "link": "https://www.nytimes.com/2021/12/09/well/family/black-santa.html", - "creator": "Nancy Redd", - "pubDate": "Thu, 09 Dec 2021 18:21:20 +0000", + "title": "Is Gluten-Free Bread Healthier Than Regular Bread?", + "description": "Experts say there are important distinctions to keep in mind.", + "content": "Experts say there are important distinctions to keep in mind.", + "category": "Gluten", + "link": "https://www.nytimes.com/2021/12/07/well/eat/is-gluten-free-bread-healthier.html", + "creator": "Alice Callahan", + "pubDate": "Tue, 07 Dec 2021 15:51:09 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89851,20 +115780,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "3409388253d4d3aed03b33e2a72c0abe" + "hash": "393c06cd53ece300cfbdeb276f30791a" }, { - "title": "Do Booster Shots Work Against the Omicron Variant? Your Questions Answered", - "description": "Alarmed by the arrival of the new variant, health officials have called for everyone who is eligible to get a booster shot.", - "content": "Alarmed by the arrival of the new variant, health officials have called for everyone who is eligible to get a booster shot.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/article/booster-shots-questions-answers.html", - "creator": "Tara Parker-Pope", - "pubDate": "Tue, 07 Dec 2021 16:04:00 +0000", + "title": "Do I Get Enough Vitamin D in the Winter?", + "description": "In higher-latitude cities like Boston, inadequate UVB limits vitamin D synthesis for at least a few months during the winter.", + "content": "In higher-latitude cities like Boston, inadequate UVB limits vitamin D synthesis for at least a few months during the winter.", + "category": "Vitamins", + "link": "https://www.nytimes.com/2018/02/16/well/live/do-i-get-enough-vitamin-d-in-the-winter.html", + "creator": "Alice Callahan", + "pubDate": "Fri, 16 Feb 2018 11:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89872,20 +115800,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1346156dbb106e3c999352a3a3a6a62" + "hash": "8116355042b9e96ec288e5455b94397b" }, { - "title": "Why a Child’s Rude Behavior May Be Good for Development", - "description": "The safer children feel, the more they can show their true selves — warts and all — experts say. And that’s good for their development.", - "content": "The safer children feel, the more they can show their true selves — warts and all — experts say. And that’s good for their development.", - "category": "Children and Childhood", - "link": "https://www.nytimes.com/2021/12/11/well/family/rude-child-development-behavior.html", - "creator": "Melinda Wenner Moyer", - "pubDate": "Sat, 11 Dec 2021 10:00:05 +0000", + "title": "Why Does Coffee Make Me Poop?", + "description": "It’s not clear why coffee can stimulate a bowel movement, but the speed of this effect suggests it’s mediated by the brain.", + "content": "It’s not clear why coffee can stimulate a bowel movement, but the speed of this effect suggests it’s mediated by the brain.", + "category": "Caffeine", + "link": "https://www.nytimes.com/2021/11/30/well/eat/why-does-coffee-make-you-poop.html", + "creator": "Alice Callahan", + "pubDate": "Tue, 30 Nov 2021 10:00:18 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89893,20 +115820,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a30899f6aa05ea6c4e8a0386890257a0" + "hash": "174ef57ae7ea914400eec3a72532fa95" }, { - "title": "Your ‘Maskne’ Might Not Be Acne at All", - "description": "Perioral dermatitis, a complex facial rash that is often mistaken for acne, is becoming more common, some experts say. Here’s how to spot, treat and prevent this irritating condition.", - "content": "Perioral dermatitis, a complex facial rash that is often mistaken for acne, is becoming more common, some experts say. Here’s how to spot, treat and prevent this irritating condition.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/04/02/well/perioral-dermatitis-pandemic.html", - "creator": "Elizabeth Svoboda", - "pubDate": "Fri, 02 Apr 2021 09:00:39 +0000", + "title": "What Is a Fecal Transplant, and Why Would I Want One?", + "description": "Fecal transplant is used to treat gut infections and is now being studied as a treatment for obesity, urinary tract infections, irritable bowel syndrome and more.", + "content": "Fecal transplant is used to treat gut infections and is now being studied as a treatment for obesity, urinary tract infections, irritable bowel syndrome and more.", + "category": "Feces", + "link": "https://www.nytimes.com/2019/01/18/well/live/what-is-a-fecal-transplant-and-why-would-i-want-one.html", + "creator": "Richard Klasco, M.D.", + "pubDate": "Tue, 19 Feb 2019 23:00:14 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89914,20 +115840,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b77d4bf1a4a7d90a35cf997932beff3b" + "hash": "6796b6633e5b35bedd91c702aedccb4c" }, { - "title": "As Metro Pictures Closes, Its Founders Look Back", - "description": "Janelle Reiring and Helene Winer on their landmark gallery, which introduced Cindy Sherman, Louise Lawler, Robert Longo and Richard Prince to the art world.", - "content": "Janelle Reiring, left, and Helene Winer at Metro Pictures on West 24th Street with their final exhibition, Paulina Olowska’s “Haus Proud” in the background. The art gallery will close Saturday, after 41 years in business.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/10/arts/design/metro-pictures-closing.html", - "creator": "Roberta Smith and David Colman", - "pubDate": "Fri, 10 Dec 2021 18:27:01 +0000", + "title": "Michael Jackson Musical Turns Down Volume on Abuse Allegations", + "description": "The Broadway musical, “MJ,” with a book by Lynn Nottage and directed by Christopher Wheeldon, began previews Monday.", + "content": "The Broadway musical, “MJ,” with a book by Lynn Nottage and directed by Christopher Wheeldon, began previews Monday.", + "category": "Jackson, Michael", + "link": "https://www.nytimes.com/2021/12/07/theater/michael-jackson-mj-musical-broadway.html", + "creator": "Michael Paulson", + "pubDate": "Tue, 07 Dec 2021 18:26:15 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89935,20 +115860,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6dbb410e9480c52ae6fc39a8653bd753" + "hash": "904a1defcea25c059962a0e91ce3ce62" }, { - "title": "Sports in 2021 Tried to Return to Normal", - "description": "The coronavirus pandemic still had an impact, but players and leagues had their moments.", - "content": "Giannis Antetokounmpo, No. 34, of the winning Milwaukee Bucks, fending off, from left, Cameron Johnson, Cameron Payne and Jae Crowder of the Phoenix Suns in the N.B.A. finals in July.", - "category": "Olympic Games (2020)", - "link": "https://www.nytimes.com/2021/12/10/sports/2021-year-in-sports.html", - "creator": "Joe Drape", - "pubDate": "Fri, 10 Dec 2021 10:00:25 +0000", + "title": "Best Songs of 2021", + "description": "Sixty-six tracks that tell the story of the year: a posthumous political statement, a hyperpop star finding his footing, an emerging force’s debut smash and a superstar’s 10-minute redo.", + "content": "Sixty-six tracks that tell the story of the year: a posthumous political statement, a hyperpop star finding his footing, an emerging force’s debut smash and a superstar’s 10-minute redo.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/12/07/arts/music/best-songs.html", + "creator": "Jon Pareles, Jon Caramanica and Lindsay Zoladz", + "pubDate": "Tue, 07 Dec 2021 16:35:08 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89956,20 +115880,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "140359edcda4b5094bf0343921e17841" + "hash": "3e7ce60129ec9aff2ede2fff9e222475" }, { - "title": "Remember Emmet Otter and His Jug Band? They’re Back, and Onstage.", - "description": "The Jim Henson TV special was a hit in 1978. Now its furry creatures return in a new theatrical production in Manhattan, just in time for the holiday season.", - "content": "“Jim Henson’s Emmet Otter’s Jug-Band Christmas,” once a TV special, is now back as a theatrical production in all its furry glory at the New Victory Theater in Manhattan.", - "category": "Puppets", - "link": "https://www.nytimes.com/2021/12/09/theater/emmet-otter-jug-band.html", - "creator": "Elisabeth Vincentelli", - "pubDate": "Thu, 09 Dec 2021 20:01:07 +0000", + "title": "Discovering a Secret Wonderland of Architecture in Dallas", + "description": "A new generation of architects is arguing that postmodern cityscapes deserve re-evaluation.", + "content": "A new generation of architects is arguing that postmodern cityscapes deserve re-evaluation.", + "category": "Architecture", + "link": "https://www.nytimes.com/2021/11/30/magazine/dallas-architecture.html", + "creator": "Rob Madole", + "pubDate": "Tue, 30 Nov 2021 17:40:02 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89977,20 +115900,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9fe6c59ee8aa53a80259ff9f33b780f" + "hash": "c21aad66158e17230b44bb3ccca015bc" }, { - "title": "Amanda Gorman, the Inaugural Poet Who Dreams of Writing Novels", - "description": "“Novel writing was my original love, and I still hope to do it. I just typically can finish writing a single poem faster than I can an entire narrative book!”", - "content": "“Novel writing was my original love, and I still hope to do it. I just typically can finish writing a single poem faster than I can an entire narrative book!”", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/09/books/review/amanda-gorman-by-the-book-interview.html", - "creator": "", - "pubDate": "Thu, 09 Dec 2021 15:16:48 +0000", + "title": "Is an All-Encompassing Mobility App Making a Comeback?", + "description": "Versions of “mobility as a service,” or MaaS, apps exist, but companies and cities will need to come together for the idea to gain momentum.", + "content": "Versions of “mobility as a service,” or MaaS, apps exist, but companies and cities will need to come together for the idea to gain momentum.", + "category": "Mobile Applications", + "link": "https://www.nytimes.com/2021/12/05/business/maas-mobility-app.html", + "creator": "John Surico", + "pubDate": "Sun, 05 Dec 2021 10:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -89998,20 +115920,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd2382cd880d3f4c6e2855e52e3d6604" + "hash": "1fa49919ed2a9ead59422fda132208fe" }, { - "title": "What’s the Secret to Monochrome Dressing?", - "description": "A reader asks for guidance on picking a color and sticking with it.", - "content": "Barack and Michelle Obama at the inauguration of Joe Biden in January.", - "category": "Fashion and Apparel", - "link": "https://www.nytimes.com/2021/12/10/fashion/whats-the-secret-to-monochrome-dressing.html", - "creator": "Vanessa Friedman", - "pubDate": "Sat, 11 Dec 2021 09:07:38 +0000", + "title": "Tiny Love Stories: ‘I Felt Desire Overshadow Fear’", + "description": "Modern Love in miniature, featuring reader-submitted stories of no more than 100 words.", + "content": "Modern Love in miniature, featuring reader-submitted stories of no more than 100 words.", + "category": "Love (Emotion)", + "link": "https://www.nytimes.com/2021/12/07/style/tiny-modern-love-stories-i-felt-desire-overshadow-fear.html", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 20:10:15 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90019,20 +115940,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "60326ed22514dec3494e954f8905dfc3" + "hash": "55d5790444edf467f6917933b0e54a20" }, { - "title": "Omicron Can Weaken Vaccines, but Boosters Show Promise, U.K. Study Says", - "description": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", - "content": "A study showed a drop in protection in cases caused by the variant, but also indicated that third vaccine doses improved defense. Here’s the latest on Covid.", + "title": "Early Data Offers Glimpse at How the Vaccinated May Fare Against Omicron", + "description": "A report found that the variant seemed to dull the power of Pfizer’s vaccine, but hinted that booster shots might help. Catch up on Covid-19 news.", + "content": "A report found that the variant seemed to dull the power of Pfizer’s vaccine, but hinted that booster shots might help. Catch up on Covid-19 news.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/11/world/covid-omicron-vaccines", + "link": "https://www.nytimes.com/live/2021/12/07/world/covid-omicron-vaccine", "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 16:40:18 +0000", + "pubDate": "Wed, 08 Dec 2021 04:12:49 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90040,20 +115960,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9f48cd5e70d272094f4a088f8361420" + "hash": "985ec04c2353599272603e4fe6eddd9b" }, { - "title": "Small Court Victories Change Nothing for Women Seeking Abortions in Texas", - "description": "A Texas statute that bans abortion after six weeks of pregnancy was seemingly undercut by two court rulings, but the reality on the ground has not changed.", - "content": "A Texas statute that bans abortion after six weeks of pregnancy was seemingly undercut by two court rulings, but the reality on the ground has not changed.", + "title": "I Couldn’t Vote for Trump, but I’m Grateful for His Supreme Court Picks", + "description": "What might the Republican Party look like in a post-Roe America?", + "content": "What might the Republican Party look like in a post-Roe America?", "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/10/us/texas-abortion-law-providers.html", - "creator": "J. David Goodman and Ruth Graham", - "pubDate": "Fri, 10 Dec 2021 23:23:24 +0000", + "link": "https://www.nytimes.com/2021/12/07/opinion/trump-supreme-court-abortion-dobbs-roe.html", + "creator": "Erika Bachiochi", + "pubDate": "Tue, 07 Dec 2021 14:41:01 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90061,41 +115980,39 @@ "favorite": false, "created": false, "tags": [], - "hash": "ede25a3df50f610953caaf0b8a02c8b8" + "hash": "3e6357cc7a36580688411a0171ae63f5" }, { - "title": "Analysis: Biden Sees Booming Economy, but Many Americans Don't", - "description": "The president has struggled to sell strong growth and job gains to a public that appears more concerned about rising prices — and remains anxious about Covid.", - "content": "The president has struggled to sell strong growth and job gains to a public that appears more concerned about rising prices — and remains anxious about Covid.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/12/10/business/biden-economy-growth-jobs.html", - "creator": "Jim Tankersley", - "pubDate": "Fri, 10 Dec 2021 20:06:57 +0000", + "title": "What Kind of Power Should the Names of New York Have?", + "description": "In debates about how best to confront our collective past, we must give weight to the present as well.", + "content": "In debates about how best to confront our collective past, we must give weight to the present as well.", + "category": "New York City", + "link": "https://www.nytimes.com/2021/12/07/opinion/new-york-street-names.html", + "creator": "Joshua Jelly-Schapiro", + "pubDate": "Tue, 07 Dec 2021 10:00:17 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6115db8465b3b8d4621499b2e370118f" + "hash": "89aad1ef36a0f34c1a30baf49048a856" }, { - "title": "The Game Awards Returns With Glitz and an Industry Asserting Its Muscle", - "description": "On Thursday night, the video game industry held its big awards event, which is quickly becoming as important — and as long — as certain other entertainment occasions.", - "content": "On Thursday night, the video game industry held its big awards event, which is quickly becoming as important — and as long — as certain other entertainment occasions.", - "category": "Computer and Video Games", - "link": "https://www.nytimes.com/2021/12/10/business/the-game-awards.html", - "creator": "Kellen Browning", - "pubDate": "Sat, 11 Dec 2021 00:08:50 +0000", + "title": "Biden’s Democracy Conference Is About Much More Than Democracy", + "description": "Democracies can find strength in numbers.", + "content": "Democracies can find strength in numbers.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/06/opinion/biden-democracy-conference.html", + "creator": "Farah Stockman", + "pubDate": "Tue, 07 Dec 2021 00:42:24 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90103,20 +116020,99 @@ "favorite": false, "created": false, "tags": [], - "hash": "e7bd67f315fc0c43b179c56cd1e01024" + "hash": "ed2aab9ba040a4d1ed107ac9cec0e927" }, { - "title": "Tornadoes Hit Several States, With at Least 50 Dead in Kentucky", - "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", - "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "title": "Opioids Feel Like Love. That’s Why They’re Deadly in Tough Times.", + "description": "America can’t arrest its way out of a problem caused by the fundamental human need to connect.", + "content": "America can’t arrest its way out of a problem caused by the fundamental human need to connect.", + "category": "Opioids and Opiates", + "link": "https://www.nytimes.com/2021/12/06/opinion/us-opioid-crisis.html", + "creator": "Maia Szalavitz", + "pubDate": "Mon, 06 Dec 2021 10:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b053648e3d8ea0df153d02db2ea5d311" + }, + { + "title": "Flash Floods Hit Parts of Hawaii as Storm Lashes Region", + "description": "Urban parts of Honolulu saw significant flooding and loss of power, the authorities said. But heading into Tuesday evening, the state had largely avoided landslides and catastrophic floods.", + "content": "Urban parts of Honolulu saw significant flooding and loss of power, the authorities said. But heading into Tuesday evening, the state had largely avoided landslides and catastrophic floods.", + "category": "Floods", + "link": "https://www.nytimes.com/2021/12/06/us/hawaii-flooding.html", + "creator": "Eduardo Medina and Alyssa Lukpat", + "pubDate": "Wed, 08 Dec 2021 03:21:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c96d96a42ada6d79890b89bdfa3b4d03" + }, + { + "title": "Ukraine, Omicron, Best Songs of 2021: Your Tuesday Evening Briefing", + "description": "Here’s what you need to know at the end of the day.", + "content": "Here’s what you need to know at the end of the day.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-midwest-south", + "link": "https://www.nytimes.com/2021/12/07/briefing/ukraine-omicron-best-songs-of-2021.html", + "creator": "Remy Tumin", + "pubDate": "Tue, 07 Dec 2021 23:25:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "069155b6f7a018259f4096e7fd9b8f02" + }, + { + "title": "A New Strategy for Prosecuting School Shootings", + "description": "Will the parents of a teenager accused of a school shooting be held accountable for his actions?", + "content": "Will the parents of a teenager accused of a school shooting be held accountable for his actions?", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/07/podcasts/the-daily/michigan-shooting.html", + "creator": "Michael Barbaro, Daniel Guillemette, Sydney Harper, Luke Vander Ploeg, Rachel Quester, Paige Cowett, Brad Fisher and Chris Wood", + "pubDate": "Tue, 07 Dec 2021 11:00:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "91480fce391d61cf339fa09c89b0bb5e" + }, + { + "title": "Biden Warns Putin of Economic Consequences if Aggression Continues", + "description": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", + "content": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/07/world/biden-putin", "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 13:40:14 +0000", + "pubDate": "Tue, 07 Dec 2021 22:08:10 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90124,20 +116120,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b10810d23f8d0d657a0596d716b02c9" + "hash": "203f44d2087a9fdec16207e481dffd7b" }, { - "title": "Patti LuPone on 'Company,' Stephen Sondheim and More", - "description": "“Aaaaaaaaaaaaaahhhhh, I’ll drink to that!” she belts onstage in Stephen Sondheim’s “Company,” as Broadway reopens. So. Will. We.", - "content": "“Your talent will out,” Ms. LuPone said. “Your talent will carry you, if you stick to it and honor your talent.”", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/11/style/patti-lupone-company-stephen-sondheim.html", - "creator": "Maureen Dowd", - "pubDate": "Sat, 11 Dec 2021 10:00:14 +0000", + "title": "Surgeon General Warns of Mental Health Crisis Among Young People", + "description": "In a rare public advisory, the top U.S. physician, Dr. Vivek Murthy, noted that the crisis was worsened by the pandemic. Here’s the latest on Covid.", + "content": "In a rare public advisory, the top U.S. physician, Dr. Vivek Murthy, noted that the crisis was worsened by the pandemic. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/07/world/covid-omicron-vaccine", + "creator": "The New York Times", + "pubDate": "Tue, 07 Dec 2021 22:08:10 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90145,20 +116140,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "59670fa901f500cddf898ee011b1379c" + "hash": "9259c1ebeb6a0b558cad12fc979a59ca" }, { - "title": "12 Easy, One-Bowl Cookies for a Simply Sweet Season", - "description": "If you have a hankering for a treat, but don’t have time for the cleanup, these recipes are for you.", - "content": "If you have a hankering for a treat, but don’t have time for the cleanup, these recipes are for you.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/12/10/dining/easy-cookies-one-bowl.html", - "creator": "Margaux Laskey", - "pubDate": "Fri, 10 Dec 2021 10:00:27 +0000", + "title": "Wall Street’s rally stretches to a second day as Omicron concerns ease.", + "description": "", + "content": "", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/07/business/news-business-stock-market/wall-streets-rally-stretches-to-a-second-day-as-omicron-concerns-ease", + "creator": "Coral Murphy Marcos", + "pubDate": "Tue, 07 Dec 2021 21:17:11 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90166,20 +116160,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a694971a83b215e86643624bd9e0bb3" + "hash": "737551d4f15dbeb24ca0af4c25af511e" }, { - "title": "What Do You Say to the Sufferer?", - "description": "An attempt to be present with a stranger in pain.", - "content": "An attempt to be present with a stranger in pain.", - "category": "On Consolation: Finding Solace in Dark Times (Book)", - "link": "https://www.nytimes.com/2021/12/09/opinion/sufferer-stranger-pain.html", - "creator": "David Brooks", - "pubDate": "Fri, 10 Dec 2021 00:00:04 +0000", + "title": "As Omicron Threat Looms, Inflation Limits Fed’s Room to Maneuver", + "description": "The central bank has spent years guarding against economic blows. Now it is in inflation-fighting mode, even as a potential risk emerges.", + "content": "The central bank has spent years guarding against economic blows. Now it is in inflation-fighting mode, even as a potential risk emerges.", + "category": "Inflation (Economics)", + "link": "https://www.nytimes.com/2021/12/07/business/economy/federal-reserve-inflation-omicron.html", + "creator": "Jeanna Smialek", + "pubDate": "Tue, 07 Dec 2021 21:07:14 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90187,20 +116180,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "73e4c8f19188fa1ddc98951c44415307" + "hash": "eecd53e54a48a548bf71f7474850ba2c" }, { - "title": "Our Favorite Healthy Habits of 2021", - "description": "From labeling your feelings to exercise snacks, here’s a roundup of some of Well’s best advice for better living.", - "content": "From labeling your feelings to exercise snacks, here’s a roundup of some of Well’s best advice for better living.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/12/09/well/mind/healthy-habits.html", - "creator": "Tara Parker-Pope", - "pubDate": "Fri, 10 Dec 2021 14:43:31 +0000", + "title": "Congressional Leaders Reach Deal to Allow Debt Ceiling Increase", + "description": "The legislation would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", + "content": "The legislation would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", + "category": "Senate", + "link": "https://www.nytimes.com/2021/12/07/us/politics/debt-ceiling-deal-congress.html", + "creator": "Emily Cochrane and Margot Sanger-Katz", + "pubDate": "Tue, 07 Dec 2021 22:05:33 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90208,20 +116200,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee0802cf9bba35fad8da5ce23d58914e" + "hash": "1d960078f5b23c7ef89574c47ca5ee39" }, { - "title": "How Can You Learn to Be More Resilient?", - "description": "Pandemic life doesn’t have to be just about survival. You can become stronger and ready for the next challenge.", - "content": "Pandemic life doesn’t have to be just about survival. You can become stronger and ready for the next challenge.", - "category": "Anxiety and Stress", - "link": "https://www.nytimes.com/2021/12/09/well/mind/emotional-resilience.html", - "creator": "Emily Sohn", - "pubDate": "Thu, 09 Dec 2021 20:08:55 +0000", + "title": "House Prepares to Pass $768 Billion Defense Policy Bill", + "description": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", + "content": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", + "category": "Law and Legislation", + "link": "https://www.nytimes.com/2021/12/07/us/politics/defense-budget-democrats-biden.html", + "creator": "Catie Edmondson", + "pubDate": "Tue, 07 Dec 2021 21:46:38 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90229,20 +116220,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6450f63f95df1b4c6f3ab9c3cb9efce6" + "hash": "0faede8f1ce23e33a3f35456ff2fea1d" }, { - "title": "What Bears Can Teach Us About Our Exercise Habits", - "description": "Scientists have found that grizzlies, like people, seem to choose the path of least resistance.", - "content": "Scientists have found that grizzlies, like people, seem to choose the path of least resistance.", - "category": "Animal Behavior", - "link": "https://www.nytimes.com/2021/04/07/well/move/bears-exercise-laziness-humans.html", - "creator": "Gretchen Reynolds", - "pubDate": "Thu, 08 Apr 2021 14:12:19 +0000", + "title": "In a Reversal, Meadows Refuses to Cooperate With Jan. 6 Inquiry", + "description": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be interviewed, reversing a commitment he made last week.", + "content": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be interviewed, reversing a commitment he made last week.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/07/us/politics/meadows-cooperate-jan-6.html", + "creator": "Luke Broadwater", + "pubDate": "Tue, 07 Dec 2021 17:04:05 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90250,20 +116240,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "78e594e62b444a83b9b26d500028a255" + "hash": "7091b409c0a5e3595086defc861e6dd4" }, { - "title": "To Start a New Habit, Make It Easy", - "description": "Removing obstacles makes it more likely you’ll achieve a new health goal. The 7-Day Well Challenge will show you how.", - "content": "Removing obstacles makes it more likely you’ll achieve a new health goal. The 7-Day Well Challenge will show you how.", - "category": "Habits and Routines (Behavior)", - "link": "https://www.nytimes.com/2021/01/09/well/mind/healthy-habits.html", - "creator": "Tara Parker-Pope", - "pubDate": "Sat, 09 Jan 2021 10:00:10 +0000", + "title": "Ahead of Biden’s Democracy Summit, China Says: We’re Also a Democracy", + "description": "Beijing argues that its system represents a distinctive form of democracy, one that has dealt better than the West with challenges like the pandemic.", + "content": "Beijing argues that its system represents a distinctive form of democracy, one that has dealt better than the West with challenges like the pandemic.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/07/world/asia/china-biden-democracy-summit.html", + "creator": "Keith Bradsher and Steven Lee Myers", + "pubDate": "Tue, 07 Dec 2021 09:50:19 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90271,20 +116260,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "5bb49ab52441e17ca5f1b2d2454dc561" + "hash": "bd386bbcd750d7ff03c598190941ddcd" }, { - "title": "Omicron is speeding through Britain, and vaccines provide reduced protection, U.K. scientists say.", - "description": "", - "content": "Lining up to get a Covid-19 vaccine shot in London last week.", - "category": "", - "link": "https://www.nytimes.com/2021/12/10/health/britain-omicron.html", - "creator": "Benjamin Mueller", - "pubDate": "Sat, 11 Dec 2021 02:49:48 +0000", + "title": "How Many Countries Will Follow the U.S. Official Snub of Beijing’s Olympics?", + "description": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott as the Biden administration has done or not.", + "content": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott as the Biden administration has done or not.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/07/world/asia/us-boycott-beijing-olympics-reaction.html", + "creator": "Steven Lee Myers and Steven Erlanger", + "pubDate": "Tue, 07 Dec 2021 19:46:51 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90292,20 +116280,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ff92413055678686fe696fc7b44633d" + "hash": "a4ee10aec24cf08a6ae443976f4ab2eb" }, { - "title": "Relax. Omicron Isn’t Going to Take Down the Economy.", - "description": "The country is better positioned to absorb the damage of each successive wave of the virus.", - "content": "The country is better positioned to absorb the damage of each successive wave of the virus.", - "category": "Coronavirus Delta Variant", - "link": "https://www.nytimes.com/2021/12/10/opinion/omicron-delta-economy-inflation.html", - "creator": "Mark Zandi", - "pubDate": "Fri, 10 Dec 2021 20:38:06 +0000", + "title": "Can I Skip Jury Duty Because of Covid Fears?", + "description": "The magazine’s Ethicist columnist on weighing health concerns against civic duty, what to do about workers who had sex on the job — and more.", + "content": "The magazine’s Ethicist columnist on weighing health concerns against civic duty, what to do about workers who had sex on the job — and more.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/07/magazine/jury-duty-covid-fear.html", + "creator": "Kwame Anthony Appiah", + "pubDate": "Tue, 07 Dec 2021 10:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90313,20 +116300,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa53b9e4782e130bd82601a306ff5a89" + "hash": "1fb9b05142e34696f30aec4389cce337" }, { - "title": "Will Covid Evolve to Be Milder?", - "description": "While we may care, the virus really doesn’t.", - "content": "While we may care, the virus really doesn’t.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/10/opinion/covid-evolve-milder.html", - "creator": "Andrew Pekosz", - "pubDate": "Fri, 10 Dec 2021 10:00:19 +0000", + "title": "We Are Not Going to Run Out of Hypocrisy Anytime Soon", + "description": "Yet another school shooting, the Supreme Court argument over Roe and much else in American life gives us pause.", + "content": "Yet another school shooting, the Supreme Court argument over Roe and much else in American life gives us pause.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/06/opinion/michigan-roe-dole.html", + "creator": "Gail Collins and Bret Stephens", + "pubDate": "Mon, 06 Dec 2021 10:00:11 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90334,20 +116320,39 @@ "favorite": false, "created": false, "tags": [], - "hash": "4930cb64052d89954cd0daf7de34f4df" + "hash": "cfda915a9504a98970341a4cb55f821b" }, { - "title": "Cash Is Out. Crypto Is In. What's Happening to Money?", - "description": "It’s not just about the demise of coins and dollar bills. It’s also about society’s faith in the very idea of money.", - "content": "It’s not just about the demise of coins and dollar bills. It’s also about society’s faith in the very idea of money.", - "category": "Banking and Financial Institutions", - "link": "https://www.nytimes.com/2021/12/10/opinion/cash-crypto-trust-money.html", + "title": "Helping the Homeless", + "description": "Why it’s so difficult to find viable solutions for California’s homelessness crisis.", + "content": "Why it’s so difficult to find viable solutions for California’s homelessness crisis.", + "category": "Homeless Persons", + "link": "https://www.nytimes.com/2021/12/06/opinion/california-homelessness-crisis.html", + "creator": "Jay Caspian Kang", + "pubDate": "Mon, 06 Dec 2021 20:13:33 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "297aa0c64afb9029e81d2fc08468dce8" + }, + { + "title": "Readers Share What They’re Grateful For", + "description": "Giving thanks for everything from stents to foliage to a musical dog.", + "content": "Giving thanks for everything from stents to foliage to a musical dog.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/06/opinion/christmas-thanksgiving-spirit.html", "creator": "Peter Coy", - "pubDate": "Fri, 10 Dec 2021 16:35:55 +0000", + "pubDate": "Mon, 06 Dec 2021 23:49:44 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90355,20 +116360,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "88362aff91da60540deb235f6a3711da" + "hash": "cf75a7927926489f2c2702c5476b3db4" }, { - "title": "So You Lost the Election. We Had Nothing to Do With It.", - "description": "Why is it that progressives are always blamed when moderates lose?", - "content": "Why is it that progressives are always blamed when moderates lose?", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/10/opinion/democrats-progressives-moderates-elections.html", - "creator": "Jamelle Bouie", - "pubDate": "Fri, 10 Dec 2021 14:59:42 +0000", + "title": "Heeding Warning Signs Before School Shootings", + "description": "Readers criticize the school’s decision to allow Ethan Crumbley back into class, and the nation’s gun laws. Also: Chris Cuomo; gender-neutral in French; happiness.", + "content": "Readers criticize the school’s decision to allow Ethan Crumbley back into class, and the nation’s gun laws. Also: Chris Cuomo; gender-neutral in French; happiness.", + "category": "Oxford Charter Township, Mich, Shooting (2021)", + "link": "https://www.nytimes.com/2021/12/06/opinion/letters/oxford-michigan-shooting.html", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 17:44:31 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90376,20 +116380,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "bace9a9a60815e162edc7a56b7c57cf3" + "hash": "82bc600258d483814c94290674dba697" }, { - "title": "How Is the U.S. Economy Doing?", - "description": "Why do Americans say that the economy is awful but that they’re doing fine?", - "content": "Why do Americans say that the economy is awful but that they’re doing fine?", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/12/09/opinion/economy-inflation-spending-jobs.html", - "creator": "Paul Krugman", - "pubDate": "Fri, 10 Dec 2021 00:00:05 +0000", + "title": "Inside Tesla: How Elon Musk Pushed His Vision for Autopilot", + "description": "The automaker may have undermined safety in designing its Autopilot driver-assistance system to fit its chief executive’s vision, former employees say.", + "content": "The automaker may have undermined safety in designing its Autopilot driver-assistance system to fit its chief executive’s vision, former employees say.", + "category": "Tesla Motors Inc", + "link": "https://www.nytimes.com/2021/12/06/technology/tesla-autopilot-elon-musk.html", + "creator": "Cade Metz and Neal E. Boudette", + "pubDate": "Mon, 06 Dec 2021 10:00:24 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90397,20 +116400,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "3181dae877af16e73fdc0a66f37bf64b" + "hash": "1a1be60c020f1c3de24fdb144d3b19fa" }, { - "title": "Don’t Let ‘Treeson’ Drive You Out of New York City", - "description": "Not everyone can make it in New York.", - "content": "Not everyone can make it in New York.", - "category": "News Corporation", - "link": "https://www.nytimes.com/2021/12/09/opinion/new-york-city-christmas.html", - "creator": "Mara Gay", - "pubDate": "Fri, 10 Dec 2021 00:08:28 +0000", + "title": "Why New York Is Unearthing a Brook It Buried a Century Ago", + "description": "A plan to “daylight” Tibbetts Brook in the Bronx would be one of the city’s most ambitious green infrastructure improvements.", + "content": "A plan to “daylight” Tibbetts Brook in the Bronx would be one of the city’s most ambitious green infrastructure improvements.", + "category": "Floods", + "link": "https://www.nytimes.com/2021/12/06/nyregion/tibbets-brook-bronx-daylighting.html", + "creator": "Winnie Hu and James Thomas", + "pubDate": "Mon, 06 Dec 2021 10:00:21 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90418,20 +116420,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "350d800fe2d8b09004ac4d7d20ea8c05" + "hash": "2159a944cbf9bbc05145c849a055d589" }, { - "title": "For the Elderly, Complacency Could Be a Killer", - "description": "Whatever the Omicron variant may mean for the young, it’s already clear that it can be deadly for the old.", - "content": "Whatever the Omicron variant may mean for the young, it’s already clear that it can be deadly for the old.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/09/opinion/omicron-nursing-homes.html", - "creator": "Zeynep Tufekci", - "pubDate": "Thu, 09 Dec 2021 19:03:21 +0000", + "title": "Urea Shortage Is Felt Around the World", + "description": "Farmers in India are desperate. Trucks in South Korea had to be idled. Food prices, already high, could rise even further.", + "content": "Farmers in India are desperate. Trucks in South Korea had to be idled. Food prices, already high, could rise even further.", + "category": "Agriculture and Farming", + "link": "https://www.nytimes.com/2021/12/06/business/urea-fertilizer-food-prices.html", + "creator": "Raymond Zhong", + "pubDate": "Mon, 06 Dec 2021 14:35:07 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90439,20 +116440,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ed5abda7359079e64e37df98fcf84a1" + "hash": "7c80841560fec5361dd347dd01b3209a" }, { - "title": "The Beatles \"Get Back\" Documentary Is a Master Class in Creativity", - "description": "In a new documentary, ‘Get Back,’ the Beatles give a master class in creativity under pressure.", - "content": "In a new documentary, ‘Get Back,’ the Beatles give a master class in creativity under pressure.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/12/08/opinion/beatles-get-back-creativity-lessons.html", - "creator": "Jere Hester", - "pubDate": "Wed, 08 Dec 2021 20:00:07 +0000", + "title": "Justice Department Closes Emmett Till Investigation Without Charges", + "description": "The department said it could not corroborate a book’s claim that a central witness had recanted her statements about Emmett, a Black teenager killed by two white men in 1955.", + "content": "The department said it could not corroborate a book’s claim that a central witness had recanted her statements about Emmett, a Black teenager killed by two white men in 1955.", + "category": "Donham, Carolyn Bryant", + "link": "https://www.nytimes.com/2021/12/06/us/emmett-till-investigation-closed.html", + "creator": "Audra D. S. Burch and Tariro Mzezewa", + "pubDate": "Mon, 06 Dec 2021 23:20:46 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90460,20 +116460,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "8197177abc5b7d7eb849f83503779244" + "hash": "99e2b61dd52fdeb465ae6f7203ee8279" }, { - "title": "The Sublime Spectacle of Yoko Ono Disrupting the Beatles", - "description": "In Peter Jackson’s “The Beatles: Get Back,” Ono is a performance artist at the height of her powers.", - "content": "In Peter Jackson’s “The Beatles: Get Back,” Ono is a performance artist at the height of her powers.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/12/08/arts/music/yoko-ono-beatles-get-back.html", - "creator": "Amanda Hess", - "pubDate": "Wed, 08 Dec 2021 21:10:52 +0000", + "title": "Do Tests Work on the Omicron Variant and Other Questions, Answered", + "description": "And experts’ answers.", + "content": "And experts’ answers.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/07/briefing/omicron-variant-need-to-know.html", + "creator": "David Leonhardt", + "pubDate": "Tue, 07 Dec 2021 11:32:57 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90481,20 +116480,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b982ead349d750194b67c7112fb77577" + "hash": "f869c8fccadabde4d0d115b72f6eb3a3" }, { - "title": "China Evergrande Has Defaulted on Its Debt, Fitch Says", - "description": "A ratings firm’s declaration confirmed what investors had already suspected, but they now must wait on a restructuring plan overseen by the firm hand of Beijing.", - "content": "A ratings firm’s declaration confirmed what investors had already suspected, but they now must wait on a restructuring plan overseen by the firm hand of Beijing.", - "category": "China", - "link": "https://www.nytimes.com/2021/12/09/business/china-evergrande-default.html", - "creator": "Alexandra Stevenson and Cao Li", - "pubDate": "Thu, 09 Dec 2021 13:44:28 +0000", + "title": "How Is the Pandemic Reshaping New York City’s Cultural Landscape?", + "description": "Join playwright Lynn Nottage, artist Laurie Anderson and writer Sarah Schulman in a virtual event on Dec. 9 to explore the current recovery through the lens of previous eras of cultural resurrection.", + "content": "Join playwright Lynn Nottage, artist Laurie Anderson and writer Sarah Schulman in a virtual event on Dec. 9 to explore the current recovery through the lens of previous eras of cultural resurrection.", + "category": "Coronavirus Reopenings", + "link": "https://www.nytimes.com/2021/11/16/nyregion/new-york-city-arts-post-covid.html", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 20:50:16 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90502,20 +116500,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "93ea6a5804fc153ebe60e45fe031b2ad" + "hash": "23fda9c5a98ea8f9f781cb3a8d7cde0c" }, { - "title": "How Nursing Homes’ Worst Offenses Are Hidden From the Public", - "description": "Thousands of problems identified by state inspectors were never publicly disclosed because of a secretive appeals process, a New York Times investigation found.", - "content": "Thousands of problems identified by state inspectors were never publicly disclosed because of a secretive appeals process, a New York Times investigation found.", - "category": "Nursing Homes", - "link": "https://www.nytimes.com/2021/12/09/business/nursing-home-abuse-inspection.html", - "creator": "Robert Gebeloff, Katie Thomas and Jessica Silver-Greenberg", - "pubDate": "Thu, 09 Dec 2021 16:13:10 +0000", + "title": "Third Accuser Says Maxwell Facilitated Years of Abuse By Epstein", + "description": "A woman identified as “Carolyn” said she was underage when Ghislaine Maxwell began booking her to give sexual massages to Jeffrey Epstein. Follow updates here.", + "content": "A woman identified as “Carolyn” said she was underage when Ghislaine Maxwell began booking her to give sexual massages to Jeffrey Epstein. Follow updates here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/07/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Tue, 07 Dec 2021 18:40:47 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90523,20 +116520,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "2480bde220d752656712e1a8bdc954d7" + "hash": "49d27518ad15459d0262e764b1e5eae6" }, { - "title": "Review: ‘And Just Like That,’ It All Went Wrong", - "description": "The “Sex and the City” revival is part dramedy about heartbreak, part awkward bid at relevance.", - "content": "The “Sex and the City” revival is part dramedy about heartbreak, part awkward bid at relevance.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/09/arts/television/review-and-just-like-that.html", - "creator": "James Poniewozik", - "pubDate": "Thu, 09 Dec 2021 18:31:17 +0000", + "title": "Business Updates: Publisher Pulls Chris Cuomo’s Upcoming Book", + "description": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", + "content": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/07/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 07 Dec 2021 22:04:21 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90544,20 +116540,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "4cdfef632e494823c7f74491afbaf190" + "hash": "11688bc7e72bd2e8426be939d9353a66" }, { - "title": "What a Times Journalist Learned From His ‘Don’t Look Up’ Moment", - "description": "A new film about a killer comet revives memories of a nail-biting night in The Times newsroom two decades ago.", - "content": "A new film about a killer comet revives memories of a nail-biting night in The Times newsroom two decades ago.", - "category": "Asteroids", - "link": "https://www.nytimes.com/2021/12/09/science/dont-look-up-movie.html", - "creator": "Dennis Overbye", - "pubDate": "Thu, 09 Dec 2021 22:45:11 +0000", + "title": "Chile Legalizes Same-Sex Marriage at Fraught Political Moment", + "description": "The legalization of same-sex marriage in Chile comes as the country grapples with sweeping demands for social change.", + "content": "The legalization of same-sex marriage in Chile comes as the country grapples with sweeping demands for social change.", + "category": "Homosexuality and Bisexuality", + "link": "https://www.nytimes.com/2021/12/07/world/americas/chile-gay-marriage.html", + "creator": "Pascale Bonnefoy and Ernesto Londoño", + "pubDate": "Tue, 07 Dec 2021 18:30:28 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90565,20 +116560,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f8cc2df7d5e7adbcc758a475b838810" + "hash": "4f8da1bccf204a851c4d2038e5c772e1" }, { - "title": "Migrant Truck Crash in Mexico Kills More Than 50", - "description": "The migrants, mostly from Guatemala and apparently U.S.-bound, had been crammed into a tractor-trailer that flipped and slammed into a bridge in southern Mexico.", - "content": "The migrants, mostly from Guatemala and apparently U.S.-bound, had been crammed into a tractor-trailer that flipped and slammed into a bridge in southern Mexico.", - "category": "Immigration and Emigration", - "link": "https://www.nytimes.com/2021/12/10/world/americas/mexico-truck-crash.html", - "creator": "Oscar Lopez", - "pubDate": "Fri, 10 Dec 2021 19:49:43 +0000", + "title": "Kellogg Workers Prolong Strike by Rejecting Contract Proposal", + "description": "About 1,400 workers have been on strike since Oct. 5 at four Kellogg cereal plants in the United States over a dispute that has revolved around the company’s two-tier compensation structure.", + "content": "About 1,400 workers have been on strike since Oct. 5 at four Kellogg cereal plants in the United States over a dispute that has revolved around the company’s two-tier compensation structure.", + "category": "Strikes", + "link": "https://www.nytimes.com/2021/12/07/business/kellogg-workers-strike.html", + "creator": "Noam Scheiber", + "pubDate": "Tue, 07 Dec 2021 17:07:59 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90586,20 +116580,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a0fac76a24d3b498fe866fa6c5fe0b86" + "hash": "3e709b1869a3e443e7451ecc77523bae" }, { - "title": "Hesitancy, Apathy and Unused Doses: Zambia’s Vaccination Challenges", - "description": "Vaccinating Africa is critical to protecting the continent and the world against dangerous variants, but supply isn’t the only obstacle countries face.", - "content": "The Covid-19 vaccination tents at Chongwe District Hospital in Zambia sat empty.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/11/health/covid-vaccine-africa.html", - "creator": "Stephanie Nolen", - "pubDate": "Sat, 11 Dec 2021 10:00:18 +0000", + "title": "Charlottesville’s Statue of Robert E. Lee Will Be Melted Down", + "description": "The statue was the focus of a deadly white nationalist rally in 2017. A local African American heritage center plans to turn it into a new piece of public art.", + "content": "The statue was the focus of a deadly white nationalist rally in 2017. A local African American heritage center plans to turn it into a new piece of public art.", + "category": "Charlottesville, Va, Violence (August, 2017)", + "link": "https://www.nytimes.com/2021/12/07/us/robert-e-lee-statue-melt-charlottesville.html", + "creator": "Eduardo Medina", + "pubDate": "Tue, 07 Dec 2021 21:27:31 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90607,20 +116600,139 @@ "favorite": false, "created": false, "tags": [], - "hash": "e84b45d2981741872d8b31deb1dda737" + "hash": "d2b7c341c2cf4cb4c598ee0ef293a79f" }, { - "title": "Tornadoes Hit Several States, With at Least 50 Likely Dead in Kentucky", - "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", - "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", + "title": "A New Tesla Safety Concern: Drivers Can Play Video Games in Moving Cars", + "description": "The feature raises fresh questions about whether Tesla is compromising safety as it rushes to add new technologies.", + "content": "The feature raises fresh questions about whether Tesla is compromising safety as it rushes to add new technologies.", + "category": "Driver Distraction and Fatigue", + "link": "https://www.nytimes.com/2021/12/07/business/tesla-video-game-driving.html", + "creator": "Neal E. Boudette", + "pubDate": "Tue, 07 Dec 2021 17:33:45 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "64cf2cb8dbfa590481f32b186a980a60" + }, + { + "title": "Women Earn $2 Million Less Than Men in Their Careers as Doctors", + "description": "A survey of more than 80,000 physicians estimated that women make 25 percent less than men over a 40-year career.", + "content": "A survey of more than 80,000 physicians estimated that women make 25 percent less than men over a 40-year career.", + "category": "Wages and Salaries", + "link": "https://www.nytimes.com/2021/12/06/health/women-doctors-salary-pay-gap.html", + "creator": "Azeen Ghorayshi", + "pubDate": "Mon, 06 Dec 2021 21:00:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c5084fff9479ad83c5b9f33d7b8e92b0" + }, + { + "title": "A Monument to the Lives of Black Women and Girls", + "description": "“The Black Girlhood Altar” began as a community project fueled by collective grief. Now it’s on display at the Museum of Contemporary Art Chicago.", + "content": "“The Black Girlhood Altar” began as a community project fueled by collective grief. Now it’s on display at the Museum of Contemporary Art Chicago.", + "category": "Monuments and Memorials (Structures)", + "link": "https://www.nytimes.com/2021/12/07/style/black-girlhood-altar-chicago-monument.html", + "creator": "Gina Cherelus", + "pubDate": "Tue, 07 Dec 2021 15:44:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "156ccec3f767cb9e523108c63970b0ec" + }, + { + "title": "Restaurant Review: Aunts et Uncles in Flatbush, Brooklyn", + "description": "Plant-based menus have become the new hubs of culinary creativity, and this bright all-day cafe offers plenty.", + "content": "Plant-based menus have become the new hubs of culinary creativity, and this bright all-day cafe offers plenty.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/12/07/dining/aunts-et-uncles-review-vegan-restaurant-brooklyn.html", + "creator": "Pete Wells", + "pubDate": "Tue, 07 Dec 2021 16:30:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0f835f53971681be06a74287beb7f865" + }, + { + "title": "An Apartment in the Big City, at Wisconsin Prices", + "description": "After living in Madison for six years, they were ready for a change. But they never dreamed they would find a place so close to New York City.", + "content": "After living in Madison for six years, they were ready for a change. But they never dreamed they would find a place so close to New York City.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/12/06/realestate/renters-hoboken-new-jersey.html", + "creator": "Marian Bull", + "pubDate": "Mon, 06 Dec 2021 10:00:12 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "beb7cc7cfb7fe3f5f69d987e6cb1475c" + }, + { + "title": "Joaquina Kalukango and Amanda Williams on Creative Freedom", + "description": "The ‘Slave Play’ actress and the Chicago-based artist discuss generational gaps, success and the art that brought them each acclaim.", + "content": "The ‘Slave Play’ actress and the Chicago-based artist discuss generational gaps, success and the art that brought them each acclaim.", + "category": "holiday issue 2021", + "link": "https://www.nytimes.com/2021/11/29/t-magazine/joaquina-kalukango-amanda-williams.html", + "creator": "Nneka McGuire", + "pubDate": "Tue, 30 Nov 2021 15:55:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f6353ae2615229c6476c581ff06aee2b" + }, + { + "title": "Biden and Putin Conclude Talks as Ukraine Conflict Simmers", + "description": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", + "content": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-storms-amazon", + "link": "https://www.nytimes.com/live/2021/12/07/world/biden-putin", "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 10:21:59 +0000", + "pubDate": "Tue, 07 Dec 2021 17:38:33 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90628,20 +116740,159 @@ "favorite": false, "created": false, "tags": [], - "hash": "98e70e4afd2a995e048f3c428a50f099" + "hash": "567a3fd8c135932e157dd5b3eab5a8fd" }, { - "title": "International Travel During Covid: The Documents You Need", - "description": "The pandemic has created a whole new checklist of what you should bring on your trip. Here’s the essential paperwork you need to have in your bag.", - "content": "The pandemic has created a whole new checklist of what you should bring on your trip. Here’s the essential paperwork you need to have in your bag.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/12/10/travel/international-travel-documents-covid.html", - "creator": "Lauren Sloss", - "pubDate": "Fri, 10 Dec 2021 17:27:49 +0000", + "title": "Early Omicron Reports Say Illness May Be Less Severe", + "description": "Researchers in South Africa, where the variant is spreading quickly, say it may cause less serious Covid cases than other forms of the virus, but it is unclear whether that will hold true.", + "content": "Researchers in South Africa, where the variant is spreading quickly, say it may cause less serious Covid cases than other forms of the virus, but it is unclear whether that will hold true.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/06/world/africa/omicron-coronavirus-research-spread.html", + "creator": "Lynsey Chutel, Richard Pérez-Peña and Emily Anthes", + "pubDate": "Mon, 06 Dec 2021 23:52:23 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b658b8cb64604ed2585dba4302c45d84" + }, + { + "title": "On the Banks of the Furious Congo River, a 5-Star Emporium of Ambition", + "description": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", + "content": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", + "category": "Mines and Mining", + "link": "https://www.nytimes.com/2021/12/07/world/congo-cobalt-investor-hotel.html", + "creator": "Dionne Searcey, Eric Lipton, Michael Forsythe and Ashley Gilbertson", + "pubDate": "Tue, 07 Dec 2021 10:00:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a99b114d7a7471c6a1049f643771fc4" + }, + { + "title": "Meet the Sheriff Who Wants to Put Andrew Cuomo Behind Bars", + "description": "Craig D. Apple Sr. is known among some fellow Democrats as the “Teflon sheriff” for his ability to persevere, even thrive, through trouble that might tarnish less adept politicians.", + "content": "Craig D. Apple Sr. is known among some fellow Democrats as the “Teflon sheriff” for his ability to persevere, even thrive, through trouble that might tarnish less adept politicians.", + "category": "Apple, Craig D", + "link": "https://www.nytimes.com/2021/12/07/nyregion/sheriff-apple-cuomo-albany.html", + "creator": "Dana Rubinstein, Grace Ashford and Jane Gottlieb", + "pubDate": "Tue, 07 Dec 2021 16:42:40 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4ae5ebf5af08f61d8419e747039d41ed" + }, + { + "title": "Can Olaf Scholz, Germany’s New Chancellor, Revive the Left in Europe?", + "description": "Olaf Scholz wants to win back workers who defected to the populist far right. Success could make him a model for Social Democrats everywhere.", + "content": "Olaf Scholz wants to win back workers who defected to the populist far right. Success could make him a model for Social Democrats everywhere.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/07/world/europe/germany-olaf-scholz-chancellor.html", + "creator": "Katrin Bennhold", + "pubDate": "Tue, 07 Dec 2021 05:50:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "73bdbca9f12fab63c566c31502ad4590" + }, + { + "title": "How Many Countries Will Follow the U.S. Boycott of Beijing’s Olympics?", + "description": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott or not.", + "content": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott or not.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/07/world/asia/us-boycott-beijing-olympics-reaction.html", + "creator": "Steven Lee Myers and Steven Erlanger", + "pubDate": "Tue, 07 Dec 2021 13:03:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b738098351e176c40b39a006e00bd456" + }, + { + "title": "Business Updates: Natural Gas Prices Sink in Sign of Hope for Heating Bills", + "description": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", + "content": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/07/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 07 Dec 2021 18:40:47 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "71089fe497b2578800ad6fd1d1c2d3a1" + }, + { + "title": "Ethiopia Says It Recaptured 2 Strategic Towns From Tigray Rebels", + "description": "The government said it took back the towns of Dessie and Kombolcha, the latest in a string of wins Prime Minister Abiy Ahmed has claimed in recent days.", + "content": "The government said it took back the towns of Dessie and Kombolcha, the latest in a string of wins Prime Minister Abiy Ahmed has claimed in recent days.", + "category": "Ethiopia", + "link": "https://www.nytimes.com/2021/12/07/world/africa/ethiopia-tigray-civil-war.html", + "creator": "Abdi Latif Dahir", + "pubDate": "Tue, 07 Dec 2021 14:55:32 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d28950aa6247fc6e8104f79890e10b3f" + }, + { + "title": "Are My Allergies All in My Head?", + "description": "Allergies exist. But emotional factors can make them better or worse.", + "content": "Allergies exist. But emotional factors can make them better or worse.", + "category": "Allergies", + "link": "https://www.nytimes.com/2019/03/29/well/mind/allergies-symptoms-emotions-psychology.html", + "creator": "Richard Klasco, M.D.", + "pubDate": "Fri, 29 Mar 2019 09:00:01 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90649,20 +116900,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "d21a06b5b62d73c4f7f89220288992ff" + "hash": "9a6094e568858f1de0fc8b58ac97d074" }, { - "title": "Echoing Trump, David Perdue Sues Over Baseless Election Claims", - "description": "The legal action by Mr. Perdue, a Republican candidate for governor of Georgia, was the latest sign that 2020 election falsehoods will be a main focus of his bid.", - "content": "The legal action by Mr. Perdue, a Republican candidate for governor of Georgia, was the latest sign that 2020 election falsehoods will be a main focus of his bid.", - "category": "Perdue, David A Jr", - "link": "https://www.nytimes.com/2021/12/10/us/politics/david-perdue-georgia-election.html", - "creator": "Astead W. Herndon and Nick Corasaniti", - "pubDate": "Fri, 10 Dec 2021 22:45:03 +0000", + "title": "New York City to Mandate Vaccines for Employees at Private Businesses", + "description": "The mandate, set to take effect just before Mayor Bill de Blasio leaves office, will apply to workers at about 184,000 businesses. It is likely to face legal challenges.", + "content": "The mandate, set to take effect just before Mayor Bill de Blasio leaves office, will apply to workers at about 184,000 businesses. It is likely to face legal challenges.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/06/nyregion/private-employer-vaccine-mandate-deblasio.html", + "creator": "Emma G. Fitzsimmons", + "pubDate": "Mon, 06 Dec 2021 23:44:21 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90670,20 +116920,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "219c5240bd185f14f64ba48ca32db8d5" + "hash": "fa2ea3841648a888f1bb1eb2a424b80b" }, { - "title": "Standing Ready in the Aftermath of Disaster", - "description": "When wildfires and hurricanes affected communities, support networks jumped in for the food insecure.", - "content": "When wildfires and hurricanes affected communities, support networks jumped in for the food insecure.", - "category": "New York Times Neediest Cases Fund", - "link": "https://www.nytimes.com/2021/12/09/neediest-cases/standing-ready-in-the-aftermath-of-disaster.html", - "creator": "Kristen Bayrakdarian", - "pubDate": "Thu, 09 Dec 2021 10:00:08 +0000", + "title": "Travelers to U.S. Now Must Test Negative for Covid a Day Before Flying", + "description": "Inbound travelers must now show a negative result from a test taken no more than a day before departure, a requirement some say may be hard to satisfy.", + "content": "Inbound travelers must now show a negative result from a test taken no more than a day before departure, a requirement some say may be hard to satisfy.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/06/world/americas/us-travel-covid-testing-rules.html", + "creator": "Juston Jones and Jenny Gross", + "pubDate": "Mon, 06 Dec 2021 19:46:15 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90691,20 +116940,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7cd624a23347940a0fb64c04699a6bd6" + "hash": "56e1f3ee9d13e21bda383ee02efc5957" }, { - "title": "What Do We Mean by Good Soccer?", - "description": "The best games manage to be both compulsive viewing and technically excellent, but those that clear that bar are rare. And that presents fans with a choice.", - "content": "The best games manage to be both compulsive viewing and technically excellent, but those that clear that bar are rare. And that presents fans with a choice.", - "category": "Soccer", - "link": "https://www.nytimes.com/2021/12/10/sports/soccer/manchester-united-rangnick.html", - "creator": "Rory Smith", - "pubDate": "Fri, 10 Dec 2021 22:08:35 +0000", + "title": "Biden Expected to Offer Warnings and Alternatives in Call With Putin", + "description": "President Biden will hold a high-stakes video call with Vladimir V. Putin of Russia on Tuesday.", + "content": "President Biden will hold a high-stakes video call with Vladimir V. Putin of Russia on Tuesday.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/06/us/politics/biden-putin-call-ukraine.html", + "creator": "David E. Sanger and Eric Schmitt", + "pubDate": "Mon, 06 Dec 2021 17:35:47 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90712,20 +116960,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b392e2e96214f2e1d413ea58ed489c9d" + "hash": "1a3021789850fb1b25a0a7eb1c9ce881" }, { - "title": "13 New Christmas Albums That Reimagine Holiday Songs", - "description": "Fresh seasonal releases from Kelly Clarkson, Bryson Tiller, Nat King Cole and Pistol Annies span genres and generations.", - "content": "Fresh seasonal releases from Kelly Clarkson, Bryson Tiller, Nat King Cole and Pistol Annies span genres and generations.", - "category": "Christmas", - "link": "https://www.nytimes.com/2021/12/09/arts/music/new-christmas-holiday-albums.html", - "creator": "Jon Caramanica, Jon Pareles and Giovanni Russonello", - "pubDate": "Fri, 10 Dec 2021 15:44:20 +0000", + "title": "In Ukraine, Grinding War and Weary Anticipation of Invasion by Russia", + "description": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", + "content": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/06/world/europe/ukraine-russia-war-front.html", + "creator": "Michael Schwirtz", + "pubDate": "Mon, 06 Dec 2021 20:26:20 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90733,20 +116980,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7ebaf8fffa3c8f7fda46622436dd77fb" + "hash": "557fa20b2310e5790e82cb2fa3ca66ff" }, { - "title": "Murray Bartlett of ‘The White Lotus’ Shucks His Oyster", - "description": "The Australian actor is hitting his stride at 50.", - "content": "The Australian actor is hitting his stride at 50.", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/12/10/style/murray-bartlett-of-the-white-lotus-shucks-his-oyster.html", - "creator": "Alexis Soloski", - "pubDate": "Fri, 10 Dec 2021 10:00:08 +0000", + "title": "Justice Dept. Files Voting Rights Suit Against Texas Over Map", + "description": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", + "content": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", + "category": "Voting Rights Act (1965)", + "link": "https://www.nytimes.com/2021/12/06/us/politics/texas-voting-rights-redistricting.html", + "creator": "Katie Benner, Nick Corasaniti and Reid J. Epstein", + "pubDate": "Tue, 07 Dec 2021 00:31:10 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90754,20 +117000,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "9bdf51c327f5cca6191304e8c284636c" + "hash": "52b07e47b1e13e14bb8b5dbb0dd0e28a" }, { - "title": "A Roving History of Mortals Considered Gods", - "description": "“Accidental Gods,” by Anna Della Subin, is about “men unwittingly turned divine,” including Julius Caesar, Gandhi, Douglas MacArthur and others.", - "content": "“Accidental Gods,” by Anna Della Subin, is about “men unwittingly turned divine,” including Julius Caesar, Gandhi, Douglas MacArthur and others.", - "category": "Accidental Gods: On Men Unwittingly Turned Divine (Book)", - "link": "https://www.nytimes.com/2021/12/08/books/review-accidental-gods-anna-della-subin.html", - "creator": "Jennifer Szalai", - "pubDate": "Wed, 08 Dec 2021 10:00:01 +0000", + "title": "U.S. Will Not Send Government Officials to Beijing Olympics", + "description": "American athletes will still be able to compete in the Winter Games, but the diplomatic boycott is a slap at China for human rights abuses in Xinjiang.", + "content": "American athletes will still be able to compete in the Winter Games, but the diplomatic boycott is a slap at China for human rights abuses in Xinjiang.", + "category": "China", + "link": "https://www.nytimes.com/2021/12/06/us/politics/olympics-boycott-us.html", + "creator": "Zolan Kanno-Youngs", + "pubDate": "Tue, 07 Dec 2021 01:55:55 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90775,20 +117020,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "c37a26c6064d15df28d0dfb634cbe6dd" + "hash": "6ea7812e0d7a1d1f56f4305b4acc7b2b" }, { - "title": "Michael Hurley, an Original Folk Iconoclast, Turns 80", - "description": "For six decades, the folk singer has chronicled his woes and loves on records he’s mostly made himself. His new album celebrates that independence — and the community it fostered.", - "content": "For six decades, the folk singer has chronicled his woes and loves on records he’s mostly made himself. His new album celebrates that independence — and the community it fostered.", - "category": "Folk Music", - "link": "https://www.nytimes.com/2021/12/08/arts/music/michael-hurley-time-of-the-foxgloves.html", - "creator": "Grayson Haver Currin", - "pubDate": "Wed, 08 Dec 2021 20:08:30 +0000", + "title": "Georgia Governor's Race Puts State at Center of 2022 Political Drama", + "description": "Former Senator David Perdue, encouraged by Donald Trump, is challenging Gov. Brian Kemp, a fellow Republican who defied the former president.", + "content": "Former Senator David Perdue, encouraged by Donald Trump, is challenging Gov. Brian Kemp, a fellow Republican who defied the former president.", + "category": "Georgia", + "link": "https://www.nytimes.com/2021/12/06/us/politics/georgia-abrams-perdue-kemp.html", + "creator": "Richard Fausset and Jonathan Martin", + "pubDate": "Tue, 07 Dec 2021 03:12:27 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90796,20 +117040,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "22696799c993649649891d8e7cc88cc3" + "hash": "65d6e4dae41e83eb6dfe9622960c3e11" }, { - "title": "Why ‘Dr. Brain’ Is More Subdued Than Sensational", - "description": "In an interview, the South Korean filmmaker Kim Jee-woon discusses his quiet psychological thriller and the emerging global popularity of K-drama.", - "content": "In an interview, the South Korean filmmaker Kim Jee-woon discusses his quiet psychological thriller and the emerging global popularity of K-drama.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/10/arts/television/dr-brain-apple-tv-kim-jee-woon.html", - "creator": "Simon Abrams", - "pubDate": "Sat, 11 Dec 2021 05:13:24 +0000", + "title": "Trump’s Media Company Investigated Over SPAC Deal", + "description": "A financing company told investors that it wasn’t in deal talks, weeks after its C.E.O. held a private videoconference about a possible deal with Donald Trump.", + "content": "A financing company told investors that it wasn’t in deal talks, weeks after its C.E.O. held a private videoconference about a possible deal with Donald Trump.", + "category": "Securities and Commodities Violations", + "link": "https://www.nytimes.com/2021/12/06/business/trump-spac-sec-arc.html", + "creator": "Matthew Goldstein, David Enrich and Michael Schwirtz", + "pubDate": "Mon, 06 Dec 2021 23:01:24 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90817,20 +117060,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ec4cb1cfddf9833a5260d9653e93401" + "hash": "491f1db1f7d95e03b2c2b3bcc07e9278" }, { - "title": "November 2021 CPI: Inflation Rose at Fastest Pace Since 1982", - "description": "The Consumer Price Index is rising sharply, a concern for Washington policymakers and a sign of the rising costs facing American households.", - "content": "The Consumer Price Index is rising sharply, a concern for Washington policymakers and a sign of the rising costs facing American households.", - "category": "Inflation (Economics)", - "link": "https://www.nytimes.com/2021/12/10/business/cpi-inflation-november-2021.html", - "creator": "Jeanna Smialek", - "pubDate": "Fri, 10 Dec 2021 22:12:28 +0000", + "title": "Devin Nunes to Quit House, Take Over Trump's Media Company", + "description": "The California Republican, who had pugnaciously defended Donald J. Trump, chose the media company role over a potentially powerful new post in Congress.", + "content": "The California Republican, who had pugnaciously defended Donald J. Trump, chose the media company role over a potentially powerful new post in Congress.", + "category": "Nunes, Devin G", + "link": "https://www.nytimes.com/2021/12/06/us/politics/devin-nunes-trump.html", + "creator": "Jonathan Weisman", + "pubDate": "Tue, 07 Dec 2021 00:04:57 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90838,20 +117080,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa44d9eb728a7439a2f4c84825d75dc2" + "hash": "55d871e9a1ec53380b242dd46b8a2f7a" }, { - "title": "Vaccine Mandates Rekindle Fierce Debate Over Civil Liberties", - "description": "Tougher requirements in some European nations have inspired pushback from angry citizens as leaders grapple with how far to go in the name of public health.", - "content": "Tougher requirements in some European nations have inspired pushback from angry citizens as leaders grapple with how far to go in the name of public health.", - "category": "Demonstrations, Protests and Riots", - "link": "https://www.nytimes.com/2021/12/10/world/europe/vaccine-mandates-civil-liberties.html", - "creator": "Mark Landler", - "pubDate": "Fri, 10 Dec 2021 17:00:15 +0000", + "title": "How '2 Lizards' and Meriem Bennani Captured the Essence of 2020", + "description": "With the animated video series “2 Lizards,” Meriem Bennani and Orian Barki captured the essence of 2020. Now, Bennani’s at work on a documentary about living in limbo.", + "content": "With the animated video series “2 Lizards,” Meriem Bennani and Orian Barki captured the essence of 2020. Now, Bennani’s at work on a documentary about living in limbo.", + "category": "holiday issue 2021", + "link": "https://www.nytimes.com/2021/12/01/t-magazine/meriem-bennani-2-lizards.html", + "creator": "Sasha Weiss", + "pubDate": "Wed, 01 Dec 2021 13:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90859,20 +117100,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6386e7471ab5fcb64238f19bb5d7344" + "hash": "2eb8123b3dd3b43968bfdc95ec266fe4" }, { - "title": "New York Businesses Ordered to Require Masks Indoors or Vaccine Proof", - "description": "Some Republican officials criticized the move, which Gov. Kathy Hochul labeled a “wake-up call” to areas where vaccination lags.", - "content": "Some Republican officials criticized the move, which Gov. Kathy Hochul labeled a “wake-up call” to areas where vaccination lags.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/10/nyregion/ny-mask-mandate-covid.html", - "creator": "Luis Ferré-Sadurní and Jesse McKinley", - "pubDate": "Fri, 10 Dec 2021 21:37:47 +0000", + "title": "I Was Bob Dole's Press Secretary. This Is What I Learned From Him.", + "description": "During his 1996 presidential campaign, Senator Dole would often go off-script. But it was those moments that revealed his rare empathy.", + "content": "During his 1996 presidential campaign, Senator Dole would often go off-script. But it was those moments that revealed his rare empathy.", + "category": "Dole, Bob", + "link": "https://www.nytimes.com/2021/12/05/opinion/politics/bob-dole-death.html", + "creator": "Nelson Warfield", + "pubDate": "Mon, 06 Dec 2021 02:57:48 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90880,20 +117120,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "0abe410e9e09fc77cc9c33da5a579f9c" + "hash": "223427ed4764b65ef9ae30293f234d5f" }, { - "title": "In the Michigan School Shooting, the Prosecutor Asks, What About the Parents?", - "description": "After seeing the evidence, Karen McDonald made an instinctual, and unusual, decision to charge Ethan Crumbley’s mother and father. Can she succeed?", - "content": "After seeing the evidence, Karen McDonald made an instinctual, and unusual, decision to charge Ethan Crumbley’s mother and father. Can she succeed?", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/10/us/michigan-school-shooting-prosecutor.html", - "creator": "Stephanie Saul", - "pubDate": "Fri, 10 Dec 2021 20:14:38 +0000", + "title": "He Is Black. The Victims Were White. ‘It’s an Allegation as Old as America.’", + "description": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", + "content": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", + "category": "Capital Punishment", + "link": "https://www.nytimes.com/2021/12/06/opinion/pervis-payne-death-penalty-states.html", + "creator": "Margaret Renkl", + "pubDate": "Mon, 06 Dec 2021 14:19:52 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90901,20 +117140,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "93abf7e3aab6bceba04fa942b55e8ad4" + "hash": "ac3c151eb766ccf64ae9d7798d1cfa63" }, { - "title": "Jeff Bezos Is Getting Astronaut Wings. But Soon, the F.A.A. Won’t Award Them.", - "description": "Starting in January, space tourists will not receive a participation trophy for flying to space. But everyone will be on the honor roll.", - "content": "Starting in January, space tourists will not receive a participation trophy for flying to space. But everyone will be on the honor roll.", - "category": "Private Spaceflight", - "link": "https://www.nytimes.com/2021/12/10/science/astronaut-wings-faa-bezos-musk.html", - "creator": "Joey Roulette", - "pubDate": "Sat, 11 Dec 2021 00:10:14 +0000", + "title": "How Can You Destroy a Person’s Life and Only Get a Slap on the Wrist?", + "description": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", + "content": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", + "category": "Prosecutorial Misconduct", + "link": "https://www.nytimes.com/2021/12/04/opinion/prosecutor-misconduct-new-york-doj.html", + "creator": "The Editorial Board", + "pubDate": "Sun, 05 Dec 2021 15:50:17 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90922,20 +117160,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7f9322cc485e26ca937e11e9c3c41db3" + "hash": "7ea0e8e298e5aa522f040463df7e8c08" }, { - "title": "How Bank Regulators Are Trying to Oust a Trump Holdover", - "description": "Jelena McWilliams, the FDIC’s chairwoman, doesn’t always go along with President Biden’s agenda. Other regulators want to push her out.", - "content": "Jelena McWilliams, the FDIC’s chairwoman, doesn’t always go along with President Biden’s agenda. Other regulators want to push her out.", - "category": "Banking and Financial Institutions", - "link": "https://www.nytimes.com/2021/12/10/business/jelena-mcwilliams-fdic-bank-regulation-trump.html", - "creator": "Emily Flitter", - "pubDate": "Fri, 10 Dec 2021 21:25:10 +0000", + "title": "The Ghosts of Mississippi", + "description": "Dobbs v. Jackson Women’s Health Organization is another Mississippi case poised to roll back constitutional rights.", + "content": "Dobbs v. Jackson Women’s Health Organization is another Mississippi case poised to roll back constitutional rights.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/12/05/opinion/abortion-mississippi-constitutional-rights.html", + "creator": "Charles M. Blow", + "pubDate": "Sun, 05 Dec 2021 20:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90943,20 +117180,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "36347bc8ff6580c8d64dab9e3f245ce0" + "hash": "fe9e8a542d1f8dc7838ae87d8f1616ba" }, { - "title": "‘Social Detonator’: In Artist’s Work, and Life, Different Classes Collide", - "description": "Oscar Murillo, a Colombian-born painter raised in London, considers it an “infiltration” when his class-conscious canvases wind up on the walls of collectors.", - "content": "Oscar Murillo, a Colombian-born painter raised in London, considers it an “infiltration” when his class-conscious canvases wind up on the walls of collectors.", - "category": "Murillo, Oscar (1986- )", - "link": "https://www.nytimes.com/2021/12/10/world/americas/oscar-murillo-colombian-artist.html", - "creator": "Silvana Paternostro", - "pubDate": "Sat, 11 Dec 2021 00:02:34 +0000", + "title": "Rudeness Is On the Rise. You Got a Problem With That?", + "description": "How do we respond to a culture in which the guardrails of so-called civility are gone?", + "content": "How do we respond to a culture in which the guardrails of so-called civility are gone?", + "category": "Customs, Etiquette and Manners", + "link": "https://www.nytimes.com/2021/12/04/opinion/rudeness-stress-culture.html", + "creator": "Jennifer Finney Boylan", + "pubDate": "Sat, 04 Dec 2021 19:45:07 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90964,20 +117200,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a8e01acfcc5b69ea7716885e67c828dc" + "hash": "6bd9d351d75590df78389026c75d1115" }, { - "title": "How Samantha Jones Was Written Out of ‘And Just Like That’ ", - "description": "Here’s how the “Sex and the City” revival wrote out Kim Cattrall, who has been publicly critical of the star, Sarah Jessica Parker. Plus: A roundup of the best reviews of “And Just Like That.”", - "content": "Here’s how the “Sex and the City” revival wrote out Kim Cattrall, who has been publicly critical of the star, Sarah Jessica Parker. Plus: A roundup of the best reviews of “And Just Like That.”", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/10/arts/television/where-is-samantha-and-just-like-that.html", - "creator": "Alexis Soloski", - "pubDate": "Fri, 10 Dec 2021 15:02:44 +0000", + "title": "How to Create a Black Space in a Gentrifying Neighborhood", + "description": "Thoughts I had as I watched a white couple browsing books.", + "content": "Thoughts I had as I watched a white couple browsing books.", + "category": "Los Angeles (Calif)", + "link": "https://www.nytimes.com/2021/12/05/opinion/gentrification-los-angeles-little-library.html", + "creator": "Erin Aubry Kaplan", + "pubDate": "Sun, 05 Dec 2021 16:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -90985,20 +117220,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "664274605908093ffb3622d475cad6fd" + "hash": "48a56a660cc60a82d83815ea3ff83414" }, { - "title": "Republicans in Texas County, in Unusual Move, Upend Primary System", - "description": "The G.O.P. in Potter County is planning to break away from a nonpartisan election board and hold its own primary next year, in a move criticized by election experts.", - "content": "The G.O.P. in Potter County is planning to break away from a nonpartisan election board and hold its own primary next year, in a move criticized by election experts.", - "category": "Primaries and Caucuses", - "link": "https://www.nytimes.com/2021/12/10/us/politics/republicans-amarillo-potter-county-primary.html", - "creator": "Jennifer Medina", - "pubDate": "Sat, 11 Dec 2021 01:53:44 +0000", + "title": "Josh Hawley and the Republican Obsession With Manliness", + "description": "The Missouri senator is tapping into something real — a widespread, politically potent anxiety about young men that is already helping the right.", + "content": "The Missouri senator is tapping into something real — a widespread, politically potent anxiety about young men that is already helping the right.", + "category": "Men and Boys", + "link": "https://www.nytimes.com/2021/12/04/opinion/josh-hawley-republican-manliness.html", + "creator": "Liza Featherstone", + "pubDate": "Sat, 04 Dec 2021 16:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -91006,20 +117240,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "036e0ce244de88108a2daa1173ec12c6" + "hash": "c7b20044d98a51f5fd55ae3fc1998cbd" }, { - "title": "Jussie Smollett Found Guilty: What Comes Next?", - "description": "The actor who was found guilty of falsely telling the police he was the victim of a hate crime faces a possible sentence of up to three years, but experts disagree on whether the judge is likely to incarcerate him.", - "content": "The actor who was found guilty of falsely telling the police he was the victim of a hate crime faces a possible sentence of up to three years, but experts disagree on whether the judge is likely to incarcerate him.", - "category": "Smollett, Jussie (1983- )", - "link": "https://www.nytimes.com/2021/12/10/arts/television/jussie-smollett-convicted-guilty.html", - "creator": "Julia Jacobs and Mark Guarino", - "pubDate": "Sat, 11 Dec 2021 00:41:51 +0000", + "title": "The Abortion I Didn’t Have", + "description": "I never thought about ending my pregnancy. Instead, at 19, I erased the future I had imagined for myself.", + "content": "I never thought about ending my pregnancy. Instead, at 19, I erased the future I had imagined for myself.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/magazine/abortion-parent-mother-child.html", + "creator": "Merritt Tierce", + "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -91027,20 +117260,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "512eab55c1d4cfc77425b5a9752c69fb" + "hash": "1a7719612af6e15d319a65cb2bae6851" }, { - "title": "Prosecution Rests at Ghislaine Maxwell Trial After 4th Accuser Testifies", - "description": "Annie Farmer was 16 when, she said, Jeffrey Epstein and Ghislaine Maxwell engaged in behavior that upset her.", - "content": "Annie Farmer was 16 when, she said, Jeffrey Epstein and Ghislaine Maxwell engaged in behavior that upset her.", - "category": "Sex Crimes", - "link": "https://www.nytimes.com/2021/12/10/nyregion/ghislaine-maxwell-trial-annie-farmer.html", - "creator": "Benjamin Weiser, Colin Moynihan and Rebecca Davis O’Brien", - "pubDate": "Sat, 11 Dec 2021 03:14:03 +0000", + "title": "Condé Nast Knows Its Faded Glory Is Not in Style", + "description": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", + "content": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", + "category": "Conde Nast Publications Inc", + "link": "https://www.nytimes.com/2021/12/04/business/media/conde-nast-anna-wintour.html", + "creator": "Katie Robertson", + "pubDate": "Mon, 06 Dec 2021 18:48:39 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -91048,20 +117280,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "4aa9e0b7bab05ab7eb43f7181d55d1bb" + "hash": "476e49ed405b452aef3c378a0cfa6302" }, { - "title": "Live Updates: Tornadoes Rip Through Several States, Killing One", - "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", - "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill. A railroad company said one of its trains had derailed in Kentucky.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/11/us/tornadoes-storms-amazon", - "creator": "The New York Times", - "pubDate": "Sat, 11 Dec 2021 09:13:32 +0000", + "title": "After Success in Seating Federal Judges, Biden Hits Resistance", + "description": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", + "content": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", + "category": "Appointments and Executive Changes", + "link": "https://www.nytimes.com/2021/12/05/us/politics/biden-judges-senate-confirmation.html", + "creator": "Carl Hulse", + "pubDate": "Sun, 05 Dec 2021 14:28:48 +0000", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", @@ -91069,16 +117300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "14587bec27620e686526c062a1fe94c3" + "hash": "17f0a2d80013498bd1527a34db9234b8" }, { - "title": "Biden Eulogizes Dole as ‘Genuine Hero’ Who ‘Lived by a Code of Honor’", - "description": "The funeral at Washington National Cathedral evoked a kind of Old Home Week ritual as one momentous Washington figure after another soldiered into the rows.", - "content": "The funeral at Washington National Cathedral evoked a kind of Old Home Week ritual as one momentous Washington figure after another soldiered into the rows.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/10/us/politics/bob-dole-funeral-biden.html", - "creator": "Mark Leibovich and Zolan Kanno-Youngs", - "pubDate": "Sat, 11 Dec 2021 02:30:30 +0000", + "title": "Facing Economic Collapse, Afghanistan Is Gripped by Starvation", + "description": "An estimated 22.8 million people — more than half the country’s population — are expected to face potentially life-threatening food insecurity this winter. Many are already on the brink of catastrophe.", + "content": "An estimated 22.8 million people — more than half the country’s population — are expected to face potentially life-threatening food insecurity this winter. Many are already on the brink of catastrophe.", + "category": "Kandahar (Afghanistan)", + "link": "https://www.nytimes.com/2021/12/04/world/asia/afghanistan-starvation-crisis.html", + "creator": "Christina Goldbaum", + "pubDate": "Sat, 04 Dec 2021 18:53:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91089,16 +117320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "83dfd8313724915e7c00e2280e949fa0" + "hash": "b61836141bcbb447fd7e4defa0a765e6" }, { - "title": "One Killed at Arkansas Nursing Home as Tornadoes Rip Through Several States", - "description": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill.", - "content": "Among the damage was a roof collapse at an Amazon warehouse in Edwardsville, Ill.", - "category": "Tornadoes", - "link": "https://www.nytimes.com/2021/12/10/us/arkansas-tornado-nursing-home-monette.html", - "creator": "Michael Levenson, Vimal Patel and Isabella Grullón Paz", - "pubDate": "Sat, 11 Dec 2021 05:31:21 +0000", + "title": "Christmas Tree Questions? Ask the Mayor of Rockefeller Center.", + "description": "For two decades, Correll Jones has been the man to ask about New York’s most famous tree — and where to find the public bathrooms.", + "content": "For two decades, Correll Jones has been the man to ask about New York’s most famous tree — and where to find the public bathrooms.", + "category": "Christmas Trees", + "link": "https://www.nytimes.com/2021/12/04/nyregion/rockefeller-center-greeter-mayor.html", + "creator": "Corey Kilgannon", + "pubDate": "Sat, 04 Dec 2021 17:24:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91109,16 +117340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "21585e54bfba3d7d4b3bd9ebfdd8c2c6" + "hash": "ba9058081f883b1605e938a9c4024e0b" }, { - "title": "GM’s EV Efforts Reportedly Include a Bigger Michigan Presence", - "description": "The company will make electric pickups at an existing plant and batteries at a factory built with a partner, a person with knowledge of the plan said.", - "content": "The company will make electric pickups at an existing plant and batteries at a factory built with a partner, a person with knowledge of the plan said.", - "category": "General Motors", - "link": "https://www.nytimes.com/2021/12/10/business/gm-electric-vehicles-michigan.html", - "creator": "Neal E. Boudette", - "pubDate": "Fri, 10 Dec 2021 22:56:05 +0000", + "title": "Could Breaking Up Meta Make Things Worse?", + "description": "The parent company of Facebook, Instagram and WhatsApp reaches 3.6 billion active users. But is its size actually against the public’s interest?", + "content": "The parent company of Facebook, Instagram and WhatsApp reaches 3.6 billion active users. But is its size actually against the public’s interest?", + "category": "Antitrust Laws and Competition Issues", + "link": "https://www.nytimes.com/2021/12/01/opinion/the-argument-facebook-antitrust.html", + "creator": "‘The Argument’", + "pubDate": "Wed, 01 Dec 2021 18:34:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91129,16 +117360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a215584fda9e0f0e1360fcaafb898d6" + "hash": "dc2fcf856de8f5100bad73526fe0f0b3" }, { - "title": "Inflation Rising at Fastest Pace in Nearly 40 Years, New Data Shows", - "description": "The Consumer Price Index climbed by 6.8 percent in November from a year ago, the strongest inflationary burst in a generation. Follow economic updates.", - "content": "The Consumer Price Index climbed by 6.8 percent in November from a year ago, the strongest inflationary burst in a generation. Follow economic updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/10/business/inflation-cpi-stock-market-news", - "creator": "The New York Times", - "pubDate": "Fri, 10 Dec 2021 20:44:02 +0000", + "title": "A Meeting With Maxwell Led to Years of Sex With Epstein, Accuser Says", + "description": "A woman identified only as “Kate” told jurors at Ghislaine Maxwell’s sex-trafficking trial that Ms. Maxwell leveraged their friendship to encourage her to have sex with Jeffrey Epstein.", + "content": "A woman identified only as “Kate” told jurors at Ghislaine Maxwell’s sex-trafficking trial that Ms. Maxwell leveraged their friendship to encourage her to have sex with Jeffrey Epstein.", + "category": "Sex Crimes", + "link": "https://www.nytimes.com/2021/12/06/nyregion/ghislaine-maxwell-trial-accuser.html", + "creator": "Rebecca Davis O’Brien and Benjamin Weiser", + "pubDate": "Tue, 07 Dec 2021 00:25:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91149,16 +117380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7f8c15456241efe83d78cf50573dbe6b" + "hash": "ccc52c09b48f29917da8b39330a55368" }, { - "title": "One-year jump in energy prices is a big factor in inflation’s jump.", - "description": "Energy prices rose by one-third in the last year, and 6.8 percent in November alone, but there are recent signs of relief.", - "content": "Energy prices rose by one-third in the last year, and 6.8 percent in November alone, but there are recent signs of relief.", - "category": "Prices (Fares, Fees and Rates)", - "link": "https://www.nytimes.com/live/2021/12/10/business/inflation-cpi-stock-market-news/one-year-jump-in-energy-prices-is-a-big-factor-in-inflations-jump", - "creator": "Talmon Joseph Smith", - "pubDate": "Fri, 10 Dec 2021 18:28:07 +0000", + "title": "Trump’s Blood Oxygen Level in Covid Bout Was Dangerously Low, Former Aide Says", + "description": "Mark Meadows, Mr. Trump’s former chief of staff, said in his new book that the weakened president’s blood oxygen level reached 86 during a harrowing fight against the coronavirus.", + "content": "Mark Meadows, Mr. Trump’s former chief of staff, said in his new book that the weakened president’s blood oxygen level reached 86 during a harrowing fight against the coronavirus.", + "category": "Meadows, Mark R (1959- )", + "link": "https://www.nytimes.com/2021/12/06/us/politics/trump-covid-blood-oxygen.html", + "creator": "Maggie Haberman and Noah Weiland", + "pubDate": "Tue, 07 Dec 2021 00:29:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91169,16 +117400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "61554161abe731ab6d2f2e42744bd0d2" + "hash": "8e009061743086f1aabc18975016987f" }, { - "title": "Food prices and rent surged in November, helping fuel inflation.", - "description": "Prices for beef, pork and other food were up sharply from one year ago and housing costs also continued to climb.", - "content": "Prices for beef, pork and other food were up sharply from one year ago and housing costs also continued to climb.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/10/business/inflation-cpi-stock-market-news/food-prices-and-rent-surged-in-november-helping-fuel-inflation", - "creator": "Madeleine Ngo", - "pubDate": "Fri, 10 Dec 2021 18:05:54 +0000", + "title": "Defendant in Case Brought by Durham Says New Evidence Undercuts Charge", + "description": "Lawyers for Michael Sussmann, accused by the Trump-era special counsel of lying to the F.B.I., asked for a quick trial after receiving what they said was helpful material from prosecutors.", + "content": "Lawyers for Michael Sussmann, accused by the Trump-era special counsel of lying to the F.B.I., asked for a quick trial after receiving what they said was helpful material from prosecutors.", + "category": "Durham, John H", + "link": "https://www.nytimes.com/2021/12/06/us/politics/michael-sussmann-john-durham.html", + "creator": "Charlie Savage", + "pubDate": "Tue, 07 Dec 2021 04:51:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91189,16 +117420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa5666c3c13a0f5c126f34bf4b10bc67" + "hash": "454f960b3df54cc86c5b207c73690d52" }, { - "title": "Covid Malaise", - "description": "Why do Americans say the economy is in rough shape? Because it is.", - "content": "Why do Americans say the economy is in rough shape? Because it is.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/12/10/briefing/us-economy-covid-malaise.html", - "creator": "David Leonhardt", - "pubDate": "Fri, 10 Dec 2021 11:24:50 +0000", + "title": "Biden’s Supreme Court Commission Prepares to Vote on Final Report", + "description": "A draft version of the document flagged deep disputes over court expansion while exploring how phasing in term limits might work.", + "content": "A draft version of the document flagged deep disputes over court expansion while exploring how phasing in term limits might work.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/12/06/us/politics/biden-supreme-court-commission.html", + "creator": "Charlie Savage", + "pubDate": "Tue, 07 Dec 2021 02:08:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91209,16 +117440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb3303cac1c8c8f5d81ac1f428eed21b" + "hash": "bd22f6d6e82ec3e667dcdce0d834c40e" }, { - "title": "Here's How Philadelphia's Covid Mandate for Health Workers Worked", - "description": "Federal officials point to the city’s mandate as a success story and a shield against new Covid outbreaks at hospitals and nursing homes.", - "content": "Federal officials point to the city’s mandate as a success story and a shield against new Covid outbreaks at hospitals and nursing homes.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/10/health/philadelphia-vaccine-mandate.html", - "creator": "Reed Abelson", - "pubDate": "Fri, 10 Dec 2021 18:38:32 +0000", + "title": "Fred Hiatt, Washington Post Editorial Page Editor, Dies at 66", + "description": "He used his powerful platform to champion human rights, caution against a Trump presidency and condemn the killing of a Saudi columnist for the paper.", + "content": "He used his powerful platform to champion human rights, caution against a Trump presidency and condemn the killing of a Saudi columnist for the paper.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/12/06/business/media/fred-hiatt-dead.html", + "creator": "Katharine Q. Seelye", + "pubDate": "Tue, 07 Dec 2021 02:46:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91229,16 +117460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f001baed3d053d6f61fba70c21810bfd" + "hash": "02386b147093041a7e756b7ce6430275" }, { - "title": "A Murder, Gold Bars, a Jailbreak and Questions About Justice", - "description": "Was the 1993 killing of a woman near Buffalo committed by a prison escapee? Was the detective who solved the case involved? Is there anything straightforward about this crime?", - "content": "Was the 1993 killing of a woman near Buffalo committed by a prison escapee? Was the detective who solved the case involved? Is there anything straightforward about this crime?", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/12/10/nyregion/richard-matt-murder-buffalo.html", - "creator": "Danny Hakim and Jesse McKinley", - "pubDate": "Fri, 10 Dec 2021 16:50:20 +0000", + "title": "India and Russia Expand Defense Ties, Despite Prospect of U.S. Sanctions", + "description": "India’s purchase of a missile defense system signaled that it was more worried about an emboldened China at its borders than about angering the United States.", + "content": "India’s purchase of a missile defense system signaled that it was more worried about an emboldened China at its borders than about angering the United States.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/06/world/asia/india-russia-missile-defense-deal.html", + "creator": "Mujib Mashal and Karan Deep Singh", + "pubDate": "Mon, 06 Dec 2021 18:10:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91249,16 +117480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2747421b959fa1568ccaaffd1c4e0007" + "hash": "d483ce0a32a5e6da731b36005633f7a9" }, { - "title": "10 Works of Art That Evaded the Algorithm This Year", - "description": "Contemplation, not clicks: Our critic looks back on marble sculptures in Rome, songs of “atmospheric anxiety” and the Frick Collection in a new light.", - "content": "Contemplation, not clicks: Our critic looks back on marble sculptures in Rome, songs of “atmospheric anxiety” and the Frick Collection in a new light.", - "category": "Two Thousand Twenty One", - "link": "https://www.nytimes.com/2021/12/08/arts/art-algorithm-2021.html", - "creator": "Jason Farago", - "pubDate": "Wed, 08 Dec 2021 10:02:49 +0000", + "title": "Man Charged With Sending Dozens of Violent Threats to L.G.B.T.Q. Groups", + "description": "Robert Fehring warned that an attack on New York City’s Pride March would make the Pulse nightclub shooting “look like a cakewalk,” the authorities said.", + "content": "Robert Fehring warned that an attack on New York City’s Pride March would make the Pulse nightclub shooting “look like a cakewalk,” the authorities said.", + "category": "Homosexuality and Bisexuality", + "link": "https://www.nytimes.com/2021/12/06/nyregion/hate-crime-long-island-lgbtq.html", + "creator": "Ed Shanahan", + "pubDate": "Tue, 07 Dec 2021 02:35:41 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91269,16 +117500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aac197923bf513fe0af3da71d7a25600" + "hash": "d0bb58ebc854bf299d8582899ac8b24e" }, { - "title": "‘Dickinson’ on AppleTV+ Is Ending. But the Props Live On in Archives.", - "description": "The Apple TV+ series “Dickinson” is donating scripts, props and other artifacts — including painstaking replicas of the poet’s manuscripts — to the Emily Dickinson Museum and Harvard University.", - "content": "The Apple TV+ series “Dickinson” is donating scripts, props and other artifacts — including painstaking replicas of the poet’s manuscripts — to the Emily Dickinson Museum and Harvard University.", - "category": "Poetry and Poets", - "link": "https://www.nytimes.com/2021/12/10/arts/television/emily-dickinson-archive-harvard.html", - "creator": "Jennifer Schuessler", - "pubDate": "Fri, 10 Dec 2021 16:00:17 +0000", + "title": "Are My Stomach Problems Really All in My Head?", + "description": "Scientists often debate whether irritable bowel syndrome is a mental or physical issue. That’s not much help for those who suffer from it.", + "content": "Scientists often debate whether irritable bowel syndrome is a mental or physical issue. That’s not much help for those who suffer from it.", + "category": "Digestive Tract", + "link": "https://www.nytimes.com/2021/12/03/well/eat/irritable-bowel-syndrome-advice.html", + "creator": "Constance Sommer", + "pubDate": "Fri, 03 Dec 2021 22:01:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91289,16 +117520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8237b019a0ca9efb8f356fdf69d3a7a4" + "hash": "65c3e6c5fab7a5fbdb61593731a8ab70" }, { - "title": "I Cherish This Lifeline to My Parents", - "description": "Al Hirschfeld’s drawings of Stephen Sondheim’s shows were a gift.", - "content": "Al Hirschfeld’s drawings of Stephen Sondheim’s shows were a gift.", - "category": "Sondheim, Stephen", - "link": "https://www.nytimes.com/2021/12/09/opinion/theater-al-hirschfeld-stephen-sondheim.html", - "creator": "Patrick Healy", - "pubDate": "Thu, 09 Dec 2021 13:29:53 +0000", + "title": "A Perplexing Marijuana Side Effect Relieved by Hot Showers", + "description": "Emergency room doctors are seeing a growing caseload of nausea and vomiting in marijuana users whose only relief is a long, hot shower.", + "content": "Emergency room doctors are seeing a growing caseload of nausea and vomiting in marijuana users whose only relief is a long, hot shower.", + "category": "Marijuana", + "link": "https://www.nytimes.com/2018/04/05/well/a-perplexing-marijuana-side-effect-relieved-by-hot-showers.html", + "creator": "Roni Caryn Rabin", + "pubDate": "Thu, 05 Apr 2018 18:10:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91309,16 +117540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "17cc137fe925b0549a899090131cd388" + "hash": "1261e393b9c1bdd7772a5ea139eec592" }, { - "title": "Rethinking U.S. Rules on International Travel", - "description": "Readers discuss testing requirements and suggest a quarantine. Also: Outdoor dining; universal pre-K; Roe v. Wade; machines and morality; Gil Hodges.", - "content": "Readers discuss testing requirements and suggest a quarantine. Also: Outdoor dining; universal pre-K; Roe v. Wade; machines and morality; Gil Hodges.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/10/opinion/letters/covid-international-travel-airlines.html", - "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:06:52 +0000", + "title": "What Is Sensory Processing Disorder?", + "description": "Children who are deemed ‘sensitive’ or ‘picky’ might be struggling with a treatable condition.", + "content": "Children who are deemed ‘sensitive’ or ‘picky’ might be struggling with a treatable condition.", + "category": "Disabilities", + "link": "https://www.nytimes.com/2020/04/17/parenting/sensory-processing-disorder-kids.html", + "creator": "Meg St-Esprit", + "pubDate": "Fri, 17 Apr 2020 21:29:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91329,16 +117560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "418ef6dd027f1406266bce6cc6de44cf" + "hash": "0c22f940a51c9c9849ac64257d67fcd1" }, { - "title": "We Need Less Talk and More Action From Congress on Tech", - "description": "Mosseri talks while Congress dithers.", - "content": "Mosseri talks while Congress dithers.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/09/opinion/congress-facebook-teens.html", - "creator": "Kara Swisher", - "pubDate": "Thu, 09 Dec 2021 21:28:39 +0000", + "title": "The Temporary Memory Lapse of Transient Global Amnesia", + "description": "Those with T.G.A. do not experience any alteration in consciousness or abnormal movements. Only the ability to lay down memories is affected.", + "content": "Those with T.G.A. do not experience any alteration in consciousness or abnormal movements. Only the ability to lay down memories is affected.", + "category": "Memory", + "link": "https://www.nytimes.com/2019/09/16/well/mind/the-temporary-memory-lapse-of-transient-global-amnesia.html", + "creator": "Jane E. Brody", + "pubDate": "Tue, 17 Sep 2019 20:32:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91349,16 +117580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ebd2bce50fdd82430d6860cb511f3c7" + "hash": "269d78f9f2b09c77aa944dc83414b2b0" }, { - "title": "Why Joe Biden Needs More Than Accomplishments to Be a Success", - "description": "A theory of political time explains how he has become a prisoner of great expectations.", - "content": "A theory of political time explains how he has become a prisoner of great expectations.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/09/opinion/joe-biden-political-time.html", - "creator": "Corey Robin", - "pubDate": "Thu, 09 Dec 2021 10:00:17 +0000", + "title": "When the Neurologist Really Knows How Patients Feel", + "description": "I can’t undo the damage of a stroke I had as an infant, but I can try to help other patients face similar diagnoses.", + "content": "I can’t undo the damage of a stroke I had as an infant, but I can try to help other patients face similar diagnoses.", + "category": "Nerves and Nervous System", + "link": "https://www.nytimes.com/2018/06/07/well/pediatric-neurologist-stroke.html", + "creator": "Lauren Waldron, M.D.", + "pubDate": "Thu, 07 Jun 2018 09:00:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91369,16 +117600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b007a3bceb33d0b8e3e16fdad50f91eb" + "hash": "a0ea98a29433834183b68865261c5bce" }, { - "title": "Birds Aren’t Real, or Are They? Inside a Gen Z Conspiracy Theory.", - "description": "Peter McIndoe, the 23-year-old creator of the viral Birds Aren’t Real movement, is ready to reveal what the effort is really about.", - "content": "Peter McIndoe, the 23-year-old creator of the viral Birds Aren’t Real movement, is ready to reveal what the effort is really about.", - "category": "Computers and the Internet", - "link": "https://www.nytimes.com/2021/12/09/technology/birds-arent-real-gen-z-misinformation.html", - "creator": "Taylor Lorenz", - "pubDate": "Thu, 09 Dec 2021 14:44:41 +0000", + "title": "‘And Just Like That’: The Shoe Must Go On", + "description": "In the ’90s, “Sex and the City” celebrated single women. Can a new, more nuanced version make a comedy of middle-aged ones?", + "content": "In the ’90s, “Sex and the City” celebrated single women. Can a new, more nuanced version make a comedy of middle-aged ones?", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/03/arts/television/and-just-like-that-sex-and-the-city.html", + "creator": "Alexis Soloski", + "pubDate": "Mon, 06 Dec 2021 13:05:40 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91389,16 +117620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a491a8049969ede6ffb0aa5c1ab29b5" + "hash": "988dc61263b0acad2a482697bdbe603d" }, { - "title": "New York A.G. to Subpoena Trump to Testify in Fraud Investigation", - "description": "The move by the attorney general, Letitia James, comes at a critical moment in a criminal inquiry into the former president, who could try to block the demand.", - "content": "The move by the attorney general, Letitia James, comes at a critical moment in a criminal inquiry into the former president, who could try to block the demand.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/09/nyregion/trump-subpoena-testimony-letitia-james.html", - "creator": "Jonah E. Bromwich, Ben Protess and William K. Rashbaum", - "pubDate": "Thu, 09 Dec 2021 20:47:02 +0000", + "title": "In ‘Landscapers,’ True Crime Meets Hollywood Fantasy", + "description": "The HBO mini-series stars Olivia Colman and David Thewlis as a British couple convicted of killing the wife’s parents and burying them in the backyard.", + "content": "The HBO mini-series stars Olivia Colman and David Thewlis as a British couple convicted of killing the wife’s parents and burying them in the backyard.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/06/arts/television/landscapers-hbo.html", + "creator": "Tobias Grey", + "pubDate": "Mon, 06 Dec 2021 18:22:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91409,16 +117640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e8e334ec14bd7a1c70c6cd19860453a2" + "hash": "4c68a9f6eeb3957f8b107b7c7bb88f38" }, { - "title": "In Michigan School Shooting, the First Lawsuit Is Filed", - "description": "The parents of two sisters who survived the Oxford High School shootings have filed a federal suit against the district and its officials.", - "content": "The parents of two sisters who survived the Oxford High School shootings have filed a federal suit against the district and its officials.", - "category": "Oxford Charter Township, Mich, Shooting (2021)", - "link": "https://www.nytimes.com/2021/12/09/us/michigan-school-shooting-lawsuits-oxford.html", - "creator": "Dana Goldstein", - "pubDate": "Thu, 09 Dec 2021 22:28:26 +0000", + "title": "No Matter the Role, Antony Sher Made Soaring Seem Possible", + "description": "The actor, who died at the age of 72, was known for his commanding performances of Shakespeare’s Richard III and the Auschwitz survivor Primo Levi.", + "content": "The actor, who died at the age of 72, was known for his commanding performances of Shakespeare’s Richard III and the Auschwitz survivor Primo Levi.", + "category": "Sher, Antony", + "link": "https://www.nytimes.com/2021/12/06/theater/antony-sher-stage.html", + "creator": "Ben Brantley", + "pubDate": "Mon, 06 Dec 2021 17:07:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91429,16 +117660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6cfbde4b83eda37f9248c8897e4e343a" + "hash": "709a3632a479b4d6f5d8431b0ebea74f" }, { - "title": "Ukraine Commanders Say a Russian Invasion Would Overwhelm Them", - "description": "If Russia opts for an invasion, Ukraine’s generals say, they would have no hope of repelling it without a major infusion of military help from the West.", - "content": "If Russia opts for an invasion, Ukraine’s generals say, they would have no hope of repelling it without a major infusion of military help from the West.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/09/world/europe/ukraine-military-russia-invasion.html", - "creator": "Michael Schwirtz", - "pubDate": "Thu, 09 Dec 2021 10:00:23 +0000", + "title": "'The Feminine Urge' Meme Explained", + "description": "Journalists love subjecting online jokes to semantic dissection. So, shall we?", + "content": "Journalists love subjecting online jokes to semantic dissection. So, shall we?", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/06/style/feminine-urge-meme-twitter.html", + "creator": "Anna P. Kambhampaty", + "pubDate": "Mon, 06 Dec 2021 16:23:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91449,16 +117680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "19150d144821c667432b1908e3a60c1e" + "hash": "170d9d821f73383b0b4858e4b2c95ef1" }, { - "title": "The Censoring of Peng Shuai", - "description": "China’s decision to censor a star athlete has confronted the sports industry with a dilemma — speak out on her behalf or protect its financial interests in the country.", - "content": "China’s decision to censor a star athlete has confronted the sports industry with a dilemma — speak out on her behalf or protect its financial interests in the country.", - "category": "Tennis", - "link": "https://www.nytimes.com/2021/12/10/podcasts/the-daily/peng-shuai-china-sports.html", - "creator": "Sabrina Tavernise, Robert Jimison, Mooj Zadie, Rachel Quester, Luke Vander Ploeg, Alex Young, Lisa Chow, Patricia Willens, Marion Lozano, Corey Schreppel, Brad Fisher, Dan Powell and Chris Wood", - "pubDate": "Fri, 10 Dec 2021 11:00:07 +0000", + "title": "Black Baseball Pioneer Bud Fowler Elected to Hall of Fame", + "description": "Elected by the Hall’s Early Days committee, Bud Fowler was a pioneer who played organized professional baseball against white players as early as 1878.", + "content": "Elected by the Hall’s Early Days committee, Bud Fowler was a pioneer who played organized professional baseball against white players as early as 1878.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/12/06/sports/baseball/bud-fowler-hall-of-fame.html", + "creator": "Benjamin Hoffman", + "pubDate": "Mon, 06 Dec 2021 17:02:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91469,16 +117700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "201a7dcab341b652cfdc6ae7104ff23c" + "hash": "15cab8cac7338653bdc0d9b0247fff07" }, { - "title": "Is the University of Austin Just a PR Stunt?", - "description": "Can a new university fix academia’s problems? Or will it just create another ideological bubble?", - "content": "Can a new university fix academia’s problems? Or will it just create another ideological bubble?", - "category": "University of Austin", - "link": "https://www.nytimes.com/2021/12/08/opinion/the-argument-free-speech-on-college-campuses.html", - "creator": "‘The Argument’", - "pubDate": "Wed, 08 Dec 2021 17:28:45 +0000", + "title": "N.Y.C. Breaks New Ground With Vaccine Mandate for All Private Employers", + "description": "Mayor Bill de Blasio said the measure was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Eric Adams, who will succeed Mr. de Blasio as mayor in less than a month, declined to commit to enforcing the new rules. Here’s the latest on Covid.", + "content": "Mayor Bill de Blasio said the measure was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Eric Adams, who will succeed Mr. de Blasio as mayor in less than a month, declined to commit to enforcing the new rules. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Tue, 07 Dec 2021 00:29:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91489,16 +117720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a4caf44f876ea2861a59fad9395f9ad" + "hash": "7c43099691242e382716d269f3d8ca4b" }, { - "title": "Ghislaine Maxwell Defense Questions Fourth Accuser’s Memory", - "description": "Ms. Maxwell’s attorney challenged Annie Farmer’s testimony. Ms. Farmer has called Ms. Maxwell “a sexual predator.” Here’s the latest on the trial.", - "content": "Ms. Maxwell’s attorney challenged Annie Farmer’s testimony. Ms. Farmer has called Ms. Maxwell “a sexual predator.” Here’s the latest on the trial.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/10/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Fri, 10 Dec 2021 20:43:57 +0000", + "title": "Will Eric Adams Keep N.Y.C.’s Newest Vaccine Mandate?", + "description": "It was unclear if the incoming mayor, Eric Adams, who is on vacation in Ghana, intended to enforce a vaccine mandate for private employers.", + "content": "It was unclear if the incoming mayor, Eric Adams, who is on vacation in Ghana, intended to enforce a vaccine mandate for private employers.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/06/nyregion/eric-adams-employee-vaccine-mandate.html", + "creator": "Dana Rubinstein", + "pubDate": "Mon, 06 Dec 2021 23:35:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91509,16 +117740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e645c58620b8f01b51d683cd3476802" + "hash": "8c306b1d6f2c0883e1ed944aebad59f1" }, { - "title": "U.S. and Others Pledge Export Controls Tied to Human Rights", - "description": "The Biden administration’s partnership with Australia, Denmark, Norway, Canada, France, the Netherlands and the United Kingdom aims to stem the flow of key technologies to authoritarian governments.", - "content": "The Biden administration’s partnership with Australia, Denmark, Norway, Canada, France, the Netherlands and the United Kingdom aims to stem the flow of key technologies to authoritarian governments.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/10/business/economy/human-rights-export-controls.html", - "creator": "Ana Swanson", - "pubDate": "Fri, 10 Dec 2021 16:19:06 +0000", + "title": "Spike in Omicron Variant Cases Puts Europe on Edge", + "description": "With cases of the Omicron variant rising in Europe, there are worries that even tougher restrictions are looming over a holiday period that many had hoped would be a return to some normalcy.", + "content": "With cases of the Omicron variant rising in Europe, there are worries that even tougher restrictions are looming over a holiday period that many had hoped would be a return to some normalcy.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/05/world/europe/virus-europe-omicron-variant-restrictions.html", + "creator": "Megan Specia and Isabella Kwai", + "pubDate": "Mon, 06 Dec 2021 13:25:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91529,16 +117760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "36727624701db6214d3b184ba2dca109" + "hash": "b87127f194f0349451a6976bb72f40dd" }, { - "title": "Tigray Rebels Executed Dozens of Civilians, Report Says", - "description": "The report from Human Rights Watch adds to the mounting violations committed by the warring parties since the conflict in Ethiopia’s northern Tigray region began over a year ago.", - "content": "The report from Human Rights Watch adds to the mounting violations committed by the warring parties since the conflict in Ethiopia’s northern Tigray region began over a year ago.", - "category": "Ethiopia", - "link": "https://www.nytimes.com/2021/12/10/world/africa/ethiopia-executions-rebels.html", - "creator": "Abdi Latif Dahir", - "pubDate": "Fri, 10 Dec 2021 19:56:29 +0000", + "title": "On Ukrainian Front, Grinding War and Weary Anticipation of Invasion", + "description": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", + "content": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/06/world/europe/ukraine-russia-war-front.html", + "creator": "Michael Schwirtz", + "pubDate": "Mon, 06 Dec 2021 17:17:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91549,16 +117780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "514098ea5e9839f4d6f63187a320d443" + "hash": "e164611c4129c49be72419ec23ceb6e0" }, { - "title": "6 More Subpoenas Issued in House Panel’s Jan. 6 Investigation", - "description": "Those issued subpoenas included two men who met with President Donald J. Trump in his private dining room on Jan. 4 and Mr. Trump’s former political affairs director.", - "content": "Those issued subpoenas included two men who met with President Donald J. Trump in his private dining room on Jan. 4 and Mr. Trump’s former political affairs director.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/10/us/politics/jan-6-capitol-riot-subpoenas.html", - "creator": "Luke Broadwater", - "pubDate": "Fri, 10 Dec 2021 20:25:18 +0000", + "title": "United States Will Not Send Government Officials to Beijing Olympics", + "description": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", + "content": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/06/us/politics/olympics-boycott-us.html", + "creator": "Zolan Kanno-Youngs", + "pubDate": "Mon, 06 Dec 2021 19:18:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91569,16 +117800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "39860bf2d526aa41661eb21e7df2b299" + "hash": "56e58111ed7948344d0104a1e8ea318b" }, { - "title": "U.K. Court Rules Julian Assange Can Be Extradited to U.S.", - "description": "The WikiLeaks founder will seek to appeal. But if the extradition goes ahead, he would face espionage charges that could put him in prison for decades.", - "content": "The WikiLeaks founder will seek to appeal. But if the extradition goes ahead, he would face espionage charges that could put him in prison for decades.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/10/world/europe/uk-julian-assange-extradition.html", - "creator": "Megan Specia and Charlie Savage", - "pubDate": "Fri, 10 Dec 2021 18:27:06 +0000", + "title": "BuzzFeed’s First Day as a Public Company Is a Big Test", + "description": "Other digital media groups are eyeing how BuzzFeed performs as a publicly traded company as they face a tough advertising climate and look for ways to pay back their early investors.", + "content": "Other digital media groups are eyeing how BuzzFeed performs as a publicly traded company as they face a tough advertising climate and look for ways to pay back their early investors.", + "category": "Special Purpose Acquisition Companies (SPAC)", + "link": "https://www.nytimes.com/2021/12/06/business/buzzfeed-stock.html", + "creator": "Peter Eavis, Katie Robertson and Lauren Hirsch", + "pubDate": "Mon, 06 Dec 2021 18:48:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91589,16 +117820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "97b2822e3489dad7a5f108c7a0475c62" + "hash": "5b91a30f871677f7e750038cbb60d5d6" }, { - "title": "Scuba-Diving YouTuber Finds Car Linked to Teens Missing Since 2000", - "description": "A YouTuber who investigates cold cases found a missing Tennessee teenager’s car submerged in a nearby river. It is at least the fourth such discovery by amateur investigators in two months.", - "content": "A YouTuber who investigates cold cases found a missing Tennessee teenager’s car submerged in a nearby river. It is at least the fourth such discovery by amateur investigators in two months.", - "category": "Traffic Accidents and Safety", - "link": "https://www.nytimes.com/2021/12/10/us/youtube-scuba-diver-missing-teens.html", - "creator": "Amanda Holpuch", - "pubDate": "Fri, 10 Dec 2021 18:53:56 +0000", + "title": "Wonking Out: Money Isn’t Everything", + "description": "No, not even in macroeconomics.", + "content": "No, not even in macroeconomics.", + "category": "International Trade and World Market", + "link": "https://www.nytimes.com/2021/12/03/opinion/inflation-friedman-money-supply.html", + "creator": "Paul Krugman", + "pubDate": "Fri, 03 Dec 2021 19:48:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91609,16 +117840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b5a51f60c95749038c0a5a1e6e2e3b1" + "hash": "d5d178727768087c91cf64012b535996" }, { - "title": "Better.com’s C.E.O. ‘Taking Time Off’ After Firing Workers Over Zoom", - "description": "The mortgage lender’s board announced the decision in a memo sent to staff, adding that the company had brought on a third-party firm to assess its leadership and culture.", - "content": "The mortgage lender’s board announced the decision in a memo sent to staff, adding that the company had brought on a third-party firm to assess its leadership and culture.", - "category": "Layoffs and Job Reductions", - "link": "https://www.nytimes.com/2021/12/10/business/economy/better-ceo-zoom-firing.html", - "creator": "Emma Goldberg", - "pubDate": "Fri, 10 Dec 2021 16:05:57 +0000", + "title": "Virgil Abloh and the Fragility of Black Men's Lives", + "description": "Black men and women face violence in everyday life. That’s something that needs to be talked about. ", + "content": "Black men and women face violence in everyday life. That’s something that needs to be talked about. ", + "category": "Black People", + "link": "https://www.nytimes.com/2021/12/05/opinion/culture/virgil-abloh-black-mortality.html", + "creator": "Joél Leon Daniels", + "pubDate": "Sun, 05 Dec 2021 17:36:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91629,16 +117860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1cd043f0528cec8310d5f3d629042c32" + "hash": "02ddff2ecd4906fbcfeda3e58e98ea36" }, { - "title": "Biden Lauds Dole at Funeral, Says He ‘Lived by a Code of Honor’", - "description": "“Bob was a man who always did his duty,” President Biden said of the former senator during a funeral service in Washington.", - "content": "“Bob was a man who always did his duty,” President Biden said of the former senator during a funeral service in Washington.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/10/us/politics/bob-dole-funeral-biden.html", - "creator": "Zolan Kanno-Youngs", - "pubDate": "Fri, 10 Dec 2021 19:37:28 +0000", + "title": "I’m Not Ready for Christmas. I Need to Take a Minute.", + "description": "Advent is an ideal time to grieve, reflect and look ahead.", + "content": "Advent is an ideal time to grieve, reflect and look ahead.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/05/opinion/christmas-advent-pandemic.html", + "creator": "Tish Harrison Warren", + "pubDate": "Sun, 05 Dec 2021 16:15:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91649,16 +117880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5778abcf28fa8807918eb9aa90882b6e" + "hash": "c0030d08dcd26933c1889a2ac2a2fadb" }, { - "title": "Doctors and Hospitals Make Late Bid to Change Surprise Billing Ban", - "description": "A lawsuit says the Biden administration’s faulty interpretation of the law will harm medical providers.", - "content": "A lawsuit says the Biden administration’s faulty interpretation of the law will harm medical providers.", - "category": "Hospitals", - "link": "https://www.nytimes.com/2021/12/09/upshot/surprise-billing-act.html", - "creator": "Margot Sanger-Katz", - "pubDate": "Thu, 09 Dec 2021 19:46:49 +0000", + "title": "Key Details About the Parents of the Michigan Shooting Suspect", + "description": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", + "content": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/05/us/michigan-shooting-parents.html", + "creator": "Sophie Kasakove and Susan Cooper Eastman", + "pubDate": "Sun, 05 Dec 2021 18:30:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91669,16 +117900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e94f8da6e2b7dda7227b1bcf61f17fb0" + "hash": "d79c4d1a5b759faae051d273fa19af5b" }, { - "title": "To Create a Healthy Habit, Find an Accountability Buddy", - "description": "Whether it’s a person or an app that sends us reminders, we make better choices when we’re being watched (even by ourselves.)", - "content": "Whether it’s a person or an app that sends us reminders, we make better choices when we’re being watched (even by ourselves.)", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/01/08/well/live/habits-health.html", - "creator": "Tara Parker-Pope", - "pubDate": "Fri, 08 Jan 2021 10:00:16 +0000", + "title": "He Never Touched the Murder Weapon. Alabama Sentenced Him to Die.", + "description": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", + "content": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", + "category": "Woods, Nathaniel", + "link": "https://www.nytimes.com/2021/12/05/us/nathaniel-woods-alabama-sentenced.html", + "creator": "Dan Barry and Abby Ellin", + "pubDate": "Sun, 05 Dec 2021 10:00:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91689,16 +117920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3af403d3c81e6ee5f671ff3b192601b5" + "hash": "1f737a94f88328c03ccf70f1cd73ea51" }, { - "title": "Review: In a Gender-Flipped Revival, ‘Company’ Loves Misery", - "description": "Bobby is now Bobbie in this confusing, sour remake of the 1970 musical by Stephen Sondheim and George Furth.", - "content": "Bobby is now Bobbie in this confusing, sour remake of the 1970 musical by Stephen Sondheim and George Furth.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/09/theater/company-review-sondheim.html", - "creator": "Jesse Green", - "pubDate": "Fri, 10 Dec 2021 02:00:06 +0000", + "title": "Omicron Case With a New York Tie Shows How Virus Outpaces Response", + "description": "A health care analyst came to Manhattan for an anime convention. His trip shows how the virus once again outpaced the public health response.", + "content": "A health care analyst came to Manhattan for an anime convention. His trip shows how the virus once again outpaced the public health response.", + "category": "Contact Tracing (Public Health)", + "link": "https://www.nytimes.com/2021/12/05/nyregion/nyc-anime-convention-omicron-cases.html", + "creator": "Joseph Goldstein, Julie Bosman, Kimiko de Freytas-Tamura and Roni Caryn Rabin", + "pubDate": "Sun, 05 Dec 2021 16:49:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91709,16 +117940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee2b2172eb6cbe44aa60664caefa2cdc" + "hash": "8a9960ede3b3d8a7992da61f8cb6171b" }, { - "title": "‘Ugly Diamonds’ Get a Makeover", - "description": "Following the fashion trend for the offbeat, gems that are gray, green, brown and other shades that once would have been shunned now are in demand.", - "content": "Following the fashion trend for the offbeat, gems that are gray, green, brown and other shades that once would have been shunned now are in demand.", - "category": "Jewels and Jewelry", - "link": "https://www.nytimes.com/2021/12/06/fashion/jewelry-diamonds-hemmerle-le-vian.html", - "creator": "Milena Lazazzera", - "pubDate": "Mon, 06 Dec 2021 16:49:20 +0000", + "title": "On Syria’s Ruins, a Drug Empire Flourishes", + "description": "Powerful associates of Syria’s president, Bashar al-Assad, are making and selling captagon, an illegal amphetamine, creating a new narcostate on the Mediterranean.", + "content": "Powerful associates of Syria’s president, Bashar al-Assad, are making and selling captagon, an illegal amphetamine, creating a new narcostate on the Mediterranean.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/05/world/middleeast/syria-drugs-captagon-assad.html", + "creator": "Ben Hubbard and Hwaida Saad", + "pubDate": "Sun, 05 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91729,16 +117960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "239ef84fa75c51985b0107e83d381507" + "hash": "f9fba4014fe18ff5a5a9f91e8b8d0bed" }, { - "title": "Alicia Keys, on and Off the Digital Grid", - "description": "Her new double album, “Keys,” shows how thoroughly the production can transform her songs.", - "content": "Her new double album, “Keys,” shows how thoroughly the production can transform her songs.", - "category": "Rhythm and Blues (Music)", - "link": "https://www.nytimes.com/2021/12/10/arts/music/alicia-keys-keys-review.html", - "creator": "Jon Pareles", - "pubDate": "Fri, 10 Dec 2021 13:58:46 +0000", + "title": "What an America Without Roe Would Look Like", + "description": "Legal abortions would fall, particularly among poor women in the South and Midwest, and out-of-state travel and abortion pills would play a bigger role.", + "content": "Legal abortions would fall, particularly among poor women in the South and Midwest, and out-of-state travel and abortion pills would play a bigger role.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/05/upshot/abortion-without-roe-wade.html", + "creator": "Claire Cain Miller and Margot Sanger-Katz", + "pubDate": "Sun, 05 Dec 2021 17:40:48 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91749,16 +117980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a1a48b7284b395c78bb4158ddcf23308" + "hash": "b6abbc7ba79bb356817a3d025092e92e" }, { - "title": "I Can’t Give My Cat the Perfect Life. ‘TV for Cats’ Gives Her a Taste.", - "description": "Ideally, Daisy and I would live in a sprawling home with outdoor space. Instead, she is content to chirp at two-dimensional birds on YouTube.", - "content": "Ideally, Daisy and I would live in a sprawling home with outdoor space. Instead, she is content to chirp at two-dimensional birds on YouTube.", - "category": "Birds", - "link": "https://www.nytimes.com/2021/12/07/magazine/tv-for-cats.html", - "creator": "Megan Reynolds", - "pubDate": "Thu, 09 Dec 2021 00:20:36 +0000", + "title": "New York City, Redistricting, Ukraine: Your Monday Evening Briefing", + "description": "Here’s what you need to know at the end of the day.", + "content": "Here’s what you need to know at the end of the day.", + "category": "", + "link": "https://www.nytimes.com/2021/12/06/briefing/new-york-city-redistricting-ukraine.html", + "creator": "Victoria Shannon", + "pubDate": "Mon, 06 Dec 2021 22:51:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91769,16 +118000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "095f10c868c298ebebba19d8a3edce2a" + "hash": "f1f15321a1d10590890f546b5f9101b7" }, { - "title": "A Sidewalk Christmas Tree Vendor on Price and Cost Increases", - "description": "“There’s a lot going on behind me selling Christmas trees on the street.”", - "content": "“There’s a lot going on behind me selling Christmas trees on the street.”", - "category": "Christmas Trees", - "link": "https://www.nytimes.com/2021/12/10/business/christmas-tree.html", - "creator": "Julia Rothman and Shaina Feinberg", - "pubDate": "Fri, 10 Dec 2021 17:12:16 +0000", + "title": "The Trial of Ghislaine Maxwell", + "description": "After the death of Jeffrey Epstein, what kind of justice is possible without him?", + "content": "After the death of Jeffrey Epstein, what kind of justice is possible without him?", + "category": "Child Abuse and Neglect", + "link": "https://www.nytimes.com/2021/12/06/podcasts/the-daily/maxwell-trial.html", + "creator": "Sabrina Tavernise, Michael Johnson, Rachelle Bonja, Rachel Quester, Lynsea Garrison, Stella Tan, M.J. Davis Lin and Larissa Anderson", + "pubDate": "Mon, 06 Dec 2021 14:01:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91789,16 +118020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "23df2d979fb82b47afee74ada2738a0e" + "hash": "7a8a62acc92510af443d5352ea1cd8a6" }, { - "title": "Senate Clears Last Major Hurdle to Raising Debt Ceiling", - "description": "Fourteen Republicans joined Democrats in voting to take up legislation that would pave the way for Congress to raise the debt ceiling by a simple majority vote, skirting a filibuster.", - "content": "Fourteen Republicans joined Democrats in voting to take up legislation that would pave the way for Congress to raise the debt ceiling by a simple majority vote, skirting a filibuster.", - "category": "Senate", - "link": "https://www.nytimes.com/2021/12/09/us/politics/debt-ceiling-congress.html", + "title": "A Kennedy Center Honors With the Presidential Box Used as Intended", + "description": "Former President Donald J. Trump did not attend the tribute, but President Biden was on hand as Bette Midler, Joni Mitchell, Berry Gordy, Justino Díaz and Lorne Michaels were honored.", + "content": "Former President Donald J. Trump did not attend the tribute, but President Biden was on hand as Bette Midler, Joni Mitchell, Berry Gordy, Justino Díaz and Lorne Michaels were honored.", + "category": "Biden, Jill Tracy Jacobs", + "link": "https://www.nytimes.com/2021/12/06/arts/music/kennedy-center-honors.html", "creator": "Emily Cochrane", - "pubDate": "Thu, 09 Dec 2021 18:37:44 +0000", + "pubDate": "Mon, 06 Dec 2021 18:23:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91809,16 +118040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a6631bb71d4d89b6ad1649c6ddea789e" + "hash": "50220ec0d157be674dfa5c2674968fbf" }, { - "title": "Debt Limit Split Shows Pragmatic Republicans Are Dwindling", - "description": "Fearing backlash from the right, most in the party dug in against a bipartisan deal needed to stave off a federal default.", - "content": "Fearing backlash from the right, most in the party dug in against a bipartisan deal needed to stave off a federal default.", + "title": "Biden Focuses on How Spending Bill Would Lower Drug Costs", + "description": "President Biden emphasized how the bill would lower prescription drug costs, an issue his administration hopes will build support for the broader package.", + "content": "President Biden emphasized how the bill would lower prescription drug costs, an issue his administration hopes will build support for the broader package.", "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/09/us/politics/debt-limit-mcconnell-gop-senate.html", - "creator": "Carl Hulse", - "pubDate": "Fri, 10 Dec 2021 00:10:48 +0000", + "link": "https://www.nytimes.com/2021/12/06/us/politics/biden-drug-prices.html", + "creator": "Zolan Kanno-Youngs and Margot Sanger-Katz", + "pubDate": "Mon, 06 Dec 2021 23:13:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91829,16 +118060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "30168f15781495c10f41c75df0ffcfcf" + "hash": "eb8462a475e2e4a063968649b068c4d4" }, { - "title": "Omicron Wave Heads for U.K., but It’s Not Clear How Bad It’ll Be", - "description": "Britain could be a bellwether of what other countries will see from the new coronavirus variant. Officials say Omicron could account for most cases within weeks.", - "content": "Britain could be a bellwether of what other countries will see from the new coronavirus variant. Officials say Omicron could account for most cases within weeks.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/09/world/europe/uk-omicron-spreading-restrictions.html", - "creator": "Megan Specia", - "pubDate": "Fri, 10 Dec 2021 02:30:20 +0000", + "title": "Medina Spirit, an Embattled Kentucky Derby Winner, Dies During a Workout", + "description": "The colt suffered an apparent heart attack while working out at the Santa Anita Park racetrack, a California racing official said.", + "content": "The colt suffered an apparent heart attack while working out at the Santa Anita Park racetrack, a California racing official said.", + "category": "Kentucky Derby", + "link": "https://www.nytimes.com/2021/12/06/sports/horse-racing/medina-spirit-dies.html", + "creator": "Joe Drape", + "pubDate": "Mon, 06 Dec 2021 18:18:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91849,16 +118080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d6b93e0406192465526eeb4dbdf943e" + "hash": "bffdec15180b788d538e92777ba09147" }, { - "title": "F.D.A. Authorizes Pfizer-BioNTech Boosters for 16- and 17-Year-Olds", - "description": "The World Health Organization said the priority should remain getting first shots to hundreds of millions of unvaccinated people. Here’s the latest on Covid.", - "content": "The World Health Organization said the priority should remain getting first shots to hundreds of millions of unvaccinated people. Here’s the latest on Covid.", + "title": "Business Updates: Chris Cuomo Says He Will End His SiriusXM Radio Show", + "description": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", + "content": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/world/omicron-variant-covid", + "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 20:35:48 +0000", + "pubDate": "Tue, 07 Dec 2021 00:30:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91869,16 +118100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "040fc3a4b2f5c81493126c239320ed3c" + "hash": "68b598780fc8454b9ecff65fd21097ab" }, { - "title": "Appeals Court Rejects Trump’s Bid to Shield Material From Jan. 6 Inquiry", - "description": "A three-judge panel held that Congress’s oversight powers, backed by President Biden’s decision not to invoke executive privilege over the material, outweighed Mr. Trump’s residual secrecy powers.", - "content": "A three-judge panel held that Congress’s oversight powers, backed by President Biden’s decision not to invoke executive privilege over the material, outweighed Mr. Trump’s residual secrecy powers.", - "category": "Trump, Donald J", - "link": "https://www.nytimes.com/2021/12/09/us/politics/trump-jan-6-documents.html", - "creator": "Charlie Savage", - "pubDate": "Fri, 10 Dec 2021 00:55:00 +0000", + "title": "Jussie Smollett Tells Jury He Did Not Direct a Fake Attack on Himself", + "description": "The actor, who is accused of asking two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", + "content": "The actor, who is accused of asking two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/06/arts/television/jussie-smollett-trial-testimony.html", + "creator": "Julia Jacobs and Mark Guarino", + "pubDate": "Mon, 06 Dec 2021 21:48:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91889,36 +118120,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "876a43d6245fbcb01ee70fdd332c3d4a" + "hash": "11e2b40807a74d370e97c0300091be67" }, { - "title": "Jussie Smollett Found Guilty of Reporting a Fake Hate Crime", - "description": "Mr. Smollett was convicted of filing a false police report in 2019 claiming he had been the victim of a racist and homophobic attack. The jury deliberated for more than nine hours.", - "content": "Mr. Smollett was convicted of filing a false police report in 2019 claiming he had been the victim of a racist and homophobic attack. The jury deliberated for more than nine hours.", - "category": "Smollett, Jussie (1983- )", - "link": "https://www.nytimes.com/2021/12/09/arts/television/jussie-smollett-guilty.html", - "creator": "Julia Jacobs and Mark Guarino", - "pubDate": "Fri, 10 Dec 2021 02:15:44 +0000", + "title": "Drake Removes Himself From Competition for 2022 Grammy Awards", + "description": "The superstar rapper and singer, long a critic of the awards, was nominated in two categories, best rap album and best rap performance.", + "content": "The superstar rapper and singer, long a critic of the awards, was nominated in two categories, best rap album and best rap performance.", + "category": "Grammy Awards", + "link": "https://www.nytimes.com/2021/12/06/arts/music/drake-grammy-nominations.html", + "creator": "Ben Sisario and Joe Coscarelli", + "pubDate": "Mon, 06 Dec 2021 22:07:13 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57ce2303eacc9f01b3b5ab41546fcbbb" + "hash": "022a3ba5c391827cecd6c58152b1316c" }, { - "title": "Mexico Migrant Truck Crash Leaves 53 Dead", - "description": "Dozens more were reported injured in the crash in southern Chiapas state, where many migrants regularly cross into Mexico from Central America.", - "content": "Dozens more were reported injured in the crash in southern Chiapas state, where many migrants regularly cross into Mexico from Central America.", - "category": "Mexico", - "link": "https://www.nytimes.com/2021/12/09/world/americas/mexico-migrants-killed-accident.html", - "creator": "Oscar Lopez", - "pubDate": "Fri, 10 Dec 2021 02:22:46 +0000", + "title": "Microsoft Seizes 42 Websites From a Chinese Hacking Group", + "description": "The group was likely using the websites to install malware that helped it gather data from government agencies and other groups, the company said.", + "content": "The group was likely using the websites to install malware that helped it gather data from government agencies and other groups, the company said.", + "category": "Computers and the Internet", + "link": "https://www.nytimes.com/2021/12/06/business/microsoft-china-hackers.html", + "creator": "Kellen Browning", + "pubDate": "Tue, 07 Dec 2021 00:13:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91929,16 +118160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a33c6d4f132932369178bab259830122" + "hash": "29f147de38661e2d64c7ffee5dd256f6" }, { - "title": "Buffalo Starbucks Workers Vote for Union at 1 Store", - "description": "The coffee chain’s executives sought to persuade workers to reject the union in an election campaign that began in late August. Workers at a second store voted not to unionize and the result at a third outlet was not clear.", - "content": "The coffee chain’s executives sought to persuade workers to reject the union in an election campaign that began in late August. Workers at a second store voted not to unionize and the result at a third outlet was not clear.", - "category": "Starbucks Corporation", - "link": "https://www.nytimes.com/2021/12/09/business/economy/buffalo-starbucks-union.html", - "creator": "Noam Scheiber", - "pubDate": "Fri, 10 Dec 2021 00:48:09 +0000", + "title": "New York City Announces Vaccine Mandate for Private Employers", + "description": "Mayor Bill de Blasio said it was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Here’s the latest.", + "content": "Mayor Bill de Blasio said it was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 15:09:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91949,16 +118180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8da6be3d6a05925b377938eb5bd5d119" + "hash": "d9e93b717e237968331132f87d9b6834" }, { - "title": "Here's Why Inflation Is Worrying Washington", - "description": "Price gains have moved up sharply for months, but the fact that the trend is lasting and broadening has newly put policymakers on red alert.", - "content": "Price gains have moved up sharply for months, but the fact that the trend is lasting and broadening has newly put policymakers on red alert.", - "category": "Consumer Price Index", - "link": "https://www.nytimes.com/2021/12/09/business/economy/inflation-price-gains.html", - "creator": "Jeanna Smialek", - "pubDate": "Thu, 09 Dec 2021 16:40:34 +0000", + "title": "China Calls on ‘Little Inoculated Warriors’ in Its War on Covid-19", + "description": "The country regards children as crucial in its quest for herd immunity, but some parents, worried about the vaccines’ safety, are pushing back.", + "content": "The country regards children as crucial in its quest for herd immunity, but some parents, worried about the vaccines’ safety, are pushing back.", + "category": "China", + "link": "https://www.nytimes.com/2021/12/06/business/china-covid-vaccine-children.html", + "creator": "Alexandra Stevenson and Cao Li", + "pubDate": "Mon, 06 Dec 2021 13:23:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91969,16 +118200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f14b1233c45812d809e6daf21c99c2d7" + "hash": "8ce23553e8c80b00825e5f26c4bd0966" }, { - "title": " N.Y.C. Grants Noncitizens Right to Vote in Local Elections", - "description": "The legislation approved by the City Council will set up a system for legal residents to vote in municipal elections.", - "content": "The legislation approved by the City Council will set up a system for legal residents to vote in municipal elections.", - "category": "Voting Rights, Registration and Requirements", - "link": "https://www.nytimes.com/2021/12/09/nyregion/noncitizens-voting-rights-nyc.html", - "creator": "Jeffery C. Mays and Annie Correal", - "pubDate": "Thu, 09 Dec 2021 23:52:21 +0000", + "title": "The Pandemic Has Your Blood Pressure Rising? You’re Not Alone.", + "description": "Average blood pressure readings increased as the coronavirus spread, new research suggests. The finding portends medical repercussions far beyond Covid-19.", + "content": "Average blood pressure readings increased as the coronavirus spread, new research suggests. The finding portends medical repercussions far beyond Covid-19.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/12/06/health/covid-blood-pressure.html", + "creator": "Roni Caryn Rabin", + "pubDate": "Mon, 06 Dec 2021 18:23:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -91989,16 +118220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e6a97d83baea36c1ef0369ae4d1a2b3" + "hash": "349359d3aaa1e9d0f6adb3e261ac393f" }, { - "title": "Hoping for a Dog Phone? You May Have a Long Wait.", - "description": "A scientist in Scotland tested a so-called DogPhone to let her dog make video calls. He did use it, but mostly by mistake.", - "content": "A scientist in Scotland tested a so-called DogPhone to let her dog make video calls. He did use it, but mostly by mistake.", - "category": "Animal Behavior", - "link": "https://www.nytimes.com/2021/12/09/science/dog-video-call-separation-anxiety.html", - "creator": "Christine Chung", - "pubDate": "Thu, 09 Dec 2021 17:00:54 +0000", + "title": "Justice Dept. Files Voting Rights Suit Against Texas Over New Map", + "description": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", + "content": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", + "category": "Voting Rights Act (1965)", + "link": "https://www.nytimes.com/2021/12/06/us/politics/justice-department-texas-voting.html", + "creator": "Katie Benner", + "pubDate": "Mon, 06 Dec 2021 19:26:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92009,16 +118240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "45dff1fbcae774396538238a4e1ae387" + "hash": "11251f8596c2652e87940cf5cfc601c6" }, { - "title": "I Play Video Games With My 4-Year-Old, and That's OK", - "description": "Video games may not be harmless, but what are you going to do?", - "content": "Video games may not be harmless, but what are you going to do?", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/09/opinion/video-games-kids.html", - "creator": "Jay Caspian Kang", - "pubDate": "Thu, 09 Dec 2021 20:00:04 +0000", + "title": "Donald Trump’s Media Company Deal Is Being Investigated", + "description": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", + "content": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 18:57:38 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92029,16 +118260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "551ad319b15e0edbf81cd9b0fec4a7ac" + "hash": "8e3c8d140c126a1e4f0013664054284c" }, { - "title": "Democrats' Infighting Only Helps Republicans", - "description": "The party’s infighting and pessimism are just what Republicans savor.", - "content": "The party’s infighting and pessimism are just what Republicans savor.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/09/opinion/biden-democrats-cooperation.html", - "creator": "Frank Bruni", - "pubDate": "Thu, 09 Dec 2021 17:21:14 +0000", + "title": "Bearing Witness to Svalbard’s Fragile Splendor", + "description": "To visitors, the Norwegian archipelago can seem both ethereal and eternal. But climate change all but guarantees an eventual collapse of its vulnerable ecosystem.", + "content": "To visitors, the Norwegian archipelago can seem both ethereal and eternal. But climate change all but guarantees an eventual collapse of its vulnerable ecosystem.", + "category": "Travel and Vacations", + "link": "https://www.nytimes.com/2021/12/06/travel/svalbard-climate-change-tourism.html", + "creator": "Marcus Westberg", + "pubDate": "Mon, 06 Dec 2021 10:00:22 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92049,16 +118280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "17034be27c51d2336297deba4c75f13a" + "hash": "997aefaf47c97563d260037e28c69751" }, { - "title": "Al Hirschfeld's Drawings Captured Stephen Sondheim Better Than Any Photo", - "description": "These nine portraits of Sondheim musicals, from “West Side Story” and “Gypsy” to “Into the Woods” and “Passion,” sparked this theater-goer’s memory.", - "content": "These nine portraits of Sondheim musicals, from “West Side Story” and “Gypsy” to “Into the Woods” and “Passion,” sparked this theater-goer’s memory.", - "category": "Sondheim, Stephen", - "link": "https://www.nytimes.com/2021/12/09/opinion/stephen-sondheim-al-hirschfeld.html", - "creator": "Ben Brantley", - "pubDate": "Thu, 09 Dec 2021 10:00:21 +0000", + "title": "What Can One Life Tell Us About the Battle Against H.I.V.?", + "description": "In 2001, U.N. estimates suggested 150 million people would be infected with H.I.V. by 2021. That preceded an ambitious global campaign to curb the virus. How well did it work?", + "content": "In 2001, U.N. estimates suggested 150 million people would be infected with H.I.V. by 2021. That preceded an ambitious global campaign to curb the virus. How well did it work?", + "category": "Acquired Immune Deficiency Syndrome", + "link": "https://www.nytimes.com/2021/12/02/health/hiv-aids-infection-epidemic-un.html", + "creator": "Sarika Bansal", + "pubDate": "Thu, 02 Dec 2021 10:00:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92069,16 +118300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "de55ebecbe308d80b33ec79538c6b192" + "hash": "339cc02f81565d03d63a84996c002ee2" }, { - "title": "Biden’s Democracy Summit Sells Democracy Short", - "description": "Biden’s democracy summit sells the concept short.", - "content": "Biden’s democracy summit sells the concept short.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/12/09/opinion/biden-democracy-summit.html", - "creator": "Jan-Werner Müller", - "pubDate": "Thu, 09 Dec 2021 10:00:08 +0000", + "title": "A Terrible Catch-22", + "description": "Should wrongfully convicted people falsely admit guilt to win parole?", + "content": "Should wrongfully convicted people falsely admit guilt to win parole?", + "category": "", + "link": "https://www.nytimes.com/2021/12/06/briefing/wrongful-convictions-parole.html", + "creator": "David Leonhardt", + "pubDate": "Mon, 06 Dec 2021 11:29:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92089,16 +118320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d4d54e2247767918165d9ad7d6d7f52" + "hash": "a78f18cc8a6763af9ba3e87e1562a392" }, { - "title": "Social Media Companies Are Trying to Co-opt the First Amendment", - "description": "They want the same protections newspapers enjoy. But they are not newspapers.", - "content": "They want the same protections newspapers enjoy. But they are not newspapers.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/09/opinion/social-media-first-amendment.html", - "creator": "Jameel Jaffer and Scott Wilkens", - "pubDate": "Thu, 09 Dec 2021 10:00:11 +0000", + "title": "A Thriller in Vermont and a Camera Floating in the Ocean", + "description": "Our critic recommends old and new books.", + "content": "Our critic recommends old and new books.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/04/books/read-like-the-wind.html", + "creator": "Molly Young", + "pubDate": "Sat, 04 Dec 2021 13:00:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92109,16 +118340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c2ff7b508984c98de6ddf7ae8d2b547" + "hash": "f13a703621329fed58a7e421baa769f2" }, { - "title": "I'm Done Trying to Understand or Educate the Unvaccinated", - "description": "They don’t only leave themselves vulnerable to the virus, they make everyone more vulnerable.", - "content": "They don’t only leave themselves vulnerable to the virus, they make everyone more vulnerable.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/08/opinion/unvaccinated-people-anti-vaxxers.html", - "creator": "Charles M. Blow", - "pubDate": "Thu, 09 Dec 2021 02:33:22 +0000", + "title": "Predicting the Future Is Possible. These ‘Superforecasters’ Know How.", + "description": "The psychologist Philip Tetlock on the art and science of prediction.", + "content": "The psychologist Philip Tetlock on the art and science of prediction.", + "category": "audio-neutral-informative", + "link": "https://www.nytimes.com/2021/12/03/opinion/ezra-klein-podcast-philip-tetlock.html", + "creator": "‘The Ezra Klein Show’", + "pubDate": "Fri, 03 Dec 2021 10:00:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92129,16 +118360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dec7d28ee2c458b7025a75ab5b2d5c2f" + "hash": "ede45c011f8b6de5596224f56c912866" }, { - "title": "School District Investigates Claims of Longtime Sexual Misconduct by Teachers", - "description": "Six teachers from Babylon High School have been placed on leave as the investigation continues and alumnae come forward with claims.", - "content": "Six teachers from Babylon High School have been placed on leave as the investigation continues and alumnae come forward with claims.", - "category": "Child Abuse and Neglect", - "link": "https://www.nytimes.com/2021/12/08/nyregion/babylon-high-school-teachers-allegations.html", - "creator": "Sarah Maslin Nir", - "pubDate": "Wed, 08 Dec 2021 10:00:18 +0000", + "title": "Witness Says Maxwell Recruited Her for Sexual Encounters With Epstein", + "description": "A woman told jurors that Ghislaine Maxwell played a direct role in arranging her encounters with Jeffrey Epstein. See updates on the trial here.", + "content": "A woman told jurors that Ghislaine Maxwell played a direct role in arranging her encounters with Jeffrey Epstein. See updates on the trial here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 20:43:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92149,16 +118380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b54ff77e60f287f0967214c65e47bff" + "hash": "8638fb7f098e1f5c3d20b43ddb0fd871" }, { - "title": "A Penny for Your Squats? A Tiny Monetary Award Motivated Hundreds to Exercise.", - "description": "Among 52 incentives to exercise, giving people a 9-cent award if they returned to the gym after missing a workout helped the most.", - "content": "Among 52 incentives to exercise, giving people a 9-cent award if they returned to the gym after missing a workout helped the most.", - "category": "Nature (Journal)", - "link": "https://www.nytimes.com/2021/12/08/well/move/exercise-motivation-study.html", - "creator": "Gretchen Reynolds", - "pubDate": "Wed, 08 Dec 2021 16:00:05 +0000", + "title": "Three of a Group of Missionaries Kidnapped in Haiti Have Been Released", + "description": "The U.S. Christian aid group said three more people were released of the 17 who had been kidnapped by a gang in Haiti. Two were released last month.", + "content": "The U.S. Christian aid group said three more people were released of the 17 who had been kidnapped by a gang in Haiti. Two were released last month.", + "category": "Kidnapping and Hostages", + "link": "https://www.nytimes.com/2021/12/06/world/americas/hostages-haiti.html", + "creator": "Oscar Lopez and Maria Abi-Habib", + "pubDate": "Mon, 06 Dec 2021 18:02:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92169,16 +118400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "383d6f73da85f9b39ad3c7fd97dd89e4" + "hash": "3b7a2c813e3c667eb488dd6947a61ecb" }, { - "title": "Fox News Christmas Tree Is Set on Fire in Manhattan", - "description": "The 50-foot tree had been ceremonially lit days earlier during a broadcast. The police said that a man was in custody in connection with the blaze.", - "content": "The 50-foot tree had been ceremonially lit days earlier during a broadcast. The police said that a man was in custody in connection with the blaze.", - "category": "Avenue of the Americas (Manhattan, NY)", - "link": "https://www.nytimes.com/2021/12/08/nyregion/fox-christmas-tree-fire.html", - "creator": "Mike Ives", - "pubDate": "Thu, 09 Dec 2021 00:45:31 +0000", + "title": "Storm Could Cause ‘Catastrophic Flooding’ in Hawaii, Forecasters Warn", + "description": "Some parts of the islands could see as much as 25 inches of rain through Tuesday, meteorologists said. “This is an extreme weather event,” an emergency official said on Monday.", + "content": "Some parts of the islands could see as much as 25 inches of rain through Tuesday, meteorologists said. “This is an extreme weather event,” an emergency official said on Monday.", + "category": "Floods", + "link": "https://www.nytimes.com/2021/12/06/us/hawaii-flooding.html", + "creator": "Eduardo Medina", + "pubDate": "Mon, 06 Dec 2021 19:14:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92189,16 +118420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5aea31ccceb5ae5f70cdd989a7971618" + "hash": "99176510198d474ef0f750ebcc96e22c" }, { - "title": "It’s a Christmas Sweater on a T. Rex: You Sure You Want to Call It Ugly?", - "description": "The Natural History Museum in London outfitted its animatronic Tyrannosaurus rex in a colorful Christmas sweater.", - "content": "The Natural History Museum in London outfitted its animatronic Tyrannosaurus rex in a colorful Christmas sweater.", - "category": "Museums", - "link": "https://www.nytimes.com/2021/12/08/world/europe/t-rex-christmas-jumper-natural-history-museum.html", - "creator": "Maria Cramer", - "pubDate": "Wed, 08 Dec 2021 13:17:16 +0000", + "title": "Jussie Smollett Testifies at Trial on Charges He Staged an Attack on Himself", + "description": "The actor, who is accused of directing two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", + "content": "The actor, who is accused of directing two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/06/arts/television/jussie-smollett-trial-testimony.html", + "creator": "Julia Jacobs and Mark Guarino", + "pubDate": "Mon, 06 Dec 2021 20:20:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92209,16 +118440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c1a95487547330c8b0d9826869641df1" + "hash": "9c9e89726e2b043dce03c4451bd4d22c" }, { - "title": "Booster Shots, Bob Dole, ‘Sex and the City’: Your Thursday Evening Briefing", - "description": "Here’s what you need to know at the end of the day.", - "content": "Here’s what you need to know at the end of the day.", - "category": "", - "link": "https://www.nytimes.com/2021/12/09/briefing/booster-shots-bob-dole-sex-and-the-city.html", - "creator": "Remy Tumin", - "pubDate": "Thu, 09 Dec 2021 23:08:46 +0000", + "title": "NASA Announces 10 New Astronaut Recruits", + "description": "The recruits, selected from a pool of 12,000 applicants, will begin two years of training, and some of them may one day walk on the moon.", + "content": "The recruits, selected from a pool of 12,000 applicants, will begin two years of training, and some of them may one day walk on the moon.", + "category": "National Aeronautics and Space Administration", + "link": "https://www.nytimes.com/2021/12/06/science/nasa-astronaut-class.html", + "creator": "Joey Roulette", + "pubDate": "Mon, 06 Dec 2021 18:25:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92229,16 +118460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f53875afac9044ad912e28141bb000b0" + "hash": "cee241507e51e0ed4454259d8253410b" }, { - "title": "Talking About the Best Books of 2021", - "description": "On a special episode of the podcast, taped live, editors from The New York Times Book Review discuss this year’s outstanding fiction and nonfiction.", - "content": "On a special episode of the podcast, taped live, editors from The New York Times Book Review discuss this year’s outstanding fiction and nonfiction.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/03/books/review/podcast-best-books-2021.html", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 21:05:02 +0000", + "title": "After 8 Wolves Are Poisoned, Oregon Police Ask for Help", + "description": "From February to July, an entire pack and three other wolves were found dead from poisoning, according to the authorities.", + "content": "From February to July, an entire pack and three other wolves were found dead from poisoning, according to the authorities.", + "category": "Wolves", + "link": "https://www.nytimes.com/2021/12/06/us/oregon-wolves-poisoned.html", + "creator": "Johnny Diaz", + "pubDate": "Mon, 06 Dec 2021 19:24:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92249,16 +118480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cd993824fbd184ec0ab2388084c50006" + "hash": "fa85f6f6e3c8e18ca0599cbf435adb5b" }, { - "title": "‘Kids Are Dying. How Are These Sites Still Allowed?’", - "description": "Inside the Times investigation into a web page that facilitates suicide, and why it has proved so difficult to shut down.", - "content": "Inside the Times investigation into a web page that facilitates suicide, and why it has proved so difficult to shut down.", - "category": "Deaths (Fatalities)", - "link": "https://www.nytimes.com/2021/12/09/podcasts/the-daily/suicide-investigation.html", - "creator": "Michael Barbaro, Austin Mitchell, Asthaa Chaturvedi, Rob Szypko, Larissa Anderson, Liz O. Baylen, Dan Powell and Chris Wood", - "pubDate": "Thu, 09 Dec 2021 14:22:48 +0000", + "title": "17 Covid Cases Found Aboard Cruise Ship in New Orleans", + "description": "The Norwegian Cruise Line ship, carrying more than 3,200 people, made stops in Belize, Honduras and Mexico. A crew member probably has the Omicron variant, health officials said.", + "content": "The Norwegian Cruise Line ship, carrying more than 3,200 people, made stops in Belize, Honduras and Mexico. A crew member probably has the Omicron variant, health officials said.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/06/us/new-orleans-cruise-ship-covid.html", + "creator": "Derrick Bryson Taylor", + "pubDate": "Mon, 06 Dec 2021 13:26:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92269,16 +118500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f777c62cbfc46a13bb7087b820251968" + "hash": "6cfa2507dec34b5ccebf49fd30c7f736" }, { - "title": "两届北京奥运会为何“冰火两重天”", - "description": "2008年北京夏季奥运会也曾面临抵制呼声,但最终人们记住更多的是精彩的开幕式和赛事,以及一个蓬勃发展并且张开双臂拥抱世界的中国。14年后,北京冬奥会再次遭遇抵制,这一次有什么不同?", - "content": "2008年北京夏季奥运会也曾面临抵制呼声,但最终人们记住更多的是精彩的开幕式和赛事,以及一个蓬勃发展并且张开双臂拥抱世界的中国。14年后,北京冬奥会再次遭遇抵制,这一次有什么不同?", - "category": "", - "link": "https://www.nytimes.com/zh-hans/2021/12/09/world/asia/beijing-olympics-boycott.html", - "creator": "Rong Xiaoqing", - "pubDate": "Thu, 09 Dec 2021 09:25:56 +0000", + "title": "Yes, Kids Can Get Migraines. Here Are the Signs.", + "description": "The chronic condition, typically thought of as an ‘adult’ problem, can affect up to 3 percent of kids between 3 and 7.", + "content": "The chronic condition, typically thought of as an ‘adult’ problem, can affect up to 3 percent of kids between 3 and 7.", + "category": "Migraine Headaches", + "link": "https://www.nytimes.com/2020/05/14/parenting/child-migraines-signs.html", + "creator": "Emily Sohn", + "pubDate": "Thu, 14 May 2020 19:11:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92289,16 +118520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7003854a3be824f5158565c492875d56" + "hash": "d98308559011e31f60269fdaa5b4f469" }, { - "title": "Letitia James Drops Out of N.Y. Governor’s Race", - "description": "The move by the state attorney general, which instantly upended the high-profile governor’s race, seemed to solidify the front-runner status of the Democratic incumbent, Gov. Kathy Hochul.", - "content": "The move by the state attorney general, which instantly upended the high-profile governor’s race, seemed to solidify the front-runner status of the Democratic incumbent, Gov. Kathy Hochul.", - "category": "James, Letitia", - "link": "https://www.nytimes.com/2021/12/09/nyregion/letitia-james-drops-out-governor.html", - "creator": "Katie Glueck and Nicholas Fandos", - "pubDate": "Thu, 09 Dec 2021 19:00:39 +0000", + "title": "‘The Fortune Men,’ a Novel That Remembers a Man Wrongly Sentenced to Death", + "description": "Nadifa Mohamed’s third novel, shortlisted for this year’s Booker Prize, is about Mahmood Mattan, a young Somali sailor who was falsely accused of a violent murder.", + "content": "Nadifa Mohamed’s third novel, shortlisted for this year’s Booker Prize, is about Mahmood Mattan, a young Somali sailor who was falsely accused of a violent murder.", + "category": "The Fortune Men (Book)", + "link": "https://www.nytimes.com/2021/12/05/books/review-fortune-men-nadifa-mohamed.html", + "creator": "Dwight Garner", + "pubDate": "Sun, 05 Dec 2021 19:35:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92309,16 +118540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "67a7a69cc38990f8531840ddc09bb515" + "hash": "10403b211a719478bdfab4f557fd528f" }, { - "title": "Biden's Democracy Summit Convenes as U.S. Hits a ‘Rough Patch’", - "description": "The president kicked off his summit as critics questioned the guest list and whether the United States could be an effective advocate for democracy amid problems at home.", - "content": "The president kicked off his summit as critics questioned the guest list and whether the United States could be an effective advocate for democracy amid problems at home.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/12/09/us/politics/biden-democracy-summit.html", - "creator": "Michael Crowley and Zolan Kanno-Youngs", - "pubDate": "Fri, 10 Dec 2021 00:19:10 +0000", + "title": "Review: ‘Landscapers’ Is Not Your Typical True-Crime Love Story", + "description": "Olivia Colman and David Thewlis star in this HBO tale of devotion, murdered parents and very expensive autographs.", + "content": "Olivia Colman and David Thewlis star in this HBO tale of devotion, murdered parents and very expensive autographs.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/05/arts/television/landscapers-review.html", + "creator": "Mike Hale", + "pubDate": "Sun, 05 Dec 2021 20:18:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92329,16 +118560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4029c6335f9538ead0d29c9f0225dab3" + "hash": "6b848d8b1190668be3ee66a9d90067d7" }, { - "title": "The Smaller, Everyday Deals for College Athletes Under New Rules", - "description": "Although players with six-figure deals have attracted most of the public attention, thousands of athletes are pulling in just enough for books or date nights under name, image and likeness agreements.", - "content": "Although players with six-figure deals have attracted most of the public attention, thousands of athletes are pulling in just enough for books or date nights under name, image and likeness agreements.", - "category": "Student Athlete Compensation", - "link": "https://www.nytimes.com/2021/12/09/sports/ncaafootball/college-athletes-nil-deals.html", - "creator": "Alan Blinder", - "pubDate": "Thu, 09 Dec 2021 22:24:04 +0000", + "title": "Fish Stew With Radicchio-Fennel Salad and Granita", + "description": "No matter what ingredients you use, this bold, briny stew from David Tanis sings alongside a radicchio-fennel salad and a grapefruit granita.", + "content": "No matter what ingredients you use, this bold, briny stew from David Tanis sings alongside a radicchio-fennel salad and a grapefruit granita.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/06/dining/fish-stew-recipe.html", + "creator": "David Tanis", + "pubDate": "Mon, 06 Dec 2021 14:40:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92349,16 +118580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "226064855eba85642443b53e966d7840" + "hash": "6741d5e4284defe07252dff99795e165" }, { - "title": "Citizen Enforcement of Abortion Law Violates Texas Constitution, Judge Rules", - "description": "A state judge said the approach inappropriately granted standing and denied due process. Abortion providers said they would expand services if the State Supreme Court upheld the ruling.", - "content": "A state judge said the approach inappropriately granted standing and denied due process. Abortion providers said they would expand services if the State Supreme Court upheld the ruling.", - "category": "Law and Legislation", - "link": "https://www.nytimes.com/2021/12/09/us/texas-abortion-law-unconstitutional.html", - "creator": "J. David Goodman", - "pubDate": "Fri, 10 Dec 2021 01:14:19 +0000", + "title": "Magnus Carlsen Controls World Chess Championship After Two Wins", + "description": "With two wins in his pocket, Magnus Carlsen knows only a huge stumble will keep from retaining the world title he has held since 2013.", + "content": "With two wins in his pocket, Magnus Carlsen knows only a huge stumble will keep from retaining the world title he has held since 2013.", + "category": "Carlsen, Magnus", + "link": "https://www.nytimes.com/2021/12/06/sports/magnus-carlsen-world-chess.html", + "creator": "Dylan Loeb McClain", + "pubDate": "Mon, 06 Dec 2021 15:44:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92369,16 +118600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed7a244bdd1e85dcb7fddb6b01205df3" + "hash": "ff5f6de3fb724c9885bc52a923b247b2" }, { - "title": "Met Museum Removes Sackler Name From Wing Over Opioid Ties", - "description": "The museum and the Sackler family announced that the name would be removed from seven exhibition spaces, including the wing that houses the Temple of Dendur.", - "content": "The museum and the Sackler family announced that the name would be removed from seven exhibition spaces, including the wing that houses the Temple of Dendur.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/09/arts/design/met-museum-sackler-wing.html", - "creator": "Robin Pogrebin", - "pubDate": "Thu, 09 Dec 2021 20:21:02 +0000", + "title": "United States Will Not Send Government Officials to Beijing Olympics", + "description": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", + "content": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/06/us/politics/olympics-beijing-boycott.html", + "creator": "Zolan Kanno-Youngs", + "pubDate": "Mon, 06 Dec 2021 18:59:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92389,16 +118620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1c2c895c3a64d10ea4e65a0cc971861" + "hash": "9bcd041dc33e5a00580aeedc566ca182" }, { - "title": "Columbus Reaches $5.75 Million Settlement Agreement With Protesters", - "description": "Under the deal, which is subject to City Council approval, the money would go to 32 plaintiffs who said they were injured by the police during 2020 social justice protests.", - "content": "Under the deal, which is subject to City Council approval, the money would go to 32 plaintiffs who said they were injured by the police during 2020 social justice protests.", - "category": "George Floyd Protests (2020)", - "link": "https://www.nytimes.com/2021/12/09/us/columbus-settlement-protests-police.html", - "creator": "Jesus Jiménez", - "pubDate": "Fri, 10 Dec 2021 04:00:03 +0000", + "title": "China Cuts RRR as Evergrande and Kaisa Face Deadlines", + "description": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", + "content": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", + "category": "China Evergrande Group", + "link": "https://www.nytimes.com/2021/12/06/business/china-evergrande-kaisa-property.html", + "creator": "Alexandra Stevenson and Cao Li", + "pubDate": "Mon, 06 Dec 2021 19:28:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92409,16 +118640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9cfea924d3445f7a6681cad9878cadd" + "hash": "70a33bf0ee7e15d0763c160e4789192c" }, { - "title": "Taiwan Loses Nicaragua as Ally as Tensions With China Rise", - "description": "The nation switched diplomatic allegiance to Beijing, leaving 13 nations and the Vatican still recognizing Taiwan as a sovereign nation.", - "content": "The nation switched diplomatic allegiance to Beijing, leaving 13 nations and the Vatican still recognizing Taiwan as a sovereign nation.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/10/world/asia/taiwan-nicaragua-china.html", - "creator": "Steven Lee Myers", - "pubDate": "Fri, 10 Dec 2021 03:01:59 +0000", + "title": "Maxwell Trial’s Second Accuser Describes Being Introduced to Epstein", + "description": "A woman identified as “Kate” testified that Ghislaine Maxwell groomed her for sexual encounters with Jeffrey Epstein. Follow updates here.", + "content": "A woman identified as “Kate” testified that Ghislaine Maxwell groomed her for sexual encounters with Jeffrey Epstein. Follow updates here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 17:51:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92429,16 +118660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "61063fe511d70f269b0d4b094c9ec1b0" + "hash": "2005aa745b7764d7e36387d95d97ef81" }, { - "title": "Barry Harris, Pianist and Devoted Scholar of Bebop, Dies at 91", - "description": "For decades, he performed, taught and toured with unflagging devotion. He also helped to lay the foundation for the widespread academic study of jazz.", - "content": "For decades, he performed, taught and toured with unflagging devotion. He also helped to lay the foundation for the widespread academic study of jazz.", - "category": "Harris, Barry", - "link": "https://www.nytimes.com/2021/12/09/arts/music/barry-harris-dead.html", - "creator": "Giovanni Russonello", - "pubDate": "Thu, 09 Dec 2021 23:15:44 +0000", + "title": "Pope Exploring a 2nd Meeting With Russian Orthodox Church", + "description": "Speaking after his trip to Cyprus and Greece, Francis also said he had no choice but to accept the resignation of the archbishop of Paris because of the harmful gossip surrounding him.", + "content": "Speaking after his trip to Cyprus and Greece, Francis also said he had no choice but to accept the resignation of the archbishop of Paris because of the harmful gossip surrounding him.", + "category": "Middle East and Africa Migrant Crisis", + "link": "https://www.nytimes.com/2021/12/06/world/europe/pope-russian-orthodox-church.html", + "creator": "Jason Horowitz", + "pubDate": "Mon, 06 Dec 2021 18:16:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92449,16 +118680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "682c88128a2efb24d877a89b99c47e8a" + "hash": "545070886a6f642e1f4680d97b9affed" }, { - "title": "U.S. Announces End to Combat Mission in Iraq, but Troops Will Not Leave", - "description": "The U.S. military said it had transitioned to an advise and assist mission in the country, but the roughly 2,500 service members on the ground will remain, staying on in support roles.", - "content": "The U.S. military said it had transitioned to an advise and assist mission in the country, but the roughly 2,500 service members on the ground will remain, staying on in support roles.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/09/world/middleeast/us-iraq-combat-mission.html", - "creator": "Jane Arraf", - "pubDate": "Thu, 09 Dec 2021 20:24:37 +0000", + "title": "Aung San Suu Kyi Falls, but Myanmar’s Democratic Hopes Move On", + "description": "The ousted civilian leader faces years in custody after being sentenced on the first of several charges. In her absence, a new generation of younger, more progressive politicians is emerging.", + "content": "The ousted civilian leader faces years in custody after being sentenced on the first of several charges. In her absence, a new generation of younger, more progressive politicians is emerging.", + "category": "Myanmar", + "link": "https://www.nytimes.com/2021/12/06/world/asia/myanmar-aung-san-suu-kyi.html", + "creator": "Sui-Lee Wee and Richard C. Paddock", + "pubDate": "Mon, 06 Dec 2021 11:19:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92469,16 +118700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e6d7fbaef30173a35bfe11fa31fdd6b" + "hash": "fbe13711f847876405ef69f0ff79ced9" }, { - "title": "William Hartmann, 63, Michigan Official Who Disputed Election, Dies", - "description": "He refused to certify Joseph Biden’s victory over Donald Trump in Detroit but later relented. A foe of Covid vaccines, he was hospitalized with the virus.", - "content": "He refused to certify Joseph Biden’s victory over Donald Trump in Detroit but later relented. A foe of Covid vaccines, he was hospitalized with the virus.", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/09/us/politics/william-hartmann-dead.html", - "creator": "Katharine Q. Seelye", - "pubDate": "Fri, 10 Dec 2021 00:56:38 +0000", + "title": "China Cuts RRR as Evergrande, Kaisa Face Deadlines", + "description": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", + "content": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", + "category": "China Evergrande Group", + "link": "https://www.nytimes.com/2021/12/06/business/china-evergrande-kaisa-property.html", + "creator": "Alexandra Stevenson and Cao Li", + "pubDate": "Mon, 06 Dec 2021 12:33:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92489,16 +118720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9615b07a7eff38b0050a04063dd4ed81" + "hash": "313ddb2e9956e9a9c3c0f3b00cb1fe49" }, { - "title": "The Health Toll of Poor Sleep", - "description": "Finding that slumber sweet spot can be helpful for fending off a range of mental and bodily ills.", - "content": "Finding that slumber sweet spot can be helpful for fending off a range of mental and bodily ills.", - "category": "Sleep", - "link": "https://www.nytimes.com/2021/12/06/well/mind/sleep-health.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 06 Dec 2021 16:49:46 +0000", + "title": "Max Rose to Run for House, Seeking a Rematch Against Malliotakis", + "description": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative New York City district that includes Staten Island.", + "content": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative New York City district that includes Staten Island.", + "category": "Rose, Max (1986- )", + "link": "https://www.nytimes.com/2021/12/06/nyregion/max-rose-congress-malliotakis.html", + "creator": "Katie Glueck", + "pubDate": "Mon, 06 Dec 2021 16:07:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92509,16 +118740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ac16a4572c9f638f9b3eeb4a06c5eca" + "hash": "38b07a7cd092d3b42ec665651c0f7367" }, { - "title": "The Quiet Brain of the Athlete", - "description": "The brains of fit, young athletes dial down extraneous noise and attend to important sounds better than those of other young people.", - "content": "The brains of fit, young athletes dial down extraneous noise and attend to important sounds better than those of other young people.", - "category": "Athletics and Sports", - "link": "https://www.nytimes.com/2019/12/18/well/move/sports-athletes-brain-hearing-noise-running.html", - "creator": "Gretchen Reynolds", - "pubDate": "Wed, 18 Dec 2019 18:13:28 +0000", + "title": "Karl Nehammer Becomes Scandal-Shaken Austria's 3rd Chancellor This Year ", + "description": "Karl Nehammer, the former interior minister, becomes the country’s leader two months after the resignation of Sebastian Kurz, amid an investigation into corruption and influence-peddling.", + "content": "Karl Nehammer, the former interior minister, becomes the country’s leader two months after the resignation of Sebastian Kurz, amid an investigation into corruption and influence-peddling.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/06/world/europe/austria-chancellor-nehammer-kurz.html", + "creator": "Isabella Kwai and Christopher F. Schuetze", + "pubDate": "Mon, 06 Dec 2021 14:54:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92529,16 +118760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4cd3fe2cda4755aa041e2817bd8ac4e5" + "hash": "f0c77ba4d4e9b07eb4a7cb09fd128998" }, { - "title": "On Wintry Runs, Finding a Room of My Own", - "description": "When I go running in slush and snow, ideas can break loose and float to the surface like little ice floes.", - "content": "When I go running in slush and snow, ideas can break loose and float to the surface like little ice floes.", - "category": "Running", - "link": "https://www.nytimes.com/2019/03/20/well/move/on-wintry-runs-finding-a-room-of-my-own.html", - "creator": "Caitlin Shetterly", - "pubDate": "Wed, 20 Mar 2019 09:00:02 +0000", + "title": "How Will N.Y. Religious Schools Respond to a Vaccine Mandate?", + "description": "Mayor Bill de Blasio set a vaccine mandate for religious and private schools. Jewish and Catholic leaders are frustrated, and some have predicted legal challenges.", + "content": "Mayor Bill de Blasio set a vaccine mandate for religious and private schools. Jewish and Catholic leaders are frustrated, and some have predicted legal challenges.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/06/nyregion/vaccine-mandate-religious-yeshiva.html", + "creator": "Emma G. Fitzsimmons, Liam Stack and Jeffery C. Mays", + "pubDate": "Mon, 06 Dec 2021 10:00:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92549,16 +118780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad16c4d0bfe9a8270a3c14ef8cb90194" + "hash": "ccd01ec68b160b47b812310d6ef16169" }, { - "title": "The Year on the Red Carpet", - "description": "All that pent-up dressing up finally found an outlet. If it wasn’t a carpet per se, it was a public moment.", - "content": "All that pent-up dressing up finally found an outlet. If it wasn’t a carpet per se, it was a public moment.", - "category": "Fashion and Apparel", - "link": "https://www.nytimes.com/2021/12/08/style/the-year-on-the-red-carpet.html", - "creator": "Vanessa Friedman", - "pubDate": "Wed, 08 Dec 2021 17:13:14 +0000", + "title": "Bob Dole Embodied ‘Shared Values’ in Washington", + "description": "Bob Dole, a Kansas Republican, brought his no-nonsense manner to Washington, cutting deals during a bygone era. “He was in a sense Mr. America,” the historian Robert Dallek said.", + "content": "Bob Dole, a Kansas Republican, brought his no-nonsense manner to Washington, cutting deals during a bygone era. “He was in a sense Mr. America,” the historian Robert Dallek said.", + "category": "Dole, Bob", + "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-senate.html", + "creator": "Sheryl Gay Stolberg", + "pubDate": "Mon, 06 Dec 2021 00:02:38 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92569,16 +118800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "02fc67d2e766c161037cff88447334b9" + "hash": "2adde6cc0c48d2dfcfe26083a21a299e" }, { - "title": "Bethan Laura Wood's Fantastical London Home", - "description": "Bethan Laura Wood has made her name dreaming up transportive rainbow-hued furniture and housewares. Her own London home is just as fantastical.", - "content": "Bethan Laura Wood has made her name dreaming up transportive rainbow-hued furniture and housewares. Her own London home is just as fantastical.", - "category": "Wood, Bethan Laura", - "link": "https://www.nytimes.com/2021/11/30/t-magazine/bethan-laura-wood-home-design.html", - "creator": "Meara Sharma", - "pubDate": "Fri, 03 Dec 2021 20:00:42 +0000", + "title": "Bob Dole, Old Soldier and Stalwart of the Senate, Dies at 98", + "description": "Mr. Dole, a son of the Kansas prairie who was left for dead on a World War II battlefield, became one of the longest-serving Republican leaders.", + "content": "Mr. Dole, a son of the Kansas prairie who was left for dead on a World War II battlefield, became one of the longest-serving Republican leaders.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-dead.html", + "creator": "Katharine Q. Seelye", + "pubDate": "Sun, 05 Dec 2021 18:53:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92589,16 +118820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6f7147b70fc2a52ec2a3a39ce531e24e" + "hash": "588418dbe456bd65839c218059d7b04f" }, { - "title": "‘Red Rocket’ Review: All My XXX’s Live in Texas", - "description": "A porn star returns to his hometown in Sean Baker’s latest slice of hard-luck Americana.", - "content": "A porn star returns to his hometown in Sean Baker’s latest slice of hard-luck Americana.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/09/movies/red-rocket-review.html", - "creator": "A.O. Scott", - "pubDate": "Thu, 09 Dec 2021 16:52:52 +0000", + "title": "Why Is Russia Massing Troops on Its Ukraine Border?", + "description": "There are tactical reasons for threatening an invasion, but the real cause may lie in the Kremlin’s fixation with righting what it sees as a historical injustice.", + "content": "There are tactical reasons for threatening an invasion, but the real cause may lie in the Kremlin’s fixation with righting what it sees as a historical injustice.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/05/world/europe/putin-russia-ukraine-troops.html", + "creator": "Anton Troianovski", + "pubDate": "Sun, 05 Dec 2021 18:41:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92609,16 +118840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3253303f138fc77669aef365906aad8e" + "hash": "96c66e748c959ff063c1f977f10af4ad" }, { - "title": "Kim Abeles Turns the Climate Crisis Into Eco-art", - "description": "She doesn’t just make art about pollution, she makes art out of it. Now her “Smog Collectors” series is on view at California State University, Fullerton.", - "content": "She doesn’t just make art about pollution, she makes art out of it. Now her “Smog Collectors” series is on view at California State University, Fullerton.", - "category": "Air Pollution", - "link": "https://www.nytimes.com/2021/12/09/arts/design/pollution-abeles-art-fullerton-environment.html", - "creator": "Jori Finkel", - "pubDate": "Thu, 09 Dec 2021 23:40:59 +0000", + "title": "Myanmar Court Sentences Former Leader to 4 Years in Initial Verdicts", + "description": "Aung San Suu Kyi, who was detained in a military coup in February, faces several more charges. Catch up on the latest.", + "content": "Aung San Suu Kyi, who was detained in a military coup in February, faces several more charges. Catch up on the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/myanmar-coup-verdict-aung-san-suu-kyi", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 13:53:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92629,16 +118860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8cf7a29aa2368d0413ee2eadef029c3d" + "hash": "eca884a7b3161443aa025193f72f5d0d" }, { - "title": "New Christmas Movies to Stream on HBO Max, Disney+ and More", - "description": "A list of quality holiday movies on streaming services other than Netflix.", - "content": "A list of quality holiday movies on streaming services other than Netflix.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/09/movies/holiday-movies-streaming.html", - "creator": "Elisabeth Vincentelli", - "pubDate": "Thu, 09 Dec 2021 12:00:07 +0000", + "title": "What Does the U.S. Owe Separated Families? A Political Quandary Deepens", + "description": "Seizing on premature news of potential $450,000 payments, conservatives have added new complications to an effort to compensate migrant families separated by the Trump administration.", + "content": "Seizing on premature news of potential $450,000 payments, conservatives have added new complications to an effort to compensate migrant families separated by the Trump administration.", + "category": "Family Separation Policy (US Immigration)", + "link": "https://www.nytimes.com/2021/12/06/us/politics/family-separations-immigrants-payments.html", + "creator": "Jeremy W. Peters and Miriam Jordan", + "pubDate": "Mon, 06 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92649,16 +118880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dea509fa37a68f7a14f01fa4573638fc" + "hash": "b041bf5dbc824e9a62b2b1f8c34ac27a" }, { - "title": "Starbucks Workers in Buffalo Vote to Unionize", - "description": "The vote at one store represents a challenge to the labor model at the giant coffee retailer. Here’s the latest business news.", - "content": "The vote at one store represents a challenge to the labor model at the giant coffee retailer. Here’s the latest business news.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 20:35:48 +0000", + "title": "Why New York State Is Experiencing a Bitcoin Boom", + "description": "Cryptocurrency miners are flocking to New York’s faded industrial towns, prompting concern over the environmental impact of huge computer farms.", + "content": "Cryptocurrency miners are flocking to New York’s faded industrial towns, prompting concern over the environmental impact of huge computer farms.", + "category": "Mines and Mining", + "link": "https://www.nytimes.com/2021/12/05/nyregion/bitcoin-mining-upstate-new-york.html", + "creator": "Corey Kilgannon", + "pubDate": "Mon, 06 Dec 2021 00:42:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92669,16 +118900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11a14e360e53e947ee11de825e37177b" + "hash": "1293e91bb1b38c0f39c74020ba15cc9b" }, { - "title": "The Peerless Imagination of Greg Tate", - "description": "For four decades, he set the critical standard for elegantly intricate assessments of music, art, literature and more, writing dynamically about the resilience and paradoxes of Black creativity and life.", - "content": "For four decades, he set the critical standard for elegantly intricate assessments of music, art, literature and more, writing dynamically about the resilience and paradoxes of Black creativity and life.", - "category": "Music", - "link": "https://www.nytimes.com/2021/12/08/arts/music/greg-tate-critic.html", - "creator": "Jon Caramanica", - "pubDate": "Wed, 08 Dec 2021 22:46:59 +0000", + "title": "5 Minutes That Will Make You Love the Organ", + "description": "Listen to the biggest, loudest, most extravagant (yet incredibly subtle) instrument of them all.", + "content": "Listen to the biggest, loudest, most extravagant (yet incredibly subtle) instrument of them all.", + "category": "Musical Instruments", + "link": "https://www.nytimes.com/2021/12/03/arts/music/classical-music-organ.html", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 10:00:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92689,16 +118920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba6e4b08d4d4c34ac0c67d867ed893da" + "hash": "978773d24959de8a1a427cdb1b5992ed" }, { - "title": "The Era of the Celebrity Meal", - "description": "Fast-food chains are hungry for celebrity partners to drive sales and appeal to younger consumers. The method is working.", - "content": "Fast-food chains are hungry for celebrity partners to drive sales and appeal to younger consumers. The method is working.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/08/style/celebrity-fast-food-partnerships.html", - "creator": "Anna P. Kambhampaty and Julie Creswell", - "pubDate": "Wed, 08 Dec 2021 22:26:31 +0000", + "title": "What We Learned From Week 13 in the N.F.L.", + "description": "A rested Kyler Murray dazzled against the Bears, the Chargers went for broke to beat the Bengals, and the Lions finally won one.", + "content": "A rested Kyler Murray dazzled against the Bears, the Chargers went for broke to beat the Bengals, and the Lions finally won one.", + "category": "Football", + "link": "https://www.nytimes.com/2021/12/05/sports/football/nfl-week-13-scores.html", + "creator": "Tyler Dunne", + "pubDate": "Mon, 06 Dec 2021 13:34:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92709,16 +118940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a621254c8d4690210a1f3dfd00c7669" + "hash": "9b63a72dad5adfadfd63b11bddbde9d4" }, { - "title": "Everybody Wants to Be Your Email Buddy", - "description": "Requests, you get requests …", - "content": "Requests, you get requests …", - "category": "Campaign Finance", - "link": "https://www.nytimes.com/2021/12/08/opinion/trump-biden-email-fundraising.html", - "creator": "Gail Collins", - "pubDate": "Thu, 09 Dec 2021 00:00:05 +0000", + "title": "Feeling Hopeless About Today’s Politics?", + "description": "Readers reflect different states of mind in response to a column by Michelle Goldberg about political despair.", + "content": "Readers reflect different states of mind in response to a column by Michelle Goldberg about political despair.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/04/opinion/letters/politics-despair.html", + "creator": "", + "pubDate": "Sat, 04 Dec 2021 16:30:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92729,16 +118960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c802a69d0f59ccbc6d3f991d52da0549" + "hash": "d4c3c41b0a8858f2e65bb13b17c3b7fa" }, { - "title": "The Year America Lost Its Democracy", - "description": "Republicans mounted an all-out assault on voting rights. Democrats did little to stop them.", - "content": "Republicans mounted an all-out assault on voting rights. Democrats did little to stop them.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/08/opinion/american-democracy.html", - "creator": "Farhad Manjoo", - "pubDate": "Wed, 08 Dec 2021 20:00:09 +0000", + "title": "Oxford School Officials Announce Investigation Into Shooting", + "description": "For the first time, the school district has given its version of events. In a letter to parents and staff members, it also said it will seek an outside party to conduct an investigation.", + "content": "For the first time, the school district has given its version of events. In a letter to parents and staff members, it also said it will seek an outside party to conduct an investigation.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/05/us/oxford-michigan-school-shooting-investigation.html", + "creator": "Sophie Kasakove", + "pubDate": "Mon, 06 Dec 2021 02:23:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92749,16 +118980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f373d4ecadce73eee1850c68f77fa0f7" + "hash": "68fc1b88def2cb993dbe75d2f118c6f6" }, { - "title": "Why Is There So Much Judgment About How We Feed Our Kids?", - "description": "An interview with Priya Fielding-Singh, the author of “How the Other Half Eats.”", - "content": "An interview with Priya Fielding-Singh, the author of “How the Other Half Eats.”", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/08/opinion/inequality-parents-children.html", - "creator": "Jessica Grose", - "pubDate": "Wed, 08 Dec 2021 17:35:16 +0000", + "title": "Flooding in Washington Brings Death and Devastation to Dairies", + "description": "Near-record flooding in Washington State drowned cattle, demolished homes and damaged equipment. Broken supply chains are making it even harder to recover.", + "content": "Near-record flooding in Washington State drowned cattle, demolished homes and damaged equipment. Broken supply chains are making it even harder to recover.", + "category": "Floods", + "link": "https://www.nytimes.com/2021/12/06/us/washington-floods-dairy-farmers.html", + "creator": "Kirk Johnson", + "pubDate": "Mon, 06 Dec 2021 10:00:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92769,16 +119000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc738b492b56cf1e29e72365bdd077b4" + "hash": "ac4d3b54642e165320b76b1834a4e218" }, { - "title": "Yes, Americans Should Be Mailed Free Tests", - "description": "We need every option available to return to normal.", - "content": "We need every option available to return to normal.", - "category": "Tests (Medical)", - "link": "https://www.nytimes.com/2021/12/08/opinion/free-covid-test-biden.html", - "creator": "Aaron E. Carroll", - "pubDate": "Wed, 08 Dec 2021 20:11:08 +0000", + "title": "Ghislaine Maxwell-Jeffrey Epstein Bond Is Key to Her Trial", + "description": "The first week of testimony at Ghislaine Maxwell’s sex-trafficking trial revealed the key question at the center of the case.", + "content": "The first week of testimony at Ghislaine Maxwell’s sex-trafficking trial revealed the key question at the center of the case.", + "category": "Sex Crimes", + "link": "https://www.nytimes.com/2021/12/06/nyregion/jeffrey-esptein-ghislaine-maxwell-trial-strategy.html", + "creator": "Rebecca Davis O’Brien and Benjamin Weiser", + "pubDate": "Mon, 06 Dec 2021 08:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92789,16 +119020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd0b536fa4a3d7e8a4f5a39154aabde2" + "hash": "089a33e7c103ac2ed07ef02b1ab04f0c" }, { - "title": "The Supreme Court Faces a Voting Paradox with Abortion Decision", - "description": "Any voting system is vulnerable to inconsistency.", - "content": "Any voting system is vulnerable to inconsistency.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/08/opinion/supreme-court-abortion.html", - "creator": "Peter Coy", - "pubDate": "Wed, 08 Dec 2021 20:32:47 +0000", + "title": "Business Updates: Trump’s Media Company Deal Is Being Investigated", + "description": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", + "content": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 15:25:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92809,16 +119040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "77881d7d23341cdd3e4f6c988fcafc59" + "hash": "747c663cbc9dbbe0ed8c70f03722466f" }, { - "title": "Schools Are Closing Classrooms on Fridays. Parents Are Furious.", - "description": "Desperate to keep teachers, some districts have turned to remote teaching for one day a week — and sometimes more. Families have been left to find child care.", - "content": "Desperate to keep teachers, some districts have turned to remote teaching for one day a week — and sometimes more. Families have been left to find child care.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/08/us/schools-closed-fridays-remote-learning.html", - "creator": "Giulia Heyward", - "pubDate": "Wed, 08 Dec 2021 18:57:04 +0000", + "title": "Max Rose to Run for House in Likely Rematch Against Malliotakis", + "description": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative district that includes Staten Island.", + "content": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative district that includes Staten Island.", + "category": "Rose, Max (1986- )", + "link": "https://www.nytimes.com/2021/12/06/nyregion/max-rose-congress-malliotakis.html", + "creator": "Katie Glueck", + "pubDate": "Mon, 06 Dec 2021 15:03:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92829,16 +119060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "31bce02eed04af91094f0ad77e2b57be" + "hash": "2d9533eb15d5f18b13df8aa4da5e5ea5" }, { - "title": "The Coronavirus Attacks Fat Tissue, Scientists Find", - "description": "The research may help explain why people who are overweight and obese have been at higher risk of severe illness and death from Covid.", - "content": "The research may help explain why people who are overweight and obese have been at higher risk of severe illness and death from Covid.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/12/08/health/covid-fat-obesity.html", - "creator": "Roni Caryn Rabin", - "pubDate": "Wed, 08 Dec 2021 21:06:21 +0000", + "title": "900 Bison at Yellowstone Are Targeted for Removal", + "description": "The bison will be slaughtered, shot by hunters or relocated under a plan to address a booming population in the national park that has led to overgrazing.", + "content": "The bison will be slaughtered, shot by hunters or relocated under a plan to address a booming population in the national park that has led to overgrazing.", + "category": "Bison", + "link": "https://www.nytimes.com/2021/12/05/us/yellowstone-bison-hunt-brucellosis.html", + "creator": "Eduardo Medina", + "pubDate": "Sun, 05 Dec 2021 23:18:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92849,16 +119080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e1161874414210a59195ba59c3fd4991" + "hash": "157f3bad95777978eccafe4bba60ea5b" }, { - "title": "Frustration Over a Stalled Bill", - "description": "Democrats favor federal support for scientific research. Why can’t they agree?", - "content": "Democrats favor federal support for scientific research. Why can’t they agree?", - "category": "", - "link": "https://www.nytimes.com/2021/12/09/briefing/federal-scientific-research-democrats-stalled.html", - "creator": "David Leonhardt", - "pubDate": "Thu, 09 Dec 2021 11:30:49 +0000", + "title": "Overlooked No More: Julia Tuttle, the ‘Mother of Miami’", + "description": "She worked tirelessly to revitalize the area now known as Miami, and is widely recognized as the only woman to have founded a major American city.", + "content": "She worked tirelessly to revitalize the area now known as Miami, and is widely recognized as the only woman to have founded a major American city.", + "category": "Tuttle, Julia (1849-98)", + "link": "https://www.nytimes.com/2021/12/03/obituaries/julia-tuttle-overlooked.html", + "creator": "Elena Sheppard", + "pubDate": "Fri, 03 Dec 2021 23:10:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92869,16 +119100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f297237f8b1e1bc5206015c3a72ccbed" + "hash": "2e1b334ded925f1de5143313fb308d39" }, { - "title": "Why Humans Aren’t the Worst (Despite, Well, Everything Happening in the World)", - "description": "The historian Rutger Bregman makes a case for the “collective brilliance” of humanity.", - "content": "The historian Rutger Bregman makes a case for the “collective brilliance” of humanity.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/06/opinion/sway-kara-swisher-rutger-bregman.html", - "creator": "‘Sway’", - "pubDate": "Mon, 06 Dec 2021 10:00:08 +0000", + "title": "‘Mrs. Doubtfire’ Review: Nanny Doesn’t Know Best", + "description": "The new family-friendly musical, adapted from the hit movie, ends up cowering in the original film’s shadow.", + "content": "The new family-friendly musical, adapted from the hit movie, ends up cowering in the original film’s shadow.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/05/theater/mrs-doubtfire-review-broadway.html", + "creator": "Maya Phillips", + "pubDate": "Mon, 06 Dec 2021 03:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92889,16 +119120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "19d5123a561027f5ac9de957efb0ef08" + "hash": "a158eb4a497308eeb554b744b2235af3" }, { - "title": "In Michigan School Shooting, First Lawsuits Are Filed", - "description": "The parents of two sisters who survived the Oxford High School shootings have filed two $100 million suits against the district and its officials.", - "content": "The parents of two sisters who survived the Oxford High School shootings have filed two $100 million suits against the district and its officials.", - "category": "Oxford Charter Township, Mich, Shooting (2021)", - "link": "https://www.nytimes.com/2021/12/09/us/michigan-school-shooting-lawsuits-oxford.html", - "creator": "Dana Goldstein", - "pubDate": "Thu, 09 Dec 2021 17:58:35 +0000", + "title": "How Can I Stay Me in a Workplace Full of Suits?", + "description": "A law student seeks advice on what to wear to work.", + "content": "A law student seeks advice on what to wear to work.", + "category": "Dress Codes", + "link": "https://www.nytimes.com/2021/12/03/style/business-attire-law-ask-vanessa.html", + "creator": "Vanessa Friedman", + "pubDate": "Fri, 03 Dec 2021 22:00:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92909,16 +119140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f3107440e4e831619c1a6d7c808de96" + "hash": "95d1690607646ad82889ef64d514b80d" }, { - "title": "Bob Dole Remembered as ‘Giant of History’ in Capitol Tribute", - "description": "President Biden was among those honoring Mr. Dole, one of the longest-serving Republican leaders, as he lay in state at the Capitol.", - "content": "President Biden was among those honoring Mr. Dole, one of the longest-serving Republican leaders, as he lay in state at the Capitol.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/us/bob-dole", - "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 19:31:55 +0000", + "title": "Exploring the Dimensions of Black Power at Alvin Ailey", + "description": "Alvin Ailey American Dance Theater returns to New York City Center with stage premieres by Robert Battle and Jamar Roberts and a stunning “Lazarus.”", + "content": "Alvin Ailey American Dance Theater returns to New York City Center with stage premieres by Robert Battle and Jamar Roberts and a stunning “Lazarus.”", + "category": "Dancing", + "link": "https://www.nytimes.com/2021/12/05/arts/dance/alvin-ailey-city-center-black-power.html", + "creator": "Gia Kourlas", + "pubDate": "Sun, 05 Dec 2021 20:03:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92929,16 +119160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6d8675e66a52e2b93a103fecb1c91168" + "hash": "9c350524835a8597ef6af8fed33ec4e4" }, { - "title": "Denmark’s Prime Minister is Questioned Over Mass Mink Slaughter", - "description": "The prime minister, Mette Frederiksen, said she did not know the government lacked legal authority to order the mass slaughter of 17 million minks after infected animals passed the virus to humans.", - "content": "The prime minister, Mette Frederiksen, said she did not know the government lacked legal authority to order the mass slaughter of 17 million minks after infected animals passed the virus to humans.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/09/world/europe/denmark-mink.html", - "creator": "Thomas Erdbrink and Jasmina Nielsen", - "pubDate": "Thu, 09 Dec 2021 18:31:19 +0000", + "title": "Business Updates: Bitcoin Plunges in Weekend Trading Amid Market Volatility", + "description": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", + "content": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 12:40:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92949,16 +119180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3b22696e3b384384f55e022802b9c7b5" + "hash": "c30af2b395a7c4a85a41ff6b7cdc0231" }, { - "title": "Before Trump's SPAC Deal, a Strange Surge in Trading", - "description": "Trading in the merger partner’s warrants, which allow holders to buy shares later, spiked several times before the Trump Media agreement was made public.", - "content": "Trading in the merger partner’s warrants, which allow holders to buy shares later, spiked several times before the Trump Media agreement was made public.", - "category": "Digital World Acquisition Corp", - "link": "https://www.nytimes.com/2021/12/09/business/trump-spac-stock.html", - "creator": "Matthew Goldstein", - "pubDate": "Thu, 09 Dec 2021 18:14:01 +0000", + "title": "Buck O'Neil, Gil Hodges and Four Others Elected to Hall of Fame", + "description": "A pair of old-timers committees corrected previous snubs, electing Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", + "content": "A pair of old-timers committees corrected previous snubs, electing Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/12/05/sports/baseball/buck-oneil-gil-hodges-hall-of-fame.html", + "creator": "Tyler Kepner", + "pubDate": "Mon, 06 Dec 2021 03:08:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92969,16 +119200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2925f04b7681af0f8400b6f68e7b7072" + "hash": "c3a6cd8c82ebee874b539f6d97a22038" }, { - "title": "Finland's Prime Minister Apologizes for Clubbing After Covid Exposure", - "description": "Prime Minister Sanna Marin said she should have “double-checked the guidance” after someone in her government tested positive for the coronavirus.", - "content": "Prime Minister Sanna Marin said she should have “double-checked the guidance” after someone in her government tested positive for the coronavirus.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/09/world/europe/finland-prime-minister-clubbing-apology.html", - "creator": "Marc Santora", - "pubDate": "Thu, 09 Dec 2021 20:01:51 +0000", + "title": "Warehouse Fire Was Source of ‘Putrid’ Odor in California", + "description": "The fire, in Carson, Calif., on Sept. 30, consumed beauty and wellness products and sent chemicals into a nearby waterway, the authorities said. Thousands complained about the stench.", + "content": "The fire, in Carson, Calif., on Sept. 30, consumed beauty and wellness products and sent chemicals into a nearby waterway, the authorities said. Thousands complained about the stench.", + "category": "Smells and Odors", + "link": "https://www.nytimes.com/2021/12/05/us/carson-california-warehouse-fire-stench.html", + "creator": "Christine Chung", + "pubDate": "Mon, 06 Dec 2021 00:40:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -92989,16 +119220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e627577d657e69d1c78ee3eb06ce4d8" + "hash": "3694bdaffe1a71f2afd48ac8a7ca484a" }, { - "title": "Ghislaine Maxwell Sex-Trafficking Trial Delayed After Lawyer Becomes Ill", - "description": "Jurors were poised to hear from a fourth woman who says she was abused by Jeffrey Epstein, but the proceedings were abruptly adjourned. Get updates on the trial.", - "content": "Jurors were poised to hear from a fourth woman who says she was abused by Jeffrey Epstein, but the proceedings were abruptly adjourned. Get updates on the trial.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 19:31:55 +0000", + "title": "A Glimmer of Justice in Death Penalty States", + "description": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", + "content": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", + "category": "Capital Punishment", + "link": "https://www.nytimes.com/2021/12/06/opinion/pervis-payne-death-penalty-states.html", + "creator": "Margaret Renkl", + "pubDate": "Mon, 06 Dec 2021 10:00:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93009,16 +119240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d8c5f9a02bddbc15dce475f1cda9ad5" + "hash": "5959dfc6ee497c0eda8d1368fb70db6f" }, { - "title": "Jim Malatras, SUNY Chancellor, to Resign After Disparaging Cuomo Victim", - "description": "Jim Malatras, the chancellor of the State University of New York, said he would resigned after text messages showed he had belittled a woman who later accused Andrew Cuomo of sexual harassment.", - "content": "Jim Malatras, the chancellor of the State University of New York, said he would resigned after text messages showed he had belittled a woman who later accused Andrew Cuomo of sexual harassment.", - "category": "Appointments and Executive Changes", - "link": "https://www.nytimes.com/2021/12/09/nyregion/suny-chancellor-malatras-resigns.html", - "creator": "Luis Ferré-Sadurní", - "pubDate": "Thu, 09 Dec 2021 20:54:46 +0000", + "title": "In the Michigan Shooting, What Is the School’s Responsibility?", + "description": "Oxford High School let Ethan Crumbley back into a classroom despite concerns about his behavior. Now, legal experts are asking why — and whether officials should be held accountable.", + "content": "Oxford High School let Ethan Crumbley back into a classroom despite concerns about his behavior. Now, legal experts are asking why — and whether officials should be held accountable.", + "category": "School Discipline (Students)", + "link": "https://www.nytimes.com/2021/12/04/us/oxford-high-school-responsibility-legal.html", + "creator": "Dana Goldstein, Stephanie Saul and Sophie Kasakove", + "pubDate": "Sat, 04 Dec 2021 10:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93029,16 +119260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "824a93f659a2d151eccbafe44d7b0096" + "hash": "d688fa090059d32687268694a375c5b6" }, { - "title": "Jailed Journalists Reach Record High for Sixth Year in 2021", - "description": "The Committee to Protect Journalists, a press freedom monitoring group, said 293 journalists were behind bars this year, more than a quarter of them in China.", - "content": "The Committee to Protect Journalists, a press freedom monitoring group, said 293 journalists were behind bars this year, more than a quarter of them in China.", - "category": "Freedom of the Press", - "link": "https://www.nytimes.com/2021/12/09/world/americas/jailed-journalists-worldwide.html", - "creator": "Rick Gladstone", - "pubDate": "Thu, 09 Dec 2021 05:01:06 +0000", + "title": "The Variant Hunters: Inside South Africa’s Effort to Stanch Dangerous Mutations", + "description": "Scientists in a cutting-edge laboratory do part of the work. Local health workers on foot do the rest.", + "content": "Scientists in a cutting-edge laboratory do part of the work. Local health workers on foot do the rest.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/04/health/covid-variant-south-africa-hiv.html", + "creator": "Stephanie Nolen", + "pubDate": "Sat, 04 Dec 2021 10:00:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93049,16 +119280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc1ee9f2af7aae08b43859b3a44f4a63" + "hash": "b1d7515949d3bb5689244359d7d9f8ae" }, { - "title": "Ken Jennings and Mayim Bialik to Share ‘Jeopardy!’ Hosting Duties", - "description": "The long-running quiz show decided to keep the hosts into its 38th season in 2022, putting an end, at least for now, to speculation and drama around the job.", - "content": "The long-running quiz show decided to keep the hosts into its 38th season in 2022, putting an end, at least for now, to speculation and drama around the job.", - "category": "Jeopardy! (TV Program)", - "link": "https://www.nytimes.com/2021/12/09/arts/television/jeopardy-hosts-mayim-jennings.html", - "creator": "Johnny Diaz", - "pubDate": "Thu, 09 Dec 2021 17:57:49 +0000", + "title": "How the Cream Cheese Shortage Is Affecting NYC Bagel Shops", + "description": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", + "content": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", + "category": "New York City", + "link": "https://www.nytimes.com/2021/12/04/nyregion/cream-cheese-shortage-nyc-bagels.html", + "creator": "Ashley Wong", + "pubDate": "Sat, 04 Dec 2021 12:39:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93069,16 +119300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a87bbd6e1e3850df024232c236924bc0" + "hash": "be9b86ed159afd424f3bc501ed601d71" }, { - "title": "Josh Duggar Is Convicted of Downloading Child Sexual Abuse Imagery", - "description": "Mr. Duggar, who appeared on the TLC reality show “19 Kids and Counting,” faces a maximum penalty of 40 years in prison and $500,000 in fines.", - "content": "Mr. Duggar, who appeared on the TLC reality show “19 Kids and Counting,” faces a maximum penalty of 40 years in prison and $500,000 in fines.", - "category": "Child Abuse and Neglect", - "link": "https://www.nytimes.com/2021/12/09/us/josh-duggar-guilty.html", - "creator": "Neil Vigdor", - "pubDate": "Thu, 09 Dec 2021 18:28:18 +0000", + "title": "Fearing a Repeat of Jan. 6, Congress Eyes Changes to Electoral Count Law", + "description": "Members of the special House committee investigating the Capitol riot are among those arguing for an overhaul of a more than century-old statute enacted to address disputed elections.", + "content": "Members of the special House committee investigating the Capitol riot are among those arguing for an overhaul of a more than century-old statute enacted to address disputed elections.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/04/us/jan-6-electoral-count-act.html", + "creator": "Luke Broadwater and Nick Corasaniti", + "pubDate": "Sat, 04 Dec 2021 10:00:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93089,16 +119320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "909519d3aceaea88bf87532c885af417" + "hash": "6acb47d5cfa8014f1992610f4d0bb324" }, { - "title": "India’s Farmers Call Off Yearlong Protest Against Hated Farm Laws", - "description": "Prime Minister Narendra Modi unexpectedly conceded protesters’ main demand weeks ago, but serious problems remain with the country’s agricultural system.", - "content": "Prime Minister Narendra Modi unexpectedly conceded protesters’ main demand weeks ago, but serious problems remain with the country’s agricultural system.", - "category": "India", - "link": "https://www.nytimes.com/2021/12/09/world/asia/india-farmer-protests-end.html", - "creator": "Karan Deep Singh", - "pubDate": "Thu, 09 Dec 2021 19:44:33 +0000", + "title": "Big Contracts, Big Buyouts, Big Pressure: College Football Coaches Hit the Jackpot", + "description": "Brian Kelly will earn at least $9 million a year at L.S.U., which is paying its old coach almost $17 million to step aside. Top universities have become steppingstones to other top gigs.", + "content": "Brian Kelly will earn at least $9 million a year at L.S.U., which is paying its old coach almost $17 million to step aside. Top universities have become steppingstones to other top gigs.", + "category": "Coaches and Managers", + "link": "https://www.nytimes.com/2021/12/04/sports/ncaafootball/college-football-coaching-changes.html", + "creator": "Alan Blinder", + "pubDate": "Sat, 04 Dec 2021 10:00:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93109,16 +119340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd24ce7afcc07b4ea048721a6b292b0c" + "hash": "817d4293d3806483d4f16635c33abb04" }, { - "title": "How Music Can Rev Up a High-Intensity Workout", - "description": "Volunteers reported enjoying intense exercise most when upbeat music was playing, compared with when they heard a podcast or nothing.", - "content": "Volunteers reported enjoying intense exercise most when upbeat music was playing, compared with when they heard a podcast or nothing.", - "category": "Exercise", - "link": "https://www.nytimes.com/2019/07/10/well/move/how-music-can-rev-up-a-high-intensity-workout.html", - "creator": "Gretchen Reynolds", - "pubDate": "Tue, 16 Jul 2019 05:02:53 +0000", + "title": "Cambodia Says Looter Helping It Reclaim Stolen Artifacts Has Died", + "description": "Officials said they plan to continue to use evidence gathered from the reformed looter to pursue the return of many artifacts from museums and private collections.", + "content": "Officials said they plan to continue to use evidence gathered from the reformed looter to pursue the return of many artifacts from museums and private collections.", + "category": "Arts and Antiquities Looting", + "link": "https://www.nytimes.com/2021/12/05/arts/design/cambodian-effort-to-find-artifacts-wont-end-with-informants-death.html", + "creator": "Tom Mashberg", + "pubDate": "Mon, 06 Dec 2021 02:06:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93129,16 +119360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1b5c032d23b262853224a9a8e469fe0e" + "hash": "438e5ff3133e4749222c8f999324339e" }, { - "title": "A New Look for a New World", - "description": "Following lockdowns, makeup is colorful, expressive, imperfect and meant to be seen. It’s “girl gaze” makeup.", - "content": "Following lockdowns, makeup is colorful, expressive, imperfect and meant to be seen. It’s “girl gaze” makeup.", - "category": "Cosmetics and Toiletries", - "link": "https://www.nytimes.com/2021/12/09/style/post-lockdown-makeup-looks.html", - "creator": "Rachel Strugatz", - "pubDate": "Thu, 09 Dec 2021 19:28:20 +0000", + "title": "Our 8 Favorite Books in 2021 for Healthy Living", + "description": "This year’s Well Book List includes advice on how to change behavior, lower anxiety, cope with hardship and heal with poetry.", + "content": "This year’s Well Book List includes advice on how to change behavior, lower anxiety, cope with hardship and heal with poetry.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/02/well/mind/healthly-living-wellness-books.html", + "creator": "Tara Parker-Pope", + "pubDate": "Fri, 03 Dec 2021 01:22:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93149,16 +119380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee082b9fafdf4461b78bb1f46dbbf923" + "hash": "a38bd5a86b341c53ef5603515464b898" }, { - "title": "‘The Snowy Day,’ a Children’s Classic, Becomes an Opera", - "description": "Based on the popular 1962 children’s book, the show aims to celebrate Blackness and attract new audiences to the art form.", - "content": "Based on the popular 1962 children’s book, the show aims to celebrate Blackness and attract new audiences to the art form.", - "category": "Opera", - "link": "https://www.nytimes.com/2021/12/08/arts/music/snowy-day-ezra-jack-keats-opera.html", - "creator": "Javier C. Hernández", - "pubDate": "Wed, 08 Dec 2021 13:49:11 +0000", + "title": "Overcoming Motherhood Imposter Syndrome", + "description": "Casey Wilson learned to trust her parenting instincts after her son received a surprise diagnosis.", + "content": "Casey Wilson learned to trust her parenting instincts after her son received a surprise diagnosis.", + "category": "Gluten", + "link": "https://www.nytimes.com/2020/04/15/parenting/casey-wilson-motherhood.html", + "creator": "Casey Wilson", + "pubDate": "Wed, 15 Apr 2020 19:42:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93169,16 +119400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "67dbd63ee1b579ce7a363b74ca345022" + "hash": "f53d7914fe2332a1ff678f69e20f3a93" }, { - "title": "Interest in Stephen Sondheim's Music, Books and Shows Soar After His Death", - "description": "Fans have been streaming his music, buying his books, and trying to get in to see his shows, with a new revival of “Company” opening this week on Broadway.", - "content": "Fans have been streaming his music, buying his books, and trying to get in to see his shows, with a new revival of “Company” opening this week on Broadway.", - "category": "Sondheim, Stephen", - "link": "https://www.nytimes.com/2021/12/08/theater/stephen-sondheim-music-shows.html", - "creator": "Michael Paulson", - "pubDate": "Thu, 09 Dec 2021 01:31:30 +0000", + "title": "New Hope for Migraine Sufferers", + "description": "There are now a number of medications that may prevent or alleviate migraines, as well as a wearable nerve-stimulating device that can be activated by a smartphone.", + "content": "There are now a number of medications that may prevent or alleviate migraines, as well as a wearable nerve-stimulating device that can be activated by a smartphone.", + "category": "Migraine Headaches", + "link": "https://www.nytimes.com/2020/01/06/well/live/new-hope-for-migraine-sufferers.html", + "creator": "Jane E. Brody", + "pubDate": "Wed, 15 Jan 2020 12:49:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93189,16 +119420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b021900b003737851928415b131ab9e2" + "hash": "0deec1b348ef1d77856fa6c116e103fc" }, { - "title": "Giants’ Risk-Averse Offense Contributes to 4-8 Record", - "description": "The Giants’ risk-averse offense may be as much to blame as injuries for the team’s 4-8 record.", - "content": "The Giants’ risk-averse offense may be as much to blame as injuries for the team’s 4-8 record.", - "category": "Coaches and Managers", - "link": "https://www.nytimes.com/2021/12/08/sports/football/giants-joe-judge-punts.html", - "creator": "Mike Tanier", - "pubDate": "Wed, 08 Dec 2021 11:49:07 +0000", + "title": "Older Singles Have Found a New Way to Partner Up: Living Apart", + "description": "Fearing that a romantic attachment in later life will lead to full-time caregiving, many couples are choosing commitment without sharing a home.", + "content": "Fearing that a romantic attachment in later life will lead to full-time caregiving, many couples are choosing commitment without sharing a home.", + "category": "Dating and Relationships", + "link": "https://www.nytimes.com/2021/07/16/well/family/older-singles-living-apart-LAT.html", + "creator": "Francine Russo", + "pubDate": "Fri, 16 Jul 2021 13:54:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93209,16 +119440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "90d2083ca8bf8c6fd406d63a173e21b2" + "hash": "df304445352b4d2798144d4f345b9f48" }, { - "title": "Guido Palau’s Good Hair Days", - "description": "The hairstyling star renowned for designer collaborations took to Instagram during the pandemic to explore his medium through a series of #HairTests, now assembled in a new book.", - "content": "The hairstyling star renowned for designer collaborations took to Instagram during the pandemic to explore his medium through a series of #HairTests, now assembled in a new book.", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/12/09/style/guido-palau-hair-tests-book.html", - "creator": "Guy Trebay", - "pubDate": "Thu, 09 Dec 2021 08:00:11 +0000", + "title": "Biden, Obama and Other Leaders React to Bob Dole's Death", + "description": "Former presidents and political leaders recalled Mr. Dole’s dignity, sense of humor and lifetime commitment to public service.", + "content": "Former presidents and political leaders recalled Mr. Dole’s dignity, sense of humor and lifetime commitment to public service.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-obama-biden-reactions.html", + "creator": "Christopher Mele", + "pubDate": "Sun, 05 Dec 2021 21:15:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93229,16 +119460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d364c23718d75347734951a5d012470b" + "hash": "1122b021cf1ef3b85e2c6547d33abd32" }, { - "title": "U.S. Hospitals Are Struggling Under a Delta-Fueled Surge in Cases", - "description": "Officials are bracing for Omicron, but Delta is the more imminent threat, driving a 15 percent rise in hospitalizations in the past two weeks. Health workers said their situations had been worsened by staff shortages, illnesses and resistance to vaccine mandates. Here’s the latest on Covid.", - "content": "Officials are bracing for Omicron, but Delta is the more imminent threat, driving a 15 percent rise in hospitalizations in the past two weeks. Health workers said their situations had been worsened by staff shortages, illnesses and resistance to vaccine mandates. Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 14:21:17 +0000", + "title": "A Chicken-Fried McGovern, Newt’s Good Ideas and the Senate Zoo: A Dole One-Liner Sampler", + "description": "Bob Dole, who died on Sunday at age 98, was generous with his sarcastic wit, using it against Democrats, Republicans and often himself.", + "content": "Bob Dole, who died on Sunday at age 98, was generous with his sarcastic wit, using it against Democrats, Republicans and often himself.", + "category": "Dole, Bob", + "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-humor.html", + "creator": "Maggie Astor", + "pubDate": "Mon, 06 Dec 2021 00:04:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93249,16 +119480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f52ea7b37c5a66b06f29afb859d21e7" + "hash": "e3c9f6823dd15eba904f6676b10ea897" }, { - "title": "Coronavirus Cases Are Rising Among Children in South African Hospitals", - "description": "The increase, observed in children’s wards at two major hospitals in South Africa, points to increased community transmission, doctors say.", - "content": "The increase, observed in children’s wards at two major hospitals in South Africa, points to increased community transmission, doctors say.", + "title": "What We Know About the New Covid Variant, Omicron", + "description": "Intense research into the new coronavirus variant first identified in southern Africa, has just begun. World leaders have urged people not to panic — and to get vaccinated, if they can.", + "content": "Intense research into the new coronavirus variant first identified in southern Africa, has just begun. World leaders have urged people not to panic — and to get vaccinated, if they can.", "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/08/world/africa/coronavirus-south-africa-children.html", - "creator": "Lynsey Chutel", - "pubDate": "Wed, 08 Dec 2021 20:03:27 +0000", + "link": "https://www.nytimes.com/article/omicron-coronavirus-variant.html", + "creator": "Andrew Jacobs", + "pubDate": "Tue, 30 Nov 2021 17:08:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93269,16 +119500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cd305cc682dc401e0acaeedbd3313c58" + "hash": "8c2aa745a757b6a534c3f1e27f78e086" }, { - "title": "Children, Coping With Loss, Are Pandemic’s ‘Forgotten Grievers’", - "description": "A bipartisan group led by two former governors is urging President Biden to help an estimated 167,000 children who have lost parents or caregivers.", - "content": "A bipartisan group led by two former governors is urging President Biden to help an estimated 167,000 children who have lost parents or caregivers.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/09/us/politics/children-lost-parents-caregivers-pandemic.html", - "creator": "Sheryl Gay Stolberg", - "pubDate": "Thu, 09 Dec 2021 10:00:16 +0000", + "title": "How TikTok Reads Your Mind", + "description": "It’s the most successful video app in the world. Our columnist has obtained an internal company document that offers a new level of detail about how the algorithm works.", + "content": "It’s the most successful video app in the world. Our columnist has obtained an internal company document that offers a new level of detail about how the algorithm works.", + "category": "TikTok (ByteDance)", + "link": "https://www.nytimes.com/2021/12/05/business/media/tiktok-algorithm.html", + "creator": "Ben Smith", + "pubDate": "Mon, 06 Dec 2021 04:56:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93289,16 +119520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c17d72bf1f291380bc7a5ac182930d03" + "hash": "2b8a9cf8ee99b47588e02714c0fe890a" }, { - "title": "Why Evergrande's Debt Problems Threaten China", - "description": "The firm’s debts are huge, but Beijing will need to walk a fine line if it wants to send a message about reckless borrowing while protecting its economy.", - "content": "The firm’s debts are huge, but Beijing will need to walk a fine line if it wants to send a message about reckless borrowing while protecting its economy.", - "category": "China", - "link": "https://www.nytimes.com/article/evergrande-debt-crisis.html", - "creator": "Alexandra Stevenson and Cao Li", - "pubDate": "Thu, 09 Dec 2021 13:30:08 +0000", + "title": "Myanmar Court Sentences Aung San Suu Kyi to 4 Years in Initial Verdicts", + "description": "The ousted civilian leader, who was detained in a military coup in February, faces several more charges. Here’s the latest.", + "content": "The ousted civilian leader, who was detained in a military coup in February, faces several more charges. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/myanmar-coup-verdict-aung-san-suu-kyi", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 08:10:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93309,16 +119540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "24dd8a26167e47c09eee9dd106692938" + "hash": "1ac7b86a1193eeeeb49f03f1ed346b71" }, { - "title": "Bob Dole Lies in State at the Capitol", - "description": "The senator, who died on Sunday at 98, was known for being a deal-maker and was one of the longest-serving Republican leaders. Follow our updates.", - "content": "The senator, who died on Sunday at 98, was known for being a deal-maker and was one of the longest-serving Republican leaders. Follow our updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/us/bob-dole", - "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 14:21:17 +0000", + "title": "The Canonization of Saint John Coltrane", + "description": "The intensity of the jazz legend’s music has always inspired passion, but in the 1960s, one group of devotees was so stirred they founded a church in his name.", + "content": "The intensity of the jazz legend’s music has always inspired passion, but in the 1960s, one group of devotees was so stirred they founded a church in his name.", + "category": "Coltrane, John", + "link": "https://www.nytimes.com/2021/12/03/t-magazine/john-coltrane-church.html", + "creator": "M.H. Miller", + "pubDate": "Fri, 03 Dec 2021 13:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93329,16 +119560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "62bb9cb360a86901edf6c68e1ddf7a4b" + "hash": "ab9be09294e7e7fb00b6439bd9c54cca" }, { - "title": "Event Planner Working on Bob Dole’s Funeral Is Let Go for Jan. 6 Ties", - "description": "Tim Unes was helping to plan memorial events for Mr. Dole when it came to light that he had been subpoenaed by the committee investigating the Capitol riot.", - "content": "Tim Unes was helping to plan memorial events for Mr. Dole when it came to light that he had been subpoenaed by the committee investigating the Capitol riot.", - "category": "Funerals and Memorials", - "link": "https://www.nytimes.com/2021/12/08/us/politics/dole-funeral-planner-capitol-riot.html", - "creator": "Michael D. Shear, Luke Broadwater and Maggie Haberman", - "pubDate": "Thu, 09 Dec 2021 04:33:01 +0000", + "title": "Stamping Bar Codes on Cells to Solve Medical Mysteries", + "description": "By tracking every cell in an organism, scientists are working out why certain cancer treatments fail, which could lead to improved medicine.", + "content": "By tracking every cell in an organism, scientists are working out why certain cancer treatments fail, which could lead to improved medicine.", + "category": "Cancer", + "link": "https://www.nytimes.com/2021/11/29/health/cells-bar-coding-cancer.html", + "creator": "Gina Kolata", + "pubDate": "Mon, 29 Nov 2021 17:29:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93349,16 +119580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6d3285eb6995eca9a5fd4a62fe82b0f8" + "hash": "425b2b04119711276b0975aa7c64a154" }, { - "title": "How the Supply Chain Upheaval Became a Life-or-Death Threat", - "description": "A maker of medical devices can’t keep up with customer demand as the shortage of computer chips puts it in competition with bigger companies with more clout.", - "content": "A maker of medical devices can’t keep up with customer demand as the shortage of computer chips puts it in competition with bigger companies with more clout.", - "category": "Medical Devices", - "link": "https://www.nytimes.com/2021/12/09/business/supply-chain-medical-device-shortages.html", - "creator": "Peter S. Goodman", - "pubDate": "Thu, 09 Dec 2021 10:00:25 +0000", + "title": "Why the Fed Chair Won’t Call Inflation ‘Transitory’ Anymore", + "description": "Jerome Powell has lost patience with the pace of the rebound in labor force participation.", + "content": "Jerome Powell has lost patience with the pace of the rebound in labor force participation.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/03/opinion/why-the-fed-chair-wont-call-inflation-transitory-anymore.html", + "creator": "Peter Coy", + "pubDate": "Fri, 03 Dec 2021 20:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93369,16 +119600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4f654a0a30f1c36b014df9981daba72" + "hash": "a067c1481a1606f51d4e409324fec915" }, { - "title": "Progress for Saudi Women Is Uneven, Despite Cultural Changes and More Jobs", - "description": "Women say Saudi Arabia has advanced significantly in just the past year, with more choices regarding work, fashion (including colored abayas) and social spaces, but restrictions remain everywhere.", - "content": "Women say Saudi Arabia has advanced significantly in just the past year, with more choices regarding work, fashion (including colored abayas) and social spaces, but restrictions remain everywhere.", - "category": "Saudi Arabia", - "link": "https://www.nytimes.com/2021/12/09/world/middleeast/saudi-arabia-women-mbs.html", - "creator": "Kate Kelly", - "pubDate": "Thu, 09 Dec 2021 10:00:25 +0000", + "title": "Chris Cuomo Has a Funny Idea About What Doing His Job Means", + "description": "Reporting on the suspension of a brotherly TV host.", + "content": "Reporting on the suspension of a brotherly TV host.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/12/01/opinion/chris-cuomo-cnn-scandal.html", + "creator": "Gail Collins", + "pubDate": "Thu, 02 Dec 2021 00:43:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93389,16 +119620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a983dbe592be1186a125adece9e6eb7f" + "hash": "6b2c05de8cd0b649a4b60497d8a1a1be" }, { - "title": "Finding the Musical Spirit of Notre Dame ", - "description": "The beloved Paris cathedral is still being restored after the devastating 2019 fire, but other churches are keeping its musical traditions alive this holiday season.", - "content": "The beloved Paris cathedral is still being restored after the devastating 2019 fire, but other churches are keeping its musical traditions alive this holiday season.", - "category": "Music", - "link": "https://www.nytimes.com/2021/12/09/travel/music-paris-notre-dame-churches.html", - "creator": "Elaine Sciolino", - "pubDate": "Thu, 09 Dec 2021 12:52:01 +0000", + "title": "Biden Can Do Better on Covid", + "description": "The administration has been a victim of events. But it has also cooperated in its own victimization.", + "content": "The administration has been a victim of events. But it has also cooperated in its own victimization.", + "category": "Public-Private Sector Cooperation", + "link": "https://www.nytimes.com/2021/12/04/opinion/biden-covid-vaccine-omicron.html", + "creator": "Ross Douthat", + "pubDate": "Sat, 04 Dec 2021 20:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93409,16 +119640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7023015cffdb24b4a2e07ea4524fe732" + "hash": "994ccd3469a6063acf7b8485011110aa" }, { - "title": "Will Smith Is Done Trying to Be Perfect", - "description": "“Strategizing about being the biggest movie star in the world — that is all completely over. ”", - "content": "“Strategizing about being the biggest movie star in the world — that is all completely over. ”", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/12/09/magazine/will-smith-interview.html", - "creator": "David Marchese", - "pubDate": "Thu, 09 Dec 2021 10:00:22 +0000", + "title": "What Biden Isn’t Saying About Trump’s Positive Covid Test", + "description": "The former president’s reckless behavior deserves more attention.", + "content": "The former president’s reckless behavior deserves more attention.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/04/opinion/biden-trump-covid-test.html", + "creator": "Jamelle Bouie", + "pubDate": "Sat, 04 Dec 2021 16:13:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93429,16 +119660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fd76a8d059b4906b494275f8b47ab217" + "hash": "3fe78e18867f6809f10a88f97eabc72e" }, { - "title": "How to Buy a Used Car", - "description": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", - "content": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", - "category": "Used Cars", - "link": "https://www.nytimes.com/2021/12/09/business/used-car-buying-tips.html", - "creator": "Paul Stenquist", - "pubDate": "Thu, 09 Dec 2021 11:00:06 +0000", + "title": "The Sunday Read: ‘The Emily Ratajkowski You’ll Never See’", + "description": "With her new book, the model tries to escape the oppressions of the male gaze.", + "content": "With her new book, the model tries to escape the oppressions of the male gaze.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/05/podcasts/the-daily/emily-ratajkowski-my-body-book-sunday-read.html", + "creator": "Andrea Long Chu, Jack D’Isidoro, Aaron Esposito, John Woo and Dan Powell", + "pubDate": "Sun, 05 Dec 2021 11:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93449,16 +119680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e65acb6aae7dcb2d2e51e90e158d4e7b" + "hash": "507bba946b377223ecf8593b40d37985" }, { - "title": "Amanda Gorman’s ‘Call Us What We Carry: Poems’ Review", - "description": "Gorman’s latest poetry collection, “Call Us What We Carry,” offers reverence and effervescence, gravity and impishness, and poems that are focused, pithy and playfully heretical.", - "content": "Gorman’s latest poetry collection, “Call Us What We Carry,” offers reverence and effervescence, gravity and impishness, and poems that are focused, pithy and playfully heretical.", - "category": "Gorman, Amanda", - "link": "https://www.nytimes.com/2021/12/07/books/review-call-us-what-we-carry-amanda-gorman.html", - "creator": "Molly Young", - "pubDate": "Tue, 07 Dec 2021 17:26:30 +0000", + "title": "How Stephanie Murphy, a Holdout on Biden’s Agenda, Helped Salvage It", + "description": "The centrist Democrat from Florida put the brakes on President Biden’s social safety net legislation because of concerns about cost. Then she brokered a deal to steer it through the House.", + "content": "The centrist Democrat from Florida put the brakes on President Biden’s social safety net legislation because of concerns about cost. Then she brokered a deal to steer it through the House.", + "category": "Murphy, Stephanie (1978- )", + "link": "https://www.nytimes.com/2021/12/05/us/politics/stephanie-murphy-democrats-biden.html", + "creator": "Emily Cochrane", + "pubDate": "Sun, 05 Dec 2021 08:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93469,16 +119700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e8028cfba82629a4577526c1438bbff1" + "hash": "5f954da282f963f779c89785657b0df3" }, { - "title": "For Nursing Homes, Complacency Could Be a Killer", - "description": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", - "content": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/09/opinion/omicron-nursing-homes.html", - "creator": "Zeynep Tufekci", - "pubDate": "Thu, 09 Dec 2021 13:36:10 +0000", + "title": "Pope Francis Laments That for Migrants, ‘Little Has Changed’", + "description": "At a Greek refugee camp, Francis sought to restore compassion for asylum seekers, whose plight he called a “shipwreck of civilization.”", + "content": "At a Greek refugee camp, Francis sought to restore compassion for asylum seekers, whose plight he called a “shipwreck of civilization.”", + "category": "Middle East and Africa Migrant Crisis", + "link": "https://www.nytimes.com/2021/12/05/world/europe/pope-greece-migrants-lesbos.html", + "creator": "Jason Horowitz", + "pubDate": "Sun, 05 Dec 2021 19:18:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93489,16 +119720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b2f1f51a910abedf7ff4abc45b1ac50d" + "hash": "3d4d8d392c279c9f2958ed97e1460ed8" }, { - "title": "Soda Shop Chains Are Taking Hold of the West", - "description": "With locations now numbering in the hundreds, regional soda-shop chains are spreading far beyond Utah, where they first found popularity.", - "content": "With locations now numbering in the hundreds, regional soda-shop chains are spreading far beyond Utah, where they first found popularity.", - "category": "Sodalicious Inc", - "link": "https://www.nytimes.com/2021/12/06/dining/swig-soda-shop-chains.html", - "creator": "Victoria Petersen", - "pubDate": "Mon, 06 Dec 2021 18:08:36 +0000", + "title": "Ex-Senator David Perdue to Run for Governor of Georgia", + "description": "Mr. Perdue, an ally of Donald Trump, will challenge the incumbent governor, Brian Kemp, in a Republican primary.", + "content": "Mr. Perdue, an ally of Donald Trump, will challenge the incumbent governor, Brian Kemp, in a Republican primary.", + "category": "Elections, Governors", + "link": "https://www.nytimes.com/2021/12/05/us/david-perdue-georgia-governor.html", + "creator": "Richard Fausset and Jonathan Martin", + "pubDate": "Sun, 05 Dec 2021 20:47:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93509,16 +119740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "039bbd57349eb8c350905d02faac394d" + "hash": "3d60a8c938f586562a1c5e8495ebb829" }, { - "title": "Military Ends Pearl Harbor Project to Identify the Dead", - "description": "The remains of 355 sailors and Marines from the U.S.S. Oklahoma were identified using DNA and dental records, but 33 crew members could not be.", - "content": "The remains of 355 sailors and Marines from the U.S.S. Oklahoma were identified using DNA and dental records, but 33 crew members could not be.", - "category": "United States Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/07/us/pearl-harbor-attack-dna.html", - "creator": "Neil Vigdor", - "pubDate": "Tue, 07 Dec 2021 14:47:16 +0000", + "title": "Anger Spreads in Northeastern India After Security Forces Kill 14 Civilians", + "description": "Eight mine workers were shot in a mistaken ambush by soldiers seeking insurgents, and six protesters died later in clashes with government forces, stoking fears of further violence in the restive region.", + "content": "Eight mine workers were shot in a mistaken ambush by soldiers seeking insurgents, and six protesters died later in clashes with government forces, stoking fears of further violence in the restive region.", + "category": "Civilian Casualties", + "link": "https://www.nytimes.com/2021/12/05/world/asia/india-northeast-nagaland-civilians.html", + "creator": "Sameer Yasir and Hari Kumar", + "pubDate": "Sun, 05 Dec 2021 14:46:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93529,16 +119760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f962949adf6dd915dec0b7ee65a8d49a" + "hash": "b9c4a35427c2d50a4805b847262a338b" }, { - "title": "Volunteer Dies After a Sheep Charges at Her on a Therapy Farm", - "description": "Kim Taylor, 73, went into cardiac arrest after being attacked while caring for livestock at a Massachusetts farm, the police said.", - "content": "Kim Taylor, 73, went into cardiac arrest after being attacked while caring for livestock at a Massachusetts farm, the police said.", - "category": "Therapy and Rehabilitation", - "link": "https://www.nytimes.com/2021/12/06/us/massachusetts-sheep-woman-killed.html", - "creator": "Vimal Patel", - "pubDate": "Tue, 07 Dec 2021 03:09:09 +0000", + "title": "Eddie Mekka, a Star of ‘Laverne & Shirley,’ Is Dead at 69", + "description": "As Carmine Ragusa on the hit sitcom, he got to show off his singing, tap-dancing and gymnastic skills — and to croon “Rags to Riches” many times.", + "content": "As Carmine Ragusa on the hit sitcom, he got to show off his singing, tap-dancing and gymnastic skills — and to croon “Rags to Riches” many times.", + "category": "Mekka, Eddie (1952-2021)", + "link": "https://www.nytimes.com/2021/12/05/arts/television/eddie-mekka-dead.html", + "creator": "Anita Gates", + "pubDate": "Sun, 05 Dec 2021 15:13:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93549,16 +119780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "215ab4604e237f234521b2d8d7842c43" + "hash": "91ad73d46667de30e5455aeb70bafcc0" }, { - "title": "In Chicago, a New Approach to Gay and Bisexual Men With Prostate Cancer", - "description": "A new clinic focuses on patients left grappling with the aftermath of treatment in ways that are rarely appreciated by doctors.", - "content": "A new clinic focuses on patients left grappling with the aftermath of treatment in ways that are rarely appreciated by doctors.", - "category": "Homosexuality and Bisexuality", - "link": "https://www.nytimes.com/2021/12/07/health/gay-men-prostate-cancer.html", - "creator": "Steve Kenny", - "pubDate": "Tue, 07 Dec 2021 08:00:08 +0000", + "title": "Best Theater of 2021", + "description": "Digital innovation continued this year, but experiencing plays in isolation grew tiring. Then came an in-person season as exciting as a child’s first fireworks.", + "content": "Digital innovation continued this year, but experiencing plays in isolation grew tiring. Then came an in-person season as exciting as a child’s first fireworks.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/03/theater/best-theater.html", + "creator": "Jesse Green, Maya Phillips, Laura Collins-Hughes, Scott Heller, Alexis Soloski and Elisabeth Vincentelli", + "pubDate": "Fri, 03 Dec 2021 17:01:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93569,16 +119800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "da1ebc6ed8b1bf0f8917cac0d39e33bc" + "hash": "966984a020603652f00af097e87501b5" }, { - "title": "Millions of Followers? For Book Sales, ‘It’s Unreliable.’", - "description": "Social-media fandom can help authors score book deals and bigger advances, but does it translate to how a new title will sell? Publishers are increasingly skeptical.", - "content": "Social-media fandom can help authors score book deals and bigger advances, but does it translate to how a new title will sell? Publishers are increasingly skeptical.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/07/books/social-media-following-book-publishing.html", - "creator": "Elizabeth A. Harris", - "pubDate": "Tue, 07 Dec 2021 17:16:00 +0000", + "title": "More Galleries of Color Debut at Art Basel Miami", + "description": "Changes to eligibility requirements enabled more diversity at the fair, which roared back for the first time since the pandemic.", + "content": "Changes to eligibility requirements enabled more diversity at the fair, which roared back for the first time since the pandemic.", + "category": "Art Basel Miami Beach", + "link": "https://www.nytimes.com/2021/12/04/arts/design/art-basel-miami-diversity.html", + "creator": "Robin Pogrebin", + "pubDate": "Sun, 05 Dec 2021 22:30:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93589,16 +119820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c67b2445a715381097b65617a140e8ec" + "hash": "40309ade8f373f807a88df2bc50c824e" }, { - "title": "Biden Rallies Global Democracies as U.S. Hits a ‘Rough Patch’", - "description": "The White House’s Summit for Democracy has drawn harsh criticism of domestic issues and questions about the guest list.", - "content": "The White House’s Summit for Democracy has drawn harsh criticism of domestic issues and questions about the guest list.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/12/09/us/politics/biden-democracy-summit.html", - "creator": "Michael Crowley and Zolan Kanno-Youngs", - "pubDate": "Thu, 09 Dec 2021 10:00:17 +0000", + "title": "In Brussels, a Designer’s Home Awash With His Own Vibrant Creations", + "description": "Christoph Hefti makes — and lives with — ebullient carpets and textiles inspired by magical realism and Latin American design.", + "content": "Christoph Hefti makes — and lives with — ebullient carpets and textiles inspired by magical realism and Latin American design.", + "category": "holiday issue 2021", + "link": "https://www.nytimes.com/2021/11/24/t-magazine/carpets-rugs-home-design-brussels.html", + "creator": "Gisela Williams and Frederik Buyckx", + "pubDate": "Wed, 24 Nov 2021 12:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93609,16 +119840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "951098086e616ff3af611fe7824dbb5f" + "hash": "af151933822f427d8903e3eb12b8f386" }, { - "title": "Will Ghislaine Maxwell Testify at Her Sex-Trafficking Trial?", - "description": "Veteran defense lawyers, including one who defended Kyle Rittenhouse, said the risk Ms. Maxwell would take by testifying probably outweighs any potential reward.", - "content": "Veteran defense lawyers, including one who defended Kyle Rittenhouse, said the risk Ms. Maxwell would take by testifying probably outweighs any potential reward.", - "category": "Human Trafficking", - "link": "https://www.nytimes.com/2021/12/09/nyregion/ghislaine-maxwell-trial-testify.html", - "creator": "Benjamin Weiser", - "pubDate": "Thu, 09 Dec 2021 08:00:06 +0000", + "title": "What Will Art Look Like in the Metaverse?", + "description": "Mark Zuckerberg wants us thinking about visual art when we contemplate his company’s new venture. Artists should take the suggestion seriously.", + "content": "Mark Zuckerberg wants us thinking about visual art when we contemplate his company’s new venture. Artists should take the suggestion seriously.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/01/magazine/mark-zuckerberg-meta-art.html", + "creator": "Dean Kissick", + "pubDate": "Thu, 02 Dec 2021 06:47:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93629,16 +119860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b26b0de472b0b1589de1a12cccbdfb59" + "hash": "b1fe3f08783027385478aa8065cfd6d0" }, { - "title": "David Banks Is the Next N.Y.C. Schools Chancellor", - "description": "Mr. Banks, who founded the Eagle Academy, a network of public schools for boys, is the first commissioner named to Mayor-elect Eric Adams’s administration.", - "content": "Mr. Banks, who founded the Eagle Academy, a network of public schools for boys, is the first commissioner named to Mayor-elect Eric Adams’s administration.", - "category": "Education (K-12)", - "link": "https://www.nytimes.com/2021/12/08/nyregion/david-banks-nyc-school-chancellor.html", - "creator": "Eliza Shapiro", - "pubDate": "Thu, 09 Dec 2021 00:43:43 +0000", + "title": "Almudena Grandes, Novelist of Spain’s Marginalized, Dies at 61", + "description": "Beginning with an acclaimed erotic novel, she became what the prime minister called “one of the most important writers of our time.”", + "content": "Beginning with an acclaimed erotic novel, she became what the prime minister called “one of the most important writers of our time.”", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/03/books/almudena-grandes-dead.html", + "creator": "Raphael Minder", + "pubDate": "Sat, 04 Dec 2021 14:58:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93649,16 +119880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a902d116e8b4af739ef3e0672151624b" + "hash": "cde662debed09b653553fe4e199ed821" }, { - "title": "New Zealand Plans to Eventually Ban All Cigarette Sales", - "description": "The proposal, expected to become law next year, would raise the smoking age year by year until it covers the entire population.", - "content": "The proposal, expected to become law next year, would raise the smoking age year by year until it covers the entire population.", - "category": "New Zealand", - "link": "https://www.nytimes.com/2021/12/09/world/asia/new-zealand-smoking-ban.html", - "creator": "Natasha Frost", - "pubDate": "Thu, 09 Dec 2021 10:05:55 +0000", + "title": "Myanmar Court to Announce First Verdicts in Aung San Suu Kyi Trial", + "description": "The ousted civilian leader, who was detained in a military coup in February, faces a maximum prison term of 102 years. Here’s the latest.", + "content": "The ousted civilian leader, who was detained in a military coup in February, faces a maximum prison term of 102 years. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/myanmar-coup-verdict-aung-san-suu-kyi", + "creator": "The New York Times", + "pubDate": "Mon, 06 Dec 2021 03:23:22 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93669,16 +119900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "36d2834f654cbc540947776fcd3a4598" + "hash": "144c6bab34a0ec0382cb9bc62a7f6218" }, { - "title": "North Carolina Supreme Court Delays 2022 Primary Elections", - "description": "In response to lawsuits over North Carolina’s political maps, the justices issued an order on Wednesday pushing back the state’s primaries from March to May.", - "content": "In response to lawsuits over North Carolina’s political maps, the justices issued an order on Wednesday pushing back the state’s primaries from March to May.", - "category": "Redistricting and Reapportionment", - "link": "https://www.nytimes.com/2021/12/08/us/politics/north-carolina-primary-elections-redistricting.html", - "creator": "Michael Wines", - "pubDate": "Thu, 09 Dec 2021 02:54:59 +0000", + "title": "After Success in Seating Federal Judges, Biden Hits Resistance", + "description": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", + "content": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", + "category": "Appointments and Executive Changes", + "link": "https://www.nytimes.com/2021/12/05/us/biden-judges-senate-confirmation.html", + "creator": "Carl Hulse", + "pubDate": "Sun, 05 Dec 2021 08:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93689,16 +119920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f19edd43fc1bab8cf49b11690306a309" + "hash": "07d2a2fd90db41e4f6131de6d1e6e582" }, { - "title": "N.Y.C. Looks to Impose New Regulations on Illegal Airbnbs", - "description": "New legislation will require hosts of short-term rentals to register with the city — the latest move in a long battle between New York and the rental companies.", - "content": "New legislation will require hosts of short-term rentals to register with the city — the latest move in a long battle between New York and the rental companies.", - "category": "Renting and Leasing (Real Estate)", - "link": "https://www.nytimes.com/2021/12/09/nyregion/nyc-illegal-airbnb-regulation.html", - "creator": "Mihir Zaveri", - "pubDate": "Thu, 09 Dec 2021 10:00:11 +0000", + "title": "Inside the Holiday Light Show at Brooklyn Botanic Garden ", + "description": "Outdoor installations like the elaborate illuminations at Brooklyn Botanic Garden are perfect for this second pandemic winter.", + "content": "Outdoor installations like the elaborate illuminations at Brooklyn Botanic Garden are perfect for this second pandemic winter.", + "category": "Gardens and Gardening", + "link": "https://www.nytimes.com/2021/12/03/nyregion/brooklyn-botanic-garden-holiday-lights.html", + "creator": "Ginia Bellafante", + "pubDate": "Fri, 03 Dec 2021 15:35:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93709,16 +119940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "45f50a8f7ab892c46ab7803d9f36f333" + "hash": "eb15467f19e310cfe125e7a0e1d7f343" }, { - "title": "Business Updates: Volkswagen Board Meets Amid Leadership Dispute", - "description": "Herbert Diess has angered workers by mentioning the possibility of job cuts as the automaker prepares for an all-electric future and taking on Tesla.", - "content": "Herbert Diess has angered workers by mentioning the possibility of job cuts as the automaker prepares for an all-electric future and taking on Tesla.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/09/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Thu, 09 Dec 2021 14:23:16 +0000", + "title": "When Michigan Beat Ohio State, I Cried Tears of Joy", + "description": "The Euphoria of a Big Win, Explained.", + "content": "The Euphoria of a Big Win, Explained.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/04/opinion/michigan-ohio-football-happiness.html", + "creator": "Jane Coaston", + "pubDate": "Sat, 04 Dec 2021 16:26:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93729,16 +119960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "651b4bb9388aa5d7da14330767c0cabc" + "hash": "becdf1383365686205a0e77e578976c4" }, { - "title": "Gig Worker Protections Get a Push in European Proposal", - "description": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", - "content": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", - "category": "Delivery Services", - "link": "https://www.nytimes.com/2021/12/09/technology/european-commission-gig-workers-uber.html", - "creator": "Adam Satariano and Elian Peltier", - "pubDate": "Thu, 09 Dec 2021 11:58:33 +0000", + "title": "Upstate New York Hospitals Are Overwhelmed as Covid Cases Surge", + "description": "Health care officials say a “perfect storm” of new Covid cases, staff shortages and filled nursing homes has created a crisis.", + "content": "Health care officials say a “perfect storm” of new Covid cases, staff shortages and filled nursing homes has created a crisis.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/03/nyregion/covid-cases-surge-upstate-ny.html", + "creator": "Sharon Otterman", + "pubDate": "Fri, 03 Dec 2021 22:31:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93749,16 +119980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fc67acc2b81dd83ad63e27d74bc76bea" + "hash": "15a8a4e1026b835361f8fac659b239db" }, { - "title": "Father and Son Arrested on Suspicion of Starting the Caldor Fire", - "description": "The men have not been charged but were arrested in connection with the 15th-largest blaze in California’s recorded history. It burned more than 200,000 acres near Lake Tahoe.", - "content": "The men have not been charged but were arrested in connection with the 15th-largest blaze in California’s recorded history. It burned more than 200,000 acres near Lake Tahoe.", - "category": "Arson", - "link": "https://www.nytimes.com/2021/12/08/us/caldor-fire-arson-arrest-california.html", - "creator": "Jill Cowan", - "pubDate": "Thu, 09 Dec 2021 03:52:47 +0000", + "title": "Public Displays of Resignation: Saying ‘I Quit’ Loud and Proud", + "description": "People aren’t just leaving their jobs. They are broadcasting it.", + "content": "People aren’t just leaving their jobs. They are broadcasting it.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/12/04/business/public-resignation-quitting.html", + "creator": "Emma Goldberg", + "pubDate": "Sat, 04 Dec 2021 10:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93769,16 +120000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8fef10955237d1e9b104f5ea8fd0229e" + "hash": "cec5dacbe9a1a5d8017b34aac0b4e410" }, { - "title": "Senate Votes to Scrap Biden Vaccine Mandate as Republicans Eye 2022", - "description": "The action was largely symbolic, but it allowed Republicans to press an attack on Democrats that is likely to be central to their midterm election campaigns.", - "content": "The action was largely symbolic, but it allowed Republicans to press an attack on Democrats that is likely to be central to their midterm election campaigns.", - "category": "Senate", - "link": "https://www.nytimes.com/2021/12/08/us/politics/biden-vaccine-mandate-senate.html", - "creator": "Emily Cochrane", - "pubDate": "Thu, 09 Dec 2021 01:25:38 +0000", + "title": "Omicron Is Here. Should You Cancel Your Trip?", + "description": "Most people have become used to making health-risk assessments during the pandemic, but that doesn’t make the decision about whether to travel or cancel easier — especially with a new variant circulating.", + "content": "Most people have become used to making health-risk assessments during the pandemic, but that doesn’t make the decision about whether to travel or cancel easier — especially with a new variant circulating.", + "category": "Travel and Vacations", + "link": "https://www.nytimes.com/2021/12/02/travel/omicron-variant-travel-decisions.html", + "creator": "Heather Murphy", + "pubDate": "Thu, 02 Dec 2021 21:03:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93789,16 +120020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f636a075d4350f0b8abcaf93d94689f" + "hash": "5546944ef0c4699762cff356ad411230" }, { - "title": "SpaceX Launches IXPE NASA Telescope for X-Ray Views of Universe", - "description": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", - "content": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", - "category": "Space and Astronomy", - "link": "https://www.nytimes.com/2021/12/09/science/nasa-spacex-ixpe-launch.html", - "creator": "Jonathan O’Callaghan", - "pubDate": "Thu, 09 Dec 2021 11:42:08 +0000", + "title": "Denzel Washington, Man on Fire", + "description": "The actor never leans in — he’s all in. And in his latest, “Macbeth,” conjured by Joel Coen, he is as sharp and deadly as a dagger.", + "content": "The actor never leans in — he’s all in. And in his latest, “Macbeth,” conjured by Joel Coen, he is as sharp and deadly as a dagger.", + "category": "", + "link": "https://www.nytimes.com/2021/12/04/style/denzel-washington-man-on-fire.html", + "creator": "Maureen Dowd", + "pubDate": "Sat, 04 Dec 2021 10:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93809,16 +120040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f900d35896e468c245bb25ab68e0188f" + "hash": "0c07ee15ea49fe4c76ae0cae0a19b9a2" }, { - "title": "Evidence Muddles Durham’s Case on Sussmann’s F.B.I. Meeting", - "description": "One disclosure dovetails with the special counsel John Durham’s indictment against Michael Sussmann, while several others clash with it.", - "content": "One disclosure dovetails with the special counsel John Durham’s indictment against Michael Sussmann, while several others clash with it.", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/08/us/durham-sussmann-fbi-trump-russia.html", - "creator": "Charlie Savage", - "pubDate": "Thu, 09 Dec 2021 00:31:24 +0000", + "title": "Buck O'Neil, Gil Hodges and Minnie Miñoso Elected to Hall of Fame", + "description": "A pair of committees asked to review candidates from previous eras elected Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", + "content": "A pair of committees asked to review candidates from previous eras elected Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/12/05/sports/baseball/buck-oneil-gil-hodges-hall-of-fame.html", + "creator": "Benjamin Hoffman", + "pubDate": "Mon, 06 Dec 2021 00:22:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93829,16 +120060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cec5ddaa183bbe44e1c1e5d6b7bbb016" + "hash": "8a52e08108ba2ce1eabab5ac5164aa46" }, { - "title": "Best Art Exhibitions of 2021", - "description": "Ambitious museum shows in Tulsa, Richmond, and Louisville left an imprint. Jasper Johns, Maya Lin and Latino artists shone. And the high quality of gallery shows of women was dizzying and gratifying.", - "content": "Ambitious museum shows in Tulsa, Richmond, and Louisville left an imprint. Jasper Johns, Maya Lin and Latino artists shone. And the high quality of gallery shows of women was dizzying and gratifying.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/07/arts/design/best-art-2021.html", - "creator": "Holland Cotter and Roberta Smith", - "pubDate": "Thu, 09 Dec 2021 04:53:52 +0000", + "title": "Alabama, Michigan, Georgia and Cincinnati Make College Football Playoff", + "description": "The semifinal games are scheduled for New Year’s Eve, with the national championship planned for Jan. 10 in Indianapolis.", + "content": "The semifinal games are scheduled for New Year’s Eve, with the national championship planned for Jan. 10 in Indianapolis.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/12/05/sports/ncaafootball/alabama-michigan-georgia-cincinnati-college-football-playoff.html", + "creator": "Alan Blinder", + "pubDate": "Sun, 05 Dec 2021 17:30:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93849,16 +120080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "af702a8d56ef0f98a4935d02563948bf" + "hash": "fc40c92370bea9d6f8d5fbacca1c6501" }, { - "title": "Arca Once Made Electronic Music. Now She Builds Worlds.", - "description": "The artist’s latest project is “KICK,” a five-album cycle accompanied by an elaborate 3-D visual world that presses against all kinds of boundaries.", - "content": "The artist’s latest project is “KICK,” a five-album cycle accompanied by an elaborate 3-D visual world that presses against all kinds of boundaries.", - "category": "Music", - "link": "https://www.nytimes.com/2021/12/03/arts/music/arca-kick.html", - "creator": "Isabelia Herrera", - "pubDate": "Fri, 03 Dec 2021 15:00:08 +0000", + "title": "U.S. Military Has Acted Against Ransomware Groups, General Acknowledges", + "description": "Gen. Paul M. Nakasone, the head of Cyber Command, said a new cross-functional effort has been gathering intelligence to combat criminal groups targeting U.S. infrastructure.", + "content": "Gen. Paul M. Nakasone, the head of Cyber Command, said a new cross-functional effort has been gathering intelligence to combat criminal groups targeting U.S. infrastructure.", + "category": "Cyberwarfare and Defense", + "link": "https://www.nytimes.com/2021/12/05/us/politics/us-military-ransomware-cyber-command.html", + "creator": "Julian E. Barnes", + "pubDate": "Sun, 05 Dec 2021 19:07:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93869,16 +120100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d4ebe79a213c330cfb2a50042439c25" + "hash": "8c04fec9f7be2c2560e4317ffda4b3a7" }, { - "title": "Carrie Mae Weems Sets the Stage and Urges Action", - "description": "In “The Shape of Things” at the Park Avenue Armory, the artist tells us how we got to this political moment, and asks us to decide what comes next.", - "content": "In “The Shape of Things” at the Park Avenue Armory, the artist tells us how we got to this political moment, and asks us to decide what comes next.", - "category": "Park Avenue Armory (Manhattan, NY)", - "link": "https://www.nytimes.com/2021/12/06/arts/design/weems-park-avenue-armory-shape-review.html", - "creator": "Aruna D’Souza", - "pubDate": "Mon, 06 Dec 2021 19:15:41 +0000", + "title": "Cambodian Effort to Find Artifacts Won’t End With Informant’s Death", + "description": "Officials plan to use evidence from the former looter known as Lion as they seek the return of stolen objects from museums and private collections.", + "content": "Officials plan to use evidence from the former looter known as Lion as they seek the return of stolen objects from museums and private collections.", + "category": "Arts and Antiquities Looting", + "link": "https://www.nytimes.com/2021/12/05/arts/design/cambodian-effort-to-find-artifacts-wont-end-with-informants-death.html", + "creator": "Tom Mashberg", + "pubDate": "Sun, 05 Dec 2021 21:00:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93889,16 +120120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ad4eca6e997f8693c4b3382356a6f6f" + "hash": "ff6042fd31145f41a2e12b94a4c5eb51" }, { - "title": "Late Night Has Some Ideas on Who Set the Fox Christmas Tree Ablaze", - "description": "“The fire is believed to have started after Fox News’ pants caught on fire,” Jimmy Kimmel said.", - "content": "“The fire is believed to have started after Fox News’ pants caught on fire,” Jimmy Kimmel said.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/09/arts/television/jimmy-kimmel-fox-news-christmas-tree-fire.html", - "creator": "Trish Bendix", - "pubDate": "Thu, 09 Dec 2021 06:46:09 +0000", + "title": "Chris Cuomo Faced Sexual Misconduct Accusation Before CNN Fired Him", + "description": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", + "content": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", + "category": "Cuomo, Christopher", + "link": "https://www.nytimes.com/2021/12/04/business/media/chris-cuomo-fired-cnn.html", + "creator": "Michael M. Grynbaum, John Koblin and Jodi Kantor", + "pubDate": "Sun, 05 Dec 2021 17:18:24 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93909,16 +120140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e17fb32a61ccb4a5f88b4c4f2dec379" + "hash": "1f4a0451a72a4a3a54c57e87e03f542a" }, { - "title": "‘Is There Still Sex in the City?’ Review: Candace Bushnell Dishes Hot Details", - "description": "In her one-woman Off Broadway show, the “Sex and the City” author invites audiences behind the scenes of her life with a wink and a cocktail.", - "content": "In her one-woman Off Broadway show, the “Sex and the City” author invites audiences behind the scenes of her life with a wink and a cocktail.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/08/theater/is-there-still-sex-in-the-city-review.html", - "creator": "Naveen Kumar", - "pubDate": "Wed, 08 Dec 2021 21:43:06 +0000", + "title": "The New Rules for Hosting That Holiday Party", + "description": "If the 2020 holiday season was the year to cancel everything, 2021 is about figuring out how to get our groove back.", + "content": "If the 2020 holiday season was the year to cancel everything, 2021 is about figuring out how to get our groove back.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/12/03/realestate/hosting-holiday-party-covid.html", + "creator": "Ronda Kaysen", + "pubDate": "Fri, 03 Dec 2021 13:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93929,16 +120160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3f4ac86c4df1453fc15acde53f892740" + "hash": "27cf0108cf9aaac35392f74925330fd3" }, { - "title": "China Evergrande Defaults on Its Debt, Fitch Says", - "description": "Fitch’s announcement spells out a reality already accepted by investors: The company can’t pay its bills and is being restructured under Beijing’s eye.", - "content": "Fitch’s announcement spells out a reality already accepted by investors: The company can’t pay its bills and is being restructured under Beijing’s eye.", - "category": "China", - "link": "https://www.nytimes.com/2021/12/09/business/china-evergrande-default.html", - "creator": "Alexandra Stevenson and Cao Li", - "pubDate": "Thu, 09 Dec 2021 10:01:46 +0000", + "title": "Where the Pro-Choice Movement Went Wrong", + "description": "How abortion-rights groups failed to stop the erosion of Roe v. Wade.", + "content": "How abortion-rights groups failed to stop the erosion of Roe v. Wade.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/01/opinion/abortion-planned-parenthood-naral-roe-v-wade.html", + "creator": "Amy Littlefield", + "pubDate": "Wed, 01 Dec 2021 16:57:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93949,16 +120180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "de711057ba0dde10f3e5852487b3959d" + "hash": "952fb787c6c49a3f8f3fb43450c20f26" }, { - "title": "Tips for Buying a Used Car", - "description": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", - "content": "Top dealerships offer reassurances, but better prices might be found elsewhere. Check the Carfax, and offer to meet in a police station parking lot.", - "category": "Used Cars", - "link": "https://www.nytimes.com/2021/12/09/business/used-car-buying-tips.html", - "creator": "Paul Stenquist", - "pubDate": "Thu, 09 Dec 2021 11:00:06 +0000", + "title": "Tiny Homes for the Homeless", + "description": "Do these shelters help those living on the streets or just offer political cover?", + "content": "Do these shelters help those living on the streets or just offer political cover?", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/02/opinion/tiny-house-homelessness.html", + "creator": "Jay Caspian Kang", + "pubDate": "Thu, 02 Dec 2021 21:48:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93969,16 +120200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "19f4c08838b7ea1e2da50475e6660da4" + "hash": "3667ce939aa62bdf627707c1546777e9" }, { - "title": "Omicron Threatens the Old. Nursing Homes Must Act Now.", - "description": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", - "content": "Whatever the variant may mean for the young, it’s already clear that it can be deadly for the old.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/09/opinion/omicron-nursing-homes.html", - "creator": "Zeynep Tufekci", - "pubDate": "Thu, 09 Dec 2021 10:00:18 +0000", + "title": "Omicron Is Another Waiting Game for Parents", + "description": "A worrisome week in news.", + "content": "A worrisome week in news.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/04/opinion/omicron-michigan-dobbs.html", + "creator": "Jessica Grose", + "pubDate": "Sat, 04 Dec 2021 16:30:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -93989,16 +120220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "82072f01503191badbac5da403de3b8a" + "hash": "2b1b55a95d170d1d75ec2464fc6122e8" }, { - "title": "Recipe Plagiarism and Buying a High School: The Week in Narrated Articles", - "description": "Five articles from around The Times, narrated just for you.", - "content": "Five articles from around The Times, narrated just for you.", - "category": "", - "link": "https://www.nytimes.com/2021/12/03/podcasts/recipe-plagiarism-and-buying-a-high-school-the-week-in-narrated-articles.html", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:30:05 +0000", + "title": "Fatalities Reported After Military Truck Rams Protesters in Myanmar", + "description": "Witnesses said soldiers also fired into the crowd and kicked wounded demonstrators, the latest in a series of confrontations in which the military’s behavior has infuriated citizens.", + "content": "Witnesses said soldiers also fired into the crowd and kicked wounded demonstrators, the latest in a series of confrontations in which the military’s behavior has infuriated citizens.", + "category": "Demonstrations, Protests and Riots", + "link": "https://www.nytimes.com/2021/12/05/world/asia/myanmar-car-protesters-killed.html", + "creator": "Sui-Lee Wee", + "pubDate": "Sun, 05 Dec 2021 08:01:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94009,16 +120240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c1b5c40849c1212f0c77278ded38e8fd" + "hash": "db1e6df1f0e5a46d6d320534cc0f45f2" }, { - "title": "American Families Are Drowning in Care Costs. Here’s How to Change That.", - "description": "Ai-jen Poo on the economic potential of a public investment in child care, elder care and paid family leave.", - "content": "Ai-jen Poo on the economic potential of a public investment in child care, elder care and paid family leave.", - "category": "Income Inequality", - "link": "https://www.nytimes.com/2021/12/07/opinion/ezra-klein-podcast-ai-jen-poo.html", - "creator": "‘The Ezra Klein Show’", - "pubDate": "Tue, 07 Dec 2021 17:20:44 +0000", + "title": "Three Months After Hurricane Ida, Residents Are Still Waiting for FEMA Housing", + "description": "As storms and fires become more severe, disaster housing policy has failed to keep up, leaving people displaced for months on end.", + "content": "As storms and fires become more severe, disaster housing policy has failed to keep up, leaving people displaced for months on end.", + "category": "Hurricane Ida (2021)", + "link": "https://www.nytimes.com/2021/12/05/us/hurricane-ida-fema-housing.html", + "creator": "Sophie Kasakove and Katy Reckdahl", + "pubDate": "Sun, 05 Dec 2021 08:00:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94029,16 +120260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2cfedff818d9be736a9560b6907ef852" + "hash": "6898722d13453ccfad3aab20173e2142" }, { - "title": "Safety Nets That Sustain Community", - "description": "Grants provided support for organizations building out health initiatives, buoying Latino nonprofits and making sure New Yorkers are nourished.", - "content": "Grants provided support for organizations building out health initiatives, buoying Latino nonprofits and making sure New Yorkers are nourished.", - "category": "New York Times Neediest Cases Fund", - "link": "https://www.nytimes.com/2021/12/07/neediest-cases/safety-nets-that-sustain-community.html", - "creator": "Emma Grillo and Kristen Bayrakdarian", - "pubDate": "Tue, 07 Dec 2021 10:00:07 +0000", + "title": "Ruth Reichl Will Write a Substack Newsletter", + "description": "The former restaurant critic and Gourmet editor is joining a cadre of chefs and authors enlisted to expand the platform’s culinary content.", + "content": "The former restaurant critic and Gourmet editor is joining a cadre of chefs and authors enlisted to expand the platform’s culinary content.", + "category": "Writing and Writers", + "link": "https://www.nytimes.com/2021/12/01/dining/substack-food-ruth-reichl.html", + "creator": "Kim Severson", + "pubDate": "Wed, 01 Dec 2021 23:56:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94049,16 +120280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "03ef4bb1de08355b719113e864ee78e1" + "hash": "b96af0dc557a186e2aee5314bac52429" }, { - "title": "Catharsis Songs", - "description": "Big feelings, big playlist.", - "content": "Big feelings, big playlist.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/12/08/at-home/newsletter.html", - "creator": "Melissa Kirsch", - "pubDate": "Wed, 08 Dec 2021 22:34:00 +0000", + "title": "A Master of the Half Pipe Plants His Feet at the Altar", + "description": "Danny Davis, a professional snowboarder, married Hayley Simpson 19 years after they met as teens at a snowboarding event.", + "content": "Danny Davis, a professional snowboarder, married Hayley Simpson 19 years after they met as teens at a snowboarding event.", + "category": "Weddings and Engagements", + "link": "https://www.nytimes.com/2021/12/03/style/danny-davis-hayley-simpson-wedding.html", + "creator": "Vincent M. Mallozzi", + "pubDate": "Fri, 03 Dec 2021 16:43:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94069,16 +120300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "998c46d5e5384d8f20832299e93e59db" + "hash": "5bb6400c590d5856d08da08f80b47428" }, { - "title": "Gig Worker Protections Get a Push in European Proposal", - "description": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", - "content": "A proposal with widespread political support would entitle drivers and couriers for companies like Uber to a minimum wage and legal protections.", - "category": "Delivery Services", - "link": "https://www.nytimes.com/2021/12/09/technology/gig-workers-europe-uber.html", - "creator": "Adam Satariano and Elian Peltier", - "pubDate": "Thu, 09 Dec 2021 10:07:11 +0000", + "title": "How the Rev. Dr. Jacqui Lewis, Author and Preacher, Spends Her Sundays", + "description": "Although her church burned down a year ago, it’s still very much alive in her heart and actions.", + "content": "Although her church burned down a year ago, it’s still very much alive in her heart and actions.", + "category": "Historic Buildings and Sites", + "link": "https://www.nytimes.com/2021/12/03/nyregion/jacqui-lewis-middle-collegiate.html", + "creator": "Tammy La Gorce", + "pubDate": "Fri, 03 Dec 2021 10:00:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94089,16 +120320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "95c6852ffc5d21b1f7179278b7cda441" + "hash": "1d6ef261d4770d3cd5f34e9a8d2ee5bc" }, { - "title": "SpaceX Launches IXPE NASA Telescope for X-Ray Views of Universe", - "description": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", - "content": "The IXPE spacecraft will use X-ray polarimetry to better measure black holes, supernovas and other astronomical phenomena.", - "category": "Space and Astronomy", - "link": "https://www.nytimes.com/2021/12/09/science/ixpe-spacex-nasa-launch.html", - "creator": "Jonathan O’Callaghan", - "pubDate": "Thu, 09 Dec 2021 06:38:22 +0000", + "title": "What African Americans Thought of Barack Obama", + "description": "Claude A. Clegg III’s “The Black President” looks at the often surprising reactions of African Americans to the Obama administration.", + "content": "Claude A. Clegg III’s “The Black President” looks at the often surprising reactions of African Americans to the Obama administration.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/02/books/review/claude-a-clegg-iii-the-black-president.html", + "creator": "Orlando Patterson", + "pubDate": "Thu, 02 Dec 2021 20:00:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94109,16 +120340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5cf0ddb157fae1c12aba5b38f3c4a179" + "hash": "6506246bbb3232f7b24ad2cfb428909c" }, { - "title": "House Votes to Crack Down on Goods Made in Xinjiang Over Abuse of Uyghurs", - "description": "The lopsided margin reflected growing bipartisan anger at China’s human rights abuses against Uyghurs in the northwestern region.", - "content": "The lopsided margin reflected growing bipartisan anger at China’s human rights abuses against Uyghurs in the northwestern region.", - "category": "Law and Legislation", - "link": "https://www.nytimes.com/2021/12/08/us/politics/china-xinjiang-labor-ban-uyghurs.html", - "creator": "Catie Edmondson", - "pubDate": "Thu, 09 Dec 2021 00:39:27 +0000", + "title": "Mothers of Reinvention: The Lab Pivots as Studios Close", + "description": "In a strategic feat of survival, the Lab, a Los Angeles dance studio stalwart, has transformed itself into a creative agency and “lifestyle brand.”", + "content": "In a strategic feat of survival, the Lab, a Los Angeles dance studio stalwart, has transformed itself into a creative agency and “lifestyle brand.”", + "category": "Dancing", + "link": "https://www.nytimes.com/2021/12/02/arts/dance/the-lab-studio-los-angeles.html", + "creator": "Margaret Fuhrer", + "pubDate": "Thu, 02 Dec 2021 18:09:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94129,16 +120360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "67b377a73650e6401a578df75a476db1" + "hash": "f6b11ee18ea1bb4f753cd28e10f1dc4c" }, { - "title": "How to Age Well and Stay in Your Home", - "description": "Don’t wait for a crisis like a broken hip to modify your home.", - "content": "Don’t wait for a crisis like a broken hip to modify your home.", - "category": "Elderly", - "link": "https://www.nytimes.com/2018/05/21/well/how-to-age-well-and-stay-in-your-home.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 21 May 2018 09:00:01 +0000", + "title": "Getting Packages in My Building Is Chaotic. What Can I Do?", + "description": "The pandemic has exacerbated the onslaught of deliveries. Management should consider changes to staffing, storage capacity or building policy.", + "content": "The pandemic has exacerbated the onslaught of deliveries. Management should consider changes to staffing, storage capacity or building policy.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/12/04/realestate/package-delivery-apartment-buildings.html", + "creator": "Ronda Kaysen", + "pubDate": "Sat, 04 Dec 2021 15:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94149,16 +120380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4de297cc33daebbf5ddd2643f940c3fc" + "hash": "7f1f183c66ce84d269ec08fe1c788397" }, { - "title": "How Exercise May Support the Aging Brain", - "description": "Simple activities like walking boost immune cells in the brain that may help to keep memory sharp and even ward off Alzheimer’s disease.", - "content": "Simple activities like walking boost immune cells in the brain that may help to keep memory sharp and even ward off Alzheimer’s disease.", - "category": "Alzheimer's Disease", - "link": "https://www.nytimes.com/2021/12/01/well/move/exercise-brain-health-alzheimers.html", - "creator": "Gretchen Reynolds", - "pubDate": "Fri, 03 Dec 2021 14:16:18 +0000", + "title": "The U.S. is close to having 200 million people fully vaccinated.", + "description": " ", + "content": " ", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Sun, 05 Dec 2021 19:00:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94169,16 +120400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "87197fb1ffd351baa557f4854d40810d" + "hash": "3155cc29c09d4e3f3b5cd00744ba4d3b" }, { - "title": "Getting Older, Sleeping Less", - "description": "When insomnia persists, it can wreak physical, emotional and social havoc.", - "content": "When insomnia persists, it can wreak physical, emotional and social havoc.", - "category": "Sleep", - "link": "https://www.nytimes.com/2017/01/16/well/live/getting-older-sleeping-less.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 16 Jan 2017 14:31:22 +0000", + "title": "Omicron, Michigan, Rockefeller Center: Your Weekend Briefing", + "description": "Here’s what you need to know about the week’s top stories.", + "content": "Here’s what you need to know about the week’s top stories.", + "category": "", + "link": "https://www.nytimes.com/2021/12/05/briefing/omicron-michigan-rockefeller-center.html", + "creator": "Remy Tumin", + "pubDate": "Sun, 05 Dec 2021 11:10:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94189,16 +120420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dfb11deec0d193e5dc025ad068780fa0" + "hash": "bc27395d0c89661bfca3f690a7bb1174" }, { - "title": "Is Dancing the Kale of Exercise?", - "description": "Research shows that dance offers a wealth of anti-aging benefits. It’s also fun.", - "content": "Research shows that dance offers a wealth of anti-aging benefits. It’s also fun.", - "category": "Dancing", - "link": "https://www.nytimes.com/2019/04/30/well/move/health-benefits-dancing.html", - "creator": "Marilyn Friedman", - "pubDate": "Tue, 30 Apr 2019 09:00:02 +0000", + "title": "Adele Returns, From Beyond Space and Time", + "description": "Will we ever see a star who unites audiences like this British musician again?", + "content": "Will we ever see a star who unites audiences like this British musician again?", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/11/30/arts/music/popcast-adele-30.html", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 23:23:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94209,16 +120440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a07bc98f1afde8eb1fbcd639f08087b7" + "hash": "fd6673d1259eee58c89c6646dc3fb5c3" }, { - "title": "For a Longer Life, Get Moving. Even a Little.", - "description": "Some of the greatest gains are seen when people shift from being sedentary toward ambling for even one extra hour each day.", - "content": "Some of the greatest gains are seen when people shift from being sedentary toward ambling for even one extra hour each day.", - "category": "Longevity", - "link": "https://www.nytimes.com/2019/08/28/well/move/for-a-longer-life-get-moving-even-a-little.html", - "creator": "Gretchen Reynolds", - "pubDate": "Tue, 03 Sep 2019 05:16:39 +0000", + "title": "Don Demeter, a Dodger Star of the Future Who Wasn’t, Dies at 86", + "description": "Groomed to replace Duke Snider, he broke his wrist in 1960 and never lived up to expectations. But he had a fine career with four other teams.", + "content": "Groomed to replace Duke Snider, he broke his wrist in 1960 and never lived up to expectations. But he had a fine career with four other teams.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/12/01/sports/baseball/don-demeter-dead.html", + "creator": "Richard Goldstein", + "pubDate": "Thu, 02 Dec 2021 02:03:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94229,16 +120460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dfe29f4eb96daf780e33e628c37cc409" + "hash": "c248d0eb80ab543a63e279c13045aa29" }, { - "title": "Book Review: 'Garbo,' by Robert Gottlieb", - "description": "Robert Gottlieb’s scrupulous study, “Garbo,” suggests that the great star was a sphinx without a secret.", - "content": "Robert Gottlieb’s scrupulous study, “Garbo,” suggests that the great star was a sphinx without a secret.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/03/books/review/greta-garbo-biography-robert-gottlieb.html", - "creator": "Mark Harris", - "pubDate": "Fri, 03 Dec 2021 20:43:33 +0000", + "title": "Vaccine Demand in the U.S. Rises as Omicron Fears Grow", + "description": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", + "content": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/04/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Sun, 05 Dec 2021 07:11:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94249,16 +120480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f98cb6b526b663c7e969a6e25770aaea" + "hash": "e105d36d34c2cf004738562c1f133c06" }, { - "title": "‘Being the Ricardos’ Review: Kiss, Fight, Rinse, Repeat", - "description": "Nicole Kidman and Javier Bardem star as Lucille Ball and Desi Arnaz in Aaron Sorkin’s drama about one very bad week.", - "content": "Nicole Kidman and Javier Bardem star as Lucille Ball and Desi Arnaz in Aaron Sorkin’s drama about one very bad week.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/08/movies/being-the-ricardos-review.html", - "creator": "Manohla Dargis", - "pubDate": "Wed, 08 Dec 2021 22:30:55 +0000", + "title": "Critical Moment for Roe, and the Supreme Court’s Legitimacy", + "description": "As justices consider Mississippi’s restrictive abortion law, scholars debate what a reversal of Roe v. Wade would mean for the court’s credibility.", + "content": "As justices consider Mississippi’s restrictive abortion law, scholars debate what a reversal of Roe v. Wade would mean for the court’s credibility.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/04/us/mississippi-supreme-court-abortion-roe-v-wade.html", + "creator": "Adam Liptak", + "pubDate": "Sat, 04 Dec 2021 16:45:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94269,16 +120500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5094f1995bb85c48a90f4403accfb2b9" + "hash": "8aad2a559a9a0d5e8f3fe537e58b4633" }, { - "title": "Best Jazz Albums of 2021", - "description": "In a year of continued uncertainty, musicians held their colleagues, and listeners, close.", - "content": "In a year of continued uncertainty, musicians held their colleagues, and listeners, close.", - "category": "Jazz", - "link": "https://www.nytimes.com/2021/12/02/arts/music/best-jazz-albums.html", - "creator": "Giovanni Russonello", - "pubDate": "Tue, 07 Dec 2021 16:04:37 +0000", + "title": "CNN Fires Chris Cuomo Over Role in Andrew Cuomo's Scandal", + "description": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", + "content": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/12/04/business/media/chris-cuomo-fired-cnn.html", + "creator": "Michael M. Grynbaum, John Koblin and Jodi Kantor", + "pubDate": "Sun, 05 Dec 2021 06:18:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94289,16 +120520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0c5ca9cb21887262ce88189dc62ff50" + "hash": "460b124024cb1624da1d7eab69d4d889" }, { - "title": "René Pollesch Aims for a ‘Safe Space’ at the Volksbühne in Berlin", - "description": "René Pollesch is the fourth boss of the Volksbühne in four years. The Berlin theater is pinning hopes of a return to its former vibrancy on his collaborative approach.", - "content": "René Pollesch is the fourth boss of the Volksbühne in four years. The Berlin theater is pinning hopes of a return to its former vibrancy on his collaborative approach.", - "category": "Volksbuhne", - "link": "https://www.nytimes.com/2021/12/03/theater/rene-pollesch-volksbuehne.html", - "creator": "A.J. Goldmann", - "pubDate": "Fri, 03 Dec 2021 15:24:49 +0000", + "title": "Dramatic Day Reveals Details About the Parents of a School Shooting Suspect", + "description": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", + "content": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/05/us/michigan-shooting-parents.html", + "creator": "Sophie Kasakove and Susan Cooper Eastman", + "pubDate": "Sun, 05 Dec 2021 13:51:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94309,16 +120540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d2134d9002442e4804153821ff28a0eb" + "hash": "c534a25f23a0c4ae26a4ec5c8d8bdf2d" }, { - "title": "Remembering Sylvia Weinstock, the ‘Queen of Cake’", - "description": "Sylvia Weinstock, who died Nov. 22, created thousands of wedding cakes over the years. Four couples share what her confections meant to them.", - "content": "Sylvia Weinstock, who died Nov. 22, created thousands of wedding cakes over the years. Four couples share what her confections meant to them.", - "category": "Bakeries and Baked Products", - "link": "https://www.nytimes.com/2021/12/04/style/sylvia-weinstock-queen-of-cake.html", - "creator": "Alix Strauss", - "pubDate": "Sat, 04 Dec 2021 10:00:16 +0000", + "title": "Condé Nast Knows Faded Glory Is Not in Style", + "description": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", + "content": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", + "category": "Magazines", + "link": "https://www.nytimes.com/2021/12/04/business/media/conde-nast-anna-wintour.html", + "creator": "Katie Robertson", + "pubDate": "Sat, 04 Dec 2021 16:24:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94329,16 +120560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e404362888192928351982e346fd19c" + "hash": "a563cbe6ec7bafc00b92538fb30b58e8" }, { - "title": "More Than 200 Million Americans Are Fully Vaccinated", - "description": "The U.S. crossed the milestone as the threat of the Omicron variant spurred a flurry of shots in recent days. Here’s the latest on the pandemic.", - "content": "The U.S. crossed the milestone as the threat of the Omicron variant spurred a flurry of shots in recent days. Here’s the latest on the pandemic.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 23:25:51 +0000", + "title": "You Should Be Afraid of the Next ‘Lab Leak’", + "description": "Covid might not have come out of a medical research lab, but it raises some urgent questions about how those facilities operate.", + "content": "Covid might not have come out of a medical research lab, but it raises some urgent questions about how those facilities operate.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/23/magazine/covid-lab-leak.html", + "creator": "Jon Gertner", + "pubDate": "Wed, 24 Nov 2021 03:41:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94349,16 +120580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "90ea88e076404dfae7609a182849d622" + "hash": "dc1f74d896e196c48b3aca382519c35d" }, { - "title": "Pfizer Says Its Booster Is Effective Against Omicron", - "description": "The company’s finding is based on only a small study of blood samples in a laboratory, but others are sure to follow.", - "content": "The company’s finding is based on only a small study of blood samples in a laboratory, but others are sure to follow.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/08/health/pfizer-booster-omicron.html", - "creator": "Sharon LaFraniere", - "pubDate": "Thu, 09 Dec 2021 01:14:35 +0000", + "title": "Our Most Popular Recipes of 2021", + "description": "A countdown of the delicious dishes our readers viewed the most this year.", + "content": "A countdown of the delicious dishes our readers viewed the most this year.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/12/03/dining/2021-most-popular-recipes.html", + "creator": "Margaux Laskey", + "pubDate": "Fri, 03 Dec 2021 18:32:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94369,16 +120600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d29be6b949acdd8792708d8fccff49be" + "hash": "dafe4d3c85e4b24ba8f9ba67de38a6b6" }, { - "title": "As Covid Deaths Rise, Lingering Grief Gets a New Name", - "description": "Prolonged grief disorder was recently added to the Diagnostic and Statistical Manual of Mental Disorders, just as experts are predicting a coming wave of severe bereavement.", - "content": "Prolonged grief disorder was recently added to the Diagnostic and Statistical Manual of Mental Disorders, just as experts are predicting a coming wave of severe bereavement.", - "category": "Grief (Emotion)", - "link": "https://www.nytimes.com/2021/12/08/well/mind/prolonged-grief-disorder-covid.html", - "creator": "Dawn MacKeen", - "pubDate": "Wed, 08 Dec 2021 19:05:49 +0000", + "title": "Who Will Hold Prosecutors Accountable?", + "description": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", + "content": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", + "category": "Prosecutorial Misconduct", + "link": "https://www.nytimes.com/2021/12/04/opinion/prosecutor-misconduct-new-york-doj.html", + "creator": "The Editorial Board", + "pubDate": "Sat, 04 Dec 2021 20:07:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94389,16 +120620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "550c48f85e14c924d1468b4251181f97" + "hash": "e79b1c5c8cf3b1fefbebc05822adc6a9" }, { - "title": "The World Is Unprepared for the Next Pandemic, Report Says", - "description": "The latest Global Health Security Index finds that no country is positioned well to respond to outbreaks.", - "content": "The latest Global Health Security Index finds that no country is positioned well to respond to outbreaks.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/12/08/health/covid-pandemic-preparedness.html", - "creator": "Emily Anthes", - "pubDate": "Wed, 08 Dec 2021 23:17:55 +0000", + "title": "The Metaverse Is Coming, and the World Is Not Ready for It", + "description": "The geopolitical consequences may be radical.", + "content": "The geopolitical consequences may be radical.", + "category": "Computers and the Internet", + "link": "https://www.nytimes.com/2021/12/02/opinion/metaverse-politics-disinformation-society.html", + "creator": "Zoe Weinberg", + "pubDate": "Thu, 02 Dec 2021 20:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94409,16 +120640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ef4d06d40a65315a39cba53908a88ba" + "hash": "6a7ad8302a1c6568f303b71156c31f7e" }, { - "title": "Britain Introduces 'Plan B' Covid Measures to Tackle Omicron", - "description": "People in England will be urged to work from home and have to show proof of vaccination. Critics say the prime minister is trying to deflect attention from a growing outcry over reports his staff flouted Covid rules.", - "content": "People in England will be urged to work from home and have to show proof of vaccination. Critics say the prime minister is trying to deflect attention from a growing outcry over reports his staff flouted Covid rules.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/08/world/europe/uk-covid-johnson.html", - "creator": "Mark Landler, Stephen Castle and Megan Specia", - "pubDate": "Wed, 08 Dec 2021 21:06:04 +0000", + "title": "Former Montana Governor Steve Bullock Warns: Democrats Face Trouble in Rural America", + "description": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", + "content": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", + "category": "Midterm Elections (2022)", + "link": "https://www.nytimes.com/2021/12/03/opinion/democrats-rural-america-midterms.html", + "creator": "Steve Bullock", + "pubDate": "Fri, 03 Dec 2021 17:51:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94429,16 +120660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e99aed4b8f00483bc93131ca09804470" + "hash": "72831805aade40468f62f1085560250b" }, { - "title": "Ally, Member or Partner? NATO’s Long Dilemma Over Ukraine.", - "description": "NATO promised Ukraine full membership in 2008, but without explaining how or when. Putin sees that promise as an ongoing threat to Russia.", - "content": "NATO promised Ukraine full membership in 2008, but without explaining how or when. Putin sees that promise as an ongoing threat to Russia.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/08/world/europe/nato-ukraine-russia-dilemma.html", - "creator": "Steven Erlanger", - "pubDate": "Wed, 08 Dec 2021 21:39:26 +0000", + "title": "Jack Dorsey Steps Down and Other Silicon Valley Transitions", + "description": "Twitter’s new boss needs to boost the company’s value, or someone else will.", + "content": "Twitter’s new boss needs to boost the company’s value, or someone else will.", + "category": "Computers and the Internet", + "link": "https://www.nytimes.com/2021/12/02/opinion/twitter-remote-work.html", + "creator": "Kara Swisher", + "pubDate": "Thu, 02 Dec 2021 23:28:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94449,16 +120680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1df81698ef81ab3a9735c5b54c4f14cc" + "hash": "da0f920584ff321507b1a1a44245b1ce" }, { - "title": "U.S. Threat to Squeeze Russia’s Economy Is a Tactic With a Mixed Record", - "description": "Sanctions, like aiming to cut oil exports, could also hurt European allies. “It’s a limited toolbox,” one expert said.", - "content": "Sanctions, like aiming to cut oil exports, could also hurt European allies. “It’s a limited toolbox,” one expert said.", - "category": "Embargoes and Sanctions", - "link": "https://www.nytimes.com/2021/12/08/business/economy/us-russia-sanctions-ukraine.html", - "creator": "Patricia Cohen", - "pubDate": "Thu, 09 Dec 2021 01:38:17 +0000", + "title": "Vaccine Hesitancy Is About Trust and Class", + "description": "Vaccine hesitancy reflects a transformation of people’s core beliefs about what we owe each other.", + "content": "Vaccine hesitancy reflects a transformation of people’s core beliefs about what we owe each other.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/03/opinion/vaccine-hesitancy-covid.html", + "creator": "Anita Sreedhar and Anand Gopal", + "pubDate": "Fri, 03 Dec 2021 18:12:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94469,16 +120700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cfb5fe8d4a6edc49f222b8a3888bc528" - }, - { - "title": "Meadows Sues Pelosi in Bid to Block Jan. 6 Committee Subpoena", - "description": "The suit came hours after the committee said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", - "content": "The suit came hours after the committee said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/08/us/politics/mark-meadows-contempt-jan-6-committee.html", - "creator": "Luke Broadwater", - "pubDate": "Wed, 08 Dec 2021 23:21:19 +0000", + "hash": "2109c221b4e7a85d3a2e08bf125612a8" + }, + { + "title": "Social Welfare Can Break the Intergenerational Cycle of Poverty", + "description": "Intervening in children’s lives early can help break the cycle of intergenerational poverty.", + "content": "Intervening in children’s lives early can help break the cycle of intergenerational poverty.", + "category": "Poverty", + "link": "https://www.nytimes.com/2021/12/02/opinion/politics/child-poverty-us.html", + "creator": "David L. Kirp", + "pubDate": "Thu, 02 Dec 2021 20:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94489,16 +120720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8706204da0793aceb5f331ce28be8603" + "hash": "c015eefe68134f16162683a7181e795e" }, { - "title": "Some Jan. 6 Rioters May Use Police Brutality as a Defense", - "description": "Half a dozen defendants in the assault on the Capitol are using video to try to make a case that they were simply protecting themselves and others. They face skepticism and an uphill legal battle.", - "content": "Half a dozen defendants in the assault on the Capitol are using video to try to make a case that they were simply protecting themselves and others. They face skepticism and an uphill legal battle.", - "category": "Storming of the US Capitol (Jan, 2021)", - "link": "https://www.nytimes.com/2021/12/08/us/politics/jan-6-riot-police-brutality-defense.html", - "creator": "Alan Feuer", - "pubDate": "Wed, 08 Dec 2021 15:58:09 +0000", + "title": "In Shinn v. Ramirez, the Supreme Court Should Reject Arizona's Gambit", + "description": "Two Arizona men who were appointed ineffective lawyers landed on death row. If Arizona has its way, the Supreme Court will close an already narrow avenue for relief. ", + "content": "Two Arizona men who were appointed ineffective lawyers landed on death row. If Arizona has its way, the Supreme Court will close an already narrow avenue for relief. ", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/12/03/opinion/supreme-court-death-row-shinn-ramirez.html", + "creator": "Christina Swarns", + "pubDate": "Fri, 03 Dec 2021 10:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94509,16 +120740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1162a091aba0555556a26c6bd0dabeee" + "hash": "c94d82f1db77c0a44ddfff1315d6b7c0" }, { - "title": "De Blasio Fought for 2 Years to Keep Ethics Warning Secret. Here’s Why.", - "description": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", - "content": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", - "category": "de Blasio, Bill", - "link": "https://www.nytimes.com/2021/12/08/nyregion/bill-de-blasio-donors-nyc.html", - "creator": "William Neuman", - "pubDate": "Wed, 08 Dec 2021 22:42:46 +0000", + "title": "Columbia Student Is Stabbed to Death Near Campus", + "description": "The graduate student, Davide Giri, was fatally stabbed near the Manhattan campus on Thursday night. A man has been arrested and charges are pending, the police said.", + "content": "The graduate student, Davide Giri, was fatally stabbed near the Manhattan campus on Thursday night. A man has been arrested and charges are pending, the police said.", + "category": "Columbia University", + "link": "https://www.nytimes.com/2021/12/03/nyregion/columbia-student-stabbed.html", + "creator": "Troy Closson and Lola Fadulu", + "pubDate": "Fri, 03 Dec 2021 17:31:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94529,16 +120760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ef6766812cf2dad5c3da0ab252a0015" + "hash": "00a2acf862df7193ff3c83d4412b449c" }, { - "title": "The Secret to This Glazed Holiday Ham? Root Beer.", - "description": "The sarsaparilla flavor lends the meat a woodsy mintiness, which sings when it’s paired with aromatics like bay leaves and shallots.", - "content": "The sarsaparilla flavor lends the meat a woodsy mintiness, which sings when it’s paired with aromatics like bay leaves and shallots.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/12/08/magazine/root-beer-ham-recipe.html", - "creator": "Eric Kim", - "pubDate": "Thu, 09 Dec 2021 00:25:32 +0000", + "title": "Meet an Ecologist Who Works for God (and Against Lawns)", + "description": "A Long Island couple says fighting climate change and protecting biodiversity starts at home. Or rather, right outside their suburban house.", + "content": "A Long Island couple says fighting climate change and protecting biodiversity starts at home. Or rather, right outside their suburban house.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/03/climate/climate-change-biodiversity.html", + "creator": "Cara Buckley and Karsten Moran", + "pubDate": "Fri, 03 Dec 2021 10:00:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94549,16 +120780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f4231eef20079ed5b315a7744f77d670" + "hash": "25d957321439375c2998d2de33186e94" }, { - "title": "The Oscars Are Broken. Here’s How to Fix Them.", - "description": "The ratings flop that was the last ceremony provided useful lessons in what not to do. But there are steps the academy can take for an actually enjoyable evening.", - "content": "The ratings flop that was the last ceremony provided useful lessons in what not to do. But there are steps the academy can take for an actually enjoyable evening.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/08/movies/how-to-fix-the-oscars.html", - "creator": "Kyle Buchanan", - "pubDate": "Thu, 09 Dec 2021 05:21:50 +0000", + "title": "Cognitive Rehab: One Patient’s Painstaking Path Through Long Covid Therapy", + "description": "Samantha Lewis is relearning some basic aspects of her daily life after struggling with brain fog and other lingering symptoms for more than a year since being infected by the virus.", + "content": "Samantha Lewis is relearning some basic aspects of her daily life after struggling with brain fog and other lingering symptoms for more than a year since being infected by the virus.", + "category": "Chronic Condition (Health)", + "link": "https://www.nytimes.com/2021/12/03/health/long-covid-treatment.html", + "creator": "Pam Belluck and Alex Wroblewski", + "pubDate": "Fri, 03 Dec 2021 16:37:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94569,16 +120800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd6afe3ae731a86dcebc88d37518d52f" + "hash": "8eaf5e77e2fade6e8b747a1e73dce4ab" }, { - "title": "I’m an E.R. Doctor in Michigan, Where Unvaccinated People Are Filling Hospital Beds", - "description": "With every shift, I see the strain people sick with Covid-19 put on my hospital. ", - "content": "With every shift, I see the strain people sick with Covid-19 put on my hospital. ", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/08/opinion/covid-michigan-surge.html", - "creator": "Rob Davidson", - "pubDate": "Wed, 08 Dec 2021 10:00:14 +0000", + "title": "Stabbed 20 Times by Her Husband, She Now Fights Laws Favoring Abusers", + "description": "Shira Isakov, once a little-known Israeli working in advertising, has become a national force in the struggle to combat domestic violence and change the legal landscape on parental rights.", + "content": "Shira Isakov, once a little-known Israeli working in advertising, has become a national force in the struggle to combat domestic violence and change the legal landscape on parental rights.", + "category": "Isakov, Shira", + "link": "https://www.nytimes.com/2021/12/03/world/middleeast/israel-shira-isakov-domestic-violence.html", + "creator": "Isabel Kershner", + "pubDate": "Fri, 03 Dec 2021 10:00:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94589,16 +120820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ce084ce942051b596bc47041c22b5ad0" + "hash": "76737d7bab77a9fab1443d8422db6dc7" }, { - "title": "In Russia, the Pandemic Is Beating Putin", - "description": "The virus has starkly revealed the limits of the president’s power.", - "content": "The virus has starkly revealed the limits of the president’s power.", - "category": "Russia", - "link": "https://www.nytimes.com/2021/12/08/opinion/covid-russia-putin.html", - "creator": "Alexey Kovalev", - "pubDate": "Wed, 08 Dec 2021 06:00:06 +0000", + "title": "A Slow-Motion Climate Disaster: The Spread of Barren Land", + "description": "Brazil’s northeast, long a victim of droughts, is now effectively turning into a desert. The cause? Climate change and the landowners who are most affected.", + "content": "Brazil’s northeast, long a victim of droughts, is now effectively turning into a desert. The cause? Climate change and the landowners who are most affected.", + "category": "Drought", + "link": "https://www.nytimes.com/2021/12/03/world/americas/brazil-climate-change-barren-land.html", + "creator": "Jack Nicas and Victor Moriyama", + "pubDate": "Fri, 03 Dec 2021 08:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94609,16 +120840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c8fbe175458508cf450890f5be6c0b1" + "hash": "b2bf4cde04f3026fce4a12d37dd6192e" }, { - "title": "Trump Won’t Let America Go. Can Democrats Pry It Away?", - "description": "“The radicalized G.O.P. is the main anti-democratic force.” ", - "content": "“The radicalized G.O.P. is the main anti-democratic force.” ", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/08/opinion/trump-democrats-republicans.html", - "creator": "Thomas B. Edsall", - "pubDate": "Wed, 08 Dec 2021 10:00:16 +0000", + "title": "Pope in Greece Latest News: Francis Chastises West on Visit to Migrant Camp", + "description": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", + "content": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/pope-francis-greece-migrants", + "creator": "The New York Times", + "pubDate": "Sun, 05 Dec 2021 14:52:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94629,16 +120860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc8cdcdaf301f724baa58e9f4f86c5e9" + "hash": "b8bcd478ef195d6ed5435b8851b07379" }, { - "title": "Can the Press Prevent a Trump Restoration?", - "description": "A journalism that shades the truth for the sake of some higher cause will lose the trust of some of the people it’s trying to steer away from demagogy.", - "content": "A journalism that shades the truth for the sake of some higher cause will lose the trust of some of the people it’s trying to steer away from demagogy.", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/08/opinion/trump-press-restoration.html", - "creator": "Ross Douthat", - "pubDate": "Wed, 08 Dec 2021 10:00:20 +0000", + "title": "Chinese Tourists Aren't Coming Back Any Time Soon", + "description": "Even before Omicron’s arrival, China was discouraging its citizens from traveling abroad. That has had a huge impact on global tourism.", + "content": "Even before Omicron’s arrival, China was discouraging its citizens from traveling abroad. That has had a huge impact on global tourism.", + "category": "China", + "link": "https://www.nytimes.com/2021/12/05/world/asia/china-tourism-omicron-covid.html", + "creator": "Sui-Lee Wee, Elisabetta Povoledo, Muktita Suhartono and Léontine Gallois", + "pubDate": "Sun, 05 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94649,16 +120880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "250c9ad5a7b5656f2bbb2015ee07ac1d" + "hash": "15d6239420780918ee2f05e2ad2a2ae9" }, { - "title": "Climate Progress Depends on U.S.-China Competition", - "description": "Competition between American and Chinese companies will be the real driver of decreased greenhouse gas emissions around the globe.", - "content": "Competition between American and Chinese companies will be the real driver of decreased greenhouse gas emissions around the globe.", - "category": "Global Warming", - "link": "https://www.nytimes.com/2021/12/08/opinion/us-china-competition-climate-progress.html", - "creator": "Deborah Seligsohn", - "pubDate": "Wed, 08 Dec 2021 06:00:06 +0000", + "title": "To Counter China, Austin Vows to Shore Up Alliances With Others in Region", + "description": "“America is a Pacific power,” the defense secretary said as he laid out a strategy to block efforts by China to dominate the region.", + "content": "“America is a Pacific power,” the defense secretary said as he laid out a strategy to block efforts by China to dominate the region.", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/04/us/politics/lloyd-austin-china-ukraine.html", + "creator": "Jennifer Steinhauer and Julian E. Barnes", + "pubDate": "Sun, 05 Dec 2021 00:45:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94669,16 +120900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "30a9a7b3afb9cc06b752c53d49a5176a" + "hash": "9711b2a1d76586372b440aec56ab985f" }, { - "title": "How Tech Is Helping Poor People Get Government Aid", - "description": "Even as the government expanded aid programs, many people faced barriers to using them. That problem is now being addressed with apps and streamlined websites.", - "content": "Even as the government expanded aid programs, many people faced barriers to using them. That problem is now being addressed with apps and streamlined websites.", - "category": "Welfare (US)", - "link": "https://www.nytimes.com/2021/12/08/us/politics/safety-net-apps-tech.html", - "creator": "Jason DeParle", - "pubDate": "Wed, 08 Dec 2021 16:55:26 +0000", + "title": "Michigan Rolls to a Playoff Spot With Big Ten Title", + "description": "The Wolverines followed up a season-defining win over Ohio State with an easy victory over Iowa to win the conference championship.", + "content": "The Wolverines followed up a season-defining win over Ohio State with an easy victory over Iowa to win the conference championship.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/12/05/sports/ncaafootball/michigan-iowa-big-ten-championship.html", + "creator": "Alanis Thames", + "pubDate": "Sun, 05 Dec 2021 06:15:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94689,16 +120920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91a12d78842b0896e92a5c5426342b03" + "hash": "ad86c4461e3e3636e342cf5c8a8aeafb" }, { - "title": "California Positions Itself as a ‘Refuge’ of Abortion Rights", - "description": "A new legislative proposal includes the recommendation to fund the procedure for low-income women who come to California for abortion services.", - "content": "A new legislative proposal includes the recommendation to fund the procedure for low-income women who come to California for abortion services.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/08/us/california-abortion-sanctuary-state.html", - "creator": "Thomas Fuller", - "pubDate": "Wed, 08 Dec 2021 23:20:57 +0000", + "title": "Alabama Picks Apart Georgia, Setting Course for Another Playoff", + "description": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", + "content": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/12/04/sports/ncaafootball/alabama-georgia-sec-championship.html", + "creator": "Alan Blinder", + "pubDate": "Sun, 05 Dec 2021 10:50:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94709,16 +120940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "678cc93ffa02443da2fa6361eca91de7" + "hash": "f827e4d7f98230b33f7575ad42ac6717" }, { - "title": "Four Takeaways From the 8th Day of Ghislaine Maxwell’s Trial", - "description": "A former pilot and a former assistant at Jeffrey Epstein’s Palm Beach home testified, as prosecutors sought to bolster the accounts of Ms. Maxwell’s accusers.", - "content": "A former pilot and a former assistant at Jeffrey Epstein’s Palm Beach home testified, as prosecutors sought to bolster the accounts of Ms. Maxwell’s accusers.", - "category": "Epstein, Jeffrey E (1953- )", - "link": "https://www.nytimes.com/2021/12/08/nyregion/ghislaine-maxwell-trial-takeaways.html", - "creator": "Rebecca Davis O’Brien", - "pubDate": "Wed, 08 Dec 2021 22:45:26 +0000", + "title": "He Never Touched the Murder Weapon. Alabama Sentenced Him to Die.", + "description": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", + "content": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", + "category": "Woods, Nathaniel", + "link": "https://www.nytimes.com/2021/12/05/us/he-never-touched-the-murder-weapon-alabama-sentenced-him-to-die.html", + "creator": "Dan Barry and Abby Ellin", + "pubDate": "Sun, 05 Dec 2021 10:00:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94729,16 +120960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "580c1bd1d28a22dce865c96ac178f01d" + "hash": "9598c04d0cd7a80789cd389f996ba3d3" }, { - "title": "Supreme Court Seems Wary of Ban on State Aid to Religious Schools", - "description": "The case, concerning a tuition program in Maine, seemed likely to extend a winning streak at the court for parents seeking public funds for religious education.", - "content": "The case, concerning a tuition program in Maine, seemed likely to extend a winning streak at the court for parents seeking public funds for religious education.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/12/08/us/politics/supreme-court-religious-schools-maine.html", - "creator": "Adam Liptak", - "pubDate": "Wed, 08 Dec 2021 22:15:39 +0000", + "title": "Voting Battles of 2022 Take Shape as G.O.P. Crafts New Election Bills", + "description": "Republicans plan to carry their push to reshape the nation’s electoral system into next year, with Democrats vowing to oppose them but holding few options in G.O.P.-led states.", + "content": "Republicans plan to carry their push to reshape the nation’s electoral system into next year, with Democrats vowing to oppose them but holding few options in G.O.P.-led states.", + "category": "Voting Rights, Registration and Requirements", + "link": "https://www.nytimes.com/2021/12/04/us/politics/gop-voting-rights-democrats.html", + "creator": "Nick Corasaniti", + "pubDate": "Sat, 04 Dec 2021 14:59:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94749,16 +120980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "34a063ddac6dd50e7d6c34c08365ad64" + "hash": "8643befee5e0a928f10339b2d051fdd3" }, { - "title": "Biden Orders Federal Vehicles and Buildings to Use Renewable Energy by 2050", - "description": "The federal government would stop buying gasoline-powered vehicles by 2035 and its buildings would be powered by wind, solar or other carbon-free electricity by 2050.", - "content": "The federal government would stop buying gasoline-powered vehicles by 2035 and its buildings would be powered by wind, solar or other carbon-free electricity by 2050.", - "category": "Global Warming", - "link": "https://www.nytimes.com/2021/12/08/climate/biden-government-carbon-neutral.html", - "creator": "Lisa Friedman", - "pubDate": "Wed, 08 Dec 2021 21:32:55 +0000", + "title": "Pope in Greece Live Updates: Francis Chastises West on Visit to Migrant Camp", + "description": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", + "content": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/pope-francis-greece-migrants", + "creator": "The New York Times", + "pubDate": "Sun, 05 Dec 2021 12:10:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94769,16 +121000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "925c4aea9116d1af7a9275d10f05fc02" + "hash": "8bdfb64df029881e79eb50b5208dcd14" }, { - "title": "Hillary Clinton Reads Discarded Victory Speech From 2016 Election", - "description": "Mrs. Clinton read the long-shelved speech aloud for her offering on MasterClass, a site featuring lessons from prominent figures in the arts, business and other fields.", - "content": "Mrs. Clinton read the long-shelved speech aloud for her offering on MasterClass, a site featuring lessons from prominent figures in the arts, business and other fields.", - "category": "Presidential Election of 2016", - "link": "https://www.nytimes.com/2021/12/08/us/elections/hillary-clinton-speech-election.html", - "creator": "Michael Levenson", - "pubDate": "Thu, 09 Dec 2021 03:32:56 +0000", + "title": "The Humble Beginnings of Today’s Culinary Delicacies", + "description": "Many of our most revered dishes were perfected by those in need, then co-opted by the affluent. Is that populism at play, or just the abuse of power?", + "content": "Many of our most revered dishes were perfected by those in need, then co-opted by the affluent. Is that populism at play, or just the abuse of power?", + "category": "holiday issue 2021", + "link": "https://www.nytimes.com/2021/11/26/t-magazine/humble-foods-poverty.html", + "creator": "Ligaya Mishan, Patricia Heal and Martin Bourne", + "pubDate": "Fri, 26 Nov 2021 12:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94789,16 +121020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "76225d8b738ef20704a0ad86c4836da9" + "hash": "7051fa184aa9b9dd480e4c3cf06d01a5" }, { - "title": "Woman Stole Daughter’s Identity to Get Loans and Attend College, U.S. Says", - "description": "Laura Oglesby, 48, of Missouri, who pleaded guilty to intentionally providing false information to the Social Security Administration, lived as someone nearly half her age, the authorities said.", - "content": "Laura Oglesby, 48, of Missouri, who pleaded guilty to intentionally providing false information to the Social Security Administration, lived as someone nearly half her age, the authorities said.", - "category": "Colleges and Universities", - "link": "https://www.nytimes.com/2021/12/08/us/laura-oglesby-social-security-fraud.html", - "creator": "Jesus Jiménez", - "pubDate": "Thu, 09 Dec 2021 02:34:30 +0000", + "title": "How ‘West Side Story’ Could Make (Even More) Oscar History", + "description": "After premiering this week, the remake has vaulted into contention, with nominations possible for the film, director Steven Spielberg, Rita Moreno and others.", + "content": "After premiering this week, the remake has vaulted into contention, with nominations possible for the film, director Steven Spielberg, Rita Moreno and others.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/west-side-story-oscar.html", + "creator": "Kyle Buchanan", + "pubDate": "Fri, 03 Dec 2021 17:25:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94809,16 +121040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5f1010dc57595bb22836a8f9fea61a0" + "hash": "de7bd7491ce033d38d16dca703e10590" }, { - "title": "Allergan Settles with N.Y. for $200 Million in Sprawling Opioid Case", - "description": "The agreement with Allergan, a company whose best-known product is Botox, is the latest settlement in the case jointly argued by New York State and two counties.", - "content": "The agreement with Allergan, a company whose best-known product is Botox, is the latest settlement in the case jointly argued by New York State and two counties.", - "category": "Opioids and Opiates", - "link": "https://www.nytimes.com/2021/12/08/nyregion/allergan-settlement-opioid.html", - "creator": "Sarah Maslin Nir", - "pubDate": "Thu, 09 Dec 2021 00:22:01 +0000", + "title": "Netflix Holiday Movies Ranked, From Tree Toppers to Lumps of Coal", + "description": "Is the streaming service delivering goodies in its holiday stockings? We make an assessment.", + "content": "Is the streaming service delivering goodies in its holiday stockings? We make an assessment.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/netflix-holiday-christmas.html", + "creator": "Elisabeth Vincentelli", + "pubDate": "Fri, 03 Dec 2021 17:27:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94829,16 +121060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6aced77317be841658c2b2572e0659d8" + "hash": "7ba7814ce385dd79774dd0d34d15c0f6" }, { - "title": "Tensions Rise at Columbia as Strikers Fear Retaliation From University", - "description": "After administrators sent an email saying that students who remained on strike after Friday were not guaranteed jobs next term, union members turned up the heat.", - "content": "After administrators sent an email saying that students who remained on strike after Friday were not guaranteed jobs next term, union members turned up the heat.", - "category": "Colleges and Universities", - "link": "https://www.nytimes.com/2021/12/08/nyregion/columbia-grad-student-strike.html", - "creator": "Ashley Wong", - "pubDate": "Thu, 09 Dec 2021 00:09:47 +0000", + "title": "Pope in Greece: Francis Renews Calls to Help Migrants", + "description": "At the Presidential Palace, Pope Francis urged countries to take in the needy. He will visit a camp for migrants on Lesbos on Sunday. Here’s the latest.", + "content": "At the Presidential Palace, Pope Francis urged countries to take in the needy. He will visit a camp for migrants on Lesbos on Sunday. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/05/world/pope-francis-greece-migrants", + "creator": "The New York Times", + "pubDate": "Sun, 05 Dec 2021 07:15:48 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94849,16 +121080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "271d1558d3385cde83eb63ff7cb8cea8" + "hash": "71e8dd15f4e033c205c16b7931ee02d1" }, { - "title": "Elizabeth Holmes' Defense Rests Their Case in Fraud Trial", - "description": "Lawyers must now agree on a set of jury instructions before closing arguments begin on Dec. 16.", - "content": "Lawyers must now agree on a set of jury instructions before closing arguments begin on Dec. 16.", - "category": "Frauds and Swindling", - "link": "https://www.nytimes.com/2021/12/08/technology/elizabeth-holmes-theranos-trial-defense.html", - "creator": "Erin Griffith", - "pubDate": "Wed, 08 Dec 2021 21:10:57 +0000", + "title": "France's Éric Zemmour Tries Channeling De Gaulle to Win Votes", + "description": "Éric Zemmour has adopted imagery reminiscent of Charles de Gaulle, the wartime leader. But his call for reborn glory for France is sharply at odds with the realities of the country today.", + "content": "Éric Zemmour has adopted imagery reminiscent of Charles de Gaulle, the wartime leader. But his call for reborn glory for France is sharply at odds with the realities of the country today.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/04/world/europe/eric-zemmour-france.html", + "creator": "Roger Cohen", + "pubDate": "Sun, 05 Dec 2021 04:59:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94869,16 +121100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9dde1d48a900ef99185a912f1a0be169" + "hash": "5005aade4ce316cebc9369bc9ec741b1" }, { - "title": "Pfizer says blood samples from people who got three of its doses show robust antibody levels against Omicron.", - "description": "", - "content": "", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid/pfizer-says-blood-samples-showed-a-third-dose-of-its-vaccine-provides-significant-protection-against-omicron", - "creator": "Sharon LaFraniere", - "pubDate": "Wed, 08 Dec 2021 21:18:33 +0000", + "title": "Yes, There’s a Blizzard Warning in Hawaii. No, It’s Not That Weird.", + "description": "The National Weather Service said roughly a foot of snow was expected to fall on the Big Island summits. “We do get snow there pretty much every year,” one local meteorologist said.", + "content": "The National Weather Service said roughly a foot of snow was expected to fall on the Big Island summits. “We do get snow there pretty much every year,” one local meteorologist said.", + "category": "Snow and Snowstorms", + "link": "https://www.nytimes.com/2021/12/04/us/hawaii-blizzard-warning.html", + "creator": "Maria Cramer", + "pubDate": "Sat, 04 Dec 2021 21:24:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94889,16 +121120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0f0caa24f999c357df2e7bd6e0eb578" + "hash": "f892715c256cc36ff67717afe882fef9" }, { - "title": "Rally Planner With Ties to G.O.P. Is Cooperating in Jan. 6 Inquiry", - "description": "Ali Alexander, who helped organize the gathering that drew Trump supporters to Washington on Jan. 6, could shed light on efforts by the former president and his allies to overturn the election.", - "content": "Ali Alexander, who helped organize the gathering that drew Trump supporters to Washington on Jan. 6, could shed light on efforts by the former president and his allies to overturn the election.", - "category": "Storming of the US Capitol (Jan, 2021)", - "link": "https://www.nytimes.com/2021/12/08/us/politics/ali-alexander-jan-6-house-testimony.html", - "creator": "Alan Feuer and Luke Broadwater", - "pubDate": "Wed, 08 Dec 2021 21:39:52 +0000", + "title": "At Least 13 Dead as Indonesia's Mount Semeru Erupts", + "description": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", + "content": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", + "category": "Volcanoes", + "link": "https://www.nytimes.com/2021/12/04/world/asia/indonesia-mount-semeru-eruption.html", + "creator": "Aina J. Khan and Muktita Suhartono", + "pubDate": "Sun, 05 Dec 2021 03:11:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94909,16 +121140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "24930bcfaa69a9aaccaa33527c77218a" + "hash": "5e44c9dcb2e3ffa55d7eb294c37bfeb6" }, { - "title": "John Wilson, the Genius Behind the Weirdest Show on TV", - "description": "In the second season of “How To With John Wilson,” the documentary filmmaker shows off his penchant for mutating the mundane into the vivid and extraordinary.", - "content": "In the second season of “How To With John Wilson,” the documentary filmmaker shows off his penchant for mutating the mundane into the vivid and extraordinary.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/07/magazine/how-to-john-wilson.html", - "creator": "Nitsuh Abebe", - "pubDate": "Wed, 08 Dec 2021 21:08:31 +0000", + "title": "Palestinian Who Stabbed Israeli in Jerusalem Is Killed by Police", + "description": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", + "content": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", + "category": "Palestinians", + "link": "https://www.nytimes.com/2021/12/04/world/middleeast/palestinian-israeli-stabbing-jerusalem.html", + "creator": "Patrick Kingsley", + "pubDate": "Sat, 04 Dec 2021 21:55:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94929,16 +121160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3860a9cedd6228ad08b4cd821cdb6d60" + "hash": "609f3aebef63df85e232ebae3dd7f7cd" }, { - "title": "‘West Side Story’ Review: In Love and War, 1957 Might Be Tonight", - "description": "Steven Spielberg rediscovers the breathing, troubling essence of a classic, building a bold and current screen musical with no pretense to perfection.", - "content": "Steven Spielberg rediscovers the breathing, troubling essence of a classic, building a bold and current screen musical with no pretense to perfection.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/08/movies/west-side-story-review.html", - "creator": "A.O. Scott", - "pubDate": "Wed, 08 Dec 2021 16:44:46 +0000", + "title": "Black Man Wins New Trial Over Confederate Memorabilia in Jury Room", + "description": "A Tennessee appeals court granted Tim Gilbert a new trial after jurors deliberated in a room named after the United Daughters of the Confederacy.", + "content": "A Tennessee appeals court granted Tim Gilbert a new trial after jurors deliberated in a room named after the United Daughters of the Confederacy.", + "category": "Monuments and Memorials (Structures)", + "link": "https://www.nytimes.com/2021/12/04/us/tennessee-trial-jury-confederate-symbols.html", + "creator": "Vimal Patel", + "pubDate": "Sat, 04 Dec 2021 19:04:22 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94949,16 +121180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e4cb6c86ba8b489d9fb14da8686590cb" + "hash": "5233a2097ceab6515589c2aa0337e9f8" }, { - "title": "What’s One of the Most Dangerous Toys for Kids? The Internet.", - "description": "Our kids are at the mercy of tech companies, with only an outdated law to protect them.", - "content": "Our kids are at the mercy of tech companies, with only an outdated law to protect them.", - "category": "Data-Mining and Database Marketing", - "link": "https://www.nytimes.com/2021/11/24/opinion/kids-internet-safety-social-apps.html", - "creator": "Adam Westbrook, Lucy King and Jonah M. Kessel", - "pubDate": "Wed, 24 Nov 2021 10:00:27 +0000", + "title": "Alabama Picks Georgia Apart, Setting Course for Another Playoff", + "description": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", + "content": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/12/04/sports/ncaafootball/alabama-georgia-sec-championship.html", + "creator": "Alan Blinder", + "pubDate": "Sun, 05 Dec 2021 04:40:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94969,16 +121200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6fb20f3e7d6af7135fe81f3392fd6802" + "hash": "4947b486fa948e22682b963934badff9" }, { - "title": "Pearl Harbor and the Capacity for Surprise", - "description": "Could we avert a similar catastrophe in the future? ", - "content": "Could we avert a similar catastrophe in the future? ", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/07/opinion/pearl-harbor-american-adversaries.html", - "creator": "Bret Stephens", - "pubDate": "Wed, 08 Dec 2021 00:26:18 +0000", + "title": "Magritte, Surrealism and the Pipe That Is Not a Pipe", + "description": "Alex Danchev’s biography of René Magritte portrays a subversive artist who had no interest in bohemian life.", + "content": "Alex Danchev’s biography of René Magritte portrays a subversive artist who had no interest in bohemian life.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/01/books/review/magritte-alex-danchev.html", + "creator": "Deborah Solomon", + "pubDate": "Thu, 02 Dec 2021 03:32:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -94989,16 +121220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb0aeb0dd3b03cc47b256d47eb4e9ecc" + "hash": "c4ea7f22a9090c9a8e06dc4129c88174" }, { - "title": "Will My Students Ever Know a World Without School Shootings?", - "description": "Teachers can do only do so much to protect their students from school shootings.", - "content": "Teachers can do only do so much to protect their students from school shootings.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/07/opinion/oxford-shooting-teachers.html", - "creator": "Sarah Lerner", - "pubDate": "Tue, 07 Dec 2021 16:44:47 +0000", + "title": "On Japan’s Pacific Coast, an Artist Communes With Nature", + "description": "At his retreat near Isumi, Kazunori Hamana creates humble yet imposing ceramic vessels that evoke the world around him.", + "content": "At his retreat near Isumi, Kazunori Hamana creates humble yet imposing ceramic vessels that evoke the world around him.", + "category": "Hamana, Kazunori", + "link": "https://www.nytimes.com/2021/12/03/t-magazine/kazunori-hamana-studio.html", + "creator": "Hannah Kirshner and Ben Richards", + "pubDate": "Fri, 03 Dec 2021 14:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95009,16 +121240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "51c72f7b763113591e85ab22b31c23ab" + "hash": "9446685930e076708d229a5e9d3f259d" }, { - "title": "The Words Democrats Use Are Not the Real Problem", - "description": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", - "content": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/08/opinion/hispanic-voters-messaging.html", - "creator": "Jamelle Bouie", - "pubDate": "Wed, 08 Dec 2021 02:11:56 +0000", + "title": "Baby Tate Turns Afropunk Atlanta Hate into Positivity", + "description": "The rapper was shamed for a revealing outfit at Afropunk Atlanta. But that’s not stopping her.", + "content": "The rapper was shamed for a revealing outfit at Afropunk Atlanta. But that’s not stopping her.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/01/style/baby-tate.html", + "creator": "Sandra E. Garcia", + "pubDate": "Wed, 01 Dec 2021 18:05:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95029,16 +121260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3a205d3b3328a40be871a8b907fcb30d" + "hash": "1672e74f8e5d4f8239c8241f93879b8b" }, { - "title": "What Happened in the P.S.G. Attack?", - "description": "The assault of a top women’s player made headlines, with masked men, a metal bar and a teammate arrested. But weeks later, new details suggest the original story might have been wrong.", - "content": "The assault of a top women’s player made headlines, with masked men, a metal bar and a teammate arrested. But weeks later, new details suggest the original story might have been wrong.", - "category": "Soccer", - "link": "https://www.nytimes.com/2021/12/07/sports/soccer/psg-attack-diallo-hamraoui.html", - "creator": "Tariq Panja", - "pubDate": "Tue, 07 Dec 2021 16:47:17 +0000", + "title": "Paul Verhoeven on ‘Benedetta’ and Making a Film About Jesus", + "description": "The Dutch filmmaker explains what his new movie, based on a real 17th-century sister, has in common with “Showgirls” and “Basic Instinct.”", + "content": "The Dutch filmmaker explains what his new movie, based on a real 17th-century sister, has in common with “Showgirls” and “Basic Instinct.”", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/paul-verhoeven-benedetta.html", + "creator": "Elisabeth Vincentelli", + "pubDate": "Fri, 03 Dec 2021 15:12:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95049,16 +121280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0165ae89b4baff5123a7eab5ac0d5087" + "hash": "7755a6caf52fb68a9fb0c67bfca08e19" }, { - "title": "Pandemic-Era ‘Excess Savings’ Are Dwindling for Many", - "description": "The drop in cash reserves has vast implications for the working class and could dampen consumer spending, a large share of economic activity.", - "content": "The drop in cash reserves has vast implications for the working class and could dampen consumer spending, a large share of economic activity.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/12/07/business/pandemic-savings.html", - "creator": "Talmon Joseph Smith", - "pubDate": "Tue, 07 Dec 2021 12:58:24 +0000", + "title": "How Joaquin Phoenix Handles Parenting in ‘C’mon C’mon’", + "description": "The writer and director Mike Mills narrates a sequence from his film featuring Phoenix and Woody Norman.", + "content": "The writer and director Mike Mills narrates a sequence from his film featuring Phoenix and Woody Norman.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/cmon-cmon-clip.html", + "creator": "Mekado Murphy", + "pubDate": "Fri, 03 Dec 2021 12:05:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95069,16 +121300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c35977ab2eb24054f8a15432d721479" + "hash": "5e83c0d203f37556756b288ed6b4121e" }, { - "title": "On the Banks of the Furious Congo River, a 5-Star Emporium of Ambition", - "description": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", - "content": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", - "category": "Mines and Mining", - "link": "https://www.nytimes.com/2021/12/07/world/congo-cobalt-investor-fleuve-hotel.html", - "creator": "Dionne Searcey, Eric Lipton, Michael Forsythe and Ashley Gilbertson", - "pubDate": "Tue, 07 Dec 2021 20:51:46 +0000", + "title": "Spy Tool Was Deployed in State-Sponsored Hack of Ugandans", + "description": "Two journalists and one politician said they received alerts warning them of “state-sponsored” attacks on their iPhones. At least one of those attacks was linked to the powerful Israeli cyberespionage tool, Pegasus.", + "content": "Two journalists and one politician said they received alerts warning them of “state-sponsored” attacks on their iPhones. At least one of those attacks was linked to the powerful Israeli cyberespionage tool, Pegasus.", + "category": "Uganda", + "link": "https://www.nytimes.com/2021/12/04/world/africa/uganda-hack-pegasus-spyware.html", + "creator": "Abdi Latif Dahir", + "pubDate": "Sat, 04 Dec 2021 19:44:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95089,16 +121320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e3b34d5b15c61ca3b6d7c3ce9d1a351" + "hash": "56bcd36262015b3955ff63c361663a77" }, { - "title": "Michael Steinhardt, Billionaire, Surrenders $70 Million in Stolen Relics", - "description": "The hedge fund pioneer is barred for life from buying more antiquities. He turned over 180 stolen objects that had decorated his homes and office.", - "content": "The hedge fund pioneer is barred for life from buying more antiquities. He turned over 180 stolen objects that had decorated his homes and office.", - "category": "Arts and Antiquities Looting", - "link": "https://www.nytimes.com/2021/12/06/arts/design/steinhardt-billionaire-stolen-antiquities.html", - "creator": "Tom Mashberg", - "pubDate": "Tue, 07 Dec 2021 02:54:33 +0000", + "title": "CNN Fires Chris Cuomo Over His Efforts to Help Andrew", + "description": "The cable news network said it had “terminated him, effective immediately,” a move that came four months after Andrew Cuomo resigned as governor of New York.", + "content": "The cable news network said it had “terminated him, effective immediately,” a move that came four months after Andrew Cuomo resigned as governor of New York.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/12/04/business/media/chris-cuomo-fired-cnn.html", + "creator": "Michael M. Grynbaum and John Koblin", + "pubDate": "Sat, 04 Dec 2021 22:30:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95109,16 +121340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ddd043e6d34db0b3a8f741534910456a" + "hash": "de82bebf54a4aab00b91695a13f77303" }, { - "title": "Omicron, Instagram, Great Performers: Your Wednesday Evening Briefing", - "description": "Here’s what you need to know at the end of the day.", - "content": "Here’s what you need to know at the end of the day.", + "title": "Friends who went to an anime convention with a man who tested positive for Omicron also got sick, he says.", + "description": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", + "content": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", "category": "", - "link": "https://www.nytimes.com/2021/12/08/briefing/omicron-instagram-great-performers.html", - "creator": "Remy Tumin", - "pubDate": "Wed, 08 Dec 2021 22:33:30 +0000", + "link": "https://www.nytimes.com/live/2021/12/04/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Sat, 04 Dec 2021 18:35:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95129,16 +121360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9192a3c4fbe1530ab3cdd1be53dc885d" + "hash": "0e5bdb37ac87549fcafa1856e56674c2" }, { - "title": "Why Ukraine Matters to Vladimir Putin", - "description": "Amid fears that Moscow is preparing for an invasion, one thing is clear: The Russian president has a singular fixation on the former Soviet republic.", - "content": "Amid fears that Moscow is preparing for an invasion, one thing is clear: The Russian president has a singular fixation on the former Soviet republic.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/08/podcasts/the-daily/putin-russian-military-ukraine.html", - "creator": "Michael Barbaro, Eric Krupke, Rachelle Bonja, Luke Vander Ploeg, Mike Benoist, Dan Powell, Marion Lozano and Chris Wood", - "pubDate": "Wed, 08 Dec 2021 11:00:06 +0000", + "title": "More Than 40,000 March in Vienna Against Coronavirus Restrictions", + "description": "Protesters gathered for a second weekend of mass demonstrations against the country’s tough lockdown and a coming vaccine mandate.", + "content": "Protesters gathered for a second weekend of mass demonstrations against the country’s tough lockdown and a coming vaccine mandate.", + "category": "", + "link": "https://www.nytimes.com/2021/12/04/world/austria-vienna-covid-protest.html", + "creator": "Isabella Grullón Paz", + "pubDate": "Sat, 04 Dec 2021 20:06:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95149,16 +121380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d73a36b94eb881cbdf39ea91c0aea95" + "hash": "39575cd62f74c960962a74d0ceb80aaf" }, { - "title": "Trial Over Daunte Wright’s Death Begins", - "description": "The prosecution showed video of Kimberly Potter, a former police officer, shooting Mr. Wright, a Black man. The defense described it as a tragic accident.", - "content": "The prosecution showed video of Kimberly Potter, a former police officer, shooting Mr. Wright, a Black man. The defense described it as a tragic accident.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/us/daunte-wright-kim-potter-trial", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 20:35:25 +0000", + "title": "Michigan Shooting Suspect's Parents Are Arrested and Arraigned", + "description": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", + "content": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", + "creator": "Gerry Mullany, Eduardo Medina and Sophie Kasakove", + "pubDate": "Sat, 04 Dec 2021 22:19:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95169,16 +121400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3cff1f969e599d412831e96e7d064a05" + "hash": "c93b7418d9410c59a3f4c7e321b4f0a2" }, { - "title": "Greg Tate, Influential Critic of Black Culture, Dies at 64", - "description": "His writing for The Village Voice and other publications helped elevate hip-hop and street art to the same planes as jazz and Abstract Expressionism.", - "content": "His writing for The Village Voice and other publications helped elevate hip-hop and street art to the same planes as jazz and Abstract Expressionism.", - "category": "Tate, Greg (Author)", - "link": "https://www.nytimes.com/2021/12/08/arts/music/greg-tate-dead.html", - "creator": "Clay Risen", - "pubDate": "Wed, 08 Dec 2021 23:13:34 +0000", + "title": "In Afghanistan, ‘Who Has the Guns Gets the Land’", + "description": "A decades-long fight over land has been reinvigorated as Taliban leaders look to reward their fighters with property, even if that means evicting others.", + "content": "A decades-long fight over land has been reinvigorated as Taliban leaders look to reward their fighters with property, even if that means evicting others.", + "category": "Afghanistan", + "link": "https://www.nytimes.com/2021/12/03/world/asia/afghanistan-land-ownership-taliban.html", + "creator": "Thomas Gibbons-Neff, Yaqoob Akbary and Jim Huylebroek", + "pubDate": "Fri, 03 Dec 2021 20:53:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95189,16 +121420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c0477bf01b70736ca7dbf87baa96495a" + "hash": "c1f83d4b4d5db4c106d827a26c25baa0" }, { - "title": "Lawmakers Urge Instagram's Adam Mosseri to Better Protect Children", - "description": "Adam Mosseri, the company’s leader, was asked to appear before a Senate panel after internal research leaked that said the app had a toxic effect on some teenagers.", - "content": "Adam Mosseri, the company’s leader, was asked to appear before a Senate panel after internal research leaked that said the app had a toxic effect on some teenagers.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/08/technology/adam-mosseri-instagram-senate.html", - "creator": "Cecilia Kang", - "pubDate": "Wed, 08 Dec 2021 23:13:46 +0000", + "title": "Inside the U.S. Military Base Where 11,000 Afghans Are Starting Over", + "description": "A New Jersey military base is the only site accepting new Afghan arrivals from overseas. It holds more evacuees than any other U.S. safe haven.", + "content": "A New Jersey military base is the only site accepting new Afghan arrivals from overseas. It holds more evacuees than any other U.S. safe haven.", + "category": "Military Bases and Installations", + "link": "https://www.nytimes.com/2021/12/04/nyregion/afghan-refugees-nj-military-base.html", + "creator": "Tracey Tully", + "pubDate": "Sat, 04 Dec 2021 08:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95209,16 +121440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e0c03d946635972fafbbb1cd9f3c439" + "hash": "bb3bef009fc15e683da2f516fdb58e4c" }, { - "title": "Business Updates: Apple Can Delay Changes to App Store Rules, Court Says", - "description": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", - "content": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 23:25:39 +0000", + "title": "How Fast Can You Skydive? These Athletes Are Racing to Earth.", + "description": "Average amateur skydivers can reach up to 120 miles per hour. Speed skydivers aim to reach speeds above 300 m.p.h.", + "content": "Average amateur skydivers can reach up to 120 miles per hour. Speed skydivers aim to reach speeds above 300 m.p.h.", + "category": "Parachutes and Parachute Jumping", + "link": "https://www.nytimes.com/2021/12/03/sports/speed-skydiving-athletes.html", + "creator": "David Gardner", + "pubDate": "Fri, 03 Dec 2021 11:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95229,16 +121460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1b408c9b04c7d3c9a0e60928c69c38c" + "hash": "7a7ccd4b0ad10038fafb6350f36b4c13" }, { - "title": "Tiger Woods Set to Play the PNC Championship With His Son", - "description": "The golfer, who is still recovering from a serious car crash in February, has not competed in a tournament since he and his son, Charlie, last played in the family team event a year ago.", - "content": "The golfer, who is still recovering from a serious car crash in February, has not competed in a tournament since he and his son, Charlie, last played in the family team event a year ago.", - "category": "Golf", - "link": "https://www.nytimes.com/2021/12/08/sports/golf/tiger-woods-charlie-pnc-championship.html", - "creator": "Bill Pennington", - "pubDate": "Wed, 08 Dec 2021 22:10:57 +0000", + "title": "Honeybees Survived for Weeks Under Volcano Ash After Canary Islands Eruption", + "description": "For roughly 50 days, thousands of honeybees sealed themselves in their hives, away from deadly gas, and feasted on honey. “It is a very empowering story,” one entomologist said.", + "content": "For roughly 50 days, thousands of honeybees sealed themselves in their hives, away from deadly gas, and feasted on honey. “It is a very empowering story,” one entomologist said.", + "category": "Bees", + "link": "https://www.nytimes.com/2021/12/04/world/europe/canary-islands-volcano-honeybees.html", + "creator": "Maria Cramer", + "pubDate": "Sat, 04 Dec 2021 14:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95249,16 +121480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f8dce6e3ac3fd5d7970ef238989c9e9" + "hash": "9982e876e4602251fa525473be7a2537" }, { - "title": "After Warm Start to Snow Season, Colorado Resorts Look for Relief", - "description": "Record high temperatures have left mountain resorts across the state reliant on artificial snow. Winter storms predicted for this week could change that.", - "content": "Record high temperatures have left mountain resorts across the state reliant on artificial snow. Winter storms predicted for this week could change that.", - "category": "Snow and Snowstorms", - "link": "https://www.nytimes.com/2021/12/08/us/colorado-winter-weather-snow.html", - "creator": "Christine Chung", - "pubDate": "Wed, 08 Dec 2021 18:25:20 +0000", + "title": "When Did Spotify Wrapped Get So Chatty?", + "description": "This year’s data dump from the streaming music service leaned heavily on contemporary buzzwords and slang — and inspired many, many memes.", + "content": "This year’s data dump from the streaming music service leaned heavily on contemporary buzzwords and slang — and inspired many, many memes.", + "category": "Spotify", + "link": "https://www.nytimes.com/2021/12/04/style/spotify-wrapped-memes.html", + "creator": "Gina Cherelus", + "pubDate": "Sat, 04 Dec 2021 10:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95269,16 +121500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb9e8ea70db030e9e1b332e32aaa577d" + "hash": "279e9fe39840dd3bfaf3d40dd55a3d7d" }, { - "title": "Yusaku Maezawa, Japanese Billionaire, Arrives at Space Station", - "description": "Yusaku Maezawa, the founder of the clothing retailer Zozo, will spend 12 days in orbit with a production assistant who will document his stay.", - "content": "Yusaku Maezawa, the founder of the clothing retailer Zozo, will spend 12 days in orbit with a production assistant who will document his stay.", - "category": "Maezawa, Yusaku", - "link": "https://www.nytimes.com/2021/12/08/science/yusaku-maezawa-space-station.html", - "creator": "Joey Roulette", - "pubDate": "Wed, 08 Dec 2021 16:32:33 +0000", + "title": "The Supreme Court's End Game on Abortion ", + "description": "The only question is, how will they explain it? ", + "content": "The only question is, how will they explain it? ", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/03/opinion/abortion-supreme-court.html", + "creator": "Linda Greenhouse", + "pubDate": "Fri, 03 Dec 2021 10:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95289,16 +121520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0411955f9ec6502f2dba217d5d87f988" + "hash": "3bb14e170979fc2c3924ea8cf5b3d6df" }, { - "title": "Better.com C.E.O. Apologizes for Firing Workers Over Zoom", - "description": "Vishal Garg said in a letter to employees on Tuesday that he had failed to show “respect and appreciation” in the call, which has been widely criticized.", - "content": "Vishal Garg said in a letter to employees on Tuesday that he had failed to show “respect and appreciation” in the call, which has been widely criticized.", - "category": "Layoffs and Job Reductions", - "link": "https://www.nytimes.com/2021/12/08/business/better-zoom-layoffs-vishal-garg.html", - "creator": "Derrick Bryson Taylor and Jenny Gross", - "pubDate": "Wed, 08 Dec 2021 16:46:08 +0000", + "title": "Believe It or Not, I Like Some Things in Our Progressive Era", + "description": "It’s good to acknowledge our past and our diversity.", + "content": "It’s good to acknowledge our past and our diversity.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/03/opinion/progressive-diverse-woke.html", + "creator": "John McWhorter", + "pubDate": "Sat, 04 Dec 2021 11:05:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95309,16 +121540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "40dd181af94eb6c150658f30ab5d2661" + "hash": "b00198cec7bcac9004c11cf58e6c21a0" }, { - "title": "Wrong Man Arrested Over Khashoggi Killing, France Says", - "description": "The French authorities released a Saudi man who shared the name and age of a suspect in the murder of the dissident writer, saying it was a case of mistaken identity.", - "content": "The French authorities released a Saudi man who shared the name and age of a suspect in the murder of the dissident writer, saying it was a case of mistaken identity.", - "category": "Khashoggi, Jamal", - "link": "https://www.nytimes.com/2021/12/08/world/europe/france-khashoggi-arrest-mistaken-identity.html", - "creator": "Aurelien Breeden", - "pubDate": "Wed, 08 Dec 2021 14:47:38 +0000", + "title": "Parenting’s Hard. Join Us and the Comedian Michelle Buteau to Vent.", + "description": "As we approach another pandemic holiday season, let’s laugh about the “joys” of parenting, at a Dec. 8 virtual event hosted by Jessica Grose of The Times’s Opinion newsletter on parenting.", + "content": "As we approach another pandemic holiday season, let’s laugh about the “joys” of parenting, at a Dec. 8 virtual event hosted by Jessica Grose of The Times’s Opinion newsletter on parenting.", + "category": "internal-open-access", + "link": "https://www.nytimes.com/2021/11/16/opinion/parenting-michelle-buteau-event.html", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 17:06:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95329,16 +121560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b6f7ccd542c1fe078907310b769cd716" + "hash": "2f84f257539b749f6c99a8cb5973777f" }, { - "title": "Getting Married in the Metaverse", - "description": "One couple’s recent nuptials in the virtual world known as the metaverse showcase the possibilities of having a wedding unfettered by the bounds of reality.", - "content": "One couple’s recent nuptials in the virtual world known as the metaverse showcase the possibilities of having a wedding unfettered by the bounds of reality.", - "category": "Virtual Reality (Computers)", - "link": "https://www.nytimes.com/2021/12/08/fashion/metaverse-virtual-wedding.html", - "creator": "Steven Kurutz", - "pubDate": "Wed, 08 Dec 2021 10:00:10 +0000", + "title": "Amy Coney Barrett Doesn't Understand the Trauma of Adoption", + "description": "What Amy Coney Barrett doesn’t realize is that adoption is often infinitely more difficult, expensive, dangerous and potentially traumatic than terminating a pregnancy in its early stages. ", + "content": "What Amy Coney Barrett doesn’t realize is that adoption is often infinitely more difficult, expensive, dangerous and potentially traumatic than terminating a pregnancy in its early stages. ", + "category": "Adoptions", + "link": "https://www.nytimes.com/2021/12/03/opinion/adoption-supreme-court-amy-coney-barrett.html", + "creator": "Elizabeth Spiers", + "pubDate": "Fri, 03 Dec 2021 10:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95349,16 +121580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c1eb3c94d29f0302032f58a99a3102f" + "hash": "df3ef6b49f7fe31c942ff7f0f0326476" }, { - "title": "It’s a Good Time to Be Reba McEntire", - "description": "With new music, movies and memes, the country singer has kept busy during the pandemic.", - "content": "With new music, movies and memes, the country singer has kept busy during the pandemic.", - "category": "McEntire, Reba", - "link": "https://www.nytimes.com/2021/12/07/style/reba-mcentire.html", - "creator": "Brennan Carley", - "pubDate": "Wed, 08 Dec 2021 18:22:38 +0000", + "title": "November Jobs Report Shows Workers Remain Optimistic", + "description": "The Great Resignation won’t last forever: Americans are waiting for the right opportunity to jump back into the work force.", + "content": "The Great Resignation won’t last forever: Americans are waiting for the right opportunity to jump back into the work force.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/12/03/opinion/economy-biden-november-jobs-report.html", + "creator": "Justin Wolfers", + "pubDate": "Fri, 03 Dec 2021 17:30:40 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95369,16 +121600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf92caea2aea13f743eb6671b14f353d" + "hash": "8d51e3bf66f8675825e4288523922c07" }, { - "title": "This Creamy Fall Orzo Recipe Will Please Anyone Who Loves a Cozy Porridge", - "description": "This hearty, meatless meal from Melissa Clark is full of tender pasta, butternut squash and lots of warming brown butter — just the thing for a blustery evening.", - "content": "This hearty, meatless meal from Melissa Clark is full of tender pasta, butternut squash and lots of warming brown butter — just the thing for a blustery evening.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/12/03/dining/fall-orzo-recipe.html", - "creator": "Melissa Clark", - "pubDate": "Mon, 06 Dec 2021 18:51:02 +0000", + "title": "Best TV Shows of 2021", + "description": "From Bo Burnham to “We Are Lady Parts,” the best in television this year offered ingenuity, humor, defiance and hope.", + "content": "From Bo Burnham to “We Are Lady Parts,” the best in television this year offered ingenuity, humor, defiance and hope.", + "category": "Two Thousand Twenty One", + "link": "https://www.nytimes.com/2021/12/03/arts/television/best-tv-shows.html", + "creator": "James Poniewozik, Mike Hale and Margaret Lyons", + "pubDate": "Fri, 03 Dec 2021 15:50:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95389,16 +121620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "59d742ece4928cc1029bd66c35a10a12" + "hash": "322a12978895f4b6b2b6c03bbabed2a3" }, { - "title": "Mr. Men Little Miss Books Stand the (Silly, Splendid, Topsy-Turvy) Test of Time", - "description": "Mr. Men Little Miss, the children’s book series created by Roger Hargreaves, turns 50 this year.", - "content": "Mr. Men Little Miss, the children’s book series created by Roger Hargreaves, turns 50 this year.", - "category": "genre-books-childrens", - "link": "https://www.nytimes.com/2021/12/08/books/mr-men-little-miss-books.html", - "creator": "Liza Weisstuch", - "pubDate": "Wed, 08 Dec 2021 10:00:15 +0000", + "title": "Robberies, Always an Issue for Retailers, Become More Brazen", + "description": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", + "content": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/12/03/business/retailers-robberies-theft.html", + "creator": "Michael Corkery and Sapna Maheshwari", + "pubDate": "Fri, 03 Dec 2021 10:43:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95409,16 +121640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d1b3564fff11ba0c7347eac4093417a1" + "hash": "ed65017e35f0c9532c1ea4b62af88dff" }, { - "title": "Pfizer-BioNTech Says Booster Offers Significant Omicron Protection", - "description": "The companies said three doses of the vaccine are effective against the variant, but two doses alone “may not be sufficient.” Here’s the latest on Covid.", - "content": "The companies said three doses of the vaccine are effective against the variant, but two doses alone “may not be sufficient.” Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 22:21:29 +0000", + "title": "What Happened to Amazon’s Bookstore?", + "description": "A 2011 thriller was supposed to cost $15. One merchant listed it at $987, with a 17th-century publication date. That’s what happens in a marketplace where third-party sellers run wild.", + "content": "A 2011 thriller was supposed to cost $15. One merchant listed it at $987, with a 17th-century publication date. That’s what happens in a marketplace where third-party sellers run wild.", + "category": "E-Commerce", + "link": "https://www.nytimes.com/2021/12/03/technology/amazon-bookstore.html", + "creator": "David Streitfeld", + "pubDate": "Fri, 03 Dec 2021 10:00:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95429,16 +121660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "070c1776c15b2fd096d685f59e0221ee" + "hash": "379cee659eb2cfa0d95858d161d3c42f" }, { - "title": "Jan. 6 Committee to Cite Mark Meadows for Criminal Contempt", - "description": "The select committee investigating the Capitol riot said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", - "content": "The select committee investigating the Capitol riot said it would prepare a criminal contempt of Congress referral against Mark Meadows, who was President Donald J. Trump’s chief of staff on Jan. 6.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/08/us/politics/mark-meadows-contempt-jan-6-committee.html", - "creator": "Luke Broadwater", - "pubDate": "Wed, 08 Dec 2021 21:52:22 +0000", + "title": "English Teenager Finds Bronze Age Ax Using a Metal Detector", + "description": "On her third day out with a metal detector, Milly Hardwick, 13, found a hoard of items from more than 3,000 years ago. “We were just laughing our heads off,” she said.", + "content": "On her third day out with a metal detector, Milly Hardwick, 13, found a hoard of items from more than 3,000 years ago. “We were just laughing our heads off,” she said.", + "category": "Tools", + "link": "https://www.nytimes.com/2021/12/03/world/europe/metal-detector-axe.html", + "creator": "Jenny Gross", + "pubDate": "Fri, 03 Dec 2021 12:41:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95449,16 +121680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "03872024a2f0238b779b0af64aa51574" + "hash": "50696b8184fe9950555154398a3d57d9" }, { - "title": "De Blasio Fought for 2 Years to Keep Ethics Warning Secret. Here’s Why.", - "description": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", - "content": "Mayor Bill de Blasio was warned that he created an “appearance of coercion and improper access” by directly contacting donors who had business before the city.", - "category": "de Blasio, Bill", - "link": "https://www.nytimes.com/2021/12/08/nyregion/de-blasio-donors-nyc.html", - "creator": "William Neuman", - "pubDate": "Wed, 08 Dec 2021 22:22:41 +0000", + "title": "U.S. Intelligence Sees Russian Plan for Possible Ukraine Invasion", + "description": "An invasion force could include 175,000 troops, but U.S. officials stress that President Vladimir V. Putin’s intentions remain unclear.", + "content": "An invasion force could include 175,000 troops, but U.S. officials stress that President Vladimir V. Putin’s intentions remain unclear.", + "category": "Defense and Military Forces", + "link": "https://www.nytimes.com/2021/12/04/us/politics/russia-ukraine-biden.html", + "creator": "Michael Crowley", + "pubDate": "Sat, 04 Dec 2021 05:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95469,16 +121700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d55d06a0a7eb7d22dba336cf7d69aba7" + "hash": "9e15448093a736f5af7181136bd172e1" }, { - "title": "Yes, Americans Should Get Free Tests", - "description": "We need every option available to return to normal.", - "content": "We need every option available to return to normal.", - "category": "Tests (Medical)", - "link": "https://www.nytimes.com/2021/12/08/opinion/free-covid-test-biden.html", - "creator": "Aaron E. Carroll", - "pubDate": "Wed, 08 Dec 2021 20:11:07 +0000", + "title": "Palestinian Who Stabs Israeli in East Jerusalem Is Killed by Police", + "description": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", + "content": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", + "category": "Palestinians", + "link": "https://www.nytimes.com/2021/12/04/world/middleeast/palestinian-israeli-stabbing-jerusalem.html", + "creator": "Patrick Kingsley", + "pubDate": "Sat, 04 Dec 2021 21:55:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95489,16 +121720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "74bf3809fab8d535d57559ab066452d5" + "hash": "14763a8bf772acda83da3a3d15b10c8c" }, { - "title": "What Does Russia Want With Ukraine?", - "description": "And why people are fearing war there.", - "content": "And why people are fearing war there.", - "category": "Russia", - "link": "https://www.nytimes.com/2021/12/08/briefing/biden-putin-ukraine-border-tensions.html", - "creator": "David Leonhardt", - "pubDate": "Wed, 08 Dec 2021 15:01:50 +0000", + "title": "At Least One Dead as Indonesia's Mount Semeru Erupts", + "description": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", + "content": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", + "category": "Volcanoes", + "link": "https://www.nytimes.com/2021/12/04/world/asia/indonesia-mount-semeru-eruption.html", + "creator": "Aina J. Khan and Muktita Suhartono", + "pubDate": "Sat, 04 Dec 2021 17:20:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95509,16 +121740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4fdba8037590928cf038b2689b9147b5" + "hash": "ae8f36dc65cc0db6964cb899db33d174" }, { - "title": "Remembering Stephen Sondheim, Musical Theater Visionary", - "description": "A conversation about his legacy, his engagements with pop music and whether he has any true inheritors.", - "content": "A conversation about his legacy, his engagements with pop music and whether he has any true inheritors.", - "category": "audio-neutral-informative", - "link": "https://www.nytimes.com/2021/12/07/arts/music/popcast-stephen-sondheim.html", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 16:43:42 +0000", + "title": "Dr. Sherif R. Zaki, Acclaimed Disease Detective, Dies at 65", + "description": "He helped identify numerous viruses, including Covid-19, as well as the bioterrorism attack that spread anthrax in 2001.", + "content": "He helped identify numerous viruses, including Covid-19, as well as the bioterrorism attack that spread anthrax in 2001.", + "category": "Zaki, Sherif R", + "link": "https://www.nytimes.com/2021/12/04/science/sherif-r-zaki-dead.html", + "creator": "Sam Roberts", + "pubDate": "Sat, 04 Dec 2021 14:00:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95529,16 +121760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c2a4af6c9e25c4158572774ce0087fca" + "hash": "312ae37677778390d122b33f4a38beb7" }, { - "title": "With Olaf Scholz at the Helm in Germany, a New, Uncertain Chapter", - "description": "After 16 years, Angela Merkel handed over the German chancellery to Olaf Scholz, leaving behind a changed country and a polarizing legacy.", - "content": "After 16 years, Angela Merkel handed over the German chancellery to Olaf Scholz, leaving behind a changed country and a polarizing legacy.", - "category": "Merkel, Angela", - "link": "https://www.nytimes.com/2021/12/08/world/europe/germany-merkel-scholz-chancellor-government.html", - "creator": "Katrin Bennhold and Melissa Eddy", - "pubDate": "Wed, 08 Dec 2021 20:55:05 +0000", + "title": "Money Found by Plumber at Joel Osteen’s Church Is Tied to 2014 Burglary, Police Say", + "description": "The discovery was revealed when the plumber called into a Houston radio show on Thursday.", + "content": "The discovery was revealed when the plumber called into a Houston radio show on Thursday.", + "category": "Restoration and Renovation", + "link": "https://www.nytimes.com/2021/12/03/us/joel-osteen-cash-found-plumber.html", + "creator": "Michael Levenson", + "pubDate": "Sat, 04 Dec 2021 01:50:42 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95549,16 +121780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff4fe63b26132a765a264f9a126ea31c" + "hash": "68d271654fa27b97709014e8f5136b74" }, { - "title": "Can an Athlete’s Blood Enhance Brainpower?", - "description": "Scientists who injected idle mice with blood from athletic mice found improvements in learning and memory. The findings could have implications for Alzheimer’s research and beyond.", - "content": "Scientists who injected idle mice with blood from athletic mice found improvements in learning and memory. The findings could have implications for Alzheimer’s research and beyond.", - "category": "Animal Cognition", - "link": "https://www.nytimes.com/2021/12/08/science/mice-blood-alzheimers.html", - "creator": "Pam Belluck", - "pubDate": "Wed, 08 Dec 2021 19:22:59 +0000", + "title": "Ron Cephas Jones Has Something to Prove Again", + "description": "The Emmy-winning “This Is Us” actor received a double-lung transplant after a secret battle with chronic obstructive pulmonary disease. Now he’s back onstage in “Clyde’s” on Broadway.", + "content": "The Emmy-winning “This Is Us” actor received a double-lung transplant after a secret battle with chronic obstructive pulmonary disease. Now he’s back onstage in “Clyde’s” on Broadway.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/02/theater/ron-cephas-jones-broadway-clydes.html", + "creator": "Reggie Ugwu", + "pubDate": "Thu, 02 Dec 2021 19:57:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95569,16 +121800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a8cb33f57c1c9c31b5a73c076747c30" + "hash": "9356019b2af8c5bac83e995c10e026fe" }, { - "title": "Business Updates: Head of Instagram Testifies Before Senate Panel", - "description": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", - "content": "The chief executives of six cryptocurrency companies will face questions from the House Financial Services Committee about risk and regulation.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 20:35:25 +0000", + "title": "Can I Confront My Dad About His Possibly Secret Relationship?", + "description": "A reader asks for advice on talking to her father about his new romantic life.", + "content": "A reader asks for advice on talking to her father about his new romantic life.", + "category": "Customs, Etiquette and Manners", + "link": "https://www.nytimes.com/2021/12/02/style/dad-secret-relationship-social-qs.html", + "creator": "Philip Galanes", + "pubDate": "Thu, 02 Dec 2021 14:54:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95589,16 +121820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a6680e4435ecf634318111172c26e3a7" + "hash": "b79fce1bef9a6c84e521a920c26dbc19" }, { - "title": "India’s Top Military General, Bipin Rawat, Dies in Helicopter Crash", - "description": "Gen. Bipin Rawat, who was killed along with his wife and 11 others on board, was in charge of overhauling a military that has struggled to modernize.", - "content": "Gen. Bipin Rawat, who was killed along with his wife and 11 others on board, was in charge of overhauling a military that has struggled to modernize.", - "category": "Aviation Accidents, Safety and Disasters", - "link": "https://www.nytimes.com/2021/12/08/world/asia/helicopter-crash-india-top-general.html", - "creator": "Suhasini Raj and Mujib Mashal", - "pubDate": "Wed, 08 Dec 2021 19:38:28 +0000", + "title": "They Adapted ‘Mrs. Doubtfire,’ and Their Personal Beliefs", + "description": "Wayne and Karey Kirkpatrick have come a long way from their beginnings in Christian rock, but they’re glad to be creating a family-friendly musical comedy.", + "content": "Wayne and Karey Kirkpatrick have come a long way from their beginnings in Christian rock, but they’re glad to be creating a family-friendly musical comedy.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/24/theater/mrs-doubtfire-wayne-karey-kirkpatrick.html", + "creator": "Rebecca J. Ritzel", + "pubDate": "Wed, 24 Nov 2021 19:47:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95609,16 +121840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "48963db9d39e449766cc32ada087d8dd" + "hash": "d9afcb9b1ae1413a3d7e23ea4237b261" }, { - "title": "Proposal Would Allow E.U. to Retaliate Against Economic Pressure", - "description": "The European Commission is considering sweeping powers to impose punitive sanctions on those seeking to influence its political policies through economic pressure.", - "content": "The European Commission is considering sweeping powers to impose punitive sanctions on those seeking to influence its political policies through economic pressure.", - "category": "European Union", - "link": "https://www.nytimes.com/2021/12/08/world/europe/eu-sanctions-economic-retaliation.html", - "creator": "Monika Pronczuk", - "pubDate": "Wed, 08 Dec 2021 20:18:46 +0000", + "title": "Kodi Smit-McPhee on Quiet Confidence, Chronic Pain and ‘The Power of the Dog’", + "description": "The 25-year-old Aussie delivers a scene-stealing performance as Peter, a bookish boy and aspiring doctor who’s more than he seems.", + "content": "The 25-year-old Aussie delivers a scene-stealing performance as Peter, a bookish boy and aspiring doctor who’s more than he seems.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/kodi-smit-mcphee-power-of-the-dog.html", + "creator": "Sarah Bahr", + "pubDate": "Fri, 03 Dec 2021 19:19:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95629,16 +121860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e52910e726c0e94ffa7411ac4d062e4" + "hash": "eb4cf05095695ff789803f06ee58f904" }, { - "title": "Pastor Who Appeared in Drag on HBO's 'We're Here' Leaves Church", - "description": "A United Methodist Church pastor in Indiana stepped down after performing in drag and speaking about inclusion on the show “We’re Here.”", - "content": "A United Methodist Church pastor in Indiana stepped down after performing in drag and speaking about inclusion on the show “We’re Here.”", - "category": "Ministers (Protestant)", - "link": "https://www.nytimes.com/2021/12/08/us/indiana-pastor-drag-hbo.html", - "creator": "Amanda Holpuch", - "pubDate": "Wed, 08 Dec 2021 18:35:25 +0000", + "title": "Shooting Suspect's Parents Pleaded Not Guilty to Involuntary Manslaughter Charges", + "description": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", + "content": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", + "creator": "Gerry Mullany, Eduardo Medina and Sophie Kasakove", + "pubDate": "Sat, 04 Dec 2021 20:27:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95649,16 +121880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d8f3e9473c05930e1f2bf6567def8d09" + "hash": "5fa342dcc3106e307e7faac2d74d4a47" }, { - "title": "House Passes $768 Billion Defense Policy Bill", - "description": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", - "content": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", - "category": "Law and Legislation", - "link": "https://www.nytimes.com/2021/12/07/us/politics/defense-budget-democrats-biden.html", - "creator": "Catie Edmondson", - "pubDate": "Wed, 08 Dec 2021 04:38:21 +0000", + "title": "Federal Scrutiny of Cuomo Widens to His Office’s Treatment of Women", + "description": "The Justice Department opened an inquiry into reports of sexual harassment and retaliation in the former governor’s administration.", + "content": "The Justice Department opened an inquiry into reports of sexual harassment and retaliation in the former governor’s administration.", + "category": "Cuomo, Andrew M", + "link": "https://www.nytimes.com/2021/12/03/nyregion/cuomo-justice-department-inquiry.html", + "creator": "Luis Ferré-Sadurní", + "pubDate": "Sat, 04 Dec 2021 00:28:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95669,16 +121900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ef3b29dbd2dfea724123fe317b7fd00e" + "hash": "40ea2489a82b1ed83801a63008d1c01f" }, { - "title": "House Passes Legislation to Pave Way for Debt Ceiling Increase", - "description": "The bill would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", - "content": "The bill would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", - "category": "Senate", - "link": "https://www.nytimes.com/2021/12/07/us/politics/debt-ceiling-deal-congress.html", - "creator": "Emily Cochrane and Margot Sanger-Katz", - "pubDate": "Wed, 08 Dec 2021 02:36:48 +0000", + "title": "LaMarr Hoyt, Pitcher Whose Star Shone Brightly but Briefly, Dies at 66", + "description": "He won the 1983 Cy Young Award as the American League’s leading pitcher, but an injury and troubles with drugs and the law ended his career prematurely.", + "content": "He won the 1983 Cy Young Award as the American League’s leading pitcher, but an injury and troubles with drugs and the law ended his career prematurely.", + "category": "Hoyt, LaMarr", + "link": "https://www.nytimes.com/2021/12/03/sports/baseball/lamarr-hoyt-dead.html", + "creator": "Richard Goldstein", + "pubDate": "Sat, 04 Dec 2021 05:50:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95689,16 +121920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "918059cea5dce1cb81262475aaf63bb2" + "hash": "f25d477edad5e7dbd31af5e683db4202" }, { - "title": "Debate Over ‘Packing’ Supreme Court Divides Biden Panel", - "description": "The bipartisan group voted 34 to 0 to send the president a report analyzing ideas like Supreme Court expansion, but it declined to take a stand.", - "content": "The bipartisan group voted 34 to 0 to send the president a report analyzing ideas like Supreme Court expansion, but it declined to take a stand.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/07/us/politics/supreme-court-packing-expansion.html", - "creator": "Charlie Savage", - "pubDate": "Wed, 08 Dec 2021 04:44:57 +0000", + "title": "Parents of Oxford School Shooting Suspect Arrested, Police Say", + "description": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", + "content": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", + "creator": "Gerry Mullany", + "pubDate": "Sat, 04 Dec 2021 15:42:48 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95709,16 +121940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "691a7d684282d73459b6d5d8ab48307d" + "hash": "10829e757b590a89c0c2646965b1dc47" }, { - "title": "Lawmakers Reach Deal to Overhaul How Military Handles Sexual Assault Cases", - "description": "Under the agreement, commanders’ powers would be clipped after years of complaints about unfairness and retaliation.", - "content": "Under the agreement, commanders’ powers would be clipped after years of complaints about unfairness and retaliation.", - "category": "United States Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/07/us/politics/military-sexual-assault-congress.html", - "creator": "Jennifer Steinhauer", - "pubDate": "Wed, 08 Dec 2021 02:20:55 +0000", + "title": "In Africa, Dealing With Vaccine Challenges and the Omicron Variant", + "description": "Vaccine shortages and skepticism, and rewarding countries for discovering variants. Also: Happiness and politics; unwanted children; beware of psychedelics.", + "content": "Vaccine shortages and skepticism, and rewarding countries for discovering variants. Also: Happiness and politics; unwanted children; beware of psychedelics.", + "category": "Africa", + "link": "https://www.nytimes.com/2021/12/03/opinion/letters/africa-vaccine-omicron.html", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 21:55:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95729,16 +121960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e5941607d54b59258256ae2b8215001" + "hash": "ac6aadeb897fed5862586a90b6f10196" }, { - "title": "Early Study Shows Pfizer Vaccine Gives Some Protection Against Omicron", - "description": "A South African lab experiment found the variant may dull the power of vaccines but hinted that booster shots might help. Here’s the latest.", - "content": "A South African lab experiment found the variant may dull the power of vaccines but hinted that booster shots might help. Here’s the latest.", + "title": "Takeaways from the fifth day of Ghislaine Maxwell’s trial.", + "description": "", + "content": "", "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 10:14:29 +0000", + "link": "https://www.nytimes.com/live/2021/12/03/nyregion/ghislaine-maxwell-trial/takeaways-from-the-fifth-day-of-ghislaine-maxwells-trial", + "creator": "Rebecca Davis O’Brien and Colin Moynihan", + "pubDate": "Fri, 03 Dec 2021 23:03:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95749,16 +121980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cca40d1117be307e8bbadacb56af896f" - }, - { - "title": "Pediatricians Find Children Need Much More Than Vaccines", - "description": "At one clinic serving low-income children, treatment for health problems that have gone unchecked during the pandemic is more in demand than coronavirus shots.", - "content": "At one clinic serving low-income children, treatment for health problems that have gone unchecked during the pandemic is more in demand than coronavirus shots.", - "category": "Children and Childhood", - "link": "https://www.nytimes.com/2021/12/07/us/politics/children-vaccine-pediatricians.html", - "creator": "Noah Weiland", - "pubDate": "Tue, 07 Dec 2021 21:49:25 +0000", + "hash": "4bf73376e7b8ebdd72eba21a5472ee44" + }, + { + "title": "How a Lab in Nebraska Is Tracking the Spread of Omicron", + "description": "More states are finding cases of the new variant. Tracking its spread, experts say, is key to understanding what threat it poses.", + "content": "More states are finding cases of the new variant. Tracking its spread, experts say, is key to understanding what threat it poses.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/03/us/coronavirus-omicron-sequencing.html", + "creator": "Mitch Smith", + "pubDate": "Sat, 04 Dec 2021 03:37:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95769,16 +122000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "939f819a32372e72351e64e89b8b331d" + "hash": "48fa5c475945aec80685ed9cdd2606ca" }, { - "title": "N.Y.C. Business Owners and Workers React to Vaccine Mandate", - "description": "After Mayor Bill de Blasio set a mandate for all private employers, some raised questions about how the city planned to enforce it, while others said they backed the idea.", - "content": "After Mayor Bill de Blasio set a mandate for all private employers, some raised questions about how the city planned to enforce it, while others said they backed the idea.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/07/nyregion/vaccine-mandate-nyc-business.html", - "creator": "Emma G. Fitzsimmons and Lola Fadulu", - "pubDate": "Wed, 08 Dec 2021 02:09:17 +0000", + "title": "Deion Sanders Is Leading Jackson State to a Football Title Game", + "description": "In his first full season as the football coach, Deion Sanders has guided the Tigers to the conference championship game and energized a community. He says he’s just getting started.", + "content": "In his first full season as the football coach, Deion Sanders has guided the Tigers to the conference championship game and energized a community. He says he’s just getting started.", + "category": "Jackson State University", + "link": "https://www.nytimes.com/2021/12/03/sports/ncaafootball/deion-sanders-jackson-state-football.html", + "creator": "Alanis Thames", + "pubDate": "Fri, 03 Dec 2021 21:36:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95789,16 +122020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2090f079f92ac4528bb937b13e99e8ff" + "hash": "aba6033ec429df2b778456e42ce59ea3" }, { - "title": "Biden and Putin Hold Virtual Summit Over Ukraine", - "description": "President Biden said a Russian invasion of Ukraine would result in heavy economic penalties for Mr. Putin, in a tense meeting.", - "content": "President Biden said a Russian invasion of Ukraine would result in heavy economic penalties for Mr. Putin, in a tense meeting.", + "title": "Israeli Company’s Spyware Is Used to Target U.S. Embassy Employees in Africa", + "description": "The hack is the first known case of the spyware, known as Pegasus, being used against American officials.", + "content": "The hack is the first known case of the spyware, known as Pegasus, being used against American officials.", "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/07/us/politics/biden-putin-ukraine-summit.html", - "creator": "David E. Sanger and Michael Crowley", - "pubDate": "Wed, 08 Dec 2021 02:11:46 +0000", + "link": "https://www.nytimes.com/2021/12/03/us/politics/phone-hack-nso-group-israel-uganda.html", + "creator": "Katie Benner, David E. Sanger and Julian E. Barnes", + "pubDate": "Sat, 04 Dec 2021 01:47:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95809,16 +122040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "57d155493b219d2e4b3c6dd3e02c3692" + "hash": "bdb4a3ef9356d63a95a23ef3afb455de" }, { - "title": "Here are five takeaways from the Biden-Putin call.", - "description": "The meeting was a big foreign policy test for President Biden, with consequences for the stability of Europe, the credibility of American threats and the future of Ukraine.", - "content": "The meeting was a big foreign policy test for President Biden, with consequences for the stability of Europe, the credibility of American threats and the future of Ukraine.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/07/world/europe/here-are-five-takeaways-from-the-biden-putin-call.html", - "creator": "Michael Crowley", - "pubDate": "Tue, 07 Dec 2021 23:01:41 +0000", + "title": "Belgian Port City Grapples With a Flood of Cocaine", + "description": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", + "content": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", + "category": "Drug Abuse and Traffic", + "link": "https://www.nytimes.com/2021/12/04/world/europe/belgium-antwerp-cocaine.html", + "creator": "Elian Peltier", + "pubDate": "Sat, 04 Dec 2021 10:16:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95829,16 +122060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "175c7e30707613a31f464f93c83fe4f7" + "hash": "872fb324cc8ee580dd0f68986d46284f" }, { - "title": "Saule Omarova, Biden’s Pick for Key Banking Regulator, Backs Out", - "description": "Saule Omarova withdrew herself from consideration to be comptroller of the currency after attacks from Republicans and banking lobbyists that labeled her a communist.", - "content": "Saule Omarova withdrew herself from consideration to be comptroller of the currency after attacks from Republicans and banking lobbyists that labeled her a communist.", - "category": "Omarova, Saule", - "link": "https://www.nytimes.com/2021/12/07/business/saule-omarova-occ-nomination.html", - "creator": "Emily Flitter", - "pubDate": "Tue, 07 Dec 2021 21:00:50 +0000", + "title": "At Least One Dead as Volcano Erupts in Indonesia, Spewing Ash Cloud", + "description": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", + "content": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", + "category": "Volcanoes", + "link": "https://www.nytimes.com/2021/12/04/world/asia/indonesia-volcano.html", + "creator": "Aina J. Khan and Muktita Suhartono", + "pubDate": "Sat, 04 Dec 2021 17:20:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95849,16 +122080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "968653e1082c77c27a7776e0795f2ab2" + "hash": "71bbef23ec0af17a82dcc501252b35fd" }, { - "title": "Scholz Becomes German Chancellor, Ending Merkel Era", - "description": "The country’s president gave Olaf Scholz his official certificate of office, and Angela Merkel received a standing ovation from Parliament. Here’s the latest.", - "content": "The country’s president gave Olaf Scholz his official certificate of office, and Angela Merkel received a standing ovation from Parliament. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/08/world/germany-scholz-merkel", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 10:14:28 +0000", + "title": "Congo Ousts Mining Leader in a Cloud of Corruption Claims", + "description": "The country’s president removed Albert Yuma Mulimbi as chairman of the state mining firm. Cobalt in Congo is a crucial resource in the global clean energy revolution.", + "content": "The country’s president removed Albert Yuma Mulimbi as chairman of the state mining firm. Cobalt in Congo is a crucial resource in the global clean energy revolution.", + "category": "Mines and Mining", + "link": "https://www.nytimes.com/2021/12/03/world/congo-cobalt-albert-yuma-mulimbi.html", + "creator": "Eric Lipton and Dionne Searcey", + "pubDate": "Sat, 04 Dec 2021 03:11:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95869,16 +122100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "572e49eab59b566121e06dc3b19c0f3e" + "hash": "1b63ad3b57129d8e96a2c86989a9bca8" }, { - "title": "Redistricting Makes California a Top House Battlefield for 2022", - "description": "As legislators across the country draw House maps to protect incumbents, a nonpartisan commission of California citizens is drafting one that will scramble political fortunes for both parties.", - "content": "As legislators across the country draw House maps to protect incumbents, a nonpartisan commission of California citizens is drafting one that will scramble political fortunes for both parties.", - "category": "Redistricting and Reapportionment", - "link": "https://www.nytimes.com/2021/12/07/us/politics/california-redistricting-midterms.html", - "creator": "Jonathan Weisman", - "pubDate": "Tue, 07 Dec 2021 20:44:13 +0000", + "title": "Five-Minute Coronavirus Stress Resets", + "description": "How to get unstuck from your anxiety.", + "content": "How to get unstuck from your anxiety.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2020/08/06/well/mind/five-minute-coronavirus-stress-resets.html", + "creator": "Jenny Taitz • Illustrations by Rozalina Burkova", + "pubDate": "Thu, 06 Aug 2020 13:46:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95889,16 +122120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5271b4715c9896d632b328e1affc5568" + "hash": "210a80bfcdc7ee8eb69f1fef3afc1da4" }, { - "title": "In a Reversal, Meadows Refuses an Interview for the Jan. 6 Inquiry", - "description": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be deposed, reversing a commitment he made last week.", - "content": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be deposed, reversing a commitment he made last week.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/07/us/politics/meadows-cooperate-jan-6.html", - "creator": "Luke Broadwater and Maggie Haberman", - "pubDate": "Wed, 08 Dec 2021 01:41:23 +0000", + "title": "With Omicron Variant Comes Uncertainty. Here’s How to Handle It.", + "description": "Experts share techniques to ease the mental toll of an evolving pandemic.", + "content": "Experts share techniques to ease the mental toll of an evolving pandemic.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/12/02/well/mind/omicron-variant-questions.html", + "creator": "Christina Caron", + "pubDate": "Fri, 03 Dec 2021 14:50:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95909,16 +122140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4b5fcd6ec6f4c529482bb6727830f87f" + "hash": "11ae186b7288194d5c62d11d19daf7c5" }, { - "title": "Hollywood Loves a Monstrous Mommy. Can It Do Her Justice?", - "description": "Cinema is finally capturing, with uncanny precision and furious energy, more honest and complex versions of the mother.", - "content": "Cinema is finally capturing, with uncanny precision and furious energy, more honest and complex versions of the mother.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/07/magazine/mother-movie-depictions.html", - "creator": "Lydia Kiesling", - "pubDate": "Tue, 07 Dec 2021 10:00:15 +0000", + "title": "Wellness Challenge: Give Yourself a Break", + "description": "", + "content": "", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/05/28/well/pandemic-wellness-stress-break.html", + "creator": "Tara Parker-Pope", + "pubDate": "Fri, 28 May 2021 09:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95929,16 +122160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "38d46bd5b03ea101aee81e35524cb5ad" + "hash": "88cbb34b711607aa61316870b0065da0" }, { - "title": "From Soap Opera to Art: Why a Moscow Museum Is Re-Enacting ‘Santa Barbara’", - "description": "A new contemporary art space is probing how Russia engages with the West by reviving an unlikely 1990s TV hit.", - "content": "A new contemporary art space is probing how Russia engages with the West by reviving an unlikely 1990s TV hit.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/07/arts/design/santa-barbara-ges-2-moscow-ragnar-kjartansson.html", - "creator": "Valerie Hopkins", - "pubDate": "Wed, 08 Dec 2021 03:21:22 +0000", + "title": "In Stressful Times, Make Stress Work for You", + "description": "Research shows we can actually use stress to improve our health and well-being. Here’s how.", + "content": "Research shows we can actually use stress to improve our health and well-being. Here’s how.", + "category": "Anxiety and Stress", + "link": "https://www.nytimes.com/2020/04/01/well/mind/coronavirus-stress-management-anxiety-psychology.html", + "creator": "Kari Leibowitz and Alia Crum", + "pubDate": "Wed, 01 Apr 2020 16:16:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95949,16 +122180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9d606c873bf2fb1602ab3af1637fa7f" + "hash": "72ea869a717d49d0241d2c4b888d3b7f" }, { - "title": "Can a New University Really Fix Academia’s Free Speech Problems?", - "description": "Or does it just create another ideological bubble?", - "content": "Or does it just create another ideological bubble?", - "category": "University of Austin", - "link": "https://www.nytimes.com/2021/12/08/opinion/the-argument-free-speech-on-college-campuses.html", - "creator": "‘The Argument’", - "pubDate": "Wed, 08 Dec 2021 10:00:10 +0000", + "title": "The Trump Conspiracy Is Hiding in Plain Sight", + "description": "Large and influential parts of the Republican Party are increasingly untethered from any commitment to electoral democracy. ", + "content": "Large and influential parts of the Republican Party are increasingly untethered from any commitment to electoral democracy. ", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/12/03/opinion/trump-bannon-2024.html", + "creator": "Jamelle Bouie", + "pubDate": "Fri, 03 Dec 2021 10:00:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95969,16 +122200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "251abede48f304e78d377fc4a8954b2a" + "hash": "96b16fbe37e338d9b346030a405f56f7" }, { - "title": "Bob Dole, Donald Trump and the Art of Responsibility", - "description": "Somehow, America stopped honoring responsibility.", - "content": "Somehow, America stopped honoring responsibility.", - "category": "International Trade and World Market", - "link": "https://www.nytimes.com/2021/12/07/opinion/bob-dole-donald-trump.html", - "creator": "Paul Krugman", - "pubDate": "Tue, 07 Dec 2021 17:32:33 +0000", + "title": "Amy Coney Barrett and the Abortion Question", + "description": "Justice Amy Coney Barrett seemed to lean into identity politics at Wednesday’s arguments over a major abortion case.", + "content": "Justice Amy Coney Barrett seemed to lean into identity politics at Wednesday’s arguments over a major abortion case.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/12/02/opinion/coney-barrett-abortion-supreme-court.html", + "creator": "Melissa Murray", + "pubDate": "Thu, 02 Dec 2021 20:50:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -95989,16 +122220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "deda447fddb0952bdfaaab5acb53312a" + "hash": "2590f0b621318d50bdf5ca2336760924" }, { - "title": "Teen Girls Talk About Puberty. ‘We Don’t Turn Into Aliens.’", - "description": "From period pains and hip dips to bullying and catcalling, five girls talk about the trials of growing up.", - "content": "From period pains and hip dips to bullying and catcalling, five girls talk about the trials of growing up.", - "category": "Documentary Films and Programs", - "link": "https://www.nytimes.com/2021/12/07/opinion/teen-puberty-just-girls.html", - "creator": "Bronwen Parker-Rhodes", - "pubDate": "Tue, 07 Dec 2021 10:00:09 +0000", + "title": "Mount Vernon, N.Y., Police Face Federal Civil Rights Investigation", + "description": "The inquiry will focus on whether the Mount Vernon department engaged in a “pattern or practice of unlawful policing,” officials said.", + "content": "The inquiry will focus on whether the Mount Vernon department engaged in a “pattern or practice of unlawful policing,” officials said.", + "category": "Police Reform", + "link": "https://www.nytimes.com/2021/12/03/nyregion/mount-vernon-police-abuse-misconduct-investigation.html", + "creator": "Troy Closson", + "pubDate": "Fri, 03 Dec 2021 23:10:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96009,16 +122240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e9292f9fb42845329e19e57eecb2a2d" + "hash": "1aef2a414bd081df8c12a11aa0d008d2" }, { - "title": "How Can Something Be Racist but Not Racist at the Same Time?", - "description": "These days, it’s hard to tell.", - "content": "These days, it’s hard to tell.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/07/opinion/racism-america-complex-confusion.html", - "creator": "John McWhorter", - "pubDate": "Tue, 07 Dec 2021 20:00:26 +0000", + "title": "How do you say ‘Omicron’?", + "description": "Unlike Alpha, Beta and Delta, the name of the latest known variant is not as straightforward, with some English speakers offering up diverse pronunciations.", + "content": "Unlike Alpha, Beta and Delta, the name of the latest known variant is not as straightforward, with some English speakers offering up diverse pronunciations.", + "category": "English Language", + "link": "https://www.nytimes.com/2021/11/30/world/omicron-covid-variant-pronunciation.html", + "creator": "Christine Hauser", + "pubDate": "Wed, 01 Dec 2021 12:17:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96029,16 +122260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fede6da0f494b5fcb763fd8c18c134e7" + "hash": "f6325d394c526052f260bcca9ae24079" }, { - "title": "The Words Democrats Use Are Not the Real Problem", - "description": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", - "content": "The whys of American politics have much more to do with the ever-changing currents of race, religion and economic production than they do with political messaging.", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/07/opinion/hispanic-voters-messaging.html", - "creator": "Jamelle Bouie", - "pubDate": "Tue, 07 Dec 2021 10:00:13 +0000", + "title": "Parents of Michigan Shooting Suspect Arrested in Detroit, Police Say", + "description": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", + "content": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", + "creator": "Gerry Mullany", + "pubDate": "Sat, 04 Dec 2021 09:12:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96049,16 +122280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "68e38b48fb315fceaa68bce5f1e2ec17" + "hash": "f78d20ba79c52e0accbf764f1b9b7d13" }, { - "title": "Should States Be Allowed to Spend Public Money on Religious Educations?", - "description": "The Supreme Court is about to consider that question.", - "content": "The Supreme Court is about to consider that question.", - "category": "Private and Sectarian Schools", - "link": "https://www.nytimes.com/2021/12/07/opinion/public-schools-religion.html", - "creator": "Michael Bindas and Walter Womack", - "pubDate": "Tue, 07 Dec 2021 10:00:09 +0000", + "title": "Marcus Lamb, Christian Broadcaster and Vaccine Skeptic, Dies of Covid at 64", + "description": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", + "content": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/01/us/marcus-lamb-dead.html", + "creator": "Alyssa Lukpat", + "pubDate": "Thu, 02 Dec 2021 23:09:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96069,16 +122300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d8eb0853866f858ca94dc8bd381703c7" + "hash": "f51614d95507a45e0adb3ba68531dee9" }, { - "title": "If James Madison Weighed In on Politics Today", - "description": "Readers discuss James Madison and the role of Congress today. Also: Expanding the fight for abortion rights; a proposal for the National Mall.", - "content": "Readers discuss James Madison and the role of Congress today. Also: Expanding the fight for abortion rights; a proposal for the National Mall.", - "category": "Madison, James (1751-1836)", - "link": "https://www.nytimes.com/2021/12/07/opinion/letters/james-madison-congress-politics.html", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 16:34:38 +0000", + "title": "Best Albums of 2021", + "description": "Less isolation didn’t mean a return to normalcy. Albums with big feelings and room for catharsis made the most powerful connections.", + "content": "Less isolation didn’t mean a return to normalcy. Albums with big feelings and room for catharsis made the most powerful connections.", + "category": "arts year in review 2021", + "link": "https://www.nytimes.com/2021/12/02/arts/music/best-pop-albums.html", + "creator": "Jon Pareles, Jon Caramanica and Lindsay Zoladz", + "pubDate": "Thu, 02 Dec 2021 17:22:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96089,16 +122320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d0253c46b02be4b8fa89a79021e7cd9c" + "hash": "2020f552c6e78dfb71a3e922fd1b17e8" }, { - "title": "Alana Haim on ‘Licorice Pizza,’ Her Surprising Movie Debut", - "description": "When Paul Thomas Anderson asked her to star in “Licorice Pizza,” the musician had zero acting experience. Now she’s winning rave reviews.", - "content": "When Paul Thomas Anderson asked her to star in “Licorice Pizza,” the musician had zero acting experience. Now she’s winning rave reviews.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/06/movies/alana-haim-licorice-pizza.html", - "creator": "Lindsay Zoladz", - "pubDate": "Mon, 06 Dec 2021 16:00:10 +0000", + "title": "Omicron Variant Reinfects People Who Have Had the Coronavirus", + "description": "Evidence from South Africa, where the Omicron variant already dominates, shows a high rate of reinfection of people who have already had the coronavirus.", + "content": "Evidence from South Africa, where the Omicron variant already dominates, shows a high rate of reinfection of people who have already had the coronavirus.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/02/world/africa/virus-omicron-variant-reinfection.html", + "creator": "Lynsey Chutel and Richard Pérez-Peña", + "pubDate": "Fri, 03 Dec 2021 01:49:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96109,36 +122340,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "88bc3f5f424047a368137d72330e968b" + "hash": "bee1ae16799ff9bfe3b679d695d05153" }, { - "title": "Companies Linked to Russian Ransomware Hide in Plain Sight", - "description": "Cybersecurity experts tracing money paid by American businesses to Russian ransomware gangs found it led to one of Moscow’s most prestigious addresses.", - "content": "Cybersecurity experts tracing money paid by American businesses to Russian ransomware gangs found it led to one of Moscow’s most prestigious addresses.", - "category": "Computer Security", - "link": "https://www.nytimes.com/2021/12/06/world/europe/ransomware-russia-bitcoin.html", - "creator": "Andrew E. Kramer", - "pubDate": "Mon, 06 Dec 2021 10:00:24 +0000", + "title": "How the Cream Cheese Shortage is Affecting NYC Bagel Shops", + "description": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", + "content": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", + "category": "New York City", + "link": "https://www.nytimes.com/2021/12/04/nyregion/cream-cheese-shortage-nyc-bagels.html", + "creator": "Ashley Wong", + "pubDate": "Sat, 04 Dec 2021 10:00:14 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3ce6c500f26b0736d44200db5a7cacc" + "hash": "617a4712bcb3f3644b282e32eabd774c" }, { - "title": "Chanel, TikTok and the Beauty Advent Calendar Controversy", - "description": "Some social media users are not feeling the Christmas spirit — or this box of mini lipsticks and branded stickers.", - "content": "Some social media users are not feeling the Christmas spirit — or this box of mini lipsticks and branded stickers.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/06/style/chanel-tiktok-advent-calendar-controversy.html", - "creator": "Vanessa Friedman", - "pubDate": "Mon, 06 Dec 2021 19:04:18 +0000", + "title": "Belgian Port City Grapples With a Flood of Cocaine", + "description": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", + "content": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", + "category": "Drug Abuse and Traffic", + "link": "https://www.nytimes.com/2021/12/04/world/europe/belgian-port-city-grapples-with-a-flood-of-cocaine.html", + "creator": "Elian Peltier", + "pubDate": "Sat, 04 Dec 2021 10:16:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96149,16 +122380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a404c838736e610dd5096c7c8406cdf" + "hash": "bfa9efdbbf39b9105a35d13c4e3c8222" }, { - "title": "San Francisco Restaurant Apologizes for Asking 3 Police Officers to Leave", - "description": "The uniformed officers had just sat down when staff members asked them to leave because the workers felt uncomfortable about the officers’ weapons, the restaurant said.", - "content": "The uniformed officers had just sat down when staff members asked them to leave because the workers felt uncomfortable about the officers’ weapons, the restaurant said.", - "category": "Restaurants", - "link": "https://www.nytimes.com/2021/12/06/us/san-francisco-restaurant-police-officers.html", - "creator": "Alyssa Lukpat", - "pubDate": "Mon, 06 Dec 2021 12:04:00 +0000", + "title": "M.L.B.’s Lockout: What Is It? How Does It Work? What’s Next?", + "description": "Players are locked out and transactions are frozen in baseball’s ninth work stoppage. But no one is missing any checks — yet.", + "content": "Players are locked out and transactions are frozen in baseball’s ninth work stoppage. But no one is missing any checks — yet.", + "category": "Baseball", + "link": "https://www.nytimes.com/article/mlb-lockout.html", + "creator": "James Wagner", + "pubDate": "Fri, 03 Dec 2021 22:10:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96169,16 +122400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cd398714d5cf9b09efe8dab30664555d" + "hash": "ac9d7fc8ebe0fdcc3609bd0dd79f0369" }, { - "title": "Do You Have a Story About Seeing Your Parent Differently?", - "description": "The Modern Love Podcast wants to hear about a time your perception of your parent(s) changed.", - "content": "The Modern Love Podcast wants to hear about a time your perception of your parent(s) changed.", - "category": "Parenting", - "link": "https://www.nytimes.com/2021/11/18/podcasts/modern-love-seeing-parents-differently.html", - "creator": "", - "pubDate": "Thu, 18 Nov 2021 23:22:43 +0000", + "title": "The Confounding Lightness of Helen Pashgian", + "description": "Long underrecognized for her innovations, a trailblazer of the Light and Space Movement is suddenly juggling three tribute shows to her six-decade career.", + "content": "Long underrecognized for her innovations, a trailblazer of the Light and Space Movement is suddenly juggling three tribute shows to her six-decade career.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/30/arts/design/helen-pashgian-light-and-space-movement.html", + "creator": "Lawrence Weschler", + "pubDate": "Tue, 30 Nov 2021 15:00:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96189,16 +122420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "34eb818d8937e3eb287ab4e50fa378a4" + "hash": "ba85219e0d3acd31bb47e7931bfede59" }, { - "title": "Third Accuser Says Epstein and Maxwell Preyed on Her as a Troubled Teen", - "description": "The accuser, who testified under her first name, Carolyn, described being preyed upon as an especially vulnerable child.", - "content": "The accuser, who testified under her first name, Carolyn, described being preyed upon as an especially vulnerable child.", - "category": "Human Trafficking", - "link": "https://www.nytimes.com/2021/12/07/nyregion/ghislaine-maxwell-trial-carolyn.html", - "creator": "Rebecca Davis O’Brien and Colin Moynihan", - "pubDate": "Wed, 08 Dec 2021 00:26:59 +0000", + "title": "What Makes a Wine Great? It’s Not Just Old and Complex.", + "description": "It ought to have a sense of place, and it needs to refresh. Beyond that, great wines are those that best fit the particular occasion.", + "content": "It ought to have a sense of place, and it needs to refresh. Beyond that, great wines are those that best fit the particular occasion.", + "category": "Wines", + "link": "https://www.nytimes.com/2021/11/29/dining/drinks/great-wines.html", + "creator": "Eric Asimov", + "pubDate": "Mon, 29 Nov 2021 16:29:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96209,16 +122440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a29dbcd04c377a333c326538f0e5eb01" + "hash": "5ca1f53e7c66df9462a81f859fff5410" }, { - "title": "In Bob Dole’s Hometown, Kansans Grieve for the Man and His Political Style", - "description": "Residents of Russell, the town in Kansas where Mr. Dole grew up, spoke longingly of a bygone era of bipartisanship.", - "content": "Residents of Russell, the town in Kansas where Mr. Dole grew up, spoke longingly of a bygone era of bipartisanship.", - "category": "Dole, Bob", - "link": "https://www.nytimes.com/2021/12/07/us/bob-dole-hometown-russell-kansas.html", - "creator": "Mitch Smith", - "pubDate": "Tue, 07 Dec 2021 22:14:44 +0000", + "title": "‘The Power of the Dog’: About That Ending", + "description": "The movie’s subtle conclusion takes a moment to comprehend. But the director, Jane Campion, has a history of working in the realm of suggestion.", + "content": "The movie’s subtle conclusion takes a moment to comprehend. But the director, Jane Campion, has a history of working in the realm of suggestion.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/the-power-of-the-dog-ending.html", + "creator": "Nicolas Rapold", + "pubDate": "Fri, 03 Dec 2021 19:41:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96229,16 +122460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ca9ec40207b055dc5fe72abaebf3d39" + "hash": "01a846cc29ba4acec32790629a956b70" }, { - "title": "Photos From Indonesia Volcano: Death Toll Rises ", - "description": "About 17 people were still missing as rescuers searched for survivors buried under volcanic ash.", - "content": "About 17 people were still missing as rescuers searched for survivors buried under volcanic ash.", - "category": "Indonesia", - "link": "https://www.nytimes.com/2021/12/07/world/asia/indonesia-volcano-eruption.html", - "creator": "Muktita Suhartono", - "pubDate": "Tue, 07 Dec 2021 11:28:34 +0000", + "title": "‘The Anomaly,’ Part Airplane Thriller and Part Exploration of Reality, Fate and Free Will", + "description": "Hervé Le Tellier’s novel, a runaway best seller and prize winner in France, is about the strange and mysterious fate of the passengers on a flight from Paris to New York.", + "content": "Hervé Le Tellier’s novel, a runaway best seller and prize winner in France, is about the strange and mysterious fate of the passengers on a flight from Paris to New York.", + "category": "The Anomaly (Book)", + "link": "https://www.nytimes.com/2021/12/03/books/review-anomaly-herve-le-tellier.html", + "creator": "Sarah Lyall", + "pubDate": "Fri, 03 Dec 2021 10:00:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96249,16 +122480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6653a8e7e2e47f1ca2e7c9836a554429" + "hash": "e04fb07a647443ff2d4815cad801c877" }, { - "title": "Mississippi Killer Confessed to Another Murder Before His Execution", - "description": "David Neal Cox admitted to the 2007 killing of his sister-in-law, Felecia Cox, a cold case in which he had long been the prime suspect, prosecutors said.", - "content": "David Neal Cox admitted to the 2007 killing of his sister-in-law, Felecia Cox, a cold case in which he had long been the prime suspect, prosecutors said.", - "category": "Domestic Violence", - "link": "https://www.nytimes.com/2021/12/07/us/david-neal-cox-execution-felecia-mississippi.html", - "creator": "Neil Vigdor", - "pubDate": "Tue, 07 Dec 2021 22:41:51 +0000", + "title": "Five Action Movies to Stream Now", + "description": "Including bomb threats, bank robberies and more, the month’s action films pack a wallop.", + "content": "Including bomb threats, bank robberies and more, the month’s action films pack a wallop.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/12/03/movies/action-movies-streaming.html", + "creator": "Robert Daniels", + "pubDate": "Fri, 03 Dec 2021 16:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96269,16 +122500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c59d7dda7dc86b394afcebbb3ea7fb67" + "hash": "730f3d315a82cf6c7c50776fda804e46" }, { - "title": "Chris Magnus Confirmed to Lead Customs and Border Protection", - "description": "Mr. Magnus, the police chief in Tucson, Ariz., will seek to win the trust of the U.S. Border Patrol, an agency championed by former President Donald J. Trump.", - "content": "Mr. Magnus, the police chief in Tucson, Ariz., will seek to win the trust of the U.S. Border Patrol, an agency championed by former President Donald J. Trump.", - "category": "Magnus, Chris (1960- )", - "link": "https://www.nytimes.com/2021/12/07/us/politics/chris-magnus-cbp-biden.html", - "creator": "Eileen Sullivan", - "pubDate": "Wed, 08 Dec 2021 01:11:35 +0000", + "title": "Jobs Report Sends Mixed Messages About U.S. Economy", + "description": "The U.S. added 210,000 jobs in November, below expectations, but a household survey showed the total number of employed people jumped by 1.1 million. The ambiguous data clouds the economic outlook for policymakers as a new phase of the pandemic unfolds. Here’s the latest.", + "content": "The U.S. added 210,000 jobs in November, below expectations, but a household survey showed the total number of employed people jumped by 1.1 million. The ambiguous data clouds the economic outlook for policymakers as a new phase of the pandemic unfolds. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/03/business/jobs-report-stock-market", + "creator": "The New York Times", + "pubDate": "Fri, 03 Dec 2021 18:07:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96289,16 +122520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a79b6bfcf17e54d5d354285bbd57f05d" + "hash": "2f5d78085299d17dabd8ef135cead58f" }, { - "title": "Helicopter Crashes With India’s Top Military General Aboard", - "description": "The fate of Gen. Bipin Rawat, the chief of the country’s defense staff, wasn’t immediately clear.", - "content": "The fate of Gen. Bipin Rawat, the chief of the country’s defense staff, wasn’t immediately clear.", - "category": "Aviation Accidents, Safety and Disasters", - "link": "https://www.nytimes.com/2021/12/08/world/asia/helicopter-crash-india-top-general.html", - "creator": "Suhasini Raj and Mujib Mashal", - "pubDate": "Wed, 08 Dec 2021 10:19:52 +0000", + "title": "Why the November Jobs Report Is Better Than It Looks ", + "description": "The number of jobs added was below expectations, but otherwise the report shows an economy on the right track.", + "content": "The number of jobs added was below expectations, but otherwise the report shows an economy on the right track.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/12/03/upshot/jobs-report-unemployment-falls.html", + "creator": "Neil Irwin", + "pubDate": "Fri, 03 Dec 2021 16:22:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96309,16 +122540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f193374ca112aaa8f133e4e28badaa6c" + "hash": "32816d0c2a96560c00004e15bd2b0dd3" }, { - "title": "Elizabeth Holmes Returns to the Stand on Tuesday.", - "description": "The climax of the cross-examination of Ms. Holmes, founder of the blood testing start-up Theranos, sends her fraud trial to its end stage.", - "content": "The climax of the cross-examination of Ms. Holmes, founder of the blood testing start-up Theranos, sends her fraud trial to its end stage.", - "category": "Tests (Medical)", - "link": "https://www.nytimes.com/2021/12/07/technology/elizabeth-holmes-theranos-trial.html", - "creator": "Erin Griffith", - "pubDate": "Wed, 08 Dec 2021 01:39:50 +0000", + "title": "Omicron Variant Is Found in Several U.S. States", + "description": "Health officials say that community spread of Omicron is inevitable, even as much remains unknown about the new variant. Follow updates on Covid.", + "content": "Health officials say that community spread of Omicron is inevitable, even as much remains unknown about the new variant. Follow updates on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/03/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Fri, 03 Dec 2021 10:58:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96329,16 +122560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d7e55d1ac21116d190b46cf474ea4db5" + "hash": "2e6ae06e0578616990d51253f9d8ecb1" }, { - "title": "Lawyers in Jussie Smollett Case Tangle Over Motive as Testimony Ends", - "description": "Mr. Smollett was questioned Tuesday by the prosecution about his interactions with his attackers shortly before the 2019 assault.", - "content": "Mr. Smollett was questioned Tuesday by the prosecution about his interactions with his attackers shortly before the 2019 assault.", - "category": "Assaults", - "link": "https://www.nytimes.com/2021/12/07/arts/television/jussie-smollett-trial.html", - "creator": "Julia Jacobs and Mark Guarino", - "pubDate": "Tue, 07 Dec 2021 23:03:20 +0000", + "title": "Covid Treatments Are Coming", + "description": "Here’s why they are a big deal.", + "content": "Here’s why they are a big deal.", + "category": "", + "link": "https://www.nytimes.com/2021/12/03/briefing/covid-treatments-pfizer-merck.html", + "creator": "David Leonhardt", + "pubDate": "Fri, 03 Dec 2021 11:33:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96349,16 +122580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "98c39a04bb1abb14eafd3d290b377141" + "hash": "82684cfc94cc215fc1b9ee75c9b0da7e" }, { - "title": "Sundays Off: U.A.E. Changes Its Weekend to Align With West", - "description": "The United Arab Emirates, in a nod to global markets, has changed its workweek, declaring that Sunday, a work day in much of the Arab world, is now part of the weekend. Fridays will be half days.", - "content": "The United Arab Emirates, in a nod to global markets, has changed its workweek, declaring that Sunday, a work day in much of the Arab world, is now part of the weekend. Fridays will be half days.", - "category": "United Arab Emirates", - "link": "https://www.nytimes.com/2021/12/07/world/middleeast/uae-weekend-shift.html", - "creator": "Mona El-Naggar", - "pubDate": "Tue, 07 Dec 2021 23:09:18 +0000", + "title": "Michigan Shooting Suspect’s Parents Charged With Involuntary Manslaughter", + "description": "“Help me,” the teen accused of killing four of his classmates had scrawled in class hours before the shooting. His parents refused to bring him home and didn’t ask whether he had the handgun they had bought for him days before, a prosecutor said.", + "content": "“Help me,” the teen accused of killing four of his classmates had scrawled in class hours before the shooting. His parents refused to bring him home and didn’t ask whether he had the handgun they had bought for him days before, a prosecutor said.", + "category": "Oxford Charter Township, Mich, Shooting (2021)", + "link": "https://www.nytimes.com/2021/12/03/us/crumbley-parents-charged-michigan-shooting.html", + "creator": "Jack Healy and Serge F. Kovaleski", + "pubDate": "Fri, 03 Dec 2021 18:07:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96369,16 +122600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1760f6db9f330e917b325fba965026c3" + "hash": "92d4e1ddccb773e19bde2116257d8d5e" }, { - "title": "French Police Arrest Man in Connection With Khashoggi Killing", - "description": "A man with the same name, Khalid Alotaibi, is wanted in connection with the murder of the Saudi journalist Jamal Khashoggi. A Saudi official says France arrested the wrong man.", - "content": "A man with the same name, Khalid Alotaibi, is wanted in connection with the murder of the Saudi journalist Jamal Khashoggi. A Saudi official says France arrested the wrong man.", - "category": "Assassinations and Attempted Assassinations", - "link": "https://www.nytimes.com/2021/12/07/world/middleeast/khashoggi-arrest-france-alotaiba.html", - "creator": "Ben Hubbard and Aurelien Breeden", - "pubDate": "Tue, 07 Dec 2021 18:21:28 +0000", + "title": "Billions for Climate Protection Fuel New Debate: Who Deserves It Most", + "description": "The $1 trillion infrastructure law funds programs that tend to favor wealthy, white communities — a test for Biden’s pledge to defend the most vulnerable against climate change.", + "content": "The $1 trillion infrastructure law funds programs that tend to favor wealthy, white communities — a test for Biden’s pledge to defend the most vulnerable against climate change.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/12/03/climate/climate-change-infrastructure-bill.html", + "creator": "Christopher Flavelle", + "pubDate": "Fri, 03 Dec 2021 16:22:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96389,16 +122620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ed79a4efa1a7e936005ae95383f5772" + "hash": "c692570a54ee033b6aa5563bfd4e809e" }, { - "title": "Is Gluten-Free Bread Healthier Than Regular Bread?", - "description": "Experts say there are important distinctions to keep in mind.", - "content": "Experts say there are important distinctions to keep in mind.", - "category": "Gluten", - "link": "https://www.nytimes.com/2021/12/07/well/eat/is-gluten-free-bread-healthier.html", - "creator": "Alice Callahan", - "pubDate": "Tue, 07 Dec 2021 15:51:09 +0000", + "title": "Didi of China Moves to Delist From New York Stock Exchange", + "description": "With plenty of its own money and a greater desire to control the private sector, Beijing is pushing its companies to tap investors closer to home.", + "content": "With plenty of its own money and a greater desire to control the private sector, Beijing is pushing its companies to tap investors closer to home.", + "category": "Didi Chuxing", + "link": "https://www.nytimes.com/2021/12/02/business/china-didi-delisting.html", + "creator": "Alexandra Stevenson and Paul Mozur", + "pubDate": "Fri, 03 Dec 2021 11:36:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96409,16 +122640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "393c06cd53ece300cfbdeb276f30791a" + "hash": "2f20970a7a6cd0f834933bedd13d41d0" }, { - "title": "Do I Get Enough Vitamin D in the Winter?", - "description": "In higher-latitude cities like Boston, inadequate UVB limits vitamin D synthesis for at least a few months during the winter.", - "content": "In higher-latitude cities like Boston, inadequate UVB limits vitamin D synthesis for at least a few months during the winter.", - "category": "Vitamins", - "link": "https://www.nytimes.com/2018/02/16/well/live/do-i-get-enough-vitamin-d-in-the-winter.html", - "creator": "Alice Callahan", - "pubDate": "Fri, 16 Feb 2018 11:00:15 +0000", + "title": "The Great ‘West Side Story’ Debate", + "description": "With the Steven Spielberg film coming soon, three critics, a playwright and a theater historian weigh in on whether the musical deserves a new hearing — and how.", + "content": "With the Steven Spielberg film coming soon, three critics, a playwright and a theater historian weigh in on whether the musical deserves a new hearing — and how.", + "category": "West Side Story (Play)", + "link": "https://www.nytimes.com/2021/12/01/theater/west-side-story-steven-spielberg-movie.html", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 10:02:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96429,16 +122660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8116355042b9e96ec288e5455b94397b" + "hash": "469082cd3b54a7a26cbe24304d952f8d" }, { - "title": "Why Does Coffee Make Me Poop?", - "description": "It’s not clear why coffee can stimulate a bowel movement, but the speed of this effect suggests it’s mediated by the brain.", - "content": "It’s not clear why coffee can stimulate a bowel movement, but the speed of this effect suggests it’s mediated by the brain.", - "category": "Caffeine", - "link": "https://www.nytimes.com/2021/11/30/well/eat/why-does-coffee-make-you-poop.html", - "creator": "Alice Callahan", - "pubDate": "Tue, 30 Nov 2021 10:00:18 +0000", + "title": "Cherished Words From Sondheim, Theater’s Encourager-in-Chief", + "description": "He wrote great shows, but Stephen Sondheim was also a mentor, a teacher and an audience regular. And, oh, the thrill of getting one of his typewritten notes.", + "content": "He wrote great shows, but Stephen Sondheim was also a mentor, a teacher and an audience regular. And, oh, the thrill of getting one of his typewritten notes.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/01/theater/stephen-sondheim-mentor-notes.html", + "creator": "Laura Collins-Hughes", + "pubDate": "Wed, 01 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96449,16 +122680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "174ef57ae7ea914400eec3a72532fa95" + "hash": "dba03cb4ef42ab6419b75f5b7728df19" }, { - "title": "What Is a Fecal Transplant, and Why Would I Want One?", - "description": "Fecal transplant is used to treat gut infections and is now being studied as a treatment for obesity, urinary tract infections, irritable bowel syndrome and more.", - "content": "Fecal transplant is used to treat gut infections and is now being studied as a treatment for obesity, urinary tract infections, irritable bowel syndrome and more.", - "category": "Feces", - "link": "https://www.nytimes.com/2019/01/18/well/live/what-is-a-fecal-transplant-and-why-would-i-want-one.html", - "creator": "Richard Klasco, M.D.", - "pubDate": "Tue, 19 Feb 2019 23:00:14 +0000", + "title": "Stephen Sondheim Discusses a Gender-Swapped ‘Company’", + "description": "Days before he died, Stephen Sondheim and the director Marianne Elliott chatted about a Broadway revival of his 1970 musical. With a gender swap, it has a “different flavor,” he said.", + "content": "Days before he died, Stephen Sondheim and the director Marianne Elliott chatted about a Broadway revival of his 1970 musical. With a gender swap, it has a “different flavor,” he said.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/01/theater/company-stephen-sondheim-marianne-elliott.html", + "creator": "Michael Paulson", + "pubDate": "Wed, 01 Dec 2021 17:37:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96469,16 +122700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6796b6633e5b35bedd91c702aedccb4c" + "hash": "d69deace1f2c7e05f9357856266d80bd" }, { - "title": "Michael Jackson Musical Turns Down Volume on Abuse Allegations", - "description": "The Broadway musical, “MJ,” with a book by Lynn Nottage and directed by Christopher Wheeldon, began previews Monday.", - "content": "The Broadway musical, “MJ,” with a book by Lynn Nottage and directed by Christopher Wheeldon, began previews Monday.", - "category": "Jackson, Michael", - "link": "https://www.nytimes.com/2021/12/07/theater/michael-jackson-mj-musical-broadway.html", - "creator": "Michael Paulson", - "pubDate": "Tue, 07 Dec 2021 18:26:15 +0000", + "title": "Abortion: The Voice of the Ambivalent Majority", + "description": "Our democracy may not be strong enough for post-Roe politics.", + "content": "Our democracy may not be strong enough for post-Roe politics.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/opinion/abortion-ambivalent-majority.html", + "creator": "David Brooks", + "pubDate": "Fri, 03 Dec 2021 00:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96489,16 +122720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "904a1defcea25c059962a0e91ce3ce62" + "hash": "405fabd54294fa81b3c068d791289ba1" }, { - "title": "Best Songs of 2021", - "description": "Sixty-six tracks that tell the story of the year: a posthumous political statement, a hyperpop star finding his footing, an emerging force’s debut smash and a superstar’s 10-minute redo.", - "content": "Sixty-six tracks that tell the story of the year: a posthumous political statement, a hyperpop star finding his footing, an emerging force’s debut smash and a superstar’s 10-minute redo.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/12/07/arts/music/best-songs.html", - "creator": "Jon Pareles, Jon Caramanica and Lindsay Zoladz", - "pubDate": "Tue, 07 Dec 2021 16:35:08 +0000", + "title": "How the G.O.P. Became Saboteurs, Threatening a Government Shutdown", + "description": "Republican obstructionism is getting even more naked. ", + "content": "Republican obstructionism is getting even more naked. ", + "category": "National Debt (US)", + "link": "https://www.nytimes.com/2021/12/02/opinion/republicans-government-shutdown.html", + "creator": "Paul Krugman", + "pubDate": "Fri, 03 Dec 2021 00:01:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96509,16 +122740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e7ce60129ec9aff2ede2fff9e222475" + "hash": "09b0fc3e50f29286588ea28b19310a6d" }, { - "title": "Discovering a Secret Wonderland of Architecture in Dallas", - "description": "A new generation of architects is arguing that postmodern cityscapes deserve re-evaluation.", - "content": "A new generation of architects is arguing that postmodern cityscapes deserve re-evaluation.", - "category": "Architecture", - "link": "https://www.nytimes.com/2021/11/30/magazine/dallas-architecture.html", - "creator": "Rob Madole", - "pubDate": "Tue, 30 Nov 2021 17:40:02 +0000", + "title": "The Debt Ceiling and More: Congress Has a Pre-Break To-Do List", + "description": "Governing by brinkmanship means missing lots of vacations.", + "content": "Governing by brinkmanship means missing lots of vacations.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/opinion/congress-budget-shutdown-debt.html", + "creator": "Michelle Cottle", + "pubDate": "Fri, 03 Dec 2021 02:46:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96529,16 +122760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c21aad66158e17230b44bb3ccca015bc" + "hash": "51bf414a3ba4ac34ac3cdac5c2c0e349" }, { - "title": "Is an All-Encompassing Mobility App Making a Comeback?", - "description": "Versions of “mobility as a service,” or MaaS, apps exist, but companies and cities will need to come together for the idea to gain momentum.", - "content": "Versions of “mobility as a service,” or MaaS, apps exist, but companies and cities will need to come together for the idea to gain momentum.", - "category": "Mobile Applications", - "link": "https://www.nytimes.com/2021/12/05/business/maas-mobility-app.html", - "creator": "John Surico", - "pubDate": "Sun, 05 Dec 2021 10:00:07 +0000", + "title": "The World Is Lifting Abortion Restrictions. Not America. ", + "description": "The trend is towards liberalizing reproductive freedom, not repressing it. ", + "content": "The trend is towards liberalizing reproductive freedom, not repressing it. ", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/opinion/abortion-restrictions-roe-wade-usa.html", + "creator": "Mary Fitzgerald", + "pubDate": "Fri, 03 Dec 2021 16:24:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96549,16 +122780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1fa49919ed2a9ead59422fda132208fe" + "hash": "5da089877e08303106db76797ba86cf7" }, { - "title": "Tiny Love Stories: ‘I Felt Desire Overshadow Fear’", - "description": "Modern Love in miniature, featuring reader-submitted stories of no more than 100 words.", - "content": "Modern Love in miniature, featuring reader-submitted stories of no more than 100 words.", - "category": "Love (Emotion)", - "link": "https://www.nytimes.com/2021/12/07/style/tiny-modern-love-stories-i-felt-desire-overshadow-fear.html", - "creator": "", - "pubDate": "Tue, 07 Dec 2021 20:10:15 +0000", + "title": "Omicron Has Lessons for Us. We Refuse to Learn Them.", + "description": "The response to a new variant of the coronavirus suggests a teachable epoch gone to waste.", + "content": "The response to a new variant of the coronavirus suggests a teachable epoch gone to waste.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/02/opinion/omicron-covid-variant-lessons.html", + "creator": "Frank Bruni", + "pubDate": "Thu, 02 Dec 2021 17:28:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96569,16 +122800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "55d5790444edf467f6917933b0e54a20" + "hash": "bb2bcf596f7598ede7c43f6d31d5cac1" }, { - "title": "Early Data Offers Glimpse at How the Vaccinated May Fare Against Omicron", - "description": "A report found that the variant seemed to dull the power of Pfizer’s vaccine, but hinted that booster shots might help. Catch up on Covid-19 news.", - "content": "A report found that the variant seemed to dull the power of Pfizer’s vaccine, but hinted that booster shots might help. Catch up on Covid-19 news.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/world/covid-omicron-vaccine", - "creator": "The New York Times", - "pubDate": "Wed, 08 Dec 2021 04:12:49 +0000", + "title": "Students Praised Shooter Drills at Oxford High. But Do They Really Work?", + "description": "Oxford High School held repeated trainings on how to handle a gunman in school. But some critics are questioning their purpose.", + "content": "Oxford High School held repeated trainings on how to handle a gunman in school. But some critics are questioning their purpose.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/02/us/school-shooting-drills-oxford-high.html", + "creator": "Dana Goldstein", + "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96589,16 +122820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "985ec04c2353599272603e4fe6eddd9b" + "hash": "dcea51e9bc3a542bc79343710a4b6021" }, { - "title": "I Couldn’t Vote for Trump, but I’m Grateful for His Supreme Court Picks", - "description": "What might the Republican Party look like in a post-Roe America?", - "content": "What might the Republican Party look like in a post-Roe America?", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/07/opinion/trump-supreme-court-abortion-dobbs-roe.html", - "creator": "Erika Bachiochi", - "pubDate": "Tue, 07 Dec 2021 14:41:01 +0000", + "title": "Most Covid Vaccines Will Work as Boosters, Study Suggests", + "description": "In a comparison of seven different brands, researchers found that most shots give a strong boost, even in mix-and-match combinations.", + "content": "In a comparison of seven different brands, researchers found that most shots give a strong boost, even in mix-and-match combinations.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/02/health/covid-booster-shots-mix-and-match.html", + "creator": "Carl Zimmer", + "pubDate": "Thu, 02 Dec 2021 23:30:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96609,16 +122840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e6357cc7a36580688411a0171ae63f5" + "hash": "758348a49db4d3435aba1cc91e43fb92" }, { - "title": "What Kind of Power Should the Names of New York Have?", - "description": "In debates about how best to confront our collective past, we must give weight to the present as well.", - "content": "In debates about how best to confront our collective past, we must give weight to the present as well.", - "category": "New York City", - "link": "https://www.nytimes.com/2021/12/07/opinion/new-york-street-names.html", - "creator": "Joshua Jelly-Schapiro", - "pubDate": "Tue, 07 Dec 2021 10:00:17 +0000", + "title": "After Hurricane Sandy, a Park in Lower Manhattan at the Center of a Fight", + "description": "Nine years after Hurricane Sandy, residents of Lower Manhattan are still vulnerable to rising seas. The fight over a plan to protect them reveals why progress on our most critical challenges is so hard.", + "content": "Nine years after Hurricane Sandy, residents of Lower Manhattan are still vulnerable to rising seas. The fight over a plan to protect them reveals why progress on our most critical challenges is so hard.", + "category": "Area Planning and Renewal", + "link": "https://www.nytimes.com/2021/12/02/us/hurricane-sandy-lower-manhattan-nyc.html", + "creator": "Michael Kimmelman", + "pubDate": "Thu, 02 Dec 2021 21:08:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96629,16 +122860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "89aad1ef36a0f34c1a30baf49048a856" + "hash": "19235b33488c3d1db2378ec44e749a20" }, { - "title": "Biden’s Democracy Conference Is About Much More Than Democracy", - "description": "Democracies can find strength in numbers.", - "content": "Democracies can find strength in numbers.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/06/opinion/biden-democracy-conference.html", - "creator": "Farah Stockman", - "pubDate": "Tue, 07 Dec 2021 00:42:24 +0000", + "title": "With No Deadline Deal, M.L.B.’s Lockout Begins", + "description": "Players and owners continued to negotiate until the final day, but with the sides still far apart, baseball has its first work stoppage since the 1994-95 strike.", + "content": "Players and owners continued to negotiate until the final day, but with the sides still far apart, baseball has its first work stoppage since the 1994-95 strike.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/12/02/sports/baseball/mlb-lockout.html", + "creator": "James Wagner", + "pubDate": "Thu, 02 Dec 2021 18:00:38 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96649,16 +122880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed2aab9ba040a4d1ed107ac9cec0e927" + "hash": "2c9aeb86db96fae5b4bd1eb46cd8e67a" }, { - "title": "Opioids Feel Like Love. That’s Why They’re Deadly in Tough Times.", - "description": "America can’t arrest its way out of a problem caused by the fundamental human need to connect.", - "content": "America can’t arrest its way out of a problem caused by the fundamental human need to connect.", - "category": "Opioids and Opiates", - "link": "https://www.nytimes.com/2021/12/06/opinion/us-opioid-crisis.html", - "creator": "Maia Szalavitz", - "pubDate": "Mon, 06 Dec 2021 10:00:07 +0000", + "title": "Why a Pollster is Warning Democrats About the 2022 Midterm Elections", + "description": "Focus groups with Virginia voters led to a bluntly worded memo on what Democrats need to do going into the midterms.", + "content": "Focus groups with Virginia voters led to a bluntly worded memo on what Democrats need to do going into the midterms.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/us/politics/midterm-election-polls.html", + "creator": "Jonathan Martin", + "pubDate": "Thu, 02 Dec 2021 12:46:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96669,16 +122900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b053648e3d8ea0df153d02db2ea5d311" + "hash": "751329adf6c1ea2ac106111e4362acc4" }, { - "title": "Flash Floods Hit Parts of Hawaii as Storm Lashes Region", - "description": "Urban parts of Honolulu saw significant flooding and loss of power, the authorities said. But heading into Tuesday evening, the state had largely avoided landslides and catastrophic floods.", - "content": "Urban parts of Honolulu saw significant flooding and loss of power, the authorities said. But heading into Tuesday evening, the state had largely avoided landslides and catastrophic floods.", - "category": "Floods", - "link": "https://www.nytimes.com/2021/12/06/us/hawaii-flooding.html", - "creator": "Eduardo Medina and Alyssa Lukpat", - "pubDate": "Wed, 08 Dec 2021 03:21:01 +0000", + "title": "The Life and Legacy of Stephen Sondheim", + "description": "A look at the career of the Broadway songwriting titan who died last week at 91.", + "content": "A look at the career of the Broadway songwriting titan who died last week at 91.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/12/03/podcasts/the-daily/stephen-sondheim.html", + "creator": "Michael Barbaro, Luke Vander Ploeg, Eric Krupke, Chelsea Daniel, Austin Mitchell, Alex Young, Diana Nguyen, Liz O. Baylen, Larissa Anderson, Elisheba Ittoop and Marion Lozano", + "pubDate": "Fri, 03 Dec 2021 11:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96689,16 +122920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c96d96a42ada6d79890b89bdfa3b4d03" + "hash": "e2c2bc976f67ec1cb131fb694c1d9472" }, { - "title": "Ukraine, Omicron, Best Songs of 2021: Your Tuesday Evening Briefing", - "description": "Here’s what you need to know at the end of the day.", - "content": "Here’s what you need to know at the end of the day.", + "title": "Ghislaine Maxwell’s Defense Challenges Ex-Epstein Worker’s Credibility", + "description": "The fifth day of testimony began with a defense lawyer aggressively questioning Jeffrey Epstein’s former house manager. Here’s the latest.", + "content": "The fifth day of testimony began with a defense lawyer aggressively questioning Jeffrey Epstein’s former house manager. Here’s the latest.", "category": "", - "link": "https://www.nytimes.com/2021/12/07/briefing/ukraine-omicron-best-songs-of-2021.html", - "creator": "Remy Tumin", - "pubDate": "Tue, 07 Dec 2021 23:25:16 +0000", + "link": "https://www.nytimes.com/live/2021/12/03/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Fri, 03 Dec 2021 17:41:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96709,16 +122940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "069155b6f7a018259f4096e7fd9b8f02" + "hash": "97f0ab0fa61d2b2be56a39dd32a8bbc7" }, { - "title": "A New Strategy for Prosecuting School Shootings", - "description": "Will the parents of a teenager accused of a school shooting be held accountable for his actions?", - "content": "Will the parents of a teenager accused of a school shooting be held accountable for his actions?", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/07/podcasts/the-daily/michigan-shooting.html", - "creator": "Michael Barbaro, Daniel Guillemette, Sydney Harper, Luke Vander Ploeg, Rachel Quester, Paige Cowett, Brad Fisher and Chris Wood", - "pubDate": "Tue, 07 Dec 2021 11:00:06 +0000", + "title": "The Markets Are Confused, but Wall Street Is Still Making Predictions", + "description": "The emergence of the Omicron variant underlines the difficulty of planning even a few weeks ahead. Wall Street is forecasting next year’s precise market returns, regardless.", + "content": "The emergence of the Omicron variant underlines the difficulty of planning even a few weeks ahead. Wall Street is forecasting next year’s precise market returns, regardless.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/03/business/omicron-stock-market-forecasts.html", + "creator": "Jeff Sommer", + "pubDate": "Fri, 03 Dec 2021 11:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96729,16 +122960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91480fce391d61cf339fa09c89b0bb5e" + "hash": "e2534ff7fbba3a39c8bff915d0e246ce" }, { - "title": "Biden Warns Putin of Economic Consequences if Aggression Continues", - "description": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", - "content": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/world/biden-putin", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 22:08:10 +0000", + "title": "Is the Chance to Turn Hotels Into Affordable Housing Slipping Away?", + "description": "As many of the city’s hotels sat empty during the pandemic and homelessness continued to rise, some saw an opportunity to solve both problems. So what happened?", + "content": "As many of the city’s hotels sat empty during the pandemic and homelessness continued to rise, some saw an opportunity to solve both problems. So what happened?", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/12/03/realestate/affordable-housing-nyc-hotel-conversions.html", + "creator": "Stefanos Chen", + "pubDate": "Fri, 03 Dec 2021 10:00:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96749,16 +122980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "203f44d2087a9fdec16207e481dffd7b" + "hash": "26a1866c23fe638ad1b2fed77f51ea91" }, { - "title": "Surgeon General Warns of Mental Health Crisis Among Young People", - "description": "In a rare public advisory, the top U.S. physician, Dr. Vivek Murthy, noted that the crisis was worsened by the pandemic. Here’s the latest on Covid.", - "content": "In a rare public advisory, the top U.S. physician, Dr. Vivek Murthy, noted that the crisis was worsened by the pandemic. Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/world/covid-omicron-vaccine", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 22:08:10 +0000", + "title": "In Cyprus, Pope’s Plea for Migrants Clashes With Island’s Tensions", + "description": "As he celebrated Mass, Pope Francis urged Cypriots to welcome refugees and embrace their home’s history as a crossroads of cultures. But the government says it is overwhelmed.", + "content": "As he celebrated Mass, Pope Francis urged Cypriots to welcome refugees and embrace their home’s history as a crossroads of cultures. But the government says it is overwhelmed.", + "category": "Middle East and Africa Migrant Crisis", + "link": "https://www.nytimes.com/2021/12/03/world/europe/pope-francis-cyprus-migrants.html", + "creator": "Jason Horowitz", + "pubDate": "Fri, 03 Dec 2021 17:29:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96769,16 +123000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9259c1ebeb6a0b558cad12fc979a59ca" + "hash": "d3ebf6657e7c7c7fc1c5d86bb124ccc4" }, { - "title": "Wall Street’s rally stretches to a second day as Omicron concerns ease.", - "description": "", - "content": "", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/business/news-business-stock-market/wall-streets-rally-stretches-to-a-second-day-as-omicron-concerns-ease", - "creator": "Coral Murphy Marcos", - "pubDate": "Tue, 07 Dec 2021 21:17:11 +0000", + "title": "Alec Baldwin Says He Is Not Responsible for Fatal Shooting on ‘Rust’", + "description": "In an emotional interview with ABC News, the actor asserted, ‘Someone put a live bullet in a gun.’", + "content": "In an emotional interview with ABC News, the actor asserted, ‘Someone put a live bullet in a gun.’", + "category": "Firearms", + "link": "https://www.nytimes.com/2021/12/02/movies/alec-baldwin-interview-rust-shooting.html", + "creator": "Simon Romero, Graham Bowley and Julia Jacobs", + "pubDate": "Fri, 03 Dec 2021 03:35:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96789,16 +123020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "737551d4f15dbeb24ca0af4c25af511e" + "hash": "c568f5a42ffb7fdb01cdade42398f5ff" }, { - "title": "As Omicron Threat Looms, Inflation Limits Fed’s Room to Maneuver", - "description": "The central bank has spent years guarding against economic blows. Now it is in inflation-fighting mode, even as a potential risk emerges.", - "content": "The central bank has spent years guarding against economic blows. Now it is in inflation-fighting mode, even as a potential risk emerges.", - "category": "Inflation (Economics)", - "link": "https://www.nytimes.com/2021/12/07/business/economy/federal-reserve-inflation-omicron.html", - "creator": "Jeanna Smialek", - "pubDate": "Tue, 07 Dec 2021 21:07:14 +0000", + "title": "Ghislaine Maxwell Brought Strict Rules to Epstein Home, Ex-Employee Says", + "description": "“Never look at his eyes,” Ms. Maxwell told workers at Jeffrey Epstein’s Florida estate, according to testimony at her sex-trafficking trial.", + "content": "“Never look at his eyes,” Ms. Maxwell told workers at Jeffrey Epstein’s Florida estate, according to testimony at her sex-trafficking trial.", + "category": "Human Trafficking", + "link": "https://www.nytimes.com/2021/12/02/nyregion/juan-alessi-testimony-ghislaine-maxwell.html", + "creator": "Lola Fadulu", + "pubDate": "Fri, 03 Dec 2021 03:44:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96809,16 +123040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eecd53e54a48a548bf71f7474850ba2c" + "hash": "7e92612b0cfdda5a42f7da60f242f1de" }, { - "title": "Congressional Leaders Reach Deal to Allow Debt Ceiling Increase", - "description": "The legislation would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", - "content": "The legislation would provide a one-time pathway for the Senate to raise the debt ceiling on a simple majority vote, skirting Republican obstruction.", - "category": "Senate", - "link": "https://www.nytimes.com/2021/12/07/us/politics/debt-ceiling-deal-congress.html", - "creator": "Emily Cochrane and Margot Sanger-Katz", - "pubDate": "Tue, 07 Dec 2021 22:05:33 +0000", + "title": "Eitan Biran Is Expected to Return to Italy", + "description": "Eitan Biran, who lost his parents in a cable car crash in Italy this year, had been taken to Israel by his grandfather.", + "content": "Eitan Biran, who lost his parents in a cable car crash in Italy this year, had been taken to Israel by his grandfather.", + "category": "Kidnapping and Hostages", + "link": "https://www.nytimes.com/2021/12/03/world/europe/eitan-biran-israel-italy-return.html", + "creator": "Elisabetta Povoledo", + "pubDate": "Fri, 03 Dec 2021 17:37:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96829,16 +123060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d960078f5b23c7ef89574c47ca5ee39" + "hash": "4121b4bdd37bcd0cb8b0adfd082e08dc" }, { - "title": "House Prepares to Pass $768 Billion Defense Policy Bill", - "description": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", - "content": "Lawmakers tossed out some bipartisan provisions as they rushed to advance the bill, which would increase the Pentagon’s budget by more than what President Biden had requested.", - "category": "Law and Legislation", - "link": "https://www.nytimes.com/2021/12/07/us/politics/defense-budget-democrats-biden.html", - "creator": "Catie Edmondson", - "pubDate": "Tue, 07 Dec 2021 21:46:38 +0000", + "title": "Lamine Diack, Olympics Power Broker Convicted of Taking Bribes, Dies at 88", + "description": "The former head of the world governing body for track and field was convicted of accepting bribes to cover up a Russian doping scandal.", + "content": "The former head of the world governing body for track and field was convicted of accepting bribes to cover up a Russian doping scandal.", + "category": "Bribery and Kickbacks", + "link": "https://www.nytimes.com/2021/12/03/world/africa/lamine-diack-dead.html", + "creator": "Aina J. Khan", + "pubDate": "Fri, 03 Dec 2021 10:25:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96849,16 +123080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0faede8f1ce23e33a3f35456ff2fea1d" + "hash": "76d82d92f59ebbb93c69bc15439d16cb" }, { - "title": "In a Reversal, Meadows Refuses to Cooperate With Jan. 6 Inquiry", - "description": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be interviewed, reversing a commitment he made last week.", - "content": "The former White House chief of staff told the House panel scrutinizing the Capitol attack that he was no longer willing to be interviewed, reversing a commitment he made last week.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/07/us/politics/meadows-cooperate-jan-6.html", - "creator": "Luke Broadwater", - "pubDate": "Tue, 07 Dec 2021 17:04:05 +0000", + "title": "Marilyn Manson Loses a Grammy Nomination, and a Songwriter Gains One", + "description": "The Recording Academy has made various changes to its list for the 64th awards, adding Linda Chorney, whose name appeared on an earlier version of the ballot, back to the competition.", + "content": "The Recording Academy has made various changes to its list for the 64th awards, adding Linda Chorney, whose name appeared on an earlier version of the ballot, back to the competition.", + "category": "Grammy Awards", + "link": "https://www.nytimes.com/2021/12/02/arts/music/grammy-nominations-marilyn-manson-linda-chorney.html", + "creator": "Ben Sisario", + "pubDate": "Thu, 02 Dec 2021 17:35:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96869,16 +123100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7091b409c0a5e3595086defc861e6dd4" + "hash": "5cf37894af9c940e8b3e52b39cd0f56b" }, { - "title": "Ahead of Biden’s Democracy Summit, China Says: We’re Also a Democracy", - "description": "Beijing argues that its system represents a distinctive form of democracy, one that has dealt better than the West with challenges like the pandemic.", - "content": "Beijing argues that its system represents a distinctive form of democracy, one that has dealt better than the West with challenges like the pandemic.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/07/world/asia/china-biden-democracy-summit.html", - "creator": "Keith Bradsher and Steven Lee Myers", - "pubDate": "Tue, 07 Dec 2021 09:50:19 +0000", + "title": "Painter of Elijah Cummings Portrait Finds It’s a Career-Changer", + "description": "The Baltimore artist Jerrell Gibbs was commissioned to paint Maryland’s late Representative. The official portrait will be installed at the U.S. Capitol.", + "content": "The Baltimore artist Jerrell Gibbs was commissioned to paint Maryland’s late Representative. The official portrait will be installed at the U.S. Capitol.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/03/arts/design/jerrell-gibbs-elijah-cummings-portrait.html", + "creator": "Hilarie M. Sheets", + "pubDate": "Fri, 03 Dec 2021 16:34:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96889,16 +123120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd386bbcd750d7ff03c598190941ddcd" + "hash": "049943451542972cc1bf55d50d899356" }, { - "title": "How Many Countries Will Follow the U.S. Official Snub of Beijing’s Olympics?", - "description": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott as the Biden administration has done or not.", - "content": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott as the Biden administration has done or not.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/07/world/asia/us-boycott-beijing-olympics-reaction.html", - "creator": "Steven Lee Myers and Steven Erlanger", - "pubDate": "Tue, 07 Dec 2021 19:46:51 +0000", + "title": "‘Annie Live!’ Review: The Sun, as Always, Came Out", + "description": "NBC’s latest live musical had some gaffes. But after another challenging year, it was a treat to watch talented people sing and dance their way through a hopeful bipartisan fable.", + "content": "NBC’s latest live musical had some gaffes. But after another challenging year, it was a treat to watch talented people sing and dance their way through a hopeful bipartisan fable.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/03/arts/television/annie-live-review.html", + "creator": "Noel Murray", + "pubDate": "Fri, 03 Dec 2021 14:19:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96909,16 +123140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a4ee10aec24cf08a6ae443976f4ab2eb" + "hash": "da463ef5f80d9f3a26483d39c7fdc838" }, { - "title": "Can I Skip Jury Duty Because of Covid Fears?", - "description": "The magazine’s Ethicist columnist on weighing health concerns against civic duty, what to do about workers who had sex on the job — and more.", - "content": "The magazine’s Ethicist columnist on weighing health concerns against civic duty, what to do about workers who had sex on the job — and more.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/07/magazine/jury-duty-covid-fear.html", - "creator": "Kwame Anthony Appiah", - "pubDate": "Tue, 07 Dec 2021 10:00:07 +0000", + "title": "On ‘The NHL on TNT’ Wayne Gretzky Finds Himself as the Rookie", + "description": "Turner Sports, new to hockey, wants to give U.S. fans a better viewing experience, using faster cuts and better camera angles, similar to the TV presentation in Canada.", + "content": "Turner Sports, new to hockey, wants to give U.S. fans a better viewing experience, using faster cuts and better camera angles, similar to the TV presentation in Canada.", + "category": "Hockey, Ice", + "link": "https://www.nytimes.com/2021/12/03/sports/hockey/turner-sports-nhl-tnt-gretzky-bissonnette.html", + "creator": "Jonathan Abrams", + "pubDate": "Fri, 03 Dec 2021 12:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96929,16 +123160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1fb9b05142e34696f30aec4389cce337" + "hash": "2b3634673a486093a09df2dc686202c1" }, { - "title": "We Are Not Going to Run Out of Hypocrisy Anytime Soon", - "description": "Yet another school shooting, the Supreme Court argument over Roe and much else in American life gives us pause.", - "content": "Yet another school shooting, the Supreme Court argument over Roe and much else in American life gives us pause.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/06/opinion/michigan-roe-dole.html", - "creator": "Gail Collins and Bret Stephens", - "pubDate": "Mon, 06 Dec 2021 10:00:11 +0000", + "title": "Oh, to Be Mentored by Virgil Abloh", + "description": "The designer made it his mission to foster the talents of young creators.", + "content": "The designer made it his mission to foster the talents of young creators.", + "category": "Abloh, Virgil", + "link": "https://www.nytimes.com/2021/12/02/style/virgil-abloh-mentorship.html", + "creator": "Anna P. Kambhampaty", + "pubDate": "Thu, 02 Dec 2021 08:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96949,16 +123180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cfda915a9504a98970341a4cb55f821b" + "hash": "2ef788dcac2b684a310d6583e121a76e" }, { - "title": "Helping the Homeless", - "description": "Why it’s so difficult to find viable solutions for California’s homelessness crisis.", - "content": "Why it’s so difficult to find viable solutions for California’s homelessness crisis.", - "category": "Homeless Persons", - "link": "https://www.nytimes.com/2021/12/06/opinion/california-homelessness-crisis.html", - "creator": "Jay Caspian Kang", - "pubDate": "Mon, 06 Dec 2021 20:13:33 +0000", + "title": "Three Great Documentaries to Stream", + "description": "A look at standout nonfiction films, from classics to overlooked recent works, that will reward your time.", + "content": "A look at standout nonfiction films, from classics to overlooked recent works, that will reward your time.", + "category": "Documentary Films and Programs", + "link": "https://www.nytimes.com/2021/12/02/movies/streaming-documentaries.html", + "creator": "Ben Kenigsberg", + "pubDate": "Thu, 02 Dec 2021 20:20:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96969,16 +123200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "297aa0c64afb9029e81d2fc08468dce8" + "hash": "47cdcfe6914385139a1f0e1ba583e306" }, { - "title": "Readers Share What They’re Grateful For", - "description": "Giving thanks for everything from stents to foliage to a musical dog.", - "content": "Giving thanks for everything from stents to foliage to a musical dog.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/06/opinion/christmas-thanksgiving-spirit.html", - "creator": "Peter Coy", - "pubDate": "Mon, 06 Dec 2021 23:49:44 +0000", + "title": "November Jobs Report Expected to Show Another Month of Healthy Gains", + "description": "The trajectory of the economy as the holidays approach and a tumultuous year nears its end will come into focus as the government releases new data. The emergence of the Omicron variant threatens some employment gains, but it is too soon to gauge the risk to the economy. Here’s the latest.", + "content": "The trajectory of the economy as the holidays approach and a tumultuous year nears its end will come into focus as the government releases new data. The emergence of the Omicron variant threatens some employment gains, but it is too soon to gauge the risk to the economy. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/03/business/jobs-report-stock-market", + "creator": "The New York Times", + "pubDate": "Fri, 03 Dec 2021 10:58:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -96989,16 +123220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cf75a7927926489f2c2702c5476b3db4" + "hash": "12a7bb7c45cfc7acd0e4cbfa6a77287a" }, { - "title": "Heeding Warning Signs Before School Shootings", - "description": "Readers criticize the school’s decision to allow Ethan Crumbley back into class, and the nation’s gun laws. Also: Chris Cuomo; gender-neutral in French; happiness.", - "content": "Readers criticize the school’s decision to allow Ethan Crumbley back into class, and the nation’s gun laws. Also: Chris Cuomo; gender-neutral in French; happiness.", - "category": "Oxford Charter Township, Mich, Shooting (2021)", - "link": "https://www.nytimes.com/2021/12/06/opinion/letters/oxford-michigan-shooting.html", - "creator": "", - "pubDate": "Mon, 06 Dec 2021 17:44:31 +0000", + "title": "Will New Yorkers Continue With Outdoor Dining This Winter?", + "description": "Frigid weather, a new coronavirus variant and indoor service will put outdoor dining to the test this winter.", + "content": "Frigid weather, a new coronavirus variant and indoor service will put outdoor dining to the test this winter.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/12/02/dining/new-york-winter-outdoor-dining.html", + "creator": "Victoria Petersen", + "pubDate": "Thu, 02 Dec 2021 18:36:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97009,16 +123240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "82bc600258d483814c94290674dba697" + "hash": "7cc9c845a9c90fd6a22f13b1e2e531f9" }, { - "title": "Inside Tesla: How Elon Musk Pushed His Vision for Autopilot", - "description": "The automaker may have undermined safety in designing its Autopilot driver-assistance system to fit its chief executive’s vision, former employees say.", - "content": "The automaker may have undermined safety in designing its Autopilot driver-assistance system to fit its chief executive’s vision, former employees say.", - "category": "Tesla Motors Inc", - "link": "https://www.nytimes.com/2021/12/06/technology/tesla-autopilot-elon-musk.html", - "creator": "Cade Metz and Neal E. Boudette", - "pubDate": "Mon, 06 Dec 2021 10:00:24 +0000", + "title": "Travelers to U.S.: Can They Get Their Tests Back in Time?", + "description": "New travel restrictions announced on Thursday by the White House over fears of the spread of the Omicron variant have many worrying that their trips may not happen.", + "content": "New travel restrictions announced on Thursday by the White House over fears of the spread of the Omicron variant have many worrying that their trips may not happen.", + "category": "Tests (Medical)", + "link": "https://www.nytimes.com/2021/12/02/world/europe/omicron-travel-restrictions-united-states.html", + "creator": "Mark Landler", + "pubDate": "Thu, 02 Dec 2021 22:55:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97029,16 +123260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a1be60c020f1c3de24fdb144d3b19fa" + "hash": "1d9e7e389fe557b2583906c2a1cd8b30" }, { - "title": "Why New York Is Unearthing a Brook It Buried a Century Ago", - "description": "A plan to “daylight” Tibbetts Brook in the Bronx would be one of the city’s most ambitious green infrastructure improvements.", - "content": "A plan to “daylight” Tibbetts Brook in the Bronx would be one of the city’s most ambitious green infrastructure improvements.", - "category": "Floods", - "link": "https://www.nytimes.com/2021/12/06/nyregion/tibbets-brook-bronx-daylighting.html", - "creator": "Winnie Hu and James Thomas", - "pubDate": "Mon, 06 Dec 2021 10:00:21 +0000", + "title": "Thefts, Always an Issue for Retailers, Become More Brazen", + "description": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", + "content": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/12/03/business/retailers-robberies-theft.html", + "creator": "Michael Corkery and Sapna Maheshwari", + "pubDate": "Fri, 03 Dec 2021 10:43:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97049,16 +123280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2159a944cbf9bbc05145c849a055d589" + "hash": "579ec50899a1af5633b6834d15edeadc" }, { - "title": "Urea Shortage Is Felt Around the World", - "description": "Farmers in India are desperate. Trucks in South Korea had to be idled. Food prices, already high, could rise even further.", - "content": "Farmers in India are desperate. Trucks in South Korea had to be idled. Food prices, already high, could rise even further.", - "category": "Agriculture and Farming", - "link": "https://www.nytimes.com/2021/12/06/business/urea-fertilizer-food-prices.html", - "creator": "Raymond Zhong", - "pubDate": "Mon, 06 Dec 2021 14:35:07 +0000", + "title": "Government Shutdown Averted as Congress Passes Spending Bill", + "description": "The vote to fund the government through mid-February came after lawmakers staved off a Republican threat to force a shutdown over vaccine mandates.", + "content": "The vote to fund the government through mid-February came after lawmakers staved off a Republican threat to force a shutdown over vaccine mandates.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/us/politics/government-shutdown-congress-spending-deal.html", + "creator": "Emily Cochrane", + "pubDate": "Fri, 03 Dec 2021 03:24:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97069,16 +123300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c80841560fec5361dd347dd01b3209a" + "hash": "8b1b3ed4e2e608d08ae3558aaa562eea" }, { - "title": "Justice Department Closes Emmett Till Investigation Without Charges", - "description": "The department said it could not corroborate a book’s claim that a central witness had recanted her statements about Emmett, a Black teenager killed by two white men in 1955.", - "content": "The department said it could not corroborate a book’s claim that a central witness had recanted her statements about Emmett, a Black teenager killed by two white men in 1955.", - "category": "Donham, Carolyn Bryant", - "link": "https://www.nytimes.com/2021/12/06/us/emmett-till-investigation-closed.html", - "creator": "Audra D. S. Burch and Tariro Mzezewa", - "pubDate": "Mon, 06 Dec 2021 23:20:46 +0000", + "title": "Governor Steve Bullock Warns: Democrats Face Trouble in Rural America", + "description": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", + "content": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", + "category": "Midterm Elections (2022)", + "link": "https://www.nytimes.com/2021/12/03/opinion/democrats-rural-america-midterms.html", + "creator": "Steve Bullock", + "pubDate": "Fri, 03 Dec 2021 10:02:41 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97089,16 +123320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "99e2b61dd52fdeb465ae6f7203ee8279" + "hash": "effc719d0eb805c94d1584cce0d59960" }, { - "title": "Best Movies of 2021", - "description": "Even when a film wasn’t great, filmgoing was. But there were some truly wonderful releases, ranging from music docs and musicals to westerns and the just plain weird.", - "content": "Even when a film wasn’t great, filmgoing was. But there were some truly wonderful releases, ranging from music docs and musicals to westerns and the just plain weird.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/06/movies/best-movies.html", - "creator": "A.O. Scott and Manohla Dargis", - "pubDate": "Mon, 06 Dec 2021 11:25:08 +0000", + "title": "The World Is Lifting Abortion Restrictions. Why Is the U.S. Moving Against the Tide?", + "description": "The trend is towards liberalizing reproductive freedom, not repressing it. ", + "content": "The trend is towards liberalizing reproductive freedom, not repressing it. ", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/opinion/abortion-restrictions-roe-wade-usa.html", + "creator": "Mary Fitzgerald", + "pubDate": "Thu, 02 Dec 2021 21:08:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97109,16 +123340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e24365f654e5e0b7616027d0d970026" + "hash": "52cfde1fa5322ff1029d8ec4146ff452" }, { - "title": "Do Tests Work on the Omicron Variant and Other Questions, Answered", - "description": "And experts’ answers.", - "content": "And experts’ answers.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/07/briefing/omicron-variant-need-to-know.html", - "creator": "David Leonhardt", - "pubDate": "Tue, 07 Dec 2021 11:32:57 +0000", + "title": "The Supreme Court Wrestles With Abortion", + "description": "Charles M. Blow, Ross Douthat, Lulu Garcia-Navarro and Michelle Goldberg agree on one thing after oral arguments: It’s not looking good for Roe.   ", + "content": "Charles M. Blow, Ross Douthat, Lulu Garcia-Navarro and Michelle Goldberg agree on one thing after oral arguments: It’s not looking good for Roe.   ", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/01/opinion/abortion-supreme-court-dobbs-roe-wade.html", + "creator": "Charles M. Blow, Ross Douthat, Michelle Goldberg and Lulu Garcia-Navarro", + "pubDate": "Thu, 02 Dec 2021 12:33:38 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97129,16 +123360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f869c8fccadabde4d0d115b72f6eb3a3" + "hash": "46335208f929af1311b6fa6f1e96ed24" }, { - "title": "How Is the Pandemic Reshaping New York City’s Cultural Landscape?", - "description": "Join playwright Lynn Nottage, artist Laurie Anderson and writer Sarah Schulman in a virtual event on Dec. 9 to explore the current recovery through the lens of previous eras of cultural resurrection.", - "content": "Join playwright Lynn Nottage, artist Laurie Anderson and writer Sarah Schulman in a virtual event on Dec. 9 to explore the current recovery through the lens of previous eras of cultural resurrection.", - "category": "Coronavirus Reopenings", - "link": "https://www.nytimes.com/2021/11/16/nyregion/new-york-city-arts-post-covid.html", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 20:50:16 +0000", + "title": "How to Store Your Covid Vaccine Card or Test Results on Your Phone", + "description": "To plan for safe travels and gatherings this holiday season, here are some simple ways to take your Covid-related health data with you.", + "content": "To plan for safe travels and gatherings this holiday season, here are some simple ways to take your Covid-related health data with you.", + "category": "Coronavirus Risks and Safety Concerns", + "link": "https://www.nytimes.com/2021/12/01/technology/personaltech/covid-vaccination-card-phone.html", + "creator": "Brian X. Chen", + "pubDate": "Wed, 01 Dec 2021 10:00:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97149,16 +123380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "23fda9c5a98ea8f9f781cb3a8d7cde0c" + "hash": "29ee983cb54461fba6976ffd1feb1bc0" }, { - "title": "Third Accuser Says Maxwell Facilitated Years of Abuse By Epstein", - "description": "A woman identified as “Carolyn” said she was underage when Ghislaine Maxwell began booking her to give sexual massages to Jeffrey Epstein. Follow updates here.", - "content": "A woman identified as “Carolyn” said she was underage when Ghislaine Maxwell began booking her to give sexual massages to Jeffrey Epstein. Follow updates here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 18:40:47 +0000", + "title": "Republican Recriminations Point to a Rocky Path to a House Majority", + "description": "Simmering tensions between the far-right flank and more traditional conservatives burst into the open on Tuesday, while Republican leaders stayed silent.", + "content": "Simmering tensions between the far-right flank and more traditional conservatives burst into the open on Tuesday, while Republican leaders stayed silent.", + "category": "Republican Party", + "link": "https://www.nytimes.com/2021/11/30/us/politics/boebert-greene-mace.html", + "creator": "Jonathan Weisman", + "pubDate": "Wed, 01 Dec 2021 01:57:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97169,16 +123400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "49d27518ad15459d0262e764b1e5eae6" + "hash": "6babb20951d8ff56cb015245f3aa8772" }, { - "title": "Business Updates: Publisher Pulls Chris Cuomo’s Upcoming Book", - "description": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", - "content": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 22:04:21 +0000", + "title": "The Guccis Are Really Not Happy About ‘House of Gucci’", + "description": "When artistic license collides with reality, which one wins?", + "content": "When artistic license collides with reality, which one wins?", + "category": "Fashion and Apparel", + "link": "https://www.nytimes.com/2021/11/30/style/guccis-criticize-house-of-gucci.html", + "creator": "Vanessa Friedman", + "pubDate": "Tue, 30 Nov 2021 10:00:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97189,16 +123420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11688bc7e72bd2e8426be939d9353a66" + "hash": "0a31bf1939da4c626701cbca1b5fd91f" }, { - "title": "Chile Legalizes Same-Sex Marriage at Fraught Political Moment", - "description": "The legalization of same-sex marriage in Chile comes as the country grapples with sweeping demands for social change.", - "content": "The legalization of same-sex marriage in Chile comes as the country grapples with sweeping demands for social change.", - "category": "Homosexuality and Bisexuality", - "link": "https://www.nytimes.com/2021/12/07/world/americas/chile-gay-marriage.html", - "creator": "Pascale Bonnefoy and Ernesto Londoño", - "pubDate": "Tue, 07 Dec 2021 18:30:28 +0000", + "title": "Jake Sullivan, Biden's Adviser, Long a Figure of Fascination", + "description": "Washington has long been captivated by fallen star narratives, which has made President Biden’s national security adviser a figure of fascination, somewhere between sympathy and schadenfreude.", + "content": "Washington has long been captivated by fallen star narratives, which has made President Biden’s national security adviser a figure of fascination, somewhere between sympathy and schadenfreude.", + "category": "Sullivan, Jacob J (1976- )", + "link": "https://www.nytimes.com/2021/11/30/us/politics/jake-sullivan-biden.html", + "creator": "Mark Leibovich", + "pubDate": "Tue, 30 Nov 2021 10:00:22 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97209,16 +123440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4f8da1bccf204a851c4d2038e5c772e1" + "hash": "859d73f4566d0245e64259a83e1bc178" }, { - "title": "Kellogg Workers Prolong Strike by Rejecting Contract Proposal", - "description": "About 1,400 workers have been on strike since Oct. 5 at four Kellogg cereal plants in the United States over a dispute that has revolved around the company’s two-tier compensation structure.", - "content": "About 1,400 workers have been on strike since Oct. 5 at four Kellogg cereal plants in the United States over a dispute that has revolved around the company’s two-tier compensation structure.", - "category": "Strikes", - "link": "https://www.nytimes.com/2021/12/07/business/kellogg-workers-strike.html", - "creator": "Noam Scheiber", - "pubDate": "Tue, 07 Dec 2021 17:07:59 +0000", + "title": "Was She Just Another Nicely Packaged Pain Delivery System?", + "description": "I had been burned too badly to believe in love. And yet, believe I did.", + "content": "I had been burned too badly to believe in love. And yet, believe I did.", + "category": "Love (Emotion)", + "link": "https://www.nytimes.com/2021/12/03/style/modern-love-nicely-packaged-pain-delivery-system.html", + "creator": "Judith Fetterley", + "pubDate": "Fri, 03 Dec 2021 05:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97229,16 +123460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e709b1869a3e443e7451ecc77523bae" + "hash": "1c0fee8eca5c86497a90d59920381ef1" }, { - "title": "Charlottesville’s Statue of Robert E. Lee Will Be Melted Down", - "description": "The statue was the focus of a deadly white nationalist rally in 2017. A local African American heritage center plans to turn it into a new piece of public art.", - "content": "The statue was the focus of a deadly white nationalist rally in 2017. A local African American heritage center plans to turn it into a new piece of public art.", - "category": "Charlottesville, Va, Violence (August, 2017)", - "link": "https://www.nytimes.com/2021/12/07/us/robert-e-lee-statue-melt-charlottesville.html", - "creator": "Eduardo Medina", - "pubDate": "Tue, 07 Dec 2021 21:27:31 +0000", + "title": "A Synagogue Feud Spills Into Public View: ‘Only Room for One Rabbi’", + "description": "Rabbi Arthur Schneier abruptly fired Rabbi Benjamin Goldschmidt from Park East Synagogue, and long-simmering tensions publicly exploded in a way rabbinic rivalries rarely do.", + "content": "Rabbi Arthur Schneier abruptly fired Rabbi Benjamin Goldschmidt from Park East Synagogue, and long-simmering tensions publicly exploded in a way rabbinic rivalries rarely do.", + "category": "Synagogues", + "link": "https://www.nytimes.com/2021/12/03/nyregion/park-east-synagogue-rabbi.html", + "creator": "Liam Stack", + "pubDate": "Fri, 03 Dec 2021 10:00:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97249,16 +123480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d2b7c341c2cf4cb4c598ee0ef293a79f" + "hash": "9517e4ffaeb57c4cfd1d3376ee4e0f8a" }, { - "title": "A New Tesla Safety Concern: Drivers Can Play Video Games in Moving Cars", - "description": "The feature raises fresh questions about whether Tesla is compromising safety as it rushes to add new technologies.", - "content": "The feature raises fresh questions about whether Tesla is compromising safety as it rushes to add new technologies.", - "category": "Driver Distraction and Fatigue", - "link": "https://www.nytimes.com/2021/12/07/business/tesla-video-game-driving.html", - "creator": "Neal E. Boudette", - "pubDate": "Tue, 07 Dec 2021 17:33:45 +0000", + "title": "Putting Principles Before Profits, Steve Simon Takes a Stand", + "description": "The WTA chief has spent years in tennis working quietly to put players first. Suspending tournaments in China over the treatment of star Peng Shuai has made him the most talked-about leader in sports.", + "content": "The WTA chief has spent years in tennis working quietly to put players first. Suspending tournaments in China over the treatment of star Peng Shuai has made him the most talked-about leader in sports.", + "category": "Tennis", + "link": "https://www.nytimes.com/2021/12/02/sports/tennis/steve-simon-peng-shuai-wta.html", + "creator": "Matthew Futterman", + "pubDate": "Fri, 03 Dec 2021 00:43:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97269,16 +123500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "64cf2cb8dbfa590481f32b186a980a60" + "hash": "f6c75474b6704470bb1d4c916eb5dc90" }, { - "title": "Women Earn $2 Million Less Than Men in Their Careers as Doctors", - "description": "A survey of more than 80,000 physicians estimated that women make 25 percent less than men over a 40-year career.", - "content": "A survey of more than 80,000 physicians estimated that women make 25 percent less than men over a 40-year career.", - "category": "Wages and Salaries", - "link": "https://www.nytimes.com/2021/12/06/health/women-doctors-salary-pay-gap.html", - "creator": "Azeen Ghorayshi", - "pubDate": "Mon, 06 Dec 2021 21:00:07 +0000", + "title": "After a Bungled Theft of Navy’s Mascot Draws Fire, Goatnappers Strike Again", + "description": "Leaders of the nation’s military academies say swiping one another’s mascot animals is strictly forbidden, but that hasn’t seemed to deter glory-seeking raiders.", + "content": "Leaders of the nation’s military academies say swiping one another’s mascot animals is strictly forbidden, but that hasn’t seemed to deter glory-seeking raiders.", + "category": "United States Military Academy", + "link": "https://www.nytimes.com/2021/12/03/us/west-point-cadets-goats-theft.html", + "creator": "Dave Philipps", + "pubDate": "Fri, 03 Dec 2021 10:00:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97289,16 +123520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c5084fff9479ad83c5b9f33d7b8e92b0" + "hash": "56d4633223944eef39d34b1962ed6f0b" }, { - "title": "A Monument to the Lives of Black Women and Girls", - "description": "“The Black Girlhood Altar” began as a community project fueled by collective grief. Now it’s on display at the Museum of Contemporary Art Chicago.", - "content": "“The Black Girlhood Altar” began as a community project fueled by collective grief. Now it’s on display at the Museum of Contemporary Art Chicago.", - "category": "Monuments and Memorials (Structures)", - "link": "https://www.nytimes.com/2021/12/07/style/black-girlhood-altar-chicago-monument.html", - "creator": "Gina Cherelus", - "pubDate": "Tue, 07 Dec 2021 15:44:30 +0000", + "title": "Why the Supply Chain Crisis Does Not Affect These Businesses", + "description": "Focusing on local parts and production, some manufacturers have been rewarded during the pandemic.", + "content": "Focusing on local parts and production, some manufacturers have been rewarded during the pandemic.", + "category": "Ships and Shipping", + "link": "https://www.nytimes.com/2021/12/03/nyregion/supply-chain-crisis-nyc.html", + "creator": "Alyson Krueger", + "pubDate": "Fri, 03 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97309,16 +123540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "156ccec3f767cb9e523108c63970b0ec" + "hash": "13d4eca0f4fcf9ce051e720e6e585e05" }, { - "title": "Restaurant Review: Aunts et Uncles in Flatbush, Brooklyn", - "description": "Plant-based menus have become the new hubs of culinary creativity, and this bright all-day cafe offers plenty.", - "content": "Plant-based menus have become the new hubs of culinary creativity, and this bright all-day cafe offers plenty.", - "category": "Restaurants", - "link": "https://www.nytimes.com/2021/12/07/dining/aunts-et-uncles-review-vegan-restaurant-brooklyn.html", - "creator": "Pete Wells", - "pubDate": "Tue, 07 Dec 2021 16:30:23 +0000", + "title": "Court in Philippines Allows Maria Ressa to Travel to Norway for Nobel", + "description": "The decision came after days of growing international pressure on the government to allow the journalist to attend the ceremony in Norway.", + "content": "The decision came after days of growing international pressure on the government to allow the journalist to attend the ceremony in Norway.", + "category": "Philippines", + "link": "https://www.nytimes.com/2021/12/03/world/asia/maria-ressa-nobel-peace-prize.html", + "creator": "Sui-Lee Wee", + "pubDate": "Fri, 03 Dec 2021 09:53:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97329,16 +123560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0f835f53971681be06a74287beb7f865" + "hash": "95d20bf29560900f8ff358be3b21fc48" }, { - "title": "An Apartment in the Big City, at Wisconsin Prices", - "description": "After living in Madison for six years, they were ready for a change. But they never dreamed they would find a place so close to New York City.", - "content": "After living in Madison for six years, they were ready for a change. But they never dreamed they would find a place so close to New York City.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/12/06/realestate/renters-hoboken-new-jersey.html", - "creator": "Marian Bull", - "pubDate": "Mon, 06 Dec 2021 10:00:12 +0000", + "title": "Police Arrest Suspect in Fatal Shooting of Jacqueline Avant, Philanthropist and Wife of Clarence Avant", + "description": "About an hour after Jacqueline Avant was killed, the police arrested a man after he accidentally shot himself in the foot while burglarizing a home in Hollywood.", + "content": "About an hour after Jacqueline Avant was killed, the police arrested a man after he accidentally shot himself in the foot while burglarizing a home in Hollywood.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/12/02/us/jacqueline-avant-shooting-suspect.html", + "creator": "Michael Levenson", + "pubDate": "Thu, 02 Dec 2021 22:10:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97349,16 +123580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "beb7cc7cfb7fe3f5f69d987e6cb1475c" + "hash": "ce6589c0e032384b5d26040de7e7325f" }, { - "title": "Joaquina Kalukango and Amanda Williams on Creative Freedom", - "description": "The ‘Slave Play’ actress and the Chicago-based artist discuss generational gaps, success and the art that brought them each acclaim.", - "content": "The ‘Slave Play’ actress and the Chicago-based artist discuss generational gaps, success and the art that brought them each acclaim.", - "category": "holiday issue 2021", - "link": "https://www.nytimes.com/2021/11/29/t-magazine/joaquina-kalukango-amanda-williams.html", - "creator": "Nneka McGuire", - "pubDate": "Tue, 30 Nov 2021 15:55:23 +0000", + "title": "More Sept. 11 Victims Who Sued the Taliban Want Frozen Afghan Funds", + "description": "The Biden administration was set to tell a court on Friday what it thinks should happen, but obtained a delay until Jan. 28.", + "content": "The Biden administration was set to tell a court on Friday what it thinks should happen, but obtained a delay until Jan. 28.", + "category": "Suits and Litigation (Civil)", + "link": "https://www.nytimes.com/2021/12/02/us/politics/9-11-families-taliban-funds.html", + "creator": "Charlie Savage", + "pubDate": "Fri, 03 Dec 2021 01:19:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97369,16 +123600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6353ae2615229c6476c581ff06aee2b" + "hash": "99d231a26936db2b102a96ab0dab81c7" }, { - "title": "Biden and Putin Conclude Talks as Ukraine Conflict Simmers", - "description": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", - "content": "President Biden spoke with President Vladimir Putin of Russia in a high-stakes diplomatic effort to de-escalate a crisis over Ukraine. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/world/biden-putin", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 17:38:33 +0000", + "title": "Are Mammograms Worthwhile for Older Women?", + "description": "Some might be better off not knowing they have breast cancer because they are likely to die of other causes long before breast cancer would threaten their health.", + "content": "Some might be better off not knowing they have breast cancer because they are likely to die of other causes long before breast cancer would threaten their health.", + "category": "Mammography", + "link": "https://www.nytimes.com/2020/08/17/well/live/mammograms-older-women.html", + "creator": "Jane E. Brody", + "pubDate": "Tue, 17 Aug 2021 11:18:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97389,16 +123620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "567a3fd8c135932e157dd5b3eab5a8fd" + "hash": "fc0bf782d5f387ccc905723c4fe88aa3" }, { - "title": "Early Omicron Reports Say Illness May Be Less Severe", - "description": "Researchers in South Africa, where the variant is spreading quickly, say it may cause less serious Covid cases than other forms of the virus, but it is unclear whether that will hold true.", - "content": "Researchers in South Africa, where the variant is spreading quickly, say it may cause less serious Covid cases than other forms of the virus, but it is unclear whether that will hold true.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/06/world/africa/omicron-coronavirus-research-spread.html", - "creator": "Lynsey Chutel, Richard Pérez-Peña and Emily Anthes", - "pubDate": "Mon, 06 Dec 2021 23:52:23 +0000", + "title": "How to Recognize and Treat Perimenopause Symptoms", + "description": "We break down the signs, causes and treatment options for five common symptoms.", + "content": "We break down the signs, causes and treatment options for five common symptoms.", + "category": "Estrogen", + "link": "https://www.nytimes.com/2021/04/29/well/perimenopause-menopause-symptoms.html", + "creator": "Dani Blum and Monica Garwood", + "pubDate": "Tue, 11 May 2021 14:14:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97409,16 +123640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b658b8cb64604ed2585dba4302c45d84" + "hash": "c00d283d3c53d0ae7d593482560cfd3a" }, { - "title": "On the Banks of the Furious Congo River, a 5-Star Emporium of Ambition", - "description": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", - "content": "As the clean energy revolution upends the centuries-long lock of fossil fuels on the global economy, dealmakers and hustlers converge on the Fleuve Congo Hotel.", - "category": "Mines and Mining", - "link": "https://www.nytimes.com/2021/12/07/world/congo-cobalt-investor-hotel.html", - "creator": "Dionne Searcey, Eric Lipton, Michael Forsythe and Ashley Gilbertson", - "pubDate": "Tue, 07 Dec 2021 10:00:29 +0000", + "title": "When to Start With a Gynecologist?", + "description": "Cervical cancer screening starts at age 21. But there are reasons to start seeing a gynecologist earlier. ", + "content": "Cervical cancer screening starts at age 21. But there are reasons to start seeing a gynecologist earlier. ", + "category": "Menstruation", + "link": "https://www.nytimes.com/2019/01/10/well/live/when-to-start-with-a-gynecologist.html", + "creator": "Jen Gunter", + "pubDate": "Thu, 10 Jan 2019 14:10:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97429,16 +123660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a99b114d7a7471c6a1049f643771fc4" + "hash": "b1947fa30c4514a5a02e1c8dc83ba9d8" }, { - "title": "Meet the Sheriff Who Wants to Put Andrew Cuomo Behind Bars", - "description": "Craig D. Apple Sr. is known among some fellow Democrats as the “Teflon sheriff” for his ability to persevere, even thrive, through trouble that might tarnish less adept politicians.", - "content": "Craig D. Apple Sr. is known among some fellow Democrats as the “Teflon sheriff” for his ability to persevere, even thrive, through trouble that might tarnish less adept politicians.", - "category": "Apple, Craig D", - "link": "https://www.nytimes.com/2021/12/07/nyregion/sheriff-apple-cuomo-albany.html", - "creator": "Dana Rubinstein, Grace Ashford and Jane Gottlieb", - "pubDate": "Tue, 07 Dec 2021 16:42:40 +0000", + "title": "How Egg Freezing Went Mainstream", + "description": "Men could easily freeze their sperm since the 1970s. So why did it take so long to figure out how to successfully freeze a woman’s eggs?", + "content": "Men could easily freeze their sperm since the 1970s. So why did it take so long to figure out how to successfully freeze a woman’s eggs?", + "category": "Egg Donation and Freezing", + "link": "https://www.nytimes.com/2020/04/17/parenting/fertility/egg-freezing.html", + "creator": "Molly Elizalde", + "pubDate": "Fri, 17 Apr 2020 14:38:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97449,16 +123680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ae5ebf5af08f61d8419e747039d41ed" + "hash": "aabe14fccc1e4a28c25ee57da9115f74" }, { - "title": "Can Olaf Scholz, Germany’s New Chancellor, Revive the Left in Europe?", - "description": "Olaf Scholz wants to win back workers who defected to the populist far right. Success could make him a model for Social Democrats everywhere.", - "content": "Olaf Scholz wants to win back workers who defected to the populist far right. Success could make him a model for Social Democrats everywhere.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/07/world/europe/germany-olaf-scholz-chancellor.html", - "creator": "Katrin Bennhold", - "pubDate": "Tue, 07 Dec 2021 05:50:08 +0000", + "title": "Protecting Your Birth: A Guide For Black Mothers", + "description": "How racism can impact your pre- and postnatal care — and advice for speaking to your Ob-Gyn about it.", + "content": "How racism can impact your pre- and postnatal care — and advice for speaking to your Ob-Gyn about it.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/article/black-mothers-birth.html", + "creator": "Erica Chidi and Erica P. Cahill, M.D.", + "pubDate": "Thu, 22 Oct 2020 19:03:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97469,16 +123700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "73bdbca9f12fab63c566c31502ad4590" + "hash": "0f520dcc7551222719e637f6476fc25f" }, { - "title": "How Many Countries Will Follow the U.S. Boycott of Beijing’s Olympics?", - "description": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott or not.", - "content": "Several have signaled that they will find ways to protest China’s human rights abuses, whether they declare a diplomatic boycott or not.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/07/world/asia/us-boycott-beijing-olympics-reaction.html", - "creator": "Steven Lee Myers and Steven Erlanger", - "pubDate": "Tue, 07 Dec 2021 13:03:20 +0000", + "title": "For Andy Warhol, Faith and Sexuality Intertwined", + "description": "The Brooklyn Museum shows how Catholicism seeped into his art, complicating our view of the Pop master.", + "content": "The Brooklyn Museum shows how Catholicism seeped into his art, complicating our view of the Pop master.", + "category": "Art", + "link": "https://www.nytimes.com/2021/12/02/arts/design/warhol-religion-museum-review-catholic.html", + "creator": "Karen Rosenberg", + "pubDate": "Thu, 02 Dec 2021 15:42:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97489,16 +123720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b738098351e176c40b39a006e00bd456" + "hash": "c425a1a4477defd9cab2c5596bccd35b" }, { - "title": "Business Updates: Natural Gas Prices Sink in Sign of Hope for Heating Bills", - "description": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", - "content": "Adam Mosseri, the head of the company, is expected to face questions from lawmakers this week about whether social media harms children.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/07/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 18:40:47 +0000", + "title": "NFL Week 13 Predictions: Odds and Picks Against the Spread", + "description": "Kansas City looks to gain separation in the tight A.F.C. West, and the Bills will try to retake the A.F.C. East from the Patriots.", + "content": "Kansas City looks to gain separation in the tight A.F.C. West, and the Bills will try to retake the A.F.C. East from the Patriots.", + "category": "Football", + "link": "https://www.nytimes.com/2021/12/02/sports/football/nfl-week-13-picks.html", + "creator": "Emmanuel Morgan", + "pubDate": "Fri, 03 Dec 2021 08:19:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97509,16 +123740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "71089fe497b2578800ad6fd1d1c2d3a1" + "hash": "a8079ddb3cff38971001ef10619c634b" }, { - "title": "Ethiopia Says It Recaptured 2 Strategic Towns From Tigray Rebels", - "description": "The government said it took back the towns of Dessie and Kombolcha, the latest in a string of wins Prime Minister Abiy Ahmed has claimed in recent days.", - "content": "The government said it took back the towns of Dessie and Kombolcha, the latest in a string of wins Prime Minister Abiy Ahmed has claimed in recent days.", - "category": "Ethiopia", - "link": "https://www.nytimes.com/2021/12/07/world/africa/ethiopia-tigray-civil-war.html", - "creator": "Abdi Latif Dahir", - "pubDate": "Tue, 07 Dec 2021 14:55:32 +0000", + "title": "For Parents, a Lifeline in Unemployment", + "description": "Readjusting to their households’ needs, New Yorkers out of work found “there will be people who will help you.”", + "content": "Readjusting to their households’ needs, New Yorkers out of work found “there will be people who will help you.”", + "category": "New York Times Neediest Cases Fund", + "link": "https://www.nytimes.com/2021/12/02/neediest-cases/for-parents-a-lifeline-in-unemployment.html", + "creator": "Emma Grillo", + "pubDate": "Thu, 02 Dec 2021 19:21:41 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97529,16 +123760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d28950aa6247fc6e8104f79890e10b3f" + "hash": "29fc536621f94991613b801e03ee0824" }, { - "title": "Are My Allergies All in My Head?", - "description": "Allergies exist. But emotional factors can make them better or worse.", - "content": "Allergies exist. But emotional factors can make them better or worse.", - "category": "Allergies", - "link": "https://www.nytimes.com/2019/03/29/well/mind/allergies-symptoms-emotions-psychology.html", - "creator": "Richard Klasco, M.D.", - "pubDate": "Fri, 29 Mar 2019 09:00:01 +0000", + "title": "Trevor Noah Says Omicron Might Not Be So Bad", + "description": "Noah said that new strains are like streaming new TV shows: “You gotta stick with it the first couple of weeks and see where it goes.”", + "content": "Noah said that new strains are like streaming new TV shows: “You gotta stick with it the first couple of weeks and see where it goes.”", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/03/arts/television/trevor-noah-omicron-like-a-new-tv-show.html", + "creator": "Trish Bendix", + "pubDate": "Fri, 03 Dec 2021 07:14:48 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97549,16 +123780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a6094e568858f1de0fc8b58ac97d074" + "hash": "47418bfa50d4a475a58d0caf3ef77616" }, { - "title": "New York City to Mandate Vaccines for Employees at Private Businesses", - "description": "The mandate, set to take effect just before Mayor Bill de Blasio leaves office, will apply to workers at about 184,000 businesses. It is likely to face legal challenges.", - "content": "The mandate, set to take effect just before Mayor Bill de Blasio leaves office, will apply to workers at about 184,000 businesses. It is likely to face legal challenges.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/06/nyregion/private-employer-vaccine-mandate-deblasio.html", - "creator": "Emma G. Fitzsimmons", - "pubDate": "Mon, 06 Dec 2021 23:44:21 +0000", + "title": "Best Dance of 2021", + "description": "A year of uncertainty was capped by a happy ending: a rush of performances this fall, including standouts by masters (Twyla Tharp) and breakout stars (LaTasha Barnes).", + "content": "A year of uncertainty was capped by a happy ending: a rush of performances this fall, including standouts by masters (Twyla Tharp) and breakout stars (LaTasha Barnes).", + "category": "arts year in review 2021", + "link": "https://www.nytimes.com/2021/12/01/arts/dance/best-dance-2021.html", + "creator": "Gia Kourlas, Brian Seibert and Siobhan Burke", + "pubDate": "Thu, 02 Dec 2021 15:06:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97569,16 +123800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa2ea3841648a888f1bb1eb2a424b80b" + "hash": "92f174227f0991e47e9e5bb859d4eb37" }, { - "title": "Travelers to U.S. Now Must Test Negative for Covid a Day Before Flying", - "description": "Inbound travelers must now show a negative result from a test taken no more than a day before departure, a requirement some say may be hard to satisfy.", - "content": "Inbound travelers must now show a negative result from a test taken no more than a day before departure, a requirement some say may be hard to satisfy.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/06/world/americas/us-travel-covid-testing-rules.html", - "creator": "Juston Jones and Jenny Gross", - "pubDate": "Mon, 06 Dec 2021 19:46:15 +0000", + "title": "Michigan Shooting Suspect Faces Murder and Terrorism Charges", + "description": "A 15-year-old accused of killing four of his classmates and wounding seven other people had described wanting to attack the school in cellphone videos and a journal, the authorities said.", + "content": "A 15-year-old accused of killing four of his classmates and wounding seven other people had described wanting to attack the school in cellphone videos and a journal, the authorities said.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/01/us/ethan-crumbley-michigan-high-school-shooting.html", + "creator": "Jennifer Conlin, Mitch Smith, Giulia Heyward and Jack Healy", + "pubDate": "Thu, 02 Dec 2021 18:48:41 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97589,16 +123820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "56e1f3ee9d13e21bda383ee02efc5957" + "hash": "8b9737e669b95976be852e6db5305bab" }, { - "title": "Biden Expected to Offer Warnings and Alternatives in Call With Putin", - "description": "President Biden will hold a high-stakes video call with Vladimir V. Putin of Russia on Tuesday.", - "content": "President Biden will hold a high-stakes video call with Vladimir V. Putin of Russia on Tuesday.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/06/us/politics/biden-putin-call-ukraine.html", - "creator": "David E. Sanger and Eric Schmitt", - "pubDate": "Mon, 06 Dec 2021 17:35:47 +0000", + "title": "Biden’s New Virus Plan Aims to Keep Economy Open as Omicron Spreads", + "description": "President Biden’s strategy includes new testing requirements for international travelers and insurance reimbursement for at-home coronavirus tests. “We’re going to fight this variant with science and speed, not chaos and confusion,” Mr. Biden said in a speech. Here’s the latest.", + "content": "President Biden’s strategy includes new testing requirements for international travelers and insurance reimbursement for at-home coronavirus tests. “We’re going to fight this variant with science and speed, not chaos and confusion,” Mr. Biden said in a speech. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/02/world/biden-omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Thu, 02 Dec 2021 21:15:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97609,16 +123840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a3021789850fb1b25a0a7eb1c9ce881" + "hash": "9c5e4fa70ee1b9fa894574be06af37ed" }, { - "title": "In Ukraine, Grinding War and Weary Anticipation of Invasion by Russia", - "description": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", - "content": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/06/world/europe/ukraine-russia-war-front.html", - "creator": "Michael Schwirtz", - "pubDate": "Mon, 06 Dec 2021 20:26:20 +0000", + "title": "In Biden’s Plan for Free Rapid Tests, Legwork Will Be Required", + "description": "Some nations make Covid tests available at little to no cost for consumers. The U.S. plan for home testing includes submitting receipts to private insurers.", + "content": "Some nations make Covid tests available at little to no cost for consumers. The U.S. plan for home testing includes submitting receipts to private insurers.", + "category": "Health Insurance and Managed Care", + "link": "https://www.nytimes.com/2021/12/02/upshot/biden-covid-rapid-tests.html", + "creator": "Sarah Kliff and Reed Abelson", + "pubDate": "Thu, 02 Dec 2021 23:47:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97629,16 +123860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "557fa20b2310e5790e82cb2fa3ca66ff" + "hash": "69b55316873ba88fb759ede2d42a6a8f" }, { - "title": "Justice Dept. Files Voting Rights Suit Against Texas Over Map", - "description": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", - "content": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", - "category": "Voting Rights Act (1965)", - "link": "https://www.nytimes.com/2021/12/06/us/politics/texas-voting-rights-redistricting.html", - "creator": "Katie Benner, Nick Corasaniti and Reid J. Epstein", - "pubDate": "Tue, 07 Dec 2021 00:31:10 +0000", + "title": "Why Didn’t the U.S. Detect Omicron Cases Sooner?", + "description": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", + "content": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/12/02/health/omicron-variant-genetic-surveillance.html", + "creator": "Emily Anthes", + "pubDate": "Thu, 02 Dec 2021 23:39:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97649,16 +123880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "52b07e47b1e13e14bb8b5dbb0dd0e28a" + "hash": "000b4b308fe7bcbd1101666172bad907" }, { - "title": "U.S. Will Not Send Government Officials to Beijing Olympics", - "description": "American athletes will still be able to compete in the Winter Games, but the diplomatic boycott is a slap at China for human rights abuses in Xinjiang.", - "content": "American athletes will still be able to compete in the Winter Games, but the diplomatic boycott is a slap at China for human rights abuses in Xinjiang.", - "category": "China", - "link": "https://www.nytimes.com/2021/12/06/us/politics/olympics-boycott-us.html", - "creator": "Zolan Kanno-Youngs", - "pubDate": "Tue, 07 Dec 2021 01:55:55 +0000", + "title": "Five Omicron Variant Cases Confirmed in New York State", + "description": "“This is not a cause for major alarm,” Gov. Kathy Hochul said, adding that she was not announcing a shutdown or other drastic measures in response to the cases.", + "content": "“This is not a cause for major alarm,” Gov. Kathy Hochul said, adding that she was not announcing a shutdown or other drastic measures in response to the cases.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/02/nyregion/omicron-variant-new-york.html", + "creator": "Emma G. Fitzsimmons", + "pubDate": "Fri, 03 Dec 2021 00:06:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97669,16 +123900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6ea7812e0d7a1d1f56f4305b4acc7b2b" + "hash": "ff2b2c352958a5a0a99feed8d0118368" }, { - "title": "Georgia Governor's Race Puts State at Center of 2022 Political Drama", - "description": "Former Senator David Perdue, encouraged by Donald Trump, is challenging Gov. Brian Kemp, a fellow Republican who defied the former president.", - "content": "Former Senator David Perdue, encouraged by Donald Trump, is challenging Gov. Brian Kemp, a fellow Republican who defied the former president.", - "category": "Georgia", - "link": "https://www.nytimes.com/2021/12/06/us/politics/georgia-abrams-perdue-kemp.html", - "creator": "Richard Fausset and Jonathan Martin", - "pubDate": "Tue, 07 Dec 2021 03:12:27 +0000", + "title": "New York City Sets Vaccine Mandate for Religious and Private School Workers", + "description": "The directive, which affects 56,000 employees, may face opposition at yeshivas, because of resistance to coronavirus vaccines among some Orthodox Jews.", + "content": "The directive, which affects 56,000 employees, may face opposition at yeshivas, because of resistance to coronavirus vaccines among some Orthodox Jews.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/02/nyregion/nyc-vaccine-mandate-private-schools.html", + "creator": "Emma G. Fitzsimmons", + "pubDate": "Thu, 02 Dec 2021 21:10:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97689,16 +123920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "65d6e4dae41e83eb6dfe9622960c3e11" + "hash": "065bf598a547312a3700bfef61a4bf78" }, { - "title": "Trump’s Media Company Investigated Over SPAC Deal", - "description": "A financing company told investors that it wasn’t in deal talks, weeks after its C.E.O. held a private videoconference about a possible deal with Donald Trump.", - "content": "A financing company told investors that it wasn’t in deal talks, weeks after its C.E.O. held a private videoconference about a possible deal with Donald Trump.", - "category": "Securities and Commodities Violations", - "link": "https://www.nytimes.com/2021/12/06/business/trump-spac-sec-arc.html", - "creator": "Matthew Goldstein, David Enrich and Michael Schwirtz", - "pubDate": "Mon, 06 Dec 2021 23:01:24 +0000", + "title": "San Francisco Followed Covid Rules. Will Omicron Change the Playbook?", + "description": "San Francisco has endured mask mandates, vaccination requirements and lockdowns. Now with the first U.S. case of the Omicron variant, no one’s sure what comes next.", + "content": "San Francisco has endured mask mandates, vaccination requirements and lockdowns. Now with the first U.S. case of the Omicron variant, no one’s sure what comes next.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/02/us/san-francisco-omicron-mask-mandate-lockdown.html", + "creator": "Erin Woo, Shawn Hubler and Jill Cowan", + "pubDate": "Thu, 02 Dec 2021 21:18:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97709,16 +123940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "491f1db1f7d95e03b2c2b3bcc07e9278" + "hash": "1b3cbb70634240a3938fc0b12ec11fa5" }, { - "title": "Devin Nunes to Quit House, Take Over Trump's Media Company", - "description": "The California Republican, who had pugnaciously defended Donald J. Trump, chose the media company role over a potentially powerful new post in Congress.", - "content": "The California Republican, who had pugnaciously defended Donald J. Trump, chose the media company role over a potentially powerful new post in Congress.", - "category": "Nunes, Devin G", - "link": "https://www.nytimes.com/2021/12/06/us/politics/devin-nunes-trump.html", - "creator": "Jonathan Weisman", - "pubDate": "Tue, 07 Dec 2021 00:04:57 +0000", + "title": "Germany Requires Vaccines for Store and Restaurant Customers", + "description": "Facing a huge coronavirus surge, Chancellor Angela Merkel, her successor, Olaf Scholz, and state governors agreed on tough new restrictions on people who have not been inoculated.", + "content": "Facing a huge coronavirus surge, Chancellor Angela Merkel, her successor, Olaf Scholz, and state governors agreed on tough new restrictions on people who have not been inoculated.", + "category": "Vaccination Proof and Immunization Records", + "link": "https://www.nytimes.com/2021/12/02/world/europe/germany-unvaccinated-restrictions.html", + "creator": "Christopher F. Schuetze", + "pubDate": "Thu, 02 Dec 2021 21:23:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97729,16 +123960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "55d871e9a1ec53380b242dd46b8a2f7a" + "hash": "edfbfd1490bcdd4d7dee4c5a88168c1d" }, { - "title": "How '2 Lizards' and Meriem Bennani Captured the Essence of 2020", - "description": "With the animated video series “2 Lizards,” Meriem Bennani and Orian Barki captured the essence of 2020. Now, Bennani’s at work on a documentary about living in limbo.", - "content": "With the animated video series “2 Lizards,” Meriem Bennani and Orian Barki captured the essence of 2020. Now, Bennani’s at work on a documentary about living in limbo.", - "category": "holiday issue 2021", - "link": "https://www.nytimes.com/2021/12/01/t-magazine/meriem-bennani-2-lizards.html", - "creator": "Sasha Weiss", - "pubDate": "Wed, 01 Dec 2021 13:00:12 +0000", + "title": "How the Politics of Abortion Are Poised to Intensify", + "description": "The anti-abortion and abortion rights movements are already beginning to mobilize for a new, deeply unsettled post-Roe political reality.", + "content": "The anti-abortion and abortion rights movements are already beginning to mobilize for a new, deeply unsettled post-Roe political reality.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/us/politics/abortion-arguments-post-roe.html", + "creator": "Lisa Lerer and Jeremy W. Peters", + "pubDate": "Thu, 02 Dec 2021 23:01:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97749,16 +123980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2eb8123b3dd3b43968bfdc95ec266fe4" + "hash": "d1928a66a55467e899a209ae3a3555db" }, { - "title": "I Was Bob Dole's Press Secretary. This Is What I Learned From Him.", - "description": "During his 1996 presidential campaign, Senator Dole would often go off-script. But it was those moments that revealed his rare empathy.", - "content": "During his 1996 presidential campaign, Senator Dole would often go off-script. But it was those moments that revealed his rare empathy.", - "category": "Dole, Bob", - "link": "https://www.nytimes.com/2021/12/05/opinion/politics/bob-dole-death.html", - "creator": "Nelson Warfield", - "pubDate": "Mon, 06 Dec 2021 02:57:48 +0000", + "title": "Government Shutdown Still Looms as House Passes Spending Bill", + "description": "As the House voted to fund the government through mid-February, senators were scrambling to avoid a shutdown over vaccine mandates.", + "content": "As the House voted to fund the government through mid-February, senators were scrambling to avoid a shutdown over vaccine mandates.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/us/politics/government-shutdown-congress-spending-deal.html", + "creator": "Emily Cochrane", + "pubDate": "Fri, 03 Dec 2021 00:12:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97769,16 +124000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "223427ed4764b65ef9ae30293f234d5f" + "hash": "be61aed2271d16fbbf5b30d6b37fb677" }, { - "title": "He Is Black. The Victims Were White. ‘It’s an Allegation as Old as America.’", - "description": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", - "content": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", - "category": "Capital Punishment", - "link": "https://www.nytimes.com/2021/12/06/opinion/pervis-payne-death-penalty-states.html", - "creator": "Margaret Renkl", - "pubDate": "Mon, 06 Dec 2021 14:19:52 +0000", + "title": "Mexico to Allow U.S. ‘Remain in Mexico’ Asylum Policy to Resume", + "description": "A judge had ordered the Biden administration to restart the Trump-era program, but doing so required cooperation from Mexico, which had been reluctant.", + "content": "A judge had ordered the Biden administration to restart the Trump-era program, but doing so required cooperation from Mexico, which had been reluctant.", + "category": "Immigration and Emigration", + "link": "https://www.nytimes.com/2021/12/02/us/politics/asylum-seekers-immigration-mexico-usa.html", + "creator": "Eileen Sullivan and Oscar Lopez", + "pubDate": "Thu, 02 Dec 2021 21:24:42 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97789,16 +124020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac3c151eb766ccf64ae9d7798d1cfa63" + "hash": "c3319548da663259053c8a028d2c3b0e" }, { - "title": "How Can You Destroy a Person’s Life and Only Get a Slap on the Wrist?", - "description": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", - "content": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", - "category": "Prosecutorial Misconduct", - "link": "https://www.nytimes.com/2021/12/04/opinion/prosecutor-misconduct-new-york-doj.html", - "creator": "The Editorial Board", - "pubDate": "Sun, 05 Dec 2021 15:50:17 +0000", + "title": "Dear People of 2021: What Can We Learn From Hindsight?", + "description": "For the first series from the Headway initiative, we followed up on forecasts from decades past to ask what the passage of time has revealed.", + "content": "For the first series from the Headway initiative, we followed up on forecasts from decades past to ask what the passage of time has revealed.", + "category": "European Union", + "link": "https://www.nytimes.com/2021/12/02/special-series/headway-earth-progress-climate-hindsight.html", + "creator": "Matthew Thompson", + "pubDate": "Thu, 02 Dec 2021 17:20:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97809,16 +124040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7ea0e8e298e5aa522f040463df7e8c08" + "hash": "50ca83f1fc7411c2a81da4b6fd26370f" }, { - "title": "The Ghosts of Mississippi", - "description": "Dobbs v. Jackson Women’s Health Organization is another Mississippi case poised to roll back constitutional rights.", - "content": "Dobbs v. Jackson Women’s Health Organization is another Mississippi case poised to roll back constitutional rights.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/12/05/opinion/abortion-mississippi-constitutional-rights.html", - "creator": "Charles M. Blow", - "pubDate": "Sun, 05 Dec 2021 20:00:06 +0000", + "title": "Millions More People Got Access to Clean Water. Can They Drink It?", + "description": "The U.N. pledged to halve the proportion of the world without access to clean drinking water by 2015.", + "content": "The U.N. pledged to halve the proportion of the world without access to clean drinking water by 2015.", + "category": "Water", + "link": "https://www.nytimes.com/2021/12/02/world/clean-water-to-drink.html", + "creator": "Lucy Tompkins", + "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97829,16 +124060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fe9e8a542d1f8dc7838ae87d8f1616ba" + "hash": "d7f43e142ea939fed9fa885cda9c523a" }, { - "title": "Rudeness Is On the Rise. You Got a Problem With That?", - "description": "How do we respond to a culture in which the guardrails of so-called civility are gone?", - "content": "How do we respond to a culture in which the guardrails of so-called civility are gone?", - "category": "Customs, Etiquette and Manners", - "link": "https://www.nytimes.com/2021/12/04/opinion/rudeness-stress-culture.html", - "creator": "Jennifer Finney Boylan", - "pubDate": "Sat, 04 Dec 2021 19:45:07 +0000", + "title": "Extreme Poverty Has Been Sharply Cut. What Has Changed?", + "description": "The U.N. pledged to cut by half the proportion of people living in the worst conditions around the world.", + "content": "The U.N. pledged to cut by half the proportion of people living in the worst conditions around the world.", + "category": "Poverty", + "link": "https://www.nytimes.com/2021/12/02/world/global-poverty-united-nations.html", + "creator": "Lucy Tompkins", + "pubDate": "Thu, 02 Dec 2021 10:00:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97849,16 +124080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6bd9d351d75590df78389026c75d1115" + "hash": "ac850d1a0353af6dab25b9ee05da562d" }, { - "title": "How to Create a Black Space in a Gentrifying Neighborhood", - "description": "Thoughts I had as I watched a white couple browsing books.", - "content": "Thoughts I had as I watched a white couple browsing books.", - "category": "Los Angeles (Calif)", - "link": "https://www.nytimes.com/2021/12/05/opinion/gentrification-los-angeles-little-library.html", - "creator": "Erin Aubry Kaplan", - "pubDate": "Sun, 05 Dec 2021 16:00:06 +0000", + "title": "Hundreds of Companies Promised to Help Save Forests. Did They?", + "description": "Cargill, Nestle, Carrefour and others pledged to reach net-zero deforestation in their supply chains by 2020.", + "content": "Cargill, Nestle, Carrefour and others pledged to reach net-zero deforestation in their supply chains by 2020.", + "category": "Forests and Forestry", + "link": "https://www.nytimes.com/2021/12/02/climate/companies-net-zero-deforestation.html", + "creator": "Lucy Tompkins", + "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97869,16 +124100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "48a56a660cc60a82d83815ea3ff83414" + "hash": "1fb10f3153cf1cc86809378a88344924" }, { - "title": "Josh Hawley and the Republican Obsession With Manliness", - "description": "The Missouri senator is tapping into something real — a widespread, politically potent anxiety about young men that is already helping the right.", - "content": "The Missouri senator is tapping into something real — a widespread, politically potent anxiety about young men that is already helping the right.", - "category": "Men and Boys", - "link": "https://www.nytimes.com/2021/12/04/opinion/josh-hawley-republican-manliness.html", - "creator": "Liza Featherstone", - "pubDate": "Sat, 04 Dec 2021 16:00:07 +0000", + "title": "Supply Chain Snarls for Cars on Display at a Kansas Terminal ", + "description": "A shipping terminal in Kansas reveals the fundamental problem — no one can plan, and no one is sure what will happen next.", + "content": "A shipping terminal in Kansas reveals the fundamental problem — no one can plan, and no one is sure what will happen next.", + "category": "Trucks and Trucking", + "link": "https://www.nytimes.com/2021/12/02/business/supply-chain-car-shipping.html", + "creator": "Peter S. Goodman", + "pubDate": "Thu, 02 Dec 2021 17:29:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97889,16 +124120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7b20044d98a51f5fd55ae3fc1998cbd" + "hash": "d4c42a0453f9688cee239b3603b5a57a" }, { - "title": "The Abortion I Didn’t Have", - "description": "I never thought about ending my pregnancy. Instead, at 19, I erased the future I had imagined for myself.", - "content": "I never thought about ending my pregnancy. Instead, at 19, I erased the future I had imagined for myself.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/magazine/abortion-parent-mother-child.html", - "creator": "Merritt Tierce", - "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", + "title": "With No Resources, Authority or Country, Afghan Ambassador Presses On", + "description": "Adela Raz arrived in Washington just before her country fell and has struggled to keep her embassy going. A dinner with U.S. veterans was a priority.", + "content": "Adela Raz arrived in Washington just before her country fell and has struggled to keep her embassy going. A dinner with U.S. veterans was a priority.", + "category": "Diplomatic Service, Embassies and Consulates", + "link": "https://www.nytimes.com/2021/12/02/us/politics/afghan-ambassador-adela-raz.html", + "creator": "Jennifer Steinhauer", + "pubDate": "Thu, 02 Dec 2021 18:20:42 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97909,16 +124140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1a7719612af6e15d319a65cb2bae6851" + "hash": "3b7c6cbc394295544651365a5cab903d" }, { - "title": "Condé Nast Knows Its Faded Glory Is Not in Style", - "description": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", - "content": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", - "category": "Conde Nast Publications Inc", - "link": "https://www.nytimes.com/2021/12/04/business/media/conde-nast-anna-wintour.html", - "creator": "Katie Robertson", - "pubDate": "Mon, 06 Dec 2021 18:48:39 +0000", + "title": "Joseph Gordon Says He's No Murderer. That’s Why He’s Still in Prison.", + "description": "Joseph Gordon has been locked up for nearly 30 years. A model inmate, he is eligible for parole — but only if he expresses remorse for a crime he says he did not commit.", + "content": "Joseph Gordon has been locked up for nearly 30 years. A model inmate, he is eligible for parole — but only if he expresses remorse for a crime he says he did not commit.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/12/02/nyregion/joseph-gordon-parole-murder.html", + "creator": "Tom Robbins", + "pubDate": "Thu, 02 Dec 2021 17:03:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97929,16 +124160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "476e49ed405b452aef3c378a0cfa6302" + "hash": "897d1a7318b8c9842b0dc5d261803fc9" }, { - "title": "After Success in Seating Federal Judges, Biden Hits Resistance", - "description": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", - "content": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", - "category": "Appointments and Executive Changes", - "link": "https://www.nytimes.com/2021/12/05/us/politics/biden-judges-senate-confirmation.html", - "creator": "Carl Hulse", - "pubDate": "Sun, 05 Dec 2021 14:28:48 +0000", + "title": "The End of Roe Is Coming, and It Is Coming Soon", + "description": "I thought we had more time before the 1973 decision was overturned. I now believe I was wrong.", + "content": "I thought we had more time before the 1973 decision was overturned. I now believe I was wrong.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/12/01/opinion/supreme-court-abortion-mississippi-law.html", + "creator": "Mary Ziegler", + "pubDate": "Thu, 02 Dec 2021 04:56:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97949,16 +124180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "17f0a2d80013498bd1527a34db9234b8" + "hash": "28f190ccba040ea9fb787c7e900abac3" }, { - "title": "Facing Economic Collapse, Afghanistan Is Gripped by Starvation", - "description": "An estimated 22.8 million people — more than half the country’s population — are expected to face potentially life-threatening food insecurity this winter. Many are already on the brink of catastrophe.", - "content": "An estimated 22.8 million people — more than half the country’s population — are expected to face potentially life-threatening food insecurity this winter. Many are already on the brink of catastrophe.", - "category": "Kandahar (Afghanistan)", - "link": "https://www.nytimes.com/2021/12/04/world/asia/afghanistan-starvation-crisis.html", - "creator": "Christina Goldbaum", - "pubDate": "Sat, 04 Dec 2021 18:53:09 +0000", + "title": "Anjanette Young Was Handcuffed, Naked. Will She See Justice?", + "description": "“My life has been completely turned upside down,” Anjanette Young said. “I can’t sleep at night.”", + "content": "“My life has been completely turned upside down,” Anjanette Young said. “I can’t sleep at night.”", + "category": "Black People", + "link": "https://www.nytimes.com/2021/12/02/opinion/anjanette-young-police-justice.html", + "creator": "Esau McCaulley", + "pubDate": "Thu, 02 Dec 2021 10:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97969,16 +124200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b61836141bcbb447fd7e4defa0a765e6" + "hash": "fdc5e527182b8c7a4649b5f3291a83c0" }, { - "title": "Christmas Tree Questions? Ask the Mayor of Rockefeller Center.", - "description": "For two decades, Correll Jones has been the man to ask about New York’s most famous tree — and where to find the public bathrooms.", - "content": "For two decades, Correll Jones has been the man to ask about New York’s most famous tree — and where to find the public bathrooms.", - "category": "Christmas Trees", - "link": "https://www.nytimes.com/2021/12/04/nyregion/rockefeller-center-greeter-mayor.html", - "creator": "Corey Kilgannon", - "pubDate": "Sat, 04 Dec 2021 17:24:52 +0000", + "title": "Overdoses Surged During the Pandemic. How Do We Stop Them?", + "description": "More than 100,000 Americans died of overdoses in a single year, exceeding the number of people who died from car crashes and guns combined.", + "content": "More than 100,000 Americans died of overdoses in a single year, exceeding the number of people who died from car crashes and guns combined.", + "category": "debatable", + "link": "https://www.nytimes.com/2021/12/02/opinion/drug-overdose-prevention.html", + "creator": "Spencer Bokat-Lindell", + "pubDate": "Thu, 02 Dec 2021 23:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -97989,16 +124220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba9058081f883b1605e938a9c4024e0b" + "hash": "7c4bec7a3c1806978302349842d9908e" }, { - "title": "Could Breaking Up Meta Make Things Worse?", - "description": "The parent company of Facebook, Instagram and WhatsApp reaches 3.6 billion active users. But is its size actually against the public’s interest?", - "content": "The parent company of Facebook, Instagram and WhatsApp reaches 3.6 billion active users. But is its size actually against the public’s interest?", - "category": "Antitrust Laws and Competition Issues", - "link": "https://www.nytimes.com/2021/12/01/opinion/the-argument-facebook-antitrust.html", - "creator": "‘The Argument’", - "pubDate": "Wed, 01 Dec 2021 18:34:08 +0000", + "title": "Why Peng Shuai Has China’s Leaders Spooked", + "description": "Ms. Peng’s celebrity certainly has driven interest in her case. But her allegations also are groundbreaking.", + "content": "Ms. Peng’s celebrity certainly has driven interest in her case. But her allegations also are groundbreaking.", + "category": "Communist Party of China", + "link": "https://www.nytimes.com/2021/12/02/opinion/peng-shuai-china-leaders.html", + "creator": "Leta Hong Fincher", + "pubDate": "Thu, 02 Dec 2021 06:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98009,16 +124240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc2fcf856de8f5100bad73526fe0f0b3" + "hash": "d10ecfa58844e1f02400ab707af4153b" }, { - "title": "A Meeting With Maxwell Led to Years of Sex With Epstein, Accuser Says", - "description": "A woman identified only as “Kate” told jurors at Ghislaine Maxwell’s sex-trafficking trial that Ms. Maxwell leveraged their friendship to encourage her to have sex with Jeffrey Epstein.", - "content": "A woman identified only as “Kate” told jurors at Ghislaine Maxwell’s sex-trafficking trial that Ms. Maxwell leveraged their friendship to encourage her to have sex with Jeffrey Epstein.", - "category": "Sex Crimes", - "link": "https://www.nytimes.com/2021/12/06/nyregion/ghislaine-maxwell-trial-accuser.html", - "creator": "Rebecca Davis O’Brien and Benjamin Weiser", - "pubDate": "Tue, 07 Dec 2021 00:25:54 +0000", + "title": "Omicron Is Here. Will We Use Our New Covid Drugs Wisely?", + "description": "The world must not repeat history by making Covid-19 drugs inaccessible. ", + "content": "The world must not repeat history by making Covid-19 drugs inaccessible. ", + "category": "Molnupiravir (Drug)", + "link": "https://www.nytimes.com/2021/12/01/opinion/omicron-covid-drugs-pfizer-antiviral.html", + "creator": "Rachel Cohen", + "pubDate": "Thu, 02 Dec 2021 19:41:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98029,16 +124260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ccc52c09b48f29917da8b39330a55368" + "hash": "bf75821ddb2f5ad0a2a4d5f613887171" }, { - "title": "Trump’s Blood Oxygen Level in Covid Bout Was Dangerously Low, Former Aide Says", - "description": "Mark Meadows, Mr. Trump’s former chief of staff, said in his new book that the weakened president’s blood oxygen level reached 86 during a harrowing fight against the coronavirus.", - "content": "Mark Meadows, Mr. Trump’s former chief of staff, said in his new book that the weakened president’s blood oxygen level reached 86 during a harrowing fight against the coronavirus.", - "category": "Meadows, Mark R (1959- )", - "link": "https://www.nytimes.com/2021/12/06/us/politics/trump-covid-blood-oxygen.html", - "creator": "Maggie Haberman and Noah Weiland", - "pubDate": "Tue, 07 Dec 2021 00:29:18 +0000", + "title": "Fears About the Future of Abortion", + "description": "Readers express concern about the ramifications if Roe v. Wade is overturned. Also: Unvaccinated health workers; working remotely; hopes for Democrats.", + "content": "Readers express concern about the ramifications if Roe v. Wade is overturned. Also: Unvaccinated health workers; working remotely; hopes for Democrats.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/opinion/letters/abortion-supreme-court.html", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:43:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98049,16 +124280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8e009061743086f1aabc18975016987f" + "hash": "5c2352e1268ec771cda88a70f23eb2fe" }, { - "title": "Defendant in Case Brought by Durham Says New Evidence Undercuts Charge", - "description": "Lawyers for Michael Sussmann, accused by the Trump-era special counsel of lying to the F.B.I., asked for a quick trial after receiving what they said was helpful material from prosecutors.", - "content": "Lawyers for Michael Sussmann, accused by the Trump-era special counsel of lying to the F.B.I., asked for a quick trial after receiving what they said was helpful material from prosecutors.", - "category": "Durham, John H", - "link": "https://www.nytimes.com/2021/12/06/us/politics/michael-sussmann-john-durham.html", - "creator": "Charlie Savage", - "pubDate": "Tue, 07 Dec 2021 04:51:51 +0000", + "title": "How Éric Zemmour Became the New Face of France’s Far Right", + "description": "It doesn’t take much to see the roots of his ideology. The irony is that this time, its proponent is Jewish.", + "content": "It doesn’t take much to see the roots of his ideology. The irony is that this time, its proponent is Jewish.", + "category": "France", + "link": "https://www.nytimes.com/2021/12/02/opinion/eric-zemmour-france-jews.html", + "creator": "Mitchell Abidor and Miguel Lago", + "pubDate": "Thu, 02 Dec 2021 16:24:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98069,16 +124300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "454f960b3df54cc86c5b207c73690d52" + "hash": "25c50243b177ed4e3588293c11cfd646" }, { - "title": "Biden’s Supreme Court Commission Prepares to Vote on Final Report", - "description": "A draft version of the document flagged deep disputes over court expansion while exploring how phasing in term limits might work.", - "content": "A draft version of the document flagged deep disputes over court expansion while exploring how phasing in term limits might work.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/12/06/us/politics/biden-supreme-court-commission.html", - "creator": "Charlie Savage", - "pubDate": "Tue, 07 Dec 2021 02:08:32 +0000", + "title": "How Twitter Can Fix Itself After Jack Dorsey's Resignation", + "description": "Twitter’s new leadership faces some tough choices.", + "content": "Twitter’s new leadership faces some tough choices.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/12/01/opinion/twitter-agrawal-dorsey.html", + "creator": "Greg Bensinger", + "pubDate": "Wed, 01 Dec 2021 23:40:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98089,16 +124320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd22f6d6e82ec3e667dcdce0d834c40e" + "hash": "68bc900c6ca9f2986fe5c0742522e420" }, { - "title": "Fred Hiatt, Washington Post Editorial Page Editor, Dies at 66", - "description": "He used his powerful platform to champion human rights, caution against a Trump presidency and condemn the killing of a Saudi columnist for the paper.", - "content": "He used his powerful platform to champion human rights, caution against a Trump presidency and condemn the killing of a Saudi columnist for the paper.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/12/06/business/media/fred-hiatt-dead.html", - "creator": "Katharine Q. Seelye", - "pubDate": "Tue, 07 Dec 2021 02:46:51 +0000", + "title": "Trump Tested Positive for Virus Days Before Debate, 2 Ex-Officials Say", + "description": "The former president first received a positive coronavirus test days ahead of his first debate with Joseph R. Biden Jr., and then received a negative result, two former officials say.", + "content": "The former president first received a positive coronavirus test days ahead of his first debate with Joseph R. Biden Jr., and then received a negative result, two former officials say.", + "category": "Trump, Donald J", + "link": "https://www.nytimes.com/2021/12/01/us/politics/trump-virus-positive.html", + "creator": "Maggie Haberman", + "pubDate": "Wed, 01 Dec 2021 17:33:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98109,16 +124340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "02386b147093041a7e756b7ce6430275" + "hash": "f883f6b6c2313736d66db1463384eab6" }, { - "title": "India and Russia Expand Defense Ties, Despite Prospect of U.S. Sanctions", - "description": "India’s purchase of a missile defense system signaled that it was more worried about an emboldened China at its borders than about angering the United States.", - "content": "India’s purchase of a missile defense system signaled that it was more worried about an emboldened China at its borders than about angering the United States.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/06/world/asia/india-russia-missile-defense-deal.html", - "creator": "Mujib Mashal and Karan Deep Singh", - "pubDate": "Mon, 06 Dec 2021 18:10:45 +0000", + "title": "Stacey Abrams Says She’s Running for Georgia Governor", + "description": "Ms. Abrams, a Democratic voting rights activist, will aim to unseat Gov. Brian Kemp in a rematch of their contentious 2018 race for governor.", + "content": "Ms. Abrams, a Democratic voting rights activist, will aim to unseat Gov. Brian Kemp in a rematch of their contentious 2018 race for governor.", + "category": "Abrams, Stacey Y", + "link": "https://www.nytimes.com/2021/12/01/us/politics/stacey-abrams-georgia-governor.html", + "creator": "Astead W. Herndon", + "pubDate": "Thu, 02 Dec 2021 00:12:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98129,16 +124360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d483ce0a32a5e6da731b36005633f7a9" + "hash": "4f5ce4103e9ccc170e7c6d66259fd77f" }, { - "title": "Man Charged With Sending Dozens of Violent Threats to L.G.B.T.Q. Groups", - "description": "Robert Fehring warned that an attack on New York City’s Pride March would make the Pulse nightclub shooting “look like a cakewalk,” the authorities said.", - "content": "Robert Fehring warned that an attack on New York City’s Pride March would make the Pulse nightclub shooting “look like a cakewalk,” the authorities said.", - "category": "Homosexuality and Bisexuality", - "link": "https://www.nytimes.com/2021/12/06/nyregion/hate-crime-long-island-lgbtq.html", - "creator": "Ed Shanahan", - "pubDate": "Tue, 07 Dec 2021 02:35:41 +0000", + "title": "How ‘Shadow’ Foster Care Is Tearing Families Apart", + "description": "Across the country, an unregulated system is severing parents from children, who often end up abandoned by the agencies that are supposed to protect them.", + "content": "Across the country, an unregulated system is severing parents from children, who often end up abandoned by the agencies that are supposed to protect them.", + "category": "Child Custody and Support", + "link": "https://www.nytimes.com/2021/12/01/magazine/shadow-foster-care.html", + "creator": "Lizzie Presser", + "pubDate": "Wed, 01 Dec 2021 10:00:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98149,16 +124380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d0bb58ebc854bf299d8582899ac8b24e" + "hash": "12959b4dfdc94534502655520905240d" }, { - "title": "Are My Stomach Problems Really All in My Head?", - "description": "Scientists often debate whether irritable bowel syndrome is a mental or physical issue. That’s not much help for those who suffer from it.", - "content": "Scientists often debate whether irritable bowel syndrome is a mental or physical issue. That’s not much help for those who suffer from it.", - "category": "Digestive Tract", - "link": "https://www.nytimes.com/2021/12/03/well/eat/irritable-bowel-syndrome-advice.html", - "creator": "Constance Sommer", - "pubDate": "Fri, 03 Dec 2021 22:01:18 +0000", + "title": "The Best Books of 2021", + "description": "Editors at The Times Book Review choose the best fiction and nonfiction titles this year.", + "content": "Editors at The Times Book Review choose the best fiction and nonfiction titles this year.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/30/books/review/best-books-2021.html", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 15:31:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98169,16 +124400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "65c3e6c5fab7a5fbdb61593731a8ab70" + "hash": "526ff02a2d68f0f5df8f4b952cf30f4e" }, { - "title": "A Perplexing Marijuana Side Effect Relieved by Hot Showers", - "description": "Emergency room doctors are seeing a growing caseload of nausea and vomiting in marijuana users whose only relief is a long, hot shower.", - "content": "Emergency room doctors are seeing a growing caseload of nausea and vomiting in marijuana users whose only relief is a long, hot shower.", - "category": "Marijuana", - "link": "https://www.nytimes.com/2018/04/05/well/a-perplexing-marijuana-side-effect-relieved-by-hot-showers.html", - "creator": "Roni Caryn Rabin", - "pubDate": "Thu, 05 Apr 2018 18:10:18 +0000", + "title": "The Toddler Was Bowlegged, Her Gait Awkward. What Was It?", + "description": "What the orthopedist saw on the X-rays surprised him.", + "content": "What the orthopedist saw on the X-rays surprised him.", + "category": "Children and Childhood", + "link": "https://www.nytimes.com/2021/12/02/magazine/x-linked-hypophosphatemia-diagnosis.html", + "creator": "Lisa Sanders, M.D.", + "pubDate": "Thu, 02 Dec 2021 10:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98189,16 +124420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1261e393b9c1bdd7772a5ea139eec592" + "hash": "19a35e7343643c6a6569590e10472500" }, { - "title": "What Is Sensory Processing Disorder?", - "description": "Children who are deemed ‘sensitive’ or ‘picky’ might be struggling with a treatable condition.", - "content": "Children who are deemed ‘sensitive’ or ‘picky’ might be struggling with a treatable condition.", - "category": "Disabilities", - "link": "https://www.nytimes.com/2020/04/17/parenting/sensory-processing-disorder-kids.html", - "creator": "Meg St-Esprit", - "pubDate": "Fri, 17 Apr 2020 21:29:12 +0000", + "title": "Winter Covid, Mexico, Exoplanets: Your Thursday Evening Briefing", + "description": "Here’s what you need to know at the end of the day.", + "content": "Here’s what you need to know at the end of the day.", + "category": "", + "link": "https://www.nytimes.com/2021/12/02/briefing/winter-covid-mexico-exoplanets.html", + "creator": "Remy Tumin", + "pubDate": "Thu, 02 Dec 2021 22:53:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98209,16 +124440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c22f940a51c9c9849ac64257d67fcd1" + "hash": "662c6f7d336d2a6cbc17bdfaa98caae8" }, { - "title": "The Temporary Memory Lapse of Transient Global Amnesia", - "description": "Those with T.G.A. do not experience any alteration in consciousness or abnormal movements. Only the ability to lay down memories is affected.", - "content": "Those with T.G.A. do not experience any alteration in consciousness or abnormal movements. Only the ability to lay down memories is affected.", - "category": "Memory", - "link": "https://www.nytimes.com/2019/09/16/well/mind/the-temporary-memory-lapse-of-transient-global-amnesia.html", - "creator": "Jane E. Brody", - "pubDate": "Tue, 17 Sep 2019 20:32:32 +0000", + "title": "The Supreme Court Considers the Future of Roe v. Wade and Abortion in America", + "description": "How far will the court’s conservative majority go in deciding the future of abortion in America?", + "content": "How far will the court’s conservative majority go in deciding the future of abortion in America?", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/02/podcasts/the-daily/supreme-court-abortion-law-mississippi-roe-v-wade.html", + "creator": "Sabrina Tavernise, Stella Tan, Daniel Guillemette, Luke Vander Ploeg, Rachelle Bonja, Lisa Chow, Marc Georges and Marion Lozano", + "pubDate": "Thu, 02 Dec 2021 11:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98229,16 +124460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "269d78f9f2b09c77aa944dc83414b2b0" + "hash": "070552126c782669f08a3c9b5b53c138" }, { - "title": "When the Neurologist Really Knows How Patients Feel", - "description": "I can’t undo the damage of a stroke I had as an infant, but I can try to help other patients face similar diagnoses.", - "content": "I can’t undo the damage of a stroke I had as an infant, but I can try to help other patients face similar diagnoses.", - "category": "Nerves and Nervous System", - "link": "https://www.nytimes.com/2018/06/07/well/pediatric-neurologist-stroke.html", - "creator": "Lauren Waldron, M.D.", - "pubDate": "Thu, 07 Jun 2018 09:00:02 +0000", + "title": "奥密克戎来袭,世界重温噩梦", + "description": "与新冠病毒搏斗了近两年后,这个世界到底学到了什么?", + "content": "与新冠病毒搏斗了近两年后,这个世界到底学到了什么?", + "category": "", + "link": "https://www.nytimes.com/zh-hans/2021/12/02/world/asia/covid-omicron-nightmare.html", + "creator": "Rong Xiaoqing", + "pubDate": "Thu, 02 Dec 2021 07:58:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98249,16 +124480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a0ea98a29433834183b68865261c5bce" + "hash": "29bc56732f77bf3c9c61c2f72b640c69" }, { - "title": "‘And Just Like That’: The Shoe Must Go On", - "description": "In the ’90s, “Sex and the City” celebrated single women. Can a new, more nuanced version make a comedy of middle-aged ones?", - "content": "In the ’90s, “Sex and the City” celebrated single women. Can a new, more nuanced version make a comedy of middle-aged ones?", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/03/arts/television/and-just-like-that-sex-and-the-city.html", - "creator": "Alexis Soloski", - "pubDate": "Mon, 06 Dec 2021 13:05:40 +0000", + "title": "Former Epstein Employee Details Maxwell’s Pervasive Control in Trial", + "description": "Ghislaine Maxwell controlled every detail of life inside Jeffery Epstein’s Palm Beach estate, a former manager of the property said. Follow updates here.", + "content": "Ghislaine Maxwell controlled every detail of life inside Jeffery Epstein’s Palm Beach estate, a former manager of the property said. Follow updates here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/02/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Thu, 02 Dec 2021 20:56:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98269,16 +124500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "988dc61263b0acad2a482697bdbe603d" + "hash": "358211e0032f3499c2310424368c4d5b" }, { - "title": "In ‘Landscapers,’ True Crime Meets Hollywood Fantasy", - "description": "The HBO mini-series stars Olivia Colman and David Thewlis as a British couple convicted of killing the wife’s parents and burying them in the backyard.", - "content": "The HBO mini-series stars Olivia Colman and David Thewlis as a British couple convicted of killing the wife’s parents and burying them in the backyard.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/06/arts/television/landscapers-hbo.html", - "creator": "Tobias Grey", - "pubDate": "Mon, 06 Dec 2021 18:22:07 +0000", + "title": "Havana Syndrome Mystery: Review Finds No Answers", + "description": "Some officials remain convinced Russia is involved, but so far there is no evidence pointing to a particular adversary and no one has detected microwaves or other possible weapons.", + "content": "Some officials remain convinced Russia is involved, but so far there is no evidence pointing to a particular adversary and no one has detected microwaves or other possible weapons.", + "category": "Havana Syndrome", + "link": "https://www.nytimes.com/2021/12/02/us/politics/havana-syndrome.html", + "creator": "Julian E. Barnes and Adam Goldman", + "pubDate": "Thu, 02 Dec 2021 20:28:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98289,16 +124520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c68a9f6eeb3957f8b107b7c7bb88f38" + "hash": "f2d1e18ffabba9b5e9157500c3a46eb2" }, { - "title": "No Matter the Role, Antony Sher Made Soaring Seem Possible", - "description": "The actor, who died at the age of 72, was known for his commanding performances of Shakespeare’s Richard III and the Auschwitz survivor Primo Levi.", - "content": "The actor, who died at the age of 72, was known for his commanding performances of Shakespeare’s Richard III and the Auschwitz survivor Primo Levi.", - "category": "Sher, Antony", - "link": "https://www.nytimes.com/2021/12/06/theater/antony-sher-stage.html", - "creator": "Ben Brantley", - "pubDate": "Mon, 06 Dec 2021 17:07:55 +0000", + "title": "F.T.C. Sues to Block Nvidia’s Takeover of Arm", + "description": "The proposed deal would give Nvidia control over computing technology and designs that rival firms rely on.", + "content": "The proposed deal would give Nvidia control over computing technology and designs that rival firms rely on.", + "category": "Mergers, Acquisitions and Divestitures", + "link": "https://www.nytimes.com/2021/12/02/technology/ftc-nvidia-arm-deal.html", + "creator": "Cecilia Kang and Don Clark", + "pubDate": "Thu, 02 Dec 2021 21:28:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98309,16 +124540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "709a3632a479b4d6f5d8431b0ebea74f" + "hash": "f624045d2933df1335411e8ba85674d8" }, { - "title": "'The Feminine Urge' Meme Explained", - "description": "Journalists love subjecting online jokes to semantic dissection. So, shall we?", - "content": "Journalists love subjecting online jokes to semantic dissection. So, shall we?", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/06/style/feminine-urge-meme-twitter.html", - "creator": "Anna P. Kambhampaty", - "pubDate": "Mon, 06 Dec 2021 16:23:54 +0000", + "title": "Fentanyl in Bottle Kills Toddler, and Father Is Charged", + "description": "The death of 22-month-old Charles Rosa-Velloso was just one of several opioid-related fatalities of young children this year.", + "content": "The death of 22-month-old Charles Rosa-Velloso was just one of several opioid-related fatalities of young children this year.", + "category": "Drug Abuse and Traffic", + "link": "https://www.nytimes.com/2021/12/02/nyregion/father-charged-toddler-fentanyl-death.html", + "creator": "Andy Newman", + "pubDate": "Thu, 02 Dec 2021 21:37:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98329,16 +124560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "170d9d821f73383b0b4858e4b2c95ef1" + "hash": "e530c0395b7dc675f25d7b2e16c4293b" }, { - "title": "Black Baseball Pioneer Bud Fowler Elected to Hall of Fame", - "description": "Elected by the Hall’s Early Days committee, Bud Fowler was a pioneer who played organized professional baseball against white players as early as 1878.", - "content": "Elected by the Hall’s Early Days committee, Bud Fowler was a pioneer who played organized professional baseball against white players as early as 1878.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/12/06/sports/baseball/bud-fowler-hall-of-fame.html", - "creator": "Benjamin Hoffman", - "pubDate": "Mon, 06 Dec 2021 17:02:47 +0000", + "title": "NFL Suspends Antonio Brown Over Fake Vaccination Card", + "description": "The Tampa Bay Buccaneers receiver and two other players had fake vaccination cards in violation of the Covid-19 protocols established between the league and its players’ union.", + "content": "The Tampa Bay Buccaneers receiver and two other players had fake vaccination cards in violation of the Covid-19 protocols established between the league and its players’ union.", + "category": "National Football League", + "link": "https://www.nytimes.com/2021/12/02/sports/football/antonio-brown-covid-vaccine-suspended.html", + "creator": "Ben Shpigel", + "pubDate": "Thu, 02 Dec 2021 22:24:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98349,16 +124580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "15cab8cac7338653bdc0d9b0247fff07" + "hash": "b4325734527c07ad443b0edee4f44205" }, { - "title": "N.Y.C. Breaks New Ground With Vaccine Mandate for All Private Employers", - "description": "Mayor Bill de Blasio said the measure was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Eric Adams, who will succeed Mr. de Blasio as mayor in less than a month, declined to commit to enforcing the new rules. Here’s the latest on Covid.", - "content": "Mayor Bill de Blasio said the measure was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Eric Adams, who will succeed Mr. de Blasio as mayor in less than a month, declined to commit to enforcing the new rules. Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 00:29:12 +0000", + "title": "Man Who Planted Razor Blades in Pizza Dough Gets 5 Years in Prison", + "description": "No one was reported injured, but prosecutors say that the recall prompted by Nicholas Mitchell’s tampering resulted in nearly $230,000 in losses to a Maine-based supermarket chain.", + "content": "No one was reported injured, but prosecutors say that the recall prompted by Nicholas Mitchell’s tampering resulted in nearly $230,000 in losses to a Maine-based supermarket chain.", + "category": "Pizza", + "link": "https://www.nytimes.com/2021/12/02/us/pizza-dough-razor-blades-sentencing.html", + "creator": "Neil Vigdor", + "pubDate": "Thu, 02 Dec 2021 23:22:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98369,16 +124600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c43099691242e382716d269f3d8ca4b" + "hash": "9f858157a06d00f3bba293abc7a42d78" }, { - "title": "Will Eric Adams Keep N.Y.C.’s Newest Vaccine Mandate?", - "description": "It was unclear if the incoming mayor, Eric Adams, who is on vacation in Ghana, intended to enforce a vaccine mandate for private employers.", - "content": "It was unclear if the incoming mayor, Eric Adams, who is on vacation in Ghana, intended to enforce a vaccine mandate for private employers.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/06/nyregion/eric-adams-employee-vaccine-mandate.html", - "creator": "Dana Rubinstein", - "pubDate": "Mon, 06 Dec 2021 23:35:33 +0000", + "title": "BuzzFeed readies public stock offering amid worker protest.", + "description": "BuzzFeed will make its market debut as soon as Monday. As shareholders voted on the deal, some of the media company’s employees staged a work stoppage.", + "content": "BuzzFeed will make its market debut as soon as Monday. As shareholders voted on the deal, some of the media company’s employees staged a work stoppage.", + "category": "BuzzFeed Inc", + "link": "https://www.nytimes.com/2021/12/02/business/media/buzzfeed-spac.html", + "creator": "Katie Robertson and Peter Eavis", + "pubDate": "Thu, 02 Dec 2021 23:21:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98389,16 +124620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c306b1d6f2c0883e1ed944aebad59f1" + "hash": "591534fe1e5cc8df5dec40d5c4d7d132" }, { - "title": "Spike in Omicron Variant Cases Puts Europe on Edge", - "description": "With cases of the Omicron variant rising in Europe, there are worries that even tougher restrictions are looming over a holiday period that many had hoped would be a return to some normalcy.", - "content": "With cases of the Omicron variant rising in Europe, there are worries that even tougher restrictions are looming over a holiday period that many had hoped would be a return to some normalcy.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/05/world/europe/virus-europe-omicron-variant-restrictions.html", - "creator": "Megan Specia and Isabella Kwai", - "pubDate": "Mon, 06 Dec 2021 13:25:10 +0000", + "title": "Blinken Trades Warnings With Russia’s Lavrov Over Ukraine, NATO", + "description": "The secretary of state said that President Biden is ‘likely’ to speak soon with Russian President Vladimir V. Putin.", + "content": "The secretary of state said that President Biden is ‘likely’ to speak soon with Russian President Vladimir V. Putin.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/12/02/us/politics/russia-biden-ukraine.html", + "creator": "Michael Crowley", + "pubDate": "Thu, 02 Dec 2021 22:15:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98409,16 +124640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b87127f194f0349451a6976bb72f40dd" + "hash": "30f938afacda28079372a86abe134bc0" }, { - "title": "On Ukrainian Front, Grinding War and Weary Anticipation of Invasion", - "description": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", - "content": "After eight years in the trenches, Ukrainian soldiers are resigned to the possibility that the Russian military, which dwarfs their own in power and wealth, will come sooner or later.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/06/world/europe/ukraine-russia-war-front.html", - "creator": "Michael Schwirtz", - "pubDate": "Mon, 06 Dec 2021 17:17:20 +0000", + "title": "Prints Long Thought to Be Bear Tracks May Have Been Made by Human Ancestor", + "description": "New research published in the journal Nature suggests that the prints, discovered in Tanzania in 1976, were left by an unidentified hominin, or early human ancestor, more than 3.6 million years ago.", + "content": "New research published in the journal Nature suggests that the prints, discovered in Tanzania in 1976, were left by an unidentified hominin, or early human ancestor, more than 3.6 million years ago.", + "category": "Paleontology", + "link": "https://www.nytimes.com/2021/12/01/science/hominin-footprints-tanzania.html", + "creator": "Isabella Grullón Paz", + "pubDate": "Wed, 01 Dec 2021 23:36:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98429,16 +124660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e164611c4129c49be72419ec23ceb6e0" + "hash": "30c9d28fc33836941d25cd08eb4203ef" }, { - "title": "United States Will Not Send Government Officials to Beijing Olympics", - "description": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", - "content": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/12/06/us/politics/olympics-boycott-us.html", - "creator": "Zolan Kanno-Youngs", - "pubDate": "Mon, 06 Dec 2021 19:18:35 +0000", + "title": "Looking at Surrealist Art in Our Own Surreal Age", + "description": "When viewed as a vehicle for various forms of liberation, the movement remains highly resonant even a century after its heyday.", + "content": "When viewed as a vehicle for various forms of liberation, the movement remains highly resonant even a century after its heyday.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/29/t-magazine/surrealism-art-met-exhibit.html", + "creator": "Kate Guadagnino", + "pubDate": "Mon, 29 Nov 2021 13:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98449,16 +124680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "56e58111ed7948344d0104a1e8ea318b" + "hash": "51acde1b2a3e4f459262f709ccadb71b" }, { - "title": "BuzzFeed’s First Day as a Public Company Is a Big Test", - "description": "Other digital media groups are eyeing how BuzzFeed performs as a publicly traded company as they face a tough advertising climate and look for ways to pay back their early investors.", - "content": "Other digital media groups are eyeing how BuzzFeed performs as a publicly traded company as they face a tough advertising climate and look for ways to pay back their early investors.", - "category": "Special Purpose Acquisition Companies (SPAC)", - "link": "https://www.nytimes.com/2021/12/06/business/buzzfeed-stock.html", - "creator": "Peter Eavis, Katie Robertson and Lauren Hirsch", - "pubDate": "Mon, 06 Dec 2021 18:48:51 +0000", + "title": "One Composer, Four Players, ‘Seven Pillars’", + "description": "Andy Akiho’s 11-part, 80-minute new work for percussion quartet is a lush, brooding celebration of noise.", + "content": "Andy Akiho’s 11-part, 80-minute new work for percussion quartet is a lush, brooding celebration of noise.", + "category": "Classical Music", + "link": "https://www.nytimes.com/2021/12/02/arts/akiho-sandbox-percussion-seven-pillars.html", + "creator": "Zachary Woolfe", + "pubDate": "Thu, 02 Dec 2021 11:12:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98469,16 +124700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b91a30f871677f7e750038cbb60d5d6" + "hash": "8066b4a7b5adcc7f9782e7276ec85812" }, { - "title": "Wonking Out: Money Isn’t Everything", - "description": "No, not even in macroeconomics.", - "content": "No, not even in macroeconomics.", - "category": "International Trade and World Market", - "link": "https://www.nytimes.com/2021/12/03/opinion/inflation-friedman-money-supply.html", - "creator": "Paul Krugman", - "pubDate": "Fri, 03 Dec 2021 19:48:37 +0000", + "title": "Here Are The Most Used Emojis of 2021", + "description": "Tears of joy prevailed as the most-used emoji in 2021, despite Gen Z’s stated contempt for it.", + "content": "Tears of joy prevailed as the most-used emoji in 2021, despite Gen Z’s stated contempt for it.", + "category": "Unicode Consortium", + "link": "https://www.nytimes.com/2021/12/02/style/emojis-most-used.html", + "creator": "Anna P. Kambhampaty", + "pubDate": "Thu, 02 Dec 2021 17:03:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98489,16 +124720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d5d178727768087c91cf64012b535996" + "hash": "a60fcc207be68601629c0b0aa95087f0" }, { - "title": "Virgil Abloh and the Fragility of Black Men's Lives", - "description": "Black men and women face violence in everyday life. That’s something that needs to be talked about. ", - "content": "Black men and women face violence in everyday life. That’s something that needs to be talked about. ", - "category": "Black People", - "link": "https://www.nytimes.com/2021/12/05/opinion/culture/virgil-abloh-black-mortality.html", - "creator": "Joél Leon Daniels", - "pubDate": "Sun, 05 Dec 2021 17:36:52 +0000", + "title": "‘Flee’ Review: From Kabul to Copenhagen", + "description": "A Danish documentary uses animation to tell the poignant, complicated story of an Afghan refugee.", + "content": "A Danish documentary uses animation to tell the poignant, complicated story of an Afghan refugee.", + "category": "Documentary Films and Programs", + "link": "https://www.nytimes.com/2021/12/02/movies/flee-review.html", + "creator": "A.O. Scott", + "pubDate": "Thu, 02 Dec 2021 17:09:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98509,16 +124740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "02ddff2ecd4906fbcfeda3e58e98ea36" + "hash": "fa27371904502cf57b4c8a60a9dca2f6" }, { - "title": "I’m Not Ready for Christmas. I Need to Take a Minute.", - "description": "Advent is an ideal time to grieve, reflect and look ahead.", - "content": "Advent is an ideal time to grieve, reflect and look ahead.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/05/opinion/christmas-advent-pandemic.html", - "creator": "Tish Harrison Warren", - "pubDate": "Sun, 05 Dec 2021 16:15:04 +0000", + "title": "Bette Midler Is Still in the Thrall of 19th-Century Novelists", + "description": "“I love Dickens and Twain above all.”", + "content": "“I love Dickens and Twain above all.”", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/12/02/books/review/bette-midler-by-the-book-interview.html", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 10:00:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98529,16 +124760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c0030d08dcd26933c1889a2ac2a2fadb" + "hash": "980f5ef4b1bd5282443f19f29b679499" }, { - "title": "Key Details About the Parents of the Michigan Shooting Suspect", - "description": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", - "content": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/05/us/michigan-shooting-parents.html", - "creator": "Sophie Kasakove and Susan Cooper Eastman", - "pubDate": "Sun, 05 Dec 2021 18:30:28 +0000", + "title": "Stream These 15 Titles Before They Leave Netflix in December", + "description": "The end of the year means a lot of expiring licenses. Check out these movies and TV shows before they disappear for U.S. subscribers in the coming weeks.", + "content": "The end of the year means a lot of expiring licenses. Check out these movies and TV shows before they disappear for U.S. subscribers in the coming weeks.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/01/arts/television/netflix-expiring-december.html", + "creator": "Jason Bailey", + "pubDate": "Wed, 01 Dec 2021 21:39:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98549,16 +124780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d79c4d1a5b759faae051d273fa19af5b" + "hash": "222bbdde9ad5c28ded77c8c13491175b" }, { - "title": "He Never Touched the Murder Weapon. Alabama Sentenced Him to Die.", - "description": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", - "content": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", - "category": "Woods, Nathaniel", - "link": "https://www.nytimes.com/2021/12/05/us/nathaniel-woods-alabama-sentenced.html", - "creator": "Dan Barry and Abby Ellin", - "pubDate": "Sun, 05 Dec 2021 10:00:47 +0000", + "title": "Jacqueline Avant, Philanthropist and Wife of Music Producer Clarence Avant, Is Fatally Shot", + "description": "Ms. Avant, 81, was found with a gunshot wound after the police received a report of a shooting at her home in Beverly Hills early Wednesday, the police said.", + "content": "Ms. Avant, 81, was found with a gunshot wound after the police received a report of a shooting at her home in Beverly Hills early Wednesday, the police said.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/12/01/us/jacqueline-avant-shot-killed.html", + "creator": "Michael Levenson", + "pubDate": "Thu, 02 Dec 2021 02:17:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98569,16 +124800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f737a94f88328c03ccf70f1cd73ea51" + "hash": "54e56b48fedadb285f56118bd618f5c4" }, { - "title": "Omicron Case With a New York Tie Shows How Virus Outpaces Response", - "description": "A health care analyst came to Manhattan for an anime convention. His trip shows how the virus once again outpaced the public health response.", - "content": "A health care analyst came to Manhattan for an anime convention. His trip shows how the virus once again outpaced the public health response.", - "category": "Contact Tracing (Public Health)", - "link": "https://www.nytimes.com/2021/12/05/nyregion/nyc-anime-convention-omicron-cases.html", - "creator": "Joseph Goldstein, Julie Bosman, Kimiko de Freytas-Tamura and Roni Caryn Rabin", - "pubDate": "Sun, 05 Dec 2021 16:49:34 +0000", + "title": "3 Students Are Killed in Michigan School Shooting", + "description": "A 15-year-old sophomore was taken into custody with a semiautomatic handgun that was bought by his father four days before the fatal shooting.", + "content": "A 15-year-old sophomore was taken into custody with a semiautomatic handgun that was bought by his father four days before the fatal shooting.", + "category": "School Shootings and Armed Attacks", + "link": "https://www.nytimes.com/2021/12/01/us/oxford-oakland-county-shooting.html", + "creator": "Scott Atkinson, Mitch Smith and Neal E. Boudette", + "pubDate": "Wed, 01 Dec 2021 07:06:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98589,16 +124820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a9960ede3b3d8a7992da61f8cb6171b" + "hash": "7d094e3143ca92040875898b8b938fc5" }, { - "title": "On Syria’s Ruins, a Drug Empire Flourishes", - "description": "Powerful associates of Syria’s president, Bashar al-Assad, are making and selling captagon, an illegal amphetamine, creating a new narcostate on the Mediterranean.", - "content": "Powerful associates of Syria’s president, Bashar al-Assad, are making and selling captagon, an illegal amphetamine, creating a new narcostate on the Mediterranean.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/05/world/middleeast/syria-drugs-captagon-assad.html", - "creator": "Ben Hubbard and Hwaida Saad", - "pubDate": "Sun, 05 Dec 2021 10:00:15 +0000", + "title": "Why Didn’t the U.S. Detect Omicron Cases Sooner?", + "description": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", + "content": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/12/02/health/coronavirus-omicron-genetic-surveillance.html", + "creator": "Emily Anthes", + "pubDate": "Thu, 02 Dec 2021 21:19:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98609,16 +124840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f9fba4014fe18ff5a5a9f91e8b8d0bed" + "hash": "4b0b4b61ea9ff9b9b13f4c6147eacfa1" }, { - "title": "What an America Without Roe Would Look Like", - "description": "Legal abortions would fall, particularly among poor women in the South and Midwest, and out-of-state travel and abortion pills would play a bigger role.", - "content": "Legal abortions would fall, particularly among poor women in the South and Midwest, and out-of-state travel and abortion pills would play a bigger role.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/05/upshot/abortion-without-roe-wade.html", - "creator": "Claire Cain Miller and Margot Sanger-Katz", - "pubDate": "Sun, 05 Dec 2021 17:40:48 +0000", + "title": "Another Omicron Case is Detected in the US, This Time in a Minnesota Resident", + "description": "Officials said they found the virus variant in a test sample from a man who had recently traveled to New York City for a convention.", + "content": "Officials said they found the virus variant in a test sample from a man who had recently traveled to New York City for a convention.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/12/02/us/minnesota-omicron-case.html", + "creator": "Jill Cowan", + "pubDate": "Thu, 02 Dec 2021 20:49:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98629,16 +124860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b6abbc7ba79bb356817a3d025092e92e" + "hash": "9ad6481145750552606a6758b79d81a6" }, { - "title": "New York City, Redistricting, Ukraine: Your Monday Evening Briefing", - "description": "Here’s what you need to know at the end of the day.", - "content": "Here’s what you need to know at the end of the day.", - "category": "", - "link": "https://www.nytimes.com/2021/12/06/briefing/new-york-city-redistricting-ukraine.html", - "creator": "Victoria Shannon", - "pubDate": "Mon, 06 Dec 2021 22:51:35 +0000", + "title": "Will High Vaccination Rates Help Spain Weather Omicron?", + "description": "Spain surpassed others in Europe by avoiding politicized debate about Covid shots. Citizens also largely heeded the health guidance from their leaders.", + "content": "Spain surpassed others in Europe by avoiding politicized debate about Covid shots. Citizens also largely heeded the health guidance from their leaders.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/world/europe/spain-omicron.html", + "creator": "Nicholas Casey", + "pubDate": "Thu, 02 Dec 2021 18:14:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98649,16 +124880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1f15321a1d10590890f546b5f9101b7" + "hash": "ea5c2f15ddef4dc3256adffc4c8cad2d" }, { - "title": "The Trial of Ghislaine Maxwell", - "description": "After the death of Jeffrey Epstein, what kind of justice is possible without him?", - "content": "After the death of Jeffrey Epstein, what kind of justice is possible without him?", - "category": "Child Abuse and Neglect", - "link": "https://www.nytimes.com/2021/12/06/podcasts/the-daily/maxwell-trial.html", - "creator": "Sabrina Tavernise, Michael Johnson, Rachelle Bonja, Rachel Quester, Lynsea Garrison, Stella Tan, M.J. Davis Lin and Larissa Anderson", - "pubDate": "Mon, 06 Dec 2021 14:01:29 +0000", + "title": "Government Shutdown Still Looms Despite Spending Deal", + "description": "Even as the House set a Thursday vote to fund the government through February, Senate Republicans were still threatening to force a shutdown over vaccine mandates.", + "content": "Even as the House set a Thursday vote to fund the government through February, Senate Republicans were still threatening to force a shutdown over vaccine mandates.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/us/politics/government-shutdown-congress-spending-deal.html", + "creator": "Emily Cochrane", + "pubDate": "Thu, 02 Dec 2021 16:54:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98669,16 +124900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a8a62acc92510af443d5352ea1cd8a6" + "hash": "c15c44d146f6ec5239053db8b350abbd" }, { - "title": "A Kennedy Center Honors With the Presidential Box Used as Intended", - "description": "Former President Donald J. Trump did not attend the tribute, but President Biden was on hand as Bette Midler, Joni Mitchell, Berry Gordy, Justino Díaz and Lorne Michaels were honored.", - "content": "Former President Donald J. Trump did not attend the tribute, but President Biden was on hand as Bette Midler, Joni Mitchell, Berry Gordy, Justino Díaz and Lorne Michaels were honored.", - "category": "Biden, Jill Tracy Jacobs", - "link": "https://www.nytimes.com/2021/12/06/arts/music/kennedy-center-honors.html", - "creator": "Emily Cochrane", - "pubDate": "Mon, 06 Dec 2021 18:23:44 +0000", + "title": "Is Holiday Gift-Giving Really Worth It?", + "description": "December’s materialism can feel perfunctory.", + "content": "December’s materialism can feel perfunctory.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/12/01/opinion/christmas-hanukkah-holiday-gifts.html", + "creator": "Jessica Grose", + "pubDate": "Wed, 01 Dec 2021 14:41:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98689,16 +124920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "50220ec0d157be674dfa5c2674968fbf" + "hash": "bcc9405d0199969c5969986c9303b17f" }, { - "title": "Biden Focuses on How Spending Bill Would Lower Drug Costs", - "description": "President Biden emphasized how the bill would lower prescription drug costs, an issue his administration hopes will build support for the broader package.", - "content": "President Biden emphasized how the bill would lower prescription drug costs, an issue his administration hopes will build support for the broader package.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/06/us/politics/biden-drug-prices.html", - "creator": "Zolan Kanno-Youngs and Margot Sanger-Katz", - "pubDate": "Mon, 06 Dec 2021 23:13:31 +0000", + "title": "The National Debate Over Abortion Laws", + "description": "Readers discuss whether one can be a pro-life feminist, high-risk pregnancies and Judaism’s position on abortion. Also: Taking action against Omicron.", + "content": "Readers discuss whether one can be a pro-life feminist, high-risk pregnancies and Judaism’s position on abortion. Also: Taking action against Omicron.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/12/01/opinion/letters/abortion-laws.html", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 19:26:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98709,16 +124940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb8462a475e2e4a063968649b068c4d4" + "hash": "4fb647172024266b20fd30054a5abee8" }, { - "title": "Medina Spirit, an Embattled Kentucky Derby Winner, Dies During a Workout", - "description": "The colt suffered an apparent heart attack while working out at the Santa Anita Park racetrack, a California racing official said.", - "content": "The colt suffered an apparent heart attack while working out at the Santa Anita Park racetrack, a California racing official said.", - "category": "Kentucky Derby", - "link": "https://www.nytimes.com/2021/12/06/sports/horse-racing/medina-spirit-dies.html", - "creator": "Joe Drape", - "pubDate": "Mon, 06 Dec 2021 18:18:11 +0000", + "title": "PlayStations and Xboxes Are Hard to Find. Meet the People Trying to Help.", + "description": "New gaming consoles remain in short supply this holiday season, spawning cottage industries of tipsters and scalpers making money off their scarcity.", + "content": "New gaming consoles remain in short supply this holiday season, spawning cottage industries of tipsters and scalpers making money off their scarcity.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/12/02/business/video-game-consoles-scalpers.html", + "creator": "Kellen Browning and Julie Creswell", + "pubDate": "Thu, 02 Dec 2021 18:55:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98729,16 +124960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bffdec15180b788d538e92777ba09147" + "hash": "3a37a4a6aa707d8e132506e9379a5a13" }, { - "title": "Business Updates: Chris Cuomo Says He Will End His SiriusXM Radio Show", - "description": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", - "content": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", + "title": "Abortion at the Court", + "description": "The Supreme Court seems likely to undermine or overturn Roe v. Wade.", + "content": "The Supreme Court seems likely to undermine or overturn Roe v. Wade.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Tue, 07 Dec 2021 00:30:13 +0000", + "link": "https://www.nytimes.com/2021/12/02/briefing/supreme-court-abortion-case-mississippi.html", + "creator": "David Leonhardt and Ian Prasad Philbrick", + "pubDate": "Thu, 02 Dec 2021 11:35:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98749,16 +124980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "68b598780fc8454b9ecff65fd21097ab" + "hash": "0d10168bf8c02d9fa1d01dfa8a062c4a" }, { - "title": "Jussie Smollett Tells Jury He Did Not Direct a Fake Attack on Himself", - "description": "The actor, who is accused of asking two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", - "content": "The actor, who is accused of asking two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/06/arts/television/jussie-smollett-trial-testimony.html", - "creator": "Julia Jacobs and Mark Guarino", - "pubDate": "Mon, 06 Dec 2021 21:48:51 +0000", + "title": "Emily Ratajkowski Isn’t Quite Ready to Quit Profiting Off the Male Gaze", + "description": "The model on wielding beauty and power in the age of Instagram.", + "content": "The model on wielding beauty and power in the age of Instagram.", + "category": "audio-neutral-informative", + "link": "https://www.nytimes.com/2021/11/29/opinion/sway-kara-swisher-emily-ratajkowski.html", + "creator": "‘Sway’", + "pubDate": "Mon, 29 Nov 2021 14:21:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98769,16 +125000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11e2b40807a74d370e97c0300091be67" + "hash": "36420908dc64d7297494840d2aa92ed7" }, { - "title": "Drake Removes Himself From Competition for 2022 Grammy Awards", - "description": "The superstar rapper and singer, long a critic of the awards, was nominated in two categories, best rap album and best rap performance.", - "content": "The superstar rapper and singer, long a critic of the awards, was nominated in two categories, best rap album and best rap performance.", - "category": "Grammy Awards", - "link": "https://www.nytimes.com/2021/12/06/arts/music/drake-grammy-nominations.html", - "creator": "Ben Sisario and Joe Coscarelli", - "pubDate": "Mon, 06 Dec 2021 22:07:13 +0000", + "title": "As French Election Looms, Candidates Stake Out Tough Positions on Migrants", + "description": "With a presidential election looming, French presidential hopefuls are hardening their positions against immigration even as other countries compete for migrant workers.", + "content": "With a presidential election looming, French presidential hopefuls are hardening their positions against immigration even as other countries compete for migrant workers.", + "category": "Immigration and Emigration", + "link": "https://www.nytimes.com/2021/12/02/world/europe/french-election-immigration.html", + "creator": "Norimitsu Onishi", + "pubDate": "Thu, 02 Dec 2021 20:04:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98789,16 +125020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "022a3ba5c391827cecd6c58152b1316c" + "hash": "b73960d7c367d2c32abca1b561351f3f" }, { - "title": "Microsoft Seizes 42 Websites From a Chinese Hacking Group", - "description": "The group was likely using the websites to install malware that helped it gather data from government agencies and other groups, the company said.", - "content": "The group was likely using the websites to install malware that helped it gather data from government agencies and other groups, the company said.", - "category": "Computers and the Internet", - "link": "https://www.nytimes.com/2021/12/06/business/microsoft-china-hackers.html", - "creator": "Kellen Browning", - "pubDate": "Tue, 07 Dec 2021 00:13:59 +0000", + "title": "Two Election Workers Targeted by Pro-Trump Media Sue for Defamation", + "description": "The two Georgia workers were falsely accused of manipulating ballots by Trump allies and right-wing news sites. Election officials said the workers did nothing wrong.", + "content": "The two Georgia workers were falsely accused of manipulating ballots by Trump allies and right-wing news sites. Election officials said the workers did nothing wrong.", + "category": "Gateway Pundit (Blog)", + "link": "https://www.nytimes.com/2021/12/02/us/politics/gateway-pundit-defamation-lawsuit.html", + "creator": "Reid J. Epstein", + "pubDate": "Thu, 02 Dec 2021 17:45:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98809,16 +125040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "29f147de38661e2d64c7ffee5dd256f6" + "hash": "99afb49cb6f1977922b60a6c6200292f" }, { - "title": "New York City Announces Vaccine Mandate for Private Employers", - "description": "Mayor Bill de Blasio said it was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Here’s the latest.", - "content": "Mayor Bill de Blasio said it was a “pre-emptive strike” to curb another wave of virus cases and help reduce transmission of the new variant. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 15:09:03 +0000", + "title": "Double Resignation Shakes Austrian Politics in Aftermath of Scandal", + "description": "Sebastian Kurz, a former chancellor under investigation for influence-buying and corruption, said he was quitting politics. Within hours, his successor and ally also resigned, after only two months on the job.", + "content": "Sebastian Kurz, a former chancellor under investigation for influence-buying and corruption, said he was quitting politics. Within hours, his successor and ally also resigned, after only two months on the job.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/02/world/europe/austria-kurz-successor-resignation.html", + "creator": "Steven Erlanger", + "pubDate": "Thu, 02 Dec 2021 20:43:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98829,16 +125060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9e93b717e237968331132f87d9b6834" + "hash": "c319f99a2bba3163c0290792bcc75dcf" }, { - "title": "China Calls on ‘Little Inoculated Warriors’ in Its War on Covid-19", - "description": "The country regards children as crucial in its quest for herd immunity, but some parents, worried about the vaccines’ safety, are pushing back.", - "content": "The country regards children as crucial in its quest for herd immunity, but some parents, worried about the vaccines’ safety, are pushing back.", - "category": "China", - "link": "https://www.nytimes.com/2021/12/06/business/china-covid-vaccine-children.html", - "creator": "Alexandra Stevenson and Cao Li", - "pubDate": "Mon, 06 Dec 2021 13:23:03 +0000", + "title": "Anti-Vaccination Ad Mysteriously Appears at N.Y.C. Bus Stop", + "description": "City officials said the ad, which contained false information and was seen at a bus stop in Brooklyn, had not been authorized. It was later removed.", + "content": "City officials said the ad, which contained false information and was seen at a bus stop in Brooklyn, had not been authorized. It was later removed.", + "category": "Vaccination and Immunization", + "link": "https://www.nytimes.com/2021/12/02/nyregion/anti-vaccine-poster-brooklyn.html", + "creator": "Winnie Hu and Michael Gold", + "pubDate": "Thu, 02 Dec 2021 20:06:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98849,16 +125080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ce23553e8c80b00825e5f26c4bd0966" + "hash": "670e56b582eb8652921c2e89a0b49dd3" }, { - "title": "The Pandemic Has Your Blood Pressure Rising? You’re Not Alone.", - "description": "Average blood pressure readings increased as the coronavirus spread, new research suggests. The finding portends medical repercussions far beyond Covid-19.", - "content": "Average blood pressure readings increased as the coronavirus spread, new research suggests. The finding portends medical repercussions far beyond Covid-19.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/12/06/health/covid-blood-pressure.html", - "creator": "Roni Caryn Rabin", - "pubDate": "Mon, 06 Dec 2021 18:23:02 +0000", + "title": "Former Ohio Deputy Is Charged With Murder in Shooting of Casey Goodson Jr", + "description": "The former deputy, Jason Meade, was a member of a fugitive task force when he shot Casey Goodson Jr., 23, who was not the target of the operation, according to an indictment. He faces two murder counts.", + "content": "The former deputy, Jason Meade, was a member of a fugitive task force when he shot Casey Goodson Jr., 23, who was not the target of the operation, according to an indictment. He faces two murder counts.", + "category": "Goodson, Casey Christopher Jr", + "link": "https://www.nytimes.com/2021/12/02/us/casey-goodson-shooting.html", + "creator": "Christine Hauser", + "pubDate": "Thu, 02 Dec 2021 16:39:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98869,16 +125100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "349359d3aaa1e9d0f6adb3e261ac393f" + "hash": "afa0e46db199e1fbb6b2931e20a521f2" }, { - "title": "Justice Dept. Files Voting Rights Suit Against Texas Over New Map", - "description": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", - "content": "The department said the state’s redistricting plan would violate the Voting Rights Act by discriminating against minority voters.", - "category": "Voting Rights Act (1965)", - "link": "https://www.nytimes.com/2021/12/06/us/politics/justice-department-texas-voting.html", - "creator": "Katie Benner", - "pubDate": "Mon, 06 Dec 2021 19:26:39 +0000", + "title": "Meghan Wins Legal Battle Against The Mail on Sunday", + "description": "An appeals court rejected a bid to force a trial over the duchess’s claim that the tabloid violated her privacy by publishing an anguished letter she sent to her estranged father.", + "content": "An appeals court rejected a bid to force a trial over the duchess’s claim that the tabloid violated her privacy by publishing an anguished letter she sent to her estranged father.", + "category": "Royal Families", + "link": "https://www.nytimes.com/2021/12/02/world/europe/meghan-markle-tabloid-lawsuit.html", + "creator": "Mark Landler", + "pubDate": "Thu, 02 Dec 2021 16:03:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98889,16 +125120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11251f8596c2652e87940cf5cfc601c6" + "hash": "fde5a44437e333b06fe0ca71b5430a06" }, { - "title": "Donald Trump’s Media Company Deal Is Being Investigated", - "description": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", - "content": "Regulators are scrutinizing the planned merger of a nascent social media company with a so-called blank-check company. Here’s the latest business news.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 18:57:38 +0000", + "title": "Hundreds of FedEx Packages Dumped in Alabama Ravine, Authorities Say", + "description": "Amid the holiday shopping crush, more than 300 packages were discovered on private property. The driver, who has been identified and questioned by the police, is no longer working for FedEx, the company said.", + "content": "Amid the holiday shopping crush, more than 300 packages were discovered on private property. The driver, who has been identified and questioned by the police, is no longer working for FedEx, the company said.", + "category": "Delivery Services", + "link": "https://www.nytimes.com/2021/12/02/us/fedex-packages-dumped.html", + "creator": "Derrick Bryson Taylor", + "pubDate": "Thu, 02 Dec 2021 15:51:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98909,16 +125140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8e3c8d140c126a1e4f0013664054284c" + "hash": "dffea95cddead7deae2fa4f249d670c3" }, { - "title": "Bearing Witness to Svalbard’s Fragile Splendor", - "description": "To visitors, the Norwegian archipelago can seem both ethereal and eternal. But climate change all but guarantees an eventual collapse of its vulnerable ecosystem.", - "content": "To visitors, the Norwegian archipelago can seem both ethereal and eternal. But climate change all but guarantees an eventual collapse of its vulnerable ecosystem.", - "category": "Travel and Vacations", - "link": "https://www.nytimes.com/2021/12/06/travel/svalbard-climate-change-tourism.html", - "creator": "Marcus Westberg", - "pubDate": "Mon, 06 Dec 2021 10:00:22 +0000", + "title": "As ‘Nutcracker’ Returns, Companies Rethink Depictions of Asians", + "description": "Ballet companies are reworking the holiday classic partly in response to a wave of anti-Asian hate that has intensified during the pandemic.", + "content": "Ballet companies are reworking the holiday classic partly in response to a wave of anti-Asian hate that has intensified during the pandemic.", + "category": "Dancing", + "link": "https://www.nytimes.com/2021/11/29/arts/dance/nutcracker-asian-stereotypes-rethinking.html", + "creator": "Javier C. Hernández", + "pubDate": "Mon, 29 Nov 2021 21:51:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98929,16 +125160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "997aefaf47c97563d260037e28c69751" + "hash": "f6ba4473e7149b9411f2c02cc175a314" }, { - "title": "What Can One Life Tell Us About the Battle Against H.I.V.?", - "description": "In 2001, U.N. estimates suggested 150 million people would be infected with H.I.V. by 2021. That preceded an ambitious global campaign to curb the virus. How well did it work?", - "content": "In 2001, U.N. estimates suggested 150 million people would be infected with H.I.V. by 2021. That preceded an ambitious global campaign to curb the virus. How well did it work?", - "category": "Acquired Immune Deficiency Syndrome", - "link": "https://www.nytimes.com/2021/12/02/health/hiv-aids-infection-epidemic-un.html", - "creator": "Sarika Bansal", - "pubDate": "Thu, 02 Dec 2021 10:00:16 +0000", + "title": "Cutting a Banksy Into 10,000 (Digital) Pieces", + "description": "A former Christie’s executive has joined cryptocurrency experts to create a company that purchases art and sells the fragments as NFTs.", + "content": "A former Christie’s executive has joined cryptocurrency experts to create a company that purchases art and sells the fragments as NFTs.", + "category": "Gouzer, Loic", + "link": "https://www.nytimes.com/2021/12/01/arts/design/banksy-nft-loic-gouzer-particle.html", + "creator": "Robin Pogrebin", + "pubDate": "Thu, 02 Dec 2021 00:56:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98949,16 +125180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "339cc02f81565d03d63a84996c002ee2" + "hash": "c774d4672c2078a6da1445165f8e66c4" }, { - "title": "A Terrible Catch-22", - "description": "Should wrongfully convicted people falsely admit guilt to win parole?", - "content": "Should wrongfully convicted people falsely admit guilt to win parole?", - "category": "", - "link": "https://www.nytimes.com/2021/12/06/briefing/wrongful-convictions-parole.html", - "creator": "David Leonhardt", - "pubDate": "Mon, 06 Dec 2021 11:29:37 +0000", + "title": "College Football’s ‘Great Man Theory’ Gets a New Test at U.S.C.", + "description": "Southern California hired Lincoln Riley from Oklahoma, which is now looking for his successor. The carousel seemed to spin harder and faster than ever as programs looked for saviors.", + "content": "Southern California hired Lincoln Riley from Oklahoma, which is now looking for his successor. The carousel seemed to spin harder and faster than ever as programs looked for saviors.", + "category": "Coaches and Managers", + "link": "https://www.nytimes.com/2021/11/29/sports/ncaafootball/usc-lincoln-riley-oklahoma.html", + "creator": "Alan Blinder", + "pubDate": "Tue, 30 Nov 2021 01:35:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98969,16 +125200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a78f18cc8a6763af9ba3e87e1562a392" + "hash": "208b89507400b2f5254b599b23462dc5" }, { - "title": "A Thriller in Vermont and a Camera Floating in the Ocean", - "description": "Our critic recommends old and new books.", - "content": "Our critic recommends old and new books.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/04/books/read-like-the-wind.html", - "creator": "Molly Young", - "pubDate": "Sat, 04 Dec 2021 13:00:03 +0000", + "title": "The Best Movies and TV Shows Coming to Amazon, HBO, Hulu and More in December", + "description": "Every month, streaming services add movies and TV shows to its library. Here are our picks for some of December’s most promising new titles.", + "content": "Every month, streaming services add movies and TV shows to its library. Here are our picks for some of December’s most promising new titles.", + "category": "Television", + "link": "https://www.nytimes.com/2021/12/01/arts/television/amazon-disney-hulu-streaming.html", + "creator": "Noel Murray", + "pubDate": "Wed, 01 Dec 2021 21:57:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -98989,16 +125220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f13a703621329fed58a7e421baa769f2" + "hash": "85c8bde03625428806dcae6118049040" }, { - "title": "Predicting the Future Is Possible. These ‘Superforecasters’ Know How.", - "description": "The psychologist Philip Tetlock on the art and science of prediction.", - "content": "The psychologist Philip Tetlock on the art and science of prediction.", - "category": "audio-neutral-informative", - "link": "https://www.nytimes.com/2021/12/03/opinion/ezra-klein-podcast-philip-tetlock.html", - "creator": "‘The Ezra Klein Show’", - "pubDate": "Fri, 03 Dec 2021 10:00:18 +0000", + "title": "The Knicks’ Struggles Go Deeper Than Kemba Walker", + "description": "A surprising reconsideration of the lineup that pushed Walker out of the rotation could help with some of the team’s issues, but not all of them.", + "content": "A surprising reconsideration of the lineup that pushed Walker out of the rotation could help with some of the team’s issues, but not all of them.", + "category": "Basketball", + "link": "https://www.nytimes.com/2021/12/01/sports/basketball/knicks-kemba-walker.html", + "creator": "Sopan Deb", + "pubDate": "Wed, 01 Dec 2021 21:26:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99009,16 +125240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ede45c011f8b6de5596224f56c912866" + "hash": "9bf87bc817a1355e49e4ebd21fb8d4f1" }, { - "title": "Witness Says Maxwell Recruited Her for Sexual Encounters With Epstein", - "description": "A woman told jurors that Ghislaine Maxwell played a direct role in arranging her encounters with Jeffrey Epstein. See updates on the trial here.", - "content": "A woman told jurors that Ghislaine Maxwell played a direct role in arranging her encounters with Jeffrey Epstein. See updates on the trial here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 20:43:52 +0000", + "title": "Supreme Court Seems Poised to Uphold Mississippi’s Abortion Law", + "description": "It was less clear whether the court’s conservative majority would overrule Roe v. Wade, the decision establishing a constitutional right to abortion.", + "content": "It was less clear whether the court’s conservative majority would overrule Roe v. Wade, the decision establishing a constitutional right to abortion.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/12/01/us/politics/supreme-court-mississippi-abortion-law.html", + "creator": "Adam Liptak", + "pubDate": "Thu, 02 Dec 2021 16:55:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99029,16 +125260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8638fb7f098e1f5c3d20b43ddb0fd871" + "hash": "b1a57ecbc15f43db3b998c13aab4dc1c" }, { - "title": "Three of a Group of Missionaries Kidnapped in Haiti Have Been Released", - "description": "The U.S. Christian aid group said three more people were released of the 17 who had been kidnapped by a gang in Haiti. Two were released last month.", - "content": "The U.S. Christian aid group said three more people were released of the 17 who had been kidnapped by a gang in Haiti. Two were released last month.", - "category": "Kidnapping and Hostages", - "link": "https://www.nytimes.com/2021/12/06/world/americas/hostages-haiti.html", - "creator": "Oscar Lopez and Maria Abi-Habib", - "pubDate": "Mon, 06 Dec 2021 18:02:34 +0000", + "title": "Marcus Lamb, a Christian Broadcaster and Vaccine Skeptic, Dies of Covid", + "description": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", + "content": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/01/us/marcus-lamb-dead.html", + "creator": "Alyssa Lukpat", + "pubDate": "Thu, 02 Dec 2021 16:23:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99049,16 +125280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3b7a2c813e3c667eb488dd6947a61ecb" + "hash": "5cf9fee8f2e7aa5b5490f3e73c013a60" }, { - "title": "Storm Could Cause ‘Catastrophic Flooding’ in Hawaii, Forecasters Warn", - "description": "Some parts of the islands could see as much as 25 inches of rain through Tuesday, meteorologists said. “This is an extreme weather event,” an emergency official said on Monday.", - "content": "Some parts of the islands could see as much as 25 inches of rain through Tuesday, meteorologists said. “This is an extreme weather event,” an emergency official said on Monday.", - "category": "Floods", - "link": "https://www.nytimes.com/2021/12/06/us/hawaii-flooding.html", - "creator": "Eduardo Medina", - "pubDate": "Mon, 06 Dec 2021 19:14:13 +0000", + "title": "‘Call Me Dog Tag Man’: Pacific Island Is Full of War Relics and Human Remains", + "description": "More than 75 years after the Battle of Biak ended, collectors are still finding remnants of the fight, and U.S. authorities are hoping to bring closure to families of soldiers still missing.", + "content": "More than 75 years after the Battle of Biak ended, collectors are still finding remnants of the fight, and U.S. authorities are hoping to bring closure to families of soldiers still missing.", + "category": "Biak (Indonesia)", + "link": "https://www.nytimes.com/2021/12/02/world/asia/indonesia-battle-of-biak.html", + "creator": "Dera Menra Sijabat, Richard C. Paddock and Ulet Ifansasti", + "pubDate": "Thu, 02 Dec 2021 08:00:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99069,16 +125300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "99176510198d474ef0f750ebcc96e22c" + "hash": "034760d79dd55d388b1711eaf908fcde" }, { - "title": "Jussie Smollett Testifies at Trial on Charges He Staged an Attack on Himself", - "description": "The actor, who is accused of directing two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", - "content": "The actor, who is accused of directing two brothers to mildly attack him, and then reporting it as a hate crime, took the stand at his criminal trial on charges related to the 2019 assault.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/06/arts/television/jussie-smollett-trial-testimony.html", - "creator": "Julia Jacobs and Mark Guarino", - "pubDate": "Mon, 06 Dec 2021 20:20:26 +0000", + "title": "The 10 Best Podcasts of 2021", + "description": "Shows about Chippendales, a notorious Hollywood bomb, the search for the perfect pasta shape and the immediate aftermath of 9/11 are among those worthy of your attention.", + "content": "Shows about Chippendales, a notorious Hollywood bomb, the search for the perfect pasta shape and the immediate aftermath of 9/11 are among those worthy of your attention.", + "category": "Podcasts", + "link": "https://www.nytimes.com/2021/12/01/arts/best-podcasts.html", + "creator": "Reggie Ugwu", + "pubDate": "Thu, 02 Dec 2021 15:07:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99089,16 +125320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c9e89726e2b043dce03c4451bd4d22c" + "hash": "cf57ed3a9a001361734696d89ab1aea9" }, { - "title": "NASA Announces 10 New Astronaut Recruits", - "description": "The recruits, selected from a pool of 12,000 applicants, will begin two years of training, and some of them may one day walk on the moon.", - "content": "The recruits, selected from a pool of 12,000 applicants, will begin two years of training, and some of them may one day walk on the moon.", - "category": "National Aeronautics and Space Administration", - "link": "https://www.nytimes.com/2021/12/06/science/nasa-astronaut-class.html", - "creator": "Joey Roulette", - "pubDate": "Mon, 06 Dec 2021 18:25:25 +0000", + "title": "Counterfeit Covid Masks Are Still Sold Everywhere", + "description": "Rising Covid cases have spurred a return to mask-wearing in the U.S. and overseas, at a time when flawed KN95s from China continue to dominate e-commerce sites.", + "content": "Rising Covid cases have spurred a return to mask-wearing in the U.S. and overseas, at a time when flawed KN95s from China continue to dominate e-commerce sites.", + "category": "Masks", + "link": "https://www.nytimes.com/2021/11/30/health/covid-masks-counterfeit-fake.html", + "creator": "Andrew Jacobs", + "pubDate": "Tue, 30 Nov 2021 17:32:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99109,16 +125340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cee241507e51e0ed4454259d8253410b" + "hash": "768415a0aaa60479c968e8f0d3ddeaa6" }, { - "title": "After 8 Wolves Are Poisoned, Oregon Police Ask for Help", - "description": "From February to July, an entire pack and three other wolves were found dead from poisoning, according to the authorities.", - "content": "From February to July, an entire pack and three other wolves were found dead from poisoning, according to the authorities.", - "category": "Wolves", - "link": "https://www.nytimes.com/2021/12/06/us/oregon-wolves-poisoned.html", - "creator": "Johnny Diaz", - "pubDate": "Mon, 06 Dec 2021 19:24:46 +0000", + "title": "The Teenagers Getting Six Figures to Leave Their High Schools for Basketball", + "description": "The new pro league Overtime Elite is luring young phenoms with hefty salaries, viral success and — perhaps — a better path to the N.B.A.", + "content": "The new pro league Overtime Elite is luring young phenoms with hefty salaries, viral success and — perhaps — a better path to the N.B.A.", + "category": "Student Athlete Compensation", + "link": "https://www.nytimes.com/2021/11/30/magazine/overtime-elite-basketball-nba.html", + "creator": "Bruce Schoenfeld", + "pubDate": "Tue, 30 Nov 2021 14:59:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99129,16 +125360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa85f6f6e3c8e18ca0599cbf435adb5b" + "hash": "30ee66536c26551d5ead7841437e1ea3" }, { - "title": "17 Covid Cases Found Aboard Cruise Ship in New Orleans", - "description": "The Norwegian Cruise Line ship, carrying more than 3,200 people, made stops in Belize, Honduras and Mexico. A crew member probably has the Omicron variant, health officials said.", - "content": "The Norwegian Cruise Line ship, carrying more than 3,200 people, made stops in Belize, Honduras and Mexico. A crew member probably has the Omicron variant, health officials said.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/06/us/new-orleans-cruise-ship-covid.html", - "creator": "Derrick Bryson Taylor", - "pubDate": "Mon, 06 Dec 2021 13:26:52 +0000", + "title": "In a Nonbinary Pronoun, France Sees a U.S. Attack on the Republic", + "description": "When a French dictionary included the gender-nonspecific “iel” for the first time, a virulent reaction erupted over “wokisme” exported from American universities.", + "content": "When a French dictionary included the gender-nonspecific “iel” for the first time, a virulent reaction erupted over “wokisme” exported from American universities.", + "category": "French Language", + "link": "https://www.nytimes.com/2021/11/28/world/europe/france-nonbinary-pronoun.html", + "creator": "Roger Cohen and Léontine Gallois", + "pubDate": "Sun, 28 Nov 2021 18:22:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99149,16 +125380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6cfa2507dec34b5ccebf49fd30c7f736" + "hash": "5763614df995cf51693b346925b562b5" }, { - "title": "Yes, Kids Can Get Migraines. Here Are the Signs.", - "description": "The chronic condition, typically thought of as an ‘adult’ problem, can affect up to 3 percent of kids between 3 and 7.", - "content": "The chronic condition, typically thought of as an ‘adult’ problem, can affect up to 3 percent of kids between 3 and 7.", - "category": "Migraine Headaches", - "link": "https://www.nytimes.com/2020/05/14/parenting/child-migraines-signs.html", - "creator": "Emily Sohn", - "pubDate": "Thu, 14 May 2020 19:11:29 +0000", + "title": "Supreme Court Seems Poised to Uphold Mississippi’s Abortion Law", + "description": "Oral arguments are set to begin at 10 a.m. Eastern and The New York Times will be streaming audio live, providing context and analysis. Follow here.", + "content": "Oral arguments are set to begin at 10 a.m. Eastern and The New York Times will be streaming audio live, providing context and analysis. Follow here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/01/us/abortion-mississippi-supreme-court", + "creator": "The New York Times", + "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99169,16 +125400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d98308559011e31f60269fdaa5b4f469" + "hash": "648eaedffba5e8be74f9b1c44fa1cd44" }, { - "title": "‘The Fortune Men,’ a Novel That Remembers a Man Wrongly Sentenced to Death", - "description": "Nadifa Mohamed’s third novel, shortlisted for this year’s Booker Prize, is about Mahmood Mattan, a young Somali sailor who was falsely accused of a violent murder.", - "content": "Nadifa Mohamed’s third novel, shortlisted for this year’s Booker Prize, is about Mahmood Mattan, a young Somali sailor who was falsely accused of a violent murder.", - "category": "The Fortune Men (Book)", - "link": "https://www.nytimes.com/2021/12/05/books/review-fortune-men-nadifa-mohamed.html", - "creator": "Dwight Garner", - "pubDate": "Sun, 05 Dec 2021 19:35:56 +0000", + "title": "Mississippi: Is Roe v. Wade Needed if Women Can Have It All?", + "description": "One argument in the abortion case before the Supreme Court is that balancing work and family is now less of a challenge, but research shows becoming a mother still has a large economic impact on women.", + "content": "One argument in the abortion case before the Supreme Court is that balancing work and family is now less of a challenge, but research shows becoming a mother still has a large economic impact on women.", + "category": "Roe v Wade (Supreme Court Decision)", + "link": "https://www.nytimes.com/2021/12/01/upshot/mississippi-abortion-case-roe.html", + "creator": "Claire Cain Miller", + "pubDate": "Wed, 01 Dec 2021 15:41:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99189,16 +125420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "10403b211a719478bdfab4f557fd528f" + "hash": "ab054c80701daae22bec717e351a0e8f" }, { - "title": "Review: ‘Landscapers’ Is Not Your Typical True-Crime Love Story", - "description": "Olivia Colman and David Thewlis star in this HBO tale of devotion, murdered parents and very expensive autographs.", - "content": "Olivia Colman and David Thewlis star in this HBO tale of devotion, murdered parents and very expensive autographs.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/05/arts/television/landscapers-review.html", - "creator": "Mike Hale", - "pubDate": "Sun, 05 Dec 2021 20:18:30 +0000", + "title": "The Mississippi Abortion Law That Challenges Roe v. Wade", + "description": "A case before the Supreme Court is seen as potentially pivotal in establishing how aggressively the justices might move to place new constraints on abortion rights.", + "content": "A case before the Supreme Court is seen as potentially pivotal in establishing how aggressively the justices might move to place new constraints on abortion rights.", + "category": "Abortion", + "link": "https://www.nytimes.com/article/mississippi-abortion-law.html", + "creator": "Adeel Hassan", + "pubDate": "Wed, 01 Dec 2021 18:26:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99209,16 +125440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6b848d8b1190668be3ee66a9d90067d7" + "hash": "7201f8a7787b57a82bd075f077e7645a" }, { - "title": "Fish Stew With Radicchio-Fennel Salad and Granita", - "description": "No matter what ingredients you use, this bold, briny stew from David Tanis sings alongside a radicchio-fennel salad and a grapefruit granita.", - "content": "No matter what ingredients you use, this bold, briny stew from David Tanis sings alongside a radicchio-fennel salad and a grapefruit granita.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/12/06/dining/fish-stew-recipe.html", - "creator": "David Tanis", - "pubDate": "Mon, 06 Dec 2021 14:40:44 +0000", + "title": "First Case of Omicron Variant Is Detected in the U.S.", + "description": "The variant was detected in California, where the C.D.C. said aggressive contact tracing is underway. Here’s the latest on Covid-19.", + "content": "The variant was detected in California, where the C.D.C. said aggressive contact tracing is underway. Here’s the latest on Covid-19.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/01/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99229,16 +125460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6741d5e4284defe07252dff99795e165" + "hash": "b608f1a03f8c270a752d6d38e0b95b52" }, { - "title": "Magnus Carlsen Controls World Chess Championship After Two Wins", - "description": "With two wins in his pocket, Magnus Carlsen knows only a huge stumble will keep from retaining the world title he has held since 2013.", - "content": "With two wins in his pocket, Magnus Carlsen knows only a huge stumble will keep from retaining the world title he has held since 2013.", - "category": "Carlsen, Magnus", - "link": "https://www.nytimes.com/2021/12/06/sports/magnus-carlsen-world-chess.html", - "creator": "Dylan Loeb McClain", - "pubDate": "Mon, 06 Dec 2021 15:44:27 +0000", + "title": "Vaccine Hesitancy Hurts Covid Fight in Poorer Countries", + "description": "Vaccines are finally available in many African countries, but an underfunded public health system has slowed their delivery, and some people there, as well as in South Asia, are wary of taking them.", + "content": "Vaccines are finally available in many African countries, but an underfunded public health system has slowed their delivery, and some people there, as well as in South Asia, are wary of taking them.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/12/01/world/africa/coranavirus-vaccine-hesitancy-africa.html", + "creator": "Lynsey Chutel and Max Fisher", + "pubDate": "Wed, 01 Dec 2021 18:44:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99249,16 +125480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff5f6de3fb724c9885bc52a923b247b2" + "hash": "c0512a9d4448c82c7b922f4a9c669177" }, { - "title": "United States Will Not Send Government Officials to Beijing Olympics", - "description": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", - "content": "Athletes will still be able to compete in the Winter Games in Beijing, but the diplomatic boycott is a response to human rights abuses in Xinjiang.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/12/06/us/politics/olympics-beijing-boycott.html", - "creator": "Zolan Kanno-Youngs", - "pubDate": "Mon, 06 Dec 2021 18:59:47 +0000", + "title": "Fourth Student Dies After Michigan High School Shooting", + "description": "A 15-year-old is in custody after a rampage that also injured seven, including a 14-year-old girl who remains in “extremely critical” condition. Follow updates.", + "content": "A 15-year-old is in custody after a rampage that also injured seven, including a 14-year-old girl who remains in “extremely critical” condition. Follow updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/01/us/school-shooting-michigan", + "creator": "The New York Times", + "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99269,16 +125500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9bcd041dc33e5a00580aeedc566ca182" + "hash": "11a8011c34554ea592bea231f591822f" }, { - "title": "China Cuts RRR as Evergrande and Kaisa Face Deadlines", - "description": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", - "content": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", - "category": "China Evergrande Group", - "link": "https://www.nytimes.com/2021/12/06/business/china-evergrande-kaisa-property.html", - "creator": "Alexandra Stevenson and Cao Li", - "pubDate": "Mon, 06 Dec 2021 19:28:35 +0000", + "title": "Oxford School Shooting: What We Know", + "description": "The authorities identified those killed as Hana St. Juliana, 14; Madisyn Baldwin, 17; Justin Shilling, 17; and Tate Myre, 16. A teacher was among the injured.", + "content": "The authorities identified those killed as Hana St. Juliana, 14; Madisyn Baldwin, 17; Justin Shilling, 17; and Tate Myre, 16. A teacher was among the injured.", + "category": "Oxford Charter Township, Mich, Shooting (2021)", + "link": "https://www.nytimes.com/2021/12/01/us/oxford-school-shooting-michigan.html", + "creator": "Livia Albeck-Ripka and Sophie Kasakove", + "pubDate": "Wed, 01 Dec 2021 18:36:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99289,16 +125520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "70a33bf0ee7e15d0763c160e4789192c" + "hash": "39be22fa25593bfddd3225d2735b84b4" }, { - "title": "Maxwell Trial’s Second Accuser Describes Being Introduced to Epstein", - "description": "A woman identified as “Kate” testified that Ghislaine Maxwell groomed her for sexual encounters with Jeffrey Epstein. Follow updates here.", - "content": "A woman identified as “Kate” testified that Ghislaine Maxwell groomed her for sexual encounters with Jeffrey Epstein. Follow updates here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 17:51:56 +0000", + "title": "Gen Z Pop Stars Made Their Mark in 2021. Beware, Millennial Forebears.", + "description": "Upstarts including Olivia Rodrigo, Lil Nas X, Chloe Bailey and the Kid Laroi grew up on the internet, admiring the artists who are now their contemporaries.", + "content": "Upstarts including Olivia Rodrigo, Lil Nas X, Chloe Bailey and the Kid Laroi grew up on the internet, admiring the artists who are now their contemporaries.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/12/01/arts/music/gen-z-millennial-pop-stars.html", + "creator": "Lindsay Zoladz", + "pubDate": "Wed, 01 Dec 2021 16:44:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99309,16 +125540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2005aa745b7764d7e36387d95d97ef81" + "hash": "eceb349b1bbd068eee207bd0eeec38bf" }, { - "title": "Pope Exploring a 2nd Meeting With Russian Orthodox Church", - "description": "Speaking after his trip to Cyprus and Greece, Francis also said he had no choice but to accept the resignation of the archbishop of Paris because of the harmful gossip surrounding him.", - "content": "Speaking after his trip to Cyprus and Greece, Francis also said he had no choice but to accept the resignation of the archbishop of Paris because of the harmful gossip surrounding him.", - "category": "Middle East and Africa Migrant Crisis", - "link": "https://www.nytimes.com/2021/12/06/world/europe/pope-russian-orthodox-church.html", - "creator": "Jason Horowitz", - "pubDate": "Mon, 06 Dec 2021 18:16:54 +0000", + "title": "While Politics Consume School Board Meetings, a Very Different Crisis Festers", + "description": "In a wealthy suburban Philadelphia district, schools are struggling with shortages of all sorts. Behavioral problems have mushroomed. “We are in triage mode,” one teacher said.", + "content": "In a wealthy suburban Philadelphia district, schools are struggling with shortages of all sorts. Behavioral problems have mushroomed. “We are in triage mode,” one teacher said.", + "category": "Education (K-12)", + "link": "https://www.nytimes.com/2021/12/01/us/central-bucks-school-board-politics-pennsylvania.html", + "creator": "Campbell Robertson", + "pubDate": "Wed, 01 Dec 2021 16:54:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99329,16 +125560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "545070886a6f642e1f4680d97b9affed" + "hash": "65190dce31909043a14891f0e2176a59" }, { - "title": "Aung San Suu Kyi Falls, but Myanmar’s Democratic Hopes Move On", - "description": "The ousted civilian leader faces years in custody after being sentenced on the first of several charges. In her absence, a new generation of younger, more progressive politicians is emerging.", - "content": "The ousted civilian leader faces years in custody after being sentenced on the first of several charges. In her absence, a new generation of younger, more progressive politicians is emerging.", - "category": "Myanmar", - "link": "https://www.nytimes.com/2021/12/06/world/asia/myanmar-aung-san-suu-kyi.html", - "creator": "Sui-Lee Wee and Richard C. Paddock", - "pubDate": "Mon, 06 Dec 2021 11:19:20 +0000", + "title": "Victim in Ghislaine Maxwell Trial Faces Cross-Examination", + "description": "The woman described how a promise of mentorship from Ms. Maxwell and Jeffrey Epstein soon evolved into sexual abuse. Follow updates.", + "content": "The woman described how a promise of mentorship from Ms. Maxwell and Jeffrey Epstein soon evolved into sexual abuse. Follow updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/01/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99349,16 +125580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fbe13711f847876405ef69f0ff79ced9" + "hash": "8ffbd0f230a8c7f121d389a003e13d29" }, { - "title": "China Cuts RRR as Evergrande, Kaisa Face Deadlines", - "description": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", - "content": "Evergrande and Kaisa must come up with hundreds of millions of dollars in days. Beijing sought to reassure markets overall, but signaled it might let Evergrande fail.", - "category": "China Evergrande Group", - "link": "https://www.nytimes.com/2021/12/06/business/china-evergrande-kaisa-property.html", - "creator": "Alexandra Stevenson and Cao Li", - "pubDate": "Mon, 06 Dec 2021 12:33:01 +0000", + "title": "I Once Urged the Supreme Court to Overturn Roe. I’ve Changed My Mind.", + "description": "To overturn Roe now would be an act of constitutional vandalism — not conservative, but reactionary.", + "content": "To overturn Roe now would be an act of constitutional vandalism — not conservative, but reactionary.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/11/30/opinion/supreme-court-roe-v-wade-dobbs.html", + "creator": "Charles Fried", + "pubDate": "Tue, 30 Nov 2021 15:59:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99369,16 +125600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "313ddb2e9956e9a9c3c0f3b00cb1fe49" + "hash": "7adf69a58051564176a36228d1a68478" }, { - "title": "Max Rose to Run for House, Seeking a Rematch Against Malliotakis", - "description": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative New York City district that includes Staten Island.", - "content": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative New York City district that includes Staten Island.", - "category": "Rose, Max (1986- )", - "link": "https://www.nytimes.com/2021/12/06/nyregion/max-rose-congress-malliotakis.html", - "creator": "Katie Glueck", - "pubDate": "Mon, 06 Dec 2021 16:07:26 +0000", + "title": "What Happens to Women Who Are Denied Abortions", + "description": "Being denied an abortion can have serious consequences for a women’s health and livelihood. It can even be deadly.", + "content": "Being denied an abortion can have serious consequences for a women’s health and livelihood. It can even be deadly.", + "category": "Pregnancy and Childbirth", + "link": "https://www.nytimes.com/2021/11/22/opinion/abortion-supreme-court-women-law.html", + "creator": "Diana Greene Foster", + "pubDate": "Mon, 22 Nov 2021 19:01:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99389,16 +125620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "38b07a7cd092d3b42ec665651c0f7367" + "hash": "2ea1990c295bbae2afdcad389c388bb8" }, { - "title": "Karl Nehammer Becomes Scandal-Shaken Austria's 3rd Chancellor This Year ", - "description": "Karl Nehammer, the former interior minister, becomes the country’s leader two months after the resignation of Sebastian Kurz, amid an investigation into corruption and influence-peddling.", - "content": "Karl Nehammer, the former interior minister, becomes the country’s leader two months after the resignation of Sebastian Kurz, amid an investigation into corruption and influence-peddling.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/06/world/europe/austria-chancellor-nehammer-kurz.html", - "creator": "Isabella Kwai and Christopher F. Schuetze", - "pubDate": "Mon, 06 Dec 2021 14:54:08 +0000", + "title": "Trump’s Iran Policy Has Become a Disaster for the U.S. and Israel", + "description": "Withdrawing from the Iran nuclear deal was a mistake. What comes next?", + "content": "Withdrawing from the Iran nuclear deal was a mistake. What comes next?", + "category": "Iran", + "link": "https://www.nytimes.com/2021/11/30/opinion/trump-iran-nuclear-deal-us-israel.html", + "creator": "Thomas L. Friedman", + "pubDate": "Wed, 01 Dec 2021 00:44:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99409,16 +125640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f0c77ba4d4e9b07eb4a7cb09fd128998" + "hash": "c3556f09e33ec172633ee83ec75a0b95" }, { - "title": "How Will N.Y. Religious Schools Respond to a Vaccine Mandate?", - "description": "Mayor Bill de Blasio set a vaccine mandate for religious and private schools. Jewish and Catholic leaders are frustrated, and some have predicted legal challenges.", - "content": "Mayor Bill de Blasio set a vaccine mandate for religious and private schools. Jewish and Catholic leaders are frustrated, and some have predicted legal challenges.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/06/nyregion/vaccine-mandate-religious-yeshiva.html", - "creator": "Emma G. Fitzsimmons, Liam Stack and Jeffery C. Mays", - "pubDate": "Mon, 06 Dec 2021 10:00:17 +0000", + "title": "I Was Raped by My Father. An Abortion Saved My Life.", + "description": "Anti-abortion laws in Mississippi and Texas contain no exceptions for rape or incest. Here is what that means for survivors.", + "content": "Anti-abortion laws in Mississippi and Texas contain no exceptions for rape or incest. Here is what that means for survivors.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/11/30/opinion/abortion-texas-mississippi-rape.html", + "creator": "Michele Goodwin", + "pubDate": "Tue, 30 Nov 2021 20:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99429,16 +125660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ccd01ec68b160b47b812310d6ef16169" + "hash": "ef31dc9e0d9737263975e859c493ffb2" }, { - "title": "Bob Dole Embodied ‘Shared Values’ in Washington", - "description": "Bob Dole, a Kansas Republican, brought his no-nonsense manner to Washington, cutting deals during a bygone era. “He was in a sense Mr. America,” the historian Robert Dallek said.", - "content": "Bob Dole, a Kansas Republican, brought his no-nonsense manner to Washington, cutting deals during a bygone era. “He was in a sense Mr. America,” the historian Robert Dallek said.", - "category": "Dole, Bob", - "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-senate.html", - "creator": "Sheryl Gay Stolberg", - "pubDate": "Mon, 06 Dec 2021 00:02:38 +0000", + "title": "Haiti's Best Hope for a Functioning Democracy", + "description": "We hope that a corrupt political system that relies on unfair advantages can be replaced by a functional democracy.", + "content": "We hope that a corrupt political system that relies on unfair advantages can be replaced by a functional democracy.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/12/01/opinion/haiti-commission-government.html", + "creator": "Monique Clesca", + "pubDate": "Wed, 01 Dec 2021 14:13:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99449,16 +125680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2adde6cc0c48d2dfcfe26083a21a299e" + "hash": "fb9cda464d124fd2711ae9d3cc0b677d" }, { - "title": "Bob Dole, Old Soldier and Stalwart of the Senate, Dies at 98", - "description": "Mr. Dole, a son of the Kansas prairie who was left for dead on a World War II battlefield, became one of the longest-serving Republican leaders.", - "content": "Mr. Dole, a son of the Kansas prairie who was left for dead on a World War II battlefield, became one of the longest-serving Republican leaders.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-dead.html", - "creator": "Katharine Q. Seelye", - "pubDate": "Sun, 05 Dec 2021 18:53:02 +0000", + "title": "Let’s End the Covid Blame Games", + "description": "Finger pointing is pointless, divisive and dumb. ", + "content": "Finger pointing is pointless, divisive and dumb. ", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/11/30/opinion/coronavirus-polarization.html", + "creator": "Bret Stephens", + "pubDate": "Wed, 01 Dec 2021 00:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99469,16 +125700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "588418dbe456bd65839c218059d7b04f" + "hash": "c8f2b5e3c5f300f9d6be28cda4f7e123" }, { - "title": "Why Is Russia Massing Troops on Its Ukraine Border?", - "description": "There are tactical reasons for threatening an invasion, but the real cause may lie in the Kremlin’s fixation with righting what it sees as a historical injustice.", - "content": "There are tactical reasons for threatening an invasion, but the real cause may lie in the Kremlin’s fixation with righting what it sees as a historical injustice.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/05/world/europe/putin-russia-ukraine-troops.html", - "creator": "Anton Troianovski", - "pubDate": "Sun, 05 Dec 2021 18:41:17 +0000", + "title": "The Look of Cars Is Driving Me Out of My Mind", + "description": "New cars are packed with technology, but they lack style and personality.", + "content": "New cars are packed with technology, but they lack style and personality.", + "category": "Driverless and Semiautonomous Vehicles", + "link": "https://www.nytimes.com/2021/12/01/opinion/smart-car-technology.html", + "creator": "Farhad Manjoo", + "pubDate": "Wed, 01 Dec 2021 13:51:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99489,16 +125720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "96c66e748c959ff063c1f977f10af4ad" + "hash": "30988d3d3cbb5ffd0e2ce4efcd8cf35b" }, { - "title": "Myanmar Court Sentences Former Leader to 4 Years in Initial Verdicts", - "description": "Aung San Suu Kyi, who was detained in a military coup in February, faces several more charges. Catch up on the latest.", - "content": "Aung San Suu Kyi, who was detained in a military coup in February, faces several more charges. Catch up on the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/myanmar-coup-verdict-aung-san-suu-kyi", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 13:53:28 +0000", + "title": "Why Conservatives Adopted a Pro-Choice Slogan", + "description": "On the cusp of overturning Roe, conservatives adopt a pro-choice slogan.", + "content": "On the cusp of overturning Roe, conservatives adopt a pro-choice slogan.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/11/29/opinion/abortion-vaccine-mandate.html", + "creator": "Michelle Goldberg", + "pubDate": "Tue, 30 Nov 2021 01:26:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99509,16 +125740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eca884a7b3161443aa025193f72f5d0d" + "hash": "3c45325207f75d45a70e1995036de7c5" }, { - "title": "What Does the U.S. Owe Separated Families? A Political Quandary Deepens", - "description": "Seizing on premature news of potential $450,000 payments, conservatives have added new complications to an effort to compensate migrant families separated by the Trump administration.", - "content": "Seizing on premature news of potential $450,000 payments, conservatives have added new complications to an effort to compensate migrant families separated by the Trump administration.", - "category": "Family Separation Policy (US Immigration)", - "link": "https://www.nytimes.com/2021/12/06/us/politics/family-separations-immigrants-payments.html", - "creator": "Jeremy W. Peters and Miriam Jordan", - "pubDate": "Mon, 06 Dec 2021 10:00:15 +0000", + "title": "The Omicron Variant Is a Mystery. How Should We Prepare?", + "description": "Very few variants have ended up meaningfully altering the course of the pandemic, but experts say this is one to watch.", + "content": "Very few variants have ended up meaningfully altering the course of the pandemic, but experts say this is one to watch.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/11/30/opinion/omicron-variant-covid.html", + "creator": "Spencer Bokat-Lindell", + "pubDate": "Tue, 30 Nov 2021 23:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99529,16 +125760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b041bf5dbc824e9a62b2b1f8c34ac27a" + "hash": "9775cd52169045f110163f93439d1b76" }, { - "title": "Why New York State Is Experiencing a Bitcoin Boom", - "description": "Cryptocurrency miners are flocking to New York’s faded industrial towns, prompting concern over the environmental impact of huge computer farms.", - "content": "Cryptocurrency miners are flocking to New York’s faded industrial towns, prompting concern over the environmental impact of huge computer farms.", - "category": "Mines and Mining", - "link": "https://www.nytimes.com/2021/12/05/nyregion/bitcoin-mining-upstate-new-york.html", - "creator": "Corey Kilgannon", - "pubDate": "Mon, 06 Dec 2021 00:42:28 +0000", + "title": "China Is Winning the Big Data War, Thanks to Xi", + "description": "Beijing is outmaneuvering the United States and its allies in at least one crucial domain: data.", + "content": "Beijing is outmaneuvering the United States and its allies in at least one crucial domain: data.", + "category": "Communist Party of China", + "link": "https://www.nytimes.com/2021/11/30/opinion/xi-jinping-china-us-data-war.html", + "creator": "Matt Pottinger and David Feith", + "pubDate": "Tue, 30 Nov 2021 15:15:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99549,16 +125780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1293e91bb1b38c0f39c74020ba15cc9b" + "hash": "f0cd4c42f5f9db9b2383033192144963" }, { - "title": "5 Minutes That Will Make You Love the Organ", - "description": "Listen to the biggest, loudest, most extravagant (yet incredibly subtle) instrument of them all.", - "content": "Listen to the biggest, loudest, most extravagant (yet incredibly subtle) instrument of them all.", - "category": "Musical Instruments", - "link": "https://www.nytimes.com/2021/12/03/arts/music/classical-music-organ.html", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 10:00:28 +0000", + "title": "Does Europe's Lower Inflation Hold Lessons for America?", + "description": "What does (somewhat) lower inflation in Europe tell us about America?", + "content": "What does (somewhat) lower inflation in Europe tell us about America?", + "category": "International Trade and World Market", + "link": "https://www.nytimes.com/2021/11/30/opinion/inflation-united-states-europe.html", + "creator": "Paul Krugman", + "pubDate": "Tue, 30 Nov 2021 17:58:29 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99569,16 +125800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "978773d24959de8a1a427cdb1b5992ed" + "hash": "f1e3ec6e26b90e2618e39e2679a05c6c" }, { - "title": "What We Learned From Week 13 in the N.F.L.", - "description": "A rested Kyler Murray dazzled against the Bears, the Chargers went for broke to beat the Bengals, and the Lions finally won one.", - "content": "A rested Kyler Murray dazzled against the Bears, the Chargers went for broke to beat the Bengals, and the Lions finally won one.", - "category": "Football", - "link": "https://www.nytimes.com/2021/12/05/sports/football/nfl-week-13-scores.html", - "creator": "Tyler Dunne", - "pubDate": "Mon, 06 Dec 2021 13:34:16 +0000", + "title": "Stephen Sondheim Wrote My Life’s Soundtrack", + "description": "“A Little Night Music” was all it took.", + "content": "“A Little Night Music” was all it took.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/11/30/opinion/stephen-sondheim-musical.html", + "creator": "John McWhorter", + "pubDate": "Tue, 30 Nov 2021 19:55:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99589,16 +125820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9b63a72dad5adfadfd63b11bddbde9d4" + "hash": "beb0c672f7691573a116cc5b19ef1a6f" }, { - "title": "Feeling Hopeless About Today’s Politics?", - "description": "Readers reflect different states of mind in response to a column by Michelle Goldberg about political despair.", - "content": "Readers reflect different states of mind in response to a column by Michelle Goldberg about political despair.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/04/opinion/letters/politics-despair.html", - "creator": "", - "pubDate": "Sat, 04 Dec 2021 16:30:05 +0000", + "title": "Mark Meadows Agrees to Cooperate With Jan. 6 Attack Inquiry", + "description": "President Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", + "content": "President Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", + "category": "Meadows, Mark R (1959- )", + "link": "https://www.nytimes.com/2021/11/30/us/politics/capitol-riot-investigation-meadows.html", + "creator": "Luke Broadwater", + "pubDate": "Wed, 01 Dec 2021 05:31:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99609,16 +125840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d4c3c41b0a8858f2e65bb13b17c3b7fa" + "hash": "4e2a10d9fa21bb4def0f7598be4b50f9" }, { - "title": "Oxford School Officials Announce Investigation Into Shooting", - "description": "For the first time, the school district has given its version of events. In a letter to parents and staff members, it also said it will seek an outside party to conduct an investigation.", - "content": "For the first time, the school district has given its version of events. In a letter to parents and staff members, it also said it will seek an outside party to conduct an investigation.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/05/us/oxford-michigan-school-shooting-investigation.html", - "creator": "Sophie Kasakove", - "pubDate": "Mon, 06 Dec 2021 02:23:19 +0000", + "title": "Dr. Oz Says He’s Running for Senate in Pennsylvania", + "description": "Dr. Mehmet Oz, who is running as a Republican for an open Senate seat, described his frustration with the “arrogant, closed-minded people in charge” who shut schools and businesses during the pandemic.", + "content": "Dr. Mehmet Oz, who is running as a Republican for an open Senate seat, described his frustration with the “arrogant, closed-minded people in charge” who shut schools and businesses during the pandemic.", + "category": "The Dr. Oz Show (TV Program)", + "link": "https://www.nytimes.com/2021/11/30/us/politics/dr-oz-senate-run-pennsylvania.html", + "creator": "Trip Gabriel", + "pubDate": "Tue, 30 Nov 2021 21:38:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99629,16 +125860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "68fc1b88def2cb993dbe75d2f118c6f6" + "hash": "809a1c683b15d767f6b0c399ae225500" }, { - "title": "Flooding in Washington Brings Death and Devastation to Dairies", - "description": "Near-record flooding in Washington State drowned cattle, demolished homes and damaged equipment. Broken supply chains are making it even harder to recover.", - "content": "Near-record flooding in Washington State drowned cattle, demolished homes and damaged equipment. Broken supply chains are making it even harder to recover.", - "category": "Floods", - "link": "https://www.nytimes.com/2021/12/06/us/washington-floods-dairy-farmers.html", - "creator": "Kirk Johnson", - "pubDate": "Mon, 06 Dec 2021 10:00:21 +0000", + "title": "How Cute Cats Help Spread Misinformation Online", + "description": "A mainstay of the internet is regularly used to build audiences for people and organizations pushing false and misleading information.", + "content": "A mainstay of the internet is regularly used to build audiences for people and organizations pushing false and misleading information.", + "category": "Animals", + "link": "https://www.nytimes.com/2021/12/01/technology/misinformation-cute-cats-online.html", + "creator": "Davey Alba", + "pubDate": "Wed, 01 Dec 2021 10:00:24 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99649,16 +125880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac4d3b54642e165320b76b1834a4e218" + "hash": "10edfea20edcea11b3eef8cdf7c2d84a" }, { - "title": "Ghislaine Maxwell-Jeffrey Epstein Bond Is Key to Her Trial", - "description": "The first week of testimony at Ghislaine Maxwell’s sex-trafficking trial revealed the key question at the center of the case.", - "content": "The first week of testimony at Ghislaine Maxwell’s sex-trafficking trial revealed the key question at the center of the case.", - "category": "Sex Crimes", - "link": "https://www.nytimes.com/2021/12/06/nyregion/jeffrey-esptein-ghislaine-maxwell-trial-strategy.html", - "creator": "Rebecca Davis O’Brien and Benjamin Weiser", - "pubDate": "Mon, 06 Dec 2021 08:00:06 +0000", + "title": "Africa, Far Behind on Vaccines", + "description": "Every other continent is ahead.", + "content": "Every other continent is ahead.", + "category": "", + "link": "https://www.nytimes.com/2021/12/01/briefing/vaccine-hesitancy-africa-omicron.html", + "creator": "David Leonhardt", + "pubDate": "Wed, 01 Dec 2021 14:59:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99669,16 +125900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "089a33e7c103ac2ed07ef02b1ab04f0c" + "hash": "c60bbe018f8dc085ad2ce711afd56b0c" }, { - "title": "Business Updates: Trump’s Media Company Deal Is Being Investigated", - "description": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", - "content": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 15:25:44 +0000", + "title": "Amazon and the Labor Shortage", + "description": "What this economic moment means for the company and the people who work there.", + "content": "What this economic moment means for the company and the people who work there.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/12/01/podcasts/the-daily/amazon-pandemic-labor-shortage.html", + "creator": "Sabrina Tavernise, Robert Jimison, Rob Szypko, Mooj Zadie, Patricia Willens, Paige Cowett, Marion Lozano, Dan Powell and Chris Wood", + "pubDate": "Wed, 01 Dec 2021 13:58:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99689,16 +125920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "747c663cbc9dbbe0ed8c70f03722466f" + "hash": "0ef1eb2f818d92b0461a735e42fec087" }, { - "title": "Max Rose to Run for House in Likely Rematch Against Malliotakis", - "description": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative district that includes Staten Island.", - "content": "Mr. Rose, a moderate Democrat, lost to Representative Nicole Malliotakis, a Republican, by six percentage points last year in a conservative district that includes Staten Island.", - "category": "Rose, Max (1986- )", - "link": "https://www.nytimes.com/2021/12/06/nyregion/max-rose-congress-malliotakis.html", - "creator": "Katie Glueck", - "pubDate": "Mon, 06 Dec 2021 15:03:27 +0000", + "title": "Republicans Threaten Government Shutdown Over Vaccine Mandates", + "description": "With federal funding set to lapse on Friday, President Biden’s vaccine-and-testing mandate for large employers has emerged as a sticking points over a stopgap spending bill.", + "content": "With federal funding set to lapse on Friday, President Biden’s vaccine-and-testing mandate for large employers has emerged as a sticking points over a stopgap spending bill.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/12/01/us/politics/government-shutdown-vaccine-mandate.html", + "creator": "Emily Cochrane", + "pubDate": "Wed, 01 Dec 2021 19:08:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99709,16 +125940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2d9533eb15d5f18b13df8aa4da5e5ea5" + "hash": "7bad7775831375ac1d1f8bafe6273cd8" }, { - "title": "900 Bison at Yellowstone Are Targeted for Removal", - "description": "The bison will be slaughtered, shot by hunters or relocated under a plan to address a booming population in the national park that has led to overgrazing.", - "content": "The bison will be slaughtered, shot by hunters or relocated under a plan to address a booming population in the national park that has led to overgrazing.", - "category": "Bison", - "link": "https://www.nytimes.com/2021/12/05/us/yellowstone-bison-hunt-brucellosis.html", - "creator": "Eduardo Medina", - "pubDate": "Sun, 05 Dec 2021 23:18:50 +0000", + "title": "A Top Official Says the Fed Will ‘Grapple’ With Faster Bond-Buying Taper", + "description": "The president of the New York Federal Reserve said Omicron could prolong supply and demand mismatches, causing some inflation pressures to last.", + "content": "The president of the New York Federal Reserve said Omicron could prolong supply and demand mismatches, causing some inflation pressures to last.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/12/01/business/fed-inflation-tapering-covid.html", + "creator": "Ben Casselman and Jeanna Smialek", + "pubDate": "Wed, 01 Dec 2021 17:27:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99729,16 +125960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "157f3bad95777978eccafe4bba60ea5b" + "hash": "9bb1028fc0d916e6e75f0efaeb8c2f5c" }, { - "title": "Overlooked No More: Julia Tuttle, the ‘Mother of Miami’", - "description": "She worked tirelessly to revitalize the area now known as Miami, and is widely recognized as the only woman to have founded a major American city.", - "content": "She worked tirelessly to revitalize the area now known as Miami, and is widely recognized as the only woman to have founded a major American city.", - "category": "Tuttle, Julia (1849-98)", - "link": "https://www.nytimes.com/2021/12/03/obituaries/julia-tuttle-overlooked.html", - "creator": "Elena Sheppard", - "pubDate": "Fri, 03 Dec 2021 23:10:57 +0000", + "title": "This Dinosaur Found in Chile Had a Battle Ax for a Tail", + "description": "While ankylosaurs are already known for their armor and club tails, this specimen from South America had a unique way of fighting predators.", + "content": "While ankylosaurs are already known for their armor and club tails, this specimen from South America had a unique way of fighting predators.", + "category": "Tail", + "link": "https://www.nytimes.com/2021/12/01/science/dinosaur-tail-weapon.html", + "creator": "Asher Elbein", + "pubDate": "Wed, 01 Dec 2021 17:27:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99749,16 +125980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e1b334ded925f1de5143313fb308d39" + "hash": "4429fb6fbbfc23339949a8877497b1fb" }, { - "title": "‘Mrs. Doubtfire’ Review: Nanny Doesn’t Know Best", - "description": "The new family-friendly musical, adapted from the hit movie, ends up cowering in the original film’s shadow.", - "content": "The new family-friendly musical, adapted from the hit movie, ends up cowering in the original film’s shadow.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/05/theater/mrs-doubtfire-review-broadway.html", - "creator": "Maya Phillips", - "pubDate": "Mon, 06 Dec 2021 03:00:07 +0000", + "title": "Jack Dorsey’s Twitter Departure Hints at Big Tech’s Restlessness", + "description": "Jack Dorsey, who is stepping down after six years as Twitter’s chief executive, is one of the tech leaders who seem to have grown tired of managing their empires.", + "content": "Jack Dorsey, who is stepping down after six years as Twitter’s chief executive, is one of the tech leaders who seem to have grown tired of managing their empires.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/11/30/technology/dorsey-twitter-big-tech-ceos.html", + "creator": "Kevin Roose", + "pubDate": "Tue, 30 Nov 2021 20:48:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99769,16 +126000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a158eb4a497308eeb554b744b2235af3" + "hash": "eeacf42d30fbe035bb2eb04bdc84dfab" }, { - "title": "How Can I Stay Me in a Workplace Full of Suits?", - "description": "A law student seeks advice on what to wear to work.", - "content": "A law student seeks advice on what to wear to work.", - "category": "Dress Codes", - "link": "https://www.nytimes.com/2021/12/03/style/business-attire-law-ask-vanessa.html", - "creator": "Vanessa Friedman", - "pubDate": "Fri, 03 Dec 2021 22:00:03 +0000", + "title": "Alec Baldwin Says He ‘Didn’t Pull the Trigger’ in ‘Rust’ Killing", + "description": "The actor said in a brief excerpt from an upcoming interview with ABC News that he had not pulled the trigger when the gun he was holding went off, killing the cinematographer.", + "content": "The actor said in a brief excerpt from an upcoming interview with ABC News that he had not pulled the trigger when the gun he was holding went off, killing the cinematographer.", + "category": "ABC News", + "link": "https://www.nytimes.com/2021/12/01/movies/alec-baldwin-trigger-rust.html", + "creator": "Julia Jacobs", + "pubDate": "Wed, 01 Dec 2021 19:11:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99789,16 +126020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "95d1690607646ad82889ef64d514b80d" + "hash": "68df200f530ac5bfce4925635fc8dbfe" }, { - "title": "Exploring the Dimensions of Black Power at Alvin Ailey", - "description": "Alvin Ailey American Dance Theater returns to New York City Center with stage premieres by Robert Battle and Jamar Roberts and a stunning “Lazarus.”", - "content": "Alvin Ailey American Dance Theater returns to New York City Center with stage premieres by Robert Battle and Jamar Roberts and a stunning “Lazarus.”", - "category": "Dancing", - "link": "https://www.nytimes.com/2021/12/05/arts/dance/alvin-ailey-city-center-black-power.html", - "creator": "Gia Kourlas", - "pubDate": "Sun, 05 Dec 2021 20:03:06 +0000", + "title": "New E.U. Measures Set to Restrict Asylum Rights at the Belarus Border", + "description": "Poland, Latvia and Lithuania could take up to four months to process asylum requests at the border, a delay that aid groups said would leave migrants in unsafe conditions as winter sets in.", + "content": "Poland, Latvia and Lithuania could take up to four months to process asylum requests at the border, a delay that aid groups said would leave migrants in unsafe conditions as winter sets in.", + "category": "Belarus-Poland Border Crisis (2021- )", + "link": "https://www.nytimes.com/2021/12/01/world/europe/asylum-rights-poland-eu.html", + "creator": "Elian Peltier and Monika Pronczuk", + "pubDate": "Wed, 01 Dec 2021 19:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99809,16 +126040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c350524835a8597ef6af8fed33ec4e4" + "hash": "3ec19290181ea5b1056ee9a904e6354e" }, { - "title": "Business Updates: Bitcoin Plunges in Weekend Trading Amid Market Volatility", - "description": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", - "content": "Investors have pulled back broadly from risky assets as financial markets have been struck by the arrival of the Omicron variant and surprisingly high inflation.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/06/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 12:40:07 +0000", + "title": "Gov. Charlie Baker of Massachusetts Says He Won’t Run for Re-election", + "description": "Mr. Baker, a moderate Republican in a deep-blue state, faced a Trump-backed primary challenge and a potentially difficult general election.", + "content": "Mr. Baker, a moderate Republican in a deep-blue state, faced a Trump-backed primary challenge and a potentially difficult general election.", + "category": "Baker, Charles D Jr", + "link": "https://www.nytimes.com/2021/12/01/us/politics/charlie-baker-massachusetts-governor.html", + "creator": "Reid J. Epstein", + "pubDate": "Wed, 01 Dec 2021 15:25:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99829,16 +126060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c30af2b395a7c4a85a41ff6b7cdc0231" + "hash": "1577d1a067ccf602270cfc48151cc312" }, { - "title": "Buck O'Neil, Gil Hodges and Four Others Elected to Hall of Fame", - "description": "A pair of old-timers committees corrected previous snubs, electing Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", - "content": "A pair of old-timers committees corrected previous snubs, electing Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/12/05/sports/baseball/buck-oneil-gil-hodges-hall-of-fame.html", - "creator": "Tyler Kepner", - "pubDate": "Mon, 06 Dec 2021 03:08:05 +0000", + "title": "6 Hurt as Midnight Explosion Rocks Brooklyn Block", + "description": "Dozens were displaced by the blast. Its cause was not yet clear, but a neighbor said he reported smelling gas the day before.", + "content": "Dozens were displaced by the blast. Its cause was not yet clear, but a neighbor said he reported smelling gas the day before.", + "category": "Fires and Firefighters", + "link": "https://www.nytimes.com/2021/12/01/nyregion/brooklyn-house-explosion.html", + "creator": "Precious Fondren and Ashley Wong", + "pubDate": "Wed, 01 Dec 2021 18:56:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99849,16 +126080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c3a6cd8c82ebee874b539f6d97a22038" + "hash": "d28cc9bb0f666cee4276db5d222919e2" }, { - "title": "Warehouse Fire Was Source of ‘Putrid’ Odor in California", - "description": "The fire, in Carson, Calif., on Sept. 30, consumed beauty and wellness products and sent chemicals into a nearby waterway, the authorities said. Thousands complained about the stench.", - "content": "The fire, in Carson, Calif., on Sept. 30, consumed beauty and wellness products and sent chemicals into a nearby waterway, the authorities said. Thousands complained about the stench.", - "category": "Smells and Odors", - "link": "https://www.nytimes.com/2021/12/05/us/carson-california-warehouse-fire-stench.html", - "creator": "Christine Chung", - "pubDate": "Mon, 06 Dec 2021 00:40:09 +0000", + "title": "Putin and West Spar Over NATO’s Military Ties to Ukraine", + "description": "Tensions over Ukraine escalated as Russia’s leader demanded “legal guarantees” that the Western military alliance would not expand to the east, a position NATO regards as untenable.", + "content": "Tensions over Ukraine escalated as Russia’s leader demanded “legal guarantees” that the Western military alliance would not expand to the east, a position NATO regards as untenable.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/12/01/world/europe/putin-nato-russia-ukraine.html", + "creator": "Anton Troianovski", + "pubDate": "Wed, 01 Dec 2021 18:25:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99869,16 +126100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3694bdaffe1a71f2afd48ac8a7ca484a" + "hash": "1e4c4bbe206d34d7ddc125a518586e1a" }, { - "title": "A Glimmer of Justice in Death Penalty States", - "description": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", - "content": "The halting of executions and the guilty verdicts in the Ahmaud Arbery case have given us the slightest bit of hope for change.", - "category": "Capital Punishment", - "link": "https://www.nytimes.com/2021/12/06/opinion/pervis-payne-death-penalty-states.html", - "creator": "Margaret Renkl", - "pubDate": "Mon, 06 Dec 2021 10:00:14 +0000", + "title": "Business Updates: O.E.C.D. Says Recovery Has Been Fast but Uneven", + "description": " ", + "content": " ", + "category": "", + "link": "https://www.nytimes.com/live/2021/12/01/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Wed, 01 Dec 2021 19:19:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99889,16 +126120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5959dfc6ee497c0eda8d1368fb70db6f" + "hash": "c528bff4337c263d4edde426bc630758" }, { - "title": "In the Michigan Shooting, What Is the School’s Responsibility?", - "description": "Oxford High School let Ethan Crumbley back into a classroom despite concerns about his behavior. Now, legal experts are asking why — and whether officials should be held accountable.", - "content": "Oxford High School let Ethan Crumbley back into a classroom despite concerns about his behavior. Now, legal experts are asking why — and whether officials should be held accountable.", - "category": "School Discipline (Students)", - "link": "https://www.nytimes.com/2021/12/04/us/oxford-high-school-responsibility-legal.html", - "creator": "Dana Goldstein, Stephanie Saul and Sophie Kasakove", - "pubDate": "Sat, 04 Dec 2021 10:00:10 +0000", + "title": "Parenting After Infertility and Loss: You're Allowed to Complain", + "description": "‘It is 100 percent normal to feel conflicted even if you went to hell and back to become a parent.’", + "content": "‘It is 100 percent normal to feel conflicted even if you went to hell and back to become a parent.’", + "category": "Parenting", + "link": "https://www.nytimes.com/2021/11/29/well/family/complain-infertility-child-loss.html", + "creator": "Danna Lorch", + "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99909,16 +126140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d688fa090059d32687268694a375c5b6" + "hash": "180edad00fffa30c1a77d7fd8503d5de" }, { - "title": "The Variant Hunters: Inside South Africa’s Effort to Stanch Dangerous Mutations", - "description": "Scientists in a cutting-edge laboratory do part of the work. Local health workers on foot do the rest.", - "content": "Scientists in a cutting-edge laboratory do part of the work. Local health workers on foot do the rest.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/04/health/covid-variant-south-africa-hiv.html", - "creator": "Stephanie Nolen", - "pubDate": "Sat, 04 Dec 2021 10:00:17 +0000", + "title": "Is It Too Soon to Give My Kid a Tablet?", + "description": "There’s not a one-size-fits-all answer to the question, but here are several things to consider before buying your child their own electronic device.", + "content": "There’s not a one-size-fits-all answer to the question, but here are several things to consider before buying your child their own electronic device.", + "category": "Children and Childhood", + "link": "https://www.nytimes.com/2020/04/17/parenting/tablet-child-screentime.html", + "creator": "Christina Caron", + "pubDate": "Wed, 01 Dec 2021 14:10:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99929,16 +126160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1d7515949d3bb5689244359d7d9f8ae" + "hash": "7af60c6dd7503358a87e353eb6e36b9f" }, { - "title": "How the Cream Cheese Shortage Is Affecting NYC Bagel Shops", - "description": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", - "content": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", - "category": "New York City", - "link": "https://www.nytimes.com/2021/12/04/nyregion/cream-cheese-shortage-nyc-bagels.html", - "creator": "Ashley Wong", - "pubDate": "Sat, 04 Dec 2021 12:39:05 +0000", + "title": "How Daughtering Prepared Me for Mothering", + "description": "I spent my early 20s nursing my parents through their final days. It prepared me to parent newborn twins in ways I never could have anticipated.", + "content": "I spent my early 20s nursing my parents through their final days. It prepared me to parent newborn twins in ways I never could have anticipated.", + "category": "Parenting", + "link": "https://www.nytimes.com/2020/04/17/parenting/take-care-of-parents.html", + "creator": "Sara B. Franklin", + "pubDate": "Fri, 17 Apr 2020 16:23:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99949,16 +126180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "be9b86ed159afd424f3bc501ed601d71" + "hash": "aa78bc88f5955043c361159ede0c646b" }, { - "title": "Fearing a Repeat of Jan. 6, Congress Eyes Changes to Electoral Count Law", - "description": "Members of the special House committee investigating the Capitol riot are among those arguing for an overhaul of a more than century-old statute enacted to address disputed elections.", - "content": "Members of the special House committee investigating the Capitol riot are among those arguing for an overhaul of a more than century-old statute enacted to address disputed elections.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/04/us/jan-6-electoral-count-act.html", - "creator": "Luke Broadwater and Nick Corasaniti", - "pubDate": "Sat, 04 Dec 2021 10:00:18 +0000", + "title": "Kids Won’t Stop Fighting? A Bouncer, a Therapist and a Referee Have Advice", + "description": "These conflict resolution experts know how to stop fights before and after they start. But would their techniques work on my brawling twins?", + "content": "These conflict resolution experts know how to stop fights before and after they start. But would their techniques work on my brawling twins?", + "category": "Parenting", + "link": "https://www.nytimes.com/2020/04/07/parenting/break-up-kids-fight.html", + "creator": "Emily J. Sullivan", + "pubDate": "Tue, 07 Apr 2020 20:19:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99969,16 +126200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6acb47d5cfa8014f1992610f4d0bb324" + "hash": "938123b2e2e2429bfd6f99fba4d29a62" }, { - "title": "Big Contracts, Big Buyouts, Big Pressure: College Football Coaches Hit the Jackpot", - "description": "Brian Kelly will earn at least $9 million a year at L.S.U., which is paying its old coach almost $17 million to step aside. Top universities have become steppingstones to other top gigs.", - "content": "Brian Kelly will earn at least $9 million a year at L.S.U., which is paying its old coach almost $17 million to step aside. Top universities have become steppingstones to other top gigs.", - "category": "Coaches and Managers", - "link": "https://www.nytimes.com/2021/12/04/sports/ncaafootball/college-football-coaching-changes.html", - "creator": "Alan Blinder", - "pubDate": "Sat, 04 Dec 2021 10:00:23 +0000", + "title": "I’m Jealous of the Attention My Wife Gives My Son. Am I a Monster?", + "description": "It’s embarrassing to admit I envy their relationship, but it turns out I’m not alone.", + "content": "It’s embarrassing to admit I envy their relationship, but it turns out I’m not alone.", + "category": "Jealousy and Envy", + "link": "https://www.nytimes.com/2020/04/16/parenting/jealous-of-baby.html", + "creator": "Jared Bilski", + "pubDate": "Fri, 17 Apr 2020 02:15:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -99989,16 +126220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "817d4293d3806483d4f16635c33abb04" + "hash": "f76cf7292da363f5c90322dc7c8a5c8c" }, { - "title": "Cambodia Says Looter Helping It Reclaim Stolen Artifacts Has Died", - "description": "Officials said they plan to continue to use evidence gathered from the reformed looter to pursue the return of many artifacts from museums and private collections.", - "content": "Officials said they plan to continue to use evidence gathered from the reformed looter to pursue the return of many artifacts from museums and private collections.", - "category": "Arts and Antiquities Looting", - "link": "https://www.nytimes.com/2021/12/05/arts/design/cambodian-effort-to-find-artifacts-wont-end-with-informants-death.html", - "creator": "Tom Mashberg", - "pubDate": "Mon, 06 Dec 2021 02:06:23 +0000", + "title": "Looking Again at Amy Winehouse, 10 Years After Her Death", + "description": "In “Amy: Beyond the Stage,” the Design Museum in London explores — and tries to somewhat reframe — the “Back to Black” singer’s life and legacy.", + "content": "In “Amy: Beyond the Stage,” the Design Museum in London explores — and tries to somewhat reframe — the “Back to Black” singer’s life and legacy.", + "category": "Music", + "link": "https://www.nytimes.com/2021/12/01/arts/design/amy-winehouse-design-museum.html", + "creator": "Desiree Ibekwe", + "pubDate": "Wed, 01 Dec 2021 19:18:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100009,16 +126240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "438e5ff3133e4749222c8f999324339e" + "hash": "2315287e3e23d07f0855c4984d9dbf70" }, { - "title": "Our 8 Favorite Books in 2021 for Healthy Living", - "description": "This year’s Well Book List includes advice on how to change behavior, lower anxiety, cope with hardship and heal with poetry.", - "content": "This year’s Well Book List includes advice on how to change behavior, lower anxiety, cope with hardship and heal with poetry.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/12/02/well/mind/healthly-living-wellness-books.html", - "creator": "Tara Parker-Pope", - "pubDate": "Fri, 03 Dec 2021 01:22:23 +0000", + "title": "Seiya Suzuki's M.L.B. Arrival Could Be Delayed by Lockout", + "description": "Seiya Suzuki can hit for average and power, and plays solid defense. The only thing slowing his arrival is the possibility of an M.L.B. lockout.", + "content": "Seiya Suzuki can hit for average and power, and plays solid defense. The only thing slowing his arrival is the possibility of an M.L.B. lockout.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/11/30/sports/baseball/seiya-suzuki-japan.html", + "creator": "Brad Lefton", + "pubDate": "Tue, 30 Nov 2021 16:04:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100029,16 +126260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a38bd5a86b341c53ef5603515464b898" + "hash": "9b6ce2c39e8075d09ee293507b1dad9a" }, { - "title": "Overcoming Motherhood Imposter Syndrome", - "description": "Casey Wilson learned to trust her parenting instincts after her son received a surprise diagnosis.", - "content": "Casey Wilson learned to trust her parenting instincts after her son received a surprise diagnosis.", - "category": "Gluten", - "link": "https://www.nytimes.com/2020/04/15/parenting/casey-wilson-motherhood.html", - "creator": "Casey Wilson", - "pubDate": "Wed, 15 Apr 2020 19:42:04 +0000", + "title": "Translation Is Hard Work. Lydia Davis Makes It Thrilling.", + "description": "In “Essays Two,” the acclaimed fiction writer and translator of Proust, Flaubert and others does a beautiful job of transmitting the satisfactions of working with language.", + "content": "In “Essays Two,” the acclaimed fiction writer and translator of Proust, Flaubert and others does a beautiful job of transmitting the satisfactions of working with language.", + "category": "Essays Two: On Proust, Translation, Foreign Languages, and the City of Arles (Book)", + "link": "https://www.nytimes.com/2021/11/30/books/review-lydia-davis-essays-two.html", + "creator": "Molly Young", + "pubDate": "Tue, 30 Nov 2021 10:00:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100049,16 +126280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f53d7914fe2332a1ff678f69e20f3a93" + "hash": "ab48116c8b13184644e2ced1621cfdf5" }, { - "title": "New Hope for Migraine Sufferers", - "description": "There are now a number of medications that may prevent or alleviate migraines, as well as a wearable nerve-stimulating device that can be activated by a smartphone.", - "content": "There are now a number of medications that may prevent or alleviate migraines, as well as a wearable nerve-stimulating device that can be activated by a smartphone.", - "category": "Migraine Headaches", - "link": "https://www.nytimes.com/2020/01/06/well/live/new-hope-for-migraine-sufferers.html", - "creator": "Jane E. Brody", - "pubDate": "Wed, 15 Jan 2020 12:49:47 +0000", + "title": "On Rikers Island, A Doctor for Older Detainees", + "description": "Insights from Dr. Rachael Bedard, a jail-based geriatrician.", + "content": "Insights from Dr. Rachael Bedard, a jail-based geriatrician.", + "category": "Prisons and Prisoners", + "link": "https://www.nytimes.com/2021/11/12/nyregion/rikers-older-prisoners.html", + "creator": "Ted Alcorn", + "pubDate": "Fri, 12 Nov 2021 10:00:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100069,16 +126300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0deec1b348ef1d77856fa6c116e103fc" + "hash": "0f8ac0d57375507f19c191a93bbd659b" }, { - "title": "Older Singles Have Found a New Way to Partner Up: Living Apart", - "description": "Fearing that a romantic attachment in later life will lead to full-time caregiving, many couples are choosing commitment without sharing a home.", - "content": "Fearing that a romantic attachment in later life will lead to full-time caregiving, many couples are choosing commitment without sharing a home.", - "category": "Dating and Relationships", - "link": "https://www.nytimes.com/2021/07/16/well/family/older-singles-living-apart-LAT.html", - "creator": "Francine Russo", - "pubDate": "Fri, 16 Jul 2021 13:54:57 +0000", + "title": "New to ‘It’s Always Sunny’? Watch These 5 Episodes", + "description": "The sitcom, about to become American TV’s longest-running live-action comedy, isn’t everyone’s kind of humor. These episodes capture the show’s brand of boundary-pushing satire.", + "content": "The sitcom, about to become American TV’s longest-running live-action comedy, isn’t everyone’s kind of humor. These episodes capture the show’s brand of boundary-pushing satire.", + "category": "Television", + "link": "https://www.nytimes.com/2021/11/26/arts/television/its-always-sunny-in-philadelphia-top-episodes.html", + "creator": "Austin Considine", + "pubDate": "Fri, 26 Nov 2021 10:00:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100089,16 +126320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "df304445352b4d2798144d4f345b9f48" + "hash": "9435bde58c966cf6750ec9ec9cbb4ed1" }, { - "title": "Biden, Obama and Other Leaders React to Bob Dole's Death", - "description": "Former presidents and political leaders recalled Mr. Dole’s dignity, sense of humor and lifetime commitment to public service.", - "content": "Former presidents and political leaders recalled Mr. Dole’s dignity, sense of humor and lifetime commitment to public service.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-obama-biden-reactions.html", - "creator": "Christopher Mele", - "pubDate": "Sun, 05 Dec 2021 21:15:07 +0000", + "title": "Boebert Reaches Out to Omar After Incendiary Video, Escalating a Feud", + "description": "Representative Lauren Boebert made an overture to Representative Ilhan Omar after suggesting that the Muslim lawmaker was a terrorism threat. The call did not go well.", + "content": "Representative Lauren Boebert made an overture to Representative Ilhan Omar after suggesting that the Muslim lawmaker was a terrorism threat. The call did not go well.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/29/us/politics/boebert-omar-apology.html", + "creator": "Jonathan Weisman", + "pubDate": "Tue, 30 Nov 2021 17:45:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100109,16 +126340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1122b021cf1ef3b85e2c6547d33abd32" + "hash": "88e6bacef2f41ca7d63591c608daeded" }, { - "title": "A Chicken-Fried McGovern, Newt’s Good Ideas and the Senate Zoo: A Dole One-Liner Sampler", - "description": "Bob Dole, who died on Sunday at age 98, was generous with his sarcastic wit, using it against Democrats, Republicans and often himself.", - "content": "Bob Dole, who died on Sunday at age 98, was generous with his sarcastic wit, using it against Democrats, Republicans and often himself.", - "category": "Dole, Bob", - "link": "https://www.nytimes.com/2021/12/05/us/politics/bob-dole-humor.html", - "creator": "Maggie Astor", - "pubDate": "Mon, 06 Dec 2021 00:04:10 +0000", + "title": "‘The Power of the Dog’ Review: Wild Hearts on a Closed Frontier", + "description": "In Jane Campion’s staggering take on the western, her first movie in more than a decade, a cruel cowboy meets his surprising match.", + "content": "In Jane Campion’s staggering take on the western, her first movie in more than a decade, a cruel cowboy meets his surprising match.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/30/movies/the-power-of-the-dog-review.html", + "creator": "Manohla Dargis", + "pubDate": "Tue, 30 Nov 2021 20:53:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100129,16 +126360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e3c9f6823dd15eba904f6676b10ea897" + "hash": "1d38ab95ac29a1c97da47e95cb38fe96" }, { - "title": "What We Know About the New Covid Variant, Omicron", - "description": "Intense research into the new coronavirus variant first identified in southern Africa, has just begun. World leaders have urged people not to panic — and to get vaccinated, if they can.", - "content": "Intense research into the new coronavirus variant first identified in southern Africa, has just begun. World leaders have urged people not to panic — and to get vaccinated, if they can.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/article/omicron-coronavirus-variant.html", - "creator": "Andrew Jacobs", - "pubDate": "Tue, 30 Nov 2021 17:08:16 +0000", + "title": "Tucson Moves to Fire Officer Seen Fatally Shooting Man in Wheelchair", + "description": "A man who was said to have stolen a toolbox from a Walmart and flashed a knife at an employee was shot in the back and side in a confrontation captured on video, the police said.", + "content": "A man who was said to have stolen a toolbox from a Walmart and flashed a knife at an employee was shot in the back and side in a confrontation captured on video, the police said.", + "category": "Police Department (Tucson, Ariz)", + "link": "https://www.nytimes.com/2021/11/30/us/ryan-remington-tucson-police-shooting.html", + "creator": "Vimal Patel", + "pubDate": "Wed, 01 Dec 2021 05:26:38 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100149,16 +126380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c2aa745a757b6a534c3f1e27f78e086" + "hash": "a238038c98bdaacd31bcf44c6fdb3d59" }, { - "title": "How TikTok Reads Your Mind", - "description": "It’s the most successful video app in the world. Our columnist has obtained an internal company document that offers a new level of detail about how the algorithm works.", - "content": "It’s the most successful video app in the world. Our columnist has obtained an internal company document that offers a new level of detail about how the algorithm works.", - "category": "TikTok (ByteDance)", - "link": "https://www.nytimes.com/2021/12/05/business/media/tiktok-algorithm.html", - "creator": "Ben Smith", - "pubDate": "Mon, 06 Dec 2021 04:56:16 +0000", + "title": "Restoring a 1788 House in Charleston, S.C., With a Walled Garden ", + "description": "The stately 1788 home in South Carolina had expansive rooms and a walled garden. But it needed a lot of work — and that would take time and money.", + "content": "The stately 1788 home in South Carolina had expansive rooms and a walled garden. But it needed a lot of work — and that would take time and money.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/11/30/realestate/charleston-nc-house-restoration.html", + "creator": "Tim McKeough", + "pubDate": "Tue, 30 Nov 2021 17:13:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100169,16 +126400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b8a9cf8ee99b47588e02714c0fe890a" + "hash": "4d644061ef7f1737853177de2b2685ce" }, { - "title": "Myanmar Court Sentences Aung San Suu Kyi to 4 Years in Initial Verdicts", - "description": "The ousted civilian leader, who was detained in a military coup in February, faces several more charges. Here’s the latest.", - "content": "The ousted civilian leader, who was detained in a military coup in February, faces several more charges. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/myanmar-coup-verdict-aung-san-suu-kyi", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 08:10:54 +0000", + "title": "Your Heart and Diet: A Heart-Healthy Way to Eat", + "description": "Aim for an overall healthful dietary pattern, the American Heart Association advises, rather than focusing on “good” or “bad” foods.", + "content": "Aim for an overall healthful dietary pattern, the American Heart Association advises, rather than focusing on “good” or “bad” foods.", + "category": "Diet and Nutrition", + "link": "https://www.nytimes.com/2021/11/29/well/eat/heart-healthy-diet-foods.html", + "creator": "Jane E. Brody", + "pubDate": "Tue, 30 Nov 2021 18:40:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100189,16 +126420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1ac7b86a1193eeeeb49f03f1ed346b71" + "hash": "184868d2e99a1db6ff20a6e59ddceeb2" }, { - "title": "The Canonization of Saint John Coltrane", - "description": "The intensity of the jazz legend’s music has always inspired passion, but in the 1960s, one group of devotees was so stirred they founded a church in his name.", - "content": "The intensity of the jazz legend’s music has always inspired passion, but in the 1960s, one group of devotees was so stirred they founded a church in his name.", - "category": "Coltrane, John", - "link": "https://www.nytimes.com/2021/12/03/t-magazine/john-coltrane-church.html", - "creator": "M.H. Miller", - "pubDate": "Fri, 03 Dec 2021 13:00:10 +0000", + "title": "Chris Cuomo Is Suspended by CNN After Details of Help He Gave Andrew", + "description": "The cable news network’s top-rated anchor was an intimate adviser to Andrew Cuomo in the last 18 months of his governorship.", + "content": "The cable news network’s top-rated anchor was an intimate adviser to Andrew Cuomo in the last 18 months of his governorship.", + "category": "Cuomo, Christopher", + "link": "https://www.nytimes.com/2021/11/30/business/media/chris-cuomo-suspended-cnn.html", + "creator": "Michael M. Grynbaum and John Koblin", + "pubDate": "Wed, 01 Dec 2021 05:19:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100209,16 +126440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab9be09294e7e7fb00b6439bd9c54cca" + "hash": "f6ff7841a9869bb0c115d11bc199fb78" }, { - "title": "Stamping Bar Codes on Cells to Solve Medical Mysteries", - "description": "By tracking every cell in an organism, scientists are working out why certain cancer treatments fail, which could lead to improved medicine.", - "content": "By tracking every cell in an organism, scientists are working out why certain cancer treatments fail, which could lead to improved medicine.", - "category": "Cancer", - "link": "https://www.nytimes.com/2021/11/29/health/cells-bar-coding-cancer.html", - "creator": "Gina Kolata", - "pubDate": "Mon, 29 Nov 2021 17:29:30 +0000", + "title": "Alice Sebold Apologizes to Man Wrongly Convicted of Raping Her", + "description": "Anthony Broadwater spent 16 years in prison after the author identified him as her attacker in an assault she described in her memoir, “Lucky.” Its publisher said Tuesday that it would stop distributing the book.", + "content": "Anthony Broadwater spent 16 years in prison after the author identified him as her attacker in an assault she described in her memoir, “Lucky.” Its publisher said Tuesday that it would stop distributing the book.", + "category": "Sebold, Alice", + "link": "https://www.nytimes.com/2021/11/30/nyregion/alice-sebold-rape-case.html", + "creator": "Alexandra Alter and Karen Zraick", + "pubDate": "Wed, 01 Dec 2021 13:25:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100229,16 +126460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "425b2b04119711276b0975aa7c64a154" + "hash": "69524b64069f729448498a90aaefc9d2" }, { - "title": "Why the Fed Chair Won’t Call Inflation ‘Transitory’ Anymore", - "description": "Jerome Powell has lost patience with the pace of the rebound in labor force participation.", - "content": "Jerome Powell has lost patience with the pace of the rebound in labor force participation.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/03/opinion/why-the-fed-chair-wont-call-inflation-transitory-anymore.html", - "creator": "Peter Coy", - "pubDate": "Fri, 03 Dec 2021 20:00:06 +0000", + "title": "F.D.A. Panel Endorses Merck’s Covid Pill for High-Risk Adults", + "description": "A panel of experts recommended that the U.S. authorize the first in a new class of drugs that could work against a range of variants, including Omicron. The drug, molnupiravir, could be authorized within days for Covid patients at high risk of severe illness. Here’s the latest on the pandemic.", + "content": "A panel of experts recommended that the U.S. authorize the first in a new class of drugs that could work against a range of variants, including Omicron. The drug, molnupiravir, could be authorized within days for Covid patients at high risk of severe illness. Here’s the latest on the pandemic.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100249,16 +126480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a067c1481a1606f51d4e409324fec915" + "hash": "a976dc1bd8a9bdcee04dd526a77d4eaf" }, { - "title": "Chris Cuomo Has a Funny Idea About What Doing His Job Means", - "description": "Reporting on the suspension of a brotherly TV host.", - "content": "Reporting on the suspension of a brotherly TV host.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/12/01/opinion/chris-cuomo-cnn-scandal.html", - "creator": "Gail Collins", - "pubDate": "Thu, 02 Dec 2021 00:43:13 +0000", + "title": "Amid Variant Fears, U.K. Discovers Limits to Its Virus Strategy", + "description": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", + "content": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/30/world/europe/uk-omicron-variant.html", + "creator": "Mark Landler and Megan Specia", + "pubDate": "Tue, 30 Nov 2021 18:14:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100269,16 +126500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6b2c05de8cd0b649a4b60497d8a1a1be" + "hash": "f79af9f9132729d01c7be4ed79190717" }, { - "title": "Biden Can Do Better on Covid", - "description": "The administration has been a victim of events. But it has also cooperated in its own victimization.", - "content": "The administration has been a victim of events. But it has also cooperated in its own victimization.", - "category": "Public-Private Sector Cooperation", - "link": "https://www.nytimes.com/2021/12/04/opinion/biden-covid-vaccine-omicron.html", - "creator": "Ross Douthat", - "pubDate": "Sat, 04 Dec 2021 20:00:05 +0000", + "title": "3 Are Killed in Shooting at Michigan High School", + "description": "A 15-year-old was taken into custody after firing a semiautomatic handgun at Oxford High School in Michigan, the authorities said. Follow updates.", + "content": "A 15-year-old was taken into custody after firing a semiautomatic handgun at Oxford High School in Michigan, the authorities said. Follow updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/us/school-shooting-michigan", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100289,16 +126520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "994ccd3469a6063acf7b8485011110aa" + "hash": "658b6c5825d104786ae64c2d4bc4f1aa" }, { - "title": "What Biden Isn’t Saying About Trump’s Positive Covid Test", - "description": "The former president’s reckless behavior deserves more attention.", - "content": "The former president’s reckless behavior deserves more attention.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/04/opinion/biden-trump-covid-test.html", - "creator": "Jamelle Bouie", - "pubDate": "Sat, 04 Dec 2021 16:13:54 +0000", + "title": "Powell Says Fed Could Finish Bond-Buying Taper Early", + "description": "The Federal Reserve could pull back economic support faster as inflation lasts, and its chair signaled that for now the Omicron variant is a “risk.”", + "content": "The Federal Reserve could pull back economic support faster as inflation lasts, and its chair signaled that for now the Omicron variant is a “risk.”", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/11/30/business/powell-bond-buying-taper.html", + "creator": "Jeanna Smialek and Alan Rappeport", + "pubDate": "Tue, 30 Nov 2021 18:54:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100309,16 +126540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3fe78e18867f6809f10a88f97eabc72e" + "hash": "a61f5d89a032ce750c014894af9626cc" }, { - "title": "The Sunday Read: ‘The Emily Ratajkowski You’ll Never See’", - "description": "With her new book, the model tries to escape the oppressions of the male gaze.", - "content": "With her new book, the model tries to escape the oppressions of the male gaze.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/05/podcasts/the-daily/emily-ratajkowski-my-body-book-sunday-read.html", - "creator": "Andrea Long Chu, Jack D’Isidoro, Aaron Esposito, John Woo and Dan Powell", - "pubDate": "Sun, 05 Dec 2021 11:00:05 +0000", + "title": "Stocks Fell Again as Fed Signaled It Could End Support", + "description": "Wall Street was uneasy after suggestions from the Federal Reserve chair that the Fed will hasten the reduction of its economic support. Here’s the latest.", + "content": "Wall Street was uneasy after suggestions from the Federal Reserve chair that the Fed will hasten the reduction of its economic support. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100329,16 +126560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "507bba946b377223ecf8593b40d37985" + "hash": "2745437df9e23f915bfb7dcb3fb412f5" }, { - "title": "How Stephanie Murphy, a Holdout on Biden’s Agenda, Helped Salvage It", - "description": "The centrist Democrat from Florida put the brakes on President Biden’s social safety net legislation because of concerns about cost. Then she brokered a deal to steer it through the House.", - "content": "The centrist Democrat from Florida put the brakes on President Biden’s social safety net legislation because of concerns about cost. Then she brokered a deal to steer it through the House.", - "category": "Murphy, Stephanie (1978- )", - "link": "https://www.nytimes.com/2021/12/05/us/politics/stephanie-murphy-democrats-biden.html", - "creator": "Emily Cochrane", - "pubDate": "Sun, 05 Dec 2021 08:00:10 +0000", + "title": "Mark Meadows Cooperating With Jan. 6 Attack Inquiry", + "description": "Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", + "content": "Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", + "category": "Meadows, Mark R (1959- )", + "link": "https://www.nytimes.com/2021/11/30/us/politics/capitol-riot-investigation-meadows.html", + "creator": "Luke Broadwater", + "pubDate": "Tue, 30 Nov 2021 18:54:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100349,16 +126580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5f954da282f963f779c89785657b0df3" + "hash": "b80cae62a59287fa3c5346952b5afd08" }, { - "title": "Pope Francis Laments That for Migrants, ‘Little Has Changed’", - "description": "At a Greek refugee camp, Francis sought to restore compassion for asylum seekers, whose plight he called a “shipwreck of civilization.”", - "content": "At a Greek refugee camp, Francis sought to restore compassion for asylum seekers, whose plight he called a “shipwreck of civilization.”", - "category": "Middle East and Africa Migrant Crisis", - "link": "https://www.nytimes.com/2021/12/05/world/europe/pope-greece-migrants-lesbos.html", - "creator": "Jason Horowitz", - "pubDate": "Sun, 05 Dec 2021 19:18:08 +0000", + "title": "First Accuser Testifies in Ghislaine Maxwell Trial", + "description": "A woman who prosecutors say was recruited for sex by Ms. Maxwell and Jeffrey Epstein at the age of 14 took the witness stand. Follow updates.", + "content": "A woman who prosecutors say was recruited for sex by Ms. Maxwell and Jeffrey Epstein at the age of 14 took the witness stand. Follow updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100369,16 +126600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d4d8d392c279c9f2958ed97e1460ed8" + "hash": "04eccbd346258af51e576e87c533cc79" }, { - "title": "Ex-Senator David Perdue to Run for Governor of Georgia", - "description": "Mr. Perdue, an ally of Donald Trump, will challenge the incumbent governor, Brian Kemp, in a Republican primary.", - "content": "Mr. Perdue, an ally of Donald Trump, will challenge the incumbent governor, Brian Kemp, in a Republican primary.", - "category": "Elections, Governors", - "link": "https://www.nytimes.com/2021/12/05/us/david-perdue-georgia-governor.html", - "creator": "Richard Fausset and Jonathan Martin", - "pubDate": "Sun, 05 Dec 2021 20:47:10 +0000", + "title": "Baptism Is Getting Wild: Horse Troughs, Hot Tubs and Hashtags", + "description": "In some evangelical churches, a once-staid ritual is returning to its informal roots — and things sometimes get “a little rowdy” along the way.", + "content": "In some evangelical churches, a once-staid ritual is returning to its informal roots — and things sometimes get “a little rowdy” along the way.", + "category": "Baptism", + "link": "https://www.nytimes.com/2021/11/29/us/evangelical-churches-baptism.html", + "creator": "Ruth Graham", + "pubDate": "Tue, 30 Nov 2021 05:37:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100389,16 +126620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d60a8c938f586562a1c5e8495ebb829" + "hash": "b2b6dbbb7c53bad1ec02763708fa2843" }, { - "title": "Anger Spreads in Northeastern India After Security Forces Kill 14 Civilians", - "description": "Eight mine workers were shot in a mistaken ambush by soldiers seeking insurgents, and six protesters died later in clashes with government forces, stoking fears of further violence in the restive region.", - "content": "Eight mine workers were shot in a mistaken ambush by soldiers seeking insurgents, and six protesters died later in clashes with government forces, stoking fears of further violence in the restive region.", - "category": "Civilian Casualties", - "link": "https://www.nytimes.com/2021/12/05/world/asia/india-northeast-nagaland-civilians.html", - "creator": "Sameer Yasir and Hari Kumar", - "pubDate": "Sun, 05 Dec 2021 14:46:47 +0000", + "title": "Tony Kushner, Oracle of the Upper West Side", + "description": "When Steven Spielberg asked Kushner, America’s most important living playwright, to take on ‘West Side Story,’ he thought, ‘He’s lost his mind.’ But he dared.", + "content": "When Steven Spielberg asked Kushner, America’s most important living playwright, to take on ‘West Side Story,’ he thought, ‘He’s lost his mind.’ But he dared.", + "category": "Kushner, Tony", + "link": "https://www.nytimes.com/2021/11/30/t-magazine/tony-kushner-caroline-west-side.html", + "creator": "A.O. Scott", + "pubDate": "Tue, 30 Nov 2021 17:53:40 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100409,16 +126640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9c4a35427c2d50a4805b847262a338b" + "hash": "ab604d81750f96305eb27a5fd23aff3b" }, { - "title": "Eddie Mekka, a Star of ‘Laverne & Shirley,’ Is Dead at 69", - "description": "As Carmine Ragusa on the hit sitcom, he got to show off his singing, tap-dancing and gymnastic skills — and to croon “Rags to Riches” many times.", - "content": "As Carmine Ragusa on the hit sitcom, he got to show off his singing, tap-dancing and gymnastic skills — and to croon “Rags to Riches” many times.", - "category": "Mekka, Eddie (1952-2021)", - "link": "https://www.nytimes.com/2021/12/05/arts/television/eddie-mekka-dead.html", - "creator": "Anita Gates", - "pubDate": "Sun, 05 Dec 2021 15:13:03 +0000", + "title": "The Case Against Abortion", + "description": "Making the argument that lies behind the constitutional debate.", + "content": "Making the argument that lies behind the constitutional debate.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/11/30/opinion/abortion-dobbs-supreme-court.html", + "creator": "Ross Douthat", + "pubDate": "Tue, 30 Nov 2021 15:14:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100429,16 +126660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91ad73d46667de30e5455aeb70bafcc0" + "hash": "c6e2ae709cd523918523cce9544923af" }, { - "title": "Best Theater of 2021", - "description": "Digital innovation continued this year, but experiencing plays in isolation grew tiring. Then came an in-person season as exciting as a child’s first fireworks.", - "content": "Digital innovation continued this year, but experiencing plays in isolation grew tiring. Then came an in-person season as exciting as a child’s first fireworks.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/03/theater/best-theater.html", - "creator": "Jesse Green, Maya Phillips, Laura Collins-Hughes, Scott Heller, Alexis Soloski and Elisabeth Vincentelli", - "pubDate": "Fri, 03 Dec 2021 17:01:55 +0000", + "title": "The Women Who Died After Abortion Bans", + "description": "It should not take a high-profile death to expose just how much is at risk when medicine is hamstrung by politics, religion or culture.", + "content": "It should not take a high-profile death to expose just how much is at risk when medicine is hamstrung by politics, religion or culture.", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/11/29/opinion/heartbeat-abortion-bans-savita-izabela.html", + "creator": "Sarah Wildman", + "pubDate": "Mon, 29 Nov 2021 11:30:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100449,16 +126680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "966984a020603652f00af097e87501b5" + "hash": "9b5128abec8944af104cac77bcac5227" }, { - "title": "More Galleries of Color Debut at Art Basel Miami", - "description": "Changes to eligibility requirements enabled more diversity at the fair, which roared back for the first time since the pandemic.", - "content": "Changes to eligibility requirements enabled more diversity at the fair, which roared back for the first time since the pandemic.", - "category": "Art Basel Miami Beach", - "link": "https://www.nytimes.com/2021/12/04/arts/design/art-basel-miami-diversity.html", - "creator": "Robin Pogrebin", - "pubDate": "Sun, 05 Dec 2021 22:30:37 +0000", + "title": "Becoming a Parent, or Deciding Not To", + "description": "Betty Rollin and other readers discuss whether it is “still OK to procreate.” Also: Following the kids’ lead on masks; regulating cyberwar.", + "content": "Betty Rollin and other readers discuss whether it is “still OK to procreate.” Also: Following the kids’ lead on masks; regulating cyberwar.", + "category": "Parenting", + "link": "https://www.nytimes.com/2021/11/30/opinion/letters/parents-children.html", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 16:39:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100469,16 +126700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "40309ade8f373f807a88df2bc50c824e" + "hash": "782a45d69430bdc16071187a3a5dba1b" }, { - "title": "In Brussels, a Designer’s Home Awash With His Own Vibrant Creations", - "description": "Christoph Hefti makes — and lives with — ebullient carpets and textiles inspired by magical realism and Latin American design.", - "content": "Christoph Hefti makes — and lives with — ebullient carpets and textiles inspired by magical realism and Latin American design.", - "category": "holiday issue 2021", - "link": "https://www.nytimes.com/2021/11/24/t-magazine/carpets-rugs-home-design-brussels.html", - "creator": "Gisela Williams and Frederik Buyckx", - "pubDate": "Wed, 24 Nov 2021 12:00:13 +0000", + "title": "Fear and Uncertainty Over the Omicron Variant", + "description": "Readers discuss travel bans, globalism and “variants of kindness.”", + "content": "Readers discuss travel bans, globalism and “variants of kindness.”", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/11/29/opinion/letters/omicron-coronavirus-variant.html", + "creator": "", + "pubDate": "Mon, 29 Nov 2021 20:20:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100489,16 +126720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "af151933822f427d8903e3eb12b8f386" + "hash": "e2ddaf16a522eccf144834fe3b46c4d9" }, { - "title": "What Will Art Look Like in the Metaverse?", - "description": "Mark Zuckerberg wants us thinking about visual art when we contemplate his company’s new venture. Artists should take the suggestion seriously.", - "content": "Mark Zuckerberg wants us thinking about visual art when we contemplate his company’s new venture. Artists should take the suggestion seriously.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/01/magazine/mark-zuckerberg-meta-art.html", - "creator": "Dean Kissick", - "pubDate": "Thu, 02 Dec 2021 06:47:49 +0000", + "title": "Kyle Rittenhouse, Travis McMichael and the Problem of ‘Self Defense’", + "description": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", + "content": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", + "category": "Arbery, Ahmaud (1994-2020)", + "link": "https://www.nytimes.com/2021/11/29/opinion/self-defense-guns-arbery-rittenhouse.html", + "creator": "Tali Farhadian Weinstein", + "pubDate": "Mon, 29 Nov 2021 18:53:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100509,16 +126740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1fe3f08783027385478aa8065cfd6d0" + "hash": "06810cc7fc4520cd436883a49237e515" }, { - "title": "Almudena Grandes, Novelist of Spain’s Marginalized, Dies at 61", - "description": "Beginning with an acclaimed erotic novel, she became what the prime minister called “one of the most important writers of our time.”", - "content": "Beginning with an acclaimed erotic novel, she became what the prime minister called “one of the most important writers of our time.”", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/03/books/almudena-grandes-dead.html", - "creator": "Raphael Minder", - "pubDate": "Sat, 04 Dec 2021 14:58:36 +0000", + "title": "Omicron Is Coming. The U.S. Must Act Now.", + "description": "South Africa gave the world an early warning. Decisive action on containment and surveillance could help us control it.", + "content": "South Africa gave the world an early warning. Decisive action on containment and surveillance could help us control it.", + "category": "Coronavirus Delta Variant", + "link": "https://www.nytimes.com/2021/11/28/opinion/covid-omicron-travel-ban-testing.html", + "creator": "Zeynep Tufekci", + "pubDate": "Sun, 28 Nov 2021 16:00:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100529,16 +126760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cde662debed09b653553fe4e199ed821" + "hash": "6e02f0692e42e1ddc412336aa9565390" }, { - "title": "Myanmar Court to Announce First Verdicts in Aung San Suu Kyi Trial", - "description": "The ousted civilian leader, who was detained in a military coup in February, faces a maximum prison term of 102 years. Here’s the latest.", - "content": "The ousted civilian leader, who was detained in a military coup in February, faces a maximum prison term of 102 years. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/myanmar-coup-verdict-aung-san-suu-kyi", - "creator": "The New York Times", - "pubDate": "Mon, 06 Dec 2021 03:23:22 +0000", + "title": "This Holiday Season, Keep Forgiveness on Hand", + "description": "As we gather to celebrate the holidays during a difficult year, we’d be wise to consider a posture of grace.", + "content": "As we gather to celebrate the holidays during a difficult year, we’d be wise to consider a posture of grace.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2021/11/24/opinion/thanksgiving-family-forgiveness.html", + "creator": "Kelly Corrigan", + "pubDate": "Mon, 29 Nov 2021 17:30:41 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100549,16 +126780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "144c6bab34a0ec0382cb9bc62a7f6218" + "hash": "0db65dbc5482c0942369d069808dcdfe" }, { - "title": "After Success in Seating Federal Judges, Biden Hits Resistance", - "description": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", - "content": "Senate Democrats vow to keep pressing forward with nominees, but they may face obstacles in states represented by Republicans.", - "category": "Appointments and Executive Changes", - "link": "https://www.nytimes.com/2021/12/05/us/biden-judges-senate-confirmation.html", - "creator": "Carl Hulse", - "pubDate": "Sun, 05 Dec 2021 08:00:08 +0000", + "title": "Jack Dorsey Steps Down as C.E.O. of Twitter", + "description": "The social media pioneer, whose name has become synonymous with the company, was replaced by Twitter’s chief technology officer, Parag Agrawal.", + "content": "The social media pioneer, whose name has become synonymous with the company, was replaced by Twitter’s chief technology officer, Parag Agrawal.", + "category": "Twitter", + "link": "https://www.nytimes.com/2021/11/29/technology/jack-dorsey-twitter.html", + "creator": "Kate Conger and Lauren Hirsch", + "pubDate": "Tue, 30 Nov 2021 10:02:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100569,16 +126800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "07d2a2fd90db41e4f6131de6d1e6e582" + "hash": "e2fa9fbd9c1c805eb33689e252504050" }, { - "title": "Inside the Holiday Light Show at Brooklyn Botanic Garden ", - "description": "Outdoor installations like the elaborate illuminations at Brooklyn Botanic Garden are perfect for this second pandemic winter.", - "content": "Outdoor installations like the elaborate illuminations at Brooklyn Botanic Garden are perfect for this second pandemic winter.", - "category": "Gardens and Gardening", - "link": "https://www.nytimes.com/2021/12/03/nyregion/brooklyn-botanic-garden-holiday-lights.html", - "creator": "Ginia Bellafante", - "pubDate": "Fri, 03 Dec 2021 15:35:43 +0000", + "title": "Chris Cuomo Played Outsize Role in Andrew Cuomo’s Defense", + "description": "Chris Cuomo, the CNN host, participated in strategy discussions and shared a tip on at least one woman who had accused his brother, Andrew Cuomo, of sexual harassment.", + "content": "Chris Cuomo, the CNN host, participated in strategy discussions and shared a tip on at least one woman who had accused his brother, Andrew Cuomo, of sexual harassment.", + "category": "Cuomo, Andrew M", + "link": "https://www.nytimes.com/2021/11/29/nyregion/chris-cuomo-andrew-cuomo-sexual-harassment.html", + "creator": "Nicholas Fandos, Michael Gold, Grace Ashford and Dana Rubinstein", + "pubDate": "Tue, 30 Nov 2021 00:49:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100589,16 +126820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb15467f19e310cfe125e7a0e1d7f343" + "hash": "42c0c1f2e55596e884d5179697753a57" }, { - "title": "When Michigan Beat Ohio State, I Cried Tears of Joy", - "description": "The Euphoria of a Big Win, Explained.", - "content": "The Euphoria of a Big Win, Explained.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/04/opinion/michigan-ohio-football-happiness.html", - "creator": "Jane Coaston", - "pubDate": "Sat, 04 Dec 2021 16:26:06 +0000", + "title": "As China Speeds Up Nuclear Arms Race, the U.S. Wants to Talk", + "description": "The Pentagon thinks Beijing may build 1,000 or more weapons by 2030. But it’s the new technologies that worry strategists.", + "content": "The Pentagon thinks Beijing may build 1,000 or more weapons by 2030. But it’s the new technologies that worry strategists.", + "category": "China", + "link": "https://www.nytimes.com/2021/11/28/us/politics/china-nuclear-arms-race.html", + "creator": "David E. Sanger and William J. Broad", + "pubDate": "Mon, 29 Nov 2021 00:45:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100609,16 +126840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "becdf1383365686205a0e77e578976c4" + "hash": "ea7fb3dbb520f9ca8b6cd89ba79738b4" }, { - "title": "Upstate New York Hospitals Are Overwhelmed as Covid Cases Surge", - "description": "Health care officials say a “perfect storm” of new Covid cases, staff shortages and filled nursing homes has created a crisis.", - "content": "Health care officials say a “perfect storm” of new Covid cases, staff shortages and filled nursing homes has created a crisis.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/03/nyregion/covid-cases-surge-upstate-ny.html", - "creator": "Sharon Otterman", - "pubDate": "Fri, 03 Dec 2021 22:31:49 +0000", + "title": "Colton Underwood Comes Out and Comes Clean", + "description": "The former “Bachelor” star announced he is gay on national TV in April. A new Netflix reality series seeks to share his journey and address the criticism.", + "content": "The former “Bachelor” star announced he is gay on national TV in April. A new Netflix reality series seeks to share his journey and address the criticism.", + "category": "Homosexuality and Bisexuality", + "link": "https://www.nytimes.com/2021/11/29/arts/television/colton-underwood-netflix.html", + "creator": "Erik Piepenburg", + "pubDate": "Mon, 29 Nov 2021 10:00:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100629,16 +126860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "15a8a4e1026b835361f8fac659b239db" + "hash": "ba0edcae0ed1b5336fb2c08ee517d684" }, { - "title": "Public Displays of Resignation: Saying ‘I Quit’ Loud and Proud", - "description": "People aren’t just leaving their jobs. They are broadcasting it.", - "content": "People aren’t just leaving their jobs. They are broadcasting it.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/12/04/business/public-resignation-quitting.html", - "creator": "Emma Goldberg", - "pubDate": "Sat, 04 Dec 2021 10:00:13 +0000", + "title": "Who Owns a Recipe? A Plagiarism Claim Has Cookbook Authors Asking.", + "description": "U.S. copyright law protects all kinds of creative material, but recipe creators are mostly powerless in an age and a business that are all about sharing.", + "content": "U.S. copyright law protects all kinds of creative material, but recipe creators are mostly powerless in an age and a business that are all about sharing.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/29/dining/recipe-theft-cookbook-plagiarism.html", + "creator": "Priya Krishna", + "pubDate": "Mon, 29 Nov 2021 21:11:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100649,16 +126880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cec5dacbe9a1a5d8017b34aac0b4e410" + "hash": "95b866c97c3b2f3e5cce757063573371" }, { - "title": "Omicron Is Here. Should You Cancel Your Trip?", - "description": "Most people have become used to making health-risk assessments during the pandemic, but that doesn’t make the decision about whether to travel or cancel easier — especially with a new variant circulating.", - "content": "Most people have become used to making health-risk assessments during the pandemic, but that doesn’t make the decision about whether to travel or cancel easier — especially with a new variant circulating.", - "category": "Travel and Vacations", - "link": "https://www.nytimes.com/2021/12/02/travel/omicron-variant-travel-decisions.html", - "creator": "Heather Murphy", - "pubDate": "Thu, 02 Dec 2021 21:03:33 +0000", + "title": "‘Looking for the Good War’ Says Our Nostalgia for World War II Has Done Real Harm", + "description": "Elizabeth D. Samet demystifies the cultural narrative that has shrouded the historical reality.", + "content": "Elizabeth D. Samet demystifies the cultural narrative that has shrouded the historical reality.", + "category": "Samet, Elizabeth D", + "link": "https://www.nytimes.com/2021/11/29/books/review-looking-for-good-war-elizabeth-samet.html", + "creator": "Jennifer Szalai", + "pubDate": "Mon, 29 Nov 2021 18:49:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100669,16 +126900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5546944ef0c4699762cff356ad411230" + "hash": "b786ea4e73f03ddbd9f5afa7d2d9351a" }, { - "title": "Denzel Washington, Man on Fire", - "description": "The actor never leans in — he’s all in. And in his latest, “Macbeth,” conjured by Joel Coen, he is as sharp and deadly as a dagger.", - "content": "The actor never leans in — he’s all in. And in his latest, “Macbeth,” conjured by Joel Coen, he is as sharp and deadly as a dagger.", + "title": "Fighting Racism, Quietly", + "description": "The Ahmaud Arbery trial offers lessons for American politics.", + "content": "The Ahmaud Arbery trial offers lessons for American politics.", "category": "", - "link": "https://www.nytimes.com/2021/12/04/style/denzel-washington-man-on-fire.html", - "creator": "Maureen Dowd", - "pubDate": "Sat, 04 Dec 2021 10:00:12 +0000", + "link": "https://www.nytimes.com/2021/11/30/briefing/ahmaud-arbery-race-american-politics.html", + "creator": "David Leonhardt", + "pubDate": "Tue, 30 Nov 2021 11:29:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100689,16 +126920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c07ee15ea49fe4c76ae0cae0a19b9a2" + "hash": "7e6096a89f7ed85d0b785e85baa92159" }, { - "title": "Buck O'Neil, Gil Hodges and Minnie Miñoso Elected to Hall of Fame", - "description": "A pair of committees asked to review candidates from previous eras elected Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", - "content": "A pair of committees asked to review candidates from previous eras elected Buck O’Neil, Gil Hodges, Minnie Miñoso, Tony Oliva, Jim Kaat and Bud Fowler.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/12/05/sports/baseball/buck-oneil-gil-hodges-hall-of-fame.html", - "creator": "Benjamin Hoffman", - "pubDate": "Mon, 06 Dec 2021 00:22:52 +0000", + "title": "What We Know About the Omicron Variant", + "description": "The World Health Organization has declared that this version of the coronavirus poses a very high risk to public health. How did they come to that conclusion?", + "content": "The World Health Organization has declared that this version of the coronavirus poses a very high risk to public health. How did they come to that conclusion?", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/11/30/podcasts/the-daily/omicron-variant-coronavirus.html", + "creator": "Michael Barbaro, Jessica Cheung, Diana Nguyen, Michael Simon Johnson, M.J. Davis Lin and Chris Wood", + "pubDate": "Tue, 30 Nov 2021 11:09:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100709,16 +126940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a52e08108ba2ce1eabab5ac5164aa46" + "hash": "4833ba2990760596e071940d006404c5" }, { - "title": "Alabama, Michigan, Georgia and Cincinnati Make College Football Playoff", - "description": "The semifinal games are scheduled for New Year’s Eve, with the national championship planned for Jan. 10 in Indianapolis.", - "content": "The semifinal games are scheduled for New Year’s Eve, with the national championship planned for Jan. 10 in Indianapolis.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/12/05/sports/ncaafootball/alabama-michigan-georgia-cincinnati-college-football-playoff.html", - "creator": "Alan Blinder", - "pubDate": "Sun, 05 Dec 2021 17:30:43 +0000", + "title": "Finding Purpose by Giving Back", + "description": "Whether helping people stay clean and safe, pursue their educational dreams or find the aid they need, volunteers make a difference.", + "content": "Whether helping people stay clean and safe, pursue their educational dreams or find the aid they need, volunteers make a difference.", + "category": "New York Times Neediest Cases Fund", + "link": "https://www.nytimes.com/2021/11/29/neediest-cases/finding-purpose-by-giving-back.html", + "creator": "Emma Grillo", + "pubDate": "Mon, 29 Nov 2021 23:19:22 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100729,16 +126960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fc40c92370bea9d6f8d5fbacca1c6501" + "hash": "46952a34641c04df6a804590102e48a2" }, { - "title": "U.S. Military Has Acted Against Ransomware Groups, General Acknowledges", - "description": "Gen. Paul M. Nakasone, the head of Cyber Command, said a new cross-functional effort has been gathering intelligence to combat criminal groups targeting U.S. infrastructure.", - "content": "Gen. Paul M. Nakasone, the head of Cyber Command, said a new cross-functional effort has been gathering intelligence to combat criminal groups targeting U.S. infrastructure.", - "category": "Cyberwarfare and Defense", - "link": "https://www.nytimes.com/2021/12/05/us/politics/us-military-ransomware-cyber-command.html", - "creator": "Julian E. Barnes", - "pubDate": "Sun, 05 Dec 2021 19:07:02 +0000", + "title": "Met Museum Jump-Starts New Modern Wing With $125 Million Gift", + "description": "The donation from a trustee, Oscar L. Tang, and his wife, Agnes Hsu‐Tang, reinvigorates the long-delayed project and is the largest capital gift in the Met’s history.", + "content": "The donation from a trustee, Oscar L. Tang, and his wife, Agnes Hsu‐Tang, reinvigorates the long-delayed project and is the largest capital gift in the Met’s history.", + "category": "Metropolitan Museum of Art", + "link": "https://www.nytimes.com/2021/11/30/arts/design/met-museum-modern-wing-gift.html", + "creator": "Robin Pogrebin", + "pubDate": "Tue, 30 Nov 2021 18:18:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100749,16 +126980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8c04fec9f7be2c2560e4317ffda4b3a7" + "hash": "027eacacd757faf495bfd40ff47fc835" }, { - "title": "Cambodian Effort to Find Artifacts Won’t End With Informant’s Death", - "description": "Officials plan to use evidence from the former looter known as Lion as they seek the return of stolen objects from museums and private collections.", - "content": "Officials plan to use evidence from the former looter known as Lion as they seek the return of stolen objects from museums and private collections.", - "category": "Arts and Antiquities Looting", - "link": "https://www.nytimes.com/2021/12/05/arts/design/cambodian-effort-to-find-artifacts-wont-end-with-informants-death.html", - "creator": "Tom Mashberg", - "pubDate": "Sun, 05 Dec 2021 21:00:01 +0000", + "title": "El Chapo’s Wife Sentenced to 3 Years in Prison", + "description": "Emma Coronel Aispuro pleaded guilty in June to helping her husband, Joaquin Guzmán Loera, smuggle drugs into the United States and escape from prison.", + "content": "Emma Coronel Aispuro pleaded guilty in June to helping her husband, Joaquin Guzmán Loera, smuggle drugs into the United States and escape from prison.", + "category": "Drug Abuse and Traffic", + "link": "https://www.nytimes.com/2021/11/30/us/politics/el-chapo-wife-emma-coronel-aispuro-sentenced.html", + "creator": "Alan Feuer", + "pubDate": "Tue, 30 Nov 2021 19:34:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100769,16 +127000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff6042fd31145f41a2e12b94a4c5eb51" + "hash": "2d539e8557b633804bfc8ac07aa72ca1" }, { - "title": "Chris Cuomo Faced Sexual Misconduct Accusation Before CNN Fired Him", - "description": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", - "content": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", - "category": "Cuomo, Christopher", - "link": "https://www.nytimes.com/2021/12/04/business/media/chris-cuomo-fired-cnn.html", - "creator": "Michael M. Grynbaum, John Koblin and Jodi Kantor", - "pubDate": "Sun, 05 Dec 2021 17:18:24 +0000", + "title": "India's Economy Still Weak, Despite a Strong Third Quarter", + "description": "Covid-19 essentially robbed the country of more than a year of badly needed economic growth. That’s lost ground that cannot be regained quickly.", + "content": "Covid-19 essentially robbed the country of more than a year of badly needed economic growth. That’s lost ground that cannot be regained quickly.", + "category": "India", + "link": "https://www.nytimes.com/2021/11/30/business/india-economy-gdp.html", + "creator": "Karan Deep Singh", + "pubDate": "Tue, 30 Nov 2021 12:49:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100789,16 +127020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f4a0451a72a4a3a54c57e87e03f542a" + "hash": "90d3ed177470f97e0d9c1ed2b0917951" }, { - "title": "The New Rules for Hosting That Holiday Party", - "description": "If the 2020 holiday season was the year to cancel everything, 2021 is about figuring out how to get our groove back.", - "content": "If the 2020 holiday season was the year to cancel everything, 2021 is about figuring out how to get our groove back.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/12/03/realestate/hosting-holiday-party-covid.html", - "creator": "Ronda Kaysen", - "pubDate": "Fri, 03 Dec 2021 13:00:07 +0000", + "title": "China’s Silence on Peng Shuai Shows Limits of Beijing’s Propaganda", + "description": "Officials have struggled to respond to a sexual assault allegation that hits at the heights of its buttoned-up political system.", + "content": "Officials have struggled to respond to a sexual assault allegation that hits at the heights of its buttoned-up political system.", + "category": "Censorship", + "link": "https://www.nytimes.com/2021/11/30/world/asia/china-peng-shuai-propaganda.html", + "creator": "Amy Qin and Paul Mozur", + "pubDate": "Tue, 30 Nov 2021 19:58:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100809,16 +127040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "27cf0108cf9aaac35392f74925330fd3" + "hash": "b11da63f1ff1db256f0529d0bbb714eb" }, { - "title": "Where the Pro-Choice Movement Went Wrong", - "description": "How abortion-rights groups failed to stop the erosion of Roe v. Wade.", - "content": "How abortion-rights groups failed to stop the erosion of Roe v. Wade.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/01/opinion/abortion-planned-parenthood-naral-roe-v-wade.html", - "creator": "Amy Littlefield", - "pubDate": "Wed, 01 Dec 2021 16:57:45 +0000", + "title": "Josephine Baker Interred in French Panthéon", + "description": "President Macron hails the American-born dancer and French resistance fighter as a symbol of unity in a time of sharp division.", + "content": "President Macron hails the American-born dancer and French resistance fighter as a symbol of unity in a time of sharp division.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/30/world/europe/josephine-baker-buried-pantheon.html", + "creator": "Roger Cohen", + "pubDate": "Tue, 30 Nov 2021 21:36:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100829,16 +127060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "952fb787c6c49a3f8f3fb43450c20f26" + "hash": "f996e8dd46881b04c03c64b8396fa31b" }, { - "title": "Tiny Homes for the Homeless", - "description": "Do these shelters help those living on the streets or just offer political cover?", - "content": "Do these shelters help those living on the streets or just offer political cover?", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/02/opinion/tiny-house-homelessness.html", - "creator": "Jay Caspian Kang", - "pubDate": "Thu, 02 Dec 2021 21:48:25 +0000", + "title": "‘Our Money Has No Value’: Frustration Rises in Turkey at Lira Crisis", + "description": "President Recep Tayyip Erdogan’s insistence on directing monetary policy and sticking with low interest rates is draining confidence, economists say.", + "content": "President Recep Tayyip Erdogan’s insistence on directing monetary policy and sticking with low interest rates is draining confidence, economists say.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/30/world/europe/turkey-erdogan-inflation-lira.html", + "creator": "Carlotta Gall", + "pubDate": "Tue, 30 Nov 2021 14:55:40 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100849,16 +127080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3667ce939aa62bdf627707c1546777e9" + "hash": "6fdc2bf13edf84002118e295eca59af3" }, { - "title": "Omicron Is Another Waiting Game for Parents", - "description": "A worrisome week in news.", - "content": "A worrisome week in news.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/04/opinion/omicron-michigan-dobbs.html", - "creator": "Jessica Grose", - "pubDate": "Sat, 04 Dec 2021 16:30:19 +0000", + "title": "Investors Snap Up Metaverse Real Estate in a Virtual Land Boom", + "description": "Transactions for properties in digital realms are jumping, guided by the same principle in the physical world: location, location, location.", + "content": "Transactions for properties in digital realms are jumping, guided by the same principle in the physical world: location, location, location.", + "category": "Real Estate (Commercial)", + "link": "https://www.nytimes.com/2021/11/30/business/metaverse-real-estate.html", + "creator": "Debra Kamin", + "pubDate": "Tue, 30 Nov 2021 14:00:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100869,16 +127100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b1b55a95d170d1d75ec2464fc6122e8" + "hash": "2943faea8ed3b5385e7093e10b4ad4fc" }, { - "title": "Fatalities Reported After Military Truck Rams Protesters in Myanmar", - "description": "Witnesses said soldiers also fired into the crowd and kicked wounded demonstrators, the latest in a series of confrontations in which the military’s behavior has infuriated citizens.", - "content": "Witnesses said soldiers also fired into the crowd and kicked wounded demonstrators, the latest in a series of confrontations in which the military’s behavior has infuriated citizens.", - "category": "Demonstrations, Protests and Riots", - "link": "https://www.nytimes.com/2021/12/05/world/asia/myanmar-car-protesters-killed.html", - "creator": "Sui-Lee Wee", - "pubDate": "Sun, 05 Dec 2021 08:01:08 +0000", + "title": "Farm Housing Mennonite Boys Engaged in Human Trafficking, Lawsuit Says", + "description": "In a federal lawsuit against the Eastern Pennsylvania Mennonite Church, two plaintiffs said they were deprived of food and restrained with zip ties at a forced-labor farm.", + "content": "In a federal lawsuit against the Eastern Pennsylvania Mennonite Church, two plaintiffs said they were deprived of food and restrained with zip ties at a forced-labor farm.", + "category": "Suits and Litigation (Civil)", + "link": "https://www.nytimes.com/2021/11/29/us/pennsylvania-mennonite-church-lawsuit.html", + "creator": "Neil Vigdor", + "pubDate": "Mon, 29 Nov 2021 23:10:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100889,16 +127120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "db1e6df1f0e5a46d6d320534cc0f45f2" + "hash": "5170b2f43518d90540f8a33af88043b1" }, { - "title": "Three Months After Hurricane Ida, Residents Are Still Waiting for FEMA Housing", - "description": "As storms and fires become more severe, disaster housing policy has failed to keep up, leaving people displaced for months on end.", - "content": "As storms and fires become more severe, disaster housing policy has failed to keep up, leaving people displaced for months on end.", - "category": "Hurricane Ida (2021)", - "link": "https://www.nytimes.com/2021/12/05/us/hurricane-ida-fema-housing.html", - "creator": "Sophie Kasakove and Katy Reckdahl", - "pubDate": "Sun, 05 Dec 2021 08:00:09 +0000", + "title": "Lululemon Sues Peloton Alleging Patent Infringement", + "description": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", + "content": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", + "category": "Suits and Litigation (Civil)", + "link": "https://www.nytimes.com/2021/11/30/business/lululemon-peloton-lawsuit.html", + "creator": "Johnny Diaz", + "pubDate": "Tue, 30 Nov 2021 20:13:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100909,16 +127140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6898722d13453ccfad3aab20173e2142" + "hash": "f7df77f0a60bfdeb8205f7029447bd38" }, { - "title": "Ruth Reichl Will Write a Substack Newsletter", - "description": "The former restaurant critic and Gourmet editor is joining a cadre of chefs and authors enlisted to expand the platform’s culinary content.", - "content": "The former restaurant critic and Gourmet editor is joining a cadre of chefs and authors enlisted to expand the platform’s culinary content.", - "category": "Writing and Writers", - "link": "https://www.nytimes.com/2021/12/01/dining/substack-food-ruth-reichl.html", - "creator": "Kim Severson", - "pubDate": "Wed, 01 Dec 2021 23:56:39 +0000", + "title": "Kimberly Potter’s Trial for the Death of Daunte Wright: What We Know", + "description": "Kimberly Potter, a former Minnesota police officer, faces manslaughter charges in the death of Mr. Wright. She called out “Taser! Taser! Taser!” before firing her gun during a traffic stop.", + "content": "Kimberly Potter, a former Minnesota police officer, faces manslaughter charges in the death of Mr. Wright. She called out “Taser! Taser! Taser!” before firing her gun during a traffic stop.", + "category": "Police Brutality, Misconduct and Shootings", + "link": "https://www.nytimes.com/2021/11/30/us/daunte-wright-shooting-kimberly-potter.html", + "creator": "Nicholas Bogel-Burroughs", + "pubDate": "Tue, 30 Nov 2021 15:54:52 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100929,16 +127160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b96af0dc557a186e2aee5314bac52429" + "hash": "f22a756f364ffb0e5944af6e0ceb0929" }, { - "title": "A Master of the Half Pipe Plants His Feet at the Altar", - "description": "Danny Davis, a professional snowboarder, married Hayley Simpson 19 years after they met as teens at a snowboarding event.", - "content": "Danny Davis, a professional snowboarder, married Hayley Simpson 19 years after they met as teens at a snowboarding event.", - "category": "Weddings and Engagements", - "link": "https://www.nytimes.com/2021/12/03/style/danny-davis-hayley-simpson-wedding.html", - "creator": "Vincent M. Mallozzi", - "pubDate": "Fri, 03 Dec 2021 16:43:39 +0000", + "title": "What Is Cardiac Angiosarcoma?", + "description": "Virgil Abloh, the celebrated fashion designer, died at 41 after being diagnosed with the rare cancer. Here’s what we know about it.", + "content": "Virgil Abloh, the celebrated fashion designer, died at 41 after being diagnosed with the rare cancer. Here’s what we know about it.", + "category": "Tumors", + "link": "https://www.nytimes.com/2021/11/29/well/live/cardiac-angiosarcoma-virgil-abloh.html", + "creator": "Melinda Wenner Moyer", + "pubDate": "Mon, 29 Nov 2021 22:11:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100949,16 +127180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5bb6400c590d5856d08da08f80b47428" + "hash": "43208c032c6057d2349a17463d27ee28" }, { - "title": "How the Rev. Dr. Jacqui Lewis, Author and Preacher, Spends Her Sundays", - "description": "Although her church burned down a year ago, it’s still very much alive in her heart and actions.", - "content": "Although her church burned down a year ago, it’s still very much alive in her heart and actions.", - "category": "Historic Buildings and Sites", - "link": "https://www.nytimes.com/2021/12/03/nyregion/jacqui-lewis-middle-collegiate.html", - "creator": "Tammy La Gorce", - "pubDate": "Fri, 03 Dec 2021 10:00:26 +0000", + "title": "Do You Have the Heart for Marijuana?", + "description": "Research suggests that smoking marijuana carries many of the same cardiovascular health hazards as smoking tobacco.", + "content": "Research suggests that smoking marijuana carries many of the same cardiovascular health hazards as smoking tobacco.", + "category": "Marijuana", + "link": "https://www.nytimes.com/2020/10/26/well/live/marijuana-heart-health-cardiovascular-risks.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 26 Oct 2020 09:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100969,16 +127200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d6ef261d4770d3cd5f34e9a8d2ee5bc" + "hash": "195c0271cc2a6474d5c06f245d7f615e" }, { - "title": "What African Americans Thought of Barack Obama", - "description": "Claude A. Clegg III’s “The Black President” looks at the often surprising reactions of African Americans to the Obama administration.", - "content": "Claude A. Clegg III’s “The Black President” looks at the often surprising reactions of African Americans to the Obama administration.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/02/books/review/claude-a-clegg-iii-the-black-president.html", - "creator": "Orlando Patterson", - "pubDate": "Thu, 02 Dec 2021 20:00:02 +0000", + "title": "Coronary Calcium Scan: A Heart Test That Can Help Guide Treatment", + "description": "Many doctors recommend the heart test to pinpoint which patients would benefit from treatment to reduce their cardiovascular risk.", + "content": "Many doctors recommend the heart test to pinpoint which patients would benefit from treatment to reduce their cardiovascular risk.", + "category": "Tests (Medical)", + "link": "https://www.nytimes.com/2021/11/22/well/live/heart-calcium-scan.html", + "creator": "Jane E. Brody", + "pubDate": "Wed, 24 Nov 2021 21:54:40 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -100989,16 +127220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6506246bbb3232f7b24ad2cfb428909c" + "hash": "fbad549b5e360228c7142e8f27cda53f" }, { - "title": "Mothers of Reinvention: The Lab Pivots as Studios Close", - "description": "In a strategic feat of survival, the Lab, a Los Angeles dance studio stalwart, has transformed itself into a creative agency and “lifestyle brand.”", - "content": "In a strategic feat of survival, the Lab, a Los Angeles dance studio stalwart, has transformed itself into a creative agency and “lifestyle brand.”", - "category": "Dancing", - "link": "https://www.nytimes.com/2021/12/02/arts/dance/the-lab-studio-los-angeles.html", - "creator": "Margaret Fuhrer", - "pubDate": "Thu, 02 Dec 2021 18:09:59 +0000", + "title": "The Loss of a Child Takes a Physical Toll on the Heart", + "description": "Grieving parents were at high risk of a heart attack in the days following the death of a child, and an increased risk may persist for years.", + "content": "Grieving parents were at high risk of a heart attack in the days following the death of a child, and an increased risk may persist for years.", + "category": "Grief (Emotion)", + "link": "https://www.nytimes.com/2021/11/23/well/family/death-of-a-child-parents-heart-attack-risk.html", + "creator": "Nicholas Bakalar", + "pubDate": "Tue, 23 Nov 2021 10:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101009,16 +127240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6b11ee18ea1bb4f753cd28e10f1dc4c" + "hash": "d603f61e09c59444a3f455e704ad1d2b" }, { - "title": "Getting Packages in My Building Is Chaotic. What Can I Do?", - "description": "The pandemic has exacerbated the onslaught of deliveries. Management should consider changes to staffing, storage capacity or building policy.", - "content": "The pandemic has exacerbated the onslaught of deliveries. Management should consider changes to staffing, storage capacity or building policy.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/12/04/realestate/package-delivery-apartment-buildings.html", - "creator": "Ronda Kaysen", - "pubDate": "Sat, 04 Dec 2021 15:00:05 +0000", + "title": "Jake Wood Was Once a Warrior, Then a Nonprofit Leader. Now He's an Entrepreneur.", + "description": "Jake Wood was a Marine sniper in Iraq and Afghanistan. Now he works in the philanthropic sector and is “leading with love.”", + "content": "Jake Wood was a Marine sniper in Iraq and Afghanistan. Now he works in the philanthropic sector and is “leading with love.”", + "category": "Executives and Management (Theory)", + "link": "https://www.nytimes.com/2021/11/24/business/jake-wood-team-rubicon-groundswell-corner-office.html", + "creator": "David Gelles", + "pubDate": "Wed, 24 Nov 2021 15:44:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101029,16 +127260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7f1f183c66ce84d269ec08fe1c788397" + "hash": "bff54a669e3ccafae1cfc8f786d97468" }, { - "title": "The U.S. is close to having 200 million people fully vaccinated.", - "description": " ", - "content": " ", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Sun, 05 Dec 2021 19:00:56 +0000", + "title": "Restaurant Review: Shion 69 Leonard Street", + "description": "The chef Shion Uino displays a rare, untheatrical mastery of seafood at his new $420-a-head restaurant in TriBeCa.", + "content": "The chef Shion Uino displays a rare, untheatrical mastery of seafood at his new $420-a-head restaurant in TriBeCa.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/11/30/dining/shion-69-leonard-street-review-sushi-nyc.html", + "creator": "Pete Wells", + "pubDate": "Tue, 30 Nov 2021 18:27:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101049,16 +127280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3155cc29c09d4e3f3b5cd00744ba4d3b" + "hash": "ae0d33906e49ac94fb193c72a4cce44c" }, { - "title": "Omicron, Michigan, Rockefeller Center: Your Weekend Briefing", - "description": "Here’s what you need to know about the week’s top stories.", - "content": "Here’s what you need to know about the week’s top stories.", - "category": "", - "link": "https://www.nytimes.com/2021/12/05/briefing/omicron-michigan-rockefeller-center.html", - "creator": "Remy Tumin", - "pubDate": "Sun, 05 Dec 2021 11:10:46 +0000", + "title": "Man Survives Flight From Guatemala to Miami in Plane’s Landing Gear", + "description": "The 26-year-old man, whose name was not released, was taken into custody by border agents, officials said.", + "content": "The 26-year-old man, whose name was not released, was taken into custody by border agents, officials said.", + "category": "Airlines and Airplanes", + "link": "https://www.nytimes.com/2021/11/28/us/stowaway-miami-guatemala.html", + "creator": "Azi Paybarah", + "pubDate": "Sun, 28 Nov 2021 21:09:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101069,16 +127300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc27395d0c89661bfca3f690a7bb1174" + "hash": "1795ac365eb23f7f9a9536240de4772c" }, { - "title": "Adele Returns, From Beyond Space and Time", - "description": "Will we ever see a star who unites audiences like this British musician again?", - "content": "Will we ever see a star who unites audiences like this British musician again?", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/11/30/arts/music/popcast-adele-30.html", - "creator": "", - "pubDate": "Tue, 30 Nov 2021 23:23:05 +0000", + "title": "Elizabeth Holmes Says Former Boyfriend Abused Her", + "description": "Ms. Holmes, the founder of the failed blood testing start-up Theranos, blamed Ramesh Balwani, the former No. 2 at the company.", + "content": "Ms. Holmes, the founder of the failed blood testing start-up Theranos, blamed Ramesh Balwani, the former No. 2 at the company.", + "category": "Holmes, Elizabeth (1984- )", + "link": "https://www.nytimes.com/2021/11/29/technology/elizabeth-holmes-sunny-balwani.html", + "creator": "Erin Woo and Erin Griffith", + "pubDate": "Tue, 30 Nov 2021 00:14:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101089,16 +127320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fd6673d1259eee58c89c6646dc3fb5c3" + "hash": "0240b86f3206895d3e08ffd31942c016" }, { - "title": "Don Demeter, a Dodger Star of the Future Who Wasn’t, Dies at 86", - "description": "Groomed to replace Duke Snider, he broke his wrist in 1960 and never lived up to expectations. But he had a fine career with four other teams.", - "content": "Groomed to replace Duke Snider, he broke his wrist in 1960 and never lived up to expectations. But he had a fine career with four other teams.", + "title": "Arlene Dahl, Movie Star Turned Entrepreneur, Is Dead at 96", + "description": "She had already started branching out when her film career was at its height, writing a syndicated column and launching a fashion and cosmetics business.", + "content": "She had already started branching out when her film career was at its height, writing a syndicated column and launching a fashion and cosmetics business.", "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/12/01/sports/baseball/don-demeter-dead.html", - "creator": "Richard Goldstein", - "pubDate": "Thu, 02 Dec 2021 02:03:44 +0000", + "link": "https://www.nytimes.com/2021/11/29/movies/arlene-dahl-dead.html", + "creator": "Wendell Jamieson", + "pubDate": "Mon, 29 Nov 2021 20:51:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101109,16 +127340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c248d0eb80ab543a63e279c13045aa29" + "hash": "0831da87bd52e0aa026e7ba520504330" }, { - "title": "Vaccine Demand in the U.S. Rises as Omicron Fears Grow", - "description": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", - "content": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/04/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Sun, 05 Dec 2021 07:11:09 +0000", + "title": "How Austin Became One of the Least Affordable Cities in America", + "description": "The capital of Texas has long been an attractive place to call home. But with an average of 180 new residents a day arriving, its popularity has created a brewing housing crisis that is reshaping the city.", + "content": "The capital of Texas has long been an attractive place to call home. But with an average of 180 new residents a day arriving, its popularity has created a brewing housing crisis that is reshaping the city.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/11/27/us/austin-texas-unaffordable-city.html", + "creator": "Edgar Sandoval", + "pubDate": "Sat, 27 Nov 2021 17:19:23 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101129,16 +127360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e105d36d34c2cf004738562c1f133c06" + "hash": "3697d0815068ded43529249b900948fa" }, { - "title": "Critical Moment for Roe, and the Supreme Court’s Legitimacy", - "description": "As justices consider Mississippi’s restrictive abortion law, scholars debate what a reversal of Roe v. Wade would mean for the court’s credibility.", - "content": "As justices consider Mississippi’s restrictive abortion law, scholars debate what a reversal of Roe v. Wade would mean for the court’s credibility.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/04/us/mississippi-supreme-court-abortion-roe-v-wade.html", - "creator": "Adam Liptak", - "pubDate": "Sat, 04 Dec 2021 16:45:51 +0000", + "title": "Omicron Was Already in Europe a Week Ago, Officials Say", + "description": "The variant was found in a test sample from Nov. 19 in the Netherlands, a week before the W.H.O. labeled it a “variant of concern.” Little is known yet about how transmissible Omicron is, but its discovery in southern Africa has created another uncertain moment in the pandemic. Here’s the latest.", + "content": "The variant was found in a test sample from Nov. 19 in the Netherlands, a week before the W.H.O. labeled it a “variant of concern.” Little is known yet about how transmissible Omicron is, but its discovery in southern Africa has created another uncertain moment in the pandemic. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 19:08:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101149,16 +127380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8aad2a559a9a0d5e8f3fe537e58b4633" + "hash": "9bb41e0eae45b3edfdddfd30dc7820ec" }, { - "title": "CNN Fires Chris Cuomo Over Role in Andrew Cuomo's Scandal", - "description": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", - "content": "The network said it had “terminated him, effective immediately,” a move that came days after a lawyer for a former colleague accused the host of sexual misconduct.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/12/04/business/media/chris-cuomo-fired-cnn.html", - "creator": "Michael M. Grynbaum, John Koblin and Jodi Kantor", - "pubDate": "Sun, 05 Dec 2021 06:18:25 +0000", + "title": "Amid Variant Fears, U.K. Discovers Limits to Its Virus Strategy", + "description": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", + "content": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/30/world/europe/uk-virus-variant.html", + "creator": "Mark Landler and Megan Specia", + "pubDate": "Tue, 30 Nov 2021 18:14:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101169,16 +127400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "460b124024cb1624da1d7eab69d4d889" + "hash": "23f11014de2970cb5b9aa3fb6e1c0302" }, { - "title": "Dramatic Day Reveals Details About the Parents of a School Shooting Suspect", - "description": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", - "content": "After a manhunt and an arraignment, scrutiny of James and Jennifer Crumbley has intensified.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/05/us/michigan-shooting-parents.html", - "creator": "Sophie Kasakove and Susan Cooper Eastman", - "pubDate": "Sun, 05 Dec 2021 13:51:02 +0000", + "title": "F.D.A. Advisers Meets on Merck’s Covid Pill", + "description": "If an expert committee votes to recommend it, the drug, molnupiravir, could be authorized within days for patients at high risk of severe illness.", + "content": "If an expert committee votes to recommend it, the drug, molnupiravir, could be authorized within days for patients at high risk of severe illness.", + "category": "Molnupiravir (Drug)", + "link": "https://www.nytimes.com/2021/11/30/health/fda-merck-pill-molnupiravir.html", + "creator": "Rebecca Robbins and Carl Zimmer", + "pubDate": "Tue, 30 Nov 2021 17:56:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101189,16 +127420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c534a25f23a0c4ae26a4ec5c8d8bdf2d" + "hash": "9a1faa9e32a38814b0da3c1c3f150777" }, { - "title": "Condé Nast Knows Faded Glory Is Not in Style", - "description": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", - "content": "Anna Wintour is the embodiment of the glory days of the magazine dynasty. Now she is pitching its global, digital future.", - "category": "Magazines", - "link": "https://www.nytimes.com/2021/12/04/business/media/conde-nast-anna-wintour.html", - "creator": "Katie Robertson", - "pubDate": "Sat, 04 Dec 2021 16:24:33 +0000", + "title": "Fed Chair Pivots, Suggesting Quicker Reduction in Economic Help", + "description": "Jerome Powell signaled that the Federal Reserve was growing concerned about inflation and could speed up pulling economic support. Get the latest on the economy.", + "content": "Jerome Powell signaled that the Federal Reserve was growing concerned about inflation and could speed up pulling economic support. Get the latest on the economy.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 19:08:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101209,36 +127440,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "a563cbe6ec7bafc00b92538fb30b58e8" + "hash": "f63bd19873a30a763ed2a0dd1a3fc744" }, { - "title": "You Should Be Afraid of the Next ‘Lab Leak’", - "description": "Covid might not have come out of a medical research lab, but it raises some urgent questions about how those facilities operate.", - "content": "Covid might not have come out of a medical research lab, but it raises some urgent questions about how those facilities operate.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/23/magazine/covid-lab-leak.html", - "creator": "Jon Gertner", - "pubDate": "Wed, 24 Nov 2021 03:41:04 +0000", + "title": "Stocks Fall After Powell's Taper Comments", + "description": "The Federal Reserve chair, Jerome Powell, said on Tuesday that persistent inflation may require a more aggressive approach by the central bank. Wall Street was already uneasy.", + "content": "The Federal Reserve chair, Jerome Powell, said on Tuesday that persistent inflation may require a more aggressive approach by the central bank. Wall Street was already uneasy.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/11/30/business/stock-markets-omicron.html", + "creator": "Matt Phillips and Eshe Nelson", + "pubDate": "Tue, 30 Nov 2021 17:24:54 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "dc1f74d896e196c48b3aca382519c35d" + "hash": "3eaf3a8177f16a6e73ee81d098cf181e" }, { - "title": "Our Most Popular Recipes of 2021", - "description": "A countdown of the delicious dishes our readers viewed the most this year.", - "content": "A countdown of the delicious dishes our readers viewed the most this year.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/12/03/dining/2021-most-popular-recipes.html", - "creator": "Margaux Laskey", - "pubDate": "Fri, 03 Dec 2021 18:32:57 +0000", + "title": "Supply Chain Problems Have Small Retailers Gambling on Hoarding", + "description": "Some independent stores ordered in bulk well in advance, and now are hoping they’re able to sell what they have.", + "content": "Some independent stores ordered in bulk well in advance, and now are hoping they’re able to sell what they have.", + "category": "Silverman, Joshua G", + "link": "https://www.nytimes.com/2021/11/30/business/small-retailers-hoarding-supply-chain.html", + "creator": "Sapna Maheshwari and Coral Murphy Marcos", + "pubDate": "Tue, 30 Nov 2021 10:00:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101249,16 +127480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dafe4d3c85e4b24ba8f9ba67de38a6b6" + "hash": "40dcf25c65b63cc861f31d78339efa75" }, { - "title": "Who Will Hold Prosecutors Accountable?", - "description": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", - "content": "The Justice Department’s Office of Professional Responsibility needs an overhaul.", - "category": "Prosecutorial Misconduct", - "link": "https://www.nytimes.com/2021/12/04/opinion/prosecutor-misconduct-new-york-doj.html", - "creator": "The Editorial Board", - "pubDate": "Sat, 04 Dec 2021 20:07:05 +0000", + "title": "Jeffrey Epstein’s Pilot Testifies in Ghislaine Maxwell Trial", + "description": "The pilot said he “never saw any sexual activity” in Mr. Epstein’s planes. He confirmed famous passengers, including former President Trump. Follow updates.", + "content": "The pilot said he “never saw any sexual activity” in Mr. Epstein’s planes. He confirmed famous passengers, including former President Trump. Follow updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/30/nyregion/ghislaine-maxwell-trial", + "creator": "The New York Times", + "pubDate": "Tue, 30 Nov 2021 19:08:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101269,16 +127500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e79b1c5c8cf3b1fefbebc05822adc6a9" + "hash": "8e8d2b011107fc42c15740348b84b68e" }, { - "title": "The Metaverse Is Coming, and the World Is Not Ready for It", - "description": "The geopolitical consequences may be radical.", - "content": "The geopolitical consequences may be radical.", - "category": "Computers and the Internet", - "link": "https://www.nytimes.com/2021/12/02/opinion/metaverse-politics-disinformation-society.html", - "creator": "Zoe Weinberg", - "pubDate": "Thu, 02 Dec 2021 20:00:10 +0000", + "title": "What Europe Can Teach Us About Jobs", + "description": "Why don’t other countries face a Great Resignation?", + "content": "Why don’t other countries face a Great Resignation?", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/11/29/opinion/united-states-europe-jobs.html", + "creator": "Paul Krugman", + "pubDate": "Tue, 30 Nov 2021 00:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101289,16 +127520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6a7ad8302a1c6568f303b71156c31f7e" + "hash": "86eed1c3b8411918760476b422d64c04" }, { - "title": "Former Montana Governor Steve Bullock Warns: Democrats Face Trouble in Rural America", - "description": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", - "content": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", - "category": "Midterm Elections (2022)", - "link": "https://www.nytimes.com/2021/12/03/opinion/democrats-rural-america-midterms.html", - "creator": "Steve Bullock", - "pubDate": "Fri, 03 Dec 2021 17:51:30 +0000", + "title": "South Africa's Omicron Work Deserves a Prize", + "description": "Rewarding the nation for detecting and reporting the Omicron variant would give other countries an incentive to report new variants.", + "content": "Rewarding the nation for detecting and reporting the Omicron variant would give other countries an incentive to report new variants.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/11/29/opinion/south-africa-covid-omicron-variant.html", + "creator": "Peter Coy", + "pubDate": "Mon, 29 Nov 2021 20:19:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101309,16 +127540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "72831805aade40468f62f1085560250b" + "hash": "17ea00f789f2ac6da93fc309df616dc4" }, { - "title": "Jack Dorsey Steps Down and Other Silicon Valley Transitions", - "description": "Twitter’s new boss needs to boost the company’s value, or someone else will.", - "content": "Twitter’s new boss needs to boost the company’s value, or someone else will.", - "category": "Computers and the Internet", - "link": "https://www.nytimes.com/2021/12/02/opinion/twitter-remote-work.html", - "creator": "Kara Swisher", - "pubDate": "Thu, 02 Dec 2021 23:28:08 +0000", + "title": "The Omicron Variant Is Creating a Lot of Anxiety", + "description": "The Omicron variant is creating a lot of anxiety.", + "content": "The Omicron variant is creating a lot of anxiety.", + "category": "Coronavirus Risks and Safety Concerns", + "link": "https://www.nytimes.com/2021/11/29/opinion/omicron-variant-covid.html", + "creator": "Gail Collins and Bret Stephens", + "pubDate": "Mon, 29 Nov 2021 10:09:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101329,16 +127560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "da0f920584ff321507b1a1a44245b1ce" + "hash": "a960477d2361c8e783c03085f75274fc" }, { - "title": "Vaccine Hesitancy Is About Trust and Class", - "description": "Vaccine hesitancy reflects a transformation of people’s core beliefs about what we owe each other.", - "content": "Vaccine hesitancy reflects a transformation of people’s core beliefs about what we owe each other.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/03/opinion/vaccine-hesitancy-covid.html", - "creator": "Anita Sreedhar and Anand Gopal", - "pubDate": "Fri, 03 Dec 2021 18:12:47 +0000", + "title": "How Tesla Helps China's Firms Compete With the U.S.", + "description": "The electric car company is helping Chinese companies become global players in the emerging industry, posing a competitive threat to traditional rivals.", + "content": "The electric car company is helping Chinese companies become global players in the emerging industry, posing a competitive threat to traditional rivals.", + "category": "Musk, Elon", + "link": "https://www.nytimes.com/2021/11/30/business/china-tesla-electric-cars.html", + "creator": "Li Yuan", + "pubDate": "Tue, 30 Nov 2021 10:00:24 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101349,16 +127580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2109c221b4e7a85d3a2e08bf125612a8" + "hash": "6ffa7b9fb972cf020db51cde2dae6ae5" }, { - "title": "Social Welfare Can Break the Intergenerational Cycle of Poverty", - "description": "Intervening in children’s lives early can help break the cycle of intergenerational poverty.", - "content": "Intervening in children’s lives early can help break the cycle of intergenerational poverty.", - "category": "Poverty", - "link": "https://www.nytimes.com/2021/12/02/opinion/politics/child-poverty-us.html", - "creator": "David L. Kirp", - "pubDate": "Thu, 02 Dec 2021 20:00:07 +0000", + "title": "Supervised Injection Sites for Drug Users to Open in New York City", + "description": "The Manhattan facilities will provide clean needles, administer medication to reverse overdoses and provide users with options for addiction treatment.", + "content": "The Manhattan facilities will provide clean needles, administer medication to reverse overdoses and provide users with options for addiction treatment.", + "category": "Drug Abuse and Traffic", + "link": "https://www.nytimes.com/2021/11/30/nyregion/supervised-injection-sites-nyc.html", + "creator": "Jeffery C. Mays and Andy Newman", + "pubDate": "Tue, 30 Nov 2021 16:04:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101369,16 +127600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c015eefe68134f16162683a7181e795e" + "hash": "b4edd3a273d6174b24855e8b8d4d137e" }, { - "title": "In Shinn v. Ramirez, the Supreme Court Should Reject Arizona's Gambit", - "description": "Two Arizona men who were appointed ineffective lawyers landed on death row. If Arizona has its way, the Supreme Court will close an already narrow avenue for relief. ", - "content": "Two Arizona men who were appointed ineffective lawyers landed on death row. If Arizona has its way, the Supreme Court will close an already narrow avenue for relief. ", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/12/03/opinion/supreme-court-death-row-shinn-ramirez.html", - "creator": "Christina Swarns", - "pubDate": "Fri, 03 Dec 2021 10:00:08 +0000", + "title": "ISIS Fighter Convicted in Death of Enslaved 5-Year-Old Girl", + "description": "In a trial held in Germany, the man was sentenced to life in prison for the death of the Yazidi girl, whom he allowed to die of thirst in Falluja, Iraq.", + "content": "In a trial held in Germany, the man was sentenced to life in prison for the death of the Yazidi girl, whom he allowed to die of thirst in Falluja, Iraq.", + "category": "Terrorism", + "link": "https://www.nytimes.com/2021/11/30/world/europe/isis-trial-yazidi-germany.html", + "creator": "Christopher F. Schuetze", + "pubDate": "Tue, 30 Nov 2021 15:29:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101389,16 +127620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c94d82f1db77c0a44ddfff1315d6b7c0" + "hash": "97d0c3aa8c915e4dd87f0b1bf469b539" }, { - "title": "Columbia Student Is Stabbed to Death Near Campus", - "description": "The graduate student, Davide Giri, was fatally stabbed near the Manhattan campus on Thursday night. A man has been arrested and charges are pending, the police said.", - "content": "The graduate student, Davide Giri, was fatally stabbed near the Manhattan campus on Thursday night. A man has been arrested and charges are pending, the police said.", - "category": "Columbia University", - "link": "https://www.nytimes.com/2021/12/03/nyregion/columbia-student-stabbed.html", - "creator": "Troy Closson and Lola Fadulu", - "pubDate": "Fri, 03 Dec 2021 17:31:34 +0000", + "title": "Brian Kelly Leaves Notre Dame for LSU", + "description": "A top coach is heading to the Southeastern Conference, the latest in a series of moves at some of the country’s most storied college football programs.", + "content": "A top coach is heading to the Southeastern Conference, the latest in a series of moves at some of the country’s most storied college football programs.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/11/30/sports/ncaafootball/brian-kelly-lsu-notre-dame.html", + "creator": "Victor Mather", + "pubDate": "Tue, 30 Nov 2021 17:33:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101409,16 +127640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "00a2acf862df7193ff3c83d4412b449c" + "hash": "c7ba1c2c2b62c74b2b6b9c0d6ef7d96b" }, { - "title": "Meet an Ecologist Who Works for God (and Against Lawns)", - "description": "A Long Island couple says fighting climate change and protecting biodiversity starts at home. Or rather, right outside their suburban house.", - "content": "A Long Island couple says fighting climate change and protecting biodiversity starts at home. Or rather, right outside their suburban house.", - "category": "Global Warming", - "link": "https://www.nytimes.com/2021/12/03/climate/climate-change-biodiversity.html", - "creator": "Cara Buckley and Karsten Moran", - "pubDate": "Fri, 03 Dec 2021 10:00:27 +0000", + "title": "Lululemon Sues Peloton Over Patent Infringement", + "description": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", + "content": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", + "category": "Suits and Litigation (Civil)", + "link": "https://www.nytimes.com/2021/11/30/business/lululemon-peloton-lawsuit.html", + "creator": "Johnny Diaz", + "pubDate": "Tue, 30 Nov 2021 17:24:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101429,16 +127660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "25d957321439375c2998d2de33186e94" + "hash": "efd5e2875174eee1a9f3080470acc392" }, { - "title": "Cognitive Rehab: One Patient’s Painstaking Path Through Long Covid Therapy", - "description": "Samantha Lewis is relearning some basic aspects of her daily life after struggling with brain fog and other lingering symptoms for more than a year since being infected by the virus.", - "content": "Samantha Lewis is relearning some basic aspects of her daily life after struggling with brain fog and other lingering symptoms for more than a year since being infected by the virus.", - "category": "Chronic Condition (Health)", - "link": "https://www.nytimes.com/2021/12/03/health/long-covid-treatment.html", - "creator": "Pam Belluck and Alex Wroblewski", - "pubDate": "Fri, 03 Dec 2021 16:37:20 +0000", + "title": "For Women in Their 40s, High Blood Pressure May Carry Special Risks", + "description": "Women, but not men, with even mildly elevated blood pressure in their early 40s were at increased risk for later heart disease and early death.", + "content": "Women, but not men, with even mildly elevated blood pressure in their early 40s were at increased risk for later heart disease and early death.", + "category": "Women and Girls", + "link": "https://www.nytimes.com/2021/06/14/well/live/women-high-blood-pressure.html", + "creator": "Nicholas Bakalar", + "pubDate": "Mon, 18 Oct 2021 19:04:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101449,16 +127680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8eaf5e77e2fade6e8b747a1e73dce4ab" + "hash": "9b21196d9ce335a9e5b904ee0049e7a6" }, { - "title": "Stabbed 20 Times by Her Husband, She Now Fights Laws Favoring Abusers", - "description": "Shira Isakov, once a little-known Israeli working in advertising, has become a national force in the struggle to combat domestic violence and change the legal landscape on parental rights.", - "content": "Shira Isakov, once a little-known Israeli working in advertising, has become a national force in the struggle to combat domestic violence and change the legal landscape on parental rights.", - "category": "Isakov, Shira", - "link": "https://www.nytimes.com/2021/12/03/world/middleeast/israel-shira-isakov-domestic-violence.html", - "creator": "Isabel Kershner", - "pubDate": "Fri, 03 Dec 2021 10:00:20 +0000", + "title": "‘Bruised’ Review: It’s a Hard-Knock Life", + "description": "Halle Berry stars as a mixed martial arts fighter staging a comeback in her directorial debut.", + "content": "Halle Berry stars as a mixed martial arts fighter staging a comeback in her directorial debut.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/25/arts/bruised-review.html", + "creator": "Teo Bugbee", + "pubDate": "Thu, 25 Nov 2021 12:00:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101469,16 +127700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "76737d7bab77a9fab1443d8422db6dc7" + "hash": "4c48455dafd4c1478d18aa06d0a2bd6a" }, { - "title": "A Slow-Motion Climate Disaster: The Spread of Barren Land", - "description": "Brazil’s northeast, long a victim of droughts, is now effectively turning into a desert. The cause? Climate change and the landowners who are most affected.", - "content": "Brazil’s northeast, long a victim of droughts, is now effectively turning into a desert. The cause? Climate change and the landowners who are most affected.", - "category": "Drought", - "link": "https://www.nytimes.com/2021/12/03/world/americas/brazil-climate-change-barren-land.html", - "creator": "Jack Nicas and Victor Moriyama", - "pubDate": "Fri, 03 Dec 2021 08:00:12 +0000", + "title": "‘A Boy Called Christmas’ Review: Kindling the Holiday Spirit", + "description": "Enchanting imagery elevates this Netflix holiday adventure about a boy who journeys to a magic elfin city.", + "content": "Enchanting imagery elevates this Netflix holiday adventure about a boy who journeys to a magic elfin city.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/24/movies/a-boy-called-christmas-review.html", + "creator": "Natalia Winkelman", + "pubDate": "Wed, 24 Nov 2021 15:11:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101489,16 +127720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b2bf4cde04f3026fce4a12d37dd6192e" + "hash": "34f71311736c87b9b9f382828a3796f0" }, { - "title": "Pope in Greece Latest News: Francis Chastises West on Visit to Migrant Camp", - "description": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", - "content": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", + "title": "Omicron Poses ‘Very High’ Risk, W.H.O. Says; Biden Seeks to Reassure U.S.", + "description": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", + "content": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/pope-francis-greece-migrants", + "link": "https://www.nytimes.com/live/2021/11/29/world/omicron-variant-covid", "creator": "The New York Times", - "pubDate": "Sun, 05 Dec 2021 14:52:29 +0000", + "pubDate": "Mon, 29 Nov 2021 18:23:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101509,16 +127740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8bcd478ef195d6ed5435b8851b07379" + "hash": "7871617614df733ddf3549528aa1fd41" }, { - "title": "Chinese Tourists Aren't Coming Back Any Time Soon", - "description": "Even before Omicron’s arrival, China was discouraging its citizens from traveling abroad. That has had a huge impact on global tourism.", - "content": "Even before Omicron’s arrival, China was discouraging its citizens from traveling abroad. That has had a huge impact on global tourism.", - "category": "China", - "link": "https://www.nytimes.com/2021/12/05/world/asia/china-tourism-omicron-covid.html", - "creator": "Sui-Lee Wee, Elisabetta Povoledo, Muktita Suhartono and Léontine Gallois", - "pubDate": "Sun, 05 Dec 2021 10:00:15 +0000", + "title": "The Latest on Omicron", + "description": "What should you assume about the new variant?", + "content": "What should you assume about the new variant?", + "category": "", + "link": "https://www.nytimes.com/2021/11/29/briefing/omicron-contagion-what-to-know.html", + "creator": "David Leonhardt", + "pubDate": "Mon, 29 Nov 2021 11:28:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101529,16 +127760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "15d6239420780918ee2f05e2ad2a2ae9" + "hash": "20c1f37536ae2f1513bfb50652a2d48e" }, { - "title": "To Counter China, Austin Vows to Shore Up Alliances With Others in Region", - "description": "“America is a Pacific power,” the defense secretary said as he laid out a strategy to block efforts by China to dominate the region.", - "content": "“America is a Pacific power,” the defense secretary said as he laid out a strategy to block efforts by China to dominate the region.", - "category": "United States Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/04/us/politics/lloyd-austin-china-ukraine.html", - "creator": "Jennifer Steinhauer and Julian E. Barnes", - "pubDate": "Sun, 05 Dec 2021 00:45:39 +0000", + "title": "Will the Covid Vaccines Stop Omicron? Scientists Are Racing to Find Out.", + "description": "A “Frankenstein mix” of mutations raises concerns, but the variant may remain vulnerable to current vaccines. If not, revisions will be necessary.", + "content": "A “Frankenstein mix” of mutations raises concerns, but the variant may remain vulnerable to current vaccines. If not, revisions will be necessary.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/11/28/health/covid-omicron-vaccines-immunity.html", + "creator": "Apoorva Mandavilli", + "pubDate": "Sun, 28 Nov 2021 23:55:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101549,56 +127780,56 @@ "favorite": false, "created": false, "tags": [], - "hash": "9711b2a1d76586372b440aec56ab985f" + "hash": "366a855eaaffc7f3e7e7833aaee67bf7" }, { - "title": "Michigan Rolls to a Playoff Spot With Big Ten Title", - "description": "The Wolverines followed up a season-defining win over Ohio State with an easy victory over Iowa to win the conference championship.", - "content": "The Wolverines followed up a season-defining win over Ohio State with an easy victory over Iowa to win the conference championship.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/12/05/sports/ncaafootball/michigan-iowa-big-ten-championship.html", - "creator": "Alanis Thames", - "pubDate": "Sun, 05 Dec 2021 06:15:00 +0000", + "title": "Markets rose as investors reconsidered the unknowns of the Omicron variant.", + "description": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", + "content": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/29/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 18:23:05 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ad86c4461e3e3636e342cf5c8a8aeafb" + "hash": "0a46d9c65f9288f621f859a1781fb6b7" }, { - "title": "Alabama Picks Apart Georgia, Setting Course for Another Playoff", - "description": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", - "content": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/12/04/sports/ncaafootball/alabama-georgia-sec-championship.html", - "creator": "Alan Blinder", - "pubDate": "Sun, 05 Dec 2021 10:50:45 +0000", + "title": "Jack Dorsey Expected to Step Down as C.E.O. of Twitter", + "description": "The social media pioneer, whose name has become synonymous with the company, will be replaced by Twitter’s chief technology officer, Parag Agrawal.", + "content": "The social media pioneer, whose name has become synonymous with the company, will be replaced by Twitter’s chief technology officer, Parag Agrawal.", + "category": "Twitter", + "link": "https://www.nytimes.com/2021/11/29/technology/jack-dorsey-twitter.html", + "creator": "Kate Conger and Lauren Hirsch", + "pubDate": "Mon, 29 Nov 2021 16:17:49 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "f827e4d7f98230b33f7575ad42ac6717" + "hash": "d4e69b1b38c42e646722356befc96798" }, { - "title": "He Never Touched the Murder Weapon. Alabama Sentenced Him to Die.", - "description": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", - "content": "Nathaniel Woods was unarmed when three Birmingham police officers were fatally shot by someone else in 2004. But Woods, a Black man, was convicted of capital murder for his role in the deaths of the three white officers.", - "category": "Woods, Nathaniel", - "link": "https://www.nytimes.com/2021/12/05/us/he-never-touched-the-murder-weapon-alabama-sentenced-him-to-die.html", - "creator": "Dan Barry and Abby Ellin", - "pubDate": "Sun, 05 Dec 2021 10:00:47 +0000", + "title": "Supply-Chain Kinks Force Small Manufacturers to Scramble", + "description": "Facing delays, shortages and higher prices for raw materials, companies are finding new sources. Not all are able to pass along the costs.", + "content": "Facing delays, shortages and higher prices for raw materials, companies are finding new sources. Not all are able to pass along the costs.", + "category": "Prices (Fares, Fees and Rates)", + "link": "https://www.nytimes.com/2021/11/29/business/economy/supply-chain-inflation.html", + "creator": "Nelson D. Schwartz", + "pubDate": "Mon, 29 Nov 2021 14:54:16 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101609,16 +127840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9598c04d0cd7a80789cd389f996ba3d3" + "hash": "9915dbb03168d64b02bad2940f7a2c36" }, { - "title": "Voting Battles of 2022 Take Shape as G.O.P. Crafts New Election Bills", - "description": "Republicans plan to carry their push to reshape the nation’s electoral system into next year, with Democrats vowing to oppose them but holding few options in G.O.P.-led states.", - "content": "Republicans plan to carry their push to reshape the nation’s electoral system into next year, with Democrats vowing to oppose them but holding few options in G.O.P.-led states.", - "category": "Voting Rights, Registration and Requirements", - "link": "https://www.nytimes.com/2021/12/04/us/politics/gop-voting-rights-democrats.html", - "creator": "Nick Corasaniti", - "pubDate": "Sat, 04 Dec 2021 14:59:29 +0000", + "title": "Hunt for the ‘Blood Diamond of Batteries’ Impedes Green Energy Push", + "description": "Dangerous mining conditions plague Congo, home to the world’s largest supply of cobalt, a key ingredient in electric cars. A leadership battle threatens reforms.", + "content": "Dangerous mining conditions plague Congo, home to the world’s largest supply of cobalt, a key ingredient in electric cars. A leadership battle threatens reforms.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/29/world/congo-cobalt-albert-yuma-mulimbi.html", + "creator": "Dionne Searcey, Eric Lipton and Ashley Gilbertson", + "pubDate": "Mon, 29 Nov 2021 10:00:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101629,36 +127860,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "8643befee5e0a928f10339b2d051fdd3" + "hash": "22498715f9c5668de7bf1b601b30552b" }, { - "title": "Pope in Greece Live Updates: Francis Chastises West on Visit to Migrant Camp", - "description": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", - "content": "On the island of Lesbos, he said that because of Europe’s moves to deter and block migrants, “the Mediterranean Sea, cradle of so many civilizations, now looks like a mirror of death.”", + "title": "Ghislaine Maxwell’s Trial Begins in the Shadow of Jeffrey Epstein", + "description": "Ms. Maxwell is charged with trafficking women and girls for her longtime partner, the disgraced financier who died in prison in 2019.", + "content": "Ms. Maxwell is charged with trafficking women and girls for her longtime partner, the disgraced financier who died in prison in 2019.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/pope-francis-greece-migrants", + "link": "https://www.nytimes.com/live/2021/11/29/nyregion/ghislaine-maxwell-trial", "creator": "The New York Times", - "pubDate": "Sun, 05 Dec 2021 12:10:27 +0000", + "pubDate": "Mon, 29 Nov 2021 15:31:55 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "8bdfb64df029881e79eb50b5208dcd14" + "hash": "0c61037ab284c9cafe5cb4cf07c09d36" }, { - "title": "The Humble Beginnings of Today’s Culinary Delicacies", - "description": "Many of our most revered dishes were perfected by those in need, then co-opted by the affluent. Is that populism at play, or just the abuse of power?", - "content": "Many of our most revered dishes were perfected by those in need, then co-opted by the affluent. Is that populism at play, or just the abuse of power?", - "category": "holiday issue 2021", - "link": "https://www.nytimes.com/2021/11/26/t-magazine/humble-foods-poverty.html", - "creator": "Ligaya Mishan, Patricia Heal and Martin Bourne", - "pubDate": "Fri, 26 Nov 2021 12:00:12 +0000", + "title": "What Uber’s Spies Really Did", + "description": "A former co-worker accused the men of wiretapping their colleagues, hacking foreign governments and stealing trade secrets. It wasn’t true, but the allegations still follow them.", + "content": "A former co-worker accused the men of wiretapping their colleagues, hacking foreign governments and stealing trade secrets. It wasn’t true, but the allegations still follow them.", + "category": "Industrial Espionage", + "link": "https://www.nytimes.com/2021/11/28/technology/uber-spying-allegations.html", + "creator": "Kate Conger", + "pubDate": "Mon, 29 Nov 2021 16:40:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101669,16 +127900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7051fa184aa9b9dd480e4c3cf06d01a5" + "hash": "8ae7733f54580b2ad47e00fb3f533bd1" }, { - "title": "How ‘West Side Story’ Could Make (Even More) Oscar History", - "description": "After premiering this week, the remake has vaulted into contention, with nominations possible for the film, director Steven Spielberg, Rita Moreno and others.", - "content": "After premiering this week, the remake has vaulted into contention, with nominations possible for the film, director Steven Spielberg, Rita Moreno and others.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/west-side-story-oscar.html", - "creator": "Kyle Buchanan", - "pubDate": "Fri, 03 Dec 2021 17:25:21 +0000", + "title": "Lee Elder, Who Broke a Golf Color Barrier, Dies at 87", + "description": "In his prime he played in a league for Black players, but in 1975, at 40, he became the first African- American to take part in the Masters tournament.", + "content": "In his prime he played in a league for Black players, but in 1975, at 40, he became the first African- American to take part in the Masters tournament.", + "category": "Golf", + "link": "https://www.nytimes.com/2021/11/29/sports/golf/lee-elder-dead.html", + "creator": "Richard Goldstein", + "pubDate": "Mon, 29 Nov 2021 18:25:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101689,36 +127920,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "de7bd7491ce033d38d16dca703e10590" + "hash": "74a9aa8b7d5c9128a7d71a4d0979a7ce" }, { - "title": "Netflix Holiday Movies Ranked, From Tree Toppers to Lumps of Coal", - "description": "Is the streaming service delivering goodies in its holiday stockings? We make an assessment.", - "content": "Is the streaming service delivering goodies in its holiday stockings? We make an assessment.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/netflix-holiday-christmas.html", - "creator": "Elisabeth Vincentelli", - "pubDate": "Fri, 03 Dec 2021 17:27:45 +0000", + "title": "Why The Piolet D'Or is Climbing's Biggest and Most Debated Award", + "description": "Whether the Piolet D’Or, or Golden Ice Axe, alpine climbing’s biggest award, honors or encourages risk is debated in the sport.", + "content": "Whether the Piolet D’Or, or Golden Ice Axe, alpine climbing’s biggest award, honors or encourages risk is debated in the sport.", + "category": "Awards, Decorations and Honors", + "link": "https://www.nytimes.com/2021/11/29/sports/piolet-dor-climbing.html", + "creator": "Michael Levy", + "pubDate": "Mon, 29 Nov 2021 17:30:19 +0000", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "7ba7814ce385dd79774dd0d34d15c0f6" + "hash": "04cc1c0024ea8548dcd72d6595ef08dc" }, { - "title": "Explore the Sound of Activism With Tom Morello", - "description": "Songs and social movements often go hand in hand. What music defines our politically charged times? Join a virtual event on Dec. 15.", - "content": "Songs and social movements often go hand in hand. What music defines our politically charged times? Join a virtual event on Dec. 15.", - "category": "Music", - "link": "https://www.nytimes.com/2021/11/30/opinion/explore-the-sound-of-activism-with-tom-morello.html", - "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 21:31:35 +0000", + "title": "‘Self-Defense’ Is Becoming Meaningless in a Flood of Guns", + "description": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", + "content": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", + "category": "Arbery, Ahmaud (1994-2020)", + "link": "https://www.nytimes.com/2021/11/29/opinion/self-defense-guns-arbery-rittenhouse.html", + "creator": "Tali Farhadian Weinstein", + "pubDate": "Mon, 29 Nov 2021 15:02:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101729,16 +127960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91e6c9a2a26a3d2d2f490230e42aa921" + "hash": "c8abdd3b8fe32d409246d1d2713b422a" }, { - "title": "Pope in Greece: Francis Renews Calls to Help Migrants", - "description": "At the Presidential Palace, Pope Francis urged countries to take in the needy. He will visit a camp for migrants on Lesbos on Sunday. Here’s the latest.", - "content": "At the Presidential Palace, Pope Francis urged countries to take in the needy. He will visit a camp for migrants on Lesbos on Sunday. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/05/world/pope-francis-greece-migrants", - "creator": "The New York Times", - "pubDate": "Sun, 05 Dec 2021 07:15:48 +0000", + "title": "What I Learned Testing My Dog’s DNA", + "description": "There are some mysteries that even genetic science can’t explain.", + "content": "There are some mysteries that even genetic science can’t explain.", + "category": "Dogs", + "link": "https://www.nytimes.com/2021/11/29/opinion/dog-dna-tests.html", + "creator": "Margaret Renkl", + "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101749,16 +127980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "71e8dd15f4e033c205c16b7931ee02d1" + "hash": "bce8df1fb7879b32390960bb9a907ed3" }, { - "title": "France's Éric Zemmour Tries Channeling De Gaulle to Win Votes", - "description": "Éric Zemmour has adopted imagery reminiscent of Charles de Gaulle, the wartime leader. But his call for reborn glory for France is sharply at odds with the realities of the country today.", - "content": "Éric Zemmour has adopted imagery reminiscent of Charles de Gaulle, the wartime leader. But his call for reborn glory for France is sharply at odds with the realities of the country today.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/04/world/europe/eric-zemmour-france.html", - "creator": "Roger Cohen", - "pubDate": "Sun, 05 Dec 2021 04:59:03 +0000", + "title": "How to Enjoy the Moment", + "description": "A thought experiment for finding more happiness in the everyday. ", + "content": "A thought experiment for finding more happiness in the everyday. ", + "category": "Happiness", + "link": "https://www.nytimes.com/2021/11/28/opinion/happiness-memory-best-days.html", + "creator": "Lindsay Crouse", + "pubDate": "Sun, 28 Nov 2021 16:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101769,16 +128000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5005aade4ce316cebc9369bc9ec741b1" + "hash": "5c7a885757e0f447d092dde9c1f641bd" }, { - "title": "Yes, There’s a Blizzard Warning in Hawaii. No, It’s Not That Weird.", - "description": "The National Weather Service said roughly a foot of snow was expected to fall on the Big Island summits. “We do get snow there pretty much every year,” one local meteorologist said.", - "content": "The National Weather Service said roughly a foot of snow was expected to fall on the Big Island summits. “We do get snow there pretty much every year,” one local meteorologist said.", - "category": "Snow and Snowstorms", - "link": "https://www.nytimes.com/2021/12/04/us/hawaii-blizzard-warning.html", - "creator": "Maria Cramer", - "pubDate": "Sat, 04 Dec 2021 21:24:05 +0000", + "title": "How I Got Through the Grief of Losing My Mother", + "description": "Pedal, pedal, pedal, glide.", + "content": "Pedal, pedal, pedal, glide.", + "category": "Grief (Emotion)", + "link": "https://www.nytimes.com/2021/11/28/opinion/culture/grief-cycling.html", + "creator": "Jennifer Weiner", + "pubDate": "Sun, 28 Nov 2021 15:03:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101789,16 +128020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f892715c256cc36ff67717afe882fef9" + "hash": "92fd4087c52bd068deb35173b776aa4d" }, { - "title": "At Least 13 Dead as Indonesia's Mount Semeru Erupts", - "description": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", - "content": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", - "category": "Volcanoes", - "link": "https://www.nytimes.com/2021/12/04/world/asia/indonesia-mount-semeru-eruption.html", - "creator": "Aina J. Khan and Muktita Suhartono", - "pubDate": "Sun, 05 Dec 2021 03:11:21 +0000", + "title": "Republicans Have a Golden Opportunity. They Will Probably Blow It.", + "description": " The party’s good fortune in avoiding profound punishment for all its follies is the reason those follies will probably continue.", + "content": " The party’s good fortune in avoiding profound punishment for all its follies is the reason those follies will probably continue.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/27/opinion/republicans-trump.html", + "creator": "Ross Douthat", + "pubDate": "Sat, 27 Nov 2021 20:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101809,16 +128040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e44c9dcb2e3ffa55d7eb294c37bfeb6" + "hash": "17ec8edadb50fe4b7337fa2e40d978d9" }, { - "title": "Palestinian Who Stabbed Israeli in Jerusalem Is Killed by Police", - "description": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", - "content": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", - "category": "Palestinians", - "link": "https://www.nytimes.com/2021/12/04/world/middleeast/palestinian-israeli-stabbing-jerusalem.html", - "creator": "Patrick Kingsley", - "pubDate": "Sat, 04 Dec 2021 21:55:36 +0000", + "title": "Millionaire Space Tourism Doesn't Come With an Awe Guarantee", + "description": "Space tourism is one of those ostensibly awesome experiences that often feel anticlimactic because they promise the sublime.", + "content": "Space tourism is one of those ostensibly awesome experiences that often feel anticlimactic because they promise the sublime.", + "category": "Space and Astronomy", + "link": "https://www.nytimes.com/2021/11/27/opinion/space-tourism-awe.html", + "creator": "Henry Wismayer", + "pubDate": "Sat, 27 Nov 2021 16:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101829,16 +128060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "609f3aebef63df85e232ebae3dd7f7cd" + "hash": "0b2b00f5ea2b500f86643cf9beeadfa8" }, { - "title": "Black Man Wins New Trial Over Confederate Memorabilia in Jury Room", - "description": "A Tennessee appeals court granted Tim Gilbert a new trial after jurors deliberated in a room named after the United Daughters of the Confederacy.", - "content": "A Tennessee appeals court granted Tim Gilbert a new trial after jurors deliberated in a room named after the United Daughters of the Confederacy.", - "category": "Monuments and Memorials (Structures)", - "link": "https://www.nytimes.com/2021/12/04/us/tennessee-trial-jury-confederate-symbols.html", - "creator": "Vimal Patel", - "pubDate": "Sat, 04 Dec 2021 19:04:22 +0000", + "title": "Why the Feminist Movement Needs Pro-Life People", + "description": "We must form a broad and diverse coalition to advocate for women.", + "content": "We must form a broad and diverse coalition to advocate for women.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/11/28/opinion/feminism-abortion-pro-life.html", + "creator": "Tish Harrison Warren", + "pubDate": "Sun, 28 Nov 2021 16:15:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101849,16 +128080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5233a2097ceab6515589c2aa0337e9f8" + "hash": "6a6fbca8e533bc389591d2388c035d84" }, { - "title": "Alabama Picks Georgia Apart, Setting Course for Another Playoff", - "description": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", - "content": "No. 3 Alabama, the reigning national champion, fell behind early. Then it pounded the country’s best defense to run away with the Southeastern Conference championship.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/12/04/sports/ncaafootball/alabama-georgia-sec-championship.html", - "creator": "Alan Blinder", - "pubDate": "Sun, 05 Dec 2021 04:40:54 +0000", + "title": "Supreme Court Abortion Case Is About More Than Roe v. Wade", + "description": "Conservatives may still end up unhappy with a court they now control. ", + "content": "Conservatives may still end up unhappy with a court they now control. ", + "category": "Abortion", + "link": "https://www.nytimes.com/2021/11/27/opinion/roe-abortion-dobbs-scotus.html", + "creator": "The Editorial Board", + "pubDate": "Sat, 27 Nov 2021 16:03:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101869,16 +128100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4947b486fa948e22682b963934badff9" + "hash": "57dc219bb2ee86c63e37e3fb96d9c00d" }, { - "title": "Magritte, Surrealism and the Pipe That Is Not a Pipe", - "description": "Alex Danchev’s biography of René Magritte portrays a subversive artist who had no interest in bohemian life.", - "content": "Alex Danchev’s biography of René Magritte portrays a subversive artist who had no interest in bohemian life.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/01/books/review/magritte-alex-danchev.html", - "creator": "Deborah Solomon", - "pubDate": "Thu, 02 Dec 2021 03:32:32 +0000", + "title": "The Woman on the Bridge", + "description": "Police and prosecutors spent five years chasing a domestic violence case. Would it be enough?", + "content": "Police and prosecutors spent five years chasing a domestic violence case. Would it be enough?", + "category": "Domestic Violence", + "link": "https://www.nytimes.com/2021/11/28/us/domestic-violence-law-enforcement.html", + "creator": "Ellen Barry", + "pubDate": "Sun, 28 Nov 2021 21:11:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101889,16 +128120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4ea7f22a9090c9a8e06dc4129c88174" + "hash": "f71d76645e2e76cf15835df819c1baea" }, { - "title": "On Japan’s Pacific Coast, an Artist Communes With Nature", - "description": "At his retreat near Isumi, Kazunori Hamana creates humble yet imposing ceramic vessels that evoke the world around him.", - "content": "At his retreat near Isumi, Kazunori Hamana creates humble yet imposing ceramic vessels that evoke the world around him.", - "category": "Hamana, Kazunori", - "link": "https://www.nytimes.com/2021/12/03/t-magazine/kazunori-hamana-studio.html", - "creator": "Hannah Kirshner and Ben Richards", - "pubDate": "Fri, 03 Dec 2021 14:00:12 +0000", + "title": "Luxury Senior Homes Cater to Rich Baby Boomers", + "description": "A new crop of luxury senior housing is turning retirement into a five-star resort stay.", + "content": "A new crop of luxury senior housing is turning retirement into a five-star resort stay.", + "category": "Nursing Homes", + "link": "https://www.nytimes.com/2021/11/27/style/growing-old-in-high-style.html", + "creator": "Steven Kurutz", + "pubDate": "Sat, 27 Nov 2021 19:59:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101909,16 +128140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9446685930e076708d229a5e9d3f259d" + "hash": "0d6a545c9e05a7ae2cdeb099e030f789" }, { - "title": "Baby Tate Turns Afropunk Atlanta Hate into Positivity", - "description": "The rapper was shamed for a revealing outfit at Afropunk Atlanta. But that’s not stopping her.", - "content": "The rapper was shamed for a revealing outfit at Afropunk Atlanta. But that’s not stopping her.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/01/style/baby-tate.html", - "creator": "Sandra E. Garcia", - "pubDate": "Wed, 01 Dec 2021 18:05:54 +0000", + "title": "Years of Delays, Billions in Overruns: The Dismal History of Big Infrastructure", + "description": "The nation’s most ambitious engineering projects are mired in postponements and skyrocketing costs. Delivering $1.2 trillion in new infrastructure will be tough.", + "content": "The nation’s most ambitious engineering projects are mired in postponements and skyrocketing costs. Delivering $1.2 trillion in new infrastructure will be tough.", + "category": "Infrastructure Investment and Jobs Act (2021)", + "link": "https://www.nytimes.com/2021/11/28/us/infrastructure-megaprojects.html", + "creator": "Ralph Vartabedian", + "pubDate": "Sun, 28 Nov 2021 10:00:22 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101929,16 +128160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1672e74f8e5d4f8239c8241f93879b8b" + "hash": "88661fdd299eaa630ed73e7fdd8e0356" }, { - "title": "Paul Verhoeven on ‘Benedetta’ and Making a Film About Jesus", - "description": "The Dutch filmmaker explains what his new movie, based on a real 17th-century sister, has in common with “Showgirls” and “Basic Instinct.”", - "content": "The Dutch filmmaker explains what his new movie, based on a real 17th-century sister, has in common with “Showgirls” and “Basic Instinct.”", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/paul-verhoeven-benedetta.html", - "creator": "Elisabeth Vincentelli", - "pubDate": "Fri, 03 Dec 2021 15:12:11 +0000", + "title": "Minneapolis' School Plan Asks White Families to Help Integrate", + "description": "In a citywide overhaul, a beloved Black high school was rezoned to include white students from a richer neighborhood. It has been hard for everyone.", + "content": "In a citywide overhaul, a beloved Black high school was rezoned to include white students from a richer neighborhood. It has been hard for everyone.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/27/us/minneapolis-school-integration.html", + "creator": "Sarah Mervosh", + "pubDate": "Sat, 27 Nov 2021 10:00:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101949,16 +128180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7755a6caf52fb68a9fb0c67bfca08e19" + "hash": "7c18a7874fc720a25107928c2a85482d" }, { - "title": "How Joaquin Phoenix Handles Parenting in ‘C’mon C’mon’", - "description": "The writer and director Mike Mills narrates a sequence from his film featuring Phoenix and Woody Norman.", - "content": "The writer and director Mike Mills narrates a sequence from his film featuring Phoenix and Woody Norman.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/cmon-cmon-clip.html", - "creator": "Mekado Murphy", - "pubDate": "Fri, 03 Dec 2021 12:05:03 +0000", + "title": "A Prosecutor’s Winning Strategy in the Ahmaud Arbery Case", + "description": "The three men charged with killing Ahmaud Arbery were found guilty of murder. We explore how the prosecution secured this verdict from a mostly white jury.", + "content": "The three men charged with killing Ahmaud Arbery were found guilty of murder. We explore how the prosecution secured this verdict from a mostly white jury.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/29/podcasts/the-daily/ahmaud-arbery-prosecution-conviction.html", + "creator": "Michael Barbaro, Chelsea Daniel, Rachelle Bonja, Sydney Harper, Rachel Quester, Robert Jimison, Lisa Tobin, Lisa Chow and Chris Wood", + "pubDate": "Mon, 29 Nov 2021 11:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101969,16 +128200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e83c0d203f37556756b288ed6b4121e" + "hash": "13eb1ed389cfd23b1501b91e0d2d14d9" }, { - "title": "Spy Tool Was Deployed in State-Sponsored Hack of Ugandans", - "description": "Two journalists and one politician said they received alerts warning them of “state-sponsored” attacks on their iPhones. At least one of those attacks was linked to the powerful Israeli cyberespionage tool, Pegasus.", - "content": "Two journalists and one politician said they received alerts warning them of “state-sponsored” attacks on their iPhones. At least one of those attacks was linked to the powerful Israeli cyberespionage tool, Pegasus.", - "category": "Uganda", - "link": "https://www.nytimes.com/2021/12/04/world/africa/uganda-hack-pegasus-spyware.html", - "creator": "Abdi Latif Dahir", - "pubDate": "Sat, 04 Dec 2021 19:44:26 +0000", + "title": "Taliban and 9/11 Families Fight for Billions in Frozen Afghan Funds", + "description": "The White House must figure out what to do with the Afghan central bank’s account at the Federal Reserve, now frozen under U.S. law.", + "content": "The White House must figure out what to do with the Afghan central bank’s account at the Federal Reserve, now frozen under U.S. law.", + "category": "September 11 (2001)", + "link": "https://www.nytimes.com/2021/11/29/us/politics/taliban-afghanistan-911-families-frozen-funds.html", + "creator": "Charlie Savage", + "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -101989,16 +128220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "56bcd36262015b3955ff63c361663a77" + "hash": "cc9e41f01685e1744ccea62c1b320673" }, { - "title": "CNN Fires Chris Cuomo Over His Efforts to Help Andrew", - "description": "The cable news network said it had “terminated him, effective immediately,” a move that came four months after Andrew Cuomo resigned as governor of New York.", - "content": "The cable news network said it had “terminated him, effective immediately,” a move that came four months after Andrew Cuomo resigned as governor of New York.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/12/04/business/media/chris-cuomo-fired-cnn.html", - "creator": "Michael M. Grynbaum and John Koblin", - "pubDate": "Sat, 04 Dec 2021 22:30:47 +0000", + "title": "Can New York Really Get to 100% Clean Energy by 2040?", + "description": "Clean power supply is being generated in upstate New York, but it is not making its way to New York City, the area that relies most heavily on power from fossil fuels.", + "content": "Clean power supply is being generated in upstate New York, but it is not making its way to New York City, the area that relies most heavily on power from fossil fuels.", + "category": "New York State", + "link": "https://www.nytimes.com/2021/11/29/nyregion/hochul-electrical-grid-climate-change.html", + "creator": "Anne Barnard and Grace Ashford", + "pubDate": "Mon, 29 Nov 2021 15:44:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102009,16 +128240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "de82bebf54a4aab00b91695a13f77303" + "hash": "7f378885961420d2937b8c638d913b94" }, { - "title": "Friends who went to an anime convention with a man who tested positive for Omicron also got sick, he says.", - "description": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", - "content": "Most of the infected had traveled to southern Africa recently, but health officials are bracing for the inevitable community spread.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/04/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Sat, 04 Dec 2021 18:35:09 +0000", + "title": "Xiomara Castro Vows New Era for Hondurus but Is Tied to Past", + "description": "Xiomara Castro, headed toward becoming her country’s next president, promises to expunge its legacy of corruption, but change may be tempered by her establishment ties and conservative opposition.", + "content": "Xiomara Castro, headed toward becoming her country’s next president, promises to expunge its legacy of corruption, but change may be tempered by her establishment ties and conservative opposition.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/29/world/americas/honduras-election-xiomara-castro.html", + "creator": "Anatoly Kurmanaev", + "pubDate": "Mon, 29 Nov 2021 17:20:44 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102029,16 +128260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e5bdb37ac87549fcafa1856e56674c2" + "hash": "81095e40ffb3b30cf0e8f6eac2e66147" }, { - "title": "More Than 40,000 March in Vienna Against Coronavirus Restrictions", - "description": "Protesters gathered for a second weekend of mass demonstrations against the country’s tough lockdown and a coming vaccine mandate.", - "content": "Protesters gathered for a second weekend of mass demonstrations against the country’s tough lockdown and a coming vaccine mandate.", - "category": "", - "link": "https://www.nytimes.com/2021/12/04/world/austria-vienna-covid-protest.html", - "creator": "Isabella Grullón Paz", - "pubDate": "Sat, 04 Dec 2021 20:06:50 +0000", + "title": "Where Will We Be in 20 Years?", + "description": "Looking at demographic data can help us assess the opportunities and challenges of the coming decades.", + "content": "Looking at demographic data can help us assess the opportunities and challenges of the coming decades.", + "category": "Economic Conditions and Trends", + "link": "https://www.nytimes.com/2021/11/27/business/dealbook/future-society-demographics.html", + "creator": "Andrew Ross Sorkin", + "pubDate": "Mon, 29 Nov 2021 13:51:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102049,16 +128280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "39575cd62f74c960962a74d0ceb80aaf" + "hash": "f2a23a35fa567b9e97810dfb03816065" }, { - "title": "Michigan Shooting Suspect's Parents Are Arrested and Arraigned", - "description": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", - "content": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", - "creator": "Gerry Mullany, Eduardo Medina and Sophie Kasakove", - "pubDate": "Sat, 04 Dec 2021 22:19:00 +0000", + "title": "Rep. Tom Suozzi Is Running for Governor of New York", + "description": "Mr. Suozzi entered a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", + "content": "Mr. Suozzi entered a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", + "category": "Suozzi, Thomas R", + "link": "https://www.nytimes.com/2021/11/29/nyregion/tom-suozzi-governor-ny.html", + "creator": "Katie Glueck and Nicholas Fandos", + "pubDate": "Mon, 29 Nov 2021 17:52:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102069,16 +128300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c93b7418d9410c59a3f4c7e321b4f0a2" + "hash": "310ca8f14074072b98671809c4b2b3b0" }, { - "title": "In Afghanistan, ‘Who Has the Guns Gets the Land’", - "description": "A decades-long fight over land has been reinvigorated as Taliban leaders look to reward their fighters with property, even if that means evicting others.", - "content": "A decades-long fight over land has been reinvigorated as Taliban leaders look to reward their fighters with property, even if that means evicting others.", - "category": "Afghanistan", - "link": "https://www.nytimes.com/2021/12/03/world/asia/afghanistan-land-ownership-taliban.html", - "creator": "Thomas Gibbons-Neff, Yaqoob Akbary and Jim Huylebroek", - "pubDate": "Fri, 03 Dec 2021 20:53:16 +0000", + "title": "A ‘Simpsons’ Episode Lampooned Chinese Censorship. In Hong Kong, It Vanished.", + "description": "The episode mocked both Mao Zedong and the government’s efforts to suppress memory of the 1989 Tiananmen Square massacre.", + "content": "The episode mocked both Mao Zedong and the government’s efforts to suppress memory of the 1989 Tiananmen Square massacre.", + "category": "Censorship", + "link": "https://www.nytimes.com/2021/11/29/world/asia/simpsons-hk.html", + "creator": "Vivian Wang", + "pubDate": "Mon, 29 Nov 2021 11:30:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102089,16 +128320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c1f83d4b4d5db4c106d827a26c25baa0" + "hash": "8f50e05822c11b37efd33f89778875c5" }, { - "title": "Inside the U.S. Military Base Where 11,000 Afghans Are Starting Over", - "description": "A New Jersey military base is the only site accepting new Afghan arrivals from overseas. It holds more evacuees than any other U.S. safe haven.", - "content": "A New Jersey military base is the only site accepting new Afghan arrivals from overseas. It holds more evacuees than any other U.S. safe haven.", - "category": "Military Bases and Installations", - "link": "https://www.nytimes.com/2021/12/04/nyregion/afghan-refugees-nj-military-base.html", - "creator": "Tracey Tully", - "pubDate": "Sat, 04 Dec 2021 08:00:07 +0000", + "title": "Snowstorm Leaves Dozens Stranded for Days in a Remote U.K. Pub", + "description": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday, most of them were finally able to go home.", + "content": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday, most of them were finally able to go home.", + "category": "Snow and Snowstorms", + "link": "https://www.nytimes.com/2021/11/28/world/europe/england-pub-snow-storm.html", + "creator": "Alyssa Lukpat", + "pubDate": "Mon, 29 Nov 2021 14:17:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102109,16 +128340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bb3bef009fc15e683da2f516fdb58e4c" + "hash": "35ae692b5008fc2dd24e798604790dae" }, { - "title": "How Fast Can You Skydive? These Athletes Are Racing to Earth.", - "description": "Average amateur skydivers can reach up to 120 miles per hour. Speed skydivers aim to reach speeds above 300 m.p.h.", - "content": "Average amateur skydivers can reach up to 120 miles per hour. Speed skydivers aim to reach speeds above 300 m.p.h.", - "category": "Parachutes and Parachute Jumping", - "link": "https://www.nytimes.com/2021/12/03/sports/speed-skydiving-athletes.html", - "creator": "David Gardner", - "pubDate": "Fri, 03 Dec 2021 11:00:08 +0000", + "title": "Jussie Smollett Trial Begins With Jury Selection", + "description": "The actor said in 2019 that he was the victim of a hate crime, but the police said it was a hoax. His trial will revolve around charges that he filed a false police report.", + "content": "The actor said in 2019 that he was the victim of a hate crime, but the police said it was a hoax. His trial will revolve around charges that he filed a false police report.", + "category": "Police Department (Chicago, Ill)", + "link": "https://www.nytimes.com/2021/11/29/arts/television/jussie-smollett-trial.html", + "creator": "Julia Jacobs", + "pubDate": "Mon, 29 Nov 2021 16:22:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102129,16 +128360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a7ccd4b0ad10038fafb6350f36b4c13" + "hash": "6dc34b843b428c23e2c849181dead4ae" }, { - "title": "Honeybees Survived for Weeks Under Volcano Ash After Canary Islands Eruption", - "description": "For roughly 50 days, thousands of honeybees sealed themselves in their hives, away from deadly gas, and feasted on honey. “It is a very empowering story,” one entomologist said.", - "content": "For roughly 50 days, thousands of honeybees sealed themselves in their hives, away from deadly gas, and feasted on honey. “It is a very empowering story,” one entomologist said.", - "category": "Bees", - "link": "https://www.nytimes.com/2021/12/04/world/europe/canary-islands-volcano-honeybees.html", - "creator": "Maria Cramer", - "pubDate": "Sat, 04 Dec 2021 14:00:06 +0000", + "title": "‘You’re Not Helpless’: For London Women, Learning to Fight Builds Confidence", + "description": "After a year marked by isolation, loneliness and violence in the city, many self-defense and martial arts gyms say they are seeing more interest from women.", + "content": "After a year marked by isolation, loneliness and violence in the city, many self-defense and martial arts gyms say they are seeing more interest from women.", + "category": "Women and Girls", + "link": "https://www.nytimes.com/2021/11/28/world/europe/uk-women-self-defense.html", + "creator": "Isabella Kwai", + "pubDate": "Sun, 28 Nov 2021 15:47:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102149,16 +128380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9982e876e4602251fa525473be7a2537" + "hash": "00ecfb8942c03ec7f07e9619a6ffbe08" }, { - "title": "When Did Spotify Wrapped Get So Chatty?", - "description": "This year’s data dump from the streaming music service leaned heavily on contemporary buzzwords and slang — and inspired many, many memes.", - "content": "This year’s data dump from the streaming music service leaned heavily on contemporary buzzwords and slang — and inspired many, many memes.", - "category": "Spotify", - "link": "https://www.nytimes.com/2021/12/04/style/spotify-wrapped-memes.html", - "creator": "Gina Cherelus", - "pubDate": "Sat, 04 Dec 2021 10:00:10 +0000", + "title": "‘Encanto’ Reaches No. 1, but Moviegoers Are Tough to Lure Back", + "description": "No simultaneous streaming: “Encanto” or “House of Gucci” could only be seen in theaters this weekend. Even still, some viewers stayed home.", + "content": "No simultaneous streaming: “Encanto” or “House of Gucci” could only be seen in theaters this weekend. Even still, some viewers stayed home.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/28/movies/encanto-box-office.html", + "creator": "Brooks Barnes", + "pubDate": "Sun, 28 Nov 2021 21:41:32 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102169,16 +128400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "279e9fe39840dd3bfaf3d40dd55a3d7d" + "hash": "5c522443d77783b4f39cb44e5488ff3e" }, { - "title": "The Supreme Court's End Game on Abortion ", - "description": "The only question is, how will they explain it? ", - "content": "The only question is, how will they explain it? ", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/03/opinion/abortion-supreme-court.html", - "creator": "Linda Greenhouse", - "pubDate": "Fri, 03 Dec 2021 10:00:13 +0000", + "title": "She Was Losing Fistfuls of Hair. What Was Causing It?", + "description": "Sudden hair loss may seem alarming, but it may be caused by a temporary stress and grow back.", + "content": "Sudden hair loss may seem alarming, but it may be caused by a temporary stress and grow back.", + "category": "Hair", + "link": "https://www.nytimes.com/2020/02/03/well/live/she-was-losing-fistfuls-of-hair-what-was-causing-it.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 04 Oct 2021 16:13:37 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102189,16 +128420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3bb14e170979fc2c3924ea8cf5b3d6df" + "hash": "b45918e9a0fffc5911cd282211518893" }, { - "title": "Believe It or Not, I Like Some Things in Our Progressive Era", - "description": "It’s good to acknowledge our past and our diversity.", - "content": "It’s good to acknowledge our past and our diversity.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/03/opinion/progressive-diverse-woke.html", - "creator": "John McWhorter", - "pubDate": "Sat, 04 Dec 2021 11:05:17 +0000", + "title": "Navigating My Son’s A.D.H.D. Made Me Realize I Had It, Too", + "description": "Experts say some symptoms, especially in women, are mistaken for other conditions such as mood disorders or depression.", + "content": "Experts say some symptoms, especially in women, are mistaken for other conditions such as mood disorders or depression.", + "category": "Attention Deficit Hyperactivity Disorder", + "link": "https://www.nytimes.com/2021/02/25/well/family/ADHD-adults-women.html", + "creator": "Heidi Borst", + "pubDate": "Thu, 25 Feb 2021 19:25:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102209,16 +128440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b00198cec7bcac9004c11cf58e6c21a0" + "hash": "15708e4fda7aacda8585bac16bb6057d" }, { - "title": "Parenting’s Hard. Join Us and the Comedian Michelle Buteau to Vent.", - "description": "As we approach another pandemic holiday season, let’s laugh about the “joys” of parenting, at a Dec. 8 virtual event hosted by Jessica Grose of The Times’s Opinion newsletter on parenting.", - "content": "As we approach another pandemic holiday season, let’s laugh about the “joys” of parenting, at a Dec. 8 virtual event hosted by Jessica Grose of The Times’s Opinion newsletter on parenting.", - "category": "internal-open-access", - "link": "https://www.nytimes.com/2021/11/16/opinion/parenting-michelle-buteau-event.html", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 17:06:30 +0000", + "title": "Think You Have ‘Normal’ Blood Pressure? Think Again", + "description": "Even levels of blood pressure that are generally considered “normal” may be high enough to foster the development of heart disease, new research shows.", + "content": "Even levels of blood pressure that are generally considered “normal” may be high enough to foster the development of heart disease, new research shows.", + "category": "Blood Pressure", + "link": "https://www.nytimes.com/2020/10/19/well/live/blood-pressure-heart-disease.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 11 Oct 2021 17:21:38 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102229,16 +128460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2f84f257539b749f6c99a8cb5973777f" + "hash": "a0779ce81c9a70454c9131f6e2b6613d" }, { - "title": "Amy Coney Barrett Doesn't Understand the Trauma of Adoption", - "description": "What Amy Coney Barrett doesn’t realize is that adoption is often infinitely more difficult, expensive, dangerous and potentially traumatic than terminating a pregnancy in its early stages. ", - "content": "What Amy Coney Barrett doesn’t realize is that adoption is often infinitely more difficult, expensive, dangerous and potentially traumatic than terminating a pregnancy in its early stages. ", - "category": "Adoptions", - "link": "https://www.nytimes.com/2021/12/03/opinion/adoption-supreme-court-amy-coney-barrett.html", - "creator": "Elizabeth Spiers", - "pubDate": "Fri, 03 Dec 2021 10:00:12 +0000", + "title": "Should You Screen Your Child for Celiac Disease?", + "description": "Some kids have symptoms for years before learning they have the condition, but experts have said that screening everyone in childhood may not be the best answer.", + "content": "Some kids have symptoms for years before learning they have the condition, but experts have said that screening everyone in childhood may not be the best answer.", + "category": "Celiac Disease", + "link": "https://www.nytimes.com/2020/04/17/parenting/child-celiac-disease-diagnosis.html", + "creator": "Amanda Keener", + "pubDate": "Fri, 17 Apr 2020 21:36:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102249,16 +128480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "df3ef6b49f7fe31c942ff7f0f0326476" + "hash": "88e45b75e44307c2401f0f8392f887a9" }, { - "title": "November Jobs Report Shows Workers Remain Optimistic", - "description": "The Great Resignation won’t last forever: Americans are waiting for the right opportunity to jump back into the work force.", - "content": "The Great Resignation won’t last forever: Americans are waiting for the right opportunity to jump back into the work force.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/12/03/opinion/economy-biden-november-jobs-report.html", - "creator": "Justin Wolfers", - "pubDate": "Fri, 03 Dec 2021 17:30:40 +0000", + "title": "The Power of a Name: My Secret Life With M.R.K.H.", + "description": "I had no uterus, but until I learned the name for my syndrome, I couldn’t connect with others. I felt defective, marginalized and alone.", + "content": "I had no uterus, but until I learned the name for my syndrome, I couldn’t connect with others. I felt defective, marginalized and alone.", + "category": "Uterus", + "link": "https://www.nytimes.com/2019/05/28/well/live/mrkh-syndrome-uterus.html", + "creator": "Susan Rudnick", + "pubDate": "Tue, 28 May 2019 08:45:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102269,16 +128500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8d51e3bf66f8675825e4288523922c07" + "hash": "f680dfc1cef2ca94b1266398a74ca969" }, { - "title": "Best TV Shows of 2021", - "description": "From Bo Burnham to “We Are Lady Parts,” the best in television this year offered ingenuity, humor, defiance and hope.", - "content": "From Bo Burnham to “We Are Lady Parts,” the best in television this year offered ingenuity, humor, defiance and hope.", - "category": "Two Thousand Twenty One", - "link": "https://www.nytimes.com/2021/12/03/arts/television/best-tv-shows.html", - "creator": "James Poniewozik, Mike Hale and Margaret Lyons", - "pubDate": "Fri, 03 Dec 2021 15:50:32 +0000", + "title": "Her Art Reads the Land in Deep Time", + "description": "Athena LaTocha has embraced geological materials from mesas, wetlands and bluffs in her large-scale works. Now, she’s exploring what’s underfoot in New York City.", + "content": "Athena LaTocha has embraced geological materials from mesas, wetlands and bluffs in her large-scale works. Now, she’s exploring what’s underfoot in New York City.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/24/arts/design/athena-latocha-bric-sculpture-native-american.html", + "creator": "Siddhartha Mitter", + "pubDate": "Wed, 24 Nov 2021 16:59:50 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102289,16 +128520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "322a12978895f4b6b2b6c03bbabed2a3" + "hash": "85c5e6544082686bbc05add4dd4fda14" }, { - "title": "Robberies, Always an Issue for Retailers, Become More Brazen", - "description": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", - "content": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/12/03/business/retailers-robberies-theft.html", - "creator": "Michael Corkery and Sapna Maheshwari", - "pubDate": "Fri, 03 Dec 2021 10:43:00 +0000", + "title": "Adele and Summer Walker: Our Season of Romantic Discontent", + "description": "New chart-topping albums from the two singers serve as raw excavations of relationships gone bad.", + "content": "New chart-topping albums from the two singers serve as raw excavations of relationships gone bad.", + "category": "Dating and Relationships", + "link": "https://www.nytimes.com/2021/11/29/arts/music/adele-summer-walker.html", + "creator": "Jon Caramanica", + "pubDate": "Mon, 29 Nov 2021 14:04:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102309,16 +128540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed65017e35f0c9532c1ea4b62af88dff" + "hash": "5d46beb721c91352f6a7a0350d0799a5" }, { - "title": "What Happened to Amazon’s Bookstore?", - "description": "A 2011 thriller was supposed to cost $15. One merchant listed it at $987, with a 17th-century publication date. That’s what happens in a marketplace where third-party sellers run wild.", - "content": "A 2011 thriller was supposed to cost $15. One merchant listed it at $987, with a 17th-century publication date. That’s what happens in a marketplace where third-party sellers run wild.", - "category": "E-Commerce", - "link": "https://www.nytimes.com/2021/12/03/technology/amazon-bookstore.html", - "creator": "David Streitfeld", - "pubDate": "Fri, 03 Dec 2021 10:00:20 +0000", + "title": "‘My Eyes Landed on Something I Didn’t Know I Was Looking For’", + "description": "Unleashed on Third Avenue, a museum encounter and more reader tales of New York City in this week’s Metropolitan Diary.", + "content": "Unleashed on Third Avenue, a museum encounter and more reader tales of New York City in this week’s Metropolitan Diary.", + "category": "New York City", + "link": "https://www.nytimes.com/2021/11/28/nyregion/metropolitan-diary.html", + "creator": "", + "pubDate": "Sun, 28 Nov 2021 08:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102329,16 +128560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "379cee659eb2cfa0d95858d161d3c42f" + "hash": "3d73b9e94ea638dbcc7076bb6d180fce" }, { - "title": "English Teenager Finds Bronze Age Ax Using a Metal Detector", - "description": "On her third day out with a metal detector, Milly Hardwick, 13, found a hoard of items from more than 3,000 years ago. “We were just laughing our heads off,” she said.", - "content": "On her third day out with a metal detector, Milly Hardwick, 13, found a hoard of items from more than 3,000 years ago. “We were just laughing our heads off,” she said.", - "category": "Tools", - "link": "https://www.nytimes.com/2021/12/03/world/europe/metal-detector-axe.html", - "creator": "Jenny Gross", - "pubDate": "Fri, 03 Dec 2021 12:41:29 +0000", + "title": "The Crispiest, Lightest Shrimp Cakes", + "description": "What’s the secret? It’s using pulverized rice cakes as a binder, Melissa Clark writes.", + "content": "What’s the secret? It’s using pulverized rice cakes as a binder, Melissa Clark writes.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/24/dining/crispiest-shrimp-cakes-recipe.html", + "creator": "Melissa Clark", + "pubDate": "Wed, 24 Nov 2021 17:36:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102349,16 +128580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "50696b8184fe9950555154398a3d57d9" + "hash": "6f61dc6cff7f2bfd0edf3b451b5e7ba2" }, { - "title": "U.S. Intelligence Sees Russian Plan for Possible Ukraine Invasion", - "description": "An invasion force could include 175,000 troops, but U.S. officials stress that President Vladimir V. Putin’s intentions remain unclear.", - "content": "An invasion force could include 175,000 troops, but U.S. officials stress that President Vladimir V. Putin’s intentions remain unclear.", - "category": "Defense and Military Forces", - "link": "https://www.nytimes.com/2021/12/04/us/politics/russia-ukraine-biden.html", - "creator": "Michael Crowley", - "pubDate": "Sat, 04 Dec 2021 05:00:12 +0000", + "title": "Brandon Kyle Goodman, a Nonbinary Voice of ‘Big Mouth’", + "description": "The actor and writer also stars in the spinoff “Human Resources.”", + "content": "The actor and writer also stars in the spinoff “Human Resources.”", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/11/26/style/brandon-kyle-goodman-big-mouth.html", + "creator": "Brianna Holt", + "pubDate": "Mon, 29 Nov 2021 18:10:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102369,16 +128600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e15448093a736f5af7181136bd172e1" + "hash": "c7f4068604c9f87cfa8a1508edb51895" }, { - "title": "Palestinian Who Stabs Israeli in East Jerusalem Is Killed by Police", - "description": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", - "content": "The incident, captured in videos, was at least the fifth such knife attack in Jerusalem since September.", - "category": "Palestinians", - "link": "https://www.nytimes.com/2021/12/04/world/middleeast/palestinian-israeli-stabbing-jerusalem.html", - "creator": "Patrick Kingsley", - "pubDate": "Sat, 04 Dec 2021 21:55:35 +0000", + "title": "W.H.O. Warns of ‘Very High’ Risk From Omicron, as Many Questions Remain", + "description": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", + "content": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/29/world/omicron-variant-covid", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 16:08:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102389,16 +128620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "14763a8bf772acda83da3a3d15b10c8c" + "hash": "95c1c2e8e8d37073b0be51c0db114eea" }, { - "title": "At Least One Dead as Indonesia's Mount Semeru Erupts", - "description": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", - "content": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", - "category": "Volcanoes", - "link": "https://www.nytimes.com/2021/12/04/world/asia/indonesia-mount-semeru-eruption.html", - "creator": "Aina J. Khan and Muktita Suhartono", - "pubDate": "Sat, 04 Dec 2021 17:20:36 +0000", + "title": "Global markets rose as investors reconsidered the unknowns of Omicron.", + "description": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", + "content": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/29/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 16:08:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102409,16 +128640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae8f36dc65cc0db6964cb899db33d174" + "hash": "08454c9623a7979110b902ea93b81603" }, { - "title": "Dr. Sherif R. Zaki, Acclaimed Disease Detective, Dies at 65", - "description": "He helped identify numerous viruses, including Covid-19, as well as the bioterrorism attack that spread anthrax in 2001.", - "content": "He helped identify numerous viruses, including Covid-19, as well as the bioterrorism attack that spread anthrax in 2001.", - "category": "Zaki, Sherif R", - "link": "https://www.nytimes.com/2021/12/04/science/sherif-r-zaki-dead.html", - "creator": "Sam Roberts", - "pubDate": "Sat, 04 Dec 2021 14:00:30 +0000", + "title": "Europe Looks to Nuclear Power to Meet Climate Goals", + "description": "While wind and solar ramp up, several countries, including France and Britain, are looking to expand their nuclear energy programs. Germany and others aren’t so enthusiastic.", + "content": "While wind and solar ramp up, several countries, including France and Britain, are looking to expand their nuclear energy programs. Germany and others aren’t so enthusiastic.", + "category": "Nuclear Energy", + "link": "https://www.nytimes.com/2021/11/29/business/nuclear-power-europe-climate.html", + "creator": "Liz Alderman and Stanley Reed", + "pubDate": "Mon, 29 Nov 2021 10:00:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102429,16 +128660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "312ae37677778390d122b33f4a38beb7" + "hash": "c99afa63cad8d1931a66cc8c923240d8" }, { - "title": "Money Found by Plumber at Joel Osteen’s Church Is Tied to 2014 Burglary, Police Say", - "description": "The discovery was revealed when the plumber called into a Houston radio show on Thursday.", - "content": "The discovery was revealed when the plumber called into a Houston radio show on Thursday.", - "category": "Restoration and Renovation", - "link": "https://www.nytimes.com/2021/12/03/us/joel-osteen-cash-found-plumber.html", - "creator": "Michael Levenson", - "pubDate": "Sat, 04 Dec 2021 01:50:42 +0000", + "title": "As U.S. Hunts for Chinese Spies, University Scientists Warn of Backlash", + "description": "A chilling effect has taken hold on American campuses, contributing to an outflow of academic talent that may hurt the United States while benefiting Beijing.", + "content": "A chilling effect has taken hold on American campuses, contributing to an outflow of academic talent that may hurt the United States while benefiting Beijing.", + "category": "Espionage and Intelligence Services", + "link": "https://www.nytimes.com/2021/11/28/world/asia/china-university-spies.html", + "creator": "Amy Qin", + "pubDate": "Mon, 29 Nov 2021 01:08:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102449,16 +128680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "68d271654fa27b97709014e8f5136b74" + "hash": "cfb4f226c7414d31860eb6a95a95ff47" }, { - "title": "Ron Cephas Jones Has Something to Prove Again", - "description": "The Emmy-winning “This Is Us” actor received a double-lung transplant after a secret battle with chronic obstructive pulmonary disease. Now he’s back onstage in “Clyde’s” on Broadway.", - "content": "The Emmy-winning “This Is Us” actor received a double-lung transplant after a secret battle with chronic obstructive pulmonary disease. Now he’s back onstage in “Clyde’s” on Broadway.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/02/theater/ron-cephas-jones-broadway-clydes.html", - "creator": "Reggie Ugwu", - "pubDate": "Thu, 02 Dec 2021 19:57:29 +0000", + "title": "It’s Always Sunny With Rob McElhenney", + "description": "The FXX series “It’s Always Sunny in Philadelphia” is about to become the longest-running live-action sitcom in U.S. history. Its energetic star and creator wants to know what’s next.", + "content": "The FXX series “It’s Always Sunny in Philadelphia” is about to become the longest-running live-action sitcom in U.S. history. Its energetic star and creator wants to know what’s next.", + "category": "Television", + "link": "https://www.nytimes.com/2021/11/26/arts/television/its-always-sunny-in-philadelphia-rob-mcelhenney.html", + "creator": "Ashley Spencer", + "pubDate": "Fri, 26 Nov 2021 10:02:42 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102469,16 +128700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9356019b2af8c5bac83e995c10e026fe" + "hash": "2bbf5f5563a8be89d01e7d5ab35b97ee" }, { - "title": "Can I Confront My Dad About His Possibly Secret Relationship?", - "description": "A reader asks for advice on talking to her father about his new romantic life.", - "content": "A reader asks for advice on talking to her father about his new romantic life.", - "category": "Customs, Etiquette and Manners", - "link": "https://www.nytimes.com/2021/12/02/style/dad-secret-relationship-social-qs.html", - "creator": "Philip Galanes", - "pubDate": "Thu, 02 Dec 2021 14:54:12 +0000", + "title": "What We Learned From Week 12 in the N.F.L.", + "description": "Tom Brady has help in Tampa Bay, the Bengals are forcing the issue in the A.F.C. North race, and the Rams have some soul-searching to do.", + "content": "Tom Brady has help in Tampa Bay, the Bengals are forcing the issue in the A.F.C. North race, and the Rams have some soul-searching to do.", + "category": "Football", + "link": "https://www.nytimes.com/2021/11/28/sports/football/nfl-week-12.html", + "creator": "Tyler Dunne", + "pubDate": "Mon, 29 Nov 2021 06:29:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102489,16 +128720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b79fce1bef9a6c84e521a920c26dbc19" + "hash": "da8e20d487feefd800077ef0e1128c4d" }, { - "title": "They Adapted ‘Mrs. Doubtfire,’ and Their Personal Beliefs", - "description": "Wayne and Karey Kirkpatrick have come a long way from their beginnings in Christian rock, but they’re glad to be creating a family-friendly musical comedy.", - "content": "Wayne and Karey Kirkpatrick have come a long way from their beginnings in Christian rock, but they’re glad to be creating a family-friendly musical comedy.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/24/theater/mrs-doubtfire-wayne-karey-kirkpatrick.html", - "creator": "Rebecca J. Ritzel", - "pubDate": "Wed, 24 Nov 2021 19:47:30 +0000", + "title": "Join the Comedian Michelle Buteau at a Times Event on the ‘Joys’ of Parenting", + "description": "Let’s laugh about the trials and triumphs of raising tiny humans, with the comedian Michelle Buteau and Jessica Grose of The Times’s parenting newsletter at a virtual event on Dec. 8.", + "content": "Let’s laugh about the trials and triumphs of raising tiny humans, with the comedian Michelle Buteau and Jessica Grose of The Times’s parenting newsletter at a virtual event on Dec. 8.", + "category": "internal-open-access", + "link": "https://www.nytimes.com/2021/11/16/opinion/parenting-michelle-buteau-event.html", + "creator": "The New York Times", + "pubDate": "Wed, 24 Nov 2021 16:45:34 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102509,16 +128740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9afcb9b1ae1413a3d7e23ea4237b261" + "hash": "07e46b892d177e7dcf4d7160a6deb3e4" }, { - "title": "Kodi Smit-McPhee on Quiet Confidence, Chronic Pain and ‘The Power of the Dog’", - "description": "The 25-year-old Aussie delivers a scene-stealing performance as Peter, a bookish boy and aspiring doctor who’s more than he seems.", - "content": "The 25-year-old Aussie delivers a scene-stealing performance as Peter, a bookish boy and aspiring doctor who’s more than he seems.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/kodi-smit-mcphee-power-of-the-dog.html", - "creator": "Sarah Bahr", - "pubDate": "Fri, 03 Dec 2021 19:19:05 +0000", + "title": "A Public Flagpole, a Christian Flag and the First Amendment", + "description": "The Supreme Court will decide whether Boston, which allows many kinds of groups to raise flags outside its City Hall, can reject one bearing the Latin cross.", + "content": "The Supreme Court will decide whether Boston, which allows many kinds of groups to raise flags outside its City Hall, can reject one bearing the Latin cross.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/11/29/us/boston-flag-free-speech.html", + "creator": "Adam Liptak", + "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102529,16 +128760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb4cf05095695ff789803f06ee58f904" + "hash": "eccac5c7d038a90d7204c863bfbbbd99" }, { - "title": "Shooting Suspect's Parents Pleaded Not Guilty to Involuntary Manslaughter Charges", - "description": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", - "content": "The couple were taken into custody early Saturday in Detroit, after the police received a tip. They pleaded not guilty to involuntary manslaughter charges.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", - "creator": "Gerry Mullany, Eduardo Medina and Sophie Kasakove", - "pubDate": "Sat, 04 Dec 2021 20:27:28 +0000", + "title": "How Journalists and Academics are Tackling the 'Misinformation' Wars", + "description": "Journalists and academics are developing a new language for truth. The results are not always clearer.", + "content": "Journalists and academics are developing a new language for truth. The results are not always clearer.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/11/28/business/media-misinformation-disinformation.html", + "creator": "Ben Smith", + "pubDate": "Mon, 29 Nov 2021 02:12:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102549,16 +128780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5fa342dcc3106e307e7faac2d74d4a47" + "hash": "cff8747508e1ece8d67fb7f754f87a98" }, { - "title": "Federal Scrutiny of Cuomo Widens to His Office’s Treatment of Women", - "description": "The Justice Department opened an inquiry into reports of sexual harassment and retaliation in the former governor’s administration.", - "content": "The Justice Department opened an inquiry into reports of sexual harassment and retaliation in the former governor’s administration.", - "category": "Cuomo, Andrew M", - "link": "https://www.nytimes.com/2021/12/03/nyregion/cuomo-justice-department-inquiry.html", - "creator": "Luis Ferré-Sadurní", - "pubDate": "Sat, 04 Dec 2021 00:28:05 +0000", + "title": "Virgil Abloh, Barrier-Breaking Designer, Is Dead at 41", + "description": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", + "content": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/11/28/style/virgil-abloh-dead.html", + "creator": "Vanessa Friedman", + "pubDate": "Sun, 28 Nov 2021 21:21:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102569,16 +128800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "40ea2489a82b1ed83801a63008d1c01f" + "hash": "721e16081a994d4693428a75eb33e02c" }, { - "title": "LaMarr Hoyt, Pitcher Whose Star Shone Brightly but Briefly, Dies at 66", - "description": "He won the 1983 Cy Young Award as the American League’s leading pitcher, but an injury and troubles with drugs and the law ended his career prematurely.", - "content": "He won the 1983 Cy Young Award as the American League’s leading pitcher, but an injury and troubles with drugs and the law ended his career prematurely.", - "category": "Hoyt, LaMarr", - "link": "https://www.nytimes.com/2021/12/03/sports/baseball/lamarr-hoyt-dead.html", - "creator": "Richard Goldstein", - "pubDate": "Sat, 04 Dec 2021 05:50:52 +0000", + "title": "Rep. Tom Suozzi to Run for Governor of New York", + "description": "Mr. Suozzi will enter a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", + "content": "Mr. Suozzi will enter a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", + "category": "Suozzi, Thomas R", + "link": "https://www.nytimes.com/2021/11/29/nyregion/tom-suozzi-governor-ny.html", + "creator": "Katie Glueck and Nicholas Fandos", + "pubDate": "Mon, 29 Nov 2021 15:17:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102589,16 +128820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f25d477edad5e7dbd31af5e683db4202" + "hash": "b043b1022bfaf4a9ee03515eebd2cc90" }, { - "title": "Parents of Oxford School Shooting Suspect Arrested, Police Say", - "description": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", - "content": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", - "creator": "Gerry Mullany", - "pubDate": "Sat, 04 Dec 2021 15:42:48 +0000", + "title": "Esper Claims Defense Dept. Is Improperly Blocking Parts of His Memoir", + "description": "The former defense secretary sued the agency, saying that portions of the book were being concealed “under the guise of classification.”", + "content": "The former defense secretary sued the agency, saying that portions of the book were being concealed “under the guise of classification.”", + "category": "Esper, Mark T", + "link": "https://www.nytimes.com/2021/11/28/us/politics/mark-esper-memoir-lawsuit.html", + "creator": "Maggie Haberman", + "pubDate": "Mon, 29 Nov 2021 00:51:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102609,16 +128840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "10829e757b590a89c0c2646965b1dc47" + "hash": "d86008382b6bc0bc89bb43e94fe4f41b" }, { - "title": "In Africa, Dealing With Vaccine Challenges and the Omicron Variant", - "description": "Vaccine shortages and skepticism, and rewarding countries for discovering variants. Also: Happiness and politics; unwanted children; beware of psychedelics.", - "content": "Vaccine shortages and skepticism, and rewarding countries for discovering variants. Also: Happiness and politics; unwanted children; beware of psychedelics.", - "category": "Africa", - "link": "https://www.nytimes.com/2021/12/03/opinion/letters/africa-vaccine-omicron.html", - "creator": "", - "pubDate": "Fri, 03 Dec 2021 21:55:34 +0000", + "title": "Fetal Viability, Long an Abortion Dividing Line, Faces a Supreme Court Test", + "description": "On Wednesday, the justices will hear the most important abortion case in decades, one that could undermine or overturn Roe v. Wade.", + "content": "On Wednesday, the justices will hear the most important abortion case in decades, one that could undermine or overturn Roe v. Wade.", + "category": "Supreme Court (US)", + "link": "https://www.nytimes.com/2021/11/28/us/politics/supreme-court-mississippi-abortion-law.html", + "creator": "Adam Liptak", + "pubDate": "Sun, 28 Nov 2021 22:37:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102629,16 +128860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac6aadeb897fed5862586a90b6f10196" + "hash": "aa4c7edef45127c224b0faf45cd08328" }, { - "title": "Takeaways from the fifth day of Ghislaine Maxwell’s trial.", - "description": "", - "content": "", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/03/nyregion/ghislaine-maxwell-trial/takeaways-from-the-fifth-day-of-ghislaine-maxwells-trial", - "creator": "Rebecca Davis O’Brien and Colin Moynihan", - "pubDate": "Fri, 03 Dec 2021 23:03:56 +0000", + "title": "The Wandering Creativity of Sophie Taeuber-Arp", + "description": "The Swiss artist did it all — paintings and puppets, sculpture and tapestry — and was underestimated because of it. At MoMA she joins the major leagues.", + "content": "The Swiss artist did it all — paintings and puppets, sculpture and tapestry — and was underestimated because of it. At MoMA she joins the major leagues.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/26/arts/design/sophie-taeuber-arp-review-moma-dada.html", + "creator": "Jason Farago", + "pubDate": "Fri, 26 Nov 2021 20:18:58 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102649,16 +128880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4bf73376e7b8ebdd72eba21a5472ee44" + "hash": "b54b9ea955da7e34e4234495dcf8ccc5" }, { - "title": "How a Lab in Nebraska Is Tracking the Spread of Omicron", - "description": "More states are finding cases of the new variant. Tracking its spread, experts say, is key to understanding what threat it poses.", - "content": "More states are finding cases of the new variant. Tracking its spread, experts say, is key to understanding what threat it poses.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/03/us/coronavirus-omicron-sequencing.html", - "creator": "Mitch Smith", - "pubDate": "Sat, 04 Dec 2021 03:37:17 +0000", + "title": "In 'Flee,' Jonas Poher Rasmussen Animates His Friend's Story", + "description": "Jonas Poher Rasmussen’s childhood friend kept his flight from Afghanistan secret for 20 years. Now, Rasmussen has told his story through the award-winning film “Flee.”", + "content": "Jonas Poher Rasmussen’s childhood friend kept his flight from Afghanistan secret for 20 years. Now, Rasmussen has told his story through the award-winning film “Flee.”", + "category": "Refugees and Displaced Persons", + "link": "https://www.nytimes.com/2021/11/26/movies/flee-movie-jonas-poher-rasmussen.html", + "creator": "Lisa Abend", + "pubDate": "Fri, 26 Nov 2021 15:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102669,16 +128900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "48fa5c475945aec80685ed9cdd2606ca" + "hash": "7576b83163a663bb67eac5a499146cba" }, { - "title": "Deion Sanders Is Leading Jackson State to a Football Title Game", - "description": "In his first full season as the football coach, Deion Sanders has guided the Tigers to the conference championship game and energized a community. He says he’s just getting started.", - "content": "In his first full season as the football coach, Deion Sanders has guided the Tigers to the conference championship game and energized a community. He says he’s just getting started.", - "category": "Jackson State University", - "link": "https://www.nytimes.com/2021/12/03/sports/ncaafootball/deion-sanders-jackson-state-football.html", - "creator": "Alanis Thames", - "pubDate": "Fri, 03 Dec 2021 21:36:58 +0000", + "title": "In ‘White on White,’ the Traditional Landlord-Tenant Pact Is Ruptured", + "description": "Aysegul Savas’s second novel is about an art student and a painter who strike up a peculiar friendship.", + "content": "Aysegul Savas’s second novel is about an art student and a painter who strike up a peculiar friendship.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/23/books/review-white-on-white-aysegul-savas.html", + "creator": "Molly Young", + "pubDate": "Tue, 23 Nov 2021 17:01:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102689,16 +128920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aba6033ec429df2b778456e42ce59ea3" + "hash": "1ae21e4457bd84c4dfc63bafcece32e8" }, { - "title": "Israeli Company’s Spyware Is Used to Target U.S. Embassy Employees in Africa", - "description": "The hack is the first known case of the spyware, known as Pegasus, being used against American officials.", - "content": "The hack is the first known case of the spyware, known as Pegasus, being used against American officials.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/03/us/politics/phone-hack-nso-group-israel-uganda.html", - "creator": "Katie Benner, David E. Sanger and Julian E. Barnes", - "pubDate": "Sat, 04 Dec 2021 01:47:35 +0000", + "title": "A Fashion Stylist Who Found Inspiration in New Surroundings", + "description": "Having embraced a slower pace of life upstate, Melissa Ventosa Martin is launching an online marketplace dedicated to finely crafted pieces imbued with the luxury of time.", + "content": "Having embraced a slower pace of life upstate, Melissa Ventosa Martin is launching an online marketplace dedicated to finely crafted pieces imbued with the luxury of time.", + "category": "Martin, Walter (Musician)", + "link": "https://www.nytimes.com/2021/11/24/t-magazine/old-stone-trade-ventosa-martin.html", + "creator": "Aileen Kwun", + "pubDate": "Wed, 24 Nov 2021 22:19:47 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102709,16 +128940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdb4a3ef9356d63a95a23ef3afb455de" + "hash": "985041d2a3ff453b840ef155edc350c3" }, { - "title": "Belgian Port City Grapples With a Flood of Cocaine", - "description": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", - "content": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", - "category": "Drug Abuse and Traffic", - "link": "https://www.nytimes.com/2021/12/04/world/europe/belgium-antwerp-cocaine.html", - "creator": "Elian Peltier", - "pubDate": "Sat, 04 Dec 2021 10:16:01 +0000", + "title": "Countries Close Borders as More Omicron Cases Emerge", + "description": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", + "content": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/29/world/covid-omicron-variant-news", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 11:00:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102729,16 +128960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "872fb324cc8ee580dd0f68986d46284f" + "hash": "452e848135f40ca09dcf23b310231369" }, { - "title": "At Least One Dead as Volcano Erupts in Indonesia, Spewing Ash Cloud", - "description": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", - "content": "Dozens more suffered burns as lava flowed from the eruption of Mount Semeru, on the island of Java.", - "category": "Volcanoes", - "link": "https://www.nytimes.com/2021/12/04/world/asia/indonesia-volcano.html", - "creator": "Aina J. Khan and Muktita Suhartono", - "pubDate": "Sat, 04 Dec 2021 17:20:36 +0000", + "title": "Global Markets Steady as Investors Reconsider the Unknowns of Omicron", + "description": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", + "content": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/29/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 11:00:43 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102749,16 +128980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "71bbef23ec0af17a82dcc501252b35fd" + "hash": "f7b1444bbba5744081f2a105a7318bc0" }, { - "title": "Congo Ousts Mining Leader in a Cloud of Corruption Claims", - "description": "The country’s president removed Albert Yuma Mulimbi as chairman of the state mining firm. Cobalt in Congo is a crucial resource in the global clean energy revolution.", - "content": "The country’s president removed Albert Yuma Mulimbi as chairman of the state mining firm. Cobalt in Congo is a crucial resource in the global clean energy revolution.", - "category": "Mines and Mining", - "link": "https://www.nytimes.com/2021/12/03/world/congo-cobalt-albert-yuma-mulimbi.html", - "creator": "Eric Lipton and Dionne Searcey", - "pubDate": "Sat, 04 Dec 2021 03:11:06 +0000", + "title": "‘Self Defense’ Is Becoming Meaningless in a Flood of Guns", + "description": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", + "content": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", + "category": "Arbery, Ahmaud (1994-2020)", + "link": "https://www.nytimes.com/2021/11/29/opinion/self-defense-guns-arbery-rittenhouse.html", + "creator": "Tali Farhadian Weinstein", + "pubDate": "Mon, 29 Nov 2021 10:00:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102769,16 +129000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1b63ad3b57129d8e96a2c86989a9bca8" + "hash": "3db88f65026bf8ddc5bb0143d055c0a0" }, { - "title": "Five-Minute Coronavirus Stress Resets", - "description": "How to get unstuck from your anxiety.", - "content": "How to get unstuck from your anxiety.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2020/08/06/well/mind/five-minute-coronavirus-stress-resets.html", - "creator": "Jenny Taitz • Illustrations by Rozalina Burkova", - "pubDate": "Thu, 06 Aug 2020 13:46:00 +0000", + "title": "Emily Ratajkowski Doesn’t Want You to Look Away", + "description": "The model on wielding beauty and power in the age of Instagram.", + "content": "The model on wielding beauty and power in the age of Instagram.", + "category": "audio-neutral-informative", + "link": "https://www.nytimes.com/2021/11/29/opinion/sway-kara-swisher-emily-ratajkowski.html", + "creator": "‘Sway’", + "pubDate": "Mon, 29 Nov 2021 10:00:04 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102789,16 +129020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "210a80bfcdc7ee8eb69f1fef3afc1da4" + "hash": "ebb9488cc2906cdb36aaf4896b59fafa" }, { - "title": "With Omicron Variant Comes Uncertainty. Here’s How to Handle It.", - "description": "Experts share techniques to ease the mental toll of an evolving pandemic.", - "content": "Experts share techniques to ease the mental toll of an evolving pandemic.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/12/02/well/mind/omicron-variant-questions.html", - "creator": "Christina Caron", - "pubDate": "Fri, 03 Dec 2021 14:50:52 +0000", + "title": "Omicron: How to Think About the New Variant of Concern", + "description": "There are many unknowns but we have the means to manage the variant.", + "content": "There are many unknowns but we have the means to manage the variant.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/27/opinion/omicron-variant-questions-coronavirus.html", + "creator": "Ashish Jha", + "pubDate": "Sat, 27 Nov 2021 15:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102809,16 +129040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11ae186b7288194d5c62d11d19daf7c5" + "hash": "681155fc20643ea25e2fb8d9d8f979a2" }, { - "title": "Wellness Challenge: Give Yourself a Break", - "description": "", - "content": "", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/05/28/well/pandemic-wellness-stress-break.html", - "creator": "Tara Parker-Pope", - "pubDate": "Fri, 28 May 2021 09:00:13 +0000", + "title": "A Cure for Type 1 Diabetes? For One Man, It Seems to Have Worked.", + "description": "A new treatment using stem cells that produce insulin has surprised experts and given them hope for the 1.5 million Americans living with the disease.", + "content": "A new treatment using stem cells that produce insulin has surprised experts and given them hope for the 1.5 million Americans living with the disease.", + "category": "Diabetes", + "link": "https://www.nytimes.com/2021/11/27/health/diabetes-cure-stem-cells.html", + "creator": "Gina Kolata", + "pubDate": "Sat, 27 Nov 2021 10:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102829,16 +129060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "88cbb34b711607aa61316870b0065da0" + "hash": "22d42de22380bbdaa17e52d529d44ac6" }, { - "title": "In Stressful Times, Make Stress Work for You", - "description": "Research shows we can actually use stress to improve our health and well-being. Here’s how.", - "content": "Research shows we can actually use stress to improve our health and well-being. Here’s how.", - "category": "Anxiety and Stress", - "link": "https://www.nytimes.com/2020/04/01/well/mind/coronavirus-stress-management-anxiety-psychology.html", - "creator": "Kari Leibowitz and Alia Crum", - "pubDate": "Wed, 01 Apr 2020 16:16:31 +0000", + "title": "In a Picture-Postcard New York Town, Racist Incidents Rattle Schools", + "description": "When students in Pittsford, a suburb of Rochester, returned to school in the fall, a disturbing video of a white student threatening to kill Black people renewed concerns about racism.", + "content": "When students in Pittsford, a suburb of Rochester, returned to school in the fall, a disturbing video of a white student threatening to kill Black people renewed concerns about racism.", + "category": "Education (K-12)", + "link": "https://www.nytimes.com/2021/11/27/nyregion/pittsford-racism.html", + "creator": "Jesse McKinley", + "pubDate": "Sat, 27 Nov 2021 08:02:27 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102849,16 +129080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "72ea869a717d49d0241d2c4b888d3b7f" + "hash": "ba5108528c3f7d5178e26397fce7663c" }, { - "title": "The Trump Conspiracy Is Hiding in Plain Sight", - "description": "Large and influential parts of the Republican Party are increasingly untethered from any commitment to electoral democracy. ", - "content": "Large and influential parts of the Republican Party are increasingly untethered from any commitment to electoral democracy. ", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/12/03/opinion/trump-bannon-2024.html", - "creator": "Jamelle Bouie", - "pubDate": "Fri, 03 Dec 2021 10:00:14 +0000", + "title": "Afghan Economy Nears Collapse as Pressure Builds to Ease U.S. Sanctions", + "description": "Afghanistan’s economy has crashed since the Taliban seized power, plunging the country into one of the world’s worst humanitarian crisis.", + "content": "Afghanistan’s economy has crashed since the Taliban seized power, plunging the country into one of the world’s worst humanitarian crisis.", + "category": "Afghanistan", + "link": "https://www.nytimes.com/2021/11/27/world/asia/afghanistan-economy-collapse-sanctions.html", + "creator": "Christina Goldbaum", + "pubDate": "Sat, 27 Nov 2021 08:00:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102869,16 +129100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "96b16fbe37e338d9b346030a405f56f7" + "hash": "7ba133de045af5b7316d6f9a4f5a3962" }, { - "title": "Amy Coney Barrett and the Abortion Question", - "description": "Justice Amy Coney Barrett seemed to lean into identity politics at Wednesday’s arguments over a major abortion case.", - "content": "Justice Amy Coney Barrett seemed to lean into identity politics at Wednesday’s arguments over a major abortion case.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/12/02/opinion/coney-barrett-abortion-supreme-court.html", - "creator": "Melissa Murray", - "pubDate": "Thu, 02 Dec 2021 20:50:16 +0000", + "title": "Snowstorm Leaves Dozens Stranded in Remote U.K. Pub", + "description": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday morning, some patrons, band members and staff members were still stuck.", + "content": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday morning, some patrons, band members and staff members were still stuck.", + "category": "Snow and Snowstorms", + "link": "https://www.nytimes.com/2021/11/28/world/europe/england-pub-snow-storm.html", + "creator": "Alyssa Lukpat", + "pubDate": "Mon, 29 Nov 2021 11:38:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102889,16 +129120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2590f0b621318d50bdf5ca2336760924" + "hash": "572ab71b58d45bc26c4bb3da347ea2f7" }, { - "title": "Mount Vernon, N.Y., Police Face Federal Civil Rights Investigation", - "description": "The inquiry will focus on whether the Mount Vernon department engaged in a “pattern or practice of unlawful policing,” officials said.", - "content": "The inquiry will focus on whether the Mount Vernon department engaged in a “pattern or practice of unlawful policing,” officials said.", - "category": "Police Reform", - "link": "https://www.nytimes.com/2021/12/03/nyregion/mount-vernon-police-abuse-misconduct-investigation.html", - "creator": "Troy Closson", - "pubDate": "Fri, 03 Dec 2021 23:10:50 +0000", + "title": "As Ghislaine Maxwell’s Trial Begins, Epstein’s Shadow Looms Large", + "description": "Ms. Maxwell’s sex trafficking trial in Manhattan, which starts on Monday, is widely seen as a proxy for the courtroom reckoning that her longtime partner never received.", + "content": "Ms. Maxwell’s sex trafficking trial in Manhattan, which starts on Monday, is widely seen as a proxy for the courtroom reckoning that her longtime partner never received.", + "category": "Epstein, Jeffrey E (1953- )", + "link": "https://www.nytimes.com/2021/11/29/nyregion/ghislaine-maxwell-trial.html", + "creator": "Benjamin Weiser and Rebecca Davis O’Brien", + "pubDate": "Mon, 29 Nov 2021 08:00:07 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102909,16 +129140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1aef2a414bd081df8c12a11aa0d008d2" + "hash": "10175eb8a5f830509092df543a4e0bed" }, { - "title": "How do you say ‘Omicron’?", - "description": "Unlike Alpha, Beta and Delta, the name of the latest known variant is not as straightforward, with some English speakers offering up diverse pronunciations.", - "content": "Unlike Alpha, Beta and Delta, the name of the latest known variant is not as straightforward, with some English speakers offering up diverse pronunciations.", - "category": "English Language", - "link": "https://www.nytimes.com/2021/11/30/world/omicron-covid-variant-pronunciation.html", - "creator": "Christine Hauser", - "pubDate": "Wed, 01 Dec 2021 12:17:31 +0000", + "title": "Opposition Candidate Takes Big Early Lead in Honduras Election", + "description": "Xiomara Castro, the wife of a former leftist president, jumped ahead in Sunday’s vote, but determining a winner may take days. Follow updates in English and Spanish.", + "content": "Xiomara Castro, the wife of a former leftist president, jumped ahead in Sunday’s vote, but determining a winner may take days. Follow updates in English and Spanish.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/28/world/honduras-election-results", + "creator": "The New York Times", + "pubDate": "Mon, 29 Nov 2021 10:57:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102929,16 +129160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6325d394c526052f260bcca9ae24079" + "hash": "214b47b92dd3df9d6de64310343b8008" }, { - "title": "Parents of Michigan Shooting Suspect Arrested in Detroit, Police Say", - "description": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", - "content": "The couple were charged after officials said their son carried out the shootings using a handgun his parents had bought for him.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/04/us/michigan-shooting-parents-arrested.html", - "creator": "Gerry Mullany", - "pubDate": "Sat, 04 Dec 2021 09:12:32 +0000", + "title": "Climate Change Driving Some Albatrosses to ‘Divorce,’ Study Finds", + "description": "Warming oceans are sending the monogamous sea birds farther afield to find food, putting stress on their breeding and prompting some to ditch their partners.", + "content": "Warming oceans are sending the monogamous sea birds farther afield to find food, putting stress on their breeding and prompting some to ditch their partners.", + "category": "New Zealand", + "link": "https://www.nytimes.com/2021/11/29/world/asia/albatross-climate-change.html", + "creator": "Natasha Frost", + "pubDate": "Mon, 29 Nov 2021 10:53:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102949,16 +129180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f78d20ba79c52e0accbf764f1b9b7d13" + "hash": "387a64c03852c1556f06a466724fa650" }, { - "title": "Marcus Lamb, Christian Broadcaster and Vaccine Skeptic, Dies of Covid at 64", - "description": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", - "content": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/01/us/marcus-lamb-dead.html", - "creator": "Alyssa Lukpat", - "pubDate": "Thu, 02 Dec 2021 23:09:23 +0000", + "title": "Is Your Kid a Holiday Gift Monster?", + "description": "Here’s how to celebrate without going overboard.", + "content": "Here’s how to celebrate without going overboard.", + "category": "", + "link": "https://www.nytimes.com/2019/11/27/parenting/is-your-kid-a-holiday-gift-monster.html", + "creator": "Jessica Grose", + "pubDate": "Wed, 27 Nov 2019 13:54:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102969,16 +129200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f51614d95507a45e0adb3ba68531dee9" + "hash": "4c4192cb080778fa14cec9b31e096abc" }, { - "title": "Best Albums of 2021", - "description": "Less isolation didn’t mean a return to normalcy. Albums with big feelings and room for catharsis made the most powerful connections.", - "content": "Less isolation didn’t mean a return to normalcy. Albums with big feelings and room for catharsis made the most powerful connections.", - "category": "arts year in review 2021", - "link": "https://www.nytimes.com/2021/12/02/arts/music/best-pop-albums.html", - "creator": "Jon Pareles, Jon Caramanica and Lindsay Zoladz", - "pubDate": "Thu, 02 Dec 2021 17:22:35 +0000", + "title": "Three Custom Holiday Gifts for Runners", + "description": "Shoes that one runner loves may not be right for another, but here are ideas you can use to make gifts tailored to each runner on your holiday list.", + "content": "Shoes that one runner loves may not be right for another, but here are ideas you can use to make gifts tailored to each runner on your holiday list.", + "category": "Running", + "link": "https://www.nytimes.com/2019/11/30/well/move/three-custom-holiday-gifts-for-runners.html", + "creator": "Jen A. Miller", + "pubDate": "Wed, 24 Nov 2021 22:54:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -102989,16 +129220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2020f552c6e78dfb71a3e922fd1b17e8" + "hash": "133d18038e629b52df8bff3951618946" }, { - "title": "Omicron Variant Reinfects People Who Have Had the Coronavirus", - "description": "Evidence from South Africa, where the Omicron variant already dominates, shows a high rate of reinfection of people who have already had the coronavirus.", - "content": "Evidence from South Africa, where the Omicron variant already dominates, shows a high rate of reinfection of people who have already had the coronavirus.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/02/world/africa/virus-omicron-variant-reinfection.html", - "creator": "Lynsey Chutel and Richard Pérez-Peña", - "pubDate": "Fri, 03 Dec 2021 01:49:30 +0000", + "title": "2021 Holiday Gift Ideas for Wellness Enthusiasts", + "description": "Share the gift of healthy living. Here’s a list of some of our favorite things, from the staff and contributors of Well.", + "content": "Share the gift of healthy living. Here’s a list of some of our favorite things, from the staff and contributors of Well.", + "category": "Gifts", + "link": "https://www.nytimes.com/2021/11/04/well/live/holiday-gift-guide-wellness.html", + "creator": "Tara Parker-Pope and Tony Cenicola", + "pubDate": "Wed, 24 Nov 2021 16:24:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103009,16 +129240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bee1ae16799ff9bfe3b679d695d05153" + "hash": "3fdc713cc0df41e35796ace1385ecc12" }, { - "title": "How the Cream Cheese Shortage is Affecting NYC Bagel Shops", - "description": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", - "content": "Supply chain problems that have hit businesses across the country now threaten a quintessential New York treat.", - "category": "New York City", - "link": "https://www.nytimes.com/2021/12/04/nyregion/cream-cheese-shortage-nyc-bagels.html", - "creator": "Ashley Wong", - "pubDate": "Sat, 04 Dec 2021 10:00:14 +0000", + "title": "Growing List of Nations on Alert Over New Coronavirus Variant", + "description": "Australian health officials confirmed that two travelers arriving from southern Africa had tested positive for the new variant. Scientists were racing to learn more about Omicron, but said that existing vaccines were likely to protect against it.", + "content": "Australian health officials confirmed that two travelers arriving from southern Africa had tested positive for the new variant. Scientists were racing to learn more about Omicron, but said that existing vaccines were likely to protect against it.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/28/world/covid-vaccine-boosters-variant", + "creator": "The New York Times", + "pubDate": "Sun, 28 Nov 2021 20:44:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103029,16 +129260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "617a4712bcb3f3644b282e32eabd774c" + "hash": "30d62e56c69511104f30efbdfb04c161" }, { - "title": "Belgian Port City Grapples With a Flood of Cocaine", - "description": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", - "content": "Antwerp has become the main port of entry into Europe for the drug, which is being blamed for a surge of violence that has prompted some Belgian officials to call for a war on drugs.", - "category": "Drug Abuse and Traffic", - "link": "https://www.nytimes.com/2021/12/04/world/europe/belgian-port-city-grapples-with-a-flood-of-cocaine.html", - "creator": "Elian Peltier", - "pubDate": "Sat, 04 Dec 2021 10:16:01 +0000", + "title": "As Omicron Variant Circles the Globe, African Nations Face Blame and Bans", + "description": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", + "content": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/27/world/africa/coronavirus-omicron-africa.html", + "creator": "Benjamin Mueller and Declan Walsh", + "pubDate": "Sun, 28 Nov 2021 02:59:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103049,16 +129280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bfa9efdbbf39b9105a35d13c4e3c8222" + "hash": "ecbfa015e6a4b6982c0b53a890e72d1d" }, { - "title": "M.L.B.’s Lockout: What Is It? How Does It Work? What’s Next?", - "description": "Players are locked out and transactions are frozen in baseball’s ninth work stoppage. But no one is missing any checks — yet.", - "content": "Players are locked out and transactions are frozen in baseball’s ninth work stoppage. But no one is missing any checks — yet.", - "category": "Baseball", - "link": "https://www.nytimes.com/article/mlb-lockout.html", - "creator": "James Wagner", - "pubDate": "Fri, 03 Dec 2021 22:10:46 +0000", + "title": "Does Omicron Cause Only Mild Illness? Too Early to Tell, Experts Say", + "description": "Should the Omicron variant cause severe illness, that will become apparent if there is a significant rise in hospitalizations over the next week or two, one expert said.", + "content": "Should the Omicron variant cause severe illness, that will become apparent if there is a significant rise in hospitalizations over the next week or two, one expert said.", + "category": "Coronavirus Omicron Variant", + "link": "https://www.nytimes.com/2021/11/28/health/omicron-variant-severe-symptoms-mild.html", + "creator": "Apoorva Mandavilli", + "pubDate": "Sun, 28 Nov 2021 19:29:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103069,16 +129300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac9d7fc8ebe0fdcc3609bd0dd79f0369" + "hash": "4f342d18e1e0db75a174f9c1f6a557da" }, { - "title": "The Confounding Lightness of Helen Pashgian", - "description": "Long underrecognized for her innovations, a trailblazer of the Light and Space Movement is suddenly juggling three tribute shows to her six-decade career.", - "content": "Long underrecognized for her innovations, a trailblazer of the Light and Space Movement is suddenly juggling three tribute shows to her six-decade career.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/30/arts/design/helen-pashgian-light-and-space-movement.html", - "creator": "Lawrence Weschler", - "pubDate": "Tue, 30 Nov 2021 15:00:11 +0000", + "title": "Local News Outlets May Reap $1.7 Billion in Build Back Better Aid", + "description": "A small paper like The Storm Lake Times in Iowa would receive a big tax credit. So would Gannett, the nation’s largest news publisher.", + "content": "A small paper like The Storm Lake Times in Iowa would receive a big tax credit. So would Gannett, the nation’s largest news publisher.", + "category": "Newspapers", + "link": "https://www.nytimes.com/2021/11/28/business/media/build-back-better-local-news.html", + "creator": "Marc Tracy", + "pubDate": "Sun, 28 Nov 2021 10:00:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103089,16 +129320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba85219e0d3acd31bb47e7931bfede59" + "hash": "837e1be34006e1e7a7039c59a568d9ac" }, { - "title": "What Makes a Wine Great? It’s Not Just Old and Complex.", - "description": "It ought to have a sense of place, and it needs to refresh. Beyond that, great wines are those that best fit the particular occasion.", - "content": "It ought to have a sense of place, and it needs to refresh. Beyond that, great wines are those that best fit the particular occasion.", - "category": "Wines", - "link": "https://www.nytimes.com/2021/11/29/dining/drinks/great-wines.html", - "creator": "Eric Asimov", - "pubDate": "Mon, 29 Nov 2021 16:29:21 +0000", + "title": "How the $4 Trillion Flood of Covid Relief Is Funding the Future", + "description": "From broadband to transportation to high-tech medical manufacturing, benefits from America’s pandemic money infusion will linger.", + "content": "From broadband to transportation to high-tech medical manufacturing, benefits from America’s pandemic money infusion will linger.", + "category": "2021 tech and design", + "link": "https://www.nytimes.com/2021/11/24/magazine/pandemic-aid.html", + "creator": "Charley Locke and Christopher Payne", + "pubDate": "Wed, 24 Nov 2021 16:32:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103109,16 +129340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ca1f53e7c66df9462a81f859fff5410" + "hash": "4e9a48fe2f85adeda274110c9ef7f13e" }, { - "title": "‘The Power of the Dog’: About That Ending", - "description": "The movie’s subtle conclusion takes a moment to comprehend. But the director, Jane Campion, has a history of working in the realm of suggestion.", - "content": "The movie’s subtle conclusion takes a moment to comprehend. But the director, Jane Campion, has a history of working in the realm of suggestion.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/the-power-of-the-dog-ending.html", - "creator": "Nicolas Rapold", - "pubDate": "Fri, 03 Dec 2021 19:41:49 +0000", + "title": "They Died From Covid. Then the Online Attacks Started.", + "description": "The social media profiles of anti-vaccine victims of the pandemic have made them and their families targets of trolling, even after their deaths.", + "content": "The social media profiles of anti-vaccine victims of the pandemic have made them and their families targets of trolling, even after their deaths.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/27/style/anti-vaccine-deaths-social-media.html", + "creator": "Dan Levin", + "pubDate": "Sat, 27 Nov 2021 10:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103129,16 +129360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "01a846cc29ba4acec32790629a956b70" + "hash": "e2a706253d48ef4b328e940500ae96e4" }, { - "title": "‘The Anomaly,’ Part Airplane Thriller and Part Exploration of Reality, Fate and Free Will", - "description": "Hervé Le Tellier’s novel, a runaway best seller and prize winner in France, is about the strange and mysterious fate of the passengers on a flight from Paris to New York.", - "content": "Hervé Le Tellier’s novel, a runaway best seller and prize winner in France, is about the strange and mysterious fate of the passengers on a flight from Paris to New York.", - "category": "The Anomaly (Book)", - "link": "https://www.nytimes.com/2021/12/03/books/review-anomaly-herve-le-tellier.html", - "creator": "Sarah Lyall", - "pubDate": "Fri, 03 Dec 2021 10:00:02 +0000", + "title": "Booster Rollout for Nursing Homes Is Sluggish ", + "description": "Thousands of new cases have been reported among vulnerable elderly residents in the last several months, as the virulent Delta variant fuels outbreaks.", + "content": "Thousands of new cases have been reported among vulnerable elderly residents in the last several months, as the virulent Delta variant fuels outbreaks.", + "category": "Nursing Homes", + "link": "https://www.nytimes.com/2021/11/27/health/covid-nursing-home-booster.html", + "creator": "Reed Abelson", + "pubDate": "Sat, 27 Nov 2021 13:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103149,16 +129380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e04fb07a647443ff2d4815cad801c877" + "hash": "d3fd45aa6b4ede60b439bebebba11230" }, { - "title": "Five Action Movies to Stream Now", - "description": "Including bomb threats, bank robberies and more, the month’s action films pack a wallop.", - "content": "Including bomb threats, bank robberies and more, the month’s action films pack a wallop.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/12/03/movies/action-movies-streaming.html", - "creator": "Robert Daniels", - "pubDate": "Fri, 03 Dec 2021 16:00:06 +0000", + "title": "A Wine Rack on Rails? U.K. Businesses Seek Solutions to Shortages.", + "description": "Two months after concerns about gas and food stocks caused ripples of anxiety, Britain continues to face problems in its supply chain. Distributors and retailers are looking for creative fixes.", + "content": "Two months after concerns about gas and food stocks caused ripples of anxiety, Britain continues to face problems in its supply chain. Distributors and retailers are looking for creative fixes.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/28/world/europe/uk-supply-shortages.html", + "creator": "Stephen Castle and Jenny Gross", + "pubDate": "Sun, 28 Nov 2021 20:22:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103169,16 +129400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "730f3d315a82cf6c7c50776fda804e46" + "hash": "68cf7f13c2e39b927003f25ccd69df39" }, { - "title": "Jobs Report Sends Mixed Messages About U.S. Economy", - "description": "The U.S. added 210,000 jobs in November, below expectations, but a household survey showed the total number of employed people jumped by 1.1 million. The ambiguous data clouds the economic outlook for policymakers as a new phase of the pandemic unfolds. Here’s the latest.", - "content": "The U.S. added 210,000 jobs in November, below expectations, but a household survey showed the total number of employed people jumped by 1.1 million. The ambiguous data clouds the economic outlook for policymakers as a new phase of the pandemic unfolds. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/03/business/jobs-report-stock-market", - "creator": "The New York Times", - "pubDate": "Fri, 03 Dec 2021 18:07:36 +0000", + "title": "Supply Chain Shortages Help a North Carolina Furniture Town ", + "description": "The furniture capital of the state is ground zero for inflation, labor shortages, hot demand and limited supply. It’s debating how to cope.", + "content": "The furniture capital of the state is ground zero for inflation, labor shortages, hot demand and limited supply. It’s debating how to cope.", + "category": "Hickory (NC)", + "link": "https://www.nytimes.com/2021/11/27/business/economy/inflation-nc-furniture-shortage.html", + "creator": "Jeanna Smialek", + "pubDate": "Sat, 27 Nov 2021 20:38:00 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103189,16 +129420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2f5d78085299d17dabd8ef135cead58f" + "hash": "905a148ee54fa365361e505f26e9e209" }, { - "title": "Why the November Jobs Report Is Better Than It Looks ", - "description": "The number of jobs added was below expectations, but otherwise the report shows an economy on the right track.", - "content": "The number of jobs added was below expectations, but otherwise the report shows an economy on the right track.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/12/03/upshot/jobs-report-unemployment-falls.html", - "creator": "Neil Irwin", - "pubDate": "Fri, 03 Dec 2021 16:22:21 +0000", + "title": "Sylvia Weinstock, the ‘da Vinci of Wedding Cakes,’ Dies at 91", + "description": "She produced floral-draped architectural works in the shape of rose-studded topiaries, baskets of speckled lilies and bouquets of anemones.", + "content": "She produced floral-draped architectural works in the shape of rose-studded topiaries, baskets of speckled lilies and bouquets of anemones.", + "category": "Weinstock, Sylvia", + "link": "https://www.nytimes.com/2021/11/28/obituaries/sylvia-weinstock-dead.html", + "creator": "Katharine Q. Seelye", + "pubDate": "Sun, 28 Nov 2021 16:37:28 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103209,16 +129440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "32816d0c2a96560c00004e15bd2b0dd3" + "hash": "17ce83a6e102aa76d2fec102a469cbf2" }, { - "title": "Omicron Variant Is Found in Several U.S. States", - "description": "Health officials say that community spread of Omicron is inevitable, even as much remains unknown about the new variant. Follow updates on Covid.", - "content": "Health officials say that community spread of Omicron is inevitable, even as much remains unknown about the new variant. Follow updates on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/03/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Fri, 03 Dec 2021 10:58:03 +0000", + "title": "Enslaved to a U.S. Founding Father, She Sought Freedom in France", + "description": "Brought from America to Paris by John Jay, an enslaved woman named Abigail died there trying to win her liberty as the statesman negotiated the freedom of the new nation.", + "content": "Brought from America to Paris by John Jay, an enslaved woman named Abigail died there trying to win her liberty as the statesman negotiated the freedom of the new nation.", + "category": "Slavery (Historical)", + "link": "https://www.nytimes.com/2021/11/23/travel/john-jay-paris-abigail-slavery.html", + "creator": "Martha S. Jones", + "pubDate": "Wed, 24 Nov 2021 19:16:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103229,16 +129460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e6ae06e0578616990d51253f9d8ecb1" + "hash": "b6d71f2329afb89992cc0713b12c35f8" }, { - "title": "Covid Treatments Are Coming", - "description": "Here’s why they are a big deal.", - "content": "Here’s why they are a big deal.", - "category": "", - "link": "https://www.nytimes.com/2021/12/03/briefing/covid-treatments-pfizer-merck.html", - "creator": "David Leonhardt", - "pubDate": "Fri, 03 Dec 2021 11:33:19 +0000", + "title": "Everyone’s Moving to Texas. Here’s Why.", + "description": "We studied 16,847 places to find out why Dallas is so popular.", + "content": "We studied 16,847 places to find out why Dallas is so popular.", + "category": "Wildfires", + "link": "https://www.nytimes.com/2021/11/23/opinion/move-to-texas.html", + "creator": "Farhad Manjoo, Gus Wezerek and Yaryna Serkez", + "pubDate": "Tue, 23 Nov 2021 11:13:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103249,16 +129480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "82684cfc94cc215fc1b9ee75c9b0da7e" + "hash": "afd86dea2ef1ddaeb59ff0de08f88c76" }, { - "title": "Michigan Shooting Suspect’s Parents Charged With Involuntary Manslaughter", - "description": "“Help me,” the teen accused of killing four of his classmates had scrawled in class hours before the shooting. His parents refused to bring him home and didn’t ask whether he had the handgun they had bought for him days before, a prosecutor said.", - "content": "“Help me,” the teen accused of killing four of his classmates had scrawled in class hours before the shooting. His parents refused to bring him home and didn’t ask whether he had the handgun they had bought for him days before, a prosecutor said.", - "category": "Oxford Charter Township, Mich, Shooting (2021)", - "link": "https://www.nytimes.com/2021/12/03/us/crumbley-parents-charged-michigan-shooting.html", - "creator": "Jack Healy and Serge F. Kovaleski", - "pubDate": "Fri, 03 Dec 2021 18:07:34 +0000", + "title": "Mark Bittman: Whole Wheat Bread Is the Key to a Better Food System", + "description": "Baking whole wheat bread can reacquaint us with food that truly nourishes us. ", + "content": "Baking whole wheat bread can reacquaint us with food that truly nourishes us. ", + "category": "Bread", + "link": "https://www.nytimes.com/2021/11/26/opinion/culture/mark-bittman-whole-wheat-bread.html", + "creator": "Mark Bittman", + "pubDate": "Fri, 26 Nov 2021 18:42:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103269,16 +129500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "92d4e1ddccb773e19bde2116257d8d5e" + "hash": "56e89bfea4343e5571a61a4321af401b" }, { - "title": "Billions for Climate Protection Fuel New Debate: Who Deserves It Most", - "description": "The $1 trillion infrastructure law funds programs that tend to favor wealthy, white communities — a test for Biden’s pledge to defend the most vulnerable against climate change.", - "content": "The $1 trillion infrastructure law funds programs that tend to favor wealthy, white communities — a test for Biden’s pledge to defend the most vulnerable against climate change.", - "category": "Global Warming", - "link": "https://www.nytimes.com/2021/12/03/climate/climate-change-infrastructure-bill.html", - "creator": "Christopher Flavelle", - "pubDate": "Fri, 03 Dec 2021 16:22:09 +0000", + "title": "I Grew Up Poor. How Am I Supposed to Raise My Middle-Class Kids?", + "description": "My children do not understand my world and I do not understand theirs.", + "content": "My children do not understand my world and I do not understand theirs.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/24/opinion/poor-dad-rich-kids.html", + "creator": "Esau McCaulley", + "pubDate": "Wed, 24 Nov 2021 10:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103289,16 +129520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c692570a54ee033b6aa5563bfd4e809e" + "hash": "f66f82997fbfacea4886e74ee266ebe8" }, { - "title": "Didi of China Moves to Delist From New York Stock Exchange", - "description": "With plenty of its own money and a greater desire to control the private sector, Beijing is pushing its companies to tap investors closer to home.", - "content": "With plenty of its own money and a greater desire to control the private sector, Beijing is pushing its companies to tap investors closer to home.", - "category": "Didi Chuxing", - "link": "https://www.nytimes.com/2021/12/02/business/china-didi-delisting.html", - "creator": "Alexandra Stevenson and Paul Mozur", - "pubDate": "Fri, 03 Dec 2021 11:36:09 +0000", + "title": "In Their 80s, and Living It Up (or Not)", + "description": "Two octogenarians have different reactions to an essay, “Living My Life Again.” Also: “Illiberal democracy”; housing in the Bronx; rich vs. poor", + "content": "Two octogenarians have different reactions to an essay, “Living My Life Again.” Also: “Illiberal democracy”; housing in the Bronx; rich vs. poor", + "category": "Elderly", + "link": "https://www.nytimes.com/2021/11/26/opinion/letters/elderly-covid.html", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 16:16:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103309,16 +129540,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2f20970a7a6cd0f834933bedd13d41d0" + "hash": "d2897808adc1a4f426c0fe7813873216" }, { - "title": "The Great ‘West Side Story’ Debate", - "description": "With the Steven Spielberg film coming soon, three critics, a playwright and a theater historian weigh in on whether the musical deserves a new hearing — and how.", - "content": "With the Steven Spielberg film coming soon, three critics, a playwright and a theater historian weigh in on whether the musical deserves a new hearing — and how.", - "category": "West Side Story (Play)", - "link": "https://www.nytimes.com/2021/12/01/theater/west-side-story-steven-spielberg-movie.html", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 10:02:46 +0000", + "title": "Stephen Sondheim, Titan of the American Musical, Is Dead at 91", + "description": "He was the theater’s most revered and influential composer-lyricist of the last half of the 20th century and the driving force behind some of Broadway’s most beloved and celebrated shows.", + "content": "He was the theater’s most revered and influential composer-lyricist of the last half of the 20th century and the driving force behind some of Broadway’s most beloved and celebrated shows.", + "category": "Sondheim, Stephen", + "link": "https://www.nytimes.com/2021/11/26/theater/stephen-sondheim-dead.html", + "creator": "Bruce Weber", + "pubDate": "Sat, 27 Nov 2021 02:31:57 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103329,16 +129560,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "469082cd3b54a7a26cbe24304d952f8d" + "hash": "a430525d47b3247a7a54fb09cbc87e30" }, { - "title": "Cherished Words From Sondheim, Theater’s Encourager-in-Chief", - "description": "He wrote great shows, but Stephen Sondheim was also a mentor, a teacher and an audience regular. And, oh, the thrill of getting one of his typewritten notes.", - "content": "He wrote great shows, but Stephen Sondheim was also a mentor, a teacher and an audience regular. And, oh, the thrill of getting one of his typewritten notes.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/01/theater/stephen-sondheim-mentor-notes.html", - "creator": "Laura Collins-Hughes", - "pubDate": "Wed, 01 Dec 2021 10:00:15 +0000", + "title": "Seeking Backers for New Fund, Jared Kushner Turns to Middle East", + "description": "Former President Donald J. Trump’s son-in-law is trying to raise capital for his investment firm and is turning to a region that he dealt with extensively while in the White House.", + "content": "Former President Donald J. Trump’s son-in-law is trying to raise capital for his investment firm and is turning to a region that he dealt with extensively while in the White House.", + "category": "Kushner, Jared", + "link": "https://www.nytimes.com/2021/11/26/us/politics/kushner-investment-middle-east.html", + "creator": "Kate Kelly, David D. Kirkpatrick and Alan Rappeport", + "pubDate": "Sat, 27 Nov 2021 01:58:02 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103349,16 +129580,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dba03cb4ef42ab6419b75f5b7728df19" + "hash": "5527a74aafd9c5a0653a965a41e17ebb" }, { - "title": "Stephen Sondheim Discusses a Gender-Swapped ‘Company’", - "description": "Days before he died, Stephen Sondheim and the director Marianne Elliott chatted about a Broadway revival of his 1970 musical. With a gender swap, it has a “different flavor,” he said.", - "content": "Days before he died, Stephen Sondheim and the director Marianne Elliott chatted about a Broadway revival of his 1970 musical. With a gender swap, it has a “different flavor,” he said.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/01/theater/company-stephen-sondheim-marianne-elliott.html", - "creator": "Michael Paulson", - "pubDate": "Wed, 01 Dec 2021 17:37:21 +0000", + "title": "How Did the New Variant Get Its Name?", + "description": "The World Health Organization began naming the variants after Greek letters to avoid public confusion and stigma.", + "content": "The World Health Organization began naming the variants after Greek letters to avoid public confusion and stigma.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/27/world/africa/omicron-covid-greek-alphabet.html", + "creator": "Vimal Patel", + "pubDate": "Sat, 27 Nov 2021 16:33:59 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103369,16 +129600,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d69deace1f2c7e05f9357856266d80bd" + "hash": "14f0ed0ecb52f2a124700f97d6508302" }, { - "title": "Abortion: The Voice of the Ambivalent Majority", - "description": "Our democracy may not be strong enough for post-Roe politics.", - "content": "Our democracy may not be strong enough for post-Roe politics.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/opinion/abortion-ambivalent-majority.html", - "creator": "David Brooks", - "pubDate": "Fri, 03 Dec 2021 00:00:08 +0000", + "title": "Why the Bradford Pear Tree Is Plaguing the South", + "description": "The Bradford pear, hugely popular when suburbs were developed, contributed to an invasion of trees conquering nearly anywhere it lands. South Carolina is stepping up its fight against it.", + "content": "The Bradford pear, hugely popular when suburbs were developed, contributed to an invasion of trees conquering nearly anywhere it lands. South Carolina is stepping up its fight against it.", + "category": "Trees and Shrubs", + "link": "https://www.nytimes.com/2021/11/26/us/bradford-pear-tree-south-carolina.html", + "creator": "Rick Rojas", + "pubDate": "Fri, 26 Nov 2021 23:14:15 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103389,16 +129620,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "405fabd54294fa81b3c068d791289ba1" + "hash": "bbffb39211c9bc4d045e0427ecf199b8" }, { - "title": "How the G.O.P. Became Saboteurs, Threatening a Government Shutdown", - "description": "Republican obstructionism is getting even more naked. ", - "content": "Republican obstructionism is getting even more naked. ", - "category": "National Debt (US)", - "link": "https://www.nytimes.com/2021/12/02/opinion/republicans-government-shutdown.html", - "creator": "Paul Krugman", - "pubDate": "Fri, 03 Dec 2021 00:01:35 +0000", + "title": "Ann Patchett on ‘These Precious Days’", + "description": "Patchett talks about her new essay collection, and Corey Brettschneider discusses a series of books about liberty.", + "content": "Patchett talks about her new essay collection, and Corey Brettschneider discusses a series of books about liberty.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/26/books/review/podcast-ann-patchett-these-precious-days-corey-brettschneider-liberty-series.html", + "creator": "", + "pubDate": "Fri, 26 Nov 2021 10:00:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103409,16 +129640,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "09b0fc3e50f29286588ea28b19310a6d" + "hash": "6f046ef93db7b6138611af3d92faa23b" }, { - "title": "The Debt Ceiling and More: Congress Has a Pre-Break To-Do List", - "description": "Governing by brinkmanship means missing lots of vacations.", - "content": "Governing by brinkmanship means missing lots of vacations.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/opinion/congress-budget-shutdown-debt.html", - "creator": "Michelle Cottle", - "pubDate": "Fri, 03 Dec 2021 02:46:51 +0000", + "title": "Alice Waters Helps a Museum Cater to the Tastes of Art Lovers", + "description": "A new restaurant at the Hammer Museum in Los Angeles is the latest effort to try to reach visitors’ hearts through their stomachs.", + "content": "A new restaurant at the Hammer Museum in Los Angeles is the latest effort to try to reach visitors’ hearts through their stomachs.", + "category": "Museums", + "link": "https://www.nytimes.com/2021/11/27/arts/alice-waters-hammer-museum.html", + "creator": "Adam Nagourney", + "pubDate": "Sat, 27 Nov 2021 20:25:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103429,16 +129660,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "51bf414a3ba4ac34ac3cdac5c2c0e349" + "hash": "b38f4ace44ce21f0bde79c0cb9a9326e" }, { - "title": "The World Is Lifting Abortion Restrictions. Not America. ", - "description": "The trend is towards liberalizing reproductive freedom, not repressing it. ", - "content": "The trend is towards liberalizing reproductive freedom, not repressing it. ", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/opinion/abortion-restrictions-roe-wade-usa.html", - "creator": "Mary Fitzgerald", - "pubDate": "Fri, 03 Dec 2021 16:24:11 +0000", + "title": "U.K. Trucking Shortage Endures Despite Plea for Foreign Drivers", + "description": "A special visa offer, aimed at forestalling a supply chain fiasco during the holidays, goes begging for takers.", + "content": "A special visa offer, aimed at forestalling a supply chain fiasco during the holidays, goes begging for takers.", + "category": "Great Britain", + "link": "https://www.nytimes.com/2021/11/28/business/uk-trucking-shortage-poland.html", + "creator": "David Segal", + "pubDate": "Sun, 28 Nov 2021 08:00:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103449,16 +129680,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5da089877e08303106db76797ba86cf7" + "hash": "1ecab728177076939590a608fa15e131" }, { - "title": "Omicron Has Lessons for Us. We Refuse to Learn Them.", - "description": "The response to a new variant of the coronavirus suggests a teachable epoch gone to waste.", - "content": "The response to a new variant of the coronavirus suggests a teachable epoch gone to waste.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/02/opinion/omicron-covid-variant-lessons.html", - "creator": "Frank Bruni", - "pubDate": "Thu, 02 Dec 2021 17:28:12 +0000", + "title": "Can a New President in Honduras Improve Dire Conditions?", + "description": "Hardship has pushed hundreds of thousands of Hondurans toward the U.S., which is watching the results of today’s election closely. Follow updates here.", + "content": "Hardship has pushed hundreds of thousands of Hondurans toward the U.S., which is watching the results of today’s election closely. Follow updates here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/28/world/honduras-election-results", + "creator": "The New York Times", + "pubDate": "Sun, 28 Nov 2021 20:23:03 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103469,16 +129700,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bb2bcf596f7598ede7c43f6d31d5cac1" + "hash": "0ae0fb6e14dc3fc79e4903d88a78b997" }, { - "title": "Students Praised Shooter Drills at Oxford High. But Do They Really Work?", - "description": "Oxford High School held repeated trainings on how to handle a gunman in school. But some critics are questioning their purpose.", - "content": "Oxford High School held repeated trainings on how to handle a gunman in school. But some critics are questioning their purpose.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/02/us/school-shooting-drills-oxford-high.html", - "creator": "Dana Goldstein", - "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", + "title": "Israel and Iran Broaden Cyberwar to Attack Civilian Targets", + "description": "Iranians couldn’t buy gas. Israelis found their intimate dating details posted online. The Iran-Israel shadow war is now hitting ordinary citizens.", + "content": "Iranians couldn’t buy gas. Israelis found their intimate dating details posted online. The Iran-Israel shadow war is now hitting ordinary citizens.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/27/world/middleeast/iran-israel-cyber-hack.html", + "creator": "Farnaz Fassihi and Ronen Bergman", + "pubDate": "Sun, 28 Nov 2021 05:24:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103489,16 +129720,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dcea51e9bc3a542bc79343710a4b6021" + "hash": "acd48a1c979be95c3efe562a5247a50b" }, { - "title": "Most Covid Vaccines Will Work as Boosters, Study Suggests", - "description": "In a comparison of seven different brands, researchers found that most shots give a strong boost, even in mix-and-match combinations.", - "content": "In a comparison of seven different brands, researchers found that most shots give a strong boost, even in mix-and-match combinations.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/02/health/covid-booster-shots-mix-and-match.html", - "creator": "Carl Zimmer", - "pubDate": "Thu, 02 Dec 2021 23:30:07 +0000", + "title": "Democrats Struggle to Energize Their Base as Frustrations Mount", + "description": "Even as President Biden achieves some significant victories, Democrats are warning that many of their most loyal supporters see inaction and broken campaign promises.", + "content": "Even as President Biden achieves some significant victories, Democrats are warning that many of their most loyal supporters see inaction and broken campaign promises.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/11/27/us/politics/biden-base-weakening-support.html", + "creator": "Lisa Lerer, Astead W. Herndon, Nick Corasaniti and Jennifer Medina", + "pubDate": "Sat, 27 Nov 2021 18:00:08 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103509,16 +129740,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "758348a49db4d3435aba1cc91e43fb92" + "hash": "59097122fe5ff55ec75cf9187478aa02" }, { - "title": "After Hurricane Sandy, a Park in Lower Manhattan at the Center of a Fight", - "description": "Nine years after Hurricane Sandy, residents of Lower Manhattan are still vulnerable to rising seas. The fight over a plan to protect them reveals why progress on our most critical challenges is so hard.", - "content": "Nine years after Hurricane Sandy, residents of Lower Manhattan are still vulnerable to rising seas. The fight over a plan to protect them reveals why progress on our most critical challenges is so hard.", - "category": "Area Planning and Renewal", - "link": "https://www.nytimes.com/2021/12/02/us/hurricane-sandy-lower-manhattan-nyc.html", - "creator": "Michael Kimmelman", - "pubDate": "Thu, 02 Dec 2021 21:08:07 +0000", + "title": "Wakefield Poole, Pioneer in Gay Pornography, Dies at 85", + "description": "He gave up a dance career to create a crossover, and now classic, hit film in 1971 that had both gay and straight audiences, and celebrities, lining up to see it.", + "content": "He gave up a dance career to create a crossover, and now classic, hit film in 1971 that had both gay and straight audiences, and celebrities, lining up to see it.", + "category": "Homosexuality and Bisexuality", + "link": "https://www.nytimes.com/2021/11/27/movies/wakefield-poole-dead.html", + "creator": "Alex Vadukul", + "pubDate": "Sun, 28 Nov 2021 08:03:14 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103529,16 +129760,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "19235b33488c3d1db2378ec44e749a20" + "hash": "4ce4eb555fbbce85fd751c22b0ce0fa0" }, { - "title": "With No Deadline Deal, M.L.B.’s Lockout Begins", - "description": "Players and owners continued to negotiate until the final day, but with the sides still far apart, baseball has its first work stoppage since the 1994-95 strike.", - "content": "Players and owners continued to negotiate until the final day, but with the sides still far apart, baseball has its first work stoppage since the 1994-95 strike.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/12/02/sports/baseball/mlb-lockout.html", - "creator": "James Wagner", - "pubDate": "Thu, 02 Dec 2021 18:00:38 +0000", + "title": "Michigan Upsets Ohio State and Aims for a Playoff Berth", + "description": "Before a crowd thick with maize and blue, the Wolverines beat Ohio State for the first time since 2011 and earned a chance to play for a Big Ten title.", + "content": "Before a crowd thick with maize and blue, the Wolverines beat Ohio State for the first time since 2011 and earned a chance to play for a Big Ten title.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/11/27/sports/ncaafootball/michigan-ohio-state-score.html", + "creator": "Alan Blinder", + "pubDate": "Sat, 27 Nov 2021 22:07:18 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103549,16 +129780,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2c9aeb86db96fae5b4bd1eb46cd8e67a" + "hash": "c38c5dbefad29e5f43145cea82c52bad" }, { - "title": "Why a Pollster is Warning Democrats About the 2022 Midterm Elections", - "description": "Focus groups with Virginia voters led to a bluntly worded memo on what Democrats need to do going into the midterms.", - "content": "Focus groups with Virginia voters led to a bluntly worded memo on what Democrats need to do going into the midterms.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/us/politics/midterm-election-polls.html", - "creator": "Jonathan Martin", - "pubDate": "Thu, 02 Dec 2021 12:46:29 +0000", + "title": "More Than $1 Million Raised to Help Kevin Strickland ", + "description": "More than 20,000 strangers have donated to an online fund-raiser to help Kevin Strickland’s re-entry to society.", + "content": "More than 20,000 strangers have donated to an online fund-raiser to help Kevin Strickland’s re-entry to society.", + "category": "Strickland, Kevin (1959- )", + "link": "https://www.nytimes.com/2021/11/27/us/kevin-strickland-exonerated-fundraiser.html", + "creator": "Christine Chung and Claire Fahy", + "pubDate": "Sat, 27 Nov 2021 13:53:45 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103569,16 +129800,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "751329adf6c1ea2ac106111e4362acc4" + "hash": "e40bc0143d33e6bbd1f4d3f25a4e76d6" }, { - "title": "The Life and Legacy of Stephen Sondheim", - "description": "A look at the career of the Broadway songwriting titan who died last week at 91.", - "content": "A look at the career of the Broadway songwriting titan who died last week at 91.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/12/03/podcasts/the-daily/stephen-sondheim.html", - "creator": "Michael Barbaro, Luke Vander Ploeg, Eric Krupke, Chelsea Daniel, Austin Mitchell, Alex Young, Diana Nguyen, Liz O. Baylen, Larissa Anderson, Elisheba Ittoop and Marion Lozano", - "pubDate": "Fri, 03 Dec 2021 11:00:07 +0000", + "title": "Laszlo Z. Bito, Scientist, Novelist and Philanthropist, Dies at 87", + "description": "He fled communist rule in Hungary, discovered a treatment for glaucoma in the U.S., then became an author and a voice against authoritarianism in his homeland.", + "content": "He fled communist rule in Hungary, discovered a treatment for glaucoma in the U.S., then became an author and a voice against authoritarianism in his homeland.", + "category": "Bito, Laszlo Z", + "link": "https://www.nytimes.com/2021/11/27/world/europe/laszlo-z-bito-dead.html", + "creator": "Sheryl Gay Stolberg", + "pubDate": "Sun, 28 Nov 2021 21:17:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103589,16 +129820,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e2c2bc976f67ec1cb131fb694c1d9472" + "hash": "9d4e7dd60cbf6f28e1d2e87ffa8d1a19" }, { - "title": "Ghislaine Maxwell’s Defense Challenges Ex-Epstein Worker’s Credibility", - "description": "The fifth day of testimony began with a defense lawyer aggressively questioning Jeffrey Epstein’s former house manager. Here’s the latest.", - "content": "The fifth day of testimony began with a defense lawyer aggressively questioning Jeffrey Epstein’s former house manager. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/03/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Fri, 03 Dec 2021 17:41:11 +0000", + "title": "What Is SSENSE?", + "description": "In a competitive landscape of e-commerce sites, one has become the first word for a younger generation of online shoppers.", + "content": "In a competitive landscape of e-commerce sites, one has become the first word for a younger generation of online shoppers.", + "category": "SSENSE (Retailer)", + "link": "https://www.nytimes.com/2021/11/23/style/the-sensibility-of-ssense.html", + "creator": "Nathan Taylor Pemberton", + "pubDate": "Wed, 24 Nov 2021 20:22:35 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103609,16 +129840,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "97f0ab0fa61d2b2be56a39dd32a8bbc7" + "hash": "8bd14e075c039fdc7bf4217ae7d8e77f" }, { - "title": "The Markets Are Confused, but Wall Street Is Still Making Predictions", - "description": "The emergence of the Omicron variant underlines the difficulty of planning even a few weeks ahead. Wall Street is forecasting next year’s precise market returns, regardless.", - "content": "The emergence of the Omicron variant underlines the difficulty of planning even a few weeks ahead. Wall Street is forecasting next year’s precise market returns, regardless.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/12/03/business/omicron-stock-market-forecasts.html", - "creator": "Jeff Sommer", - "pubDate": "Fri, 03 Dec 2021 11:00:08 +0000", + "title": "How a Book- Pickle- and Tchotchke-Seller Spends Sundays", + "description": "When she’s not at her whimsical secondhand shop, Leigh Altshuler plays board games and visits neighbors.", + "content": "When she’s not at her whimsical secondhand shop, Leigh Altshuler plays board games and visits neighbors.", + "category": "Pickles and Relishes", + "link": "https://www.nytimes.com/2021/11/26/nyregion/secondhand-stores-nyc.html", + "creator": "Paige Darrah", + "pubDate": "Fri, 26 Nov 2021 10:00:25 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103629,16 +129860,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e2534ff7fbba3a39c8bff915d0e246ce" + "hash": "c365e4e6fccf72ebdf846f0620edcdcc" }, { - "title": "Is the Chance to Turn Hotels Into Affordable Housing Slipping Away?", - "description": "As many of the city’s hotels sat empty during the pandemic and homelessness continued to rise, some saw an opportunity to solve both problems. So what happened?", - "content": "As many of the city’s hotels sat empty during the pandemic and homelessness continued to rise, some saw an opportunity to solve both problems. So what happened?", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/12/03/realestate/affordable-housing-nyc-hotel-conversions.html", - "creator": "Stefanos Chen", - "pubDate": "Fri, 03 Dec 2021 10:00:25 +0000", + "title": "Cultivating Art, Not Argument, at a Los Angeles Law Office", + "description": "Their office-tower studios could not be less bohemian, but the artists in residence at a law firm’s offices in California say the spaces spur creativity nonetheless.", + "content": "Their office-tower studios could not be less bohemian, but the artists in residence at a law firm’s offices in California say the spaces spur creativity nonetheless.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/24/arts/design/artists-in-residence-los-angeles.html", + "creator": "Lauren Herstik and Graham Bowley", + "pubDate": "Thu, 25 Nov 2021 15:07:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103649,16 +129880,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26a1866c23fe638ad1b2fed77f51ea91" + "hash": "b087cb755dc04bc06ba1713d87e25107" }, { - "title": "In Cyprus, Pope’s Plea for Migrants Clashes With Island’s Tensions", - "description": "As he celebrated Mass, Pope Francis urged Cypriots to welcome refugees and embrace their home’s history as a crossroads of cultures. But the government says it is overwhelmed.", - "content": "As he celebrated Mass, Pope Francis urged Cypriots to welcome refugees and embrace their home’s history as a crossroads of cultures. But the government says it is overwhelmed.", - "category": "Middle East and Africa Migrant Crisis", - "link": "https://www.nytimes.com/2021/12/03/world/europe/pope-francis-cyprus-migrants.html", - "creator": "Jason Horowitz", - "pubDate": "Fri, 03 Dec 2021 17:29:57 +0000", + "title": "As We Live Longer, How Should Life Change? There Is a Blueprint.", + "description": "“The New Map of Life” reimagines education, careers, cities and life transitions for lives that span a century (or more).", + "content": "“The New Map of Life” reimagines education, careers, cities and life transitions for lives that span a century (or more).", + "category": "Longevity", + "link": "https://www.nytimes.com/2021/11/23/business/dealbook/living-longer-lives.html", + "creator": "Corinne Purtill", + "pubDate": "Wed, 24 Nov 2021 20:43:13 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103669,16 +129900,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d3ebf6657e7c7c7fc1c5d86bb124ccc4" + "hash": "d4df1127deaedc1f3a6ec4516b4fc8c1" }, { - "title": "Alec Baldwin Says He Is Not Responsible for Fatal Shooting on ‘Rust’", - "description": "In an emotional interview with ABC News, the actor asserted, ‘Someone put a live bullet in a gun.’", - "content": "In an emotional interview with ABC News, the actor asserted, ‘Someone put a live bullet in a gun.’", - "category": "Firearms", - "link": "https://www.nytimes.com/2021/12/02/movies/alec-baldwin-interview-rust-shooting.html", - "creator": "Simon Romero, Graham Bowley and Julia Jacobs", - "pubDate": "Fri, 03 Dec 2021 03:35:51 +0000", + "title": "‘I Savor Everything’: A Soprano’s Star Turn at the Met Opera", + "description": "Erin Morley, a fixture at the Met for over a decade, is now singing the title role in “Eurydice.”", + "content": "Erin Morley, a fixture at the Met for over a decade, is now singing the title role in “Eurydice.”", + "category": "Opera", + "link": "https://www.nytimes.com/2021/11/26/arts/music/erin-morley-eurydice-met-opera.html", + "creator": "Joshua Barone", + "pubDate": "Fri, 26 Nov 2021 15:55:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103689,16 +129920,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c568f5a42ffb7fdb01cdade42398f5ff" + "hash": "a544cbfad5ed62c195cbcbf2fdd3dcae" }, { - "title": "Ghislaine Maxwell Brought Strict Rules to Epstein Home, Ex-Employee Says", - "description": "“Never look at his eyes,” Ms. Maxwell told workers at Jeffrey Epstein’s Florida estate, according to testimony at her sex-trafficking trial.", - "content": "“Never look at his eyes,” Ms. Maxwell told workers at Jeffrey Epstein’s Florida estate, according to testimony at her sex-trafficking trial.", - "category": "Human Trafficking", - "link": "https://www.nytimes.com/2021/12/02/nyregion/juan-alessi-testimony-ghislaine-maxwell.html", - "creator": "Lola Fadulu", - "pubDate": "Fri, 03 Dec 2021 03:44:11 +0000", + "title": "Virgil Abloh, Bold Designer of Men’s Wear, Dies at 41", + "description": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", + "content": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/11/28/style/virgil-abloh-dead.html", + "creator": "Vanessa Friedman", + "pubDate": "Sun, 28 Nov 2021 20:00:36 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103709,16 +129940,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e92612b0cfdda5a42f7da60f242f1de" + "hash": "0f2dc4b9fb9c430965c3a1718fff682d" }, { - "title": "Eitan Biran Is Expected to Return to Italy", - "description": "Eitan Biran, who lost his parents in a cable car crash in Italy this year, had been taken to Israel by his grandfather.", - "content": "Eitan Biran, who lost his parents in a cable car crash in Italy this year, had been taken to Israel by his grandfather.", - "category": "Kidnapping and Hostages", - "link": "https://www.nytimes.com/2021/12/03/world/europe/eitan-biran-israel-italy-return.html", - "creator": "Elisabetta Povoledo", - "pubDate": "Fri, 03 Dec 2021 17:37:34 +0000", + "title": "New Coronavirus Variant Puts Nations on Alert", + "description": "Britain, Germany and Italy confirmed cases while chaos at a Dutch airport exemplified the scattershot response across Europe. Follow updates on Covid.", + "content": "Britain, Germany and Italy confirmed cases while chaos at a Dutch airport exemplified the scattershot response across Europe. Follow updates on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news", + "creator": "The New York Times", + "pubDate": "Sun, 28 Nov 2021 05:15:40 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103729,16 +129960,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4121b4bdd37bcd0cb8b0adfd082e08dc" + "hash": "eee1fcff05d73a0081d0b17794347716" }, { - "title": "Lamine Diack, Olympics Power Broker Convicted of Taking Bribes, Dies at 88", - "description": "The former head of the world governing body for track and field was convicted of accepting bribes to cover up a Russian doping scandal.", - "content": "The former head of the world governing body for track and field was convicted of accepting bribes to cover up a Russian doping scandal.", - "category": "Bribery and Kickbacks", - "link": "https://www.nytimes.com/2021/12/03/world/africa/lamine-diack-dead.html", - "creator": "Aina J. Khan", - "pubDate": "Fri, 03 Dec 2021 10:25:46 +0000", + "title": "New York’s governor declares a state of emergency in anticipation of new coronavirus surge.", + "description": "", + "content": "", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news/new-york-governor-declares-a-state-of-emergency-in-anticipation-of-new-coronavirus-surge", + "creator": "Jesse McKinley", + "pubDate": "Sun, 28 Nov 2021 03:54:19 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103749,16 +129980,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "76d82d92f59ebbb93c69bc15439d16cb" + "hash": "d8db9a55ea44d3e79d18f654c65d6d53" }, { - "title": "Marilyn Manson Loses a Grammy Nomination, and a Songwriter Gains One", - "description": "The Recording Academy has made various changes to its list for the 64th awards, adding Linda Chorney, whose name appeared on an earlier version of the ballot, back to the competition.", - "content": "The Recording Academy has made various changes to its list for the 64th awards, adding Linda Chorney, whose name appeared on an earlier version of the ballot, back to the competition.", - "category": "Grammy Awards", - "link": "https://www.nytimes.com/2021/12/02/arts/music/grammy-nominations-marilyn-manson-linda-chorney.html", - "creator": "Ben Sisario", - "pubDate": "Thu, 02 Dec 2021 17:35:28 +0000", + "title": "Students at Meharry Medical College Each Get $10,000 for Covid Fight", + "description": "Meharry Medical College in Nashville gave $10,000 to each student from a pool of coronavirus relief funds.", + "content": "Meharry Medical College in Nashville gave $10,000 to each student from a pool of coronavirus relief funds.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/live/2021/11/25/world/covid-vaccine-boosters-mandates/meharry-med-students-covid-gift", + "creator": "Adeel Hassan", + "pubDate": "Sat, 27 Nov 2021 21:14:51 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103769,16 +130000,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5cf37894af9c940e8b3e52b39cd0f56b" + "hash": "d3d44ce418f8afb0a8748049086be6e9" }, { - "title": "Painter of Elijah Cummings Portrait Finds It’s a Career-Changer", - "description": "The Baltimore artist Jerrell Gibbs was commissioned to paint Maryland’s late Representative. The official portrait will be installed at the U.S. Capitol.", - "content": "The Baltimore artist Jerrell Gibbs was commissioned to paint Maryland’s late Representative. The official portrait will be installed at the U.S. Capitol.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/03/arts/design/jerrell-gibbs-elijah-cummings-portrait.html", - "creator": "Hilarie M. Sheets", - "pubDate": "Fri, 03 Dec 2021 16:34:20 +0000", + "title": "Families Cheer, Some Doctors Worry as Nursing Homes Open Doors Wide to Visitors", + "description": "The federal government recently lifted most visitation restrictions at nursing homes. But concerns linger that a full reopening could leave residents vulnerable to another coronavirus surge.", + "content": "The federal government recently lifted most visitation restrictions at nursing homes. But concerns linger that a full reopening could leave residents vulnerable to another coronavirus surge.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/27/health/coronavirus-nursing-homes.html", + "creator": "Paula Span", + "pubDate": "Sat, 27 Nov 2021 14:00:56 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103789,16 +130020,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "049943451542972cc1bf55d50d899356" + "hash": "9a45c6da19bc24c6fb0873659a63c327" }, { - "title": "‘Annie Live!’ Review: The Sun, as Always, Came Out", - "description": "NBC’s latest live musical had some gaffes. But after another challenging year, it was a treat to watch talented people sing and dance their way through a hopeful bipartisan fable.", - "content": "NBC’s latest live musical had some gaffes. But after another challenging year, it was a treat to watch talented people sing and dance their way through a hopeful bipartisan fable.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/03/arts/television/annie-live-review.html", - "creator": "Noel Murray", - "pubDate": "Fri, 03 Dec 2021 14:19:23 +0000", + "title": "Fake Food Is Trendy Again", + "description": "In the world of home décor, maximalism is back — and with it, tchotchkes that were once regarded as kitschy or quaint.", + "content": "In the world of home décor, maximalism is back — and with it, tchotchkes that were once regarded as kitschy or quaint.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/11/27/style/fake-food-is-trendy-again.html", + "creator": "Emma Grillo", + "pubDate": "Sat, 27 Nov 2021 21:06:42 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103809,16 +130040,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "da463ef5f80d9f3a26483d39c7fdc838" + "hash": "c6499593171fb522bf6a690fdea0c0e2" }, { - "title": "On ‘The NHL on TNT’ Wayne Gretzky Finds Himself as the Rookie", - "description": "Turner Sports, new to hockey, wants to give U.S. fans a better viewing experience, using faster cuts and better camera angles, similar to the TV presentation in Canada.", - "content": "Turner Sports, new to hockey, wants to give U.S. fans a better viewing experience, using faster cuts and better camera angles, similar to the TV presentation in Canada.", - "category": "Hockey, Ice", - "link": "https://www.nytimes.com/2021/12/03/sports/hockey/turner-sports-nhl-tnt-gretzky-bissonnette.html", - "creator": "Jonathan Abrams", - "pubDate": "Fri, 03 Dec 2021 12:00:07 +0000", + "title": "Making Fresh Cheese at Home Is Worth It. This Recipe Proves It.", + "description": "Homemade paneer is tender and delicate and extremely creamy — and the star of this simple tikka.", + "content": "Homemade paneer is tender and delicate and extremely creamy — and the star of this simple tikka.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/24/magazine/paneer-fresh-cheese-recipe.html", + "creator": "Tejal Rao", + "pubDate": "Sat, 27 Nov 2021 07:25:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103829,16 +130060,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b3634673a486093a09df2dc686202c1" + "hash": "f7c4c5b1faa158ec643166536e86841b" }, { - "title": "Oh, to Be Mentored by Virgil Abloh", - "description": "The designer made it his mission to foster the talents of young creators.", - "content": "The designer made it his mission to foster the talents of young creators.", - "category": "Abloh, Virgil", - "link": "https://www.nytimes.com/2021/12/02/style/virgil-abloh-mentorship.html", - "creator": "Anna P. Kambhampaty", - "pubDate": "Thu, 02 Dec 2021 08:00:13 +0000", + "title": "Why Is Murder Spiking? And Can Cities Address It Without Police?", + "description": "What a progressive vision of public safety could look like.", + "content": "What a progressive vision of public safety could look like.", + "category": "Polls and Public Opinion", + "link": "https://www.nytimes.com/2021/11/23/opinion/ezra-klein-podcast-patrick-sharkey.html", + "creator": "‘The Ezra Klein Show’", + "pubDate": "Tue, 23 Nov 2021 12:39:30 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103849,16 +130080,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ef788dcac2b684a310d6583e121a76e" + "hash": "20ba20bdfa8d72f081445e65c24bb057" }, { - "title": "Three Great Documentaries to Stream", - "description": "A look at standout nonfiction films, from classics to overlooked recent works, that will reward your time.", - "content": "A look at standout nonfiction films, from classics to overlooked recent works, that will reward your time.", - "category": "Documentary Films and Programs", - "link": "https://www.nytimes.com/2021/12/02/movies/streaming-documentaries.html", - "creator": "Ben Kenigsberg", - "pubDate": "Thu, 02 Dec 2021 20:20:19 +0000", + "title": "Self Sufficiency Is Overrated", + "description": "When I opened myself up to the generosity of others, even small kindnesses suddenly felt outsized in their humanity.", + "content": "When I opened myself up to the generosity of others, even small kindnesses suddenly felt outsized in their humanity.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/11/25/opinion/self-sufficiency-generosity.html", + "creator": "Sarah Wildman", + "pubDate": "Thu, 25 Nov 2021 20:29:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103869,16 +130100,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "47cdcfe6914385139a1f0e1ba583e306" + "hash": "249044a8657fe94de933a34dea3fe5ce" }, { - "title": "November Jobs Report Expected to Show Another Month of Healthy Gains", - "description": "The trajectory of the economy as the holidays approach and a tumultuous year nears its end will come into focus as the government releases new data. The emergence of the Omicron variant threatens some employment gains, but it is too soon to gauge the risk to the economy. Here’s the latest.", - "content": "The trajectory of the economy as the holidays approach and a tumultuous year nears its end will come into focus as the government releases new data. The emergence of the Omicron variant threatens some employment gains, but it is too soon to gauge the risk to the economy. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/03/business/jobs-report-stock-market", - "creator": "The New York Times", - "pubDate": "Fri, 03 Dec 2021 10:58:03 +0000", + "title": "Bankers Took Over the Climate Change Summit. That’s Bad For Democracy.", + "description": "Environmentalists are skeptical. They should be.", + "content": "Environmentalists are skeptical. They should be.", + "category": "Banking and Financial Institutions", + "link": "https://www.nytimes.com/2021/11/25/opinion/cop26-gfanz-climate-change.html", + "creator": "Christopher Caldwell", + "pubDate": "Thu, 25 Nov 2021 10:00:11 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103889,16 +130120,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "12a7bb7c45cfc7acd0e4cbfa6a77287a" + "hash": "cf84e3afea1ebe0cb8e1f6c764b1b171" }, { - "title": "Will New Yorkers Continue With Outdoor Dining This Winter?", - "description": "Frigid weather, a new coronavirus variant and indoor service will put outdoor dining to the test this winter.", - "content": "Frigid weather, a new coronavirus variant and indoor service will put outdoor dining to the test this winter.", - "category": "Restaurants", - "link": "https://www.nytimes.com/2021/12/02/dining/new-york-winter-outdoor-dining.html", - "creator": "Victoria Petersen", - "pubDate": "Thu, 02 Dec 2021 18:36:02 +0000", + "title": "Ahmaud Arbery Was Murdered. But His Life Will Not Be Forgotten.", + "description": "We do not just remember the death. We remember the life, the beauty, the art, the feeling, the waiting, the living. ", + "content": "We do not just remember the death. We remember the life, the beauty, the art, the feeling, the waiting, the living. ", + "category": "Race and Ethnicity", + "link": "https://www.nytimes.com/2021/11/24/opinion/ahmaud-arbery-verdict-justice.html", + "creator": "Danté Stewart", + "pubDate": "Wed, 24 Nov 2021 21:34:21 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103909,16 +130140,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7cc9c845a9c90fd6a22f13b1e2e531f9" + "hash": "5ede66a6a79938989ca0993851701baf" }, { - "title": "Travelers to U.S.: Can They Get Their Tests Back in Time?", - "description": "New travel restrictions announced on Thursday by the White House over fears of the spread of the Omicron variant have many worrying that their trips may not happen.", - "content": "New travel restrictions announced on Thursday by the White House over fears of the spread of the Omicron variant have many worrying that their trips may not happen.", - "category": "Tests (Medical)", - "link": "https://www.nytimes.com/2021/12/02/world/europe/omicron-travel-restrictions-united-states.html", - "creator": "Mark Landler", - "pubDate": "Thu, 02 Dec 2021 22:55:57 +0000", + "title": "Climate Change Threatens Smithsonian Museums", + "description": "Beneath the National Museum of American History, floodwaters are intruding into collection rooms, a consequence of a warming planet. A fix remains years away.", + "content": "Beneath the National Museum of American History, floodwaters are intruding into collection rooms, a consequence of a warming planet. A fix remains years away.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/11/25/climate/smithsonian-museum-flooding.html", + "creator": "Christopher Flavelle", + "pubDate": "Thu, 25 Nov 2021 22:38:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103929,16 +130160,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d9e7e389fe557b2583906c2a1cd8b30" + "hash": "8ae903ac9bd0a6cb4575399b6d205112" }, { - "title": "Thefts, Always an Issue for Retailers, Become More Brazen", - "description": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", - "content": "In recent months, robberies have been more visible, with several involving large groups rushing into stores and coming out with armloads of goods.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/12/03/business/retailers-robberies-theft.html", - "creator": "Michael Corkery and Sapna Maheshwari", - "pubDate": "Fri, 03 Dec 2021 10:43:00 +0000", + "title": "Swimming Upstream in Heels and Skinny Pants", + "description": "If I were a salmon, I would die for my child. As a human being, I wish I could have.", + "content": "If I were a salmon, I would die for my child. As a human being, I wish I could have.", + "category": "Love (Emotion)", + "link": "https://www.nytimes.com/2021/11/26/style/modern-love-salmon-miscarriage-heels-skinny-pants.html", + "creator": "Rachel Stevens", + "pubDate": "Fri, 26 Nov 2021 05:00:06 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103949,16 +130180,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "579ec50899a1af5633b6834d15edeadc" + "hash": "391d88630fe5ec35c8048444cb88f020" }, { - "title": "Government Shutdown Averted as Congress Passes Spending Bill", - "description": "The vote to fund the government through mid-February came after lawmakers staved off a Republican threat to force a shutdown over vaccine mandates.", - "content": "The vote to fund the government through mid-February came after lawmakers staved off a Republican threat to force a shutdown over vaccine mandates.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/us/politics/government-shutdown-congress-spending-deal.html", - "creator": "Emily Cochrane", - "pubDate": "Fri, 03 Dec 2021 03:24:31 +0000", + "title": "Guantánamo Bay: Beyond the Prison", + "description": "With 6,000 residents and the feel of a college campus, the U.S. Navy base has some of the trappings of small-town America, and some of a police state.", + "content": "With 6,000 residents and the feel of a college campus, the U.S. Navy base has some of the trappings of small-town America, and some of a police state.", + "category": "Guantanamo Bay Naval Base (Cuba)", + "link": "https://www.nytimes.com/2021/11/26/us/politics/guantanamo-bay.html", + "creator": "Erin Schaff and Carol Rosenberg", + "pubDate": "Fri, 26 Nov 2021 20:32:54 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103969,16 +130200,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b1b3ed4e2e608d08ae3558aaa562eea" + "hash": "11f4b55268e41f0052795f335e85c738" }, { - "title": "Governor Steve Bullock Warns: Democrats Face Trouble in Rural America", - "description": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", - "content": "It’s time to ditch the grand ideological narratives and talk to voters about their real needs.", - "category": "Midterm Elections (2022)", - "link": "https://www.nytimes.com/2021/12/03/opinion/democrats-rural-america-midterms.html", - "creator": "Steve Bullock", - "pubDate": "Fri, 03 Dec 2021 10:02:41 +0000", + "title": "Texas Abortion Law Complicates Care for Risky Pregnancies", + "description": "Doctors in Texas say they cannot head off life-threatening medical crises in pregnant women if abortions cannot be offered or even discussed.", + "content": "Doctors in Texas say they cannot head off life-threatening medical crises in pregnant women if abortions cannot be offered or even discussed.", + "category": "Texas", + "link": "https://www.nytimes.com/2021/11/26/health/texas-abortion-law-risky-pregnancy.html", + "creator": "Roni Caryn Rabin", + "pubDate": "Fri, 26 Nov 2021 08:00:10 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -103989,16 +130220,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "effc719d0eb805c94d1584cce0d59960" + "hash": "5c8c64517910b9de336bdfaf1a766e5d" }, { - "title": "The World Is Lifting Abortion Restrictions. Why Is the U.S. Moving Against the Tide?", - "description": "The trend is towards liberalizing reproductive freedom, not repressing it. ", - "content": "The trend is towards liberalizing reproductive freedom, not repressing it. ", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/opinion/abortion-restrictions-roe-wade-usa.html", - "creator": "Mary Fitzgerald", - "pubDate": "Thu, 02 Dec 2021 21:08:26 +0000", + "title": "Young New Yorkers Discover Manhattan's Classic Cocktail Bars", + "description": "Bemelmans Bar now has bouncers. And at the Rainbow Room, a post-punk after party.", + "content": "Bemelmans Bar now has bouncers. And at the Rainbow Room, a post-punk after party.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/11/26/nyregion/bemelmans-rainbow-room-revival.html", + "creator": "Alyson Krueger", + "pubDate": "Fri, 26 Nov 2021 15:04:39 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104009,16 +130240,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "52cfde1fa5322ff1029d8ec4146ff452" + "hash": "26387ddf7898ae4fe8569b213a886b84" }, { - "title": "The Supreme Court Wrestles With Abortion", - "description": "Charles M. Blow, Ross Douthat, Lulu Garcia-Navarro and Michelle Goldberg agree on one thing after oral arguments: It’s not looking good for Roe.   ", - "content": "Charles M. Blow, Ross Douthat, Lulu Garcia-Navarro and Michelle Goldberg agree on one thing after oral arguments: It’s not looking good for Roe.   ", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/01/opinion/abortion-supreme-court-dobbs-roe-wade.html", - "creator": "Charles M. Blow, Ross Douthat, Michelle Goldberg and Lulu Garcia-Navarro", - "pubDate": "Thu, 02 Dec 2021 12:33:38 +0000", + "title": "Ira Glass Recommends These 'This American Life' Episodes", + "description": "From family mysteries and Native American history to stories that delight, here’s what the show’s host, Ira Glass, recommends to get you through the week.", + "content": "From family mysteries and Native American history to stories that delight, here’s what the show’s host, Ira Glass, recommends to get you through the week.", + "category": "Radio", + "link": "https://www.nytimes.com/2020/11/24/podcasts/this-american-life-thanksgiving.html", + "creator": "Ira Glass", + "pubDate": "Wed, 16 Dec 2020 20:19:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104029,16 +130260,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "46335208f929af1311b6fa6f1e96ed24" + "hash": "d37ec71cff83c359788d1302a60c12cb" }, { - "title": "How to Store Your Covid Vaccine Card or Test Results on Your Phone", - "description": "To plan for safe travels and gatherings this holiday season, here are some simple ways to take your Covid-related health data with you.", - "content": "To plan for safe travels and gatherings this holiday season, here are some simple ways to take your Covid-related health data with you.", - "category": "Coronavirus Risks and Safety Concerns", - "link": "https://www.nytimes.com/2021/12/01/technology/personaltech/covid-vaccination-card-phone.html", - "creator": "Brian X. Chen", - "pubDate": "Wed, 01 Dec 2021 10:00:18 +0000", + "title": "The Emotional and Financial Business of Taylor Swift’s ‘All Too Well’", + "description": "What does the rerecorded song from “Red” say about how power and the past have shaped her career?", + "content": "What does the rerecorded song from “Red” say about how power and the past have shaped her career?", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/11/17/arts/music/popcast-taylor-swift-all-too-well.html", + "creator": "", + "pubDate": "Wed, 17 Nov 2021 20:06:24 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104049,16 +130280,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "29ee983cb54461fba6976ffd1feb1bc0" + "hash": "9aad84fe681a796e5672f5b7f82dd6f7" }, { - "title": "Republican Recriminations Point to a Rocky Path to a House Majority", - "description": "Simmering tensions between the far-right flank and more traditional conservatives burst into the open on Tuesday, while Republican leaders stayed silent.", - "content": "Simmering tensions between the far-right flank and more traditional conservatives burst into the open on Tuesday, while Republican leaders stayed silent.", - "category": "Republican Party", - "link": "https://www.nytimes.com/2021/11/30/us/politics/boebert-greene-mace.html", - "creator": "Jonathan Weisman", - "pubDate": "Wed, 01 Dec 2021 01:57:05 +0000", + "title": "Brazil’s President Lula Is Staging a Comeback. Can He Bring the Country Along?", + "description": "Luiz Inácio Lula da Silva, the former president, has beat back a flurry of corruption cases and climbed to the front of next year’s presidential race.", + "content": "Luiz Inácio Lula da Silva, the former president, has beat back a flurry of corruption cases and climbed to the front of next year’s presidential race.", + "category": "Corruption (Institutional)", + "link": "https://www.nytimes.com/2021/11/27/world/americas/brazil-president-lula.html", + "creator": "Ernesto Londoño", + "pubDate": "Sat, 27 Nov 2021 18:11:55 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104069,16 +130300,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6babb20951d8ff56cb015245f3aa8772" + "hash": "40663e033e4bf08104daa038952657d6" }, { - "title": "The Guccis Are Really Not Happy About ‘House of Gucci’", - "description": "When artistic license collides with reality, which one wins?", - "content": "When artistic license collides with reality, which one wins?", - "category": "Fashion and Apparel", - "link": "https://www.nytimes.com/2021/11/30/style/guccis-criticize-house-of-gucci.html", - "creator": "Vanessa Friedman", - "pubDate": "Tue, 30 Nov 2021 10:00:11 +0000", + "title": "Vaping Is Risky. Why Is the F.D.A. Authorizing E-Cigarettes?", + "description": "The agency has taken a controversial stand on vaping as a way to quit tobacco. This is what the research shows.", + "content": "The agency has taken a controversial stand on vaping as a way to quit tobacco. This is what the research shows.", + "category": "Smoking and Tobacco", + "link": "https://www.nytimes.com/2021/11/23/magazine/vaping-fda.html", + "creator": "Kim Tingley", + "pubDate": "Thu, 25 Nov 2021 13:03:17 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104089,16 +130320,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a31bf1939da4c626701cbca1b5fd91f" + "hash": "d875d8de74ef2f05ca8b6d0f7207b759" }, { - "title": "Jake Sullivan, Biden's Adviser, Long a Figure of Fascination", - "description": "Washington has long been captivated by fallen star narratives, which has made President Biden’s national security adviser a figure of fascination, somewhere between sympathy and schadenfreude.", - "content": "Washington has long been captivated by fallen star narratives, which has made President Biden’s national security adviser a figure of fascination, somewhere between sympathy and schadenfreude.", - "category": "Sullivan, Jacob J (1976- )", - "link": "https://www.nytimes.com/2021/11/30/us/politics/jake-sullivan-biden.html", - "creator": "Mark Leibovich", - "pubDate": "Tue, 30 Nov 2021 10:00:22 +0000", + "title": "Mets Bolster Offense With Starling Marte, Eduardo Escobar and Mark Canha", + "description": "With Starling Marte, Eduardo Escobar and Mark Canha, the run-starved Mets addressed their biggest need while adding some defensive versatility.", + "content": "With Starling Marte, Eduardo Escobar and Mark Canha, the run-starved Mets addressed their biggest need while adding some defensive versatility.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/11/27/sports/baseball/starling-marte-mets.html", + "creator": "Tyler Kepner", + "pubDate": "Sat, 27 Nov 2021 18:57:53 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104109,16 +130340,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "859d73f4566d0245e64259a83e1bc178" + "hash": "f2660cb1cd8278ebd668e92b406a2434" }, { - "title": "Was She Just Another Nicely Packaged Pain Delivery System?", - "description": "I had been burned too badly to believe in love. And yet, believe I did.", - "content": "I had been burned too badly to believe in love. And yet, believe I did.", - "category": "Love (Emotion)", - "link": "https://www.nytimes.com/2021/12/03/style/modern-love-nicely-packaged-pain-delivery-system.html", - "creator": "Judith Fetterley", - "pubDate": "Fri, 03 Dec 2021 05:00:05 +0000", + "title": "Covid Restrictions Are Back at Some of Europe's Theaters", + "description": "Strict controls on playhouses and music venues are returning as the continent deals with a new coronavirus wave.", + "content": "Strict controls on playhouses and music venues are returning as the continent deals with a new coronavirus wave.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/26/arts/music/europe-covid-restrictions-theaters-music-venues.html", + "creator": "Alex Marshall", + "pubDate": "Fri, 26 Nov 2021 16:57:12 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104129,16 +130360,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c0fee8eca5c86497a90d59920381ef1" + "hash": "83752fce3485feb983246bdb4b58334f" }, { - "title": "A Synagogue Feud Spills Into Public View: ‘Only Room for One Rabbi’", - "description": "Rabbi Arthur Schneier abruptly fired Rabbi Benjamin Goldschmidt from Park East Synagogue, and long-simmering tensions publicly exploded in a way rabbinic rivalries rarely do.", - "content": "Rabbi Arthur Schneier abruptly fired Rabbi Benjamin Goldschmidt from Park East Synagogue, and long-simmering tensions publicly exploded in a way rabbinic rivalries rarely do.", - "category": "Synagogues", - "link": "https://www.nytimes.com/2021/12/03/nyregion/park-east-synagogue-rabbi.html", - "creator": "Liam Stack", - "pubDate": "Fri, 03 Dec 2021 10:00:27 +0000", + "title": "How to Get Through the Holidays After Loss", + "description": "If you’re struggling during the festive season, you’re not alone.", + "content": "If you’re struggling during the festive season, you’re not alone.", + "category": "Christmas", + "link": "https://www.nytimes.com/2021/11/23/well/family/grief-during-holidays.html", + "creator": "Hanna Ingber", + "pubDate": "Wed, 24 Nov 2021 16:08:33 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104149,16 +130380,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9517e4ffaeb57c4cfd1d3376ee4e0f8a" + "hash": "4473c206f568fb8cc1d3f915cb9b8693" }, { - "title": "Putting Principles Before Profits, Steve Simon Takes a Stand", - "description": "The WTA chief has spent years in tennis working quietly to put players first. Suspending tournaments in China over the treatment of star Peng Shuai has made him the most talked-about leader in sports.", - "content": "The WTA chief has spent years in tennis working quietly to put players first. Suspending tournaments in China over the treatment of star Peng Shuai has made him the most talked-about leader in sports.", - "category": "Tennis", - "link": "https://www.nytimes.com/2021/12/02/sports/tennis/steve-simon-peng-shuai-wta.html", - "creator": "Matthew Futterman", - "pubDate": "Fri, 03 Dec 2021 00:43:37 +0000", + "title": "The Heavy Price of Holiday Magic", + "description": "When you’re struggling to pay the bills, a child’s wish list can feel like an additional burden.", + "content": "When you’re struggling to pay the bills, a child’s wish list can feel like an additional burden.", + "category": "Holidays and Special Occasions", + "link": "https://www.nytimes.com/2020/04/17/parenting/holiday-money-stress.html", + "creator": "Sa’iyda Shabazz", + "pubDate": "Fri, 17 Apr 2020 15:32:46 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104169,16 +130400,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6c75474b6704470bb1d4c916eb5dc90" + "hash": "76863d7310491b97465dea00b3c52b32" }, { - "title": "After a Bungled Theft of Navy’s Mascot Draws Fire, Goatnappers Strike Again", - "description": "Leaders of the nation’s military academies say swiping one another’s mascot animals is strictly forbidden, but that hasn’t seemed to deter glory-seeking raiders.", - "content": "Leaders of the nation’s military academies say swiping one another’s mascot animals is strictly forbidden, but that hasn’t seemed to deter glory-seeking raiders.", - "category": "United States Military Academy", - "link": "https://www.nytimes.com/2021/12/03/us/west-point-cadets-goats-theft.html", - "creator": "Dave Philipps", - "pubDate": "Fri, 03 Dec 2021 10:00:20 +0000", + "title": "How to Wrap Advice as a Gift a Teenager Might Open", + "description": "When parents have something to say that they really want teenagers to hear, these approaches can help get the message across.", + "content": "When parents have something to say that they really want teenagers to hear, these approaches can help get the message across.", + "category": "Teenagers and Adolescence", + "link": "https://www.nytimes.com/2018/12/19/well/family/how-to-wrap-advice-as-a-gift-a-teenager-might-open.html", + "creator": "Lisa Damour", + "pubDate": "Wed, 19 Dec 2018 10:00:01 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104189,16 +130420,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "56d4633223944eef39d34b1962ed6f0b" + "hash": "d5e3cd96b5cebf438aa5df4d56551fcc" }, { - "title": "Why the Supply Chain Crisis Does Not Affect These Businesses", - "description": "Focusing on local parts and production, some manufacturers have been rewarded during the pandemic.", - "content": "Focusing on local parts and production, some manufacturers have been rewarded during the pandemic.", - "category": "Ships and Shipping", - "link": "https://www.nytimes.com/2021/12/03/nyregion/supply-chain-crisis-nyc.html", - "creator": "Alyson Krueger", - "pubDate": "Fri, 03 Dec 2021 10:00:15 +0000", + "title": "How to Foster Empathy in Children", + "description": "Research shows that we are each born with a given number of neurons that participate in an empathetic response. But early life experience shapes how we act on it.", + "content": "Research shows that we are each born with a given number of neurons that participate in an empathetic response. But early life experience shapes how we act on it.", + "category": "Children and Childhood", + "link": "https://www.nytimes.com/2018/12/10/well/live/how-to-foster-empathy-in-children.html", + "creator": "Jane E. Brody", + "pubDate": "Mon, 10 Dec 2018 19:19:20 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104209,16 +130440,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "13d4eca0f4fcf9ce051e720e6e585e05" + "hash": "51ff6fc13ed33acbdcf247fd1405ccfb" }, { - "title": "Court in Philippines Allows Maria Ressa to Travel to Norway for Nobel", - "description": "The decision came after days of growing international pressure on the government to allow the journalist to attend the ceremony in Norway.", - "content": "The decision came after days of growing international pressure on the government to allow the journalist to attend the ceremony in Norway.", - "category": "Philippines", - "link": "https://www.nytimes.com/2021/12/03/world/asia/maria-ressa-nobel-peace-prize.html", - "creator": "Sui-Lee Wee", - "pubDate": "Fri, 03 Dec 2021 09:53:37 +0000", + "title": "The Hilarious, Heartbreaking Life and Music of Malcolm Arnold", + "description": "He was one of the most popular British composers of his time, but there are few celebrations of Arnold’s centenary this year.", + "content": "He was one of the most popular British composers of his time, but there are few celebrations of Arnold’s centenary this year.", + "category": "Classical Music", + "link": "https://www.nytimes.com/2021/11/26/arts/music/classical-music-malcolm-arnold.html", + "creator": "Hugh Morris", + "pubDate": "Sat, 27 Nov 2021 01:04:49 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104229,16 +130460,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "95d20bf29560900f8ff358be3b21fc48" + "hash": "a8eddce8639d9e564ceeaaa451060c39" }, { - "title": "Police Arrest Suspect in Fatal Shooting of Jacqueline Avant, Philanthropist and Wife of Clarence Avant", - "description": "About an hour after Jacqueline Avant was killed, the police arrested a man after he accidentally shot himself in the foot while burglarizing a home in Hollywood.", - "content": "About an hour after Jacqueline Avant was killed, the police arrested a man after he accidentally shot himself in the foot while burglarizing a home in Hollywood.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/12/02/us/jacqueline-avant-shooting-suspect.html", - "creator": "Michael Levenson", - "pubDate": "Thu, 02 Dec 2021 22:10:19 +0000", + "title": "‘West Side Story’ Star Ariana DeBose Is Always Ready for Her Next Role", + "description": "After dancing in ‘Hamilton’ and playing Anita in Steven Spielberg’s new musical adaptation, the actress has her sights on a part entirely her own.", + "content": "After dancing in ‘Hamilton’ and playing Anita in Steven Spielberg’s new musical adaptation, the actress has her sights on a part entirely her own.", + "category": "DeBose, Ariana", + "link": "https://www.nytimes.com/2021/11/23/t-magazine/ariana-debose-west-side-story.html", + "creator": "Juan A. Ramírez", + "pubDate": "Tue, 23 Nov 2021 10:00:26 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104249,16 +130480,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ce6589c0e032384b5d26040de7e7325f" + "hash": "da29c1a6cdee5643a66285725d383f61" }, { - "title": "More Sept. 11 Victims Who Sued the Taliban Want Frozen Afghan Funds", - "description": "The Biden administration was set to tell a court on Friday what it thinks should happen, but obtained a delay until Jan. 28.", - "content": "The Biden administration was set to tell a court on Friday what it thinks should happen, but obtained a delay until Jan. 28.", - "category": "Suits and Litigation (Civil)", - "link": "https://www.nytimes.com/2021/12/02/us/politics/9-11-families-taliban-funds.html", - "creator": "Charlie Savage", - "pubDate": "Fri, 03 Dec 2021 01:19:51 +0000", + "title": "The Car Key of the Future (Is Still in Your Pocket)", + "description": "They’re in fobs or on phones, and digital or “smart,” and they can do far more than just open doors and start the engine.", + "content": "They’re in fobs or on phones, and digital or “smart,” and they can do far more than just open doors and start the engine.", + "category": "Automobiles", + "link": "https://www.nytimes.com/2021/11/25/business/car-keys-fobs.html", + "creator": "Stephen Williams", + "pubDate": "Thu, 25 Nov 2021 11:00:09 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104269,16 +130500,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "99d231a26936db2b102a96ab0dab81c7" + "hash": "509c5d4f066c13b64041ed71160f589c" }, { - "title": "Are Mammograms Worthwhile for Older Women?", - "description": "Some might be better off not knowing they have breast cancer because they are likely to die of other causes long before breast cancer would threaten their health.", - "content": "Some might be better off not knowing they have breast cancer because they are likely to die of other causes long before breast cancer would threaten their health.", - "category": "Mammography", - "link": "https://www.nytimes.com/2020/08/17/well/live/mammograms-older-women.html", - "creator": "Jane E. Brody", - "pubDate": "Tue, 17 Aug 2021 11:18:23 +0000", + "title": "How Alienation Became My Superpower", + "description": "Feeling like an outsider can be painful. But it comes with secret gifts of perception.", + "content": "Feeling like an outsider can be painful. But it comes with secret gifts of perception.", + "category": "Writing and Writers", + "link": "https://www.nytimes.com/2021/11/23/magazine/estranged-father.html", + "creator": "Elisa Gonzalez", + "pubDate": "Sat, 27 Nov 2021 07:20:31 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104289,16 +130520,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fc0bf782d5f387ccc905723c4fe88aa3" + "hash": "402e41d34dc656bd5bfb642678ec4f35" }, { - "title": "How to Recognize and Treat Perimenopause Symptoms", - "description": "We break down the signs, causes and treatment options for five common symptoms.", - "content": "We break down the signs, causes and treatment options for five common symptoms.", - "category": "Estrogen", - "link": "https://www.nytimes.com/2021/04/29/well/perimenopause-menopause-symptoms.html", - "creator": "Dani Blum and Monica Garwood", - "pubDate": "Tue, 11 May 2021 14:14:54 +0000", + "title": "Jeff Goldblum Goes Wild With Wes Anderson and Thelonious Monk", + "description": "The actor talks about the second season of “The World According to Jeff Goldblum” and why weeping over “Can’t Find My Way Home” is a beautiful thing.", + "content": "The actor talks about the second season of “The World According to Jeff Goldblum” and why weeping over “Can’t Find My Way Home” is a beautiful thing.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/11/23/arts/television/jeff-goldblum.html", + "creator": "Kathryn Shattuck", + "pubDate": "Tue, 23 Nov 2021 15:09:05 +0000", "enclosure": "", "enclosureType": "", "image": "", @@ -104309,12394 +130540,12672 @@ "favorite": false, "created": false, "tags": [], - "hash": "c00d283d3c53d0ae7d593482560cfd3a" + "hash": "75894bb7b9cc970e6498271975476255" }, { - "title": "When to Start With a Gynecologist?", - "description": "Cervical cancer screening starts at age 21. But there are reasons to start seeing a gynecologist earlier. ", - "content": "Cervical cancer screening starts at age 21. But there are reasons to start seeing a gynecologist earlier. ", - "category": "Menstruation", - "link": "https://www.nytimes.com/2019/01/10/well/live/when-to-start-with-a-gynecologist.html", - "creator": "Jen Gunter", - "pubDate": "Thu, 10 Jan 2019 14:10:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Couple’s Dream of Reuniting in England Is Dashed in a Channel Disaster", + "description": "A young Kurdish woman, Maryam Nuri, died with 26 others after making a desperate attempt to join her fiancé by crossing the English Channel from France on an inflatable boat.", + "content": "A young Kurdish woman, Maryam Nuri, died with 26 others after making a desperate attempt to join her fiancé by crossing the English Channel from France on an inflatable boat.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/11/27/world/middleeast/migrants-kurdish-channel.html", + "creator": "Jane Arraf", + "pubDate": "Sat, 27 Nov 2021 20:16:55 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1947fa30c4514a5a02e1c8dc83ba9d8" + "hash": "9d729f62a681d8d7991f9b5790afe81d" }, { - "title": "How Egg Freezing Went Mainstream", - "description": "Men could easily freeze their sperm since the 1970s. So why did it take so long to figure out how to successfully freeze a woman’s eggs?", - "content": "Men could easily freeze their sperm since the 1970s. So why did it take so long to figure out how to successfully freeze a woman’s eggs?", - "category": "Egg Donation and Freezing", - "link": "https://www.nytimes.com/2020/04/17/parenting/fertility/egg-freezing.html", - "creator": "Molly Elizalde", - "pubDate": "Fri, 17 Apr 2020 14:38:13 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Get to Know Sondheim’s Best in These 10 Videos", + "description": "Jake Gyllenhaal, Patti LuPone, Judi Dench and an all-star Zoom trio find the wit, pathos and heartbreak in a remarkable songbook.", + "content": "Jake Gyllenhaal, Patti LuPone, Judi Dench and an all-star Zoom trio find the wit, pathos and heartbreak in a remarkable songbook.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/27/theater/stephen-sondheim-music-videos.html", + "creator": "Scott Heller", + "pubDate": "Sat, 27 Nov 2021 18:05:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aabe14fccc1e4a28c25ee57da9115f74" + "hash": "6fbd2ddb190ecd5d4f8454750c52e47c" }, { - "title": "Protecting Your Birth: A Guide For Black Mothers", - "description": "How racism can impact your pre- and postnatal care — and advice for speaking to your Ob-Gyn about it.", - "content": "How racism can impact your pre- and postnatal care — and advice for speaking to your Ob-Gyn about it.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/article/black-mothers-birth.html", - "creator": "Erica Chidi and Erica P. Cahill, M.D.", - "pubDate": "Thu, 22 Oct 2020 19:03:15 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How did Omicron get its name?", + "description": "", + "content": "", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news/how-did-omicron-get-its-name", + "creator": "Vimal Patel", + "pubDate": "Sat, 27 Nov 2021 16:51:42 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f520dcc7551222719e637f6476fc25f" + "hash": "78e3f1227da6c8f738d9f3f2eece7d39" }, { - "title": "For Andy Warhol, Faith and Sexuality Intertwined", - "description": "The Brooklyn Museum shows how Catholicism seeped into his art, complicating our view of the Pop master.", - "content": "The Brooklyn Museum shows how Catholicism seeped into his art, complicating our view of the Pop master.", - "category": "Art", - "link": "https://www.nytimes.com/2021/12/02/arts/design/warhol-religion-museum-review-catholic.html", - "creator": "Karen Rosenberg", - "pubDate": "Thu, 02 Dec 2021 15:42:37 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As Omicron Variant Circles the Globe, African Nations Are Blamed and Banned", + "description": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", + "content": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/27/world/africa/coronavirus-omicron-africa.html", + "creator": "Benjamin Mueller and Declan Walsh", + "pubDate": "Sat, 27 Nov 2021 16:25:17 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c425a1a4477defd9cab2c5596bccd35b" + "hash": "3bdf7cc74fc976408127c28bc941b5f4" }, { - "title": "NFL Week 13 Predictions: Odds and Picks Against the Spread", - "description": "Kansas City looks to gain separation in the tight A.F.C. West, and the Bills will try to retake the A.F.C. East from the Patriots.", - "content": "Kansas City looks to gain separation in the tight A.F.C. West, and the Bills will try to retake the A.F.C. East from the Patriots.", - "category": "Football", - "link": "https://www.nytimes.com/2021/12/02/sports/football/nfl-week-13-picks.html", - "creator": "Emmanuel Morgan", - "pubDate": "Fri, 03 Dec 2021 08:19:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Impromptu Stephen Sondheim Wakes Fill Piano Bars With Tears and Tunes", + "description": "Lines of Stephen Sondheim fans formed outside Marie’s Crisis Cafe in Greenwich Village as news of his death spread. Inside, it was all-Sondheim on the piano.", + "content": "Lines of Stephen Sondheim fans formed outside Marie’s Crisis Cafe in Greenwich Village as news of his death spread. Inside, it was all-Sondheim on the piano.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/27/theater/stephen-sondheim-piano-bars-wakes.html", + "creator": "Elisabeth Vincentelli", + "pubDate": "Sat, 27 Nov 2021 16:22:53 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8079ddb3cff38971001ef10619c634b" + "hash": "73810343766a660c6b3ef7ef2f98fe54" }, { - "title": "For Parents, a Lifeline in Unemployment", - "description": "Readjusting to their households’ needs, New Yorkers out of work found “there will be people who will help you.”", - "content": "Readjusting to their households’ needs, New Yorkers out of work found “there will be people who will help you.”", - "category": "New York Times Neediest Cases Fund", - "link": "https://www.nytimes.com/2021/12/02/neediest-cases/for-parents-a-lifeline-in-unemployment.html", - "creator": "Emma Grillo", - "pubDate": "Thu, 02 Dec 2021 19:21:41 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As World Scrambles to Shut Out Variant, U.K. Announces Two Cases", + "description": "More countries halted travel from southern Africa for fear of the Omicron variant. Germany and the Czech Republic are investigating cases. Here’s the latest.", + "content": "More countries halted travel from southern Africa for fear of the Omicron variant. Germany and the Czech Republic are investigating cases. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news", + "creator": "The New York Times", + "pubDate": "Sat, 27 Nov 2021 15:34:26 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "29fc536621f94991613b801e03ee0824" + "hash": "472e887e2ada819a7e00464cb6b74150" }, { - "title": "Trevor Noah Says Omicron Might Not Be So Bad", - "description": "Noah said that new strains are like streaming new TV shows: “You gotta stick with it the first couple of weeks and see where it goes.”", - "content": "Noah said that new strains are like streaming new TV shows: “You gotta stick with it the first couple of weeks and see where it goes.”", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/03/arts/television/trevor-noah-omicron-like-a-new-tv-show.html", - "creator": "Trish Bendix", - "pubDate": "Fri, 03 Dec 2021 07:14:48 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Disconnect Between Biden’s Popular Policies and His Unpopularity", + "description": "Voters often punish a president for pushing an unpopular agenda. But President Biden has been learning that they rarely reward a president for enacting legislation.", + "content": "Voters often punish a president for pushing an unpopular agenda. But President Biden has been learning that they rarely reward a president for enacting legislation.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/11/27/us/politics/biden-policies-approval-ratings.html", + "creator": "Nate Cohn", + "pubDate": "Sat, 27 Nov 2021 15:00:06 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47418bfa50d4a475a58d0caf3ef77616" + "hash": "7a4ecfaae1feacdc5d5d30cb49ec0cef" }, { - "title": "Best Dance of 2021", - "description": "A year of uncertainty was capped by a happy ending: a rush of performances this fall, including standouts by masters (Twyla Tharp) and breakout stars (LaTasha Barnes).", - "content": "A year of uncertainty was capped by a happy ending: a rush of performances this fall, including standouts by masters (Twyla Tharp) and breakout stars (LaTasha Barnes).", - "category": "arts year in review 2021", - "link": "https://www.nytimes.com/2021/12/01/arts/dance/best-dance-2021.html", - "creator": "Gia Kourlas, Brian Seibert and Siobhan Burke", - "pubDate": "Thu, 02 Dec 2021 15:06:21 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "United States will bar travelers from 8 countries in southern Africa.", + "description": "Starting Monday, travelers from South Africa, Botswana, Zimbabwe, Namibia, Lesotho, Eswatini, Mozambique and Malawi will be barred unless they are citizens or permanent residents.", + "content": "Starting Monday, travelers from South Africa, Botswana, Zimbabwe, Namibia, Lesotho, Eswatini, Mozambique and Malawi will be barred unless they are citizens or permanent residents.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/27/world/covid-vaccine-boosters-variant", + "creator": "The New York Times", + "pubDate": "Sat, 27 Nov 2021 13:48:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "92f174227f0991e47e9e5bb859d4eb37" + "hash": "ff3bb8d0eb296526a2e4f195686e036a" }, { - "title": "Michigan Shooting Suspect Faces Murder and Terrorism Charges", - "description": "A 15-year-old accused of killing four of his classmates and wounding seven other people had described wanting to attack the school in cellphone videos and a journal, the authorities said.", - "content": "A 15-year-old accused of killing four of his classmates and wounding seven other people had described wanting to attack the school in cellphone videos and a journal, the authorities said.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/01/us/ethan-crumbley-michigan-high-school-shooting.html", - "creator": "Jennifer Conlin, Mitch Smith, Giulia Heyward and Jack Healy", - "pubDate": "Thu, 02 Dec 2021 18:48:41 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Solomon Islands Protests: 3 Burned Bodies Found in Chinatown", + "description": "The police were trying to determine if the charred remains found in the capital’s Chinatown district were linked to the protests, in which demonstrators set fire to buildings.", + "content": "The police were trying to determine if the charred remains found in the capital’s Chinatown district were linked to the protests, in which demonstrators set fire to buildings.", + "category": "Demonstrations, Protests and Riots", + "link": "https://www.nytimes.com/2021/11/27/world/asia/solomon-islands-protests-bodies.html", + "creator": "Yan Zhuang", + "pubDate": "Sat, 27 Nov 2021 08:05:55 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8b9737e669b95976be852e6db5305bab" + "hash": "fd5c509202f13ec0b5954a4864e9fcc7" }, { - "title": "Biden’s New Virus Plan Aims to Keep Economy Open as Omicron Spreads", - "description": "President Biden’s strategy includes new testing requirements for international travelers and insurance reimbursement for at-home coronavirus tests. “We’re going to fight this variant with science and speed, not chaos and confusion,” Mr. Biden said in a speech. Here’s the latest.", - "content": "President Biden’s strategy includes new testing requirements for international travelers and insurance reimbursement for at-home coronavirus tests. “We’re going to fight this variant with science and speed, not chaos and confusion,” Mr. Biden said in a speech. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/02/world/biden-omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Thu, 02 Dec 2021 21:15:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Iran Clamps Down on Protests Against Growing Water Shortages", + "description": "The crackdown came after the protests spilled over to at least one other city and a major protest on Friday loomed. Weather experts say 97 percent of the country is dealing with water scarcity issues.", + "content": "The crackdown came after the protests spilled over to at least one other city and a major protest on Friday loomed. Weather experts say 97 percent of the country is dealing with water scarcity issues.", + "category": "Rivers", + "link": "https://www.nytimes.com/2021/11/26/world/middleeast/iran-protests-water-shortages.html", + "creator": "Farnaz Fassihi", + "pubDate": "Sat, 27 Nov 2021 06:21:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9c5e4fa70ee1b9fa894574be06af37ed" + "hash": "2c7623c8e56450c85d2e366f8aa128d3" }, { - "title": "In Biden’s Plan for Free Rapid Tests, Legwork Will Be Required", - "description": "Some nations make Covid tests available at little to no cost for consumers. The U.S. plan for home testing includes submitting receipts to private insurers.", - "content": "Some nations make Covid tests available at little to no cost for consumers. The U.S. plan for home testing includes submitting receipts to private insurers.", - "category": "Health Insurance and Managed Care", - "link": "https://www.nytimes.com/2021/12/02/upshot/biden-covid-rapid-tests.html", - "creator": "Sarah Kliff and Reed Abelson", - "pubDate": "Thu, 02 Dec 2021 23:47:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New York governor declares a state of emergency in anticipation of new coronavirus surge.", + "description": "", + "content": "", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news/new-york-governor-declares-a-state-of-emergency-in-anticipation-of-new-coronavirus-surge", + "creator": "Jesse McKinley", + "pubDate": "Sat, 27 Nov 2021 05:37:29 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "69b55316873ba88fb759ede2d42a6a8f" + "hash": "9bca348031a9c5c202049178c81273a7" }, { - "title": "Why Didn’t the U.S. Detect Omicron Cases Sooner?", - "description": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", - "content": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/12/02/health/omicron-variant-genetic-surveillance.html", - "creator": "Emily Anthes", - "pubDate": "Thu, 02 Dec 2021 23:39:04 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Stocks and Oil Drop Amid New Coronavirus Variant", + "description": "Stocks and oil futures slumped, while investors sought safety in government bonds.", + "content": "Stocks and oil futures slumped, while investors sought safety in government bonds.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/26/business/covid-variant-stock-market-oil-prices.html", + "creator": "Eshe Nelson", + "pubDate": "Sat, 27 Nov 2021 05:33:39 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "000b4b308fe7bcbd1101666172bad907" + "hash": "f3baf7e8ba40219026bed096f73238d3" }, { - "title": "Five Omicron Variant Cases Confirmed in New York State", - "description": "“This is not a cause for major alarm,” Gov. Kathy Hochul said, adding that she was not announcing a shutdown or other drastic measures in response to the cases.", - "content": "“This is not a cause for major alarm,” Gov. Kathy Hochul said, adding that she was not announcing a shutdown or other drastic measures in response to the cases.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/02/nyregion/omicron-variant-new-york.html", - "creator": "Emma G. Fitzsimmons", - "pubDate": "Fri, 03 Dec 2021 00:06:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New 'Omicron' Variant Stokes Concern but Vaccines May Still Work", + "description": "The Omicron variant carries worrisome mutations that may let it evade antibodies, scientists said. But it will take more research to know how it fares against vaccinated people.", + "content": "The Omicron variant carries worrisome mutations that may let it evade antibodies, scientists said. But it will take more research to know how it fares against vaccinated people.", + "category": "Tests (Medical)", + "link": "https://www.nytimes.com/2021/11/26/health/omicron-variant-vaccines.html", + "creator": "Carl Zimmer", + "pubDate": "Sat, 27 Nov 2021 05:32:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ff2b2c352958a5a0a99feed8d0118368" + "hash": "08cc52629786e099bc7622e5cf0c9875" }, { - "title": "New York City Sets Vaccine Mandate for Religious and Private School Workers", - "description": "The directive, which affects 56,000 employees, may face opposition at yeshivas, because of resistance to coronavirus vaccines among some Orthodox Jews.", - "content": "The directive, which affects 56,000 employees, may face opposition at yeshivas, because of resistance to coronavirus vaccines among some Orthodox Jews.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/02/nyregion/nyc-vaccine-mandate-private-schools.html", - "creator": "Emma G. Fitzsimmons", - "pubDate": "Thu, 02 Dec 2021 21:10:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Omicron Variant Prompts Travel Bans and Batters World Markets", + "description": "Scientists do not yet know how dangerous the new Omicron variant is, but its many mutations set off alarms, lowering hopes of putting the pandemic in the past.", + "content": "Scientists do not yet know how dangerous the new Omicron variant is, but its many mutations set off alarms, lowering hopes of putting the pandemic in the past.", + "category": "Disease Rates", + "link": "https://www.nytimes.com/2021/11/26/world/europe/coronavirus-omicron-variant.html", + "creator": "Richard Pérez-Peña and Jason Horowitz", + "pubDate": "Sat, 27 Nov 2021 05:30:25 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "065bf598a547312a3700bfef61a4bf78" + "hash": "74b0f72e47f5f021ffc409f8c9d21859" }, { - "title": "San Francisco Followed Covid Rules. Will Omicron Change the Playbook?", - "description": "San Francisco has endured mask mandates, vaccination requirements and lockdowns. Now with the first U.S. case of the Omicron variant, no one’s sure what comes next.", - "content": "San Francisco has endured mask mandates, vaccination requirements and lockdowns. Now with the first U.S. case of the Omicron variant, no one’s sure what comes next.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/02/us/san-francisco-omicron-mask-mandate-lockdown.html", - "creator": "Erin Woo, Shawn Hubler and Jill Cowan", - "pubDate": "Thu, 02 Dec 2021 21:18:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Praise for Stephen Sondheim at ‘Company’ and ‘Assassins' ", + "description": "“I would ask you to sit back and luxuriate in his extraordinary words and music,” the director John Doyle said before Friday’s performance of the “Assassins” revival.", + "content": "“I would ask you to sit back and luxuriate in his extraordinary words and music,” the director John Doyle said before Friday’s performance of the “Assassins” revival.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/27/theater/company-assassins-broadway-tributes-stephen-sondheim.html", + "creator": "Matt Stevens, Sadiba Hasan and Julia Jacobs", + "pubDate": "Sat, 27 Nov 2021 05:25:01 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b3cbb70634240a3938fc0b12ec11fa5" + "hash": "4958bdadc45c15089709a6c816755e0d" }, { - "title": "Germany Requires Vaccines for Store and Restaurant Customers", - "description": "Facing a huge coronavirus surge, Chancellor Angela Merkel, her successor, Olaf Scholz, and state governors agreed on tough new restrictions on people who have not been inoculated.", - "content": "Facing a huge coronavirus surge, Chancellor Angela Merkel, her successor, Olaf Scholz, and state governors agreed on tough new restrictions on people who have not been inoculated.", - "category": "Vaccination Proof and Immunization Records", - "link": "https://www.nytimes.com/2021/12/02/world/europe/germany-unvaccinated-restrictions.html", - "creator": "Christopher F. Schuetze", - "pubDate": "Thu, 02 Dec 2021 21:23:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Stephen Sondheim: The Essential Musical Dramatist Who Taught Us to Hear", + "description": "With a childlike sense of discovery, Stephen Sondheim found the language to convey the beauty in harsh complexity.", + "content": "With a childlike sense of discovery, Stephen Sondheim found the language to convey the beauty in harsh complexity.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/26/theater/remembering-stephen-sondheim.html", + "creator": "Jesse Green", + "pubDate": "Sat, 27 Nov 2021 05:23:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "edfbfd1490bcdd4d7dee4c5a88168c1d" + "hash": "ebbc5a1791a599e9c36bbb04df22f907" }, { - "title": "How the Politics of Abortion Are Poised to Intensify", - "description": "The anti-abortion and abortion rights movements are already beginning to mobilize for a new, deeply unsettled post-Roe political reality.", - "content": "The anti-abortion and abortion rights movements are already beginning to mobilize for a new, deeply unsettled post-Roe political reality.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/us/politics/abortion-arguments-post-roe.html", - "creator": "Lisa Lerer and Jeremy W. Peters", - "pubDate": "Thu, 02 Dec 2021 23:01:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Stephen Sondheim Reflected on 'Company' and 'West Side Story' in Final Interview", + "description": "In an interview on Sunday, the revered composer and lyricist, 91, contentedly discussed his shows running on Broadway and off, as well as a new movie about to be released.", + "content": "In an interview on Sunday, the revered composer and lyricist, 91, contentedly discussed his shows running on Broadway and off, as well as a new movie about to be released.", + "category": "Sondheim, Stephen", + "link": "https://www.nytimes.com/2021/11/26/theater/stephen-sondheim-final-interview.html", + "creator": "Michael Paulson", + "pubDate": "Sat, 27 Nov 2021 03:29:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1928a66a55467e899a209ae3a3555db" + "hash": "be572e7d1af8a05f99c3bea6770995a5" }, { - "title": "Government Shutdown Still Looms as House Passes Spending Bill", - "description": "As the House voted to fund the government through mid-February, senators were scrambling to avoid a shutdown over vaccine mandates.", - "content": "As the House voted to fund the government through mid-February, senators were scrambling to avoid a shutdown over vaccine mandates.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/us/politics/government-shutdown-congress-spending-deal.html", - "creator": "Emily Cochrane", - "pubDate": "Fri, 03 Dec 2021 00:12:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Brooks Koepka Bests Rival Bryson DeChambeau in 'The Match'", + "description": "Never paired together at one of golf’s majors, the rivals Brooks Koepka and Bryson DeChambeau instead went head-to-head in a spectacle for charity off the Las Vegas Strip.", + "content": "Never paired together at one of golf’s majors, the rivals Brooks Koepka and Bryson DeChambeau instead went head-to-head in a spectacle for charity off the Las Vegas Strip.", + "category": "Golf", + "link": "https://www.nytimes.com/2021/11/26/sports/golf/brooks-koepka-bryson-dechambeau-the-match.html", + "creator": "Brendan Porath", + "pubDate": "Sat, 27 Nov 2021 00:57:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be61aed2271d16fbbf5b30d6b37fb677" + "hash": "8c601289625abc8aa4b27fde1bef1d65" }, { - "title": "Mexico to Allow U.S. ‘Remain in Mexico’ Asylum Policy to Resume", - "description": "A judge had ordered the Biden administration to restart the Trump-era program, but doing so required cooperation from Mexico, which had been reluctant.", - "content": "A judge had ordered the Biden administration to restart the Trump-era program, but doing so required cooperation from Mexico, which had been reluctant.", - "category": "Immigration and Emigration", - "link": "https://www.nytimes.com/2021/12/02/us/politics/asylum-seekers-immigration-mexico-usa.html", - "creator": "Eileen Sullivan and Oscar Lopez", - "pubDate": "Thu, 02 Dec 2021 21:24:42 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Who Is Carissa Schumacher?", + "description": "Carissa Schumacher channels the dead for her A-list celebrity clients.But most days, she’s in the forest.", + "content": "Carissa Schumacher channels the dead for her A-list celebrity clients.But most days, she’s in the forest.", + "category": "Schumacher, Carissa", + "link": "https://www.nytimes.com/2021/11/26/style/carissa-schumacher-flamingo-estate-los-angeles.html", + "creator": "Irina Aleksander", + "pubDate": "Sat, 27 Nov 2021 00:49:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3319548da663259053c8a028d2c3b0e" + "hash": "189a5b962c94ec92eaf1dbea249d16f5" }, { - "title": "Dear People of 2021: What Can We Learn From Hindsight?", - "description": "For the first series from the Headway initiative, we followed up on forecasts from decades past to ask what the passage of time has revealed.", - "content": "For the first series from the Headway initiative, we followed up on forecasts from decades past to ask what the passage of time has revealed.", - "category": "European Union", - "link": "https://www.nytimes.com/2021/12/02/special-series/headway-earth-progress-climate-hindsight.html", - "creator": "Matthew Thompson", - "pubDate": "Thu, 02 Dec 2021 17:20:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Mine Disaster in Russia Highlights Safety Shortfalls in Rush to Dig Coal", + "description": "At least 46 miners were killed in an explosion at a Siberian mine. The director of the mine has been taken into police custody, along with five other administrators.", + "content": "At least 46 miners were killed in an explosion at a Siberian mine. The director of the mine has been taken into police custody, along with five other administrators.", + "category": "Explosions (Accidental)", + "link": "https://www.nytimes.com/2021/11/26/world/europe/mine-disaster-russia-safety.html", + "creator": "Valerie Hopkins", + "pubDate": "Fri, 26 Nov 2021 23:52:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "50ca83f1fc7411c2a81da4b6fd26370f" + "hash": "f10b7f980c9b3d56fe941834efa3a0c3" }, { - "title": "Millions More People Got Access to Clean Water. Can They Drink It?", - "description": "The U.N. pledged to halve the proportion of the world without access to clean drinking water by 2015.", - "content": "The U.N. pledged to halve the proportion of the world without access to clean drinking water by 2015.", - "category": "Water", - "link": "https://www.nytimes.com/2021/12/02/world/clean-water-to-drink.html", - "creator": "Lucy Tompkins", - "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Military’s Broken Culture Around Sexual Violence and Suicide", + "description": "The Pentagon isn’t doing what is necessary to protect and care for service members facing trauma. ", + "content": "The Pentagon isn’t doing what is necessary to protect and care for service members facing trauma. ", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/11/26/opinion/us-military-sexual-violence-suicide.html", + "creator": "Cybèle C. Greenberg", + "pubDate": "Fri, 26 Nov 2021 22:23:03 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d7f43e142ea939fed9fa885cda9c523a" + "hash": "b38836a0027856ce1f0a2ff73a4f95f8" }, { - "title": "Extreme Poverty Has Been Sharply Cut. What Has Changed?", - "description": "The U.N. pledged to cut by half the proportion of people living in the worst conditions around the world.", - "content": "The U.N. pledged to cut by half the proportion of people living in the worst conditions around the world.", - "category": "Poverty", - "link": "https://www.nytimes.com/2021/12/02/world/global-poverty-united-nations.html", - "creator": "Lucy Tompkins", - "pubDate": "Thu, 02 Dec 2021 10:00:17 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "France-U.K. Acrimony Impedes Progress on Channel Crossings", + "description": "Rather than working together to curb hazardous sea crossings, leaders of the two countries almost immediately fell into a familiar pattern of squabbling.", + "content": "Rather than working together to curb hazardous sea crossings, leaders of the two countries almost immediately fell into a familiar pattern of squabbling.", + "category": "English Channel", + "link": "https://www.nytimes.com/2021/11/26/world/europe/france-uk-migrants-english-channel.html", + "creator": "Mark Landler", + "pubDate": "Fri, 26 Nov 2021 20:01:41 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac850d1a0353af6dab25b9ee05da562d" + "hash": "abd0337155c5a7a8b09cfbb9f6559f84" }, { - "title": "Hundreds of Companies Promised to Help Save Forests. Did They?", - "description": "Cargill, Nestle, Carrefour and others pledged to reach net-zero deforestation in their supply chains by 2020.", - "content": "Cargill, Nestle, Carrefour and others pledged to reach net-zero deforestation in their supply chains by 2020.", - "category": "Forests and Forestry", - "link": "https://www.nytimes.com/2021/12/02/climate/companies-net-zero-deforestation.html", - "creator": "Lucy Tompkins", - "pubDate": "Thu, 02 Dec 2021 10:00:15 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "It’s Beginning to Look a Lot Like Hanukkah", + "description": "What’s that reindeer doing with menorah antlers? Retailers want inclusive holiday merchandise, but hit a few snags.", + "content": "What’s that reindeer doing with menorah antlers? Retailers want inclusive holiday merchandise, but hit a few snags.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/11/26/business/hanukkah-fails-holiday-gifts-christmas.html", + "creator": "Emma Goldberg", + "pubDate": "Fri, 26 Nov 2021 19:55:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1fb10f3153cf1cc86809378a88344924" + "hash": "b6125fd58683ebc146b369660e55de31" }, { - "title": "Supply Chain Snarls for Cars on Display at a Kansas Terminal ", - "description": "A shipping terminal in Kansas reveals the fundamental problem — no one can plan, and no one is sure what will happen next.", - "content": "A shipping terminal in Kansas reveals the fundamental problem — no one can plan, and no one is sure what will happen next.", - "category": "Trucks and Trucking", - "link": "https://www.nytimes.com/2021/12/02/business/supply-chain-car-shipping.html", - "creator": "Peter S. Goodman", - "pubDate": "Thu, 02 Dec 2021 17:29:17 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Maya Lin’s Dismantled ‘Ghost Forest’ to Be Reborn as Boats", + "description": "Teenagers are making boats using the wood from her grove installation at Madison Square Park, and the artist is happy that the work is seeing a new life.", + "content": "Teenagers are making boats using the wood from her grove installation at Madison Square Park, and the artist is happy that the work is seeing a new life.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/24/arts/design/maya-lin-rocking-the-boat.html", + "creator": "Zachary Small", + "pubDate": "Fri, 26 Nov 2021 19:49:11 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4c42a0453f9688cee239b3603b5a57a" + "hash": "f0d0be9fb648e0f6e6a192e882f33621" }, { - "title": "With No Resources, Authority or Country, Afghan Ambassador Presses On", - "description": "Adela Raz arrived in Washington just before her country fell and has struggled to keep her embassy going. A dinner with U.S. veterans was a priority.", - "content": "Adela Raz arrived in Washington just before her country fell and has struggled to keep her embassy going. A dinner with U.S. veterans was a priority.", - "category": "Diplomatic Service, Embassies and Consulates", - "link": "https://www.nytimes.com/2021/12/02/us/politics/afghan-ambassador-adela-raz.html", - "creator": "Jennifer Steinhauer", - "pubDate": "Thu, 02 Dec 2021 18:20:42 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Carlos Arthur Nuzman, Who Brought Olympics to Brazil, Convicted of Bribery", + "description": "Carlos Arthur Nuzman was found guilty after a trial that featured claims of rigged votes, gold bars and at least $2 million in payoffs to top sports officials.", + "content": "Carlos Arthur Nuzman was found guilty after a trial that featured claims of rigged votes, gold bars and at least $2 million in payoffs to top sports officials.", + "category": "Olympic Games (2016)", + "link": "https://www.nytimes.com/2021/11/26/sports/olympics/rio-olympics-nuzman-diack-cabral.html", + "creator": "Tariq Panja", + "pubDate": "Fri, 26 Nov 2021 19:24:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b7c6cbc394295544651365a5cab903d" + "hash": "aeee91a2989b82f1b80657ad1ce3b3b5" }, { - "title": "Joseph Gordon Says He's No Murderer. That’s Why He’s Still in Prison.", - "description": "Joseph Gordon has been locked up for nearly 30 years. A model inmate, he is eligible for parole — but only if he expresses remorse for a crime he says he did not commit.", - "content": "Joseph Gordon has been locked up for nearly 30 years. A model inmate, he is eligible for parole — but only if he expresses remorse for a crime he says he did not commit.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/12/02/nyregion/joseph-gordon-parole-murder.html", - "creator": "Tom Robbins", - "pubDate": "Thu, 02 Dec 2021 17:03:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "There Is Another Democrat A.O.C. Should Be Mad At", + "description": "The monumental scale of the Build Back Better plan raises a difficult question: Is a fleeting and narrow majority enough for making history?", + "content": "The monumental scale of the Build Back Better plan raises a difficult question: Is a fleeting and narrow majority enough for making history?", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/26/opinion/democrats-aoc-build-back-better.html", + "creator": "Greg Weiner", + "pubDate": "Fri, 26 Nov 2021 19:14:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "897d1a7318b8c9842b0dc5d261803fc9" + "hash": "7408f2b8dda07b5dd6e0c08981436f1b" }, { - "title": "The End of Roe Is Coming, and It Is Coming Soon", - "description": "I thought we had more time before the 1973 decision was overturned. I now believe I was wrong.", - "content": "I thought we had more time before the 1973 decision was overturned. I now believe I was wrong.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/12/01/opinion/supreme-court-abortion-mississippi-law.html", - "creator": "Mary Ziegler", - "pubDate": "Thu, 02 Dec 2021 04:56:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As Virtual Worlds Grow, We Are Losing Our Sense of Touch ", + "description": "After I’ve struggled with anorexia and bulimia for more than 20 years, the last thing I want is technology that further estranges me from my body. ", + "content": "After I’ve struggled with anorexia and bulimia for more than 20 years, the last thing I want is technology that further estranges me from my body. ", + "category": "Facebook Inc", + "link": "https://www.nytimes.com/2021/11/26/opinion/touch-starvation-metaverse-virtual-worlds.html", + "creator": "JoAnna Novak", + "pubDate": "Fri, 26 Nov 2021 19:09:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "28f190ccba040ea9fb787c7e900abac3" + "hash": "388087c65073dca9aba143be67ac12cb" }, { - "title": "Anjanette Young Was Handcuffed, Naked. Will She See Justice?", - "description": "“My life has been completely turned upside down,” Anjanette Young said. “I can’t sleep at night.”", - "content": "“My life has been completely turned upside down,” Anjanette Young said. “I can’t sleep at night.”", - "category": "Black People", - "link": "https://www.nytimes.com/2021/12/02/opinion/anjanette-young-police-justice.html", - "creator": "Esau McCaulley", - "pubDate": "Thu, 02 Dec 2021 10:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Jakucho Setouchi, 99, Dies; Buddhist Priest Wrote of Sex and Love", + "description": "Her more than 400 novels often drew on her own romantic affairs, and her translation of an 11th-century romantic Japanese classic sold millions of copies.", + "content": "Her more than 400 novels often drew on her own romantic affairs, and her translation of an 11th-century romantic Japanese classic sold millions of copies.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/26/world/asia/jakucho-setouchi-dead.html", + "creator": "Motoko Rich and Makiko Inoue", + "pubDate": "Fri, 26 Nov 2021 18:15:43 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fdc5e527182b8c7a4649b5f3291a83c0" + "hash": "eae28068ab70c08abcae7abdc30d24df" }, { - "title": "Overdoses Surged During the Pandemic. How Do We Stop Them?", - "description": "More than 100,000 Americans died of overdoses in a single year, exceeding the number of people who died from car crashes and guns combined.", - "content": "More than 100,000 Americans died of overdoses in a single year, exceeding the number of people who died from car crashes and guns combined.", - "category": "debatable", - "link": "https://www.nytimes.com/2021/12/02/opinion/drug-overdose-prevention.html", - "creator": "Spencer Bokat-Lindell", - "pubDate": "Thu, 02 Dec 2021 23:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Genetic Risks for Cancer Should Not Mean Financial Hardship", + "description": "People with markers for cancer often need more screenings. But health insurers are not required to fully cover them. ", + "content": "People with markers for cancer often need more screenings. But health insurers are not required to fully cover them. ", + "category": "Health Insurance and Managed Care", + "link": "https://www.nytimes.com/2021/11/26/opinion/genetic-risks-cancer.html", + "creator": "Leah Pierson and Emma Pierson", + "pubDate": "Fri, 26 Nov 2021 17:47:42 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c4bec7a3c1806978302349842d9908e" + "hash": "5e087de601abd7b35b414a7ee1139313" }, { - "title": "Why Peng Shuai Has China’s Leaders Spooked", - "description": "Ms. Peng’s celebrity certainly has driven interest in her case. But her allegations also are groundbreaking.", - "content": "Ms. Peng’s celebrity certainly has driven interest in her case. But her allegations also are groundbreaking.", - "category": "Communist Party of China", - "link": "https://www.nytimes.com/2021/12/02/opinion/peng-shuai-china-leaders.html", - "creator": "Leta Hong Fincher", - "pubDate": "Thu, 02 Dec 2021 06:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Pushed by Players, the N.F.L. Works to Embrace Mental Health", + "description": "N.F.L. teams have standardized support for mental wellness as their players fight social stigmas and the league’s “just play through it” ethos.", + "content": "N.F.L. teams have standardized support for mental wellness as their players fight social stigmas and the league’s “just play through it” ethos.", + "category": "Football", + "link": "https://www.nytimes.com/2021/11/26/sports/football/nfl-mental-health.html", + "creator": "Anna Katherine Clemmons", + "pubDate": "Fri, 26 Nov 2021 16:00:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d10ecfa58844e1f02400ab707af4153b" + "hash": "b5cc6706c130fbff329e8989e7b0d7f8" }, { - "title": "Omicron Is Here. Will We Use Our New Covid Drugs Wisely?", - "description": "The world must not repeat history by making Covid-19 drugs inaccessible. ", - "content": "The world must not repeat history by making Covid-19 drugs inaccessible. ", - "category": "Molnupiravir (Drug)", - "link": "https://www.nytimes.com/2021/12/01/opinion/omicron-covid-drugs-pfizer-antiviral.html", - "creator": "Rachel Cohen", - "pubDate": "Thu, 02 Dec 2021 19:41:20 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Afghan Girl’ From 1985 National Geographic Cover Takes Refuge in Italy", + "description": "Sharbat Gula, whose haunting portrait was featured by the magazine more than three decades ago, was evacuated to Rome after the Taliban takeover of Afghanistan.", + "content": "Sharbat Gula, whose haunting portrait was featured by the magazine more than three decades ago, was evacuated to Rome after the Taliban takeover of Afghanistan.", + "category": "Middle East and Africa Migrant Crisis", + "link": "https://www.nytimes.com/2021/11/26/world/europe/afghan-girl-national-geographic.html", + "creator": "Jenny Gross", + "pubDate": "Fri, 26 Nov 2021 15:24:27 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf75821ddb2f5ad0a2a4d5f613887171" + "hash": "5f5fa6dce509eda509baf5697de26c82" }, { - "title": "Fears About the Future of Abortion", - "description": "Readers express concern about the ramifications if Roe v. Wade is overturned. Also: Unvaccinated health workers; working remotely; hopes for Democrats.", - "content": "Readers express concern about the ramifications if Roe v. Wade is overturned. Also: Unvaccinated health workers; working remotely; hopes for Democrats.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/opinion/letters/abortion-supreme-court.html", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:43:39 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Build a Terrarium, So It’s Always Gardening Season", + "description": "As winter closes in, there’s at least one place where plants will still grow: a terrarium. Here’s how to get started on yours.", + "content": "As winter closes in, there’s at least one place where plants will still grow: a terrarium. Here’s how to get started on yours.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/11/26/realestate/how-to-build-a-terrarium.html", + "creator": "Margaret Roach", + "pubDate": "Fri, 26 Nov 2021 10:00:28 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c2352e1268ec771cda88a70f23eb2fe" + "hash": "dba47feaefefa6984d0e8b7becc02742" }, { - "title": "How Éric Zemmour Became the New Face of France’s Far Right", - "description": "It doesn’t take much to see the roots of his ideology. The irony is that this time, its proponent is Jewish.", - "content": "It doesn’t take much to see the roots of his ideology. The irony is that this time, its proponent is Jewish.", - "category": "France", - "link": "https://www.nytimes.com/2021/12/02/opinion/eric-zemmour-france-jews.html", - "creator": "Mitchell Abidor and Miguel Lago", - "pubDate": "Thu, 02 Dec 2021 16:24:44 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Edward Durr Jr.: The Trump Republican Who’s Riding High in New Jersey", + "description": "“If anything, my election showed nobody’s untouchable,” said Edward Durr Jr., who pulled off a stunning victory to win a New Jersey State Senate seat.", + "content": "“If anything, my election showed nobody’s untouchable,” said Edward Durr Jr., who pulled off a stunning victory to win a New Jersey State Senate seat.", + "category": "Elections, State Legislature", + "link": "https://www.nytimes.com/2021/11/26/nyregion/edward-durr-new-jersey-republican.html", + "creator": "Tracey Tully", + "pubDate": "Fri, 26 Nov 2021 10:00:26 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25c50243b177ed4e3588293c11cfd646" + "hash": "1a558d3a4db0072604ba5166a8be9f8b" }, { - "title": "How Twitter Can Fix Itself After Jack Dorsey's Resignation", - "description": "Twitter’s new leadership faces some tough choices.", - "content": "Twitter’s new leadership faces some tough choices.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/12/01/opinion/twitter-agrawal-dorsey.html", - "creator": "Greg Bensinger", - "pubDate": "Wed, 01 Dec 2021 23:40:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New Variant in South Africa Displays a ‘Jump in Evolution’", + "description": "It’s too early to say how effective vaccines will be against the variant. Britain will bar flights from six African countries. Here’s the latest on Covid.", + "content": "It’s too early to say how effective vaccines will be against the variant. Britain will bar flights from six African countries. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/25/world/covid-vaccine-boosters-mandates", + "creator": "The New York Times", + "pubDate": "Thu, 25 Nov 2021 22:41:22 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "68bc900c6ca9f2986fe5c0742522e420" + "hash": "f1a06e51fef468f7a3b4d708a874384f" }, { - "title": "Trump Tested Positive for Virus Days Before Debate, 2 Ex-Officials Say", - "description": "The former president first received a positive coronavirus test days ahead of his first debate with Joseph R. Biden Jr., and then received a negative result, two former officials say.", - "content": "The former president first received a positive coronavirus test days ahead of his first debate with Joseph R. Biden Jr., and then received a negative result, two former officials say.", - "category": "Trump, Donald J", - "link": "https://www.nytimes.com/2021/12/01/us/politics/trump-virus-positive.html", - "creator": "Maggie Haberman", - "pubDate": "Wed, 01 Dec 2021 17:33:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Don Johnson Is Back as ‘Nash Bridges.’ Why?", + "description": "The actor was already having a renaissance thanks to “Knives Out” and “Watchmen.” But 20 years on, Nash remains one of Johnson’s favorite roles.", + "content": "The actor was already having a renaissance thanks to “Knives Out” and “Watchmen.” But 20 years on, Nash remains one of Johnson’s favorite roles.", + "category": "Television", + "link": "https://www.nytimes.com/2021/11/25/arts/television/nash-bridges-don-johnson.html", + "creator": "Robert Ito", + "pubDate": "Thu, 25 Nov 2021 22:29:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f883f6b6c2313736d66db1463384eab6" + "hash": "e8a9a5493ed6b8b0aad67421d369a765" }, { - "title": "Stacey Abrams Says She’s Running for Georgia Governor", - "description": "Ms. Abrams, a Democratic voting rights activist, will aim to unseat Gov. Brian Kemp in a rematch of their contentious 2018 race for governor.", - "content": "Ms. Abrams, a Democratic voting rights activist, will aim to unseat Gov. Brian Kemp in a rematch of their contentious 2018 race for governor.", - "category": "Abrams, Stacey Y", - "link": "https://www.nytimes.com/2021/12/01/us/politics/stacey-abrams-georgia-governor.html", - "creator": "Astead W. Herndon", - "pubDate": "Thu, 02 Dec 2021 00:12:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Abuses Under Gambia’s Ex-Ruler Should Be Prosecuted, Inquiry Says", + "description": "A commission’s long-awaited investigation reported widespread human rights violations, but it is not clear if anyone will be charged with crimes.", + "content": "A commission’s long-awaited investigation reported widespread human rights violations, but it is not clear if anyone will be charged with crimes.", + "category": "Human Rights and Human Rights Violations", + "link": "https://www.nytimes.com/2021/11/25/world/gambia-jammeh-prosecution.html", + "creator": "Saikou Jammeh and Ruth Maclean", + "pubDate": "Thu, 25 Nov 2021 22:25:28 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f5ce4103e9ccc170e7c6d66259fd77f" + "hash": "55cfcac0577c26364b3fa62f0d691a45" }, { - "title": "How ‘Shadow’ Foster Care Is Tearing Families Apart", - "description": "Across the country, an unregulated system is severing parents from children, who often end up abandoned by the agencies that are supposed to protect them.", - "content": "Across the country, an unregulated system is severing parents from children, who often end up abandoned by the agencies that are supposed to protect them.", - "category": "Child Custody and Support", - "link": "https://www.nytimes.com/2021/12/01/magazine/shadow-foster-care.html", - "creator": "Lizzie Presser", - "pubDate": "Wed, 01 Dec 2021 10:00:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How a Prosecutor Addressed a Mostly White Jury and Won a Conviction in the Arbery Case", + "description": "Linda Dunikoski, a prosecutor brought in from the Atlanta area, struck a careful tone in a case that many saw as an obvious act of racial violence.", + "content": "Linda Dunikoski, a prosecutor brought in from the Atlanta area, struck a careful tone in a case that many saw as an obvious act of racial violence.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/25/us/prosecutor-white-jury-conviction-ahmaud-arbery.html", + "creator": "Richard Fausset", + "pubDate": "Thu, 25 Nov 2021 22:21:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12959b4dfdc94534502655520905240d" + "hash": "1e48fbc5b94e38c4c801ab13ff69fbe9" }, { - "title": "The Best Books of 2021", - "description": "Editors at The Times Book Review choose the best fiction and nonfiction titles this year.", - "content": "Editors at The Times Book Review choose the best fiction and nonfiction titles this year.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/30/books/review/best-books-2021.html", - "creator": "", - "pubDate": "Tue, 30 Nov 2021 15:31:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Undeterred by Channel’s Perils, Desperate Migrants Still Plan to Cross", + "description": "The number of migrants setting off into the English Channel by boat has soared in recent months. The deaths Wednesday of at least 27 people trying to make the crossing illustrate how dangerous it is.", + "content": "The number of migrants setting off into the English Channel by boat has soared in recent months. The deaths Wednesday of at least 27 people trying to make the crossing illustrate how dangerous it is.", + "category": "Middle East and Africa Migrant Crisis", + "link": "https://www.nytimes.com/2021/11/25/world/europe/english-channel-migrant-crossings.html", + "creator": "Constant Méheut and Norimitsu Onishi", + "pubDate": "Thu, 25 Nov 2021 21:24:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "526ff02a2d68f0f5df8f4b952cf30f4e" + "hash": "bbf628533b2457db29e430db7d543b34" }, { - "title": "The Toddler Was Bowlegged, Her Gait Awkward. What Was It?", - "description": "What the orthopedist saw on the X-rays surprised him.", - "content": "What the orthopedist saw on the X-rays surprised him.", - "category": "Children and Childhood", - "link": "https://www.nytimes.com/2021/12/02/magazine/x-linked-hypophosphatemia-diagnosis.html", - "creator": "Lisa Sanders, M.D.", - "pubDate": "Thu, 02 Dec 2021 10:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Parade Returns to a City Thankful for Normal", + "description": "About 4,500 volunteers wrangled giant balloons and threw confetti into a crowd excited to see the annual parade in person.", + "content": "About 4,500 volunteers wrangled giant balloons and threw confetti into a crowd excited to see the annual parade in person.", + "category": "Parades", + "link": "https://www.nytimes.com/2021/11/25/nyregion/macys-thanksgiving-parade.html", + "creator": "Sarah Maslin Nir", + "pubDate": "Thu, 25 Nov 2021 21:10:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "19a35e7343643c6a6569590e10472500" + "hash": "b689e69ad473c683622417c6f54b7cc4" }, { - "title": "Winter Covid, Mexico, Exoplanets: Your Thursday Evening Briefing", - "description": "Here’s what you need to know at the end of the day.", - "content": "Here’s what you need to know at the end of the day.", - "category": "", - "link": "https://www.nytimes.com/2021/12/02/briefing/winter-covid-mexico-exoplanets.html", - "creator": "Remy Tumin", - "pubDate": "Thu, 02 Dec 2021 22:53:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Manchester United Picks Ralf Rangnick as Interim Manager", + "description": "Rangnick, an architect of the Red Bull soccer empire, will take over as United’s manager while the club pursues a permanent replacement for Ole Gunnar Solskjaer.", + "content": "Rangnick, an architect of the Red Bull soccer empire, will take over as United’s manager while the club pursues a permanent replacement for Ole Gunnar Solskjaer.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/11/25/sports/soccer/manchester-united-ralf-rangnick.html", + "creator": "Rory Smith", + "pubDate": "Thu, 25 Nov 2021 19:25:37 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "662c6f7d336d2a6cbc17bdfaa98caae8" + "hash": "f969afab09198f73d27f76dc9d15e128" }, { - "title": "The Supreme Court Considers the Future of Roe v. Wade and Abortion in America", - "description": "How far will the court’s conservative majority go in deciding the future of abortion in America?", - "content": "How far will the court’s conservative majority go in deciding the future of abortion in America?", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/02/podcasts/the-daily/supreme-court-abortion-law-mississippi-roe-v-wade.html", - "creator": "Sabrina Tavernise, Stella Tan, Daniel Guillemette, Luke Vander Ploeg, Rachelle Bonja, Lisa Chow, Marc Georges and Marion Lozano", - "pubDate": "Thu, 02 Dec 2021 11:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Newark Officer Hit a Pedestrian With His Car and Took Body Home, Prosecutors Say", + "description": "Louis Santiago was charged with reckless vehicular homicide after being accused of hitting a man on the Garden State Parkway. Instead of calling 911, the off-duty police officer took the victim to his home.", + "content": "Louis Santiago was charged with reckless vehicular homicide after being accused of hitting a man on the Garden State Parkway. Instead of calling 911, the off-duty police officer took the victim to his home.", + "category": "Santiago, Louis (Newark, NJ, Police Officer)", + "link": "https://www.nytimes.com/2021/11/25/nyregion/new-jersey-police-officer-car-home.html", + "creator": "Mike Ives and Alyssa Lukpat", + "pubDate": "Thu, 25 Nov 2021 19:24:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "070552126c782669f08a3c9b5b53c138" + "hash": "451eccd6ed72849dd77b50caff1cd5fb" }, { - "title": "奥密克戎来袭,世界重温噩梦", - "description": "与新冠病毒搏斗了近两年后,这个世界到底学到了什么?", - "content": "与新冠病毒搏斗了近两年后,这个世界到底学到了什么?", - "category": "", - "link": "https://www.nytimes.com/zh-hans/2021/12/02/world/asia/covid-omicron-nightmare.html", - "creator": "Rong Xiaoqing", - "pubDate": "Thu, 02 Dec 2021 07:58:49 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Sweden Finally Chose a Prime Minister. She Lasted About 7 Hours.", + "description": "Magdalena Andersson, Sweden’s first female prime minister, quit after her government’s budget was defeated on her first day in office and her coalition partners bolted.", + "content": "Magdalena Andersson, Sweden’s first female prime minister, quit after her government’s budget was defeated on her first day in office and her coalition partners bolted.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/25/world/europe/sweden-first-female-prime-minister-quit.html", + "creator": "Aina J. Khan", + "pubDate": "Thu, 25 Nov 2021 18:33:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "29bc56732f77bf3c9c61c2f72b640c69" + "hash": "3f69459e6954622b558981332de904dd" }, { - "title": "Former Epstein Employee Details Maxwell’s Pervasive Control in Trial", - "description": "Ghislaine Maxwell controlled every detail of life inside Jeffery Epstein’s Palm Beach estate, a former manager of the property said. Follow updates here.", - "content": "Ghislaine Maxwell controlled every detail of life inside Jeffery Epstein’s Palm Beach estate, a former manager of the property said. Follow updates here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/02/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Thu, 02 Dec 2021 20:56:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ethiopian Leader Vows to Lead Troops as War Threatens to Widen", + "description": "Two years after receiving the Nobel Peace Prize, Prime Minister Abiy Ahmed’s claim that he was going into battle reflected both resolve and vulnerability.", + "content": "Two years after receiving the Nobel Peace Prize, Prime Minister Abiy Ahmed’s claim that he was going into battle reflected both resolve and vulnerability.", + "category": "Tigrayans (Ethnic Group)", + "link": "https://www.nytimes.com/2021/11/25/world/africa/ethiopia-abiy-troops-battlefront.html", + "creator": "Declan Walsh", + "pubDate": "Thu, 25 Nov 2021 18:16:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "358211e0032f3499c2310424368c4d5b" + "hash": "8da53f37dae6c3a33d7b929775acccb3" }, { - "title": "Havana Syndrome Mystery: Review Finds No Answers", - "description": "Some officials remain convinced Russia is involved, but so far there is no evidence pointing to a particular adversary and no one has detected microwaves or other possible weapons.", - "content": "Some officials remain convinced Russia is involved, but so far there is no evidence pointing to a particular adversary and no one has detected microwaves or other possible weapons.", - "category": "Havana Syndrome", - "link": "https://www.nytimes.com/2021/12/02/us/politics/havana-syndrome.html", - "creator": "Julian E. Barnes and Adam Goldman", - "pubDate": "Thu, 02 Dec 2021 20:28:47 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "G.O.P. Cements Hold on Legislatures in Battleground States", + "description": "Democrats were once able to count on wave elections to win back key statehouses. Republican gerrymandering is making that all but impossible.", + "content": "Democrats were once able to count on wave elections to win back key statehouses. Republican gerrymandering is making that all but impossible.", + "category": "Republican Party", + "link": "https://www.nytimes.com/2021/11/25/us/politics/republican-redistricting-swing-states.html", + "creator": "Nick Corasaniti", + "pubDate": "Thu, 25 Nov 2021 18:14:00 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2d1e18ffabba9b5e9157500c3a46eb2" + "hash": "646d52c809bfd9b3eebf0206c87e908f" }, { - "title": "F.T.C. Sues to Block Nvidia’s Takeover of Arm", - "description": "The proposed deal would give Nvidia control over computing technology and designs that rival firms rely on.", - "content": "The proposed deal would give Nvidia control over computing technology and designs that rival firms rely on.", - "category": "Mergers, Acquisitions and Divestitures", - "link": "https://www.nytimes.com/2021/12/02/technology/ftc-nvidia-arm-deal.html", - "creator": "Cecilia Kang and Don Clark", - "pubDate": "Thu, 02 Dec 2021 21:28:17 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "80 Years of Holiday Shopping in New York", + "description": "Holiday shopping over the past 80 years as chronicled in photos from The New York Times archives.", + "content": "Holiday shopping over the past 80 years as chronicled in photos from The New York Times archives.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/11/25/business/black-friday-holiday-shopping.html", + "creator": "", + "pubDate": "Thu, 25 Nov 2021 17:00:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f624045d2933df1335411e8ba85674d8" + "hash": "7526f0ec18f69276a600477917129349" }, { - "title": "Fentanyl in Bottle Kills Toddler, and Father Is Charged", - "description": "The death of 22-month-old Charles Rosa-Velloso was just one of several opioid-related fatalities of young children this year.", - "content": "The death of 22-month-old Charles Rosa-Velloso was just one of several opioid-related fatalities of young children this year.", - "category": "Drug Abuse and Traffic", - "link": "https://www.nytimes.com/2021/12/02/nyregion/father-charged-toddler-fentanyl-death.html", - "creator": "Andy Newman", - "pubDate": "Thu, 02 Dec 2021 21:37:15 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As Young Kids Get Covid Shots, Families Feel a 'Huge Weight' Lifted", + "description": "Many households with immunocompromised or vulnerable relatives are racing to get Covid shots for their 5-to-11-year-olds — and finally experiencing a long-awaited sense of relief.", + "content": "Many households with immunocompromised or vulnerable relatives are racing to get Covid shots for their 5-to-11-year-olds — and finally experiencing a long-awaited sense of relief.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/25/health/covid-vaccine-children-immunocompromised.html", + "creator": "Jennifer Steinhauer", + "pubDate": "Thu, 25 Nov 2021 16:46:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e530c0395b7dc675f25d7b2e16c4293b" + "hash": "b3a8685166b53f17b56162fa13e2b017" }, { - "title": "NFL Suspends Antonio Brown Over Fake Vaccination Card", - "description": "The Tampa Bay Buccaneers receiver and two other players had fake vaccination cards in violation of the Covid-19 protocols established between the league and its players’ union.", - "content": "The Tampa Bay Buccaneers receiver and two other players had fake vaccination cards in violation of the Covid-19 protocols established between the league and its players’ union.", - "category": "National Football League", - "link": "https://www.nytimes.com/2021/12/02/sports/football/antonio-brown-covid-vaccine-suspended.html", - "creator": "Ben Shpigel", - "pubDate": "Thu, 02 Dec 2021 22:24:18 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Why Retailers Are Fighting a Vaccine Mandate Before the Holidays", + "description": "The Biden administration has called on major companies to help fight the pandemic. Big chains want to get past the holiday staffing crunch first.", + "content": "The Biden administration has called on major companies to help fight the pandemic. Big chains want to get past the holiday staffing crunch first.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/11/25/business/retail-vaccine-mandates.html", + "creator": "Lauren Hirsch and Sapna Maheshwari", + "pubDate": "Thu, 25 Nov 2021 15:43:42 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4325734527c07ad443b0edee4f44205" + "hash": "4c73ddf9c89bd0a61991a2e1a2d682de" }, { - "title": "Man Who Planted Razor Blades in Pizza Dough Gets 5 Years in Prison", - "description": "No one was reported injured, but prosecutors say that the recall prompted by Nicholas Mitchell’s tampering resulted in nearly $230,000 in losses to a Maine-based supermarket chain.", - "content": "No one was reported injured, but prosecutors say that the recall prompted by Nicholas Mitchell’s tampering resulted in nearly $230,000 in losses to a Maine-based supermarket chain.", - "category": "Pizza", - "link": "https://www.nytimes.com/2021/12/02/us/pizza-dough-razor-blades-sentencing.html", - "creator": "Neil Vigdor", - "pubDate": "Thu, 02 Dec 2021 23:22:37 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Embracing the Swimming Culture After a Move to Australia", + "description": "In Sydney, something changed. I embraced the uncertainty of the sea, following my children into a culture of volunteer lifesaving.", + "content": "In Sydney, something changed. I embraced the uncertainty of the sea, following my children into a culture of volunteer lifesaving.", + "category": "Drownings", + "link": "https://www.nytimes.com/2021/11/25/sports/australia-volunteer-lifesaving-swimming.html", + "creator": "Damien Cave and Michaela Skovranova", + "pubDate": "Thu, 25 Nov 2021 15:34:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f858157a06d00f3bba293abc7a42d78" + "hash": "e05322b698104eeb205d2fe258b6c99c" }, { - "title": "BuzzFeed readies public stock offering amid worker protest.", - "description": "BuzzFeed will make its market debut as soon as Monday. As shareholders voted on the deal, some of the media company’s employees staged a work stoppage.", - "content": "BuzzFeed will make its market debut as soon as Monday. As shareholders voted on the deal, some of the media company’s employees staged a work stoppage.", - "category": "BuzzFeed Inc", - "link": "https://www.nytimes.com/2021/12/02/business/media/buzzfeed-spac.html", - "creator": "Katie Robertson and Peter Eavis", - "pubDate": "Thu, 02 Dec 2021 23:21:30 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Here's Why You Always Have Room for Thanksgiving Pie", + "description": "There’s a reason you turn into an eating machine on Thanksgiving. It’s biology!", + "content": "There’s a reason you turn into an eating machine on Thanksgiving. It’s biology!", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/11/25/well/eat/eating-variety-effect-thanksgiving.html", + "creator": "Tara Parker-Pope", + "pubDate": "Thu, 25 Nov 2021 14:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "591534fe1e5cc8df5dec40d5c4d7d132" + "hash": "ea266d3a4026a1f41db06cf04c00f61e" }, { - "title": "Blinken Trades Warnings With Russia’s Lavrov Over Ukraine, NATO", - "description": "The secretary of state said that President Biden is ‘likely’ to speak soon with Russian President Vladimir V. Putin.", - "content": "The secretary of state said that President Biden is ‘likely’ to speak soon with Russian President Vladimir V. Putin.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/12/02/us/politics/russia-biden-ukraine.html", - "creator": "Michael Crowley", - "pubDate": "Thu, 02 Dec 2021 22:15:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Art We Saw This Fall", + "description": "From our critics, reviews of closed gallery shows around New York City.", + "content": "From our critics, reviews of closed gallery shows around New York City.", + "category": "Art", + "link": "https://www.nytimes.com/2021/11/25/arts/design/art-we-saw-this-fall.html", + "creator": "The New York Times", + "pubDate": "Thu, 25 Nov 2021 13:08:40 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30f938afacda28079372a86abe134bc0" + "hash": "a988e63315dd0d24a9d0ae6b0bcf7fe2" }, { - "title": "Prints Long Thought to Be Bear Tracks May Have Been Made by Human Ancestor", - "description": "New research published in the journal Nature suggests that the prints, discovered in Tanzania in 1976, were left by an unidentified hominin, or early human ancestor, more than 3.6 million years ago.", - "content": "New research published in the journal Nature suggests that the prints, discovered in Tanzania in 1976, were left by an unidentified hominin, or early human ancestor, more than 3.6 million years ago.", - "category": "Paleontology", - "link": "https://www.nytimes.com/2021/12/01/science/hominin-footprints-tanzania.html", - "creator": "Isabella Grullón Paz", - "pubDate": "Wed, 01 Dec 2021 23:36:14 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Suspect Arrested in Wonnangatta Valley Murder Case", + "description": "In a remote southern Australian area famed for its forbidding landscape and unsolved mysteries, the couple had set out for a weeklong trip and were never seen again.", + "content": "In a remote southern Australian area famed for its forbidding landscape and unsolved mysteries, the couple had set out for a weeklong trip and were never seen again.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/11/25/world/australia/suspect-is-charged-with-murder-in-case-of-two-vanished-campers.html", + "creator": "Yan Zhuang", + "pubDate": "Thu, 25 Nov 2021 11:46:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30c9d28fc33836941d25cd08eb4203ef" + "hash": "121a853f73a9a4b609f7591c2e4edb30" }, { - "title": "Looking at Surrealist Art in Our Own Surreal Age", - "description": "When viewed as a vehicle for various forms of liberation, the movement remains highly resonant even a century after its heyday.", - "content": "When viewed as a vehicle for various forms of liberation, the movement remains highly resonant even a century after its heyday.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/29/t-magazine/surrealism-art-met-exhibit.html", - "creator": "Kate Guadagnino", - "pubDate": "Mon, 29 Nov 2021 13:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A History of Unusual Thanksgivings", + "description": "From the pages of The Times.", + "content": "From the pages of The Times.", + "category": "", + "link": "https://www.nytimes.com/2021/11/25/briefing/thanksgiving-history-cooking-tips.html", + "creator": "David Leonhardt", + "pubDate": "Thu, 25 Nov 2021 11:28:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "51acde1b2a3e4f459262f709ccadb71b" + "hash": "3024f9ed7e5242a4e6701d1ac0b1498f" }, { - "title": "One Composer, Four Players, ‘Seven Pillars’", - "description": "Andy Akiho’s 11-part, 80-minute new work for percussion quartet is a lush, brooding celebration of noise.", - "content": "Andy Akiho’s 11-part, 80-minute new work for percussion quartet is a lush, brooding celebration of noise.", - "category": "Classical Music", - "link": "https://www.nytimes.com/2021/12/02/arts/akiho-sandbox-percussion-seven-pillars.html", - "creator": "Zachary Woolfe", - "pubDate": "Thu, 02 Dec 2021 11:12:12 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Rivian’s Electric Truck Is a Cutie and a Beast", + "description": "The R1T can haul five tons, conquer brutal off-road trails and sprint to 60 miles an hour in a blink. And about that Camp Kitchen tucked inside …", + "content": "The R1T can haul five tons, conquer brutal off-road trails and sprint to 60 miles an hour in a blink. And about that Camp Kitchen tucked inside …", + "category": "Rivian Automotive LLC", + "link": "https://www.nytimes.com/2021/11/25/business/rivian-r1t-truck-review.html", + "creator": "Lawrence Ulrich", + "pubDate": "Thu, 25 Nov 2021 11:00:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8066b4a7b5adcc7f9782e7276ec85812" + "hash": "fe8a6b32ea6c34386cf8294cc64010c0" }, { - "title": "Here Are The Most Used Emojis of 2021", - "description": "Tears of joy prevailed as the most-used emoji in 2021, despite Gen Z’s stated contempt for it.", - "content": "Tears of joy prevailed as the most-used emoji in 2021, despite Gen Z’s stated contempt for it.", - "category": "Unicode Consortium", - "link": "https://www.nytimes.com/2021/12/02/style/emojis-most-used.html", - "creator": "Anna P. Kambhampaty", - "pubDate": "Thu, 02 Dec 2021 17:03:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The ‘13 Going on 30’ Versace Dress Has Come Full Circle", + "description": "A perfect storm of internet fashion trends — and Halloween — has resurrected a Y2K-era Versace dress. At least, for now.", + "content": "A perfect storm of internet fashion trends — and Halloween — has resurrected a Y2K-era Versace dress. At least, for now.", + "category": "Fashion and Apparel", + "link": "https://www.nytimes.com/2021/11/25/style/versace-13-going-on-30-dress.html", + "creator": "Jessica Testa", + "pubDate": "Thu, 25 Nov 2021 10:00:18 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a60fcc207be68601629c0b0aa95087f0" + "hash": "14f2e5c29d7d6fda5a18950a31864064" }, { - "title": "‘Flee’ Review: From Kabul to Copenhagen", - "description": "A Danish documentary uses animation to tell the poignant, complicated story of an Afghan refugee.", - "content": "A Danish documentary uses animation to tell the poignant, complicated story of an Afghan refugee.", - "category": "Documentary Films and Programs", - "link": "https://www.nytimes.com/2021/12/02/movies/flee-review.html", - "creator": "A.O. Scott", - "pubDate": "Thu, 02 Dec 2021 17:09:45 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Liberals Can Be Happier", + "description": "They can embrace social institutions like family, religion and local civic organizations. ", + "content": "They can embrace social institutions like family, religion and local civic organizations. ", + "category": "Happiness", + "link": "https://www.nytimes.com/2021/11/25/opinion/liberals-happiness-thanksgiving.html", + "creator": "Brad Wilcox, Hal Boyd and Wendy Wang", + "pubDate": "Thu, 25 Nov 2021 10:00:06 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa27371904502cf57b4c8a60a9dca2f6" + "hash": "ed4856db3c9f67469924af51cc8673db" }, { - "title": "Bette Midler Is Still in the Thrall of 19th-Century Novelists", - "description": "“I love Dickens and Twain above all.”", - "content": "“I love Dickens and Twain above all.”", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/12/02/books/review/bette-midler-by-the-book-interview.html", - "creator": "", - "pubDate": "Thu, 02 Dec 2021 10:00:04 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Scrambling to Keep Up With the Rent", + "description": "When the unexpected happened, finances were stretched and parents needed assistance to keep up.", + "content": "When the unexpected happened, finances were stretched and parents needed assistance to keep up.", + "category": "New York Times Neediest Cases Fund", + "link": "https://www.nytimes.com/2021/11/25/neediest-cases/scrambling-to-keep-up-with-the-rent.html", + "creator": "Kristen Bayrakdarian", + "pubDate": "Thu, 25 Nov 2021 10:00:06 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "980f5ef4b1bd5282443f19f29b679499" + "hash": "bdfb9019a755fc3aef028c03b8e5ba37" }, { - "title": "Stream These 15 Titles Before They Leave Netflix in December", - "description": "The end of the year means a lot of expiring licenses. Check out these movies and TV shows before they disappear for U.S. subscribers in the coming weeks.", - "content": "The end of the year means a lot of expiring licenses. Check out these movies and TV shows before they disappear for U.S. subscribers in the coming weeks.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/01/arts/television/netflix-expiring-december.html", - "creator": "Jason Bailey", - "pubDate": "Wed, 01 Dec 2021 21:39:46 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Solomon Islands: Why Are People Protesting?", + "description": "Discontent has long simmered over a perceived unequal distribution of resources and the central government’s decision to switch allegiances to Beijing from Taipei.", + "content": "Discontent has long simmered over a perceived unequal distribution of resources and the central government’s decision to switch allegiances to Beijing from Taipei.", + "category": "Solomon Islands", + "link": "https://www.nytimes.com/2021/11/25/world/asia/solomon-islands-riot.html", + "creator": "Yan Zhuang", + "pubDate": "Thu, 25 Nov 2021 08:06:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "222bbdde9ad5c28ded77c8c13491175b" + "hash": "e5a3edce4b46b7af49ca3c8eaa1cb04d" }, { - "title": "Jacqueline Avant, Philanthropist and Wife of Music Producer Clarence Avant, Is Fatally Shot", - "description": "Ms. Avant, 81, was found with a gunshot wound after the police received a report of a shooting at her home in Beverly Hills early Wednesday, the police said.", - "content": "Ms. Avant, 81, was found with a gunshot wound after the police received a report of a shooting at her home in Beverly Hills early Wednesday, the police said.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/12/01/us/jacqueline-avant-shot-killed.html", - "creator": "Michael Levenson", - "pubDate": "Thu, 02 Dec 2021 02:17:25 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As Turkeys Take Over Campus, Some Colleges Are More Thankful Than Others", + "description": "From California to Minnesota to Massachusetts, turkeys have taken a liking to university life, leading to social media stardom and crosswalk confrontations.", + "content": "From California to Minnesota to Massachusetts, turkeys have taken a liking to university life, leading to social media stardom and crosswalk confrontations.", + "category": "Turkeys", + "link": "https://www.nytimes.com/2021/11/25/us/turkey-college-campus.html", + "creator": "Mitch Smith", + "pubDate": "Thu, 25 Nov 2021 08:00:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "54e56b48fedadb285f56118bd618f5c4" + "hash": "c457f8e3b0a23d8de3c7fb42cbde403d" }, { - "title": "3 Students Are Killed in Michigan School Shooting", - "description": "A 15-year-old sophomore was taken into custody with a semiautomatic handgun that was bought by his father four days before the fatal shooting.", - "content": "A 15-year-old sophomore was taken into custody with a semiautomatic handgun that was bought by his father four days before the fatal shooting.", - "category": "School Shootings and Armed Attacks", - "link": "https://www.nytimes.com/2021/12/01/us/oxford-oakland-county-shooting.html", - "creator": "Scott Atkinson, Mitch Smith and Neal E. Boudette", - "pubDate": "Wed, 01 Dec 2021 07:06:50 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Two N.Y.P.D. Officers Are Shot in Gun Battle in the Bronx", + "description": "The officers, who were responding to a report of a gun, were expected to survive. The suspect was also shot.", + "content": "The officers, who were responding to a report of a gun, were expected to survive. The suspect was also shot.", + "category": "Attacks on Police", + "link": "https://www.nytimes.com/2021/11/24/nyregion/nypd-officers-shot-bronx.html", + "creator": "Michael Levenson and Karen Zraick", + "pubDate": "Thu, 25 Nov 2021 07:39:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7d094e3143ca92040875898b8b938fc5" + "hash": "d643789d7507059117793d67da7077b7" }, { - "title": "Why Didn’t the U.S. Detect Omicron Cases Sooner?", - "description": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", - "content": "Genomic surveillance has improved enormously in recent months, but the system has built-in delays, and blind spots remain.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/12/02/health/coronavirus-omicron-genetic-surveillance.html", - "creator": "Emily Anthes", - "pubDate": "Thu, 02 Dec 2021 21:19:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Baltimore Thanksgiving Memory", + "description": "Eating had become a chore for my parents, but I was determined to make a feast. I had never given much thought to Dad’s penknife until that meal.", + "content": "Eating had become a chore for my parents, but I was determined to make a feast. I had never given much thought to Dad’s penknife until that meal.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2021/11/25/opinion/thanksgiving-penknife.html", + "creator": "Rafael Alvarez", + "pubDate": "Thu, 25 Nov 2021 06:00:03 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b0b4b61ea9ff9b9b13f4c6147eacfa1" + "hash": "eb321cfdced251a9d156a405ff918086" }, { - "title": "Another Omicron Case is Detected in the US, This Time in a Minnesota Resident", - "description": "Officials said they found the virus variant in a test sample from a man who had recently traveled to New York City for a convention.", - "content": "Officials said they found the virus variant in a test sample from a man who had recently traveled to New York City for a convention.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/12/02/us/minnesota-omicron-case.html", - "creator": "Jill Cowan", - "pubDate": "Thu, 02 Dec 2021 20:49:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Peng Shuai’s Accusation Pierced the Privileged Citadel of Chinese Politics", + "description": "Zhang Gaoli was best known as a low-key technocrat. Then a Chinese tennis star’s allegations made him a symbol of a system that bristles against scrutiny.", + "content": "Zhang Gaoli was best known as a low-key technocrat. Then a Chinese tennis star’s allegations made him a symbol of a system that bristles against scrutiny.", + "category": "", + "link": "https://www.nytimes.com/2021/11/25/world/asia/china-peng-shuai-zhang-gaoli.html", + "creator": "Chris Buckley and Steven Lee Myers", + "pubDate": "Thu, 25 Nov 2021 05:02:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ad6481145750552606a6758b79d81a6" + "hash": "511569aedd747eee811f0239cd103db3" }, { - "title": "Will High Vaccination Rates Help Spain Weather Omicron?", - "description": "Spain surpassed others in Europe by avoiding politicized debate about Covid shots. Citizens also largely heeded the health guidance from their leaders.", - "content": "Spain surpassed others in Europe by avoiding politicized debate about Covid shots. Citizens also largely heeded the health guidance from their leaders.", + "title": "Do Sports Still Need China?", + "description": "Global outrage, broken contracts and shifting politics could change the calculus for leagues and teams that once raced to do business in China.", + "content": "Global outrage, broken contracts and shifting politics could change the calculus for leagues and teams that once raced to do business in China.", "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/world/europe/spain-omicron.html", - "creator": "Nicholas Casey", - "pubDate": "Thu, 02 Dec 2021 18:14:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.nytimes.com/2021/11/24/sports/olympics/china-sports-peng-shuai.html", + "creator": "Andrew Keh", + "pubDate": "Thu, 25 Nov 2021 04:52:14 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea5c2f15ddef4dc3256adffc4c8cad2d" + "hash": "a881b3ab6475c3ac2ea8c940e4a3bec7" }, { - "title": "Government Shutdown Still Looms Despite Spending Deal", - "description": "Even as the House set a Thursday vote to fund the government through February, Senate Republicans were still threatening to force a shutdown over vaccine mandates.", - "content": "Even as the House set a Thursday vote to fund the government through February, Senate Republicans were still threatening to force a shutdown over vaccine mandates.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/us/politics/government-shutdown-congress-spending-deal.html", - "creator": "Emily Cochrane", - "pubDate": "Thu, 02 Dec 2021 16:54:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Mickey Guyton on Her Grammy Nominations: ‘I Was Right’", + "description": "Last Grammys, the singer became the first Black woman to be nominated for a solo country performance award. This time, she’s back with three more chances to win.", + "content": "Last Grammys, the singer became the first Black woman to be nominated for a solo country performance award. This time, she’s back with three more chances to win.", + "category": "Grammy Awards", + "link": "https://www.nytimes.com/2021/11/24/arts/music/mickey-guyton-grammy-nominations.html", + "creator": "Joe Coscarelli", + "pubDate": "Thu, 25 Nov 2021 03:37:44 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c15c44d146f6ec5239053db8b350abbd" + "hash": "5c231b31bdff805391f4ba7e0750854c" }, { - "title": "Is Holiday Gift-Giving Really Worth It?", - "description": "December’s materialism can feel perfunctory.", - "content": "December’s materialism can feel perfunctory.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/12/01/opinion/christmas-hanukkah-holiday-gifts.html", - "creator": "Jessica Grose", - "pubDate": "Wed, 01 Dec 2021 14:41:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "At Last Minute, Kanye West, Taylor Swift Added as Top Grammy Nominees", + "description": "Abba, Lil Nas X and others benefited as the number of competitors in the four all-genre categories grew from eight to 10 in a meeting the day before the nominations were announced.", + "content": "Abba, Lil Nas X and others benefited as the number of competitors in the four all-genre categories grew from eight to 10 in a meeting the day before the nominations were announced.", + "category": "Recording Academy", + "link": "https://www.nytimes.com/2021/11/24/arts/music/grammy-nominations-taylor-swift-kanye-west.html", + "creator": "Ben Sisario and Joe Coscarelli", + "pubDate": "Thu, 25 Nov 2021 03:28:24 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bcc9405d0199969c5969986c9303b17f" + "hash": "4cb611b36f97f3344c1084a704d34715" }, { - "title": "The National Debate Over Abortion Laws", - "description": "Readers discuss whether one can be a pro-life feminist, high-risk pregnancies and Judaism’s position on abortion. Also: Taking action against Omicron.", - "content": "Readers discuss whether one can be a pro-life feminist, high-risk pregnancies and Judaism’s position on abortion. Also: Taking action against Omicron.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/12/01/opinion/letters/abortion-laws.html", - "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:26:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Guilty Verdicts in the Ahmaud Arbery Case Are a Welcome Respite", + "description": "This was a reminder that the lives of Black people are valued in this country — at least on occasion.", + "content": "This was a reminder that the lives of Black people are valued in this country — at least on occasion.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/24/opinion/guilty-verdict-ahmaud-arbery.html", + "creator": "Charles M. Blow", + "pubDate": "Thu, 25 Nov 2021 02:46:14 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4fb647172024266b20fd30054a5abee8" + "hash": "3e1e292420e5ab09fac28d971464070f" }, { - "title": "PlayStations and Xboxes Are Hard to Find. Meet the People Trying to Help.", - "description": "New gaming consoles remain in short supply this holiday season, spawning cottage industries of tipsters and scalpers making money off their scarcity.", - "content": "New gaming consoles remain in short supply this holiday season, spawning cottage industries of tipsters and scalpers making money off their scarcity.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/12/02/business/video-game-consoles-scalpers.html", - "creator": "Kellen Browning and Julie Creswell", - "pubDate": "Thu, 02 Dec 2021 18:55:30 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Watch the Macy’s Thanksgiving Day Parade", + "description": "This year’s parade will feature performers like Kelly Rowland and Carrie Underwood and will have 15 giant balloons and 28 floats.", + "content": "This year’s parade will feature performers like Kelly Rowland and Carrie Underwood and will have 15 giant balloons and 28 floats.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2021/11/24/nyregion/macys-parade-time-thanksgiving.html", + "creator": "Lola Fadulu", + "pubDate": "Thu, 25 Nov 2021 01:30:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a37a4a6aa707d8e132506e9379a5a13" + "hash": "54f80cbc384086d98194f452eb1517d6" }, { - "title": "Abortion at the Court", - "description": "The Supreme Court seems likely to undermine or overturn Roe v. Wade.", - "content": "The Supreme Court seems likely to undermine or overturn Roe v. Wade.", - "category": "", - "link": "https://www.nytimes.com/2021/12/02/briefing/supreme-court-abortion-case-mississippi.html", - "creator": "David Leonhardt and Ian Prasad Philbrick", - "pubDate": "Thu, 02 Dec 2021 11:35:52 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "U.S. Reacts to Guilty Verdict in Ahmaud Arbery Murder Case", + "description": "The murder convictions of three white men in the death of Ahmaud Arbery were praised by many as a just outcome in a case that could have stoked racial divisions.", + "content": "The murder convictions of three white men in the death of Ahmaud Arbery were praised by many as a just outcome in a case that could have stoked racial divisions.", + "category": "Black Lives Matter Movement", + "link": "https://www.nytimes.com/2021/11/24/us/ahmaud-arbery-verdict-reaction.html", + "creator": "Jack Healy and Tariro Mzezewa", + "pubDate": "Thu, 25 Nov 2021 01:03:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d10168bf8c02d9fa1d01dfa8a062c4a" + "hash": "926f7e92bedbdeee293329b0ef262cb0" }, { - "title": "Emily Ratajkowski Isn’t Quite Ready to Quit Profiting Off the Male Gaze", - "description": "The model on wielding beauty and power in the age of Instagram.", - "content": "The model on wielding beauty and power in the age of Instagram.", - "category": "audio-neutral-informative", - "link": "https://www.nytimes.com/2021/11/29/opinion/sway-kara-swisher-emily-ratajkowski.html", - "creator": "‘Sway’", - "pubDate": "Mon, 29 Nov 2021 14:21:15 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "27 Migrants Drown Trying to Go From France to U.K. by Boat", + "description": "The boat, which capsized near Calais, had been carrying a group of migrants to Britain. “France won’t let the Channel become a graveyard,’’ President Emmanuel Macron said.", + "content": "The boat, which capsized near Calais, had been carrying a group of migrants to Britain. “France won’t let the Channel become a graveyard,’’ President Emmanuel Macron said.", + "category": "Maritime Accidents and Safety", + "link": "https://www.nytimes.com/2021/11/24/world/europe/migrants-boat-capsize-calais.html", + "creator": "Aurelien Breeden, Constant Méheut and Norimitsu Onishi", + "pubDate": "Thu, 25 Nov 2021 00:24:29 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "36420908dc64d7297494840d2aa92ed7" + "hash": "1a09481ff5e95cd873a09e7ff414d1be" }, { - "title": "As French Election Looms, Candidates Stake Out Tough Positions on Migrants", - "description": "With a presidential election looming, French presidential hopefuls are hardening their positions against immigration even as other countries compete for migrant workers.", - "content": "With a presidential election looming, French presidential hopefuls are hardening their positions against immigration even as other countries compete for migrant workers.", - "category": "Immigration and Emigration", - "link": "https://www.nytimes.com/2021/12/02/world/europe/french-election-immigration.html", - "creator": "Norimitsu Onishi", - "pubDate": "Thu, 02 Dec 2021 20:04:09 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "President Biden Arrives in Nantucket for Thanksgiving ", + "description": "President Biden and his family are spending Thanksgiving on Nantucket, renewing a family tradition that dates back to 1975.", + "content": "President Biden and his family are spending Thanksgiving on Nantucket, renewing a family tradition that dates back to 1975.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/11/24/us/politics/biden-thanksgiving-nantucket.html", + "creator": "Zolan Kanno-Youngs", + "pubDate": "Wed, 24 Nov 2021 23:55:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b73960d7c367d2c32abca1b561351f3f" + "hash": "7c6fc4cbd9b2edeb32f38bce86fc330d" }, { - "title": "Two Election Workers Targeted by Pro-Trump Media Sue for Defamation", - "description": "The two Georgia workers were falsely accused of manipulating ballots by Trump allies and right-wing news sites. Election officials said the workers did nothing wrong.", - "content": "The two Georgia workers were falsely accused of manipulating ballots by Trump allies and right-wing news sites. Election officials said the workers did nothing wrong.", - "category": "Gateway Pundit (Blog)", - "link": "https://www.nytimes.com/2021/12/02/us/politics/gateway-pundit-defamation-lawsuit.html", - "creator": "Reid J. Epstein", - "pubDate": "Thu, 02 Dec 2021 17:45:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "NFL to Settle Lawsuit Over Rams’ Departure for $790 Million", + "description": "Rams owner Stanley Kroenke is expected to pay the entire amount, ending the four-year court battle over the team’s move to Los Angeles in 2016.", + "content": "Rams owner Stanley Kroenke is expected to pay the entire amount, ending the four-year court battle over the team’s move to Los Angeles in 2016.", + "category": "Suits and Litigation (Civil)", + "link": "https://www.nytimes.com/2021/11/24/sports/football/nfl-st-louis-rams-relocation.html", + "creator": "Ken Belson", + "pubDate": "Wed, 24 Nov 2021 23:15:03 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "99afb49cb6f1977922b60a6c6200292f" + "hash": "b3d0638a93f2257e5eed269ae8ab5c2a" }, { - "title": "Double Resignation Shakes Austrian Politics in Aftermath of Scandal", - "description": "Sebastian Kurz, a former chancellor under investigation for influence-buying and corruption, said he was quitting politics. Within hours, his successor and ally also resigned, after only two months on the job.", - "content": "Sebastian Kurz, a former chancellor under investigation for influence-buying and corruption, said he was quitting politics. Within hours, his successor and ally also resigned, after only two months on the job.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/02/world/europe/austria-kurz-successor-resignation.html", - "creator": "Steven Erlanger", - "pubDate": "Thu, 02 Dec 2021 20:43:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What the Arbery and Rittenhouse Verdicts Couldn't Tell Us", + "description": "We must stop tying our hopes for justice to high-profile criminal cases.", + "content": "We must stop tying our hopes for justice to high-profile criminal cases.", + "category": "Rittenhouse, Kyle", + "link": "https://www.nytimes.com/2021/11/24/opinion/arbery-verdict-rittenhouse.html", + "creator": "Sarah Lustbader", + "pubDate": "Wed, 24 Nov 2021 23:08:18 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c319f99a2bba3163c0290792bcc75dcf" + "hash": "9047692599b1f4c8fb935c1a40789677" }, { - "title": "Anti-Vaccination Ad Mysteriously Appears at N.Y.C. Bus Stop", - "description": "City officials said the ad, which contained false information and was seen at a bus stop in Brooklyn, had not been authorized. It was later removed.", - "content": "City officials said the ad, which contained false information and was seen at a bus stop in Brooklyn, had not been authorized. It was later removed.", - "category": "Vaccination and Immunization", - "link": "https://www.nytimes.com/2021/12/02/nyregion/anti-vaccine-poster-brooklyn.html", - "creator": "Winnie Hu and Michael Gold", - "pubDate": "Thu, 02 Dec 2021 20:06:09 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The YZY GAP Round Jacket Review", + "description": "If you love to talk to people, this is the coat for you.", + "content": "If you love to talk to people, this is the coat for you.", + "category": "Coats and Jackets", + "link": "https://www.nytimes.com/2021/11/24/style/yeezy-gap-jacket.html", + "creator": "André Wheeler", + "pubDate": "Wed, 24 Nov 2021 21:36:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "670e56b582eb8652921c2e89a0b49dd3" + "hash": "77c926c6b46bd94a4036c925af0565a8" }, { - "title": "Former Ohio Deputy Is Charged With Murder in Shooting of Casey Goodson Jr", - "description": "The former deputy, Jason Meade, was a member of a fugitive task force when he shot Casey Goodson Jr., 23, who was not the target of the operation, according to an indictment. He faces two murder counts.", - "content": "The former deputy, Jason Meade, was a member of a fugitive task force when he shot Casey Goodson Jr., 23, who was not the target of the operation, according to an indictment. He faces two murder counts.", - "category": "Goodson, Casey Christopher Jr", - "link": "https://www.nytimes.com/2021/12/02/us/casey-goodson-shooting.html", - "creator": "Christine Hauser", - "pubDate": "Thu, 02 Dec 2021 16:39:28 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Arbery Verdict: What is Malice Murder?", + "description": "In convicting Travis McMichael on that charge, the 12 jurors found that he had deliberately intended to kill Mr. Arbery.", + "content": "In convicting Travis McMichael on that charge, the 12 jurors found that he had deliberately intended to kill Mr. Arbery.", + "category": "Arbery, Ahmaud (1994-2020)", + "link": "https://www.nytimes.com/2021/11/24/us/malice-murder-arbery-murder-trial.html", + "creator": "Nicholas Bogel-Burroughs and Giulia Heyward", + "pubDate": "Wed, 24 Nov 2021 21:20:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "afa0e46db199e1fbb6b2931e20a521f2" + "hash": "2c5fd3c02be9beb7e705a87d971c75b4" }, { - "title": "Meghan Wins Legal Battle Against The Mail on Sunday", - "description": "An appeals court rejected a bid to force a trial over the duchess’s claim that the tabloid violated her privacy by publishing an anguished letter she sent to her estranged father.", - "content": "An appeals court rejected a bid to force a trial over the duchess’s claim that the tabloid violated her privacy by publishing an anguished letter she sent to her estranged father.", - "category": "Royal Families", - "link": "https://www.nytimes.com/2021/12/02/world/europe/meghan-markle-tabloid-lawsuit.html", - "creator": "Mark Landler", - "pubDate": "Thu, 02 Dec 2021 16:03:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Justice Was Served’: Guilty Verdicts in the Ahmaud Arbery Case", + "description": "Readers express relief. One calls it the “only rational and equitable verdict.” Also: A Covid Thanksgiving, and one in prison; children and grief.", + "content": "Readers express relief. One calls it the “only rational and equitable verdict.” Also: A Covid Thanksgiving, and one in prison; children and grief.", + "category": "Arbery, Ahmaud (1994-2020)", + "link": "https://www.nytimes.com/2021/11/24/opinion/letters/ahmaud-arbery.html", + "creator": "", + "pubDate": "Wed, 24 Nov 2021 21:16:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fde5a44437e333b06fe0ca71b5430a06" + "hash": "50a7c2af17d77f7b23bac51be07b1035" }, { - "title": "Hundreds of FedEx Packages Dumped in Alabama Ravine, Authorities Say", - "description": "Amid the holiday shopping crush, more than 300 packages were discovered on private property. The driver, who has been identified and questioned by the police, is no longer working for FedEx, the company said.", - "content": "Amid the holiday shopping crush, more than 300 packages were discovered on private property. The driver, who has been identified and questioned by the police, is no longer working for FedEx, the company said.", - "category": "Delivery Services", - "link": "https://www.nytimes.com/2021/12/02/us/fedex-packages-dumped.html", - "creator": "Derrick Bryson Taylor", - "pubDate": "Thu, 02 Dec 2021 15:51:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Margo Guryan, Whose Album Drew Belated Acclaim, Dies at 84", + "description": "She recorded “Take a Picture” in 1968, but it died when she declined to tour. Three decades later, adventurous listeners discovered it and gave it a new life.", + "content": "She recorded “Take a Picture” in 1968, but it died when she declined to tour. Three decades later, adventurous listeners discovered it and gave it a new life.", + "category": "Guryan, Margo (1937-2021)", + "link": "https://www.nytimes.com/2021/11/24/arts/music/margo-guryan-dead.html", + "creator": "Neil Genzlinger", + "pubDate": "Wed, 24 Nov 2021 21:05:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dffea95cddead7deae2fa4f249d670c3" + "hash": "3738ab5d9b2c4621bbe0c389c2331f44" }, { - "title": "As ‘Nutcracker’ Returns, Companies Rethink Depictions of Asians", - "description": "Ballet companies are reworking the holiday classic partly in response to a wave of anti-Asian hate that has intensified during the pandemic.", - "content": "Ballet companies are reworking the holiday classic partly in response to a wave of anti-Asian hate that has intensified during the pandemic.", - "category": "Dancing", - "link": "https://www.nytimes.com/2021/11/29/arts/dance/nutcracker-asian-stereotypes-rethinking.html", - "creator": "Javier C. Hernández", - "pubDate": "Mon, 29 Nov 2021 21:51:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ahmaud Arbery’s Final Minutes: What Videos and 911 Calls Show", + "description": "Using security footage, cellphone video, 911 calls and police reports, The Times has reconstructed the 12 minutes before Ahmaud Arbery was shot dead in Georgia on Feb. 23.", + "content": "Using security footage, cellphone video, 911 calls and police reports, The Times has reconstructed the 12 minutes before Ahmaud Arbery was shot dead in Georgia on Feb. 23.", + "category": "Arbery, Ahmaud (1994-2020)", + "link": "https://www.nytimes.com/video/us/100000007142853/ahmaud-arbery-video-911-georgia.html", + "creator": "Malachy Browne, Drew Jordan, Dmitriy Khavin and Ainara Tiefenthäler", + "pubDate": "Wed, 24 Nov 2021 21:02:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6ba4473e7149b9411f2c02cc175a314" + "hash": "0803011bd74d807030646269da126504" }, { - "title": "Cutting a Banksy Into 10,000 (Digital) Pieces", - "description": "A former Christie’s executive has joined cryptocurrency experts to create a company that purchases art and sells the fragments as NFTs.", - "content": "A former Christie’s executive has joined cryptocurrency experts to create a company that purchases art and sells the fragments as NFTs.", - "category": "Gouzer, Loic", - "link": "https://www.nytimes.com/2021/12/01/arts/design/banksy-nft-loic-gouzer-particle.html", - "creator": "Robin Pogrebin", - "pubDate": "Thu, 02 Dec 2021 00:56:09 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "For Afghan Refugees, a Choice Between Community and Opportunity", + "description": "In resettling thousands of displaced Afghans, the Biden administration must weigh their need for support against the needs of the U.S. labor market.", + "content": "In resettling thousands of displaced Afghans, the Biden administration must weigh their need for support against the needs of the U.S. labor market.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/11/24/us/afghan-refugees.html", + "creator": "Michael D. Shear and Jim Tankersley", + "pubDate": "Wed, 24 Nov 2021 21:01:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c774d4672c2078a6da1445165f8e66c4" + "hash": "31ec1dbbd233da485826dedbbf4fc913" }, { - "title": "College Football’s ‘Great Man Theory’ Gets a New Test at U.S.C.", - "description": "Southern California hired Lincoln Riley from Oklahoma, which is now looking for his successor. The carousel seemed to spin harder and faster than ever as programs looked for saviors.", - "content": "Southern California hired Lincoln Riley from Oklahoma, which is now looking for his successor. The carousel seemed to spin harder and faster than ever as programs looked for saviors.", - "category": "Coaches and Managers", - "link": "https://www.nytimes.com/2021/11/29/sports/ncaafootball/usc-lincoln-riley-oklahoma.html", - "creator": "Alan Blinder", - "pubDate": "Tue, 30 Nov 2021 01:35:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Nordstrom, Louis Vuitton and Others Hit in California Burglaries", + "description": "“Their plan was to overwhelm us,” Chief Bill Scott of the San Francisco police said after about a dozen stores were stolen from in one night.", + "content": "“Their plan was to overwhelm us,” Chief Bill Scott of the San Francisco police said after about a dozen stores were stolen from in one night.", + "category": "Shoplifting and Employee Theft (Retail)", + "link": "https://www.nytimes.com/2021/11/24/business/california-organized-crime-theft-looting.html", + "creator": "Azi Paybarah", + "pubDate": "Wed, 24 Nov 2021 20:55:01 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "208b89507400b2f5254b599b23462dc5" + "hash": "01562ad2a963b760a2ff1dc0d1bee259" }, { - "title": "The Best Movies and TV Shows Coming to Amazon, HBO, Hulu and More in December", - "description": "Every month, streaming services add movies and TV shows to its library. Here are our picks for some of December’s most promising new titles.", - "content": "Every month, streaming services add movies and TV shows to its library. Here are our picks for some of December’s most promising new titles.", - "category": "Television", - "link": "https://www.nytimes.com/2021/12/01/arts/television/amazon-disney-hulu-streaming.html", - "creator": "Noel Murray", - "pubDate": "Wed, 01 Dec 2021 21:57:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Why Columbia Student Workers Are Back On Strike", + "description": "Columbia University’s student workers’ union, made up of 3,000 workers, is striking for the second time this year, calling for higher wages and more protections.", + "content": "Columbia University’s student workers’ union, made up of 3,000 workers, is striking for the second time this year, calling for higher wages and more protections.", + "category": "Columbia University", + "link": "https://www.nytimes.com/2021/11/24/nyregion/columbia-grad-student-strike.html", + "creator": "Ashley Wong", + "pubDate": "Wed, 24 Nov 2021 20:17:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85c8bde03625428806dcae6118049040" + "hash": "e9ee3647f4530bf6f97f7f0e57df7cbe" }, { - "title": "The Knicks’ Struggles Go Deeper Than Kemba Walker", - "description": "A surprising reconsideration of the lineup that pushed Walker out of the rotation could help with some of the team’s issues, but not all of them.", - "content": "A surprising reconsideration of the lineup that pushed Walker out of the rotation could help with some of the team’s issues, but not all of them.", - "category": "Basketball", - "link": "https://www.nytimes.com/2021/12/01/sports/basketball/knicks-kemba-walker.html", - "creator": "Sopan Deb", - "pubDate": "Wed, 01 Dec 2021 21:26:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Who Is Olaf Scholz, Germany's Next Chancellor?", + "description": "Germany’s next chancellor is something of an enigma. He comes to power with a dizzying array of challenges, raising questions about whether he can fill the very big shoes of his predecessor.", + "content": "Germany’s next chancellor is something of an enigma. He comes to power with a dizzying array of challenges, raising questions about whether he can fill the very big shoes of his predecessor.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/24/world/europe/germany-new-chancellor-olaf-scholz.html", + "creator": "Katrin Bennhold", + "pubDate": "Wed, 24 Nov 2021 20:14:24 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bf87bc817a1355e49e4ebd21fb8d4f1" + "hash": "aaa68936b3bfe29e2b7178faaee88083" }, { - "title": "Supreme Court Seems Poised to Uphold Mississippi’s Abortion Law", - "description": "It was less clear whether the court’s conservative majority would overrule Roe v. Wade, the decision establishing a constitutional right to abortion.", - "content": "It was less clear whether the court’s conservative majority would overrule Roe v. Wade, the decision establishing a constitutional right to abortion.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/12/01/us/politics/supreme-court-mississippi-abortion-law.html", - "creator": "Adam Liptak", - "pubDate": "Thu, 02 Dec 2021 16:55:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Age of the Creative Minority", + "description": "Here are four ways to think about your group identity.", + "content": "Here are four ways to think about your group identity.", + "category": "Minorities", + "link": "https://www.nytimes.com/2021/11/24/opinion/creative-minority-multiculturalism.html", + "creator": "David Brooks", + "pubDate": "Wed, 24 Nov 2021 20:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1a57ecbc15f43db3b998c13aab4dc1c" + "hash": "fa19b6102417e35a57f16de2bae49deb" }, { - "title": "Marcus Lamb, a Christian Broadcaster and Vaccine Skeptic, Dies of Covid", - "description": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", - "content": "Mr. Lamb, who co-founded the Daystar Television Network, repeatedly suggested on air that people pray instead of getting vaccinated.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/01/us/marcus-lamb-dead.html", - "creator": "Alyssa Lukpat", - "pubDate": "Thu, 02 Dec 2021 16:23:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "This Thanksgiving, Keep Forgiveness on Hand", + "description": "As we sit down together during a difficult year, we’d be wise to consider a posture of grace ", + "content": "As we sit down together during a difficult year, we’d be wise to consider a posture of grace ", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2021/11/24/opinion/thanksgiving-family-forgiveness.html", + "creator": "Kelly Corrigan", + "pubDate": "Wed, 24 Nov 2021 20:00:06 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5cf9fee8f2e7aa5b5490f3e73c013a60" + "hash": "2b5fd09cb3aba3904dc769cf97a305bf" }, { - "title": "‘Call Me Dog Tag Man’: Pacific Island Is Full of War Relics and Human Remains", - "description": "More than 75 years after the Battle of Biak ended, collectors are still finding remnants of the fight, and U.S. authorities are hoping to bring closure to families of soldiers still missing.", - "content": "More than 75 years after the Battle of Biak ended, collectors are still finding remnants of the fight, and U.S. authorities are hoping to bring closure to families of soldiers still missing.", - "category": "Biak (Indonesia)", - "link": "https://www.nytimes.com/2021/12/02/world/asia/indonesia-battle-of-biak.html", - "creator": "Dera Menra Sijabat, Richard C. Paddock and Ulet Ifansasti", - "pubDate": "Thu, 02 Dec 2021 08:00:23 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "YassifyBot and 'Yassification' Memes, Explained", + "description": "A new Twitter account has amassed a following by sharing highly filtered versions of well-known images.", + "content": "A new Twitter account has amassed a following by sharing highly filtered versions of well-known images.", + "category": "Beauty (Concept)", + "link": "https://www.nytimes.com/2021/11/24/style/yassify-bot-meme.html", + "creator": "Shane O’Neill", + "pubDate": "Wed, 24 Nov 2021 19:50:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "034760d79dd55d388b1711eaf908fcde" + "hash": "3f457cd222298fcb25d8978378f44c49" }, { - "title": "The 10 Best Podcasts of 2021", - "description": "Shows about Chippendales, a notorious Hollywood bomb, the search for the perfect pasta shape and the immediate aftermath of 9/11 are among those worthy of your attention.", - "content": "Shows about Chippendales, a notorious Hollywood bomb, the search for the perfect pasta shape and the immediate aftermath of 9/11 are among those worthy of your attention.", - "category": "Podcasts", - "link": "https://www.nytimes.com/2021/12/01/arts/best-podcasts.html", - "creator": "Reggie Ugwu", - "pubDate": "Thu, 02 Dec 2021 15:07:18 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Claim of Herd Immunity Reignites Debate Over U.K. Covid Policy", + "description": "Neil Ferguson, a leading epidemiologist, said the country had almost reached a state of herd immunity as it settled into a new normal of about 40,000 cases a day. Other experts disagreed.", + "content": "Neil Ferguson, a leading epidemiologist, said the country had almost reached a state of herd immunity as it settled into a new normal of about 40,000 cases a day. Other experts disagreed.", + "category": "Disease Rates", + "link": "https://www.nytimes.com/2021/11/24/world/europe/uk-virus-herd-immunity.html", + "creator": "Stephen Castle and Mark Landler", + "pubDate": "Wed, 24 Nov 2021 19:29:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf57ed3a9a001361734696d89ab1aea9" + "hash": "d0521c9afaf010f6485270a4a8d62056" }, { - "title": "Counterfeit Covid Masks Are Still Sold Everywhere", - "description": "Rising Covid cases have spurred a return to mask-wearing in the U.S. and overseas, at a time when flawed KN95s from China continue to dominate e-commerce sites.", - "content": "Rising Covid cases have spurred a return to mask-wearing in the U.S. and overseas, at a time when flawed KN95s from China continue to dominate e-commerce sites.", - "category": "Masks", - "link": "https://www.nytimes.com/2021/11/30/health/covid-masks-counterfeit-fake.html", - "creator": "Andrew Jacobs", - "pubDate": "Tue, 30 Nov 2021 17:32:47 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "British Lawmaker Is Reprimanded for Bringing Her Baby to a Debate", + "description": "Stella Creasy received a letter of complaint for attending a debate with her infant son in tow. After an outcry, the speaker of the House of Commons said that a committee would review the rules.", + "content": "Stella Creasy received a letter of complaint for attending a debate with her infant son in tow. After an outcry, the speaker of the House of Commons said that a committee would review the rules.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/24/world/europe/stella-creasy-baby.html", + "creator": "Jenny Gross", + "pubDate": "Wed, 24 Nov 2021 18:52:41 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "768415a0aaa60479c968e8f0d3ddeaa6" + "hash": "5d0a3392b2aec02c8a4609f1141121b3" }, { - "title": "The Teenagers Getting Six Figures to Leave Their High Schools for Basketball", - "description": "The new pro league Overtime Elite is luring young phenoms with hefty salaries, viral success and — perhaps — a better path to the N.B.A.", - "content": "The new pro league Overtime Elite is luring young phenoms with hefty salaries, viral success and — perhaps — a better path to the N.B.A.", - "category": "Student Athlete Compensation", - "link": "https://www.nytimes.com/2021/11/30/magazine/overtime-elite-basketball-nba.html", - "creator": "Bruce Schoenfeld", - "pubDate": "Tue, 30 Nov 2021 14:59:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "C.D.C. Eases Up on Dog Travel Ban", + "description": "The agency will now allow some pets to be brought back into the United States from 113 countries considered as high risk for rabies.", + "content": "The agency will now allow some pets to be brought back into the United States from 113 countries considered as high risk for rabies.", + "category": "Dogs", + "link": "https://www.nytimes.com/2021/11/24/travel/cdc-dog-travel-ban.html", + "creator": "Debra Kamin", + "pubDate": "Wed, 24 Nov 2021 18:39:17 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30ee66536c26551d5ead7841437e1ea3" + "hash": "843e569d03de09c0bb4a9515e2722c4e" }, { - "title": "In a Nonbinary Pronoun, France Sees a U.S. Attack on the Republic", - "description": "When a French dictionary included the gender-nonspecific “iel” for the first time, a virulent reaction erupted over “wokisme” exported from American universities.", - "content": "When a French dictionary included the gender-nonspecific “iel” for the first time, a virulent reaction erupted over “wokisme” exported from American universities.", - "category": "French Language", - "link": "https://www.nytimes.com/2021/11/28/world/europe/france-nonbinary-pronoun.html", - "creator": "Roger Cohen and Léontine Gallois", - "pubDate": "Sun, 28 Nov 2021 18:22:49 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Trump Investigation Enters Crucial Phase as Prosecutor’s Term Nears End", + "description": "New developments suggest the long-running inquiry has returned to an earlier focus: the valuations the former president and his family business applied to properties as it sought loans.", + "content": "New developments suggest the long-running inquiry has returned to an earlier focus: the valuations the former president and his family business applied to properties as it sought loans.", + "category": "Trump Tax Returns", + "link": "https://www.nytimes.com/2021/11/24/nyregion/trump-investigation-cyrus-vance.html", + "creator": "Ben Protess, William K. Rashbaum, Jonah E. Bromwich and David Enrich", + "pubDate": "Wed, 24 Nov 2021 18:35:43 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5763614df995cf51693b346925b562b5" + "hash": "ab7248cb7a84e1472257170904e96ff5" }, { - "title": "Supreme Court Seems Poised to Uphold Mississippi’s Abortion Law", - "description": "Oral arguments are set to begin at 10 a.m. Eastern and The New York Times will be streaming audio live, providing context and analysis. Follow here.", - "content": "Oral arguments are set to begin at 10 a.m. Eastern and The New York Times will be streaming audio live, providing context and analysis. Follow here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/01/us/abortion-mississippi-supreme-court", - "creator": "The New York Times", - "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Exercise Affects Your Appetite", + "description": "For most of us, exercise impacts our hunger and weight in unexpected and sometimes contradictory ways.", + "content": "For most of us, exercise impacts our hunger and weight in unexpected and sometimes contradictory ways.", + "category": "Exercise", + "link": "https://www.nytimes.com/2021/11/24/well/move/exercise-appetite-weight.html", + "creator": "Gretchen Reynolds", + "pubDate": "Wed, 24 Nov 2021 18:31:37 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "648eaedffba5e8be74f9b1c44fa1cd44" + "hash": "94c8e2b001c4f2d194285d099c887ac4" }, { - "title": "Mississippi: Is Roe v. Wade Needed if Women Can Have It All?", - "description": "One argument in the abortion case before the Supreme Court is that balancing work and family is now less of a challenge, but research shows becoming a mother still has a large economic impact on women.", - "content": "One argument in the abortion case before the Supreme Court is that balancing work and family is now less of a challenge, but research shows becoming a mother still has a large economic impact on women.", - "category": "Roe v Wade (Supreme Court Decision)", - "link": "https://www.nytimes.com/2021/12/01/upshot/mississippi-abortion-case-roe.html", - "creator": "Claire Cain Miller", - "pubDate": "Wed, 01 Dec 2021 15:41:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Parental Leave Means to Dads and Non-birthing Partners", + "description": "Parents told us what having paid parental leave — or not — meant for their families.", + "content": "Parents told us what having paid parental leave — or not — meant for their families.", + "category": "Family Leaves", + "link": "https://www.nytimes.com/2021/11/24/opinion/parental-paternal-leave.html", + "creator": "The New York Times Opinion", + "pubDate": "Wed, 24 Nov 2021 18:31:14 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab054c80701daae22bec717e351a0e8f" + "hash": "d45515e2f147cf68cdc6dfc327aafe57" }, { - "title": "The Mississippi Abortion Law That Challenges Roe v. Wade", - "description": "A case before the Supreme Court is seen as potentially pivotal in establishing how aggressively the justices might move to place new constraints on abortion rights.", - "content": "A case before the Supreme Court is seen as potentially pivotal in establishing how aggressively the justices might move to place new constraints on abortion rights.", - "category": "Abortion", - "link": "https://www.nytimes.com/article/mississippi-abortion-law.html", - "creator": "Adeel Hassan", - "pubDate": "Wed, 01 Dec 2021 18:26:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Zena Stein, 99, Dies; Researcher Championed Women’s Health", + "description": "She studied the impact of AIDS on women and explored the effects of famine and poverty on health with an “unwavering commitment to social justice.”", + "content": "She studied the impact of AIDS on women and explored the effects of famine and poverty on health with an “unwavering commitment to social justice.”", + "category": "Stein, Zena", + "link": "https://www.nytimes.com/2021/11/23/health/zena-stein-dead.html", + "creator": "Annabelle Williams", + "pubDate": "Wed, 24 Nov 2021 17:07:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7201f8a7787b57a82bd075f077e7645a" + "hash": "ca1e22468ab6263621d65739a93a5f79" }, { - "title": "First Case of Omicron Variant Is Detected in the U.S.", - "description": "The variant was detected in California, where the C.D.C. said aggressive contact tracing is underway. Here’s the latest on Covid-19.", - "content": "The variant was detected in California, where the C.D.C. said aggressive contact tracing is underway. Here’s the latest on Covid-19.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/01/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Republicans Fight Covid Mandates, Then Blame Biden as Cases Rise", + "description": "Republicans have fought mask requirements and vaccine mandates for months, but as coronavirus infections again rise, they are blaming the president for failing to end the health crisis.", + "content": "Republicans have fought mask requirements and vaccine mandates for months, but as coronavirus infections again rise, they are blaming the president for failing to end the health crisis.", + "category": "Disease Rates", + "link": "https://www.nytimes.com/2021/11/24/us/politics/republicans-biden-coronavirus.html", + "creator": "Jonathan Weisman", + "pubDate": "Wed, 24 Nov 2021 16:24:03 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b608f1a03f8c270a752d6d38e0b95b52" + "hash": "0fea2b95384a52a567cc161bfaf6c0d0" }, { - "title": "Vaccine Hesitancy Hurts Covid Fight in Poorer Countries", - "description": "Vaccines are finally available in many African countries, but an underfunded public health system has slowed their delivery, and some people there, as well as in South Asia, are wary of taking them.", - "content": "Vaccines are finally available in many African countries, but an underfunded public health system has slowed their delivery, and some people there, as well as in South Asia, are wary of taking them.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/12/01/world/africa/coranavirus-vaccine-hesitancy-africa.html", - "creator": "Lynsey Chutel and Max Fisher", - "pubDate": "Wed, 01 Dec 2021 18:44:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Drive My Car’ Review: A Director Takes Your Heart for a Spin", + "description": "In this quiet masterpiece, Ryusuke Hamaguchi considers grief, love, work and the soul-sustaining, life-shaping power of art.", + "content": "In this quiet masterpiece, Ryusuke Hamaguchi considers grief, love, work and the soul-sustaining, life-shaping power of art.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/24/movies/drive-my-car-review.html", + "creator": "Manohla Dargis", + "pubDate": "Wed, 24 Nov 2021 16:06:28 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0512a9d4448c82c7b922f4a9c669177" + "hash": "6b08f2fc8dd50871559948a870da340e" }, { - "title": "Fourth Student Dies After Michigan High School Shooting", - "description": "A 15-year-old is in custody after a rampage that also injured seven, including a 14-year-old girl who remains in “extremely critical” condition. Follow updates.", - "content": "A 15-year-old is in custody after a rampage that also injured seven, including a 14-year-old girl who remains in “extremely critical” condition. Follow updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/01/us/school-shooting-michigan", - "creator": "The New York Times", - "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Contending With the Pandemic, Wealthy Nations Wage Global Battle for Migrants", + "description": "Covid kept many people in place. Now several developed countries, facing aging labor forces and worker shortages, are racing to recruit, train and integrate foreigners.", + "content": "Covid kept many people in place. Now several developed countries, facing aging labor forces and worker shortages, are racing to recruit, train and integrate foreigners.", + "category": "Foreign Workers", + "link": "https://www.nytimes.com/2021/11/23/world/asia/immigration-pandemic-labor-shortages.html", + "creator": "Damien Cave and Christopher F. Schuetze", + "pubDate": "Wed, 24 Nov 2021 14:42:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "11a8011c34554ea592bea231f591822f" + "hash": "90f037d53561ca24024065be0e06ce09" }, { - "title": "Oxford School Shooting: What We Know", - "description": "The authorities identified those killed as Hana St. Juliana, 14; Madisyn Baldwin, 17; Justin Shilling, 17; and Tate Myre, 16. A teacher was among the injured.", - "content": "The authorities identified those killed as Hana St. Juliana, 14; Madisyn Baldwin, 17; Justin Shilling, 17; and Tate Myre, 16. A teacher was among the injured.", - "category": "Oxford Charter Township, Mich, Shooting (2021)", - "link": "https://www.nytimes.com/2021/12/01/us/oxford-school-shooting-michigan.html", - "creator": "Livia Albeck-Ripka and Sophie Kasakove", - "pubDate": "Wed, 01 Dec 2021 18:36:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Best Tech Gifts That Aren’t Gadgets", + "description": "Supply-chain disruptions may make it tough to buy devices, but the most thoughtful presents were never tangible to begin with.", + "content": "Supply-chain disruptions may make it tough to buy devices, but the most thoughtful presents were never tangible to begin with.", + "category": "Gifts", + "link": "https://www.nytimes.com/2021/11/24/technology/personaltech/best-tech-gifts.html", + "creator": "Brian X. Chen", + "pubDate": "Wed, 24 Nov 2021 14:00:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "39be22fa25593bfddd3225d2735b84b4" + "hash": "6db2abab0311917ff5f182d128a87289" }, { - "title": "Gen Z Pop Stars Made Their Mark in 2021. Beware, Millennial Forebears.", - "description": "Upstarts including Olivia Rodrigo, Lil Nas X, Chloe Bailey and the Kid Laroi grew up on the internet, admiring the artists who are now their contemporaries.", - "content": "Upstarts including Olivia Rodrigo, Lil Nas X, Chloe Bailey and the Kid Laroi grew up on the internet, admiring the artists who are now their contemporaries.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/12/01/arts/music/gen-z-millennial-pop-stars.html", - "creator": "Lindsay Zoladz", - "pubDate": "Wed, 01 Dec 2021 16:44:00 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden to Nominate Shalanda Young as Budget Director", + "description": "Ms. Young, the acting head of the Office of Management and Budget, would be the first Black woman to hold the post on a permanent basis.", + "content": "Ms. Young, the acting head of the Office of Management and Budget, would be the first Black woman to hold the post on a permanent basis.", + "category": "Young, Shalanda", + "link": "https://www.nytimes.com/2021/11/24/us/politics/shalanda-young-omb-director.html", + "creator": "Zolan Kanno-Youngs", + "pubDate": "Wed, 24 Nov 2021 13:33:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eceb349b1bbd068eee207bd0eeec38bf" + "hash": "991ae88be22b668df68d91bd51288866" }, { - "title": "While Politics Consume School Board Meetings, a Very Different Crisis Festers", - "description": "In a wealthy suburban Philadelphia district, schools are struggling with shortages of all sorts. Behavioral problems have mushroomed. “We are in triage mode,” one teacher said.", - "content": "In a wealthy suburban Philadelphia district, schools are struggling with shortages of all sorts. Behavioral problems have mushroomed. “We are in triage mode,” one teacher said.", - "category": "Education (K-12)", - "link": "https://www.nytimes.com/2021/12/01/us/central-bucks-school-board-politics-pennsylvania.html", - "creator": "Campbell Robertson", - "pubDate": "Wed, 01 Dec 2021 16:54:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New Zealand Will Reopen to Tourists Within Months", + "description": "Emerging from one of the world’s longest lockdowns, the country plans to admit most fully vaccinated travelers. Here’s the latest pandemic news.", + "content": "Emerging from one of the world’s longest lockdowns, the country plans to admit most fully vaccinated travelers. Here’s the latest pandemic news.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/24/world/covid-vaccine-boosters-mandates", + "creator": "The New York Times", + "pubDate": "Wed, 24 Nov 2021 13:25:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "65190dce31909043a14891f0e2176a59" + "hash": "6ff6c3349364d73e911a1f41bf1b88ab" }, { - "title": "Victim in Ghislaine Maxwell Trial Faces Cross-Examination", - "description": "The woman described how a promise of mentorship from Ms. Maxwell and Jeffrey Epstein soon evolved into sexual abuse. Follow updates.", - "content": "The woman described how a promise of mentorship from Ms. Maxwell and Jeffrey Epstein soon evolved into sexual abuse. Follow updates.", + "title": "Germany Is Poised to Meet Its Post-Merkel Government", + "description": "Olaf Scholz will be the first center-left chancellor in 16 years, replacing the country’s longtime leader, Angela Merkel. Follow updates here.", + "content": "Olaf Scholz will be the first center-left chancellor in 16 years, replacing the country’s longtime leader, Angela Merkel. Follow updates here.", "category": "", - "link": "https://www.nytimes.com/live/2021/12/01/nyregion/ghislaine-maxwell-trial", + "link": "https://www.nytimes.com/live/2021/11/24/world/germany-government", "creator": "The New York Times", - "pubDate": "Wed, 01 Dec 2021 19:19:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Wed, 24 Nov 2021 13:25:33 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ffbd0f230a8c7f121d389a003e13d29" + "hash": "b25ceb8734ee052e84c859d0b1777325" }, { - "title": "I Once Urged the Supreme Court to Overturn Roe. I’ve Changed My Mind.", - "description": "To overturn Roe now would be an act of constitutional vandalism — not conservative, but reactionary.", - "content": "To overturn Roe now would be an act of constitutional vandalism — not conservative, but reactionary.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/11/30/opinion/supreme-court-roe-v-wade-dobbs.html", - "creator": "Charles Fried", - "pubDate": "Tue, 30 Nov 2021 15:59:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Jury to Resume Deliberations in Arbery Murder Trial", + "description": "For a second day, jurors will consider the fate of the three men accused of murdering Ahmaud Arbery. Here’s the latest on the trial.", + "content": "For a second day, jurors will consider the fate of the three men accused of murdering Ahmaud Arbery. Here’s the latest on the trial.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/24/us/ahmaud-arbery-murder-trial", + "creator": "The New York Times", + "pubDate": "Wed, 24 Nov 2021 13:25:33 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7adf69a58051564176a36228d1a68478" + "hash": "e1274846dd54e4a0dd661eea44092cc3" }, { - "title": "What Happens to Women Who Are Denied Abortions", - "description": "Being denied an abortion can have serious consequences for a women’s health and livelihood. It can even be deadly.", - "content": "Being denied an abortion can have serious consequences for a women’s health and livelihood. It can even be deadly.", - "category": "Pregnancy and Childbirth", - "link": "https://www.nytimes.com/2021/11/22/opinion/abortion-supreme-court-women-law.html", - "creator": "Diana Greene Foster", - "pubDate": "Mon, 22 Nov 2021 19:01:50 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Man Is Exonerated in Rape Case Described in Alice Sebold’s Memoir", + "description": "Anthony J. Broadwater was convicted of the 1981 attack in Syracuse, N.Y., in a case the district attorney and a state judge agreed was flawed.", + "content": "Anthony J. Broadwater was convicted of the 1981 attack in Syracuse, N.Y., in a case the district attorney and a state judge agreed was flawed.", + "category": "False Arrests, Convictions and Imprisonments", + "link": "https://www.nytimes.com/2021/11/23/nyregion/anthony-broadwater-alice-sebold.html", + "creator": "Karen Zraick and Alexandra Alter", + "pubDate": "Wed, 24 Nov 2021 13:07:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ea1990c295bbae2afdcad389c388bb8" + "hash": "c1c2b1b207c8bd8d3118173d120794e3" }, { - "title": "Trump’s Iran Policy Has Become a Disaster for the U.S. and Israel", - "description": "Withdrawing from the Iran nuclear deal was a mistake. What comes next?", - "content": "Withdrawing from the Iran nuclear deal was a mistake. What comes next?", - "category": "Iran", - "link": "https://www.nytimes.com/2021/11/30/opinion/trump-iran-nuclear-deal-us-israel.html", - "creator": "Thomas L. Friedman", - "pubDate": "Wed, 01 Dec 2021 00:44:30 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Karim Benzema, French Soccer Star, Is Convicted in Sex Tape Scandal", + "description": "The Real Madrid striker was found guilty of being part of an attempt to blackmail a fellow player, charges that had led to his being dropped from his national team for more than five years.", + "content": "The Real Madrid striker was found guilty of being part of an attempt to blackmail a fellow player, charges that had led to his being dropped from his national team for more than five years.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/11/24/sports/soccer/karim-benzema-verdict-sex-tape-trial.html", + "creator": "Aurelien Breeden", + "pubDate": "Wed, 24 Nov 2021 12:57:48 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3556f09e33ec172633ee83ec75a0b95" + "hash": "634b1d5198d89d9388b04fe1164c3a0a" }, { - "title": "I Was Raped by My Father. An Abortion Saved My Life.", - "description": "Anti-abortion laws in Mississippi and Texas contain no exceptions for rape or incest. Here is what that means for survivors.", - "content": "Anti-abortion laws in Mississippi and Texas contain no exceptions for rape or incest. Here is what that means for survivors.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/11/30/opinion/abortion-texas-mississippi-rape.html", - "creator": "Michele Goodwin", - "pubDate": "Tue, 30 Nov 2021 20:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Farmers Revolt in India", + "description": "How agricultural workers organized, protested and faced down Prime Minister Narendra Modi — and scored an unlikely victory.", + "content": "How agricultural workers organized, protested and faced down Prime Minister Narendra Modi — and scored an unlikely victory.", + "category": "Modi, Narendra", + "link": "https://www.nytimes.com/2021/11/24/podcasts/the-daily/india-farmers-protest.html", + "creator": "Michael Barbaro, Sydney Harper, Mooj Zadie, Jessica Cheung, Dave Shaw and Chris Wood", + "pubDate": "Wed, 24 Nov 2021 12:33:24 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ef31dc9e0d9737263975e859c493ffb2" + "hash": "9a3b6ca1a3c485fea175f34a2275d532" }, { - "title": "Haiti's Best Hope for a Functioning Democracy", - "description": "We hope that a corrupt political system that relies on unfair advantages can be replaced by a functional democracy.", - "content": "We hope that a corrupt political system that relies on unfair advantages can be replaced by a functional democracy.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/12/01/opinion/haiti-commission-government.html", - "creator": "Monique Clesca", - "pubDate": "Wed, 01 Dec 2021 14:13:21 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australian Minister Wins Defamation Case Over Tweet", + "description": "A government minister sued and won over a brief Twitter post that called him a “rape apologist.” A journalist sees “asymmetric warfare.”", + "content": "A government minister sued and won over a brief Twitter post that called him a “rape apologist.” A journalist sees “asymmetric warfare.”", + "category": "Australia", + "link": "https://www.nytimes.com/2021/11/24/world/australia/defamation-lawsuit.html", + "creator": "Yan Zhuang", + "pubDate": "Wed, 24 Nov 2021 12:32:29 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fb9cda464d124fd2711ae9d3cc0b677d" + "hash": "be06330ce13409ce89aa6cca9afb6692" }, { - "title": "Let’s End the Covid Blame Games", - "description": "Finger pointing is pointless, divisive and dumb. ", - "content": "Finger pointing is pointless, divisive and dumb. ", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/11/30/opinion/coronavirus-polarization.html", - "creator": "Bret Stephens", - "pubDate": "Wed, 01 Dec 2021 00:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Your Flight History Reveals About Your Carbon Footprint", + "description": "Google Flights now shows your carbon footprint. Will it change the way you buy plane tickets?", + "content": "Google Flights now shows your carbon footprint. Will it change the way you buy plane tickets?", + "category": "Greenhouse Gas Emissions", + "link": "https://www.nytimes.com/2021/11/23/opinion/climate-change-guilt-flights.html", + "creator": "Farah Stockman", + "pubDate": "Wed, 24 Nov 2021 12:28:37 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c8f2b5e3c5f300f9d6be28cda4f7e123" + "hash": "aa389e5499d98ff835c3361cf713df29" }, { - "title": "The Look of Cars Is Driving Me Out of My Mind", - "description": "New cars are packed with technology, but they lack style and personality.", - "content": "New cars are packed with technology, but they lack style and personality.", - "category": "Driverless and Semiautonomous Vehicles", - "link": "https://www.nytimes.com/2021/12/01/opinion/smart-car-technology.html", - "creator": "Farhad Manjoo", - "pubDate": "Wed, 01 Dec 2021 13:51:46 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Inflation Miscalculation Complicating Biden’s Agenda", + "description": "Administration officials blame the Delta variant for a prolonged stretch of consumer spending on goods, rather than services, pushing up prices and creating a conundrum for the Fed.", + "content": "Administration officials blame the Delta variant for a prolonged stretch of consumer spending on goods, rather than services, pushing up prices and creating a conundrum for the Fed.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/11/24/us/politics/biden-inflation-prices.html", + "creator": "Jim Tankersley", + "pubDate": "Wed, 24 Nov 2021 12:20:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30988d3d3cbb5ffd0e2ce4efcd8cf35b" + "hash": "3514129811e58d87203510f9a8280c1a" }, { - "title": "Why Conservatives Adopted a Pro-Choice Slogan", - "description": "On the cusp of overturning Roe, conservatives adopt a pro-choice slogan.", - "content": "On the cusp of overturning Roe, conservatives adopt a pro-choice slogan.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/11/29/opinion/abortion-vaccine-mandate.html", - "creator": "Michelle Goldberg", - "pubDate": "Tue, 30 Nov 2021 01:26:21 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Turkey Without Covid", + "description": "A guide to using rapid tests.", + "content": "A guide to using rapid tests.", + "category": "", + "link": "https://www.nytimes.com/2021/11/24/briefing/thanksgiving-covid-rapid-test.html", + "creator": "David Leonhardt", + "pubDate": "Wed, 24 Nov 2021 11:35:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3c45325207f75d45a70e1995036de7c5" + "hash": "df326bb8d24114e90421aecc2fa87bfd" }, { - "title": "The Omicron Variant Is a Mystery. How Should We Prepare?", - "description": "Very few variants have ended up meaningfully altering the course of the pandemic, but experts say this is one to watch.", - "content": "Very few variants have ended up meaningfully altering the course of the pandemic, but experts say this is one to watch.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/11/30/opinion/omicron-variant-covid.html", - "creator": "Spencer Bokat-Lindell", - "pubDate": "Tue, 30 Nov 2021 23:00:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Hong Kong’s Pillar of Shame Is More Than a Statue", + "description": "Shrinking the public space that preserves the memory of the 1989 Beijing uprising has effectively turned Hong Kong into another silent mainland city.", + "content": "Shrinking the public space that preserves the memory of the 1989 Beijing uprising has effectively turned Hong Kong into another silent mainland city.", + "category": "Hong Kong Protests (2019)", + "link": "https://www.nytimes.com/2021/11/24/opinion/hong-kong-university-china.html", + "creator": "Shui-yin Sharon Yam and Alex Chow", + "pubDate": "Wed, 24 Nov 2021 11:31:41 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9775cd52169045f110163f93439d1b76" + "hash": "89b65c2111426e6e36fff19fd7965dff" }, { - "title": "China Is Winning the Big Data War, Thanks to Xi", - "description": "Beijing is outmaneuvering the United States and its allies in at least one crucial domain: data.", - "content": "Beijing is outmaneuvering the United States and its allies in at least one crucial domain: data.", - "category": "Communist Party of China", - "link": "https://www.nytimes.com/2021/11/30/opinion/xi-jinping-china-us-data-war.html", - "creator": "Matt Pottinger and David Feith", - "pubDate": "Tue, 30 Nov 2021 15:15:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "End the Trump-Biden Tariffs", + "description": "An import tax on chassis is contributing to inflation and port congestion. The government needs to find better ways of increasing manufacturing.", + "content": "An import tax on chassis is contributing to inflation and port congestion. The government needs to find better ways of increasing manufacturing.", + "category": "International Trade and World Market", + "link": "https://www.nytimes.com/2021/11/24/opinion/trucking-trump-biden-tariffs.html", + "creator": "Binyamin Appelbaum", + "pubDate": "Wed, 24 Nov 2021 10:04:23 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0cd4c42f5f9db9b2383033192144963" + "hash": "ccc73833228e3677884aef23668ebb00" }, { - "title": "Does Europe's Lower Inflation Hold Lessons for America?", - "description": "What does (somewhat) lower inflation in Europe tell us about America?", - "content": "What does (somewhat) lower inflation in Europe tell us about America?", - "category": "International Trade and World Market", - "link": "https://www.nytimes.com/2021/11/30/opinion/inflation-united-states-europe.html", - "creator": "Paul Krugman", - "pubDate": "Tue, 30 Nov 2021 17:58:29 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Republicans We’re Thankful For", + "description": "There are some in the G.O.P. who reject its worst antidemocratic impulses. We should celebrate them.", + "content": "There are some in the G.O.P. who reject its worst antidemocratic impulses. We should celebrate them.", + "category": "Presidential Election of 2020", + "link": "https://www.nytimes.com/2021/11/24/opinion/gop-democracy-trump.html", + "creator": "Michelle Cottle", + "pubDate": "Wed, 24 Nov 2021 10:04:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1e3ec6e26b90e2618e39e2679a05c6c" + "hash": "dbb19ac809045d8c0923318d23a7d6ac" }, { - "title": "Stephen Sondheim Wrote My Life’s Soundtrack", - "description": "“A Little Night Music” was all it took.", - "content": "“A Little Night Music” was all it took.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/11/30/opinion/stephen-sondheim-musical.html", - "creator": "John McWhorter", - "pubDate": "Tue, 30 Nov 2021 19:55:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ian Fishback's Death Highlights Veteran Mental Illness Crisis", + "description": "Ian Fishback revealed abuse of detainees during the Iraq war, but struggled after leaving the service. He died awaiting a bed at the V.A.", + "content": "Ian Fishback revealed abuse of detainees during the Iraq war, but struggled after leaving the service. He died awaiting a bed at the V.A.", + "category": "Veterans", + "link": "https://www.nytimes.com/2021/11/24/us/politics/ian-fishback-veteran-mental-health-crisis.html", + "creator": "Jennifer Steinhauer", + "pubDate": "Wed, 24 Nov 2021 10:00:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "beb0c672f7691573a116cc5b19ef1a6f" + "hash": "b49b6e5ec5fcd177de9a076b8df9c9db" }, { - "title": "Mark Meadows Agrees to Cooperate With Jan. 6 Attack Inquiry", - "description": "President Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", - "content": "President Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", - "category": "Meadows, Mark R (1959- )", - "link": "https://www.nytimes.com/2021/11/30/us/politics/capitol-riot-investigation-meadows.html", - "creator": "Luke Broadwater", - "pubDate": "Wed, 01 Dec 2021 05:31:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "In Buffalo, Waiting for the Canadians", + "description": "So far, relaxed travel restrictions between the United States and Canada have not led to a big influx of tourists on either side of the New York-Ontario border. Both sides are waiting, not so patiently.", + "content": "So far, relaxed travel restrictions between the United States and Canada have not led to a big influx of tourists on either side of the New York-Ontario border. Both sides are waiting, not so patiently.", + "category": "Travel and Vacations", + "link": "https://www.nytimes.com/2021/11/24/travel/new-york-canada-tourism.html", + "creator": "Jeff Z. Klein", + "pubDate": "Wed, 24 Nov 2021 10:00:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4e2a10d9fa21bb4def0f7598be4b50f9" + "hash": "2b38d7a922681cef2a1935d1c82f2b47" }, { - "title": "Dr. Oz Says He’s Running for Senate in Pennsylvania", - "description": "Dr. Mehmet Oz, who is running as a Republican for an open Senate seat, described his frustration with the “arrogant, closed-minded people in charge” who shut schools and businesses during the pandemic.", - "content": "Dr. Mehmet Oz, who is running as a Republican for an open Senate seat, described his frustration with the “arrogant, closed-minded people in charge” who shut schools and businesses during the pandemic.", - "category": "The Dr. Oz Show (TV Program)", - "link": "https://www.nytimes.com/2021/11/30/us/politics/dr-oz-senate-run-pennsylvania.html", - "creator": "Trip Gabriel", - "pubDate": "Tue, 30 Nov 2021 21:38:39 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ifeoma Ozoma Blew the Whistle on Pinterest. Now She Protects Whistle-Blowers.", + "description": "Ifeoma Ozoma, who accused Pinterest of discrimination, has become a key figure in helping tech employees disclose, and fight, mistreatment at work.", + "content": "Ifeoma Ozoma, who accused Pinterest of discrimination, has become a key figure in helping tech employees disclose, and fight, mistreatment at work.", + "category": "Whistle-Blowers", + "link": "https://www.nytimes.com/2021/11/24/technology/pinterest-whistle-blower-ifeoma-ozoma.html", + "creator": "Erin Woo", + "pubDate": "Wed, 24 Nov 2021 10:00:27 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "809a1c683b15d767f6b0c399ae225500" + "hash": "c088a37987af6bb507391c64c6e78f35" }, { - "title": "How Cute Cats Help Spread Misinformation Online", - "description": "A mainstay of the internet is regularly used to build audiences for people and organizations pushing false and misleading information.", - "content": "A mainstay of the internet is regularly used to build audiences for people and organizations pushing false and misleading information.", - "category": "Animals", - "link": "https://www.nytimes.com/2021/12/01/technology/misinformation-cute-cats-online.html", - "creator": "Davey Alba", - "pubDate": "Wed, 01 Dec 2021 10:00:24 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Wall Street Warms Up, Grudgingly, to Remote Work, Unthinkable Before Covid", + "description": "Finance employees who couldn’t imagine working from home before the pandemic are now reluctant to return to the office. Their bosses can’t figure out how to bring them back.", + "content": "Finance employees who couldn’t imagine working from home before the pandemic are now reluctant to return to the office. Their bosses can’t figure out how to bring them back.", + "category": "Banking and Financial Institutions", + "link": "https://www.nytimes.com/2021/11/24/business/wall-street-remote-work-banks.html", + "creator": "Lananh Nguyen", + "pubDate": "Wed, 24 Nov 2021 10:00:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10edfea20edcea11b3eef8cdf7c2d84a" + "hash": "8297016b7882c4b396b6f86a9d258f58" }, { - "title": "Africa, Far Behind on Vaccines", - "description": "Every other continent is ahead.", - "content": "Every other continent is ahead.", - "category": "", - "link": "https://www.nytimes.com/2021/12/01/briefing/vaccine-hesitancy-africa-omicron.html", - "creator": "David Leonhardt", - "pubDate": "Wed, 01 Dec 2021 14:59:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Who Makes a ‘Good’ Transplant Candidate?", + "description": "Evaluation for transplant is an area of medicine where subjective criteria, like whether a person has strong family support, can determine access.", + "content": "Evaluation for transplant is an area of medicine where subjective criteria, like whether a person has strong family support, can determine access.", + "category": "Transplants", + "link": "https://www.nytimes.com/2021/11/24/opinion/organ-transplant.html", + "creator": "Daniela J. Lamas", + "pubDate": "Wed, 24 Nov 2021 10:00:09 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c60bbe018f8dc085ad2ce711afd56b0c" + "hash": "05090eb6d1dd9ce7232ff0988bbd35d1" }, { - "title": "Amazon and the Labor Shortage", - "description": "What this economic moment means for the company and the people who work there.", - "content": "What this economic moment means for the company and the people who work there.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/12/01/podcasts/the-daily/amazon-pandemic-labor-shortage.html", - "creator": "Sabrina Tavernise, Robert Jimison, Rob Szypko, Mooj Zadie, Patricia Willens, Paige Cowett, Marion Lozano, Dan Powell and Chris Wood", - "pubDate": "Wed, 01 Dec 2021 13:58:59 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Find Common Ground With Your Most Problematic Family Members", + "description": "To survive a dinner table disagreement with the people you love this Thanksgiving, don’t call it a debate, Dylan Marron argues.", + "content": "To survive a dinner table disagreement with the people you love this Thanksgiving, don’t call it a debate, Dylan Marron argues.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2021/11/24/opinion/family-argument-thanksgiving.html", + "creator": "‘The Argument’", + "pubDate": "Wed, 24 Nov 2021 10:00:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ef1eb2f818d92b0461a735e42fec087" + "hash": "0f37335a0d8e3f2424d778396df7b9d3" }, { - "title": "Republicans Threaten Government Shutdown Over Vaccine Mandates", - "description": "With federal funding set to lapse on Friday, President Biden’s vaccine-and-testing mandate for large employers has emerged as a sticking points over a stopgap spending bill.", - "content": "With federal funding set to lapse on Friday, President Biden’s vaccine-and-testing mandate for large employers has emerged as a sticking points over a stopgap spending bill.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/12/01/us/politics/government-shutdown-vaccine-mandate.html", - "creator": "Emily Cochrane", - "pubDate": "Wed, 01 Dec 2021 19:08:01 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Algorithm That Could Take Us Inside Shakespeare’s Mind", + "description": "Machine learning programs have recently made huge advances. Stephen Marche tested one against Shakespeare’s collected works, to see if it could help him figure out which of the several versions of Hamlet’s soliloquy was most likely what the playwright intended.", + "content": "Machine learning programs have recently made huge advances. Stephen Marche tested one against Shakespeare’s collected works, to see if it could help him figure out which of the several versions of Hamlet’s soliloquy was most likely what the playwright intended.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/24/books/review/shakespeare-cohere-natural-language-processing.html", + "creator": "Stephen Marche", + "pubDate": "Wed, 24 Nov 2021 10:00:03 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7bad7775831375ac1d1f8bafe6273cd8" + "hash": "b74c91ccdd5e331ce8e4638ba81ba586" }, { - "title": "A Top Official Says the Fed Will ‘Grapple’ With Faster Bond-Buying Taper", - "description": "The president of the New York Federal Reserve said Omicron could prolong supply and demand mismatches, causing some inflation pressures to last.", - "content": "The president of the New York Federal Reserve said Omicron could prolong supply and demand mismatches, causing some inflation pressures to last.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/12/01/business/fed-inflation-tapering-covid.html", - "creator": "Ben Casselman and Jeanna Smialek", - "pubDate": "Wed, 01 Dec 2021 17:27:47 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Lithuania Welcomes Belarusians as It Rebuffs Middle Easterners", + "description": "People fleeing repression in Belarus are processed quickly and given visas. Middle Eastern migrants passing through Belarus to the E.U. face a harsher fate.", + "content": "People fleeing repression in Belarus are processed quickly and given visas. Middle Eastern migrants passing through Belarus to the E.U. face a harsher fate.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/23/world/europe/lithuania-migrants-belarus-middle-east.html", + "creator": "Anton Troianovski", + "pubDate": "Wed, 24 Nov 2021 09:23:56 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bb1028fc0d916e6e75f0efaeb8c2f5c" + "hash": "cb6a6c15bdf69dccfd2a249e0ba7f725" }, { - "title": "This Dinosaur Found in Chile Had a Battle Ax for a Tail", - "description": "While ankylosaurs are already known for their armor and club tails, this specimen from South America had a unique way of fighting predators.", - "content": "While ankylosaurs are already known for their armor and club tails, this specimen from South America had a unique way of fighting predators.", - "category": "Tail", - "link": "https://www.nytimes.com/2021/12/01/science/dinosaur-tail-weapon.html", - "creator": "Asher Elbein", - "pubDate": "Wed, 01 Dec 2021 17:27:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "NASA's DART Mission Launches to Crash Into Killer Asteroid and Defend Earth", + "description": "The Double Asteroid Redirection Test spacecraft, launched on Wednesday, could be the first to alter an asteroid’s path, a technique that may be used to defend the planet in the future.", + "content": "The Double Asteroid Redirection Test spacecraft, launched on Wednesday, could be the first to alter an asteroid’s path, a technique that may be used to defend the planet in the future.", + "category": "Double Asteroid Redirect Test", + "link": "https://www.nytimes.com/2021/11/24/science/nasa-dart-mission-asteroid.html", + "creator": "Joey Roulette", + "pubDate": "Wed, 24 Nov 2021 07:30:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4429fb6fbbfc23339949a8877497b1fb" + "hash": "27c0969af3d0cbdcec2d37eaddeb1ee8" }, { - "title": "Jack Dorsey’s Twitter Departure Hints at Big Tech’s Restlessness", - "description": "Jack Dorsey, who is stepping down after six years as Twitter’s chief executive, is one of the tech leaders who seem to have grown tired of managing their empires.", - "content": "Jack Dorsey, who is stepping down after six years as Twitter’s chief executive, is one of the tech leaders who seem to have grown tired of managing their empires.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/11/30/technology/dorsey-twitter-big-tech-ceos.html", - "creator": "Kevin Roose", - "pubDate": "Tue, 30 Nov 2021 20:48:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Late Night Riffs on Biden’s Order to Release Oil Reserves", + "description": "“For those who don’t know, the strategic reserve is a series of caverns filled with fossil fuel and strategically located inside Rudy Giuliani’s head,” Colbert joked.", + "content": "“For those who don’t know, the strategic reserve is a series of caverns filled with fossil fuel and strategically located inside Rudy Giuliani’s head,” Colbert joked.", + "category": "Television", + "link": "https://www.nytimes.com/2021/11/24/arts/television/stephen-colbert-biden-oil-reserves.html", + "creator": "Trish Bendix", + "pubDate": "Wed, 24 Nov 2021 07:12:36 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eeacf42d30fbe035bb2eb04bdc84dfab" + "hash": "4120781f88a302b13d1ce66033d0a56f" }, { - "title": "Alec Baldwin Says He ‘Didn’t Pull the Trigger’ in ‘Rust’ Killing", - "description": "The actor said in a brief excerpt from an upcoming interview with ABC News that he had not pulled the trigger when the gun he was holding went off, killing the cinematographer.", - "content": "The actor said in a brief excerpt from an upcoming interview with ABC News that he had not pulled the trigger when the gun he was holding went off, killing the cinematographer.", - "category": "ABC News", - "link": "https://www.nytimes.com/2021/12/01/movies/alec-baldwin-trigger-rust.html", - "creator": "Julia Jacobs", - "pubDate": "Wed, 01 Dec 2021 19:11:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Pentagon Forms a Group to Examine Unexplained Aerial Sightings", + "description": "The announcement follows a report that failed to clarify strange phenomena observed by military pilots and others over the past two decades.", + "content": "The announcement follows a report that failed to clarify strange phenomena observed by military pilots and others over the past two decades.", + "category": "Espionage and Intelligence Services", + "link": "https://www.nytimes.com/2021/11/24/us/politics/pentagon-ufos.html", + "creator": "Julian E. Barnes", + "pubDate": "Wed, 24 Nov 2021 05:08:40 +0000", + "folder": "00.03 News/News - EN", + "feed": "NYTimes", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "55a5657a1fc8ff6e74a3198a17af8399" + }, + { + "title": "The Best Thanksgiving Movies to Watch This Holiday", + "description": "First the food, then the movies. Here are five streaming suggestions for the holiday.", + "content": "First the food, then the movies. Here are five streaming suggestions for the holiday.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/23/movies/thanksgiving-movies-streaming.html", + "creator": "Amy Nicholson", + "pubDate": "Wed, 24 Nov 2021 02:54:57 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "68df200f530ac5bfce4925635fc8dbfe" + "hash": "c93475503b467882d2ac5f78fe3bb45f" }, { - "title": "New E.U. Measures Set to Restrict Asylum Rights at the Belarus Border", - "description": "Poland, Latvia and Lithuania could take up to four months to process asylum requests at the border, a delay that aid groups said would leave migrants in unsafe conditions as winter sets in.", - "content": "Poland, Latvia and Lithuania could take up to four months to process asylum requests at the border, a delay that aid groups said would leave migrants in unsafe conditions as winter sets in.", - "category": "Belarus-Poland Border Crisis (2021- )", - "link": "https://www.nytimes.com/2021/12/01/world/europe/asylum-rights-poland-eu.html", - "creator": "Elian Peltier and Monika Pronczuk", - "pubDate": "Wed, 01 Dec 2021 19:00:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Everything Went Black’: The Children Caught in a Christmas Parade Tragedy", + "description": "A child died on Tuesday, and scores of other children were injured when an S.U.V. barreled through the parade on Sunday in Waukesha, Wis.", + "content": "A child died on Tuesday, and scores of other children were injured when an S.U.V. barreled through the parade on Sunday in Waukesha, Wis.", + "category": "Waukesha, Wis, Holiday Parade Attack (2021)", + "link": "https://www.nytimes.com/2021/11/23/us/waukesha-parade-children-injured.html", + "creator": "Shawn Hubler and Giulia Heyward", + "pubDate": "Wed, 24 Nov 2021 02:02:22 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ec19290181ea5b1056ee9a904e6354e" + "hash": "a846d34e3a4638b1431e21fbca340a22" }, { - "title": "Gov. Charlie Baker of Massachusetts Says He Won’t Run for Re-election", - "description": "Mr. Baker, a moderate Republican in a deep-blue state, faced a Trump-backed primary challenge and a potentially difficult general election.", - "content": "Mr. Baker, a moderate Republican in a deep-blue state, faced a Trump-backed primary challenge and a potentially difficult general election.", - "category": "Baker, Charles D Jr", - "link": "https://www.nytimes.com/2021/12/01/us/politics/charlie-baker-massachusetts-governor.html", - "creator": "Reid J. Epstein", - "pubDate": "Wed, 01 Dec 2021 15:25:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Raids on Independent Groups in El Salvador Raise Fears of Repression", + "description": "President Nayib Bukele bills himself as a young reformer, but a crackdown on voices outside the government’s control is fueling claims of growing authoritarianism.", + "content": "President Nayib Bukele bills himself as a young reformer, but a crackdown on voices outside the government’s control is fueling claims of growing authoritarianism.", + "category": "Bukele, Nayib", + "link": "https://www.nytimes.com/2021/11/23/world/americas/el-salvador-bukele-raids.html", + "creator": "Bryan Avelar and Oscar Lopez", + "pubDate": "Wed, 24 Nov 2021 01:06:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1577d1a067ccf602270cfc48151cc312" + "hash": "7f27b51f442ec713ceb9c4292a3703e0" }, { - "title": "6 Hurt as Midnight Explosion Rocks Brooklyn Block", - "description": "Dozens were displaced by the blast. Its cause was not yet clear, but a neighbor said he reported smelling gas the day before.", - "content": "Dozens were displaced by the blast. Its cause was not yet clear, but a neighbor said he reported smelling gas the day before.", - "category": "Fires and Firefighters", - "link": "https://www.nytimes.com/2021/12/01/nyregion/brooklyn-house-explosion.html", - "creator": "Precious Fondren and Ashley Wong", - "pubDate": "Wed, 01 Dec 2021 18:56:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Waukesha Death Toll Rises to 6 as Suspect Is Ordered Held on $5 Million Bail", + "description": "The Waukesha County district attorney said “there are not words to describe the risk” posed by the man accused of driving through a Christmas parade in Wisconsin and striking dozens.", + "content": "The Waukesha County district attorney said “there are not words to describe the risk” posed by the man accused of driving through a Christmas parade in Wisconsin and striking dozens.", + "category": "Waukesha, Wis, Holiday Parade Attack (2021)", + "link": "https://www.nytimes.com/2021/11/23/us/waukesha-parade-brooks-court.html", + "creator": "Mitch Smith, Brandon Dupré, Serge F. Kovaleski and Miriam Jordan", + "pubDate": "Wed, 24 Nov 2021 01:00:41 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d28cc9bb0f666cee4276db5d222919e2" + "hash": "29428a613db58fab3294aad6bc4b3524" }, { - "title": "Putin and West Spar Over NATO’s Military Ties to Ukraine", - "description": "Tensions over Ukraine escalated as Russia’s leader demanded “legal guarantees” that the Western military alliance would not expand to the east, a position NATO regards as untenable.", - "content": "Tensions over Ukraine escalated as Russia’s leader demanded “legal guarantees” that the Western military alliance would not expand to the east, a position NATO regards as untenable.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/12/01/world/europe/putin-nato-russia-ukraine.html", - "creator": "Anton Troianovski", - "pubDate": "Wed, 01 Dec 2021 18:25:12 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Can Liberals Survive Progressivism?", + "description": "The main threat to the Democratic Party comes from the left.", + "content": "The main threat to the Democratic Party comes from the left.", + "category": "Police Reform", + "link": "https://www.nytimes.com/2021/11/23/opinion/liberals-survive-progressivism.html", + "creator": "Bret Stephens", + "pubDate": "Wed, 24 Nov 2021 00:27:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e4c4bbe206d34d7ddc125a518586e1a" + "hash": "24800882e1cce526c9efed15e7904e86" }, { - "title": "Business Updates: O.E.C.D. Says Recovery Has Been Fast but Uneven", - "description": " ", - "content": " ", - "category": "", - "link": "https://www.nytimes.com/live/2021/12/01/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Wed, 01 Dec 2021 19:19:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Sika Henry and the Motivation to Become a Pro Triathlete", + "description": "Sika Henry is the first African American woman to be recognized as a pro triathlete. But a horrible bicycle crash in 2019 nearly thwarted her dream.", + "content": "Sika Henry is the first African American woman to be recognized as a pro triathlete. But a horrible bicycle crash in 2019 nearly thwarted her dream.", + "category": "Triathlon", + "link": "https://www.nytimes.com/2021/11/23/sports/sika-henry-triathlon.html", + "creator": "Alanis Thames", + "pubDate": "Tue, 23 Nov 2021 23:10:57 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c528bff4337c263d4edde426bc630758" + "hash": "eec399adf45669f523397f09453ccc7f" }, { - "title": "Parenting After Infertility and Loss: You're Allowed to Complain", - "description": "‘It is 100 percent normal to feel conflicted even if you went to hell and back to become a parent.’", - "content": "‘It is 100 percent normal to feel conflicted even if you went to hell and back to become a parent.’", - "category": "Parenting", - "link": "https://www.nytimes.com/2021/11/29/well/family/complain-infertility-child-loss.html", - "creator": "Danna Lorch", - "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Celebrate Pandemic Thanksgiving, Round 2", + "description": "Thanksgiving is back, but Covid hasn’t gone away. Here’s how to have a safer, peaceful and tasty holiday.", + "content": "Thanksgiving is back, but Covid hasn’t gone away. Here’s how to have a safer, peaceful and tasty holiday.", + "category": "debatable", + "link": "https://www.nytimes.com/2021/11/23/opinion/thanksgiving-covid-pandemic.html", + "creator": "Spencer Bokat-Lindell", + "pubDate": "Tue, 23 Nov 2021 23:00:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "180edad00fffa30c1a77d7fd8503d5de" + "hash": "c50175478520dce8be0f92a7858d3bb6" }, { - "title": "Is It Too Soon to Give My Kid a Tablet?", - "description": "There’s not a one-size-fits-all answer to the question, but here are several things to consider before buying your child their own electronic device.", - "content": "There’s not a one-size-fits-all answer to the question, but here are several things to consider before buying your child their own electronic device.", - "category": "Children and Childhood", - "link": "https://www.nytimes.com/2020/04/17/parenting/tablet-child-screentime.html", - "creator": "Christina Caron", - "pubDate": "Wed, 01 Dec 2021 14:10:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Hervé Le Tellier's 'The Anomaly' Arrives in the U.S.", + "description": "“The Anomaly,” by Hervé Le Tellier, sold more than a million copies during an anomalous time. Now the genre-bending novel is translated into English.", + "content": "“The Anomaly,” by Hervé Le Tellier, sold more than a million copies during an anomalous time. Now the genre-bending novel is translated into English.", + "category": "Goncourt Prize", + "link": "https://www.nytimes.com/2021/11/23/books/anomaly-herve-le-tellier.html", + "creator": "Roger Cohen", + "pubDate": "Tue, 23 Nov 2021 22:03:59 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7af60c6dd7503358a87e353eb6e36b9f" + "hash": "72b79a2b13ef04d696d34f13869dc05f" }, { - "title": "How Daughtering Prepared Me for Mothering", - "description": "I spent my early 20s nursing my parents through their final days. It prepared me to parent newborn twins in ways I never could have anticipated.", - "content": "I spent my early 20s nursing my parents through their final days. It prepared me to parent newborn twins in ways I never could have anticipated.", - "category": "Parenting", - "link": "https://www.nytimes.com/2020/04/17/parenting/take-care-of-parents.html", - "creator": "Sara B. Franklin", - "pubDate": "Fri, 17 Apr 2020 16:23:16 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Apple Sues Israeli Spyware Maker NSO Group", + "description": "Apple accused NSO Group, the Israeli surveillance company, of “flagrant” violations of its software, as well as federal and state laws.", + "content": "Apple accused NSO Group, the Israeli surveillance company, of “flagrant” violations of its software, as well as federal and state laws.", + "category": "Cyberattacks and Hackers", + "link": "https://www.nytimes.com/2021/11/23/technology/apple-nso-group-lawsuit.html", + "creator": "Nicole Perlroth", + "pubDate": "Tue, 23 Nov 2021 21:32:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aa78bc88f5955043c361159ede0c646b" + "hash": "67dbd49a38b197bb8d599d68054ed05a" }, { - "title": "Kids Won’t Stop Fighting? A Bouncer, a Therapist and a Referee Have Advice", - "description": "These conflict resolution experts know how to stop fights before and after they start. But would their techniques work on my brawling twins?", - "content": "These conflict resolution experts know how to stop fights before and after they start. But would their techniques work on my brawling twins?", - "category": "Parenting", - "link": "https://www.nytimes.com/2020/04/07/parenting/break-up-kids-fight.html", - "creator": "Emily J. Sullivan", - "pubDate": "Tue, 07 Apr 2020 20:19:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "She Ran a Bronx Homeless Shelter. Here’s What She Spent Millions On.", + "description": "A shelter operator admitted using money from the city to cover personal expenses, including shopping sprees at Neiman Marcus and Manolo Blahnik.", + "content": "A shelter operator admitted using money from the city to cover personal expenses, including shopping sprees at Neiman Marcus and Manolo Blahnik.", + "category": "Homeless Persons", + "link": "https://www.nytimes.com/2021/11/23/nyregion/ethel-denise-perry-millennium-care-fraud.html", + "creator": "Andy Newman", + "pubDate": "Tue, 23 Nov 2021 21:06:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "938123b2e2e2429bfd6f99fba4d29a62" + "hash": "59c741753dcf625fcea4626d29594983" }, { - "title": "I’m Jealous of the Attention My Wife Gives My Son. Am I a Monster?", - "description": "It’s embarrassing to admit I envy their relationship, but it turns out I’m not alone.", - "content": "It’s embarrassing to admit I envy their relationship, but it turns out I’m not alone.", - "category": "Jealousy and Envy", - "link": "https://www.nytimes.com/2020/04/16/parenting/jealous-of-baby.html", - "creator": "Jared Bilski", - "pubDate": "Fri, 17 Apr 2020 02:15:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Prince Paul Dives Deep Into Music History", + "description": "In “The 33 ⅓ Podcast,” the acclaimed producer finds himself in some unexpected pairings to explore classic albums from Steely Dan, Janet Jackson and more.", + "content": "In “The 33 ⅓ Podcast,” the acclaimed producer finds himself in some unexpected pairings to explore classic albums from Steely Dan, Janet Jackson and more.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/11/23/arts/music/prince-paul-spotify-podcast.html", + "creator": "Iman Stevenson", + "pubDate": "Tue, 23 Nov 2021 19:48:44 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f76cf7292da363f5c90322dc7c8a5c8c" + "hash": "20e5816283308ef51394c9813be24d7a" }, { - "title": "Looking Again at Amy Winehouse, 10 Years After Her Death", - "description": "In “Amy: Beyond the Stage,” the Design Museum in London explores — and tries to somewhat reframe — the “Back to Black” singer’s life and legacy.", - "content": "In “Amy: Beyond the Stage,” the Design Museum in London explores — and tries to somewhat reframe — the “Back to Black” singer’s life and legacy.", - "category": "Music", - "link": "https://www.nytimes.com/2021/12/01/arts/design/amy-winehouse-design-museum.html", - "creator": "Desiree Ibekwe", - "pubDate": "Wed, 01 Dec 2021 19:18:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "America Has More Than One Spanglish", + "description": "Our melting pot produces a delicious stew of languages.", + "content": "Our melting pot produces a delicious stew of languages.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/11/23/opinion/spanglish-russian-mandarin.html", + "creator": "John McWhorter", + "pubDate": "Tue, 23 Nov 2021 19:47:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2315287e3e23d07f0855c4984d9dbf70" + "hash": "9e7cbd36015e69708586f6db6a248e3e" }, { - "title": "Seiya Suzuki's M.L.B. Arrival Could Be Delayed by Lockout", - "description": "Seiya Suzuki can hit for average and power, and plays solid defense. The only thing slowing his arrival is the possibility of an M.L.B. lockout.", - "content": "Seiya Suzuki can hit for average and power, and plays solid defense. The only thing slowing his arrival is the possibility of an M.L.B. lockout.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/11/30/sports/baseball/seiya-suzuki-japan.html", - "creator": "Brad Lefton", - "pubDate": "Tue, 30 Nov 2021 16:04:20 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "This Ink Is Alive and Made Entirely of Microbes", + "description": "Scientists have created a bacterial ink that reproduces itself and can be 3D-printed into living architecture.", + "content": "Scientists have created a bacterial ink that reproduces itself and can be 3D-printed into living architecture.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/11/23/science/microbes-construction-bacteria.html", + "creator": "Sabrina Imbler", + "pubDate": "Tue, 23 Nov 2021 18:14:59 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b6ce2c39e8075d09ee293507b1dad9a" + "hash": "ce7bb1b25e9caa51842d8c3bc37db141" }, { - "title": "Translation Is Hard Work. Lydia Davis Makes It Thrilling.", - "description": "In “Essays Two,” the acclaimed fiction writer and translator of Proust, Flaubert and others does a beautiful job of transmitting the satisfactions of working with language.", - "content": "In “Essays Two,” the acclaimed fiction writer and translator of Proust, Flaubert and others does a beautiful job of transmitting the satisfactions of working with language.", - "category": "Essays Two: On Proust, Translation, Foreign Languages, and the City of Arles (Book)", - "link": "https://www.nytimes.com/2021/11/30/books/review-lydia-davis-essays-two.html", - "creator": "Molly Young", - "pubDate": "Tue, 30 Nov 2021 10:00:02 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Softies Seized the Fed", + "description": "For now, doves rule the roost.", + "content": "For now, doves rule the roost.", + "category": "Federal Reserve System", + "link": "https://www.nytimes.com/2021/11/23/opinion/fed-powell-unemployment.html", + "creator": "Paul Krugman", + "pubDate": "Tue, 23 Nov 2021 17:51:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab48116c8b13184644e2ced1621cfdf5" + "hash": "5538d6547b6625b9ac54ce2e73a84369" }, { - "title": "On Rikers Island, A Doctor for Older Detainees", - "description": "Insights from Dr. Rachael Bedard, a jail-based geriatrician.", - "content": "Insights from Dr. Rachael Bedard, a jail-based geriatrician.", - "category": "Prisons and Prisoners", - "link": "https://www.nytimes.com/2021/11/12/nyregion/rikers-older-prisoners.html", - "creator": "Ted Alcorn", - "pubDate": "Fri, 12 Nov 2021 10:00:23 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Netflix's ‘Cowboy Bebop’ Gets Right and Wrong", + "description": "“Cowboy Bebop” is widely considered one of the best anime series of all time. Does Netflix’s live-action adaptation recapture the magic? Yes and no.", + "content": "“Cowboy Bebop” is widely considered one of the best anime series of all time. Does Netflix’s live-action adaptation recapture the magic? Yes and no.", + "category": "Television", + "link": "https://www.nytimes.com/2021/11/23/arts/television/cowboy-bebop.html", + "creator": "Maya Phillips", + "pubDate": "Tue, 23 Nov 2021 17:50:40 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f8ac0d57375507f19c191a93bbd659b" + "hash": "1d821bd488a225fa6c41de0492378b5a" }, { - "title": "New to ‘It’s Always Sunny’? Watch These 5 Episodes", - "description": "The sitcom, about to become American TV’s longest-running live-action comedy, isn’t everyone’s kind of humor. These episodes capture the show’s brand of boundary-pushing satire.", - "content": "The sitcom, about to become American TV’s longest-running live-action comedy, isn’t everyone’s kind of humor. These episodes capture the show’s brand of boundary-pushing satire.", - "category": "Television", - "link": "https://www.nytimes.com/2021/11/26/arts/television/its-always-sunny-in-philadelphia-top-episodes.html", - "creator": "Austin Considine", - "pubDate": "Fri, 26 Nov 2021 10:00:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Restaurant Review: Cha Kee in Manhattan’s Chinatown", + "description": "A new restaurant with a wide-ranging view of Chinese food is a bright spot in a beleaguered neighborhood.", + "content": "A new restaurant with a wide-ranging view of Chinese food is a bright spot in a beleaguered neighborhood.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/11/23/dining/restaurant-review-cha-kee-chinatown.html", + "creator": "Pete Wells", + "pubDate": "Tue, 23 Nov 2021 17:37:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9435bde58c966cf6750ec9ec9cbb4ed1" + "hash": "9d174f4bdb9e6867d85feac55d5bf91f" }, { - "title": "Boebert Reaches Out to Omar After Incendiary Video, Escalating a Feud", - "description": "Representative Lauren Boebert made an overture to Representative Ilhan Omar after suggesting that the Muslim lawmaker was a terrorism threat. The call did not go well.", - "content": "Representative Lauren Boebert made an overture to Representative Ilhan Omar after suggesting that the Muslim lawmaker was a terrorism threat. The call did not go well.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/29/us/politics/boebert-omar-apology.html", - "creator": "Jonathan Weisman", - "pubDate": "Tue, 30 Nov 2021 17:45:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Thanksgiving in a Town Built on Lederhosen and Limitless Meals", + "description": "Bavarian charm, Christmas knickknacks and all-you-can-eat restaurants draw hordes every holiday season to the twinkly streets of Frankenmuth, Mich.", + "content": "Bavarian charm, Christmas knickknacks and all-you-can-eat restaurants draw hordes every holiday season to the twinkly streets of Frankenmuth, Mich.", + "category": "Restaurants", + "link": "https://www.nytimes.com/2021/11/23/dining/frankenmuth-restaurants-thanksgiving-dinner.html", + "creator": "Sara Bonisteel", + "pubDate": "Tue, 23 Nov 2021 17:15:57 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88e6bacef2f41ca7d63591c608daeded" + "hash": "37f7e512deab439ba69408b32191d008" }, { - "title": "‘The Power of the Dog’ Review: Wild Hearts on a Closed Frontier", - "description": "In Jane Campion’s staggering take on the western, her first movie in more than a decade, a cruel cowboy meets his surprising match.", - "content": "In Jane Campion’s staggering take on the western, her first movie in more than a decade, a cruel cowboy meets his surprising match.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/30/movies/the-power-of-the-dog-review.html", - "creator": "Manohla Dargis", - "pubDate": "Tue, 30 Nov 2021 20:53:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Scholarly Analysis of Shakespeare’s Life That Reads Like a Detective Story", + "description": "James Shapiro reviews Lena Cowen Orlin’s book, which focuses on Shakespeare’s life in Stratford.", + "content": "James Shapiro reviews Lena Cowen Orlin’s book, which focuses on Shakespeare’s life in Stratford.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/23/books/review/private-life-of-william-shakespeare-lena-cowen-orlin.html", + "creator": "James Shapiro", + "pubDate": "Tue, 23 Nov 2021 16:58:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d38ab95ac29a1c97da47e95cb38fe96" + "hash": "58673d024530be0ede263ffb18f68dec" }, { - "title": "Tucson Moves to Fire Officer Seen Fatally Shooting Man in Wheelchair", - "description": "A man who was said to have stolen a toolbox from a Walmart and flashed a knife at an employee was shot in the back and side in a confrontation captured on video, the police said.", - "content": "A man who was said to have stolen a toolbox from a Walmart and flashed a knife at an employee was shot in the back and side in a confrontation captured on video, the police said.", - "category": "Police Department (Tucson, Ariz)", - "link": "https://www.nytimes.com/2021/11/30/us/ryan-remington-tucson-police-shooting.html", - "creator": "Vimal Patel", - "pubDate": "Wed, 01 Dec 2021 05:26:38 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Stores Are Open and Closed on Thanksgiving 2021?", + "description": "Many retailers will close their stores on Thanksgiving Day, citing safety concerns and gratitude for their employees.", + "content": "Many retailers will close their stores on Thanksgiving Day, citing safety concerns and gratitude for their employees.", + "category": "Shopping and Retail", + "link": "https://www.nytimes.com/2021/11/23/business/stores-open-thanksgiving-black-friday.html", + "creator": "Coral Murphy Marcos", + "pubDate": "Tue, 23 Nov 2021 16:50:42 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a238038c98bdaacd31bcf44c6fdb3d59" + "hash": "c41c237b91fdde1e648da67f8cfefb30" }, { - "title": "Restoring a 1788 House in Charleston, S.C., With a Walled Garden ", - "description": "The stately 1788 home in South Carolina had expansive rooms and a walled garden. But it needed a lot of work — and that would take time and money.", - "content": "The stately 1788 home in South Carolina had expansive rooms and a walled garden. But it needed a lot of work — and that would take time and money.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/11/30/realestate/charleston-nc-house-restoration.html", - "creator": "Tim McKeough", - "pubDate": "Tue, 30 Nov 2021 17:13:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What New Documents Reveal About Jeffrey Epstein's Final Days", + "description": "Newly released records show the disgraced financier living a mundane existence in jail before his suicide, while also spinning deceptions until the very end.", + "content": "Newly released records show the disgraced financier living a mundane existence in jail before his suicide, while also spinning deceptions until the very end.", + "category": "Epstein, Jeffrey E (1953- )", + "link": "https://www.nytimes.com/2021/11/23/nyregion/jeffrey-epstein-suicide-death.html", + "creator": "Benjamin Weiser, Matthew Goldstein, Danielle Ivory and Steve Eder", + "pubDate": "Tue, 23 Nov 2021 14:21:11 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d644061ef7f1737853177de2b2685ce" + "hash": "53389f43e32cd535102ca6ff95fd8c2f" }, { - "title": "Your Heart and Diet: A Heart-Healthy Way to Eat", - "description": "Aim for an overall healthful dietary pattern, the American Heart Association advises, rather than focusing on “good” or “bad” foods.", - "content": "Aim for an overall healthful dietary pattern, the American Heart Association advises, rather than focusing on “good” or “bad” foods.", - "category": "Diet and Nutrition", - "link": "https://www.nytimes.com/2021/11/29/well/eat/heart-healthy-diet-foods.html", - "creator": "Jane E. Brody", - "pubDate": "Tue, 30 Nov 2021 18:40:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Cases in U.S. Children Are Surging Ahead of the Holidays", + "description": "Pediatric cases have risen by 32 percent from about two weeks ago. Here’s the latest.", + "content": "Pediatric cases have risen by 32 percent from about two weeks ago. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/23/world/covid-vaccine-boosters-mandates", + "creator": "The New York Times", + "pubDate": "Tue, 23 Nov 2021 14:16:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "184868d2e99a1db6ff20a6e59ddceeb2" + "hash": "cc4f46aa988a6418b9d3e0442ade25a9" }, { - "title": "Chris Cuomo Is Suspended by CNN After Details of Help He Gave Andrew", - "description": "The cable news network’s top-rated anchor was an intimate adviser to Andrew Cuomo in the last 18 months of his governorship.", - "content": "The cable news network’s top-rated anchor was an intimate adviser to Andrew Cuomo in the last 18 months of his governorship.", - "category": "Cuomo, Christopher", - "link": "https://www.nytimes.com/2021/11/30/business/media/chris-cuomo-suspended-cnn.html", - "creator": "Michael M. Grynbaum and John Koblin", - "pubDate": "Wed, 01 Dec 2021 05:19:17 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "President Biden Will Tap Into U.S. Oil Reserves", + "description": "The White House will release 50 million barrels of crude oil from the nation’s strategic reserve amid rising gas prices ahead of the holiday season. Here’s the latest.", + "content": "The White House will release 50 million barrels of crude oil from the nation’s strategic reserve amid rising gas prices ahead of the holiday season. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/23/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Tue, 23 Nov 2021 14:16:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6ff7841a9869bb0c115d11bc199fb78" + "hash": "79e852d5d6e41b7367e6813090f7f573" }, { - "title": "Alice Sebold Apologizes to Man Wrongly Convicted of Raping Her", - "description": "Anthony Broadwater spent 16 years in prison after the author identified him as her attacker in an assault she described in her memoir, “Lucky.” Its publisher said Tuesday that it would stop distributing the book.", - "content": "Anthony Broadwater spent 16 years in prison after the author identified him as her attacker in an assault she described in her memoir, “Lucky.” Its publisher said Tuesday that it would stop distributing the book.", - "category": "Sebold, Alice", - "link": "https://www.nytimes.com/2021/11/30/nyregion/alice-sebold-rape-case.html", - "creator": "Alexandra Alter and Karen Zraick", - "pubDate": "Wed, 01 Dec 2021 13:25:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Closing Arguments in the Arbery Killing Trial", + "description": "Rebuttal arguments from the prosecution are expected, after which jurors will deliberate in the case of the three men accused of murdering Ahmaud Arbery. Stay here for live updates.", + "content": "Rebuttal arguments from the prosecution are expected, after which jurors will deliberate in the case of the three men accused of murdering Ahmaud Arbery. Stay here for live updates.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/23/us/ahmaud-arbery-murder-trial", + "creator": "The New York Times", + "pubDate": "Tue, 23 Nov 2021 14:16:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "69524b64069f729448498a90aaefc9d2" + "hash": "88a254ff2a6ca89e7e2f10a264ceff12" }, { - "title": "F.D.A. Panel Endorses Merck’s Covid Pill for High-Risk Adults", - "description": "A panel of experts recommended that the U.S. authorize the first in a new class of drugs that could work against a range of variants, including Omicron. The drug, molnupiravir, could be authorized within days for Covid patients at high risk of severe illness. Here’s the latest on the pandemic.", - "content": "A panel of experts recommended that the U.S. authorize the first in a new class of drugs that could work against a range of variants, including Omicron. The drug, molnupiravir, could be authorized within days for Covid patients at high risk of severe illness. Here’s the latest on the pandemic.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Latest Covid Surge", + "description": "And how to make sense of it.", + "content": "And how to make sense of it.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/23/briefing/us-covid-surge-thanksgiving.html", + "creator": "David Leonhardt", + "pubDate": "Tue, 23 Nov 2021 13:51:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a976dc1bd8a9bdcee04dd526a77d4eaf" + "hash": "eed405ce63e9493d46beda1e90c71ac9" }, { - "title": "Amid Variant Fears, U.K. Discovers Limits to Its Virus Strategy", - "description": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", - "content": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/30/world/europe/uk-omicron-variant.html", - "creator": "Mark Landler and Megan Specia", - "pubDate": "Tue, 30 Nov 2021 18:14:44 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Italy Frees Convicted Killer of U.K. Student Meredith Kercher", + "description": "Rudy Guede had served 13 years of a 16-year sentence for the 2007 murder. Another student, Amanda Knox, was eventually exonerated in what became a polarizing case.", + "content": "Rudy Guede had served 13 years of a 16-year sentence for the 2007 murder. Another student, Amanda Knox, was eventually exonerated in what became a polarizing case.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/11/23/world/europe/rudy-guede-free-killer-meredith-kercher.html", + "creator": "Elisabetta Povoledo", + "pubDate": "Tue, 23 Nov 2021 13:22:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f79af9f9132729d01c7be4ed79190717" + "hash": "fa7a02b685ba9ab4ed215e5e5da24327" }, { - "title": "3 Are Killed in Shooting at Michigan High School", - "description": "A 15-year-old was taken into custody after firing a semiautomatic handgun at Oxford High School in Michigan, the authorities said. Follow updates.", - "content": "A 15-year-old was taken into custody after firing a semiautomatic handgun at Oxford High School in Michigan, the authorities said. Follow updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/us/school-shooting-michigan", - "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "La vaquita marina podría ser el próximo animal en extinguirse", + "description": "Solo quedan unas diez de estas marsopas, pero los científicos dicen que aún hay esperanza. Su destino depende en gran medida del gobierno mexicano.", + "content": "Solo quedan unas diez de estas marsopas, pero los científicos dicen que aún hay esperanza. Su destino depende en gran medida del gobierno mexicano.", + "category": "Global Warming", + "link": "https://www.nytimes.com/es/2021/11/23/espanol/vaquita-marina-extincion.html", + "creator": "Catrin Einhorn and Fred Ramos", + "pubDate": "Tue, 23 Nov 2021 13:18:53 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "658b6c5825d104786ae64c2d4bc4f1aa" + "hash": "c0e5ef1b8259ab471cb0dfea75289819" }, { - "title": "Powell Says Fed Could Finish Bond-Buying Taper Early", - "description": "The Federal Reserve could pull back economic support faster as inflation lasts, and its chair signaled that for now the Omicron variant is a “risk.”", - "content": "The Federal Reserve could pull back economic support faster as inflation lasts, and its chair signaled that for now the Omicron variant is a “risk.”", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/11/30/business/powell-bond-buying-taper.html", - "creator": "Jeanna Smialek and Alan Rappeport", - "pubDate": "Tue, 30 Nov 2021 18:54:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Macy’s Parade Is Back This Thanksgiving, Without Kids on Floats", + "description": "The tradition has been largely restored, but children under 12 years old will not be allowed in the parade — only as spectators.", + "content": "The tradition has been largely restored, but children under 12 years old will not be allowed in the parade — only as spectators.", + "category": "Parades", + "link": "https://www.nytimes.com/2021/11/22/arts/macys-parade-thanksgiving-2021.html", + "creator": "Julia Jacobs", + "pubDate": "Tue, 23 Nov 2021 13:16:52 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a61f5d89a032ce750c014894af9626cc" + "hash": "5b85d57f30835876c7036a48e8e12d21" }, { - "title": "Stocks Fell Again as Fed Signaled It Could End Support", - "description": "Wall Street was uneasy after suggestions from the Federal Reserve chair that the Fed will hasten the reduction of its economic support. Here’s the latest.", - "content": "Wall Street was uneasy after suggestions from the Federal Reserve chair that the Fed will hasten the reduction of its economic support. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Vaquitas Could Soon Be Extinct. Mexico Will Largely Determine Their Fate.", + "description": "Only about 10 vaquitas remain, but scientists say there’s still hope for the elusive porpoises. Their fate largely depends on the Mexican government.", + "content": "Only about 10 vaquitas remain, but scientists say there’s still hope for the elusive porpoises. Their fate largely depends on the Mexican government.", + "category": "Dolphins and Porpoises", + "link": "https://www.nytimes.com/2021/11/23/climate/vaquita-mexico-extinction.html", + "creator": "Catrin Einhorn and Fred Ramos", + "pubDate": "Tue, 23 Nov 2021 13:16:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2745437df9e23f915bfb7dcb3fb412f5" + "hash": "c97d8f964732a46af9bb893aad70a164" }, { - "title": "Mark Meadows Cooperating With Jan. 6 Attack Inquiry", - "description": "Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", - "content": "Donald J. Trump’s former chief of staff, Mark Meadows, has turned over documents and agreed to be deposed in the House’s inquiry into the Jan. 6 attack.", - "category": "Meadows, Mark R (1959- )", - "link": "https://www.nytimes.com/2021/11/30/us/politics/capitol-riot-investigation-meadows.html", - "creator": "Luke Broadwater", - "pubDate": "Tue, 30 Nov 2021 18:54:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Netflix Turns Its Attention to Films It Hopes Everyone Wants to See", + "description": "The streaming service wants to be more than a place where big names bring passion projects studios have passed on. It’s now trying to make the kind of blockbusters normally seen in theaters.", + "content": "The streaming service wants to be more than a place where big names bring passion projects studios have passed on. It’s now trying to make the kind of blockbusters normally seen in theaters.", + "category": "Netflix Inc", + "link": "https://www.nytimes.com/2021/11/22/business/media/netflix-movies-theaters.html", + "creator": "Nicole Sperling", + "pubDate": "Tue, 23 Nov 2021 13:04:31 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b80cae62a59287fa3c5346952b5afd08" + "hash": "6419da295e6bed2ef60edc480794882a" }, { - "title": "First Accuser Testifies in Ghislaine Maxwell Trial", - "description": "A woman who prosecutors say was recruited for sex by Ms. Maxwell and Jeffrey Epstein at the age of 14 took the witness stand. Follow updates.", - "content": "A woman who prosecutors say was recruited for sex by Ms. Maxwell and Jeffrey Epstein at the age of 14 took the witness stand. Follow updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 21:54:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Hubble Telescope Checks In With the Most Distant Planets", + "description": "The spacecraft’s farseeing eye once again sets its gaze on Jupiter, Saturn, Uranus and Neptune.", + "content": "The spacecraft’s farseeing eye once again sets its gaze on Jupiter, Saturn, Uranus and Neptune.", + "category": "Hubble Space Telescope", + "link": "https://www.nytimes.com/2021/11/23/science/hubble-telescope-jupiter-saturn-uranus-neptune.html", + "creator": "Dennis Overbye", + "pubDate": "Tue, 23 Nov 2021 11:49:22 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04eccbd346258af51e576e87c533cc79" + "hash": "7a0bf7ca879d518aca535e9f57b1029a" }, { - "title": "Baptism Is Getting Wild: Horse Troughs, Hot Tubs and Hashtags", - "description": "In some evangelical churches, a once-staid ritual is returning to its informal roots — and things sometimes get “a little rowdy” along the way.", - "content": "In some evangelical churches, a once-staid ritual is returning to its informal roots — and things sometimes get “a little rowdy” along the way.", - "category": "Baptism", - "link": "https://www.nytimes.com/2021/11/29/us/evangelical-churches-baptism.html", - "creator": "Ruth Graham", - "pubDate": "Tue, 30 Nov 2021 05:37:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Late Night Celebrates Biden’s 79th Birthday", + "description": "Jimmy Fallon joked that when the president blew out his candles, “everyone started clapping and the lights went on and off.”", + "content": "Jimmy Fallon joked that when the president blew out his candles, “everyone started clapping and the lights went on and off.”", + "category": "Television", + "link": "https://www.nytimes.com/2021/11/23/arts/television/jimmy-fallon-biden-birthday.html", + "creator": "Trish Bendix", + "pubDate": "Tue, 23 Nov 2021 11:31:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2b6dbbb7c53bad1ec02763708fa2843" + "hash": "5bd87849217d193cac41a8d0bedd896d" }, { - "title": "Tony Kushner, Oracle of the Upper West Side", - "description": "When Steven Spielberg asked Kushner, America’s most important living playwright, to take on ‘West Side Story,’ he thought, ‘He’s lost his mind.’ But he dared.", - "content": "When Steven Spielberg asked Kushner, America’s most important living playwright, to take on ‘West Side Story,’ he thought, ‘He’s lost his mind.’ But he dared.", - "category": "Kushner, Tony", - "link": "https://www.nytimes.com/2021/11/30/t-magazine/tony-kushner-caroline-west-side.html", - "creator": "A.O. Scott", - "pubDate": "Tue, 30 Nov 2021 17:53:40 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Righting the Historical Wrong of the Claiborne Highway", + "description": "Is it possible to undo the damage done to Black communities by the expressway projects of the 20th century?", + "content": "Is it possible to undo the damage done to Black communities by the expressway projects of the 20th century?", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/23/podcasts/the-daily/claiborne-highway-biden-infrastructure-package.html", + "creator": "Sabrina Tavernise, Rob Szypko, Stella Tan, Michael Simon Johnson, Austin Mitchell, Sydney Harper, Paige Cowett, Lisa Tobin, Marion Lozano, Dan Powell, Elisheba Ittoop and Chris Wood", + "pubDate": "Tue, 23 Nov 2021 11:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab604d81750f96305eb27a5fd23aff3b" + "hash": "31b22a3836b56c741d9557949d31e72b" }, { - "title": "The Case Against Abortion", - "description": "Making the argument that lies behind the constitutional debate.", - "content": "Making the argument that lies behind the constitutional debate.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/11/30/opinion/abortion-dobbs-supreme-court.html", - "creator": "Ross Douthat", - "pubDate": "Tue, 30 Nov 2021 15:14:51 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Is the Four-Day Workweek Finally Within Our Grasp?", + "description": "After embracing flexible work styles during the pandemic, some companies are now embracing a shorter week.", + "content": "After embracing flexible work styles during the pandemic, some companies are now embracing a shorter week.", + "category": "Working Hours", + "link": "https://www.nytimes.com/2021/11/23/business/dealbook/four-day-workweek.html", + "creator": "Kevin J. Delaney", + "pubDate": "Tue, 23 Nov 2021 10:02:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6e2ae709cd523918523cce9544923af" + "hash": "726b92e327bbe707f6d7da312b007257" }, { - "title": "The Women Who Died After Abortion Bans", - "description": "It should not take a high-profile death to expose just how much is at risk when medicine is hamstrung by politics, religion or culture.", - "content": "It should not take a high-profile death to expose just how much is at risk when medicine is hamstrung by politics, religion or culture.", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/11/29/opinion/heartbeat-abortion-bans-savita-izabela.html", - "creator": "Sarah Wildman", - "pubDate": "Mon, 29 Nov 2021 11:30:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As Virus Cases Rise in Europe, an Economic Toll Returns", + "description": "A series of restrictions, including a lockdown in Austria, is expected to put a brake on economic growth.", + "content": "A series of restrictions, including a lockdown in Austria, is expected to put a brake on economic growth.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/23/business/economy/europe-covid-economy.html", + "creator": "Patricia Cohen and Melissa Eddy", + "pubDate": "Tue, 23 Nov 2021 10:00:43 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b5128abec8944af104cac77bcac5227" + "hash": "f578e6f5859354d23ed50826ae6b80c8" }, { - "title": "Becoming a Parent, or Deciding Not To", - "description": "Betty Rollin and other readers discuss whether it is “still OK to procreate.” Also: Following the kids’ lead on masks; regulating cyberwar.", - "content": "Betty Rollin and other readers discuss whether it is “still OK to procreate.” Also: Following the kids’ lead on masks; regulating cyberwar.", - "category": "Parenting", - "link": "https://www.nytimes.com/2021/11/30/opinion/letters/parents-children.html", - "creator": "", - "pubDate": "Tue, 30 Nov 2021 16:39:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Ronald Reagan Guide to Joe Biden’s Political Future", + "description": "It is hard to act as an ambitious president without incurring a penalty, even if your policies are popular.", + "content": "It is hard to act as an ambitious president without incurring a penalty, even if your policies are popular.", + "category": "Polls and Public Opinion", + "link": "https://www.nytimes.com/2021/11/23/opinion/biden-reagan-approval.html", + "creator": "Jamelle Bouie", + "pubDate": "Tue, 23 Nov 2021 10:00:24 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "782a45d69430bdc16071187a3a5dba1b" + "hash": "e8ef84a2e96ed4b1918d7cad5e7c3796" }, { - "title": "Fear and Uncertainty Over the Omicron Variant", - "description": "Readers discuss travel bans, globalism and “variants of kindness.”", - "content": "Readers discuss travel bans, globalism and “variants of kindness.”", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/11/29/opinion/letters/omicron-coronavirus-variant.html", - "creator": "", - "pubDate": "Mon, 29 Nov 2021 20:20:27 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New York Targets Affluent Neighborhoods in Push for Affordable Housing", + "description": "Supporters say the plans help address New York’s housing crisis and help integrate the city’s neighborhoods. Opponents see more gentrification and giveaways for developers.", + "content": "Supporters say the plans help address New York’s housing crisis and help integrate the city’s neighborhoods. Opponents see more gentrification and giveaways for developers.", + "category": "Real Estate and Housing (Residential)", + "link": "https://www.nytimes.com/2021/11/23/nyregion/affordable-housing-gowanus-soho.html", + "creator": "Mihir Zaveri", + "pubDate": "Tue, 23 Nov 2021 10:00:22 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2ddaf16a522eccf144834fe3b46c4d9" + "hash": "0539c8a27a3d3f63d241d0ecfad3f2d3" }, { - "title": "Kyle Rittenhouse, Travis McMichael and the Problem of ‘Self Defense’", - "description": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", - "content": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", - "category": "Arbery, Ahmaud (1994-2020)", - "link": "https://www.nytimes.com/2021/11/29/opinion/self-defense-guns-arbery-rittenhouse.html", - "creator": "Tali Farhadian Weinstein", - "pubDate": "Mon, 29 Nov 2021 18:53:37 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New York Moves to Allow 800,000 Noncitizens to Vote in Local Elections", + "description": "New York City will become the largest municipality in the country to allow legal residents to vote if the legislation is approved as expected in December.", + "content": "New York City will become the largest municipality in the country to allow legal residents to vote if the legislation is approved as expected in December.", + "category": "Voting Rights, Registration and Requirements", + "link": "https://www.nytimes.com/2021/11/23/nyregion/noncitizen-voting-rights-nyc.html", + "creator": "Jeffery C. Mays and Annie Correal", + "pubDate": "Tue, 23 Nov 2021 10:00:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06810cc7fc4520cd436883a49237e515" + "hash": "ef59433800b16b56686cfe81456310f2" }, { - "title": "Omicron Is Coming. The U.S. Must Act Now.", - "description": "South Africa gave the world an early warning. Decisive action on containment and surveillance could help us control it.", - "content": "South Africa gave the world an early warning. Decisive action on containment and surveillance could help us control it.", - "category": "Coronavirus Delta Variant", - "link": "https://www.nytimes.com/2021/11/28/opinion/covid-omicron-travel-ban-testing.html", - "creator": "Zeynep Tufekci", - "pubDate": "Sun, 28 Nov 2021 16:00:09 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "It’s Never Too Late to Pick Up Your Life and Move to Italy", + "description": "Holly Herrmann vowed to move to Italy when she was 20. Her dream came true 38 years later.", + "content": "Holly Herrmann vowed to move to Italy when she was 20. Her dream came true 38 years later.", + "category": "Travel and Vacations", + "link": "https://www.nytimes.com/2021/11/23/style/italy-retirement-holly-herrmann.html", + "creator": "Alix Strauss", + "pubDate": "Tue, 23 Nov 2021 10:00:17 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e02f0692e42e1ddc412336aa9565390" + "hash": "53fff5ac87f11a7d0e79625d713639c5" }, { - "title": "This Holiday Season, Keep Forgiveness on Hand", - "description": "As we gather to celebrate the holidays during a difficult year, we’d be wise to consider a posture of grace.", - "content": "As we gather to celebrate the holidays during a difficult year, we’d be wise to consider a posture of grace.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2021/11/24/opinion/thanksgiving-family-forgiveness.html", - "creator": "Kelly Corrigan", - "pubDate": "Mon, 29 Nov 2021 17:30:41 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Army Cadets Tried to Get Navy’s Goat, Again. Commanders Were Not Amused.", + "description": "Rivalries among the nation’s military academies include a long history of mascot-stealing “spirit missions” before football games, despite official condemnations.", + "content": "Rivalries among the nation’s military academies include a long history of mascot-stealing “spirit missions” before football games, despite official condemnations.", + "category": "United States Defense and Military Forces", + "link": "https://www.nytimes.com/2021/11/23/us/army-navy-mascot-kidnap-goat.html", + "creator": "Dave Philipps", + "pubDate": "Tue, 23 Nov 2021 10:00:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0db65dbc5482c0942369d069808dcdfe" + "hash": "b4db719163ac88afc15d286a01fb7936" }, { - "title": "Jack Dorsey Steps Down as C.E.O. of Twitter", - "description": "The social media pioneer, whose name has become synonymous with the company, was replaced by Twitter’s chief technology officer, Parag Agrawal.", - "content": "The social media pioneer, whose name has become synonymous with the company, was replaced by Twitter’s chief technology officer, Parag Agrawal.", - "category": "Twitter", - "link": "https://www.nytimes.com/2021/11/29/technology/jack-dorsey-twitter.html", - "creator": "Kate Conger and Lauren Hirsch", - "pubDate": "Tue, 30 Nov 2021 10:02:25 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Should I Do With My Big Fat Inheritance?", + "description": "The magazine’s Ethicist columnist on the burdens of philanthropy — and more.", + "content": "The magazine’s Ethicist columnist on the burdens of philanthropy — and more.", + "category": "Ethics (Personal)", + "link": "https://www.nytimes.com/2021/11/23/magazine/inheritance-ethics.html", + "creator": "Kwame Anthony Appiah", + "pubDate": "Tue, 23 Nov 2021 10:00:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2fa9fbd9c1c805eb33689e252504050" + "hash": "866e75be92d0c259fd6c7ab1e9fe006d" }, { - "title": "Chris Cuomo Played Outsize Role in Andrew Cuomo’s Defense", - "description": "Chris Cuomo, the CNN host, participated in strategy discussions and shared a tip on at least one woman who had accused his brother, Andrew Cuomo, of sexual harassment.", - "content": "Chris Cuomo, the CNN host, participated in strategy discussions and shared a tip on at least one woman who had accused his brother, Andrew Cuomo, of sexual harassment.", - "category": "Cuomo, Andrew M", - "link": "https://www.nytimes.com/2021/11/29/nyregion/chris-cuomo-andrew-cuomo-sexual-harassment.html", - "creator": "Nicholas Fandos, Michael Gold, Grace Ashford and Dana Rubinstein", - "pubDate": "Tue, 30 Nov 2021 00:49:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Why Peng Shuai Frustrates China's Propaganda Machine", + "description": "Accustomed to forcing messages on audiences at home and abroad, its propaganda machine hasn’t learned how to craft a narrative that stands up to scrutiny.", + "content": "Accustomed to forcing messages on audiences at home and abroad, its propaganda machine hasn’t learned how to craft a narrative that stands up to scrutiny.", + "category": "Peng Shuai", + "link": "https://www.nytimes.com/2021/11/23/business/china-peng-shuai-metoo.html", + "creator": "Li Yuan", + "pubDate": "Tue, 23 Nov 2021 09:02:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42c0c1f2e55596e884d5179697753a57" + "hash": "2650f9de434d96eb8e984894a096a2c4" }, { - "title": "As China Speeds Up Nuclear Arms Race, the U.S. Wants to Talk", - "description": "The Pentagon thinks Beijing may build 1,000 or more weapons by 2030. But it’s the new technologies that worry strategists.", - "content": "The Pentagon thinks Beijing may build 1,000 or more weapons by 2030. But it’s the new technologies that worry strategists.", - "category": "China", - "link": "https://www.nytimes.com/2021/11/28/us/politics/china-nuclear-arms-race.html", - "creator": "David E. Sanger and William J. Broad", - "pubDate": "Mon, 29 Nov 2021 00:45:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Bulgaria Bus Crash Kills Dozens", + "description": "The bus, which had North Macedonian plates, caught fire on a highway, an official said.", + "content": "The bus, which had North Macedonian plates, caught fire on a highway, an official said.", + "category": "Traffic Accidents and Safety", + "link": "https://www.nytimes.com/2021/11/23/world/europe/bulgaria-bus-crash-north-macedonia.html", + "creator": "Livia Albeck-Ripka", + "pubDate": "Tue, 23 Nov 2021 07:21:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea7fb3dbb520f9ca8b6cd89ba79738b4" + "hash": "1632a844bd13bf0a51f8f7755489e20f" }, { - "title": "Colton Underwood Comes Out and Comes Clean", - "description": "The former “Bachelor” star announced he is gay on national TV in April. A new Netflix reality series seeks to share his journey and address the criticism.", - "content": "The former “Bachelor” star announced he is gay on national TV in April. A new Netflix reality series seeks to share his journey and address the criticism.", - "category": "Homosexuality and Bisexuality", - "link": "https://www.nytimes.com/2021/11/29/arts/television/colton-underwood-netflix.html", - "creator": "Erik Piepenburg", - "pubDate": "Mon, 29 Nov 2021 10:00:20 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Russia’s Foreign Policy Isn’t All About Hurting the West", + "description": "Moscow has other concerns.", + "content": "Moscow has other concerns.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/11/23/opinion/russia-putin-west.html", + "creator": "Kadri Liik", + "pubDate": "Tue, 23 Nov 2021 06:00:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba0edcae0ed1b5336fb2c08ee517d684" + "hash": "885005721fb8ed2282fca1fd661224bd" }, { - "title": "Who Owns a Recipe? A Plagiarism Claim Has Cookbook Authors Asking.", - "description": "U.S. copyright law protects all kinds of creative material, but recipe creators are mostly powerless in an age and a business that are all about sharing.", - "content": "U.S. copyright law protects all kinds of creative material, but recipe creators are mostly powerless in an age and a business that are all about sharing.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/29/dining/recipe-theft-cookbook-plagiarism.html", - "creator": "Priya Krishna", - "pubDate": "Mon, 29 Nov 2021 21:11:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Book Review: ‘Tinderbox,’ by James Andrew Miller", + "description": "James Andrew Miller’s book follows the channel from its start in 1972 through its transformative “Sopranos” years and up to the present day.", + "content": "James Andrew Miller’s book follows the channel from its start in 1972 through its transformative “Sopranos” years and up to the present day.", + "category": "Miller, James Andrew", + "link": "https://www.nytimes.com/2021/11/22/books/review-tinderbox-hbo-oral-history-james-andrew-miller.html", + "creator": "Dwight Garner", + "pubDate": "Tue, 23 Nov 2021 04:59:02 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "95b866c97c3b2f3e5cce757063573371" + "hash": "a5d7cc46ae42f0041f2791c4c97195ef" }, { - "title": "‘Looking for the Good War’ Says Our Nostalgia for World War II Has Done Real Harm", - "description": "Elizabeth D. Samet demystifies the cultural narrative that has shrouded the historical reality.", - "content": "Elizabeth D. Samet demystifies the cultural narrative that has shrouded the historical reality.", - "category": "Samet, Elizabeth D", - "link": "https://www.nytimes.com/2021/11/29/books/review-looking-for-good-war-elizabeth-samet.html", - "creator": "Jennifer Szalai", - "pubDate": "Mon, 29 Nov 2021 18:49:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "2 Canadian Journalists Arrested at Indigenous Protest Are Freed on Bail", + "description": "Journalist groups denounced the arrest of a photographer and a filmmaker covering an Indigenous pipeline protest in British Columbia.", + "content": "Journalist groups denounced the arrest of a photographer and a filmmaker covering an Indigenous pipeline protest in British Columbia.", + "category": "Canada", + "link": "https://www.nytimes.com/2021/11/22/world/canada/canada-indigenous-journalist-arrests.html", + "creator": "Ian Austen", + "pubDate": "Tue, 23 Nov 2021 04:39:23 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b786ea4e73f03ddbd9f5afa7d2d9351a" + "hash": "54f93f0bfa1895878aaca3fc9d3c38be" }, { - "title": "Fighting Racism, Quietly", - "description": "The Ahmaud Arbery trial offers lessons for American politics.", - "content": "The Ahmaud Arbery trial offers lessons for American politics.", - "category": "", - "link": "https://www.nytimes.com/2021/11/30/briefing/ahmaud-arbery-race-american-politics.html", - "creator": "David Leonhardt", - "pubDate": "Tue, 30 Nov 2021 11:29:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Victims at Christmas Parade Were Young Musicians and Dancing Grannies", + "description": "Five adults died in Waukesha, Wis., and at least 10 children were in intensive care. Three were members of a Milwaukee dance troupe, which celebrated grandmothers.", + "content": "Five adults died in Waukesha, Wis., and at least 10 children were in intensive care. Three were members of a Milwaukee dance troupe, which celebrated grandmothers.", + "category": "Waukesha, Wis, Holiday Parade Attack (2021)", + "link": "https://www.nytimes.com/article/waukesha-victims-dancing-grannies.html", + "creator": "Shawn Hubler and Giulia Heyward", + "pubDate": "Tue, 23 Nov 2021 04:18:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7e6096a89f7ed85d0b785e85baa92159" + "hash": "f2a94b17e6d3be6dc2c8eb94bc523dcf" }, { - "title": "What We Know About the Omicron Variant", - "description": "The World Health Organization has declared that this version of the coronavirus poses a very high risk to public health. How did they come to that conclusion?", - "content": "The World Health Organization has declared that this version of the coronavirus poses a very high risk to public health. How did they come to that conclusion?", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/11/30/podcasts/the-daily/omicron-variant-coronavirus.html", - "creator": "Michael Barbaro, Jessica Cheung, Diana Nguyen, Michael Simon Johnson, M.J. Davis Lin and Chris Wood", - "pubDate": "Tue, 30 Nov 2021 11:09:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "N.Y.C. Severs Ties With Housing Nonprofit Run by Jack A. Brown III", + "description": "The city will no longer work with CORE Services Group, the nonprofit run by Jack A. Brown to provide housing and services to the homeless.", + "content": "The city will no longer work with CORE Services Group, the nonprofit run by Jack A. Brown to provide housing and services to the homeless.", + "category": "Government Contracts and Procurement", + "link": "https://www.nytimes.com/2021/11/22/nyregion/jack-brown-core-services-homeless-nyc.html", + "creator": "Amy Julia Harris", + "pubDate": "Tue, 23 Nov 2021 03:34:11 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4833ba2990760596e071940d006404c5" + "hash": "59bcdd06d23f4e082109b2bc452e3924" }, { - "title": "Finding Purpose by Giving Back", - "description": "Whether helping people stay clean and safe, pursue their educational dreams or find the aid they need, volunteers make a difference.", - "content": "Whether helping people stay clean and safe, pursue their educational dreams or find the aid they need, volunteers make a difference.", - "category": "New York Times Neediest Cases Fund", - "link": "https://www.nytimes.com/2021/11/29/neediest-cases/finding-purpose-by-giving-back.html", - "creator": "Emma Grillo", - "pubDate": "Mon, 29 Nov 2021 23:19:22 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Chun Doo-hwan, South Korea's Most Vilified Ex-Military Dictator, Dies at 90", + "description": "The country’s most vilified former military dictator, he seized power in a coup and ruled his country with an iron fist for most of the 1980s.", + "content": "The country’s most vilified former military dictator, he seized power in a coup and ruled his country with an iron fist for most of the 1980s.", + "category": "South Korea", + "link": "https://www.nytimes.com/2021/11/23/world/asia/chun-doo-hwan-dead.html", + "creator": "Choe Sang-Hun", + "pubDate": "Tue, 23 Nov 2021 03:21:06 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "46952a34641c04df6a804590102e48a2" + "hash": "b49a3059631fda98d57777096204aae9" }, { - "title": "Met Museum Jump-Starts New Modern Wing With $125 Million Gift", - "description": "The donation from a trustee, Oscar L. Tang, and his wife, Agnes Hsu‐Tang, reinvigorates the long-delayed project and is the largest capital gift in the Met’s history.", - "content": "The donation from a trustee, Oscar L. Tang, and his wife, Agnes Hsu‐Tang, reinvigorates the long-delayed project and is the largest capital gift in the Met’s history.", - "category": "Metropolitan Museum of Art", - "link": "https://www.nytimes.com/2021/11/30/arts/design/met-museum-modern-wing-gift.html", - "creator": "Robin Pogrebin", - "pubDate": "Tue, 30 Nov 2021 18:18:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Lawyers Clash Over Whether Pursuit of Arbery Was Justified", + "description": "In closing arguments on Monday, prosecutors also raised a racial motive for why the three white men accused of murdering Ahmaud Arbery began chasing him.", + "content": "In closing arguments on Monday, prosecutors also raised a racial motive for why the three white men accused of murdering Ahmaud Arbery began chasing him.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/11/22/us/arbery-murder-trial-closing-arguments.html", + "creator": "Richard Fausset, Tariro Mzezewa and Rick Rojas", + "pubDate": "Tue, 23 Nov 2021 03:14:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "027eacacd757faf495bfd40ff47fc835" + "hash": "8960db9d0274d32e252626c443307ad9" }, { - "title": "El Chapo’s Wife Sentenced to 3 Years in Prison", - "description": "Emma Coronel Aispuro pleaded guilty in June to helping her husband, Joaquin Guzmán Loera, smuggle drugs into the United States and escape from prison.", - "content": "Emma Coronel Aispuro pleaded guilty in June to helping her husband, Joaquin Guzmán Loera, smuggle drugs into the United States and escape from prison.", - "category": "Drug Abuse and Traffic", - "link": "https://www.nytimes.com/2021/11/30/us/politics/el-chapo-wife-emma-coronel-aispuro-sentenced.html", - "creator": "Alan Feuer", - "pubDate": "Tue, 30 Nov 2021 19:34:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "U.S. Returns Over 900 Confiscated Artifacts to Mali", + "description": "A Homeland Security investigation had discovered funerary objects, Neolithic relics and more in a shipping container in 2009.", + "content": "A Homeland Security investigation had discovered funerary objects, Neolithic relics and more in a shipping container in 2009.", + "category": "Arts and Antiquities Looting", + "link": "https://www.nytimes.com/2021/11/22/arts/design/us-mali-looted-antiquities-returned.html", + "creator": "Zachary Small", + "pubDate": "Tue, 23 Nov 2021 02:40:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d539e8557b633804bfc8ac07aa72ca1" + "hash": "a45e11614e004d4cfdaa9a2703f0be58" }, { - "title": "India's Economy Still Weak, Despite a Strong Third Quarter", - "description": "Covid-19 essentially robbed the country of more than a year of badly needed economic growth. That’s lost ground that cannot be regained quickly.", - "content": "Covid-19 essentially robbed the country of more than a year of badly needed economic growth. That’s lost ground that cannot be regained quickly.", - "category": "India", - "link": "https://www.nytimes.com/2021/11/30/business/india-economy-gdp.html", - "creator": "Karan Deep Singh", - "pubDate": "Tue, 30 Nov 2021 12:49:01 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden Will Keep Jerome Powell as Federal Reserve Chair", + "description": "The White House returned to a longstanding pattern in which presidents reappoint the same leader of the Federal Reserve regardless of partisan identity.", + "content": "The White House returned to a longstanding pattern in which presidents reappoint the same leader of the Federal Reserve regardless of partisan identity.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/11/22/business/economy/fed-chair-jerome-powell-biden.html", + "creator": "Jeanna Smialek and Jim Tankersley", + "pubDate": "Tue, 23 Nov 2021 01:58:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "90d3ed177470f97e0d9c1ed2b0917951" + "hash": "f5c5b55491e20b81791d900a185d915c" }, { - "title": "China’s Silence on Peng Shuai Shows Limits of Beijing’s Propaganda", - "description": "Officials have struggled to respond to a sexual assault allegation that hits at the heights of its buttoned-up political system.", - "content": "Officials have struggled to respond to a sexual assault allegation that hits at the heights of its buttoned-up political system.", - "category": "Censorship", - "link": "https://www.nytimes.com/2021/11/30/world/asia/china-peng-shuai-propaganda.html", - "creator": "Amy Qin and Paul Mozur", - "pubDate": "Tue, 30 Nov 2021 19:58:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Problem of Political Despair", + "description": "Hopelessness about our democracy could accelerate its decay.", + "content": "Hopelessness about our democracy could accelerate its decay.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/22/opinion/american-democracy.html", + "creator": "Michelle Goldberg", + "pubDate": "Tue, 23 Nov 2021 01:33:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b11da63f1ff1db256f0529d0bbb714eb" + "hash": "9ac35540e9d3b3170eb3dd79462dc7ba" }, { - "title": "Josephine Baker Interred in French Panthéon", - "description": "President Macron hails the American-born dancer and French resistance fighter as a symbol of unity in a time of sharp division.", - "content": "President Macron hails the American-born dancer and French resistance fighter as a symbol of unity in a time of sharp division.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/30/world/europe/josephine-baker-buried-pantheon.html", - "creator": "Roger Cohen", - "pubDate": "Tue, 30 Nov 2021 21:36:31 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "House Panel Subpoenas Roger Stone and Alex Jones in Capitol Riot Inquiry", + "description": "Investigators summoned five more allies of former President Donald J. Trump as they dug further into the planning and financing of rallies before the Jan. 6 attack.", + "content": "Investigators summoned five more allies of former President Donald J. Trump as they dug further into the planning and financing of rallies before the Jan. 6 attack.", + "category": "Stone, Roger J Jr", + "link": "https://www.nytimes.com/2021/11/22/us/politics/capitol-riot-subpoenas-roger-stone-alex-jones.html", + "creator": "Luke Broadwater", + "pubDate": "Tue, 23 Nov 2021 01:24:18 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f996e8dd46881b04c03c64b8396fa31b" + "hash": "b058ac259f23e1b8f4e871d4777facb3" }, { - "title": "‘Our Money Has No Value’: Frustration Rises in Turkey at Lira Crisis", - "description": "President Recep Tayyip Erdogan’s insistence on directing monetary policy and sticking with low interest rates is draining confidence, economists say.", - "content": "President Recep Tayyip Erdogan’s insistence on directing monetary policy and sticking with low interest rates is draining confidence, economists say.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/30/world/europe/turkey-erdogan-inflation-lira.html", - "creator": "Carlotta Gall", - "pubDate": "Tue, 30 Nov 2021 14:55:40 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Justice Department to Pay About $130 Million to Parkland Shooting Victims", + "description": "Family members of victims had sued over how the F.B.I. handled tips warning about the gunman before he killed 17 people at Marjory Stoneman Douglas High School.", + "content": "Family members of victims had sued over how the F.B.I. handled tips warning about the gunman before he killed 17 people at Marjory Stoneman Douglas High School.", + "category": "Parkland, Fla, Shooting (2018)", + "link": "https://www.nytimes.com/2021/11/22/us/parkland-shooting-victims-settlement.html", + "creator": "Patricia Mazzei and Katie Benner", + "pubDate": "Tue, 23 Nov 2021 01:06:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6fdc2bf13edf84002118e295eca59af3" + "hash": "27907f1a111c27943fc5bca2a7bc4e31" }, { - "title": "Investors Snap Up Metaverse Real Estate in a Virtual Land Boom", - "description": "Transactions for properties in digital realms are jumping, guided by the same principle in the physical world: location, location, location.", - "content": "Transactions for properties in digital realms are jumping, guided by the same principle in the physical world: location, location, location.", - "category": "Real Estate (Commercial)", - "link": "https://www.nytimes.com/2021/11/30/business/metaverse-real-estate.html", - "creator": "Debra Kamin", - "pubDate": "Tue, 30 Nov 2021 14:00:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Man Accused of Killing 5 at Wisconsin Parade Had Lengthy Police Record", + "description": "Dozens of people were injured, including children, after an S.U.V. tore through the Christmas parade in Waukesha, Wis.", + "content": "Dozens of people were injured, including children, after an S.U.V. tore through the Christmas parade in Waukesha, Wis.", + "category": "Waukesha, Wis, Holiday Parade Attack (2021)", + "link": "https://www.nytimes.com/2021/11/22/us/wisconsin-waukesha-parade.html", + "creator": "Mitch Smith, Dan Simmons, Glenn Thrush and Serge F. Kovaleski", + "pubDate": "Tue, 23 Nov 2021 00:46:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2943faea8ed3b5385e7093e10b4ad4fc" + "hash": "7c6e3901ff5be5a50ea3c9431c827bc5" }, { - "title": "Farm Housing Mennonite Boys Engaged in Human Trafficking, Lawsuit Says", - "description": "In a federal lawsuit against the Eastern Pennsylvania Mennonite Church, two plaintiffs said they were deprived of food and restrained with zip ties at a forced-labor farm.", - "content": "In a federal lawsuit against the Eastern Pennsylvania Mennonite Church, two plaintiffs said they were deprived of food and restrained with zip ties at a forced-labor farm.", - "category": "Suits and Litigation (Civil)", - "link": "https://www.nytimes.com/2021/11/29/us/pennsylvania-mennonite-church-lawsuit.html", - "creator": "Neil Vigdor", - "pubDate": "Mon, 29 Nov 2021 23:10:37 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "ATP Finals Create a Buzz in Turin, but Will Italy’s Players Follow?", + "description": "Turin is a smaller stage than the prestigious event had in London, but the enthusiasm was real, especially for the young Italian stars Jannik Sinner and Matteo Berrettini.", + "content": "Turin is a smaller stage than the prestigious event had in London, but the enthusiasm was real, especially for the young Italian stars Jannik Sinner and Matteo Berrettini.", + "category": "Tennis", + "link": "https://www.nytimes.com/2021/11/22/sports/tennis/atp-finals-turin-sinner-berrettini.html", + "creator": "Christopher Clarey", + "pubDate": "Tue, 23 Nov 2021 00:25:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5170b2f43518d90540f8a33af88043b1" + "hash": "730014c040f468ec0621476723130359" }, { - "title": "Lululemon Sues Peloton Alleging Patent Infringement", - "description": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", - "content": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", - "category": "Suits and Litigation (Civil)", - "link": "https://www.nytimes.com/2021/11/30/business/lululemon-peloton-lawsuit.html", - "creator": "Johnny Diaz", - "pubDate": "Tue, 30 Nov 2021 20:13:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Lael Brainard is Tapped For Vice Chair of the Federal Reserve", + "description": "The longtime Washington insider is now the central bank’s No. 2. That could give her more bandwidth to influence policy.", + "content": "The longtime Washington insider is now the central bank’s No. 2. That could give her more bandwidth to influence policy.", + "category": "Appointments and Executive Changes", + "link": "https://www.nytimes.com/2021/11/22/business/economy/lael-brainard-fed-vice-chair.html", + "creator": "Jeanna Smialek and Madeleine Ngo", + "pubDate": "Tue, 23 Nov 2021 00:21:00 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f7df77f0a60bfdeb8205f7029447bd38" + "hash": "ee296846f38020d1e1c68b8ad2dcbf50" }, { - "title": "Kimberly Potter’s Trial for the Death of Daunte Wright: What We Know", - "description": "Kimberly Potter, a former Minnesota police officer, faces manslaughter charges in the death of Mr. Wright. She called out “Taser! Taser! Taser!” before firing her gun during a traffic stop.", - "content": "Kimberly Potter, a former Minnesota police officer, faces manslaughter charges in the death of Mr. Wright. She called out “Taser! Taser! Taser!” before firing her gun during a traffic stop.", - "category": "Police Brutality, Misconduct and Shootings", - "link": "https://www.nytimes.com/2021/11/30/us/daunte-wright-shooting-kimberly-potter.html", - "creator": "Nicholas Bogel-Burroughs", - "pubDate": "Tue, 30 Nov 2021 15:54:52 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Spending as if the Future Matters", + "description": "Public investment, including spending on children, is a worthy American tradition.", + "content": "Public investment, including spending on children, is a worthy American tradition.", + "category": "Infrastructure Investment and Jobs Act (2021)", + "link": "https://www.nytimes.com/2021/11/22/opinion/biden-infrastructure-spending.html", + "creator": "Paul Krugman", + "pubDate": "Tue, 23 Nov 2021 00:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f22a756f364ffb0e5944af6e0ceb0929" + "hash": "7b20aed6b75135d2218357319dcde1e0" }, { - "title": "What Is Cardiac Angiosarcoma?", - "description": "Virgil Abloh, the celebrated fashion designer, died at 41 after being diagnosed with the rare cancer. Here’s what we know about it.", - "content": "Virgil Abloh, the celebrated fashion designer, died at 41 after being diagnosed with the rare cancer. Here’s what we know about it.", - "category": "Tumors", - "link": "https://www.nytimes.com/2021/11/29/well/live/cardiac-angiosarcoma-virgil-abloh.html", - "creator": "Melinda Wenner Moyer", - "pubDate": "Mon, 29 Nov 2021 22:11:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Touchy Feely,’ ‘Maggie’ and Other Streaming Gems", + "description": "A look at off-the-radar recommendations for home viewing, including indie comedy-dramas, genre hybrids and informative documentaries about influential outsiders.", + "content": "A look at off-the-radar recommendations for home viewing, including indie comedy-dramas, genre hybrids and informative documentaries about influential outsiders.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/22/movies/offbeat-streaming-movies.html", + "creator": "Jason Bailey", + "pubDate": "Mon, 22 Nov 2021 23:01:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "43208c032c6057d2349a17463d27ee28" + "hash": "721ddcf33df645421a99c4934dade600" }, { - "title": "Do You Have the Heart for Marijuana?", - "description": "Research suggests that smoking marijuana carries many of the same cardiovascular health hazards as smoking tobacco.", - "content": "Research suggests that smoking marijuana carries many of the same cardiovascular health hazards as smoking tobacco.", - "category": "Marijuana", - "link": "https://www.nytimes.com/2020/10/26/well/live/marijuana-heart-health-cardiovascular-risks.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 26 Oct 2020 09:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Thanksgiving Holiday Travel Will Test Airlines", + "description": "Thanksgiving will be the biggest test of the system’s resilience since the pandemic began, with millions more passengers than last year.", + "content": "Thanksgiving will be the biggest test of the system’s resilience since the pandemic began, with millions more passengers than last year.", + "category": "Airlines and Airplanes", + "link": "https://www.nytimes.com/2021/11/22/business/thanksgiving-holiday-travel-airlines.html", + "creator": "Sydney Ember and Niraj Chokshi", + "pubDate": "Mon, 22 Nov 2021 22:51:31 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "195c0271cc2a6474d5c06f245d7f615e" + "hash": "a28a5805802016a2dc132045b01bf85b" }, { - "title": "Coronary Calcium Scan: A Heart Test That Can Help Guide Treatment", - "description": "Many doctors recommend the heart test to pinpoint which patients would benefit from treatment to reduce their cardiovascular risk.", - "content": "Many doctors recommend the heart test to pinpoint which patients would benefit from treatment to reduce their cardiovascular risk.", - "category": "Tests (Medical)", - "link": "https://www.nytimes.com/2021/11/22/well/live/heart-calcium-scan.html", - "creator": "Jane E. Brody", - "pubDate": "Wed, 24 Nov 2021 21:54:40 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kenosha, the Rittenhouse Verdict, and the Riots of 2020", + "description": "What I saw in Portland and Kenosha has convinced me: We must stop tearing ourselves apart so that we can build.", + "content": "What I saw in Portland and Kenosha has convinced me: We must stop tearing ourselves apart so that we can build.", + "category": "George Floyd Protests (2020)", + "link": "https://www.nytimes.com/2021/11/22/opinion/politics/kenosha-rittenhouse-2020-protests.html", + "creator": "Nancy Rommelmann", + "pubDate": "Mon, 22 Nov 2021 22:51:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbad549b5e360228c7142e8f27cda53f" + "hash": "0bf0024b0b6a8c0f15e00dddddbd1d1e" }, { - "title": "The Loss of a Child Takes a Physical Toll on the Heart", - "description": "Grieving parents were at high risk of a heart attack in the days following the death of a child, and an increased risk may persist for years.", - "content": "Grieving parents were at high risk of a heart attack in the days following the death of a child, and an increased risk may persist for years.", - "category": "Grief (Emotion)", - "link": "https://www.nytimes.com/2021/11/23/well/family/death-of-a-child-parents-heart-attack-risk.html", - "creator": "Nicholas Bakalar", - "pubDate": "Tue, 23 Nov 2021 10:00:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Fake News on Facebook Helped Fuel a Border Crisis in Europe", + "description": "Social media worsened a migrant crisis on the border of Belarus and Poland and helped smugglers profit off desperate people trying to reach Europe.", + "content": "Social media worsened a migrant crisis on the border of Belarus and Poland and helped smugglers profit off desperate people trying to reach Europe.", + "category": "Middle East and Africa Migrant Crisis", + "link": "https://www.nytimes.com/2021/11/22/world/europe/belarus-migrants-facebook-fake-news.html", + "creator": "Andrew Higgins, Adam Satariano and Jane Arraf", + "pubDate": "Mon, 22 Nov 2021 22:30:53 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d603f61e09c59444a3f455e704ad1d2b" + "hash": "73a36721de3ca00d3be25976968af9c5" }, { - "title": "Jake Wood Was Once a Warrior, Then a Nonprofit Leader. Now He's an Entrepreneur.", - "description": "Jake Wood was a Marine sniper in Iraq and Afghanistan. Now he works in the philanthropic sector and is “leading with love.”", - "content": "Jake Wood was a Marine sniper in Iraq and Afghanistan. Now he works in the philanthropic sector and is “leading with love.”", - "category": "Executives and Management (Theory)", - "link": "https://www.nytimes.com/2021/11/24/business/jake-wood-team-rubicon-groundswell-corner-office.html", - "creator": "David Gelles", - "pubDate": "Wed, 24 Nov 2021 15:44:31 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Groveland Four Are Exonerated More Than 70 Years Later", + "description": "The men, known as the Groveland Four, were cleared on Monday after a Florida prosecutor said “a complete breakdown of the criminal justice system” led to the charges in 1949.", + "content": "The men, known as the Groveland Four, were cleared on Monday after a Florida prosecutor said “a complete breakdown of the criminal justice system” led to the charges in 1949.", + "category": "Amnesties, Commutations and Pardons", + "link": "https://www.nytimes.com/2021/11/22/us/groveland-four-exonerated-florida.html", + "creator": "Amanda Holpuch", + "pubDate": "Mon, 22 Nov 2021 22:30:02 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bff54a669e3ccafae1cfc8f786d97468" + "hash": "23d10693695ae9d6b4a2fbf347f2ce07" }, { - "title": "Restaurant Review: Shion 69 Leonard Street", - "description": "The chef Shion Uino displays a rare, untheatrical mastery of seafood at his new $420-a-head restaurant in TriBeCa.", - "content": "The chef Shion Uino displays a rare, untheatrical mastery of seafood at his new $420-a-head restaurant in TriBeCa.", - "category": "Restaurants", - "link": "https://www.nytimes.com/2021/11/30/dining/shion-69-leonard-street-review-sushi-nyc.html", - "creator": "Pete Wells", - "pubDate": "Tue, 30 Nov 2021 18:27:02 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden Bets Big on Continuity at the Fed", + "description": "Jerome Powell and Lael Brainard are known quantities in a turbulent time.", + "content": "Jerome Powell and Lael Brainard are known quantities in a turbulent time.", + "category": "United States Economy", + "link": "https://www.nytimes.com/2021/11/22/upshot/powell-brainard-fed-biden.html", + "creator": "Neil Irwin", + "pubDate": "Mon, 22 Nov 2021 22:26:49 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ae0d33906e49ac94fb193c72a4cce44c" + "hash": "f940188be956a7e81cfb80f948c7d595" }, { - "title": "Man Survives Flight From Guatemala to Miami in Plane’s Landing Gear", - "description": "The 26-year-old man, whose name was not released, was taken into custody by border agents, officials said.", - "content": "The 26-year-old man, whose name was not released, was taken into custody by border agents, officials said.", - "category": "Airlines and Airplanes", - "link": "https://www.nytimes.com/2021/11/28/us/stowaway-miami-guatemala.html", - "creator": "Azi Paybarah", - "pubDate": "Sun, 28 Nov 2021 21:09:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "I Live in Arkansas. Why is My State Telling Me Not to Boycott Israel?", + "description": "I publish The Arkansas Times. We refused to sign an anti-B.D.S. law because it violates our First Amendment rights.", + "content": "I publish The Arkansas Times. We refused to sign an anti-B.D.S. law because it violates our First Amendment rights.", + "category": "Israel", + "link": "https://www.nytimes.com/2021/11/22/opinion/israel-arkansas-bds-pledge.html", + "creator": "Alan Leveritt", + "pubDate": "Mon, 22 Nov 2021 22:23:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1795ac365eb23f7f9a9536240de4772c" + "hash": "f08ee456f8cf60894254b25711b33970" }, { - "title": "Elizabeth Holmes Says Former Boyfriend Abused Her", - "description": "Ms. Holmes, the founder of the failed blood testing start-up Theranos, blamed Ramesh Balwani, the former No. 2 at the company.", - "content": "Ms. Holmes, the founder of the failed blood testing start-up Theranos, blamed Ramesh Balwani, the former No. 2 at the company.", - "category": "Holmes, Elizabeth (1984- )", - "link": "https://www.nytimes.com/2021/11/29/technology/elizabeth-holmes-sunny-balwani.html", - "creator": "Erin Woo and Erin Griffith", - "pubDate": "Tue, 30 Nov 2021 00:14:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Assembly Finds ‘Overwhelming Evidence’ Cuomo Engaged in Sexual Harassment", + "description": "The findings, released after an eight-month inquiry into former Gov. Andrew Cuomo, reinforced a damning investigation by the New York attorney general.", + "content": "The findings, released after an eight-month inquiry into former Gov. Andrew Cuomo, reinforced a damning investigation by the New York attorney general.", + "category": "Cuomo, Andrew M", + "link": "https://www.nytimes.com/2021/11/22/nyregion/cuomo-ny-assembly-investigation.html", + "creator": "Grace Ashford and Luis Ferré-Sadurní", + "pubDate": "Mon, 22 Nov 2021 22:22:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0240b86f3206895d3e08ffd31942c016" + "hash": "424957de7b9ca9223004e18b3ba97623" }, { - "title": "Arlene Dahl, Movie Star Turned Entrepreneur, Is Dead at 96", - "description": "She had already started branching out when her film career was at its height, writing a syndicated column and launching a fashion and cosmetics business.", - "content": "She had already started branching out when her film career was at its height, writing a syndicated column and launching a fashion and cosmetics business.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/11/29/movies/arlene-dahl-dead.html", - "creator": "Wendell Jamieson", - "pubDate": "Mon, 29 Nov 2021 20:51:50 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Business Updates: Spacey Ordered to Pay $31 Million to ‘House of Cards’ Studio", + "description": "The founder of Theranos unexpectedly took the stand in her own defense on Friday, the latest twist in a trial that has captivated Silicon Valley.", + "content": "The founder of Theranos unexpectedly took the stand in her own defense on Friday, the latest twist in a trial that has captivated Silicon Valley.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/22/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Mon, 22 Nov 2021 22:14:29 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0831da87bd52e0aa026e7ba520504330" + "hash": "04d43c19fc2f0bfe1835c365ceb8fbb8" }, { - "title": "How Austin Became One of the Least Affordable Cities in America", - "description": "The capital of Texas has long been an attractive place to call home. But with an average of 180 new residents a day arriving, its popularity has created a brewing housing crisis that is reshaping the city.", - "content": "The capital of Texas has long been an attractive place to call home. But with an average of 180 new residents a day arriving, its popularity has created a brewing housing crisis that is reshaping the city.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/11/27/us/austin-texas-unaffordable-city.html", - "creator": "Edgar Sandoval", - "pubDate": "Sat, 27 Nov 2021 17:19:23 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "For Those Who Feel Rejected by Family, Friendsgiving Can Be a Lifeline", + "description": "For many L.G.B.T.Q. Americans, especially those with immigrant roots, traditional notions of Thanksgiving and family may not apply. The holiday offers another way to celebrate.", + "content": "For many L.G.B.T.Q. Americans, especially those with immigrant roots, traditional notions of Thanksgiving and family may not apply. The holiday offers another way to celebrate.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/22/dining/friendsgiving.html", + "creator": "Eric Kim", + "pubDate": "Mon, 22 Nov 2021 22:11:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3697d0815068ded43529249b900948fa" + "hash": "cc1e346da61ff4ad1a91337b8388b4fa" }, { - "title": "Omicron Was Already in Europe a Week Ago, Officials Say", - "description": "The variant was found in a test sample from Nov. 19 in the Netherlands, a week before the W.H.O. labeled it a “variant of concern.” Little is known yet about how transmissible Omicron is, but its discovery in southern Africa has created another uncertain moment in the pandemic. Here’s the latest.", - "content": "The variant was found in a test sample from Nov. 19 in the Netherlands, a week before the W.H.O. labeled it a “variant of concern.” Little is known yet about how transmissible Omicron is, but its discovery in southern Africa has created another uncertain moment in the pandemic. Here’s the latest.", + "title": "Man Intentionally Drove Into Wisconsin Holiday Parade, Police Say", + "description": "More than 40 others were hurt on Sunday in Waukesha, Wis. A 39-year-old Milwaukee man was being questioned, an official confirmed. Here’s the latest.", + "content": "More than 40 others were hurt on Sunday in Waukesha, Wis. A 39-year-old Milwaukee man was being questioned, an official confirmed. Here’s the latest.", "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/world/omicron-variant-covid", + "link": "https://www.nytimes.com/live/2021/11/22/us/waukesha-parade-crash", "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 19:08:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bb41e0eae45b3edfdddfd30dc7820ec" + "hash": "7c4831fcfff0703c74fc606d5cacc0e6" }, { - "title": "Amid Variant Fears, U.K. Discovers Limits to Its Virus Strategy", - "description": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", - "content": "Britain’s approach to coronavirus-related restrictions has been looser than other European countries, but the Omicron variant has spurred swift action on mitigation measures.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/30/world/europe/uk-virus-variant.html", - "creator": "Mark Landler and Megan Specia", - "pubDate": "Tue, 30 Nov 2021 18:14:44 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden Will Keep Powell as Fed Chair, Resisting Pressure for Shake-Up", + "description": "President Biden’s decision to renominate Jerome Powell was a return to a longstanding tradition. Here are the latest updates and reactions to the choice.", + "content": "President Biden’s decision to renominate Jerome Powell was a return to a longstanding tradition. Here are the latest updates and reactions to the choice.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/22/business/federal-reserve-powell-brainard", + "creator": "The New York Times", + "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23f11014de2970cb5b9aa3fb6e1c0302" + "hash": "6bbfaf2dbef3c37f7db67c70b87321df" }, { - "title": "F.D.A. Advisers Meets on Merck’s Covid Pill", - "description": "If an expert committee votes to recommend it, the drug, molnupiravir, could be authorized within days for patients at high risk of severe illness.", - "content": "If an expert committee votes to recommend it, the drug, molnupiravir, could be authorized within days for patients at high risk of severe illness.", - "category": "Molnupiravir (Drug)", - "link": "https://www.nytimes.com/2021/11/30/health/fda-merck-pill-molnupiravir.html", - "creator": "Rebecca Robbins and Carl Zimmer", - "pubDate": "Tue, 30 Nov 2021 17:56:18 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Defense Lawyers Make Closing Arguments in Arbery Killing Trial", + "description": "Three white Georgia men stand accused of murdering Ahmaud Arbery, a 25-year-old Black man, in February 2020. Watch live and follow updates on the trial.", + "content": "Three white Georgia men stand accused of murdering Ahmaud Arbery, a 25-year-old Black man, in February 2020. Watch live and follow updates on the trial.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/22/us/ahmaud-arbery-murder-trial", + "creator": "The New York Times", + "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9a1faa9e32a38814b0da3c1c3f150777" + "hash": "d72ccf50f1038b170af449b28653d9b6" }, { - "title": "Fed Chair Pivots, Suggesting Quicker Reduction in Economic Help", - "description": "Jerome Powell signaled that the Federal Reserve was growing concerned about inflation and could speed up pulling economic support. Get the latest on the economy.", - "content": "Jerome Powell signaled that the Federal Reserve was growing concerned about inflation and could speed up pulling economic support. Get the latest on the economy.", + "title": "90 Percent of U.S. Federal Employees Will Meet Vaccination Deadline", + "description": "The mandate, announced in September, was part of an aggressive effort to combat the spread of the Delta variant. Here’s the latest on Covid-19.", + "content": "The mandate, announced in September, was part of an aggressive effort to combat the spread of the Delta variant. Here’s the latest on Covid-19.", "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/business/news-business-stock-market", + "link": "https://www.nytimes.com/live/2021/11/22/world/covid-vaccine-boosters-mandates", "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 19:08:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f63bd19873a30a763ed2a0dd1a3fc744" + "hash": "89c2d1d5aaa76651a11a7619a2a4457a" }, { - "title": "Stocks Fall After Powell's Taper Comments", - "description": "The Federal Reserve chair, Jerome Powell, said on Tuesday that persistent inflation may require a more aggressive approach by the central bank. Wall Street was already uneasy.", - "content": "The Federal Reserve chair, Jerome Powell, said on Tuesday that persistent inflation may require a more aggressive approach by the central bank. Wall Street was already uneasy.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/11/30/business/stock-markets-omicron.html", - "creator": "Matt Phillips and Eshe Nelson", - "pubDate": "Tue, 30 Nov 2021 17:24:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Elizabeth Holmes Concludes Day 2 of Her Testimony in the Theranos Trial", + "description": "Ms. Holmes suggested that she could not have intended to deceive investors because she believed the technology worked. Follow the trial here.", + "content": "Ms. Holmes suggested that she could not have intended to deceive investors because she believed the technology worked. Follow the trial here.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/22/technology/elizabeth-holmes-theranos-trial", + "creator": "The New York Times", + "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3eaf3a8177f16a6e73ee81d098cf181e" + "hash": "5df9dda71ce18bdd1cc8ad23353e751b" }, { - "title": "Supply Chain Problems Have Small Retailers Gambling on Hoarding", - "description": "Some independent stores ordered in bulk well in advance, and now are hoping they’re able to sell what they have.", - "content": "Some independent stores ordered in bulk well in advance, and now are hoping they’re able to sell what they have.", - "category": "Silverman, Joshua G", - "link": "https://www.nytimes.com/2021/11/30/business/small-retailers-hoarding-supply-chain.html", - "creator": "Sapna Maheshwari and Coral Murphy Marcos", - "pubDate": "Tue, 30 Nov 2021 10:00:20 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Cuomo's Office Undermined Health Department, Top Doctor Testifies", + "description": "The N.Y. Health Department became a “toxic work environment” early in the pandemic, a high-ranking doctor told officials investigating ex-Gov. Andrew Cuomo.", + "content": "The N.Y. Health Department became a “toxic work environment” early in the pandemic, a high-ranking doctor told officials investigating ex-Gov. Andrew Cuomo.", + "category": "Cuomo, Andrew M", + "link": "https://www.nytimes.com/2021/11/22/nyregion/cuomo-covid-health-department.html", + "creator": "Joseph Goldstein and Sharon Otterman", + "pubDate": "Mon, 22 Nov 2021 22:08:36 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "40dcf25c65b63cc861f31d78339efa75" + "hash": "583eec042c3b42811c29b670279dcd06" }, { - "title": "Jeffrey Epstein’s Pilot Testifies in Ghislaine Maxwell Trial", - "description": "The pilot said he “never saw any sexual activity” in Mr. Epstein’s planes. He confirmed famous passengers, including former President Trump. Follow updates.", - "content": "The pilot said he “never saw any sexual activity” in Mr. Epstein’s planes. He confirmed famous passengers, including former President Trump. Follow updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/30/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Tue, 30 Nov 2021 19:08:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Five Ways to Exercise Your Thankfulness Muscles", + "description": "Feeling grateful does not always happen naturally.", + "content": "Feeling grateful does not always happen naturally.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2021/11/21/opinion/thanksgiving-gratitude.html", + "creator": "Tish Harrison Warren", + "pubDate": "Mon, 22 Nov 2021 22:04:59 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e8d2b011107fc42c15740348b84b68e" + "hash": "d68c7b8352f286717415b05a58f0a923" }, { - "title": "What Europe Can Teach Us About Jobs", - "description": "Why don’t other countries face a Great Resignation?", - "content": "Why don’t other countries face a Great Resignation?", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/11/29/opinion/united-states-europe-jobs.html", - "creator": "Paul Krugman", - "pubDate": "Tue, 30 Nov 2021 00:00:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kevin Spacey Ordered to Pay $31 Million to ‘House of Cards’ Studio", + "description": "A secret arbitrator’s ruling was issued 13 months ago and became public on Monday when lawyers for the studio petitioned a California court to confirm the award.", + "content": "A secret arbitrator’s ruling was issued 13 months ago and became public on Monday when lawyers for the studio petitioned a California court to confirm the award.", + "category": "#MeToo Movement", + "link": "https://www.nytimes.com/2021/11/22/business/media/kevin-spacey-house-of-cards.html", + "creator": "John Koblin", + "pubDate": "Mon, 22 Nov 2021 21:48:36 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86eed1c3b8411918760476b422d64c04" + "hash": "83d659e67dcc5c72ff09d93c1be7a22d" }, { - "title": "South Africa's Omicron Work Deserves a Prize", - "description": "Rewarding the nation for detecting and reporting the Omicron variant would give other countries an incentive to report new variants.", - "content": "Rewarding the nation for detecting and reporting the Omicron variant would give other countries an incentive to report new variants.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/11/29/opinion/south-africa-covid-omicron-variant.html", - "creator": "Peter Coy", - "pubDate": "Mon, 29 Nov 2021 20:19:59 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Jeff Bezos Donates $100 Million to the Obama Foundation", + "description": "The gift was the largest yet for the foundation and was among several splashy donations in recent months by Mr. Bezos, one of the world’s richest people.", + "content": "The gift was the largest yet for the foundation and was among several splashy donations in recent months by Mr. Bezos, one of the world’s richest people.", + "category": "Bezos, Jeffrey P", + "link": "https://www.nytimes.com/2021/11/22/business/bezos-obama-foundation.html", + "creator": "Nicholas Kulish", + "pubDate": "Mon, 22 Nov 2021 21:47:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17ea00f789f2ac6da93fc309df616dc4" + "hash": "86ca62e1d608a4fbc56af6bb55056fe5" }, { - "title": "The Omicron Variant Is Creating a Lot of Anxiety", - "description": "The Omicron variant is creating a lot of anxiety.", - "content": "The Omicron variant is creating a lot of anxiety.", - "category": "Coronavirus Risks and Safety Concerns", - "link": "https://www.nytimes.com/2021/11/29/opinion/omicron-variant-covid.html", - "creator": "Gail Collins and Bret Stephens", - "pubDate": "Mon, 29 Nov 2021 10:09:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What We Know About the Victims of the Waukesha Parade Crash", + "description": "Eighteen children between the ages of 3 and 16 were among those injured, including three sets of siblings.", + "content": "Eighteen children between the ages of 3 and 16 were among those injured, including three sets of siblings.", + "category": "Waukesha, Wis, Holiday Parade Attack (2021)", + "link": "https://www.nytimes.com/article/waukesha-parade-victims.html", + "creator": "Giulia Heyward and Shawn Hubler", + "pubDate": "Mon, 22 Nov 2021 21:42:55 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a960477d2361c8e783c03085f75274fc" + "hash": "59798b154d4b34f5ead3adfbd30ba1af" }, { - "title": "How Tesla Helps China's Firms Compete With the U.S.", - "description": "The electric car company is helping Chinese companies become global players in the emerging industry, posing a competitive threat to traditional rivals.", - "content": "The electric car company is helping Chinese companies become global players in the emerging industry, posing a competitive threat to traditional rivals.", - "category": "Musk, Elon", - "link": "https://www.nytimes.com/2021/11/30/business/china-tesla-electric-cars.html", - "creator": "Li Yuan", - "pubDate": "Tue, 30 Nov 2021 10:00:24 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Why Was This Ancient Tusk 150 Miles From Land, 10,000 Feet Deep?", + "description": "A discovery in the Pacific Ocean off California leads to “an Indiana Jones mixed with Jurassic Park moment.”", + "content": "A discovery in the Pacific Ocean off California leads to “an Indiana Jones mixed with Jurassic Park moment.”", + "category": "Mammoths (Animals)", + "link": "https://www.nytimes.com/2021/11/22/science/mammoth-tusk-ocean.html", + "creator": "Annie Roth", + "pubDate": "Mon, 22 Nov 2021 21:27:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ffa7b9fb972cf020db51cde2dae6ae5" + "hash": "3ef7fcaa73203cb39ec68a4f96e59c28" }, { - "title": "Supervised Injection Sites for Drug Users to Open in New York City", - "description": "The Manhattan facilities will provide clean needles, administer medication to reverse overdoses and provide users with options for addiction treatment.", - "content": "The Manhattan facilities will provide clean needles, administer medication to reverse overdoses and provide users with options for addiction treatment.", - "category": "Drug Abuse and Traffic", - "link": "https://www.nytimes.com/2021/11/30/nyregion/supervised-injection-sites-nyc.html", - "creator": "Jeffery C. Mays and Andy Newman", - "pubDate": "Tue, 30 Nov 2021 16:04:27 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Free E-Bikes for Everyone!", + "description": "We’re in the middle of a climate crisis. We need big ideas.", + "content": "We’re in the middle of a climate crisis. We need big ideas.", + "category": "Electric Bicycles, Motorcycles and Scooters", + "link": "https://www.nytimes.com/2021/11/22/opinion/free-ebikes-climate.html", + "creator": "Jay Caspian Kang", + "pubDate": "Mon, 22 Nov 2021 21:23:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4edd3a273d6174b24855e8b8d4d137e" + "hash": "f24ccf786be4975017b1936cacb0647b" }, { - "title": "ISIS Fighter Convicted in Death of Enslaved 5-Year-Old Girl", - "description": "In a trial held in Germany, the man was sentenced to life in prison for the death of the Yazidi girl, whom he allowed to die of thirst in Falluja, Iraq.", - "content": "In a trial held in Germany, the man was sentenced to life in prison for the death of the Yazidi girl, whom he allowed to die of thirst in Falluja, Iraq.", - "category": "Terrorism", - "link": "https://www.nytimes.com/2021/11/30/world/europe/isis-trial-yazidi-germany.html", - "creator": "Christopher F. Schuetze", - "pubDate": "Tue, 30 Nov 2021 15:29:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Sean Parnell Suspends G.O.P. Senate Bid in Pennsylvania", + "description": "Mr. Parnell, who was endorsed by Donald Trump in one of the highest-profile 2022 Senate races, had been accused by his estranged wife of spousal and child abuse.", + "content": "Mr. Parnell, who was endorsed by Donald Trump in one of the highest-profile 2022 Senate races, had been accused by his estranged wife of spousal and child abuse.", + "category": "Parnell, Sean (1981- )", + "link": "https://www.nytimes.com/2021/11/22/us/politics/sean-parnell-suspends-pennsylvania-senate.html", + "creator": "Jennifer Medina", + "pubDate": "Mon, 22 Nov 2021 21:19:41 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "97d0c3aa8c915e4dd87f0b1bf469b539" + "hash": "2a28bd165adbe86f0ed2646f2379d849" }, { - "title": "Brian Kelly Leaves Notre Dame for LSU", - "description": "A top coach is heading to the Southeastern Conference, the latest in a series of moves at some of the country’s most storied college football programs.", - "content": "A top coach is heading to the Southeastern Conference, the latest in a series of moves at some of the country’s most storied college football programs.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/11/30/sports/ncaafootball/brian-kelly-lsu-notre-dame.html", - "creator": "Victor Mather", - "pubDate": "Tue, 30 Nov 2021 17:33:16 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Overheating the Economy Now Could Mean Trouble Later", + "description": "Now that Jerome Powell has been renominated to head the Federal Reserve, he needs to turn the temperature down.", + "content": "Now that Jerome Powell has been renominated to head the Federal Reserve, he needs to turn the temperature down.", + "category": "Inflation (Economics)", + "link": "https://www.nytimes.com/2021/11/22/opinion/biden-powell-inflation-fed-economy.html", + "creator": "Michael R. Strain", + "pubDate": "Mon, 22 Nov 2021 21:16:27 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7ba1c2c2b62c74b2b6b9c0d6ef7d96b" + "hash": "05d4d3944c9d9796379274898f1d0fea" }, { - "title": "Lululemon Sues Peloton Over Patent Infringement", - "description": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", - "content": "Lululemon accused Peloton, the fitness company best known for its stationary bikes, of infringing on patents for a new line of leggings and sports bras.", - "category": "Suits and Litigation (Civil)", - "link": "https://www.nytimes.com/2021/11/30/business/lululemon-peloton-lawsuit.html", - "creator": "Johnny Diaz", - "pubDate": "Tue, 30 Nov 2021 17:24:27 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Austria Imposes Lockdown Amid Europe’s Covid Surge", + "description": "Europe is again at the center of the pandemic, and amid vaccine resistance and protests, nations are imposing new rules and pressuring people to get inoculated.", + "content": "Europe is again at the center of the pandemic, and amid vaccine resistance and protests, nations are imposing new rules and pressuring people to get inoculated.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/22/world/europe/covid-europe-surge-protests.html", + "creator": "Steven Erlanger", + "pubDate": "Mon, 22 Nov 2021 21:05:52 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "efd5e2875174eee1a9f3080470acc392" + "hash": "d550561f1cf8157ca1746d22f2cc2762" }, { - "title": "For Women in Their 40s, High Blood Pressure May Carry Special Risks", - "description": "Women, but not men, with even mildly elevated blood pressure in their early 40s were at increased risk for later heart disease and early death.", - "content": "Women, but not men, with even mildly elevated blood pressure in their early 40s were at increased risk for later heart disease and early death.", - "category": "Women and Girls", - "link": "https://www.nytimes.com/2021/06/14/well/live/women-high-blood-pressure.html", - "creator": "Nicholas Bakalar", - "pubDate": "Mon, 18 Oct 2021 19:04:35 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Robert Bly, Poet Who Gave Rise to a Men’s Movement, Dies at 94", + "description": "His most famous, and most controversial, work was “Iron John: A Book About Men,” which made the case that American men had grown soft and feminized. It made him a cultural phenomenon.", + "content": "His most famous, and most controversial, work was “Iron John: A Book About Men,” which made the case that American men had grown soft and feminized. It made him a cultural phenomenon.", + "category": "Deaths (Obituaries)", + "link": "https://www.nytimes.com/2021/11/22/books/robert-bly-dead.html", + "creator": "Robert D. McFadden", + "pubDate": "Mon, 22 Nov 2021 21:00:57 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b21196d9ce335a9e5b904ee0049e7a6" + "hash": "e10a784221688a9b32bccb2b3a6d670c" }, { - "title": "‘Bruised’ Review: It’s a Hard-Knock Life", - "description": "Halle Berry stars as a mixed martial arts fighter staging a comeback in her directorial debut.", - "content": "Halle Berry stars as a mixed martial arts fighter staging a comeback in her directorial debut.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/25/arts/bruised-review.html", - "creator": "Teo Bugbee", - "pubDate": "Thu, 25 Nov 2021 12:00:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The U.K. and France, Once More Unto the Breach", + "description": "The Hundred Years’ War isn’t over. Let’s go for another hundred.", + "content": "The Hundred Years’ War isn’t over. Let’s go for another hundred.", + "category": "France", + "link": "https://www.nytimes.com/2021/11/20/opinion/uk-france-submarine.html", + "creator": "Maureen Dowd", + "pubDate": "Mon, 22 Nov 2021 20:26:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c48455dafd4c1478d18aa06d0a2bd6a" + "hash": "6a6ee701fb3dfe5188c55dc75920aba1" }, { - "title": "‘A Boy Called Christmas’ Review: Kindling the Holiday Spirit", - "description": "Enchanting imagery elevates this Netflix holiday adventure about a boy who journeys to a magic elfin city.", - "content": "Enchanting imagery elevates this Netflix holiday adventure about a boy who journeys to a magic elfin city.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/24/movies/a-boy-called-christmas-review.html", - "creator": "Natalia Winkelman", - "pubDate": "Wed, 24 Nov 2021 15:11:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Rittenhouse and the Right’s White Vigilante Heroes", + "description": "The great threat is that there are young men out there who watched the verdict and now want to follow Rittenhouse’s lead.", + "content": "The great threat is that there are young men out there who watched the verdict and now want to follow Rittenhouse’s lead.", + "category": "Rittenhouse, Kyle", + "link": "https://www.nytimes.com/2021/11/19/opinion/kyle-rittenhouse-not-guilty-vigilantes.html", + "creator": "Charles M. Blow", + "pubDate": "Mon, 22 Nov 2021 20:19:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "34f71311736c87b9b9f382828a3796f0" + "hash": "84bbff90fcf980da649d886eb3822b16" }, { - "title": "Omicron Poses ‘Very High’ Risk, W.H.O. Says; Biden Seeks to Reassure U.S.", - "description": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", - "content": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 18:23:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Paul Thomas Anderson on \"Licorice Pizza\" and Age Difference", + "description": "The auteur explains why he cast Alana Haim, and why he thinks the age difference in the film’s central relationship shouldn’t matter.", + "content": "The auteur explains why he cast Alana Haim, and why he thinks the age difference in the film’s central relationship shouldn’t matter.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/11/22/movies/paul-thomas-anderson-licorice-pizza.html", + "creator": "Kyle Buchanan", + "pubDate": "Mon, 22 Nov 2021 20:01:31 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7871617614df733ddf3549528aa1fd41" + "hash": "76d5f0771dc0338fa349689c46a30e33" }, { - "title": "The Latest on Omicron", - "description": "What should you assume about the new variant?", - "content": "What should you assume about the new variant?", - "category": "", - "link": "https://www.nytimes.com/2021/11/29/briefing/omicron-contagion-what-to-know.html", - "creator": "David Leonhardt", - "pubDate": "Mon, 29 Nov 2021 11:28:00 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Spirit of Gratitude Is Healthy for Society", + "description": "On Thanksgiving, consider the multiple benefits of giving thanks.", + "content": "On Thanksgiving, consider the multiple benefits of giving thanks.", + "category": "internal-sub-only-nl", + "link": "https://www.nytimes.com/2021/11/22/opinion/gratitude-thanksgiving-economics.html", + "creator": "Peter Coy", + "pubDate": "Mon, 22 Nov 2021 20:01:30 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "20c1f37536ae2f1513bfb50652a2d48e" + "hash": "7d865ee486e525bad72a822844bf7c8c" }, { - "title": "Will the Covid Vaccines Stop Omicron? Scientists Are Racing to Find Out.", - "description": "A “Frankenstein mix” of mutations raises concerns, but the variant may remain vulnerable to current vaccines. If not, revisions will be necessary.", - "content": "A “Frankenstein mix” of mutations raises concerns, but the variant may remain vulnerable to current vaccines. If not, revisions will be necessary.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/11/28/health/covid-omicron-vaccines-immunity.html", - "creator": "Apoorva Mandavilli", - "pubDate": "Sun, 28 Nov 2021 23:55:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What We Give Thanks for and What We Say No Thanks To", + "description": "The Biden bill, the Rittenhouse verdict and the fate of the Democratic majority.", + "content": "The Biden bill, the Rittenhouse verdict and the fate of the Democratic majority.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/22/opinion/thanksgiving-biden-rittenhouse.html", + "creator": "Gail Collins and Bret Stephens", + "pubDate": "Mon, 22 Nov 2021 19:53:29 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "366a855eaaffc7f3e7e7833aaee67bf7" + "hash": "51a4399e260cc3fb4609991301880258" }, { - "title": "Markets rose as investors reconsidered the unknowns of the Omicron variant.", - "description": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", - "content": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 18:23:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Trying to Blur Memories of the Gulag, Russia Targets a Rights Group", + "description": "Prosecutors are trying to shut down Memorial International, Russia’s most prominent human rights group, as the Kremlin moves to control the historical narrative of the Soviet Union.", + "content": "Prosecutors are trying to shut down Memorial International, Russia’s most prominent human rights group, as the Kremlin moves to control the historical narrative of the Soviet Union.", + "category": "Russia", + "link": "https://www.nytimes.com/2021/11/22/world/europe/russia-memorial-prosecution.html", + "creator": "Valerie Hopkins", + "pubDate": "Mon, 22 Nov 2021 19:53:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a46d9c65f9288f621f859a1781fb6b7" + "hash": "712f60da7bd45a6b505e43abe703db7f" }, { - "title": "Jack Dorsey Expected to Step Down as C.E.O. of Twitter", - "description": "The social media pioneer, whose name has become synonymous with the company, will be replaced by Twitter’s chief technology officer, Parag Agrawal.", - "content": "The social media pioneer, whose name has become synonymous with the company, will be replaced by Twitter’s chief technology officer, Parag Agrawal.", - "category": "Twitter", - "link": "https://www.nytimes.com/2021/11/29/technology/jack-dorsey-twitter.html", - "creator": "Kate Conger and Lauren Hirsch", - "pubDate": "Mon, 29 Nov 2021 16:17:49 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Nicest New Year’s Resolution I Ever Made", + "description": "I didn’t keep my vow to write a letter each day of the year, but I learned plenty from trying.", + "content": "I didn’t keep my vow to write a letter each day of the year, but I learned plenty from trying.", + "category": "Letters", + "link": "https://www.nytimes.com/2021/11/22/opinion/letters-new-year-resolution.html", + "creator": "Margaret Renkl", + "pubDate": "Mon, 22 Nov 2021 19:30:18 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4e69b1b38c42e646722356befc96798" + "hash": "d53030442c4674b345b59705ebe9be7d" }, { - "title": "Supply-Chain Kinks Force Small Manufacturers to Scramble", - "description": "Facing delays, shortages and higher prices for raw materials, companies are finding new sources. Not all are able to pass along the costs.", - "content": "Facing delays, shortages and higher prices for raw materials, companies are finding new sources. Not all are able to pass along the costs.", - "category": "Prices (Fares, Fees and Rates)", - "link": "https://www.nytimes.com/2021/11/29/business/economy/supply-chain-inflation.html", - "creator": "Nelson D. Schwartz", - "pubDate": "Mon, 29 Nov 2021 14:54:16 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Remote Work Is Failing Gen Z Employees", + "description": "Unless carefully designed, pandemic office culture risks hurting the least experienced workers in our organizations.", + "content": "Unless carefully designed, pandemic office culture risks hurting the least experienced workers in our organizations.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/11/22/opinion/remote-work-gen-z.html", + "creator": "Anne Helen Petersen and Charlie Warzel", + "pubDate": "Mon, 22 Nov 2021 19:24:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9915dbb03168d64b02bad2940f7a2c36" + "hash": "4ba0a67ab41a228da71f567a32a1aebe" }, { - "title": "Hunt for the ‘Blood Diamond of Batteries’ Impedes Green Energy Push", - "description": "Dangerous mining conditions plague Congo, home to the world’s largest supply of cobalt, a key ingredient in electric cars. A leadership battle threatens reforms.", - "content": "Dangerous mining conditions plague Congo, home to the world’s largest supply of cobalt, a key ingredient in electric cars. A leadership battle threatens reforms.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/29/world/congo-cobalt-albert-yuma-mulimbi.html", - "creator": "Dionne Searcey, Eric Lipton and Ashley Gilbertson", - "pubDate": "Mon, 29 Nov 2021 10:00:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Magnus Carlsen Turned Chess Skill Into a Business Empire", + "description": "Winning is what made Magnus Carlsen a household name. But it is teaching and selling the game to others that has made him rich.", + "content": "Winning is what made Magnus Carlsen a household name. But it is teaching and selling the game to others that has made him rich.", + "category": "Chess", + "link": "https://www.nytimes.com/2021/11/22/sports/magnus-carlsen-chess.html", + "creator": "Dylan Loeb McClain", + "pubDate": "Mon, 22 Nov 2021 19:20:45 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22498715f9c5668de7bf1b601b30552b" + "hash": "c16a99c0a18aaefeef2e24a0525aa7cd" }, { - "title": "Ghislaine Maxwell’s Trial Begins in the Shadow of Jeffrey Epstein", - "description": "Ms. Maxwell is charged with trafficking women and girls for her longtime partner, the disgraced financier who died in prison in 2019.", - "content": "Ms. Maxwell is charged with trafficking women and girls for her longtime partner, the disgraced financier who died in prison in 2019.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/nyregion/ghislaine-maxwell-trial", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 15:31:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "I Traded In My Stilettos for Sneakers, Now What?", + "description": "A reader asks for guidance in finding comfortable, yet chic, footwear.", + "content": "A reader asks for guidance in finding comfortable, yet chic, footwear.", + "category": "Fashion and Apparel", + "link": "https://www.nytimes.com/2021/11/19/style/comfortable-chic-shoes.html", + "creator": "Vanessa Friedman", + "pubDate": "Mon, 22 Nov 2021 19:08:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c61037ab284c9cafe5cb4cf07c09d36" + "hash": "f15522daf4331fd565101af2b008b455" }, { - "title": "What Uber’s Spies Really Did", - "description": "A former co-worker accused the men of wiretapping their colleagues, hacking foreign governments and stealing trade secrets. It wasn’t true, but the allegations still follow them.", - "content": "A former co-worker accused the men of wiretapping their colleagues, hacking foreign governments and stealing trade secrets. It wasn’t true, but the allegations still follow them.", - "category": "Industrial Espionage", - "link": "https://www.nytimes.com/2021/11/28/technology/uber-spying-allegations.html", - "creator": "Kate Conger", - "pubDate": "Mon, 29 Nov 2021 16:40:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Broadway Play \"Clyde's\" Will Be Livestreamed", + "description": "The digital experimentation born of the pandemic shutdown is continuing: the final 16 performances of Lynn Nottage’s “Clyde’s” will be streamed, for $59.", + "content": "The digital experimentation born of the pandemic shutdown is continuing: the final 16 performances of Lynn Nottage’s “Clyde’s” will be streamed, for $59.", + "category": "Theater", + "link": "https://www.nytimes.com/2021/11/22/theater/lynn-nottage-clydes-broadway-livestream.html", + "creator": "Michael Paulson", + "pubDate": "Mon, 22 Nov 2021 18:42:36 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ae7733f54580b2ad47e00fb3f533bd1" + "hash": "f90c479ffb7e3791d28c08298797ff4b" }, { - "title": "Lee Elder, Who Broke a Golf Color Barrier, Dies at 87", - "description": "In his prime he played in a league for Black players, but in 1975, at 40, he became the first African- American to take part in the Masters tournament.", - "content": "In his prime he played in a league for Black players, but in 1975, at 40, he became the first African- American to take part in the Masters tournament.", - "category": "Golf", - "link": "https://www.nytimes.com/2021/11/29/sports/golf/lee-elder-dead.html", - "creator": "Richard Goldstein", - "pubDate": "Mon, 29 Nov 2021 18:25:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Court Urged to Let Jan. 6 Panel See Trump White House Files", + "description": "In appellate briefs, lawyers for the House and the Justice Department argued against the former president’s claim of executive privilege.", + "content": "In appellate briefs, lawyers for the House and the Justice Department argued against the former president’s claim of executive privilege.", + "category": "Storming of the US Capitol (Jan, 2021)", + "link": "https://www.nytimes.com/2021/11/22/us/politics/jan-6-trump-files.html", + "creator": "Charlie Savage", + "pubDate": "Mon, 22 Nov 2021 18:40:09 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74a9aa8b7d5c9128a7d71a4d0979a7ce" + "hash": "9b9f2656856c03cfa32648e4d8a57cae" }, { - "title": "Why The Piolet D'Or is Climbing's Biggest and Most Debated Award", - "description": "Whether the Piolet D’Or, or Golden Ice Axe, alpine climbing’s biggest award, honors or encourages risk is debated in the sport.", - "content": "Whether the Piolet D’Or, or Golden Ice Axe, alpine climbing’s biggest award, honors or encourages risk is debated in the sport.", - "category": "Awards, Decorations and Honors", - "link": "https://www.nytimes.com/2021/11/29/sports/piolet-dor-climbing.html", - "creator": "Michael Levy", - "pubDate": "Mon, 29 Nov 2021 17:30:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Meet the New Members of This Year's Baseball Hall of Fame Ballot", + "description": "A great deal of ink will be spilled on the candidacies of Alex Rodriguez and David Ortiz. For a moment, stop to consider the 11 other new candidates instead.", + "content": "A great deal of ink will be spilled on the candidacies of Alex Rodriguez and David Ortiz. For a moment, stop to consider the 11 other new candidates instead.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/11/22/sports/baseball/baseball-hall-of-fame-ballot.html", + "creator": "Tyler Kepner", + "pubDate": "Mon, 22 Nov 2021 18:12:52 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04cc1c0024ea8548dcd72d6595ef08dc" + "hash": "d930749429e775d5acca8912b728a344" }, { - "title": "‘Self-Defense’ Is Becoming Meaningless in a Flood of Guns", - "description": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", - "content": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", - "category": "Arbery, Ahmaud (1994-2020)", - "link": "https://www.nytimes.com/2021/11/29/opinion/self-defense-guns-arbery-rittenhouse.html", - "creator": "Tali Farhadian Weinstein", - "pubDate": "Mon, 29 Nov 2021 15:02:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Searing Beauty, and Harsh Reality, of a Kentucky Tobacco Harvest", + "description": "At a family farm in Shelby County, a group of 26 men from Nicaragua and Mexico perform the grueling seasonal work that Americans largely avoid.", + "content": "At a family farm in Shelby County, a group of 26 men from Nicaragua and Mexico perform the grueling seasonal work that Americans largely avoid.", + "category": "Smoking and Tobacco", + "link": "https://www.nytimes.com/2021/11/22/travel/kentucky-tobacco-harvest.html", + "creator": "Luke Sharrett", + "pubDate": "Mon, 22 Nov 2021 18:12:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c8abdd3b8fe32d409246d1d2713b422a" + "hash": "6cd3ae061c3a7f458912d4221bd77588" }, { - "title": "What I Learned Testing My Dog’s DNA", - "description": "There are some mysteries that even genetic science can’t explain.", - "content": "There are some mysteries that even genetic science can’t explain.", - "category": "Dogs", - "link": "https://www.nytimes.com/2021/11/29/opinion/dog-dna-tests.html", - "creator": "Margaret Renkl", - "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Meters’ Leo Nocentelli Gets a Solo Career, 50 Years Late", + "description": "In the 1970s, Nocentelli recorded a folk album drastically different from his band’s funk music. Barely anyone heard it — until it ended up at a swap meet.", + "content": "In the 1970s, Nocentelli recorded a folk album drastically different from his band’s funk music. Barely anyone heard it — until it ended up at a swap meet.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/11/18/arts/music/the-meters-leo-nocentelli-solo-album.html", + "creator": "Nate Rogers", + "pubDate": "Mon, 22 Nov 2021 17:30:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bce8df1fb7879b32390960bb9a907ed3" + "hash": "4f21793c028e0849d4d809ecff47838d" }, { - "title": "How to Enjoy the Moment", - "description": "A thought experiment for finding more happiness in the everyday. ", - "content": "A thought experiment for finding more happiness in the everyday. ", - "category": "Happiness", - "link": "https://www.nytimes.com/2021/11/28/opinion/happiness-memory-best-days.html", - "creator": "Lindsay Crouse", - "pubDate": "Sun, 28 Nov 2021 16:00:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What the Kyle Rittenhouse Verdict Says About Justice in America", + "description": "Readers are worried about the precedent set by Kyle Rittenhouse’s acquittal. Also: The A.M.A., on the power of language.", + "content": "Readers are worried about the precedent set by Kyle Rittenhouse’s acquittal. Also: The A.M.A., on the power of language.", + "category": "Rittenhouse, Kyle", + "link": "https://www.nytimes.com/2021/11/22/opinion/letters/kyle-rittenhouse-verdict.html", + "creator": "", + "pubDate": "Mon, 22 Nov 2021 17:23:52 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c7a885757e0f447d092dde9c1f641bd" + "hash": "2da652f9b17eda70dc90ed750ae11cab" }, { - "title": "How I Got Through the Grief of Losing My Mother", - "description": "Pedal, pedal, pedal, glide.", - "content": "Pedal, pedal, pedal, glide.", - "category": "Grief (Emotion)", - "link": "https://www.nytimes.com/2021/11/28/opinion/culture/grief-cycling.html", - "creator": "Jennifer Weiner", - "pubDate": "Sun, 28 Nov 2021 15:03:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Inside Fentanyl’s Mounting Death Toll: ‘This Is Poison’", + "description": "While a rise in overdose deaths shows the devastating consequences of the opioid’s spread, less is understood about how the drug has proliferated.", + "content": "While a rise in overdose deaths shows the devastating consequences of the opioid’s spread, less is understood about how the drug has proliferated.", + "category": "Fentanyl", + "link": "https://www.nytimes.com/2021/11/20/nyregion/fentanyl-opioid-deaths.html", + "creator": "Sarah Maslin Nir", + "pubDate": "Mon, 22 Nov 2021 16:29:48 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "92fd4087c52bd068deb35173b776aa4d" + "hash": "9f8ee92bf7a168e4453790790d1b5feb" }, { - "title": "Republicans Have a Golden Opportunity. They Will Probably Blow It.", - "description": " The party’s good fortune in avoiding profound punishment for all its follies is the reason those follies will probably continue.", - "content": " The party’s good fortune in avoiding profound punishment for all its follies is the reason those follies will probably continue.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/27/opinion/republicans-trump.html", - "creator": "Ross Douthat", - "pubDate": "Sat, 27 Nov 2021 20:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Concerns Grow Over Safety of Aduhelm After Death of Patient Who Got the Drug", + "description": "Newly published safety data shows that 41 percent of patients in key clinical trials of the Alzheimer’s drug experienced brain bleeding or swelling, though many cases were asymptomatic.", + "content": "Newly published safety data shows that 41 percent of patients in key clinical trials of the Alzheimer’s drug experienced brain bleeding or swelling, though many cases were asymptomatic.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/11/22/health/aduhelm-death-safety.html", + "creator": "Pam Belluck", + "pubDate": "Mon, 22 Nov 2021 16:00:09 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "17ec8edadb50fe4b7337fa2e40d978d9" - }, - { - "title": "Millionaire Space Tourism Doesn't Come With an Awe Guarantee", - "description": "Space tourism is one of those ostensibly awesome experiences that often feel anticlimactic because they promise the sublime.", - "content": "Space tourism is one of those ostensibly awesome experiences that often feel anticlimactic because they promise the sublime.", - "category": "Space and Astronomy", - "link": "https://www.nytimes.com/2021/11/27/opinion/space-tourism-awe.html", - "creator": "Henry Wismayer", - "pubDate": "Sat, 27 Nov 2021 16:00:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "favorite": false, + "created": false, + "tags": [], + "hash": "d012ae5583e6ac5acc2249fd0203ee3e" + }, + { + "title": "Telling ‘The Untold Story of Sushi’", + "description": "Daniel Fromson spent years researching a controversial Korean church that had created a seafood empire. He reflects on the benefits of long-term reporting.", + "content": "Daniel Fromson spent years researching a controversial Korean church that had created a seafood empire. He reflects on the benefits of long-term reporting.", + "category": "Moon", + "link": "https://www.nytimes.com/2021/11/22/insider/unification-church-sushi.html", + "creator": "Daniel Fromson", + "pubDate": "Mon, 22 Nov 2021 15:44:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b2b00f5ea2b500f86643cf9beeadfa8" + "hash": "a1455c435b80950bf013a75aa76e16b9" }, { - "title": "Why the Feminist Movement Needs Pro-Life People", - "description": "We must form a broad and diverse coalition to advocate for women.", - "content": "We must form a broad and diverse coalition to advocate for women.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/11/28/opinion/feminism-abortion-pro-life.html", - "creator": "Tish Harrison Warren", - "pubDate": "Sun, 28 Nov 2021 16:15:05 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Limping and Penniless, Iraqis Deported From Belarus Face Bleak Futures", + "description": "Hundreds of desperate Iraqis are being sent home after becoming political pawns in Belarus’s quarrel with its European Union neighbors.", + "content": "Hundreds of desperate Iraqis are being sent home after becoming political pawns in Belarus’s quarrel with its European Union neighbors.", + "category": "Belarus-Poland Border Crisis (2021- )", + "link": "https://www.nytimes.com/2021/11/22/world/middleeast/belarus-iraqi-migrant-deportations.html", + "creator": "Jane Arraf and Sangar Khaleel", + "pubDate": "Mon, 22 Nov 2021 15:13:33 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a6fbca8e533bc389591d2388c035d84" + "hash": "3ae70c55516f2b2e006f443de2188238" }, { - "title": "Supreme Court Abortion Case Is About More Than Roe v. Wade", - "description": "Conservatives may still end up unhappy with a court they now control. ", - "content": "Conservatives may still end up unhappy with a court they now control. ", - "category": "Abortion", - "link": "https://www.nytimes.com/2021/11/27/opinion/roe-abortion-dobbs-scotus.html", - "creator": "The Editorial Board", - "pubDate": "Sat, 27 Nov 2021 16:03:44 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Taxi! To the Airport — by Air, Please.", + "description": "Several companies are betting they can bring electric urban air travel to the masses — perhaps within the next few years.", + "content": "Several companies are betting they can bring electric urban air travel to the masses — perhaps within the next few years.", + "category": "Airlines and Airplanes", + "link": "https://www.nytimes.com/2021/11/22/business/air-taxi-aviation-electric.html", + "creator": "Gautham Nagesh", + "pubDate": "Mon, 22 Nov 2021 15:06:53 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57dc219bb2ee86c63e37e3fb96d9c00d" + "hash": "a903d00bb8e683dffc50ed296f87e510" }, { - "title": "The Woman on the Bridge", - "description": "Police and prosecutors spent five years chasing a domestic violence case. Would it be enough?", - "content": "Police and prosecutors spent five years chasing a domestic violence case. Would it be enough?", - "category": "Domestic Violence", - "link": "https://www.nytimes.com/2021/11/28/us/domestic-violence-law-enforcement.html", - "creator": "Ellen Barry", - "pubDate": "Sun, 28 Nov 2021 21:11:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Peng Shuai Went From ‘Chinese Princess’ to Silenced #MeToo Accuser", + "description": "The tennis star won independence while remaining in Beijing’s good graces. But she has been unable to break through China’s resistance to sexual assault allegations.", + "content": "The tennis star won independence while remaining in Beijing’s good graces. But she has been unable to break through China’s resistance to sexual assault allegations.", + "category": "Peng Shuai", + "link": "https://www.nytimes.com/2021/11/22/world/asia/china-peng-shuai-metoo.html", + "creator": "Alexandra Stevenson and Steven Lee Myers", + "pubDate": "Mon, 22 Nov 2021 14:08:44 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f71d76645e2e76cf15835df819c1baea" + "hash": "ec4f7bd86225c4776fe4bbf2b99c0083" }, { - "title": "Luxury Senior Homes Cater to Rich Baby Boomers", - "description": "A new crop of luxury senior housing is turning retirement into a five-star resort stay.", - "content": "A new crop of luxury senior housing is turning retirement into a five-star resort stay.", - "category": "Nursing Homes", - "link": "https://www.nytimes.com/2021/11/27/style/growing-old-in-high-style.html", - "creator": "Steven Kurutz", - "pubDate": "Sat, 27 Nov 2021 19:59:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "56 Years Ago, He Shot Malcolm X. Now He Lives Quietly in Brooklyn.", + "description": "Mujahid Abdul Halim is the one man who confessed to his role in the assassination. He long insisted that the two men convicted with him were innocent.", + "content": "Mujahid Abdul Halim is the one man who confessed to his role in the assassination. He long insisted that the two men convicted with him were innocent.", + "category": "Malcolm X", + "link": "https://www.nytimes.com/2021/11/22/nyregion/malcolm-x-assassination-halim-hayer.html", + "creator": "Jonah E. Bromwich, Ashley Southall and Troy Closson", + "pubDate": "Mon, 22 Nov 2021 13:10:09 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d6a545c9e05a7ae2cdeb099e030f789" + "hash": "b0e5b7f66ed06fc19911aa9eaf4f4d1a" }, { - "title": "Years of Delays, Billions in Overruns: The Dismal History of Big Infrastructure", - "description": "The nation’s most ambitious engineering projects are mired in postponements and skyrocketing costs. Delivering $1.2 trillion in new infrastructure will be tough.", - "content": "The nation’s most ambitious engineering projects are mired in postponements and skyrocketing costs. Delivering $1.2 trillion in new infrastructure will be tough.", - "category": "Infrastructure Investment and Jobs Act (2021)", - "link": "https://www.nytimes.com/2021/11/28/us/infrastructure-megaprojects.html", - "creator": "Ralph Vartabedian", - "pubDate": "Sun, 28 Nov 2021 10:00:22 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Terence Crawford Has His Belt, and Choices to Make", + "description": "Crawford has long awaited a bout with Errol Spence Jr., and with his contract with his promoter expiring soon, the welterweight champion has options.", + "content": "Crawford has long awaited a bout with Errol Spence Jr., and with his contract with his promoter expiring soon, the welterweight champion has options.", + "category": "Crawford, Terence (1987- )", + "link": "https://www.nytimes.com/2021/11/21/sports/terence-crawford-shawn-porter-fight.html", + "creator": "Morgan Campbell", + "pubDate": "Mon, 22 Nov 2021 12:26:53 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88661fdd299eaa630ed73e7fdd8e0356" + "hash": "5f9b3d61cfbc132c47cfad0ee036b788" }, { - "title": "Minneapolis' School Plan Asks White Families to Help Integrate", - "description": "In a citywide overhaul, a beloved Black high school was rezoned to include white students from a richer neighborhood. It has been hard for everyone.", - "content": "In a citywide overhaul, a beloved Black high school was rezoned to include white students from a richer neighborhood. It has been hard for everyone.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/27/us/minneapolis-school-integration.html", - "creator": "Sarah Mervosh", - "pubDate": "Sat, 27 Nov 2021 10:00:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Manchester United and the Perils of Living in the Past", + "description": "Years of success under Alex Ferguson changed the way United viewed itself. But the glory days are gone, and the sooner the club admits that, the better.", + "content": "Years of success under Alex Ferguson changed the way United viewed itself. But the glory days are gone, and the sooner the club admits that, the better.", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/11/22/sports/soccer/manchester-united-ole-solskjaer.html", + "creator": "Rory Smith", + "pubDate": "Mon, 22 Nov 2021 12:17:59 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c18a7874fc720a25107928c2a85482d" + "hash": "0f046016ce4dbf6217579dc8f9155170" }, { - "title": "A Prosecutor’s Winning Strategy in the Ahmaud Arbery Case", - "description": "The three men charged with killing Ahmaud Arbery were found guilty of murder. We explore how the prosecution secured this verdict from a mostly white jury.", - "content": "The three men charged with killing Ahmaud Arbery were found guilty of murder. We explore how the prosecution secured this verdict from a mostly white jury.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/29/podcasts/the-daily/ahmaud-arbery-prosecution-conviction.html", - "creator": "Michael Barbaro, Chelsea Daniel, Rachelle Bonja, Sydney Harper, Rachel Quester, Robert Jimison, Lisa Tobin, Lisa Chow and Chris Wood", - "pubDate": "Mon, 29 Nov 2021 11:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Politics of Menace", + "description": "Despite a congressman’s censure, Republicans have shown a growing tolerance for violent rhetoric.", + "content": "Despite a congressman’s censure, Republicans have shown a growing tolerance for violent rhetoric.", + "category": "", + "link": "https://www.nytimes.com/2021/11/22/briefing/paul-gosar-censure-violence.html", + "creator": "Catie Edmondson", + "pubDate": "Mon, 22 Nov 2021 11:35:15 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "13eb1ed389cfd23b1501b91e0d2d14d9" + "hash": "b8aa1719b567cede437a4c09f4630a30" }, { - "title": "Taliban and 9/11 Families Fight for Billions in Frozen Afghan Funds", - "description": "The White House must figure out what to do with the Afghan central bank’s account at the Federal Reserve, now frozen under U.S. law.", - "content": "The White House must figure out what to do with the Afghan central bank’s account at the Federal Reserve, now frozen under U.S. law.", - "category": "September 11 (2001)", - "link": "https://www.nytimes.com/2021/11/29/us/politics/taliban-afghanistan-911-families-frozen-funds.html", - "creator": "Charlie Savage", - "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Acquittal of Kyle Rittenhouse", + "description": "How a jury came to find the teenager, who shot and killed two people in Kenosha, Wis., not guilty on the five charges he faced.", + "content": "How a jury came to find the teenager, who shot and killed two people in Kenosha, Wis., not guilty on the five charges he faced.", + "category": "Self-Defense", + "link": "https://www.nytimes.com/2021/11/22/podcasts/the-daily/kyle-rittenhouse-verdict.html", + "creator": "Michael Barbaro, Daniel Guillemette, Clare Toeniskoetter, Alexandra Leigh Young, Larissa Anderson and Chris Wood", + "pubDate": "Mon, 22 Nov 2021 11:08:31 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc9e41f01685e1744ccea62c1b320673" + "hash": "e1c0f157fe4881c128587c012d569447" }, { - "title": "Can New York Really Get to 100% Clean Energy by 2040?", - "description": "Clean power supply is being generated in upstate New York, but it is not making its way to New York City, the area that relies most heavily on power from fossil fuels.", - "content": "Clean power supply is being generated in upstate New York, but it is not making its way to New York City, the area that relies most heavily on power from fossil fuels.", - "category": "New York State", - "link": "https://www.nytimes.com/2021/11/29/nyregion/hochul-electrical-grid-climate-change.html", - "creator": "Anne Barnard and Grace Ashford", - "pubDate": "Mon, 29 Nov 2021 15:44:45 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "As Pandemic Evictions Rise, Spaniards Declare ‘War’ on Wall Street Landlords", + "description": "Protesters in Barcelona are pushing back against foreign investment firms that have bought up thousands of homes over the past decade and are forcing out residents who can’t pay the rent.", + "content": "Protesters in Barcelona are pushing back against foreign investment firms that have bought up thousands of homes over the past decade and are forcing out residents who can’t pay the rent.", + "category": "Barcelona (Spain)", + "link": "https://www.nytimes.com/2021/11/21/world/europe/spain-evictions-cerberus-covid.html", + "creator": "Nicholas Casey and Roser Toll Pifarré", + "pubDate": "Mon, 22 Nov 2021 09:45:52 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7f378885961420d2937b8c638d913b94" + "hash": "d1d5bfb3c5cb5b71b0d3e8e48825c1b1" }, { - "title": "Xiomara Castro Vows New Era for Hondurus but Is Tied to Past", - "description": "Xiomara Castro, headed toward becoming her country’s next president, promises to expunge its legacy of corruption, but change may be tempered by her establishment ties and conservative opposition.", - "content": "Xiomara Castro, headed toward becoming her country’s next president, promises to expunge its legacy of corruption, but change may be tempered by her establishment ties and conservative opposition.", + "title": "Playwright Is in Exile as Cuba Uses an Old Playbook to Quash Dissent", + "description": "Yunior García, a rising star of the Cuban protest movement, fled to Spain. He is one of a young generation of artists who say they have chosen exile over imprisonment.", + "content": "Yunior García, a rising star of the Cuban protest movement, fled to Spain. He is one of a young generation of artists who say they have chosen exile over imprisonment.", "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/29/world/americas/honduras-election-xiomara-castro.html", - "creator": "Anatoly Kurmanaev", - "pubDate": "Mon, 29 Nov 2021 17:20:44 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.nytimes.com/2021/11/21/world/americas/yunior-garcia-exile-spain.html", + "creator": "Nicholas Casey", + "pubDate": "Mon, 22 Nov 2021 05:04:33 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "81095e40ffb3b30cf0e8f6eac2e66147" + "hash": "fdf015180e1679c7324d301744b75848" }, { - "title": "Where Will We Be in 20 Years?", - "description": "Looking at demographic data can help us assess the opportunities and challenges of the coming decades.", - "content": "Looking at demographic data can help us assess the opportunities and challenges of the coming decades.", - "category": "Economic Conditions and Trends", - "link": "https://www.nytimes.com/2021/11/27/business/dealbook/future-society-demographics.html", - "creator": "Andrew Ross Sorkin", - "pubDate": "Mon, 29 Nov 2021 13:51:25 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Video of Peng Shuai With Olympic Officials Fuels a Showdown With Tennis", + "description": "The Chinese tennis star held a 30-minute video call with the leader of the International Olympic Committee, but the head of women’s professional tennis remained unable to reach her.", + "content": "The Chinese tennis star held a 30-minute video call with the leader of the International Olympic Committee, but the head of women’s professional tennis remained unable to reach her.", + "category": "Olympic Games (2022)", + "link": "https://www.nytimes.com/2021/11/21/sports/tennis/peng-shuai-video-ioc.html", + "creator": "Matthew Futterman", + "pubDate": "Mon, 22 Nov 2021 03:21:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2a23a35fa567b9e97810dfb03816065" + "hash": "4fd646ce6f476491ed8942aabe2bd4e6" }, { - "title": "Rep. Tom Suozzi Is Running for Governor of New York", - "description": "Mr. Suozzi entered a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", - "content": "Mr. Suozzi entered a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", - "category": "Suozzi, Thomas R", - "link": "https://www.nytimes.com/2021/11/29/nyregion/tom-suozzi-governor-ny.html", - "creator": "Katie Glueck and Nicholas Fandos", - "pubDate": "Mon, 29 Nov 2021 17:52:31 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Tucker Carlson's 'Patriot Purge' Special Leads Two Fox News Contributors to Quit", + "description": "Jonah Goldberg and Stephen Hayes, stars of a brand of conservatism that has fallen out of fashion, decide they’ve had enough.", + "content": "Jonah Goldberg and Stephen Hayes, stars of a brand of conservatism that has fallen out of fashion, decide they’ve had enough.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/11/21/business/jonah-goldberg-steve-hayes-quit-fox-tucker-carlson.html", + "creator": "Ben Smith", + "pubDate": "Mon, 22 Nov 2021 00:48:03 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "310ca8f14074072b98671809c4b2b3b0" + "hash": "b5733c0a46a45142ac4f273051e0b772" }, { - "title": "A ‘Simpsons’ Episode Lampooned Chinese Censorship. In Hong Kong, It Vanished.", - "description": "The episode mocked both Mao Zedong and the government’s efforts to suppress memory of the 1989 Tiananmen Square massacre.", - "content": "The episode mocked both Mao Zedong and the government’s efforts to suppress memory of the 1989 Tiananmen Square massacre.", - "category": "Censorship", - "link": "https://www.nytimes.com/2021/11/29/world/asia/simpsons-hk.html", - "creator": "Vivian Wang", - "pubDate": "Mon, 29 Nov 2021 11:30:14 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Two of 17 Kidnapped Missionaries in Haiti Are Freed, Group Says", + "description": "After being held hostage for 37 days by a gang, two people with a U.S. Christian aid group have been released in Port-au-Prince and are described as “safe.”", + "content": "After being held hostage for 37 days by a gang, two people with a U.S. Christian aid group have been released in Port-au-Prince and are described as “safe.”", + "category": "Gangs", + "link": "https://www.nytimes.com/2021/11/21/world/americas/haiti-missionaries-kidnapping.html", + "creator": "Maria Abi-Habib", + "pubDate": "Mon, 22 Nov 2021 00:28:59 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8f50e05822c11b37efd33f89778875c5" + "hash": "1822f6826d0bc2816b42f42fb65e10a0" }, { - "title": "Snowstorm Leaves Dozens Stranded for Days in a Remote U.K. Pub", - "description": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday, most of them were finally able to go home.", - "content": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday, most of them were finally able to go home.", - "category": "Snow and Snowstorms", - "link": "https://www.nytimes.com/2021/11/28/world/europe/england-pub-snow-storm.html", - "creator": "Alyssa Lukpat", - "pubDate": "Mon, 29 Nov 2021 14:17:59 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Astroworld, the Rust Shooting and the Surfside Collapse Have In Common", + "description": "From the Salem witch trials to the Astroworld disaster, conspiracy theories and reformist narratives have battled for dominance in the American consciousness. ", + "content": "From the Salem witch trials to the Astroworld disaster, conspiracy theories and reformist narratives have battled for dominance in the American consciousness. ", + "category": "Conspiracy Theories", + "link": "https://www.nytimes.com/2021/11/21/opinion/astroworld-rust-surfside-conspiracies-catastrophes.html", + "creator": "Adrian J. Rivera", + "pubDate": "Sun, 21 Nov 2021 22:10:49 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "35ae692b5008fc2dd24e798604790dae" + "hash": "ac98668e11a7fddf545d497fcd3c638f" }, { - "title": "Jussie Smollett Trial Begins With Jury Selection", - "description": "The actor said in 2019 that he was the victim of a hate crime, but the police said it was a hoax. His trial will revolve around charges that he filed a false police report.", - "content": "The actor said in 2019 that he was the victim of a hate crime, but the police said it was a hoax. His trial will revolve around charges that he filed a false police report.", - "category": "Police Department (Chicago, Ill)", - "link": "https://www.nytimes.com/2021/11/29/arts/television/jussie-smollett-trial.html", - "creator": "Julia Jacobs", - "pubDate": "Mon, 29 Nov 2021 16:22:14 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Diminishing Democratic Majority", + "description": "Do Democrats need Trump to save them from an unexpected demographic eclipse?", + "content": "Do Democrats need Trump to save them from an unexpected demographic eclipse?", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/20/opinion/democrat-trump-elections.html", + "creator": "Ross Douthat", + "pubDate": "Sun, 21 Nov 2021 21:12:18 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6dc34b843b428c23e2c849181dead4ae" + "hash": "3780bdca8d96c4c711fd7b080a32583b" }, { - "title": "‘You’re Not Helpless’: For London Women, Learning to Fight Builds Confidence", - "description": "After a year marked by isolation, loneliness and violence in the city, many self-defense and martial arts gyms say they are seeing more interest from women.", - "content": "After a year marked by isolation, loneliness and violence in the city, many self-defense and martial arts gyms say they are seeing more interest from women.", - "category": "Women and Girls", - "link": "https://www.nytimes.com/2021/11/28/world/europe/uk-women-self-defense.html", - "creator": "Isabella Kwai", - "pubDate": "Sun, 28 Nov 2021 15:47:09 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How the U.S. Lost Ground to China in the Contest for Clean Energy", + "description": "Americans failed to safeguard decades of diplomatic and financial investments in Congo, where the world’s largest supply of cobalt is controlled by Chinese companies backed by Beijing.", + "content": "Americans failed to safeguard decades of diplomatic and financial investments in Congo, where the world’s largest supply of cobalt is controlled by Chinese companies backed by Beijing.", + "category": "Mines and Mining", + "link": "https://www.nytimes.com/2021/11/21/world/us-china-energy.html", + "creator": "Eric Lipton, Dionne Searcey and Ashley Gilbertson", + "pubDate": "Sun, 21 Nov 2021 19:58:27 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "00ecfb8942c03ec7f07e9619a6ffbe08" + "hash": "3cc8059a7ef51e273aa62db09bbdd61b" }, { - "title": "‘Encanto’ Reaches No. 1, but Moviegoers Are Tough to Lure Back", - "description": "No simultaneous streaming: “Encanto” or “House of Gucci” could only be seen in theaters this weekend. Even still, some viewers stayed home.", - "content": "No simultaneous streaming: “Encanto” or “House of Gucci” could only be seen in theaters this weekend. Even still, some viewers stayed home.", + "title": "How Do You Make Teen Comedies Today? Buy a High School.", + "description": "A former school outside Syracuse, N.Y., has been transformed into American High, a production hub for inexpensive films aimed at streaming platforms.", + "content": "A former school outside Syracuse, N.Y., has been transformed into American High, a production hub for inexpensive films aimed at streaming platforms.", "category": "Movies", - "link": "https://www.nytimes.com/2021/11/28/movies/encanto-box-office.html", - "creator": "Brooks Barnes", - "pubDate": "Sun, 28 Nov 2021 21:41:32 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.nytimes.com/2021/11/21/business/media/american-high-teen-comedies-movies.html", + "creator": "Nicole Sperling", + "pubDate": "Sun, 21 Nov 2021 18:46:55 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c522443d77783b4f39cb44e5488ff3e" + "hash": "fdcfc91f88bd0b0b7c8e3a86347774a9" }, { - "title": "She Was Losing Fistfuls of Hair. What Was Causing It?", - "description": "Sudden hair loss may seem alarming, but it may be caused by a temporary stress and grow back.", - "content": "Sudden hair loss may seem alarming, but it may be caused by a temporary stress and grow back.", - "category": "Hair", - "link": "https://www.nytimes.com/2020/02/03/well/live/she-was-losing-fistfuls-of-hair-what-was-causing-it.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 04 Oct 2021 16:13:37 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "This Matzo Ball Chicken Soup Recipe Is Ready to Comfort", + "description": "This light recipe is still filling and festive enough for Hanukkah, and it’s easy to clean up, too.", + "content": "This light recipe is still filling and festive enough for Hanukkah, and it’s easy to clean up, too.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/19/dining/matzo-ball-chicken-soup-recipe.html", + "creator": "Joan Nathan", + "pubDate": "Sun, 21 Nov 2021 18:28:32 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b45918e9a0fffc5911cd282211518893" + "hash": "8d78343a51f537aa728f6cf5fb972f1e" }, { - "title": "Navigating My Son’s A.D.H.D. Made Me Realize I Had It, Too", - "description": "Experts say some symptoms, especially in women, are mistaken for other conditions such as mood disorders or depression.", - "content": "Experts say some symptoms, especially in women, are mistaken for other conditions such as mood disorders or depression.", - "category": "Attention Deficit Hyperactivity Disorder", - "link": "https://www.nytimes.com/2021/02/25/well/family/ADHD-adults-women.html", - "creator": "Heidi Borst", - "pubDate": "Thu, 25 Feb 2021 19:25:51 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Overlooked No More: Ruth Polsky, Who Shaped New York’s Music Scene", + "description": "She booked concerts at influential nightclubs in the 1980s, bringing exposure to up-and-coming artists like the Smiths and New Order.", + "content": "She booked concerts at influential nightclubs in the 1980s, bringing exposure to up-and-coming artists like the Smiths and New Order.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/11/18/obituaries/ruth-polsky-overlooked.html", + "creator": "Rachel Felder", + "pubDate": "Sun, 21 Nov 2021 17:57:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "15708e4fda7aacda8585bac16bb6057d" + "hash": "23bb48e81c41c65d5633fe964862817b" }, { - "title": "Think You Have ‘Normal’ Blood Pressure? Think Again", - "description": "Even levels of blood pressure that are generally considered “normal” may be high enough to foster the development of heart disease, new research shows.", - "content": "Even levels of blood pressure that are generally considered “normal” may be high enough to foster the development of heart disease, new research shows.", - "category": "Blood Pressure", - "link": "https://www.nytimes.com/2020/10/19/well/live/blood-pressure-heart-disease.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 11 Oct 2021 17:21:38 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Knowledge Bubbles Work Against Us", + "description": "We need to find out why our neighbors and fellow citizens think the way they do.", + "content": "We need to find out why our neighbors and fellow citizens think the way they do.", + "category": "Football (College)", + "link": "https://www.nytimes.com/2021/11/20/opinion/knowledge-football-finebaum.html", + "creator": "Jane Coaston", + "pubDate": "Sun, 21 Nov 2021 17:10:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0779ce81c9a70454c9131f6e2b6613d" + "hash": "b371d9eabe235d153215276e5d48c2b0" }, { - "title": "Should You Screen Your Child for Celiac Disease?", - "description": "Some kids have symptoms for years before learning they have the condition, but experts have said that screening everyone in childhood may not be the best answer.", - "content": "Some kids have symptoms for years before learning they have the condition, but experts have said that screening everyone in childhood may not be the best answer.", - "category": "Celiac Disease", - "link": "https://www.nytimes.com/2020/04/17/parenting/child-celiac-disease-diagnosis.html", - "creator": "Amanda Keener", - "pubDate": "Fri, 17 Apr 2020 21:36:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Roundabouts Help Lower Carbon Emissions", + "description": "An Indiana city has the most roundabouts in the country. They’ve saved lives and reduced injuries from crashes — and lowered carbon emissions.", + "content": "An Indiana city has the most roundabouts in the country. They’ve saved lives and reduced injuries from crashes — and lowered carbon emissions.", + "category": "Carmel (Ind)", + "link": "https://www.nytimes.com/2021/11/20/climate/roundabouts-climate-emissions-driving.html", + "creator": "Cara Buckley and A.J. Mast", + "pubDate": "Sun, 21 Nov 2021 14:26:14 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88e45b75e44307c2401f0f8392f887a9" + "hash": "3c9aa8dc1caf745bec62becbc7288641" }, { - "title": "The Power of a Name: My Secret Life With M.R.K.H.", - "description": "I had no uterus, but until I learned the name for my syndrome, I couldn’t connect with others. I felt defective, marginalized and alone.", - "content": "I had no uterus, but until I learned the name for my syndrome, I couldn’t connect with others. I felt defective, marginalized and alone.", - "category": "Uterus", - "link": "https://www.nytimes.com/2019/05/28/well/live/mrkh-syndrome-uterus.html", - "creator": "Susan Rudnick", - "pubDate": "Tue, 28 May 2019 08:45:59 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Manchin and Sinema Find Financial Support From G.O.P. Donors", + "description": "The two Democratic senators are attracting campaign contributions from business interests and conservatives as progressives fume over their efforts to pare back the president’s domestic policy bill.", + "content": "The two Democratic senators are attracting campaign contributions from business interests and conservatives as progressives fume over their efforts to pare back the president’s domestic policy bill.", + "category": "Campaign Finance", + "link": "https://www.nytimes.com/2021/11/21/us/politics/manchin-sinema-republican-donors.html", + "creator": "Kenneth P. Vogel and Kate Kelly", + "pubDate": "Sun, 21 Nov 2021 10:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f680dfc1cef2ca94b1266398a74ca969" + "hash": "e53919ef6ad4c8eb9e71ce95f57f5401" }, { - "title": "Her Art Reads the Land in Deep Time", - "description": "Athena LaTocha has embraced geological materials from mesas, wetlands and bluffs in her large-scale works. Now, she’s exploring what’s underfoot in New York City.", - "content": "Athena LaTocha has embraced geological materials from mesas, wetlands and bluffs in her large-scale works. Now, she’s exploring what’s underfoot in New York City.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/24/arts/design/athena-latocha-bric-sculpture-native-american.html", - "creator": "Siddhartha Mitter", - "pubDate": "Wed, 24 Nov 2021 16:59:50 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Nancy Pelosi Got Biden's Build Back Better Bill Back on Track", + "description": "The House’s approval of a sweeping social policy bill after weeks of fits and starts notched another win for the speaker in a career defined by them.", + "content": "The House’s approval of a sweeping social policy bill after weeks of fits and starts notched another win for the speaker in a career defined by them.", + "category": "Pelosi, Nancy", + "link": "https://www.nytimes.com/2021/11/20/us/politics/pelosi-democrats-biden-agenda.html", + "creator": "Carl Hulse", + "pubDate": "Sat, 20 Nov 2021 23:38:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85c5e6544082686bbc05add4dd4fda14" + "hash": "dd9dc7d3b2e2397b71c2267dc3188e14" }, { - "title": "Adele and Summer Walker: Our Season of Romantic Discontent", - "description": "New chart-topping albums from the two singers serve as raw excavations of relationships gone bad.", - "content": "New chart-topping albums from the two singers serve as raw excavations of relationships gone bad.", - "category": "Dating and Relationships", - "link": "https://www.nytimes.com/2021/11/29/arts/music/adele-summer-walker.html", - "creator": "Jon Caramanica", - "pubDate": "Mon, 29 Nov 2021 14:04:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Train the Police to Keep the Peace, Not Turn a Profit", + "description": "A Times investigation sheds light on an unjust practice.", + "content": "A Times investigation sheds light on an unjust practice.", + "category": "Traffic and Parking Violations", + "link": "https://www.nytimes.com/2021/11/20/opinion/police-traffic-stops-deaths.html", + "creator": "The Editorial Board", + "pubDate": "Sat, 20 Nov 2021 23:31:17 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d46beb721c91352f6a7a0350d0799a5" + "hash": "3be784bfbb72ef81b451bd83b6ad2120" }, { - "title": "‘My Eyes Landed on Something I Didn’t Know I Was Looking For’", - "description": "Unleashed on Third Avenue, a museum encounter and more reader tales of New York City in this week’s Metropolitan Diary.", - "content": "Unleashed on Third Avenue, a museum encounter and more reader tales of New York City in this week’s Metropolitan Diary.", - "category": "New York City", - "link": "https://www.nytimes.com/2021/11/28/nyregion/metropolitan-diary.html", - "creator": "", - "pubDate": "Sun, 28 Nov 2021 08:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A Socialite, a Gardener, a Message in Blood: The Murder That Still Grips France", + "description": "The victim was a socialite. A message in her blood accused the gardener. But a grammatical error raised questions of class and language — and whether he was being framed.", + "content": "The victim was a socialite. A message in her blood accused the gardener. But a grammatical error raised questions of class and language — and whether he was being framed.", + "category": "Marchal, Ghislaine (d 1991)", + "link": "https://www.nytimes.com/2021/11/20/world/europe/france-murder-ghislaine-marchal-omar-raddad.html", + "creator": "Norimitsu Onishi", + "pubDate": "Sat, 20 Nov 2021 18:15:55 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d73b9e94ea638dbcc7076bb6d180fce" + "hash": "bb3c6971562f38ebdc430063191e31fb" }, { - "title": "The Crispiest, Lightest Shrimp Cakes", - "description": "What’s the secret? It’s using pulverized rice cakes as a binder, Melissa Clark writes.", - "content": "What’s the secret? It’s using pulverized rice cakes as a binder, Melissa Clark writes.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/24/dining/crispiest-shrimp-cakes-recipe.html", - "creator": "Melissa Clark", - "pubDate": "Wed, 24 Nov 2021 17:36:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Buy Stocks to Prosper. Buy Bonds to Sleep at Night.", + "description": "Do what it takes to stay invested in the stock market, our columnist says. Government bonds may help, even if they look unappealing now.", + "content": "Do what it takes to stay invested in the stock market, our columnist says. Government bonds may help, even if they look unappealing now.", + "category": "Stocks and Bonds", + "link": "https://www.nytimes.com/2021/11/19/business/stock-market-bonds-crash.html", + "creator": "Jeff Sommer", + "pubDate": "Sat, 20 Nov 2021 04:23:18 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f61dc6cff7f2bfd0edf3b451b5e7ba2" + "hash": "6b13675ef1b7c67b63504ddc63bcc74c" }, { - "title": "Brandon Kyle Goodman, a Nonbinary Voice of ‘Big Mouth’", - "description": "The actor and writer also stars in the spinoff “Human Resources.”", - "content": "The actor and writer also stars in the spinoff “Human Resources.”", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/11/26/style/brandon-kyle-goodman-big-mouth.html", - "creator": "Brianna Holt", - "pubDate": "Mon, 29 Nov 2021 18:10:04 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Austria Announces Covid Vaccine Mandate, Crossing a Threshold for Europe", + "description": "The extraordinary step shows that governments desperate to safeguard public health and economic recoveries are increasingly willing to push for once unthinkable measures.", + "content": "The extraordinary step shows that governments desperate to safeguard public health and economic recoveries are increasingly willing to push for once unthinkable measures.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/19/world/europe/austria-covid-vaccine-mandate-lockdown.html", + "creator": "Jason Horowitz and Melissa Eddy", + "pubDate": "Fri, 19 Nov 2021 22:55:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7f4068604c9f87cfa8a1508edb51895" + "hash": "5808c19f0688d153f7adf2fdd071bed2" }, { - "title": "W.H.O. Warns of ‘Very High’ Risk From Omicron, as Many Questions Remain", - "description": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", - "content": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/world/omicron-variant-covid", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 16:08:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "U.S. Rests Its Case in the Elizabeth Holmes Trial", + "description": "Defense lawyers are expected to argue that the founder of Theranos, the blood-testing start-up, failed but did not commit fraud.", + "content": "Defense lawyers are expected to argue that the founder of Theranos, the blood-testing start-up, failed but did not commit fraud.", + "category": "Suits and Litigation (Civil)", + "link": "https://www.nytimes.com/2021/11/19/technology/elizabeth-holmes-trial.html", + "creator": "Erin Griffith", + "pubDate": "Fri, 19 Nov 2021 22:53:35 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "95c1c2e8e8d37073b0be51c0db114eea" + "hash": "4188ebc82bbbf919e959b0a77ba32cf4" }, { - "title": "Global markets rose as investors reconsidered the unknowns of Omicron.", - "description": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", - "content": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 16:08:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "C.D.C. Panel Endorses Covid Vaccine Booster Shots for All Adults", + "description": "As infections rise, Americans over 18 will be permitted to get extra doses. But it’s not clear boosters really are needed by so many people, or that the shots will turn back the pandemic.", + "content": "As infections rise, Americans over 18 will be permitted to get extra doses. But it’s not clear boosters really are needed by so many people, or that the shots will turn back the pandemic.", + "category": "your-feed-science", + "link": "https://www.nytimes.com/2021/11/19/health/covid-boosters-cdc.html", + "creator": "Apoorva Mandavilli", + "pubDate": "Fri, 19 Nov 2021 22:34:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "08454c9623a7979110b902ea93b81603" + "hash": "fb798660046654bcc6fedd826d494579" }, { - "title": "Europe Looks to Nuclear Power to Meet Climate Goals", - "description": "While wind and solar ramp up, several countries, including France and Britain, are looking to expand their nuclear energy programs. Germany and others aren’t so enthusiastic.", - "content": "While wind and solar ramp up, several countries, including France and Britain, are looking to expand their nuclear energy programs. Germany and others aren’t so enthusiastic.", - "category": "Nuclear Energy", - "link": "https://www.nytimes.com/2021/11/29/business/nuclear-power-europe-climate.html", - "creator": "Liz Alderman and Stanley Reed", - "pubDate": "Mon, 29 Nov 2021 10:00:17 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Divisive Case Fueled Debate Over Vigilantism and Gun Rights", + "description": "Two people familiar with the proceedings said the jury has reached a decision after deliberating for three and a half days. Here’s the latest.", + "content": "Two people familiar with the proceedings said the jury has reached a decision after deliberating for three and a half days. Here’s the latest.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial", + "creator": "The New York Times", + "pubDate": "Fri, 19 Nov 2021 22:34:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "c99afa63cad8d1931a66cc8c923240d8" + "hash": "fab2f0254169bd9bbee76afdf2dc2bc3" }, { - "title": "As U.S. Hunts for Chinese Spies, University Scientists Warn of Backlash", - "description": "A chilling effect has taken hold on American campuses, contributing to an outflow of academic talent that may hurt the United States while benefiting Beijing.", - "content": "A chilling effect has taken hold on American campuses, contributing to an outflow of academic talent that may hurt the United States while benefiting Beijing.", - "category": "Espionage and Intelligence Services", - "link": "https://www.nytimes.com/2021/11/28/world/asia/china-university-spies.html", - "creator": "Amy Qin", - "pubDate": "Mon, 29 Nov 2021 01:08:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Modi to Repeal India Farm Laws Following Protests", + "description": "A bungled response to Covid and a struggling economy have hurt his party’s standing, leaving it vulnerable to a well-organized protest movement.", + "content": "A bungled response to Covid and a struggling economy have hurt his party’s standing, leaving it vulnerable to a well-organized protest movement.", + "category": "India", + "link": "https://www.nytimes.com/2021/11/18/world/asia/india-farmers-modi.html", + "creator": "Emily Schmall, Karan Deep Singh and Sameer Yasir", + "pubDate": "Fri, 19 Nov 2021 22:32:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cfb4f226c7414d31860eb6a95a95ff47" + "hash": "0944ca3686854648128c731048f537a6" }, { - "title": "It’s Always Sunny With Rob McElhenney", - "description": "The FXX series “It’s Always Sunny in Philadelphia” is about to become the longest-running live-action sitcom in U.S. history. Its energetic star and creator wants to know what’s next.", - "content": "The FXX series “It’s Always Sunny in Philadelphia” is about to become the longest-running live-action sitcom in U.S. history. Its energetic star and creator wants to know what’s next.", - "category": "Television", - "link": "https://www.nytimes.com/2021/11/26/arts/television/its-always-sunny-in-philadelphia-rob-mcelhenney.html", - "creator": "Ashley Spencer", - "pubDate": "Fri, 26 Nov 2021 10:02:42 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Gerald Migdol Is Charged in Campaign Finance Scheme", + "description": "Gerald Migdol is accused of concealing contributions to a New York City comptroller candidate to get more public-matching funds.", + "content": "Gerald Migdol is accused of concealing contributions to a New York City comptroller candidate to get more public-matching funds.", + "category": "Campaign Finance", + "link": "https://www.nytimes.com/2021/11/19/nyregion/nyc-fraud-campaign-finance.html", + "creator": "Matthew Haag", + "pubDate": "Fri, 19 Nov 2021 22:27:17 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2bbf5f5563a8be89d01e7d5ab35b97ee" + "hash": "c38b7611d3bb7ebaa7c72e71958d8dc4" }, { - "title": "What We Learned From Week 12 in the N.F.L.", - "description": "Tom Brady has help in Tampa Bay, the Bengals are forcing the issue in the A.F.C. North race, and the Rams have some soul-searching to do.", - "content": "Tom Brady has help in Tampa Bay, the Bengals are forcing the issue in the A.F.C. North race, and the Rams have some soul-searching to do.", - "category": "Football", - "link": "https://www.nytimes.com/2021/11/28/sports/football/nfl-week-12.html", - "creator": "Tyler Dunne", - "pubDate": "Mon, 29 Nov 2021 06:29:59 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Business Updates: Google Questions Impartiality of Justice Dept. Antitrust Boss", + "description": "The move, announced on Friday, is an attempt by the country’s newish prime minister to revive an economy battered by Covid restrictions and a supply chain crunch.", + "content": "The move, announced on Friday, is an attempt by the country’s newish prime minister to revive an economy battered by Covid restrictions and a supply chain crunch.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/19/business/news-business-stock-market", + "creator": "The New York Times", + "pubDate": "Fri, 19 Nov 2021 22:22:24 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da8e20d487feefd800077ef0e1128c4d" + "hash": "71426f88eebda9b39170c6beccc9f5e6" }, { - "title": "Join the Comedian Michelle Buteau at a Times Event on the ‘Joys’ of Parenting", - "description": "Let’s laugh about the trials and triumphs of raising tiny humans, with the comedian Michelle Buteau and Jessica Grose of The Times’s parenting newsletter at a virtual event on Dec. 8.", - "content": "Let’s laugh about the trials and triumphs of raising tiny humans, with the comedian Michelle Buteau and Jessica Grose of The Times’s parenting newsletter at a virtual event on Dec. 8.", - "category": "internal-open-access", - "link": "https://www.nytimes.com/2021/11/16/opinion/parenting-michelle-buteau-event.html", + "title": "C.D.C. Panel Endorses Pfizer and Moderna Boosters for All Adults", + "description": "Earlier, the F.D.A. also authorized boosters for all adults. The moves come as holiday travel could bring a surge of cases. Here’s the latest on Covid.", + "content": "Earlier, the F.D.A. also authorized boosters for all adults. The moves come as holiday travel could bring a surge of cases. Here’s the latest on Covid.", + "category": "", + "link": "https://www.nytimes.com/live/2021/11/19/world/covid-vaccine-boosters-mandates", "creator": "The New York Times", - "pubDate": "Wed, 24 Nov 2021 16:45:34 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Fri, 19 Nov 2021 22:15:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "07e46b892d177e7dcf4d7160a6deb3e4" + "hash": "be81d7dd86623b8d705de64dcc04db8b" }, { - "title": "A Public Flagpole, a Christian Flag and the First Amendment", - "description": "The Supreme Court will decide whether Boston, which allows many kinds of groups to raise flags outside its City Hall, can reject one bearing the Latin cross.", - "content": "The Supreme Court will decide whether Boston, which allows many kinds of groups to raise flags outside its City Hall, can reject one bearing the Latin cross.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/11/29/us/boston-flag-free-speech.html", - "creator": "Adam Liptak", - "pubDate": "Mon, 29 Nov 2021 10:00:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "House Passes Biden’s Build Back Better Bill", + "description": "The vote was months in the making for the roughly $2 trillion measure, one of the most consequential bills in decades. Now it faces a difficult path in the Senate.", + "content": "The vote was months in the making for the roughly $2 trillion measure, one of the most consequential bills in decades. Now it faces a difficult path in the Senate.", + "category": "House of Representatives", + "link": "https://www.nytimes.com/2021/11/19/us/politics/house-passes-reconciliation-bill.html", + "creator": "Emily Cochrane and Jonathan Weisman", + "pubDate": "Fri, 19 Nov 2021 22:14:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eccac5c7d038a90d7204c863bfbbbd99" + "hash": "ac445baa24b1cec1a065e0b1ca6db105" }, { - "title": "How Journalists and Academics are Tackling the 'Misinformation' Wars", - "description": "Journalists and academics are developing a new language for truth. The results are not always clearer.", - "content": "Journalists and academics are developing a new language for truth. The results are not always clearer.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/11/28/business/media-misinformation-disinformation.html", - "creator": "Ben Smith", - "pubDate": "Mon, 29 Nov 2021 02:12:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The New York Blood Center Can Get an Upgrade, if NIMBYs Don’t Get in the Way", + "description": "The New York Blood Center should be allowed to build its new life sciences center. ", + "content": "The New York Blood Center should be allowed to build its new life sciences center. ", + "category": "Buildings (Structures)", + "link": "https://www.nytimes.com/2021/11/19/opinion/new-york-blood-center-city-council.html", + "creator": "Mara Gay", + "pubDate": "Fri, 19 Nov 2021 22:12:24 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cff8747508e1ece8d67fb7f754f87a98" + "hash": "4d5a598feb1bb5a4029509bb165a9a75" }, { - "title": "Virgil Abloh, Barrier-Breaking Designer, Is Dead at 41", - "description": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", - "content": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/11/28/style/virgil-abloh-dead.html", - "creator": "Vanessa Friedman", - "pubDate": "Sun, 28 Nov 2021 21:21:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Cuomo Assembly Report Contains Grounds for Impeachment, Lawmaker Says", + "description": "A report set to be made public next week sheds new light on the Cuomo administration’s manipulation of nursing home death data and the former governor’s $5.1 million book deal.", + "content": "A report set to be made public next week sheds new light on the Cuomo administration’s manipulation of nursing home death data and the former governor’s $5.1 million book deal.", + "category": "Cuomo, Andrew M", + "link": "https://www.nytimes.com/2021/11/19/nyregion/cuomo-impeachment-report.html", + "creator": "Grace Ashford", + "pubDate": "Fri, 19 Nov 2021 22:12:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "721e16081a994d4693428a75eb33e02c" + "hash": "9b6371a3e729293bf21c5fcc05c98bc0" }, { - "title": "Rep. Tom Suozzi to Run for Governor of New York", - "description": "Mr. Suozzi will enter a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", - "content": "Mr. Suozzi will enter a crowded field of Democrats seeking to challenge the incumbent, Gov. Kathy Hochul.", - "category": "Suozzi, Thomas R", - "link": "https://www.nytimes.com/2021/11/29/nyregion/tom-suozzi-governor-ny.html", - "creator": "Katie Glueck and Nicholas Fandos", - "pubDate": "Mon, 29 Nov 2021 15:17:25 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "House Passes the Largest Expenditure on Climate in U.S. History", + "description": "The $555 billion package is designed to lure the country away from fossil fuels. It faces an uncertain path in the Senate.", + "content": "The $555 billion package is designed to lure the country away from fossil fuels. It faces an uncertain path in the Senate.", + "category": "Global Warming", + "link": "https://www.nytimes.com/2021/11/19/climate/climate-change-bill.html", + "creator": "Coral Davenport", + "pubDate": "Fri, 19 Nov 2021 22:08:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b043b1022bfaf4a9ee03515eebd2cc90" + "hash": "f0e13d5c64790f931f1198e4f3a2c2ea" }, { - "title": "Esper Claims Defense Dept. Is Improperly Blocking Parts of His Memoir", - "description": "The former defense secretary sued the agency, saying that portions of the book were being concealed “under the guise of classification.”", - "content": "The former defense secretary sued the agency, saying that portions of the book were being concealed “under the guise of classification.”", - "category": "Esper, Mark T", - "link": "https://www.nytimes.com/2021/11/28/us/politics/mark-esper-memoir-lawsuit.html", - "creator": "Maggie Haberman", - "pubDate": "Mon, 29 Nov 2021 00:51:27 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "It Really Would Help if People Learned to Email", + "description": "You should never find out that you were someone’s second choice.", + "content": "You should never find out that you were someone’s second choice.", + "category": "Work-Life Balance", + "link": "https://www.nytimes.com/2021/11/19/business/roxane-gay-work-friend-hiring.html", + "creator": "Roxane Gay", + "pubDate": "Fri, 19 Nov 2021 22:01:40 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d86008382b6bc0bc89bb43e94fe4f41b" + "hash": "c3de90c3c915bc71a77358f625124569" }, { - "title": "Fetal Viability, Long an Abortion Dividing Line, Faces a Supreme Court Test", - "description": "On Wednesday, the justices will hear the most important abortion case in decades, one that could undermine or overturn Roe v. Wade.", - "content": "On Wednesday, the justices will hear the most important abortion case in decades, one that could undermine or overturn Roe v. Wade.", - "category": "Supreme Court (US)", - "link": "https://www.nytimes.com/2021/11/28/us/politics/supreme-court-mississippi-abortion-law.html", - "creator": "Adam Liptak", - "pubDate": "Sun, 28 Nov 2021 22:37:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Having Rittenhouse Testify Was ‘Not a Close Call,’ His Lawyer Says", + "description": "Mock juries used by his defense team to test their case reacted much more favorably when he testified, his lead lawyer said.", + "content": "Mock juries used by his defense team to test their case reacted much more favorably when he testified, his lead lawyer said.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial/rittenhouse-testimony-sobbing", + "creator": "Sophie Kasakove", + "pubDate": "Fri, 19 Nov 2021 21:46:56 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aa4c7edef45127c224b0faf45cd08328" + "hash": "d423b4db4589a6b0341e3ec504e41c88" }, { - "title": "The Wandering Creativity of Sophie Taeuber-Arp", - "description": "The Swiss artist did it all — paintings and puppets, sculpture and tapestry — and was underestimated because of it. At MoMA she joins the major leagues.", - "content": "The Swiss artist did it all — paintings and puppets, sculpture and tapestry — and was underestimated because of it. At MoMA she joins the major leagues.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/26/arts/design/sophie-taeuber-arp-review-moma-dada.html", - "creator": "Jason Farago", - "pubDate": "Fri, 26 Nov 2021 20:18:58 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "WNYC Retracts Four Articles on Its News Site, Gothamist", + "description": "In a new episode of turmoil at the radio station, the author of the articles was reassigned.", + "content": "In a new episode of turmoil at the radio station, the author of the articles was reassigned.", + "category": "News and News Media", + "link": "https://www.nytimes.com/2021/11/19/business/media/wnyc-gothamist-jami-floyd.html", + "creator": "Marc Tracy", + "pubDate": "Fri, 19 Nov 2021 21:30:10 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b54b9ea955da7e34e4234495dcf8ccc5" + "hash": "d5679ba4981a3e8f0cf9b7b7e88cc55e" }, { - "title": "In 'Flee,' Jonas Poher Rasmussen Animates His Friend's Story", - "description": "Jonas Poher Rasmussen’s childhood friend kept his flight from Afghanistan secret for 20 years. Now, Rasmussen has told his story through the award-winning film “Flee.”", - "content": "Jonas Poher Rasmussen’s childhood friend kept his flight from Afghanistan secret for 20 years. Now, Rasmussen has told his story through the award-winning film “Flee.”", - "category": "Refugees and Displaced Persons", - "link": "https://www.nytimes.com/2021/11/26/movies/flee-movie-jonas-poher-rasmussen.html", - "creator": "Lisa Abend", - "pubDate": "Fri, 26 Nov 2021 15:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "M.L.B. Finalizes Plan to Provide Housing for Minor Leaguers", + "description": "An advocacy group called the deal a “historic victory,” but noted that there were issues that might need to be addressed.", + "content": "An advocacy group called the deal a “historic victory,” but noted that there were issues that might need to be addressed.", + "category": "Baseball", + "link": "https://www.nytimes.com/2021/11/19/sports/baseball/mlb-housing.html", + "creator": "James Wagner", + "pubDate": "Fri, 19 Nov 2021 21:19:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7576b83163a663bb67eac5a499146cba" + "hash": "817df3ca60afd75bb43212c4c525425c" }, { - "title": "In ‘White on White,’ the Traditional Landlord-Tenant Pact Is Ruptured", - "description": "Aysegul Savas’s second novel is about an art student and a painter who strike up a peculiar friendship.", - "content": "Aysegul Savas’s second novel is about an art student and a painter who strike up a peculiar friendship.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/23/books/review-white-on-white-aysegul-savas.html", - "creator": "Molly Young", - "pubDate": "Tue, 23 Nov 2021 17:01:49 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Conservatives celebrate Rittenhouse’s acquittal, as liberals lament the verdict.", + "description": "", + "content": "", + "category": "Vigilantes", + "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial/conservatives-celebrate-rittenhouses-acquittal-as-liberals-lament-the-verdict", + "creator": "Jennifer Medina", + "pubDate": "Fri, 19 Nov 2021 20:58:59 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1ae21e4457bd84c4dfc63bafcece32e8" + "hash": "e7ea401648817fb2fabebd117ab68b6b" }, { - "title": "A Fashion Stylist Who Found Inspiration in New Surroundings", - "description": "Having embraced a slower pace of life upstate, Melissa Ventosa Martin is launching an online marketplace dedicated to finely crafted pieces imbued with the luxury of time.", - "content": "Having embraced a slower pace of life upstate, Melissa Ventosa Martin is launching an online marketplace dedicated to finely crafted pieces imbued with the luxury of time.", - "category": "Martin, Walter (Musician)", - "link": "https://www.nytimes.com/2021/11/24/t-magazine/old-stone-trade-ventosa-martin.html", - "creator": "Aileen Kwun", - "pubDate": "Wed, 24 Nov 2021 22:19:47 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Build Back Better May Not Have Passed a Decade Ago", + "description": "President Barack Obama barely muscled his health law through the House. But income inequality, economic stagnation and a pandemic propelled an even more ambitious bill.", + "content": "President Barack Obama barely muscled his health law through the House. But income inequality, economic stagnation and a pandemic propelled an even more ambitious bill.", + "category": "United States Politics and Government", + "link": "https://www.nytimes.com/2021/11/19/us/politics/democrats-economic-bill.html", + "creator": "Jonathan Weisman", + "pubDate": "Fri, 19 Nov 2021 20:46:14 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "985041d2a3ff453b840ef155edc350c3" + "hash": "7c9913f114e7174ad0dcee73528946db" }, { - "title": "Countries Close Borders as More Omicron Cases Emerge", - "description": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", - "content": "Scotland said it had found six cases of the new variant and that contact tracing was underway. Japan barred all foreign travelers, and Australia delayed reopening its borders for two weeks.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/world/covid-omicron-variant-news", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 11:00:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kyle Rittenhouse’s Acquittal and America’s Gun Laws", + "description": "Readers react to the verdict, discuss America’s self-defense laws and make connections to the Ahmaud Arbery case. Also: The social policy bill.", + "content": "Readers react to the verdict, discuss America’s self-defense laws and make connections to the Ahmaud Arbery case. Also: The social policy bill.", + "category": "Rittenhouse, Kyle", + "link": "https://www.nytimes.com/2021/11/19/opinion/letters/kyle-rittenhouse-acquittal-guns.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 20:41:00 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "452e848135f40ca09dcf23b310231369" + "hash": "ec5c3001dc3ecd7c353de0c7797c12a0" }, { - "title": "Global Markets Steady as Investors Reconsider the Unknowns of Omicron", - "description": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", - "content": "After tumbling on Friday, European markets opened higher and oil prices gained. Follow the latest business updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/29/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 11:00:43 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Case Against Loving Your Job", + "description": "Will work ever love us back? Two millennials disagree.", + "content": "Will work ever love us back? Two millennials disagree.", + "category": "Labor and Jobs", + "link": "https://www.nytimes.com/2021/11/19/opinion/ezra-klein-podcast-sarah-jaffe.html", + "creator": "‘The Ezra Klein Show’", + "pubDate": "Fri, 19 Nov 2021 20:28:34 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f7b1444bbba5744081f2a105a7318bc0" + "hash": "0a2de13e509087b9c33247d7482d5cdb" }, { - "title": "‘Self Defense’ Is Becoming Meaningless in a Flood of Guns", - "description": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", - "content": "More guns, no matter in whose hands, will create more standoffs, more intimidation, more death sanctioned in the eyes of the law.", - "category": "Arbery, Ahmaud (1994-2020)", - "link": "https://www.nytimes.com/2021/11/29/opinion/self-defense-guns-arbery-rittenhouse.html", - "creator": "Tali Farhadian Weinstein", - "pubDate": "Mon, 29 Nov 2021 10:00:04 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden Met With Xi. But Is His China Policy Right?", + "description": "The truth is, America’s national security depends on cooperation a lot more than competition.", + "content": "The truth is, America’s national security depends on cooperation a lot more than competition.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/11/18/opinion/biden-china-xi-summit.html", + "creator": "Peter Beinart", + "pubDate": "Fri, 19 Nov 2021 20:20:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3db88f65026bf8ddc5bb0143d055c0a0" + "hash": "9918bf6a021284e3f47db1238c9a1548" }, { - "title": "Emily Ratajkowski Doesn’t Want You to Look Away", - "description": "The model on wielding beauty and power in the age of Instagram.", - "content": "The model on wielding beauty and power in the age of Instagram.", - "category": "audio-neutral-informative", - "link": "https://www.nytimes.com/2021/11/29/opinion/sway-kara-swisher-emily-ratajkowski.html", - "creator": "‘Sway’", - "pubDate": "Mon, 29 Nov 2021 10:00:04 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ross Douthat on Dealing With Lyme Disease", + "description": "Douthat discusses his new memoir, “The Deep Places,” and Elisabeth Egan talks about Jung Yun’s novel “O Beautiful.”", + "content": "Douthat discusses his new memoir, “The Deep Places,” and Elisabeth Egan talks about Jung Yun’s novel “O Beautiful.”", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/19/books/review/podcast-ross-douthat-deep-places-o-beautiful-jung-yun.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 20:04:53 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ebb9488cc2906cdb36aaf4896b59fafa" + "hash": "5725efb78b1f1afcf15ddf9a0a521193" }, { - "title": "Omicron: How to Think About the New Variant of Concern", - "description": "There are many unknowns but we have the means to manage the variant.", - "content": "There are many unknowns but we have the means to manage the variant.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/27/opinion/omicron-variant-questions-coronavirus.html", - "creator": "Ashish Jha", - "pubDate": "Sat, 27 Nov 2021 15:00:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Elation and Dismay as Crowds at Courthouse Hear of Rittenhouse Verdict", + "description": "Small groups of supporters and detractors of Kyle Rittenhouse reacted to news of the not-guilty verdict as a horde of journalists looked on.", + "content": "Small groups of supporters and detractors of Kyle Rittenhouse reacted to news of the not-guilty verdict as a horde of journalists looked on.", + "category": "Rittenhouse, Kyle", + "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial/rittenhouse-reaction-courthouse-crowd", + "creator": "Dan Hinkel", + "pubDate": "Fri, 19 Nov 2021 20:02:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "681155fc20643ea25e2fb8d9d8f979a2" + "hash": "29de72ba1c80d0be4ff2f953167f323d" }, { - "title": "A Cure for Type 1 Diabetes? For One Man, It Seems to Have Worked.", - "description": "A new treatment using stem cells that produce insulin has surprised experts and given them hope for the 1.5 million Americans living with the disease.", - "content": "A new treatment using stem cells that produce insulin has surprised experts and given them hope for the 1.5 million Americans living with the disease.", - "category": "Diabetes", - "link": "https://www.nytimes.com/2021/11/27/health/diabetes-cure-stem-cells.html", - "creator": "Gina Kolata", - "pubDate": "Sat, 27 Nov 2021 10:00:13 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "On Putin’s Strategic Chessboard, a Series of Destabilizing Moves", + "description": "In the stretch of Europe from the Baltic Sea to the Black Sea, where Moscow and the West have competed for influence for decades, the threat of a new military conflict is growing.", + "content": "In the stretch of Europe from the Baltic Sea to the Black Sea, where Moscow and the West have competed for influence for decades, the threat of a new military conflict is growing.", + "category": "United States International Relations", + "link": "https://www.nytimes.com/2021/11/19/world/europe/russia-putin-belarus-ukraine.html", + "creator": "Anton Troianovski", + "pubDate": "Fri, 19 Nov 2021 19:59:22 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22d42de22380bbdaa17e52d529d44ac6" - }, - { - "title": "In a Picture-Postcard New York Town, Racist Incidents Rattle Schools", - "description": "When students in Pittsford, a suburb of Rochester, returned to school in the fall, a disturbing video of a white student threatening to kill Black people renewed concerns about racism.", - "content": "When students in Pittsford, a suburb of Rochester, returned to school in the fall, a disturbing video of a white student threatening to kill Black people renewed concerns about racism.", - "category": "Education (K-12)", - "link": "https://www.nytimes.com/2021/11/27/nyregion/pittsford-racism.html", - "creator": "Jesse McKinley", - "pubDate": "Sat, 27 Nov 2021 08:02:27 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "hash": "e6d876b9a511a74c0af13326f04bff13" + }, + { + "title": "Joe Biden's Infrastructure Bill Is a Big Success", + "description": "Voters may pummel Democrats next year, but future generations will be grateful. ", + "content": "Voters may pummel Democrats next year, but future generations will be grateful. ", + "category": "Infrastructure Investment and Jobs Act (2021)", + "link": "https://www.nytimes.com/2021/11/18/opinion/biden-infrastructure-stimulus-bill.html", + "creator": "David Brooks", + "pubDate": "Fri, 19 Nov 2021 19:53:46 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba5108528c3f7d5178e26397fce7663c" + "hash": "fcab4e5147eac3377e1b108f955cfd6f" }, { - "title": "Afghan Economy Nears Collapse as Pressure Builds to Ease U.S. Sanctions", - "description": "Afghanistan’s economy has crashed since the Taliban seized power, plunging the country into one of the world’s worst humanitarian crisis.", - "content": "Afghanistan’s economy has crashed since the Taliban seized power, plunging the country into one of the world’s worst humanitarian crisis.", - "category": "Afghanistan", - "link": "https://www.nytimes.com/2021/11/27/world/asia/afghanistan-economy-collapse-sanctions.html", - "creator": "Christina Goldbaum", - "pubDate": "Sat, 27 Nov 2021 08:00:13 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Bad Luck Banging or Loony Porn’ Review: No Sex, Please, We’re Romanian", + "description": "A viral video scandal ensnares a Bucharest schoolteacher in Radu Jude’s biting, bawdy and brilliant Covid-age fable.", + "content": "A viral video scandal ensnares a Bucharest schoolteacher in Radu Jude’s biting, bawdy and brilliant Covid-age fable.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/18/movies/bad-luck-banging-or-loony-porn-review.html", + "creator": "A.O. Scott", + "pubDate": "Fri, 19 Nov 2021 19:51:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ba133de045af5b7316d6f9a4f5a3962" + "hash": "e565d7d53bfad327ecd26b1b10f30bd2" }, { - "title": "Snowstorm Leaves Dozens Stranded in Remote U.K. Pub", - "description": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday morning, some patrons, band members and staff members were still stuck.", - "content": "A crowd had gathered on Friday night to listen to Noasis, an Oasis tribute band. On Monday morning, some patrons, band members and staff members were still stuck.", - "category": "Snow and Snowstorms", - "link": "https://www.nytimes.com/2021/11/28/world/europe/england-pub-snow-storm.html", - "creator": "Alyssa Lukpat", - "pubDate": "Mon, 29 Nov 2021 11:38:46 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kyle Rittenhouse's Firearm Made Everything Worse", + "description": "Kyle Rittenhouse’s semiautomatic rifle endangered everybody around him —  and himself.", + "content": "Kyle Rittenhouse’s semiautomatic rifle endangered everybody around him —  and himself.", + "category": "Murders, Attempted Murders and Homicides", + "link": "https://www.nytimes.com/2021/11/17/opinion/kyle-rittenhouse-guns.html", + "creator": "Farhad Manjoo", + "pubDate": "Fri, 19 Nov 2021 19:50:37 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "572ab71b58d45bc26c4bb3da347ea2f7" + "hash": "07f71c4056e48f1bd85b3bdf41d2ae1a" }, { - "title": "As Ghislaine Maxwell’s Trial Begins, Epstein’s Shadow Looms Large", - "description": "Ms. Maxwell’s sex trafficking trial in Manhattan, which starts on Monday, is widely seen as a proxy for the courtroom reckoning that her longtime partner never received.", - "content": "Ms. Maxwell’s sex trafficking trial in Manhattan, which starts on Monday, is widely seen as a proxy for the courtroom reckoning that her longtime partner never received.", - "category": "Epstein, Jeffrey E (1953- )", - "link": "https://www.nytimes.com/2021/11/29/nyregion/ghislaine-maxwell-trial.html", - "creator": "Benjamin Weiser and Rebecca Davis O’Brien", - "pubDate": "Mon, 29 Nov 2021 08:00:07 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "With 'New York Ninja,' Lights, Camera and, Finally, Action", + "description": "The 1984 kung fu film was shot, but it wasn’t completed. Now, with a new director and newly recorded dialogue, the film sees the light of day.", + "content": "The 1984 kung fu film was shot, but it wasn’t completed. Now, with a new director and newly recorded dialogue, the film sees the light of day.", + "category": "Movies", + "link": "https://www.nytimes.com/2021/11/19/movies/new-york-ninja-movie.html", + "creator": "Eric Grode", + "pubDate": "Fri, 19 Nov 2021 19:48:40 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10175eb8a5f830509092df543a4e0bed" + "hash": "05b85e4d48f9e181131de124571a00b0" }, { - "title": "Opposition Candidate Takes Big Early Lead in Honduras Election", - "description": "Xiomara Castro, the wife of a former leftist president, jumped ahead in Sunday’s vote, but determining a winner may take days. Follow updates in English and Spanish.", - "content": "Xiomara Castro, the wife of a former leftist president, jumped ahead in Sunday’s vote, but determining a winner may take days. Follow updates in English and Spanish.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/28/world/honduras-election-results", - "creator": "The New York Times", - "pubDate": "Mon, 29 Nov 2021 10:57:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden Will Briefly Transfer Power to Harris", + "description": "President Biden, who will undergo a physical and colonoscopy on Friday, is the oldest commander in chief to receive a full medical evaluation while in office.", + "content": "President Biden, who will undergo a physical and colonoscopy on Friday, is the oldest commander in chief to receive a full medical evaluation while in office.", + "category": "Biden, Joseph R Jr", + "link": "https://www.nytimes.com/2021/11/19/us/politics/biden-harris-power-transfer.html", + "creator": "Katie Rogers", + "pubDate": "Fri, 19 Nov 2021 19:23:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "214b47b92dd3df9d6de64310343b8008" + "hash": "e0dabe1d5d0ee159727e4860ecd37097" }, { - "title": "Climate Change Driving Some Albatrosses to ‘Divorce,’ Study Finds", - "description": "Warming oceans are sending the monogamous sea birds farther afield to find food, putting stress on their breeding and prompting some to ditch their partners.", - "content": "Warming oceans are sending the monogamous sea birds farther afield to find food, putting stress on their breeding and prompting some to ditch their partners.", - "category": "New Zealand", - "link": "https://www.nytimes.com/2021/11/29/world/asia/albatross-climate-change.html", - "creator": "Natasha Frost", - "pubDate": "Mon, 29 Nov 2021 10:53:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Discussions of Race Are Notably Absent in Trial of Arbery Murder Suspects", + "description": "Many outside observers say Ahmaud Arbery’s death at the hands of three white men is a prominent example of racial violence. But the jury never heard that argument.", + "content": "Many outside observers say Ahmaud Arbery’s death at the hands of three white men is a prominent example of racial violence. But the jury never heard that argument.", + "category": "Black People", + "link": "https://www.nytimes.com/2021/11/19/us/ahmaud-arbery-shooting-race.html", + "creator": "Tariro Mzezewa, Giulia Heyward and Richard Fausset", + "pubDate": "Fri, 19 Nov 2021 19:20:14 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "387a64c03852c1556f06a466724fa650" + "hash": "b9a462cd7705881ccb90acf017e7cca3" }, { - "title": "Is Your Kid a Holiday Gift Monster?", - "description": "Here’s how to celebrate without going overboard.", - "content": "Here’s how to celebrate without going overboard.", - "category": "", - "link": "https://www.nytimes.com/2019/11/27/parenting/is-your-kid-a-holiday-gift-monster.html", - "creator": "Jessica Grose", - "pubDate": "Wed, 27 Nov 2019 13:54:35 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Curry’s 3-Point Bonanza Has Golden State Bouncing Back", + "description": "A turnaround early this season has come with Stephen Curry reasserting why he is the best 3-point shooter in basketball history.", + "content": "A turnaround early this season has come with Stephen Curry reasserting why he is the best 3-point shooter in basketball history.", + "category": "Basketball", + "link": "https://www.nytimes.com/2021/11/19/sports/basketball/nba-golden-state-warriors-stephen-curry.html", + "creator": "Victor Mather", + "pubDate": "Fri, 19 Nov 2021 19:00:47 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c4192cb080778fa14cec9b31e096abc" + "hash": "f52a2ec7825c0c30ed152f87499f5975" }, { - "title": "Three Custom Holiday Gifts for Runners", - "description": "Shoes that one runner loves may not be right for another, but here are ideas you can use to make gifts tailored to each runner on your holiday list.", - "content": "Shoes that one runner loves may not be right for another, but here are ideas you can use to make gifts tailored to each runner on your holiday list.", - "category": "Running", - "link": "https://www.nytimes.com/2019/11/30/well/move/three-custom-holiday-gifts-for-runners.html", - "creator": "Jen A. Miller", - "pubDate": "Wed, 24 Nov 2021 22:54:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kevin McCarthy Speaks for More Than Eight Hours to Delay a House Vote", + "description": "The House minority leader began speaking Thursday night against President Biden’s social policy bill. He stopped at 5:10 a.m. Friday, after setting a record for the longest speech.", + "content": "The House minority leader began speaking Thursday night against President Biden’s social policy bill. He stopped at 5:10 a.m. Friday, after setting a record for the longest speech.", + "category": "McCarthy, Kevin (1965- )", + "link": "https://www.nytimes.com/2021/11/19/us/politics/kevin-mccarthy-speech.html", + "creator": "Jonathan Weisman and Jenny Gross", + "pubDate": "Fri, 19 Nov 2021 18:59:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "133d18038e629b52df8bff3951618946" + "hash": "b5577e623122ffa8b450120e4b106f94" }, { - "title": "2021 Holiday Gift Ideas for Wellness Enthusiasts", - "description": "Share the gift of healthy living. Here’s a list of some of our favorite things, from the staff and contributors of Well.", - "content": "Share the gift of healthy living. Here’s a list of some of our favorite things, from the staff and contributors of Well.", - "category": "Gifts", - "link": "https://www.nytimes.com/2021/11/04/well/live/holiday-gift-guide-wellness.html", - "creator": "Tara Parker-Pope and Tony Cenicola", - "pubDate": "Wed, 24 Nov 2021 16:24:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Venezuelan Opposition Risks an Election Challenge to Maduro", + "description": "With little hope of a fair vote, opposition candidates take a desperate risk to gain any edge against Venezuela’s entrenched autocrat, Nicolás Maduro.", + "content": "With little hope of a fair vote, opposition candidates take a desperate risk to gain any edge against Venezuela’s entrenched autocrat, Nicolás Maduro.", + "category": "Elections", + "link": "https://www.nytimes.com/2021/11/19/world/americas/venezuela-elections-maduro.html", + "creator": "Julie Turkewitz and Adriana Loureiro Fernandez", + "pubDate": "Fri, 19 Nov 2021 18:56:44 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3fdc713cc0df41e35796ace1385ecc12" + "hash": "d358ba6c1ed82febf655b72d61da3eb6" }, { - "title": "Growing List of Nations on Alert Over New Coronavirus Variant", - "description": "Australian health officials confirmed that two travelers arriving from southern Africa had tested positive for the new variant. Scientists were racing to learn more about Omicron, but said that existing vaccines were likely to protect against it.", - "content": "Australian health officials confirmed that two travelers arriving from southern Africa had tested positive for the new variant. Scientists were racing to learn more about Omicron, but said that existing vaccines were likely to protect against it.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/28/world/covid-vaccine-boosters-variant", - "creator": "The New York Times", - "pubDate": "Sun, 28 Nov 2021 20:44:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "3 Women in the Senate Object to ‘Sexist’ Focus on Sinema’s Style", + "description": "The senators criticize The Times’s coverage of their colleague’s style and fashion choices.", + "content": "The senators criticize The Times’s coverage of their colleague’s style and fashion choices.", + "category": "Sinema, Kyrsten", + "link": "https://www.nytimes.com/2021/11/19/opinion/letters/kyrsten-sinema-senate.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 18:39:43 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "30d62e56c69511104f30efbdfb04c161" + "hash": "6d6d90a6c57076faea293d947e231ad4" }, { - "title": "As Omicron Variant Circles the Globe, African Nations Face Blame and Bans", - "description": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", - "content": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/27/world/africa/coronavirus-omicron-africa.html", - "creator": "Benjamin Mueller and Declan Walsh", - "pubDate": "Sun, 28 Nov 2021 02:59:14 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Amazon Deforestation Soars to 15-Year High", + "description": "Brazil committed this month to end illegal deforestation in eight years, but a government report raises questions about its intent and ability to meet that target.", + "content": "Brazil committed this month to end illegal deforestation in eight years, but a government report raises questions about its intent and ability to meet that target.", + "category": "Politics and Government", + "link": "https://www.nytimes.com/2021/11/19/world/americas/brazil-amazon-deforestation.html", + "creator": "Manuela Andreoni", + "pubDate": "Fri, 19 Nov 2021 18:26:13 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ecbfa015e6a4b6982c0b53a890e72d1d" + "hash": "04cf234bba33c517a218c429848ac064" }, { - "title": "Does Omicron Cause Only Mild Illness? Too Early to Tell, Experts Say", - "description": "Should the Omicron variant cause severe illness, that will become apparent if there is a significant rise in hospitalizations over the next week or two, one expert said.", - "content": "Should the Omicron variant cause severe illness, that will become apparent if there is a significant rise in hospitalizations over the next week or two, one expert said.", - "category": "Coronavirus Omicron Variant", - "link": "https://www.nytimes.com/2021/11/28/health/omicron-variant-severe-symptoms-mild.html", - "creator": "Apoorva Mandavilli", - "pubDate": "Sun, 28 Nov 2021 19:29:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What Happens After the Worst of the Pandemic Is Behind Us?", + "description": "We need to learn the right lessons from the pandemic.", + "content": "We need to learn the right lessons from the pandemic.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/18/opinion/covid-winter-risk.html", + "creator": "Zeynep Tufekci", + "pubDate": "Fri, 19 Nov 2021 18:11:00 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f342d18e1e0db75a174f9c1f6a557da" + "hash": "09d7fe845ef5d0f18d9c4a89ad796393" }, { - "title": "Local News Outlets May Reap $1.7 Billion in Build Back Better Aid", - "description": "A small paper like The Storm Lake Times in Iowa would receive a big tax credit. So would Gannett, the nation’s largest news publisher.", - "content": "A small paper like The Storm Lake Times in Iowa would receive a big tax credit. So would Gannett, the nation’s largest news publisher.", - "category": "Newspapers", - "link": "https://www.nytimes.com/2021/11/28/business/media/build-back-better-local-news.html", - "creator": "Marc Tracy", - "pubDate": "Sun, 28 Nov 2021 10:00:18 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Talk to Kids About Death and Loss", + "description": "Loss may be part of Thanksgiving this year. Here’s how to help kids navigate it.", + "content": "Loss may be part of Thanksgiving this year. Here’s how to help kids navigate it.", + "category": "Grief (Emotion)", + "link": "https://www.nytimes.com/2021/11/19/opinion/grief-mourning-children.html", + "creator": "Miranda Featherstone", + "pubDate": "Fri, 19 Nov 2021 17:38:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "837e1be34006e1e7a7039c59a568d9ac" + "hash": "282cf98274bf4680ba747914dd007106" }, { - "title": "How the $4 Trillion Flood of Covid Relief Is Funding the Future", - "description": "From broadband to transportation to high-tech medical manufacturing, benefits from America’s pandemic money infusion will linger.", - "content": "From broadband to transportation to high-tech medical manufacturing, benefits from America’s pandemic money infusion will linger.", - "category": "2021 tech and design", - "link": "https://www.nytimes.com/2021/11/24/magazine/pandemic-aid.html", - "creator": "Charley Locke and Christopher Payne", - "pubDate": "Wed, 24 Nov 2021 16:32:21 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Miss Friday's Lunar Eclipse? Here's What it Looked Like.", + "description": "The partial eclipse on Thursday night and Friday morning lasted more than six hours, and these photos captured the moon’s rust-red hue.", + "content": "The partial eclipse on Thursday night and Friday morning lasted more than six hours, and these photos captured the moon’s rust-red hue.", + "category": "Eclipses", + "link": "https://www.nytimes.com/2021/11/19/science/lunar-eclipse-photos.html", + "creator": "Michael Roston and Matt McCann", + "pubDate": "Fri, 19 Nov 2021 17:19:05 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4e9a48fe2f85adeda274110c9ef7f13e" + "hash": "1c8746a9dbd825acf649fafdd541ca89" }, { - "title": "They Died From Covid. Then the Online Attacks Started.", - "description": "The social media profiles of anti-vaccine victims of the pandemic have made them and their families targets of trolling, even after their deaths.", - "content": "The social media profiles of anti-vaccine victims of the pandemic have made them and their families targets of trolling, even after their deaths.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/27/style/anti-vaccine-deaths-social-media.html", - "creator": "Dan Levin", - "pubDate": "Sat, 27 Nov 2021 10:00:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The G.O.P. Has a Bad Men Problem", + "description": "The creeping not-so-casual misogyny is indicative of the dark path down which former President Donald Trump continues to lead the G.O.P.", + "content": "The creeping not-so-casual misogyny is indicative of the dark path down which former President Donald Trump continues to lead the G.O.P.", + "category": "Gosar, Paul (1958- )", + "link": "https://www.nytimes.com/2021/11/19/opinion/trump-gop-misogyny.html", + "creator": "Michelle Cottle", + "pubDate": "Fri, 19 Nov 2021 17:00:00 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2a706253d48ef4b328e940500ae96e4" + "hash": "59e92a624dbbc3554baf569f3ecfd98c" }, { - "title": "Booster Rollout for Nursing Homes Is Sluggish ", - "description": "Thousands of new cases have been reported among vulnerable elderly residents in the last several months, as the virulent Delta variant fuels outbreaks.", - "content": "Thousands of new cases have been reported among vulnerable elderly residents in the last several months, as the virulent Delta variant fuels outbreaks.", - "category": "Nursing Homes", - "link": "https://www.nytimes.com/2021/11/27/health/covid-nursing-home-booster.html", - "creator": "Reed Abelson", - "pubDate": "Sat, 27 Nov 2021 13:00:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Who Is Afghanistan's Soccer Team Playing For?", + "description": "Afghanistan’s national soccer team played a rare match this week. But with the Taliban in control of their country, what, and whom, are they playing for?", + "content": "Afghanistan’s national soccer team played a rare match this week. But with the Taliban in control of their country, what, and whom, are they playing for?", + "category": "Soccer", + "link": "https://www.nytimes.com/2021/11/18/sports/soccer/afghanistan-soccer-taliban.html", + "creator": "James Montague and Bradley Secker", + "pubDate": "Fri, 19 Nov 2021 16:59:22 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3fd45aa6b4ede60b439bebebba11230" + "hash": "e9f241e2c4962052f941a4dfa1884491" }, { - "title": "A Wine Rack on Rails? U.K. Businesses Seek Solutions to Shortages.", - "description": "Two months after concerns about gas and food stocks caused ripples of anxiety, Britain continues to face problems in its supply chain. Distributors and retailers are looking for creative fixes.", - "content": "Two months after concerns about gas and food stocks caused ripples of anxiety, Britain continues to face problems in its supply chain. Distributors and retailers are looking for creative fixes.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/28/world/europe/uk-supply-shortages.html", - "creator": "Stephen Castle and Jenny Gross", - "pubDate": "Sun, 28 Nov 2021 20:22:14 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Inspiration for ‘Malfunction: The Dressing Down of Janet Jackson’", + "description": "The New York Times’s latest documentary, premiering Friday, examines the scandal surrounding the performer following the 2004 Super Bowl halftime show.", + "content": "The New York Times’s latest documentary, premiering Friday, examines the scandal surrounding the performer following the 2004 Super Bowl halftime show.", + "category": "Pop and Rock Music", + "link": "https://www.nytimes.com/2021/11/19/insider/janet-jackson-documentary.html", + "creator": "Rachel Abrams", + "pubDate": "Fri, 19 Nov 2021 16:58:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "68cf7f13c2e39b927003f25ccd69df39" + "hash": "eee0773ee5e5cb0d44074f3a19c82d1a" }, { - "title": "Supply Chain Shortages Help a North Carolina Furniture Town ", - "description": "The furniture capital of the state is ground zero for inflation, labor shortages, hot demand and limited supply. It’s debating how to cope.", - "content": "The furniture capital of the state is ground zero for inflation, labor shortages, hot demand and limited supply. It’s debating how to cope.", - "category": "Hickory (NC)", - "link": "https://www.nytimes.com/2021/11/27/business/economy/inflation-nc-furniture-shortage.html", - "creator": "Jeanna Smialek", - "pubDate": "Sat, 27 Nov 2021 20:38:00 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Supermodel Iman Opens Up About David Bowie, a New Perfume and More", + "description": "The supermodel talks about life after David Bowie, their Catskills refuge and the perfume inspired by their love.", + "content": "The supermodel talks about life after David Bowie, their Catskills refuge and the perfume inspired by their love.", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/11/18/style/iman-david-bowie.html", + "creator": "Guy Trebay", + "pubDate": "Fri, 19 Nov 2021 16:20:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "905a148ee54fa365361e505f26e9e209" + "hash": "f6eeea20c806c50c7a91928a2d0aa5a6" }, { - "title": "Sylvia Weinstock, the ‘da Vinci of Wedding Cakes,’ Dies at 91", - "description": "She produced floral-draped architectural works in the shape of rose-studded topiaries, baskets of speckled lilies and bouquets of anemones.", - "content": "She produced floral-draped architectural works in the shape of rose-studded topiaries, baskets of speckled lilies and bouquets of anemones.", - "category": "Weinstock, Sylvia", - "link": "https://www.nytimes.com/2021/11/28/obituaries/sylvia-weinstock-dead.html", - "creator": "Katharine Q. Seelye", - "pubDate": "Sun, 28 Nov 2021 16:37:28 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The First Family of New Jersey Football", + "description": "Seventeen of the last 20 New Jersey state high school championships have featured a team coached by Mike Campanile or one of his four sons.", + "content": "Seventeen of the last 20 New Jersey state high school championships have featured a team coached by Mike Campanile or one of his four sons.", + "category": "Coaches and Managers", + "link": "https://www.nytimes.com/2021/11/19/sports/football/nj-high-school-football-campanile.html", + "creator": "Kevin Armstrong", + "pubDate": "Fri, 19 Nov 2021 15:51:51 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17ce83a6e102aa76d2fec102a469cbf2" + "hash": "4a232dc2974f8de72c55e4ef950a5d9f" }, { - "title": "Enslaved to a U.S. Founding Father, She Sought Freedom in France", - "description": "Brought from America to Paris by John Jay, an enslaved woman named Abigail died there trying to win her liberty as the statesman negotiated the freedom of the new nation.", - "content": "Brought from America to Paris by John Jay, an enslaved woman named Abigail died there trying to win her liberty as the statesman negotiated the freedom of the new nation.", - "category": "Slavery (Historical)", - "link": "https://www.nytimes.com/2021/11/23/travel/john-jay-paris-abigail-slavery.html", - "creator": "Martha S. Jones", - "pubDate": "Wed, 24 Nov 2021 19:16:12 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Wisconsin Republicans Push to Take Over the State’s Elections", + "description": "Led by Senator Ron Johnson, G.O.P. officials want to eliminate a bipartisan elections agency — and maybe send its members to jail.", + "content": "Led by Senator Ron Johnson, G.O.P. officials want to eliminate a bipartisan elections agency — and maybe send its members to jail.", + "category": "Wisconsin", + "link": "https://www.nytimes.com/2021/11/19/us/politics/wisconsin-republicans-decertify-election.html", + "creator": "Reid J. Epstein", + "pubDate": "Fri, 19 Nov 2021 15:00:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b6d71f2329afb89992cc0713b12c35f8" + "hash": "d070ba3d878c8ab0e79142342196cecb" }, { - "title": "Everyone’s Moving to Texas. Here’s Why.", - "description": "We studied 16,847 places to find out why Dallas is so popular.", - "content": "We studied 16,847 places to find out why Dallas is so popular.", - "category": "Wildfires", - "link": "https://www.nytimes.com/2021/11/23/opinion/move-to-texas.html", - "creator": "Farhad Manjoo, Gus Wezerek and Yaryna Serkez", - "pubDate": "Tue, 23 Nov 2021 11:13:01 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Little Lad? Berries and Cream? Call It Performance Art.", + "description": "Jack Ferver, the creator of a well-regarded body of dance-theater works, has also become a TikTok phenomenon because of a Starburst ad from 2007.", + "content": "Jack Ferver, the creator of a well-regarded body of dance-theater works, has also become a TikTok phenomenon because of a Starburst ad from 2007.", + "category": "Social Media", + "link": "https://www.nytimes.com/2021/11/19/arts/dance/berries-and-cream-tik-tok.html", + "creator": "Margaret Fuhrer", + "pubDate": "Fri, 19 Nov 2021 15:00:08 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "afd86dea2ef1ddaeb59ff0de08f88c76" + "hash": "e1301df38cca66f9784e0568d7421da6" }, { - "title": "Mark Bittman: Whole Wheat Bread Is the Key to a Better Food System", - "description": "Baking whole wheat bread can reacquaint us with food that truly nourishes us. ", - "content": "Baking whole wheat bread can reacquaint us with food that truly nourishes us. ", - "category": "Bread", - "link": "https://www.nytimes.com/2021/11/26/opinion/culture/mark-bittman-whole-wheat-bread.html", - "creator": "Mark Bittman", - "pubDate": "Fri, 26 Nov 2021 18:42:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Feeling Anxious About Thanksgiving This Year? You’re Not Alone.", + "description": "The first postvaccine Thanksgiving will be full of joy — and anxiety. Here’s how to navigate it.", + "content": "The first postvaccine Thanksgiving will be full of joy — and anxiety. Here’s how to navigate it.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2021/11/18/opinion/thanksgiving-christmas-family-tension.html", + "creator": "Emily Esfahani Smith", + "pubDate": "Fri, 19 Nov 2021 14:44:16 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "56e89bfea4343e5571a61a4321af401b" + "hash": "3ced1eca2ffed2d84759cf16c362f889" }, { - "title": "I Grew Up Poor. How Am I Supposed to Raise My Middle-Class Kids?", - "description": "My children do not understand my world and I do not understand theirs.", - "content": "My children do not understand my world and I do not understand theirs.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/24/opinion/poor-dad-rich-kids.html", - "creator": "Esau McCaulley", - "pubDate": "Wed, 24 Nov 2021 10:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Why the U.S. Is Considering Expanding Booster Shot Eligibility to All Adults", + "description": "The U.S. may soon offer booster shots to every adult. Here’s why.", + "content": "The U.S. may soon offer booster shots to every adult. Here’s why.", + "category": "", + "link": "https://www.nytimes.com/2021/11/19/briefing/booster-eligibility-us-fda.html", + "creator": "Ian Prasad Philbrick and Claire Moses", + "pubDate": "Fri, 19 Nov 2021 13:59:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f66f82997fbfacea4886e74ee266ebe8" + "hash": "cf4a472b61430d7b1977be3c04a47e89" }, { - "title": "In Their 80s, and Living It Up (or Not)", - "description": "Two octogenarians have different reactions to an essay, “Living My Life Again.” Also: “Illiberal democracy”; housing in the Bronx; rich vs. poor", - "content": "Two octogenarians have different reactions to an essay, “Living My Life Again.” Also: “Illiberal democracy”; housing in the Bronx; rich vs. poor", - "category": "Elderly", - "link": "https://www.nytimes.com/2021/11/26/opinion/letters/elderly-covid.html", - "creator": "", - "pubDate": "Fri, 26 Nov 2021 16:16:26 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Save Your Knees Without Giving Up Your Workout", + "description": "There’s no magic bullet to knee health, but staying active and building muscles around the joint are crucial.", + "content": "There’s no magic bullet to knee health, but staying active and building muscles around the joint are crucial.", + "category": "Knees", + "link": "https://www.nytimes.com/2021/11/19/well/workout-exercise-knee-health.html", + "creator": "Alex Hutchinson", + "pubDate": "Fri, 19 Nov 2021 13:04:42 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2897808adc1a4f426c0fe7813873216" + "hash": "4ad463f7dd32cc1ec4680935a064378c" }, { - "title": "Stephen Sondheim, Titan of the American Musical, Is Dead at 91", - "description": "He was the theater’s most revered and influential composer-lyricist of the last half of the 20th century and the driving force behind some of Broadway’s most beloved and celebrated shows.", - "content": "He was the theater’s most revered and influential composer-lyricist of the last half of the 20th century and the driving force behind some of Broadway’s most beloved and celebrated shows.", - "category": "Sondheim, Stephen", - "link": "https://www.nytimes.com/2021/11/26/theater/stephen-sondheim-dead.html", - "creator": "Bruce Weber", - "pubDate": "Sat, 27 Nov 2021 02:31:57 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Belarus-Poland Border Chaos Is Partly of Europe’s Own Making", + "description": "The chaos at the Belarus-Poland border is partly of the European Union’s making.", + "content": "The chaos at the Belarus-Poland border is partly of the European Union’s making.", + "category": "Belarus", + "link": "https://www.nytimes.com/2021/11/19/opinion/poland-belarus-border-europe.html", + "creator": "Charlotte McDonald-Gibson", + "pubDate": "Fri, 19 Nov 2021 12:20:46 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a430525d47b3247a7a54fb09cbc87e30" + "hash": "6d4939ea3353296ff81fd6d7b9289fb4" }, { - "title": "Seeking Backers for New Fund, Jared Kushner Turns to Middle East", - "description": "Former President Donald J. Trump’s son-in-law is trying to raise capital for his investment firm and is turning to a region that he dealt with extensively while in the White House.", - "content": "Former President Donald J. Trump’s son-in-law is trying to raise capital for his investment firm and is turning to a region that he dealt with extensively while in the White House.", - "category": "Kushner, Jared", - "link": "https://www.nytimes.com/2021/11/26/us/politics/kushner-investment-middle-east.html", - "creator": "Kate Kelly, David D. Kirkpatrick and Alan Rappeport", - "pubDate": "Sat, 27 Nov 2021 01:58:02 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How Belarus Manufactured a Border Crisis", + "description": "A political gamble by the nation’s desperate leader has become a diplomatic and humanitarian crisis.", + "content": "A political gamble by the nation’s desperate leader has become a diplomatic and humanitarian crisis.", + "category": "Belarus-Poland Border Crisis (2021- )", + "link": "https://www.nytimes.com/2021/11/19/podcasts/the-daily/belarus-poland-migrant-crisis-european-union.html", + "creator": "Michael Barbaro, Sydney Harper, Mooj Zadie, Clare Toeniskoetter, Rachelle Bonja, Lynsea Garrison, Mike Benoist, Patricia Willens, M.J. Davis Lin, Dan Powell and Chris Wood", + "pubDate": "Fri, 19 Nov 2021 11:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5527a74aafd9c5a0653a965a41e17ebb" + "hash": "c21892b3ca0a6a7c3e5c4432332c84a8" }, { - "title": "How Did the New Variant Get Its Name?", - "description": "The World Health Organization began naming the variants after Greek letters to avoid public confusion and stigma.", - "content": "The World Health Organization began naming the variants after Greek letters to avoid public confusion and stigma.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/27/world/africa/omicron-covid-greek-alphabet.html", - "creator": "Vimal Patel", - "pubDate": "Sat, 27 Nov 2021 16:33:59 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How the Beatles Broke Up and the Deaf Football Team Taking California by Storm: The Week in Narrated Articles", + "description": "Five articles from around The Times, narrated just for you.", + "content": "Five articles from around The Times, narrated just for you.", + "category": "", + "link": "https://www.nytimes.com/2021/11/19/podcasts/the-beatles-eric-adams-california-school-for-the-deaf-narrated-articles.html", + "creator": "", + "pubDate": "Fri, 19 Nov 2021 10:30:02 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14f0ed0ecb52f2a124700f97d6508302" + "hash": "dcca98684beb055a674ef24887f90d2b" }, { - "title": "Why the Bradford Pear Tree Is Plaguing the South", - "description": "The Bradford pear, hugely popular when suburbs were developed, contributed to an invasion of trees conquering nearly anywhere it lands. South Carolina is stepping up its fight against it.", - "content": "The Bradford pear, hugely popular when suburbs were developed, contributed to an invasion of trees conquering nearly anywhere it lands. South Carolina is stepping up its fight against it.", - "category": "Trees and Shrubs", - "link": "https://www.nytimes.com/2021/11/26/us/bradford-pear-tree-south-carolina.html", - "creator": "Rick Rojas", - "pubDate": "Fri, 26 Nov 2021 23:14:15 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "People Like Her Didn’t Exist in French Novels. Until She Wrote One.", + "description": "Fatima Daas’s debut book explores the writer’s conflicted identities as a lesbian, Muslim woman with an immigrant background. In France, it was an unlikely literary hit.", + "content": "Fatima Daas’s debut book explores the writer’s conflicted identities as a lesbian, Muslim woman with an immigrant background. In France, it was an unlikely literary hit.", + "category": "Daas, Fatima", + "link": "https://www.nytimes.com/2021/11/19/books/fatima-daas-the-last-one.html", + "creator": "Julia Webster Ayuso", + "pubDate": "Fri, 19 Nov 2021 10:21:37 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbffb39211c9bc4d045e0427ecf199b8" + "hash": "5b2fcc03924c1210137fa2d660e99f53" }, { - "title": "Ann Patchett on ‘These Precious Days’", - "description": "Patchett talks about her new essay collection, and Corey Brettschneider discusses a series of books about liberty.", - "content": "Patchett talks about her new essay collection, and Corey Brettschneider discusses a series of books about liberty.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/26/books/review/podcast-ann-patchett-these-precious-days-corey-brettschneider-liberty-series.html", - "creator": "", - "pubDate": "Fri, 26 Nov 2021 10:00:09 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "After Time in U.S. Prisons, Maria Butina Now Sits in Russia's Parliament", + "description": "Maria Butina, convicted of serving as an unregistered foreign agent before and after the 2016 election, insists she “wasn’t a spy” and that her Duma seat is “not a reward.” Her critics call her a Kremlin “trophy.”", + "content": "Maria Butina, convicted of serving as an unregistered foreign agent before and after the 2016 election, insists she “wasn’t a spy” and that her Duma seat is “not a reward.” Her critics call her a Kremlin “trophy.”", + "category": "Content Type: Personal Profile", + "link": "https://www.nytimes.com/2021/11/19/world/europe/maria-butina-russia-duma.html", + "creator": "Valerie Hopkins", + "pubDate": "Fri, 19 Nov 2021 10:00:29 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6f046ef93db7b6138611af3d92faa23b" + "hash": "d3b29c5658ad9daba55bbc0a0f534ff8" }, { - "title": "Alice Waters Helps a Museum Cater to the Tastes of Art Lovers", - "description": "A new restaurant at the Hammer Museum in Los Angeles is the latest effort to try to reach visitors’ hearts through their stomachs.", - "content": "A new restaurant at the Hammer Museum in Los Angeles is the latest effort to try to reach visitors’ hearts through their stomachs.", - "category": "Museums", - "link": "https://www.nytimes.com/2021/11/27/arts/alice-waters-hammer-museum.html", - "creator": "Adam Nagourney", - "pubDate": "Sat, 27 Nov 2021 20:25:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Decision That Cost Hitler the War", + "description": "“Hitler’s American Gamble,” by Brendan Simms and Charlie Laderman, examines Hitler’s ill-fated choice to declare war on the United States.", + "content": "“Hitler’s American Gamble,” by Brendan Simms and Charlie Laderman, examines Hitler’s ill-fated choice to declare war on the United States.", + "category": "Books and Literature", + "link": "https://www.nytimes.com/2021/11/19/books/review/hitlers-american-gamble-brendan-simms-charlie-laderman.html", + "creator": "Benjamin Carter Hett", + "pubDate": "Fri, 19 Nov 2021 10:00:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b38f4ace44ce21f0bde79c0cb9a9326e" + "hash": "d54981316a8cb5a94e59fb39d67c32c1" }, { - "title": "U.K. Trucking Shortage Endures Despite Plea for Foreign Drivers", - "description": "A special visa offer, aimed at forestalling a supply chain fiasco during the holidays, goes begging for takers.", - "content": "A special visa offer, aimed at forestalling a supply chain fiasco during the holidays, goes begging for takers.", - "category": "Great Britain", - "link": "https://www.nytimes.com/2021/11/28/business/uk-trucking-shortage-poland.html", - "creator": "David Segal", - "pubDate": "Sun, 28 Nov 2021 08:00:12 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Why Are More Black Children Dying by Suicide?", + "description": "Mental health experts assumed that people of all races had the same risk factors for self-harm. Emerging evidence suggests that is not the case.", + "content": "Mental health experts assumed that people of all races had the same risk factors for self-harm. Emerging evidence suggests that is not the case.", + "category": "Suicides and Suicide Attempts", + "link": "https://www.nytimes.com/2021/11/18/well/mind/suicide-black-kids.html", + "creator": "Christina Caron and Julien James", + "pubDate": "Fri, 19 Nov 2021 03:48:00 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "1ecab728177076939590a608fa15e131" + "hash": "7bbeb6284d36e337ca1d61e8542bfb83" }, { - "title": "Can a New President in Honduras Improve Dire Conditions?", - "description": "Hardship has pushed hundreds of thousands of Hondurans toward the U.S., which is watching the results of today’s election closely. Follow updates here.", - "content": "Hardship has pushed hundreds of thousands of Hondurans toward the U.S., which is watching the results of today’s election closely. Follow updates here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/28/world/honduras-election-results", - "creator": "The New York Times", - "pubDate": "Sun, 28 Nov 2021 20:23:03 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "First Known Covid Case Was Vendor at Wuhan Market, Scientist Says", + "description": "A new review of early Covid-19 cases in the journal Science will revive, though certainly not settle, the debate over how the pandemic began.", + "content": "A new review of early Covid-19 cases in the journal Science will revive, though certainly not settle, the debate over how the pandemic began.", + "category": "Coronavirus (2019-nCoV)", + "link": "https://www.nytimes.com/2021/11/18/health/covid-wuhan-market-lab-leak.html", + "creator": "Carl Zimmer, Benjamin Mueller and Chris Buckley", + "pubDate": "Fri, 19 Nov 2021 03:45:26 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ae0fb6e14dc3fc79e4903d88a78b997" + "hash": "f4e7cc93a5fca735e6f3f323b4259a95" }, { - "title": "Israel and Iran Broaden Cyberwar to Attack Civilian Targets", - "description": "Iranians couldn’t buy gas. Israelis found their intimate dating details posted online. The Iran-Israel shadow war is now hitting ordinary citizens.", - "content": "Iranians couldn’t buy gas. Israelis found their intimate dating details posted online. The Iran-Israel shadow war is now hitting ordinary citizens.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/27/world/middleeast/iran-israel-cyber-hack.html", - "creator": "Farnaz Fassihi and Ronen Bergman", - "pubDate": "Sun, 28 Nov 2021 05:24:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Oklahoma Governor Commutes Julius Jones's Death Sentence", + "description": "A coalition of celebrities, conservatives and Christian leaders had urged Gov. Kevin Stitt to commute the death penalty sentence of Julius Jones, who was convicted of murder in 2002.", + "content": "A coalition of celebrities, conservatives and Christian leaders had urged Gov. Kevin Stitt to commute the death penalty sentence of Julius Jones, who was convicted of murder in 2002.", + "category": "Oklahoma", + "link": "https://www.nytimes.com/2021/11/17/us/julius-jones-oklahoma-clemency.html", + "creator": "Michael Levenson, Maria Cramer and Simon Romero", + "pubDate": "Fri, 19 Nov 2021 00:28:40 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "acd48a1c979be95c3efe562a5247a50b" + "hash": "f00045231034345db1ec175805b99223" }, { - "title": "Democrats Struggle to Energize Their Base as Frustrations Mount", - "description": "Even as President Biden achieves some significant victories, Democrats are warning that many of their most loyal supporters see inaction and broken campaign promises.", - "content": "Even as President Biden achieves some significant victories, Democrats are warning that many of their most loyal supporters see inaction and broken campaign promises.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/11/27/us/politics/biden-base-weakening-support.html", - "creator": "Lisa Lerer, Astead W. Herndon, Nick Corasaniti and Jennifer Medina", - "pubDate": "Sat, 27 Nov 2021 18:00:08 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Biden Says His Infrastructure Law Is a ‘Big Deal.’ How Big?", + "description": "$550 billion for new spending is big, but many say America’s infrastructure needs are even bigger.", + "content": "$550 billion for new spending is big, but many say America’s infrastructure needs are even bigger.", + "category": "debatable", + "link": "https://www.nytimes.com/2021/11/18/opinion/biden-infrastructure-bill.html", + "creator": "Spencer Bokat-Lindell", + "pubDate": "Thu, 18 Nov 2021 23:00:06 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59097122fe5ff55ec75cf9187478aa02" + "hash": "c599d741264799157ab1ba49f94736b3" }, { - "title": "Wakefield Poole, Pioneer in Gay Pornography, Dies at 85", - "description": "He gave up a dance career to create a crossover, and now classic, hit film in 1971 that had both gay and straight audiences, and celebrities, lining up to see it.", - "content": "He gave up a dance career to create a crossover, and now classic, hit film in 1971 that had both gay and straight audiences, and celebrities, lining up to see it.", - "category": "Homosexuality and Bisexuality", - "link": "https://www.nytimes.com/2021/11/27/movies/wakefield-poole-dead.html", - "creator": "Alex Vadukul", - "pubDate": "Sun, 28 Nov 2021 08:03:14 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "He Helped Build Tesla. Now He Hopes to Do the Same at Lucid.", + "description": "Peter Rawlinson engineered the Tesla Model S. His new Lucid Air sedan is a direct challenge to Tesla’s dominance.", + "content": "Peter Rawlinson engineered the Tesla Model S. His new Lucid Air sedan is a direct challenge to Tesla’s dominance.", + "category": "Electric and Hybrid Vehicles", + "link": "https://www.nytimes.com/2021/11/18/business/lucid-motors-tesla.html", + "creator": "Niraj Chokshi and Jack Ewing", + "pubDate": "Thu, 18 Nov 2021 21:41:17 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ce4eb555fbbce85fd751c22b0ce0fa0" + "hash": "217da88da4c9c145d3f61e8e6a7e4518" }, { - "title": "Michigan Upsets Ohio State and Aims for a Playoff Berth", - "description": "Before a crowd thick with maize and blue, the Wolverines beat Ohio State for the first time since 2011 and earned a chance to play for a Big Ten title.", - "content": "Before a crowd thick with maize and blue, the Wolverines beat Ohio State for the first time since 2011 and earned a chance to play for a Big Ten title.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/11/27/sports/ncaafootball/michigan-ohio-state-score.html", - "creator": "Alan Blinder", - "pubDate": "Sat, 27 Nov 2021 22:07:18 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Suburbs Are Poorer and More Diverse Than We Realize", + "description": "Understanding diversity in the suburbs is a key to winning elections.", + "content": "Understanding diversity in the suburbs is a key to winning elections.", + "category": "Suburbs", + "link": "https://www.nytimes.com/2021/11/18/opinion/suburbs-poor-diverse.html", + "creator": "Jay Caspian Kang", + "pubDate": "Thu, 18 Nov 2021 20:00:07 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c38c5dbefad29e5f43145cea82c52bad" + "hash": "88c071a0b2663844a5bf4bacb99a86e1" }, { - "title": "More Than $1 Million Raised to Help Kevin Strickland ", - "description": "More than 20,000 strangers have donated to an online fund-raiser to help Kevin Strickland’s re-entry to society.", - "content": "More than 20,000 strangers have donated to an online fund-raiser to help Kevin Strickland’s re-entry to society.", - "category": "Strickland, Kevin (1959- )", - "link": "https://www.nytimes.com/2021/11/27/us/kevin-strickland-exonerated-fundraiser.html", - "creator": "Christine Chung and Claire Fahy", - "pubDate": "Sat, 27 Nov 2021 13:53:45 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Justus Rosenberg, Beloved Professor With a Heroic Past, Dies at 100", + "description": "As a teenager, he helped provide safe passage to artists and intellectuals out of Vichy France. He went on to teach literature at Bard College for six decades.", + "content": "As a teenager, he helped provide safe passage to artists and intellectuals out of Vichy France. He went on to teach literature at Bard College for six decades.", + "category": "Rosenberg, Justus (1921- )", + "link": "https://www.nytimes.com/2021/11/17/nyregion/justus-rosenberg-dead.html", + "creator": "Alex Vadukul", + "pubDate": "Thu, 18 Nov 2021 19:41:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e40bc0143d33e6bbd1f4d3f25a4e76d6" + "hash": "9b6e783ebd86d7190c43f17e9255a187" }, { - "title": "Laszlo Z. Bito, Scientist, Novelist and Philanthropist, Dies at 87", - "description": "He fled communist rule in Hungary, discovered a treatment for glaucoma in the U.S., then became an author and a voice against authoritarianism in his homeland.", - "content": "He fled communist rule in Hungary, discovered a treatment for glaucoma in the U.S., then became an author and a voice against authoritarianism in his homeland.", - "category": "Bito, Laszlo Z", - "link": "https://www.nytimes.com/2021/11/27/world/europe/laszlo-z-bito-dead.html", - "creator": "Sheryl Gay Stolberg", - "pubDate": "Sun, 28 Nov 2021 21:17:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Mental Health Days Are Important. Here’s How to Make Yours Worthwhile.", + "description": "Well readers share advice on how to get away from it all.", + "content": "Well readers share advice on how to get away from it all.", + "category": "Mental Health and Disorders", + "link": "https://www.nytimes.com/2021/11/18/well/mind/mental-health-day-ideas.html", + "creator": "Christina Caron", + "pubDate": "Thu, 18 Nov 2021 19:30:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d4e7dd60cbf6f28e1d2e87ffa8d1a19" + "hash": "0c36139a7574db043fb48670d7b06b1e" }, { - "title": "What Is SSENSE?", - "description": "In a competitive landscape of e-commerce sites, one has become the first word for a younger generation of online shoppers.", - "content": "In a competitive landscape of e-commerce sites, one has become the first word for a younger generation of online shoppers.", - "category": "SSENSE (Retailer)", - "link": "https://www.nytimes.com/2021/11/23/style/the-sensibility-of-ssense.html", - "creator": "Nathan Taylor Pemberton", - "pubDate": "Wed, 24 Nov 2021 20:22:35 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "George Gascón Is Remaking Criminal Justice in L.A. How Far Is Too Far?", + "description": "To keep people out of prison, George Gascón is risking everything: rising violent crime, a staff rebellion and the votes that made him district attorney.", + "content": "To keep people out of prison, George Gascón is risking everything: rising violent crime, a staff rebellion and the votes that made him district attorney.", + "category": "Gascon, George", + "link": "https://www.nytimes.com/2021/11/17/magazine/george-gascon-los-angeles.html", + "creator": "Emily Bazelon and Jennifer Medina", + "pubDate": "Wed, 17 Nov 2021 20:18:43 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8bd14e075c039fdc7bf4217ae7d8e77f" + "hash": "9c2a2606e38ea2535e63cbff8336777b" }, { - "title": "How a Book- Pickle- and Tchotchke-Seller Spends Sundays", - "description": "When she’s not at her whimsical secondhand shop, Leigh Altshuler plays board games and visits neighbors.", - "content": "When she’s not at her whimsical secondhand shop, Leigh Altshuler plays board games and visits neighbors.", - "category": "Pickles and Relishes", - "link": "https://www.nytimes.com/2021/11/26/nyregion/secondhand-stores-nyc.html", - "creator": "Paige Darrah", - "pubDate": "Fri, 26 Nov 2021 10:00:25 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Are We Witnessing the Mainstreaming of White Power in America?", + "description": "A historian of the white power movement discusses Jan. 6, Tucker Carlson and the threat of politically motivated violence.", + "content": "A historian of the white power movement discusses Jan. 6, Tucker Carlson and the threat of politically motivated violence.", + "category": "Right-Wing Extremism and Alt-Right", + "link": "https://www.nytimes.com/2021/11/16/opinion/ezra-klein-podcast-kathleen-belew.html", + "creator": "‘The Ezra Klein Show’", + "pubDate": "Tue, 16 Nov 2021 20:08:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c365e4e6fccf72ebdf846f0620edcdcc" + "hash": "a4d257ae8c67756e32daaabdce44369e" }, { - "title": "Cultivating Art, Not Argument, at a Los Angeles Law Office", - "description": "Their office-tower studios could not be less bohemian, but the artists in residence at a law firm’s offices in California say the spaces spur creativity nonetheless.", - "content": "Their office-tower studios could not be less bohemian, but the artists in residence at a law firm’s offices in California say the spaces spur creativity nonetheless.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/24/arts/design/artists-in-residence-los-angeles.html", - "creator": "Lauren Herstik and Graham Bowley", - "pubDate": "Thu, 25 Nov 2021 15:07:21 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Donors Withhold Gifts to Protest Changes at Hamptons Sculpture Garden", + "description": "Some patrons of the LongHouse Reserve are upset that its veteran director was let go, but the board says it needed new leadership to expand the garden into a museum with a broader mission.", + "content": "Some patrons of the LongHouse Reserve are upset that its veteran director was let go, but the board says it needed new leadership to expand the garden into a museum with a broader mission.", + "category": "Sculpture", + "link": "https://www.nytimes.com/2021/11/14/arts/longhouse-reserve-east-hampton.html", + "creator": "Stacey Stowe", + "pubDate": "Sun, 14 Nov 2021 20:08:52 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b087cb755dc04bc06ba1713d87e25107" + "hash": "844ce083d65cd50e2099f0fdf8011773" }, { - "title": "As We Live Longer, How Should Life Change? There Is a Blueprint.", - "description": "“The New Map of Life” reimagines education, careers, cities and life transitions for lives that span a century (or more).", - "content": "“The New Map of Life” reimagines education, careers, cities and life transitions for lives that span a century (or more).", - "category": "Longevity", - "link": "https://www.nytimes.com/2021/11/23/business/dealbook/living-longer-lives.html", - "creator": "Corinne Purtill", - "pubDate": "Wed, 24 Nov 2021 20:43:13 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Make Fluffy, Flavorful Mashed Potatoes", + "description": "You’ve tried boiling, but Genevieve Ko found a better way to make this side dish fluffier — and more flavorful.", + "content": "You’ve tried boiling, but Genevieve Ko found a better way to make this side dish fluffier — and more flavorful.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/12/dining/best-mashed-potatoes-recipe.html", + "creator": "Genevieve Ko", + "pubDate": "Sat, 13 Nov 2021 17:44:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4df1127deaedc1f3a6ec4516b4fc8c1" + "hash": "cc7ec4a0d19c5029066ae52178601af8" }, { - "title": "‘I Savor Everything’: A Soprano’s Star Turn at the Met Opera", - "description": "Erin Morley, a fixture at the Met for over a decade, is now singing the title role in “Eurydice.”", - "content": "Erin Morley, a fixture at the Met for over a decade, is now singing the title role in “Eurydice.”", - "category": "Opera", - "link": "https://www.nytimes.com/2021/11/26/arts/music/erin-morley-eurydice-met-opera.html", - "creator": "Joshua Barone", - "pubDate": "Fri, 26 Nov 2021 15:55:01 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Announcing the 10 Best Books of 2021: A New York Times Event", + "description": "On Nov. 30, Times subscribers will be the first to find out what made this year’s 10 Best Books list from editors of The Book Review and a guest, Lena Waithe.", + "content": "On Nov. 30, Times subscribers will be the first to find out what made this year’s 10 Best Books list from editors of The Book Review and a guest, Lena Waithe.", + "category": "internal-open-access", + "link": "https://www.nytimes.com/2021/10/28/books/best-books-live-event.html", + "creator": "The New York Times", + "pubDate": "Thu, 11 Nov 2021 14:33:48 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a544cbfad5ed62c195cbcbf2fdd3dcae" + "hash": "57b1e0c713c7fd4b9f8c97dd5d545d9d" }, { - "title": "Virgil Abloh, Bold Designer of Men’s Wear, Dies at 41", - "description": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", - "content": "His expansive approach to design inspired comparisons to artists including Andy Warhol and Jeff Koons. For him, clothes were totems of identity.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/11/28/style/virgil-abloh-dead.html", - "creator": "Vanessa Friedman", - "pubDate": "Sun, 28 Nov 2021 20:00:36 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Thanksgiving Recipes From ‘The Essential New York Times Cookbook’ That Feel Timeless", + "description": "Here are five dishes, all featured in the new edition of “The Essential New York Times Cookbook,” that will shine on your table.", + "content": "Here are five dishes, all featured in the new edition of “The Essential New York Times Cookbook,” that will shine on your table.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2021/11/08/dining/thanksgiving-recipes-essential-new-york-times-cookbook.html", + "creator": "Krysten Chambrot", + "pubDate": "Mon, 08 Nov 2021 20:28:44 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f2dc4b9fb9c430965c3a1718fff682d" + "hash": "f1a3aa018d55721c1fbe95875428b293" }, { - "title": "New Coronavirus Variant Puts Nations on Alert", - "description": "Britain, Germany and Italy confirmed cases while chaos at a Dutch airport exemplified the scattershot response across Europe. Follow updates on Covid.", - "content": "Britain, Germany and Italy confirmed cases while chaos at a Dutch airport exemplified the scattershot response across Europe. Follow updates on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news", - "creator": "The New York Times", - "pubDate": "Sun, 28 Nov 2021 05:15:40 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Your Easy, No-Sweat Guide to Picking Wines for Thanksgiving", + "description": "The grapes don’t really matter. Neither does where it was made. So long as it refreshes and rejuvenates, it’s the perfect bottle.", + "content": "The grapes don’t really matter. Neither does where it was made. So long as it refreshes and rejuvenates, it’s the perfect bottle.", + "category": "Wines", + "link": "https://www.nytimes.com/2021/11/04/dining/drinks/review-thanksgiving-wines.html", + "creator": "Eric Asimov", + "pubDate": "Mon, 08 Nov 2021 16:24:39 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eee1fcff05d73a0081d0b17794347716" + "hash": "7161cd8d24110ef6dffe6992ea7772ac" }, { - "title": "New York’s governor declares a state of emergency in anticipation of new coronavirus surge.", - "description": "", - "content": "", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news/new-york-governor-declares-a-state-of-emergency-in-anticipation-of-new-coronavirus-surge", - "creator": "Jesse McKinley", - "pubDate": "Sun, 28 Nov 2021 03:54:19 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Ease and Avoid Seasonal Affective Disorder", + "description": "As the days get shorter and the nights start earlier, take these steps to help prevent seasonal affective disorder.", + "content": "As the days get shorter and the nights start earlier, take these steps to help prevent seasonal affective disorder.", + "category": "Content Type: Service", + "link": "https://www.nytimes.com/2021/09/30/well/mind/seasonal-affective-disorder-help.html", + "creator": "Christina Caron", + "pubDate": "Thu, 30 Sep 2021 19:40:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d8db9a55ea44d3e79d18f654c65d6d53" + "hash": "e333c2d5d6c5c0822152c26c30094873" }, { - "title": "Students at Meharry Medical College Each Get $10,000 for Covid Fight", - "description": "Meharry Medical College in Nashville gave $10,000 to each student from a pool of coronavirus relief funds.", - "content": "Meharry Medical College in Nashville gave $10,000 to each student from a pool of coronavirus relief funds.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/live/2021/11/25/world/covid-vaccine-boosters-mandates/meharry-med-students-covid-gift", - "creator": "Adeel Hassan", - "pubDate": "Sat, 27 Nov 2021 21:14:51 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Parenting in Front of a Live Audience of In-Laws", + "description": "Micromanaging my husband, I realized how much I still craved my parents’ approval.", + "content": "Micromanaging my husband, I realized how much I still craved my parents’ approval.", + "category": "Parenting", + "link": "https://www.nytimes.com/2020/08/27/parenting/intergenerational-living-marriage-coronavirus.html", + "creator": "Christen Madrazo", + "pubDate": "Sat, 17 Jul 2021 13:11:58 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3d44ce418f8afb0a8748049086be6e9" + "hash": "0019b5a989aef77126729f5c5ea59ad9" }, { - "title": "Families Cheer, Some Doctors Worry as Nursing Homes Open Doors Wide to Visitors", - "description": "The federal government recently lifted most visitation restrictions at nursing homes. But concerns linger that a full reopening could leave residents vulnerable to another coronavirus surge.", - "content": "The federal government recently lifted most visitation restrictions at nursing homes. But concerns linger that a full reopening could leave residents vulnerable to another coronavirus surge.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/27/health/coronavirus-nursing-homes.html", - "creator": "Paula Span", - "pubDate": "Sat, 27 Nov 2021 14:00:56 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "My 3-Year-Old Can Tell I’m Depressed", + "description": "Experts say that, instead of avoiding the topic, parents like me should shoot for ‘age-appropriate honesty.’", + "content": "Experts say that, instead of avoiding the topic, parents like me should shoot for ‘age-appropriate honesty.’", + "category": "Mental Health and Disorders", + "link": "https://www.nytimes.com/2021/04/09/well/mind/depression-parents-advice.html", + "creator": "Stephanie H. Murray", + "pubDate": "Tue, 13 Apr 2021 19:52:26 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9a45c6da19bc24c6fb0873659a63c327" + "hash": "baed94b4f655e72fa4a77e244d39fdc2" }, { - "title": "Fake Food Is Trendy Again", - "description": "In the world of home décor, maximalism is back — and with it, tchotchkes that were once regarded as kitschy or quaint.", - "content": "In the world of home décor, maximalism is back — and with it, tchotchkes that were once regarded as kitschy or quaint.", + "title": "Thanksgiving Lessons in Gratitude From My Grandmother", + "description": "Our pandemic sacrifices pale in comparison to her immigrant journey.", + "content": "Our pandemic sacrifices pale in comparison to her immigrant journey.", "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2021/11/27/style/fake-food-is-trendy-again.html", - "creator": "Emma Grillo", - "pubDate": "Sat, 27 Nov 2021 21:06:42 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.nytimes.com/2020/11/25/parenting/thanksgiving-gratitude-family.html", + "creator": "Jessica Grose", + "pubDate": "Wed, 25 Nov 2020 14:10:48 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6499593171fb522bf6a690fdea0c0e2" + "hash": "ebce9729cc10cc8f2f2e4f68cfa82244" }, { - "title": "Making Fresh Cheese at Home Is Worth It. This Recipe Proves It.", - "description": "Homemade paneer is tender and delicate and extremely creamy — and the star of this simple tikka.", - "content": "Homemade paneer is tender and delicate and extremely creamy — and the star of this simple tikka.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/24/magazine/paneer-fresh-cheese-recipe.html", - "creator": "Tejal Rao", - "pubDate": "Sat, 27 Nov 2021 07:25:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Which Classic Thanksgiving Character are You?", + "description": "Knowing exactly who is gathered around the dinner table could make for a lower-stress holiday.", + "content": "Knowing exactly who is gathered around the dinner table could make for a lower-stress holiday.", + "category": "Quarantine (Life and Culture)", + "link": "https://www.nytimes.com/2020/11/20/well/family/thanksgiving-conversation.html", + "creator": "Holly Burns", + "pubDate": "Mon, 23 Nov 2020 01:04:19 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f7c4c5b1faa158ec643166536e86841b" + "hash": "905bb9887bfa58553df0eef13e4d16cd" }, { - "title": "Why Is Murder Spiking? And Can Cities Address It Without Police?", - "description": "What a progressive vision of public safety could look like.", - "content": "What a progressive vision of public safety could look like.", - "category": "Polls and Public Opinion", - "link": "https://www.nytimes.com/2021/11/23/opinion/ezra-klein-podcast-patrick-sharkey.html", - "creator": "‘The Ezra Klein Show’", - "pubDate": "Tue, 23 Nov 2021 12:39:30 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Navigating Thanksgiving With Your Picky Eater", + "description": "Why it’s really O.K. if your child eats only rolls (again) this year.", + "content": "Why it’s really O.K. if your child eats only rolls (again) this year.", + "category": "Food", + "link": "https://www.nytimes.com/2020/04/17/parenting/thanksgiving-picky-kid.html", + "creator": "Virginia Sole-Smith", + "pubDate": "Thu, 12 Nov 2020 16:13:33 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "20ba20bdfa8d72f081445e65c24bb057" + "hash": "74b69a9ec2129ec6e6c0b0bb46746ecc" }, { - "title": "Self Sufficiency Is Overrated", - "description": "When I opened myself up to the generosity of others, even small kindnesses suddenly felt outsized in their humanity.", - "content": "When I opened myself up to the generosity of others, even small kindnesses suddenly felt outsized in their humanity.", - "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2021/11/25/opinion/self-sufficiency-generosity.html", - "creator": "Sarah Wildman", - "pubDate": "Thu, 25 Nov 2021 20:29:20 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Start a New Tradition With Your Thanksgiving Potatoes", + "description": "For faster, more flavorful Thanksgiving potatoes, do as J. Kenji López-Alt does, and stir-fry them.", + "content": "For faster, more flavorful Thanksgiving potatoes, do as J. Kenji López-Alt does, and stir-fry them.", + "category": "Potatoes", + "link": "https://www.nytimes.com/2020/11/09/dining/stir-fry-thanksgiving-potatoes.html", + "creator": "J. Kenji López-Alt", + "pubDate": "Thu, 12 Nov 2020 14:40:50 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "249044a8657fe94de933a34dea3fe5ce" + "hash": "e845d1883e61796fc749df37c59ac980" }, { - "title": "Bankers Took Over the Climate Change Summit. That’s Bad For Democracy.", - "description": "Environmentalists are skeptical. They should be.", - "content": "Environmentalists are skeptical. They should be.", - "category": "Banking and Financial Institutions", - "link": "https://www.nytimes.com/2021/11/25/opinion/cop26-gfanz-climate-change.html", - "creator": "Christopher Caldwell", - "pubDate": "Thu, 25 Nov 2021 10:00:11 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The Crunchiest, Creamiest, Tangiest Brussels Sprouts", + "description": "The unfairly maligned vegetable gets an update with creamy labneh and irresistible pickled shallots.", + "content": "The unfairly maligned vegetable gets an update with creamy labneh and irresistible pickled shallots.", + "category": "Brussels Sprouts", + "link": "https://www.nytimes.com/2020/11/09/dining/brussels-sprouts-recipe.html", + "creator": "Nik Sharma", + "pubDate": "Thu, 12 Nov 2020 14:38:04 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf84e3afea1ebe0cb8e1f6c764b1b171" + "hash": "93070ab11437df7aaa4d6d5a6fd9475e" }, { - "title": "Ahmaud Arbery Was Murdered. But His Life Will Not Be Forgotten.", - "description": "We do not just remember the death. We remember the life, the beauty, the art, the feeling, the waiting, the living. ", - "content": "We do not just remember the death. We remember the life, the beauty, the art, the feeling, the waiting, the living. ", - "category": "Race and Ethnicity", - "link": "https://www.nytimes.com/2021/11/24/opinion/ahmaud-arbery-verdict-justice.html", - "creator": "Danté Stewart", - "pubDate": "Wed, 24 Nov 2021 21:34:21 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Keep Your Kids From Going Feral During the Holidays", + "description": "Loosely maintain the three pillars of wellness — sleep, food and exercise — to help keep children on track.", + "content": "Loosely maintain the three pillars of wellness — sleep, food and exercise — to help keep children on track.", + "category": "Holidays and Special Occasions", + "link": "https://www.nytimes.com/2020/04/17/parenting/kids-active-holidays.html", + "creator": "Jancee Dunn", + "pubDate": "Fri, 17 Apr 2020 15:43:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ede66a6a79938989ca0993851701baf" + "hash": "fa4b486ad368dc598304ac78633567cd" }, { - "title": "Climate Change Threatens Smithsonian Museums", - "description": "Beneath the National Museum of American History, floodwaters are intruding into collection rooms, a consequence of a warming planet. A fix remains years away.", - "content": "Beneath the National Museum of American History, floodwaters are intruding into collection rooms, a consequence of a warming planet. A fix remains years away.", - "category": "Global Warming", - "link": "https://www.nytimes.com/2021/11/25/climate/smithsonian-museum-flooding.html", - "creator": "Christopher Flavelle", - "pubDate": "Thu, 25 Nov 2021 22:38:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Don’t Let Food Poisoning Ruin Your Holiday", + "description": "Recent outbreaks from flour and more are good reasons to keep food safety practices at the top of mind this season.", + "content": "Recent outbreaks from flour and more are good reasons to keep food safety practices at the top of mind this season.", + "category": "Food", + "link": "https://www.nytimes.com/2020/04/17/parenting/holiday-food-safety.html", + "creator": "Alice Callahan", + "pubDate": "Fri, 17 Apr 2020 15:31:39 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ae903ac9bd0a6cb4575399b6d205112" + "hash": "075ba85391f64c352a3d8188dfa3c4ea" }, { - "title": "Swimming Upstream in Heels and Skinny Pants", - "description": "If I were a salmon, I would die for my child. As a human being, I wish I could have.", - "content": "If I were a salmon, I would die for my child. As a human being, I wish I could have.", - "category": "Love (Emotion)", - "link": "https://www.nytimes.com/2021/11/26/style/modern-love-salmon-miscarriage-heels-skinny-pants.html", - "creator": "Rachel Stevens", - "pubDate": "Fri, 26 Nov 2021 05:00:06 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Is It Ever O.K. for a Relative to Discipline Your Kid?", + "description": "The holidays are prime time for overstepping boundaries. Here’s how to deal.", + "content": "The holidays are prime time for overstepping boundaries. Here’s how to deal.", + "category": "Parenting", + "link": "https://www.nytimes.com/2020/04/17/parenting/relative-discipline-kid.html", + "creator": "Christina Caron", + "pubDate": "Fri, 17 Apr 2020 14:44:49 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "391d88630fe5ec35c8048444cb88f020" + "hash": "159e0e03223b7c3ecb85dc597cfcda5d" }, { - "title": "Guantánamo Bay: Beyond the Prison", - "description": "With 6,000 residents and the feel of a college campus, the U.S. Navy base has some of the trappings of small-town America, and some of a police state.", - "content": "With 6,000 residents and the feel of a college campus, the U.S. Navy base has some of the trappings of small-town America, and some of a police state.", - "category": "Guantanamo Bay Naval Base (Cuba)", - "link": "https://www.nytimes.com/2021/11/26/us/politics/guantanamo-bay.html", - "creator": "Erin Schaff and Carol Rosenberg", - "pubDate": "Fri, 26 Nov 2021 20:32:54 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Raise Siblings Who Get Along", + "description": "Playing together is part of it, but so is having chores kids can complete as a team (especially if they can sneak in some fun while they work).", + "content": "Playing together is part of it, but so is having chores kids can complete as a team (especially if they can sneak in some fun while they work).", + "category": "Families and Family Life", + "link": "https://www.nytimes.com/2020/02/20/well/family/how-to-raise-siblings-who-get-along.html", + "creator": "Kate Lewis", + "pubDate": "Thu, 20 Feb 2020 14:47:54 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "11f4b55268e41f0052795f335e85c738" + "hash": "932247ed65cbb6b1eb9f88460566829e" }, { - "title": "Texas Abortion Law Complicates Care for Risky Pregnancies", - "description": "Doctors in Texas say they cannot head off life-threatening medical crises in pregnant women if abortions cannot be offered or even discussed.", - "content": "Doctors in Texas say they cannot head off life-threatening medical crises in pregnant women if abortions cannot be offered or even discussed.", - "category": "Texas", - "link": "https://www.nytimes.com/2021/11/26/health/texas-abortion-law-risky-pregnancy.html", - "creator": "Roni Caryn Rabin", - "pubDate": "Fri, 26 Nov 2021 08:00:10 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Your Mom Is Destined to Annoy You", + "description": "How to manage your inevitable holiday regression.", + "content": "How to manage your inevitable holiday regression.", + "category": "", + "link": "https://www.nytimes.com/2019/12/11/parenting/your-mom-is-destined-to-annoy-you.html", + "creator": "Jessica Grose", + "pubDate": "Wed, 11 Dec 2019 13:39:21 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c8c64517910b9de336bdfaf1a766e5d" + "hash": "3f5838ba137a45be5a78bd448b25590c" }, { - "title": "Young New Yorkers Discover Manhattan's Classic Cocktail Bars", - "description": "Bemelmans Bar now has bouncers. And at the Rainbow Room, a post-punk after party.", - "content": "Bemelmans Bar now has bouncers. And at the Rainbow Room, a post-punk after party.", - "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2021/11/26/nyregion/bemelmans-rainbow-room-revival.html", - "creator": "Alyson Krueger", - "pubDate": "Fri, 26 Nov 2021 15:04:39 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Your Thanksgiving May Be Classic, but Your Leftovers Don’t Have to Be", + "description": "There are no rules to making turkey sandwiches: Pack them with bright flavors, and salty pickles.", + "content": "There are no rules to making turkey sandwiches: Pack them with bright flavors, and salty pickles.", + "category": "Turkeys", + "link": "https://www.nytimes.com/2019/11/22/dining/turkey-sandwich.html", + "creator": "Melissa Clark", + "pubDate": "Tue, 26 Nov 2019 01:52:20 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "26387ddf7898ae4fe8569b213a886b84" + "hash": "bcebacf4a5f8a08c148d66a137f44d77" }, { - "title": "Ira Glass Recommends These 'This American Life' Episodes", - "description": "From family mysteries and Native American history to stories that delight, here’s what the show’s host, Ira Glass, recommends to get you through the week.", - "content": "From family mysteries and Native American history to stories that delight, here’s what the show’s host, Ira Glass, recommends to get you through the week.", - "category": "Radio", - "link": "https://www.nytimes.com/2020/11/24/podcasts/this-american-life-thanksgiving.html", - "creator": "Ira Glass", - "pubDate": "Wed, 16 Dec 2020 20:19:01 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Fitting in Family Fitness at the Holidays", + "description": "Experts’ top tip on ways to get moving? Involve the relatives who might otherwise stay inactive.", + "content": "Experts’ top tip on ways to get moving? Involve the relatives who might otherwise stay inactive.", + "category": "Exercise", + "link": "https://www.nytimes.com/2019/11/23/well/move/fitting-in-family-fitness-at-the-holidays.html", + "creator": "Gretchen Reynolds", + "pubDate": "Sun, 24 Nov 2019 03:01:43 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d37ec71cff83c359788d1302a60c12cb" + "hash": "460d101af80380e54309ebf6d5aa6190" }, { - "title": "The Emotional and Financial Business of Taylor Swift’s ‘All Too Well’", - "description": "What does the rerecorded song from “Red” say about how power and the past have shaped her career?", - "content": "What does the rerecorded song from “Red” say about how power and the past have shaped her career?", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/11/17/arts/music/popcast-taylor-swift-all-too-well.html", - "creator": "", - "pubDate": "Wed, 17 Nov 2021 20:06:24 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "When a College Student Has a Troubled Roommate", + "description": "The Thanksgiving break may be the first opportunity students have to step back from the situation and evaluate their role.", + "content": "The Thanksgiving break may be the first opportunity students have to step back from the situation and evaluate their role.", + "category": "Colleges and Universities", + "link": "https://www.nytimes.com/2019/11/22/well/family/college-student-roommate-anxiety-depression-mental-health-son-daughter-parents.html", + "creator": "Lisa Damour", + "pubDate": "Fri, 22 Nov 2019 10:00:12 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9aad84fe681a796e5672f5b7f82dd6f7" + "hash": "4a8d08f5e11ace47489b9b2c938f24e3" }, { - "title": "Brazil’s President Lula Is Staging a Comeback. Can He Bring the Country Along?", - "description": "Luiz Inácio Lula da Silva, the former president, has beat back a flurry of corruption cases and climbed to the front of next year’s presidential race.", - "content": "Luiz Inácio Lula da Silva, the former president, has beat back a flurry of corruption cases and climbed to the front of next year’s presidential race.", - "category": "Corruption (Institutional)", - "link": "https://www.nytimes.com/2021/11/27/world/americas/brazil-president-lula.html", - "creator": "Ernesto Londoño", - "pubDate": "Sat, 27 Nov 2021 18:11:55 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Practicing Gratitude, for a Change", + "description": "I imagined my children celebrating with their father’s family: football on the television, apple pie on the table. That consistency offered me bittersweet consolation.", + "content": "I imagined my children celebrating with their father’s family: football on the television, apple pie on the table. That consistency offered me bittersweet consolation.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2019/11/22/well/family/Thanksgiving-divorce-gratitude-family-kids.html", + "creator": "Samantha Shanley", + "pubDate": "Fri, 22 Nov 2019 10:00:09 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "40663e033e4bf08104daa038952657d6" + "hash": "dcc993a9e25e11ff7ca5709d2f8fcaa2" }, { - "title": "Vaping Is Risky. Why Is the F.D.A. Authorizing E-Cigarettes?", - "description": "The agency has taken a controversial stand on vaping as a way to quit tobacco. This is what the research shows.", - "content": "The agency has taken a controversial stand on vaping as a way to quit tobacco. This is what the research shows.", - "category": "Smoking and Tobacco", - "link": "https://www.nytimes.com/2021/11/23/magazine/vaping-fda.html", - "creator": "Kim Tingley", - "pubDate": "Thu, 25 Nov 2021 13:03:17 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Dread the Holidays? Feasting Together Might Actually Help", + "description": "Sharing a meal with loved ones, co-workers or friends may seem like a chore, but research shows it has real benefits. Stick with us here.", + "content": "Sharing a meal with loved ones, co-workers or friends may seem like a chore, but research shows it has real benefits. Stick with us here.", + "category": "Food", + "link": "https://www.nytimes.com/2019/11/18/smarter-living/holiday-meals-family-tips.html", + "creator": "Simran Sethi", + "pubDate": "Tue, 19 Nov 2019 00:42:38 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d875d8de74ef2f05ca8b6d0f7207b759" + "hash": "b2fc0179f471637babc5ae5a5a1edee6" }, { - "title": "Mets Bolster Offense With Starling Marte, Eduardo Escobar and Mark Canha", - "description": "With Starling Marte, Eduardo Escobar and Mark Canha, the run-starved Mets addressed their biggest need while adding some defensive versatility.", - "content": "With Starling Marte, Eduardo Escobar and Mark Canha, the run-starved Mets addressed their biggest need while adding some defensive versatility.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/11/27/sports/baseball/starling-marte-mets.html", - "creator": "Tyler Kepner", - "pubDate": "Sat, 27 Nov 2021 18:57:53 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Don’t Rinse the Bird. A Myth to Dispel Before the Holidays.", + "description": "Many home cooks wash the chicken or turkey before cooking, but that only increases the risk of food-borne illness.", + "content": "Many home cooks wash the chicken or turkey before cooking, but that only increases the risk of food-borne illness.", + "category": "Cooking and Cookbooks", + "link": "https://www.nytimes.com/2018/12/20/well/eat/turkey-chicken-poultry-food-poisoning-washing-rinsing-vegetables-fruits-food-safety.html", + "creator": "Lydia Zuraw, Kaiser Health News", + "pubDate": "Thu, 20 Dec 2018 10:03:01 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2660cb1cd8278ebd668e92b406a2434" + "hash": "0a66dbb4b1c1feea139c9f54ca7316d5" }, { - "title": "Covid Restrictions Are Back at Some of Europe's Theaters", - "description": "Strict controls on playhouses and music venues are returning as the continent deals with a new coronavirus wave.", - "content": "Strict controls on playhouses and music venues are returning as the continent deals with a new coronavirus wave.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/26/arts/music/europe-covid-restrictions-theaters-music-venues.html", - "creator": "Alex Marshall", - "pubDate": "Fri, 26 Nov 2021 16:57:12 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Harness Your Anxiety ", + "description": "Research shows that we can tame anxiety to use it as a resource.", + "content": "Research shows that we can tame anxiety to use it as a resource.", + "category": "Anxiety and Stress", + "link": "https://www.nytimes.com/2018/10/16/well/mind/how-to-harness-your-anxiety.html", + "creator": "Alicia H. Clark", + "pubDate": "Tue, 16 Oct 2018 09:00:01 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83752fce3485feb983246bdb4b58334f" + "hash": "53b811c0465903cf8afefe40d8447f34" }, { - "title": "How to Get Through the Holidays After Loss", - "description": "If you’re struggling during the festive season, you’re not alone.", - "content": "If you’re struggling during the festive season, you’re not alone.", - "category": "Christmas", - "link": "https://www.nytimes.com/2021/11/23/well/family/grief-during-holidays.html", - "creator": "Hanna Ingber", - "pubDate": "Wed, 24 Nov 2021 16:08:33 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Out of Sorts Around the Holidays? It Could Be Family Jet Lag", + "description": "Many people describe their family jet lag and holiday stress as an overwhelming, pit-of-the-stomach sense of dread and avoidance.", + "content": "Many people describe their family jet lag and holiday stress as an overwhelming, pit-of-the-stomach sense of dread and avoidance.", + "category": "Yuko, Elizabeth", + "link": "https://www.nytimes.com/2016/12/22/well/family/out-of-sorts-around-the-holidays-it-could-be-family-jet-lag.html", + "creator": "Elizabeth Yuko", + "pubDate": "Thu, 22 Dec 2016 11:00:01 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4473c206f568fb8cc1d3f915cb9b8693" + "hash": "cb7d866a77df0b0efa21273dc8ddaac2" }, { - "title": "The Heavy Price of Holiday Magic", - "description": "When you’re struggling to pay the bills, a child’s wish list can feel like an additional burden.", - "content": "When you’re struggling to pay the bills, a child’s wish list can feel like an additional burden.", - "category": "Holidays and Special Occasions", - "link": "https://www.nytimes.com/2020/04/17/parenting/holiday-money-stress.html", - "creator": "Sa’iyda Shabazz", - "pubDate": "Fri, 17 Apr 2020 15:32:46 +0000", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to Be Mindful at the Holiday Table", + "description": "Holidays are often filled with expectations. Take a moment to appreciate the present.", + "content": "Holidays are often filled with expectations. Take a moment to appreciate the present.", + "category": "Thanksgiving Day", + "link": "https://www.nytimes.com/2016/11/23/well/mind/how-to-be-mindful-at-the-thanksgiving-table.html", + "creator": "David Gelles", + "pubDate": "Wed, 23 Nov 2016 10:22:01 +0000", "folder": "00.03 News/News - EN", "feed": "NYTimes", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76863d7310491b97465dea00b3c52b32" - }, + "hash": "eccf65bf0c907b6e538b490c0f0b3307" + } + ], + "folder": "00.03 News/News - EN", + "name": "NYTimes", + "language": "en", + "hash": "700c2eb92bb40796520e931cf8b8f563" + }, + { + "title": "World news | The Guardian", + "subtitle": "", + "link": "https://www.theguardian.com/world", + "image": "https://assets.guim.co.uk/images/guardian-logo-rss.c45beb1bafa34b347ac333af2e6fe23f.png", + "description": "Latest World news news, comment and analysis from the Guardian, the world's leading liberal voice", + "items": [ { - "title": "How to Wrap Advice as a Gift a Teenager Might Open", - "description": "When parents have something to say that they really want teenagers to hear, these approaches can help get the message across.", - "content": "When parents have something to say that they really want teenagers to hear, these approaches can help get the message across.", - "category": "Teenagers and Adolescence", - "link": "https://www.nytimes.com/2018/12/19/well/family/how-to-wrap-advice-as-a-gift-a-teenager-might-open.html", - "creator": "Lisa Damour", - "pubDate": "Wed, 19 Dec 2018 10:00:01 +0000", + "title": "Denmark and Norway rush in stricter Covid measures as cases soar", + "description": "

    Scandinavian countries say Omicron is spreading rapidly and expect record number of daily infections

    Denmark and Norway have announced stricter Covid measures to battle soaring infection numbers, as authorities said the new Omicron variant was spreading fast and would probably become dominant in several EU countries within weeks or even days.

    Amid a varied continental picture that includes sharply declining case numbers in many countries, the two Scandinavian governments said they expected daily infections would soon exceed all previous records as the highly transmissible variant combined with and fuelled a wave still largely driven by the previous Delta mutation.

    Continue reading...", + "content": "

    Scandinavian countries say Omicron is spreading rapidly and expect record number of daily infections

    Denmark and Norway have announced stricter Covid measures to battle soaring infection numbers, as authorities said the new Omicron variant was spreading fast and would probably become dominant in several EU countries within weeks or even days.

    Amid a varied continental picture that includes sharply declining case numbers in many countries, the two Scandinavian governments said they expected daily infections would soon exceed all previous records as the highly transmissible variant combined with and fuelled a wave still largely driven by the previous Delta mutation.

    Continue reading...", + "category": "Denmark", + "link": "https://www.theguardian.com/world/2021/dec/14/denmark-norway-rush-in-stricter-covid-measures-as-cases-soar", + "creator": "Jon Henley Europe correspondent", + "pubDate": "2021-12-14T15:45:41Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5e3cd96b5cebf438aa5df4d56551fcc" + "hash": "a321069aab8e3cb2ce16e99f7df8ada0" }, { - "title": "How to Foster Empathy in Children", - "description": "Research shows that we are each born with a given number of neurons that participate in an empathetic response. But early life experience shapes how we act on it.", - "content": "Research shows that we are each born with a given number of neurons that participate in an empathetic response. But early life experience shapes how we act on it.", - "category": "Children and Childhood", - "link": "https://www.nytimes.com/2018/12/10/well/live/how-to-foster-empathy-in-children.html", - "creator": "Jane E. Brody", - "pubDate": "Mon, 10 Dec 2018 19:19:20 +0000", + "title": "Capitol attack a ‘coordinated act of terrorism’, says DC lawsuit against far-right groups – live", + "description": "

    Karl Racine, the attorney general of the District of Columbia, in filing federal suit against the Proud Boys and the Oath Keepers, states that: “The District seeks compensatory, statutory and punitive relief and, by filing this action, intends to make clear that it will not countenance the use of violence against the District, including its police officers.

    The lawsuit filed in federal court moments ago lists as defendants not only the far right, white nationalist groups the Proud Boys (of Aubrey, Texas, per the suit) and Oathkeepers (of Las Vegas, Nevada), but also lists 32 individuals deemed to have associations to those groups, as well as noting there are 50 other unnamed defendants collectively referred to as “John and Jane Does 1 - 50”.

    Continue reading...", + "content": "

    Karl Racine, the attorney general of the District of Columbia, in filing federal suit against the Proud Boys and the Oath Keepers, states that: “The District seeks compensatory, statutory and punitive relief and, by filing this action, intends to make clear that it will not countenance the use of violence against the District, including its police officers.

    The lawsuit filed in federal court moments ago lists as defendants not only the far right, white nationalist groups the Proud Boys (of Aubrey, Texas, per the suit) and Oathkeepers (of Las Vegas, Nevada), but also lists 32 individuals deemed to have associations to those groups, as well as noting there are 50 other unnamed defendants collectively referred to as “John and Jane Does 1 - 50”.

    Continue reading...", + "category": "US Capitol attack", + "link": "https://www.theguardian.com/us-news/live/2021/dec/14/capitol-attack-panel-mark-meadows-donald-trump-joe-biden-us-politics-lates-news", + "creator": "Joan E Greve in Washington and Joanna Walters (earlier)", + "pubDate": "2021-12-14T22:14:56Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "51ff6fc13ed33acbdcf247fd1405ccfb" + "hash": "2059fe285150a006bd08d70edf9a7660" }, { - "title": "The Hilarious, Heartbreaking Life and Music of Malcolm Arnold", - "description": "He was one of the most popular British composers of his time, but there are few celebrations of Arnold’s centenary this year.", - "content": "He was one of the most popular British composers of his time, but there are few celebrations of Arnold’s centenary this year.", - "category": "Classical Music", - "link": "https://www.nytimes.com/2021/11/26/arts/music/classical-music-malcolm-arnold.html", - "creator": "Hugh Morris", - "pubDate": "Sat, 27 Nov 2021 01:04:49 +0000", + "title": "Toronto police ask for help identifying ‘highly suspicious’ person in billionaire murder case", + "description": "

    Police update public on investigation for first time in four years, after studying hours of CCTV footage from night couple were killed

    Four years after the unsolved murders of pharmaceutical billionaires Barry and Honey Sherman, police in Toronto have appealed to the public to help identify a possible suspect in the case.

    At a media briefing on Tuesday, homicide DS Brandon Price said police had studied hours of CCTV footage taken in the couple’s neighbourhood the night of the murders and had identified all people caught on camera – except for one person.

    Continue reading...", + "content": "

    Police update public on investigation for first time in four years, after studying hours of CCTV footage from night couple were killed

    Four years after the unsolved murders of pharmaceutical billionaires Barry and Honey Sherman, police in Toronto have appealed to the public to help identify a possible suspect in the case.

    At a media briefing on Tuesday, homicide DS Brandon Price said police had studied hours of CCTV footage taken in the couple’s neighbourhood the night of the murders and had identified all people caught on camera – except for one person.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/dec/14/toronto-billionaire-murder-case-police-help-identifying-highly-suspicious-person", + "creator": "Leyland Cecco in Victoria, British Columbia", + "pubDate": "2021-12-14T18:42:03Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8eddce8639d9e564ceeaaa451060c39" + "hash": "fb93eb8646fd8692b1b8dba67aa607a9" }, { - "title": "‘West Side Story’ Star Ariana DeBose Is Always Ready for Her Next Role", - "description": "After dancing in ‘Hamilton’ and playing Anita in Steven Spielberg’s new musical adaptation, the actress has her sights on a part entirely her own.", - "content": "After dancing in ‘Hamilton’ and playing Anita in Steven Spielberg’s new musical adaptation, the actress has her sights on a part entirely her own.", - "category": "DeBose, Ariana", - "link": "https://www.nytimes.com/2021/11/23/t-magazine/ariana-debose-west-side-story.html", - "creator": "Juan A. Ramírez", - "pubDate": "Tue, 23 Nov 2021 10:00:26 +0000", + "title": "At least 60 people killed in Haiti fuel truck explosion", + "description": "

    Total number of injured still not known after truck carrying gasoline overturned around midnight in the Sanmarie area

    More than 60 people have died after a fuel truck overturned and exploded in Haiti’s second-largest city Cap-Haitien, the country’s health ministry has announced.

    The death toll is expected to rise after the truck carrying gasoline overturned at about midnight in the area of Sanmarie on the eastern end of the city, according to local media.

    Continue reading...", + "content": "

    Total number of injured still not known after truck carrying gasoline overturned around midnight in the Sanmarie area

    More than 60 people have died after a fuel truck overturned and exploded in Haiti’s second-largest city Cap-Haitien, the country’s health ministry has announced.

    The death toll is expected to rise after the truck carrying gasoline overturned at about midnight in the area of Sanmarie on the eastern end of the city, according to local media.

    Continue reading...", + "category": "Haiti", + "link": "https://www.theguardian.com/world/2021/dec/14/haiti-fuel-truck-explosion-deaths-injuries", + "creator": "Reuters in Port-au-Prince", + "pubDate": "2021-12-14T15:48:54Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da29c1a6cdee5643a66285725d383f61" + "hash": "b80c7c447dce0cf56f2c10a506127b6a" }, { - "title": "The Car Key of the Future (Is Still in Your Pocket)", - "description": "They’re in fobs or on phones, and digital or “smart,” and they can do far more than just open doors and start the engine.", - "content": "They’re in fobs or on phones, and digital or “smart,” and they can do far more than just open doors and start the engine.", - "category": "Automobiles", - "link": "https://www.nytimes.com/2021/11/25/business/car-keys-fobs.html", - "creator": "Stephen Williams", - "pubDate": "Thu, 25 Nov 2021 11:00:09 +0000", + "title": "‘Colossal waste’: Nobel laureates call for 2% cut to military spending worldwide", + "description": "

    Governments urged to use ‘peace dividend’ to help UN tackle pandemics, climate crisis and extreme poverty

    More than 50 Nobel laureates have signed an open letter calling for all countries to cut their military spending by 2% a year for the next five years, and put half the saved money in a UN fund to combat pandemics, the climate crisis, and extreme poverty.

    Coordinated by the Italian physicist Carlo Rovelli, the letter is supported by a large group of scientists and mathematicians including Sir Roger Penrose, and is published at a time when rising global tensions have led to a steady increase in arms budgets.

    Continue reading...", + "content": "

    Governments urged to use ‘peace dividend’ to help UN tackle pandemics, climate crisis and extreme poverty

    More than 50 Nobel laureates have signed an open letter calling for all countries to cut their military spending by 2% a year for the next five years, and put half the saved money in a UN fund to combat pandemics, the climate crisis, and extreme poverty.

    Coordinated by the Italian physicist Carlo Rovelli, the letter is supported by a large group of scientists and mathematicians including Sir Roger Penrose, and is published at a time when rising global tensions have led to a steady increase in arms budgets.

    Continue reading...", + "category": "United Nations", + "link": "https://www.theguardian.com/world/2021/dec/14/nobel-laureates-cut-military-spending-worldwide-un-peace-dividend", + "creator": "Dan Sabbagh Defence and security editor", + "pubDate": "2021-12-14T14:32:09Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "509c5d4f066c13b64041ed71160f589c" + "hash": "bf1aa13e88f86ceb929803c8634a7345" }, { - "title": "How Alienation Became My Superpower", - "description": "Feeling like an outsider can be painful. But it comes with secret gifts of perception.", - "content": "Feeling like an outsider can be painful. But it comes with secret gifts of perception.", - "category": "Writing and Writers", - "link": "https://www.nytimes.com/2021/11/23/magazine/estranged-father.html", - "creator": "Elisa Gonzalez", - "pubDate": "Sat, 27 Nov 2021 07:20:31 +0000", + "title": "Scholz-o-matic: German chancellor’s old habits find new audience", + "description": "

    Olaf Scholz frustrates journalists with vague and formulaic answers

    Less than a week into his tenure, Germany’s new chancellor, Olaf Scholz, is already reminding the rest of the world of one of his rarer political talents: an ability to frustrate journalists with answers so vague and formulaic they once earned him the nickname “Scholz-o-matic”.

    Social Democrat Scholz, who will govern in a “traffic light” coalition with the Green party and the liberal Free Democratic party, on Sunday left his Polish counterpart, Mateusz Morawiecki, none the wiser about his plans for the controversial Nord Stream 2 gas pipeline between Russia and Germany, which Poland has urged its western neighbour to scrap.

    Continue reading...", + "content": "

    Olaf Scholz frustrates journalists with vague and formulaic answers

    Less than a week into his tenure, Germany’s new chancellor, Olaf Scholz, is already reminding the rest of the world of one of his rarer political talents: an ability to frustrate journalists with answers so vague and formulaic they once earned him the nickname “Scholz-o-matic”.

    Social Democrat Scholz, who will govern in a “traffic light” coalition with the Green party and the liberal Free Democratic party, on Sunday left his Polish counterpart, Mateusz Morawiecki, none the wiser about his plans for the controversial Nord Stream 2 gas pipeline between Russia and Germany, which Poland has urged its western neighbour to scrap.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/14/scholz-o-matic-german-chancellor-olaf-scholz-chancellor", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-12-14T14:58:13Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "402e41d34dc656bd5bfb642678ec4f35" + "hash": "9c1a6b5e454a25548de26f8306e1186c" }, { - "title": "Jeff Goldblum Goes Wild With Wes Anderson and Thelonious Monk", - "description": "The actor talks about the second season of “The World According to Jeff Goldblum” and why weeping over “Can’t Find My Way Home” is a beautiful thing.", - "content": "The actor talks about the second season of “The World According to Jeff Goldblum” and why weeping over “Can’t Find My Way Home” is a beautiful thing.", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/11/23/arts/television/jeff-goldblum.html", - "creator": "Kathryn Shattuck", - "pubDate": "Tue, 23 Nov 2021 15:09:05 +0000", + "title": "Israel warns diplomacy proving fruitless in Iran nuclear talks", + "description": "

    Officials hopeful that US and European nations will agree Tehran is in breach of its obligations

    Tehran’s approach to talks on its nuclear programme in Vienna has become so uncompromising according to Israel’s lead diplomat on Iran, Joshua Zarka, that they “have reached the last stretch of diplomacy”.

    Israeli officials said they were hopeful that the US and European nations would agree to put an emergency motion to the board of the International Atomic Energy Agency (IAEA) stating that Iran was in breach of its obligations under the non-proliferation treaty (NPT) and the 2015 nuclear deal.

    Continue reading...", + "content": "

    Officials hopeful that US and European nations will agree Tehran is in breach of its obligations

    Tehran’s approach to talks on its nuclear programme in Vienna has become so uncompromising according to Israel’s lead diplomat on Iran, Joshua Zarka, that they “have reached the last stretch of diplomacy”.

    Israeli officials said they were hopeful that the US and European nations would agree to put an emergency motion to the board of the International Atomic Energy Agency (IAEA) stating that Iran was in breach of its obligations under the non-proliferation treaty (NPT) and the 2015 nuclear deal.

    Continue reading...", + "category": "Iran's nuclear programme", + "link": "https://www.theguardian.com/world/2021/dec/14/israel-warns-diplomacy-proving-fruitless-in-iran-nuclear-talks", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-14T20:36:05Z", "enclosure": "", "enclosureType": "", "image": "", + "id": "", "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "75894bb7b9cc970e6498271975476255" - }, - { - "title": "A Couple’s Dream of Reuniting in England Is Dashed in a Channel Disaster", - "description": "A young Kurdish woman, Maryam Nuri, died with 26 others after making a desperate attempt to join her fiancé by crossing the English Channel from France on an inflatable boat.", - "content": "A young Kurdish woman, Maryam Nuri, died with 26 others after making a desperate attempt to join her fiancé by crossing the English Channel from France on an inflatable boat.", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/11/27/world/middleeast/migrants-kurdish-channel.html", - "creator": "Jane Arraf", - "pubDate": "Sat, 27 Nov 2021 20:16:55 +0000", - "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d729f62a681d8d7991f9b5790afe81d" + "hash": "fa3b7bafab4df46b5353a2181ed378bb" }, { - "title": "Get to Know Sondheim’s Best in These 10 Videos", - "description": "Jake Gyllenhaal, Patti LuPone, Judi Dench and an all-star Zoom trio find the wit, pathos and heartbreak in a remarkable songbook.", - "content": "Jake Gyllenhaal, Patti LuPone, Judi Dench and an all-star Zoom trio find the wit, pathos and heartbreak in a remarkable songbook.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/27/theater/stephen-sondheim-music-videos.html", - "creator": "Scott Heller", - "pubDate": "Sat, 27 Nov 2021 18:05:20 +0000", + "title": "US condemns suspension of prominent Romanian judge for TikTok posts", + "description": "

    Cluj-based judge Cristi Danileţ has been suspended over two videos he posted on platform last year

    A prominent judge in Romania has been suspended from his position for posting videos on TikTok in a move that has drawn widespread criticism, and condemnation from the US embassy.

    Cristi Danileţ, a judge in Romania’s northern city of Cluj, was suspended on Monday by the superior council of magistrates over two videos he posted on TikTok last year, which a panel decided amounted to “behaviour that affects the image of the justice system”.

    Continue reading...", + "content": "

    Cluj-based judge Cristi Danileţ has been suspended over two videos he posted on platform last year

    A prominent judge in Romania has been suspended from his position for posting videos on TikTok in a move that has drawn widespread criticism, and condemnation from the US embassy.

    Cristi Danileţ, a judge in Romania’s northern city of Cluj, was suspended on Monday by the superior council of magistrates over two videos he posted on TikTok last year, which a panel decided amounted to “behaviour that affects the image of the justice system”.

    Continue reading...", + "category": "Romania", + "link": "https://www.theguardian.com/world/2021/dec/14/us-condemns-suspension-of-prominent-romanian-judge-for-tiktok-posts", + "creator": "Associated Press in Bucharest", + "pubDate": "2021-12-14T19:42:43Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6fbd2ddb190ecd5d4f8454750c52e47c" + "hash": "5c46186cc2e23bdec462649abf0298c8" }, { - "title": "How did Omicron get its name?", - "description": "", - "content": "", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news/how-did-omicron-get-its-name", - "creator": "Vimal Patel", - "pubDate": "Sat, 27 Nov 2021 16:51:42 +0000", + "title": "Photojournalist in Myanmar dies in military custody a week after arrest", + "description": "

    Soe Naing was arrested in Yangon while taking photos of a ‘silent strike’ protest against military rule

    A freelance photojournalist in Myanmar has died in military custody after being arrested last week while covering protests.

    Soe Naing is the first journalist known to have died in custody since the army seized power in February, ousting the elected government of Aung San Suu Kyi. More than 100 journalists have been detained since then, though about half have been released.

    Continue reading...", + "content": "

    Soe Naing was arrested in Yangon while taking photos of a ‘silent strike’ protest against military rule

    A freelance photojournalist in Myanmar has died in military custody after being arrested last week while covering protests.

    Soe Naing is the first journalist known to have died in custody since the army seized power in February, ousting the elected government of Aung San Suu Kyi. More than 100 journalists have been detained since then, though about half have been released.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/14/photojournalist-in-myanmar-dies-in-military-custody-a-week-after-arrest", + "creator": "AP in Bangkok", + "pubDate": "2021-12-14T19:09:25Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "78e3f1227da6c8f738d9f3f2eece7d39" + "hash": "31754f61750beb4258257d88b760c7e4" }, { - "title": "As Omicron Variant Circles the Globe, African Nations Are Blamed and Banned", - "description": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", - "content": "With countries trying to close their doors to the new coronavirus variant, southern African officials note that the West’s hoarding of vaccines helped create their struggle in the first place.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/27/world/africa/coronavirus-omicron-africa.html", - "creator": "Benjamin Mueller and Declan Walsh", - "pubDate": "Sat, 27 Nov 2021 16:25:17 +0000", + "title": "Bugs across globe are evolving to eat plastic, study finds", + "description": "

    Surprising discovery shows scale of plastic pollution and reveals enzymes that could boost recycling

    Microbes in oceans and soils across the globe are evolving to eat plastic, according to a study.

    The research scanned more than 200m genes found in DNA samples taken from the environment and found 30,000 different enzymes that could degrade 10 different types of plastic.

    Continue reading...", + "content": "

    Surprising discovery shows scale of plastic pollution and reveals enzymes that could boost recycling

    Microbes in oceans and soils across the globe are evolving to eat plastic, according to a study.

    The research scanned more than 200m genes found in DNA samples taken from the environment and found 30,000 different enzymes that could degrade 10 different types of plastic.

    Continue reading...", + "category": "Plastics", + "link": "https://www.theguardian.com/environment/2021/dec/14/bugs-across-globe-are-evolving-to-eat-plastic-study-finds", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-14T13:52:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3bdf7cc74fc976408127c28bc941b5f4" + "hash": "0b7592f0a77501111442b8bb0dd478d7" }, { - "title": "Impromptu Stephen Sondheim Wakes Fill Piano Bars With Tears and Tunes", - "description": "Lines of Stephen Sondheim fans formed outside Marie’s Crisis Cafe in Greenwich Village as news of his death spread. Inside, it was all-Sondheim on the piano.", - "content": "Lines of Stephen Sondheim fans formed outside Marie’s Crisis Cafe in Greenwich Village as news of his death spread. Inside, it was all-Sondheim on the piano.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/27/theater/stephen-sondheim-piano-bars-wakes.html", - "creator": "Elisabeth Vincentelli", - "pubDate": "Sat, 27 Nov 2021 16:22:53 +0000", + "title": "MPs back Covid passes in England amid large Tory rebellion", + "description": "

    Measure comes into force on Wednesday and was passed despite many Tories voting against

    Boris Johnson has suffered a humiliating rebellion over measures to slow the spread of the Omicron variant, with 99 Conservative MPs rejecting plans for vaccine certificates despite surging infections and personal lobbying by the prime minister.

    Johnson had earlier warned his cabinet of a “huge spike” in cases but failed to convince many in his party to support plans to insist on a Covid certificate or negative lateral flow test to attend large venues.

    Continue reading...", + "content": "

    Measure comes into force on Wednesday and was passed despite many Tories voting against

    Boris Johnson has suffered a humiliating rebellion over measures to slow the spread of the Omicron variant, with 99 Conservative MPs rejecting plans for vaccine certificates despite surging infections and personal lobbying by the prime minister.

    Johnson had earlier warned his cabinet of a “huge spike” in cases but failed to convince many in his party to support plans to insist on a Covid certificate or negative lateral flow test to attend large venues.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/14/covid-plan-b-mps-back-tougher-rules-face-masks-england-omicron", + "creator": "Heather Stewart and Aubrey Allegretti", + "pubDate": "2021-12-14T22:19:10Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "73810343766a660c6b3ef7ef2f98fe54" + "hash": "f498d8996893a35de2d9ef329fab789e" }, { - "title": "As World Scrambles to Shut Out Variant, U.K. Announces Two Cases", - "description": "More countries halted travel from southern Africa for fear of the Omicron variant. Germany and the Czech Republic are investigating cases. Here’s the latest.", - "content": "More countries halted travel from southern Africa for fear of the Omicron variant. Germany and the Czech Republic are investigating cases. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news", - "creator": "The New York Times", - "pubDate": "Sat, 27 Nov 2021 15:34:26 +0000", + "title": "Billie Eilish: I would have died from Covid-19 if I hadn’t been vaccinated", + "description": "

    The pop star told Howard Stern that she had the virus in August: ‘I want it to be clear that it is because of the vaccine I’m fine’

    Billie Eilish has revealed that she had Covid-19 in August, and said that she felt sure she “would have died” had she not been vaccinated.

    Appearing on Howard Stern’s US radio show on Monday, Eilish said: “The vaccine is fucking amazing and it also saved [her brother/musical collaborator] Finneas from getting it; it saved my parents from getting it; it saved my friends from getting it.”

    Continue reading...", + "content": "

    The pop star told Howard Stern that she had the virus in August: ‘I want it to be clear that it is because of the vaccine I’m fine’

    Billie Eilish has revealed that she had Covid-19 in August, and said that she felt sure she “would have died” had she not been vaccinated.

    Appearing on Howard Stern’s US radio show on Monday, Eilish said: “The vaccine is fucking amazing and it also saved [her brother/musical collaborator] Finneas from getting it; it saved my parents from getting it; it saved my friends from getting it.”

    Continue reading...", + "category": "Billie Eilish", + "link": "https://www.theguardian.com/music/2021/dec/14/billie-eilish-i-would-have-died-from-covid-19-if-i-hadnt-been-vaccinated", + "creator": "Laura Snapes", + "pubDate": "2021-12-14T09:11:59Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "472e887e2ada819a7e00464cb6b74150" + "hash": "a06e129b2c33468160ec39a628a57d8a" }, { - "title": "The Disconnect Between Biden’s Popular Policies and His Unpopularity", - "description": "Voters often punish a president for pushing an unpopular agenda. But President Biden has been learning that they rarely reward a president for enacting legislation.", - "content": "Voters often punish a president for pushing an unpopular agenda. But President Biden has been learning that they rarely reward a president for enacting legislation.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/11/27/us/politics/biden-policies-approval-ratings.html", - "creator": "Nate Cohn", - "pubDate": "Sat, 27 Nov 2021 15:00:06 +0000", + "title": "Covid passports could increase vaccine uptake, study suggests", + "description": "

    Certification encouraged vaccination in countries with low coverage, especially among young people

    Coronavirus passports could lead to increased uptake of vaccines, especially among young people, a study suggests.

    Research by the University of Oxford found Covid-19 certification led to increased jab uptake 20 days before and 40 days after introduction in countries with lower-than-average vaccination coverage. Increase in vaccine uptake was most pronounced in people under 30. The modelling analysis was published in The Lancet Public Health.

    Continue reading...", + "content": "

    Certification encouraged vaccination in countries with low coverage, especially among young people

    Coronavirus passports could lead to increased uptake of vaccines, especially among young people, a study suggests.

    Research by the University of Oxford found Covid-19 certification led to increased jab uptake 20 days before and 40 days after introduction in countries with lower-than-average vaccination coverage. Increase in vaccine uptake was most pronounced in people under 30. The modelling analysis was published in The Lancet Public Health.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/13/covid-passports-could-increase-vaccine-uptake-study-suggests", + "creator": "Andrew Gregory Health editor", + "pubDate": "2021-12-13T23:30:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a4ecfaae1feacdc5d5d30cb49ec0cef" + "hash": "61a28d0b065e899a3418460272d435cb" }, { - "title": "United States will bar travelers from 8 countries in southern Africa.", - "description": "Starting Monday, travelers from South Africa, Botswana, Zimbabwe, Namibia, Lesotho, Eswatini, Mozambique and Malawi will be barred unless they are citizens or permanent residents.", - "content": "Starting Monday, travelers from South Africa, Botswana, Zimbabwe, Namibia, Lesotho, Eswatini, Mozambique and Malawi will be barred unless they are citizens or permanent residents.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/27/world/covid-vaccine-boosters-variant", - "creator": "The New York Times", - "pubDate": "Sat, 27 Nov 2021 13:48:13 +0000", + "title": "‘BTS taught me that I am worthy’: readers on why they love the K-pop superstars", + "description": "

    Guardian readers from Scandinavia, the Philippines, Morocco and beyond explain their fandom, which has helped rejuvenate them, heal racial trauma and understand their identity

    K-pop boy band BTS swept the American Music Awards last month, making history as the first Asian act to win artist of the year; they were also nominated for a Grammy for best pop duo/group performance for their single Butter.

    The seven-member band has a huge global following and their fans, known as Army, are known for their passion and loyalty. Here Guardian readers, who are BTS fans, speak about why the band means so much to them.

    Continue reading...", + "content": "

    Guardian readers from Scandinavia, the Philippines, Morocco and beyond explain their fandom, which has helped rejuvenate them, heal racial trauma and understand their identity

    K-pop boy band BTS swept the American Music Awards last month, making history as the first Asian act to win artist of the year; they were also nominated for a Grammy for best pop duo/group performance for their single Butter.

    The seven-member band has a huge global following and their fans, known as Army, are known for their passion and loyalty. Here Guardian readers, who are BTS fans, speak about why the band means so much to them.

    Continue reading...", + "category": "BTS", + "link": "https://www.theguardian.com/music/2021/dec/14/bts-taught-me-that-i-am-worthy-readers-on-why-they-love-the-k-pop-superstars", + "creator": "Guardian readers and Hibaq Farah", + "pubDate": "2021-12-14T15:16:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ff3bb8d0eb296526a2e4f195686e036a" + "hash": "8f69b013a047a04de737254000b650fe" }, { - "title": "Solomon Islands Protests: 3 Burned Bodies Found in Chinatown", - "description": "The police were trying to determine if the charred remains found in the capital’s Chinatown district were linked to the protests, in which demonstrators set fire to buildings.", - "content": "The police were trying to determine if the charred remains found in the capital’s Chinatown district were linked to the protests, in which demonstrators set fire to buildings.", - "category": "Demonstrations, Protests and Riots", - "link": "https://www.nytimes.com/2021/11/27/world/asia/solomon-islands-protests-bodies.html", - "creator": "Yan Zhuang", - "pubDate": "Sat, 27 Nov 2021 08:05:55 +0000", + "title": "The semi-lucid dream trick: how to unlock your creative genius – without really trying", + "description": "

    A new study suggests interrupted hypnagogia, a technique beloved of Salvador Dalí and Thomas Edison, can boost creativity

    Name: The semi-lucid dream trick.

    Age: At least 90 years old.

    Continue reading...", + "content": "

    A new study suggests interrupted hypnagogia, a technique beloved of Salvador Dalí and Thomas Edison, can boost creativity

    Name: The semi-lucid dream trick.

    Age: At least 90 years old.

    Continue reading...", + "category": "Sleep", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/14/the-semi-lucid-dream-trick-how-to-unlock-your-creative-genius-without-really-trying", + "creator": "", + "pubDate": "2021-12-14T14:06:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd5c509202f13ec0b5954a4864e9fcc7" + "hash": "0da63ad5a9397d50bbac488b6b172fed" }, { - "title": "Iran Clamps Down on Protests Against Growing Water Shortages", - "description": "The crackdown came after the protests spilled over to at least one other city and a major protest on Friday loomed. Weather experts say 97 percent of the country is dealing with water scarcity issues.", - "content": "The crackdown came after the protests spilled over to at least one other city and a major protest on Friday loomed. Weather experts say 97 percent of the country is dealing with water scarcity issues.", - "category": "Rivers", - "link": "https://www.nytimes.com/2021/11/26/world/middleeast/iran-protests-water-shortages.html", - "creator": "Farnaz Fassihi", - "pubDate": "Sat, 27 Nov 2021 06:21:35 +0000", + "title": "‘15 minutes to save the world’: a terrifying VR journey into the nuclear bunker", + "description": "

    Nuclear Biscuit, a simulated experience, allows US officials to wargame a missile attack and see the devastating consequences of their choices

    It became clear that things had gone terribly awry on this particular day when I saw that the most moderate option on the desk in front of me involved killing at least five million people.

    I could kill up to 45 million if I chose the more comprehensive of the alternatives laid out on three pieces of paper, but it was hard to focus on the details because there were people shouting at me through my earpiece and from the screens in front of me.

    Continue reading...", + "content": "

    Nuclear Biscuit, a simulated experience, allows US officials to wargame a missile attack and see the devastating consequences of their choices

    It became clear that things had gone terribly awry on this particular day when I saw that the most moderate option on the desk in front of me involved killing at least five million people.

    I could kill up to 45 million if I chose the more comprehensive of the alternatives laid out on three pieces of paper, but it was hard to focus on the details because there were people shouting at me through my earpiece and from the screens in front of me.

    Continue reading...", + "category": "Virtual reality", + "link": "https://www.theguardian.com/technology/2021/dec/14/vr-game-simulating-nuclear-attack-tests-decision-making-skills", + "creator": "Julian Borger in Washington", + "pubDate": "2021-12-14T07:30:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2c7623c8e56450c85d2e366f8aa128d3" + "hash": "7b5bd83ec3ceb9b104ca58766ecbae55" }, { - "title": "New York governor declares a state of emergency in anticipation of new coronavirus surge.", - "description": "", - "content": "", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/27/world/covid-omicron-variant-news/new-york-governor-declares-a-state-of-emergency-in-anticipation-of-new-coronavirus-surge", - "creator": "Jesse McKinley", - "pubDate": "Sat, 27 Nov 2021 05:37:29 +0000", + "title": "China’s troll king: how a tabloid editor became the voice of Chinese nationalism", + "description": "

    Hu Xijin is China’s most famous propagandist. At the Global Times, he helped establish a chest-thumping new tone for China on the world stage – but can he keep up with the forces he has unleashed?

    On 2 November, the Chinese tennis star Peng Shuai posted a long message on the social media site Weibo, accusing China’s former vice-premier, Zhang Gaoli, of sexual assault. As soon as the post went live, it became the highest-profile #MeToo case in China, and one of the ruling Chinese Communist party’s largest public relations crises in recent history. Within about 20 minutes, the post had been removed. All mentions of the post were then scrubbed from the Chinese internet. No references to the story appeared in the Chinese media. In the days that followed, Peng made no further statements and did not appear in public. Outside China, however, as other tennis stars publicly expressed concerns for her safety, Peng’s apparent disappearance became one of the biggest news stories in the world.

    It wasn’t long before Hu Xijin stepped into the story. Hu is the editor of the Global Times, a chest-thumpingly nationalistic tabloid sometimes described as “China’s Fox News”. In recent years, he has become the most influential Chinese propagandist in the west – a constant presence on Twitter and in the international media, always on hand to defend the Communist party line, no matter the topic. On 19 November, he tweeted to his 450,000 followers that he had confirmed through his own sources – he didn’t say who they were – that Peng was alive and well. Over the next two days, he posted videos of Peng at a restaurant and signing autographs in Beijing.

    Continue reading...", + "content": "

    Hu Xijin is China’s most famous propagandist. At the Global Times, he helped establish a chest-thumping new tone for China on the world stage – but can he keep up with the forces he has unleashed?

    On 2 November, the Chinese tennis star Peng Shuai posted a long message on the social media site Weibo, accusing China’s former vice-premier, Zhang Gaoli, of sexual assault. As soon as the post went live, it became the highest-profile #MeToo case in China, and one of the ruling Chinese Communist party’s largest public relations crises in recent history. Within about 20 minutes, the post had been removed. All mentions of the post were then scrubbed from the Chinese internet. No references to the story appeared in the Chinese media. In the days that followed, Peng made no further statements and did not appear in public. Outside China, however, as other tennis stars publicly expressed concerns for her safety, Peng’s apparent disappearance became one of the biggest news stories in the world.

    It wasn’t long before Hu Xijin stepped into the story. Hu is the editor of the Global Times, a chest-thumpingly nationalistic tabloid sometimes described as “China’s Fox News”. In recent years, he has become the most influential Chinese propagandist in the west – a constant presence on Twitter and in the international media, always on hand to defend the Communist party line, no matter the topic. On 19 November, he tweeted to his 450,000 followers that he had confirmed through his own sources – he didn’t say who they were – that Peng was alive and well. Over the next two days, he posted videos of Peng at a restaurant and signing autographs in Beijing.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/news/2021/dec/14/china-troll-king-hu-xijin-tabloid-editor-became-voice-chinese-nationalism", + "creator": "Han Zhang", + "pubDate": "2021-12-14T06:00:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bca348031a9c5c202049178c81273a7" + "hash": "affad60fe793941166625b7f4671fb11" }, { - "title": "Stocks and Oil Drop Amid New Coronavirus Variant", - "description": "Stocks and oil futures slumped, while investors sought safety in government bonds.", - "content": "Stocks and oil futures slumped, while investors sought safety in government bonds.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/26/business/covid-variant-stock-market-oil-prices.html", - "creator": "Eshe Nelson", - "pubDate": "Sat, 27 Nov 2021 05:33:39 +0000", + "title": "Your niece is suddenly vegan! How to survive the 12 disasters of Christmas", + "description": "

    One guest is an antivaxxer, another is allergic to your cats, the turkey is still raw and your best friends are splitting up in the sitting room. Here is how to face down festive fiascos

    It’s that time of year when you wake up sweating and can’t figure out why. Did you accidentally wear your thermals in bed? Do you have tuberculosis? No, dummy, it’s just that it’s almost Christmas, it’s your turn to play host, and the list of things that can go wrong on the 25th is long and wearying.

    Can I recommend, before we drill into this list, a quick wisdom stocktake? Last year was the worst Christmas imaginable: every plan was kiboshed at the very last minute; non-essential shops closed before we’d done our shopping; people who thought they were going back to their families ended up at home and hadn’t bought Baileys and crackers and whatnot; people who’d battled solitude for a year were stuck alone; people living on top of each other couldn’t catch a break; people expecting guests were buried under surplus pigs in blankets, and beyond our under-or over-decorated front doors, the outside world was fraught with risk and sorrow, as coronavirus declined to mark the birth of the Christ child with any respite from its march of terror. I’m not saying it couldn’t be as bad as that again – just that it couldn’t possibly be as surprisingly bad again.

    Continue reading...", + "content": "

    One guest is an antivaxxer, another is allergic to your cats, the turkey is still raw and your best friends are splitting up in the sitting room. Here is how to face down festive fiascos

    It’s that time of year when you wake up sweating and can’t figure out why. Did you accidentally wear your thermals in bed? Do you have tuberculosis? No, dummy, it’s just that it’s almost Christmas, it’s your turn to play host, and the list of things that can go wrong on the 25th is long and wearying.

    Can I recommend, before we drill into this list, a quick wisdom stocktake? Last year was the worst Christmas imaginable: every plan was kiboshed at the very last minute; non-essential shops closed before we’d done our shopping; people who thought they were going back to their families ended up at home and hadn’t bought Baileys and crackers and whatnot; people who’d battled solitude for a year were stuck alone; people living on top of each other couldn’t catch a break; people expecting guests were buried under surplus pigs in blankets, and beyond our under-or over-decorated front doors, the outside world was fraught with risk and sorrow, as coronavirus declined to mark the birth of the Christ child with any respite from its march of terror. I’m not saying it couldn’t be as bad as that again – just that it couldn’t possibly be as surprisingly bad again.

    Continue reading...", + "category": "Christmas", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/14/how-survive-12-disasters-of-christmas-vegan-guest-antivaxxwer-allergic-turkey-raw-festive", + "creator": "Zoe Williams", + "pubDate": "2021-12-14T06:00:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f3baf7e8ba40219026bed096f73238d3" + "hash": "21bc41464e4b048b4ba0054f29b3c2d0" }, { - "title": "New 'Omicron' Variant Stokes Concern but Vaccines May Still Work", - "description": "The Omicron variant carries worrisome mutations that may let it evade antibodies, scientists said. But it will take more research to know how it fares against vaccinated people.", - "content": "The Omicron variant carries worrisome mutations that may let it evade antibodies, scientists said. But it will take more research to know how it fares against vaccinated people.", - "category": "Tests (Medical)", - "link": "https://www.nytimes.com/2021/11/26/health/omicron-variant-vaccines.html", - "creator": "Carl Zimmer", - "pubDate": "Sat, 27 Nov 2021 05:32:04 +0000", + "title": "Gaming is culture – even Fortnite has something to say about society", + "description": "

    In the first edition of our gaming newsletter: why games, like all art, have the power to connect, entertain and cause change

    Welcome to Pushing Buttons, the Guardian’s brand new gaming newsletter. If you’d like to receive it in your inbox every weeek, just pop your email in below – and check your inbox (and spam) for the confirmation email.

    I want to use this first issue to tell you what to expect from this newsletter. The gaming world is fast-moving, and it can be hard to keep up with while also living a busy real life. I want to be a friendly guide to what’s interesting and relevant, and what games are worth your valuable time and attention.

    Continue reading...", + "content": "

    In the first edition of our gaming newsletter: why games, like all art, have the power to connect, entertain and cause change

    Welcome to Pushing Buttons, the Guardian’s brand new gaming newsletter. If you’d like to receive it in your inbox every weeek, just pop your email in below – and check your inbox (and spam) for the confirmation email.

    I want to use this first issue to tell you what to expect from this newsletter. The gaming world is fast-moving, and it can be hard to keep up with while also living a busy real life. I want to be a friendly guide to what’s interesting and relevant, and what games are worth your valuable time and attention.

    Continue reading...", + "category": "Games", + "link": "https://www.theguardian.com/games/2021/dec/14/pushing-buttons-video-game-newsletter", + "creator": "Keza MacDonald", + "pubDate": "2021-12-14T12:45:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "08cc52629786e099bc7622e5cf0c9875" + "hash": "0559e5c9d854f684315bdd97d69ab701" }, { - "title": "Omicron Variant Prompts Travel Bans and Batters World Markets", - "description": "Scientists do not yet know how dangerous the new Omicron variant is, but its many mutations set off alarms, lowering hopes of putting the pandemic in the past.", - "content": "Scientists do not yet know how dangerous the new Omicron variant is, but its many mutations set off alarms, lowering hopes of putting the pandemic in the past.", - "category": "Disease Rates", - "link": "https://www.nytimes.com/2021/11/26/world/europe/coronavirus-omicron-variant.html", - "creator": "Richard Pérez-Peña and Jason Horowitz", - "pubDate": "Sat, 27 Nov 2021 05:30:25 +0000", + "title": "‘I’m hooked all over again!’ Readers review And Just Like That", + "description": "

    The Sex and the City sequel just returned to our screens. But is it a ‘sharp-tongued, hilarious’ return to form or ‘a barrage of forced woke moments’? Here are your verdicts

    After almost 20 years away from our screens, Carrie and co are back for a Sex and the City sequel: And Just Like That. But as the fiftysomething women grapple with the modern era of dating apps and teenage children in the long-anticipated reboot, fans are divided.

    Warning: these opinions contain spoilers from the first episode of And Just Like That.

    Continue reading...", + "content": "

    The Sex and the City sequel just returned to our screens. But is it a ‘sharp-tongued, hilarious’ return to form or ‘a barrage of forced woke moments’? Here are your verdicts

    After almost 20 years away from our screens, Carrie and co are back for a Sex and the City sequel: And Just Like That. But as the fiftysomething women grapple with the modern era of dating apps and teenage children in the long-anticipated reboot, fans are divided.

    Warning: these opinions contain spoilers from the first episode of And Just Like That.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/14/im-hooked-all-over-again-readers-review-and-just-like-that", + "creator": "Guardian readers and Georgina Quach", + "pubDate": "2021-12-14T13:25:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74b0f72e47f5f021ffc409f8c9d21859" + "hash": "263f4d3a7fca74f5a74026ff0229979e" }, { - "title": "Praise for Stephen Sondheim at ‘Company’ and ‘Assassins' ", - "description": "“I would ask you to sit back and luxuriate in his extraordinary words and music,” the director John Doyle said before Friday’s performance of the “Assassins” revival.", - "content": "“I would ask you to sit back and luxuriate in his extraordinary words and music,” the director John Doyle said before Friday’s performance of the “Assassins” revival.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/27/theater/company-assassins-broadway-tributes-stephen-sondheim.html", - "creator": "Matt Stevens, Sadiba Hasan and Julia Jacobs", - "pubDate": "Sat, 27 Nov 2021 05:25:01 +0000", + "title": "UK tightens criteria for Afghans to enter despite ‘warm welcome’ pledge", + "description": "

    Home Office changes follow PM’s ‘open arms’ promise to those who assisted UK forces or government

    The Home Office has tightened the criteria allowing Afghans to enter the UK despite promises from Boris Johnson to give a “warm welcome” to those who assisted British forces or worked with the government.

    The department announced changes to the Afghan relocations and assistance policy (Arap) which narrows the criteria from that used during the Operation Pitting evacuation in August 2021.

    Continue reading...", + "content": "

    Home Office changes follow PM’s ‘open arms’ promise to those who assisted UK forces or government

    The Home Office has tightened the criteria allowing Afghans to enter the UK despite promises from Boris Johnson to give a “warm welcome” to those who assisted British forces or worked with the government.

    The department announced changes to the Afghan relocations and assistance policy (Arap) which narrows the criteria from that used during the Operation Pitting evacuation in August 2021.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/world/2021/dec/14/home-office-tightens-criteria-for-afghans-to-enter-despite-warm-welcome-promise", + "creator": "Rajeev Syal", + "pubDate": "2021-12-14T21:01:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4958bdadc45c15089709a6c816755e0d" + "hash": "5f845f8e23f08a4b1e0d0d1295b8d775" }, { - "title": "Stephen Sondheim: The Essential Musical Dramatist Who Taught Us to Hear", - "description": "With a childlike sense of discovery, Stephen Sondheim found the language to convey the beauty in harsh complexity.", - "content": "With a childlike sense of discovery, Stephen Sondheim found the language to convey the beauty in harsh complexity.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/26/theater/remembering-stephen-sondheim.html", - "creator": "Jesse Green", - "pubDate": "Sat, 27 Nov 2021 05:23:38 +0000", + "title": "Six dead giraffes: Kenya drought horror captured in single picture", + "description": "

    Aerial shot shows devastating effect of drought that has left people and animals without water

    Six dead giraffes lie in a spiral on the dry earth, their bodies emaciated and interwoven. The aerial shot, taken by the photojournalist Ed Ram, shows the devastation of Kenya’s drought, which has left people and animals struggling for food and water.

    Already weak, the animals had died after they got stuck in the mud, according to Getty Images. They were trying to reach a nearby reservoir, although it had almost dried up, the agency reported.

    Continue reading...", + "content": "

    Aerial shot shows devastating effect of drought that has left people and animals without water

    Six dead giraffes lie in a spiral on the dry earth, their bodies emaciated and interwoven. The aerial shot, taken by the photojournalist Ed Ram, shows the devastation of Kenya’s drought, which has left people and animals struggling for food and water.

    Already weak, the animals had died after they got stuck in the mud, according to Getty Images. They were trying to reach a nearby reservoir, although it had almost dried up, the agency reported.

    Continue reading...", + "category": "Kenya", + "link": "https://www.theguardian.com/world/2021/dec/14/six-dead-giraffes-kenya-drought-horror-captured-picture", + "creator": "Oliver Holmes", + "pubDate": "2021-12-14T19:46:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ebbc5a1791a599e9c36bbb04df22f907" + "hash": "5097a4314bea0fc2978cfad7c0c8736d" }, { - "title": "Stephen Sondheim Reflected on 'Company' and 'West Side Story' in Final Interview", - "description": "In an interview on Sunday, the revered composer and lyricist, 91, contentedly discussed his shows running on Broadway and off, as well as a new movie about to be released.", - "content": "In an interview on Sunday, the revered composer and lyricist, 91, contentedly discussed his shows running on Broadway and off, as well as a new movie about to be released.", - "category": "Sondheim, Stephen", - "link": "https://www.nytimes.com/2021/11/26/theater/stephen-sondheim-final-interview.html", - "creator": "Michael Paulson", - "pubDate": "Sat, 27 Nov 2021 03:29:32 +0000", + "title": "Australia Covid live news update: NSW cases jump to 1,360; Scott Morrison a casual contact; potential Melbourne superspreader event", + "description": "

    Victoria records 1,405 new Covid-19 cases and three deaths; NSW cases jump to 1,360 infections, with one death; Scott Morrison declared a casual contact; potential Omicron superspreader event in Melbourne; passengers forced into Christmas quarantine after case linked to two Virgin Australia flights – follow all the day’s news live

    The New South Wales government has picked Kerry Schott to chair its net zero emissions and clean economy board, hoping for a happier outcome than its first attempt.

    Earlier this year, the energy and environment minister Matt Kean chose former prime minister and mentor of sorts Malcolm Turnbull to lead that role.

    Dr Schott is one of the most outstanding public servants in the country and brings with her a wealth of knowledge and experience which will be invaluable as NSW drives towards halving our emissions by 2030 and reaching net zero by 2050.

    Continue reading...", + "content": "

    Victoria records 1,405 new Covid-19 cases and three deaths; NSW cases jump to 1,360 infections, with one death; Scott Morrison declared a casual contact; potential Omicron superspreader event in Melbourne; passengers forced into Christmas quarantine after case linked to two Virgin Australia flights – follow all the day’s news live

    The New South Wales government has picked Kerry Schott to chair its net zero emissions and clean economy board, hoping for a happier outcome than its first attempt.

    Earlier this year, the energy and environment minister Matt Kean chose former prime minister and mentor of sorts Malcolm Turnbull to lead that role.

    Dr Schott is one of the most outstanding public servants in the country and brings with her a wealth of knowledge and experience which will be invaluable as NSW drives towards halving our emissions by 2030 and reaching net zero by 2050.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/15/australia-covid-news-queensland-tasmania-sydney-victoria-morrison-covid-brisbane-townsville-border-quarantine-", + "creator": "Matilda Boseley", + "pubDate": "2021-12-14T22:14:31Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be572e7d1af8a05f99c3bea6770995a5" + "hash": "f4e379ebc471a8528a78e31ad6a9ea2c" }, { - "title": "Brooks Koepka Bests Rival Bryson DeChambeau in 'The Match'", - "description": "Never paired together at one of golf’s majors, the rivals Brooks Koepka and Bryson DeChambeau instead went head-to-head in a spectacle for charity off the Las Vegas Strip.", - "content": "Never paired together at one of golf’s majors, the rivals Brooks Koepka and Bryson DeChambeau instead went head-to-head in a spectacle for charity off the Las Vegas Strip.", - "category": "Golf", - "link": "https://www.nytimes.com/2021/11/26/sports/golf/brooks-koepka-bryson-dechambeau-the-match.html", - "creator": "Brendan Porath", - "pubDate": "Sat, 27 Nov 2021 00:57:50 +0000", + "title": "Barbados can be a beacon for the region – if it avoids some of its neighbours’ mistakes | Kenneth Mohammed", + "description": "

    The Caribbean’s newest republic must avoid the corruption that has hampered Trinidad and Tobago and use its presidency to ensure good governance

    The charismatic prime minister of Barbados, Mia Mottley, elevated her country’s status in the world with her stinging speech at Cop26 in Glasgow last month. This speech resonated throughout the West Indies, a region that has largely been devoid of a strong leader to give these vulnerable small island developing states (SIDS) a voice in the climate crisis debate. The survival of SIDS such as Barbados depends on the finance to invest in measures to limit the global temperature rise to 1.5C, which was the Paris agreement’s main objective.

    Mottley called on all leaders of developed countries to step up their efforts as she outlined a solution embodied in flexible development finance. First, create a loss and damage fund made up of 1% of revenues from fossil fuels (which she estimated would amount to about $70bn, or £50bn, a year), accessible only to countries that have suffered a climate disaster and loss of 5% of their economy.

    Continue reading...", + "content": "

    The Caribbean’s newest republic must avoid the corruption that has hampered Trinidad and Tobago and use its presidency to ensure good governance

    The charismatic prime minister of Barbados, Mia Mottley, elevated her country’s status in the world with her stinging speech at Cop26 in Glasgow last month. This speech resonated throughout the West Indies, a region that has largely been devoid of a strong leader to give these vulnerable small island developing states (SIDS) a voice in the climate crisis debate. The survival of SIDS such as Barbados depends on the finance to invest in measures to limit the global temperature rise to 1.5C, which was the Paris agreement’s main objective.

    Mottley called on all leaders of developed countries to step up their efforts as she outlined a solution embodied in flexible development finance. First, create a loss and damage fund made up of 1% of revenues from fossil fuels (which she estimated would amount to about $70bn, or £50bn, a year), accessible only to countries that have suffered a climate disaster and loss of 5% of their economy.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/14/barbados-can-be-a-beacon-for-the-region-if-it-avoids-some-of-its-neighbours-mistakes", + "creator": "Kenneth Mohammed", + "pubDate": "2021-12-14T10:20:07Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c601289625abc8aa4b27fde1bef1d65" + "hash": "42a32016447efee6380ead5f11090690" }, { - "title": "Who Is Carissa Schumacher?", - "description": "Carissa Schumacher channels the dead for her A-list celebrity clients.But most days, she’s in the forest.", - "content": "Carissa Schumacher channels the dead for her A-list celebrity clients.But most days, she’s in the forest.", - "category": "Schumacher, Carissa", - "link": "https://www.nytimes.com/2021/11/26/style/carissa-schumacher-flamingo-estate-los-angeles.html", - "creator": "Irina Aleksander", - "pubDate": "Sat, 27 Nov 2021 00:49:54 +0000", + "title": "Urgent action needed to halt trafficking of children in world’s orphanages – report", + "description": "

    Millions of children worldwide are at risk of abuse and exploitation in institutions, often to attract funding from donors, says Lumos charity

    Immediate action must be taken to prevent trafficking and exploitation of children in orphanages, according to a report published on Monday.

    International children’s charity Lumos says that an estimated 5.4 million children worldwide live in institutions that cannot meet their needs and neglect their rights and where they are exposed to multiple forms of exploitation and harm.

    Continue reading...", + "content": "

    Millions of children worldwide are at risk of abuse and exploitation in institutions, often to attract funding from donors, says Lumos charity

    Immediate action must be taken to prevent trafficking and exploitation of children in orphanages, according to a report published on Monday.

    International children’s charity Lumos says that an estimated 5.4 million children worldwide live in institutions that cannot meet their needs and neglect their rights and where they are exposed to multiple forms of exploitation and harm.

    Continue reading...", + "category": "Children", + "link": "https://www.theguardian.com/global-development/2021/dec/14/urgent-action-needed-to-halt-trafficking-of-children-in-worlds-orphanages-report", + "creator": "Nicola Kelly", + "pubDate": "2021-12-14T06:45:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "189a5b962c94ec92eaf1dbea249d16f5" + "hash": "0baaa4ead9d7a77d589612bff65664ff" }, { - "title": "A Mine Disaster in Russia Highlights Safety Shortfalls in Rush to Dig Coal", - "description": "At least 46 miners were killed in an explosion at a Siberian mine. The director of the mine has been taken into police custody, along with five other administrators.", - "content": "At least 46 miners were killed in an explosion at a Siberian mine. The director of the mine has been taken into police custody, along with five other administrators.", - "category": "Explosions (Accidental)", - "link": "https://www.nytimes.com/2021/11/26/world/europe/mine-disaster-russia-safety.html", - "creator": "Valerie Hopkins", - "pubDate": "Fri, 26 Nov 2021 23:52:32 +0000", + "title": "Afghan health system ‘close to collapse due to sanctions on Taliban’", + "description": "

    Health experts issue dire warning as staff go unpaid and medical facilities lack basic items to treat patients

    Large parts of Afghanistan’s health system are on the brink of collapse because of western sanctions against the Taliban, international experts have warned, as the country faces outbreaks of disease and an escalating malnutrition crisis.

    With the country experiencing a deepening humanitarian crisis since the Taliban’s seizure of power in August amid mounting levels of famine and economic collapse, many medical staff have not been paid for months and health facilities lack even the most basic items to treat patients.

    Continue reading...", + "content": "

    Health experts issue dire warning as staff go unpaid and medical facilities lack basic items to treat patients

    Large parts of Afghanistan’s health system are on the brink of collapse because of western sanctions against the Taliban, international experts have warned, as the country faces outbreaks of disease and an escalating malnutrition crisis.

    With the country experiencing a deepening humanitarian crisis since the Taliban’s seizure of power in August amid mounting levels of famine and economic collapse, many medical staff have not been paid for months and health facilities lack even the most basic items to treat patients.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/13/afghan-health-system-close-to-collapse-due-to-sanctions-on-taliban", + "creator": "Peter Beaumont", + "pubDate": "2021-12-13T13:52:43Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f10b7f980c9b3d56fe941834efa3a0c3" + "hash": "0951e2f1cc748dd16a8063c573bbe646" }, { - "title": "The Military’s Broken Culture Around Sexual Violence and Suicide", - "description": "The Pentagon isn’t doing what is necessary to protect and care for service members facing trauma. ", - "content": "The Pentagon isn’t doing what is necessary to protect and care for service members facing trauma. ", - "category": "United States Defense and Military Forces", - "link": "https://www.nytimes.com/2021/11/26/opinion/us-military-sexual-violence-suicide.html", - "creator": "Cybèle C. Greenberg", - "pubDate": "Fri, 26 Nov 2021 22:23:03 +0000", + "title": "Arrival of 1bn vaccine doses won’t solve Africa’s Covid crisis, experts say", + "description": "

    Concerns over equipment shortages, bottlenecks and hesitancy on continent with 7.5% vaccine coverage

    With 1bn doses of Covid vaccines expected to arrive in Africa in the coming months, concern has shifted to a global shortage of equipment required to deliver them, such as syringes, as well as insufficient planning in some countries that could create bottlenecks in the rollout.

    After a troubled start to vaccination programmes on the continent, health officials are examining ways to encourage take-up as some countries have had to throw away doses.

    Continue reading...", + "content": "

    Concerns over equipment shortages, bottlenecks and hesitancy on continent with 7.5% vaccine coverage

    With 1bn doses of Covid vaccines expected to arrive in Africa in the coming months, concern has shifted to a global shortage of equipment required to deliver them, such as syringes, as well as insufficient planning in some countries that could create bottlenecks in the rollout.

    After a troubled start to vaccination programmes on the continent, health officials are examining ways to encourage take-up as some countries have had to throw away doses.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/10/african-countries-aim-to-step-up-covid-vaccine-delivery-with-1bn-doses-due", + "creator": "Peter Beaumont and Nick Dall in Cape Town", + "pubDate": "2021-12-10T16:21:39Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b38836a0027856ce1f0a2ff73a4f95f8" + "hash": "1efc36f381312ca72c098cce11533f6a" }, { - "title": "France-U.K. Acrimony Impedes Progress on Channel Crossings", - "description": "Rather than working together to curb hazardous sea crossings, leaders of the two countries almost immediately fell into a familiar pattern of squabbling.", - "content": "Rather than working together to curb hazardous sea crossings, leaders of the two countries almost immediately fell into a familiar pattern of squabbling.", - "category": "English Channel", - "link": "https://www.nytimes.com/2021/11/26/world/europe/france-uk-migrants-english-channel.html", - "creator": "Mark Landler", - "pubDate": "Fri, 26 Nov 2021 20:01:41 +0000", + "title": "Burning issue: how enzymes could end India’s problem with stubble", + "description": "

    Bans failed to stop farmers torching fields each year but a new spray that turns stalks into fertiliser helps the soil and the air

    Every autumn, Anil Kalyan, from Kutail village in India’s northern state of Haryana, would join tens of thousands of other paddy farmers to set fire to the leftover stalks after the rice harvest to clear the field for planting wheat.

    But this year, Kalyan opted for change. He signed his land up for a trial being held in Haryana and neighbouring Punjab as an alternative to the environmentally hazardous stubble burning that is commonplace across India and a major cause of Delhi’s notorious smog.

    Continue reading...", + "content": "

    Bans failed to stop farmers torching fields each year but a new spray that turns stalks into fertiliser helps the soil and the air

    Every autumn, Anil Kalyan, from Kutail village in India’s northern state of Haryana, would join tens of thousands of other paddy farmers to set fire to the leftover stalks after the rice harvest to clear the field for planting wheat.

    But this year, Kalyan opted for change. He signed his land up for a trial being held in Haryana and neighbouring Punjab as an alternative to the environmentally hazardous stubble burning that is commonplace across India and a major cause of Delhi’s notorious smog.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/10/burning-issue-how-enzymes-could-end-indias-problem-with-stubble", + "creator": "Saeed Kamali Dehghan", + "pubDate": "2021-12-10T07:00:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "abd0337155c5a7a8b09cfbb9f6559f84" + "hash": "eb741280323b43f7b0014192c78fd6b2" }, { - "title": "It’s Beginning to Look a Lot Like Hanukkah", - "description": "What’s that reindeer doing with menorah antlers? Retailers want inclusive holiday merchandise, but hit a few snags.", - "content": "What’s that reindeer doing with menorah antlers? Retailers want inclusive holiday merchandise, but hit a few snags.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/11/26/business/hanukkah-fails-holiday-gifts-christmas.html", - "creator": "Emma Goldberg", - "pubDate": "Fri, 26 Nov 2021 19:55:35 +0000", + "title": "How big is the risk of Omicron in the UK and how do we know?", + "description": "

    Analysis: Sajid Javid estimates there are 200,000 new cases a day – here’s why the experts suggest that number will soon multiply

    When Savid Javid revealed on Monday that an estimated 200,000 people a day are getting infected with Omicron, it brought understandable concern – especially as just 4,713 cases of the variant had been confirmed in the UK so far – . So where does this figure come from – and what does it tell us about the trajectory of the surge?

    Confirming a Covid case is caused by the Omicron variant requires a full genetic analysis of that person’s swab. According to Prof Paul Hunter at the University of East Anglia, it can take up to two weeks to return a viral sequence, meaning the figure of 4,713 Omicron cases reported by the UK Health Security Agency (UKHSA) was already out of date.

    Continue reading...", + "content": "

    Analysis: Sajid Javid estimates there are 200,000 new cases a day – here’s why the experts suggest that number will soon multiply

    When Savid Javid revealed on Monday that an estimated 200,000 people a day are getting infected with Omicron, it brought understandable concern – especially as just 4,713 cases of the variant had been confirmed in the UK so far – . So where does this figure come from – and what does it tell us about the trajectory of the surge?

    Confirming a Covid case is caused by the Omicron variant requires a full genetic analysis of that person’s swab. According to Prof Paul Hunter at the University of East Anglia, it can take up to two weeks to return a viral sequence, meaning the figure of 4,713 Omicron cases reported by the UK Health Security Agency (UKHSA) was already out of date.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/14/how-big-is-the-risk-of-omicron-in-the-uk-and-how-do-we-know", + "creator": "Linda Geddes Science correspondent", + "pubDate": "2021-12-14T18:24:46Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b6125fd58683ebc146b369660e55de31" + "hash": "824a9e472f0f0c62eb950d36d9fe17c6" }, { - "title": "Maya Lin’s Dismantled ‘Ghost Forest’ to Be Reborn as Boats", - "description": "Teenagers are making boats using the wood from her grove installation at Madison Square Park, and the artist is happy that the work is seeing a new life.", - "content": "Teenagers are making boats using the wood from her grove installation at Madison Square Park, and the artist is happy that the work is seeing a new life.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/24/arts/design/maya-lin-rocking-the-boat.html", - "creator": "Zachary Small", - "pubDate": "Fri, 26 Nov 2021 19:49:11 +0000", + "title": "As focus turns to Covid boosters what other measures could tackle Omicron?", + "description": "

    Boris Johnson has not ruled out new restrictions but how effective could they be and what are the political risks?

    Ministers’ focus may be a “national mission” to roll out booster vaccines to counter the dramatic rise of the Omicron variant, but the government has not ruled out new restrictions for England. Here we look at options on the table, how effective they could be at reducing the spread of coronavirus and the level of political risk for Boris Johnson.

    Mandatory isolation for all close Covid contacts

    Continue reading...", + "content": "

    Boris Johnson has not ruled out new restrictions but how effective could they be and what are the political risks?

    Ministers’ focus may be a “national mission” to roll out booster vaccines to counter the dramatic rise of the Omicron variant, but the government has not ruled out new restrictions for England. Here we look at options on the table, how effective they could be at reducing the spread of coronavirus and the level of political risk for Boris Johnson.

    Mandatory isolation for all close Covid contacts

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/14/as-focus-turns-to-covid-boosters-what-other-measures-could-tackle-omicron", + "creator": "Heather Stewart and Nicola Davis", + "pubDate": "2021-12-14T06:00:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0d0be9fb648e0f6e6a192e882f33621" + "hash": "204e428d7535af726228db404a09b3bb" }, { - "title": "Carlos Arthur Nuzman, Who Brought Olympics to Brazil, Convicted of Bribery", - "description": "Carlos Arthur Nuzman was found guilty after a trial that featured claims of rigged votes, gold bars and at least $2 million in payoffs to top sports officials.", - "content": "Carlos Arthur Nuzman was found guilty after a trial that featured claims of rigged votes, gold bars and at least $2 million in payoffs to top sports officials.", - "category": "Olympic Games (2016)", - "link": "https://www.nytimes.com/2021/11/26/sports/olympics/rio-olympics-nuzman-diack-cabral.html", - "creator": "Tariq Panja", - "pubDate": "Fri, 26 Nov 2021 19:24:05 +0000", + "title": "Mature trees are key to liveable cities – housing intensification plans must ensure they survive | Margaret Stanley", + "description": "

    The benefits of a single large tree can’t be replaced by a mown lawn or a seedling. With thoughtful planning we can keep them

    The New Zealand parliament is about to have its third reading of an amendment bill informally known as the “housing intensification bill”. Its purpose is to relax the Resource Management Act (RMA), which currently restricts building height and intensity in cities, to meet the urgent demand for housing and address affordability.

    While it is clear that housing affordability needs to be addressed to meet the needs of young and low-income New Zealanders, there are pitfalls to the speed at which the legislation is rushing through the system. Yes, we do need more houses, and we do need to intensify within our cities so that we don’t further impact the rural landscape as the tentacles of our cities spread into key food production and natural ecosystem areas.

    Continue reading...", + "content": "

    The benefits of a single large tree can’t be replaced by a mown lawn or a seedling. With thoughtful planning we can keep them

    The New Zealand parliament is about to have its third reading of an amendment bill informally known as the “housing intensification bill”. Its purpose is to relax the Resource Management Act (RMA), which currently restricts building height and intensity in cities, to meet the urgent demand for housing and address affordability.

    While it is clear that housing affordability needs to be addressed to meet the needs of young and low-income New Zealanders, there are pitfalls to the speed at which the legislation is rushing through the system. Yes, we do need more houses, and we do need to intensify within our cities so that we don’t further impact the rural landscape as the tentacles of our cities spread into key food production and natural ecosystem areas.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/14/mature-trees-are-key-to-liveable-cities-housing-intensification-plans-must-ensure-they-survive", + "creator": "Margaret Stanley", + "pubDate": "2021-12-14T00:25:24Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aeee91a2989b82f1b80657ad1ce3b3b5" + "hash": "6c2ade39bf38876400ae2b8710881b7f" }, { - "title": "There Is Another Democrat A.O.C. Should Be Mad At", - "description": "The monumental scale of the Build Back Better plan raises a difficult question: Is a fleeting and narrow majority enough for making history?", - "content": "The monumental scale of the Build Back Better plan raises a difficult question: Is a fleeting and narrow majority enough for making history?", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/26/opinion/democrats-aoc-build-back-better.html", - "creator": "Greg Weiner", - "pubDate": "Fri, 26 Nov 2021 19:14:15 +0000", + "title": "Can you trust a negative lateral flow Covid test?", + "description": "

    Analysis: with cold symptoms, it is better to wait for a PCR result rather than risk spreading the virus

    You wake up with a pounding head, sore throat and runny nose: you reach for one of those lateral flow tests (LFT) you’ve got stashed away, just to check it is not Covid. If it returns a single red line (negative), then most people will pop a couple of paracetamol and go about business as normal – particularly if you’ve been double-jabbed. It probably is just a cold, after all.

    Yet, the emergence of Omicron has thrown a spanner in the works. According to the latest data, just one month after your second Pfizer or AstraZeneca jab, the ability of antibodies to neutralise Omicron is 30 times lower than if you were infected with the Delta variant – reinforcing the message that double-vaccination is no guarantee against infection.

    Continue reading...", + "content": "

    Analysis: with cold symptoms, it is better to wait for a PCR result rather than risk spreading the virus

    You wake up with a pounding head, sore throat and runny nose: you reach for one of those lateral flow tests (LFT) you’ve got stashed away, just to check it is not Covid. If it returns a single red line (negative), then most people will pop a couple of paracetamol and go about business as normal – particularly if you’ve been double-jabbed. It probably is just a cold, after all.

    Yet, the emergence of Omicron has thrown a spanner in the works. According to the latest data, just one month after your second Pfizer or AstraZeneca jab, the ability of antibodies to neutralise Omicron is 30 times lower than if you were infected with the Delta variant – reinforcing the message that double-vaccination is no guarantee against infection.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/13/can-you-trust-a-negative-lateral-flow-covid-test", + "creator": "Linda Geddes Science correspondent", + "pubDate": "2021-12-13T15:19:10Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7408f2b8dda07b5dd6e0c08981436f1b" + "hash": "af0379b9ccea6f7fb10e3255c217a2e5" }, { - "title": "As Virtual Worlds Grow, We Are Losing Our Sense of Touch ", - "description": "After I’ve struggled with anorexia and bulimia for more than 20 years, the last thing I want is technology that further estranges me from my body. ", - "content": "After I’ve struggled with anorexia and bulimia for more than 20 years, the last thing I want is technology that further estranges me from my body. ", - "category": "Facebook Inc", - "link": "https://www.nytimes.com/2021/11/26/opinion/touch-starvation-metaverse-virtual-worlds.html", - "creator": "JoAnna Novak", - "pubDate": "Fri, 26 Nov 2021 19:09:32 +0000", + "title": "Covid passes approved by MPs despite Tory backbench rebellion – video", + "description": "

    New Covid restrictions designed to slow the spread of the Omicron variant in the UK have passed through the House of Commons, with 369 ayes to 126 noes. However, opposition from 96 Tory MPs to Covid passes meant Boris Johnson had to rely on Labour support to get that new measure through

    Continue reading...", + "content": "

    New Covid restrictions designed to slow the spread of the Omicron variant in the UK have passed through the House of Commons, with 369 ayes to 126 noes. However, opposition from 96 Tory MPs to Covid passes meant Boris Johnson had to rely on Labour support to get that new measure through

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/14/covid-passes-approved-by-mps-despite-tory-backbench-rebellion-video", + "creator": "", + "pubDate": "2021-12-14T19:25:09Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "388087c65073dca9aba143be67ac12cb" + "hash": "2395d530ee8dc44b4dad16466bb08530" }, { - "title": "Jakucho Setouchi, 99, Dies; Buddhist Priest Wrote of Sex and Love", - "description": "Her more than 400 novels often drew on her own romantic affairs, and her translation of an 11th-century romantic Japanese classic sold millions of copies.", - "content": "Her more than 400 novels often drew on her own romantic affairs, and her translation of an 11th-century romantic Japanese classic sold millions of copies.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/26/world/asia/jakucho-setouchi-dead.html", - "creator": "Motoko Rich and Makiko Inoue", - "pubDate": "Fri, 26 Nov 2021 18:15:43 +0000", + "title": "Javid says Omicron cases doubling every two days as MPs debate new restrictions – video", + "description": "

    The UK health secretary opened the Commons debate on Plan B Covid restrictions by highlighting that the Omicron variant is more transmissible than Delta. The growing cases in the UK is mirroring what happened in South Africa, with the observed doubling time for Omicron taking two days.

    Javid said that although there are just 4,713 confirmed cases, scientists estimate the real number of people getting infected every day is 42 times higher, at about 200,000

    Continue reading...", + "content": "

    The UK health secretary opened the Commons debate on Plan B Covid restrictions by highlighting that the Omicron variant is more transmissible than Delta. The growing cases in the UK is mirroring what happened in South Africa, with the observed doubling time for Omicron taking two days.

    Javid said that although there are just 4,713 confirmed cases, scientists estimate the real number of people getting infected every day is 42 times higher, at about 200,000

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/14/sajid-javid-says-omicron-cases-doubling-every-two-days-as-mps-debate-new-restrictions-video", + "creator": "", + "pubDate": "2021-12-14T16:57:31Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eae28068ab70c08abcae7abdc30d24df" + "hash": "c0532b5172dc4f4bd123780bf1468567" }, { - "title": "Genetic Risks for Cancer Should Not Mean Financial Hardship", - "description": "People with markers for cancer often need more screenings. But health insurers are not required to fully cover them. ", - "content": "People with markers for cancer often need more screenings. But health insurers are not required to fully cover them. ", - "category": "Health Insurance and Managed Care", - "link": "https://www.nytimes.com/2021/11/26/opinion/genetic-risks-cancer.html", - "creator": "Leah Pierson and Emma Pierson", - "pubDate": "Fri, 26 Nov 2021 17:47:42 +0000", + "title": "Nicola Sturgeon asks Scots to reduce contact with other households – video", + "description": "

    Emphasising that nobody should cancel their Christmas Day plans, Scotland's first minister has urged people socialising before and immediately after 25 December to limit their indoor socialising to no more than three households

    Continue reading...", + "content": "

    Emphasising that nobody should cancel their Christmas Day plans, Scotland's first minister has urged people socialising before and immediately after 25 December to limit their indoor socialising to no more than three households

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/14/nicola-sturgeon-asks-scots-to-reduce-contact-with-other-households-video", + "creator": "", + "pubDate": "2021-12-14T15:44:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e087de601abd7b35b414a7ee1139313" + "hash": "d569d840e7b72a1a48ba8f4a960e5358" }, { - "title": "Pushed by Players, the N.F.L. Works to Embrace Mental Health", - "description": "N.F.L. teams have standardized support for mental wellness as their players fight social stigmas and the league’s “just play through it” ethos.", - "content": "N.F.L. teams have standardized support for mental wellness as their players fight social stigmas and the league’s “just play through it” ethos.", - "category": "Football", - "link": "https://www.nytimes.com/2021/11/26/sports/football/nfl-mental-health.html", - "creator": "Anna Katherine Clemmons", - "pubDate": "Fri, 26 Nov 2021 16:00:35 +0000", + "title": "Sajid Javid removes all 11 African countries from England's travel red list – video", + "description": "

    All 11 countries on England’s travel red list are to be taken off it from 4am on Wednesday, amid diminishing concern about Omicron cases being imported into the country

    Continue reading...", + "content": "

    All 11 countries on England’s travel red list are to be taken off it from 4am on Wednesday, amid diminishing concern about Omicron cases being imported into the country

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/14/sajid-javid-removes-all-11-african-countries-from-englands-travel-red-list-video", + "creator": "", + "pubDate": "2021-12-14T15:30:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5cc6706c130fbff329e8989e7b0d7f8" + "hash": "990c72121d0768a48936b5a87cae4ed4" }, { - "title": "‘Afghan Girl’ From 1985 National Geographic Cover Takes Refuge in Italy", - "description": "Sharbat Gula, whose haunting portrait was featured by the magazine more than three decades ago, was evacuated to Rome after the Taliban takeover of Afghanistan.", - "content": "Sharbat Gula, whose haunting portrait was featured by the magazine more than three decades ago, was evacuated to Rome after the Taliban takeover of Afghanistan.", - "category": "Middle East and Africa Migrant Crisis", - "link": "https://www.nytimes.com/2021/11/26/world/europe/afghan-girl-national-geographic.html", - "creator": "Jenny Gross", - "pubDate": "Fri, 26 Nov 2021 15:24:27 +0000", + "title": "A look at the Irish: photography in Ireland from 1839 to now – in pictures", + "description": "

    In Our Own Image: Photography in Ireland, 1839 to the Present is the first in a series of exhibitions forming the first comprehensive historical and critical survey of photography from across the island of Ireland. Coinciding with the centenary of the establishment of modern Ireland, In Our Own Image draws on material from from archives, private collections and contemporary commissions, charting how the medium has both reflected and shaped Irish cultural identity.

    In Our Own Image: photography in Ireland, 1839 to the present curated by Gallery of Photography Ireland in partnership with Dublin Castle / OPW is at The Printworks, Dublin Castle until 6 February

    Continue reading...", + "content": "

    In Our Own Image: Photography in Ireland, 1839 to the Present is the first in a series of exhibitions forming the first comprehensive historical and critical survey of photography from across the island of Ireland. Coinciding with the centenary of the establishment of modern Ireland, In Our Own Image draws on material from from archives, private collections and contemporary commissions, charting how the medium has both reflected and shaped Irish cultural identity.

    In Our Own Image: photography in Ireland, 1839 to the present curated by Gallery of Photography Ireland in partnership with Dublin Castle / OPW is at The Printworks, Dublin Castle until 6 February

    Continue reading...", + "category": "Ireland", + "link": "https://www.theguardian.com/world/gallery/2021/dec/14/a-look-at-the-irish-photography-in-ireland-from-1839-to-now-in-pictures", + "creator": "", + "pubDate": "2021-12-14T07:00:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5f5fa6dce509eda509baf5697de26c82" + "hash": "a344c3827b0c37d9f856e3a2073e3020" }, { - "title": "How to Build a Terrarium, So It’s Always Gardening Season", - "description": "As winter closes in, there’s at least one place where plants will still grow: a terrarium. Here’s how to get started on yours.", - "content": "As winter closes in, there’s at least one place where plants will still grow: a terrarium. Here’s how to get started on yours.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/11/26/realestate/how-to-build-a-terrarium.html", - "creator": "Margaret Roach", - "pubDate": "Fri, 26 Nov 2021 10:00:28 +0000", + "title": "Boris Johnson confirms one patient has died with Omicron – video", + "description": "

    The UK prime minister has stressed that lateral flow tests are available in the shops as the NHS website shows that tests are unavailable. Boris Johnson denied that he broke any lockdown rules last year after a video of him hosting a Christmas quiz emerged 

    Continue reading...", + "content": "

    The UK prime minister has stressed that lateral flow tests are available in the shops as the NHS website shows that tests are unavailable. Boris Johnson denied that he broke any lockdown rules last year after a video of him hosting a Christmas quiz emerged 

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/13/boris-johnson-confirms-one-patient-has-died-with-omicron-video", + "creator": "", + "pubDate": "2021-12-13T14:46:43Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dba47feaefefa6984d0e8b7becc02742" + "hash": "24f996f77a0ca6b1766bd418164aa34d" }, { - "title": "Edward Durr Jr.: The Trump Republican Who’s Riding High in New Jersey", - "description": "“If anything, my election showed nobody’s untouchable,” said Edward Durr Jr., who pulled off a stunning victory to win a New Jersey State Senate seat.", - "content": "“If anything, my election showed nobody’s untouchable,” said Edward Durr Jr., who pulled off a stunning victory to win a New Jersey State Senate seat.", - "category": "Elections, State Legislature", - "link": "https://www.nytimes.com/2021/11/26/nyregion/edward-durr-new-jersey-republican.html", - "creator": "Tracey Tully", - "pubDate": "Fri, 26 Nov 2021 10:00:26 +0000", + "title": "South Dakota teachers scramble for dollar bills to buy classroom supplies in half-time game – video", + "description": "

    A competition pitting 10 teachers against each other to scramble for dollar bills to fund school supplies in a city in South Dakota has been described as ‘demeaning’ and drawn comparisons with the hit Netflix series Squid Game.

    The local Argus Leader newspaper reported that $5,000 (£3,770) in single dollar bills was laid out on the ice skating ring during the Sioux Falls Stampede hockey game on Saturday night, and the teachers from nearby schools competed to grab as many as possible in less than five minutes

    Continue reading...", + "content": "

    A competition pitting 10 teachers against each other to scramble for dollar bills to fund school supplies in a city in South Dakota has been described as ‘demeaning’ and drawn comparisons with the hit Netflix series Squid Game.

    The local Argus Leader newspaper reported that $5,000 (£3,770) in single dollar bills was laid out on the ice skating ring during the Sioux Falls Stampede hockey game on Saturday night, and the teachers from nearby schools competed to grab as many as possible in less than five minutes

    Continue reading...", + "category": "South Dakota", + "link": "https://www.theguardian.com/us-news/video/2021/dec/13/south-dakota-teachers-scramble-for-dollar-bills-to-buy-classroom-supplies-in-half-time-game-video", + "creator": "", + "pubDate": "2021-12-13T12:55:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a558d3a4db0072604ba5166a8be9f8b" + "hash": "3006d034e4030cc540913cba46e5ccd0" }, { - "title": "New Variant in South Africa Displays a ‘Jump in Evolution’", - "description": "It’s too early to say how effective vaccines will be against the variant. Britain will bar flights from six African countries. Here’s the latest on Covid.", - "content": "It’s too early to say how effective vaccines will be against the variant. Britain will bar flights from six African countries. Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/25/world/covid-vaccine-boosters-mandates", - "creator": "The New York Times", - "pubDate": "Thu, 25 Nov 2021 22:41:22 +0000", + "title": "Capitol attack panel recommends Mark Meadows for criminal prosecution", + "description": "

    In a unanimous vote, the committee said Donald Trump’s former chief of staff attempted to obstruct the 6 January investigation

    The House select committee investigating the Capitol attack on Monday voted to recommend the criminal prosecution for former Trump White House chief of staff Mark Meadows, punishing Donald Trump’s most senior aide for refusing to testify about the 6 January insurrection.

    The select committee advanced the contempt of Congress report for Meadows unanimously, sending the matter to a vote before the full House of Representatives, which is expected to approve the citation as soon as Tuesday.

    Continue reading...", + "content": "

    In a unanimous vote, the committee said Donald Trump’s former chief of staff attempted to obstruct the 6 January investigation

    The House select committee investigating the Capitol attack on Monday voted to recommend the criminal prosecution for former Trump White House chief of staff Mark Meadows, punishing Donald Trump’s most senior aide for refusing to testify about the 6 January insurrection.

    The select committee advanced the contempt of Congress report for Meadows unanimously, sending the matter to a vote before the full House of Representatives, which is expected to approve the citation as soon as Tuesday.

    Continue reading...", + "category": "US Capitol attack", + "link": "https://www.theguardian.com/us-news/2021/dec/13/mark-meadows-capitol-attack-committee-vote-prosecution", + "creator": "Hugo Lowell in Washington DC", + "pubDate": "2021-12-14T00:50:58Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1a06e51fef468f7a3b4d708a874384f" + "hash": "6f664abcc6af2668b89ba32a319b9718" }, { - "title": "Don Johnson Is Back as ‘Nash Bridges.’ Why?", - "description": "The actor was already having a renaissance thanks to “Knives Out” and “Watchmen.” But 20 years on, Nash remains one of Johnson’s favorite roles.", - "content": "The actor was already having a renaissance thanks to “Knives Out” and “Watchmen.” But 20 years on, Nash remains one of Johnson’s favorite roles.", - "category": "Television", - "link": "https://www.nytimes.com/2021/11/25/arts/television/nash-bridges-don-johnson.html", - "creator": "Robert Ito", - "pubDate": "Thu, 25 Nov 2021 22:29:07 +0000", + "title": "Antony Blinken warns China to stop ‘aggressive actions’ in Asia-Pacific", + "description": "

    US secretary of state opens his tour of south-east Asia with a speech pledging to defend US partners and ‘rules-based order’

    US secretary of state Antony Blinken has used a visit to Indo-Pacific to urge China to cease “aggressive actions” in the region, as Washington seeks to bolster alliances against Beijing.

    President Joe Biden’s administration is trying to reset relations and reassert its influence in Asia after the turbulence and unpredictability of the Donald Trump era.

    Continue reading...", + "content": "

    US secretary of state opens his tour of south-east Asia with a speech pledging to defend US partners and ‘rules-based order’

    US secretary of state Antony Blinken has used a visit to Indo-Pacific to urge China to cease “aggressive actions” in the region, as Washington seeks to bolster alliances against Beijing.

    President Joe Biden’s administration is trying to reset relations and reassert its influence in Asia after the turbulence and unpredictability of the Donald Trump era.

    Continue reading...", + "category": "US foreign policy", + "link": "https://www.theguardian.com/us-news/2021/dec/14/antony-blinken-warns-china-to-stop-aggressive-actions-in-asia-pacific", + "creator": "Agence France-Presse", + "pubDate": "2021-12-14T04:54:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e8a9a5493ed6b8b0aad67421d369a765" + "hash": "a51ca8e1aef02cc0535f4f87f104144b" }, { - "title": "Abuses Under Gambia’s Ex-Ruler Should Be Prosecuted, Inquiry Says", - "description": "A commission’s long-awaited investigation reported widespread human rights violations, but it is not clear if anyone will be charged with crimes.", - "content": "A commission’s long-awaited investigation reported widespread human rights violations, but it is not clear if anyone will be charged with crimes.", - "category": "Human Rights and Human Rights Violations", - "link": "https://www.nytimes.com/2021/11/25/world/gambia-jammeh-prosecution.html", - "creator": "Saikou Jammeh and Ruth Maclean", - "pubDate": "Thu, 25 Nov 2021 22:25:28 +0000", + "title": "Amazon faces scrutiny over worker safety after tornado strikes warehouse", + "description": "

    Federal authorities investigate disaster in Edwardsville, Illinois, where six people died

    Questions over worker safety at Amazon are intensifying once again after a tornado struck an Amazon warehouse in Edwardsville, Illinois, on Friday, leaving six people dead and another hospitalized.

    On Monday, the federal Occupational Health and Safety Administration said it opened a workplace safety investigation into the warehouse collapse. Meanwhile, workers and activists are calling for more action.

    Continue reading...", + "content": "

    Federal authorities investigate disaster in Edwardsville, Illinois, where six people died

    Questions over worker safety at Amazon are intensifying once again after a tornado struck an Amazon warehouse in Edwardsville, Illinois, on Friday, leaving six people dead and another hospitalized.

    On Monday, the federal Occupational Health and Safety Administration said it opened a workplace safety investigation into the warehouse collapse. Meanwhile, workers and activists are calling for more action.

    Continue reading...", + "category": "Amazon", + "link": "https://www.theguardian.com/technology/2021/dec/13/amazon-warehouse-collapse-safety-illinois", + "creator": "Kari Paul and agencies", + "pubDate": "2021-12-14T04:50:34Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55cfcac0577c26364b3fa62f0d691a45" + "hash": "f47601a3c8bec1c20bf05120b2a11dba" }, { - "title": "How a Prosecutor Addressed a Mostly White Jury and Won a Conviction in the Arbery Case", - "description": "Linda Dunikoski, a prosecutor brought in from the Atlanta area, struck a careful tone in a case that many saw as an obvious act of racial violence.", - "content": "Linda Dunikoski, a prosecutor brought in from the Atlanta area, struck a careful tone in a case that many saw as an obvious act of racial violence.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/25/us/prosecutor-white-jury-conviction-ahmaud-arbery.html", - "creator": "Richard Fausset", - "pubDate": "Thu, 25 Nov 2021 22:21:51 +0000", + "title": "Naming Elon Musk person of the year is Time’s ‘worst choice ever’, say critics", + "description": "

    Publication cites Tesla boss’s influence ‘for good or ill’, but accolade is criticised over billionaire’s attitude to tax, unions and Covid

    Time magazine’s decision to make Tesla billionaire Elon Musk its person of the year for 2021 has been criticised because of his attitude to tax, opposition to unions and playing down the dangers of Covid-19.

    Musk, who is also the founder and chief executive of space exploration company SpaceX, recently passed Amazon founder Jeff Bezos as the world’s wealthiest person as the rising price of Tesla shares pushed his net worth to around $300bn.

    Continue reading...", + "content": "

    Publication cites Tesla boss’s influence ‘for good or ill’, but accolade is criticised over billionaire’s attitude to tax, unions and Covid

    Time magazine’s decision to make Tesla billionaire Elon Musk its person of the year for 2021 has been criticised because of his attitude to tax, opposition to unions and playing down the dangers of Covid-19.

    Musk, who is also the founder and chief executive of space exploration company SpaceX, recently passed Amazon founder Jeff Bezos as the world’s wealthiest person as the rising price of Tesla shares pushed his net worth to around $300bn.

    Continue reading...", + "category": "Elon Musk", + "link": "https://www.theguardian.com/technology/2021/dec/14/elon-musk-time-person-of-the-year-worst-ever-choice-say-critics", + "creator": "Martin Farrer and agencies", + "pubDate": "2021-12-14T03:58:58Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e48fbc5b94e38c4c801ab13ff69fbe9" + "hash": "25affc69b20774b391fef36b9491be96" }, { - "title": "Undeterred by Channel’s Perils, Desperate Migrants Still Plan to Cross", - "description": "The number of migrants setting off into the English Channel by boat has soared in recent months. The deaths Wednesday of at least 27 people trying to make the crossing illustrate how dangerous it is.", - "content": "The number of migrants setting off into the English Channel by boat has soared in recent months. The deaths Wednesday of at least 27 people trying to make the crossing illustrate how dangerous it is.", - "category": "Middle East and Africa Migrant Crisis", - "link": "https://www.nytimes.com/2021/11/25/world/europe/english-channel-migrant-crossings.html", - "creator": "Constant Méheut and Norimitsu Onishi", - "pubDate": "Thu, 25 Nov 2021 21:24:32 +0000", + "title": "Tunisia’s president calls constitutional referendum followed by elections in 2022", + "description": "

    Kais Saied, who is facing rising criticism after suspending parliament, says the public will be consulted ahead of the referendum set for 25 July

    The Tunisian president, Kais Saied, has announced a constitutional referendum to be held next July, a year to the day after he seized broad powers in moves his opponents call a coup.

    Laying out the timeline for his proposed political changes in a televised speech, Saied said the referendum would take place on 25 July, following an online public consultation starting in January. Parliamentary elections would follow at the end of 2022.

    Continue reading...", + "content": "

    Kais Saied, who is facing rising criticism after suspending parliament, says the public will be consulted ahead of the referendum set for 25 July

    The Tunisian president, Kais Saied, has announced a constitutional referendum to be held next July, a year to the day after he seized broad powers in moves his opponents call a coup.

    Laying out the timeline for his proposed political changes in a televised speech, Saied said the referendum would take place on 25 July, following an online public consultation starting in January. Parliamentary elections would follow at the end of 2022.

    Continue reading...", + "category": "Tunisia", + "link": "https://www.theguardian.com/world/2021/dec/14/tunisias-president-calls-constitutional-referendum-followed-by-elections-in-2022", + "creator": "Reuters", + "pubDate": "2021-12-14T06:20:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbf628533b2457db29e430db7d543b34" + "hash": "8f8f31016410830384d2a20df2882c95" }, { - "title": "A Parade Returns to a City Thankful for Normal", - "description": "About 4,500 volunteers wrangled giant balloons and threw confetti into a crowd excited to see the annual parade in person.", - "content": "About 4,500 volunteers wrangled giant balloons and threw confetti into a crowd excited to see the annual parade in person.", - "category": "Parades", - "link": "https://www.nytimes.com/2021/11/25/nyregion/macys-thanksgiving-parade.html", - "creator": "Sarah Maslin Nir", - "pubDate": "Thu, 25 Nov 2021 21:10:04 +0000", + "title": "Russia vetoes UN security council resolution linking climate crisis to international peace", + "description": "

    The resolution proposed that the climate crisis could potentially threaten ‘global peace, security and stability’

    Russia has vetoed a first-of-its-kind UN security council resolution casting the climate crisis as a threat to international peace and security – a vote that sank a years-long effort to make global heating more central to decision-making in the UN’s most powerful body.

    Spearheaded by Ireland and Niger, the proposal called for “incorporating information on the security implications of climate change” into the council’s strategies for managing conflicts and into peacekeeping operations and political missions, at least sometimes.

    Continue reading...", + "content": "

    The resolution proposed that the climate crisis could potentially threaten ‘global peace, security and stability’

    Russia has vetoed a first-of-its-kind UN security council resolution casting the climate crisis as a threat to international peace and security – a vote that sank a years-long effort to make global heating more central to decision-making in the UN’s most powerful body.

    Spearheaded by Ireland and Niger, the proposal called for “incorporating information on the security implications of climate change” into the council’s strategies for managing conflicts and into peacekeeping operations and political missions, at least sometimes.

    Continue reading...", + "category": "United Nations", + "link": "https://www.theguardian.com/world/2021/dec/13/russia-vetoes-un-security-council-resolution-climate-crisis-international-peace", + "creator": "Associated Press in New York", + "pubDate": "2021-12-13T23:43:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b689e69ad473c683622417c6f54b7cc4" + "hash": "20f752e2509a75e3bf0c344835db25b0" }, { - "title": "Manchester United Picks Ralf Rangnick as Interim Manager", - "description": "Rangnick, an architect of the Red Bull soccer empire, will take over as United’s manager while the club pursues a permanent replacement for Ole Gunnar Solskjaer.", - "content": "Rangnick, an architect of the Red Bull soccer empire, will take over as United’s manager while the club pursues a permanent replacement for Ole Gunnar Solskjaer.", - "category": "Soccer", - "link": "https://www.nytimes.com/2021/11/25/sports/soccer/manchester-united-ralf-rangnick.html", - "creator": "Rory Smith", - "pubDate": "Thu, 25 Nov 2021 19:25:37 +0000", + "title": "‘Null and void’: boycott clouds New Caledonia’s final poll on independence", + "description": "

    Overwhelming vote to remain with France, but low turnout ‘weighs heavily’ on self-determination process, say observers

    Low voter turnout at New Caledonia’s independence referendum “weighs heavily” on the French territory’s self-determination process, election observers from the Pacific Islands Forum have said.

    In Sunday’s referendum, more than 96% of voters were opposed to independence from France, compared with 57% in 2018 and 53% in 2020.

    Continue reading...", + "content": "

    Overwhelming vote to remain with France, but low turnout ‘weighs heavily’ on self-determination process, say observers

    Low voter turnout at New Caledonia’s independence referendum “weighs heavily” on the French territory’s self-determination process, election observers from the Pacific Islands Forum have said.

    In Sunday’s referendum, more than 96% of voters were opposed to independence from France, compared with 57% in 2018 and 53% in 2020.

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/2021/dec/14/null-and-void-boycott-clouds-new-caledonias-final-poll-on-independence", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-14T04:23:14Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f969afab09198f73d27f76dc9d15e128" + "hash": "a4de2665726eab347915bc86a8e9e0b3" }, { - "title": "Newark Officer Hit a Pedestrian With His Car and Took Body Home, Prosecutors Say", - "description": "Louis Santiago was charged with reckless vehicular homicide after being accused of hitting a man on the Garden State Parkway. Instead of calling 911, the off-duty police officer took the victim to his home.", - "content": "Louis Santiago was charged with reckless vehicular homicide after being accused of hitting a man on the Garden State Parkway. Instead of calling 911, the off-duty police officer took the victim to his home.", - "category": "Santiago, Louis (Newark, NJ, Police Officer)", - "link": "https://www.nytimes.com/2021/11/25/nyregion/new-jersey-police-officer-car-home.html", - "creator": "Mike Ives and Alyssa Lukpat", - "pubDate": "Thu, 25 Nov 2021 19:24:16 +0000", + "title": "Sailor charged over fire that destroyed US warship ‘disgruntled’, prosecutors say", + "description": "

    Seaman Apprentice Ryan Sawyer Mays denies setting fire to USS Bonhomme Richard last year, in a blaze that burned for five days


    Navy prosecutors have alleged that a sailor charged with setting the fire that destroyed the USS Bonhomme Richard last year was “disgruntled” after dropping out of Navy Seal training.

    Prosecutor Commander Richard Federico alleged in court on Monday that text messages show Seaman Apprentice Ryan Sawyer Mays lied to family, friends and investigators about why he left Seal training and that he was angry about being reassigned to the Bonhomme Richard. They also alleged he used foul language with a superior days before the blaze.

    Continue reading...", + "content": "

    Seaman Apprentice Ryan Sawyer Mays denies setting fire to USS Bonhomme Richard last year, in a blaze that burned for five days


    Navy prosecutors have alleged that a sailor charged with setting the fire that destroyed the USS Bonhomme Richard last year was “disgruntled” after dropping out of Navy Seal training.

    Prosecutor Commander Richard Federico alleged in court on Monday that text messages show Seaman Apprentice Ryan Sawyer Mays lied to family, friends and investigators about why he left Seal training and that he was angry about being reassigned to the Bonhomme Richard. They also alleged he used foul language with a superior days before the blaze.

    Continue reading...", + "category": "US military", + "link": "https://www.theguardian.com/us-news/2021/dec/14/sailor-charged-over-fire-that-destroyed-us-warship-disgruntled-prosecutors-say", + "creator": "Associated Press", + "pubDate": "2021-12-14T05:20:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "451eccd6ed72849dd77b50caff1cd5fb" + "hash": "015a569f712aefbce826e2822b96b08c" }, { - "title": "Sweden Finally Chose a Prime Minister. She Lasted About 7 Hours.", - "description": "Magdalena Andersson, Sweden’s first female prime minister, quit after her government’s budget was defeated on her first day in office and her coalition partners bolted.", - "content": "Magdalena Andersson, Sweden’s first female prime minister, quit after her government’s budget was defeated on her first day in office and her coalition partners bolted.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/25/world/europe/sweden-first-female-prime-minister-quit.html", - "creator": "Aina J. Khan", - "pubDate": "Thu, 25 Nov 2021 18:33:15 +0000", + "title": "Brain surgeons and rocket scientists no brighter than the rest of us, study finds", + "description": "

    Data from 329 aerospace engineers and 72 neurosurgeons suggests they are not necessarily cleverer than general population

    It may not be rocket science, but researchers have found aerospace engineers and brain surgeons are not necessarily brighter than the general population.

    Researchers examined data from an international cohort of 329 aerospace engineers and 72 neurosurgeons who completed 12 tasks online using the Great British Intelligence Test (GBIT) from the Cognitron platform, as well as answering questions around their age, sex and levels of experience in their speciality.

    Continue reading...", + "content": "

    Data from 329 aerospace engineers and 72 neurosurgeons suggests they are not necessarily cleverer than general population

    It may not be rocket science, but researchers have found aerospace engineers and brain surgeons are not necessarily brighter than the general population.

    Researchers examined data from an international cohort of 329 aerospace engineers and 72 neurosurgeons who completed 12 tasks online using the Great British Intelligence Test (GBIT) from the Cognitron platform, as well as answering questions around their age, sex and levels of experience in their speciality.

    Continue reading...", + "category": "Neuroscience", + "link": "https://www.theguardian.com/science/2021/dec/13/brain-surgeon-or-rocket-scientist-study-tries-to-find-out-who-is-smarter", + "creator": "Nicola Davis", + "pubDate": "2021-12-13T23:30:31Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f69459e6954622b558981332de904dd" + "hash": "0b1aa2fb9bf3bc955c6f7a77779e91e1" }, { - "title": "Ethiopian Leader Vows to Lead Troops as War Threatens to Widen", - "description": "Two years after receiving the Nobel Peace Prize, Prime Minister Abiy Ahmed’s claim that he was going into battle reflected both resolve and vulnerability.", - "content": "Two years after receiving the Nobel Peace Prize, Prime Minister Abiy Ahmed’s claim that he was going into battle reflected both resolve and vulnerability.", - "category": "Tigrayans (Ethnic Group)", - "link": "https://www.nytimes.com/2021/11/25/world/africa/ethiopia-abiy-troops-battlefront.html", - "creator": "Declan Walsh", - "pubDate": "Thu, 25 Nov 2021 18:16:54 +0000", + "title": "Covid live: Raab says English vaccine passport concerns ‘overstated’; France confirms 130 Omicron cases", + "description": "

    NHS England asks hospitals to discharge patients where possible; South Korea reports a record number of Covid patients in serious or critical condition

    United States secretary of state Antony Blinken says by the end of next year, the US will have donated more than 1.2b Covid-19 vaccine doses to the world, Reuters is reporting.

    The US air force has discharged 27 people for refusing to get the Covid-19 vaccine, making them what officials believe are the first service members to be removed for disobeying the mandate.

    Continue reading...", + "content": "

    NHS England asks hospitals to discharge patients where possible; South Korea reports a record number of Covid patients in serious or critical condition

    United States secretary of state Antony Blinken says by the end of next year, the US will have donated more than 1.2b Covid-19 vaccine doses to the world, Reuters is reporting.

    The US air force has discharged 27 people for refusing to get the Covid-19 vaccine, making them what officials believe are the first service members to be removed for disobeying the mandate.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/14/covid-news-live-us-coronavirus-cases-surpass-50m-china-reports-first-omicron-case", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-12-14T09:08:27Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8da53f37dae6c3a33d7b929775acccb3" + "hash": "ea3ee17d1d79bc2a8e7798b5df229cbb" }, { - "title": "G.O.P. Cements Hold on Legislatures in Battleground States", - "description": "Democrats were once able to count on wave elections to win back key statehouses. Republican gerrymandering is making that all but impossible.", - "content": "Democrats were once able to count on wave elections to win back key statehouses. Republican gerrymandering is making that all but impossible.", - "category": "Republican Party", - "link": "https://www.nytimes.com/2021/11/25/us/politics/republican-redistricting-swing-states.html", - "creator": "Nick Corasaniti", - "pubDate": "Thu, 25 Nov 2021 18:14:00 +0000", + "title": "‘A strange time’: letters document Covid lockdown for New Zealand’s elderly", + "description": "

    Older people described how they coped with enforced isolation, with some finding the experience positive

    A trove of nearly 800 letters recording the lockdown experiences of older New Zealanders has been collected in a University of Auckland research project called Have Our Say. Researchers appealed for written accounts of lockdown to understand how older people coped with enforced isolation, and to amplify elders’ voices. The letter writers were all over 70. Many described the importance of daily routines, their experiences during historical crises and how they stayed involved in their community. The letters will be held by the Auckland War Memorial Museum.

    Here are some excerpts from the collection:

    Continue reading...", + "content": "

    Older people described how they coped with enforced isolation, with some finding the experience positive

    A trove of nearly 800 letters recording the lockdown experiences of older New Zealanders has been collected in a University of Auckland research project called Have Our Say. Researchers appealed for written accounts of lockdown to understand how older people coped with enforced isolation, and to amplify elders’ voices. The letter writers were all over 70. Many described the importance of daily routines, their experiences during historical crises and how they stayed involved in their community. The letters will be held by the Auckland War Memorial Museum.

    Here are some excerpts from the collection:

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/14/a-strange-time-letters-document-covid-lockdown-for-new-zealands-elderly", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-14T02:21:51Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "646d52c809bfd9b3eebf0206c87e908f" + "hash": "b9e82aaee3a9382f38d903c5fd71d688" }, { - "title": "80 Years of Holiday Shopping in New York", - "description": "Holiday shopping over the past 80 years as chronicled in photos from The New York Times archives.", - "content": "Holiday shopping over the past 80 years as chronicled in photos from The New York Times archives.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/11/25/business/black-friday-holiday-shopping.html", - "creator": "", - "pubDate": "Thu, 25 Nov 2021 17:00:10 +0000", + "title": "As focus turns to Covid boosters what other measures could tackle Omicron", + "description": "

    Boris Johnson has not ruled out new restrictions but how effective could they be and what are the political risks

    Ministers’ focus may be a “national mission” to roll out booster vaccines to counter the dramatic rise of the Omicron variant, but the government has not ruled out new restrictions for England. Here we look at options on the table, how effective they could be at reducing the spread of coronavirus and the level of political risk for Boris Johnson.

    Mandatory isolation for all close Covid contacts

    Continue reading...", + "content": "

    Boris Johnson has not ruled out new restrictions but how effective could they be and what are the political risks

    Ministers’ focus may be a “national mission” to roll out booster vaccines to counter the dramatic rise of the Omicron variant, but the government has not ruled out new restrictions for England. Here we look at options on the table, how effective they could be at reducing the spread of coronavirus and the level of political risk for Boris Johnson.

    Mandatory isolation for all close Covid contacts

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/14/as-focus-turns-to-covid-boosters-what-other-measures-could-tackle-omicron", + "creator": "Heather Stewart and Nicola Davis", + "pubDate": "2021-12-14T06:00:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7526f0ec18f69276a600477917129349" + "hash": "7aa0d270590f51dc7f1e2d11542356cc" }, { - "title": "As Young Kids Get Covid Shots, Families Feel a 'Huge Weight' Lifted", - "description": "Many households with immunocompromised or vulnerable relatives are racing to get Covid shots for their 5-to-11-year-olds — and finally experiencing a long-awaited sense of relief.", - "content": "Many households with immunocompromised or vulnerable relatives are racing to get Covid shots for their 5-to-11-year-olds — and finally experiencing a long-awaited sense of relief.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/25/health/covid-vaccine-children-immunocompromised.html", - "creator": "Jennifer Steinhauer", - "pubDate": "Thu, 25 Nov 2021 16:46:16 +0000", + "title": "Succession creator Jesse Armstrong on its thunderous finale: ‘That might be as good as I’ve got’", + "description": "

    Season three of the hit show has made even more headlines than usual. We ask its British creator if he’s had enough yet, if actor Jeremy Strong is doing OK – and if his character Kendall is actually Jesus

    • Warning: contains spoilers

    Yesterday, like much of the rest of the world, I watched the finale of the third season of Succession. And, like much of the rest of the world, I found myself buffeted by one astonishing twist after another – and a gasp-inducing climax that outdid even those of series one and two. Unlike my fellow viewers, however, pretty much the first thing I see after the end credits roll is the face of Jesse Armstrong, the show’s creator, popping up over Zoom and politely attempting to dissuade me from discussing the episode.

    Unlike other big TV showrunners – who will happily explain, and sometimes over-explain, every single second – Armstrong prefers to remain hands off. He tries not to read the acres of theorising that Succession inspires. Such post-match analyses, he says, can often feel like a tightrope walk. “There’s a bit of me that just wants to find out what the fuck everyone is saying about the show,” he says from his book-lined study in London. “But you can’t. It wouldn’t be good for me psychologically – and it wouldn’t be good for the creative process of doing the show.”

    Continue reading...", + "content": "

    Season three of the hit show has made even more headlines than usual. We ask its British creator if he’s had enough yet, if actor Jeremy Strong is doing OK – and if his character Kendall is actually Jesus

    • Warning: contains spoilers

    Yesterday, like much of the rest of the world, I watched the finale of the third season of Succession. And, like much of the rest of the world, I found myself buffeted by one astonishing twist after another – and a gasp-inducing climax that outdid even those of series one and two. Unlike my fellow viewers, however, pretty much the first thing I see after the end credits roll is the face of Jesse Armstrong, the show’s creator, popping up over Zoom and politely attempting to dissuade me from discussing the episode.

    Unlike other big TV showrunners – who will happily explain, and sometimes over-explain, every single second – Armstrong prefers to remain hands off. He tries not to read the acres of theorising that Succession inspires. Such post-match analyses, he says, can often feel like a tightrope walk. “There’s a bit of me that just wants to find out what the fuck everyone is saying about the show,” he says from his book-lined study in London. “But you can’t. It wouldn’t be good for me psychologically – and it wouldn’t be good for the creative process of doing the show.”

    Continue reading...", + "category": "Succession", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/14/succession-creator-jesse-armstrong-finale-kendall-as-good-as-ive-got", + "creator": "Stuart Heritage", + "pubDate": "2021-12-14T06:00:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3a8685166b53f17b56162fa13e2b017" + "hash": "9e53569ab690152e06673f1ba74092cb" }, { - "title": "Why Retailers Are Fighting a Vaccine Mandate Before the Holidays", - "description": "The Biden administration has called on major companies to help fight the pandemic. Big chains want to get past the holiday staffing crunch first.", - "content": "The Biden administration has called on major companies to help fight the pandemic. Big chains want to get past the holiday staffing crunch first.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/11/25/business/retail-vaccine-mandates.html", - "creator": "Lauren Hirsch and Sapna Maheshwari", - "pubDate": "Thu, 25 Nov 2021 15:43:42 +0000", + "title": "Those we lost in 2021: Una Stubbs remembered by Martin Freeman", + "description": "

    1 May 1937 – 12 August 2021
    The actor recalls his Sherlock co-star, a doyenne of British TV whose youthful, no-nonsense energy and humour were irresistible

    January, 2009. We were making the pilot episode of Sherlock. A long night shoot lay ahead of us, a 4 or 5am job. Ben Cumberbatch was busy that night wrestling with Phil Davis as a baddie cabbie. That left me with a lot of time on my hands, trying to stay awake and focused. Fortunately, for company I had Una Stubbs. It was pretty much the first time I’d met her, certainly the first time I got to know her. She was funny, naughty and incredibly warm and generous. Oh, and very stylish too. As first impressions go, it summed her up pretty well.

    I had watched Una all my life, off and on. She’d been famous before I was born, from being the dancing girl in the Dairy Box ads, one of Cliff’s gang in Summer Holiday, and as Rita in Till Death Us Do Part. I was a massive fan of Till Death… from an early age; about the time that I was watching her on Worzel Gummidge (a fantastic performance as Aunt Sally), Give Us a Clue, and turning up in one of the greatest comedies ever, Fawlty Towers.

    Continue reading...", + "content": "

    1 May 1937 – 12 August 2021
    The actor recalls his Sherlock co-star, a doyenne of British TV whose youthful, no-nonsense energy and humour were irresistible

    January, 2009. We were making the pilot episode of Sherlock. A long night shoot lay ahead of us, a 4 or 5am job. Ben Cumberbatch was busy that night wrestling with Phil Davis as a baddie cabbie. That left me with a lot of time on my hands, trying to stay awake and focused. Fortunately, for company I had Una Stubbs. It was pretty much the first time I’d met her, certainly the first time I got to know her. She was funny, naughty and incredibly warm and generous. Oh, and very stylish too. As first impressions go, it summed her up pretty well.

    I had watched Una all my life, off and on. She’d been famous before I was born, from being the dancing girl in the Dairy Box ads, one of Cliff’s gang in Summer Holiday, and as Rita in Till Death Us Do Part. I was a massive fan of Till Death… from an early age; about the time that I was watching her on Worzel Gummidge (a fantastic performance as Aunt Sally), Give Us a Clue, and turning up in one of the greatest comedies ever, Fawlty Towers.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/14/obituaries-2021-una-stubbs-remembered-by-martin-freeman", + "creator": "Guardian Staff", + "pubDate": "2021-12-14T09:00:12Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c73ddf9c89bd0a61991a2e1a2d682de" + "hash": "7517cbb3bd3d54a0ad2ba80ec04503cc" }, { - "title": "Embracing the Swimming Culture After a Move to Australia", - "description": "In Sydney, something changed. I embraced the uncertainty of the sea, following my children into a culture of volunteer lifesaving.", - "content": "In Sydney, something changed. I embraced the uncertainty of the sea, following my children into a culture of volunteer lifesaving.", - "category": "Drownings", - "link": "https://www.nytimes.com/2021/11/25/sports/australia-volunteer-lifesaving-swimming.html", - "creator": "Damien Cave and Michaela Skovranova", - "pubDate": "Thu, 25 Nov 2021 15:34:15 +0000", + "title": "Colm Tóibín: ‘Boris Johnson would be a blood clot … Angela Merkel the cancer’", + "description": "

    The acclaimed novelist on chemotherapy, growing up gay in Ireland and writing his first poetry collection at the age of 66

    In June 2018, Colm Tóibín was four chapters into writing his most recent novel The Magician, an epic fictional biography of Thomas Mann that he had put off for decades, when he was diagnosed with cancer. “It all started with my balls,” he begins a blisteringly witty essay about his months in hospital; cancer of the testicles had spread to his lungs and liver. In bed he amuses himself by identifying the difference between blood clots (a new emergency) and cancer: “Boris Johnson would be a blood clot … Angela Merkel the cancer.”

    He has seen off both Johnson and Merkel. In the month when he hopes he will have a final scan, he has just been awarded the David Cohen prize (dubbed “the UK Nobel”) for a lifetime achievement in literature. The author of 10 novels, two short story collections, three plays, several nonfiction books and countless essays, Tóibín has been shortlisted for the Booker prize three times and won the Costa novel award in 2009 for Brooklyn, about a young Irish woman who emigrates to New York in the 1950s, made into an award-winning film in 2015. He is surely Ireland’s most prolific and prestigious living writer.

    Continue reading...", + "content": "

    The acclaimed novelist on chemotherapy, growing up gay in Ireland and writing his first poetry collection at the age of 66

    In June 2018, Colm Tóibín was four chapters into writing his most recent novel The Magician, an epic fictional biography of Thomas Mann that he had put off for decades, when he was diagnosed with cancer. “It all started with my balls,” he begins a blisteringly witty essay about his months in hospital; cancer of the testicles had spread to his lungs and liver. In bed he amuses himself by identifying the difference between blood clots (a new emergency) and cancer: “Boris Johnson would be a blood clot … Angela Merkel the cancer.”

    He has seen off both Johnson and Merkel. In the month when he hopes he will have a final scan, he has just been awarded the David Cohen prize (dubbed “the UK Nobel”) for a lifetime achievement in literature. The author of 10 novels, two short story collections, three plays, several nonfiction books and countless essays, Tóibín has been shortlisted for the Booker prize three times and won the Costa novel award in 2009 for Brooklyn, about a young Irish woman who emigrates to New York in the 1950s, made into an award-winning film in 2015. He is surely Ireland’s most prolific and prestigious living writer.

    Continue reading...", + "category": "Colm Tóibín", + "link": "https://www.theguardian.com/books/2021/dec/14/colm-toibin-boris-johnson-would-be-a-blood-clot-angela-merkel-the-cancer", + "creator": "Lisa Allardice", + "pubDate": "2021-12-14T07:00:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e05322b698104eeb205d2fe258b6c99c" + "hash": "7ee1ae3b2b01fb6ffc55c7dd1c2d3c20" }, { - "title": "Here's Why You Always Have Room for Thanksgiving Pie", - "description": "There’s a reason you turn into an eating machine on Thanksgiving. It’s biology!", - "content": "There’s a reason you turn into an eating machine on Thanksgiving. It’s biology!", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/11/25/well/eat/eating-variety-effect-thanksgiving.html", - "creator": "Tara Parker-Pope", - "pubDate": "Thu, 25 Nov 2021 14:00:07 +0000", + "title": "‘I could be a bee in a hive’: the real-life Beekeeper of Aleppo on life in Yorkshire", + "description": "

    Ryad Alsous, whose story helped inspire the bestselling book, says life is sweet caring for his hives in Huddersfield

    In 2013, Syrian beekeeper Ryad Alsous drank his last cup of mint tea on the balcony of his flat in Damascus. He was about to leave the city where he had spent his whole life and move to Britain. Eight years later, he is again drinking mint tea made in the same flask but this time in Huddersfield. The flask is the only item he still has from his home in Syria. He is talking about the moment he left. “It was very difficult. And also full of hope,” he says.

    His block of flats had been bombed twice, and explosions in the eastern part of the city were happening daily. On the day he left, a loud bang nearby caused the doves perched on his balcony to briefly flutter into the air. He had been feeding the birds for years and realised they would have no one to look after them once he left.

    Continue reading...", + "content": "

    Ryad Alsous, whose story helped inspire the bestselling book, says life is sweet caring for his hives in Huddersfield

    In 2013, Syrian beekeeper Ryad Alsous drank his last cup of mint tea on the balcony of his flat in Damascus. He was about to leave the city where he had spent his whole life and move to Britain. Eight years later, he is again drinking mint tea made in the same flask but this time in Huddersfield. The flask is the only item he still has from his home in Syria. He is talking about the moment he left. “It was very difficult. And also full of hope,” he says.

    His block of flats had been bombed twice, and explosions in the eastern part of the city were happening daily. On the day he left, a loud bang nearby caused the doves perched on his balcony to briefly flutter into the air. He had been feeding the birds for years and realised they would have no one to look after them once he left.

    Continue reading...", + "category": "Bees", + "link": "https://www.theguardian.com/environment/2021/dec/14/i-could-be-a-bee-in-a-hive-the-real-life-beekeeper-of-aleppo-on-life-in-yorkshire-aoe", + "creator": "Phoebe Weston", + "pubDate": "2021-12-14T07:15:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea266d3a4026a1f41db06cf04c00f61e" + "hash": "be7bb7e2eeaf3ea06ae5310cf102e10d" }, { - "title": "Art We Saw This Fall", - "description": "From our critics, reviews of closed gallery shows around New York City.", - "content": "From our critics, reviews of closed gallery shows around New York City.", - "category": "Art", - "link": "https://www.nytimes.com/2021/11/25/arts/design/art-we-saw-this-fall.html", - "creator": "The New York Times", - "pubDate": "Thu, 25 Nov 2021 13:08:40 +0000", + "title": "Radioactive medicines found in London street by member of the public", + "description": "

    Item containing radiopharmaceuticals lost in transit after being transported between two hospitals

    A package of radioactive medicines was found in the street by a member of the public after being lost in transit between two London hospitals.

    The item, containing radiopharmaceuticals, is thought not to have been secured properly in the vehicle transporting it and, after coming loose, it came into contact with an internal door release and fell out while being moved between Siemens’ Mount Vernon hospital in London and London Bridge hospital in September.

    Continue reading...", + "content": "

    Item containing radiopharmaceuticals lost in transit after being transported between two hospitals

    A package of radioactive medicines was found in the street by a member of the public after being lost in transit between two London hospitals.

    The item, containing radiopharmaceuticals, is thought not to have been secured properly in the vehicle transporting it and, after coming loose, it came into contact with an internal door release and fell out while being moved between Siemens’ Mount Vernon hospital in London and London Bridge hospital in September.

    Continue reading...", + "category": "London", + "link": "https://www.theguardian.com/uk-news/2021/dec/13/radioactive-medicines-found-in-london-street-by-member-of-the-public", + "creator": "PA Media", + "pubDate": "2021-12-13T22:12:26Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a988e63315dd0d24a9d0ae6b0bcf7fe2" + "hash": "aa51358701e2697d2e9ee18cc171c67d" }, { - "title": "Suspect Arrested in Wonnangatta Valley Murder Case", - "description": "In a remote southern Australian area famed for its forbidding landscape and unsolved mysteries, the couple had set out for a weeklong trip and were never seen again.", - "content": "In a remote southern Australian area famed for its forbidding landscape and unsolved mysteries, the couple had set out for a weeklong trip and were never seen again.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/11/25/world/australia/suspect-is-charged-with-murder-in-case-of-two-vanished-campers.html", - "creator": "Yan Zhuang", - "pubDate": "Thu, 25 Nov 2021 11:46:21 +0000", + "title": "‘2.4C is a death sentence’: Vanessa Nakate’s fight for the forgotten countries of the climate crisis", + "description": "

    She started a youth strike in Uganda – then just kept going. She discusses climate justice, reparations, imperialism and why the global north must take responsibility

    In February 2020, at the World Economic Forum in Davos, Vanessa Nakate had her point made for her in the most vivid and “frustrating and heartbreaking” way. The Ugandan climate crisis activist, who turned 25 last month, had gone to Switzerland to introduce some perspective to its cosy consensus. “One of the things that I wanted to emphasise was the importance of listening to activists and people from the most affected areas,” she says. “How can we have climate justice if the people who are suffering the worst impacts of the climate crisis are not being listened to, not being platformed, not being amplified and are left out of the conversation? It’s not possible.”

    To this end, she appeared at a press conference with Greta Thunberg and three other white, European youth climate strikers. When the Associated Press published a photo of the meeting, it cropped out Nakate. It was, she said at the time, her first encounter with direct and blatant racism – and only reinforced her point and made her campaign more urgent. AP later expressed “regret” for its “error in judgment”.

    Continue reading...", + "content": "

    She started a youth strike in Uganda – then just kept going. She discusses climate justice, reparations, imperialism and why the global north must take responsibility

    In February 2020, at the World Economic Forum in Davos, Vanessa Nakate had her point made for her in the most vivid and “frustrating and heartbreaking” way. The Ugandan climate crisis activist, who turned 25 last month, had gone to Switzerland to introduce some perspective to its cosy consensus. “One of the things that I wanted to emphasise was the importance of listening to activists and people from the most affected areas,” she says. “How can we have climate justice if the people who are suffering the worst impacts of the climate crisis are not being listened to, not being platformed, not being amplified and are left out of the conversation? It’s not possible.”

    To this end, she appeared at a press conference with Greta Thunberg and three other white, European youth climate strikers. When the Associated Press published a photo of the meeting, it cropped out Nakate. It was, she said at the time, her first encounter with direct and blatant racism – and only reinforced her point and made her campaign more urgent. AP later expressed “regret” for its “error in judgment”.

    Continue reading...", + "category": "Climate crisis", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/13/24c-is-a-death-sentence-vanessa-nakates-fight-for-the-forgotten-countries-of-the-climate-crisis", + "creator": "Zoe Williams", + "pubDate": "2021-12-13T10:00:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "121a853f73a9a4b609f7591c2e4edb30" + "hash": "330db4dae0c7f2d3eff309e616225f82" }, { - "title": "A History of Unusual Thanksgivings", - "description": "From the pages of The Times.", - "content": "From the pages of The Times.", - "category": "", - "link": "https://www.nytimes.com/2021/11/25/briefing/thanksgiving-history-cooking-tips.html", - "creator": "David Leonhardt", - "pubDate": "Thu, 25 Nov 2021 11:28:05 +0000", + "title": "The network of election lawyers who are making it harder for Americans to vote", + "description": "

    Voting rights watchdogs have warned of a web of attorneys and groups, some who pushed Donald Trump’s big lie after the 2020 election

    A powerful network of conservative election lawyers and groups with links to Donald Trump have spent millions of dollars promoting new and onerous voting laws that many key battleground states such as Georgia and Texas have enacted.

    The moves have prompted election and voting rights watchdogs in America to warn about the suppression of non-white voters aimed at providing Republicans an edge in coming elections.

    Continue reading...", + "content": "

    Voting rights watchdogs have warned of a web of attorneys and groups, some who pushed Donald Trump’s big lie after the 2020 election

    A powerful network of conservative election lawyers and groups with links to Donald Trump have spent millions of dollars promoting new and onerous voting laws that many key battleground states such as Georgia and Texas have enacted.

    The moves have prompted election and voting rights watchdogs in America to warn about the suppression of non-white voters aimed at providing Republicans an edge in coming elections.

    Continue reading...", + "category": "US voting rights", + "link": "https://www.theguardian.com/us-news/2021/dec/14/us-election-lawyers-voting-rights", + "creator": "Peter Stone in Washington", + "pubDate": "2021-12-14T08:00:42Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3024f9ed7e5242a4e6701d1ac0b1498f" + "hash": "11608f38d2352a1872eb2156be3ae343" }, { - "title": "Rivian’s Electric Truck Is a Cutie and a Beast", - "description": "The R1T can haul five tons, conquer brutal off-road trails and sprint to 60 miles an hour in a blink. And about that Camp Kitchen tucked inside …", - "content": "The R1T can haul five tons, conquer brutal off-road trails and sprint to 60 miles an hour in a blink. And about that Camp Kitchen tucked inside …", - "category": "Rivian Automotive LLC", - "link": "https://www.nytimes.com/2021/11/25/business/rivian-r1t-truck-review.html", - "creator": "Lawrence Ulrich", - "pubDate": "Thu, 25 Nov 2021 11:00:10 +0000", + "title": "Mexicans pay tribute to Vicente Fernández, icon of ranchera music", + "description": "

    Family, friends and fellow musicians pay their final respects to the man known as ‘El Rey’ (the King) following his death at age 81

    Mexicans are in mourning for Vicente Fernández, the elaborately mustachioed icon of ranchera music, whose ballads of love and loss, golden baritones and singular stage presence captured the raw emotions of a nation.

    Fans have flocked to his ranch in western Jalisco state, where family, friends and fellow crooners paid their final respects to the man known as “El Rey” (the King) – and often just by the diminutive “Chente.”

    Continue reading...", + "content": "

    Family, friends and fellow musicians pay their final respects to the man known as ‘El Rey’ (the King) following his death at age 81

    Mexicans are in mourning for Vicente Fernández, the elaborately mustachioed icon of ranchera music, whose ballads of love and loss, golden baritones and singular stage presence captured the raw emotions of a nation.

    Fans have flocked to his ranch in western Jalisco state, where family, friends and fellow crooners paid their final respects to the man known as “El Rey” (the King) – and often just by the diminutive “Chente.”

    Continue reading...", + "category": "Mexico", + "link": "https://www.theguardian.com/world/2021/dec/13/vicente-fernandez-mexico-tributes-ranchera-music", + "creator": "David Agren in Mexico City", + "pubDate": "2021-12-13T20:50:13Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fe8a6b32ea6c34386cf8294cc64010c0" + "hash": "6acdfc11fdfc97136c896e37c0e670eb" }, { - "title": "The ‘13 Going on 30’ Versace Dress Has Come Full Circle", - "description": "A perfect storm of internet fashion trends — and Halloween — has resurrected a Y2K-era Versace dress. At least, for now.", - "content": "A perfect storm of internet fashion trends — and Halloween — has resurrected a Y2K-era Versace dress. At least, for now.", - "category": "Fashion and Apparel", - "link": "https://www.nytimes.com/2021/11/25/style/versace-13-going-on-30-dress.html", - "creator": "Jessica Testa", - "pubDate": "Thu, 25 Nov 2021 10:00:18 +0000", + "title": "Former NRL player Brett Finch arrested over alleged involvement in a child sexual abuse ring", + "description": "

    Finch one of eight men arrested over alleged involvement in discussions about sexually abusing children and swapping material depicting abuse

    Former NRL player Brett Finch is among eight men in NSW accused of being involved in a telephone chat line where they allegedly discussed sexually abusing children and swapped material depicting abuse.

    Finch is understood to be the 40-year-old man arrested on Tuesday at a Sans Souci home in Sydney’s south, where police also seized a mobile phone.

    Continue reading...", + "content": "

    Finch one of eight men arrested over alleged involvement in discussions about sexually abusing children and swapping material depicting abuse

    Former NRL player Brett Finch is among eight men in NSW accused of being involved in a telephone chat line where they allegedly discussed sexually abusing children and swapped material depicting abuse.

    Finch is understood to be the 40-year-old man arrested on Tuesday at a Sans Souci home in Sydney’s south, where police also seized a mobile phone.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/14/former-nrl-player-brett-finch-arrested-over-alleged-involvement-in-a-child-sexual-abuse-ring", + "creator": "Australian Associated Press", + "pubDate": "2021-12-14T09:03:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14f2e5c29d7d6fda5a18950a31864064" + "hash": "ae3b5a8d4058d3865e12b33c55c05d90" }, { - "title": "How Liberals Can Be Happier", - "description": "They can embrace social institutions like family, religion and local civic organizations. ", - "content": "They can embrace social institutions like family, religion and local civic organizations. ", - "category": "Happiness", - "link": "https://www.nytimes.com/2021/11/25/opinion/liberals-happiness-thanksgiving.html", - "creator": "Brad Wilcox, Hal Boyd and Wendy Wang", - "pubDate": "Thu, 25 Nov 2021 10:00:06 +0000", + "title": "Top toddy: Sri Lanka’s tree tapping trade reaches new heights", + "description": "

    ‘Toddy tappers’ who collect sap used in everything from palm wine to ice-cream are enjoying a boost to business that has revived the traditional skill and improved their quality of life

    The palmyra palm tree with its wide fan leaves is a distinctive and common sight across Jaffna, northern Sri Lanka, thriving in the arid conditions.

    Kutty, who goes by only one name, is a “toddy tapper”. Climbing the palms with his clay pot, he collects sap from the flower heads at the top of the great trees, which can grow to more than 30 metres (90ft). The sap is fermented to make toddy, an alcoholic drink also known as palm wine.

    Continue reading...", + "content": "

    ‘Toddy tappers’ who collect sap used in everything from palm wine to ice-cream are enjoying a boost to business that has revived the traditional skill and improved their quality of life

    The palmyra palm tree with its wide fan leaves is a distinctive and common sight across Jaffna, northern Sri Lanka, thriving in the arid conditions.

    Kutty, who goes by only one name, is a “toddy tapper”. Climbing the palms with his clay pot, he collects sap from the flower heads at the top of the great trees, which can grow to more than 30 metres (90ft). The sap is fermented to make toddy, an alcoholic drink also known as palm wine.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/10/top-toddy-sri-lankas-tree-tapping-trade-reaches-new-heights", + "creator": "Khursheed Dinshaw in Jaffna", + "pubDate": "2021-12-10T06:00:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ed4856db3c9f67469924af51cc8673db" + "hash": "008af98ab9769059a9e1c70bfe5d7d28" }, { - "title": "Scrambling to Keep Up With the Rent", - "description": "When the unexpected happened, finances were stretched and parents needed assistance to keep up.", - "content": "When the unexpected happened, finances were stretched and parents needed assistance to keep up.", - "category": "New York Times Neediest Cases Fund", - "link": "https://www.nytimes.com/2021/11/25/neediest-cases/scrambling-to-keep-up-with-the-rent.html", - "creator": "Kristen Bayrakdarian", - "pubDate": "Thu, 25 Nov 2021 10:00:06 +0000", + "title": "‘We have to use a boat to commute’: coastal Ghana hit by climate crisis", + "description": "

    As the sea claims more of the west African shoreline, those left homeless by floods are losing hope that the government will act

    Waves have taken the landscape John Afedzie knew so well. “The waters came closer in the last few months, but now they have destroyed parts of schools and homes. The waves have taken the whole of the village. One needs to use a boat to commute now because of the rising sea levels,” he says.

    Afedzie lives in Keta, one of Ghana’s coastal towns, where a month ago high tide brought seawater flooding into 1,027 houses, according to the government, leaving him among about 3,000 people made homeless overnight.

    Continue reading...", + "content": "

    As the sea claims more of the west African shoreline, those left homeless by floods are losing hope that the government will act

    Waves have taken the landscape John Afedzie knew so well. “The waters came closer in the last few months, but now they have destroyed parts of schools and homes. The waves have taken the whole of the village. One needs to use a boat to commute now because of the rising sea levels,” he says.

    Afedzie lives in Keta, one of Ghana’s coastal towns, where a month ago high tide brought seawater flooding into 1,027 houses, according to the government, leaving him among about 3,000 people made homeless overnight.

    Continue reading...", + "category": "Ghana", + "link": "https://www.theguardian.com/world/2021/dec/09/coastal-ghana-hit-by-climate-crisis", + "creator": "Ekow Barnes in Keta", + "pubDate": "2021-12-09T07:30:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bdfb9019a755fc3aef028c03b8e5ba37" + "hash": "991699d78546e82756911ff656048187" }, { - "title": "Solomon Islands: Why Are People Protesting?", - "description": "Discontent has long simmered over a perceived unequal distribution of resources and the central government’s decision to switch allegiances to Beijing from Taipei.", - "content": "Discontent has long simmered over a perceived unequal distribution of resources and the central government’s decision to switch allegiances to Beijing from Taipei.", - "category": "Solomon Islands", - "link": "https://www.nytimes.com/2021/11/25/world/asia/solomon-islands-riot.html", - "creator": "Yan Zhuang", - "pubDate": "Thu, 25 Nov 2021 08:06:58 +0000", + "title": "UK’s 1m a day booster rollout is strategy of short-term pain for long-term gain", + "description": "

    Analysis: next few weeks will be tough for anyone who relied on the health service as well as those who work in it

    The wording of the four home nations’ chief medical officers joint statement on Sunday was undramatic but still ominous. “Transmission of Covid-19 is already high in the community, mainly still driven by Delta, but the emergence of Omicron adds additional and rapidly increasing risk to the public and healthcare services.”

    Given that “vaccine protection against symptomatic disease from Omicron is reduced … hospitalisations from Omicron are already occurring and these are likely to increase rapidly”, they added.

    Continue reading...", + "content": "

    Analysis: next few weeks will be tough for anyone who relied on the health service as well as those who work in it

    The wording of the four home nations’ chief medical officers joint statement on Sunday was undramatic but still ominous. “Transmission of Covid-19 is already high in the community, mainly still driven by Delta, but the emergence of Omicron adds additional and rapidly increasing risk to the public and healthcare services.”

    Given that “vaccine protection against symptomatic disease from Omicron is reduced … hospitalisations from Omicron are already occurring and these are likely to increase rapidly”, they added.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/uks-1m-a-day-booster-rollout-is-strategy-of-short-term-pain-for-long-term-gain", + "creator": "Denis Campbell Health policy editor", + "pubDate": "2021-12-12T20:56:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e5a3edce4b46b7af49ca3c8eaa1cb04d" + "hash": "a92cac3210477b6fe5684b3731f84f28" }, { - "title": "As Turkeys Take Over Campus, Some Colleges Are More Thankful Than Others", - "description": "From California to Minnesota to Massachusetts, turkeys have taken a liking to university life, leading to social media stardom and crosswalk confrontations.", - "content": "From California to Minnesota to Massachusetts, turkeys have taken a liking to university life, leading to social media stardom and crosswalk confrontations.", - "category": "Turkeys", - "link": "https://www.nytimes.com/2021/11/25/us/turkey-college-campus.html", - "creator": "Mitch Smith", - "pubDate": "Thu, 25 Nov 2021 08:00:08 +0000", + "title": "What makes boosters more effective than the first two Covid jabs?", + "description": "

    Analysis: top-up vaccines make key changes to our antibody defences, reducing the threat from Omicron

    Covid-19, we should know by now, is a moving target. In autumn the rollout of boosters to older age groups was contentious. Now they’re the single biggest focus. So why do boosters help so significantly compared with first and second jabs, and are we on a conveyor belt towards needing an ever-increasing number of top-ups?

    Even before Omicron, it was clear boosters would be required to maintain the levels of protection against infection, although protection against severe illness appeared to be holding up well.

    Continue reading...", + "content": "

    Analysis: top-up vaccines make key changes to our antibody defences, reducing the threat from Omicron

    Covid-19, we should know by now, is a moving target. In autumn the rollout of boosters to older age groups was contentious. Now they’re the single biggest focus. So why do boosters help so significantly compared with first and second jabs, and are we on a conveyor belt towards needing an ever-increasing number of top-ups?

    Even before Omicron, it was clear boosters would be required to maintain the levels of protection against infection, although protection against severe illness appeared to be holding up well.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/what-makes-boosters-more-effective-than-the-first-two-covid-jabs", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-12-12T18:31:48Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c457f8e3b0a23d8de3c7fb42cbde403d" + "hash": "6c8950cb7506c247c9c42c7804cd2081" }, { - "title": "Two N.Y.P.D. Officers Are Shot in Gun Battle in the Bronx", - "description": "The officers, who were responding to a report of a gun, were expected to survive. The suspect was also shot.", - "content": "The officers, who were responding to a report of a gun, were expected to survive. The suspect was also shot.", - "category": "Attacks on Police", - "link": "https://www.nytimes.com/2021/11/24/nyregion/nypd-officers-shot-bronx.html", - "creator": "Michael Levenson and Karen Zraick", - "pubDate": "Thu, 25 Nov 2021 07:39:04 +0000", + "title": "Aerial footage shows extent of tornado damage in Kentucky – video", + "description": "

    Drone footage has captured the devastation after a series of deadly tornadoes struck Kentucky on Friday. The US president, Joe Biden, declared a major federal disaster in the state, with officials saying the death toll could exceed 100 in Kentucky alone. 

    The governor, Andy Beshear, said the tornadoes were the most destructive in the state’s history. One tornado that tore through four states over four hours of nighttime devastation is believed to be the longest distance for a tornado in US history. In Mayfield, a community of about 10,000 in the south-western corner of Kentucky, large twisters also destroyed fire and police stations

    Continue reading...", + "content": "

    Drone footage has captured the devastation after a series of deadly tornadoes struck Kentucky on Friday. The US president, Joe Biden, declared a major federal disaster in the state, with officials saying the death toll could exceed 100 in Kentucky alone. 

    The governor, Andy Beshear, said the tornadoes were the most destructive in the state’s history. One tornado that tore through four states over four hours of nighttime devastation is believed to be the longest distance for a tornado in US history. In Mayfield, a community of about 10,000 in the south-western corner of Kentucky, large twisters also destroyed fire and police stations

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/video/2021/dec/13/kentucky-tornado-damage-aerial-footage-video", + "creator": "", + "pubDate": "2021-12-13T10:26:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d643789d7507059117793d67da7077b7" + "hash": "e016e0d1ccbaa59e40ff73927da9ea04" }, { - "title": "A Baltimore Thanksgiving Memory", - "description": "Eating had become a chore for my parents, but I was determined to make a feast. I had never given much thought to Dad’s penknife until that meal.", - "content": "Eating had become a chore for my parents, but I was determined to make a feast. I had never given much thought to Dad’s penknife until that meal.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2021/11/25/opinion/thanksgiving-penknife.html", - "creator": "Rafael Alvarez", - "pubDate": "Thu, 25 Nov 2021 06:00:03 +0000", + "title": "Empty polling stations and solemn streets: New Caledonia referendum – in pictures", + "description": "

    Voter turnout in the Pacific territory’s referendum on independence from France at the weekend was staggeringly low, after pro-independence groups called for boycotts. Those who did cast ballots voted overwhelmingly for New Caledonia to remain part of France

    Continue reading...", + "content": "

    Voter turnout in the Pacific territory’s referendum on independence from France at the weekend was staggeringly low, after pro-independence groups called for boycotts. Those who did cast ballots voted overwhelmingly for New Caledonia to remain part of France

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/gallery/2021/dec/13/empty-polling-stations-and-solemn-streets-new-caledonia-referendum-in-pictures", + "creator": "Dominique Catton", + "pubDate": "2021-12-13T06:57:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb321cfdced251a9d156a405ff918086" + "hash": "5edd38d933747f5cee27168a226fff69" }, { - "title": "Peng Shuai’s Accusation Pierced the Privileged Citadel of Chinese Politics", - "description": "Zhang Gaoli was best known as a low-key technocrat. Then a Chinese tennis star’s allegations made him a symbol of a system that bristles against scrutiny.", - "content": "Zhang Gaoli was best known as a low-key technocrat. Then a Chinese tennis star’s allegations made him a symbol of a system that bristles against scrutiny.", - "category": "", - "link": "https://www.nytimes.com/2021/11/25/world/asia/china-peng-shuai-zhang-gaoli.html", - "creator": "Chris Buckley and Steven Lee Myers", - "pubDate": "Thu, 25 Nov 2021 05:02:07 +0000", + "title": "Johnson addresses the nation as Covid alert level raised due to Omicron – video", + "description": "

    Boris Johnson has announced that the government is launching an emergency booster campaign to avoid a severe rise in hospitalisations and deaths from a 'tidal wave' of Omicron. The prime minister said infections of the Covid-19 variant, first identified in South Africa, were doubling every two to three days, and that two doses of vaccine 'are simply not enough to give the level of protection we all need'.

    Speaking in a televised address on Sunday night, Johnson announced the booster programme would be offered to everyone over the age of 18 in the UK, with extra capacity provided by 'additional vaccine sites and mobile units' and '42 military planning teams across every health region'

    Continue reading...", + "content": "

    Boris Johnson has announced that the government is launching an emergency booster campaign to avoid a severe rise in hospitalisations and deaths from a 'tidal wave' of Omicron. The prime minister said infections of the Covid-19 variant, first identified in South Africa, were doubling every two to three days, and that two doses of vaccine 'are simply not enough to give the level of protection we all need'.

    Speaking in a televised address on Sunday night, Johnson announced the booster programme would be offered to everyone over the age of 18 in the UK, with extra capacity provided by 'additional vaccine sites and mobile units' and '42 military planning teams across every health region'

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/12/johnson-addresses-the-nation-as-covid-alert-level-raised-due-to-omicron-video", + "creator": "", + "pubDate": "2021-12-12T21:00:47Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "511569aedd747eee811f0239cd103db3" + "hash": "2ee2c7a4b4a74c2f1d125d6228de36dd" }, { - "title": "Do Sports Still Need China?", - "description": "Global outrage, broken contracts and shifting politics could change the calculus for leagues and teams that once raced to do business in China.", - "content": "Global outrage, broken contracts and shifting politics could change the calculus for leagues and teams that once raced to do business in China.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/24/sports/olympics/china-sports-peng-shuai.html", - "creator": "Andrew Keh", - "pubDate": "Thu, 25 Nov 2021 04:52:14 +0000", + "title": "US tornadoes: up to 100 people feared dead after historic storms – video report", + "description": "

    What could prove to be the longest tornado in US history has left a trail of destruction from Arkansas to Kentucky, part of a vast storm front that is feared to have killed at least 100 people in southern and central states of the US.

    A candle factory in Mayfield, Kentucky, and an Amazon warehouse in Edwardsville, Illinois, were just two of the buildings destroyed in Friday night’s storm, which was all the more unusual because it came in December, when colder weather normally limits tornadoes


    Continue reading...", + "content": "

    What could prove to be the longest tornado in US history has left a trail of destruction from Arkansas to Kentucky, part of a vast storm front that is feared to have killed at least 100 people in southern and central states of the US.

    A candle factory in Mayfield, Kentucky, and an Amazon warehouse in Edwardsville, Illinois, were just two of the buildings destroyed in Friday night’s storm, which was all the more unusual because it came in December, when colder weather normally limits tornadoes


    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/video/2021/dec/12/us-tornadoes-leave-more-than-100-people-feared-dead-video", + "creator": "", + "pubDate": "2021-12-12T16:41:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a881b3ab6475c3ac2ea8c940e4a3bec7" + "hash": "4e8d92763a047cefea3638636452be1e" }, { - "title": "Mickey Guyton on Her Grammy Nominations: ‘I Was Right’", - "description": "Last Grammys, the singer became the first Black woman to be nominated for a solo country performance award. This time, she’s back with three more chances to win.", - "content": "Last Grammys, the singer became the first Black woman to be nominated for a solo country performance award. This time, she’s back with three more chances to win.", - "category": "Grammy Awards", - "link": "https://www.nytimes.com/2021/11/24/arts/music/mickey-guyton-grammy-nominations.html", - "creator": "Joe Coscarelli", - "pubDate": "Thu, 25 Nov 2021 03:37:44 +0000", + "title": "In pictures: the aftermath of deadly US tornadoes", + "description": "

    Tornadoes tore through central and southern US states on Friday, leaving at least 70 people feared dead in what President Biden called an ‘unimaginable tragedy’

    Continue reading...", + "content": "

    Tornadoes tore through central and southern US states on Friday, leaving at least 70 people feared dead in what President Biden called an ‘unimaginable tragedy’

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/gallery/2021/dec/11/in-pictures-tornadoes-us-kentucky-illinois", + "creator": "Guardian staff", + "pubDate": "2021-12-11T22:42:51Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c231b31bdff805391f4ba7e0750854c" + "hash": "a2a56d29b34d300ab84d58781d220f2a" }, { - "title": "At Last Minute, Kanye West, Taylor Swift Added as Top Grammy Nominees", - "description": "Abba, Lil Nas X and others benefited as the number of competitors in the four all-genre categories grew from eight to 10 in a meeting the day before the nominations were announced.", - "content": "Abba, Lil Nas X and others benefited as the number of competitors in the four all-genre categories grew from eight to 10 in a meeting the day before the nominations were announced.", - "category": "Recording Academy", - "link": "https://www.nytimes.com/2021/11/24/arts/music/grammy-nominations-taylor-swift-kanye-west.html", - "creator": "Ben Sisario and Joe Coscarelli", - "pubDate": "Thu, 25 Nov 2021 03:28:24 +0000", + "title": "No disciplinary action for US troops over Kabul drone airstrike, Pentagon says", + "description": "

    Strike that killed 10 civilians represented ‘a breakdown in process’, not negligence or misconduct, spokesperson says

    No US troops or officials will face disciplinary action for a drone strike in Kabul in August that killed 10 Afghan civilians, including seven children, the Pentagon said on Monday.

    Spokesman John Kirby said Secretary of Defense Lloyd Austin had received a high-level review of the strike which made no recommendation of accountability.

    Continue reading...", + "content": "

    Strike that killed 10 civilians represented ‘a breakdown in process’, not negligence or misconduct, spokesperson says

    No US troops or officials will face disciplinary action for a drone strike in Kabul in August that killed 10 Afghan civilians, including seven children, the Pentagon said on Monday.

    Spokesman John Kirby said Secretary of Defense Lloyd Austin had received a high-level review of the strike which made no recommendation of accountability.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/2021/dec/13/kabul-airstrike-pentagon-drone-no-disciplinary-action", + "creator": "AFP in Washington", + "pubDate": "2021-12-14T01:35:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4cb611b36f97f3344c1084a704d34715" + "hash": "71707d21e410af8d0ff37e5435c2ba61" }, { - "title": "The Guilty Verdicts in the Ahmaud Arbery Case Are a Welcome Respite", - "description": "This was a reminder that the lives of Black people are valued in this country — at least on occasion.", - "content": "This was a reminder that the lives of Black people are valued in this country — at least on occasion.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/24/opinion/guilty-verdict-ahmaud-arbery.html", - "creator": "Charles M. Blow", - "pubDate": "Thu, 25 Nov 2021 02:46:14 +0000", + "title": "South Dakota teachers scramble for dollar bills in ‘demeaning’ game", + "description": "

    Company behind the competition apologises after footage showing teachers stuffing notes into clothing to fund classrooms goes viral

    A competition pitting 10 teachers against each other to scramble for dollar bills to fund school supplies in a city in South Dakota has been described as “demeaning” and drawn comparisons with the Netflix hit series Squid Game.

    The local newspaper the Argus Leader reported $5,000 (£3,770) in single dollar bills were laid out on the ice skating rink during the Sioux Falls Stampede hockey game on Saturday night, and the teachers from nearby schools competed to grab as many as possible in less than five minutes.

    Continue reading...", + "content": "

    Company behind the competition apologises after footage showing teachers stuffing notes into clothing to fund classrooms goes viral

    A competition pitting 10 teachers against each other to scramble for dollar bills to fund school supplies in a city in South Dakota has been described as “demeaning” and drawn comparisons with the Netflix hit series Squid Game.

    The local newspaper the Argus Leader reported $5,000 (£3,770) in single dollar bills were laid out on the ice skating rink during the Sioux Falls Stampede hockey game on Saturday night, and the teachers from nearby schools competed to grab as many as possible in less than five minutes.

    Continue reading...", + "category": "South Dakota", + "link": "https://www.theguardian.com/us-news/2021/dec/13/teachers-scramble-dollar-bills-south-dakota-dash-for-cash", + "creator": "Josh Taylor", + "pubDate": "2021-12-13T11:31:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e1e292420e5ab09fac28d971464070f" + "hash": "424bc1486fceebb8c61e0d3526371f64" }, { - "title": "How to Watch the Macy’s Thanksgiving Day Parade", - "description": "This year’s parade will feature performers like Kelly Rowland and Carrie Underwood and will have 15 giant balloons and 28 floats.", - "content": "This year’s parade will feature performers like Kelly Rowland and Carrie Underwood and will have 15 giant balloons and 28 floats.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2021/11/24/nyregion/macys-parade-time-thanksgiving.html", - "creator": "Lola Fadulu", - "pubDate": "Thu, 25 Nov 2021 01:30:34 +0000", + "title": "Covid news live: hospitals in England told to free up beds as Omicron spreads; South Korea’s Covid deaths hit record high", + "description": "

    NHS England asks hospitals to discharge patients where possible; South Korea reports a record number of Covid patients in serious or critical condition

    United States secretary of state Antony Blinken says by the end of next year, the US will have donated more than 1.2b Covid-19 vaccine doses to the world, Reuters is reporting.

    The US air force has discharged 27 people for refusing to get the Covid-19 vaccine, making them what officials believe are the first service members to be removed for disobeying the mandate.

    Continue reading...", + "content": "

    NHS England asks hospitals to discharge patients where possible; South Korea reports a record number of Covid patients in serious or critical condition

    United States secretary of state Antony Blinken says by the end of next year, the US will have donated more than 1.2b Covid-19 vaccine doses to the world, Reuters is reporting.

    The US air force has discharged 27 people for refusing to get the Covid-19 vaccine, making them what officials believe are the first service members to be removed for disobeying the mandate.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/14/covid-news-live-us-coronavirus-cases-surpass-50m-china-reports-first-omicron-case", + "creator": "Samantha Lock", + "pubDate": "2021-12-14T06:31:25Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "54f80cbc384086d98194f452eb1517d6" + "hash": "8fcf19a0c09020a91034bc445bd06c3b" }, { - "title": "U.S. Reacts to Guilty Verdict in Ahmaud Arbery Murder Case", - "description": "The murder convictions of three white men in the death of Ahmaud Arbery were praised by many as a just outcome in a case that could have stoked racial divisions.", - "content": "The murder convictions of three white men in the death of Ahmaud Arbery were praised by many as a just outcome in a case that could have stoked racial divisions.", - "category": "Black Lives Matter Movement", - "link": "https://www.nytimes.com/2021/11/24/us/ahmaud-arbery-verdict-reaction.html", - "creator": "Jack Healy and Tariro Mzezewa", - "pubDate": "Thu, 25 Nov 2021 01:03:13 +0000", + "title": "The 50 best films of 2021 in the UK: 50-4", + "description": "

    Our countdown of the best films released in the UK during 2021 continues with an engrossing adaptation of a Haruki Murakami short story

    This list is compiled by the Guardian film team, with all films released in the UK during 2021 in contention. Check in every weekday to see our next picks, and please share your own favourite films of 2021 in the comments below.

    Continue reading...", + "content": "

    Our countdown of the best films released in the UK during 2021 continues with an engrossing adaptation of a Haruki Murakami short story

    This list is compiled by the Guardian film team, with all films released in the UK during 2021 in contention. Check in every weekday to see our next picks, and please share your own favourite films of 2021 in the comments below.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/nov/30/the-50-best-films-of-2021-in-the-uk", + "creator": "Guardian Staff", + "pubDate": "2021-12-14T06:04:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "926f7e92bedbdeee293329b0ef262cb0" + "hash": "c68a095f816f788fb4cc842fb69acd4f" }, { - "title": "27 Migrants Drown Trying to Go From France to U.K. by Boat", - "description": "The boat, which capsized near Calais, had been carrying a group of migrants to Britain. “France won’t let the Channel become a graveyard,’’ President Emmanuel Macron said.", - "content": "The boat, which capsized near Calais, had been carrying a group of migrants to Britain. “France won’t let the Channel become a graveyard,’’ President Emmanuel Macron said.", - "category": "Maritime Accidents and Safety", - "link": "https://www.nytimes.com/2021/11/24/world/europe/migrants-boat-capsize-calais.html", - "creator": "Aurelien Breeden, Constant Méheut and Norimitsu Onishi", - "pubDate": "Thu, 25 Nov 2021 00:24:29 +0000", + "title": "How bad were the US tornadoes and what caused them?", + "description": "

    Communities in five US states are picking up the pieces after a barrage of twisters

    Powerful tornadoes barrelled through five US states on Friday, levelling houses and factories and bringing down power lines. In Kentucky, the worst-hit state, one tornado alone followed an extraordinarily long and destructive path of more than 200 miles.

    Continue reading...", + "content": "

    Communities in five US states are picking up the pieces after a barrage of twisters

    Powerful tornadoes barrelled through five US states on Friday, levelling houses and factories and bringing down power lines. In Kentucky, the worst-hit state, one tornado alone followed an extraordinarily long and destructive path of more than 200 miles.

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/2021/dec/13/how-bad-were-the-us-tornadoes-and-what-caused-them-kentucky", + "creator": "Edward Helmore, Nikhita Chulani, Harvey Symons and Arnel Hecimovic", + "pubDate": "2021-12-13T15:11:52Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a09481ff5e95cd873a09e7ff414d1be" + "hash": "775a6cc9c6006f007286390df94714cf" }, { - "title": "How to Deal With Social Anxiety During the Holidays", - "description": "Even in the best of times, social gatherings can be overwhelming. If you’re feeling less-than-festive, here’s how to ease into the season.", - "content": "Even in the best of times, social gatherings can be overwhelming. If you’re feeling less-than-festive, here’s how to ease into the season.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/11/24/well/mind/holiday-social-anxiety.html", - "creator": "Jancee Dunn", - "pubDate": "Thu, 25 Nov 2021 00:00:16 +0000", + "title": "Conservation documents for half of all critically endangered species don’t mention climate change", + "description": "

    Australian Conservation Foundation report found that climate change was not mentioned for 178 out of 334 critically endangered species and habitats

    Conservation documents for more than half of Australia’s critically endangered species and habitats fail to mention climate change according to new analysis that argues there is a significant “climate gap” in the management of Australia’s threatened wildlife.

    The report was commissioned by the Australian Conservation Foundation (ACF) and prepared by the Australian National University’s GreenLaw project, which is led by students in the ANU’s law faculty.

    Continue reading...", + "content": "

    Australian Conservation Foundation report found that climate change was not mentioned for 178 out of 334 critically endangered species and habitats

    Conservation documents for more than half of Australia’s critically endangered species and habitats fail to mention climate change according to new analysis that argues there is a significant “climate gap” in the management of Australia’s threatened wildlife.

    The report was commissioned by the Australian Conservation Foundation (ACF) and prepared by the Australian National University’s GreenLaw project, which is led by students in the ANU’s law faculty.

    Continue reading...", + "category": "Endangered habitats", + "link": "https://www.theguardian.com/environment/2021/dec/14/conservation-documents-for-half-of-australias-endangered-species-dont-mention-climate-change", + "creator": "Lisa Cox", + "pubDate": "2021-12-13T22:00:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d7eca35e6d7387fc71b41b3e0f6ded2" + "hash": "5a21bd62bb79d5a3fdf5a02186c0d16a" }, { - "title": "President Biden Arrives in Nantucket for Thanksgiving ", - "description": "President Biden and his family are spending Thanksgiving on Nantucket, renewing a family tradition that dates back to 1975.", - "content": "President Biden and his family are spending Thanksgiving on Nantucket, renewing a family tradition that dates back to 1975.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/11/24/us/politics/biden-thanksgiving-nantucket.html", - "creator": "Zolan Kanno-Youngs", - "pubDate": "Wed, 24 Nov 2021 23:55:38 +0000", + "title": "Golden Globes 2022 tries to do better as Lady Gaga brings the outrage", + "description": "

    After a year of criticism over diversity, the Golden Globes have come up with a decent slate of nominees, with Gaga surely the favourite for best actress

    Full list of 2020 nominations

    The Golden Globes nomination list has been announced with a solemn introduction from the Hollywood Foreign Press Association’s president Helen Hoehne, to the effect that the Globes’ much-criticised controlling body was “trying to be better” and that its constituent membership was more diverse than at any other time in its history. Which is better, I suppose, than being less diverse than at any time in its history.

    At any rate, leading the pack are Belfast, Kenneth Branagh’s unashamed heartwarmer about the home town of his early childhood, with seven nominations and Jane Campion’s stark, twisty western-Gothic psychodrama The Power of the Dog, set in 1920s Montana with Benedict Cumberbatch as the troubled, angry cattleman who begins a toxic duel with his new sister-in-law played by Kirsten Dunst and her sensitive teenage son, played by Kodi Smit-McPhee.

    Continue reading...", + "content": "

    After a year of criticism over diversity, the Golden Globes have come up with a decent slate of nominees, with Gaga surely the favourite for best actress

    Full list of 2020 nominations

    The Golden Globes nomination list has been announced with a solemn introduction from the Hollywood Foreign Press Association’s president Helen Hoehne, to the effect that the Globes’ much-criticised controlling body was “trying to be better” and that its constituent membership was more diverse than at any other time in its history. Which is better, I suppose, than being less diverse than at any time in its history.

    At any rate, leading the pack are Belfast, Kenneth Branagh’s unashamed heartwarmer about the home town of his early childhood, with seven nominations and Jane Campion’s stark, twisty western-Gothic psychodrama The Power of the Dog, set in 1920s Montana with Benedict Cumberbatch as the troubled, angry cattleman who begins a toxic duel with his new sister-in-law played by Kirsten Dunst and her sensitive teenage son, played by Kodi Smit-McPhee.

    Continue reading...", + "category": "Golden Globes 2022", + "link": "https://www.theguardian.com/film/2021/dec/13/golden-globes-2022-tries-to-do-better-as-lady-gaga-brings-the-outrage", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-13T17:06:55Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c6fc4cbd9b2edeb32f38bce86fc330d" + "hash": "84fd982fd71843bf1fe84d2b5632c5b7" }, { - "title": "NFL to Settle Lawsuit Over Rams’ Departure for $790 Million", - "description": "Rams owner Stanley Kroenke is expected to pay the entire amount, ending the four-year court battle over the team’s move to Los Angeles in 2016.", - "content": "Rams owner Stanley Kroenke is expected to pay the entire amount, ending the four-year court battle over the team’s move to Los Angeles in 2016.", - "category": "Suits and Litigation (Civil)", - "link": "https://www.nytimes.com/2021/11/24/sports/football/nfl-st-louis-rams-relocation.html", - "creator": "Ken Belson", - "pubDate": "Wed, 24 Nov 2021 23:15:03 +0000", + "title": "Protesting voting rights activists arrested as Biden meets with Manchin", + "description": "

    Sixty were detained as the president met with the key Democrat who has become a roadblock to his agenda

    During a crucial week for Joe Biden’s agenda that will likely feature a political showdown on his Build Back Better legislation in the Senate, voting rights activists are turning up the pressure in Washington.

    As the US president met with a key centrist Democrat who has acted as a roadblock to his plans – West Virginia Senator Joe Manchin - more than sixty demonstrators were arrested as they protested: singing songs and blocking traffic near the US Capitol.

    Continue reading...", + "content": "

    Sixty were detained as the president met with the key Democrat who has become a roadblock to his agenda

    During a crucial week for Joe Biden’s agenda that will likely feature a political showdown on his Build Back Better legislation in the Senate, voting rights activists are turning up the pressure in Washington.

    As the US president met with a key centrist Democrat who has acted as a roadblock to his plans – West Virginia Senator Joe Manchin - more than sixty demonstrators were arrested as they protested: singing songs and blocking traffic near the US Capitol.

    Continue reading...", + "category": "US voting rights", + "link": "https://www.theguardian.com/us-news/2021/dec/13/voting-rights-activists-arrested-biden-manchin", + "creator": "Lauren Burke in Washington DC", + "pubDate": "2021-12-14T06:00:39Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b3d0638a93f2257e5eed269ae8ab5c2a" + "hash": "c63f885fabaf81b83e74202206919b9c" }, { - "title": "What the Arbery and Rittenhouse Verdicts Couldn't Tell Us", - "description": "We must stop tying our hopes for justice to high-profile criminal cases.", - "content": "We must stop tying our hopes for justice to high-profile criminal cases.", - "category": "Rittenhouse, Kyle", - "link": "https://www.nytimes.com/2021/11/24/opinion/arbery-verdict-rittenhouse.html", - "creator": "Sarah Lustbader", - "pubDate": "Wed, 24 Nov 2021 23:08:18 +0000", + "title": "Australia live news update: Covidsafe app used just 13 times in past six months; NSW to ease rules for unvaccinated despite spike in Covid cases", + "description": "

    Matt Canavan says Covidsafe app ‘was worth trying’ despite low usage during Delta outbreaks; NSW commits to easing Covid rules for unvaccinated as Newcastle nightclub cluster grows; Victoria records 1,189 cases and six deaths; NSW records 804 cases and one death; 12 new cases in South Australia; Barnaby Joyce says Julian Assange should not be extradited to the US – follow all the day’s developments

    Here is the full statement from the Victorian government on the Moderna manufacturing facility that’s set to be operational by 2024.

    Scott Morrison has called on states and territories to ease their last remaining Covid-19 restrictions, as Western Australia announced plans to reopen its hard border to the rest of the nation, reports AAP’s Andrew Brown.

    Australians kept their side of the deal, it is time for governments to now keep theirs; to step back and let Australians step forward ...

    To put Australians back in charge of their own lives, relying on the connecting points and relationships that exist between the state and the individual.

    Australia is going to be connected and together again ...

    This will be welcome news for thousands of Western Australians looking forward to reuniting with family and friends after so long apart.

    Continue reading...", + "content": "

    Matt Canavan says Covidsafe app ‘was worth trying’ despite low usage during Delta outbreaks; NSW commits to easing Covid rules for unvaccinated as Newcastle nightclub cluster grows; Victoria records 1,189 cases and six deaths; NSW records 804 cases and one death; 12 new cases in South Australia; Barnaby Joyce says Julian Assange should not be extradited to the US – follow all the day’s developments

    Here is the full statement from the Victorian government on the Moderna manufacturing facility that’s set to be operational by 2024.

    Scott Morrison has called on states and territories to ease their last remaining Covid-19 restrictions, as Western Australia announced plans to reopen its hard border to the rest of the nation, reports AAP’s Andrew Brown.

    Australians kept their side of the deal, it is time for governments to now keep theirs; to step back and let Australians step forward ...

    To put Australians back in charge of their own lives, relying on the connecting points and relationships that exist between the state and the individual.

    Australia is going to be connected and together again ...

    This will be welcome news for thousands of Western Australians looking forward to reuniting with family and friends after so long apart.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/14/australia-news-updates-live-coronavirus-omicron-nsw-victoria-weather-scott-morrison-isolation-exposure-covid", + "creator": "Elias Visontay (now) and Matilda Boseley (earlier)", + "pubDate": "2021-12-14T06:33:43Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9047692599b1f4c8fb935c1a40789677" + "hash": "2eb0da94e9fac09dec5913bfa49a63ac" }, { - "title": "The YZY GAP Round Jacket Review", - "description": "If you love to talk to people, this is the coat for you.", - "content": "If you love to talk to people, this is the coat for you.", - "category": "Coats and Jackets", - "link": "https://www.nytimes.com/2021/11/24/style/yeezy-gap-jacket.html", - "creator": "André Wheeler", - "pubDate": "Wed, 24 Nov 2021 21:36:58 +0000", + "title": "Covid live: Mainland China reports first Omicron cases; Norway to tighten restrictions", + "description": "

    First confirmed Omicron case in mainland China is detected in Tianjin; Norway to act amid record high infections and hospitalisations

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "content": "

    First confirmed Omicron case in mainland China is detected in Tianjin; Norway to act amid record high infections and hospitalisations

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/13/covid-news-live-boris-johnson-warns-of-omicron-tidal-wave-south-african-president-tests-positive", + "creator": "Jedidajah Otte (now), Rachel Hall, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-13T19:18:57Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "77c926c6b46bd94a4036c925af0565a8" + "hash": "446145d61f6a116c87875e8ac9b09d44" }, { - "title": "Arbery Verdict: What is Malice Murder?", - "description": "In convicting Travis McMichael on that charge, the 12 jurors found that he had deliberately intended to kill Mr. Arbery.", - "content": "In convicting Travis McMichael on that charge, the 12 jurors found that he had deliberately intended to kill Mr. Arbery.", - "category": "Arbery, Ahmaud (1994-2020)", - "link": "https://www.nytimes.com/2021/11/24/us/malice-murder-arbery-murder-trial.html", - "creator": "Nicholas Bogel-Burroughs and Giulia Heyward", - "pubDate": "Wed, 24 Nov 2021 21:20:13 +0000", + "title": "Kentucky tornadoes: governor says death toll expected to grow as crews sift through ruins", + "description": "

    Andy Beshear says over 100 Kentuckians still unaccounted for, and that number of confirmed deaths may not be known for weeks

    Kentucky’s governor Andy Beshear broke down in tears on Monday as he announced the deaths of at least 74 people from Friday’s deadly tornadoes that swept across multiple midwest and southern states, and warned that the death toll is expected to grow.

    The ages of those killed ranged from five months to 86 years, six of them younger than 18, Beshear said at an emotional press conference in Frankfort, the state capital.

    Continue reading...", + "content": "

    Andy Beshear says over 100 Kentuckians still unaccounted for, and that number of confirmed deaths may not be known for weeks

    Kentucky’s governor Andy Beshear broke down in tears on Monday as he announced the deaths of at least 74 people from Friday’s deadly tornadoes that swept across multiple midwest and southern states, and warned that the death toll is expected to grow.

    The ages of those killed ranged from five months to 86 years, six of them younger than 18, Beshear said at an emotional press conference in Frankfort, the state capital.

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/2021/dec/13/kentucky-tornadoes-death-toll", + "creator": "Richard Luscombe and agencies", + "pubDate": "2021-12-13T21:21:43Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2c5fd3c02be9beb7e705a87d971c75b4" + "hash": "291c07999289f2e78a0a4859cb93a242" }, { - "title": "‘Justice Was Served’: Guilty Verdicts in the Ahmaud Arbery Case", - "description": "Readers express relief. One calls it the “only rational and equitable verdict.” Also: A Covid Thanksgiving, and one in prison; children and grief.", - "content": "Readers express relief. One calls it the “only rational and equitable verdict.” Also: A Covid Thanksgiving, and one in prison; children and grief.", - "category": "Arbery, Ahmaud (1994-2020)", - "link": "https://www.nytimes.com/2021/11/24/opinion/letters/ahmaud-arbery.html", - "creator": "", - "pubDate": "Wed, 24 Nov 2021 21:16:34 +0000", + "title": "Outrage as Quebec teacher removed from classroom for wearing hijab", + "description": "

    Fatemeh Anvari was told her headwear ran afoul of Bill 21, which bars some public servants from wearing religious symbols

    The removal of a Canadian teacher for wearing a hijab in the classroom has sparked widespread condemnation of a controversial law in the province of Quebec, which critics say unfairly targets ethnic minorities under the pretext of secularism.

    Fatemeh Anvari, a third-grade teacher in the town of Chelsea, was told earlier this month that she would no longer be allowed to continue in the role because her headwear ran afoul of Bill 21, a law passed in 2019.

    Continue reading...", + "content": "

    Fatemeh Anvari was told her headwear ran afoul of Bill 21, which bars some public servants from wearing religious symbols

    The removal of a Canadian teacher for wearing a hijab in the classroom has sparked widespread condemnation of a controversial law in the province of Quebec, which critics say unfairly targets ethnic minorities under the pretext of secularism.

    Fatemeh Anvari, a third-grade teacher in the town of Chelsea, was told earlier this month that she would no longer be allowed to continue in the role because her headwear ran afoul of Bill 21, a law passed in 2019.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/dec/13/canada-quebec-teacher-removed-classroom-hijab", + "creator": "Leyland Cecco in Victoria, British Columbia", + "pubDate": "2021-12-13T19:26:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "50a7c2af17d77f7b23bac51be07b1035" + "hash": "b6aff60d0d79b2bc8f43bb009f4512d3" }, { - "title": "Margo Guryan, Whose Album Drew Belated Acclaim, Dies at 84", - "description": "She recorded “Take a Picture” in 1968, but it died when she declined to tour. Three decades later, adventurous listeners discovered it and gave it a new life.", - "content": "She recorded “Take a Picture” in 1968, but it died when she declined to tour. Three decades later, adventurous listeners discovered it and gave it a new life.", - "category": "Guryan, Margo (1937-2021)", - "link": "https://www.nytimes.com/2021/11/24/arts/music/margo-guryan-dead.html", - "creator": "Neil Genzlinger", - "pubDate": "Wed, 24 Nov 2021 21:05:21 +0000", + "title": "Derek Chauvin expected to plead guilty to violating George Floyd’s civil rights", + "description": "

    Federal docket entry shows hearing scheduled for Wednesday for Chauvin to change his current not guilty plea in the case

    Derek Chauvin, the former Minneapolis police officer, appears to be on the verge of pleading guilty to violating George Floyd’s civil rights, according to a notice sent out Monday by the court’s electronic filing system.

    The federal docket entry shows a hearing has been scheduled for Wednesday for Chauvin to change his current not guilty plea in the case. These types of notices indicate a defendant is planning to plead guilty.

    Continue reading...", + "content": "

    Federal docket entry shows hearing scheduled for Wednesday for Chauvin to change his current not guilty plea in the case

    Derek Chauvin, the former Minneapolis police officer, appears to be on the verge of pleading guilty to violating George Floyd’s civil rights, according to a notice sent out Monday by the court’s electronic filing system.

    The federal docket entry shows a hearing has been scheduled for Wednesday for Chauvin to change his current not guilty plea in the case. These types of notices indicate a defendant is planning to plead guilty.

    Continue reading...", + "category": "George Floyd", + "link": "https://www.theguardian.com/us-news/2021/dec/13/derek-chauvin-change-plea-guilty-george-floyd-civil-rights-case", + "creator": "Associated Press", + "pubDate": "2021-12-13T21:24:15Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3738ab5d9b2c4621bbe0c389c2331f44" + "hash": "2294dc2bcabe8540009f43eff9f977fe" }, { - "title": "Ahmaud Arbery’s Final Minutes: What Videos and 911 Calls Show", - "description": "Using security footage, cellphone video, 911 calls and police reports, The Times has reconstructed the 12 minutes before Ahmaud Arbery was shot dead in Georgia on Feb. 23.", - "content": "Using security footage, cellphone video, 911 calls and police reports, The Times has reconstructed the 12 minutes before Ahmaud Arbery was shot dead in Georgia on Feb. 23.", - "category": "Arbery, Ahmaud (1994-2020)", - "link": "https://www.nytimes.com/video/us/100000007142853/ahmaud-arbery-video-911-georgia.html", - "creator": "Malachy Browne, Drew Jordan, Dmitriy Khavin and Ainara Tiefenthäler", - "pubDate": "Wed, 24 Nov 2021 21:02:16 +0000", + "title": "Putin tells Boris Johnson urgent talks needed over Nato’s plans for Ukraine", + "description": "

    Kremlin wants legal agreement that alliance will not expand into disputed territory

    Vladimir Putin has told Boris Johnson that he wants immediate talks to secure clear legal agreements that Nato will not expand eastwards. According to a Kremlin readout of the two leaders’ phone call on Monday, Putin said talks were needed to discuss Nato’s future intentions, and to clarify Ukraine’s plans for the east of the country.

    The call marked the first time the two men had spoken since October before the Cop26 climate summit in Glasgow. Johnson expressed the UK’s “deep concern over the buildup of Russian forces on Ukraine’s border”, and warned him “that any destabilising action would be a strategic mistake that would have significant consequences”. The British prime minister also called for the issues to be resolved through diplomatic channels.

    Continue reading...", + "content": "

    Kremlin wants legal agreement that alliance will not expand into disputed territory

    Vladimir Putin has told Boris Johnson that he wants immediate talks to secure clear legal agreements that Nato will not expand eastwards. According to a Kremlin readout of the two leaders’ phone call on Monday, Putin said talks were needed to discuss Nato’s future intentions, and to clarify Ukraine’s plans for the east of the country.

    The call marked the first time the two men had spoken since October before the Cop26 climate summit in Glasgow. Johnson expressed the UK’s “deep concern over the buildup of Russian forces on Ukraine’s border”, and warned him “that any destabilising action would be a strategic mistake that would have significant consequences”. The British prime minister also called for the issues to be resolved through diplomatic channels.

    Continue reading...", + "category": "Nato", + "link": "https://www.theguardian.com/world/2021/dec/13/putin-demands-talks-over-natos-plans-for-eastern-ukraine", + "creator": "Patrick Wintour, diplomatic editor, and Julian Borger in Washington", + "pubDate": "2021-12-13T20:48:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0803011bd74d807030646269da126504" + "hash": "358f9aa134a98e9d79acbc683b0b7e57" }, { - "title": "For Afghan Refugees, a Choice Between Community and Opportunity", - "description": "In resettling thousands of displaced Afghans, the Biden administration must weigh their need for support against the needs of the U.S. labor market.", - "content": "In resettling thousands of displaced Afghans, the Biden administration must weigh their need for support against the needs of the U.S. labor market.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/11/24/us/afghan-refugees.html", - "creator": "Michael D. Shear and Jim Tankersley", - "pubDate": "Wed, 24 Nov 2021 21:01:54 +0000", + "title": "Gas prices near record highs as Berlin rejects pipeline from Russia", + "description": "

    Germany says escalating tensions over Ukraine one factor in Nord Stream 2 not getting green light

    Gazprom profits as Russia prospers from Europe’s gas crisis

    Gas prices across the UK and Europe are on course to return to record highs, after Germany said that a controversial pipeline from Russia could not be approved amid deepening tensions on the Ukrainian border.

    The German foreign minister, Annalena Baerbock, said the Nord Stream 2 pipeline could not be given the green light in its current form because it did not meet the requirements of EU energy law.

    Continue reading...", + "content": "

    Germany says escalating tensions over Ukraine one factor in Nord Stream 2 not getting green light

    Gazprom profits as Russia prospers from Europe’s gas crisis

    Gas prices across the UK and Europe are on course to return to record highs, after Germany said that a controversial pipeline from Russia could not be approved amid deepening tensions on the Ukrainian border.

    The German foreign minister, Annalena Baerbock, said the Nord Stream 2 pipeline could not be given the green light in its current form because it did not meet the requirements of EU energy law.

    Continue reading...", + "category": "Gas", + "link": "https://www.theguardian.com/business/2021/dec/13/gas-prices-near-record-highs-berlin-rejects-pipeline-russia-germany-ukraine-nord-stream-2", + "creator": "Jillian Ambrose Energy correspondent", + "pubDate": "2021-12-13T19:21:56Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "31ec1dbbd233da485826dedbbf4fc913" + "hash": "613e9f2277b6af494839f761652918d5" }, { - "title": "Nordstrom, Louis Vuitton and Others Hit in California Burglaries", - "description": "“Their plan was to overwhelm us,” Chief Bill Scott of the San Francisco police said after about a dozen stores were stolen from in one night.", - "content": "“Their plan was to overwhelm us,” Chief Bill Scott of the San Francisco police said after about a dozen stores were stolen from in one night.", - "category": "Shoplifting and Employee Theft (Retail)", - "link": "https://www.nytimes.com/2021/11/24/business/california-organized-crime-theft-looting.html", - "creator": "Azi Paybarah", - "pubDate": "Wed, 24 Nov 2021 20:55:01 +0000", + "title": "Gazprom profits as Russia prospers from Europe’s gas crisis", + "description": "

    State-owned company accused of ‘selling as much gas as possible without lowering market prices’

    Gas prices near record highs as Berlin rejects pipeline from Russia

    About 12.7bn cubic feet of gas flowed into Europe from Russia’s state-owned Gazprom last month. The world’s largest gas producer typically supplies more than a third of the needs of countries across the European Union, but in November flows dwindled to a six-year low.

    Gas supplies from Russia have fallen well short of pre-pandemic levels for months. The volumes of Russian gas flowing into homes, businesses and storage facilities this year have been almost a quarter below its levels in 2019.

    Continue reading...", + "content": "

    State-owned company accused of ‘selling as much gas as possible without lowering market prices’

    Gas prices near record highs as Berlin rejects pipeline from Russia

    About 12.7bn cubic feet of gas flowed into Europe from Russia’s state-owned Gazprom last month. The world’s largest gas producer typically supplies more than a third of the needs of countries across the European Union, but in November flows dwindled to a six-year low.

    Gas supplies from Russia have fallen well short of pre-pandemic levels for months. The volumes of Russian gas flowing into homes, businesses and storage facilities this year have been almost a quarter below its levels in 2019.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/dec/13/gazprom-hits-record-income-as-russia-prospers-from-europes-gas-crisis", + "creator": "Jillian Ambrose", + "pubDate": "2021-12-13T19:34:51Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "01562ad2a963b760a2ff1dc0d1bee259" + "hash": "fe536311eb7fcb7f7c55231a0ef7c704" }, { - "title": "Why Columbia Student Workers Are Back On Strike", - "description": "Columbia University’s student workers’ union, made up of 3,000 workers, is striking for the second time this year, calling for higher wages and more protections.", - "content": "Columbia University’s student workers’ union, made up of 3,000 workers, is striking for the second time this year, calling for higher wages and more protections.", - "category": "Columbia University", - "link": "https://www.nytimes.com/2021/11/24/nyregion/columbia-grad-student-strike.html", - "creator": "Ashley Wong", - "pubDate": "Wed, 24 Nov 2021 20:17:58 +0000", + "title": "‘A police massacre’: Colombian officers killed 11 during protests against police violence, report finds", + "description": "

    Protesters against police brutality were met with more police brutality

    Colombian police were responsible for the deaths of 11 protesters during anti-police protests that swept the capital in September 2020, according to a report published on Monday after an independent investigation backed by the mayor of Bogotá’s office and the United Nations.

    “It was a police massacre,” wrote Carlos Negret, a former ombudsman of the South American country who led the investigation, in the scathing and lengthy report published on Monday. “A decisive political and operational leadership, based on rights, was needed at national and local levels to avoid this happening.”

    Continue reading...", + "content": "

    Protesters against police brutality were met with more police brutality

    Colombian police were responsible for the deaths of 11 protesters during anti-police protests that swept the capital in September 2020, according to a report published on Monday after an independent investigation backed by the mayor of Bogotá’s office and the United Nations.

    “It was a police massacre,” wrote Carlos Negret, a former ombudsman of the South American country who led the investigation, in the scathing and lengthy report published on Monday. “A decisive political and operational leadership, based on rights, was needed at national and local levels to avoid this happening.”

    Continue reading...", + "category": "Colombia", + "link": "https://www.theguardian.com/global-development/2021/dec/13/police-massacre-deaths-11-protesters-2020-report", + "creator": "Joe Parkin Daniels in Bogotá", + "pubDate": "2021-12-13T17:37:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e9ee3647f4530bf6f97f7f0e57df7cbe" + "hash": "1e557bb90debcc7433a614ff149d8c54" }, { - "title": "Who Is Olaf Scholz, Germany's Next Chancellor?", - "description": "Germany’s next chancellor is something of an enigma. He comes to power with a dizzying array of challenges, raising questions about whether he can fill the very big shoes of his predecessor.", - "content": "Germany’s next chancellor is something of an enigma. He comes to power with a dizzying array of challenges, raising questions about whether he can fill the very big shoes of his predecessor.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/24/world/europe/germany-new-chancellor-olaf-scholz.html", - "creator": "Katrin Bennhold", - "pubDate": "Wed, 24 Nov 2021 20:14:24 +0000", + "title": "Heads warn of Omicron chaos in English schools, with staff and pupils absent", + "description": "

    Some schools said to have up to half their teachers off due to Covid, and there are fears parents will keep pupils at home

    Headteachers are warning of “chaos” in England’s schools as Omicron sweeps across the country, with high levels of staff and pupil absences and reports that parents are planning to keep children home to avoid the virus before Christmas.

    School leaders and unions urged the government to introduce more protective measures, including masks in classrooms, better ventilation and tougher isolation rules to try to slow the spread of the virus before the holidays.

    Continue reading...", + "content": "

    Some schools said to have up to half their teachers off due to Covid, and there are fears parents will keep pupils at home

    Headteachers are warning of “chaos” in England’s schools as Omicron sweeps across the country, with high levels of staff and pupil absences and reports that parents are planning to keep children home to avoid the virus before Christmas.

    School leaders and unions urged the government to introduce more protective measures, including masks in classrooms, better ventilation and tougher isolation rules to try to slow the spread of the virus before the holidays.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/13/heads-warn-of-omicron-chaos-in-english-schools-with-staff-and-pupils-absent", + "creator": "Sally Weale Education correspondent", + "pubDate": "2021-12-13T16:57:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aaa68936b3bfe29e2b7178faaee88083" + "hash": "a3b6ca0f4d2e0246ca562d3c5ac5b19b" }, { - "title": "The Age of the Creative Minority", - "description": "Here are four ways to think about your group identity.", - "content": "Here are four ways to think about your group identity.", - "category": "Minorities", - "link": "https://www.nytimes.com/2021/11/24/opinion/creative-minority-multiculturalism.html", - "creator": "David Brooks", - "pubDate": "Wed, 24 Nov 2021 20:00:07 +0000", + "title": "Premier League announces record 42 positive Covid cases in week’s testing", + "description": "
    • Manchester United waiting for ruling on game at Brentford
    • Not every fan will have Covid check to enter matches

    A carefully crafted sense of stability around English football began to crumble on Monday night as record positive tests and the possibility of more postponements confirmed the return of Covid-19 as a threat to the game.

    Forty-two Premier League players and officials tested positive for the virus in the seven days that ended on Sunday, a record since testing began and more than three times the 12 of the previous week. Manchester United are among the teams hit, with the club on Monday closing the first-team area their training centre for 24 hours and delaying travel to London as they waited for a decision from the league on whether Tuesday’s match against Brentford can go ahead.

    Continue reading...", + "content": "
    • Manchester United waiting for ruling on game at Brentford
    • Not every fan will have Covid check to enter matches

    A carefully crafted sense of stability around English football began to crumble on Monday night as record positive tests and the possibility of more postponements confirmed the return of Covid-19 as a threat to the game.

    Forty-two Premier League players and officials tested positive for the virus in the seven days that ended on Sunday, a record since testing began and more than three times the 12 of the previous week. Manchester United are among the teams hit, with the club on Monday closing the first-team area their training centre for 24 hours and delaying travel to London as they waited for a decision from the league on whether Tuesday’s match against Brentford can go ahead.

    Continue reading...", + "category": "Manchester United", + "link": "https://www.theguardian.com/football/2021/dec/13/manchester-united-close-first-team-training-ground-covid-brentford-premier-league", + "creator": "Paul MacInnes and David Hytner", + "pubDate": "2021-12-13T18:41:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa19b6102417e35a57f16de2bae49deb" + "hash": "a07d351a21057951385dc8025d347c9f" }, { - "title": "This Thanksgiving, Keep Forgiveness on Hand", - "description": "As we sit down together during a difficult year, we’d be wise to consider a posture of grace ", - "content": "As we sit down together during a difficult year, we’d be wise to consider a posture of grace ", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2021/11/24/opinion/thanksgiving-family-forgiveness.html", - "creator": "Kelly Corrigan", - "pubDate": "Wed, 24 Nov 2021 20:00:06 +0000", + "title": "‘So depressing’: Covid empties City of London of pre-Christmas cheer", + "description": "

    The ‘work from home’ rules are less stringent than before in the financial hub, but many seem to be staying away

    At about 1pm in Paternoster Square on Monday, four placid, Christmassy eyes gazed at the trickle of workers emerging from the London Stock Exchange in search of lunch. “PLEASE DO NOT TOUCH THE REINDEER,” a sign on the enclosure said. “THIS IS TO PREVENT THE TRANSMISSION OF CORONAVIRUS.”

    “I remember when you could stroke them,” said a passing trader. “It’s so depressing. I wish I’d stayed at home now.”

    Continue reading...", + "content": "

    The ‘work from home’ rules are less stringent than before in the financial hub, but many seem to be staying away

    At about 1pm in Paternoster Square on Monday, four placid, Christmassy eyes gazed at the trickle of workers emerging from the London Stock Exchange in search of lunch. “PLEASE DO NOT TOUCH THE REINDEER,” a sign on the enclosure said. “THIS IS TO PREVENT THE TRANSMISSION OF CORONAVIRUS.”

    “I remember when you could stroke them,” said a passing trader. “It’s so depressing. I wish I’d stayed at home now.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/13/so-depressing-covid-empties-city-of-london-of-pre-christmas-cheer", + "creator": "Archie Bland", + "pubDate": "2021-12-13T18:43:00Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b5fd09cb3aba3904dc769cf97a305bf" + "hash": "47931b792c47cc816114d1cd2a92f0c3" }, { - "title": "YassifyBot and 'Yassification' Memes, Explained", - "description": "A new Twitter account has amassed a following by sharing highly filtered versions of well-known images.", - "content": "A new Twitter account has amassed a following by sharing highly filtered versions of well-known images.", - "category": "Beauty (Concept)", - "link": "https://www.nytimes.com/2021/11/24/style/yassify-bot-meme.html", - "creator": "Shane O’Neill", - "pubDate": "Wed, 24 Nov 2021 19:50:35 +0000", + "title": "Australia to manufacture mRNA vaccines under deal with Moderna", + "description": "

    New facility could produce 100m vaccines a year under deal between pharmaceutical company and federal and Victorian governments

    Australia may be manufacturing mRNA vaccines for Covid-19 and other diseases by 2024 under an in-principle agreement struck with pharmaceutical giant Moderna.

    Scott Morrison will announce on Tuesday that under the deal a new sovereign vaccine manufacturing facility will be built in Victoria to produce pandemic and non-pandemic respiratory vaccines, including potential flu vaccines.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    New facility could produce 100m vaccines a year under deal between pharmaceutical company and federal and Victorian governments

    Australia may be manufacturing mRNA vaccines for Covid-19 and other diseases by 2024 under an in-principle agreement struck with pharmaceutical giant Moderna.

    Scott Morrison will announce on Tuesday that under the deal a new sovereign vaccine manufacturing facility will be built in Victoria to produce pandemic and non-pandemic respiratory vaccines, including potential flu vaccines.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/14/australia-to-manufacture-mrna-vaccines-under-deal-with-moderna", + "creator": "Sarah Martin Chief political correspondent", + "pubDate": "2021-12-13T16:30:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f457cd222298fcb25d8978378f44c49" + "hash": "f66db18b3ffa301c95f0c955ef344002" }, { - "title": "A Claim of Herd Immunity Reignites Debate Over U.K. Covid Policy", - "description": "Neil Ferguson, a leading epidemiologist, said the country had almost reached a state of herd immunity as it settled into a new normal of about 40,000 cases a day. Other experts disagreed.", - "content": "Neil Ferguson, a leading epidemiologist, said the country had almost reached a state of herd immunity as it settled into a new normal of about 40,000 cases a day. Other experts disagreed.", - "category": "Disease Rates", - "link": "https://www.nytimes.com/2021/11/24/world/europe/uk-virus-herd-immunity.html", - "creator": "Stephen Castle and Mark Landler", - "pubDate": "Wed, 24 Nov 2021 19:29:47 +0000", + "title": "‘I never worked in a cocktail bar’: How the Human League made Don’t You Want Me", + "description": "

    ‘Philip turned up to meet my parents fully made up, with red lipstick and high heels. My dad locked himself in the bedroom and refused to come out’

    I had intended to recruit just one female backing singer but when I walked into the Crazy Daisy nightclub in Sheffield, the first thing I saw was Joanne Catherall and Susan Ann Sulley dancing. They somehow looked like a unit while being clearly different individuals. I knew they were right.

    Continue reading...", + "content": "

    ‘Philip turned up to meet my parents fully made up, with red lipstick and high heels. My dad locked himself in the bedroom and refused to come out’

    I had intended to recruit just one female backing singer but when I walked into the Crazy Daisy nightclub in Sheffield, the first thing I saw was Joanne Catherall and Susan Ann Sulley dancing. They somehow looked like a unit while being clearly different individuals. I knew they were right.

    Continue reading...", + "category": "The Human League", + "link": "https://www.theguardian.com/culture/2021/dec/13/the-human-league-how-we-made-dont-you-want-me", + "creator": "Interviews by Dave Simpson", + "pubDate": "2021-12-13T15:34:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d0521c9afaf010f6485270a4a8d62056" + "hash": "8e902f265c20564962cbe5977b027849" }, { - "title": "British Lawmaker Is Reprimanded for Bringing Her Baby to a Debate", - "description": "Stella Creasy received a letter of complaint for attending a debate with her infant son in tow. After an outcry, the speaker of the House of Commons said that a committee would review the rules.", - "content": "Stella Creasy received a letter of complaint for attending a debate with her infant son in tow. After an outcry, the speaker of the House of Commons said that a committee would review the rules.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/24/world/europe/stella-creasy-baby.html", - "creator": "Jenny Gross", - "pubDate": "Wed, 24 Nov 2021 18:52:41 +0000", + "title": "How we met: ‘I was a bit taken aback when he asked if he could hit on me’", + "description": "

    Amanda, 39, and Alex, 42, met on a forum for railway enthusiasts. After a long online friendship, they started dating in 2007. They now live in New York with their two children

    Alex was studying transport management in Boston when he first came across Amanda in 2001. They belonged to the same internet forum for railway enthusiasts. “At the time it was a hobby dominated by men and a lot of women who did join disguised themselves,” says Alex. “I remember seeing Amanda’s name and thinking it was great that she could be herself.”

    There was an AOL chatroom within the message board, and they began to talk. A New Yorker, Amanda had always been interested in transport systems. For several years they chatted online, but neither expected it to turn into more. “She was dating a subway operator and I told her to be careful because the railroad life can be really tough,” he says.

    Want to share your story? Tell us a little about yourself, your partner and how you got together by filling in the form here.

    Continue reading...", + "content": "

    Amanda, 39, and Alex, 42, met on a forum for railway enthusiasts. After a long online friendship, they started dating in 2007. They now live in New York with their two children

    Alex was studying transport management in Boston when he first came across Amanda in 2001. They belonged to the same internet forum for railway enthusiasts. “At the time it was a hobby dominated by men and a lot of women who did join disguised themselves,” says Alex. “I remember seeing Amanda’s name and thinking it was great that she could be herself.”

    There was an AOL chatroom within the message board, and they began to talk. A New Yorker, Amanda had always been interested in transport systems. For several years they chatted online, but neither expected it to turn into more. “She was dating a subway operator and I told her to be careful because the railroad life can be really tough,” he says.

    Want to share your story? Tell us a little about yourself, your partner and how you got together by filling in the form here.

    Continue reading...", + "category": "Relationships", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/13/how-we-met-i-was-a-bit-taken-aback-when-he-asked-if-he-could-hit-on-me", + "creator": "Lizzie Cernik", + "pubDate": "2021-12-13T11:30:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d0a3392b2aec02c8a4609f1141121b3" + "hash": "bf5087b60ca23bff4913a00e1fd50b33" }, { - "title": "C.D.C. Eases Up on Dog Travel Ban", - "description": "The agency will now allow some pets to be brought back into the United States from 113 countries considered as high risk for rabies.", - "content": "The agency will now allow some pets to be brought back into the United States from 113 countries considered as high risk for rabies.", - "category": "Dogs", - "link": "https://www.nytimes.com/2021/11/24/travel/cdc-dog-travel-ban.html", - "creator": "Debra Kamin", - "pubDate": "Wed, 24 Nov 2021 18:39:17 +0000", + "title": "Why it’s time to say goodbye to Tiger King", + "description": "

    Netflix’s continued obsession with the pandemic hit has brought a follow-up special, a second season and now a spin-off but enough is enough

    To think of Tiger King is to immediately transport yourself to the heady days of lockdown 2020. Remember it? Remember how filled with artificial purpose we all were? We did Zoom quizzes with all our friends! We made banana bread! We clapped for frontline workers!

    Looking back, it seems relatively clear that all those things were stupid. Nobody wants to spend more time on Zoom than they have to. Nobody likes banana bread. The clapping didn’t change anything. And as for Tiger King? With the benefit of hindsight, Christ, we chose the wrong show to obsess over. Looking back, Tiger King was grubby and exploitative. Once you’d crossed the “Are these people for real?” hurdle, you found yourself sitting through a carnival of monstrous behaviour. Tiger King was the documentary equivalent of that old Black Mirror episode: as fun as it sounds to watch someone have sex with a pig, at the end of the day you actually have to watch someone have sex with a pig.

    Continue reading...", + "content": "

    Netflix’s continued obsession with the pandemic hit has brought a follow-up special, a second season and now a spin-off but enough is enough

    To think of Tiger King is to immediately transport yourself to the heady days of lockdown 2020. Remember it? Remember how filled with artificial purpose we all were? We did Zoom quizzes with all our friends! We made banana bread! We clapped for frontline workers!

    Looking back, it seems relatively clear that all those things were stupid. Nobody wants to spend more time on Zoom than they have to. Nobody likes banana bread. The clapping didn’t change anything. And as for Tiger King? With the benefit of hindsight, Christ, we chose the wrong show to obsess over. Looking back, Tiger King was grubby and exploitative. Once you’d crossed the “Are these people for real?” hurdle, you found yourself sitting through a carnival of monstrous behaviour. Tiger King was the documentary equivalent of that old Black Mirror episode: as fun as it sounds to watch someone have sex with a pig, at the end of the day you actually have to watch someone have sex with a pig.

    Continue reading...", + "category": "Tiger King", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/13/tiger-king-netflix-time-to-say-goodbye-doc-antle", + "creator": "Stuart Heritage", + "pubDate": "2021-12-13T15:37:00Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "843e569d03de09c0bb4a9515e2722c4e" + "hash": "9d7dd8cf79b9e923a789ccd7a13c5e48" }, { - "title": "Trump Investigation Enters Crucial Phase as Prosecutor’s Term Nears End", - "description": "New developments suggest the long-running inquiry has returned to an earlier focus: the valuations the former president and his family business applied to properties as it sought loans.", - "content": "New developments suggest the long-running inquiry has returned to an earlier focus: the valuations the former president and his family business applied to properties as it sought loans.", - "category": "Trump Tax Returns", - "link": "https://www.nytimes.com/2021/11/24/nyregion/trump-investigation-cyrus-vance.html", - "creator": "Ben Protess, William K. Rashbaum, Jonah E. Bromwich and David Enrich", - "pubDate": "Wed, 24 Nov 2021 18:35:43 +0000", + "title": "Those we lost in 2021: Janet Malcolm remembered by Michael W Miller", + "description": "

    8 July 1934 – 16 June 2021
    The US journalist on his aunt, whose exacting vision – from her writing to her elegant dinner parties – was an expression of love and generosity

    “Hypocrisy is the grease that keeps society functioning in an agreeable way, by allowing for human fallibility and reconciling the seemingly irreconcilable human needs for order and pleasure.”

    Those are the words, unmistakable for their wit and moral clarity, of Janet Malcolm, from her most famous book, The Journalist and the Murderer. They’re not words she lived by personally, however. She was uncompromising in her own response to fallibilities large and small, cheerfully sending back wine at restaurants, rejecting all offers to bring contributions to dinner parties, and chiding anyone who read a certain dire translation of Anna Karenina. I remember on more than one occasion giving her a holiday present, and then watching her unwrap it, look it over, and hand it back to me, explaining that she thought I would enjoy it more than she would.

    Continue reading...", + "content": "

    8 July 1934 – 16 June 2021
    The US journalist on his aunt, whose exacting vision – from her writing to her elegant dinner parties – was an expression of love and generosity

    “Hypocrisy is the grease that keeps society functioning in an agreeable way, by allowing for human fallibility and reconciling the seemingly irreconcilable human needs for order and pleasure.”

    Those are the words, unmistakable for their wit and moral clarity, of Janet Malcolm, from her most famous book, The Journalist and the Murderer. They’re not words she lived by personally, however. She was uncompromising in her own response to fallibilities large and small, cheerfully sending back wine at restaurants, rejecting all offers to bring contributions to dinner parties, and chiding anyone who read a certain dire translation of Anna Karenina. I remember on more than one occasion giving her a holiday present, and then watching her unwrap it, look it over, and hand it back to me, explaining that she thought I would enjoy it more than she would.

    Continue reading...", + "category": "Janet Malcolm", + "link": "https://www.theguardian.com/books/2021/dec/13/obituaries-2021-janet-malcolm-remembered-by-michael-w-miller", + "creator": "Guardian Staff", + "pubDate": "2021-12-13T16:00:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ab7248cb7a84e1472257170904e96ff5" + "hash": "563ec3915dbe82528fa0fba3474db9de" }, { - "title": "How Exercise Affects Your Appetite", - "description": "For most of us, exercise impacts our hunger and weight in unexpected and sometimes contradictory ways.", - "content": "For most of us, exercise impacts our hunger and weight in unexpected and sometimes contradictory ways.", - "category": "Exercise", - "link": "https://www.nytimes.com/2021/11/24/well/move/exercise-appetite-weight.html", - "creator": "Gretchen Reynolds", - "pubDate": "Wed, 24 Nov 2021 18:31:37 +0000", + "title": "Anne Sacoolas to face UK court over death of Harry Dunn", + "description": "

    US citizen is accused of killing 19-year-old in a road crash outside RAF Croughton on 27 August 2019

    The US citizen Anne Sacoolas is due to face criminal proceedings in the UK, charged with causing the death by dangerous driving of the 19-year-old motorcyclist Harry Dunn.

    The 44-year-old is accused of killing the teenager in a road crash outside the US military base RAF Croughton in Northamptonshire on 27 August 2019.

    Continue reading...", + "content": "

    US citizen is accused of killing 19-year-old in a road crash outside RAF Croughton on 27 August 2019

    The US citizen Anne Sacoolas is due to face criminal proceedings in the UK, charged with causing the death by dangerous driving of the 19-year-old motorcyclist Harry Dunn.

    The 44-year-old is accused of killing the teenager in a road crash outside the US military base RAF Croughton in Northamptonshire on 27 August 2019.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/13/harry-dunn-anne-sacoolas-to-face-criminal-trial-in-the-uk-over-teenagers-death", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-13T19:05:10Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "94c8e2b001c4f2d194285d099c887ac4" + "hash": "99360d2b8d1bc12be1c75aef5f917dd2" }, { - "title": "What Parental Leave Means to Dads and Non-birthing Partners", - "description": "Parents told us what having paid parental leave — or not — meant for their families.", - "content": "Parents told us what having paid parental leave — or not — meant for their families.", - "category": "Family Leaves", - "link": "https://www.nytimes.com/2021/11/24/opinion/parental-paternal-leave.html", - "creator": "The New York Times Opinion", - "pubDate": "Wed, 24 Nov 2021 18:31:14 +0000", + "title": "Tel Aviv: poverty and eviction in the world’s most expensive city", + "description": "

    Residents of Givat Amal Bet neighbourhood forced out to make way for further gentrification

    In one of Tel Aviv’s most affluent neighbourhoods, a collection of ramshackle one-storey homes with rusting roofs known as Givat Amal Bet still sits in the shadow of the high-rise towers looming above.

    Israel’s economic centre has recently been named the world’s most expensive city to live in, overtaking Paris and Singapore in the 2021 rankings compiled by the Economist Intelligence Unit (EIU). As the Mediterranean city’s reputation as a global tech hub continues to attract foreign investment, however, and prices for goods and services soar as Israel’s economy makes a strong recovery from the pandemic, locals fear the widening gap between rich and poor is pushing out working-class residents and creating damaging new social divisions.

    Continue reading...", + "content": "

    Residents of Givat Amal Bet neighbourhood forced out to make way for further gentrification

    In one of Tel Aviv’s most affluent neighbourhoods, a collection of ramshackle one-storey homes with rusting roofs known as Givat Amal Bet still sits in the shadow of the high-rise towers looming above.

    Israel’s economic centre has recently been named the world’s most expensive city to live in, overtaking Paris and Singapore in the 2021 rankings compiled by the Economist Intelligence Unit (EIU). As the Mediterranean city’s reputation as a global tech hub continues to attract foreign investment, however, and prices for goods and services soar as Israel’s economy makes a strong recovery from the pandemic, locals fear the widening gap between rich and poor is pushing out working-class residents and creating damaging new social divisions.

    Continue reading...", + "category": "Israel", + "link": "https://www.theguardian.com/world/2021/dec/12/tel-aviv-poverty-eviction-givat-amal-bet-gentrification-worlds-most-expensive-city", + "creator": "Bethan McKernan and Quique Kierszenbaum in Tel Aviv", + "pubDate": "2021-12-12T14:15:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d45515e2f147cf68cdc6dfc327aafe57" + "hash": "302e4a81470b6f978bc75275f152e2a1" }, { - "title": "Zena Stein, 99, Dies; Researcher Championed Women’s Health", - "description": "She studied the impact of AIDS on women and explored the effects of famine and poverty on health with an “unwavering commitment to social justice.”", - "content": "She studied the impact of AIDS on women and explored the effects of famine and poverty on health with an “unwavering commitment to social justice.”", - "category": "Stein, Zena", - "link": "https://www.nytimes.com/2021/11/23/health/zena-stein-dead.html", - "creator": "Annabelle Williams", - "pubDate": "Wed, 24 Nov 2021 17:07:08 +0000", + "title": "Democrats fear threats to US democracy: ‘We were one vice-president away from a coup’ – live", + "description": "

    The Guardian’s Edward Helmore, Nikhita Chulani, Harvey Symons and Arnel Hecimovic report:

    Powerful tornadoes barrelled through five US states on Friday, levelling houses and factories and bringing down power lines. In Kentucky, the worst-hit state, one tornado alone followed an extraordinarily long and destructive path of more than 200 miles.

    Continue reading...", + "content": "

    The Guardian’s Edward Helmore, Nikhita Chulani, Harvey Symons and Arnel Hecimovic report:

    Powerful tornadoes barrelled through five US states on Friday, levelling houses and factories and bringing down power lines. In Kentucky, the worst-hit state, one tornado alone followed an extraordinarily long and destructive path of more than 200 miles.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/live/2021/dec/13/biden-manchin-democrats-build-back-better-agenda-us-politics-live", + "creator": "Johana Bhuiyan (now) and Joan E Greve (earlier)", + "pubDate": "2021-12-13T22:03:12Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca1e22468ab6263621d65739a93a5f79" + "hash": "803ee3ffca7a698152bf052f751d76bb" }, { - "title": "Republicans Fight Covid Mandates, Then Blame Biden as Cases Rise", - "description": "Republicans have fought mask requirements and vaccine mandates for months, but as coronavirus infections again rise, they are blaming the president for failing to end the health crisis.", - "content": "Republicans have fought mask requirements and vaccine mandates for months, but as coronavirus infections again rise, they are blaming the president for failing to end the health crisis.", - "category": "Disease Rates", - "link": "https://www.nytimes.com/2021/11/24/us/politics/republicans-biden-coronavirus.html", - "creator": "Jonathan Weisman", - "pubDate": "Wed, 24 Nov 2021 16:24:03 +0000", + "title": "Mainland China reports first case of Omicron coronavirus variant", + "description": "

    Appearance of highly transmissible variant poses serious threat to zero-Covid strategy

    Mainland China has reported its first case of the highly transmissible Omicron variant in the northern city of Tianjin, posing what could be the biggest threat to date to the country’s zero-Covid strategy.

    The Chinese authorities reported on Monday that the Omicron case was detected on 9 December from an overseas returnee, who showed no symptoms on arrival. The patient is being quarantined and treated in a designated hospital.

    Continue reading...", + "content": "

    Appearance of highly transmissible variant poses serious threat to zero-Covid strategy

    Mainland China has reported its first case of the highly transmissible Omicron variant in the northern city of Tianjin, posing what could be the biggest threat to date to the country’s zero-Covid strategy.

    The Chinese authorities reported on Monday that the Omicron case was detected on 9 December from an overseas returnee, who showed no symptoms on arrival. The patient is being quarantined and treated in a designated hospital.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/13/mainland-china-reports-first-case-of-omicron-coronavirus-variant", + "creator": "Vincent Ni China affairs correspondent", + "pubDate": "2021-12-13T19:03:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0fea2b95384a52a567cc161bfaf6c0d0" + "hash": "e31ea19c2fb3d92efba683a1cca2ee87" }, { - "title": "‘Drive My Car’ Review: A Director Takes Your Heart for a Spin", - "description": "In this quiet masterpiece, Ryusuke Hamaguchi considers grief, love, work and the soul-sustaining, life-shaping power of art.", - "content": "In this quiet masterpiece, Ryusuke Hamaguchi considers grief, love, work and the soul-sustaining, life-shaping power of art.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/24/movies/drive-my-car-review.html", - "creator": "Manohla Dargis", - "pubDate": "Wed, 24 Nov 2021 16:06:28 +0000", + "title": "Australia live news update: Barnaby Joyce opposes Julian Assange extradition; NSW train strike; mRNA vaccines could be made in Victoria", + "description": "

    Barnaby Joyce says Julian Assange should not be extradited to the US; passengers on NSW rail network face another day of disruption as train union strikes – follow all the day’s news

    Here is the full statement for the Victorian government on the Moderna manufacturing facility that’s set to be operational by 2024.

    Prime minister Scott Morrison has called on states and territories to ease their last remaining Covid-19 restrictions, as Western Australia announced plans to reopen its hard border to the rest of the nation, reports AAP’s Andrew Brown.

    Australians kept their side of the deal, it is time for governments to now keep theirs; to step back and let Australians step forward...

    To put Australians back in charge of their own lives, relying on the connecting points and relationships that exist between the state and the individual.

    Australia is going to be connected and together again...

    This will be welcome news for thousands of Western Australians looking forward to reuniting with family and friends after so long apart.

    Continue reading...", + "content": "

    Barnaby Joyce says Julian Assange should not be extradited to the US; passengers on NSW rail network face another day of disruption as train union strikes – follow all the day’s news

    Here is the full statement for the Victorian government on the Moderna manufacturing facility that’s set to be operational by 2024.

    Prime minister Scott Morrison has called on states and territories to ease their last remaining Covid-19 restrictions, as Western Australia announced plans to reopen its hard border to the rest of the nation, reports AAP’s Andrew Brown.

    Australians kept their side of the deal, it is time for governments to now keep theirs; to step back and let Australians step forward...

    To put Australians back in charge of their own lives, relying on the connecting points and relationships that exist between the state and the individual.

    Australia is going to be connected and together again...

    This will be welcome news for thousands of Western Australians looking forward to reuniting with family and friends after so long apart.

    Continue reading...", + "category": "New South Wales", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/14/australia-news-updates-live-coronavirus-omicron-nsw-victoria-weather-scott-morrison-isolation-exposure-covid", + "creator": "Matilda Boseley", + "pubDate": "2021-12-13T22:01:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b08f2fc8dd50871559948a870da340e" + "hash": "ba1fa4d1f7ca8a75889dcad644e1f1c5" }, { - "title": "Contending With the Pandemic, Wealthy Nations Wage Global Battle for Migrants", - "description": "Covid kept many people in place. Now several developed countries, facing aging labor forces and worker shortages, are racing to recruit, train and integrate foreigners.", - "content": "Covid kept many people in place. Now several developed countries, facing aging labor forces and worker shortages, are racing to recruit, train and integrate foreigners.", - "category": "Foreign Workers", - "link": "https://www.nytimes.com/2021/11/23/world/asia/immigration-pandemic-labor-shortages.html", - "creator": "Damien Cave and Christopher F. Schuetze", - "pubDate": "Wed, 24 Nov 2021 14:42:19 +0000", + "title": "Women in prison falling through gaps in feminist funding, report finds", + "description": "

    Foundations shy away from supporting those with ‘complicated’ narratives, says head of Women Beyond Walls, resulting in a funding crisis

    Organisations working with women in prisons around the world are not attracting the support they deserve, as even feminists shy away from helping people with “complicated” narratives, according to new research.

    Lawyer Sabrina Mahtani, founder of Women Beyond Walls (WBW), said many charities and NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society.

    Continue reading...", + "content": "

    Foundations shy away from supporting those with ‘complicated’ narratives, says head of Women Beyond Walls, resulting in a funding crisis

    Organisations working with women in prisons around the world are not attracting the support they deserve, as even feminists shy away from helping people with “complicated” narratives, according to new research.

    Lawyer Sabrina Mahtani, founder of Women Beyond Walls (WBW), said many charities and NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society.

    Continue reading...", + "category": "Women's rights and gender equality", + "link": "https://www.theguardian.com/global-development/2021/dec/09/women-in-prison-ignored-by-feminist-funders-that-find-them-less-marketable-says-ngo-head", + "creator": "Lizzy Davies", + "pubDate": "2021-12-09T06:30:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "90f037d53561ca24024065be0e06ce09" + "hash": "c321afba848dfc23165a8f9d95a2ed6e" }, { - "title": "The Best Tech Gifts That Aren’t Gadgets", - "description": "Supply-chain disruptions may make it tough to buy devices, but the most thoughtful presents were never tangible to begin with.", - "content": "Supply-chain disruptions may make it tough to buy devices, but the most thoughtful presents were never tangible to begin with.", - "category": "Gifts", - "link": "https://www.nytimes.com/2021/11/24/technology/personaltech/best-tech-gifts.html", - "creator": "Brian X. Chen", - "pubDate": "Wed, 24 Nov 2021 14:00:12 +0000", + "title": "Who are the rebel Tory MPs likely to oppose plan B Covid restrictions?", + "description": "

    Analysis: distinct camps have emerged in Westminster, from hardline lockdown sceptics to selective rebels

    Government whips are braced for a major rebellion by Tory MPs over new plan B Covid restrictions due to come into force this week, against a backdrop of anger over rule-breaking Christmas parties. The restrictions are set to pass – but only thanks to support from Labour.

    Ahead of the Commons votes on Tuesday on mask-wearing, working from home and Covid passports, these are the camps that are set to oppose at least some of the measures.

    Continue reading...", + "content": "

    Analysis: distinct camps have emerged in Westminster, from hardline lockdown sceptics to selective rebels

    Government whips are braced for a major rebellion by Tory MPs over new plan B Covid restrictions due to come into force this week, against a backdrop of anger over rule-breaking Christmas parties. The restrictions are set to pass – but only thanks to support from Labour.

    Ahead of the Commons votes on Tuesday on mask-wearing, working from home and Covid passports, these are the camps that are set to oppose at least some of the measures.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/who-are-the-rebel-tory-mp-factions-that-plan-to-oppose-plan-b-covid-restrictions", + "creator": "Aubrey Allegretti Political correspondent", + "pubDate": "2021-12-12T17:04:10Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6db2abab0311917ff5f182d128a87289" + "hash": "e9ab324d87e3db25ef41206b60774993" }, { - "title": "Biden to Nominate Shalanda Young as Budget Director", - "description": "Ms. Young, the acting head of the Office of Management and Budget, would be the first Black woman to hold the post on a permanent basis.", - "content": "Ms. Young, the acting head of the Office of Management and Budget, would be the first Black woman to hold the post on a permanent basis.", - "category": "Young, Shalanda", - "link": "https://www.nytimes.com/2021/11/24/us/politics/shalanda-young-omb-director.html", - "creator": "Zolan Kanno-Youngs", - "pubDate": "Wed, 24 Nov 2021 13:33:04 +0000", + "title": "Kentucky tornadoes: governor confirms at least 64 deaths as toll expected to rise", + "description": "

    Andy Beshear says 105 Kentuckians still unaccounted for, and that the number of confirmed deaths might not be known for weeks

    Kentucky’s governor Andy Beshear broke down in tears on Monday as he announced the deaths of at least 64 people from Friday’s deadly tornadoes that swept across multiple midwest and southern states, and warned that the death toll is expected to grow.

    The ages of those killed ranged from five months to 86 years, six of them younger than 18, Beshear said at an emotional press conference in Frankfort, the state capital.

    Continue reading...", + "content": "

    Andy Beshear says 105 Kentuckians still unaccounted for, and that the number of confirmed deaths might not be known for weeks

    Kentucky’s governor Andy Beshear broke down in tears on Monday as he announced the deaths of at least 64 people from Friday’s deadly tornadoes that swept across multiple midwest and southern states, and warned that the death toll is expected to grow.

    The ages of those killed ranged from five months to 86 years, six of them younger than 18, Beshear said at an emotional press conference in Frankfort, the state capital.

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/2021/dec/13/kentucky-tornadoes-death-toll", + "creator": "Richard Luscombe and agencies", + "pubDate": "2021-12-13T17:19:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "991ae88be22b668df68d91bd51288866" + "hash": "aeb14bd9c496e147c9ee707e630eeaad" }, { - "title": "New Zealand Will Reopen to Tourists Within Months", - "description": "Emerging from one of the world’s longest lockdowns, the country plans to admit most fully vaccinated travelers. Here’s the latest pandemic news.", - "content": "Emerging from one of the world’s longest lockdowns, the country plans to admit most fully vaccinated travelers. Here’s the latest pandemic news.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/24/world/covid-vaccine-boosters-mandates", - "creator": "The New York Times", - "pubDate": "Wed, 24 Nov 2021 13:25:34 +0000", + "title": "Maps of Renaissance Tuscany on show for first time in 20 years", + "description": "

    First large-scale representations of region are back on display at Uffizi Galleries in Florence

    Maps depicting Renaissance Tuscany are back on display at the Uffizi Galleries in Florence after being hidden from public view for more than 20 years.

    The wall paintings were commissioned in the late 1500s by Ferdinando I de’ Medici after the republic of Florence’s conquering of its rival Siena led to the creation the Grand Duchy of Tuscany and depict the newly unified territory.

    Continue reading...", + "content": "

    First large-scale representations of region are back on display at Uffizi Galleries in Florence

    Maps depicting Renaissance Tuscany are back on display at the Uffizi Galleries in Florence after being hidden from public view for more than 20 years.

    The wall paintings were commissioned in the late 1500s by Ferdinando I de’ Medici after the republic of Florence’s conquering of its rival Siena led to the creation the Grand Duchy of Tuscany and depict the newly unified territory.

    Continue reading...", + "category": "Italy", + "link": "https://www.theguardian.com/world/2021/dec/13/maps-of-renaissance-tuscany-on-show-for-first-time-in-20-years", + "creator": "Angela Giuffrida", + "pubDate": "2021-12-13T16:25:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ff6c3349364d73e911a1f41bf1b88ab" + "hash": "db768e5b14948db6a3f4d9cb79e2d7ad" }, { - "title": "Germany Is Poised to Meet Its Post-Merkel Government", - "description": "Olaf Scholz will be the first center-left chancellor in 16 years, replacing the country’s longtime leader, Angela Merkel. Follow updates here.", - "content": "Olaf Scholz will be the first center-left chancellor in 16 years, replacing the country’s longtime leader, Angela Merkel. Follow updates here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/24/world/germany-government", - "creator": "The New York Times", - "pubDate": "Wed, 24 Nov 2021 13:25:33 +0000", + "title": "USA Gymnastics and USOPC reach $380m settlement with Nassar abuse survivors", + "description": "
    • Disgraced doctor abused dozens of athletes in his care
    • Organizations were accused of failing to stop abuse

    Survivors of disgraced former USA Gymnastics doctor Larry Nassar have reached a $380m settlement with USA Gymnastics, the US Olympic & Paralympic Committee and their insurers after a five-year legal battle. The settlement was confirmed during a hearing in a federal bankruptcy court in Indianapolis on Monday.

    “This settlement is the result of the bravery of hundreds of survivors who, despite legal obstacles, long odds and the best corporate legal talent money can buy, refused to be silent. The power of their story eventually won the day,” John Manly, an attorney for the plaintiffs, said on Monday.

    Continue reading...", + "content": "
    • Disgraced doctor abused dozens of athletes in his care
    • Organizations were accused of failing to stop abuse

    Survivors of disgraced former USA Gymnastics doctor Larry Nassar have reached a $380m settlement with USA Gymnastics, the US Olympic & Paralympic Committee and their insurers after a five-year legal battle. The settlement was confirmed during a hearing in a federal bankruptcy court in Indianapolis on Monday.

    “This settlement is the result of the bravery of hundreds of survivors who, despite legal obstacles, long odds and the best corporate legal talent money can buy, refused to be silent. The power of their story eventually won the day,” John Manly, an attorney for the plaintiffs, said on Monday.

    Continue reading...", + "category": "Gymnastics", + "link": "https://www.theguardian.com/sport/2021/dec/13/usa-gymnastics-usopc-larry-nassar-lawsuit-settlement", + "creator": "Guardian sport and agencies", + "pubDate": "2021-12-13T18:12:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b25ceb8734ee052e84c859d0b1777325" + "hash": "916e059993e7f8dcd2f13d0ba81a4b87" }, { - "title": "Jury to Resume Deliberations in Arbery Murder Trial", - "description": "For a second day, jurors will consider the fate of the three men accused of murdering Ahmaud Arbery. Here’s the latest on the trial.", - "content": "For a second day, jurors will consider the fate of the three men accused of murdering Ahmaud Arbery. Here’s the latest on the trial.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/24/us/ahmaud-arbery-murder-trial", - "creator": "The New York Times", - "pubDate": "Wed, 24 Nov 2021 13:25:33 +0000", + "title": "Danish ex-minister given jail sentence for separating couples seeking asylum", + "description": "

    Inger Støjberg receives two-month sentence for separating several couples where woman was under 18

    Denmark’s former immigration minister has been sentenced to two months in prison after a special court found her guilty of illegally separating several couples of asylum seekers where the woman was under 18.

    Inger Støjberg was sentenced on Monday to 60 days in jail over accusations that she violated the European convention on human rights by ordering the separation of couples, some of whom had children.

    Continue reading...", + "content": "

    Inger Støjberg receives two-month sentence for separating several couples where woman was under 18

    Denmark’s former immigration minister has been sentenced to two months in prison after a special court found her guilty of illegally separating several couples of asylum seekers where the woman was under 18.

    Inger Støjberg was sentenced on Monday to 60 days in jail over accusations that she violated the European convention on human rights by ordering the separation of couples, some of whom had children.

    Continue reading...", + "category": "Denmark", + "link": "https://www.theguardian.com/world/2021/dec/13/danish-ex-minister-inger-stojberg-given-jail-sentence-for-separating-couples-seeking-asylum", + "creator": "AFP in Copenhagen", + "pubDate": "2021-12-13T17:32:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1274846dd54e4a0dd661eea44092cc3" + "hash": "7cd42d0b55cd78cc4587119e16714fe0" }, { - "title": "Man Is Exonerated in Rape Case Described in Alice Sebold’s Memoir", - "description": "Anthony J. Broadwater was convicted of the 1981 attack in Syracuse, N.Y., in a case the district attorney and a state judge agreed was flawed.", - "content": "Anthony J. Broadwater was convicted of the 1981 attack in Syracuse, N.Y., in a case the district attorney and a state judge agreed was flawed.", - "category": "False Arrests, Convictions and Imprisonments", - "link": "https://www.nytimes.com/2021/11/23/nyregion/anthony-broadwater-alice-sebold.html", - "creator": "Karen Zraick and Alexandra Alter", - "pubDate": "Wed, 24 Nov 2021 13:07:04 +0000", + "title": "UK coastguard ‘telling refugees in British waters to contact the French’", + "description": "

    Officials urged to review procedures after accusations 999 calls by people in small boats are being redirected to France

    Refugees crossing the Channel to the UK in small boats are calling on the UK coastguard to review its procedures after claiming officials regularly redirect them to French emergency services after they make 999 calls in what they believe to be the UK part of the Channel.

    Relatives and survivors of the mass tragedy in the Channel where at least 27 people lost their lives on 24 November said that repeated distress calls had been made to both French and UK coastguards and that the UK had told them to contact the French rescue services.

    Continue reading...", + "content": "

    Officials urged to review procedures after accusations 999 calls by people in small boats are being redirected to France

    Refugees crossing the Channel to the UK in small boats are calling on the UK coastguard to review its procedures after claiming officials regularly redirect them to French emergency services after they make 999 calls in what they believe to be the UK part of the Channel.

    Relatives and survivors of the mass tragedy in the Channel where at least 27 people lost their lives on 24 November said that repeated distress calls had been made to both French and UK coastguards and that the UK had told them to contact the French rescue services.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/dec/13/uk-coastguard-telling-refugees-in-british-waters-to-contact-the-french", + "creator": "Diane Taylor", + "pubDate": "2021-12-13T16:06:24Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1c2b1b207c8bd8d3118173d120794e3" + "hash": "d231bcd3295045cf830a59a95e469917" }, { - "title": "Karim Benzema, French Soccer Star, Is Convicted in Sex Tape Scandal", - "description": "The Real Madrid striker was found guilty of being part of an attempt to blackmail a fellow player, charges that had led to his being dropped from his national team for more than five years.", - "content": "The Real Madrid striker was found guilty of being part of an attempt to blackmail a fellow player, charges that had led to his being dropped from his national team for more than five years.", - "category": "Soccer", - "link": "https://www.nytimes.com/2021/11/24/sports/soccer/karim-benzema-verdict-sex-tape-trial.html", - "creator": "Aurelien Breeden", - "pubDate": "Wed, 24 Nov 2021 12:57:48 +0000", + "title": "Golden Globe nominations 2022: Belfast and The Power of the Dog lead the pack", + "description": "

    Kenneth Branagh’s autobiographical drama and Jane Campion’s tense western both score seven nominations

    Full list of nominations

    In one of the more unexpected comebacks of the year, the Hollywood Foreign Press Association has announced the nominations for its 79th awards ceremony, to be held on 9 January – but not screened on television after broadcaster NBC terminated the contract.

    Belfast, Kenneth Branagh’s black-and-white drama set in his hometown during the Troubles, has seven nominations, as does The Power of the Dog, Jane Campion’s sexually-charged western set in 1920s Montana.

    Continue reading...", + "content": "

    Kenneth Branagh’s autobiographical drama and Jane Campion’s tense western both score seven nominations

    Full list of nominations

    In one of the more unexpected comebacks of the year, the Hollywood Foreign Press Association has announced the nominations for its 79th awards ceremony, to be held on 9 January – but not screened on television after broadcaster NBC terminated the contract.

    Belfast, Kenneth Branagh’s black-and-white drama set in his hometown during the Troubles, has seven nominations, as does The Power of the Dog, Jane Campion’s sexually-charged western set in 1920s Montana.

    Continue reading...", + "category": "Golden Globes 2022", + "link": "https://www.theguardian.com/film/2021/dec/13/golden-globe-nominations-2021-belfast-and-the-power-of-the-dog-lead-the-pack", + "creator": "Catherine Shoard", + "pubDate": "2021-12-13T15:12:07Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "634b1d5198d89d9388b04fe1164c3a0a" + "hash": "d91113f28aa1055dcd3895ec08938811" }, { - "title": "The Farmers Revolt in India", - "description": "How agricultural workers organized, protested and faced down Prime Minister Narendra Modi — and scored an unlikely victory.", - "content": "How agricultural workers organized, protested and faced down Prime Minister Narendra Modi — and scored an unlikely victory.", - "category": "Modi, Narendra", - "link": "https://www.nytimes.com/2021/11/24/podcasts/the-daily/india-farmers-protest.html", - "creator": "Michael Barbaro, Sydney Harper, Mooj Zadie, Jessica Cheung, Dave Shaw and Chris Wood", - "pubDate": "Wed, 24 Nov 2021 12:33:24 +0000", + "title": "Biden and Manchin to meet amid race to pass Build Back Better agenda – live", + "description": "

    The Guardian’s Edward Helmore, Nikhita Chulani, Harvey Symons and Arnel Hecimovic report:

    Powerful tornadoes barrelled through five US states on Friday, levelling houses and factories and bringing down power lines. In Kentucky, the worst-hit state, one tornado alone followed an extraordinarily long and destructive path of more than 200 miles.

    Continue reading...", + "content": "

    The Guardian’s Edward Helmore, Nikhita Chulani, Harvey Symons and Arnel Hecimovic report:

    Powerful tornadoes barrelled through five US states on Friday, levelling houses and factories and bringing down power lines. In Kentucky, the worst-hit state, one tornado alone followed an extraordinarily long and destructive path of more than 200 miles.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/live/2021/dec/13/biden-manchin-democrats-build-back-better-agenda-us-politics-live", + "creator": "Joan E Greve", + "pubDate": "2021-12-13T19:29:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9a3b6ca1a3c485fea175f34a2275d532" + "hash": "7b23cc5d5f9ca4bc9f4f6124b176b224" }, { - "title": "Australian Minister Wins Defamation Case Over Tweet", - "description": "A government minister sued and won over a brief Twitter post that called him a “rape apologist.” A journalist sees “asymmetric warfare.”", - "content": "A government minister sued and won over a brief Twitter post that called him a “rape apologist.” A journalist sees “asymmetric warfare.”", - "category": "Australia", - "link": "https://www.nytimes.com/2021/11/24/world/australia/defamation-lawsuit.html", - "creator": "Yan Zhuang", - "pubDate": "Wed, 24 Nov 2021 12:32:29 +0000", + "title": "Outrage as Quebec teacher removed from classroom for wearing hijab under controversial law", + "description": "

    Fatemeh Anvari was told her headwear ran afoul of Bill 21, which bars some public servants from wearing religious symbols

    The removal of a Canadian teacher for wearing a hijab in the classroom has sparked widespread condemnation of a controversial law in the province of Quebec, which critics say unfairly targets ethnic minorities under the pretext of secularism.

    Fatemeh Anvari, a third-grade teacher in the town of Chelsea, was told earlier this month that she would no longer be allowed to continue in the role because her headwear ran afoul of Bill 21, a law passed in 2019.

    Continue reading...", + "content": "

    Fatemeh Anvari was told her headwear ran afoul of Bill 21, which bars some public servants from wearing religious symbols

    The removal of a Canadian teacher for wearing a hijab in the classroom has sparked widespread condemnation of a controversial law in the province of Quebec, which critics say unfairly targets ethnic minorities under the pretext of secularism.

    Fatemeh Anvari, a third-grade teacher in the town of Chelsea, was told earlier this month that she would no longer be allowed to continue in the role because her headwear ran afoul of Bill 21, a law passed in 2019.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/dec/13/canada-quebec-teacher-removed-classroom-hijab", + "creator": "Leyland Cecco in Victoria, British Columbia", + "pubDate": "2021-12-13T19:26:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be06330ce13409ce89aa6cca9afb6692" + "hash": "12e39e029facb9b23d5aadff4b9adaf5" }, { - "title": "What Your Flight History Reveals About Your Carbon Footprint", - "description": "Google Flights now shows your carbon footprint. Will it change the way you buy plane tickets?", - "content": "Google Flights now shows your carbon footprint. Will it change the way you buy plane tickets?", - "category": "Greenhouse Gas Emissions", - "link": "https://www.nytimes.com/2021/11/23/opinion/climate-change-guilt-flights.html", - "creator": "Farah Stockman", - "pubDate": "Wed, 24 Nov 2021 12:28:37 +0000", + "title": "‘Healing can begin with a handshake’: inside Sydney’s only Aboriginal-run drug and alcohol counselling centre", + "description": "

    From massive loss and intense grief, the Marrin Weejali Aboriginal Corporation was born

    When Tony Hunter first shakes your hand, he holds your gaze a long time, calmly sizing you up, perhaps looking for a common bond. His outback New South Wales drawl is slow, but his mind feels fully engaged. Tell him he looks a lot younger than his 69 years and he looks sceptical: “I lost 10 years to alcohol in there.”

    Twenty-seven years ago Hunter and his partner, Melinda Bonham, were sitting on the porch of their house in Shalvey, a suburb of Blacktown, when Hunter fell silent, lost in thought. It was 1994, and the local Aboriginal community had endured a long cycle of drug and alcohol addiction, trauma and premature death. After a while, Hunter spoke: “I’ve gotta do something to help my people.”

    Marrin Weejali Aboriginal Corporation.

    Continue reading...", + "content": "

    From massive loss and intense grief, the Marrin Weejali Aboriginal Corporation was born

    When Tony Hunter first shakes your hand, he holds your gaze a long time, calmly sizing you up, perhaps looking for a common bond. His outback New South Wales drawl is slow, but his mind feels fully engaged. Tell him he looks a lot younger than his 69 years and he looks sceptical: “I lost 10 years to alcohol in there.”

    Twenty-seven years ago Hunter and his partner, Melinda Bonham, were sitting on the porch of their house in Shalvey, a suburb of Blacktown, when Hunter fell silent, lost in thought. It was 1994, and the local Aboriginal community had endured a long cycle of drug and alcohol addiction, trauma and premature death. After a while, Hunter spoke: “I’ve gotta do something to help my people.”

    Marrin Weejali Aboriginal Corporation.

    Continue reading...", + "category": "Indigenous Australians", + "link": "https://www.theguardian.com/australia-news/2021/dec/14/healing-can-begin-with-a-handshake-inside-sydneys-only-aboriginal-run-drug-and-alcohol-counselling-centre", + "creator": "James Button; Photography by Carly Earl", + "pubDate": "2021-12-13T16:30:25Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aa389e5499d98ff835c3361cf713df29" + "hash": "03f13ba10498951b09aee6bcfa573671" }, { - "title": "The Inflation Miscalculation Complicating Biden’s Agenda", - "description": "Administration officials blame the Delta variant for a prolonged stretch of consumer spending on goods, rather than services, pushing up prices and creating a conundrum for the Fed.", - "content": "Administration officials blame the Delta variant for a prolonged stretch of consumer spending on goods, rather than services, pushing up prices and creating a conundrum for the Fed.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/11/24/us/politics/biden-inflation-prices.html", - "creator": "Jim Tankersley", - "pubDate": "Wed, 24 Nov 2021 12:20:07 +0000", + "title": "UK Covid live: Sajid Javid says Omicron infections estimated to be running at 200,000 a day", + "description": "

    Latest updates: health secretary tells MPs no variant has spread as fast as confirmed cases of the variant rise 50% in a day

    BBC One will broadcast a pre-recorded address to the nation from Keir Starmer at 7pm in response to Boris Johnson’s own remarks on coronavirus booster vaccines, Labour has said.

    Today is the first day that people aged 30 to 39 can officially book a booster jab in England. Although the website has been overwhelmed (see 10.46am), NHS Digital says more than 140,000 people have managed to book vaccine appointments this morning.

    Continue reading...", + "content": "

    Latest updates: health secretary tells MPs no variant has spread as fast as confirmed cases of the variant rise 50% in a day

    BBC One will broadcast a pre-recorded address to the nation from Keir Starmer at 7pm in response to Boris Johnson’s own remarks on coronavirus booster vaccines, Labour has said.

    Today is the first day that people aged 30 to 39 can officially book a booster jab in England. Although the website has been overwhelmed (see 10.46am), NHS Digital says more than 140,000 people have managed to book vaccine appointments this morning.

    Continue reading...", + "category": "Politics", + "link": "https://www.theguardian.com/politics/live/2021/dec/13/uk-covid-live-nhs-appointments-postponed-help-omicron-booster-jabs-boris-johnson-latest-updates", + "creator": "Andrew Sparrow", + "pubDate": "2021-12-13T17:20:44Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3514129811e58d87203510f9a8280c1a" + "hash": "86e61823642acc8ddd00b011a3238e5c" }, { - "title": "Turkey Without Covid", - "description": "A guide to using rapid tests.", - "content": "A guide to using rapid tests.", - "category": "", - "link": "https://www.nytimes.com/2021/11/24/briefing/thanksgiving-covid-rapid-test.html", - "creator": "David Leonhardt", - "pubDate": "Wed, 24 Nov 2021 11:35:50 +0000", + "title": "Kentucky tornadoes: Hopes rise that death toll could be lower than feared", + "description": "

    Governor Andy Beshear had originally said more than 100 people were feared dead, but later said the estimate could be wrong

    US president Joe Biden declared a major federal disaster in Kentucky after a swarm of deadly tornadoes hit the state on Friday, as representatives of a candle factory destroyed by a twister said far fewer people may have died than previously feared.

    Biden had previously declared the storms a federal emergency and the move to designate the storms a federal disaster paves the way for additional aid, as thousands face housing, food, water and power shortages.

    Continue reading...", + "content": "

    Governor Andy Beshear had originally said more than 100 people were feared dead, but later said the estimate could be wrong

    US president Joe Biden declared a major federal disaster in Kentucky after a swarm of deadly tornadoes hit the state on Friday, as representatives of a candle factory destroyed by a twister said far fewer people may have died than previously feared.

    Biden had previously declared the storms a federal emergency and the move to designate the storms a federal disaster paves the way for additional aid, as thousands face housing, food, water and power shortages.

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/2021/dec/13/kentucky-tornadoes-hopes-rise-that-candle-factory-death-toll-could-be-lower-than-feared", + "creator": "Richard Luscombe, Samira Sadeque with agencies", + "pubDate": "2021-12-13T12:31:07Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "df326bb8d24114e90421aecc2fa87bfd" + "hash": "7eeb2c8d4841831705cf6672949c9422" }, { - "title": "Hong Kong’s Pillar of Shame Is More Than a Statue", - "description": "Shrinking the public space that preserves the memory of the 1989 Beijing uprising has effectively turned Hong Kong into another silent mainland city.", - "content": "Shrinking the public space that preserves the memory of the 1989 Beijing uprising has effectively turned Hong Kong into another silent mainland city.", - "category": "Hong Kong Protests (2019)", - "link": "https://www.nytimes.com/2021/11/24/opinion/hong-kong-university-china.html", - "creator": "Shui-yin Sharon Yam and Alex Chow", - "pubDate": "Wed, 24 Nov 2021 11:31:41 +0000", + "title": "North and South Korea agree ‘in principle’ on formal end of war", + "description": "

    Pyongyang has made end to US hostility a precondition for peace talks after almost 70 years of conflict

    South and North Korea, China and the US have agreed “in principle” to declare a formal end to the Korean war, almost 70 years after the conflict ended in a shaky truce, the South Korean president, Moon Jae-in, has said.

    But Moon conceded that talks on the 1950-53 war were being held back by North Korean objections to present-day “US hostility”.

    Continue reading...", + "content": "

    Pyongyang has made end to US hostility a precondition for peace talks after almost 70 years of conflict

    South and North Korea, China and the US have agreed “in principle” to declare a formal end to the Korean war, almost 70 years after the conflict ended in a shaky truce, the South Korean president, Moon Jae-in, has said.

    But Moon conceded that talks on the 1950-53 war were being held back by North Korean objections to present-day “US hostility”.

    Continue reading...", + "category": "North Korea", + "link": "https://www.theguardian.com/world/2021/dec/13/north-south-korea-agree-in-principle-formal-end-war-us", + "creator": "Justin McCurry in Tokyo", + "pubDate": "2021-12-13T09:23:58Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89b65c2111426e6e36fff19fd7965dff" + "hash": "c4be552bc5e3382a6180415fdf49c324" }, { - "title": "End the Trump-Biden Tariffs", - "description": "An import tax on chassis is contributing to inflation and port congestion. The government needs to find better ways of increasing manufacturing.", - "content": "An import tax on chassis is contributing to inflation and port congestion. The government needs to find better ways of increasing manufacturing.", - "category": "International Trade and World Market", - "link": "https://www.nytimes.com/2021/11/24/opinion/trucking-trump-biden-tariffs.html", - "creator": "Binyamin Appelbaum", - "pubDate": "Wed, 24 Nov 2021 10:04:23 +0000", + "title": "US appears to cut video feed of Taiwanese minister at summit", + "description": "

    White House accused of trying to avoid antagonising Beijing by replacing feed during map presentation

    The White House has been accused of cutting the video feed of a Taiwanese minister after a map in the official’s slide presentation showed the island in a different colour to China’s during last week’s Summit for Democracy, in an effort to avoid antagonising Beijing.

    Reuters news agency reported that during a panel discussion on Friday, the video feed showing Audrey Tang, Taiwan’s digital minister, was replaced with audio only.

    Continue reading...", + "content": "

    White House accused of trying to avoid antagonising Beijing by replacing feed during map presentation

    The White House has been accused of cutting the video feed of a Taiwanese minister after a map in the official’s slide presentation showed the island in a different colour to China’s during last week’s Summit for Democracy, in an effort to avoid antagonising Beijing.

    Reuters news agency reported that during a panel discussion on Friday, the video feed showing Audrey Tang, Taiwan’s digital minister, was replaced with audio only.

    Continue reading...", + "category": "Taiwan", + "link": "https://www.theguardian.com/world/2021/dec/13/us-appears-to-cut-video-feed-audrey-tang-taiwan-summit-for-democracy", + "creator": "Vincent Ni China affairs correspondent", + "pubDate": "2021-12-13T14:23:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ccc73833228e3677884aef23668ebb00" + "hash": "c6d9ed057afd0cb1807ad915d22a96ca" }, { - "title": "The Republicans We’re Thankful For", - "description": "There are some in the G.O.P. who reject its worst antidemocratic impulses. We should celebrate them.", - "content": "There are some in the G.O.P. who reject its worst antidemocratic impulses. We should celebrate them.", - "category": "Presidential Election of 2020", - "link": "https://www.nytimes.com/2021/11/24/opinion/gop-democracy-trump.html", - "creator": "Michelle Cottle", - "pubDate": "Wed, 24 Nov 2021 10:04:05 +0000", + "title": "Turkey faces threat of financial crisis after lira plunges against dollar", + "description": "

    Central bank forced to defend currency as traders respond to interest rate cut with sharp selloff

    Fears that Turkey is on course for a full-scale financial crisis have intensified after the lira plunged to fresh lows against the US dollar.

    Turkey’s central bank was forced to step in to defend the ailing currency – selling US dollars for lira – after the latest sharp selloff.

    Continue reading...", + "content": "

    Central bank forced to defend currency as traders respond to interest rate cut with sharp selloff

    Fears that Turkey is on course for a full-scale financial crisis have intensified after the lira plunged to fresh lows against the US dollar.

    Turkey’s central bank was forced to step in to defend the ailing currency – selling US dollars for lira – after the latest sharp selloff.

    Continue reading...", + "category": "Turkey", + "link": "https://www.theguardian.com/world/2021/dec/13/turkey-faces-threat-of-financial-crisis-after-lira-plunges-against-dollar", + "creator": "Larry Elliott Economics editor", + "pubDate": "2021-12-13T13:58:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dbb19ac809045d8c0923318d23a7d6ac" + "hash": "3d3c5500bf89bdcdf8a9ae17ff5586bc" }, { - "title": "Ian Fishback's Death Highlights Veteran Mental Illness Crisis", - "description": "Ian Fishback revealed abuse of detainees during the Iraq war, but struggled after leaving the service. He died awaiting a bed at the V.A.", - "content": "Ian Fishback revealed abuse of detainees during the Iraq war, but struggled after leaving the service. He died awaiting a bed at the V.A.", - "category": "Veterans", - "link": "https://www.nytimes.com/2021/11/24/us/politics/ian-fishback-veteran-mental-health-crisis.html", - "creator": "Jennifer Steinhauer", - "pubDate": "Wed, 24 Nov 2021 10:00:35 +0000", + "title": "Inquiry launched into ‘drunkenness at sea’ after ships crash in Baltic", + "description": "

    One crew member of capsized Danish barge has died and another is still missing

    Swedish coastguard officers have opened an investigation into alleged gross negligence and “drunkenness at sea” after one crew member of a capsized Danish barge died and another was feared drowned in a collision with a UK-flagged carrier.

    At least 11 boats, a spotter plane and a helicopter searched for the missing men for hours after the 3.30am collision in the Baltic Sea but eventually abandoned their efforts, Sweden’s maritime administration (SMA) said on Monday.

    Continue reading...", + "content": "

    One crew member of capsized Danish barge has died and another is still missing

    Swedish coastguard officers have opened an investigation into alleged gross negligence and “drunkenness at sea” after one crew member of a capsized Danish barge died and another was feared drowned in a collision with a UK-flagged carrier.

    At least 11 boats, a spotter plane and a helicopter searched for the missing men for hours after the 3.30am collision in the Baltic Sea but eventually abandoned their efforts, Sweden’s maritime administration (SMA) said on Monday.

    Continue reading...", + "category": "Sweden", + "link": "https://www.theguardian.com/business/2021/dec/13/british-and-danish-ships-collide-baltic-sea-rescue", + "creator": "Reuters in Stockholm", + "pubDate": "2021-12-13T15:55:25Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b49b6e5ec5fcd177de9a076b8df9c9db" + "hash": "dca770d9cd9540bf44ebea45556775d0" }, { - "title": "In Buffalo, Waiting for the Canadians", - "description": "So far, relaxed travel restrictions between the United States and Canada have not led to a big influx of tourists on either side of the New York-Ontario border. Both sides are waiting, not so patiently.", - "content": "So far, relaxed travel restrictions between the United States and Canada have not led to a big influx of tourists on either side of the New York-Ontario border. Both sides are waiting, not so patiently.", - "category": "Travel and Vacations", - "link": "https://www.nytimes.com/2021/11/24/travel/new-york-canada-tourism.html", - "creator": "Jeff Z. Klein", - "pubDate": "Wed, 24 Nov 2021 10:00:34 +0000", + "title": "Brazilian politicians in three-round punch-up after waterpark feud", + "description": "

    Mayor of Amazonian town of Borba and ex-councillor settle differences in bout livestreamed on the internet

    Two feuding Amazonian politicians have settled their differences with an ultimate fighting-style rumble in the jungle that has fuelled fears over the increasingly antagonistic nature of Brazilian democracy.

    Simão Peixoto, the mayor of Borba, a town 90 miles south of Manaus, was publicly challenged to the fistfight in September by a former councillor called Erineu da Silva.

    Continue reading...", + "content": "

    Mayor of Amazonian town of Borba and ex-councillor settle differences in bout livestreamed on the internet

    Two feuding Amazonian politicians have settled their differences with an ultimate fighting-style rumble in the jungle that has fuelled fears over the increasingly antagonistic nature of Brazilian democracy.

    Simão Peixoto, the mayor of Borba, a town 90 miles south of Manaus, was publicly challenged to the fistfight in September by a former councillor called Erineu da Silva.

    Continue reading...", + "category": "Brazil", + "link": "https://www.theguardian.com/world/2021/dec/13/brazilian-politicians-in-three-round-punch-up-after-waterpark-feud", + "creator": "Tom Phillips Latin America correspondent", + "pubDate": "2021-12-13T12:44:48Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b38d7a922681cef2a1935d1c82f2b47" + "hash": "9497aec40a0aa6f1c4d8ce1007383856" }, { - "title": "Ifeoma Ozoma Blew the Whistle on Pinterest. Now She Protects Whistle-Blowers.", - "description": "Ifeoma Ozoma, who accused Pinterest of discrimination, has become a key figure in helping tech employees disclose, and fight, mistreatment at work.", - "content": "Ifeoma Ozoma, who accused Pinterest of discrimination, has become a key figure in helping tech employees disclose, and fight, mistreatment at work.", - "category": "Whistle-Blowers", - "link": "https://www.nytimes.com/2021/11/24/technology/pinterest-whistle-blower-ifeoma-ozoma.html", - "creator": "Erin Woo", - "pubDate": "Wed, 24 Nov 2021 10:00:27 +0000", + "title": "Covid live: China reports first Omicron cases; Norway to tighten restrictions", + "description": "

    First confirmed Omicron case in China is detected in Tianjin; Norway to act amid record high infections and hospitalisations

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "content": "

    First confirmed Omicron case in China is detected in Tianjin; Norway to act amid record high infections and hospitalisations

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/13/covid-news-live-boris-johnson-warns-of-omicron-tidal-wave-south-african-president-tests-positive", + "creator": "Rachel Hall (now),Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-13T17:08:39Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c088a37987af6bb507391c64c6e78f35" + "hash": "f7fe9fe332586b39dc1b556069aa7555" }, { - "title": "Wall Street Warms Up, Grudgingly, to Remote Work, Unthinkable Before Covid", - "description": "Finance employees who couldn’t imagine working from home before the pandemic are now reluctant to return to the office. Their bosses can’t figure out how to bring them back.", - "content": "Finance employees who couldn’t imagine working from home before the pandemic are now reluctant to return to the office. Their bosses can’t figure out how to bring them back.", - "category": "Banking and Financial Institutions", - "link": "https://www.nytimes.com/2021/11/24/business/wall-street-remote-work-banks.html", - "creator": "Lananh Nguyen", - "pubDate": "Wed, 24 Nov 2021 10:00:21 +0000", + "title": "Experts warn Papua New Guinea is potential breeding ground for new Covid variants", + "description": "

    PNG, where less than 5% of the adult population is vaccinated, is creating opportunities for the virus to spread and mutate, epidemiologists say

    Experts have warned that the next variant of Covid-19 to sweep the world could emerge on Australia’s doorstep, due to incredibly low rates of vaccination rates in Papua New Guinea.

    Papua New Guinea is Australia’s closest neighbour, and at its nearest point is just 4km from Australian territory in the Torres Strait. At various points in the pandemic there have been fears that travellers from PNG could bring the virus to Australia.

    Continue reading...", + "content": "

    PNG, where less than 5% of the adult population is vaccinated, is creating opportunities for the virus to spread and mutate, epidemiologists say

    Experts have warned that the next variant of Covid-19 to sweep the world could emerge on Australia’s doorstep, due to incredibly low rates of vaccination rates in Papua New Guinea.

    Papua New Guinea is Australia’s closest neighbour, and at its nearest point is just 4km from Australian territory in the Torres Strait. At various points in the pandemic there have been fears that travellers from PNG could bring the virus to Australia.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/world/2021/dec/13/experts-warn-papua-new-guinea-is-potential-breeding-ground-for-new-covid-variants", + "creator": "Kate Lyons", + "pubDate": "2021-12-13T02:13:15Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8297016b7882c4b396b6f86a9d258f58" + "hash": "f69ad125870e7773249f177394376f9d" }, { - "title": "Who Makes a ‘Good’ Transplant Candidate?", - "description": "Evaluation for transplant is an area of medicine where subjective criteria, like whether a person has strong family support, can determine access.", - "content": "Evaluation for transplant is an area of medicine where subjective criteria, like whether a person has strong family support, can determine access.", - "category": "Transplants", - "link": "https://www.nytimes.com/2021/11/24/opinion/organ-transplant.html", - "creator": "Daniela J. Lamas", - "pubDate": "Wed, 24 Nov 2021 10:00:09 +0000", + "title": "Native American communities lashed by Covid, worsening chronic inequities", + "description": "

    Pandemic deepened disparities in infrastructure, education and health care, non-profit leader says

    Amid the Covid-19 pandemic the president of one of the largest Native American– run non-profits has warned that health and economic disparities are still seriously affecting Indigenous communities, despite some progress achieved by the Biden administration.

    Josh Arce, president of the Partnerships with Native Americans (PWNA), told the Guardian in an interview that challenges affecting Indigenous groups ranged from health inequities such as high rates of diabetes, heart disease and other illnesses to inadequate infrastructure such as running water and reliable electricity. Nearly all of these problems were worsened by the pandemic.

    Continue reading...", + "content": "

    Pandemic deepened disparities in infrastructure, education and health care, non-profit leader says

    Amid the Covid-19 pandemic the president of one of the largest Native American– run non-profits has warned that health and economic disparities are still seriously affecting Indigenous communities, despite some progress achieved by the Biden administration.

    Josh Arce, president of the Partnerships with Native Americans (PWNA), told the Guardian in an interview that challenges affecting Indigenous groups ranged from health inequities such as high rates of diabetes, heart disease and other illnesses to inadequate infrastructure such as running water and reliable electricity. Nearly all of these problems were worsened by the pandemic.

    Continue reading...", + "category": "Native Americans", + "link": "https://www.theguardian.com/us-news/2021/dec/13/pandemic-challenges-native-american-communities", + "creator": "Gloria Oladipo", + "pubDate": "2021-12-13T10:00:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05090eb6d1dd9ce7232ff0988bbd35d1" + "hash": "b1e779ef829e70ddc3a17693a0cee44d" }, { - "title": "How to Find Common Ground With Your Most Problematic Family Members", - "description": "To survive a dinner table disagreement with the people you love this Thanksgiving, don’t call it a debate, Dylan Marron argues.", - "content": "To survive a dinner table disagreement with the people you love this Thanksgiving, don’t call it a debate, Dylan Marron argues.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2021/11/24/opinion/family-argument-thanksgiving.html", - "creator": "‘The Argument’", - "pubDate": "Wed, 24 Nov 2021 10:00:08 +0000", + "title": "How Pablo Escobar’s ‘cocaine hippos’ became a biodiversity nightmare", + "description": "

    Animals brought illegally to Colombia by the drug kingpin have been allowed to roam free and are now disrupting the fragile ecosystem.

    Michael Safi speaks to reporter Joe Parkin Daniels and veterinarian Gina Paola Serna about Pablo Escobar’s ‘cocaine hippos’

    Myths and legends continue to surround Colombia’s most notorious drug lord Pablo Escobar 26 years after his death. But his legacy has had an unexpectedly disastrous impact on some of the country’s fragile ecosystems. A herd of more than 80 hippos roam free, the descendants of animals smuggled to Colombia from Africa in the 1980s and now flourishing in the wild.

    Reporter Joe Parkin Daniels tells Michael Safi that when Escobar was shot dead by police on a rooftop in his hometown of Medellín, the authorities seized his estate and the animals on it. While most were shipped to zoos, the logistics of moving his four hippos proved insurmountable and they were left to wander the Andes.

    Continue reading...", + "content": "

    Animals brought illegally to Colombia by the drug kingpin have been allowed to roam free and are now disrupting the fragile ecosystem.

    Michael Safi speaks to reporter Joe Parkin Daniels and veterinarian Gina Paola Serna about Pablo Escobar’s ‘cocaine hippos’

    Myths and legends continue to surround Colombia’s most notorious drug lord Pablo Escobar 26 years after his death. But his legacy has had an unexpectedly disastrous impact on some of the country’s fragile ecosystems. A herd of more than 80 hippos roam free, the descendants of animals smuggled to Colombia from Africa in the 1980s and now flourishing in the wild.

    Reporter Joe Parkin Daniels tells Michael Safi that when Escobar was shot dead by police on a rooftop in his hometown of Medellín, the authorities seized his estate and the animals on it. While most were shipped to zoos, the logistics of moving his four hippos proved insurmountable and they were left to wander the Andes.

    Continue reading...", + "category": "Colombia", + "link": "https://www.theguardian.com/australia-news/audio/2021/dec/14/how-pablo-escobars-cocaine-hippos-became-a-biodiversity-nightmare", + "creator": "Presented by Michael Safi with Joe Parkin Daniels and Gina Paola Serna; produced by Rose de Larrabeiti, Georgina Quach and Axel Kacoutié; executive producers Phil Maynard, Archie Bland and Mythili Rao; additional production by Laura Murphy-Oates and Daniel Semo", + "pubDate": "2021-12-13T16:30:24Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f37335a0d8e3f2424d778396df7b9d3" + "hash": "398d08b57a85678429f7a01d9811c07f" }, { - "title": "The Algorithm That Could Take Us Inside Shakespeare’s Mind", - "description": "Machine learning programs have recently made huge advances. Stephen Marche tested one against Shakespeare’s collected works, to see if it could help him figure out which of the several versions of Hamlet’s soliloquy was most likely what the playwright intended.", - "content": "Machine learning programs have recently made huge advances. Stephen Marche tested one against Shakespeare’s collected works, to see if it could help him figure out which of the several versions of Hamlet’s soliloquy was most likely what the playwright intended.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/24/books/review/shakespeare-cohere-natural-language-processing.html", - "creator": "Stephen Marche", - "pubDate": "Wed, 24 Nov 2021 10:00:03 +0000", + "title": "Two missing after British and Danish ships collide in Baltic", + "description": "

    Several vessels and helicopter dispatched after collision between cargo ships in Swedish waters

    Two people are missing after two cargo ships collided in foggy conditions in the Baltic Sea between the Danish island of Bornholm and the southern Swedish city of Ystad.

    The 55-metre Karin Hoej, registered in Denmark, had capsized and was upside down, the Swedish Maritime Administration (SMA) said. It had two people onboard, the Danish Defence’s Joint Operations Centre (JOC) said.

    Continue reading...", + "content": "

    Several vessels and helicopter dispatched after collision between cargo ships in Swedish waters

    Two people are missing after two cargo ships collided in foggy conditions in the Baltic Sea between the Danish island of Bornholm and the southern Swedish city of Ystad.

    The 55-metre Karin Hoej, registered in Denmark, had capsized and was upside down, the Swedish Maritime Administration (SMA) said. It had two people onboard, the Danish Defence’s Joint Operations Centre (JOC) said.

    Continue reading...", + "category": "Sweden", + "link": "https://www.theguardian.com/business/2021/dec/13/british-and-danish-ships-collide-baltic-sea-rescue", + "creator": "Reuters in Stockholm", + "pubDate": "2021-12-13T09:35:58Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b74c91ccdd5e331ce8e4638ba81ba586" + "hash": "9af5ada3f9da1293ec6c27b47f9b6c35" }, { - "title": "Lithuania Welcomes Belarusians as It Rebuffs Middle Easterners", - "description": "People fleeing repression in Belarus are processed quickly and given visas. Middle Eastern migrants passing through Belarus to the E.U. face a harsher fate.", - "content": "People fleeing repression in Belarus are processed quickly and given visas. Middle Eastern migrants passing through Belarus to the E.U. face a harsher fate.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/23/world/europe/lithuania-migrants-belarus-middle-east.html", - "creator": "Anton Troianovski", - "pubDate": "Wed, 24 Nov 2021 09:23:56 +0000", + "title": "Capitol attack panel set to recommend contempt charges against Mark Meadows", + "description": "

    Move comes as lawmakers release new details about thousands of emails and texts he has handed over to the committee

    The House panel investigating the 6 January insurrection at the US Capitol is set to recommend contempt charges against former White House chief of staff Mark Meadows on Monday as lawmakers are releasing new details about thousands of emails and texts he has handed over to the committee.

    In laying out the case for the contempt vote, the nine-member panel released a 51-page report late on Sunday that details its questions about the documents he has already provided – including 6,600 pages of records taken from personal email accounts and about 2,000 text messages.

    Continue reading...", + "content": "

    Move comes as lawmakers release new details about thousands of emails and texts he has handed over to the committee

    The House panel investigating the 6 January insurrection at the US Capitol is set to recommend contempt charges against former White House chief of staff Mark Meadows on Monday as lawmakers are releasing new details about thousands of emails and texts he has handed over to the committee.

    In laying out the case for the contempt vote, the nine-member panel released a 51-page report late on Sunday that details its questions about the documents he has already provided – including 6,600 pages of records taken from personal email accounts and about 2,000 text messages.

    Continue reading...", + "category": "US Capitol attack", + "link": "https://www.theguardian.com/us-news/2021/dec/13/capitol-attack-panel-recommend-contempt-charges-mark-meadows", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-13T14:03:54Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cb6a6c15bdf69dccfd2a249e0ba7f725" + "hash": "191933b09fccbf1809db95f046da5064" }, { - "title": "NASA's DART Mission Launches to Crash Into Killer Asteroid and Defend Earth", - "description": "The Double Asteroid Redirection Test spacecraft, launched on Wednesday, could be the first to alter an asteroid’s path, a technique that may be used to defend the planet in the future.", - "content": "The Double Asteroid Redirection Test spacecraft, launched on Wednesday, could be the first to alter an asteroid’s path, a technique that may be used to defend the planet in the future.", - "category": "Double Asteroid Redirect Test", - "link": "https://www.nytimes.com/2021/11/24/science/nasa-dart-mission-asteroid.html", - "creator": "Joey Roulette", - "pubDate": "Wed, 24 Nov 2021 07:30:15 +0000", + "title": "France seeks to ban ultra-right group suspected of attacking anti-racists", + "description": "

    Interior minister begins legal action to dissolve Zouaves group after brawl at rally for far-right presidential candidate

    France’s interior minister is seeking to dissolve an “ultra right” group suspected of attacking anti-racism protesters who entered a campaign rally held by the far-right presidential candidate Éric Zemmour.

    The Zouaves, who support Zemmour’s anti-immigration and anti-Islam ideology, are thought to be behind the brawl, which happened eight days ago.

    Continue reading...", + "content": "

    Interior minister begins legal action to dissolve Zouaves group after brawl at rally for far-right presidential candidate

    France’s interior minister is seeking to dissolve an “ultra right” group suspected of attacking anti-racism protesters who entered a campaign rally held by the far-right presidential candidate Éric Zemmour.

    The Zouaves, who support Zemmour’s anti-immigration and anti-Islam ideology, are thought to be behind the brawl, which happened eight days ago.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/13/france-seeks-to-ban-ultra-right-group-suspected-of-attacking-anti-racists", + "creator": "Kim Willsher", + "pubDate": "2021-12-13T12:39:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "27c0969af3d0cbdcec2d37eaddeb1ee8" + "hash": "7216f9e1039da8168bd00865d9545319" }, { - "title": "Late Night Riffs on Biden’s Order to Release Oil Reserves", - "description": "“For those who don’t know, the strategic reserve is a series of caverns filled with fossil fuel and strategically located inside Rudy Giuliani’s head,” Colbert joked.", - "content": "“For those who don’t know, the strategic reserve is a series of caverns filled with fossil fuel and strategically located inside Rudy Giuliani’s head,” Colbert joked.", - "category": "Television", - "link": "https://www.nytimes.com/2021/11/24/arts/television/stephen-colbert-biden-oil-reserves.html", - "creator": "Trish Bendix", - "pubDate": "Wed, 24 Nov 2021 07:12:36 +0000", + "title": "UK Covid live: 1,576 new Omicron cases detected as patients in hospital with new variant aged 18-85", + "description": "

    Latest updates: new variant cases rise 50% in a day to 4,713; Omicron patients hospitalised in England aged between 18 and 85, UKHSA says

    BBC One will broadcast a pre-recorded address to the nation from Keir Starmer at 7pm in response to Boris Johnson’s own remarks on coronavirus booster vaccines, Labour has said.

    Today is the first day that people aged 30 to 39 can officially book a booster jab in England. Although the website has been overwhelmed (see 10.46am), NHS Digital says more than 140,000 people have managed to book vaccine appointments this morning.

    Continue reading...", + "content": "

    Latest updates: new variant cases rise 50% in a day to 4,713; Omicron patients hospitalised in England aged between 18 and 85, UKHSA says

    BBC One will broadcast a pre-recorded address to the nation from Keir Starmer at 7pm in response to Boris Johnson’s own remarks on coronavirus booster vaccines, Labour has said.

    Today is the first day that people aged 30 to 39 can officially book a booster jab in England. Although the website has been overwhelmed (see 10.46am), NHS Digital says more than 140,000 people have managed to book vaccine appointments this morning.

    Continue reading...", + "category": "Politics", + "link": "https://www.theguardian.com/politics/live/2021/dec/13/uk-covid-live-nhs-appointments-postponed-help-omicron-booster-jabs-boris-johnson-latest-updates", + "creator": "Andrew Sparrow", + "pubDate": "2021-12-13T15:25:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4120781f88a302b13d1ce66033d0a56f" + "hash": "45a207195540d0ebb2b8b4ef68575dce" }, { - "title": "Pentagon Forms a Group to Examine Unexplained Aerial Sightings", - "description": "The announcement follows a report that failed to clarify strange phenomena observed by military pilots and others over the past two decades.", - "content": "The announcement follows a report that failed to clarify strange phenomena observed by military pilots and others over the past two decades.", - "category": "Espionage and Intelligence Services", - "link": "https://www.nytimes.com/2021/11/24/us/politics/pentagon-ufos.html", - "creator": "Julian E. Barnes", - "pubDate": "Wed, 24 Nov 2021 05:08:40 +0000", + "title": "Covid live: Norway to tighten restrictions; SA president Ramaphosa has ‘mild symptoms’ after positive test", + "description": "

    Norway to act amid record high infections and hospitalisations; 69-year-old South African president tested positive for Covid-19 on Sunday

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "content": "

    Norway to act amid record high infections and hospitalisations; 69-year-old South African president tested positive for Covid-19 on Sunday

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/13/covid-news-live-boris-johnson-warns-of-omicron-tidal-wave-south-african-president-tests-positive", + "creator": "Rachel Hall (now),Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-13T14:51:34Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55a5657a1fc8ff6e74a3198a17af8399" + "hash": "0a39b3075bc081a6362c3169e950421b" }, { - "title": "The Best Thanksgiving Movies to Watch This Holiday", - "description": "First the food, then the movies. Here are five streaming suggestions for the holiday.", - "content": "First the food, then the movies. Here are five streaming suggestions for the holiday.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/23/movies/thanksgiving-movies-streaming.html", - "creator": "Amy Nicholson", - "pubDate": "Wed, 24 Nov 2021 02:54:57 +0000", + "title": "The 10 best games on PlayStation 5", + "description": "

    From the very first game on the console to a lonely space-rodent and a rejuvenated Spider-Man, these are our best picks for the PS5

    One of the most quietly significant games of the 00s has been transformed here into a visually incredible, endlessly rewarding dark fantasy. Make your way through imposing medieval castles, a horrendous prison tower and foul swamps using a sword, shield, wand and whatever else you can scavenge to defend yourself against what you find there. This game can be brutal and unforgiving – progress is hard-won, the combat is exciting and consequential, and the bosses are legendary – but you can always summon other players to help you, and if you can engage with its challenge, this is a game you’ll never forget.

    Continue reading...", + "content": "

    From the very first game on the console to a lonely space-rodent and a rejuvenated Spider-Man, these are our best picks for the PS5

    One of the most quietly significant games of the 00s has been transformed here into a visually incredible, endlessly rewarding dark fantasy. Make your way through imposing medieval castles, a horrendous prison tower and foul swamps using a sword, shield, wand and whatever else you can scavenge to defend yourself against what you find there. This game can be brutal and unforgiving – progress is hard-won, the combat is exciting and consequential, and the bosses are legendary – but you can always summon other players to help you, and if you can engage with its challenge, this is a game you’ll never forget.

    Continue reading...", + "category": "Games", + "link": "https://www.theguardian.com/games/2021/dec/13/the-10-best-games-on-playstation-5", + "creator": "Keza MacDonald and Keith Stuart", + "pubDate": "2021-12-13T11:30:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c93475503b467882d2ac5f78fe3bb45f" + "hash": "1bf38b95761acbf8fc0e5bbd383d1048" }, { - "title": "‘Everything Went Black’: The Children Caught in a Christmas Parade Tragedy", - "description": "A child died on Tuesday, and scores of other children were injured when an S.U.V. barreled through the parade on Sunday in Waukesha, Wis.", - "content": "A child died on Tuesday, and scores of other children were injured when an S.U.V. barreled through the parade on Sunday in Waukesha, Wis.", - "category": "Waukesha, Wis, Holiday Parade Attack (2021)", - "link": "https://www.nytimes.com/2021/11/23/us/waukesha-parade-children-injured.html", - "creator": "Shawn Hubler and Giulia Heyward", - "pubDate": "Wed, 24 Nov 2021 02:02:22 +0000", + "title": "Adam McKay: ‘Leo sees Meryl as film royalty – he didn’t like seeing her with a lower back tattoo’", + "description": "

    After politics in Vice and finance in The Big Short, director McKay is taking on the climate crisis in his star-studded ‘freakout’ satire Don’t Look Up

    Adam McKay calls it his “freakout trilogy”. Having tackled the 2008 financial crash and warmongering US vice president Dick Cheney in his previous two movies, The Big Short and Vice, McKay goes even bigger and bleaker with his latest, Don’t Look Up, in which two astronomers (Jennifer Lawrence and Leonardo DiCaprio) discover a giant comet headed for Earth, but struggle to get anyone to listen. It is an absurd but depressingly plausible disaster satire, somewhere between Dr Strangelove, Network, Deep Impact and Idiocracy, with an unbelievably stellar cast; also on board are Meryl Streep (as the US president), Cate Blanchett, Timothée Chalamet, Tyler Perry, Mark Rylance, Jonah Hill and Ariana Grande. It has been quite the career trajectory for McKay, who started out in live improv and writing for Saturday Night Live, followed by a run of hit Will Ferrell comedies such as Anchorman, Step Brothers and The Other Guys. “The goal was to capture this moment,” says McKay of Don’t Look Up. “And this moment is a lot.”

    Was there a particular event that inspired Don’t Look Up?
    Somewhere in between The Big Short and Vice, the IPCC [Intergovernmental Panel on Climate Change] panel and a bunch of other studies came out that just were so stark and so terrifying that I realised: “I have to do something addressing this.” So I wrote five different premises for movies, trying to find the best one. I had one that was a big, epic, kind of dystopian drama. I had another one that was a Twilight Zone/M Night [Shyamalan] sort of twisty thriller. I had a small character piece. And I was just trying to find a way into: how do we communicate how insane this moment is? So finally, I was having a conversation with my friend [journalist and Bernie Sanders adviser] David Sirota, and he offhandedly said something to the effect of: “It’s like the comet’s coming and no one cares.” And I thought: “Oh. I think that’s it.” I loved how simple it was. It’s not some layered, tricky Gordian knot of a premise. It’s a nice, big, wide open door we can all relate to.

    Continue reading...", + "content": "

    After politics in Vice and finance in The Big Short, director McKay is taking on the climate crisis in his star-studded ‘freakout’ satire Don’t Look Up

    Adam McKay calls it his “freakout trilogy”. Having tackled the 2008 financial crash and warmongering US vice president Dick Cheney in his previous two movies, The Big Short and Vice, McKay goes even bigger and bleaker with his latest, Don’t Look Up, in which two astronomers (Jennifer Lawrence and Leonardo DiCaprio) discover a giant comet headed for Earth, but struggle to get anyone to listen. It is an absurd but depressingly plausible disaster satire, somewhere between Dr Strangelove, Network, Deep Impact and Idiocracy, with an unbelievably stellar cast; also on board are Meryl Streep (as the US president), Cate Blanchett, Timothée Chalamet, Tyler Perry, Mark Rylance, Jonah Hill and Ariana Grande. It has been quite the career trajectory for McKay, who started out in live improv and writing for Saturday Night Live, followed by a run of hit Will Ferrell comedies such as Anchorman, Step Brothers and The Other Guys. “The goal was to capture this moment,” says McKay of Don’t Look Up. “And this moment is a lot.”

    Was there a particular event that inspired Don’t Look Up?
    Somewhere in between The Big Short and Vice, the IPCC [Intergovernmental Panel on Climate Change] panel and a bunch of other studies came out that just were so stark and so terrifying that I realised: “I have to do something addressing this.” So I wrote five different premises for movies, trying to find the best one. I had one that was a big, epic, kind of dystopian drama. I had another one that was a Twilight Zone/M Night [Shyamalan] sort of twisty thriller. I had a small character piece. And I was just trying to find a way into: how do we communicate how insane this moment is? So finally, I was having a conversation with my friend [journalist and Bernie Sanders adviser] David Sirota, and he offhandedly said something to the effect of: “It’s like the comet’s coming and no one cares.” And I thought: “Oh. I think that’s it.” I loved how simple it was. It’s not some layered, tricky Gordian knot of a premise. It’s a nice, big, wide open door we can all relate to.

    Continue reading...", + "category": "Adam McKay", + "link": "https://www.theguardian.com/film/2021/dec/13/adam-mckay-leo-sees-meryl-as-film-royalty-he-didnt-like-seeing-her-with-a-lower-back-tattoo", + "creator": "Steve Rose", + "pubDate": "2021-12-13T07:00:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a846d34e3a4638b1431e21fbca340a22" + "hash": "72f92c3c97c3769d3e007e025e524eb4" }, { - "title": "Raids on Independent Groups in El Salvador Raise Fears of Repression", - "description": "President Nayib Bukele bills himself as a young reformer, but a crackdown on voices outside the government’s control is fueling claims of growing authoritarianism.", - "content": "President Nayib Bukele bills himself as a young reformer, but a crackdown on voices outside the government’s control is fueling claims of growing authoritarianism.", - "category": "Bukele, Nayib", - "link": "https://www.nytimes.com/2021/11/23/world/americas/el-salvador-bukele-raids.html", - "creator": "Bryan Avelar and Oscar Lopez", - "pubDate": "Wed, 24 Nov 2021 01:06:10 +0000", + "title": "‘Even the reindeer were unhappy’: life inside Britain’s worst winter wonderlands", + "description": "

    They are the festive fairgrounds where no one is a winner. Santas, elves and bouncers discuss the Christmas gigs that made them question their life choices

    Polystyrene snow, MDF grottos, stomach-churning rides and Santas with scratchy fake beards: as Christmas nears, ’tis the season for winter wonderlands. At their best, these immersive Christmas markets and fairgrounds delight visitors of all ages, while providing a reliable source of income for their owners. Britain’s biggest winter wonderland, in Hyde Park, London, has pulled in more than 14 million people since it launched in 2005, with entry starting at £5 and attractions ranging from £5 to £15.

    But visitors to lesser attractions often complain of poorly thought-out productions and inexperienced organisers. Well-documented holiday horrors include Laurence Llewelyn-Bowen’s Birmingham attraction, which in 2014 was forced to shut down after a day following hundreds of complaints about cheap toys and long queues, and a New Forest Lapland whose owners were sentenced to 13 months in jail for misleading the public in 2008. “You told consumers that it would light up those who most loved Christmas,” the judge told them in his summing up. “You said you would go through the magical tunnel of light coming out in a winter wonderland. What you actually provided was something that looked like an averagely managed summer car boot sale.”

    Continue reading...", + "content": "

    They are the festive fairgrounds where no one is a winner. Santas, elves and bouncers discuss the Christmas gigs that made them question their life choices

    Polystyrene snow, MDF grottos, stomach-churning rides and Santas with scratchy fake beards: as Christmas nears, ’tis the season for winter wonderlands. At their best, these immersive Christmas markets and fairgrounds delight visitors of all ages, while providing a reliable source of income for their owners. Britain’s biggest winter wonderland, in Hyde Park, London, has pulled in more than 14 million people since it launched in 2005, with entry starting at £5 and attractions ranging from £5 to £15.

    But visitors to lesser attractions often complain of poorly thought-out productions and inexperienced organisers. Well-documented holiday horrors include Laurence Llewelyn-Bowen’s Birmingham attraction, which in 2014 was forced to shut down after a day following hundreds of complaints about cheap toys and long queues, and a New Forest Lapland whose owners were sentenced to 13 months in jail for misleading the public in 2008. “You told consumers that it would light up those who most loved Christmas,” the judge told them in his summing up. “You said you would go through the magical tunnel of light coming out in a winter wonderland. What you actually provided was something that looked like an averagely managed summer car boot sale.”

    Continue reading...", + "category": "Christmas", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/13/even-the-reindeer-were-unhappy-life-inside-britains-worst-winter-wonderlands", + "creator": "Ammar Kalia", + "pubDate": "2021-12-13T06:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7f27b51f442ec713ceb9c4292a3703e0" + "hash": "6b6d319dd2b8d36c70d9db30ff505bdb" }, { - "title": "Waukesha Death Toll Rises to 6 as Suspect Is Ordered Held on $5 Million Bail", - "description": "The Waukesha County district attorney said “there are not words to describe the risk” posed by the man accused of driving through a Christmas parade in Wisconsin and striking dozens.", - "content": "The Waukesha County district attorney said “there are not words to describe the risk” posed by the man accused of driving through a Christmas parade in Wisconsin and striking dozens.", - "category": "Waukesha, Wis, Holiday Parade Attack (2021)", - "link": "https://www.nytimes.com/2021/11/23/us/waukesha-parade-brooks-court.html", - "creator": "Mitch Smith, Brandon Dupré, Serge F. Kovaleski and Miriam Jordan", - "pubDate": "Wed, 24 Nov 2021 01:00:41 +0000", + "title": "A new start after 60: ‘I was a globetrotting photographer. Then I stayed home – and my world expanded’", + "description": "

    His career took Roff Smith, 63, to more than 100 countries. But he started to feel jaded. Exploring his local area by bike led to a whole new approach to his pictures

    Roff Smith’s photographs show a solitary cyclist – Smith himself – in a painterly landscape. His wheels appear to turn briskly, but really the bike moves as slowly as it can without a wobble. As a writer and photographer for National Geographic magazine, Smith, 63, visited more than 100 countries, but now he has squeezed the brakes and shrunk his world. His photographs are all taken within a 10-mile radius of his home, and yet travel has never felt so rich to him as it does now.

    Before the pandemic, he had already begun to feel jaded: air travel made “the world everywhere look the same”.

    Continue reading...", + "content": "

    His career took Roff Smith, 63, to more than 100 countries. But he started to feel jaded. Exploring his local area by bike led to a whole new approach to his pictures

    Roff Smith’s photographs show a solitary cyclist – Smith himself – in a painterly landscape. His wheels appear to turn briskly, but really the bike moves as slowly as it can without a wobble. As a writer and photographer for National Geographic magazine, Smith, 63, visited more than 100 countries, but now he has squeezed the brakes and shrunk his world. His photographs are all taken within a 10-mile radius of his home, and yet travel has never felt so rich to him as it does now.

    Before the pandemic, he had already begun to feel jaded: air travel made “the world everywhere look the same”.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/13/a-new-start-after-60-i-was-a-globetrotting-photographer-then-i-stayed-home-and-my-world-expanded", + "creator": "Paula Cocozza", + "pubDate": "2021-12-13T06:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "29428a613db58fab3294aad6bc4b3524" + "hash": "c8b6871d905e5399830f39de0d5adf3e" }, { - "title": "Can Liberals Survive Progressivism?", - "description": "The main threat to the Democratic Party comes from the left.", - "content": "The main threat to the Democratic Party comes from the left.", - "category": "Police Reform", - "link": "https://www.nytimes.com/2021/11/23/opinion/liberals-survive-progressivism.html", - "creator": "Bret Stephens", - "pubDate": "Wed, 24 Nov 2021 00:27:21 +0000", + "title": "East London school pays tribute to girl, 11, killed in incident linked to chemicals", + "description": "

    Death of ‘role model’ Fatiha Sabrin linked to pest control substances found in flats where she lived

    Grieving pupils at a primary school in east London are “struggling to cope” after one of their brightest and best-loved classmates was killed over the weekend in an incident being linked to pest control chemicals found in the flats where she lived.

    Rena Begum, the headteacher of Buttercup primary in Shadwell, said the school was in “great shock” after the death of 11-year-old Fatiha Sabrin in Saturday’s incident.

    Continue reading...", + "content": "

    Death of ‘role model’ Fatiha Sabrin linked to pest control substances found in flats where she lived

    Grieving pupils at a primary school in east London are “struggling to cope” after one of their brightest and best-loved classmates was killed over the weekend in an incident being linked to pest control chemicals found in the flats where she lived.

    Rena Begum, the headteacher of Buttercup primary in Shadwell, said the school was in “great shock” after the death of 11-year-old Fatiha Sabrin in Saturday’s incident.

    Continue reading...", + "category": "London", + "link": "https://www.theguardian.com/uk-news/2021/dec/13/girl-fatiha-sabrin-11-dies-in-incident-linked-to-pest-control-chemicals-in-east-london", + "creator": "Matthew Weaver", + "pubDate": "2021-12-13T14:01:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "24800882e1cce526c9efed15e7904e86" + "hash": "ca3e7efd4fdcf1c724a3742c9e940c33" }, { - "title": "Sika Henry and the Motivation to Become a Pro Triathlete", - "description": "Sika Henry is the first African American woman to be recognized as a pro triathlete. But a horrible bicycle crash in 2019 nearly thwarted her dream.", - "content": "Sika Henry is the first African American woman to be recognized as a pro triathlete. But a horrible bicycle crash in 2019 nearly thwarted her dream.", - "category": "Triathlon", - "link": "https://www.nytimes.com/2021/11/23/sports/sika-henry-triathlon.html", - "creator": "Alanis Thames", - "pubDate": "Tue, 23 Nov 2021 23:10:57 +0000", + "title": "Biden and Manchin to reportedly meet amid race to pass Build Back Better agenda – live", + "description": "

    Joe Biden will soon receive a briefing from senior advisers on the federal government’s response to the deadly tornadoes that swept through Kentucky on Friday.

    The president will be briefed by Secretary of Homeland Security Alejandro Mayorkas, Fema administrator Deanne Criswell and Homeland security adviser Liz Sherwood-Randall in about 45 minutes.

    Continue reading...", + "content": "

    Joe Biden will soon receive a briefing from senior advisers on the federal government’s response to the deadly tornadoes that swept through Kentucky on Friday.

    The president will be briefed by Secretary of Homeland Security Alejandro Mayorkas, Fema administrator Deanne Criswell and Homeland security adviser Liz Sherwood-Randall in about 45 minutes.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/live/2021/dec/13/biden-manchin-democrats-build-back-better-agenda-us-politics-live", + "creator": "Joan E Greve", + "pubDate": "2021-12-13T15:15:39Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eec399adf45669f523397f09453ccc7f" + "hash": "dd226a9494454f9fcb75b5e7236edeb3" }, { - "title": "How to Celebrate Pandemic Thanksgiving, Round 2", - "description": "Thanksgiving is back, but Covid hasn’t gone away. Here’s how to have a safer, peaceful and tasty holiday.", - "content": "Thanksgiving is back, but Covid hasn’t gone away. Here’s how to have a safer, peaceful and tasty holiday.", - "category": "debatable", - "link": "https://www.nytimes.com/2021/11/23/opinion/thanksgiving-covid-pandemic.html", - "creator": "Spencer Bokat-Lindell", - "pubDate": "Tue, 23 Nov 2021 23:00:05 +0000", + "title": "Vaccines, tests and why 5 February: all you need to know on WA opening up", + "description": "

    Here’s what you need to do before travelling to Western Australia and while in the state, which is to open its borders next year

    Western Australia’s premier, Mark McGowan, has announced the state’s border will reopen on 5 February when double-dose vaccination is predicted to hit 90%, allowing for quarantine-free travel to the state.

    Here’s what you need to know before you book travel into WA.

    Continue reading...", + "content": "

    Here’s what you need to do before travelling to Western Australia and while in the state, which is to open its borders next year

    Western Australia’s premier, Mark McGowan, has announced the state’s border will reopen on 5 February when double-dose vaccination is predicted to hit 90%, allowing for quarantine-free travel to the state.

    Here’s what you need to know before you book travel into WA.

    Continue reading...", + "category": "Western Australia", + "link": "https://www.theguardian.com/australia-news/2021/dec/13/vaccines-tests-and-why-5-february-all-you-need-to-know-on-wa-opening-up", + "creator": "", + "pubDate": "2021-12-13T09:35:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c50175478520dce8be0f92a7858d3bb6" + "hash": "a0111b058fe640706d0184bcddc7b95f" }, { - "title": "Hervé Le Tellier's 'The Anomaly' Arrives in the U.S.", - "description": "“The Anomaly,” by Hervé Le Tellier, sold more than a million copies during an anomalous time. Now the genre-bending novel is translated into English.", - "content": "“The Anomaly,” by Hervé Le Tellier, sold more than a million copies during an anomalous time. Now the genre-bending novel is translated into English.", - "category": "Goncourt Prize", - "link": "https://www.nytimes.com/2021/11/23/books/anomaly-herve-le-tellier.html", - "creator": "Roger Cohen", - "pubDate": "Tue, 23 Nov 2021 22:03:59 +0000", + "title": "It’s tough to see Ghislaine Maxwell’s team toy with such sad, broken women | John Sweeney", + "description": "

    Justice at work is difficult to watch when big-money lawyers go in hard as they try to discredit witnesses

    The slut-shaming – or something very much like it – of the four key witnesses against Ghislaine Maxwell and her late lover, Jeffrey Epstein is, almost, a thing of beauty, a dark wonder to behold. You’ve got to admire the way Maxwell’s multimillion-dollar attorneys break her accusers on the rack of their own human frailty. No one dare call it torture: we’re watching justice at work, the Ghislaine Maxwell defence team way.

    In order of appearance witness “Jane” was challenged as a drug user from a wealthy but deeply unhappy home; witness “Kate” was a drug user with a troubled mother; witness Carolyn – to give her some privacy the court accepted her request to use only her real first name – had a single parent mother who was an alcoholic and a drug addict, who became an alcoholic and a drug addict herself, who left school when she was 14, who did not, said her ex-boyfriend Shawn “have the reading ability” to say Ms Maxwell’s first name, Ghislaine. So Carolyn called her Maxwell. Witness Annie Farmer – her full real name, was 16, the child of a divorced single mum but not herself broken, not at all.

    Continue reading...", + "content": "

    Justice at work is difficult to watch when big-money lawyers go in hard as they try to discredit witnesses

    The slut-shaming – or something very much like it – of the four key witnesses against Ghislaine Maxwell and her late lover, Jeffrey Epstein is, almost, a thing of beauty, a dark wonder to behold. You’ve got to admire the way Maxwell’s multimillion-dollar attorneys break her accusers on the rack of their own human frailty. No one dare call it torture: we’re watching justice at work, the Ghislaine Maxwell defence team way.

    In order of appearance witness “Jane” was challenged as a drug user from a wealthy but deeply unhappy home; witness “Kate” was a drug user with a troubled mother; witness Carolyn – to give her some privacy the court accepted her request to use only her real first name – had a single parent mother who was an alcoholic and a drug addict, who became an alcoholic and a drug addict herself, who left school when she was 14, who did not, said her ex-boyfriend Shawn “have the reading ability” to say Ms Maxwell’s first name, Ghislaine. So Carolyn called her Maxwell. Witness Annie Farmer – her full real name, was 16, the child of a divorced single mum but not herself broken, not at all.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/12/ghislaine-maxwell-jeffrey-epstein-lawyers-court-case-broken-women", + "creator": "John Sweeney", + "pubDate": "2021-12-12T08:00:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72b79a2b13ef04d696d34f13869dc05f" + "hash": "6bbb7fe14d5d4c27e0fcac8ae9d556a9" }, { - "title": "Apple Sues Israeli Spyware Maker NSO Group", - "description": "Apple accused NSO Group, the Israeli surveillance company, of “flagrant” violations of its software, as well as federal and state laws.", - "content": "Apple accused NSO Group, the Israeli surveillance company, of “flagrant” violations of its software, as well as federal and state laws.", - "category": "Cyberattacks and Hackers", - "link": "https://www.nytimes.com/2021/11/23/technology/apple-nso-group-lawsuit.html", - "creator": "Nicole Perlroth", - "pubDate": "Tue, 23 Nov 2021 21:32:38 +0000", + "title": "Drone footage shows collapsed Illinois warehouse after tornadoes sweep US – video", + "description": "

    An Amazon warehouse near Edwardsville, Illinois, about 25 miles (40km) north-east of St Louis, was destroyed in extreme weather conditions on Friday night. It wasn’t immediately clear how many people were hurt by the roof collapse, but emergency services called it a 'mass casualty incident' on Facebook. One official told KTVI-TV that as many as 100 people may have been in the building, working the night shift, at the time of the collapse.

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning

    Continue reading...", + "content": "

    An Amazon warehouse near Edwardsville, Illinois, about 25 miles (40km) north-east of St Louis, was destroyed in extreme weather conditions on Friday night. It wasn’t immediately clear how many people were hurt by the roof collapse, but emergency services called it a 'mass casualty incident' on Facebook. One official told KTVI-TV that as many as 100 people may have been in the building, working the night shift, at the time of the collapse.

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/video/2021/dec/11/drone-footage-shows-collapsed-illinois-warehouse-after-tornadoes-sweep-us-video", + "creator": "", + "pubDate": "2021-12-11T13:52:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "67dbd49a38b197bb8d599d68054ed05a" + "hash": "3135d727d63debdb3f9f5026437155d3" }, { - "title": "She Ran a Bronx Homeless Shelter. Here’s What She Spent Millions On.", - "description": "A shelter operator admitted using money from the city to cover personal expenses, including shopping sprees at Neiman Marcus and Manolo Blahnik.", - "content": "A shelter operator admitted using money from the city to cover personal expenses, including shopping sprees at Neiman Marcus and Manolo Blahnik.", - "category": "Homeless Persons", - "link": "https://www.nytimes.com/2021/11/23/nyregion/ethel-denise-perry-millennium-care-fraud.html", - "creator": "Andy Newman", - "pubDate": "Tue, 23 Nov 2021 21:06:05 +0000", + "title": "Kentucky tornadoes: Biden declares federal disaster as hopes rise that death toll could be lower than feared", + "description": "

    Governor Andy Beshear had originally said more than 100 people were feared dead, but later said the estimate could be wrong

    US president Joe Biden declared a major federal disaster in Kentucky after a swarm of deadly tornadoes hit the state on Friday, as representatives of a candle factory destroyed by a twister said far fewer people may have died than previously feared.

    Biden had previously declared the storms a federal emergency and the move to designate the storms a federal disaster paves the way for additional aid, as thousands face housing, food, water and power shortages.

    Continue reading...", + "content": "

    Governor Andy Beshear had originally said more than 100 people were feared dead, but later said the estimate could be wrong

    US president Joe Biden declared a major federal disaster in Kentucky after a swarm of deadly tornadoes hit the state on Friday, as representatives of a candle factory destroyed by a twister said far fewer people may have died than previously feared.

    Biden had previously declared the storms a federal emergency and the move to designate the storms a federal disaster paves the way for additional aid, as thousands face housing, food, water and power shortages.

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/2021/dec/13/kentucky-tornadoes-hopes-rise-that-candle-factory-death-toll-could-be-lower-than-feared", + "creator": "Richard Luscombe, Samira Sadeque with agencies", + "pubDate": "2021-12-13T04:56:46Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59c741753dcf625fcea4626d29594983" + "hash": "83ec77215579d6828a850c8353a78ac5" }, { - "title": "Prince Paul Dives Deep Into Music History", - "description": "In “The 33 ⅓ Podcast,” the acclaimed producer finds himself in some unexpected pairings to explore classic albums from Steely Dan, Janet Jackson and more.", - "content": "In “The 33 ⅓ Podcast,” the acclaimed producer finds himself in some unexpected pairings to explore classic albums from Steely Dan, Janet Jackson and more.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/11/23/arts/music/prince-paul-spotify-podcast.html", - "creator": "Iman Stevenson", - "pubDate": "Tue, 23 Nov 2021 19:48:44 +0000", + "title": "Hong Kong school faces backlash after children shown graphic footage of Nanjing massacre", + "description": "

    City’s education board seeks to distance itself from incident in which young students at one school watched video of corpses and executions

    A primary school in Hong Kong has apologised after students as young as six were left in tears last week after teachers showed them unsettling video footage of the Nanjing massacre ahead of its 84th anniversary on Monday.

    The incident came after the Education Bureau called on local schools to run activities commemorating the massacre in a directive last month.

    Continue reading...", + "content": "

    City’s education board seeks to distance itself from incident in which young students at one school watched video of corpses and executions

    A primary school in Hong Kong has apologised after students as young as six were left in tears last week after teachers showed them unsettling video footage of the Nanjing massacre ahead of its 84th anniversary on Monday.

    The incident came after the Education Bureau called on local schools to run activities commemorating the massacre in a directive last month.

    Continue reading...", + "category": "Hong Kong", + "link": "https://www.theguardian.com/world/2021/dec/13/hong-kong-school-faces-backlash-after-children-shown-graphic-footage-of-nanjing-massacre", + "creator": "Rhoda Kwan", + "pubDate": "2021-12-13T06:47:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "20e5816283308ef51394c9813be24d7a" + "hash": "d26c8fafbb2479be32928290ddffbf8f" }, { - "title": "America Has More Than One Spanglish", - "description": "Our melting pot produces a delicious stew of languages.", - "content": "Our melting pot produces a delicious stew of languages.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/11/23/opinion/spanglish-russian-mandarin.html", - "creator": "John McWhorter", - "pubDate": "Tue, 23 Nov 2021 19:47:58 +0000", + "title": "Covid live: Javid says ‘we’ve got to act early’ over Omicron; SA president Ramaphosa has ‘mild symptoms’ after positive Covid test", + "description": "

    Britain’s vaccine booster shot rollout to increase to 1m a day to avoid imposing further restrictions; those in England urged to work from home from Monday in line with ‘plan B’ guidance

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "content": "

    Britain’s vaccine booster shot rollout to increase to 1m a day to avoid imposing further restrictions; those in England urged to work from home from Monday in line with ‘plan B’ guidance

    South Africa has reported an additional 37,875 new coronavirus cases, which includes 19,840 retrospective cases and 18,035 new cases, according to the National Institute for Communicable Diseases (NICD).

    In the past 24 hours a total of 18,035 positive Covid-19 cases and 21 Covid-related deaths were reported.

    I’m worried that PNG is the next place where a new variant emerges.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/13/covid-news-live-boris-johnson-warns-of-omicron-tidal-wave-south-african-president-tests-positive", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-12-13T09:03:09Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e7cbd36015e69708586f6db6a248e3e" + "hash": "d33060f9ca462c6c1ca04bec20e5e1ca" }, { - "title": "This Ink Is Alive and Made Entirely of Microbes", - "description": "Scientists have created a bacterial ink that reproduces itself and can be 3D-printed into living architecture.", - "content": "Scientists have created a bacterial ink that reproduces itself and can be 3D-printed into living architecture.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/11/23/science/microbes-construction-bacteria.html", - "creator": "Sabrina Imbler", - "pubDate": "Tue, 23 Nov 2021 18:14:59 +0000", + "title": "New Zealand authorities investigate claims man received 10 Covid vaccinations in one day", + "description": "

    The man is reported to have visited several different immunisation clinics and was paid by others to get the doses

    New Zealand health authorities are investigating claims that a man received up to 10 Covid-19 vaccination doses in one day on behalf of other people, in the latest effort by members of the public to skirt tough restrictions on the unvaccinated.

    The Ministry of Health said it was taking the matter seriously. “We are very concerned about this situation and are working with the appropriate agencies,” its Covid-19 vaccination and immunisation spokesperson, Astrid Koornneef, said.

    Continue reading...", + "content": "

    The man is reported to have visited several different immunisation clinics and was paid by others to get the doses

    New Zealand health authorities are investigating claims that a man received up to 10 Covid-19 vaccination doses in one day on behalf of other people, in the latest effort by members of the public to skirt tough restrictions on the unvaccinated.

    The Ministry of Health said it was taking the matter seriously. “We are very concerned about this situation and are working with the appropriate agencies,” its Covid-19 vaccination and immunisation spokesperson, Astrid Koornneef, said.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/13/new-zealand-authorities-investigate-claims-man-received-10-covid-vaccinations-in-one-day", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-12T23:51:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ce7bb1b25e9caa51842d8c3bc37db141" + "hash": "fb24046c93d41c83efd5b9705784786b" }, { - "title": "How Softies Seized the Fed", - "description": "For now, doves rule the roost.", - "content": "For now, doves rule the roost.", - "category": "Federal Reserve System", - "link": "https://www.nytimes.com/2021/11/23/opinion/fed-powell-unemployment.html", - "creator": "Paul Krugman", - "pubDate": "Tue, 23 Nov 2021 17:51:12 +0000", + "title": "China’s Alibaba accused of firing female employee who alleged colleague sexually assaulted her", + "description": "

    Woman reportedly says she has ‘not made any mistakes’ and will challenge dismissal after e-commerce firm claimed she spread false information

    Chinese e-commerce giant Alibaba Group Holding has dismissed a female employee who accused a former co-worker of sexual assault earlier this year, the government-backed newspaper Dahe Daily has reported.

    Dahe Daily interviewed the employee, saying she had received notification of termination at the end of November, and published a copy of what she said was her termination letter.

    Continue reading...", + "content": "

    Woman reportedly says she has ‘not made any mistakes’ and will challenge dismissal after e-commerce firm claimed she spread false information

    Chinese e-commerce giant Alibaba Group Holding has dismissed a female employee who accused a former co-worker of sexual assault earlier this year, the government-backed newspaper Dahe Daily has reported.

    Dahe Daily interviewed the employee, saying she had received notification of termination at the end of November, and published a copy of what she said was her termination letter.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/13/chinas-alibaba-accused-of-firing-female-employee-who-alleged-colleague-sexual-assaulted-her", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-13T02:34:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5538d6547b6625b9ac54ce2e73a84369" + "hash": "d53b49a4158bffeacf1abb630c7dca74" }, { - "title": "What Netflix's ‘Cowboy Bebop’ Gets Right and Wrong", - "description": "“Cowboy Bebop” is widely considered one of the best anime series of all time. Does Netflix’s live-action adaptation recapture the magic? Yes and no.", - "content": "“Cowboy Bebop” is widely considered one of the best anime series of all time. Does Netflix’s live-action adaptation recapture the magic? Yes and no.", - "category": "Television", - "link": "https://www.nytimes.com/2021/11/23/arts/television/cowboy-bebop.html", - "creator": "Maya Phillips", - "pubDate": "Tue, 23 Nov 2021 17:50:40 +0000", + "title": "Rescue under way after British and Danish ships collide in Baltic", + "description": "

    Rescue boat and helicopter dispatched after collision between two ships in Swedish waters

    Two cargo ships have collided in the Baltic Sea between the Danish island of Bornholm and the southern Swedish city of Ystad, the Danish defence joint operations centre has said.

    One ship was registered in Denmark and the other was British.

    Continue reading...", + "content": "

    Rescue boat and helicopter dispatched after collision between two ships in Swedish waters

    Two cargo ships have collided in the Baltic Sea between the Danish island of Bornholm and the southern Swedish city of Ystad, the Danish defence joint operations centre has said.

    One ship was registered in Denmark and the other was British.

    Continue reading...", + "category": "Sweden", + "link": "https://www.theguardian.com/business/2021/dec/13/british-and-danish-ships-collide-baltic-sea-rescue", + "creator": "Reuters in Stockholm", + "pubDate": "2021-12-13T07:55:55Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1d821bd488a225fa6c41de0492378b5a" + "hash": "70dae70c8c5ebfdec2e53e09ee7deb45" }, { - "title": "Restaurant Review: Cha Kee in Manhattan’s Chinatown", - "description": "A new restaurant with a wide-ranging view of Chinese food is a bright spot in a beleaguered neighborhood.", - "content": "A new restaurant with a wide-ranging view of Chinese food is a bright spot in a beleaguered neighborhood.", - "category": "Restaurants", - "link": "https://www.nytimes.com/2021/11/23/dining/restaurant-review-cha-kee-chinatown.html", - "creator": "Pete Wells", - "pubDate": "Tue, 23 Nov 2021 17:37:47 +0000", + "title": "Verstappen crowned world champion but Mercedes to appeal against result", + "description": "
    • Mercedes could take case to court of arbitration for sport
    • Hamilton skips post-race press conference after heartbreak

    Max Verstappen celebrated winning his first Formula One world championship with victory at the Abu Dhabi Grand Prix, but only after huge controversy, that still leaves his title in some doubt.

    Lewis Hamilton and Mercedes are angry at a win they felt had been unfairly snatched away and which remains under debate with Mercedes intending to appeal the stewards’ decision and the option of taking their case to the court of arbitration for sport. The Red Bull team principal, Christian Horner, has made clear his intention to oppose any attempt to strip his driver of the title.

    Continue reading...", + "content": "
    • Mercedes could take case to court of arbitration for sport
    • Hamilton skips post-race press conference after heartbreak

    Max Verstappen celebrated winning his first Formula One world championship with victory at the Abu Dhabi Grand Prix, but only after huge controversy, that still leaves his title in some doubt.

    Lewis Hamilton and Mercedes are angry at a win they felt had been unfairly snatched away and which remains under debate with Mercedes intending to appeal the stewards’ decision and the option of taking their case to the court of arbitration for sport. The Red Bull team principal, Christian Horner, has made clear his intention to oppose any attempt to strip his driver of the title.

    Continue reading...", + "category": "Formula One", + "link": "https://www.theguardian.com/sport/2021/dec/12/max-verstappen-f1-world-champion-mercedes-lewis-hamilton-intend-to-appeal-result", + "creator": "Giles Richards at Yas Marina", + "pubDate": "2021-12-12T21:27:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d174f4bdb9e6867d85feac55d5bf91f" + "hash": "2e532713154909644b669b6fb35b8149" }, { - "title": "Thanksgiving in a Town Built on Lederhosen and Limitless Meals", - "description": "Bavarian charm, Christmas knickknacks and all-you-can-eat restaurants draw hordes every holiday season to the twinkly streets of Frankenmuth, Mich.", - "content": "Bavarian charm, Christmas knickknacks and all-you-can-eat restaurants draw hordes every holiday season to the twinkly streets of Frankenmuth, Mich.", - "category": "Restaurants", - "link": "https://www.nytimes.com/2021/11/23/dining/frankenmuth-restaurants-thanksgiving-dinner.html", - "creator": "Sara Bonisteel", - "pubDate": "Tue, 23 Nov 2021 17:15:57 +0000", + "title": "Pregnant refugees not being seen by doctors for weeks after reaching UK", + "description": "

    Labour MP writes to Home Office raising concerns over treatment of at least five women being put up at hotel

    The Home Office is facing demands for an inquiry after it was claimed that pregnant refugees are not being fed or examined by doctors or midwives after arriving in the UK.

    A first-time mother who was 38 weeks pregnant was not seen by a doctor for several weeks after crossing the Channel, it is alleged. After the Iraqi Kurdish woman was examined, it emerged that she had a pathological fear of pregnancy, and the baby had a breech presentation.

    Continue reading...", + "content": "

    Labour MP writes to Home Office raising concerns over treatment of at least five women being put up at hotel

    The Home Office is facing demands for an inquiry after it was claimed that pregnant refugees are not being fed or examined by doctors or midwives after arriving in the UK.

    A first-time mother who was 38 weeks pregnant was not seen by a doctor for several weeks after crossing the Channel, it is alleged. After the Iraqi Kurdish woman was examined, it emerged that she had a pathological fear of pregnancy, and the baby had a breech presentation.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/dec/13/pregnant-refugees-not-being-seen-by-doctors-for-weeks-after-reaching-uk", + "creator": "Rajeev Syal Home affairs editor", + "pubDate": "2021-12-13T07:00:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "37f7e512deab439ba69408b32191d008" + "hash": "c9fd3cb9ea2c2a8c6d9ed3d90217a0c1" }, { - "title": "A Scholarly Analysis of Shakespeare’s Life That Reads Like a Detective Story", - "description": "James Shapiro reviews Lena Cowen Orlin’s book, which focuses on Shakespeare’s life in Stratford.", - "content": "James Shapiro reviews Lena Cowen Orlin’s book, which focuses on Shakespeare’s life in Stratford.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/23/books/review/private-life-of-william-shakespeare-lena-cowen-orlin.html", - "creator": "James Shapiro", - "pubDate": "Tue, 23 Nov 2021 16:58:32 +0000", + "title": "Australia welcomes South Korean president with confirmation of border reopening", + "description": "

    Scott Morrison is opening the door to South Korean and Japanese travellers from Wednesday and has spoken of closer defence ties with the signing of a $1bn defence contract

    Australia’s international border will open to more travellers on Wednesday, as the prime minister confirmed that his government would end the “pause” triggered by the emergence of the Omicron Covid variant.

    Scott Morrison, welcoming the South Korean president, Moon Jae-in, to Canberra on Monday, said Australia would open to travellers from South Korea and Japan and also international students and skilled workers more broadly.

    Continue reading...", + "content": "

    Scott Morrison is opening the door to South Korean and Japanese travellers from Wednesday and has spoken of closer defence ties with the signing of a $1bn defence contract

    Australia’s international border will open to more travellers on Wednesday, as the prime minister confirmed that his government would end the “pause” triggered by the emergence of the Omicron Covid variant.

    Scott Morrison, welcoming the South Korean president, Moon Jae-in, to Canberra on Monday, said Australia would open to travellers from South Korea and Japan and also international students and skilled workers more broadly.

    Continue reading...", + "category": "Australian foreign policy", + "link": "https://www.theguardian.com/australia-news/2021/dec/13/australia-welcomes-south-korean-president-with-confirmation-of-border-reopening", + "creator": "Daniel Hurst", + "pubDate": "2021-12-13T05:15:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58673d024530be0ede263ffb18f68dec" + "hash": "312d7ed1320f4d47c882bf4b8d9c7f3a" }, { - "title": "What Stores Are Open and Closed on Thanksgiving 2021?", - "description": "Many retailers will close their stores on Thanksgiving Day, citing safety concerns and gratitude for their employees.", - "content": "Many retailers will close their stores on Thanksgiving Day, citing safety concerns and gratitude for their employees.", - "category": "Shopping and Retail", - "link": "https://www.nytimes.com/2021/11/23/business/stores-open-thanksgiving-black-friday.html", - "creator": "Coral Murphy Marcos", - "pubDate": "Tue, 23 Nov 2021 16:50:42 +0000", + "title": "Tigray rebels retake Ethiopian heritage town of Lalibela", + "description": "

    Residents of Unesco-listed town, 400 miles north of Addis Ababa, say Tigrayan fighters have seized control

    Tigray rebels have recaptured the north Ethiopian town of Lalibela, home to a Unesco world heritage site, 11 days after Ethiopian forces said they had retaken control, local residents have said.

    It marks another twist in the 13-month-old conflict that has killed thousands of people and triggered a humanitarian crisis in the north of Africa’s second most populous nation.

    Continue reading...", + "content": "

    Residents of Unesco-listed town, 400 miles north of Addis Ababa, say Tigrayan fighters have seized control

    Tigray rebels have recaptured the north Ethiopian town of Lalibela, home to a Unesco world heritage site, 11 days after Ethiopian forces said they had retaken control, local residents have said.

    It marks another twist in the 13-month-old conflict that has killed thousands of people and triggered a humanitarian crisis in the north of Africa’s second most populous nation.

    Continue reading...", + "category": "Ethiopia", + "link": "https://www.theguardian.com/world/2021/dec/12/tigray-rebels-retake-ethiopian-heritage-town-of-lalibela", + "creator": "Agence France-Presse", + "pubDate": "2021-12-12T17:42:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c41c237b91fdde1e648da67f8cfefb30" + "hash": "3b9602ef389ebb83bd8750fb4ffee8af" }, { - "title": "What New Documents Reveal About Jeffrey Epstein's Final Days", - "description": "Newly released records show the disgraced financier living a mundane existence in jail before his suicide, while also spinning deceptions until the very end.", - "content": "Newly released records show the disgraced financier living a mundane existence in jail before his suicide, while also spinning deceptions until the very end.", - "category": "Epstein, Jeffrey E (1953- )", - "link": "https://www.nytimes.com/2021/11/23/nyregion/jeffrey-epstein-suicide-death.html", - "creator": "Benjamin Weiser, Matthew Goldstein, Danielle Ivory and Steve Eder", - "pubDate": "Tue, 23 Nov 2021 14:21:11 +0000", + "title": "Vladimir Putin says he resorted to taxi driving after fall of Soviet Union", + "description": "

    Russian leader says it is ‘unpleasant to talk about’ his cab work in that period as he laments Soviet Union’s demise

    Russian president Vladimir Putin has said the collapse of the Soviet Union spelled the end of “historical Russia”, revealing that he drove a taxi to make ends meet after the fall of the USSR.

    Putin, a former agent of the Soviet Union’s KGB security services, has previously lamented the USSR’s fall but this time said the disintegration three decades ago remained a “tragedy” for “most citizens”.

    Continue reading...", + "content": "

    Russian leader says it is ‘unpleasant to talk about’ his cab work in that period as he laments Soviet Union’s demise

    Russian president Vladimir Putin has said the collapse of the Soviet Union spelled the end of “historical Russia”, revealing that he drove a taxi to make ends meet after the fall of the USSR.

    Putin, a former agent of the Soviet Union’s KGB security services, has previously lamented the USSR’s fall but this time said the disintegration three decades ago remained a “tragedy” for “most citizens”.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/dec/13/vladimir-putin-says-he-resorted-to-taxi-driving-after-fall-of-soviet-union", + "creator": "Agence France-Presse in Moscow", + "pubDate": "2021-12-13T03:36:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53389f43e32cd535102ca6ff95fd8c2f" + "hash": "c95798efe93da4b2cd3764b4e52210bf" }, { - "title": "Cases in U.S. Children Are Surging Ahead of the Holidays", - "description": "Pediatric cases have risen by 32 percent from about two weeks ago. Here’s the latest.", - "content": "Pediatric cases have risen by 32 percent from about two weeks ago. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/23/world/covid-vaccine-boosters-mandates", - "creator": "The New York Times", - "pubDate": "Tue, 23 Nov 2021 14:16:51 +0000", + "title": "Fauci urges Americans to get Covid booster as US nears 800,000 deaths", + "description": "

    Leading infectious diseases official warns Omicron variant appears to be able to ‘evade’ protection of two initial doses

    The US government’s leading infectious diseases official, Anthony Fauci, on Sunday stepped up calls for Americans to get a Covid-19 booster shot, as the US is approaching 800,000 lives lost to coronavirus since the start of the pandemic.

    Fauci warned that the Omicron variant appeared to be able to “evade” the protection of two initial doses of the mRNA-type Covid vaccines – Pfizer/BioNTech’s and Moderna’s – as well as post-infection therapies such as monoclonal antibodies and convalescent plasma.

    Continue reading...", + "content": "

    Leading infectious diseases official warns Omicron variant appears to be able to ‘evade’ protection of two initial doses

    The US government’s leading infectious diseases official, Anthony Fauci, on Sunday stepped up calls for Americans to get a Covid-19 booster shot, as the US is approaching 800,000 lives lost to coronavirus since the start of the pandemic.

    Fauci warned that the Omicron variant appeared to be able to “evade” the protection of two initial doses of the mRNA-type Covid vaccines – Pfizer/BioNTech’s and Moderna’s – as well as post-infection therapies such as monoclonal antibodies and convalescent plasma.

    Continue reading...", + "category": "Anthony Fauci", + "link": "https://www.theguardian.com/us-news/2021/dec/12/fauci-covid-omicron-booster-shots", + "creator": "Richard Luscombe", + "pubDate": "2021-12-12T19:38:44Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc4f46aa988a6418b9d3e0442ade25a9" + "hash": "8f26eea73cc96dd89d3e876d0c4979e4" }, { - "title": "President Biden Will Tap Into U.S. Oil Reserves", - "description": "The White House will release 50 million barrels of crude oil from the nation’s strategic reserve amid rising gas prices ahead of the holiday season. Here’s the latest.", - "content": "The White House will release 50 million barrels of crude oil from the nation’s strategic reserve amid rising gas prices ahead of the holiday season. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/23/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Tue, 23 Nov 2021 14:16:51 +0000", + "title": "UK has Omicron Covid patients in hospital, government confirms", + "description": "

    Top UK medical adviser says growing number of people going to emergency departments diagnosed with Omicron

    People have been admitted to hospital with the Omicron variant in Britain, a government minister has confirmed, as a senior public health adviser said further curbs may be needed.

    The education secretary, Nadhim Zahawi, said he could confirm there were “cases in hospital with Omicron”. “We’ve been able to test people who are in hospital over the past two weeks, and so there is a lag to hospitalisation,” he told Trevor Phillips on Sky News.

    Continue reading...", + "content": "

    Top UK medical adviser says growing number of people going to emergency departments diagnosed with Omicron

    People have been admitted to hospital with the Omicron variant in Britain, a government minister has confirmed, as a senior public health adviser said further curbs may be needed.

    The education secretary, Nadhim Zahawi, said he could confirm there were “cases in hospital with Omicron”. “We’ve been able to test people who are in hospital over the past two weeks, and so there is a lag to hospitalisation,” he told Trevor Phillips on Sky News.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/uk-has-omicron-covid-patients-in-hospital-government-confirms", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-12-12T11:36:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "79e852d5d6e41b7367e6813090f7f573" + "hash": "7ec6bb4120dda06b5d16d4ea1443e967" }, { - "title": "Closing Arguments in the Arbery Killing Trial", - "description": "Rebuttal arguments from the prosecution are expected, after which jurors will deliberate in the case of the three men accused of murdering Ahmaud Arbery. Stay here for live updates.", - "content": "Rebuttal arguments from the prosecution are expected, after which jurors will deliberate in the case of the three men accused of murdering Ahmaud Arbery. Stay here for live updates.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/23/us/ahmaud-arbery-murder-trial", - "creator": "The New York Times", - "pubDate": "Tue, 23 Nov 2021 14:16:51 +0000", + "title": "Ghost riders: the invisible lives of Johannesburg food couriers – photo essay", + "description": "

    An army of riders ferry food around the South African city, their lives and travails largely unseen by the people they serve. Photojournalist James Oatway has spent several months documenting their challenges

    It’s a Friday night in Johannesburg. Lockdown has just been eased as Covid infection rates have plateaued. The restive city is slowly springing back to life, with cars once again careering along the city’s recently empty arterial roads.

    At the scene of a crash, the blue and red lights of emergency vehicles bathe the street in an eerie glow. Two motorbike food couriers have been knocked down by a car. The driver tried to flee but was apprehended by another motorist. One of the bikes has been flattened. Next to it lies a black canvas carrier bag bearing the Uber Eats logo.

    A Congolese driver was seriously injured in a crash in Sandton. Footage showed a car going through a red light and hitting the rider. The vehicle did not stop and the driver has never been apprehended.

    Continue reading...", + "content": "

    An army of riders ferry food around the South African city, their lives and travails largely unseen by the people they serve. Photojournalist James Oatway has spent several months documenting their challenges

    It’s a Friday night in Johannesburg. Lockdown has just been eased as Covid infection rates have plateaued. The restive city is slowly springing back to life, with cars once again careering along the city’s recently empty arterial roads.

    At the scene of a crash, the blue and red lights of emergency vehicles bathe the street in an eerie glow. Two motorbike food couriers have been knocked down by a car. The driver tried to flee but was apprehended by another motorist. One of the bikes has been flattened. Next to it lies a black canvas carrier bag bearing the Uber Eats logo.

    A Congolese driver was seriously injured in a crash in Sandton. Footage showed a car going through a red light and hitting the rider. The vehicle did not stop and the driver has never been apprehended.

    Continue reading...", + "category": "South Africa", + "link": "https://www.theguardian.com/world/2021/dec/13/ghost-riders-the-invisible-lives-of-johannesburg-food-couriers-photo-essay", + "creator": "Stephan Hofstatter and James Oatway; photography by James Oatway", + "pubDate": "2021-12-13T07:00:04Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88a254ff2a6ca89e7e2f10a264ceff12" + "hash": "50e6b5d11086afe2516b2feaf1bf812b" }, { - "title": "The Latest Covid Surge", - "description": "And how to make sense of it.", - "content": "And how to make sense of it.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/23/briefing/us-covid-surge-thanksgiving.html", - "creator": "David Leonhardt", - "pubDate": "Tue, 23 Nov 2021 13:51:16 +0000", + "title": "Rhik Samadder tries … fencing: ‘Now I’m ready for the zombie apocalypse’", + "description": "

    I get to wear a natty white jacket, insectoid mask and hold an épée like a pistol – my inner child could not be happier. En garde!

    Ever since childhood, I have wanted to be trained in the sword. But I have always believed one had to be born a musketeer for this to happen, or have a death to avenge, plus access to castle steps. But here I am at the London Fencing Club in Old Street, which is easier.

    It’s a few weeks before omicron takes off, and the government is pooh-poohing any talk of tightening Covid restrictions. I’m learning épée, the thin, pointy blade that most resembles a classic swashbuckling sword. My Russian-born coach, Anna Anstal, loves fencing épée. The opponent’s entire body is a target, and there are no “right of way” rules governing who can score at a given moment. “You must think about the zombie apocalypse,” she says. “Rules are no use with a zombie. The ability to strike first is all that matters.” It’s unexpected advice, her heavy accent giving it even more edge. I’m quite scared.

    Continue reading...", + "content": "

    I get to wear a natty white jacket, insectoid mask and hold an épée like a pistol – my inner child could not be happier. En garde!

    Ever since childhood, I have wanted to be trained in the sword. But I have always believed one had to be born a musketeer for this to happen, or have a death to avenge, plus access to castle steps. But here I am at the London Fencing Club in Old Street, which is easier.

    It’s a few weeks before omicron takes off, and the government is pooh-poohing any talk of tightening Covid restrictions. I’m learning épée, the thin, pointy blade that most resembles a classic swashbuckling sword. My Russian-born coach, Anna Anstal, loves fencing épée. The opponent’s entire body is a target, and there are no “right of way” rules governing who can score at a given moment. “You must think about the zombie apocalypse,” she says. “Rules are no use with a zombie. The ability to strike first is all that matters.” It’s unexpected advice, her heavy accent giving it even more edge. I’m quite scared.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/13/rhik-samadder-tries-fencing-now-im-ready-for-the-zombie-apocalypse", + "creator": "Rhik Samadder", + "pubDate": "2021-12-13T07:00:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eed405ce63e9493d46beda1e90c71ac9" + "hash": "3d9952982716db873c4a41bd62b47f7d" }, { - "title": "Italy Frees Convicted Killer of U.K. Student Meredith Kercher", - "description": "Rudy Guede had served 13 years of a 16-year sentence for the 2007 murder. Another student, Amanda Knox, was eventually exonerated in what became a polarizing case.", - "content": "Rudy Guede had served 13 years of a 16-year sentence for the 2007 murder. Another student, Amanda Knox, was eventually exonerated in what became a polarizing case.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/11/23/world/europe/rudy-guede-free-killer-meredith-kercher.html", - "creator": "Elisabetta Povoledo", - "pubDate": "Tue, 23 Nov 2021 13:22:16 +0000", + "title": "How Maradona inspired Paolo Sorrentino’s film about Naples, Hand of God – and inadvertently saved his life", + "description": "

    The Italian director’s new, semi-autobiographical film reveals a charming and rarely seen side of his home city

    ‘This, for me, is the most beautiful place on Earth,” Paolo Sorrentino told Filippo Scotti, the actor playing the director’s younger self in his latest film, as their 1980s Riva speedboat chopped the waves of the Bay of Naples. Their view stretched from the precipitous peninsula of Sorrento all the way west towards Posillipo. The two promontories flank the sprawling port city, offering a warm embrace to all those who disembark there. Sorrentino’s new film, the Hand of God, opens with that same view: the sun-mottled bay, whose peace is disturbed by the sound of four Rivas as they speed towards the shore. The film is both a love letter to, and a portal into, Paolo Sorrentino’s Naples.

    In cinemas now and on Netflix this week, The Hand of God sees the Academy award-winning director return to his home city for the first time since One Man Up, his 2001 debut. Sorrentino tells the story of his own coming of age, up to the moment when his life is shattered by the death of his parents in a tragic accident. Sorrentino’s story is a tale of great grief, loss and perseverance, set in a middle-class part of Naples, a far cry from the impoverished neighbourhoods shown in the city’s other recent portraits: Elena Ferrante’s My Brilliant Friend or the mafia-focused Gomorrah series.

    Continue reading...", + "content": "

    The Italian director’s new, semi-autobiographical film reveals a charming and rarely seen side of his home city

    ‘This, for me, is the most beautiful place on Earth,” Paolo Sorrentino told Filippo Scotti, the actor playing the director’s younger self in his latest film, as their 1980s Riva speedboat chopped the waves of the Bay of Naples. Their view stretched from the precipitous peninsula of Sorrento all the way west towards Posillipo. The two promontories flank the sprawling port city, offering a warm embrace to all those who disembark there. Sorrentino’s new film, the Hand of God, opens with that same view: the sun-mottled bay, whose peace is disturbed by the sound of four Rivas as they speed towards the shore. The film is both a love letter to, and a portal into, Paolo Sorrentino’s Naples.

    In cinemas now and on Netflix this week, The Hand of God sees the Academy award-winning director return to his home city for the first time since One Man Up, his 2001 debut. Sorrentino tells the story of his own coming of age, up to the moment when his life is shattered by the death of his parents in a tragic accident. Sorrentino’s story is a tale of great grief, loss and perseverance, set in a middle-class part of Naples, a far cry from the impoverished neighbourhoods shown in the city’s other recent portraits: Elena Ferrante’s My Brilliant Friend or the mafia-focused Gomorrah series.

    Continue reading...", + "category": "Naples holidays", + "link": "https://www.theguardian.com/travel/2021/dec/13/how-maradona-inspired-paolo-sorrentinos-film-about-naples-hand-of-god", + "creator": "Sophia Seymour", + "pubDate": "2021-12-13T07:00:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa7a02b685ba9ab4ed215e5e5da24327" + "hash": "b6321eeaa78ee458569f787a0cdfe133" }, { - "title": "La vaquita marina podría ser el próximo animal en extinguirse", - "description": "Solo quedan unas diez de estas marsopas, pero los científicos dicen que aún hay esperanza. Su destino depende en gran medida del gobierno mexicano.", - "content": "Solo quedan unas diez de estas marsopas, pero los científicos dicen que aún hay esperanza. Su destino depende en gran medida del gobierno mexicano.", - "category": "Global Warming", - "link": "https://www.nytimes.com/es/2021/11/23/espanol/vaquita-marina-extincion.html", - "creator": "Catrin Einhorn and Fred Ramos", - "pubDate": "Tue, 23 Nov 2021 13:18:53 +0000", + "title": "How to teach children the real value of money", + "description": "

    A study has shown that by the age of seven they can grasp the lessons they need to learn to avoid financial problems in the future

    The early experiences children have with money can shape their financial behaviour as adults, according to a study published by the UK government’s MoneyHelper service. By the age of seven, the University of Cambridge study found, most children are capable of grasping the value of money, delaying gratification and understanding that some choices are irreversible or will cause them problems in the future. The research suggests children who are allowed to make age-appropriate financial decisions and experience spending or saving dilemmas can form positive “habits of the mind” when it comes to money. This could lead to a lifelong improvement in their ability to plan ahead and be reflective in their thinking about money, or they may learn how to regulate their impulses and emotions in a way that promotes positive financial behaviour later in life.

    Continue reading...", + "content": "

    A study has shown that by the age of seven they can grasp the lessons they need to learn to avoid financial problems in the future

    The early experiences children have with money can shape their financial behaviour as adults, according to a study published by the UK government’s MoneyHelper service. By the age of seven, the University of Cambridge study found, most children are capable of grasping the value of money, delaying gratification and understanding that some choices are irreversible or will cause them problems in the future. The research suggests children who are allowed to make age-appropriate financial decisions and experience spending or saving dilemmas can form positive “habits of the mind” when it comes to money. This could lead to a lifelong improvement in their ability to plan ahead and be reflective in their thinking about money, or they may learn how to regulate their impulses and emotions in a way that promotes positive financial behaviour later in life.

    Continue reading...", + "category": "Money", + "link": "https://www.theguardian.com/money/2021/dec/13/how-to-teach-children-the-real-value-of-money", + "creator": "Donna Ferguson", + "pubDate": "2021-12-13T07:00:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0e5ef1b8259ab471cb0dfea75289819" + "hash": "c7d061065e232a0ad68bc673e7fda7a5" }, { - "title": "Macy’s Parade Is Back This Thanksgiving, Without Kids on Floats", - "description": "The tradition has been largely restored, but children under 12 years old will not be allowed in the parade — only as spectators.", - "content": "The tradition has been largely restored, but children under 12 years old will not be allowed in the parade — only as spectators.", - "category": "Parades", - "link": "https://www.nytimes.com/2021/11/22/arts/macys-parade-thanksgiving-2021.html", - "creator": "Julia Jacobs", - "pubDate": "Tue, 23 Nov 2021 13:16:52 +0000", + "title": "Chile: candidates battle for moderate votes as presidential race nears end", + "description": "

    Far-right José Antonio Kast and left-wing Gabriel Boric in tight race amid divided political landscape

    Chile’s presidential race is hurtling towards its conclusion with the two remaining candidates battling to secure moderate votes in a deeply divided political landscape.

    Far-right candidate José Antonio Kast secured a two-point victory in November’s first round, but polls show that Gabriel Boric – the leftwing former student leader he will face in the 19 December runoff – now holds a narrow lead.

    Continue reading...", + "content": "

    Far-right José Antonio Kast and left-wing Gabriel Boric in tight race amid divided political landscape

    Chile’s presidential race is hurtling towards its conclusion with the two remaining candidates battling to secure moderate votes in a deeply divided political landscape.

    Far-right candidate José Antonio Kast secured a two-point victory in November’s first round, but polls show that Gabriel Boric – the leftwing former student leader he will face in the 19 December runoff – now holds a narrow lead.

    Continue reading...", + "category": "Chile", + "link": "https://www.theguardian.com/world/2021/dec/11/chile-candidates-battle-for-moderate-votes-as-presidential-race-nears-end", + "creator": "John Bartlett in Santiago", + "pubDate": "2021-12-11T20:39:55Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5b85d57f30835876c7036a48e8e12d21" + "hash": "a85bcbc6600ccc73aac5ebb9c6fa7968" }, { - "title": "Vaquitas Could Soon Be Extinct. Mexico Will Largely Determine Their Fate.", - "description": "Only about 10 vaquitas remain, but scientists say there’s still hope for the elusive porpoises. Their fate largely depends on the Mexican government.", - "content": "Only about 10 vaquitas remain, but scientists say there’s still hope for the elusive porpoises. Their fate largely depends on the Mexican government.", - "category": "Dolphins and Porpoises", - "link": "https://www.nytimes.com/2021/11/23/climate/vaquita-mexico-extinction.html", - "creator": "Catrin Einhorn and Fred Ramos", - "pubDate": "Tue, 23 Nov 2021 13:16:16 +0000", + "title": "Power imbalance between Sydney GP and patient who left him millions ‘highly irregular’, court told", + "description": "

    Raymond McClure’s will, leaving Dr Peter Alexakis 90% of his estate, being challenged in NSW supreme court

    One of Australia’s most experienced geriatric specialists has told a Sydney court there was a “highly irregular” power imbalance between a GP and his wealthy patient who left him tens of millions of dollars.

    Raymond McClure, who died aged 84 in 2017, left his GP, Dr Peter Alexakis, 90% of his estate worth more than $30m.

    Continue reading...", + "content": "

    Raymond McClure’s will, leaving Dr Peter Alexakis 90% of his estate, being challenged in NSW supreme court

    One of Australia’s most experienced geriatric specialists has told a Sydney court there was a “highly irregular” power imbalance between a GP and his wealthy patient who left him tens of millions of dollars.

    Raymond McClure, who died aged 84 in 2017, left his GP, Dr Peter Alexakis, 90% of his estate worth more than $30m.

    Continue reading...", + "category": "New South Wales", + "link": "https://www.theguardian.com/australia-news/2021/dec/13/power-imbalance-between-sydney-gp-and-patient-who-left-him-millions-highly-irregular-court-told", + "creator": "Nino Bucci", + "pubDate": "2021-12-13T08:51:14Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c97d8f964732a46af9bb893aad70a164" + "hash": "bfb75ada52f67e35535a5d5bbb8e188d" }, { - "title": "Netflix Turns Its Attention to Films It Hopes Everyone Wants to See", - "description": "The streaming service wants to be more than a place where big names bring passion projects studios have passed on. It’s now trying to make the kind of blockbusters normally seen in theaters.", - "content": "The streaming service wants to be more than a place where big names bring passion projects studios have passed on. It’s now trying to make the kind of blockbusters normally seen in theaters.", - "category": "Netflix Inc", - "link": "https://www.nytimes.com/2021/11/22/business/media/netflix-movies-theaters.html", - "creator": "Nicole Sperling", - "pubDate": "Tue, 23 Nov 2021 13:04:31 +0000", + "title": "Will Omicron kill Christmas? How science stacks up in boosters v Covid variant battle", + "description": "

    Analysis: UK faces grim winter if vaccines offer poor overall protection, but if the virus has weak powers to evade immunity, hospital cases can be contained

    Two competing forces will determine Omicron’s impact on the nation over the next few weeks. The power of booster jabs to give last-minute protection against Covid-19 will be pitted against the new variant’s ability to elude existing immunity. The outcome will decide whether our festive season is going to be muted or miserable.

    If enough arms are jabbed with booster vaccines, while Omicron turns out to have poor powers to evade immunity, then there is hope hospital cases will be contained and the NHS will be protected. Severe restrictions in the new year – including the prospect of lockdowns – could be avoided.

    Continue reading...", + "content": "

    Analysis: UK faces grim winter if vaccines offer poor overall protection, but if the virus has weak powers to evade immunity, hospital cases can be contained

    Two competing forces will determine Omicron’s impact on the nation over the next few weeks. The power of booster jabs to give last-minute protection against Covid-19 will be pitted against the new variant’s ability to elude existing immunity. The outcome will decide whether our festive season is going to be muted or miserable.

    If enough arms are jabbed with booster vaccines, while Omicron turns out to have poor powers to evade immunity, then there is hope hospital cases will be contained and the NHS will be protected. Severe restrictions in the new year – including the prospect of lockdowns – could be avoided.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/will-omicron-kill-christmas-how-science-stacks-up-in-boosters-v-covid-variant-battle", + "creator": "Robin McKie Science editor", + "pubDate": "2021-12-12T07:15:31Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6419da295e6bed2ef60edc480794882a" + "hash": "c28f52ff636eaf63e3b03e0b1743c6ce" }, { - "title": "The Hubble Telescope Checks In With the Most Distant Planets", - "description": "The spacecraft’s farseeing eye once again sets its gaze on Jupiter, Saturn, Uranus and Neptune.", - "content": "The spacecraft’s farseeing eye once again sets its gaze on Jupiter, Saturn, Uranus and Neptune.", - "category": "Hubble Space Telescope", - "link": "https://www.nytimes.com/2021/11/23/science/hubble-telescope-jupiter-saturn-uranus-neptune.html", - "creator": "Dennis Overbye", - "pubDate": "Tue, 23 Nov 2021 11:49:22 +0000", + "title": "‘I didn't find the exam difficult’: Indian woman learns to read and write at 104 – video", + "description": "

    A 104-year-old woman has fulfilled her dream to learn to read. After starting in April, Kuttiyamma achieved 89% in literacy and 100% in mathematics in the Kerala state primary literacy exam last month, the oldest woman to do so.

    Kuttiyamma had been curious about reading and would often try to make out the alphabet herself, but when she was born in a village to a low-caste rural family, there was no education. Her neighbour Rehana John, a 34-year-old literacy trainer, persuaded her to start to learn to read. Previously, John’s oldest student had been 85

    Continue reading...", + "content": "

    A 104-year-old woman has fulfilled her dream to learn to read. After starting in April, Kuttiyamma achieved 89% in literacy and 100% in mathematics in the Kerala state primary literacy exam last month, the oldest woman to do so.

    Kuttiyamma had been curious about reading and would often try to make out the alphabet herself, but when she was born in a village to a low-caste rural family, there was no education. Her neighbour Rehana John, a 34-year-old literacy trainer, persuaded her to start to learn to read. Previously, John’s oldest student had been 85

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/video/2021/dec/11/indian-woman-learns-to-read-and-write-at-104-video", + "creator": "", + "pubDate": "2021-12-11T10:31:14Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7a0bf7ca879d518aca535e9f57b1029a" + "hash": "83ac6120008c59e5d9f94b0d17bae0ce" }, { - "title": "Late Night Celebrates Biden’s 79th Birthday", - "description": "Jimmy Fallon joked that when the president blew out his candles, “everyone started clapping and the lights went on and off.”", - "content": "Jimmy Fallon joked that when the president blew out his candles, “everyone started clapping and the lights went on and off.”", - "category": "Television", - "link": "https://www.nytimes.com/2021/11/23/arts/television/jimmy-fallon-biden-birthday.html", - "creator": "Trish Bendix", - "pubDate": "Tue, 23 Nov 2021 11:31:15 +0000", + "title": "Freedom in the making: Bangladesh by Anne de Henning – in pictures", + "description": "

    Anne de Henning travelled through Bangladesh between 1971 and 1972, during the war of independence, photographing freedom fighters, families, refugee trains, and women fleeing villages

    To mark the 50th anniversary of Bangladesh’s independence, the Samdani Art Foundation has organised an exhibition of her images which are on display at the National Art Gallery in Dhaka, 10–31 December

    Continue reading...", + "content": "

    Anne de Henning travelled through Bangladesh between 1971 and 1972, during the war of independence, photographing freedom fighters, families, refugee trains, and women fleeing villages

    To mark the 50th anniversary of Bangladesh’s independence, the Samdani Art Foundation has organised an exhibition of her images which are on display at the National Art Gallery in Dhaka, 10–31 December

    Continue reading...", + "category": "Bangladesh", + "link": "https://www.theguardian.com/world/gallery/2021/dec/10/freedom-in-the-making-bangladesh-by-anne-de-henning-in-pictures", + "creator": "Anne de Henning", + "pubDate": "2021-12-10T07:00:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5bd87849217d193cac41a8d0bedd896d" + "hash": "51f1d26454ef54a9c88d7f73ebc42020" }, { - "title": "Righting the Historical Wrong of the Claiborne Highway", - "description": "Is it possible to undo the damage done to Black communities by the expressway projects of the 20th century?", - "content": "Is it possible to undo the damage done to Black communities by the expressway projects of the 20th century?", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/23/podcasts/the-daily/claiborne-highway-biden-infrastructure-package.html", - "creator": "Sabrina Tavernise, Rob Szypko, Stella Tan, Michael Simon Johnson, Austin Mitchell, Sydney Harper, Paige Cowett, Lisa Tobin, Marion Lozano, Dan Powell, Elisheba Ittoop and Chris Wood", - "pubDate": "Tue, 23 Nov 2021 11:00:07 +0000", + "title": "Sudan's deadly military coup: will the fight for democracy ever be won? – video explainer", + "description": "

    Sudan has had more military coups than any other country in Africa, having undergone three popular uprisings since its independence from British colonial rule. The most recent revolution in 2019 is still under way, with protesters calling for the military to hand over to a civilian government. On 25 October the military responded to these calls with another crackdown. Internet access was shut down for more than three weeks and unarmed protesters were met with violence.  Journalist Yousra Elbagir talks us through the timeline of events in Sudan's fight for democracy 

    Continue reading...", + "content": "

    Sudan has had more military coups than any other country in Africa, having undergone three popular uprisings since its independence from British colonial rule. The most recent revolution in 2019 is still under way, with protesters calling for the military to hand over to a civilian government. On 25 October the military responded to these calls with another crackdown. Internet access was shut down for more than three weeks and unarmed protesters were met with violence.  Journalist Yousra Elbagir talks us through the timeline of events in Sudan's fight for democracy 

    Continue reading...", + "category": "Sudan", + "link": "https://www.theguardian.com/world/video/2021/dec/09/sudans-deadly-military-coup-will-the-fight-for-democracy-ever-be-won-video-explainer", + "creator": "Kyri Evangelou Yousra Elbagir and Katie Lamborn", + "pubDate": "2021-12-09T13:57:46Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "31b22a3836b56c741d9557949d31e72b" + "hash": "a644200460011c50370de4ce8ba1509d" }, { - "title": "Is the Four-Day Workweek Finally Within Our Grasp?", - "description": "After embracing flexible work styles during the pandemic, some companies are now embracing a shorter week.", - "content": "After embracing flexible work styles during the pandemic, some companies are now embracing a shorter week.", - "category": "Working Hours", - "link": "https://www.nytimes.com/2021/11/23/business/dealbook/four-day-workweek.html", - "creator": "Kevin J. Delaney", - "pubDate": "Tue, 23 Nov 2021 10:02:47 +0000", + "title": "G7 leaders warn Russia all sanctions on table over Ukraine border buildup", + "description": "

    Kremlin would ‘face massive consequences’ in event of invasion, says UK foreign secretary at Liverpool talks

    Foreign ministers of the G7 group of rich democracies have warned Russia of “massive consequences” if it invades Ukraine and urged it to de-escalate its military buildup on its border.

    A communique from the meeting in Liverpool said the group reaffirmed its “unwavering commitment to Ukraine’s sovereignty and territorial integrity, as well as the right of any sovereign state to determine its own future” and praised what it called Ukraine’s “restraint” as tensions grew.

    Continue reading...", + "content": "

    Kremlin would ‘face massive consequences’ in event of invasion, says UK foreign secretary at Liverpool talks

    Foreign ministers of the G7 group of rich democracies have warned Russia of “massive consequences” if it invades Ukraine and urged it to de-escalate its military buildup on its border.

    A communique from the meeting in Liverpool said the group reaffirmed its “unwavering commitment to Ukraine’s sovereignty and territorial integrity, as well as the right of any sovereign state to determine its own future” and praised what it called Ukraine’s “restraint” as tensions grew.

    Continue reading...", + "category": "G7", + "link": "https://www.theguardian.com/world/2021/dec/12/g7-leaders-sanctions-russia-buildup-ukraine-border", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-12T16:43:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "726b92e327bbe707f6d7da312b007257" + "hash": "07ee0fe9cd4b722287e9bff2bf366d76" }, { - "title": "As Virus Cases Rise in Europe, an Economic Toll Returns", - "description": "A series of restrictions, including a lockdown in Austria, is expected to put a brake on economic growth.", - "content": "A series of restrictions, including a lockdown in Austria, is expected to put a brake on economic growth.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/23/business/economy/europe-covid-economy.html", - "creator": "Patricia Cohen and Melissa Eddy", - "pubDate": "Tue, 23 Nov 2021 10:00:43 +0000", + "title": "‘Not knowing is worse’: tornado survivor at candle factory awaits news of missing boyfriend", + "description": "

    Autumn Kirks took shelter and glanced away from her boyfriend, who was 10ft away, and when she looked back he was gone

    Workers on the night shift at the candle factory in Mayfield, Kentucky, were part of the holiday rush that was keeping the place going around the clock when a tornado whirled towards the small city and the word went out to “duck and cover”.

    Autumn Kirks pulled down her safety googles and took shelter, tossing aside wax and fragrance buckets to make room for herself.

    Continue reading...", + "content": "

    Autumn Kirks took shelter and glanced away from her boyfriend, who was 10ft away, and when she looked back he was gone

    Workers on the night shift at the candle factory in Mayfield, Kentucky, were part of the holiday rush that was keeping the place going around the clock when a tornado whirled towards the small city and the word went out to “duck and cover”.

    Autumn Kirks pulled down her safety googles and took shelter, tossing aside wax and fragrance buckets to make room for herself.

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/2021/dec/12/kentucky-tornado-survivor-candle-factory", + "creator": "Samira Sadeque and agencies", + "pubDate": "2021-12-12T21:29:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f578e6f5859354d23ed50826ae6b80c8" + "hash": "6bd120b6a7d8d4cf43cc3adeacaf0959" }, { - "title": "The Ronald Reagan Guide to Joe Biden’s Political Future", - "description": "It is hard to act as an ambitious president without incurring a penalty, even if your policies are popular.", - "content": "It is hard to act as an ambitious president without incurring a penalty, even if your policies are popular.", - "category": "Polls and Public Opinion", - "link": "https://www.nytimes.com/2021/11/23/opinion/biden-reagan-approval.html", - "creator": "Jamelle Bouie", - "pubDate": "Tue, 23 Nov 2021 10:00:24 +0000", + "title": "UK booster jab rollout to increase to 1m a day to battle Omicron ‘tidal wave’", + "description": "

    Army to be deployed as part of effort to offer Covid vaccine dose to every adult by end of month

    Boris Johnson is gambling on an unprecedented ramping up of vaccinations, rolling out 1m booster jabs a day to stem an incoming “tidal wave of Omicron” and avoid imposing further restrictions.

    The army will be deployed across the country to help rapidly accelerate the vaccine programme and GPs will be told to cancel appointments to dedicate resources to offering vaccines to every UK adult by the end of December.

    Continue reading...", + "content": "

    Army to be deployed as part of effort to offer Covid vaccine dose to every adult by end of month

    Boris Johnson is gambling on an unprecedented ramping up of vaccinations, rolling out 1m booster jabs a day to stem an incoming “tidal wave of Omicron” and avoid imposing further restrictions.

    The army will be deployed across the country to help rapidly accelerate the vaccine programme and GPs will be told to cancel appointments to dedicate resources to offering vaccines to every UK adult by the end of December.

    Continue reading...", + "category": "Health policy", + "link": "https://www.theguardian.com/politics/2021/dec/12/uk-booster-jab-rollout-to-increase-to-1m-a-day-to-battle-omicron-tidal-wave", + "creator": "Jessica Elgot, Aubrey Allegretti, Haroon Siddique and Hannah Devlin", + "pubDate": "2021-12-12T20:07:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e8ef84a2e96ed4b1918d7cad5e7c3796" + "hash": "228928d6af15e7c387bcda8ade80e187" }, { - "title": "New York Targets Affluent Neighborhoods in Push for Affordable Housing", - "description": "Supporters say the plans help address New York’s housing crisis and help integrate the city’s neighborhoods. Opponents see more gentrification and giveaways for developers.", - "content": "Supporters say the plans help address New York’s housing crisis and help integrate the city’s neighborhoods. Opponents see more gentrification and giveaways for developers.", - "category": "Real Estate and Housing (Residential)", - "link": "https://www.nytimes.com/2021/11/23/nyregion/affordable-housing-gowanus-soho.html", - "creator": "Mihir Zaveri", - "pubDate": "Tue, 23 Nov 2021 10:00:22 +0000", + "title": "UK and EU settle fishing row but French fishers vow to go ahead with blockade", + "description": "

    Talk of trade war dropped after UK and Channel Islands governments agree to issue more licences


    Paris, London and Brussels have dropped talk of a trade war and appeared to settle a dispute over post-Brexit fishing licences, but angry French fishers threatened to go ahead with a pre-Christmas blockade of British goods entering Calais.

    The European Commission and the French government signalled satisfaction with the result of an intensive fortnight of negotiations as the UK and Channel Islands governments agreed to issue 83 more operating licences before an EU deadline.

    Continue reading...", + "content": "

    Talk of trade war dropped after UK and Channel Islands governments agree to issue more licences


    Paris, London and Brussels have dropped talk of a trade war and appeared to settle a dispute over post-Brexit fishing licences, but angry French fishers threatened to go ahead with a pre-Christmas blockade of British goods entering Calais.

    The European Commission and the French government signalled satisfaction with the result of an intensive fortnight of negotiations as the UK and Channel Islands governments agreed to issue 83 more operating licences before an EU deadline.

    Continue reading...", + "category": "Fishing", + "link": "https://www.theguardian.com/environment/2021/dec/12/france-drops-threat-of-trade-war-over-post-brexit-fishing-rights", + "creator": "Daniel Boffey in Brussels", + "pubDate": "2021-12-12T17:02:00Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0539c8a27a3d3f63d241d0ecfad3f2d3" + "hash": "32846b0ed62d3b65426b3e58d94aa9e6" }, { - "title": "New York Moves to Allow 800,000 Noncitizens to Vote in Local Elections", - "description": "New York City will become the largest municipality in the country to allow legal residents to vote if the legislation is approved as expected in December.", - "content": "New York City will become the largest municipality in the country to allow legal residents to vote if the legislation is approved as expected in December.", - "category": "Voting Rights, Registration and Requirements", - "link": "https://www.nytimes.com/2021/11/23/nyregion/noncitizen-voting-rights-nyc.html", - "creator": "Jeffery C. Mays and Annie Correal", - "pubDate": "Tue, 23 Nov 2021 10:00:19 +0000", + "title": "Israel’s PM Naftali Bennett to visit UAE to discuss deepening ties", + "description": "

    Talks between PM and crown prince of Abu Dhabi come after full diplomatic links brokered last year

    Naftali Bennett is to make the first official visit by an Israeli prime minister to the United Arab Emirates since the two countries established diplomatic ties last year.

    Bennett will meet Sheikh Mohammed bin Zayed al-Nahyan, the crown prince of Abu Dhabi, on Monday to discuss “deepening the ties between Israel and the UAE, especially economic and regional issues,” Bennett’s office said.

    Continue reading...", + "content": "

    Talks between PM and crown prince of Abu Dhabi come after full diplomatic links brokered last year

    Naftali Bennett is to make the first official visit by an Israeli prime minister to the United Arab Emirates since the two countries established diplomatic ties last year.

    Bennett will meet Sheikh Mohammed bin Zayed al-Nahyan, the crown prince of Abu Dhabi, on Monday to discuss “deepening the ties between Israel and the UAE, especially economic and regional issues,” Bennett’s office said.

    Continue reading...", + "category": "Israel", + "link": "https://www.theguardian.com/world/2021/dec/12/naftali-bennett-israel-pm-uae-visit", + "creator": "Agence France-Presse in Jerusalem", + "pubDate": "2021-12-12T12:45:07Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ef59433800b16b56686cfe81456310f2" + "hash": "3d55e90c9013cdc0926fd06d5c62f7b2" }, { - "title": "It’s Never Too Late to Pick Up Your Life and Move to Italy", - "description": "Holly Herrmann vowed to move to Italy when she was 20. Her dream came true 38 years later.", - "content": "Holly Herrmann vowed to move to Italy when she was 20. Her dream came true 38 years later.", - "category": "Travel and Vacations", - "link": "https://www.nytimes.com/2021/11/23/style/italy-retirement-holly-herrmann.html", - "creator": "Alix Strauss", - "pubDate": "Tue, 23 Nov 2021 10:00:17 +0000", + "title": "Naomie Harris says ‘huge star’ groped her during audition", + "description": "

    Bond actor recalls past #MeToo incident and contrasts lack of censure with ‘immediate’ removal on recent project

    The Oscar-nominated actor Naomie Harris has said a #MeToo incident on one of her recent projects prompted the “immediate” removal of the perpetrator, as she recalled another occasion when she was groped by a “huge star” who faced no censure.

    Harris, who played Moneypenny in the last three Bond films and was up for an Oscar for her role in Moonlight in 2017, declined to name either of the men allegedly responsible.

    Continue reading...", + "content": "

    Bond actor recalls past #MeToo incident and contrasts lack of censure with ‘immediate’ removal on recent project

    The Oscar-nominated actor Naomie Harris has said a #MeToo incident on one of her recent projects prompted the “immediate” removal of the perpetrator, as she recalled another occasion when she was groped by a “huge star” who faced no censure.

    Harris, who played Moneypenny in the last three Bond films and was up for an Oscar for her role in Moonlight in 2017, declined to name either of the men allegedly responsible.

    Continue reading...", + "category": "Naomie Harris", + "link": "https://www.theguardian.com/film/2021/dec/12/naomie-harris-metoo-incident-actor-star-audition", + "creator": "Helen Pidd", + "pubDate": "2021-12-12T11:17:48Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53fff5ac87f11a7d0e79625d713639c5" + "hash": "3f7cbc28c5dca911bc9b1d75dba885a4" }, { - "title": "Army Cadets Tried to Get Navy’s Goat, Again. Commanders Were Not Amused.", - "description": "Rivalries among the nation’s military academies include a long history of mascot-stealing “spirit missions” before football games, despite official condemnations.", - "content": "Rivalries among the nation’s military academies include a long history of mascot-stealing “spirit missions” before football games, despite official condemnations.", - "category": "United States Defense and Military Forces", - "link": "https://www.nytimes.com/2021/11/23/us/army-navy-mascot-kidnap-goat.html", - "creator": "Dave Philipps", - "pubDate": "Tue, 23 Nov 2021 10:00:16 +0000", + "title": "Sailing away: superyacht industry booms during Covid pandemic", + "description": "

    Record-breaking number of vessels being built or on order worldwide, despite environmental concerns

    In an era of environmental awareness and conspicuous displays of sustainability, you might not expect a rise in the number of people with the means and appetite for a £50m floating fortress of solitude.

    But, in part because of the coronavirus crisis, the superyacht industry is booming – and the number of vessels under construction or on order worldwide has hit a new record. According to figures revealed in the latest edition of Boat International’s Global Order Book, more than 1,200 superyachts are slated to be built – a rise of 25% on last year.

    Continue reading...", + "content": "

    Record-breaking number of vessels being built or on order worldwide, despite environmental concerns

    In an era of environmental awareness and conspicuous displays of sustainability, you might not expect a rise in the number of people with the means and appetite for a £50m floating fortress of solitude.

    But, in part because of the coronavirus crisis, the superyacht industry is booming – and the number of vessels under construction or on order worldwide has hit a new record. According to figures revealed in the latest edition of Boat International’s Global Order Book, more than 1,200 superyachts are slated to be built – a rise of 25% on last year.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/superyacht-industry-booms-during-covid-pandemic", + "creator": "Archie Bland", + "pubDate": "2021-12-12T10:58:54Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b4db719163ac88afc15d286a01fb7936" + "hash": "202f0b52ceeb7b2fcc434ec1e3078057" }, { - "title": "What Should I Do With My Big Fat Inheritance?", - "description": "The magazine’s Ethicist columnist on the burdens of philanthropy — and more.", - "content": "The magazine’s Ethicist columnist on the burdens of philanthropy — and more.", - "category": "Ethics (Personal)", - "link": "https://www.nytimes.com/2021/11/23/magazine/inheritance-ethics.html", - "creator": "Kwame Anthony Appiah", - "pubDate": "Tue, 23 Nov 2021 10:00:12 +0000", + "title": "Sicily apartment block explosion leaves at least four dead", + "description": "

    Firefighters say the blast in the southern town of Ravanusa was probably caused by a gas leak

    Four people have been killed and five are missing in Sicily after an explosion caused a four-storey apartment building to collapse.

    Two women were recovered alive from the rubble in the southern town of Ravanusa on Saturday night, and rescuers and sniffer dogs were searching for other people still missing.

    Continue reading...", + "content": "

    Firefighters say the blast in the southern town of Ravanusa was probably caused by a gas leak

    Four people have been killed and five are missing in Sicily after an explosion caused a four-storey apartment building to collapse.

    Two women were recovered alive from the rubble in the southern town of Ravanusa on Saturday night, and rescuers and sniffer dogs were searching for other people still missing.

    Continue reading...", + "category": "Italy", + "link": "https://www.theguardian.com/world/2021/dec/12/sicily-apartment-block-explosion-ravanusa", + "creator": "Agence France-Presse in Rome", + "pubDate": "2021-12-12T12:34:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "866e75be92d0c259fd6c7ab1e9fe006d" + "hash": "c7fe6c2870ef7ba51675ef093736e4c2" }, { - "title": "Why Peng Shuai Frustrates China's Propaganda Machine", - "description": "Accustomed to forcing messages on audiences at home and abroad, its propaganda machine hasn’t learned how to craft a narrative that stands up to scrutiny.", - "content": "Accustomed to forcing messages on audiences at home and abroad, its propaganda machine hasn’t learned how to craft a narrative that stands up to scrutiny.", - "category": "Peng Shuai", - "link": "https://www.nytimes.com/2021/11/23/business/china-peng-shuai-metoo.html", - "creator": "Li Yuan", - "pubDate": "Tue, 23 Nov 2021 09:02:15 +0000", + "title": "Anne Rice, author of Interview With the Vampire, dies aged 80", + "description": "

    Horror writers pay tribute after bestselling gothic novelist dies of complications from stroke

    Anne Rice, the bestselling author of Interview With the Vampire, has died at the age of 80.

    The gothic novelist’s son, Christopher Rice, said in a statement on Sunday morning that Rice had “passed away due to complications resulting from a stroke”, adding: “The immensity of our family’s grief cannot be overstated.”

    Continue reading...", + "content": "

    Horror writers pay tribute after bestselling gothic novelist dies of complications from stroke

    Anne Rice, the bestselling author of Interview With the Vampire, has died at the age of 80.

    The gothic novelist’s son, Christopher Rice, said in a statement on Sunday morning that Rice had “passed away due to complications resulting from a stroke”, adding: “The immensity of our family’s grief cannot be overstated.”

    Continue reading...", + "category": "Anne Rice", + "link": "https://www.theguardian.com/books/2021/dec/12/anne-rice-author-of-interview-with-the-vampire-dies-aged-80", + "creator": "Alison Flood", + "pubDate": "2021-12-12T13:27:53Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2650f9de434d96eb8e984894a096a2c4" + "hash": "32a9c5af0e777f13bd4a30c75c10004f" }, { - "title": "Bulgaria Bus Crash Kills Dozens", - "description": "The bus, which had North Macedonian plates, caught fire on a highway, an official said.", - "content": "The bus, which had North Macedonian plates, caught fire on a highway, an official said.", - "category": "Traffic Accidents and Safety", - "link": "https://www.nytimes.com/2021/11/23/world/europe/bulgaria-bus-crash-north-macedonia.html", - "creator": "Livia Albeck-Ripka", - "pubDate": "Tue, 23 Nov 2021 07:21:13 +0000", + "title": "Austria ends Covid lockdown restrictions for vaccinated people", + "description": "

    Strict rules lifted across most of country after three weeks as case numbers plummet

    Austria has ended lockdown restrictions for vaccinated people across most of the country, three weeks after reimposing strict rules to combat a rising wave of coronavirus infections.

    The rules, which vary by region within the country, largely allow for the reopening of theatres, museums and other cultural and entertainment venues on Sunday. Shops will follow on Monday.

    Continue reading...", + "content": "

    Strict rules lifted across most of country after three weeks as case numbers plummet

    Austria has ended lockdown restrictions for vaccinated people across most of the country, three weeks after reimposing strict rules to combat a rising wave of coronavirus infections.

    The rules, which vary by region within the country, largely allow for the reopening of theatres, museums and other cultural and entertainment venues on Sunday. Shops will follow on Monday.

    Continue reading...", + "category": "Austria", + "link": "https://www.theguardian.com/world/2021/dec/12/austria-ends-covid-lockdown-restrictions-for-vaccinated-people", + "creator": "Associated Press in Vienna", + "pubDate": "2021-12-12T12:37:24Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1632a844bd13bf0a51f8f7755489e20f" + "hash": "e18724c38de2716caee2c0ce907d4de7" }, { - "title": "Russia’s Foreign Policy Isn’t All About Hurting the West", - "description": "Moscow has other concerns.", - "content": "Moscow has other concerns.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/11/23/opinion/russia-putin-west.html", - "creator": "Kadri Liik", - "pubDate": "Tue, 23 Nov 2021 06:00:05 +0000", + "title": "The tragic missteps that killed a young California family on a hike", + "description": "

    The incident serves as a reminder to thoroughly map, plan ahead and be well-prepared when hiking, no matter the season

    When a young family died mysteriously on a trail in California’s Sierra Nevada mountains in August, authorities scoured the area for clues. Maybe there was a gas leak from a nearby mine. Maybe the family drank water that contained toxic algae. In the end, as a new report showed, the answers were more prosaic, if just as tragic: the triple-digit temperatures and tough terrain created a fatal situation.

    Nearly eighty pages of investigative reports obtained by the San Francisco Chronicle lay out the tragic missteps that led to the death of the young family and hold important lessons about the dangers of hiking in a grueling climate.

    Continue reading...", + "content": "

    The incident serves as a reminder to thoroughly map, plan ahead and be well-prepared when hiking, no matter the season

    When a young family died mysteriously on a trail in California’s Sierra Nevada mountains in August, authorities scoured the area for clues. Maybe there was a gas leak from a nearby mine. Maybe the family drank water that contained toxic algae. In the end, as a new report showed, the answers were more prosaic, if just as tragic: the triple-digit temperatures and tough terrain created a fatal situation.

    Nearly eighty pages of investigative reports obtained by the San Francisco Chronicle lay out the tragic missteps that led to the death of the young family and hold important lessons about the dangers of hiking in a grueling climate.

    Continue reading...", + "category": "California", + "link": "https://www.theguardian.com/us-news/2021/dec/12/tragic-death-young-california-family-hike", + "creator": "Katharine Gammon", + "pubDate": "2021-12-12T11:00:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "885005721fb8ed2282fca1fd661224bd" + "hash": "7da76b35540ab04d8440a0c617a175e3" }, { - "title": "Book Review: ‘Tinderbox,’ by James Andrew Miller", - "description": "James Andrew Miller’s book follows the channel from its start in 1972 through its transformative “Sopranos” years and up to the present day.", - "content": "James Andrew Miller’s book follows the channel from its start in 1972 through its transformative “Sopranos” years and up to the present day.", - "category": "Miller, James Andrew", - "link": "https://www.nytimes.com/2021/11/22/books/review-tinderbox-hbo-oral-history-james-andrew-miller.html", - "creator": "Dwight Garner", - "pubDate": "Tue, 23 Nov 2021 04:59:02 +0000", + "title": "Maggie Gyllenhaal: from ‘difficult’ roles to lauded Hollywood director", + "description": "

    With a string of plaudits for portraying complex characters, the actor is now focusing her ‘quiet fire’ behind the cameras with a stunning debut film

    From her breakthrough role in Secretary, wearing stilettos, a pencil skirt and manacles and attempting to operate a stapler with her chin, to her directorial debut which digs into the messy truths about motherhood, Maggie Gyllenhaal has always been attracted to what she has described as “troubled women. The ones that are a real challenge. They really need me.”

    It’s a quote that really gets to the heart of what distinguishes Gyllenhaal. An Oscar-nominated actor, and now– with her Elena Ferrante adaptation The Lost Daughter – an award-winning screenwriter and director, she is drawn to the kind of women whose stories don’t usually get told. She delves into the uncomfortable angles and sharp edges of her characters and found her niche by not quite fitting into the mould.

    Continue reading...", + "content": "

    With a string of plaudits for portraying complex characters, the actor is now focusing her ‘quiet fire’ behind the cameras with a stunning debut film

    From her breakthrough role in Secretary, wearing stilettos, a pencil skirt and manacles and attempting to operate a stapler with her chin, to her directorial debut which digs into the messy truths about motherhood, Maggie Gyllenhaal has always been attracted to what she has described as “troubled women. The ones that are a real challenge. They really need me.”

    It’s a quote that really gets to the heart of what distinguishes Gyllenhaal. An Oscar-nominated actor, and now– with her Elena Ferrante adaptation The Lost Daughter – an award-winning screenwriter and director, she is drawn to the kind of women whose stories don’t usually get told. She delves into the uncomfortable angles and sharp edges of her characters and found her niche by not quite fitting into the mould.

    Continue reading...", + "category": "Maggie Gyllenhaal", + "link": "https://www.theguardian.com/film/2021/dec/12/maggie-gyllenhaal-from-difficult-roles-to-lauded-hollywood-director", + "creator": "Wendy Ide", + "pubDate": "2021-12-12T11:00:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5d7cc46ae42f0041f2791c4c97195ef" + "hash": "e96297cf3e25b36c7a334728b3339915" }, { - "title": "2 Canadian Journalists Arrested at Indigenous Protest Are Freed on Bail", - "description": "Journalist groups denounced the arrest of a photographer and a filmmaker covering an Indigenous pipeline protest in British Columbia.", - "content": "Journalist groups denounced the arrest of a photographer and a filmmaker covering an Indigenous pipeline protest in British Columbia.", - "category": "Canada", - "link": "https://www.nytimes.com/2021/11/22/world/canada/canada-indigenous-journalist-arrests.html", - "creator": "Ian Austen", - "pubDate": "Tue, 23 Nov 2021 04:39:23 +0000", + "title": "I’m a long-distance dad so Covid was terrible – but it helped me let go of my guilt", + "description": "I worried so much about not seeing my son, who lives in Canada, during Covid, but then I realised that he was fine – and being very well looked after

    Getting to Canada from the UK in August 2020 was a faff, as you might expect mid-pandemic. There was lots of stress – tests and isolation, rules, regulations and forms. I was doing the preparations at my mum’s. She could see I was getting upset and insisted on taking over, assuming I was being pathetic. Within five minutes, she had lost it as well. Emotions were high in the days before I flew. This wasn’t just a holiday, but my chance – amid such uncertainty and sadness – to spend precious time with Julian, my only son.

    He’s the best and most significant thing that has ever happened to me. He was also very much an unexpected surprise. I had a short relationship with his mum; we parted ways on great terms. Then one day out of the blue I got a call from North Korea, where she was working. She was pregnant. I was based in England, and she lived in Canada. We were both medical emergency aid workers at the time and had met while responding to a cyclone in Burma. It was always going to be complicated, but we decided to make it work.

    Continue reading...", + "content": "I worried so much about not seeing my son, who lives in Canada, during Covid, but then I realised that he was fine – and being very well looked after

    Getting to Canada from the UK in August 2020 was a faff, as you might expect mid-pandemic. There was lots of stress – tests and isolation, rules, regulations and forms. I was doing the preparations at my mum’s. She could see I was getting upset and insisted on taking over, assuming I was being pathetic. Within five minutes, she had lost it as well. Emotions were high in the days before I flew. This wasn’t just a holiday, but my chance – amid such uncertainty and sadness – to spend precious time with Julian, my only son.

    He’s the best and most significant thing that has ever happened to me. He was also very much an unexpected surprise. I had a short relationship with his mum; we parted ways on great terms. Then one day out of the blue I got a call from North Korea, where she was working. She was pregnant. I was based in England, and she lived in Canada. We were both medical emergency aid workers at the time and had met while responding to a cyclone in Burma. It was always going to be complicated, but we decided to make it work.

    Continue reading...", + "category": "Parents and parenting", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/12/i-am-a-long-distance-dad-so-covid-was-terrible-but-it-helped-me-let-go-of-my-guilt", + "creator": "Xand van Tulleken", + "pubDate": "2021-12-12T12:00:37Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "54f93f0bfa1895878aaca3fc9d3c38be" + "hash": "ccd4a873e2f62e8e8fc80867f8f33828" }, { - "title": "Victims at Christmas Parade Were Young Musicians and Dancing Grannies", - "description": "Five adults died in Waukesha, Wis., and at least 10 children were in intensive care. Three were members of a Milwaukee dance troupe, which celebrated grandmothers.", - "content": "Five adults died in Waukesha, Wis., and at least 10 children were in intensive care. Three were members of a Milwaukee dance troupe, which celebrated grandmothers.", - "category": "Waukesha, Wis, Holiday Parade Attack (2021)", - "link": "https://www.nytimes.com/article/waukesha-victims-dancing-grannies.html", - "creator": "Shawn Hubler and Giulia Heyward", - "pubDate": "Tue, 23 Nov 2021 04:18:20 +0000", + "title": "Those we lost in 2021: Lee ‘Scratch’ Perry remembered by Neil ‘Mad Professor’ Fraser", + "description": "

    20 March 1936 – 29 August 2021
    The British dub artist recalls the craft and eccentricity of the pioneering reggae producer – a singular talent he loved working with

    As a boy, one of the first records I bought was a single called Upsetting Station by Dave Barker, a Jamaican singer. It used the rhythm of the Wailers song Duppy Conqueror and began with an announcement: “This is the Upsetting Station recording – the news as it happens.” Back then, I didn’t know what a producer did or even what a producer was, but I recognised there was something special going on with this record. It sounded really different and it fascinated me.

    Soon after, I heard the Wailers’ Small Axe and I noticed that it was also produced by Lee Perry. I was still at school at the time and I felt that something innovative was happening with those records. Just instinctively I sensed that. Then, around 1974, there was an album called King Tubby Meets the Upsetter at the Grass Roots of Dub, which was really popular. It had some serious musicians playing on it – Vin Gordon, Tommy McCook, Bobby Ellis. That’s when I started to take more notice and realised that the role of the producer was to shape the sound.

    Continue reading...", + "content": "

    20 March 1936 – 29 August 2021
    The British dub artist recalls the craft and eccentricity of the pioneering reggae producer – a singular talent he loved working with

    As a boy, one of the first records I bought was a single called Upsetting Station by Dave Barker, a Jamaican singer. It used the rhythm of the Wailers song Duppy Conqueror and began with an announcement: “This is the Upsetting Station recording – the news as it happens.” Back then, I didn’t know what a producer did or even what a producer was, but I recognised there was something special going on with this record. It sounded really different and it fascinated me.

    Soon after, I heard the Wailers’ Small Axe and I noticed that it was also produced by Lee Perry. I was still at school at the time and I felt that something innovative was happening with those records. Just instinctively I sensed that. Then, around 1974, there was an album called King Tubby Meets the Upsetter at the Grass Roots of Dub, which was really popular. It had some serious musicians playing on it – Vin Gordon, Tommy McCook, Bobby Ellis. That’s when I started to take more notice and realised that the role of the producer was to shape the sound.

    Continue reading...", + "category": "Lee 'Scratch' Perry", + "link": "https://www.theguardian.com/music/2021/dec/12/obituaries-2021-lee-scratch-perry-remembered-by-neil-mad-professor-fraser", + "creator": "Guardian Staff", + "pubDate": "2021-12-12T19:00:46Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2a94b17e6d3be6dc2c8eb94bc523dcf" + "hash": "009414533d7e256e32f26397459af4af" }, { - "title": "N.Y.C. Severs Ties With Housing Nonprofit Run by Jack A. Brown III", - "description": "The city will no longer work with CORE Services Group, the nonprofit run by Jack A. Brown to provide housing and services to the homeless.", - "content": "The city will no longer work with CORE Services Group, the nonprofit run by Jack A. Brown to provide housing and services to the homeless.", - "category": "Government Contracts and Procurement", - "link": "https://www.nytimes.com/2021/11/22/nyregion/jack-brown-core-services-homeless-nyc.html", - "creator": "Amy Julia Harris", - "pubDate": "Tue, 23 Nov 2021 03:34:11 +0000", + "title": "Boris on the brink: how Johnson reached the edge of disaster", + "description": "

    Sleaze, partygate and Covid combined to deliver the PM a week from hell, and now his MPs are openly talking of replacing him

    On 19 December last year Boris Johnson appeared in Downing Street to tell the nation more bad news about Covid-19 that would affect the plans of millions of people at Christmas. “Yesterday afternoon I was briefed on the latest data showing the virus spreading more rapidly in London and the south-east of England than would be expected,” he said.

    Reading from a script that, a year on, seems depressingly familiar, he said a new strain of Covid-19 (which would become known as the Alpha variant) was taking hold and was thought to be up to 70% more transmissible than the old one.

    Continue reading...", + "content": "

    Sleaze, partygate and Covid combined to deliver the PM a week from hell, and now his MPs are openly talking of replacing him

    On 19 December last year Boris Johnson appeared in Downing Street to tell the nation more bad news about Covid-19 that would affect the plans of millions of people at Christmas. “Yesterday afternoon I was briefed on the latest data showing the virus spreading more rapidly in London and the south-east of England than would be expected,” he said.

    Reading from a script that, a year on, seems depressingly familiar, he said a new strain of Covid-19 (which would become known as the Alpha variant) was taking hold and was thought to be up to 70% more transmissible than the old one.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/dec/12/boris-johnson-on-the-brink-sleaze-partygate-covid", + "creator": "Toby Helm and Michael Savage", + "pubDate": "2021-12-12T06:45:31Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59bcdd06d23f4e082109b2bc452e3924" + "hash": "ddad039b66adbdff360860ad27c6f6e2" }, { - "title": "Chun Doo-hwan, South Korea's Most Vilified Ex-Military Dictator, Dies at 90", - "description": "The country’s most vilified former military dictator, he seized power in a coup and ruled his country with an iron fist for most of the 1980s.", - "content": "The country’s most vilified former military dictator, he seized power in a coup and ruled his country with an iron fist for most of the 1980s.", - "category": "South Korea", - "link": "https://www.nytimes.com/2021/11/23/world/asia/chun-doo-hwan-dead.html", - "creator": "Choe Sang-Hun", - "pubDate": "Tue, 23 Nov 2021 03:21:06 +0000", + "title": "Body of evidence: meet the experts working in crime scene forensics", + "description": "Phone signals, soil samples, tattoo ink, fly larvae… We all know that microscopic traces can play a crucial role in solving crimes. But who are the forensic experts who can read the clues?

    Before I started out in forensics 20 years ago, I served in the military. I was a communications engineer in the army, radios were my domain. After I left, someone suggested I turn to digital forensics. I was a bit of a sceptic at first, but I just didn’t understand what could be done. In my time, I’ve worked in both the private and public sector; within the police and as an independent expert.

    Continue reading...", + "content": "Phone signals, soil samples, tattoo ink, fly larvae… We all know that microscopic traces can play a crucial role in solving crimes. But who are the forensic experts who can read the clues?

    Before I started out in forensics 20 years ago, I served in the military. I was a communications engineer in the army, radios were my domain. After I left, someone suggested I turn to digital forensics. I was a bit of a sceptic at first, but I just didn’t understand what could be done. In my time, I’ve worked in both the private and public sector; within the police and as an independent expert.

    Continue reading...", + "category": "Forensic science", + "link": "https://www.theguardian.com/science/2021/dec/12/body-of-evidence-meet-the-experts-working-in-crime-scene-forensics", + "creator": "Michael Segalov", + "pubDate": "2021-12-12T10:00:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b49a3059631fda98d57777096204aae9" + "hash": "cab63c9f828aa575100256a5753c805a" }, { - "title": "Lawyers Clash Over Whether Pursuit of Arbery Was Justified", - "description": "In closing arguments on Monday, prosecutors also raised a racial motive for why the three white men accused of murdering Ahmaud Arbery began chasing him.", - "content": "In closing arguments on Monday, prosecutors also raised a racial motive for why the three white men accused of murdering Ahmaud Arbery began chasing him.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/11/22/us/arbery-murder-trial-closing-arguments.html", - "creator": "Richard Fausset, Tariro Mzezewa and Rick Rojas", - "pubDate": "Tue, 23 Nov 2021 03:14:34 +0000", + "title": "Don’t Look Up review – an A-list apocalyptic mess", + "description": "

    Adam McKay’s star-studded climate change satire with Leonardo DiCaprio, Jennifer Lawrence et al lands its gags with all the aplomb of a giant comet

    A comet is on a collision course with Earth. The targets in this shrill, desperately unfunny climate change satire directed by Adam McKay are more scattershot. According to stoner PhD student Kate Dibiasky (Jennifer Lawrence) and her professor, Dr Randall Mindy (a self-consciously tic-y Leonardo DiCaprio), the asteroid is the size of Mount Everest and due to hit in six months.

    The pair try to warn Meryl Streep’s President Orlean about the impending “extinction-level event”, only to find her preoccupied by the midterm elections. They attempt to raise awareness on breakfast TV, but anchors Jack and Brie (Tyler Perry and Cate Blanchett) can’t help but give their bad news a positive spin. The only person with enough money to intervene is tech entrepreneur Peter Isherwell (Mark Rylance), who wants to mine the comet for its “$140tn worth of assets”. Party politics, celebrity gossip and social media memes are swiped at too. It feels cynical, then, when Timothée Chalamet shows up with no real narrative purpose other than to snog Lawrence.

    In cinemas now and on Netflix from 24 December

    Continue reading...", + "content": "

    Adam McKay’s star-studded climate change satire with Leonardo DiCaprio, Jennifer Lawrence et al lands its gags with all the aplomb of a giant comet

    A comet is on a collision course with Earth. The targets in this shrill, desperately unfunny climate change satire directed by Adam McKay are more scattershot. According to stoner PhD student Kate Dibiasky (Jennifer Lawrence) and her professor, Dr Randall Mindy (a self-consciously tic-y Leonardo DiCaprio), the asteroid is the size of Mount Everest and due to hit in six months.

    The pair try to warn Meryl Streep’s President Orlean about the impending “extinction-level event”, only to find her preoccupied by the midterm elections. They attempt to raise awareness on breakfast TV, but anchors Jack and Brie (Tyler Perry and Cate Blanchett) can’t help but give their bad news a positive spin. The only person with enough money to intervene is tech entrepreneur Peter Isherwell (Mark Rylance), who wants to mine the comet for its “$140tn worth of assets”. Party politics, celebrity gossip and social media memes are swiped at too. It feels cynical, then, when Timothée Chalamet shows up with no real narrative purpose other than to snog Lawrence.

    In cinemas now and on Netflix from 24 December

    Continue reading...", + "category": "Don't Look Up", + "link": "https://www.theguardian.com/film/2021/dec/12/dont-look-up-review-leonardo-dicaprio-jennifer-lawrence-meryl-streep-cate-blanchett-mark-rylance", + "creator": "Simran Hans", + "pubDate": "2021-12-12T11:00:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8960db9d0274d32e252626c443307ad9" + "hash": "034cbf8beb1d4a9c860d13dea0448e1f" }, { - "title": "U.S. Returns Over 900 Confiscated Artifacts to Mali", - "description": "A Homeland Security investigation had discovered funerary objects, Neolithic relics and more in a shipping container in 2009.", - "content": "A Homeland Security investigation had discovered funerary objects, Neolithic relics and more in a shipping container in 2009.", - "category": "Arts and Antiquities Looting", - "link": "https://www.nytimes.com/2021/11/22/arts/design/us-mali-looted-antiquities-returned.html", - "creator": "Zachary Small", - "pubDate": "Tue, 23 Nov 2021 02:40:08 +0000", + "title": "Met police searching for missing Petra Srncova find body in park", + "description": "

    Officers called to Brunswick Park in Camberwell, south London, on Sunday morning

    Police have found the body of a woman in Camberwell on Sunday, after days of appeals for information to trace missing NHS worker Petra Srncova who was last seen in the area on 28 November.

    At about 11.40am on Sunday police were called by a member of the public to reports that the body of a woman had been found in Brunswick Park in south-east London.

    Continue reading...", + "content": "

    Officers called to Brunswick Park in Camberwell, south London, on Sunday morning

    Police have found the body of a woman in Camberwell on Sunday, after days of appeals for information to trace missing NHS worker Petra Srncova who was last seen in the area on 28 November.

    At about 11.40am on Sunday police were called by a member of the public to reports that the body of a woman had been found in Brunswick Park in south-east London.

    Continue reading...", + "category": "London", + "link": "https://www.theguardian.com/uk-news/2021/dec/12/police-searching-for-missing-petra-srncova-find-body-in-park", + "creator": "Jedidajah Otte", + "pubDate": "2021-12-12T19:21:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a45e11614e004d4cfdaa9a2703f0be58" + "hash": "e8300fab54392c220634f648647bc0b9" }, { - "title": "Biden Will Keep Jerome Powell as Federal Reserve Chair", - "description": "The White House returned to a longstanding pattern in which presidents reappoint the same leader of the Federal Reserve regardless of partisan identity.", - "content": "The White House returned to a longstanding pattern in which presidents reappoint the same leader of the Federal Reserve regardless of partisan identity.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/11/22/business/economy/fed-chair-jerome-powell-biden.html", - "creator": "Jeanna Smialek and Jim Tankersley", - "pubDate": "Tue, 23 Nov 2021 01:58:10 +0000", + "title": "Catalonia row deepens over family’s push for Spanish in school", + "description": "

    Nationalists furious as court sides with family abused for seeking quarter of lessons in Spanish for their child

    The long-running and bitter row over language teaching in Catalonia has intensified after a family in the Spanish region was harassed and abused for seeking to ensure that a quarter of the lessons at the school their five-year-old son attends are taught in Spanish.

    The family’s actions have provoked an angry response from some Catalan nationalists who view their stance as an assault on the region’s language and culture.

    Continue reading...", + "content": "

    Nationalists furious as court sides with family abused for seeking quarter of lessons in Spanish for their child

    The long-running and bitter row over language teaching in Catalonia has intensified after a family in the Spanish region was harassed and abused for seeking to ensure that a quarter of the lessons at the school their five-year-old son attends are taught in Spanish.

    The family’s actions have provoked an angry response from some Catalan nationalists who view their stance as an assault on the region’s language and culture.

    Continue reading...", + "category": "Catalonia", + "link": "https://www.theguardian.com/world/2021/dec/12/catalonia-row-erupts-over-familys-push-for-spanish-in-school", + "creator": "Sam Jones in Madrid", + "pubDate": "2021-12-12T18:34:09Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5c5b55491e20b81791d900a185d915c" + "hash": "3a537d3af044efd96b530ec644fdd241" }, { - "title": "The Problem of Political Despair", - "description": "Hopelessness about our democracy could accelerate its decay.", - "content": "Hopelessness about our democracy could accelerate its decay.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/22/opinion/american-democracy.html", - "creator": "Michelle Goldberg", - "pubDate": "Tue, 23 Nov 2021 01:33:04 +0000", + "title": "New Caledonia rejects split from France in vote marred by boycott", + "description": "

    Turnout of just 40% after pro-independence campaigners urged indigenous people not to participate

    Residents of the Pacific territory of New Caledonia have voted overwhelmingly to remain part of France in a referendum boycotted by pro-independence groups.

    In the third referendum on the matter, the decision to stay within the French republic was carried by 96.49% to 3.51%, but a turnout of just over 40% suggested the indigenous Kanak people have not given up on dreams of independence.

    Continue reading...", + "content": "

    Turnout of just 40% after pro-independence campaigners urged indigenous people not to participate

    Residents of the Pacific territory of New Caledonia have voted overwhelmingly to remain part of France in a referendum boycotted by pro-independence groups.

    In the third referendum on the matter, the decision to stay within the French republic was carried by 96.49% to 3.51%, but a turnout of just over 40% suggested the indigenous Kanak people have not given up on dreams of independence.

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/2021/dec/12/new-caledonia-fears-of-unrest-as-polls-open-for-vote-on-independence-from-france", + "creator": "Julien Sartre in Nouméa", + "pubDate": "2021-12-12T14:05:47Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9ac35540e9d3b3170eb3dd79462dc7ba" + "hash": "59f7aacfcacddf4ebb1121b7f993dfdb" }, { - "title": "House Panel Subpoenas Roger Stone and Alex Jones in Capitol Riot Inquiry", - "description": "Investigators summoned five more allies of former President Donald J. Trump as they dug further into the planning and financing of rallies before the Jan. 6 attack.", - "content": "Investigators summoned five more allies of former President Donald J. Trump as they dug further into the planning and financing of rallies before the Jan. 6 attack.", - "category": "Stone, Roger J Jr", - "link": "https://www.nytimes.com/2021/11/22/us/politics/capitol-riot-subpoenas-roger-stone-alex-jones.html", - "creator": "Luke Broadwater", - "pubDate": "Tue, 23 Nov 2021 01:24:18 +0000", + "title": "Australia Covid news live update: Queensland reopens its border after nearly five months; WA to learn its roadmap out of lockdown", + "description": "

    Up to 50,000 expected at the Queensland-NSW border as authorities warn of long waits; WA premier Mark McGowan to announce reopening timetable. Follow all the day’s developments

    Time to chat about next year’s election, and the battle the treasurer is facing from an independent in his home seat.

    Michael Rowland:

    You are now facing, as we know, Monique Ryan in the seat of Kooyong. She’s a Royal Children’s hospital doctor. You’ve labelled people like she, an independent, as a front for Labor and the Greens. What evidence do you have for that?

    Well, at the last election, I had an independent who said they were gonna vote for Labor. That’s a pretty clear indication. We’ve also seen plenty of cases where they’ve just mirrored the policies of our political opponents.

    But what evidence do we have at this time?

    This is a rinse-and-repeat, Michael. What we’ve seen, we’ve seen obviously a lot of funding going into these independents around the rest of the country, and it’s a democracy, so people can put their hand up.

    Just on Omicron, you might have caught up with the news just in the last hour or so, Boris Johnson, the UK prime minister, made an address to the nation there. He’s declared a tidal wave of Omicron case is about to hit the UK.

    He’s declared it a public health emergency, and has declared that all British adults over the age of 16 can get a booster shot by the end of the year. Taking that into account, are we being a bit too sanguine about Omicron here in Australia?

    We saw the medical advice, and that saw a pause for two weeks of the reopening of the border to international students and to skilled workers.

    That was a precautionary measure. But we will continue to listen and follow the health advice, and it has served us well to date.

    Continue reading...", + "content": "

    Up to 50,000 expected at the Queensland-NSW border as authorities warn of long waits; WA premier Mark McGowan to announce reopening timetable. Follow all the day’s developments

    Time to chat about next year’s election, and the battle the treasurer is facing from an independent in his home seat.

    Michael Rowland:

    You are now facing, as we know, Monique Ryan in the seat of Kooyong. She’s a Royal Children’s hospital doctor. You’ve labelled people like she, an independent, as a front for Labor and the Greens. What evidence do you have for that?

    Well, at the last election, I had an independent who said they were gonna vote for Labor. That’s a pretty clear indication. We’ve also seen plenty of cases where they’ve just mirrored the policies of our political opponents.

    But what evidence do we have at this time?

    This is a rinse-and-repeat, Michael. What we’ve seen, we’ve seen obviously a lot of funding going into these independents around the rest of the country, and it’s a democracy, so people can put their hand up.

    Just on Omicron, you might have caught up with the news just in the last hour or so, Boris Johnson, the UK prime minister, made an address to the nation there. He’s declared a tidal wave of Omicron case is about to hit the UK.

    He’s declared it a public health emergency, and has declared that all British adults over the age of 16 can get a booster shot by the end of the year. Taking that into account, are we being a bit too sanguine about Omicron here in Australia?

    We saw the medical advice, and that saw a pause for two weeks of the reopening of the border to international students and to skilled workers.

    That was a precautionary measure. But we will continue to listen and follow the health advice, and it has served us well to date.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/13/australia-covid-news-corona-queensland-nsw-wa-victoria-borders-palaszczuk-mcgowan-morrison-frydenberg", + "creator": "Matilda Boseley", + "pubDate": "2021-12-12T21:14:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b058ac259f23e1b8f4e871d4777facb3" + "hash": "7a3444ffbf768b08d527830b071c8f41" }, { - "title": "Justice Department to Pay About $130 Million to Parkland Shooting Victims", - "description": "Family members of victims had sued over how the F.B.I. handled tips warning about the gunman before he killed 17 people at Marjory Stoneman Douglas High School.", - "content": "Family members of victims had sued over how the F.B.I. handled tips warning about the gunman before he killed 17 people at Marjory Stoneman Douglas High School.", - "category": "Parkland, Fla, Shooting (2018)", - "link": "https://www.nytimes.com/2021/11/22/us/parkland-shooting-victims-settlement.html", - "creator": "Patricia Mazzei and Katie Benner", - "pubDate": "Tue, 23 Nov 2021 01:06:34 +0000", + "title": "New Zealand aiming for 'smoke-free generation', says associate health minister – video", + "description": "

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said

    Continue reading...", + "content": "

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/video/2021/dec/09/new-zealand-to-introduce-a-smoke-free-generation-says-associate-health-minister-video", + "creator": "", + "pubDate": "2021-12-09T09:33:08Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "27907f1a111c27943fc5bca2a7bc4e31" + "hash": "dcc0ee317332c06a8363ae6da5386fd4" }, { - "title": "Man Accused of Killing 5 at Wisconsin Parade Had Lengthy Police Record", - "description": "Dozens of people were injured, including children, after an S.U.V. tore through the Christmas parade in Waukesha, Wis.", - "content": "Dozens of people were injured, including children, after an S.U.V. tore through the Christmas parade in Waukesha, Wis.", - "category": "Waukesha, Wis, Holiday Parade Attack (2021)", - "link": "https://www.nytimes.com/2021/11/22/us/wisconsin-waukesha-parade.html", - "creator": "Mitch Smith, Dan Simmons, Glenn Thrush and Serge F. Kovaleski", - "pubDate": "Tue, 23 Nov 2021 00:46:15 +0000", + "title": "Kentucky tornadoes: death toll from record twisters expected to exceed 100", + "description": "

    Dozens unaccounted for as crews search wreckage in ‘deadliest tornado event we’ve ever had,’ says Governor Andy Beshear

    The death toll from record tornadoes that roared across hundreds of miles this weekend is expected to exceed 100 in Kentucky alone, with dozens still unaccounted for as crews scramble to search wreckage.

    One tornado that tore through four states over four hours of nighttime devastation is believed to be the longest distance for a tornado in US history, leaving destruction, death and a frantic search by survivors to find family and shelter, from Arkansas to Kentucky.

    Continue reading...", + "content": "

    Dozens unaccounted for as crews search wreckage in ‘deadliest tornado event we’ve ever had,’ says Governor Andy Beshear

    The death toll from record tornadoes that roared across hundreds of miles this weekend is expected to exceed 100 in Kentucky alone, with dozens still unaccounted for as crews scramble to search wreckage.

    One tornado that tore through four states over four hours of nighttime devastation is believed to be the longest distance for a tornado in US history, leaving destruction, death and a frantic search by survivors to find family and shelter, from Arkansas to Kentucky.

    Continue reading...", + "category": "Kentucky", + "link": "https://www.theguardian.com/us-news/2021/dec/12/kentucky-tornadoes-death-toll", + "creator": "Richard Luscombe, Samira Sadeque and agencies", + "pubDate": "2021-12-12T20:02:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c6e3901ff5be5a50ea3c9431c827bc5" + "hash": "bb5be49131920af3832b68c48ad785ba" }, { - "title": "ATP Finals Create a Buzz in Turin, but Will Italy’s Players Follow?", - "description": "Turin is a smaller stage than the prestigious event had in London, but the enthusiasm was real, especially for the young Italian stars Jannik Sinner and Matteo Berrettini.", - "content": "Turin is a smaller stage than the prestigious event had in London, but the enthusiasm was real, especially for the young Italian stars Jannik Sinner and Matteo Berrettini.", - "category": "Tennis", - "link": "https://www.nytimes.com/2021/11/22/sports/tennis/atp-finals-turin-sinner-berrettini.html", - "creator": "Christopher Clarey", - "pubDate": "Tue, 23 Nov 2021 00:25:19 +0000", + "title": "Max Verstappen beats Lewis Hamilton to F1 world title on last lap in Abu Dhabi", + "description": "
    • Verstappen overtakes champion on final lap after safety car
    • Mercedes’ two protests over result not upheld by stewards

    After a season of intense, turbulent, and controversial yet gripping racing, Formula One almost unfeasibly found aspects of every element for its denouement in the desert. With Max Verstappen’s victory at the Abu Dhabi Grand Prix decided in taking the lead from Lewis Hamilton on the final lap of the final race, he believed he had sealed his first F1 world championship.

    His reaction and that of his Red Bull team was one of unbridled joy while Hamilton and Mercedes were left disconsolate and convinced the win that had been in their hands had been unfairly snatched from their grasp, leaving the greatest prize in motor racing potentially in the laps of the lawyers.

    Continue reading...", + "content": "
    • Verstappen overtakes champion on final lap after safety car
    • Mercedes’ two protests over result not upheld by stewards

    After a season of intense, turbulent, and controversial yet gripping racing, Formula One almost unfeasibly found aspects of every element for its denouement in the desert. With Max Verstappen’s victory at the Abu Dhabi Grand Prix decided in taking the lead from Lewis Hamilton on the final lap of the final race, he believed he had sealed his first F1 world championship.

    His reaction and that of his Red Bull team was one of unbridled joy while Hamilton and Mercedes were left disconsolate and convinced the win that had been in their hands had been unfairly snatched from their grasp, leaving the greatest prize in motor racing potentially in the laps of the lawyers.

    Continue reading...", + "category": "Formula One", + "link": "https://www.theguardian.com/sport/2021/dec/12/f1-max-verstappen-wins-abu-dhabi-gp-lewis-hamilton", + "creator": "Giles Richards at Yas Marina", + "pubDate": "2021-12-12T19:08:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "730014c040f468ec0621476723130359" + "hash": "b0c582cc5302ca0e772273cfd803de4e" }, { - "title": "Lael Brainard is Tapped For Vice Chair of the Federal Reserve", - "description": "The longtime Washington insider is now the central bank’s No. 2. That could give her more bandwidth to influence policy.", - "content": "The longtime Washington insider is now the central bank’s No. 2. That could give her more bandwidth to influence policy.", - "category": "Appointments and Executive Changes", - "link": "https://www.nytimes.com/2021/11/22/business/economy/lael-brainard-fed-vice-chair.html", - "creator": "Jeanna Smialek and Madeleine Ngo", - "pubDate": "Tue, 23 Nov 2021 00:21:00 +0000", + "title": "Kentucky tornadoes: up to 100 feared dead in historic US storms", + "description": "

    Amid more than 20 tornadoes that caused devastation across central and southern states, one may be the longest in US history

    Rescuers worked into the night searching for survivors after what could be the longest tornado in US history left a trail of destruction from Arkansas to Kentucky, part of a vast stormfront that is believed to have killed up to 100 people.

    Kentucky governor Andy Beshear said the path of devastation was about 227 miles (365km) long, which, if confirmed, would surpass the 218-mile Tri-State tornado in 1925, which killed at least 695 people and destroyed 15,000 homes across Missouri, Illinois and Indiana.

    Continue reading...", + "content": "

    Amid more than 20 tornadoes that caused devastation across central and southern states, one may be the longest in US history

    Rescuers worked into the night searching for survivors after what could be the longest tornado in US history left a trail of destruction from Arkansas to Kentucky, part of a vast stormfront that is believed to have killed up to 100 people.

    Kentucky governor Andy Beshear said the path of devastation was about 227 miles (365km) long, which, if confirmed, would surpass the 218-mile Tri-State tornado in 1925, which killed at least 695 people and destroyed 15,000 homes across Missouri, Illinois and Indiana.

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/2021/dec/12/kentucky-tornadoes-up-to-100-feared-dead-in-historic-us-storms", + "creator": "Edward Helmore and agencies", + "pubDate": "2021-12-12T05:57:10Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee296846f38020d1e1c68b8ad2dcbf50" + "hash": "b9dbf94abfb97e72f76b381d481261ed" }, { - "title": "Spending as if the Future Matters", - "description": "Public investment, including spending on children, is a worthy American tradition.", - "content": "Public investment, including spending on children, is a worthy American tradition.", - "category": "Infrastructure Investment and Jobs Act (2021)", - "link": "https://www.nytimes.com/2021/11/22/opinion/biden-infrastructure-spending.html", - "creator": "Paul Krugman", - "pubDate": "Tue, 23 Nov 2021 00:00:07 +0000", + "title": "Fears grow that Home Office has lost will to resettle Afghans under threat", + "description": "

    Thousands are still at the Taliban’s mercy in Afghanistan, and expert warns that ‘politically expedient’ initiative may now wither

    Priti Patel’s much-trumpeted scheme to allow Afghans to resettle in Britain has been starved of “appropriate resources”, according to officials, as a former senior diplomat voices fears that the UK government appears intent to let the initiative wither away before it has even started.

    The Afghan Citizens Resettlement Scheme (ACRS) was announced to great fanfare in August as the Taliban took Kabul, but four months on it has still not started. A senior Whitehall source with intimate knowledge of the scheme said it had been delayed because it had not received adequate support for it to launch.

    Continue reading...", + "content": "

    Thousands are still at the Taliban’s mercy in Afghanistan, and expert warns that ‘politically expedient’ initiative may now wither

    Priti Patel’s much-trumpeted scheme to allow Afghans to resettle in Britain has been starved of “appropriate resources”, according to officials, as a former senior diplomat voices fears that the UK government appears intent to let the initiative wither away before it has even started.

    The Afghan Citizens Resettlement Scheme (ACRS) was announced to great fanfare in August as the Taliban took Kabul, but four months on it has still not started. A senior Whitehall source with intimate knowledge of the scheme said it had been delayed because it had not received adequate support for it to launch.

    Continue reading...", + "category": "Taliban", + "link": "https://www.theguardian.com/world/2021/dec/12/fears-grow-that-home-office-has-lost-will-to-resettle-afghans-under-threat", + "creator": "Mark Townsend", + "pubDate": "2021-12-12T10:15:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b20aed6b75135d2218357319dcde1e0" + "hash": "b050390b530d1fd471a6f93f7e3aeb04" }, { - "title": "‘Touchy Feely,’ ‘Maggie’ and Other Streaming Gems", - "description": "A look at off-the-radar recommendations for home viewing, including indie comedy-dramas, genre hybrids and informative documentaries about influential outsiders.", - "content": "A look at off-the-radar recommendations for home viewing, including indie comedy-dramas, genre hybrids and informative documentaries about influential outsiders.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/22/movies/offbeat-streaming-movies.html", - "creator": "Jason Bailey", - "pubDate": "Mon, 22 Nov 2021 23:01:35 +0000", + "title": "Covid live news: Keir Starmer says Boris Johnson appears to have broken law over No 10 Christmas quiz", + "description": "

    Latest updates: UK prime minister seen at event that appears to be in breach of lockdown rules last year; minister defends PM insisting quiz was ‘virtual’

    Dr Susan Hopkins, chief medical adviser for the UK Health Security Agency, has warned that “very difficult” decisions lie ahead for the government and that more Covid measures may be needed.

    She told the BBC’s The Andrew Marr Show:

    I think that the restrictions that the government have announced are sensible. I think that we may need to go beyond them. But we’ll need to watch carefully what happens with hospitalisations.

    The challenge we have and the challenge government has is trying to balance the risks and benefits to the society, to people, to the population, to the economy, and to health, and they have very difficult decisions ahead of them.

    Continue reading...", + "content": "

    Latest updates: UK prime minister seen at event that appears to be in breach of lockdown rules last year; minister defends PM insisting quiz was ‘virtual’

    Dr Susan Hopkins, chief medical adviser for the UK Health Security Agency, has warned that “very difficult” decisions lie ahead for the government and that more Covid measures may be needed.

    She told the BBC’s The Andrew Marr Show:

    I think that the restrictions that the government have announced are sensible. I think that we may need to go beyond them. But we’ll need to watch carefully what happens with hospitalisations.

    The challenge we have and the challenge government has is trying to balance the risks and benefits to the society, to people, to the population, to the economy, and to health, and they have very difficult decisions ahead of them.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/12/boris-johnson-covid-coronavirus-live-news-christmas-uk-lockdown", + "creator": "Miranda Bryant", + "pubDate": "2021-12-12T11:29:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "721ddcf33df645421a99c4934dade600" + "hash": "342502440ba19b5f8be416c240378d54" }, { - "title": "Thanksgiving Holiday Travel Will Test Airlines", - "description": "Thanksgiving will be the biggest test of the system’s resilience since the pandemic began, with millions more passengers than last year.", - "content": "Thanksgiving will be the biggest test of the system’s resilience since the pandemic began, with millions more passengers than last year.", - "category": "Airlines and Airplanes", - "link": "https://www.nytimes.com/2021/11/22/business/thanksgiving-holiday-travel-airlines.html", - "creator": "Sydney Ember and Niraj Chokshi", - "pubDate": "Mon, 22 Nov 2021 22:51:31 +0000", + "title": "Legal challenge seeks to end UK’s jailing of asylum seekers who steer boats", + "description": "

    Appeal Court to hear cases of individuals imprisoned on smuggling charges

    The UK government is facing a major legal challenge against its policy of prosecuting asylum seekers who steer boats across the Channel under smuggling laws.

    Since the start of 2020, Immigration Enforcement has brought 67 successful prosecutions related to piloting small boats. But after court challenges earlier in the year, the Crown Prosecution Service issued new guidance advising that passengers – even those who take a turn steering – are potentially vulnerable asylum seekers who should not be prosecuted.

    Continue reading...", + "content": "

    Appeal Court to hear cases of individuals imprisoned on smuggling charges

    The UK government is facing a major legal challenge against its policy of prosecuting asylum seekers who steer boats across the Channel under smuggling laws.

    Since the start of 2020, Immigration Enforcement has brought 67 successful prosecutions related to piloting small boats. But after court challenges earlier in the year, the Crown Prosecution Service issued new guidance advising that passengers – even those who take a turn steering – are potentially vulnerable asylum seekers who should not be prosecuted.

    Continue reading...", + "category": "Home Office", + "link": "https://www.theguardian.com/politics/2021/dec/12/legal-challenge-seeks-to-end-uks-jailing-of-asylum-seekers-who-steer-boats", + "creator": "Harriet Grant", + "pubDate": "2021-12-12T08:30:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a28a5805802016a2dc132045b01bf85b" + "hash": "c77c30f04253126329dfdd3648e4290b" }, { - "title": "Kenosha, the Rittenhouse Verdict, and the Riots of 2020", - "description": "What I saw in Portland and Kenosha has convinced me: We must stop tearing ourselves apart so that we can build.", - "content": "What I saw in Portland and Kenosha has convinced me: We must stop tearing ourselves apart so that we can build.", - "category": "George Floyd Protests (2020)", - "link": "https://www.nytimes.com/2021/11/22/opinion/politics/kenosha-rittenhouse-2020-protests.html", - "creator": "Nancy Rommelmann", - "pubDate": "Mon, 22 Nov 2021 22:51:13 +0000", + "title": "China’s response to Aukus deal was ‘irrational’, Peter Dutton says", + "description": "

    Defence minister accuses Beijing of ‘bullying’ over criticisms of Australia’s pact with the US and UK

    China has responded “irrationally” to the Aukus pact between Australia, the United States and Britain, the defence minister Peter Dutton says.

    The conservative Australian minister continues to mount forthright criticism of the Chinese government, accusing it of “bullying” countries that stand up to Beijing.

    Continue reading...", + "content": "

    Defence minister accuses Beijing of ‘bullying’ over criticisms of Australia’s pact with the US and UK

    China has responded “irrationally” to the Aukus pact between Australia, the United States and Britain, the defence minister Peter Dutton says.

    The conservative Australian minister continues to mount forthright criticism of the Chinese government, accusing it of “bullying” countries that stand up to Beijing.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/12/chinas-response-to-aukus-deal-was-irrational-peter-dutton-says", + "creator": "Daniel Hurst", + "pubDate": "2021-12-12T05:40:47Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0bf0024b0b6a8c0f15e00dddddbd1d1e" + "hash": "133cd09bdd49094f638d6b6b5a94d4ec" }, { - "title": "How Fake News on Facebook Helped Fuel a Border Crisis in Europe", - "description": "Social media worsened a migrant crisis on the border of Belarus and Poland and helped smugglers profit off desperate people trying to reach Europe.", - "content": "Social media worsened a migrant crisis on the border of Belarus and Poland and helped smugglers profit off desperate people trying to reach Europe.", - "category": "Middle East and Africa Migrant Crisis", - "link": "https://www.nytimes.com/2021/11/22/world/europe/belarus-migrants-facebook-fake-news.html", - "creator": "Andrew Higgins, Adam Satariano and Jane Arraf", - "pubDate": "Mon, 22 Nov 2021 22:30:53 +0000", + "title": "Saudi film festival is a ‘whitewash’ by authorities, say critics", + "description": "

    Gulf regime accused of using glamour of show business to to distract attention from rights abuses within the country and beyond

    Saudi Arabia has opened its first international film festival amid accusations that the government is using culture to whitewash its poor human rights record, just days after similar controversy shadowed its first time hosting a Formula One race.

    The Red Sea festival attracted international stars including Hilary Swank, Clive Owen and Vincent Cassel. Saudi Arabia presented it as a moment of change for a country that only lifted a ban on cinemas four years ago, a position embraced by some of those walking the red carpet.

    Continue reading...", + "content": "

    Gulf regime accused of using glamour of show business to to distract attention from rights abuses within the country and beyond

    Saudi Arabia has opened its first international film festival amid accusations that the government is using culture to whitewash its poor human rights record, just days after similar controversy shadowed its first time hosting a Formula One race.

    The Red Sea festival attracted international stars including Hilary Swank, Clive Owen and Vincent Cassel. Saudi Arabia presented it as a moment of change for a country that only lifted a ban on cinemas four years ago, a position embraced by some of those walking the red carpet.

    Continue reading...", + "category": "Saudi Arabia", + "link": "https://www.theguardian.com/world/2021/dec/11/critics-condemn-saudi-film-festival-as-a-whitewash", + "creator": "Emma Graham-Harrison", + "pubDate": "2021-12-11T20:15:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "73a36721de3ca00d3be25976968af9c5" + "hash": "284a5a89e3f4cc9d45e57bf276751a2f" }, { - "title": "Groveland Four Are Exonerated More Than 70 Years Later", - "description": "The men, known as the Groveland Four, were cleared on Monday after a Florida prosecutor said “a complete breakdown of the criminal justice system” led to the charges in 1949.", - "content": "The men, known as the Groveland Four, were cleared on Monday after a Florida prosecutor said “a complete breakdown of the criminal justice system” led to the charges in 1949.", - "category": "Amnesties, Commutations and Pardons", - "link": "https://www.nytimes.com/2021/11/22/us/groveland-four-exonerated-florida.html", - "creator": "Amanda Holpuch", - "pubDate": "Mon, 22 Nov 2021 22:30:02 +0000", + "title": "Australian government stares down calls to press UK and US for Julian Assange’s release", + "description": "

    Australia says it is ‘not a party’ to case and will ‘respect the UK legal process’ after court clears way for WikiLeaks co-founder’s extradition to US

    The Australian government is staring down calls to intervene to secure Julian Assange’s freedom, after a British court cleared the way for the WikiLeaks co-founder to be extradited to the US to face espionage charges.

    The government said it was monitoring the Australian citizen’s case closely, but would “continue to respect the UK legal process – including any further appeals under UK law” – and emphasised Australia was “not a party to the case”.

    Continue reading...", + "content": "

    Australia says it is ‘not a party’ to case and will ‘respect the UK legal process’ after court clears way for WikiLeaks co-founder’s extradition to US

    The Australian government is staring down calls to intervene to secure Julian Assange’s freedom, after a British court cleared the way for the WikiLeaks co-founder to be extradited to the US to face espionage charges.

    The government said it was monitoring the Australian citizen’s case closely, but would “continue to respect the UK legal process – including any further appeals under UK law” – and emphasised Australia was “not a party to the case”.

    Continue reading...", + "category": "Julian Assange", + "link": "https://www.theguardian.com/media/2021/dec/12/australian-government-stares-down-calls-to-press-uk-and-us-for-julian-assanges-release", + "creator": "Daniel Hurst", + "pubDate": "2021-12-12T02:10:31Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23d10693695ae9d6b4a2fbf347f2ce07" + "hash": "383c45386babfa33b02071290b6943e9" }, { - "title": "Biden Bets Big on Continuity at the Fed", - "description": "Jerome Powell and Lael Brainard are known quantities in a turbulent time.", - "content": "Jerome Powell and Lael Brainard are known quantities in a turbulent time.", - "category": "United States Economy", - "link": "https://www.nytimes.com/2021/11/22/upshot/powell-brainard-fed-biden.html", - "creator": "Neil Irwin", - "pubDate": "Mon, 22 Nov 2021 22:26:49 +0000", + "title": "Spanish bishop who married author of satanic erotica is stripped of powers", + "description": "

    Xavier Novell Goma was a noted conservative and Spain’s youngest bishop before stepping down to marry Silvia Caballol

    Spain’s youngest bishop has been stripped of his church powers, the country’s episcopal conference said on Saturday, after he married a psychologist-turned-author of satanic erotica.

    “As is publicly known, Bishop Xavier Novell Goma, bishop emeritus of Solsona, has contracted a civil marriage with Ms Silvia Caballol, on 22 November, 2021 in the town of Suria, in the province of Barcelona,” the conference wrote in the statement.

    Continue reading...", + "content": "

    Xavier Novell Goma was a noted conservative and Spain’s youngest bishop before stepping down to marry Silvia Caballol

    Spain’s youngest bishop has been stripped of his church powers, the country’s episcopal conference said on Saturday, after he married a psychologist-turned-author of satanic erotica.

    “As is publicly known, Bishop Xavier Novell Goma, bishop emeritus of Solsona, has contracted a civil marriage with Ms Silvia Caballol, on 22 November, 2021 in the town of Suria, in the province of Barcelona,” the conference wrote in the statement.

    Continue reading...", + "category": "Spain", + "link": "https://www.theguardian.com/world/2021/dec/12/spanish-bishop-who-married-author-of-satanic-erotica-is-stripped-of-powers", + "creator": "Staff and agencies", + "pubDate": "2021-12-12T02:04:44Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f940188be956a7e81cfb80f948c7d595" + "hash": "1d99d14ec467a4e82e64834f9a1e22d7" }, { - "title": "I Live in Arkansas. Why is My State Telling Me Not to Boycott Israel?", - "description": "I publish The Arkansas Times. We refused to sign an anti-B.D.S. law because it violates our First Amendment rights.", - "content": "I publish The Arkansas Times. We refused to sign an anti-B.D.S. law because it violates our First Amendment rights.", - "category": "Israel", - "link": "https://www.nytimes.com/2021/11/22/opinion/israel-arkansas-bds-pledge.html", - "creator": "Alan Leveritt", - "pubDate": "Mon, 22 Nov 2021 22:23:05 +0000", + "title": "‘They were a bit abrasive’: how kids’ TV Clangers secretly swore", + "description": "

    The son of Oliver Postgate, creator of the 1970s show, reveals what was in the scripts for the delightful and puzzling swannee-whistle creatures

    When Oliver Postgate, the late maestro of children’s television programmes, first invited young viewers to travel with him “in our imaginations across the vast starry stretches of outer space”, he was introducing many of them to a lifeform they would never forget: the Clanger.

    These little pink, knitted, nozzle-nosed aliens, Postgate suggested, were really rather like us, living out their lives on the “small planet wrapped in clouds” they called home. Now it has emerged they were much more like us than we thought.

    Continue reading...", + "content": "

    The son of Oliver Postgate, creator of the 1970s show, reveals what was in the scripts for the delightful and puzzling swannee-whistle creatures

    When Oliver Postgate, the late maestro of children’s television programmes, first invited young viewers to travel with him “in our imaginations across the vast starry stretches of outer space”, he was introducing many of them to a lifeform they would never forget: the Clanger.

    These little pink, knitted, nozzle-nosed aliens, Postgate suggested, were really rather like us, living out their lives on the “small planet wrapped in clouds” they called home. Now it has emerged they were much more like us than we thought.

    Continue reading...", + "category": "Animation on TV", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/12/how-kids-tv-clangers-secretly-swore-oliver-postgate-scripts", + "creator": "Vanessa Thorpe", + "pubDate": "2021-12-12T07:00:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f08ee456f8cf60894254b25711b33970" + "hash": "e84ac3292f359dafbdf56e28f515b929" }, { - "title": "Assembly Finds ‘Overwhelming Evidence’ Cuomo Engaged in Sexual Harassment", - "description": "The findings, released after an eight-month inquiry into former Gov. Andrew Cuomo, reinforced a damning investigation by the New York attorney general.", - "content": "The findings, released after an eight-month inquiry into former Gov. Andrew Cuomo, reinforced a damning investigation by the New York attorney general.", - "category": "Cuomo, Andrew M", - "link": "https://www.nytimes.com/2021/11/22/nyregion/cuomo-ny-assembly-investigation.html", - "creator": "Grace Ashford and Luis Ferré-Sadurní", - "pubDate": "Mon, 22 Nov 2021 22:22:10 +0000", + "title": "‘My son’s birthday party is off’ – the sacrifices UK parents are making to save Christmas", + "description": "

    Families tell of their ‘heartbreak’ as parties and other social plans are cancelled in the wake of Omicron

    ’Tis the season to be jolly, and last week Marieke Navin and her boyfriend were planning to attend three Christmas parties between them. But now, following the rise of the Omicron variant, they are not going to any.

    “I was looking forward to those parties,” said Navin. “But my priority is protecting Christmas. I don’t want my children to be isolating in their room on Christmas Day, or be unable to visit their dad or my parents. I don’t want my partner’s kids to be unable to come to us on Boxing Day. I don’t want to jeopardise the movement of the children, and I don’t want anyone being poorly over Christmas.”

    Continue reading...", + "content": "

    Families tell of their ‘heartbreak’ as parties and other social plans are cancelled in the wake of Omicron

    ’Tis the season to be jolly, and last week Marieke Navin and her boyfriend were planning to attend three Christmas parties between them. But now, following the rise of the Omicron variant, they are not going to any.

    “I was looking forward to those parties,” said Navin. “But my priority is protecting Christmas. I don’t want my children to be isolating in their room on Christmas Day, or be unable to visit their dad or my parents. I don’t want my partner’s kids to be unable to come to us on Boxing Day. I don’t want to jeopardise the movement of the children, and I don’t want anyone being poorly over Christmas.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/my-sons-birthday-party-is-off-the-sacrifices-uk-parents-are-making-to-save-christmas", + "creator": "Donna Ferguson", + "pubDate": "2021-12-12T10:00:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "424957de7b9ca9223004e18b3ba97623" + "hash": "3dd014c617069d5af036ee8d2bd9b367" }, { - "title": "Business Updates: Spacey Ordered to Pay $31 Million to ‘House of Cards’ Studio", - "description": "The founder of Theranos unexpectedly took the stand in her own defense on Friday, the latest twist in a trial that has captivated Silicon Valley.", - "content": "The founder of Theranos unexpectedly took the stand in her own defense on Friday, the latest twist in a trial that has captivated Silicon Valley.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/22/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 22:14:29 +0000", + "title": "Omicron is sneaky. It could be fatal for us – or for our faith in government | Francois Balloux", + "description": "The week ahead will be pivotal as we track the spread of the new variant and discover its potential legacy

    The emergence and rapid spread of the Omicron Sars-CoV-2 variant feels like a flashback to last year’s grim festive season when much of the world went into lockdown to avert the worst of the Alpha variant wave. But though the sense of eerie, impending doom feels familiar, the epidemiological and political situations are different from one year ago.

    The Omicron wave represents a key turning point in the pandemic. But no plausible outcome looks particularly auspicious – it feels largely like a lose-lose deal. If if turns out to be roughly as severe as previous pandemic waves, it might normalise harsh mitigation measures and render the prospect of a return to post-pandemic normality fairly remote. If it turned out to be milder than feared, this could spell the end of lockdowns with Covid-19 on its way into endemicity. The cost would be a loss of trust in political and public health authorities, which may make it difficult to deal with future threats.

    Continue reading...", + "content": "The week ahead will be pivotal as we track the spread of the new variant and discover its potential legacy

    The emergence and rapid spread of the Omicron Sars-CoV-2 variant feels like a flashback to last year’s grim festive season when much of the world went into lockdown to avert the worst of the Alpha variant wave. But though the sense of eerie, impending doom feels familiar, the epidemiological and political situations are different from one year ago.

    The Omicron wave represents a key turning point in the pandemic. But no plausible outcome looks particularly auspicious – it feels largely like a lose-lose deal. If if turns out to be roughly as severe as previous pandemic waves, it might normalise harsh mitigation measures and render the prospect of a return to post-pandemic normality fairly remote. If it turned out to be milder than feared, this could spell the end of lockdowns with Covid-19 on its way into endemicity. The cost would be a loss of trust in political and public health authorities, which may make it difficult to deal with future threats.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/commentisfree/2021/dec/12/omicron-is-sneaky-it-could-be-fatal-for-us-or-for-our-faith-in-government", + "creator": "Francois Balloux", + "pubDate": "2021-12-12T09:30:34Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04d43c19fc2f0bfe1835c365ceb8fbb8" + "hash": "ce73b264346e485298c36ab57ff562f0" }, { - "title": "For Those Who Feel Rejected by Family, Friendsgiving Can Be a Lifeline", - "description": "For many L.G.B.T.Q. Americans, especially those with immigrant roots, traditional notions of Thanksgiving and family may not apply. The holiday offers another way to celebrate.", - "content": "For many L.G.B.T.Q. Americans, especially those with immigrant roots, traditional notions of Thanksgiving and family may not apply. The holiday offers another way to celebrate.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/22/dining/friendsgiving.html", - "creator": "Eric Kim", - "pubDate": "Mon, 22 Nov 2021 22:11:34 +0000", + "title": "UK clinics defy guidance and give under-40s their Covid booster jabs now", + "description": "

    Web forums share locations of centres offering younger people coronavirus vaccines

    Young people not currently eligible for the Covid-19 booster jab have been receiving vaccinations from walk-in centres, clinics and pharmacies across the country that have chosen to ignore official government guidance.

    On online forums, under-40s have been suggesting to each other the places offering boosters to all over-18s. On Reddit, nearly 25,000 people are a member of the UK community GetJabbed, where they are sharing locations of clinics in cities including London, Manchester and Liverpool offering boosters to younger people.

    Continue reading...", + "content": "

    Web forums share locations of centres offering younger people coronavirus vaccines

    Young people not currently eligible for the Covid-19 booster jab have been receiving vaccinations from walk-in centres, clinics and pharmacies across the country that have chosen to ignore official government guidance.

    On online forums, under-40s have been suggesting to each other the places offering boosters to all over-18s. On Reddit, nearly 25,000 people are a member of the UK community GetJabbed, where they are sharing locations of clinics in cities including London, Manchester and Liverpool offering boosters to younger people.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/11/uk-clinics-defy-guidance-give-under-40s-covid-booster-vaccinations-now", + "creator": "Robyn Vinter", + "pubDate": "2021-12-11T21:04:10Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc1e346da61ff4ad1a91337b8388b4fa" + "hash": "ecf912840039399f76486025a0b02c82" }, { - "title": "Man Intentionally Drove Into Wisconsin Holiday Parade, Police Say", - "description": "More than 40 others were hurt on Sunday in Waukesha, Wis. A 39-year-old Milwaukee man was being questioned, an official confirmed. Here’s the latest.", - "content": "More than 40 others were hurt on Sunday in Waukesha, Wis. A 39-year-old Milwaukee man was being questioned, an official confirmed. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/22/us/waukesha-parade-crash", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", + "title": "Scientists fear falling trust in Boris Johnson could harm bid to curb Omicron surge", + "description": "

    Researchers say new rules may be needed to cut deaths, but there are concerns that ‘fed-up’ people will ignore government

    Ministers announced a huge expansion of the booster vaccine campaign on Saturday night, amid warnings that further restrictions will be needed imminently to prevent tens of thousands of deaths.

    With new Covid measures being discussed in Whitehall and claims of people being turned away from booster walk-in centres, third jabs will be opened up to those in their 30s from Monday in England. Those who had their second jab three months ago or more will be eligible.

    Continue reading...", + "content": "

    Researchers say new rules may be needed to cut deaths, but there are concerns that ‘fed-up’ people will ignore government

    Ministers announced a huge expansion of the booster vaccine campaign on Saturday night, amid warnings that further restrictions will be needed imminently to prevent tens of thousands of deaths.

    With new Covid measures being discussed in Whitehall and claims of people being turned away from booster walk-in centres, third jabs will be opened up to those in their 30s from Monday in England. Those who had their second jab three months ago or more will be eligible.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/12/scientists-fear-falling-trust-in-boris-johnson-could-harm-bid-to-curb-omicron-surge", + "creator": "Michael Savage, Robin McKie, Robyn Vinter", + "pubDate": "2021-12-12T00:01:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c4831fcfff0703c74fc606d5cacc0e6" + "hash": "48e47aff979cff623425aa6aee6bc206" }, { - "title": "Biden Will Keep Powell as Fed Chair, Resisting Pressure for Shake-Up", - "description": "President Biden’s decision to renominate Jerome Powell was a return to a longstanding tradition. Here are the latest updates and reactions to the choice.", - "content": "President Biden’s decision to renominate Jerome Powell was a return to a longstanding tradition. Here are the latest updates and reactions to the choice.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/22/business/federal-reserve-powell-brainard", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", + "title": "‘He’s clueless’: faith in Boris Johnson wavers in Tory stronghold Margate", + "description": "

    Doubts about the prime minister’s ability are even being voiced among Conservative voters in pro-Brexit Thanet

    The citizens of Margate, wrote TS Eliot, were “humble people who expect nothing”. That seems to include their expectations of prime minister Boris Johnson.

    After weeks of revelations about lockdown Christmas parties, accusations of lying about his Downing Street flat refurbishment, and claims that he ordered dogs and cats to be given priority in the Afghanistan evacuation, Johnson’s popularity has slumped in the polls.

    Continue reading...", + "content": "

    Doubts about the prime minister’s ability are even being voiced among Conservative voters in pro-Brexit Thanet

    The citizens of Margate, wrote TS Eliot, were “humble people who expect nothing”. That seems to include their expectations of prime minister Boris Johnson.

    After weeks of revelations about lockdown Christmas parties, accusations of lying about his Downing Street flat refurbishment, and claims that he ordered dogs and cats to be given priority in the Afghanistan evacuation, Johnson’s popularity has slumped in the polls.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/dec/12/hes-clueless-faith-in-boris-johnson-wavers-in-tory-stronghold-margate", + "creator": "James Tapper", + "pubDate": "2021-12-12T07:45:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6bbfaf2dbef3c37f7db67c70b87321df" + "hash": "149ef66a8405e14598fb3555bd7d7ec5" }, { - "title": "Defense Lawyers Make Closing Arguments in Arbery Killing Trial", - "description": "Three white Georgia men stand accused of murdering Ahmaud Arbery, a 25-year-old Black man, in February 2020. Watch live and follow updates on the trial.", - "content": "Three white Georgia men stand accused of murdering Ahmaud Arbery, a 25-year-old Black man, in February 2020. Watch live and follow updates on the trial.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/22/us/ahmaud-arbery-murder-trial", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", + "title": "Those we lost in 2021: Sean Lock remembered by Bill Bailey", + "description": "

    22 April 1963 – 16 August 2021
    The comedian recalls more than 30 years of friendship with a warm and generous writer and performer whose standup sets left audiences helpless with laughter

    I met Sean at a gig where we were both performing in the late 80s and we immediately hit it off. We shared a similar sense of humour, and also a sense of outsider status which gave us an added spur to succeed but with a determination to have fun while doing it. The fact that we were able to make people laugh, and make a living from it, felt like we were on a wild adventure that we didn’t want to end.

    Sean’s early gigs in clubs where he was learning the craft were often rowdy affairs where he honed his skill at dealing with the odd drunk heckler, which developed over the years into an effortless ability to riff on whatever subject came up.

    Continue reading...", + "content": "

    22 April 1963 – 16 August 2021
    The comedian recalls more than 30 years of friendship with a warm and generous writer and performer whose standup sets left audiences helpless with laughter

    I met Sean at a gig where we were both performing in the late 80s and we immediately hit it off. We shared a similar sense of humour, and also a sense of outsider status which gave us an added spur to succeed but with a determination to have fun while doing it. The fact that we were able to make people laugh, and make a living from it, felt like we were on a wild adventure that we didn’t want to end.

    Sean’s early gigs in clubs where he was learning the craft were often rowdy affairs where he honed his skill at dealing with the odd drunk heckler, which developed over the years into an effortless ability to riff on whatever subject came up.

    Continue reading...", + "category": "Sean Lock", + "link": "https://www.theguardian.com/stage/2021/dec/12/obituaries-2021-sean-lock-remembered-by-bill-bailey", + "creator": "Guardian Staff", + "pubDate": "2021-12-12T10:00:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d72ccf50f1038b170af449b28653d9b6" + "hash": "991cc032509daed00aed51bb2ac5c63d" }, { - "title": "90 Percent of U.S. Federal Employees Will Meet Vaccination Deadline", - "description": "The mandate, announced in September, was part of an aggressive effort to combat the spread of the Delta variant. Here’s the latest on Covid-19.", - "content": "The mandate, announced in September, was part of an aggressive effort to combat the spread of the Delta variant. Here’s the latest on Covid-19.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/22/world/covid-vaccine-boosters-mandates", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", + "title": "‘You’ve got to try and worry about something bigger than yourself’: Riz Ahmed on rap, racism and standing up to Hollywood", + "description": "

    Riz Ahmed has never been afraid of a challenge – he famously learned drumming and sign language for his role in Sound of Metal. But his most fearless performance? Taking on Hollywood…

    This summer, Riz Ahmed took aim at Hollywood and the wider film industry. In a speech that was somehow both measured and searingly furious, the British actor called out the “toxic portrayals” of Muslim characters in TV and movies. Using research that he was directly involved in commissioning, Ahmed showed how Muslims, who make up almost a quarter of the world’s population, are either “invisible or villains” in our screen entertainment. He said that this omission resulted not just in “lost audiences” but “lost lives” because of the “dehumanising and demonising” ways that Muslims were often depicted. In fact, Ahmed noted, some of the most prestigious and awards-laden releases of recent years were “frankly racist”: specifically The Hurt Locker and Argo, both of which won best picture at the Oscars, and Marvel’s Black Panther, which earned more than $1bn at the box office.

    The speech in June, which launched an initiative called the Blueprint for Muslim Inclusion, was many things: timely, vital and, for some, eye-opening. But mainly, on Ahmed’s part, it felt brave, even risky. Actors typically don’t take potshots at their paymasters, the studios. They almost never single out specific, very successful films for criticism.

    Continue reading...", + "content": "

    Riz Ahmed has never been afraid of a challenge – he famously learned drumming and sign language for his role in Sound of Metal. But his most fearless performance? Taking on Hollywood…

    This summer, Riz Ahmed took aim at Hollywood and the wider film industry. In a speech that was somehow both measured and searingly furious, the British actor called out the “toxic portrayals” of Muslim characters in TV and movies. Using research that he was directly involved in commissioning, Ahmed showed how Muslims, who make up almost a quarter of the world’s population, are either “invisible or villains” in our screen entertainment. He said that this omission resulted not just in “lost audiences” but “lost lives” because of the “dehumanising and demonising” ways that Muslims were often depicted. In fact, Ahmed noted, some of the most prestigious and awards-laden releases of recent years were “frankly racist”: specifically The Hurt Locker and Argo, both of which won best picture at the Oscars, and Marvel’s Black Panther, which earned more than $1bn at the box office.

    The speech in June, which launched an initiative called the Blueprint for Muslim Inclusion, was many things: timely, vital and, for some, eye-opening. But mainly, on Ahmed’s part, it felt brave, even risky. Actors typically don’t take potshots at their paymasters, the studios. They almost never single out specific, very successful films for criticism.

    Continue reading...", + "category": "Riz Ahmed", + "link": "https://www.theguardian.com/culture/2021/dec/12/youve-got-to-try-and-worry-about-something-bigger-than-yourself-riz-ahmed-on-rap-racism-and-standing-up-to-hollywood", + "creator": "Tim Lewis", + "pubDate": "2021-12-12T08:00:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89c2d1d5aaa76651a11a7619a2a4457a" + "hash": "3db281f63b7d237932feaa229a16a440" }, { - "title": "Elizabeth Holmes Concludes Day 2 of Her Testimony in the Theranos Trial", - "description": "Ms. Holmes suggested that she could not have intended to deceive investors because she believed the technology worked. Follow the trial here.", - "content": "Ms. Holmes suggested that she could not have intended to deceive investors because she believed the technology worked. Follow the trial here.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/22/technology/elizabeth-holmes-theranos-trial", - "creator": "The New York Times", - "pubDate": "Mon, 22 Nov 2021 22:11:20 +0000", + "title": "Ten tech predictions for 2022: what’s next for Twitter, Uber and NFTs", + "description": "

    The year ahead for the social media giants, podcasts and games – and will there be yet another hyped return for virtual reality?

    Twitter has an unfortunate reputation as the punchbag of social media. It has failed to deliver the huge returns of bigger rivals such as Facebook and Facebook-owned Instagram, it hasn’t been the cool new network for more than a decade and even its own most dedicated users love to drag it to oblivion.

    Continue reading...", + "content": "

    The year ahead for the social media giants, podcasts and games – and will there be yet another hyped return for virtual reality?

    Twitter has an unfortunate reputation as the punchbag of social media. It has failed to deliver the huge returns of bigger rivals such as Facebook and Facebook-owned Instagram, it hasn’t been the cool new network for more than a decade and even its own most dedicated users love to drag it to oblivion.

    Continue reading...", + "category": "Technology", + "link": "https://www.theguardian.com/technology/2021/dec/12/10-tech-predictions-for-2022-twitter-uber-nfts-virtual-reality", + "creator": "James Ball", + "pubDate": "2021-12-12T09:00:34Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5df9dda71ce18bdd1cc8ad23353e751b" + "hash": "5c31fa7da7f6edde5440caccfc788041" }, { - "title": "Cuomo's Office Undermined Health Department, Top Doctor Testifies", - "description": "The N.Y. Health Department became a “toxic work environment” early in the pandemic, a high-ranking doctor told officials investigating ex-Gov. Andrew Cuomo.", - "content": "The N.Y. Health Department became a “toxic work environment” early in the pandemic, a high-ranking doctor told officials investigating ex-Gov. Andrew Cuomo.", - "category": "Cuomo, Andrew M", - "link": "https://www.nytimes.com/2021/11/22/nyregion/cuomo-covid-health-department.html", - "creator": "Joseph Goldstein and Sharon Otterman", - "pubDate": "Mon, 22 Nov 2021 22:08:36 +0000", + "title": "Confusion over booster eligibility in England as people in 30s book Covid jabs", + "description": "

    Apparent glitch allows younger people to book vaccinations before they were expected to qualify

    There was confusion on Saturday about which age groups in England are now eligible to book a booster jab with the NHS, after an apparent glitch allowed younger people to book before they were expected to qualify.

    People aged 30 and over in England were expected to be able to book a Covid-19 booster from Monday as long as it has been three months since their second vaccine dose, but many 30-somethings reported on social media on Saturday that they had been able to book their appointments already.

    Continue reading...", + "content": "

    Apparent glitch allows younger people to book vaccinations before they were expected to qualify

    There was confusion on Saturday about which age groups in England are now eligible to book a booster jab with the NHS, after an apparent glitch allowed younger people to book before they were expected to qualify.

    People aged 30 and over in England were expected to be able to book a Covid-19 booster from Monday as long as it has been three months since their second vaccine dose, but many 30-somethings reported on social media on Saturday that they had been able to book their appointments already.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/confusion-over-booster-eligibility-in-england-as-people-in-30s-book-covid-jabs", + "creator": "Jedidajah Otte", + "pubDate": "2021-12-11T19:09:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "583eec042c3b42811c29b670279dcd06" + "hash": "4625dc41bccae74176f2f053fd459948" }, { - "title": "Five Ways to Exercise Your Thankfulness Muscles", - "description": "Feeling grateful does not always happen naturally.", - "content": "Feeling grateful does not always happen naturally.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2021/11/21/opinion/thanksgiving-gratitude.html", - "creator": "Tish Harrison Warren", - "pubDate": "Mon, 22 Nov 2021 22:04:59 +0000", + "title": "Fighting byelections or Brexit, the rule is the same: don’t give up", + "description": "

    Voters can spring surprises at any time. This is not a time for Remainers to despair. It is never time for that

    During the closing stages of Margaret Thatcher’s premiership, I said to the Conservative MP John Biffen: “I think Mrs Thatcher must be suffering.”

    This was surprising, coming from such a long-term critic of Thatcherism as myself, but so was the reply from Biffen, a former member of her cabinet and also, for years, her leader of the Commons. “Yes,” he replied, “but is she suffering enough?”

    Continue reading...", + "content": "

    Voters can spring surprises at any time. This is not a time for Remainers to despair. It is never time for that

    During the closing stages of Margaret Thatcher’s premiership, I said to the Conservative MP John Biffen: “I think Mrs Thatcher must be suffering.”

    This was surprising, coming from such a long-term critic of Thatcherism as myself, but so was the reply from Biffen, a former member of her cabinet and also, for years, her leader of the Commons. “Yes,” he replied, “but is she suffering enough?”

    Continue reading...", + "category": "Economics", + "link": "https://www.theguardian.com/business/2021/dec/12/fighting-byelections-or-brexit-the-rule-is-the-same-dont-give-up", + "creator": "William Keegan", + "pubDate": "2021-12-12T07:00:32Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d68c7b8352f286717415b05a58f0a923" + "hash": "2117e088c6bf05b0f6dc4e1bdc5fccbe" }, { - "title": "Kevin Spacey Ordered to Pay $31 Million to ‘House of Cards’ Studio", - "description": "A secret arbitrator’s ruling was issued 13 months ago and became public on Monday when lawyers for the studio petitioned a California court to confirm the award.", - "content": "A secret arbitrator’s ruling was issued 13 months ago and became public on Monday when lawyers for the studio petitioned a California court to confirm the award.", - "category": "#MeToo Movement", - "link": "https://www.nytimes.com/2021/11/22/business/media/kevin-spacey-house-of-cards.html", - "creator": "John Koblin", - "pubDate": "Mon, 22 Nov 2021 21:48:36 +0000", + "title": "Why uncontrolled HIV may be behind the emergence of Omicron", + "description": "

    Analysis: experts say weakened immune systems may give rise to new Covid variants – so HIV prevention could be key to stopping coronavirus

    Where did Omicron come from? By all accounts it is a weird variant. Though highly mutated, it descended not from one of the other variants of concern, such as Alpha, Beta or Delta, but from coronavirus that was circulating maybe 18 months ago. So where has it been all this time? And why is it only wreaking havoc now?

    Researchers are exploring a number of hunches. One is that Omicron arose in a remote region of southern Africa but failed to spread until now. Another is that it evolved in infected animals, such as rats, and then crossed back into humans. But a third explanation is gaining ground as more data come to light, that Omicron arose in a person with a weakened immune system: someone having cancer treatment perhaps, an organ transplant patient or someone with uncontrolled HIV.

    Continue reading...", + "content": "

    Analysis: experts say weakened immune systems may give rise to new Covid variants – so HIV prevention could be key to stopping coronavirus

    Where did Omicron come from? By all accounts it is a weird variant. Though highly mutated, it descended not from one of the other variants of concern, such as Alpha, Beta or Delta, but from coronavirus that was circulating maybe 18 months ago. So where has it been all this time? And why is it only wreaking havoc now?

    Researchers are exploring a number of hunches. One is that Omicron arose in a remote region of southern Africa but failed to spread until now. Another is that it evolved in infected animals, such as rats, and then crossed back into humans. But a third explanation is gaining ground as more data come to light, that Omicron arose in a person with a weakened immune system: someone having cancer treatment perhaps, an organ transplant patient or someone with uncontrolled HIV.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/11/why-uncontrolled-hiv-may-be-behind-the-emergence-of-omicron", + "creator": "Ian Sample Science editor", + "pubDate": "2021-12-11T08:00:04Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83d659e67dcc5c72ff09d93c1be7a22d" + "hash": "cfa0a5e44a9b3f717362966773c4756b" }, { - "title": "Jeff Bezos Donates $100 Million to the Obama Foundation", - "description": "The gift was the largest yet for the foundation and was among several splashy donations in recent months by Mr. Bezos, one of the world’s richest people.", - "content": "The gift was the largest yet for the foundation and was among several splashy donations in recent months by Mr. Bezos, one of the world’s richest people.", - "category": "Bezos, Jeffrey P", - "link": "https://www.nytimes.com/2021/11/22/business/bezos-obama-foundation.html", - "creator": "Nicholas Kulish", - "pubDate": "Mon, 22 Nov 2021 21:47:21 +0000", + "title": "Omicron patient hospitalised in NSW as Queensland prepares for thousands of cars to cross border", + "description": "

    Covid vaccine booster shots also fast-tracked on day of large protests in capital cities to oppose mandates

    A person in New South Wales has been admitted to hospital infected with the Omicron variant of Covid-19, the first Omicron patient to be hospitalised since it arrived in Australia last month.

    It comes as thousands of protesters marched through capital cities on Sunday to oppose vaccine mandates, and Western Australia and Queensland prepared to reopen their borders.

    Continue reading...", + "content": "

    Covid vaccine booster shots also fast-tracked on day of large protests in capital cities to oppose mandates

    A person in New South Wales has been admitted to hospital infected with the Omicron variant of Covid-19, the first Omicron patient to be hospitalised since it arrived in Australia last month.

    It comes as thousands of protesters marched through capital cities on Sunday to oppose vaccine mandates, and Western Australia and Queensland prepared to reopen their borders.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/12/omicron-patient-hospitalised-in-nsw-as-queensland-prepares-for-thousands-of-cars-to-cross-border", + "creator": "Ben Doherty", + "pubDate": "2021-12-12T06:35:37Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86ca62e1d608a4fbc56af6bb55056fe5" + "hash": "8be96cb600a0dc04a6a0746863cede95" }, { - "title": "What We Know About the Victims of the Waukesha Parade Crash", - "description": "Eighteen children between the ages of 3 and 16 were among those injured, including three sets of siblings.", - "content": "Eighteen children between the ages of 3 and 16 were among those injured, including three sets of siblings.", - "category": "Waukesha, Wis, Holiday Parade Attack (2021)", - "link": "https://www.nytimes.com/article/waukesha-parade-victims.html", - "creator": "Giulia Heyward and Shawn Hubler", - "pubDate": "Mon, 22 Nov 2021 21:42:55 +0000", + "title": "Sotomayor decries abortion ruling but court’s conservatives show their muscle", + "description": "

    The highest court in the US has been defied by a group of extremist Republicans openly flouting the court’s own rulings

    Sonia Sotomayor, the liberal-leaning justice on the US supreme court, put it plainly. For almost three months, lawmakers in the Republican-controlled legislature of Texas had “substantially suspended a constitutional guarantee: a pregnant woman’s right to control her own body”.

    “The court should have put an end to this madness months ago,” Sotomayor said.

    Continue reading...", + "content": "

    The highest court in the US has been defied by a group of extremist Republicans openly flouting the court’s own rulings

    Sonia Sotomayor, the liberal-leaning justice on the US supreme court, put it plainly. For almost three months, lawmakers in the Republican-controlled legislature of Texas had “substantially suspended a constitutional guarantee: a pregnant woman’s right to control her own body”.

    “The court should have put an end to this madness months ago,” Sotomayor said.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/10/supreme-court-abortion-ruling-texas-ban", + "creator": "Ed Pilkington in New York", + "pubDate": "2021-12-10T20:41:08Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59798b154d4b34f5ead3adfbd30ba1af" + "hash": "070befc5d5c5439b1045fdf764784b74" }, { - "title": "Why Was This Ancient Tusk 150 Miles From Land, 10,000 Feet Deep?", - "description": "A discovery in the Pacific Ocean off California leads to “an Indiana Jones mixed with Jurassic Park moment.”", - "content": "A discovery in the Pacific Ocean off California leads to “an Indiana Jones mixed with Jurassic Park moment.”", - "category": "Mammoths (Animals)", - "link": "https://www.nytimes.com/2021/11/22/science/mammoth-tusk-ocean.html", - "creator": "Annie Roth", - "pubDate": "Mon, 22 Nov 2021 21:27:07 +0000", + "title": "New Zealand isn’t naive about China – but it doesn’t accept the Aukus worldview | Robert G Patman", + "description": "

    The Ardern government does not believe that the fate of the Indo-Pacific rests on US-China rivalry

    After the Biden administration’s announcement concerning the “diplomatic ban” of China’s Winter Games, Jacinda Ardern’s government has distanced itself from western allies once again – but it would be wrong to assume that Wellington has any illusions about China.

    The US government confirmed this week it would diplomatically boycott the Winter Olympic Games to protest against China’s persecution of the Uyghur people in the country’s Xinjiang province. Australia, UK and Canada subsequently indicated they would join the boycott.

    Continue reading...", + "content": "

    The Ardern government does not believe that the fate of the Indo-Pacific rests on US-China rivalry

    After the Biden administration’s announcement concerning the “diplomatic ban” of China’s Winter Games, Jacinda Ardern’s government has distanced itself from western allies once again – but it would be wrong to assume that Wellington has any illusions about China.

    The US government confirmed this week it would diplomatically boycott the Winter Olympic Games to protest against China’s persecution of the Uyghur people in the country’s Xinjiang province. Australia, UK and Canada subsequently indicated they would join the boycott.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/10/new-zealand-isnt-naive-about-china-but-it-doesnt-accept-the-aukus-worldview", + "creator": "Robert G Patman", + "pubDate": "2021-12-10T06:14:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ef7fcaa73203cb39ec68a4f96e59c28" + "hash": "f5d76b0b467cd61cb78daf9b9f54aeb4" }, { - "title": "Free E-Bikes for Everyone!", - "description": "We’re in the middle of a climate crisis. We need big ideas.", - "content": "We’re in the middle of a climate crisis. We need big ideas.", - "category": "Electric Bicycles, Motorcycles and Scooters", - "link": "https://www.nytimes.com/2021/11/22/opinion/free-ebikes-climate.html", - "creator": "Jay Caspian Kang", - "pubDate": "Mon, 22 Nov 2021 21:23:32 +0000", + "title": "Stricter measures than plan B may be needed to rein in UK’s Omicron growth", + "description": "

    Analysis: scientists say home working makes sense but voice fears over advice to go ahead with parties amid steep trajectory in cases

    Work from home, but keep going to Christmas parties: Boris Johnson’s advice has prompted questions about the logic behind plan B and left a lingering sense of confusion about the scale of the threat posed by the Omicron variant. So does the plan stand up to scrutiny?

    Scientists say that making working from home a first line of defence, ahead of social gatherings, is not necessarily a frivolous choice. In the hierarchy of measures that can be deployed, working from home is an effective way to bring down people’s daily contacts and is relatively painless economically. However, many fear that the threat posed by Omicron will require more than the first line of defence and that plan B does not go far enough.

    Continue reading...", + "content": "

    Analysis: scientists say home working makes sense but voice fears over advice to go ahead with parties amid steep trajectory in cases

    Work from home, but keep going to Christmas parties: Boris Johnson’s advice has prompted questions about the logic behind plan B and left a lingering sense of confusion about the scale of the threat posed by the Omicron variant. So does the plan stand up to scrutiny?

    Scientists say that making working from home a first line of defence, ahead of social gatherings, is not necessarily a frivolous choice. In the hierarchy of measures that can be deployed, working from home is an effective way to bring down people’s daily contacts and is relatively painless economically. However, many fear that the threat posed by Omicron will require more than the first line of defence and that plan B does not go far enough.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/09/plan-b-measures-omicron-variant-growth-uk-analysis", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-12-09T17:04:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f24ccf786be4975017b1936cacb0647b" + "hash": "84ad81a7edef7f326ba6a426aa2a25da" }, { - "title": "Sean Parnell Suspends G.O.P. Senate Bid in Pennsylvania", - "description": "Mr. Parnell, who was endorsed by Donald Trump in one of the highest-profile 2022 Senate races, had been accused by his estranged wife of spousal and child abuse.", - "content": "Mr. Parnell, who was endorsed by Donald Trump in one of the highest-profile 2022 Senate races, had been accused by his estranged wife of spousal and child abuse.", - "category": "Parnell, Sean (1981- )", - "link": "https://www.nytimes.com/2021/11/22/us/politics/sean-parnell-suspends-pennsylvania-senate.html", - "creator": "Jennifer Medina", - "pubDate": "Mon, 22 Nov 2021 21:19:41 +0000", + "title": "Helicopter lowers rescuer to car at top of Niagara Falls – video", + "description": "

    A woman's body has been retrieved from a car that was washed close to the brink of Niagara Falls on the US-Canada border. A coast guard rescuer was lowered from a helicopter to the car and found the body. An investigation has been launched into how the car and its occupant ended up in the Niagara River.

    Continue reading...", + "content": "

    A woman's body has been retrieved from a car that was washed close to the brink of Niagara Falls on the US-Canada border. A coast guard rescuer was lowered from a helicopter to the car and found the body. An investigation has been launched into how the car and its occupant ended up in the Niagara River.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/video/2021/dec/09/helicopter-lowers-rescuer-to-car-at-top-of-niagara-falls-video", + "creator": "", + "pubDate": "2021-12-09T03:39:22Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "2a28bd165adbe86f0ed2646f2379d849" + "hash": "acf964195f8a0b127c677d9101c8b1d5" }, { - "title": "Overheating the Economy Now Could Mean Trouble Later", - "description": "Now that Jerome Powell has been renominated to head the Federal Reserve, he needs to turn the temperature down.", - "content": "Now that Jerome Powell has been renominated to head the Federal Reserve, he needs to turn the temperature down.", - "category": "Inflation (Economics)", - "link": "https://www.nytimes.com/2021/11/22/opinion/biden-powell-inflation-fed-economy.html", - "creator": "Michael R. Strain", - "pubDate": "Mon, 22 Nov 2021 21:16:27 +0000", + "title": "At least 70 dead as tornadoes rip across central and southern US states", + "description": "

    Kentucky was hardest hit as four tornadoes, including a massive storm, devastated a town and collapsed a factory building

    Seven central and southern US states were searching for survivors and surveying the devastation Saturday after a series of powerful tornadoes intensified by severe storms ripped across the region, leaving an estimated 70 to 100 people dead.

    By early evening, officials had confirmed 29 deaths, including 22 in three Kentucky counties, many of those in a candle factory in Mayfield that had around 110 employees working the night shift when a tornado roared through.

    Continue reading...", + "content": "

    Kentucky was hardest hit as four tornadoes, including a massive storm, devastated a town and collapsed a factory building

    Seven central and southern US states were searching for survivors and surveying the devastation Saturday after a series of powerful tornadoes intensified by severe storms ripped across the region, leaving an estimated 70 to 100 people dead.

    By early evening, officials had confirmed 29 deaths, including 22 in three Kentucky counties, many of those in a candle factory in Mayfield that had around 110 employees working the night shift when a tornado roared through.

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/2021/dec/11/tornadoes-kentucky-missouri-arkansas-latest", + "creator": "Edward Helmore in New York and agencies", + "pubDate": "2021-12-11T18:23:00Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05d4d3944c9d9796379274898f1d0fea" + "hash": "6b02b7fbc4a8e5b47f586f70bdfdea2f" }, { - "title": "Austria Imposes Lockdown Amid Europe’s Covid Surge", - "description": "Europe is again at the center of the pandemic, and amid vaccine resistance and protests, nations are imposing new rules and pressuring people to get inoculated.", - "content": "Europe is again at the center of the pandemic, and amid vaccine resistance and protests, nations are imposing new rules and pressuring people to get inoculated.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/22/world/europe/covid-europe-surge-protests.html", - "creator": "Steven Erlanger", - "pubDate": "Mon, 22 Nov 2021 21:05:52 +0000", + "title": "Tens of thousands protest against compulsory Covid jabs in Austria", + "description": "

    Crowds in Vienna demonstrate against mandatory vaccines and confinement orders for unvaccinated

    Tens of thousands of people have gathered in Austria’s capital Vienna to protest against mandatory Covid vaccines and home confinement orders for those who have not yet received the jabs.

    Police said an estimated 44,000 people attended the demonstration on Saturday, the latest in a string of huge weekend protests since Austria last month became the first EU country to say it would make Covid vaccinations mandatory.

    Continue reading...", + "content": "

    Crowds in Vienna demonstrate against mandatory vaccines and confinement orders for unvaccinated

    Tens of thousands of people have gathered in Austria’s capital Vienna to protest against mandatory Covid vaccines and home confinement orders for those who have not yet received the jabs.

    Police said an estimated 44,000 people attended the demonstration on Saturday, the latest in a string of huge weekend protests since Austria last month became the first EU country to say it would make Covid vaccinations mandatory.

    Continue reading...", + "category": "Austria", + "link": "https://www.theguardian.com/world/2021/dec/11/tens-of-thousands-protest-against-compulsory-covid-jabs-in-austria", + "creator": "Agence France-Presse", + "pubDate": "2021-12-11T17:47:15Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d550561f1cf8157ca1746d22f2cc2762" + "hash": "6a9f3ca2e648041a91876d7de60cd7d5" }, { - "title": "Robert Bly, Poet Who Gave Rise to a Men’s Movement, Dies at 94", - "description": "His most famous, and most controversial, work was “Iron John: A Book About Men,” which made the case that American men had grown soft and feminized. It made him a cultural phenomenon.", - "content": "His most famous, and most controversial, work was “Iron John: A Book About Men,” which made the case that American men had grown soft and feminized. It made him a cultural phenomenon.", - "category": "Deaths (Obituaries)", - "link": "https://www.nytimes.com/2021/11/22/books/robert-bly-dead.html", - "creator": "Robert D. McFadden", - "pubDate": "Mon, 22 Nov 2021 21:00:57 +0000", + "title": "Boris Johnson pictured hosting No 10 Christmas quiz last year", + "description": "

    Prime minister faces further allegations of breaching Covid restrictions after week of scandals

    Boris Johnson is facing further questions over whether he breached Covid laws after pictures emerged of him hosting a Christmas quiz in Downing Street while London was under tier 2 restrictions.

    The prime minister was pictured on a screen reading out questions while staff were sat behind computers and conferred on the answers, the Mirror reported.

    Continue reading...", + "content": "

    Prime minister faces further allegations of breaching Covid restrictions after week of scandals

    Boris Johnson is facing further questions over whether he breached Covid laws after pictures emerged of him hosting a Christmas quiz in Downing Street while London was under tier 2 restrictions.

    The prime minister was pictured on a screen reading out questions while staff were sat behind computers and conferred on the answers, the Mirror reported.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/dec/11/boris-johnson-pictured-hosting-no-10-christmas-quiz-last-year", + "creator": "Nadeem Badshah", + "pubDate": "2021-12-11T23:07:44Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e10a784221688a9b32bccb2b3a6d670c" + "hash": "e60e6d9084dbbb06044f1c208e7a9f99" }, { - "title": "The U.K. and France, Once More Unto the Breach", - "description": "The Hundred Years’ War isn’t over. Let’s go for another hundred.", - "content": "The Hundred Years’ War isn’t over. Let’s go for another hundred.", - "category": "France", - "link": "https://www.nytimes.com/2021/11/20/opinion/uk-france-submarine.html", - "creator": "Maureen Dowd", - "pubDate": "Mon, 22 Nov 2021 20:26:05 +0000", + "title": "New Caledonia: fears of unrest as polls open for vote on independence from France", + "description": "

    Pro-independence FLNKS has called for people not to participate, arguing that Covid has made campaigning impossible

    Residents of New Caledonia will go to the polls on Sunday in the third and final vote on independence from France, after a fraught campaign and amidst fears of violence.

    This is the third referendum on whether New Caledonia should become independent from France – it is currently a French territory. In 2018, 43% voted for independence, a number that increased to 47% in the second vote in 2020.

    Continue reading...", + "content": "

    Pro-independence FLNKS has called for people not to participate, arguing that Covid has made campaigning impossible

    Residents of New Caledonia will go to the polls on Sunday in the third and final vote on independence from France, after a fraught campaign and amidst fears of violence.

    This is the third referendum on whether New Caledonia should become independent from France – it is currently a French territory. In 2018, 43% voted for independence, a number that increased to 47% in the second vote in 2020.

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/2021/dec/12/new-caledonia-fears-of-unrest-as-polls-open-for-vote-on-independence-from-france", + "creator": "Julien Sartre in Nouméa", + "pubDate": "2021-12-11T20:00:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6a6ee701fb3dfe5188c55dc75920aba1" + "hash": "ce930bb999f4e5e518111d0f70d6d83b" }, { - "title": "Rittenhouse and the Right’s White Vigilante Heroes", - "description": "The great threat is that there are young men out there who watched the verdict and now want to follow Rittenhouse’s lead.", - "content": "The great threat is that there are young men out there who watched the verdict and now want to follow Rittenhouse’s lead.", - "category": "Rittenhouse, Kyle", - "link": "https://www.nytimes.com/2021/11/19/opinion/kyle-rittenhouse-not-guilty-vigilantes.html", - "creator": "Charles M. Blow", - "pubDate": "Mon, 22 Nov 2021 20:19:50 +0000", + "title": "Quo Vadis, Aida? takes best picture at European film awards", + "description": "

    Shattering depiction of Srebrenica massacre pips Florian Zeller’s The Father to top prize

    The Father, Florian Zeller’s disorientating and poignant dementia drama starring Anthony Hopkins, won best actor and best screenplay at this year’s European film awards – but was ultimately pipped to best film by Quo Vadis, Aida?, a shattering depiction of the calamitous 1992 UN attempt to prevent the Srebrenica massacre.

    Bosnian film-maker Jasmila Žbanić also won best director for the film – a pan-European endeavour involving 12 production companies from nine countries – while Jasna Đuričić won best actress for her performance as the beleaguered UN interpreter trying to save her family from being ethnically cleansed with other Muslims by Bosnian-Serb paramilitaries.

    Continue reading...", + "content": "

    Shattering depiction of Srebrenica massacre pips Florian Zeller’s The Father to top prize

    The Father, Florian Zeller’s disorientating and poignant dementia drama starring Anthony Hopkins, won best actor and best screenplay at this year’s European film awards – but was ultimately pipped to best film by Quo Vadis, Aida?, a shattering depiction of the calamitous 1992 UN attempt to prevent the Srebrenica massacre.

    Bosnian film-maker Jasmila Žbanić also won best director for the film – a pan-European endeavour involving 12 production companies from nine countries – while Jasna Đuričić won best actress for her performance as the beleaguered UN interpreter trying to save her family from being ethnically cleansed with other Muslims by Bosnian-Serb paramilitaries.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/11/quo-vadis-aida-wins-best-film-at-european-film-awards", + "creator": "Phil Hoad", + "pubDate": "2021-12-11T23:19:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "84bbff90fcf980da649d886eb3822b16" + "hash": "1736ec0a07ee59e63bbe0d36ea7de7e7" }, { - "title": "Paul Thomas Anderson on \"Licorice Pizza\" and Age Difference", - "description": "The auteur explains why he cast Alana Haim, and why he thinks the age difference in the film’s central relationship shouldn’t matter.", - "content": "The auteur explains why he cast Alana Haim, and why he thinks the age difference in the film’s central relationship shouldn’t matter.", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/11/22/movies/paul-thomas-anderson-licorice-pizza.html", - "creator": "Kyle Buchanan", - "pubDate": "Mon, 22 Nov 2021 20:01:31 +0000", + "title": "Fresh evidence on UK’s botched Afghan withdrawal backs whistleblower’s story", + "description": "

    MPs’ inquiry given further details of Britain’s mismanagement of Afghanistan exit with ‘people left to die at the hands of the Taliban’

    Further evidence alleging that the government seriously mishandled the withdrawal from Afghanistan has been handed to a parliamentary inquiry examining the operation, the Observer has been told.

    Details from several government departments and agencies are understood to back damning testimony from a Foreign Office whistleblower, who has claimed that bureaucratic chaos, ministerial intervention, and a lack of planning and resources led to “people being left to die at the hands of the Taliban”.

    Continue reading...", + "content": "

    MPs’ inquiry given further details of Britain’s mismanagement of Afghanistan exit with ‘people left to die at the hands of the Taliban’

    Further evidence alleging that the government seriously mishandled the withdrawal from Afghanistan has been handed to a parliamentary inquiry examining the operation, the Observer has been told.

    Details from several government departments and agencies are understood to back damning testimony from a Foreign Office whistleblower, who has claimed that bureaucratic chaos, ministerial intervention, and a lack of planning and resources led to “people being left to die at the hands of the Taliban”.

    Continue reading...", + "category": "Taliban", + "link": "https://www.theguardian.com/world/2021/dec/11/fresh-evidence-on-uks-botched-afghan-withdrawal-backs-whistleblowers-story", + "creator": "Michael Savage", + "pubDate": "2021-12-11T18:02:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76d5f0771dc0338fa349689c46a30e33" + "hash": "6f0e24e1fbfb4b25ac66f8fb5286ee88" }, { - "title": "A Spirit of Gratitude Is Healthy for Society", - "description": "On Thanksgiving, consider the multiple benefits of giving thanks.", - "content": "On Thanksgiving, consider the multiple benefits of giving thanks.", - "category": "internal-sub-only-nl", - "link": "https://www.nytimes.com/2021/11/22/opinion/gratitude-thanksgiving-economics.html", - "creator": "Peter Coy", - "pubDate": "Mon, 22 Nov 2021 20:01:30 +0000", + "title": "Police step up search for missing hospital worker Petra Srncova", + "description": "

    Harriet Harman launches appeal for information on 32-year-old Czech national who was last seen on 28 November

    A missing children’s hospital worker is believed to have disappeared on her way home from work, police said on Saturday, as Labour MP Harriet Harman launched an appeal for information on her constituent.

    Petra Srncova, 32, a senior nurse assistant at Evelina London children’s hospital in Westminster, was reported missing on 3 December by a concerned colleague, and officers are intensifying their efforts to try to find her.

    Continue reading...", + "content": "

    Harriet Harman launches appeal for information on 32-year-old Czech national who was last seen on 28 November

    A missing children’s hospital worker is believed to have disappeared on her way home from work, police said on Saturday, as Labour MP Harriet Harman launched an appeal for information on her constituent.

    Petra Srncova, 32, a senior nurse assistant at Evelina London children’s hospital in Westminster, was reported missing on 3 December by a concerned colleague, and officers are intensifying their efforts to try to find her.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/harriest-harman-launches-appeal-to-find-missing-nurse", + "creator": "Jedidajah Otte", + "pubDate": "2021-12-11T17:09:51Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7d865ee486e525bad72a822844bf7c8c" + "hash": "663baf175a5b8fb20bac8dbcaf215be9" }, { - "title": "What We Give Thanks for and What We Say No Thanks To", - "description": "The Biden bill, the Rittenhouse verdict and the fate of the Democratic majority.", - "content": "The Biden bill, the Rittenhouse verdict and the fate of the Democratic majority.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/22/opinion/thanksgiving-biden-rittenhouse.html", - "creator": "Gail Collins and Bret Stephens", - "pubDate": "Mon, 22 Nov 2021 19:53:29 +0000", + "title": "Former head of Barcelona’s youth system accused of sexual abuse of children", + "description": "
    • Albert Benaiges was coach at Barça academy from 1992 to 2012
    • Benaiges denies accusations of more than 60 witnesses

    Albert Benaiges, the former head of FC Barcelona’s youth system and the man who was credited with having discovered Andrés Iniesta, has been accused of sexual abuse of children in his charge over 20 years, accusations the 71-year-old strongly denies.

    According to an investigation carried out by the Catalan newspaper Ara, more than 60 witnesses have come forward to detail his actions when he was a PE teacher at a school in the Les Corts neighbourhood of Barcelona during the 1980s and 1990s. One former student has made a formal statement to the police and others are expected to follow.

    Continue reading...", + "content": "
    • Albert Benaiges was coach at Barça academy from 1992 to 2012
    • Benaiges denies accusations of more than 60 witnesses

    Albert Benaiges, the former head of FC Barcelona’s youth system and the man who was credited with having discovered Andrés Iniesta, has been accused of sexual abuse of children in his charge over 20 years, accusations the 71-year-old strongly denies.

    According to an investigation carried out by the Catalan newspaper Ara, more than 60 witnesses have come forward to detail his actions when he was a PE teacher at a school in the Les Corts neighbourhood of Barcelona during the 1980s and 1990s. One former student has made a formal statement to the police and others are expected to follow.

    Continue reading...", + "category": "Barcelona", + "link": "https://www.theguardian.com/football/2021/dec/11/former-head-of-barcelonas-youth-system-accused-of-sexual-abuse-of-children", + "creator": "Sid Lowe in Madrid", + "pubDate": "2021-12-11T15:48:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "51a4399e260cc3fb4609991301880258" + "hash": "479d2ca856fe0c3305a27425020426aa" }, { - "title": "Trying to Blur Memories of the Gulag, Russia Targets a Rights Group", - "description": "Prosecutors are trying to shut down Memorial International, Russia’s most prominent human rights group, as the Kremlin moves to control the historical narrative of the Soviet Union.", - "content": "Prosecutors are trying to shut down Memorial International, Russia’s most prominent human rights group, as the Kremlin moves to control the historical narrative of the Soviet Union.", - "category": "Russia", - "link": "https://www.nytimes.com/2021/11/22/world/europe/russia-memorial-prosecution.html", - "creator": "Valerie Hopkins", - "pubDate": "Mon, 22 Nov 2021 19:53:21 +0000", + "title": "Covid live: 633 new Omicron cases detected in UK with overall daily infections at 54,073", + "description": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "content": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/11/covid-live-booster-significantly-reduces-risk-of-omicron-symptoms-taiwan-detects-first-case-of-variant", + "creator": "Nadeem Badshah (now); Lucy Campbell (earlier)", + "pubDate": "2021-12-11T17:22:33Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "712f60da7bd45a6b505e43abe703db7f" + "hash": "6624f2f30b1b3aa7e0523cd96081496e" }, { - "title": "The Nicest New Year’s Resolution I Ever Made", - "description": "I didn’t keep my vow to write a letter each day of the year, but I learned plenty from trying.", - "content": "I didn’t keep my vow to write a letter each day of the year, but I learned plenty from trying.", - "category": "Letters", - "link": "https://www.nytimes.com/2021/11/22/opinion/letters-new-year-resolution.html", - "creator": "Margaret Renkl", - "pubDate": "Mon, 22 Nov 2021 19:30:18 +0000", + "title": "As Covid mutates, the vaccine makers are adapting too", + "description": "

    Focus on the exciting potential of T-cell immunity is spurring the sector on to create a new generation of jabs

    The speed at which scientists worked to develop the first Covid jabs was unprecedented. Just nine months after the UK went into lockdown, 90-year-old Margaret Keenan officially became the first person in the world outside a trial to receive the Pfizer/BioNTech vaccine. But the virus is mutating, and the emergence of the Omicron variant last month is already focusing attention on the next generation of jabs.

    So what do we know about the new Covid-19 vaccines? One change is with delivery mechanisms, such as San Francisco firm Vaxart’s vaccine-in-a-pill, and Scancell’s spring-powered injectors that pierce the skin without a needle. But the biggest development is in T-cell technology. Produced by the bone marrow, T-cells are white blood cells that form a key part of the immune system. While current vaccines mainly generate antibodies that stick to the virus and stop it infecting the body, the new vaccines prime T-cells to find and destroy infected cells, thus preventing viral replication and disease. (The current vaccines also produce a T-cell response, but to a lesser extent.)

    Continue reading...", + "content": "

    Focus on the exciting potential of T-cell immunity is spurring the sector on to create a new generation of jabs

    The speed at which scientists worked to develop the first Covid jabs was unprecedented. Just nine months after the UK went into lockdown, 90-year-old Margaret Keenan officially became the first person in the world outside a trial to receive the Pfizer/BioNTech vaccine. But the virus is mutating, and the emergence of the Omicron variant last month is already focusing attention on the next generation of jabs.

    So what do we know about the new Covid-19 vaccines? One change is with delivery mechanisms, such as San Francisco firm Vaxart’s vaccine-in-a-pill, and Scancell’s spring-powered injectors that pierce the skin without a needle. But the biggest development is in T-cell technology. Produced by the bone marrow, T-cells are white blood cells that form a key part of the immune system. While current vaccines mainly generate antibodies that stick to the virus and stop it infecting the body, the new vaccines prime T-cells to find and destroy infected cells, thus preventing viral replication and disease. (The current vaccines also produce a T-cell response, but to a lesser extent.)

    Continue reading...", + "category": "Pharmaceuticals industry", + "link": "https://www.theguardian.com/business/2021/dec/11/as-covid-mutates-the-vaccine-makers-are-adapting-too", + "creator": "Julia Kollewe", + "pubDate": "2021-12-11T16:00:13Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d53030442c4674b345b59705ebe9be7d" + "hash": "b65533bb7a35d9a66ce324537918dcf8" }, { - "title": "Remote Work Is Failing Gen Z Employees", - "description": "Unless carefully designed, pandemic office culture risks hurting the least experienced workers in our organizations.", - "content": "Unless carefully designed, pandemic office culture risks hurting the least experienced workers in our organizations.", - "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2021/11/22/opinion/remote-work-gen-z.html", - "creator": "Anne Helen Petersen and Charlie Warzel", - "pubDate": "Mon, 22 Nov 2021 19:24:51 +0000", + "title": "From hippos to hamsters: how Covid is affecting creatures great and small", + "description": "

    Scientists are racing to assess the spread of the virus in wild and domestic animals, and the threat it could pose to us

    A year ago humanity embarked on a project to vaccinate every person against Covid-19. But in recent months a shadow vaccination campaign has also been taking place. From giraffes to snow leopards, gorillas to sea lions, zoos around the world have been inoculating their animals with an experimental Covid vaccine as an insurance policy against what they fear could be a similarly fatal illness for certain mammals.

    Meanwhile, veterinary scientists have been scrambling to understand the scale of Covid-19 infection in our furry household companions, and what the consequences could be for their health – and our own.

    Continue reading...", + "content": "

    Scientists are racing to assess the spread of the virus in wild and domestic animals, and the threat it could pose to us

    A year ago humanity embarked on a project to vaccinate every person against Covid-19. But in recent months a shadow vaccination campaign has also been taking place. From giraffes to snow leopards, gorillas to sea lions, zoos around the world have been inoculating their animals with an experimental Covid vaccine as an insurance policy against what they fear could be a similarly fatal illness for certain mammals.

    Meanwhile, veterinary scientists have been scrambling to understand the scale of Covid-19 infection in our furry household companions, and what the consequences could be for their health – and our own.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/11/from-hippos-to-hamsters-how-covid-is-affecting-creatures-great-and-small", + "creator": "Linda Geddes Science correspondent", + "pubDate": "2021-12-11T09:00:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ba0a67ab41a228da71f567a32a1aebe" + "hash": "bbfc94c3a3ffb57a8e5e7e246e44a3b3" }, { - "title": "How Magnus Carlsen Turned Chess Skill Into a Business Empire", - "description": "Winning is what made Magnus Carlsen a household name. But it is teaching and selling the game to others that has made him rich.", - "content": "Winning is what made Magnus Carlsen a household name. But it is teaching and selling the game to others that has made him rich.", - "category": "Chess", - "link": "https://www.nytimes.com/2021/11/22/sports/magnus-carlsen-chess.html", - "creator": "Dylan Loeb McClain", - "pubDate": "Mon, 22 Nov 2021 19:20:45 +0000", + "title": "From hairpin to house: woman who mastered ‘trading up’ realizes dream", + "description": "

    Demi Skipper began her journey in May 2020, offering a bobby pin for trade on Craigslist. This month, she was offered a house in Tennessee

    After a year and a half of pouring blood, sweat and tears, Demi Skipper has successfully taken one single hair pin and traded it up all the way to a house.

    In May this year, the Guardian spoke to her after she’d traded three tractors for one of only a few Chipotle celebrity cards in the world, worth about $20,000. She had been inspired by Kyle MacDonald, who in 2006 traded a red paperclip all the way to a house, and hoped to reach her goal by summer’s end.

    Continue reading...", + "content": "

    Demi Skipper began her journey in May 2020, offering a bobby pin for trade on Craigslist. This month, she was offered a house in Tennessee

    After a year and a half of pouring blood, sweat and tears, Demi Skipper has successfully taken one single hair pin and traded it up all the way to a house.

    In May this year, the Guardian spoke to her after she’d traded three tractors for one of only a few Chipotle celebrity cards in the world, worth about $20,000. She had been inspired by Kyle MacDonald, who in 2006 traded a red paperclip all the way to a house, and hoped to reach her goal by summer’s end.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/11/demi-skipper-trade-me-project-bobby-pin-house", + "creator": "Neelam Tailor", + "pubDate": "2021-12-11T20:00:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c16a99c0a18aaefeef2e24a0525aa7cd" + "hash": "84a1d2c53796aba67d4b9c60c2373b9e" }, { - "title": "I Traded In My Stilettos for Sneakers, Now What?", - "description": "A reader asks for guidance in finding comfortable, yet chic, footwear.", - "content": "A reader asks for guidance in finding comfortable, yet chic, footwear.", - "category": "Fashion and Apparel", - "link": "https://www.nytimes.com/2021/11/19/style/comfortable-chic-shoes.html", - "creator": "Vanessa Friedman", - "pubDate": "Mon, 22 Nov 2021 19:08:50 +0000", + "title": "‘There’s always been an affinity between Christmas and ghosts’: Mark Gatiss on the joy of festive frights", + "description": "

    The writer and actor puts the ghoul into yule with screen and stage roles reprising haunting classics from Charles Dickens and MR James

    Close the curtains. Light the fire. Then prepare to be terrified; it’s Christmas. For although the word “cosy” may be closely tied to festivities at this time of year, so it seems is the word “ghost”.

    In northern Europe people understandably cope with the shorter days and darker evenings by drawing in around a roaring hearth, metaphorical or otherwise. Light and warmth: it makes sense. But what kind of stories are told while friends and families gather together? The answer, of course, is the spookier, the better.

    Continue reading...", + "content": "

    The writer and actor puts the ghoul into yule with screen and stage roles reprising haunting classics from Charles Dickens and MR James

    Close the curtains. Light the fire. Then prepare to be terrified; it’s Christmas. For although the word “cosy” may be closely tied to festivities at this time of year, so it seems is the word “ghost”.

    In northern Europe people understandably cope with the shorter days and darker evenings by drawing in around a roaring hearth, metaphorical or otherwise. Light and warmth: it makes sense. But what kind of stories are told while friends and families gather together? The answer, of course, is the spookier, the better.

    Continue reading...", + "category": "Culture", + "link": "https://www.theguardian.com/culture/2021/dec/11/theres-always-been-an-affinity-between-christmas-and-ghosts-mark-gatiss-on-the-joy-of-festive-frights", + "creator": "Vanessa Thorpe", + "pubDate": "2021-12-11T15:33:51Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f15522daf4331fd565101af2b008b455" + "hash": "7489ea7f943626380c4fa70f6b8c3ba0" }, { - "title": "Broadway Play \"Clyde's\" Will Be Livestreamed", - "description": "The digital experimentation born of the pandemic shutdown is continuing: the final 16 performances of Lynn Nottage’s “Clyde’s” will be streamed, for $59.", - "content": "The digital experimentation born of the pandemic shutdown is continuing: the final 16 performances of Lynn Nottage’s “Clyde’s” will be streamed, for $59.", - "category": "Theater", - "link": "https://www.nytimes.com/2021/11/22/theater/lynn-nottage-clydes-broadway-livestream.html", - "creator": "Michael Paulson", - "pubDate": "Mon, 22 Nov 2021 18:42:36 +0000", + "title": "Michael K Williams remembered by Felicia Pearson", + "description": "

    22 November 1966 – 6 September 2021
    The actor, who played Snoop alongside Williams’s Omar in The Wire, on her ‘big brother, little sister’ chemistry with the man who transformed her life after spotting her in a Baltimore nightclub

    I met Mike in a club called Club One in Baltimore. I’d heard about The Wire and I’d seen them shooting around the city but I’d never watched it. I didn’t know who he was. I told my homeboy: “This man keeps looking at me. He’s looking hard with a scar on his face. He’s looking mean.” My homeboy told me: “Nah, that’s Omar off The Wire. He’s not nobody to be worried about.” That’s when Mike comes over and starts asking me questions. He thought I was a boy at first. He was like: “Wow, your charisma, your swag, everything about you is so dynamic and crazy, I love that.” I don’t know how because I was drunk.

    He called me the next day and said: “Come see me.” I got myself together and went to the set and was just kicking it with him. Then the people from The Wire like Ed Burns and David Simon heard me talking and they came over and started asking me to pronounce words. I didn’t know what it was for. I was kinda nervous. These white people keep asking me questions. I ain’t used to that. White people ask me questions when I’m in trouble. But it turned out for the good.

    Continue reading...", + "content": "

    22 November 1966 – 6 September 2021
    The actor, who played Snoop alongside Williams’s Omar in The Wire, on her ‘big brother, little sister’ chemistry with the man who transformed her life after spotting her in a Baltimore nightclub

    I met Mike in a club called Club One in Baltimore. I’d heard about The Wire and I’d seen them shooting around the city but I’d never watched it. I didn’t know who he was. I told my homeboy: “This man keeps looking at me. He’s looking hard with a scar on his face. He’s looking mean.” My homeboy told me: “Nah, that’s Omar off The Wire. He’s not nobody to be worried about.” That’s when Mike comes over and starts asking me questions. He thought I was a boy at first. He was like: “Wow, your charisma, your swag, everything about you is so dynamic and crazy, I love that.” I don’t know how because I was drunk.

    He called me the next day and said: “Come see me.” I got myself together and went to the set and was just kicking it with him. Then the people from The Wire like Ed Burns and David Simon heard me talking and they came over and started asking me to pronounce words. I didn’t know what it was for. I was kinda nervous. These white people keep asking me questions. I ain’t used to that. White people ask me questions when I’m in trouble. But it turned out for the good.

    Continue reading...", + "category": "The Wire", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/11/obituaries-2021-michael-k-williams-remembered-by-felicia-pearson", + "creator": "Guardian Staff", + "pubDate": "2021-12-11T19:00:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f90c479ffb7e3791d28c08298797ff4b" + "hash": "72ecaaf43208be439702afcf014457f8" }, { - "title": "Court Urged to Let Jan. 6 Panel See Trump White House Files", - "description": "In appellate briefs, lawyers for the House and the Justice Department argued against the former president’s claim of executive privilege.", - "content": "In appellate briefs, lawyers for the House and the Justice Department argued against the former president’s claim of executive privilege.", - "category": "Storming of the US Capitol (Jan, 2021)", - "link": "https://www.nytimes.com/2021/11/22/us/politics/jan-6-trump-files.html", - "creator": "Charlie Savage", - "pubDate": "Mon, 22 Nov 2021 18:40:09 +0000", + "title": "Hygge, glögg and pepparkakor... why we’re all falling for a Scandi Christmas", + "description": "

    After the comfort food and rituals, Britons are embracing more traditions, such as the festival of Santa Lucia

    From Ikea to meatballs, hygge to Nordic noir, Scandinavia’s influence on the UK has been rising steadily for decades. But this Christmas, amid the coronavirus pandemic and Brexit, enthusiasm for the region and its traditions is hitting new heights.

    Scandinavian goods distributor ScandiKitchen closed online Christmas orders early this year after unprecedented demand for festive products including meatballs, glögg (mulled wine), pepparkakor (ginger biscuits), chocolate, ham and cheese.

    Continue reading...", + "content": "

    After the comfort food and rituals, Britons are embracing more traditions, such as the festival of Santa Lucia

    From Ikea to meatballs, hygge to Nordic noir, Scandinavia’s influence on the UK has been rising steadily for decades. But this Christmas, amid the coronavirus pandemic and Brexit, enthusiasm for the region and its traditions is hitting new heights.

    Scandinavian goods distributor ScandiKitchen closed online Christmas orders early this year after unprecedented demand for festive products including meatballs, glögg (mulled wine), pepparkakor (ginger biscuits), chocolate, ham and cheese.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/hygge-glogg-and-pepparkakor-why-were-all-falling-for-a-scandi-christmas", + "creator": "Miranda Bryant", + "pubDate": "2021-12-11T17:48:15Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b9f2656856c03cfa32648e4d8a57cae" - }, - { - "title": "Meet the New Members of This Year's Baseball Hall of Fame Ballot", - "description": "A great deal of ink will be spilled on the candidacies of Alex Rodriguez and David Ortiz. For a moment, stop to consider the 11 other new candidates instead.", - "content": "A great deal of ink will be spilled on the candidacies of Alex Rodriguez and David Ortiz. For a moment, stop to consider the 11 other new candidates instead.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/11/22/sports/baseball/baseball-hall-of-fame-ballot.html", - "creator": "Tyler Kepner", - "pubDate": "Mon, 22 Nov 2021 18:12:52 +0000", + "hash": "98acee78bb92d36ee6058ecb43f5d3a0" + }, + { + "title": "‘Battery-hen farming of the sea’: sustainable alternatives to eating salmon", + "description": "

    There’s good news for salmon lovers hoping to reduce the environmental impact of their food

    Salmon is consistently one of the most popular kinds of seafood in Australia, but the Tasmanian farmed salmon industry has attracted significant criticism for its continued expansion and alleged environmental impact.

    In the past, environmental experts on review panels that oversaw industry expansion have quit in protest, telling a Tasmanian parliamentary inquiry that the panels were not truly independent and were obligated to approve expansions. One of those experts also said the planned doubling of salmon production in the coming decade had no basis in sound science.

    Continue reading...", + "content": "

    There’s good news for salmon lovers hoping to reduce the environmental impact of their food

    Salmon is consistently one of the most popular kinds of seafood in Australia, but the Tasmanian farmed salmon industry has attracted significant criticism for its continued expansion and alleged environmental impact.

    In the past, environmental experts on review panels that oversaw industry expansion have quit in protest, telling a Tasmanian parliamentary inquiry that the panels were not truly independent and were obligated to approve expansions. One of those experts also said the planned doubling of salmon production in the coming decade had no basis in sound science.

    Continue reading...", + "category": "Tasmania", + "link": "https://www.theguardian.com/australia-news/2021/dec/12/battery-hen-farming-of-the-sea-sustainable-alternatives-to-eating-salmon", + "creator": "Ann Ding", + "pubDate": "2021-12-11T19:00:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d930749429e775d5acca8912b728a344" + "hash": "08b9d989699aa48b03cc3c89b0192690" }, { - "title": "The Searing Beauty, and Harsh Reality, of a Kentucky Tobacco Harvest", - "description": "At a family farm in Shelby County, a group of 26 men from Nicaragua and Mexico perform the grueling seasonal work that Americans largely avoid.", - "content": "At a family farm in Shelby County, a group of 26 men from Nicaragua and Mexico perform the grueling seasonal work that Americans largely avoid.", - "category": "Smoking and Tobacco", - "link": "https://www.nytimes.com/2021/11/22/travel/kentucky-tobacco-harvest.html", - "creator": "Luke Sharrett", - "pubDate": "Mon, 22 Nov 2021 18:12:12 +0000", + "title": "‘I’ve shown so much of myself to the world’: The Witcher’s Anya Chalotra on power, people-watching and being a perfectionist", + "description": "Thanks to the 76 million who watched Netflix’s The Witcher, Anya Chalotra has been catapulted to overnight stardom. She talks fame, food, fashion – and why it’s all down to being an ‘attention seeking’ middle child

    Anya Chalotra is watching me. I have half-threatened to order a Venezuelan sandwich from the chalkboard at the London café we’re in – we are talking just after lunch – but I don’t trust myself to maintain a serious line of questioning and not get guacamole down my front while doing it. “Are you sure? I don’t mind,” she says. No it’s fine, Anya, please. Later, the café owner tours the tables to tell us they are closing in 20 minutes. “And what about your sandwich?” Anya points to me. Honestly, please, I had a flapjack, it was hearty. And after the interview: “Do you want to stay and have your sandwich now?” I mean I would, but they are closed, so it’s too late now, isn’t it?

    Lunch aside, the point is that Anya Chalotra is a gifted and enthusiastic people-watcher. She confesses to this up front: “I’m obsessed with people,” she says, not not sounding like a serial killer, “and I’m obsessed with analysing people.” But it bulges out of every anecdote she gives, too. On being recognised in public: “Oh, I’m always stuffing my face. They always come up to me when I’m stuffing my face. Because I don’t mind going to the pub on my own, or eating on my own – I just sit in the corner and watch people – but they always get me stuffing my face.” On pandemic activities: “I was just staring into space, mainly.” On filming in multiple difficult climates as her character in Netflix series The Witcher traversed magically across continents: “The whole crew was in the sea, jeans rolled up, or wearing trunks. And I don’t know how I wasn’t cracking up, looking at all these people in their jazzy little trunks. It was quite a serious moment.” On east London parks, an objective ranking thereof: “Victoria Park. Always. The dog-watching there is hilarious. I just find their mothers’ meetings, in the park, hysterical.”

    Continue reading...", + "content": "Thanks to the 76 million who watched Netflix’s The Witcher, Anya Chalotra has been catapulted to overnight stardom. She talks fame, food, fashion – and why it’s all down to being an ‘attention seeking’ middle child

    Anya Chalotra is watching me. I have half-threatened to order a Venezuelan sandwich from the chalkboard at the London café we’re in – we are talking just after lunch – but I don’t trust myself to maintain a serious line of questioning and not get guacamole down my front while doing it. “Are you sure? I don’t mind,” she says. No it’s fine, Anya, please. Later, the café owner tours the tables to tell us they are closing in 20 minutes. “And what about your sandwich?” Anya points to me. Honestly, please, I had a flapjack, it was hearty. And after the interview: “Do you want to stay and have your sandwich now?” I mean I would, but they are closed, so it’s too late now, isn’t it?

    Lunch aside, the point is that Anya Chalotra is a gifted and enthusiastic people-watcher. She confesses to this up front: “I’m obsessed with people,” she says, not not sounding like a serial killer, “and I’m obsessed with analysing people.” But it bulges out of every anecdote she gives, too. On being recognised in public: “Oh, I’m always stuffing my face. They always come up to me when I’m stuffing my face. Because I don’t mind going to the pub on my own, or eating on my own – I just sit in the corner and watch people – but they always get me stuffing my face.” On pandemic activities: “I was just staring into space, mainly.” On filming in multiple difficult climates as her character in Netflix series The Witcher traversed magically across continents: “The whole crew was in the sea, jeans rolled up, or wearing trunks. And I don’t know how I wasn’t cracking up, looking at all these people in their jazzy little trunks. It was quite a serious moment.” On east London parks, an objective ranking thereof: “Victoria Park. Always. The dog-watching there is hilarious. I just find their mothers’ meetings, in the park, hysterical.”

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/11/anya-chalotra-the-witcher-netflix-interview-ive-shown-so-much-of-myself", + "creator": "Joel Golby", + "pubDate": "2021-12-11T16:00:14Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6cd3ae061c3a7f458912d4221bd77588" + "hash": "2aebcbd06cef8ebdaac0b6636f73ad11" }, { - "title": "The Meters’ Leo Nocentelli Gets a Solo Career, 50 Years Late", - "description": "In the 1970s, Nocentelli recorded a folk album drastically different from his band’s funk music. Barely anyone heard it — until it ended up at a swap meet.", - "content": "In the 1970s, Nocentelli recorded a folk album drastically different from his band’s funk music. Barely anyone heard it — until it ended up at a swap meet.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/11/18/arts/music/the-meters-leo-nocentelli-solo-album.html", - "creator": "Nate Rogers", - "pubDate": "Mon, 22 Nov 2021 17:30:51 +0000", + "title": "Marcus Rashford: ‘My life was far from a fairytale’", + "description": "

    The England footballer, author and poverty campaigner on instilling self-belief in pupils at his old school, his favourite titles of 2021, and his hopes for his book club

    Marcus Rashford, 24, plays football for England and Manchester United and is the author of this year’s bestselling children’s nonfiction book, You Are a Champion, written with the journalist Carl Anka to inspire young people to reach their full potential. One of five siblings raised by a single mother on minimum wage in Manchester, Rashford has become one of Britain’s leading campaigners against child poverty. In June he launched the Marcus Rashford Book Club in conjunction with Magic Breakfast and Macmillan Children’s Books to encourage a lifelong love of reading and give free books to underprivileged children. Next year, Rashford will release his first children’s fiction book, The Breakfast Club Adventures, co-authored by Alex Falase-Koya.

    What effect has your book club had so far?
    I visited Button Lane a few weeks ago; it’s my old primary school and a recipient of my book club. It was brilliant to see the children’s faces light up when they talked about books, and each and every one of them had taken something slightly different away from their reading. They were engaged, and that is what we’re looking for – for children to use books as an escape when faced with daily challenges; to be inspired, motivated and ultimately dream about what they could be one day. The one thing that stood out for me, though, was how their aspirations had changed since the club first launched. Then, most of the children told me they wanted to be a footballer like me. Now, we have children dreaming of being artists, architects, vets. It’s just brilliant. That’s what I wanted. The belief that they can be anything they want to be.

    You Are a Champion by Marcus Rashford and Carl Anka is published by Macmillan (£9.99). To support the Guardian and Observer order your copy at guardianbookshop.com. Delivery charges may apply

    Continue reading...", + "content": "

    The England footballer, author and poverty campaigner on instilling self-belief in pupils at his old school, his favourite titles of 2021, and his hopes for his book club

    Marcus Rashford, 24, plays football for England and Manchester United and is the author of this year’s bestselling children’s nonfiction book, You Are a Champion, written with the journalist Carl Anka to inspire young people to reach their full potential. One of five siblings raised by a single mother on minimum wage in Manchester, Rashford has become one of Britain’s leading campaigners against child poverty. In June he launched the Marcus Rashford Book Club in conjunction with Magic Breakfast and Macmillan Children’s Books to encourage a lifelong love of reading and give free books to underprivileged children. Next year, Rashford will release his first children’s fiction book, The Breakfast Club Adventures, co-authored by Alex Falase-Koya.

    What effect has your book club had so far?
    I visited Button Lane a few weeks ago; it’s my old primary school and a recipient of my book club. It was brilliant to see the children’s faces light up when they talked about books, and each and every one of them had taken something slightly different away from their reading. They were engaged, and that is what we’re looking for – for children to use books as an escape when faced with daily challenges; to be inspired, motivated and ultimately dream about what they could be one day. The one thing that stood out for me, though, was how their aspirations had changed since the club first launched. Then, most of the children told me they wanted to be a footballer like me. Now, we have children dreaming of being artists, architects, vets. It’s just brilliant. That’s what I wanted. The belief that they can be anything they want to be.

    You Are a Champion by Marcus Rashford and Carl Anka is published by Macmillan (£9.99). To support the Guardian and Observer order your copy at guardianbookshop.com. Delivery charges may apply

    Continue reading...", + "category": "Marcus Rashford", + "link": "https://www.theguardian.com/books/2021/dec/11/marcus-rashford-my-life-was-far-from-a-fairytale", + "creator": "Imogen Carter", + "pubDate": "2021-12-11T18:00:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f21793c028e0849d4d809ecff47838d" + "hash": "eb2240d4db81b7cc63f105bec159b184" }, { - "title": "What the Kyle Rittenhouse Verdict Says About Justice in America", - "description": "Readers are worried about the precedent set by Kyle Rittenhouse’s acquittal. Also: The A.M.A., on the power of language.", - "content": "Readers are worried about the precedent set by Kyle Rittenhouse’s acquittal. Also: The A.M.A., on the power of language.", - "category": "Rittenhouse, Kyle", - "link": "https://www.nytimes.com/2021/11/22/opinion/letters/kyle-rittenhouse-verdict.html", - "creator": "", - "pubDate": "Mon, 22 Nov 2021 17:23:52 +0000", + "title": "Trump’s ultimate yes man: how Devin Nunes embraced the role he was long accused of playing", + "description": "

    Congressman poised to helm Trump’s media company is poster child for the notion that, in today’s politics, extreme partisanship pays

    For the first and perhaps the only time in his pugnacious political career, the California congressman and noted Trump apologist Devin Nunes is inspiring some kind of unanimity across party lines.

    When news broke on Monday that Nunes was retiring from Congress to become chief executive of the fledgling Trump Media & Technology Group, nobody on the left or the right doubted he’d landed where he belonged. After 19 years as a reliably rock-ribbed Republican legislator, Nunes told his supporters that he wasn’t giving up on fighting his political enemies, just “pursuing it by other means” – and for once those enemies took him at his word.

    Continue reading...", + "content": "

    Congressman poised to helm Trump’s media company is poster child for the notion that, in today’s politics, extreme partisanship pays

    For the first and perhaps the only time in his pugnacious political career, the California congressman and noted Trump apologist Devin Nunes is inspiring some kind of unanimity across party lines.

    When news broke on Monday that Nunes was retiring from Congress to become chief executive of the fledgling Trump Media & Technology Group, nobody on the left or the right doubted he’d landed where he belonged. After 19 years as a reliably rock-ribbed Republican legislator, Nunes told his supporters that he wasn’t giving up on fighting his political enemies, just “pursuing it by other means” – and for once those enemies took him at his word.

    Continue reading...", + "category": "Republicans", + "link": "https://www.theguardian.com/us-news/2021/dec/11/devin-nunes-trump-republican-yes-man-congress", + "creator": "Andrew Gumbel", + "pubDate": "2021-12-11T11:00:07Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2da652f9b17eda70dc90ed750ae11cab" + "hash": "4c6a48ff290c3112e3080b7a776afe22" }, { - "title": "Inside Fentanyl’s Mounting Death Toll: ‘This Is Poison’", - "description": "While a rise in overdose deaths shows the devastating consequences of the opioid’s spread, less is understood about how the drug has proliferated.", - "content": "While a rise in overdose deaths shows the devastating consequences of the opioid’s spread, less is understood about how the drug has proliferated.", - "category": "Fentanyl", - "link": "https://www.nytimes.com/2021/11/20/nyregion/fentanyl-opioid-deaths.html", - "creator": "Sarah Maslin Nir", - "pubDate": "Mon, 22 Nov 2021 16:29:48 +0000", + "title": "Australia news live updates: Covid booster vaccines cut to five months amid Omicron concern; NSW records 485 new cases and two deaths", + "description": "

    NSW records 485 new coronavirus cases and two deaths; wait time to receive vaccine booster shot cut from six months to five, federal government announces

    The defence minister, Peter Dutton, says Scott Morrison is “looking forward very much” to welcoming South Korean president Moon Jae-in to Australia.

    Moon is due to meet with the prime minister in Canberra tomorrow. While in Australia, Moon is also scheduled to meet with the opposition leader, Anthony Albanese - an engagement that Dutton described as “a sign of respect”.

    I think it underscores particularly during Covid, where where travel is very difficult, what South Korea see in the Australian relationship. They see it as a vital relationship as do we. And there is an enormous amount of upside on trading, particularly in relation to green energy and hydrogen, a very important partner in that regard. So I think this really signals a deepening of the already very strong relationship between our two countries.

    Everyone living in Australia aged 18 and over who has completed their primary two-dose course of vaccination at least five months ago is now eligible to have an additional booster shot. This was previously recommended to be six months from a second dose. A booster dose, five or more months after the second dose, will make sure that the protection from the primary course is even stronger and longer lasting and should help prevent spread of the virus. Data from Israel shows boosters supporting reductions in the rate of infection in eligible age groups, severe disease in those aged over 40 years and deaths in those over 60 years.

    Continue reading...", + "content": "

    NSW records 485 new coronavirus cases and two deaths; wait time to receive vaccine booster shot cut from six months to five, federal government announces

    The defence minister, Peter Dutton, says Scott Morrison is “looking forward very much” to welcoming South Korean president Moon Jae-in to Australia.

    Moon is due to meet with the prime minister in Canberra tomorrow. While in Australia, Moon is also scheduled to meet with the opposition leader, Anthony Albanese - an engagement that Dutton described as “a sign of respect”.

    I think it underscores particularly during Covid, where where travel is very difficult, what South Korea see in the Australian relationship. They see it as a vital relationship as do we. And there is an enormous amount of upside on trading, particularly in relation to green energy and hydrogen, a very important partner in that regard. So I think this really signals a deepening of the already very strong relationship between our two countries.

    Everyone living in Australia aged 18 and over who has completed their primary two-dose course of vaccination at least five months ago is now eligible to have an additional booster shot. This was previously recommended to be six months from a second dose. A booster dose, five or more months after the second dose, will make sure that the protection from the primary course is even stronger and longer lasting and should help prevent spread of the virus. Data from Israel shows boosters supporting reductions in the rate of infection in eligible age groups, severe disease in those aged over 40 years and deaths in those over 60 years.

    Continue reading...", + "category": "Scott Morrison", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/12/australia-news-updates-live-covid-booster-vaccines-atagi-coronavirus-omicron-nsw-victoria-qld-scott-morrison-weather", + "creator": "Justine Landis-Hanley", + "pubDate": "2021-12-11T23:54:50Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9f8ee92bf7a168e4453790790d1b5feb" + "hash": "8f363a9d8304b31f07e2518754598e65" }, { - "title": "Concerns Grow Over Safety of Aduhelm After Death of Patient Who Got the Drug", - "description": "Newly published safety data shows that 41 percent of patients in key clinical trials of the Alzheimer’s drug experienced brain bleeding or swelling, though many cases were asymptomatic.", - "content": "Newly published safety data shows that 41 percent of patients in key clinical trials of the Alzheimer’s drug experienced brain bleeding or swelling, though many cases were asymptomatic.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/11/22/health/aduhelm-death-safety.html", - "creator": "Pam Belluck", - "pubDate": "Mon, 22 Nov 2021 16:00:09 +0000", + "title": "China’s indebted property sector highlights a fading economic revival", + "description": "

    Xi Jinping’s mission is not only to control the housing bubble, but rein in untethered industries and foreign capital

    China’s economy has become heavily dependent on property development over the last decade. High-rise apartments have mushroomed across hundreds of cities to house a growing white-collar workforce, while glass and steel office blocks are dominating city centres, mimicking Shanghai’s glittering skyline.

    Valued at more than $50tn after 20 years of rapid growth, Chinese real estate is worth twice as much as the US property market and four times China’s annual income.

    Continue reading...", + "content": "

    Xi Jinping’s mission is not only to control the housing bubble, but rein in untethered industries and foreign capital

    China’s economy has become heavily dependent on property development over the last decade. High-rise apartments have mushroomed across hundreds of cities to house a growing white-collar workforce, while glass and steel office blocks are dominating city centres, mimicking Shanghai’s glittering skyline.

    Valued at more than $50tn after 20 years of rapid growth, Chinese real estate is worth twice as much as the US property market and four times China’s annual income.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/08/chinas-indebted-property-sector-highlights-a-fading-economic-revival", + "creator": "Phillip Inman", + "pubDate": "2021-12-08T20:07:54Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "d012ae5583e6ac5acc2249fd0203ee3e" + "hash": "2ec298dbe6878aabf58cd76dcad3fd8e" }, { - "title": "Telling ‘The Untold Story of Sushi’", - "description": "Daniel Fromson spent years researching a controversial Korean church that had created a seafood empire. He reflects on the benefits of long-term reporting.", - "content": "Daniel Fromson spent years researching a controversial Korean church that had created a seafood empire. He reflects on the benefits of long-term reporting.", - "category": "Moon", - "link": "https://www.nytimes.com/2021/11/22/insider/unification-church-sushi.html", - "creator": "Daniel Fromson", - "pubDate": "Mon, 22 Nov 2021 15:44:38 +0000", + "title": "Drone footage reveals damage from Indonesia's Mount Semeru volcano eruption – video", + "description": "

    Drone footage has captured some of the devastation following the eruption of Mount Semeru on the Indonesian island of Java. Dozens of people have been killed and thousands remain displaced. The volcano continues to spew hot gas and ash, hampering rescue efforts

    Continue reading...", + "content": "

    Drone footage has captured some of the devastation following the eruption of Mount Semeru on the Indonesian island of Java. Dozens of people have been killed and thousands remain displaced. The volcano continues to spew hot gas and ash, hampering rescue efforts

    Continue reading...", + "category": "Indonesia", + "link": "https://www.theguardian.com/world/video/2021/dec/08/drone-footage-reveals-damage-from-indonesias-mount-semeru-volcano-eruption-video", + "creator": "", + "pubDate": "2021-12-08T02:47:29Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a1455c435b80950bf013a75aa76e16b9" + "hash": "968a7c05fe862a75e9df1f12e398a2f7" }, { - "title": "Limping and Penniless, Iraqis Deported From Belarus Face Bleak Futures", - "description": "Hundreds of desperate Iraqis are being sent home after becoming political pawns in Belarus’s quarrel with its European Union neighbors.", - "content": "Hundreds of desperate Iraqis are being sent home after becoming political pawns in Belarus’s quarrel with its European Union neighbors.", - "category": "Belarus-Poland Border Crisis (2021- )", - "link": "https://www.nytimes.com/2021/11/22/world/middleeast/belarus-iraqi-migrant-deportations.html", - "creator": "Jane Arraf and Sangar Khaleel", - "pubDate": "Mon, 22 Nov 2021 15:13:33 +0000", + "title": "Capitol attack panel obtains PowerPoint that set out plan for Trump to stage coup", + "description": "

    Presentation turned over by Mark Meadows made several recommendations for Trump to pursue to retain presidency

    Former Trump White House chief of staff Mark Meadows turned over to the House select committee investigating the 6 January Capitol attack a PowerPoint recommending Donald Trump to declare a national security emergency in order to return himself to the presidency.

    The fact that Meadows was in possession of a PowerPoint the day before the Capitol attack that detailed ways to stage a coup suggests he was at least aware of efforts by Trump and his allies to stop Joe Biden’s certification from taking place on 6 January.

    Continue reading...", + "content": "

    Presentation turned over by Mark Meadows made several recommendations for Trump to pursue to retain presidency

    Former Trump White House chief of staff Mark Meadows turned over to the House select committee investigating the 6 January Capitol attack a PowerPoint recommending Donald Trump to declare a national security emergency in order to return himself to the presidency.

    The fact that Meadows was in possession of a PowerPoint the day before the Capitol attack that detailed ways to stage a coup suggests he was at least aware of efforts by Trump and his allies to stop Joe Biden’s certification from taking place on 6 January.

    Continue reading...", + "category": "US Capitol attack", + "link": "https://www.theguardian.com/us-news/2021/dec/10/trump-powerpoint-mark-meadows-capitol-attack", + "creator": "Hugo Lowell in Washington", + "pubDate": "2021-12-11T02:01:43Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3ae70c55516f2b2e006f443de2188238" + "hash": "800dfa4333edface21239b2e157dbf23" }, { - "title": "Taxi! To the Airport — by Air, Please.", - "description": "Several companies are betting they can bring electric urban air travel to the masses — perhaps within the next few years.", - "content": "Several companies are betting they can bring electric urban air travel to the masses — perhaps within the next few years.", - "category": "Airlines and Airplanes", - "link": "https://www.nytimes.com/2021/11/22/business/air-taxi-aviation-electric.html", - "creator": "Gautham Nagesh", - "pubDate": "Mon, 22 Nov 2021 15:06:53 +0000", + "title": "Up to 100 feared dead in Kentucky after tornadoes tear through US states", + "description": "

    State governor says dozens at factory thought to have been killed, with other incidents reported in Arkansas and Illinois

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning.

    The governor of Kentucky, Andy Beshear, said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", + "content": "

    State governor says dozens at factory thought to have been killed, with other incidents reported in Arkansas and Illinois

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning.

    The governor of Kentucky, Andy Beshear, said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/2021/dec/11/arkansas-tornado-deaths-nursing-home-illinois-amazon-warehouse-roof-collapse", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-11T12:14:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a903d00bb8e683dffc50ed296f87e510" + "hash": "e6c32969f615eccd8991aca1edefa235" }, { - "title": "How Peng Shuai Went From ‘Chinese Princess’ to Silenced #MeToo Accuser", - "description": "The tennis star won independence while remaining in Beijing’s good graces. But she has been unable to break through China’s resistance to sexual assault allegations.", - "content": "The tennis star won independence while remaining in Beijing’s good graces. But she has been unable to break through China’s resistance to sexual assault allegations.", - "category": "Peng Shuai", - "link": "https://www.nytimes.com/2021/11/22/world/asia/china-peng-shuai-metoo.html", - "creator": "Alexandra Stevenson and Steven Lee Myers", - "pubDate": "Mon, 22 Nov 2021 14:08:44 +0000", + "title": "Friend, lover, fixer? Ghislaine Maxwell prosecutors home in on nature of Epstein relationship", + "description": "

    Federal sex-trafficking trial has shed more light on pair’s ties, and how their lives seemed intimately interwoven

    Ghislaine Maxwell has long been accused of luring teenage girls into Jeffrey Epstein’s orbit for him to sexually abuse, but whatever motive for allegedly doing so has long remained a mystery.

    The answer hinges somewhat on the nature of their relationship. Did Maxwell serve as the late financier’s consigliere, or act as his girlfriend and procurer?

    Continue reading...", + "content": "

    Federal sex-trafficking trial has shed more light on pair’s ties, and how their lives seemed intimately interwoven

    Ghislaine Maxwell has long been accused of luring teenage girls into Jeffrey Epstein’s orbit for him to sexually abuse, but whatever motive for allegedly doing so has long remained a mystery.

    The answer hinges somewhat on the nature of their relationship. Did Maxwell serve as the late financier’s consigliere, or act as his girlfriend and procurer?

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/11/ghislaine-maxwell-prosecutors-jeffrey-epstein-relationship", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-11T07:00:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec4f7bd86225c4776fe4bbf2b99c0083" + "hash": "e9561d1860353cafa1e694237e531740" }, { - "title": "56 Years Ago, He Shot Malcolm X. Now He Lives Quietly in Brooklyn.", - "description": "Mujahid Abdul Halim is the one man who confessed to his role in the assassination. He long insisted that the two men convicted with him were innocent.", - "content": "Mujahid Abdul Halim is the one man who confessed to his role in the assassination. He long insisted that the two men convicted with him were innocent.", - "category": "Malcolm X", - "link": "https://www.nytimes.com/2021/11/22/nyregion/malcolm-x-assassination-halim-hayer.html", - "creator": "Jonah E. Bromwich, Ashley Southall and Troy Closson", - "pubDate": "Mon, 22 Nov 2021 13:10:09 +0000", + "title": "Recently uncovered software flaw ‘most critical vulnerability of the last decade’", + "description": "

    Log4Shell grants easy access to internal networks, making them susceptible to data loot and loss and malware attacks

    A critical vulnerability in a widely used software tool – one quickly exploited in the online game Minecraft – is rapidly emerging as a major threat to organizations around the world.

    “The internet’s on fire right now,” said Adam Meyers, senior vice-president of intelligence at the cybersecurity firm Crowdstrike. “People are scrambling to patch”, he said, “and all kinds of people scrambling to exploit it.” He said on Friday morning that in the 12 hours since the bug’s existence was disclosed, it had been “fully weaponized”, meaning malefactors had developed and distributed tools to exploit it.

    Continue reading...", + "content": "

    Log4Shell grants easy access to internal networks, making them susceptible to data loot and loss and malware attacks

    A critical vulnerability in a widely used software tool – one quickly exploited in the online game Minecraft – is rapidly emerging as a major threat to organizations around the world.

    “The internet’s on fire right now,” said Adam Meyers, senior vice-president of intelligence at the cybersecurity firm Crowdstrike. “People are scrambling to patch”, he said, “and all kinds of people scrambling to exploit it.” He said on Friday morning that in the 12 hours since the bug’s existence was disclosed, it had been “fully weaponized”, meaning malefactors had developed and distributed tools to exploit it.

    Continue reading...", + "category": "Software", + "link": "https://www.theguardian.com/technology/2021/dec/10/software-flaw-most-critical-vulnerability-log-4-shell", + "creator": "Associated Press", + "pubDate": "2021-12-11T01:50:48Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "b0e5b7f66ed06fc19911aa9eaf4f4d1a" + "hash": "87275dd3d6d8c43f2d8728f04a363fc1" }, { - "title": "Terence Crawford Has His Belt, and Choices to Make", - "description": "Crawford has long awaited a bout with Errol Spence Jr., and with his contract with his promoter expiring soon, the welterweight champion has options.", - "content": "Crawford has long awaited a bout with Errol Spence Jr., and with his contract with his promoter expiring soon, the welterweight champion has options.", - "category": "Crawford, Terence (1987- )", - "link": "https://www.nytimes.com/2021/11/21/sports/terence-crawford-shawn-porter-fight.html", - "creator": "Morgan Campbell", - "pubDate": "Mon, 22 Nov 2021 12:26:53 +0000", + "title": "Daughter of US astronaut rockets into space aboard Blue Origin spacecraft", + "description": "

    Laura Shepard Churchley, whose father, Alan Shepard, made history in 1961 as the first American to travel into space, was among the crew of six

    The eldest daughter of pioneering US astronaut Alan Shepard took a joyride to the edge of space aboard Jeff Bezos’ Blue Origin rocket on Saturday, 60 years after her late father’s famed suborbital Nasa flight at the dawn of the Space Age.

    Laura Shepard Churchley, 74, who was a schoolgirl when her father first streaked into space, was one of six passengers buckled into the cabin of Blue Origin‘s New Shepard spacecraft as it lifted off from a launch site outside the west Texas town of Van Horn.

    Continue reading...", + "content": "

    Laura Shepard Churchley, whose father, Alan Shepard, made history in 1961 as the first American to travel into space, was among the crew of six

    The eldest daughter of pioneering US astronaut Alan Shepard took a joyride to the edge of space aboard Jeff Bezos’ Blue Origin rocket on Saturday, 60 years after her late father’s famed suborbital Nasa flight at the dawn of the Space Age.

    Laura Shepard Churchley, 74, who was a schoolgirl when her father first streaked into space, was one of six passengers buckled into the cabin of Blue Origin‘s New Shepard spacecraft as it lifted off from a launch site outside the west Texas town of Van Horn.

    Continue reading...", + "category": "Blue Origin", + "link": "https://www.theguardian.com/science/2021/dec/11/blue-origin-rocket-laura-shepard-churchley-michael-strahan", + "creator": "Reuters", + "pubDate": "2021-12-11T15:58:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5f9b3d61cfbc132c47cfad0ee036b788" + "hash": "a6c00f8adc32ec7ca0006a9ec0511fd1" }, { - "title": "Manchester United and the Perils of Living in the Past", - "description": "Years of success under Alex Ferguson changed the way United viewed itself. But the glory days are gone, and the sooner the club admits that, the better.", - "content": "Years of success under Alex Ferguson changed the way United viewed itself. But the glory days are gone, and the sooner the club admits that, the better.", - "category": "Soccer", - "link": "https://www.nytimes.com/2021/11/22/sports/soccer/manchester-united-ole-solskjaer.html", - "creator": "Rory Smith", - "pubDate": "Mon, 22 Nov 2021 12:17:59 +0000", + "title": "‘I was always curious’: Indian woman, 104, fulfils dream of learning to read", + "description": "

    Daily newspaper is new joy for Kuttiyamma, who began taking lessons from her neighbour a year ago

    For almost a century, Kuttiyamma’s daily routine had been much the same. Rising early at home in the village of Thiruvanchoor in Kerala, the 104-year-old would begin her day’s work of cooking, cleaning and feeding the cows and chickens.

    But now, every morning, there’s something new to get up for. She eagerly awaits the paperboy to deliver Malayala Manorama, the local newspaper.

    Continue reading...", + "content": "

    Daily newspaper is new joy for Kuttiyamma, who began taking lessons from her neighbour a year ago

    For almost a century, Kuttiyamma’s daily routine had been much the same. Rising early at home in the village of Thiruvanchoor in Kerala, the 104-year-old would begin her day’s work of cooking, cleaning and feeding the cows and chickens.

    But now, every morning, there’s something new to get up for. She eagerly awaits the paperboy to deliver Malayala Manorama, the local newspaper.

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/dec/11/curious-indian-woman-104-fulfils-dream-learning-read", + "creator": "KA Shaji in Kottayam and Hannah Ellis-Petersen in Delhi", + "pubDate": "2021-12-11T08:00:04Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0f046016ce4dbf6217579dc8f9155170" + "hash": "dfc04f49d9adabcacd7a53f9a8f6a251" }, { - "title": "The Politics of Menace", - "description": "Despite a congressman’s censure, Republicans have shown a growing tolerance for violent rhetoric.", - "content": "Despite a congressman’s censure, Republicans have shown a growing tolerance for violent rhetoric.", - "category": "", - "link": "https://www.nytimes.com/2021/11/22/briefing/paul-gosar-censure-violence.html", - "creator": "Catie Edmondson", - "pubDate": "Mon, 22 Nov 2021 11:35:15 +0000", + "title": "UK and Jersey issue more licences to French fishing boats in post-Brexit row", + "description": "

    British government says move agreed during talks before Friday midnight deadline set by Brussels

    The UK and Jersey governments have issued further licences to French fishing boats to trawl British waters in an apparent attempt to ease cross-Channel tensions.

    The Brussels-imposed deadline of midnight on Friday for solving the post-Brexit fishing row passed without an agreement being announced.

    Continue reading...", + "content": "

    British government says move agreed during talks before Friday midnight deadline set by Brussels

    The UK and Jersey governments have issued further licences to French fishing boats to trawl British waters in an apparent attempt to ease cross-Channel tensions.

    The Brussels-imposed deadline of midnight on Friday for solving the post-Brexit fishing row passed without an agreement being announced.

    Continue reading...", + "category": "Fishing industry", + "link": "https://www.theguardian.com/business/2021/dec/11/uk-and-jersey-issue-more-licences-to-french-fishing-boats-in-post-brexit-row", + "creator": "PA Media", + "pubDate": "2021-12-11T15:09:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b8aa1719b567cede437a4c09f4630a30" + "hash": "b6c624215019ea01bcb207590650446e" }, { - "title": "The Acquittal of Kyle Rittenhouse", - "description": "How a jury came to find the teenager, who shot and killed two people in Kenosha, Wis., not guilty on the five charges he faced.", - "content": "How a jury came to find the teenager, who shot and killed two people in Kenosha, Wis., not guilty on the five charges he faced.", - "category": "Self-Defense", - "link": "https://www.nytimes.com/2021/11/22/podcasts/the-daily/kyle-rittenhouse-verdict.html", - "creator": "Michael Barbaro, Daniel Guillemette, Clare Toeniskoetter, Alexandra Leigh Young, Larissa Anderson and Chris Wood", - "pubDate": "Mon, 22 Nov 2021 11:08:31 +0000", + "title": "Carrie-Anne Moss: ‘There was a scene in the first Matrix with me in stilettos. I could barely stand straight’", + "description": "

    Twenty years after first playing kick-ass hacker Trinity in The Matrix, Moss is returning to the role in The Matrix: Resurrections. Thankfully, she wasn’t asked to wear heels this time …

    When The Matrix asks us all to take the red pill again on 22 December, Carrie-Anne Moss, 54, will return to the role that made her famous. Moss first played Trinity, a motorbike-riding, badass, PVC-clad hacker, in 1999, and despite the character not surviving the original trilogy, she is back, along with her co-star Keanu Reeves, for the fourth instalment, The Matrix Resurrections, directed by Lana Wachowski, this time without her sister Lilly. Moss, who was born in Canada, started her career as a model and had several small parts on television and in films before The Matrix struck gold. She played Marvel’s first on-screen lesbian character, Jeri Hogarth, in the Netflix series Jessica Jones, and away from the acting world, she runs a “labour of love” lifestyle site called Annapurna Living. She lives with her husband and three children in the countryside in California, which means she does not see the current trend for Matrix-inspired fashion such as big stompy boots and tiny sunglasses out on the streets.

    Was returning to the world of The Matrix a tough decision?
    Oh, no. I was absolutely over-the-moon excited about the prospect. It was something that I never imagined happening. People had mentioned it to me in passing, and I was always thinking: ‘No way. Never gonna happen.’

    Continue reading...", + "content": "

    Twenty years after first playing kick-ass hacker Trinity in The Matrix, Moss is returning to the role in The Matrix: Resurrections. Thankfully, she wasn’t asked to wear heels this time …

    When The Matrix asks us all to take the red pill again on 22 December, Carrie-Anne Moss, 54, will return to the role that made her famous. Moss first played Trinity, a motorbike-riding, badass, PVC-clad hacker, in 1999, and despite the character not surviving the original trilogy, she is back, along with her co-star Keanu Reeves, for the fourth instalment, The Matrix Resurrections, directed by Lana Wachowski, this time without her sister Lilly. Moss, who was born in Canada, started her career as a model and had several small parts on television and in films before The Matrix struck gold. She played Marvel’s first on-screen lesbian character, Jeri Hogarth, in the Netflix series Jessica Jones, and away from the acting world, she runs a “labour of love” lifestyle site called Annapurna Living. She lives with her husband and three children in the countryside in California, which means she does not see the current trend for Matrix-inspired fashion such as big stompy boots and tiny sunglasses out on the streets.

    Was returning to the world of The Matrix a tough decision?
    Oh, no. I was absolutely over-the-moon excited about the prospect. It was something that I never imagined happening. People had mentioned it to me in passing, and I was always thinking: ‘No way. Never gonna happen.’

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/11/carrie-anne-moss-there-was-a-scene-in-the-first-matrix-with-me-in-stilettos-i-could-barely-stand-straight", + "creator": "Rebecca Nicholson", + "pubDate": "2021-12-11T09:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1c0f157fe4881c128587c012d569447" + "hash": "a6e49b3262fb82547311bc5c70c4cb06" }, { - "title": "As Pandemic Evictions Rise, Spaniards Declare ‘War’ on Wall Street Landlords", - "description": "Protesters in Barcelona are pushing back against foreign investment firms that have bought up thousands of homes over the past decade and are forcing out residents who can’t pay the rent.", - "content": "Protesters in Barcelona are pushing back against foreign investment firms that have bought up thousands of homes over the past decade and are forcing out residents who can’t pay the rent.", - "category": "Barcelona (Spain)", - "link": "https://www.nytimes.com/2021/11/21/world/europe/spain-evictions-cerberus-covid.html", - "creator": "Nicholas Casey and Roser Toll Pifarré", - "pubDate": "Mon, 22 Nov 2021 09:45:52 +0000", + "title": "Charlie Watts remembered by Dave Green", + "description": "

    2 June 1941 – 24 August 2021
    The Rolling Stones drummer’s childhood friend and fellow musician recalls a home-loving connoisseur and collector of ephemera

    I first met Charlie Watts in 1946, when I was four and he was five. We moved into new prefabs built after the war in Wembley Park – we were number 22, he was number 23 – and our mums hit it off pretty much straight away. We were very close, Charlie and me, throughout our lives. There was one point after he joined the Stones when we didn’t see each other for years, but when we did eventually reconnect, we picked up where we left off. Our relationship never really changed.

    From an early age we were both interested in jazz. It was a mutual thing. I used to listen to records in Charlie’s bedroom, discovering musicians such as Charlie Parker, Duke Ellington and Jelly Roll Morton. Later, when his dad bought him a drum kit and I got a double bass, we’d only been playing for a few months when we heard that a jazz band was doing auditions for a drummer and bass player. We did the audition and as we were the only ones that turned up we got the gig with the Jo Jones Seven and started doing weekly sessions at the Masons Arms pub in Edgware.

    Continue reading...", + "content": "

    2 June 1941 – 24 August 2021
    The Rolling Stones drummer’s childhood friend and fellow musician recalls a home-loving connoisseur and collector of ephemera

    I first met Charlie Watts in 1946, when I was four and he was five. We moved into new prefabs built after the war in Wembley Park – we were number 22, he was number 23 – and our mums hit it off pretty much straight away. We were very close, Charlie and me, throughout our lives. There was one point after he joined the Stones when we didn’t see each other for years, but when we did eventually reconnect, we picked up where we left off. Our relationship never really changed.

    From an early age we were both interested in jazz. It was a mutual thing. I used to listen to records in Charlie’s bedroom, discovering musicians such as Charlie Parker, Duke Ellington and Jelly Roll Morton. Later, when his dad bought him a drum kit and I got a double bass, we’d only been playing for a few months when we heard that a jazz band was doing auditions for a drummer and bass player. We did the audition and as we were the only ones that turned up we got the gig with the Jo Jones Seven and started doing weekly sessions at the Masons Arms pub in Edgware.

    Continue reading...", + "category": "Charlie Watts", + "link": "https://www.theguardian.com/music/2021/dec/11/obituaries-2021-charlie-watts-remembered-by-dave-green", + "creator": "Guardian Staff", + "pubDate": "2021-12-11T14:00:11Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1d5bfb3c5cb5b71b0d3e8e48825c1b1" + "hash": "67441e6b8b13e331ee5e9609edb15632" }, { - "title": "Playwright Is in Exile as Cuba Uses an Old Playbook to Quash Dissent", - "description": "Yunior García, a rising star of the Cuban protest movement, fled to Spain. He is one of a young generation of artists who say they have chosen exile over imprisonment.", - "content": "Yunior García, a rising star of the Cuban protest movement, fled to Spain. He is one of a young generation of artists who say they have chosen exile over imprisonment.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/21/world/americas/yunior-garcia-exile-spain.html", - "creator": "Nicholas Casey", - "pubDate": "Mon, 22 Nov 2021 05:04:33 +0000", + "title": "David Baddiel and his daughter on his social media addiction: ‘it can reward and punish you’", + "description": "

    Despite the abuse and anger, the comedian spent hours a day online. But then his daughter Dolly became dangerously drawn in. Was it time for a rethink?

    Over the past 30 years, I have read and heard David Baddiel’s thoughts on many subjects, including sex, masturbation, religion, antisemitism, football fandom, football hooliganism, his mother’s sex life and his father’s dementia. “I am quite unfiltered,” he agrees, “mainly because I am almost psychotically comfortable in my own skin.” But today I have found the one subject that makes him squirm.

    How much time does he spend on social media a day? “Oh, um, too much,” he says, his usual candour suddenly gone. What’s his daily screen time according to his phone? “It says four hours, which is a bit frightening.”

    Continue reading...", + "content": "

    Despite the abuse and anger, the comedian spent hours a day online. But then his daughter Dolly became dangerously drawn in. Was it time for a rethink?

    Over the past 30 years, I have read and heard David Baddiel’s thoughts on many subjects, including sex, masturbation, religion, antisemitism, football fandom, football hooliganism, his mother’s sex life and his father’s dementia. “I am quite unfiltered,” he agrees, “mainly because I am almost psychotically comfortable in my own skin.” But today I have found the one subject that makes him squirm.

    How much time does he spend on social media a day? “Oh, um, too much,” he says, his usual candour suddenly gone. What’s his daily screen time according to his phone? “It says four hours, which is a bit frightening.”

    Continue reading...", + "category": "David Baddiel", + "link": "https://www.theguardian.com/stage/2021/dec/11/david-baddiel-and-his-daughter-on-his-social-media-addiction-it-can-reward-and-punish-you", + "creator": "Hadley Freeman", + "pubDate": "2021-12-11T12:00:09Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fdf015180e1679c7324d301744b75848" + "hash": "f45a0750b3b9d2cb3150d7926f80ff1b" }, { - "title": "Video of Peng Shuai With Olympic Officials Fuels a Showdown With Tennis", - "description": "The Chinese tennis star held a 30-minute video call with the leader of the International Olympic Committee, but the head of women’s professional tennis remained unable to reach her.", - "content": "The Chinese tennis star held a 30-minute video call with the leader of the International Olympic Committee, but the head of women’s professional tennis remained unable to reach her.", - "category": "Olympic Games (2022)", - "link": "https://www.nytimes.com/2021/11/21/sports/tennis/peng-shuai-video-ioc.html", - "creator": "Matthew Futterman", - "pubDate": "Mon, 22 Nov 2021 03:21:54 +0000", + "title": "Supermodel Karen Elson on fashion’s toxic truth: ‘I survived harassment, body shaming and bullying – and I’m one of the lucky ones’", + "description": "

    She has been at the top of the industry for decades. Now she’s speaking out about the dark reality of life behind the scenes

    When Karen Elson was a young hopeful trying to make it in Paris, a model scout took her to a nightclub. After long days on the Métro trekking to castings that came to nothing, and evenings alone in a run-down apartment, she was excited to be out having fun. The music was good and the scout, to whom her agent had introduced her, kept the drinks coming. She started to feel tipsy. A friend of the scout’s arrived, and the pair started massaging her shoulders, making sexual suggestions. “I was 16 and I’d never kissed a boy,” she recalls. “It was my first experience of sexual – well, sexual anything, and this was sexual harassment. They both had their hands on me.”

    She told them she wanted to go home, and left to find a taxi, but they followed her into it, kissing her neck on the back seat. When they reached her street, she jumped out, slammed the taxi door and ran inside. The next day she told another model what had happened, and the scout found out. “His reaction was to corner me in the model agency and say: ‘I’ll fucking get you kicked out of Paris if you ever fucking say anything ever again.’”

    Continue reading...", + "content": "

    She has been at the top of the industry for decades. Now she’s speaking out about the dark reality of life behind the scenes

    When Karen Elson was a young hopeful trying to make it in Paris, a model scout took her to a nightclub. After long days on the Métro trekking to castings that came to nothing, and evenings alone in a run-down apartment, she was excited to be out having fun. The music was good and the scout, to whom her agent had introduced her, kept the drinks coming. She started to feel tipsy. A friend of the scout’s arrived, and the pair started massaging her shoulders, making sexual suggestions. “I was 16 and I’d never kissed a boy,” she recalls. “It was my first experience of sexual – well, sexual anything, and this was sexual harassment. They both had their hands on me.”

    She told them she wanted to go home, and left to find a taxi, but they followed her into it, kissing her neck on the back seat. When they reached her street, she jumped out, slammed the taxi door and ran inside. The next day she told another model what had happened, and the scout found out. “His reaction was to corner me in the model agency and say: ‘I’ll fucking get you kicked out of Paris if you ever fucking say anything ever again.’”

    Continue reading...", + "category": "Models", + "link": "https://www.theguardian.com/fashion/2021/dec/11/supermodel-karen-elson-on-fashions-toxic-truth-i-survived-harassment-body-shaming-and-bullying-and-im-one-of-the-lucky-ones", + "creator": "Jess Cartner-Morley", + "pubDate": "2021-12-11T08:00:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4fd646ce6f476491ed8942aabe2bd4e6" + "hash": "7763dd63744e6c5ca01abf97ee1142a4" }, { - "title": "Tucker Carlson's 'Patriot Purge' Special Leads Two Fox News Contributors to Quit", - "description": "Jonah Goldberg and Stephen Hayes, stars of a brand of conservatism that has fallen out of fashion, decide they’ve had enough.", - "content": "Jonah Goldberg and Stephen Hayes, stars of a brand of conservatism that has fallen out of fashion, decide they’ve had enough.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/11/21/business/jonah-goldberg-steve-hayes-quit-fox-tucker-carlson.html", - "creator": "Ben Smith", - "pubDate": "Mon, 22 Nov 2021 00:48:03 +0000", + "title": "Blind date: ‘After my rugby stories, she may not want to meet my friends’", + "description": "

    April, 27, heritage project officer, meets Jake, 27, company director

    April on Jake

    What were you hoping for?
    Someone based in London with similar interests, who was laid-back but up for trying new things.

    Continue reading...", + "content": "

    April, 27, heritage project officer, meets Jake, 27, company director

    April on Jake

    What were you hoping for?
    Someone based in London with similar interests, who was laid-back but up for trying new things.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/11/blind-date-april-jake", + "creator": "", + "pubDate": "2021-12-11T06:00:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5733c0a46a45142ac4f273051e0b772" + "hash": "51d8df2b6b7a1c205a3acb505db374fe" }, { - "title": "Two of 17 Kidnapped Missionaries in Haiti Are Freed, Group Says", - "description": "After being held hostage for 37 days by a gang, two people with a U.S. Christian aid group have been released in Port-au-Prince and are described as “safe.”", - "content": "After being held hostage for 37 days by a gang, two people with a U.S. Christian aid group have been released in Port-au-Prince and are described as “safe.”", - "category": "Gangs", - "link": "https://www.nytimes.com/2021/11/21/world/americas/haiti-missionaries-kidnapping.html", - "creator": "Maria Abi-Habib", - "pubDate": "Mon, 22 Nov 2021 00:28:59 +0000", + "title": "‘Gushing oil and roaring fires’: 30 years on Kuwait is still scarred by catastrophic pollution", + "description": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", + "content": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", + "category": "Environment", + "link": "https://www.theguardian.com/environment/2021/dec/11/the-sound-of-roaring-fires-is-still-in-my-memory-30-years-on-from-kuwaits-oil-blazes", + "creator": "Richa Syal", + "pubDate": "2021-12-11T10:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1822f6826d0bc2816b42f42fb65e10a0" + "hash": "ecc7f625eb36a621bfbe64acdf1de020" }, { - "title": "What Astroworld, the Rust Shooting and the Surfside Collapse Have In Common", - "description": "From the Salem witch trials to the Astroworld disaster, conspiracy theories and reformist narratives have battled for dominance in the American consciousness. ", - "content": "From the Salem witch trials to the Astroworld disaster, conspiracy theories and reformist narratives have battled for dominance in the American consciousness. ", - "category": "Conspiracy Theories", - "link": "https://www.nytimes.com/2021/11/21/opinion/astroworld-rust-surfside-conspiracies-catastrophes.html", - "creator": "Adrian J. Rivera", - "pubDate": "Sun, 21 Nov 2021 22:10:49 +0000", + "title": "Man shot dead by police near Kensington Palace", + "description": "

    Officers were called after man with a gun was seen entering a bank and bookmakers in west London

    A man has died after sustaining gunshot wounds in an incident involving armed officers, close to Kensington Palace in London, the Metropolitan police has said.

    Officers were called to reports of a man with a firearm seen to enter a bank and bookmakers in Marloes Road, west London, shortly after 3pm on Saturday, Scotland Yard said.

    Continue reading...", + "content": "

    Officers were called after man with a gun was seen entering a bank and bookmakers in west London

    A man has died after sustaining gunshot wounds in an incident involving armed officers, close to Kensington Palace in London, the Metropolitan police has said.

    Officers were called to reports of a man with a firearm seen to enter a bank and bookmakers in Marloes Road, west London, shortly after 3pm on Saturday, Scotland Yard said.

    Continue reading...", + "category": "London", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/man-shot-dead-by-police-near-kensington-palace", + "creator": "Nadeem Badshah and agency", + "pubDate": "2021-12-11T18:13:54Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac98668e11a7fddf545d497fcd3c638f" + "hash": "3d15e6920f312fbd1c8ad6b6d60b0a78" }, { - "title": "The Diminishing Democratic Majority", - "description": "Do Democrats need Trump to save them from an unexpected demographic eclipse?", - "content": "Do Democrats need Trump to save them from an unexpected demographic eclipse?", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/20/opinion/democrat-trump-elections.html", - "creator": "Ross Douthat", - "pubDate": "Sun, 21 Nov 2021 21:12:18 +0000", + "title": "Missing Rio boys tortured and killed for stealing bird, say police", + "description": "

    Members of Red Command drug faction accused of crime that caused outcry across Brazil

    Nearly a year after three young boys vanished near their homes in Rio de Janeiro’s rundown northern sprawl, police have accused members of the city’s largest drug faction of murdering the children in reprisal for stealing an ornamental bird.

    The boys – aged nine, 11 and 12 – disappeared on the afternoon of 27 December 2020 after leaving their homes in the Morro do Castelar favela to play. They were last seen in eerie security footage showing them walking towards a local street market.

    Continue reading...", + "content": "

    Members of Red Command drug faction accused of crime that caused outcry across Brazil

    Nearly a year after three young boys vanished near their homes in Rio de Janeiro’s rundown northern sprawl, police have accused members of the city’s largest drug faction of murdering the children in reprisal for stealing an ornamental bird.

    The boys – aged nine, 11 and 12 – disappeared on the afternoon of 27 December 2020 after leaving their homes in the Morro do Castelar favela to play. They were last seen in eerie security footage showing them walking towards a local street market.

    Continue reading...", + "category": "Brazil", + "link": "https://www.theguardian.com/world/2021/dec/10/rio-gangsters-tortured-and-murdered-missing-boys-say-police", + "creator": "Tom Phillips Latin America correspondent", + "pubDate": "2021-12-10T16:33:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3780bdca8d96c4c711fd7b080a32583b" + "hash": "1bba77b6f3988b8c09c71df5b5f23ee6" }, { - "title": "How the U.S. Lost Ground to China in the Contest for Clean Energy", - "description": "Americans failed to safeguard decades of diplomatic and financial investments in Congo, where the world’s largest supply of cobalt is controlled by Chinese companies backed by Beijing.", - "content": "Americans failed to safeguard decades of diplomatic and financial investments in Congo, where the world’s largest supply of cobalt is controlled by Chinese companies backed by Beijing.", - "category": "Mines and Mining", - "link": "https://www.nytimes.com/2021/11/21/world/us-china-energy.html", - "creator": "Eric Lipton, Dionne Searcey and Ashley Gilbertson", - "pubDate": "Sun, 21 Nov 2021 19:58:27 +0000", + "title": "I’m all for New Zealand giving tobacco a kicking – but don’t criminalise smoking | Eleanor Margolis", + "description": "

    Making substances illegal has never worked, simply because it fails to address the reasons why people use them

    I once lived with a militant vegetarian who had grown up near an abattoir. With a thousand-yard stare, he’d talk about how its bloody runoff would seep into his local playground. He hadn’t touched meat since those days. You often hear this sort of thing from vegetarians and vegans: that if you looked at what went on inside (or even outside) a slaughterhouse, you’d switch to Quorn full-time. In a similar vein, if you want to quit smoking, I recommend watching someone go through lung cancer.

    I could never look someone in the eye and tell them smoking isn’t both immensely pleasurable and cool-looking. What I would say is this: my mum was diagnosed with lung cancer in 2017. Over just a few months I watched her shrivel, become obscured by tangles of medical tubing, and begin to suffocate to death as her lungs filled with fluid. She died that same year, and it was a relief to know that her unimaginable suffering was over. I apologise if this description has either put a damper on your next fag break, or stressed you into taking a fag break when you didn’t even have one planned. As a former smoker, I can understand either scenario.

    Eleanor Margolis is a columnist for the i newspaper and Diva

    Continue reading...", + "content": "

    Making substances illegal has never worked, simply because it fails to address the reasons why people use them

    I once lived with a militant vegetarian who had grown up near an abattoir. With a thousand-yard stare, he’d talk about how its bloody runoff would seep into his local playground. He hadn’t touched meat since those days. You often hear this sort of thing from vegetarians and vegans: that if you looked at what went on inside (or even outside) a slaughterhouse, you’d switch to Quorn full-time. In a similar vein, if you want to quit smoking, I recommend watching someone go through lung cancer.

    I could never look someone in the eye and tell them smoking isn’t both immensely pleasurable and cool-looking. What I would say is this: my mum was diagnosed with lung cancer in 2017. Over just a few months I watched her shrivel, become obscured by tangles of medical tubing, and begin to suffocate to death as her lungs filled with fluid. She died that same year, and it was a relief to know that her unimaginable suffering was over. I apologise if this description has either put a damper on your next fag break, or stressed you into taking a fag break when you didn’t even have one planned. As a former smoker, I can understand either scenario.

    Eleanor Margolis is a columnist for the i newspaper and Diva

    Continue reading...", + "category": "Smoking", + "link": "https://www.theguardian.com/commentisfree/2021/dec/11/new-zealand-tobacco-criminalise-smoking-illegal-substances-use", + "creator": "Eleanor Margolis", + "pubDate": "2021-12-11T10:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3cc8059a7ef51e273aa62db09bbdd61b" + "hash": "d7621bb6486aea3faf23c7ddfadabede" }, { - "title": "How Do You Make Teen Comedies Today? Buy a High School.", - "description": "A former school outside Syracuse, N.Y., has been transformed into American High, a production hub for inexpensive films aimed at streaming platforms.", - "content": "A former school outside Syracuse, N.Y., has been transformed into American High, a production hub for inexpensive films aimed at streaming platforms.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/21/business/media/american-high-teen-comedies-movies.html", - "creator": "Nicole Sperling", - "pubDate": "Sun, 21 Nov 2021 18:46:55 +0000", + "title": "Victoria records 13 deaths and NSW three; Qld changes quarantine rules – as it happened", + "description": "

    Sydney pub and club at centre of scare. Bushfire rages in Margaret River in Western Australia. This blog is now closed

    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", + "content": "

    Sydney pub and club at centre of scare. Bushfire rages in Margaret River in Western Australia. This blog is now closed

    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/11/australia-live-news-updates-omicron-covid-cases-climb-as-sydney-pub-and-club-at-centre-of-scare", + "creator": "Justine Landis-Hanley and Cait Kelly (earlier)", + "pubDate": "2021-12-11T07:13:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fdcfc91f88bd0b0b7c8e3a86347774a9" + "hash": "13c46975bd82b5e3a527867fbdb2553d" }, { - "title": "This Matzo Ball Chicken Soup Recipe Is Ready to Comfort", - "description": "This light recipe is still filling and festive enough for Hanukkah, and it’s easy to clean up, too.", - "content": "This light recipe is still filling and festive enough for Hanukkah, and it’s easy to clean up, too.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/19/dining/matzo-ball-chicken-soup-recipe.html", - "creator": "Joan Nathan", - "pubDate": "Sun, 21 Nov 2021 18:28:32 +0000", + "title": "Treasury defends ‘impromptu’ drinks party after Sunak’s autumn budget", + "description": "

    Staff celebrated chancellor’s autumn spending review with wine and beer during lockdown, while pubs and bars were shuttered

    The Treasury has been forced to defend officials holding an “impromptu” drinks party to celebrate Rishi Sunak’s autumn spending review during lockdown.

    A spokesperson insisted it was a “small number” of staff who celebrated around their desks, despite reports putting the number closer to two dozen civil servants at the event.

    Continue reading...", + "content": "

    Staff celebrated chancellor’s autumn spending review with wine and beer during lockdown, while pubs and bars were shuttered

    The Treasury has been forced to defend officials holding an “impromptu” drinks party to celebrate Rishi Sunak’s autumn spending review during lockdown.

    A spokesperson insisted it was a “small number” of staff who celebrated around their desks, despite reports putting the number closer to two dozen civil servants at the event.

    Continue reading...", + "category": "Politics", + "link": "https://www.theguardian.com/politics/2021/dec/11/treasury-defends-impromptu-drinks-party-after-rishi-sunak-autumn-budget", + "creator": "Tom Ambrose", + "pubDate": "2021-12-11T11:42:39Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8d78343a51f537aa728f6cf5fb972f1e" + "hash": "69ec86a4c48f894d35bbaa398ffd1479" }, { - "title": "Overlooked No More: Ruth Polsky, Who Shaped New York’s Music Scene", - "description": "She booked concerts at influential nightclubs in the 1980s, bringing exposure to up-and-coming artists like the Smiths and New Order.", - "content": "She booked concerts at influential nightclubs in the 1980s, bringing exposure to up-and-coming artists like the Smiths and New Order.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/11/18/obituaries/ruth-polsky-overlooked.html", - "creator": "Rachel Felder", - "pubDate": "Sun, 21 Nov 2021 17:57:51 +0000", + "title": "No ho ho: Italian church apologises over bishop’s claim about Santa Claus", + "description": "

    Antonio Stagliano was trying to focus on the story of Saint Nicholas when he told children Santa did not exist, says church in Sicily

    A Roman Catholic diocese in Sicily has publicly apologised to outraged parents after its bishop told a group of children that Santa Claus doesn’t exist.

    Bishop Antonio Stagliano didn’t mean the comments, and was trying to underline the true meaning of Christmas and the story of Saint Nicholas, a bishop who gave gifts to the poor and was persecuted by a Roman emperor, said the Rev Alessandro Paolino, the communications director for the diocese of Noto.

    Continue reading...", + "content": "

    Antonio Stagliano was trying to focus on the story of Saint Nicholas when he told children Santa did not exist, says church in Sicily

    A Roman Catholic diocese in Sicily has publicly apologised to outraged parents after its bishop told a group of children that Santa Claus doesn’t exist.

    Bishop Antonio Stagliano didn’t mean the comments, and was trying to underline the true meaning of Christmas and the story of Saint Nicholas, a bishop who gave gifts to the poor and was persecuted by a Roman emperor, said the Rev Alessandro Paolino, the communications director for the diocese of Noto.

    Continue reading...", + "category": "Italy", + "link": "https://www.theguardian.com/world/2021/dec/11/no-ho-ho-italian-church-apologises-over-bishops-claim-about-santa-claus", + "creator": "Associated Press", + "pubDate": "2021-12-11T04:22:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23bb48e81c41c65d5633fe964862817b" + "hash": "4dc9dd87974fb4b6d4e505196067d586" }, { - "title": "Knowledge Bubbles Work Against Us", - "description": "We need to find out why our neighbors and fellow citizens think the way they do.", - "content": "We need to find out why our neighbors and fellow citizens think the way they do.", - "category": "Football (College)", - "link": "https://www.nytimes.com/2021/11/20/opinion/knowledge-football-finebaum.html", - "creator": "Jane Coaston", - "pubDate": "Sun, 21 Nov 2021 17:10:34 +0000", + "title": "French court finds UK man guilty of murder for running over his wife", + "description": "

    Former Tory Councillor David Turtle has been sentenced to 14 years in jail after driving into his wife outside their home in France

    A former Tory councillor has been convicted of killing his wife by deliberately running over her in his Mercedes at their home in France.

    David Turtle, 67, was found guilty of murder by a French court and sentenced to 14 years in jail.

    Continue reading...", + "content": "

    Former Tory Councillor David Turtle has been sentenced to 14 years in jail after driving into his wife outside their home in France

    A former Tory councillor has been convicted of killing his wife by deliberately running over her in his Mercedes at their home in France.

    David Turtle, 67, was found guilty of murder by a French court and sentenced to 14 years in jail.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/11/french-court-finds-uk-man-david-turtle-guilty-of-killing-his-wife", + "creator": "Kim Willsher", + "pubDate": "2021-12-11T13:35:59Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b371d9eabe235d153215276e5d48c2b0" + "hash": "3d91e49f93bdb8b656e39f41ab074e7f" }, { - "title": "How Roundabouts Help Lower Carbon Emissions", - "description": "An Indiana city has the most roundabouts in the country. They’ve saved lives and reduced injuries from crashes — and lowered carbon emissions.", - "content": "An Indiana city has the most roundabouts in the country. They’ve saved lives and reduced injuries from crashes — and lowered carbon emissions.", - "category": "Carmel (Ind)", - "link": "https://www.nytimes.com/2021/11/20/climate/roundabouts-climate-emissions-driving.html", - "creator": "Cara Buckley and A.J. Mast", - "pubDate": "Sun, 21 Nov 2021 14:26:14 +0000", + "title": "Covid live: 633 new Omicron cases detected in UK; variant could cause 75,000 deaths in England", + "description": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "content": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/11/covid-live-booster-significantly-reduces-risk-of-omicron-symptoms-taiwan-detects-first-case-of-variant", + "creator": "Nadeem Badshah (now); Lucy Campbell (earlier)", + "pubDate": "2021-12-11T16:34:50Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3c9aa8dc1caf745bec62becbc7288641" + "hash": "c8302d5e9dc88cc8cdcaec841510a892" }, { - "title": "Manchin and Sinema Find Financial Support From G.O.P. Donors", - "description": "The two Democratic senators are attracting campaign contributions from business interests and conservatives as progressives fume over their efforts to pare back the president’s domestic policy bill.", - "content": "The two Democratic senators are attracting campaign contributions from business interests and conservatives as progressives fume over their efforts to pare back the president’s domestic policy bill.", - "category": "Campaign Finance", - "link": "https://www.nytimes.com/2021/11/21/us/politics/manchin-sinema-republican-donors.html", - "creator": "Kenneth P. Vogel and Kate Kelly", - "pubDate": "Sun, 21 Nov 2021 10:00:07 +0000", + "title": "Why TV crews are falling over each other to film drama in ‘Bristolywood’", + "description": "

    The city’s picturesque past and vibrant present have made it a magnet for high-end productions

    An adrenaline-pumping knife chase through graffiti-sprayed lanes takes place in the comedy-thriller The Outlaws, while class tensions simmer at a lavish student ball in the legal drama Showtrial. The city providing the backdrop and inspiration for both these series is Bristol – a location now so popular with film and TV makers that crews are actually falling over themselves in the streets.

    The city council has been inundated with requests to film in the city’s dank alleys, high-rises and grand Georgian squares since the beginning of the year, according to Bristol Film Office, which is part of the city council. It has seen a 225% increase in drama production on pre-pandemic levels. In the first quarter of 2019/20 there were four major drama productions under way in Bristol – but this more than tripled to 13 in the first quarter of 2020/21. Since January, 15 high-end TV dramas have been filmed in the city.

    Continue reading...", + "content": "

    The city’s picturesque past and vibrant present have made it a magnet for high-end productions

    An adrenaline-pumping knife chase through graffiti-sprayed lanes takes place in the comedy-thriller The Outlaws, while class tensions simmer at a lavish student ball in the legal drama Showtrial. The city providing the backdrop and inspiration for both these series is Bristol – a location now so popular with film and TV makers that crews are actually falling over themselves in the streets.

    The city council has been inundated with requests to film in the city’s dank alleys, high-rises and grand Georgian squares since the beginning of the year, according to Bristol Film Office, which is part of the city council. It has seen a 225% increase in drama production on pre-pandemic levels. In the first quarter of 2019/20 there were four major drama productions under way in Bristol – but this more than tripled to 13 in the first quarter of 2020/21. Since January, 15 high-end TV dramas have been filmed in the city.

    Continue reading...", + "category": "Bristol", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/bristol-film-tv-crews-drama-locations-bristolywood", + "creator": "Tom Wall", + "pubDate": "2021-12-11T15:00:12Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e53919ef6ad4c8eb9e71ce95f57f5401" + "hash": "c75af711c8b05aa29162fc4bdf61c25a" }, { - "title": "How Nancy Pelosi Got Biden's Build Back Better Bill Back on Track", - "description": "The House’s approval of a sweeping social policy bill after weeks of fits and starts notched another win for the speaker in a career defined by them.", - "content": "The House’s approval of a sweeping social policy bill after weeks of fits and starts notched another win for the speaker in a career defined by them.", - "category": "Pelosi, Nancy", - "link": "https://www.nytimes.com/2021/11/20/us/politics/pelosi-democrats-biden-agenda.html", - "creator": "Carl Hulse", - "pubDate": "Sat, 20 Nov 2021 23:38:12 +0000", + "title": "Banksy designs T-shirts to raise funds for ‘Colston Four’ accused of Bristol statue damage", + "description": "

    Anonymous artist says sales proceeds will go to the four people accused of Edward Colston statue damage ‘so they can go for a pint’

    Banksy says he has made T-shirts that he will be selling to support four people facing trial accused of criminal damage over the toppling of a statue of slave trader Edward Colston.

    The anonymous artist posted on Instagram pictures of limited-edition grey souvenir T-shirts, which will go on sale on Saturday in Bristol.

    Continue reading...", + "content": "

    Anonymous artist says sales proceeds will go to the four people accused of Edward Colston statue damage ‘so they can go for a pint’

    Banksy says he has made T-shirts that he will be selling to support four people facing trial accused of criminal damage over the toppling of a statue of slave trader Edward Colston.

    The anonymous artist posted on Instagram pictures of limited-edition grey souvenir T-shirts, which will go on sale on Saturday in Bristol.

    Continue reading...", + "category": "Banksy", + "link": "https://www.theguardian.com/artanddesign/2021/dec/11/banksy-designs-t-shirts-to-raise-funds-for-colston-four-accused-of-bristol-statue-damage", + "creator": "Staff and agencies", + "pubDate": "2021-12-11T05:13:59Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd9dc7d3b2e2397b71c2267dc3188e14" + "hash": "10517b8276bdd05efaf60b14fdac9500" }, { - "title": "Train the Police to Keep the Peace, Not Turn a Profit", - "description": "A Times investigation sheds light on an unjust practice.", - "content": "A Times investigation sheds light on an unjust practice.", - "category": "Traffic and Parking Violations", - "link": "https://www.nytimes.com/2021/11/20/opinion/police-traffic-stops-deaths.html", - "creator": "The Editorial Board", - "pubDate": "Sat, 20 Nov 2021 23:31:17 +0000", + "title": "Trump launched profane tirade about Netanyahu in interview – report", + "description": "

    Former president was furious over ex-Israeli PM’s acknowledgment Biden won election, book says

    Donald Trump spat an expletive about his old ally, Israel’s ex-prime minister Benjamin Netanyahu, for congratulating Joe Biden on his victory in last year’s election, according to a new book.

    Trump lashed out in an interview for a book on US-Israel relations during his presidency, the author Barak Ravid wrote on the Axios website on Friday. Trump’s remarks were also published by the English-language website of Israel’s Yediot Aharonot newspaper.

    Continue reading...", + "content": "

    Former president was furious over ex-Israeli PM’s acknowledgment Biden won election, book says

    Donald Trump spat an expletive about his old ally, Israel’s ex-prime minister Benjamin Netanyahu, for congratulating Joe Biden on his victory in last year’s election, according to a new book.

    Trump lashed out in an interview for a book on US-Israel relations during his presidency, the author Barak Ravid wrote on the Axios website on Friday. Trump’s remarks were also published by the English-language website of Israel’s Yediot Aharonot newspaper.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/10/donald-trump-benjamin-netanyahu-book", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-11T02:59:19Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3be784bfbb72ef81b451bd83b6ad2120" + "hash": "a39462e4a814e899a529e69db7715b8c" }, { - "title": "A Socialite, a Gardener, a Message in Blood: The Murder That Still Grips France", - "description": "The victim was a socialite. A message in her blood accused the gardener. But a grammatical error raised questions of class and language — and whether he was being framed.", - "content": "The victim was a socialite. A message in her blood accused the gardener. But a grammatical error raised questions of class and language — and whether he was being framed.", - "category": "Marchal, Ghislaine (d 1991)", - "link": "https://www.nytimes.com/2021/11/20/world/europe/france-murder-ghislaine-marchal-omar-raddad.html", - "creator": "Norimitsu Onishi", - "pubDate": "Sat, 20 Nov 2021 18:15:55 +0000", + "title": "John Lewis removes ‘Lollita’ child’s party dress from sale after criticism", + "description": "

    Store pulls dress from website and apologises ‘for upset caused’ after Twitter users connect name to child abuse novel

    John Lewis has pulled a child’s party dress named “Lollita” from its shelves after receiving criticism for stocking it. The Chi Chi London “Lollita” dress was on sale for children aged three to 11 years old on the retailer’s website for £50.

    The name is similar to Vladimir Nabokov’s 1955 novel Lolita, which details child sexual abuse. It outlines how a middle-aged professor abuses a 12-year-old girl.

    Continue reading...", + "content": "

    Store pulls dress from website and apologises ‘for upset caused’ after Twitter users connect name to child abuse novel

    John Lewis has pulled a child’s party dress named “Lollita” from its shelves after receiving criticism for stocking it. The Chi Chi London “Lollita” dress was on sale for children aged three to 11 years old on the retailer’s website for £50.

    The name is similar to Vladimir Nabokov’s 1955 novel Lolita, which details child sexual abuse. It outlines how a middle-aged professor abuses a 12-year-old girl.

    Continue reading...", + "category": "Retail industry", + "link": "https://www.theguardian.com/business/2021/dec/11/john-lewis-removes-lollita-childs-party-dress-from-sale-after-backlash", + "creator": "PA Media", + "pubDate": "2021-12-11T14:06:29Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb3c6971562f38ebdc430063191e31fb" + "hash": "f30091f6149711a535466cb2c81479d7" }, { - "title": "Buy Stocks to Prosper. Buy Bonds to Sleep at Night.", - "description": "Do what it takes to stay invested in the stock market, our columnist says. Government bonds may help, even if they look unappealing now.", - "content": "Do what it takes to stay invested in the stock market, our columnist says. Government bonds may help, even if they look unappealing now.", - "category": "Stocks and Bonds", - "link": "https://www.nytimes.com/2021/11/19/business/stock-market-bonds-crash.html", - "creator": "Jeff Sommer", - "pubDate": "Sat, 20 Nov 2021 04:23:18 +0000", + "title": "Covid live: Omicron could cause 75,000 deaths in England; booster ‘significantly reduces’ risk of symptoms", + "description": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "content": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/11/covid-live-booster-significantly-reduces-risk-of-omicron-symptoms-taiwan-detects-first-case-of-variant", + "creator": "Lucy Campbell", + "pubDate": "2021-12-11T12:59:09Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b13675ef1b7c67b63504ddc63bcc74c" + "hash": "9749d48d3a722f6f1728883c494737cb" }, { - "title": "Austria Announces Covid Vaccine Mandate, Crossing a Threshold for Europe", - "description": "The extraordinary step shows that governments desperate to safeguard public health and economic recoveries are increasingly willing to push for once unthinkable measures.", - "content": "The extraordinary step shows that governments desperate to safeguard public health and economic recoveries are increasingly willing to push for once unthinkable measures.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/19/world/europe/austria-covid-vaccine-mandate-lockdown.html", - "creator": "Jason Horowitz and Melissa Eddy", - "pubDate": "Fri, 19 Nov 2021 22:55:10 +0000", + "title": "My family has a vaccine refusenik – should we still get together at Christmas? | Ask Annalisa Barbieri", + "description": "

    You can’t force him to get vaccinated – but equally, he can’t force you to spend time with him. Face this head on and explain how you feel

    I’m sure I’m not the only one who’s faced this difficulty this year. One of my family members, who’s in his 40s, has consistently refused to be vaccinated against Covid and will not be moved from his position. He will not explain his reasons for rejecting the vaccine, whether it is ideological or simply rebellion against the so-called “nanny state”.

    He has already been (politely but firmly) excluded from one family get-together as a result of his intransigence. We have explained that he is not being rejected personally, but there are concerns within the family about his vulnerability to catching the virus and transmitting the infection to the children and their grandparents.

    Continue reading...", + "content": "

    You can’t force him to get vaccinated – but equally, he can’t force you to spend time with him. Face this head on and explain how you feel

    I’m sure I’m not the only one who’s faced this difficulty this year. One of my family members, who’s in his 40s, has consistently refused to be vaccinated against Covid and will not be moved from his position. He will not explain his reasons for rejecting the vaccine, whether it is ideological or simply rebellion against the so-called “nanny state”.

    He has already been (politely but firmly) excluded from one family get-together as a result of his intransigence. We have explained that he is not being rejected personally, but there are concerns within the family about his vulnerability to catching the virus and transmitting the infection to the children and their grandparents.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/10/someone-in-my-family-wont-get-the-vaccine-should-we-still-spend-christmas-with-them", + "creator": "Annalisa Barbieri", + "pubDate": "2021-12-10T14:00:42Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5808c19f0688d153f7adf2fdd071bed2" + "hash": "a64af93c6d782704a097a7162b39e111" }, { - "title": "U.S. Rests Its Case in the Elizabeth Holmes Trial", - "description": "Defense lawyers are expected to argue that the founder of Theranos, the blood-testing start-up, failed but did not commit fraud.", - "content": "Defense lawyers are expected to argue that the founder of Theranos, the blood-testing start-up, failed but did not commit fraud.", - "category": "Suits and Litigation (Civil)", - "link": "https://www.nytimes.com/2021/11/19/technology/elizabeth-holmes-trial.html", - "creator": "Erin Griffith", - "pubDate": "Fri, 19 Nov 2021 22:53:35 +0000", + "title": "John Torode: ‘The kitchen is a great place to find yourself’", + "description": "

    The celebrity chef, 56, shares his secrets for a happy relationship and the best sausage rolls

    Living with my grandmother is probably my earliest memory, realising my mother had died and not really understanding it. Then, discovering food with my grandmother and learning to cook by her side. The most vivid memories are of standing in the kitchen and the smell of food. That stayed with me, the comfort of it.

    I’ve still got the Chitty Chitty Bang Bang car my mother gave me for my fourth birthday. It was the last birthday present she gave me. That means a lot. It sits on my shelf. She was 31 when she died. They don’t really know what it was, whether it was heart disease of some type. People say to me: “Does it make you a different person?” I have no idea.

    Continue reading...", + "content": "

    The celebrity chef, 56, shares his secrets for a happy relationship and the best sausage rolls

    Living with my grandmother is probably my earliest memory, realising my mother had died and not really understanding it. Then, discovering food with my grandmother and learning to cook by her side. The most vivid memories are of standing in the kitchen and the smell of food. That stayed with me, the comfort of it.

    I’ve still got the Chitty Chitty Bang Bang car my mother gave me for my fourth birthday. It was the last birthday present she gave me. That means a lot. It sits on my shelf. She was 31 when she died. They don’t really know what it was, whether it was heart disease of some type. People say to me: “Does it make you a different person?” I have no idea.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/11/john-torode-the-kitchen-is-a-great-place-to-find-yourself", + "creator": "Katherine Hassell", + "pubDate": "2021-12-11T14:00:11Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4188ebc82bbbf919e959b0a77ba32cf4" + "hash": "9946461322ab7f6224fb94fac6d13b7a" }, { - "title": "C.D.C. Panel Endorses Covid Vaccine Booster Shots for All Adults", - "description": "As infections rise, Americans over 18 will be permitted to get extra doses. But it’s not clear boosters really are needed by so many people, or that the shots will turn back the pandemic.", - "content": "As infections rise, Americans over 18 will be permitted to get extra doses. But it’s not clear boosters really are needed by so many people, or that the shots will turn back the pandemic.", - "category": "your-feed-science", - "link": "https://www.nytimes.com/2021/11/19/health/covid-boosters-cdc.html", - "creator": "Apoorva Mandavilli", - "pubDate": "Fri, 19 Nov 2021 22:34:54 +0000", + "title": "Surrey teenager who took her own life ‘was not safe at school’, say parents", + "description": "

    Frances-Rose Thomas, 15, died at home after accessing content involving suicide on a school iPad

    The parents of a 15-year-old autistic girl who died by suicide after her school did not monitor her online activity have described the circumstances of her death as a “catastrophic failure” as they warned the Department for Education (DfE) against complacency.

    Frances-Rose Thomas, known as Frankie, took her own life at home in Witley, Surrey, on 25 September 2018 after reading a story which involved suicide on a school iPad, which had no safety features.

    In the UK and Ireland, Samaritans can be contacted on 116 123 or email jo@samaritans.org or jo@samaritans.ie. In the US, the National Suicide Prevention Lifeline is 1-800-273-8255. In Australia, the crisis support service Lifeline is 13 11 14. Other international helplines can be found at www.befrienders.org.

    Continue reading...", + "content": "

    Frances-Rose Thomas, 15, died at home after accessing content involving suicide on a school iPad

    The parents of a 15-year-old autistic girl who died by suicide after her school did not monitor her online activity have described the circumstances of her death as a “catastrophic failure” as they warned the Department for Education (DfE) against complacency.

    Frances-Rose Thomas, known as Frankie, took her own life at home in Witley, Surrey, on 25 September 2018 after reading a story which involved suicide on a school iPad, which had no safety features.

    In the UK and Ireland, Samaritans can be contacted on 116 123 or email jo@samaritans.org or jo@samaritans.ie. In the US, the National Suicide Prevention Lifeline is 1-800-273-8255. In Australia, the crisis support service Lifeline is 13 11 14. Other international helplines can be found at www.befrienders.org.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/surrey-teenager-who-took-her-own-life-was-not-safe-at-school-say-parents", + "creator": "Jedidajah Otte", + "pubDate": "2021-12-11T13:15:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fb798660046654bcc6fedd826d494579" + "hash": "b076afef901f7be5d01c870677b0e284" }, { - "title": "Divisive Case Fueled Debate Over Vigilantism and Gun Rights", - "description": "Two people familiar with the proceedings said the jury has reached a decision after deliberating for three and a half days. Here’s the latest.", - "content": "Two people familiar with the proceedings said the jury has reached a decision after deliberating for three and a half days. Here’s the latest.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial", - "creator": "The New York Times", - "pubDate": "Fri, 19 Nov 2021 22:34:47 +0000", + "title": "PM 'fingers all over' decision to evacuate pets from Kabul, says MP – video", + "description": "

    The head of the Foreign Office has been accused of covering up the prime minister’s involvement in the decision to evacuate pets from Kabul at a select committee hearing.

    Labour MP Chris Bryant made the accusation to Sir Philip Barton and read out a leaked letter from Boris Johnson’s parliamentary private secretary which he said implied Johnson’s 'fingers' were 'all over' the controversial decision.

    Barton did not accept the charge and, in a separate interview, Johnson dismissed the accusation that he was involved as 'complete nonsense'

    Continue reading...", + "content": "

    The head of the Foreign Office has been accused of covering up the prime minister’s involvement in the decision to evacuate pets from Kabul at a select committee hearing.

    Labour MP Chris Bryant made the accusation to Sir Philip Barton and read out a leaked letter from Boris Johnson’s parliamentary private secretary which he said implied Johnson’s 'fingers' were 'all over' the controversial decision.

    Barton did not accept the charge and, in a separate interview, Johnson dismissed the accusation that he was involved as 'complete nonsense'

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/video/2021/dec/07/pm-fingers-all-over-decision-to-evacuate-pets-from-kabul-says-mp-video", + "creator": "", + "pubDate": "2021-12-07T22:25:56Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": true, "favorite": false, "created": false, "tags": [], - "hash": "fab2f0254169bd9bbee76afdf2dc2bc3" + "hash": "6b94706a5e9e7d99530f384fde4a55e3" }, { - "title": "Modi to Repeal India Farm Laws Following Protests", - "description": "A bungled response to Covid and a struggling economy have hurt his party’s standing, leaving it vulnerable to a well-organized protest movement.", - "content": "A bungled response to Covid and a struggling economy have hurt his party’s standing, leaving it vulnerable to a well-organized protest movement.", - "category": "India", - "link": "https://www.nytimes.com/2021/11/18/world/asia/india-farmers-modi.html", - "creator": "Emily Schmall, Karan Deep Singh and Sameer Yasir", - "pubDate": "Fri, 19 Nov 2021 22:32:12 +0000", + "title": "Woman admits abusing pet marmoset she offered cocaine and flushed toilet on", + "description": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", + "content": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", + "category": "Animal welfare", + "link": "https://www.theguardian.com/world/2021/dec/10/woman-admits-abusing-pet-marmoset-she-offered-cocaine-and-flushed-down-toilet", + "creator": "Nadeem Badshah and agency", + "pubDate": "2021-12-10T19:39:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0944ca3686854648128c731048f537a6" + "hash": "776c230290ea574cf048e400e610a3ab" }, { - "title": "Gerald Migdol Is Charged in Campaign Finance Scheme", - "description": "Gerald Migdol is accused of concealing contributions to a New York City comptroller candidate to get more public-matching funds.", - "content": "Gerald Migdol is accused of concealing contributions to a New York City comptroller candidate to get more public-matching funds.", - "category": "Campaign Finance", - "link": "https://www.nytimes.com/2021/11/19/nyregion/nyc-fraud-campaign-finance.html", - "creator": "Matthew Haag", - "pubDate": "Fri, 19 Nov 2021 22:27:17 +0000", + "title": "The secret history of Sesame Street: ‘It was utopian – it’s part of who we all are’", + "description": "

    In 1970, David Attie was sent to photograph the birth of the kids’ landmark TV show as part of a cold war propaganda drive by the US government. But these newly found images are just one part of the programme’s radical history

    “I’m still pinching myself that my dad, my own flesh and blood, had Ernie on one hand and Bert on the other,” Eli Attie says. “It is like he got to sit at Abbey Road studios and watch the Beatles record I Want to Hold Your Hand.” Attie’s father was the photographer David Attie who, in 1970, visited the set of Sesame Street in New York City during its first season. His images lay forgotten in a wardrobe for the next 50 years, until Eli recently discovered them. They are a glimpse behind the curtain of a cultural phenomenon waiting to happen. Here are not only Bert and Ernie but Kermit, Big Bird, Oscar the Grouch with his original orange fur (he was green by season two). And here are the people who brought these characters to life, chiefly Jim Henson and Frank Oz, the Lennon and McCartney of Muppetdom. What also stands out in Attie’s images are the children visiting the set. As in the show itself, they are clearly so beguiled by the puppets, they completely ignore the humans controlling them.

    Eli himself was one of those visitors, although he has no memory of it. “I was in diapers, and as the story goes, I was loud and not to be quieted down, and was yanked off the set,” he says. His parents and older brother Oliver at least made it into the photos. Oliver was even in an episode of the show, in the background in Hooper’s Store, Eli explains, with just a hint of jealousy.

    Above: Bert and Ernie with puppeteers Daniel Seagren, Jim Henson and Frank Oz

    Left: Cast member Bob McGrath, an actor and musician, in a segment called The People in Your Neighborhood.

    Right: Henson (left) and Oz – the Lennon and McCartney of Muppetdom – operate puppets for a sketch titled Hunt for Happiness

    Continue reading...", + "content": "

    In 1970, David Attie was sent to photograph the birth of the kids’ landmark TV show as part of a cold war propaganda drive by the US government. But these newly found images are just one part of the programme’s radical history

    “I’m still pinching myself that my dad, my own flesh and blood, had Ernie on one hand and Bert on the other,” Eli Attie says. “It is like he got to sit at Abbey Road studios and watch the Beatles record I Want to Hold Your Hand.” Attie’s father was the photographer David Attie who, in 1970, visited the set of Sesame Street in New York City during its first season. His images lay forgotten in a wardrobe for the next 50 years, until Eli recently discovered them. They are a glimpse behind the curtain of a cultural phenomenon waiting to happen. Here are not only Bert and Ernie but Kermit, Big Bird, Oscar the Grouch with his original orange fur (he was green by season two). And here are the people who brought these characters to life, chiefly Jim Henson and Frank Oz, the Lennon and McCartney of Muppetdom. What also stands out in Attie’s images are the children visiting the set. As in the show itself, they are clearly so beguiled by the puppets, they completely ignore the humans controlling them.

    Eli himself was one of those visitors, although he has no memory of it. “I was in diapers, and as the story goes, I was loud and not to be quieted down, and was yanked off the set,” he says. His parents and older brother Oliver at least made it into the photos. Oliver was even in an episode of the show, in the background in Hooper’s Store, Eli explains, with just a hint of jealousy.

    Above: Bert and Ernie with puppeteers Daniel Seagren, Jim Henson and Frank Oz

    Left: Cast member Bob McGrath, an actor and musician, in a segment called The People in Your Neighborhood.

    Right: Henson (left) and Oz – the Lennon and McCartney of Muppetdom – operate puppets for a sketch titled Hunt for Happiness

    Continue reading...", + "category": "Sesame Street", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/11/found-photographs-sesame-street-season-one-utopian", + "creator": "Steve Rose", + "pubDate": "2021-12-11T09:45:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c38b7611d3bb7ebaa7c72e71958d8dc4" + "hash": "2daf71d7a39167388af9f8554a9f1b14" }, { - "title": "Business Updates: Google Questions Impartiality of Justice Dept. Antitrust Boss", - "description": "The move, announced on Friday, is an attempt by the country’s newish prime minister to revive an economy battered by Covid restrictions and a supply chain crunch.", - "content": "The move, announced on Friday, is an attempt by the country’s newish prime minister to revive an economy battered by Covid restrictions and a supply chain crunch.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/19/business/news-business-stock-market", - "creator": "The New York Times", - "pubDate": "Fri, 19 Nov 2021 22:22:24 +0000", + "title": "‘Key is in the ignition’ for Tory leadership challenge to Johnson", + "description": "

    Analysis: After cocktail of home refurbishments, Christmas parties and Covid all eyes are on next week’s byelection

    Only two months ago, the talk among Tory MPs – echoing some newspaper front pages – was about how Boris Johnson wanted to “go on and on”, lasting longer than Margaret Thatcher’s 11 years in power.

    At that time, they dismissed the idea that he was a dilettante prime minister who really wanted to retire and write books, give after-dinner speeches on how hard the job was and make loads of money in the process. But that has all changed, with successive scandals over his handling of sleaze allegations and Tory insiders now opening questioning his future.

    Continue reading...", + "content": "

    Analysis: After cocktail of home refurbishments, Christmas parties and Covid all eyes are on next week’s byelection

    Only two months ago, the talk among Tory MPs – echoing some newspaper front pages – was about how Boris Johnson wanted to “go on and on”, lasting longer than Margaret Thatcher’s 11 years in power.

    At that time, they dismissed the idea that he was a dilettante prime minister who really wanted to retire and write books, give after-dinner speeches on how hard the job was and make loads of money in the process. But that has all changed, with successive scandals over his handling of sleaze allegations and Tory insiders now opening questioning his future.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/dec/11/key-is-in-the-ignition-for-tory-leadership-challenge-to-johnson", + "creator": "Rowena Mason, Jessica Elgot and Aubrey Allegretti", + "pubDate": "2021-12-11T07:00:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "71426f88eebda9b39170c6beccc9f5e6" + "hash": "91833a57666c6b613d544908ca743d81" }, { - "title": "C.D.C. Panel Endorses Pfizer and Moderna Boosters for All Adults", - "description": "Earlier, the F.D.A. also authorized boosters for all adults. The moves come as holiday travel could bring a surge of cases. Here’s the latest on Covid.", - "content": "Earlier, the F.D.A. also authorized boosters for all adults. The moves come as holiday travel could bring a surge of cases. Here’s the latest on Covid.", - "category": "", - "link": "https://www.nytimes.com/live/2021/11/19/world/covid-vaccine-boosters-mandates", - "creator": "The New York Times", - "pubDate": "Fri, 19 Nov 2021 22:15:47 +0000", + "title": "Dozens killed after tornadoes tear through several US states", + "description": "

    Arkansas nursing home destroyed as Amazon centre roof collapse in Illinois described as ‘mass casualty incident’

    At least 50 people are thought to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning, the Kentucky governor has said.

    Andy Beshear said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", + "content": "

    Arkansas nursing home destroyed as Amazon centre roof collapse in Illinois described as ‘mass casualty incident’

    At least 50 people are thought to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning, the Kentucky governor has said.

    Andy Beshear said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/2021/dec/11/arkansas-tornado-deaths-nursing-home-illinois-amazon-warehouse-roof-collapse", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-11T10:45:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be81d7dd86623b8d705de64dcc04db8b" + "hash": "2aa3369f0ef41c638c8a265a7129d810" }, { - "title": "House Passes Biden’s Build Back Better Bill", - "description": "The vote was months in the making for the roughly $2 trillion measure, one of the most consequential bills in decades. Now it faces a difficult path in the Senate.", - "content": "The vote was months in the making for the roughly $2 trillion measure, one of the most consequential bills in decades. Now it faces a difficult path in the Senate.", - "category": "House of Representatives", - "link": "https://www.nytimes.com/2021/11/19/us/politics/house-passes-reconciliation-bill.html", - "creator": "Emily Cochrane and Jonathan Weisman", - "pubDate": "Fri, 19 Nov 2021 22:14:47 +0000", + "title": "Scott Morrison urged to end ‘lunacy’ and push UK and US for Julian Assange’s release", + "description": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    Australian parliamentarians have demanded the prime minister, Scott Morrison, intervene in the case of Julian Assange, an Australian citizen, after the United States won a crucial appeal in its fight to extradite the WikiLeaks founder on espionage charges.

    “The prime minister must get Assange home,” the Australian Greens leader, Adam Bandt, told Guardian Australia on Saturday.

    Continue reading...", + "content": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    Australian parliamentarians have demanded the prime minister, Scott Morrison, intervene in the case of Julian Assange, an Australian citizen, after the United States won a crucial appeal in its fight to extradite the WikiLeaks founder on espionage charges.

    “The prime minister must get Assange home,” the Australian Greens leader, Adam Bandt, told Guardian Australia on Saturday.

    Continue reading...", + "category": "Australian politics", + "link": "https://www.theguardian.com/australia-news/2021/dec/11/scott-morrison-urged-to-end-lunacy-and-push-us-and-uk-to-release-julian-assange", + "creator": "Lane Sainty and AAP", + "pubDate": "2021-12-11T04:20:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac445baa24b1cec1a065e0b1ca6db105" + "hash": "6c4ee65692f9bc7967974f4e4e564a19" }, { - "title": "The New York Blood Center Can Get an Upgrade, if NIMBYs Don’t Get in the Way", - "description": "The New York Blood Center should be allowed to build its new life sciences center. ", - "content": "The New York Blood Center should be allowed to build its new life sciences center. ", - "category": "Buildings (Structures)", - "link": "https://www.nytimes.com/2021/11/19/opinion/new-york-blood-center-city-council.html", - "creator": "Mara Gay", - "pubDate": "Fri, 19 Nov 2021 22:12:24 +0000", + "title": "Australia demolish England by nine wickets in first Ashes Test", + "description": "
    • Australia raced to target of 20 after England lost eight for 77
    • Second Test in Adelaide begins on Thursday

    After a breakdown in the broadcasting of the first Ashes Test normal service eventually resumed. England’s meek collapse on the fourth morning in the face of a rejuvenated Australian attack condemned them to a nine-wicket defeat and a 1-0 series deficit heading into the pink ball encounter in Adelaide.

    As Marcus Harris and Marnus Labuschagne finished off a target of 20 runs in 25 minutes after lunch, the latter striding in after the fall of the promoted Alex Carey, it subjected England to their 10th defeat in their last 11 Tests, handed Pat Cummins a first victory as captain and restored the Gabba’s status as Australia’s fortress.

    They may have lost to India on the ground back in January, but England? This was a seventh victory over the old enemy in their last nine encounters in Queensland as part of an unbeaten Ashes record that stretches back to 1986. ‘Gabbattoir’ references have thankfully been light over the past week but it still deals in butchery.

    Continue reading...", + "content": "
    • Australia raced to target of 20 after England lost eight for 77
    • Second Test in Adelaide begins on Thursday

    After a breakdown in the broadcasting of the first Ashes Test normal service eventually resumed. England’s meek collapse on the fourth morning in the face of a rejuvenated Australian attack condemned them to a nine-wicket defeat and a 1-0 series deficit heading into the pink ball encounter in Adelaide.

    As Marcus Harris and Marnus Labuschagne finished off a target of 20 runs in 25 minutes after lunch, the latter striding in after the fall of the promoted Alex Carey, it subjected England to their 10th defeat in their last 11 Tests, handed Pat Cummins a first victory as captain and restored the Gabba’s status as Australia’s fortress.

    They may have lost to India on the ground back in January, but England? This was a seventh victory over the old enemy in their last nine encounters in Queensland as part of an unbeaten Ashes record that stretches back to 1986. ‘Gabbattoir’ references have thankfully been light over the past week but it still deals in butchery.

    Continue reading...", + "category": "Ashes 2021-22", + "link": "https://www.theguardian.com/sport/2021/dec/11/ashes-gabba-england-australia-first-test-match-report-root-stokes-buttler-lyon-starc-carey", + "creator": "Ali Martin", + "pubDate": "2021-12-11T04:10:25Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d5a598feb1bb5a4029509bb165a9a75" + "hash": "ccde40ead5efe0027074db5d00e9834a" }, { - "title": "Cuomo Assembly Report Contains Grounds for Impeachment, Lawmaker Says", - "description": "A report set to be made public next week sheds new light on the Cuomo administration’s manipulation of nursing home death data and the former governor’s $5.1 million book deal.", - "content": "A report set to be made public next week sheds new light on the Cuomo administration’s manipulation of nursing home death data and the former governor’s $5.1 million book deal.", - "category": "Cuomo, Andrew M", - "link": "https://www.nytimes.com/2021/11/19/nyregion/cuomo-impeachment-report.html", - "creator": "Grace Ashford", - "pubDate": "Fri, 19 Nov 2021 22:12:08 +0000", + "title": "Javid advised to take ‘stringent’ Covid measures within a week, leak reveals", + "description": "

    Exclusive: Health officials say urgent action needed to avoid mass hospitalisations and overwhelming the NHS

    Britain’s top public health officials have advised ministers that “stringent national measures” need to be imposed by 18 December to avoid Covid hospitalisations surpassing last winter’s peak, according to documents leaked to the Guardian.

    Sajid Javid, the health secretary, received a presentation from the UK Health and Security Agency (UKHSA) on Tuesday warning that even if the new Omicron variant leads to less serious disease than Delta, it risks overwhelming the NHS with 5,000 people admitted to hospital a day.

    Continue reading...", + "content": "

    Exclusive: Health officials say urgent action needed to avoid mass hospitalisations and overwhelming the NHS

    Britain’s top public health officials have advised ministers that “stringent national measures” need to be imposed by 18 December to avoid Covid hospitalisations surpassing last winter’s peak, according to documents leaked to the Guardian.

    Sajid Javid, the health secretary, received a presentation from the UK Health and Security Agency (UKHSA) on Tuesday warning that even if the new Omicron variant leads to less serious disease than Delta, it risks overwhelming the NHS with 5,000 people admitted to hospital a day.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/10/stringent-uk-covid-measures-needed-within-a-week-leak-reveals", + "creator": "Rowena Mason Deputy political editor", + "pubDate": "2021-12-10T19:19:44Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b6371a3e729293bf21c5fcc05c98bc0" + "hash": "c2604d804c709a0e3983d9c88a1a9d6f" }, { - "title": "House Passes the Largest Expenditure on Climate in U.S. History", - "description": "The $555 billion package is designed to lure the country away from fossil fuels. It faces an uncertain path in the Senate.", - "content": "The $555 billion package is designed to lure the country away from fossil fuels. It faces an uncertain path in the Senate.", - "category": "Global Warming", - "link": "https://www.nytimes.com/2021/11/19/climate/climate-change-bill.html", - "creator": "Coral Davenport", - "pubDate": "Fri, 19 Nov 2021 22:08:38 +0000", + "title": "Inauguration poet Amanda Gorman ‘preserves the memory of a pandemic’ in new collection", + "description": "

    The writer who shot to fame when Joe Biden was sworn in as president has published her response to Covid-19

    • Scroll down to read Fugue, a poem from Gorman’s new collection

    Amanda Gorman, who became the youngest inauguration poet in US history when Joe Biden was sworn in as president, says she is attempting to “preserve the public memory of a pandemic” in a new collection published this week.

    Gorman shot into the public eye when she recited her poem The Hill We Climb at the inauguration in January, speaking of how “there is always light, if only we’re brave enough to see it, / If only we’re brave enough to be it.”

    Continue reading...", + "content": "

    The writer who shot to fame when Joe Biden was sworn in as president has published her response to Covid-19

    • Scroll down to read Fugue, a poem from Gorman’s new collection

    Amanda Gorman, who became the youngest inauguration poet in US history when Joe Biden was sworn in as president, says she is attempting to “preserve the public memory of a pandemic” in a new collection published this week.

    Gorman shot into the public eye when she recited her poem The Hill We Climb at the inauguration in January, speaking of how “there is always light, if only we’re brave enough to see it, / If only we’re brave enough to be it.”

    Continue reading...", + "category": "Books", + "link": "https://www.theguardian.com/books/2021/dec/11/inauguration-poet-amanda-gorman-preserves-the-memory-of-a-pandemic-in-new-collection", + "creator": "Alison Flood", + "pubDate": "2021-12-11T10:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0e13d5c64790f931f1198e4f3a2c2ea" + "hash": "ee361808efec283fff15094057ed5858" }, { - "title": "It Really Would Help if People Learned to Email", - "description": "You should never find out that you were someone’s second choice.", - "content": "You should never find out that you were someone’s second choice.", - "category": "Work-Life Balance", - "link": "https://www.nytimes.com/2021/11/19/business/roxane-gay-work-friend-hiring.html", - "creator": "Roxane Gay", - "pubDate": "Fri, 19 Nov 2021 22:01:40 +0000", + "title": "‘The sound of roaring fires is still in my memory’: 30 years on from Kuwait’s oil blazes", + "description": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", + "content": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", + "category": "Environment", + "link": "https://www.theguardian.com/environment/2021/dec/11/the-sound-of-roaring-fires-is-still-in-my-memory-30-years-on-from-kuwaits-oil-blazes", + "creator": "Richa Syal", + "pubDate": "2021-12-11T10:00:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3de90c3c915bc71a77358f625124569" + "hash": "710d7c9ad726e14689962d33ba365a46" }, { - "title": "Having Rittenhouse Testify Was ‘Not a Close Call,’ His Lawyer Says", - "description": "Mock juries used by his defense team to test their case reacted much more favorably when he testified, his lead lawyer said.", - "content": "Mock juries used by his defense team to test their case reacted much more favorably when he testified, his lead lawyer said.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial/rittenhouse-testimony-sobbing", - "creator": "Sophie Kasakove", - "pubDate": "Fri, 19 Nov 2021 21:46:56 +0000", + "title": "A Covid Christmas: top scientists on how they will navigate party season", + "description": "

    Covid experts explain their personal approaches to festive gatherings in face of Omicron

    As Omicron cases are on the increase and a new wave threatens to overshadow Christmas, the scientists working on Covid are also making calculations about which of their own festivities to go ahead with and which to scale back.

    Prof Jennifer Rohn, cell biologist at University College London

    Continue reading...", + "content": "

    Covid experts explain their personal approaches to festive gatherings in face of Omicron

    As Omicron cases are on the increase and a new wave threatens to overshadow Christmas, the scientists working on Covid are also making calculations about which of their own festivities to go ahead with and which to scale back.

    Prof Jennifer Rohn, cell biologist at University College London

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/11/a-covid-christmas-top-scientists-on-how-they-will-navigate-party-season", + "creator": "Hannah Devlin and Nicola Davis", + "pubDate": "2021-12-11T07:00:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d423b4db4589a6b0341e3ec504e41c88" + "hash": "835b45a835bad22e3ae2a408a09f4cdf" }, { - "title": "WNYC Retracts Four Articles on Its News Site, Gothamist", - "description": "In a new episode of turmoil at the radio station, the author of the articles was reassigned.", - "content": "In a new episode of turmoil at the radio station, the author of the articles was reassigned.", - "category": "News and News Media", - "link": "https://www.nytimes.com/2021/11/19/business/media/wnyc-gothamist-jami-floyd.html", - "creator": "Marc Tracy", - "pubDate": "Fri, 19 Nov 2021 21:30:10 +0000", + "title": "‘Gentle giants’: rangers prepare for return of wild bison to UK", + "description": "

    Animals arrive in Kent in spring 2022 and will create forest clearings – described as ‘jet fuel for biodiversity’

    “When you see them in the wild, there’s this tangible feeling of humility and respect,” says Tom Gibbs, one of the UK’s first two bison rangers. “The size of them instantly demands your respect, although they are quite docile. I wouldn’t say they are scary, but you’re aware of what they can do.”

    The rangers will manage the first wild bison to roam in the UK for thousands of years when four animals arrive in north Kent in the spring of 2022. The bison are Europe’s largest land animal – bulls can weigh a tonne – and were extinct in the wild a century ago, but are recovering through reintroduction projects across Europe.

    Continue reading...", + "content": "

    Animals arrive in Kent in spring 2022 and will create forest clearings – described as ‘jet fuel for biodiversity’

    “When you see them in the wild, there’s this tangible feeling of humility and respect,” says Tom Gibbs, one of the UK’s first two bison rangers. “The size of them instantly demands your respect, although they are quite docile. I wouldn’t say they are scary, but you’re aware of what they can do.”

    The rangers will manage the first wild bison to roam in the UK for thousands of years when four animals arrive in north Kent in the spring of 2022. The bison are Europe’s largest land animal – bulls can weigh a tonne – and were extinct in the wild a century ago, but are recovering through reintroduction projects across Europe.

    Continue reading...", + "category": "Wildlife", + "link": "https://www.theguardian.com/environment/2021/dec/11/gentle-giants-rangers-prepare-return-wild-bison-uk", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-11T08:00:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5679ba4981a3e8f0cf9b7b7e88cc55e" + "hash": "c8a09010923be8a69ea53c43fc9d3705" }, { - "title": "M.L.B. Finalizes Plan to Provide Housing for Minor Leaguers", - "description": "An advocacy group called the deal a “historic victory,” but noted that there were issues that might need to be addressed.", - "content": "An advocacy group called the deal a “historic victory,” but noted that there were issues that might need to be addressed.", - "category": "Baseball", - "link": "https://www.nytimes.com/2021/11/19/sports/baseball/mlb-housing.html", - "creator": "James Wagner", - "pubDate": "Fri, 19 Nov 2021 21:19:08 +0000", + "title": "How one-click shopping is creating Amazon warehouse towns: ‘We’re disposable humans’", + "description": "

    In California’s Inland Empire, Black and Latino communities already faced some of the worst pollution. Then, more warehouses and trucks started appearing

    Three generations of Arah Parker’s family have lived in her pleasant, yellow-hued home, where there used to be a clear view of the San Gabriel mountains from the kitchen window.

    There used to be – until the country’s hunger for online shopping swallowed the neighborhood.

    Continue reading...", + "content": "

    In California’s Inland Empire, Black and Latino communities already faced some of the worst pollution. Then, more warehouses and trucks started appearing

    Three generations of Arah Parker’s family have lived in her pleasant, yellow-hued home, where there used to be a clear view of the San Gabriel mountains from the kitchen window.

    There used to be – until the country’s hunger for online shopping swallowed the neighborhood.

    Continue reading...", + "category": "Amazon", + "link": "https://www.theguardian.com/us-news/2021/dec/11/how-one-click-shopping-is-creating-amazon-warehouse-towns-were-disposable-humans", + "creator": "Maanvi Singh in Rialto, California", + "pubDate": "2021-12-11T09:05:05Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "817df3ca60afd75bb43212c4c525425c" + "hash": "18c22e1161271e43d73b1c889fe39d52" }, { - "title": "Conservatives celebrate Rittenhouse’s acquittal, as liberals lament the verdict.", - "description": "", - "content": "", - "category": "Vigilantes", - "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial/conservatives-celebrate-rittenhouses-acquittal-as-liberals-lament-the-verdict", - "creator": "Jennifer Medina", - "pubDate": "Fri, 19 Nov 2021 20:58:59 +0000", + "title": "CEO of US mortgage company fires 900 employees on a Zoom call – video", + "description": "

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call. 'I come to you with not great news,' Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday. Footage of the call was widely circulated on social media

    Continue reading...", + "content": "

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call. 'I come to you with not great news,' Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday. Footage of the call was widely circulated on social media

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/video/2021/dec/07/ceo-of-us-mortgage-company-fires-900-employees-on-a-zoom-call-video", + "creator": "", + "pubDate": "2021-12-07T08:04:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e7ea401648817fb2fabebd117ab68b6b" + "hash": "95ab44da7ad7c246ba2bb327e73d60e6" }, { - "title": "Build Back Better May Not Have Passed a Decade Ago", - "description": "President Barack Obama barely muscled his health law through the House. But income inequality, economic stagnation and a pandemic propelled an even more ambitious bill.", - "content": "President Barack Obama barely muscled his health law through the House. But income inequality, economic stagnation and a pandemic propelled an even more ambitious bill.", - "category": "United States Politics and Government", - "link": "https://www.nytimes.com/2021/11/19/us/politics/democrats-economic-bill.html", - "creator": "Jonathan Weisman", - "pubDate": "Fri, 19 Nov 2021 20:46:14 +0000", + "title": "Arkansas tornado: one dead after nursing home ‘pretty much destroyed’", + "description": "

    Five seriously injured, says county judge in Arkansas, as rescue workers in Illinois attend site of roof collapse at Amazon warehouse

    One person was killed when a tornado ripped through an Arkansas nursing home, while a roof collapsed at an Amazon warehouse in Illinois, reportedly causing many injuries.

    Craighead county judge Marvin Day told the Associated Press the tornado struck the Monette Manor nursing home in north-east Arkansas at about 8.15pm, killing one person and trapping 20 people inside as the building collapsed. Officials had earlier reported at least two fatalities.

    Continue reading...", + "content": "

    Five seriously injured, says county judge in Arkansas, as rescue workers in Illinois attend site of roof collapse at Amazon warehouse

    One person was killed when a tornado ripped through an Arkansas nursing home, while a roof collapsed at an Amazon warehouse in Illinois, reportedly causing many injuries.

    Craighead county judge Marvin Day told the Associated Press the tornado struck the Monette Manor nursing home in north-east Arkansas at about 8.15pm, killing one person and trapping 20 people inside as the building collapsed. Officials had earlier reported at least two fatalities.

    Continue reading...", + "category": "Tornadoes", + "link": "https://www.theguardian.com/world/2021/dec/11/arkansas-tornado-deaths-nursing-home-illinois-amazon-warehouse-roof-collapse", + "creator": "Associated Press", + "pubDate": "2021-12-11T06:46:56Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c9913f114e7174ad0dcee73528946db" + "hash": "0d9785a74f74222edf8eeb5bf47c4967" }, { - "title": "Kyle Rittenhouse’s Acquittal and America’s Gun Laws", - "description": "Readers react to the verdict, discuss America’s self-defense laws and make connections to the Ahmaud Arbery case. Also: The social policy bill.", - "content": "Readers react to the verdict, discuss America’s self-defense laws and make connections to the Ahmaud Arbery case. Also: The social policy bill.", - "category": "Rittenhouse, Kyle", - "link": "https://www.nytimes.com/2021/11/19/opinion/letters/kyle-rittenhouse-acquittal-guns.html", - "creator": "", - "pubDate": "Fri, 19 Nov 2021 20:41:00 +0000", + "title": "Hannah Gadsby – Body of Work: a joyful guide to blasting Netflix and messing with Christian bakers", + "description": "

    Joan Sutherland Theatre, Sydney Opera House
    The Australian comedian has opted for a feel-good show, but without any easy sentimentality

    What better way to symbolise your favourable turn in fortune than with adorable bunnies, the sign of good luck? Comedian Hannah Gadsby has marked her return to the Sydney Opera House with four rabbits across the stage, though you will probably first notice the one in the Joan Sutherland theatre that functions as a lantern, a beacon of hope.

    Of course, none of these rabbits are alive, which turns out to be apt, given the desecration of one unlucky bunny that hopped into the middle of the performer’s toxic relationship with an ex she struggled to shake off and another that emits a high-pitched squeal of terror as it crosses paths with Gadsby, her new wife and producer, Jenney Shamash, and their two dogs, Douglas and Jasper, on an outdoor stroll.

    Continue reading...", + "content": "

    Joan Sutherland Theatre, Sydney Opera House
    The Australian comedian has opted for a feel-good show, but without any easy sentimentality

    What better way to symbolise your favourable turn in fortune than with adorable bunnies, the sign of good luck? Comedian Hannah Gadsby has marked her return to the Sydney Opera House with four rabbits across the stage, though you will probably first notice the one in the Joan Sutherland theatre that functions as a lantern, a beacon of hope.

    Of course, none of these rabbits are alive, which turns out to be apt, given the desecration of one unlucky bunny that hopped into the middle of the performer’s toxic relationship with an ex she struggled to shake off and another that emits a high-pitched squeal of terror as it crosses paths with Gadsby, her new wife and producer, Jenney Shamash, and their two dogs, Douglas and Jasper, on an outdoor stroll.

    Continue reading...", + "category": "Hannah Gadsby", + "link": "https://www.theguardian.com/stage/2021/dec/11/hannah-gadsby-body-of-work-a-joyful-guide-to-blasting-netflix-and-messing-with-christian-bakers", + "creator": "Steve Dow", + "pubDate": "2021-12-10T21:58:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec5c3001dc3ecd7c353de0c7797c12a0" + "hash": "1f9fe8bc7a3d909563ec972f1171b476" }, { - "title": "The Case Against Loving Your Job", - "description": "Will work ever love us back? Two millennials disagree.", - "content": "Will work ever love us back? Two millennials disagree.", - "category": "Labor and Jobs", - "link": "https://www.nytimes.com/2021/11/19/opinion/ezra-klein-podcast-sarah-jaffe.html", - "creator": "‘The Ezra Klein Show’", - "pubDate": "Fri, 19 Nov 2021 20:28:34 +0000", + "title": "Pence appears to set up a presidential run – can he win over Trump’s base?", + "description": "

    The former vice-president seems to be playing a long game for the 2024 election, possibly betting Trump’s influence over the Republican party will wane

    Hang Mike Pence!” was the chilling chant of the mob at the US Capitol on 6 January 2021. Can the same constituency be persuaded to vote Mike Pence on 5 November 2024? He, for one, appears to think so.

    The former vice-president this week travelled across New Hampshire, host of the first-in-the-nation presidential primary elections, to meet local activists, raise money and deliver a speech attacking potential opponent Joe Biden.

    Continue reading...", + "content": "

    The former vice-president seems to be playing a long game for the 2024 election, possibly betting Trump’s influence over the Republican party will wane

    Hang Mike Pence!” was the chilling chant of the mob at the US Capitol on 6 January 2021. Can the same constituency be persuaded to vote Mike Pence on 5 November 2024? He, for one, appears to think so.

    The former vice-president this week travelled across New Hampshire, host of the first-in-the-nation presidential primary elections, to meet local activists, raise money and deliver a speech attacking potential opponent Joe Biden.

    Continue reading...", + "category": "Mike Pence", + "link": "https://www.theguardian.com/us-news/2021/dec/11/mike-pence-2024-election-donald-trump-republicans", + "creator": "David Smith in Washington", + "pubDate": "2021-12-11T07:00:04Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a2de13e509087b9c33247d7482d5cdb" + "hash": "b9512aa4b987c6cb22387b00a9d02f93" }, { - "title": "Biden Met With Xi. But Is His China Policy Right?", - "description": "The truth is, America’s national security depends on cooperation a lot more than competition.", - "content": "The truth is, America’s national security depends on cooperation a lot more than competition.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/11/18/opinion/biden-china-xi-summit.html", - "creator": "Peter Beinart", - "pubDate": "Fri, 19 Nov 2021 20:20:19 +0000", + "title": "‘Fighting to reclaim our language’: Māori names enjoy surge in popularity", + "description": "

    More parents in New Zealand are giving their babies indigenous names to foster links with their ancestry and culture

    Nine-month-old Ruataupare Te Ropuhina Florence Whiley-Whaipooti will grow up speaking the names of her ancestors. She will learn she comes from a line of strong Ngāti Porou women, and that her ancestor, who was a staunch tribal leader, is her name-sake. She will grow to understand that her Māori name links her to whenua (land), her whakapapa (genealogy) and her Māoritanga (culture).

    Ruataupare is one of an increasing number of babies in New Zealand to be given a Māori name. While Māori have never stopped giving their children indigenous names, there has been a marked increase over the past 10 years – a near doubling of Māori names registered since 2011.

    Continue reading...", + "content": "

    More parents in New Zealand are giving their babies indigenous names to foster links with their ancestry and culture

    Nine-month-old Ruataupare Te Ropuhina Florence Whiley-Whaipooti will grow up speaking the names of her ancestors. She will learn she comes from a line of strong Ngāti Porou women, and that her ancestor, who was a staunch tribal leader, is her name-sake. She will grow to understand that her Māori name links her to whenua (land), her whakapapa (genealogy) and her Māoritanga (culture).

    Ruataupare is one of an increasing number of babies in New Zealand to be given a Māori name. While Māori have never stopped giving their children indigenous names, there has been a marked increase over the past 10 years – a near doubling of Māori names registered since 2011.

    Continue reading...", + "category": "Māori", + "link": "https://www.theguardian.com/world/2021/dec/11/fighting-to-reclaim-our-language-maori-names-enjoy-surge-in-popularity", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-10T18:00:47Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "9918bf6a021284e3f47db1238c9a1548" + "hash": "c4ef313f5957ae8a12a8e69b5b83fa3e" }, { - "title": "Ross Douthat on Dealing With Lyme Disease", - "description": "Douthat discusses his new memoir, “The Deep Places,” and Elisabeth Egan talks about Jung Yun’s novel “O Beautiful.”", - "content": "Douthat discusses his new memoir, “The Deep Places,” and Elisabeth Egan talks about Jung Yun’s novel “O Beautiful.”", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/19/books/review/podcast-ross-douthat-deep-places-o-beautiful-jung-yun.html", - "creator": "", - "pubDate": "Fri, 19 Nov 2021 20:04:53 +0000", + "title": "Scott Morrison urged to end ‘lunacy’ and push UK and US for Assange’s release", + "description": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    The Australian government has been accused of sitting on its hands while WikiLeaks founder Julian Assange faces extradition to the United States on espionage charges.

    Assange, 50, is wanted in the US over an alleged conspiracy to obtain and disclose classified information following WikiLeaks’ publication of hundreds of thousands of leaked documents relating to the Afghanistan and Iraq wars.

    Continue reading...", + "content": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    The Australian government has been accused of sitting on its hands while WikiLeaks founder Julian Assange faces extradition to the United States on espionage charges.

    Assange, 50, is wanted in the US over an alleged conspiracy to obtain and disclose classified information following WikiLeaks’ publication of hundreds of thousands of leaked documents relating to the Afghanistan and Iraq wars.

    Continue reading...", + "category": "Australian politics", + "link": "https://www.theguardian.com/australia-news/2021/dec/11/scott-morrison-urged-to-end-lunacy-and-push-us-and-uk-to-release-julian-assange", + "creator": "Australian Associated Press", + "pubDate": "2021-12-11T04:20:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5725efb78b1f1afcf15ddf9a0a521193" + "hash": "b4b14d08ddb3a1d26f60f16a6b786e8e" }, { - "title": "Elation and Dismay as Crowds at Courthouse Hear of Rittenhouse Verdict", - "description": "Small groups of supporters and detractors of Kyle Rittenhouse reacted to news of the not-guilty verdict as a horde of journalists looked on.", - "content": "Small groups of supporters and detractors of Kyle Rittenhouse reacted to news of the not-guilty verdict as a horde of journalists looked on.", - "category": "Rittenhouse, Kyle", - "link": "https://www.nytimes.com/live/2021/11/19/us/kyle-rittenhouse-trial/rittenhouse-reaction-courthouse-crowd", - "creator": "Dan Hinkel", - "pubDate": "Fri, 19 Nov 2021 20:02:58 +0000", + "title": "Ghislaine Maxwell gave me nude massage when I was 16, accuser says", + "description": "

    Annie Farmer testifies about encounter at New Mexico ranch in 1996, and recounts how she met Maxwell and Jeffrey Epstein

    The fourth accuser to testify in Ghislaine Maxwell’s sex trafficking trial said Friday that she was only 16 when the British socialite gave her a nude massage at Jeffrey Epstein’s New Mexico ranch.

    This accuser, Annie Farmer, also said that the morning after her encounter with Maxwell, Epstein climbed into bed with her and said he “wanted to cuddle” and she “felt kind of frozen”.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "content": "

    Annie Farmer testifies about encounter at New Mexico ranch in 1996, and recounts how she met Maxwell and Jeffrey Epstein

    The fourth accuser to testify in Ghislaine Maxwell’s sex trafficking trial said Friday that she was only 16 when the British socialite gave her a nude massage at Jeffrey Epstein’s New Mexico ranch.

    This accuser, Annie Farmer, also said that the morning after her encounter with Maxwell, Epstein climbed into bed with her and said he “wanted to cuddle” and she “felt kind of frozen”.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/10/ghislaine-maxwell-trial-accuser-jeffrey-epstein", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-10T18:43:22Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "29de72ba1c80d0be4ff2f953167f323d" + "hash": "6caa2a7a836740ca37f201ab7513c67a" }, { - "title": "On Putin’s Strategic Chessboard, a Series of Destabilizing Moves", - "description": "In the stretch of Europe from the Baltic Sea to the Black Sea, where Moscow and the West have competed for influence for decades, the threat of a new military conflict is growing.", - "content": "In the stretch of Europe from the Baltic Sea to the Black Sea, where Moscow and the West have competed for influence for decades, the threat of a new military conflict is growing.", - "category": "United States International Relations", - "link": "https://www.nytimes.com/2021/11/19/world/europe/russia-putin-belarus-ukraine.html", - "creator": "Anton Troianovski", - "pubDate": "Fri, 19 Nov 2021 19:59:22 +0000", + "title": "Spider-Man star Tom Holland, 25, considers acting exit in ‘midlife crisis’", + "description": "

    Actor mulls over return to roots in dancing, while promoting latest Marvel instalment

    The Spider-Man star Tom Holland has revealed he is considering quitting acting at the age of 25 as part of a “midlife crisis” come early.

    Holland, who was promoting the latest instalment of the Marvel series, said he was considering giving up acting to return to his roots in dancing, after he played Billy Elliot in the West End as a child.

    “I don’t even know if I want to be an actor,” he told Sky News in an interview to promote his new film.

    “I started acting when I was 11 and I haven’t done anything else, so I’d like to go and do other things. Genuinely, I’m sort of … having a midlife crisis – at 25, I’m having like a pre-midlife crisis.”

    The actor revealed this week that he had signed up to play Fred Astaire in a biopic, a move that could signal the beginning of his career shift.

    Holland acknowledged a debt to the Spider-Man franchise, which had enabled him to “do some amazing things”. The latest film, No Way Home, is expected to be the biggest of the year – possibly ever – with pre-sales before its UK release on 15 December outstripping that of Avengers: Endgame (2019).

    Holland is not the first actor to tire quickly of the profession. Greta Garbo announced a “temporary” retirement at the age of 36 in 1941, while she was still one of the biggest box office draws in the world. It lasted 49 years, until her death in 1990.

    Although her reasons are not fully understood, Garbo is believed to have been a private, introverted person who struggled with the spotlight cast on her through fame, and who perhaps pre-empted the declining opportunities at the time for female actors as their youthful beauty faded.

    More recently, the Game of Thrones star Jack Gleeson retired after the series finished. He told Entertainment Weekly that he had been acting since he was eight and had “stopped enjoying it as much as I used to”. He said that earning a living from acting had changed his relationship with his craft compared with the “therapeutic” benefits he had enjoyed when it was just a hobby.

    Continue reading...", + "content": "

    Actor mulls over return to roots in dancing, while promoting latest Marvel instalment

    The Spider-Man star Tom Holland has revealed he is considering quitting acting at the age of 25 as part of a “midlife crisis” come early.

    Holland, who was promoting the latest instalment of the Marvel series, said he was considering giving up acting to return to his roots in dancing, after he played Billy Elliot in the West End as a child.

    “I don’t even know if I want to be an actor,” he told Sky News in an interview to promote his new film.

    “I started acting when I was 11 and I haven’t done anything else, so I’d like to go and do other things. Genuinely, I’m sort of … having a midlife crisis – at 25, I’m having like a pre-midlife crisis.”

    The actor revealed this week that he had signed up to play Fred Astaire in a biopic, a move that could signal the beginning of his career shift.

    Holland acknowledged a debt to the Spider-Man franchise, which had enabled him to “do some amazing things”. The latest film, No Way Home, is expected to be the biggest of the year – possibly ever – with pre-sales before its UK release on 15 December outstripping that of Avengers: Endgame (2019).

    Holland is not the first actor to tire quickly of the profession. Greta Garbo announced a “temporary” retirement at the age of 36 in 1941, while she was still one of the biggest box office draws in the world. It lasted 49 years, until her death in 1990.

    Although her reasons are not fully understood, Garbo is believed to have been a private, introverted person who struggled with the spotlight cast on her through fame, and who perhaps pre-empted the declining opportunities at the time for female actors as their youthful beauty faded.

    More recently, the Game of Thrones star Jack Gleeson retired after the series finished. He told Entertainment Weekly that he had been acting since he was eight and had “stopped enjoying it as much as I used to”. He said that earning a living from acting had changed his relationship with his craft compared with the “therapeutic” benefits he had enjoyed when it was just a hobby.

    Continue reading...", + "category": "Tom Holland", + "link": "https://www.theguardian.com/film/2021/dec/10/spider-man-star-tom-holland-considers-acting-exit-in-mid-life-crisis", + "creator": "Rachel Hall", + "pubDate": "2021-12-10T14:52:59Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6d876b9a511a74c0af13326f04bff13" + "hash": "f6730d4573a8db55545c201846bb32e1" }, { - "title": "Joe Biden's Infrastructure Bill Is a Big Success", - "description": "Voters may pummel Democrats next year, but future generations will be grateful. ", - "content": "Voters may pummel Democrats next year, but future generations will be grateful. ", - "category": "Infrastructure Investment and Jobs Act (2021)", - "link": "https://www.nytimes.com/2021/11/18/opinion/biden-infrastructure-stimulus-bill.html", - "creator": "David Brooks", - "pubDate": "Fri, 19 Nov 2021 19:53:46 +0000", + "title": "Scientists use ostrich cells to make glowing Covid detection masks", + "description": "

    Japanese researchers use bird antibodies to detect virus under ultraviolet light

    Japanese researchers have developed masks that use ostrich antibodies to detect Covid-19 by glowing under ultraviolet light.

    The discovery, by Yasuhiro Tsukamoto and his team at Kyoto Prefectural University in western Japan, could provide for low-cost testing of the virus at home.

    Continue reading...", + "content": "

    Japanese researchers use bird antibodies to detect virus under ultraviolet light

    Japanese researchers have developed masks that use ostrich antibodies to detect Covid-19 by glowing under ultraviolet light.

    The discovery, by Yasuhiro Tsukamoto and his team at Kyoto Prefectural University in western Japan, could provide for low-cost testing of the virus at home.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/10/scientists-ostrich-cells-glowing-covid-detection-masks", + "creator": "Reuters in Tokyo", + "pubDate": "2021-12-10T08:43:25Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fcab4e5147eac3377e1b108f955cfd6f" + "hash": "f46a606a164de99df1a07135ee628f70" }, { - "title": "‘Bad Luck Banging or Loony Porn’ Review: No Sex, Please, We’re Romanian", - "description": "A viral video scandal ensnares a Bucharest schoolteacher in Radu Jude’s biting, bawdy and brilliant Covid-age fable.", - "content": "A viral video scandal ensnares a Bucharest schoolteacher in Radu Jude’s biting, bawdy and brilliant Covid-age fable.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/18/movies/bad-luck-banging-or-loony-porn-review.html", - "creator": "A.O. Scott", - "pubDate": "Fri, 19 Nov 2021 19:51:19 +0000", + "title": "Mouse bite may have infected Taiwan lab worker with Covid", + "description": "

    Employee at high-security facility tests positive in island’s first local infection in weeks

    Health officials in Taiwan are investigating whether a mouse bite may have been responsible for a laboratory worker testing positive for Covid, the island’s first local infection in weeks.

    The authorities are scrambling to work out how the employee at Academia Sinica, the country’s top research institute, contracted the virus last month.

    Continue reading...", + "content": "

    Employee at high-security facility tests positive in island’s first local infection in weeks

    Health officials in Taiwan are investigating whether a mouse bite may have been responsible for a laboratory worker testing positive for Covid, the island’s first local infection in weeks.

    The authorities are scrambling to work out how the employee at Academia Sinica, the country’s top research institute, contracted the virus last month.

    Continue reading...", + "category": "Taiwan", + "link": "https://www.theguardian.com/world/2021/dec/10/mouse-bite-infected-taiwan-lab-woker-covid", + "creator": "Agence France-Presse in Taipei", + "pubDate": "2021-12-10T10:53:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e565d7d53bfad327ecd26b1b10f30bd2" + "hash": "8ce1f8bbb4f2e42e85e332688ae03d46" }, { - "title": "Kyle Rittenhouse's Firearm Made Everything Worse", - "description": "Kyle Rittenhouse’s semiautomatic rifle endangered everybody around him —  and himself.", - "content": "Kyle Rittenhouse’s semiautomatic rifle endangered everybody around him —  and himself.", - "category": "Murders, Attempted Murders and Homicides", - "link": "https://www.nytimes.com/2021/11/17/opinion/kyle-rittenhouse-guns.html", - "creator": "Farhad Manjoo", - "pubDate": "Fri, 19 Nov 2021 19:50:37 +0000", + "title": "‘Nobody wants to be Putin’s slave’: on the Ukraine frontline as tensions rise", + "description": "

    Soldiers and residents living in the shadow of Russia’s military buildup describe the toll of the long, unresolved conflict

    For Misha Novitskyi, the question of whether Russia will invade Ukraine is not theoretical. The enemy is just 50 metres away behind a concrete slab. From time to time Russian voices float eerily across a wintry no man’s land of ragged trees and scrub.

    “When they light their stoves you can see the smoke,” Novitskyi – a senior lieutenant in the Ukrainian army – said, speaking from what is in effect Europe’s eastern front with Russia. He added: “Every day they shoot at us.”

    Continue reading...", + "content": "

    Soldiers and residents living in the shadow of Russia’s military buildup describe the toll of the long, unresolved conflict

    For Misha Novitskyi, the question of whether Russia will invade Ukraine is not theoretical. The enemy is just 50 metres away behind a concrete slab. From time to time Russian voices float eerily across a wintry no man’s land of ragged trees and scrub.

    “When they light their stoves you can see the smoke,” Novitskyi – a senior lieutenant in the Ukrainian army – said, speaking from what is in effect Europe’s eastern front with Russia. He added: “Every day they shoot at us.”

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/10/nobody-wants-to-be-putins-slave-on-the-ukraine-frontline-as-tensions-rise", + "creator": "Luke Harding in Avdiyivka, with pictures by Volodymyr Yurchenko", + "pubDate": "2021-12-10T14:48:21Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "07f71c4056e48f1bd85b3bdf41d2ae1a" + "hash": "a87b511b10d796246d5bd1b1798155c8" }, { - "title": "With 'New York Ninja,' Lights, Camera and, Finally, Action", - "description": "The 1984 kung fu film was shot, but it wasn’t completed. Now, with a new director and newly recorded dialogue, the film sees the light of day.", - "content": "The 1984 kung fu film was shot, but it wasn’t completed. Now, with a new director and newly recorded dialogue, the film sees the light of day.", - "category": "Movies", - "link": "https://www.nytimes.com/2021/11/19/movies/new-york-ninja-movie.html", - "creator": "Eric Grode", - "pubDate": "Fri, 19 Nov 2021 19:48:40 +0000", + "title": "The Succession quiz: who said it – a real-life billionaire or one of the Roys?", + "description": "

    Test your Succession knowledge of where these quotes came from: Logan, Shiv, Roman or Kendall Roy; Rupert Murdoch, James Packer, Jack Dorsey or Jeff Bezos

    Continue reading...", + "content": "

    Test your Succession knowledge of where these quotes came from: Logan, Shiv, Roman or Kendall Roy; Rupert Murdoch, James Packer, Jack Dorsey or Jeff Bezos

    Continue reading...", + "category": "Succession", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/11/the-succession-quiz-who-said-it-a-real-life-billionaire-or-one-of-the-roys", + "creator": "Elle Hunt", + "pubDate": "2021-12-10T19:00:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "05b85e4d48f9e181131de124571a00b0" + "hash": "dc42a002b156292e909e2eefe8014ec0" }, { - "title": "Biden Will Briefly Transfer Power to Harris", - "description": "President Biden, who will undergo a physical and colonoscopy on Friday, is the oldest commander in chief to receive a full medical evaluation while in office.", - "content": "President Biden, who will undergo a physical and colonoscopy on Friday, is the oldest commander in chief to receive a full medical evaluation while in office.", - "category": "Biden, Joseph R Jr", - "link": "https://www.nytimes.com/2021/11/19/us/politics/biden-harris-power-transfer.html", - "creator": "Katie Rogers", - "pubDate": "Fri, 19 Nov 2021 19:23:13 +0000", + "title": "And Just Like That: bad jokes are the least of its problems", + "description": "

    Some franchises cannot endure, it turns out – but, happily, old box sets live forever

    Good sex, like good comedy, relies on timing, and maybe, 17 years after the original show ended, 11 years after the second film departed cinemas, Sex and the City no longer has its finger on the clitoris when it comes to timing. “And Just Like That, It All Went Wrong” was the New York Times’s verdict on the wildly publicised, moderately anticipated SATC follow-up series, And Just Like That, which debuted its first two episodes this week. The Guardian’s Lucy Mangan described it as at times “excruciating”.

    Certainly the jokes are bad. Not “Lawrence of my labia” bad, as Samantha (Kim Cattrall) notoriously said in Sex and the City 2. But a far cry from the spit-out-your-wine-with-laughter-and-shock level of the original show, which ran from 1998 to 2004. And that’s the least of its problems.

    Continue reading...", + "content": "

    Some franchises cannot endure, it turns out – but, happily, old box sets live forever

    Good sex, like good comedy, relies on timing, and maybe, 17 years after the original show ended, 11 years after the second film departed cinemas, Sex and the City no longer has its finger on the clitoris when it comes to timing. “And Just Like That, It All Went Wrong” was the New York Times’s verdict on the wildly publicised, moderately anticipated SATC follow-up series, And Just Like That, which debuted its first two episodes this week. The Guardian’s Lucy Mangan described it as at times “excruciating”.

    Certainly the jokes are bad. Not “Lawrence of my labia” bad, as Samantha (Kim Cattrall) notoriously said in Sex and the City 2. But a far cry from the spit-out-your-wine-with-laughter-and-shock level of the original show, which ran from 1998 to 2004. And that’s the least of its problems.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/10/and-just-like-that-bad-jokes-are-the-least-of-its-problems", + "creator": "Hadley Freeman", + "pubDate": "2021-12-10T17:21:57Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0dabe1d5d0ee159727e4860ecd37097" + "hash": "fbdf0d045d253aed58f706d2694a2a6f" }, { - "title": "Discussions of Race Are Notably Absent in Trial of Arbery Murder Suspects", - "description": "Many outside observers say Ahmaud Arbery’s death at the hands of three white men is a prominent example of racial violence. But the jury never heard that argument.", - "content": "Many outside observers say Ahmaud Arbery’s death at the hands of three white men is a prominent example of racial violence. But the jury never heard that argument.", - "category": "Black People", - "link": "https://www.nytimes.com/2021/11/19/us/ahmaud-arbery-shooting-race.html", - "creator": "Tariro Mzezewa, Giulia Heyward and Richard Fausset", - "pubDate": "Fri, 19 Nov 2021 19:20:14 +0000", + "title": "‘Pushy, gobby, rude’: why do women get penalised for talking loudly at work?", + "description": "

    As a female physicist wins an unfair dismissal claim, why some women are viewed as strident or difficult when men aren’t

    For quite a loud woman, it’s amazing how hard Judith Howell had to work to get heard. Howell, 49, used to be a government lobbyist, and she noticed a well-known phenomenon: “It’s incredibly male-dominated, and I’d find that if I said something it would get picked up by someone else in the meeting as if they’d said it. So I’d have to push a bit harder, be a bit more strident, literally interrupt and – not shout, but raise my voice. And some people found that very annoying.”

    Howell cheerfully admits that she has a loud voice. “I grew up in a family of boys,” she boomed. “And I learned to sing at a young age, so I know how to project.” As a rowing coach, when she gives instructions to her crew from the riverbank, she can be heard from nearly a mile away.

    Continue reading...", + "content": "

    As a female physicist wins an unfair dismissal claim, why some women are viewed as strident or difficult when men aren’t

    For quite a loud woman, it’s amazing how hard Judith Howell had to work to get heard. Howell, 49, used to be a government lobbyist, and she noticed a well-known phenomenon: “It’s incredibly male-dominated, and I’d find that if I said something it would get picked up by someone else in the meeting as if they’d said it. So I’d have to push a bit harder, be a bit more strident, literally interrupt and – not shout, but raise my voice. And some people found that very annoying.”

    Howell cheerfully admits that she has a loud voice. “I grew up in a family of boys,” she boomed. “And I learned to sing at a young age, so I know how to project.” As a rowing coach, when she gives instructions to her crew from the riverbank, she can be heard from nearly a mile away.

    Continue reading...", + "category": "Women", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/10/pushy-gobby-rude-why-do-women-get-penalised-for-talking-loudly-at-work", + "creator": "Archie Bland", + "pubDate": "2021-12-10T15:03:00Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9a462cd7705881ccb90acf017e7cca3" + "hash": "3416fef36be032d4c5e00233ca9910e6" }, { - "title": "Curry’s 3-Point Bonanza Has Golden State Bouncing Back", - "description": "A turnaround early this season has come with Stephen Curry reasserting why he is the best 3-point shooter in basketball history.", - "content": "A turnaround early this season has come with Stephen Curry reasserting why he is the best 3-point shooter in basketball history.", - "category": "Basketball", - "link": "https://www.nytimes.com/2021/11/19/sports/basketball/nba-golden-state-warriors-stephen-curry.html", - "creator": "Victor Mather", - "pubDate": "Fri, 19 Nov 2021 19:00:47 +0000", + "title": "Golden generation survivor Steven Gerrard is writing his own origin story | Barney Ronay", + "description": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", + "content": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", + "category": "Steven Gerrard", + "link": "https://www.theguardian.com/football/blog/2021/dec/10/golden-generation-survivor-steven-gerrard-is-writing-his-own-superhero-story", + "creator": "Barney Ronay", + "pubDate": "2021-12-10T20:00:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "f52a2ec7825c0c30ed152f87499f5975" + "hash": "3d0061e56784345535bf5fa25749d497" }, { - "title": "Kevin McCarthy Speaks for More Than Eight Hours to Delay a House Vote", - "description": "The House minority leader began speaking Thursday night against President Biden’s social policy bill. He stopped at 5:10 a.m. Friday, after setting a record for the longest speech.", - "content": "The House minority leader began speaking Thursday night against President Biden’s social policy bill. He stopped at 5:10 a.m. Friday, after setting a record for the longest speech.", - "category": "McCarthy, Kevin (1965- )", - "link": "https://www.nytimes.com/2021/11/19/us/politics/kevin-mccarthy-speech.html", - "creator": "Jonathan Weisman and Jenny Gross", - "pubDate": "Fri, 19 Nov 2021 18:59:38 +0000", + "title": "Trident submariner who died at base named as Stephen Cashman", + "description": "

    Engineering technician was stationed at Faslane and worked on a vessel that carried UK’s nuclear deterrent

    A 25-year-old Trident submariner who died in unexplained circumstances at the Faslane naval base on Thursday has been named as engineering technician Stephen Cashman by the Royal Navy.

    Police Scotland is continuing to investigate the sudden death, first reported to officers at 12.30pm on Thursday, which is believed to have taken place in the barracks at the base for Britain’s nuclear deterrent.

    Continue reading...", + "content": "

    Engineering technician was stationed at Faslane and worked on a vessel that carried UK’s nuclear deterrent

    A 25-year-old Trident submariner who died in unexplained circumstances at the Faslane naval base on Thursday has been named as engineering technician Stephen Cashman by the Royal Navy.

    Police Scotland is continuing to investigate the sudden death, first reported to officers at 12.30pm on Thursday, which is believed to have taken place in the barracks at the base for Britain’s nuclear deterrent.

    Continue reading...", + "category": "Royal Navy", + "link": "https://www.theguardian.com/uk-news/2021/dec/10/trident-submariner-25-dies-suddenly-at-naval-base-in-scotland", + "creator": "Dan Sabbagh and Severin Carrell", + "pubDate": "2021-12-10T23:30:53Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5577e623122ffa8b450120e4b106f94" + "hash": "e053d216eb95d92ef63173adf232083d" }, { - "title": "Venezuelan Opposition Risks an Election Challenge to Maduro", - "description": "With little hope of a fair vote, opposition candidates take a desperate risk to gain any edge against Venezuela’s entrenched autocrat, Nicolás Maduro.", - "content": "With little hope of a fair vote, opposition candidates take a desperate risk to gain any edge against Venezuela’s entrenched autocrat, Nicolás Maduro.", - "category": "Elections", - "link": "https://www.nytimes.com/2021/11/19/world/americas/venezuela-elections-maduro.html", - "creator": "Julie Turkewitz and Adriana Loureiro Fernandez", - "pubDate": "Fri, 19 Nov 2021 18:56:44 +0000", + "title": "Mark Huband obituary", + "description": "Foreign correspondent respected for his work in west Africa and the Middle East who went on to write books and poems

    Mark Huband, who has died aged 58 of pancreatitis and multiple organ failure, built a strong and lasting reputation over more than three decades as a foreign correspondent and business analyst, specialising in Africa and the Middle East.

    He and I met when he arrived in Abidjan, Ivory Coast, in 1989 to take up the post of the Financial Times stringer and I was working for Reuters. He hit the ground running and, despite his youth, he soon became a well-known figure among the foreign journalists, diplomats and business representatives covering the west African region. He was sharp, engaged and committed to the story, and went on to work as Africa correspondent for the Guardian and the Observer before returning to London. He did not look at events from a distance but always saw something of himself in others.

    Continue reading...", + "content": "Foreign correspondent respected for his work in west Africa and the Middle East who went on to write books and poems

    Mark Huband, who has died aged 58 of pancreatitis and multiple organ failure, built a strong and lasting reputation over more than three decades as a foreign correspondent and business analyst, specialising in Africa and the Middle East.

    He and I met when he arrived in Abidjan, Ivory Coast, in 1989 to take up the post of the Financial Times stringer and I was working for Reuters. He hit the ground running and, despite his youth, he soon became a well-known figure among the foreign journalists, diplomats and business representatives covering the west African region. He was sharp, engaged and committed to the story, and went on to work as Africa correspondent for the Guardian and the Observer before returning to London. He did not look at events from a distance but always saw something of himself in others.

    Continue reading...", + "category": "Newspapers & magazines", + "link": "https://www.theguardian.com/media/2021/dec/10/mark-huband-obituary", + "creator": "Nick Kotch", + "pubDate": "2021-12-10T21:43:11Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d358ba6c1ed82febf655b72d61da3eb6" + "hash": "c12ecc5098001909eccd5bae067f5073" }, { - "title": "3 Women in the Senate Object to ‘Sexist’ Focus on Sinema’s Style", - "description": "The senators criticize The Times’s coverage of their colleague’s style and fashion choices.", - "content": "The senators criticize The Times’s coverage of their colleague’s style and fashion choices.", - "category": "Sinema, Kyrsten", - "link": "https://www.nytimes.com/2021/11/19/opinion/letters/kyrsten-sinema-senate.html", - "creator": "", - "pubDate": "Fri, 19 Nov 2021 18:39:43 +0000", + "title": "Australia live news updates: Aacta awards named as Covid exposure site; Victoria records 13 deaths and NSW three; Qld changes quarantine rules", + "description": "

    Sydney pub and club at centre of Covid scare. Bushfire rages in Margaret River in Western Australia


    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", + "content": "

    Sydney pub and club at centre of Covid scare. Bushfire rages in Margaret River in Western Australia


    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/11/australia-live-news-updates-omicron-covid-cases-climb-as-sydney-pub-and-club-at-centre-of-scare", + "creator": "Justine Landis-Hanley (now) and Cait Kelly (earlier)", + "pubDate": "2021-12-11T05:31:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d6d90a6c57076faea293d947e231ad4" + "hash": "ee67888aabc904f900e5c6227e2b3ba8" }, { - "title": "Amazon Deforestation Soars to 15-Year High", - "description": "Brazil committed this month to end illegal deforestation in eight years, but a government report raises questions about its intent and ability to meet that target.", - "content": "Brazil committed this month to end illegal deforestation in eight years, but a government report raises questions about its intent and ability to meet that target.", - "category": "Politics and Government", - "link": "https://www.nytimes.com/2021/11/19/world/americas/brazil-amazon-deforestation.html", - "creator": "Manuela Andreoni", - "pubDate": "Fri, 19 Nov 2021 18:26:13 +0000", + "title": "Michael Nesmith, singer and guitarist with the Monkees, dies aged 78", + "description": "

    Family say pop songwriter from chart-topping 1960s band died of natural causes at home

    Michael Nesmith, who achieved global fame as a member of the pop group the Monkees, has died aged 78.

    “With infinite love we announce that Michael Nesmith has passed away this morning in his home, surrounded by family, peacefully and of natural causes,” his family said in a statement. “We ask that you respect our privacy at this time and we thank you for the love and light that all of you have shown him and us.”

    Continue reading...", + "content": "

    Family say pop songwriter from chart-topping 1960s band died of natural causes at home

    Michael Nesmith, who achieved global fame as a member of the pop group the Monkees, has died aged 78.

    “With infinite love we announce that Michael Nesmith has passed away this morning in his home, surrounded by family, peacefully and of natural causes,” his family said in a statement. “We ask that you respect our privacy at this time and we thank you for the love and light that all of you have shown him and us.”

    Continue reading...", + "category": "The Monkees", + "link": "https://www.theguardian.com/music/2021/dec/10/mike-nesmith-singer-and-guitarist-with-the-monkees-dies-aged-78", + "creator": "Ben Beaumont-Thomas", + "pubDate": "2021-12-10T19:01:40Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04cf234bba33c517a218c429848ac064" + "hash": "4b45fe2a67dd0c71d96c5bc52c8b5b3d" }, { - "title": "What Happens After the Worst of the Pandemic Is Behind Us?", - "description": "We need to learn the right lessons from the pandemic.", - "content": "We need to learn the right lessons from the pandemic.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/18/opinion/covid-winter-risk.html", - "creator": "Zeynep Tufekci", - "pubDate": "Fri, 19 Nov 2021 18:11:00 +0000", + "title": "Supreme court rules Texas abortion providers can sue over ban but won’t stop law", + "description": "

    Justices are allowing the law, the strictest such regulation in America to date, to remain in effect

    The supreme court ruled on Friday that Texas abortion providers can sue over the state’s ban on most abortions, but the justices are allowing the law, the strictest such regulation in America to date, to remain in effect.

    The decision is a mixed result for reproductive health advocates at a time when social conservatives seem on the march in America and the supreme court is leaning towards restricting or outlawing abortion nationally in the future with its conservative supermajority, engineered by Donald Trump.

    Continue reading...", + "content": "

    Justices are allowing the law, the strictest such regulation in America to date, to remain in effect

    The supreme court ruled on Friday that Texas abortion providers can sue over the state’s ban on most abortions, but the justices are allowing the law, the strictest such regulation in America to date, to remain in effect.

    The decision is a mixed result for reproductive health advocates at a time when social conservatives seem on the march in America and the supreme court is leaning towards restricting or outlawing abortion nationally in the future with its conservative supermajority, engineered by Donald Trump.

    Continue reading...", + "category": "US supreme court", + "link": "https://www.theguardian.com/law/2021/dec/10/supreme-court-texas-abortion-ban-law", + "creator": "Jessica Glenza, Ed Pilkington, Gloria Oladipo and agencies", + "pubDate": "2021-12-10T16:57:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09d7fe845ef5d0f18d9c4a89ad796393" + "hash": "a3ec16c854e7c26e2014f208b27939e4" }, { - "title": "How to Talk to Kids About Death and Loss", - "description": "Loss may be part of Thanksgiving this year. Here’s how to help kids navigate it.", - "content": "Loss may be part of Thanksgiving this year. Here’s how to help kids navigate it.", - "category": "Grief (Emotion)", - "link": "https://www.nytimes.com/2021/11/19/opinion/grief-mourning-children.html", - "creator": "Miranda Featherstone", - "pubDate": "Fri, 19 Nov 2021 17:38:08 +0000", + "title": "Former Conservative MP Andrew Griffiths raped his wife, court finds", + "description": "

    Kate Griffiths, who succeeded her husband, supported journalists’ request to remove restriction on naming them

    The disgraced former Conservative minister Andrew Griffiths raped his wife when she was asleep and subjected her to coercive control, a high court judge has concluded.

    The judgment, published on Friday, detailed alleged domestic abuse by Griffiths towards his wife, Kate, who is now a serving Conservative MP, during their marriage.

    Continue reading...", + "content": "

    Kate Griffiths, who succeeded her husband, supported journalists’ request to remove restriction on naming them

    The disgraced former Conservative minister Andrew Griffiths raped his wife when she was asleep and subjected her to coercive control, a high court judge has concluded.

    The judgment, published on Friday, detailed alleged domestic abuse by Griffiths towards his wife, Kate, who is now a serving Conservative MP, during their marriage.

    Continue reading...", + "category": "Conservatives", + "link": "https://www.theguardian.com/uk-news/2021/dec/10/former-conservative-mp-andrew-griffiths-raped-wife-family-court-finds", + "creator": "Haroon Siddique Legal affairs correspondent", + "pubDate": "2021-12-10T18:27:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "282cf98274bf4680ba747914dd007106" + "hash": "9724586f7e6382b9ef288268d7d82091" }, { - "title": "Miss Friday's Lunar Eclipse? Here's What it Looked Like.", - "description": "The partial eclipse on Thursday night and Friday morning lasted more than six hours, and these photos captured the moon’s rust-red hue.", - "content": "The partial eclipse on Thursday night and Friday morning lasted more than six hours, and these photos captured the moon’s rust-red hue.", - "category": "Eclipses", - "link": "https://www.nytimes.com/2021/11/19/science/lunar-eclipse-photos.html", - "creator": "Michael Roston and Matt McCann", - "pubDate": "Fri, 19 Nov 2021 17:19:05 +0000", + "title": "Bosnian Serb leader likens himself to David Cameron in latest demands", + "description": "

    Milorad Dodik cites former UK PM’s attempt to renegotiate Britain’s EU membership terms

    The Bosnian Serb leader accused of risking war by breaking up Bosnia-Herzegovina has likened himself to David Cameron and his efforts to renegotiate Britain’s EU membership terms before the Brexit referendum.

    Milorad Dodik, the Serb member of the tripartite presidency of Bosnia-Herzegovina, said the country’s potential collapse and the exit of the Republika Srpska entity from it was only on the cards if he was rebuffed in his demand to take back control of tax administration, the judiciary and the army.

    Continue reading...", + "content": "

    Milorad Dodik cites former UK PM’s attempt to renegotiate Britain’s EU membership terms

    The Bosnian Serb leader accused of risking war by breaking up Bosnia-Herzegovina has likened himself to David Cameron and his efforts to renegotiate Britain’s EU membership terms before the Brexit referendum.

    Milorad Dodik, the Serb member of the tripartite presidency of Bosnia-Herzegovina, said the country’s potential collapse and the exit of the Republika Srpska entity from it was only on the cards if he was rebuffed in his demand to take back control of tax administration, the judiciary and the army.

    Continue reading...", + "category": "Bosnia-Herzegovina", + "link": "https://www.theguardian.com/world/2021/dec/10/bosnian-serb-leader-milorad-dodik-likens-himself-to-david-cameron", + "creator": "Daniel Boffey in Brussels", + "pubDate": "2021-12-10T18:21:55Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1c8746a9dbd825acf649fafdd541ca89" + "hash": "eda2613a04b4ba229c05247f23c9937d" }, { - "title": "The G.O.P. Has a Bad Men Problem", - "description": "The creeping not-so-casual misogyny is indicative of the dark path down which former President Donald Trump continues to lead the G.O.P.", - "content": "The creeping not-so-casual misogyny is indicative of the dark path down which former President Donald Trump continues to lead the G.O.P.", - "category": "Gosar, Paul (1958- )", - "link": "https://www.nytimes.com/2021/11/19/opinion/trump-gop-misogyny.html", - "creator": "Michelle Cottle", - "pubDate": "Fri, 19 Nov 2021 17:00:00 +0000", + "title": "Czech president rejects nominee for foreign minister over ‘low qualifications’", + "description": "

    Move from Miloš Zeman threatens to further delay the inauguration of new coalition

    The Czech president, Miloš Zeman, has set the stage for a constitutional tug of war after rejecting the nominee to be the country’s next foreign minister on the grounds of his allegedly poor degree thesis.

    In a move decried as legally baseless by many constitutional scholars, Zeman refused to accept the nomination of Jan Lipavský, citing “low qualifications” and adding that he had only completed a bachelor’s degree, which he said was a lower qualification than those held by all other proposed ministers in the incoming coalition government.

    Continue reading...", + "content": "

    Move from Miloš Zeman threatens to further delay the inauguration of new coalition

    The Czech president, Miloš Zeman, has set the stage for a constitutional tug of war after rejecting the nominee to be the country’s next foreign minister on the grounds of his allegedly poor degree thesis.

    In a move decried as legally baseless by many constitutional scholars, Zeman refused to accept the nomination of Jan Lipavský, citing “low qualifications” and adding that he had only completed a bachelor’s degree, which he said was a lower qualification than those held by all other proposed ministers in the incoming coalition government.

    Continue reading...", + "category": "Czech Republic", + "link": "https://www.theguardian.com/world/2021/dec/10/czech-president-rejects-nominee-for-foreign-minister-over-low-qualifications", + "creator": "Robert Tait in Prague", + "pubDate": "2021-12-10T16:56:27Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "59e92a624dbbc3554baf569f3ecfd98c" + "hash": "521fec28dc62b5241af64c6250227af4" }, { - "title": "Who Is Afghanistan's Soccer Team Playing For?", - "description": "Afghanistan’s national soccer team played a rare match this week. But with the Taliban in control of their country, what, and whom, are they playing for?", - "content": "Afghanistan’s national soccer team played a rare match this week. But with the Taliban in control of their country, what, and whom, are they playing for?", - "category": "Soccer", - "link": "https://www.nytimes.com/2021/11/18/sports/soccer/afghanistan-soccer-taliban.html", - "creator": "James Montague and Bradley Secker", - "pubDate": "Fri, 19 Nov 2021 16:59:22 +0000", + "title": "Woman admits abusing pet marmoset she offered cocaine and flushed down toilet", + "description": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", + "content": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", + "category": "Animal welfare", + "link": "https://www.theguardian.com/world/2021/dec/10/woman-admits-abusing-pet-marmoset-she-offered-cocaine-and-flushed-down-toilet", + "creator": "Nadeem Badshah and agency", + "pubDate": "2021-12-10T19:39:28Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e9f241e2c4962052f941a4dfa1884491" + "hash": "c5e7dee8a67c03321026733a06611709" }, { - "title": "The Inspiration for ‘Malfunction: The Dressing Down of Janet Jackson’", - "description": "The New York Times’s latest documentary, premiering Friday, examines the scandal surrounding the performer following the 2004 Super Bowl halftime show.", - "content": "The New York Times’s latest documentary, premiering Friday, examines the scandal surrounding the performer following the 2004 Super Bowl halftime show.", - "category": "Pop and Rock Music", - "link": "https://www.nytimes.com/2021/11/19/insider/janet-jackson-documentary.html", - "creator": "Rachel Abrams", - "pubDate": "Fri, 19 Nov 2021 16:58:08 +0000", + "title": "Covid live: UK reports highest daily new cases since January with ministers keeping restrictions ‘under review’", + "description": "

    UK records 58,194 new cases of Covid-19 and a further 120 deaths; UK government shown ‘very challenging new information’ on Omicron

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", + "content": "

    UK records 58,194 new cases of Covid-19 and a further 120 deaths; UK government shown ‘very challenging new information’ on Omicron

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/10/covid-news-live-australia-to-offer-jabs-to-children-aged-five-to-11-us-omicron-cases-mostly-mild-cdc-chief-says", + "creator": "Nadeem Badshah (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-10T20:21:35Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eee0773ee5e5cb0d44074f3a19c82d1a" + "hash": "92bc6db93103ff2f15198bd6f7b4f6f4" }, { - "title": "Supermodel Iman Opens Up About David Bowie, a New Perfume and More", - "description": "The supermodel talks about life after David Bowie, their Catskills refuge and the perfume inspired by their love.", - "content": "The supermodel talks about life after David Bowie, their Catskills refuge and the perfume inspired by their love.", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/11/18/style/iman-david-bowie.html", - "creator": "Guy Trebay", - "pubDate": "Fri, 19 Nov 2021 16:20:50 +0000", + "title": "It’s time to embrace the darkness: how I got over my dread of winter", + "description": "

    Last winter’s gloom almost broke me, so here’s what I’ve learned about changing my mindset and embracing the long, cold, dark months


    It’s only now, when we have some distance from it, that we can reckon with last winter: five months of gloom, seclusion and burnout in which almost the entire country felt miserable. Against a background of a rising death toll, exhausted health workers and gross governmental incompetence – not to mention a cancelled Christmas – we were tasked with a third go at making the most of a bad situation.

    I remember the moment it really got to me. It was New Year’s Eve. I’d just had a terrible and prolonged breakup, and a few days earlier had moved out of the London flat I had shared with my ex for five years. House-sitting, alone, was not the kind of New Year bash I’d envisioned, but at least I could take some solace in the thought that no one else was having much fun.

    Continue reading...", + "content": "

    Last winter’s gloom almost broke me, so here’s what I’ve learned about changing my mindset and embracing the long, cold, dark months


    It’s only now, when we have some distance from it, that we can reckon with last winter: five months of gloom, seclusion and burnout in which almost the entire country felt miserable. Against a background of a rising death toll, exhausted health workers and gross governmental incompetence – not to mention a cancelled Christmas – we were tasked with a third go at making the most of a bad situation.

    I remember the moment it really got to me. It was New Year’s Eve. I’d just had a terrible and prolonged breakup, and a few days earlier had moved out of the London flat I had shared with my ex for five years. House-sitting, alone, was not the kind of New Year bash I’d envisioned, but at least I could take some solace in the thought that no one else was having much fun.

    Continue reading...", + "category": "Mental health", + "link": "https://www.theguardian.com/society/2021/dec/10/how-to-beat-the-winter-dread", + "creator": "Sam Wolfson", + "pubDate": "2021-12-10T11:00:38Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6eeea20c806c50c7a91928a2d0aa5a6" + "hash": "ad7b0ce2ef17f296bf876895494c52e9" }, { - "title": "The First Family of New Jersey Football", - "description": "Seventeen of the last 20 New Jersey state high school championships have featured a team coached by Mike Campanile or one of his four sons.", - "content": "Seventeen of the last 20 New Jersey state high school championships have featured a team coached by Mike Campanile or one of his four sons.", - "category": "Coaches and Managers", - "link": "https://www.nytimes.com/2021/11/19/sports/football/nj-high-school-football-campanile.html", - "creator": "Kevin Armstrong", - "pubDate": "Fri, 19 Nov 2021 15:51:51 +0000", + "title": "Golden generation survivor Steven Gerrard is writing his own superhero story | Barney Ronay", + "description": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", + "content": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", + "category": "Steven Gerrard", + "link": "https://www.theguardian.com/football/blog/2021/dec/10/golden-generation-survivor-steven-gerrard-is-writing-his-own-superhero-story", + "creator": "Barney Ronay", + "pubDate": "2021-12-10T20:00:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a232dc2974f8de72c55e4ef950a5d9f" + "hash": "2bdbbee4e7a932dc7cd18f32eac00e5e" }, { - "title": "Wisconsin Republicans Push to Take Over the State’s Elections", - "description": "Led by Senator Ron Johnson, G.O.P. officials want to eliminate a bipartisan elections agency — and maybe send its members to jail.", - "content": "Led by Senator Ron Johnson, G.O.P. officials want to eliminate a bipartisan elections agency — and maybe send its members to jail.", - "category": "Wisconsin", - "link": "https://www.nytimes.com/2021/11/19/us/politics/wisconsin-republicans-decertify-election.html", - "creator": "Reid J. Epstein", - "pubDate": "Fri, 19 Nov 2021 15:00:08 +0000", + "title": "‘His struggle is ours’: biopic of slain 60s rebel hailed in Brazil with anti-Bolsonaro chants", + "description": "

    Film about Carlos Marighella, released in Berlin in 2019, only arrived in Brazil last month after government cancellations

    The CIA considered him Che Guevara’s successor when it came to igniting new guerrilla movements in Latin America.

    Brazil’s military dictatorship, whose security agents ambushed and killed him in São Paulo in 1969, called him public enemy No 1.

    Continue reading...", + "content": "

    Film about Carlos Marighella, released in Berlin in 2019, only arrived in Brazil last month after government cancellations

    The CIA considered him Che Guevara’s successor when it came to igniting new guerrilla movements in Latin America.

    Brazil’s military dictatorship, whose security agents ambushed and killed him in São Paulo in 1969, called him public enemy No 1.

    Continue reading...", + "category": "Brazil", + "link": "https://www.theguardian.com/world/2021/dec/10/carlos-marighella-film-brazil-jair-bolsonaro", + "creator": "Caio Barretto Briso in Rio de Janeiro", + "pubDate": "2021-12-10T10:00:37Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d070ba3d878c8ab0e79142342196cecb" + "hash": "d6f79b4ad5a7e3c08c505c760f5d2e05" }, { - "title": "The Little Lad? Berries and Cream? Call It Performance Art.", - "description": "Jack Ferver, the creator of a well-regarded body of dance-theater works, has also become a TikTok phenomenon because of a Starburst ad from 2007.", - "content": "Jack Ferver, the creator of a well-regarded body of dance-theater works, has also become a TikTok phenomenon because of a Starburst ad from 2007.", - "category": "Social Media", - "link": "https://www.nytimes.com/2021/11/19/arts/dance/berries-and-cream-tik-tok.html", - "creator": "Margaret Fuhrer", - "pubDate": "Fri, 19 Nov 2021 15:00:08 +0000", + "title": "Scandals and sackings: why critics say Boris Johnson is not fit to be PM", + "description": "

    Analysis: some of the accusations levelled at the prime minister, from the Downing Street refurb to his handling of Home Office bullying

    Boris Johnson has repeatedly been accused of riding roughshod over independent advisers and of mishandling the machinery of state during his time in No 10. Equally, a series of aides who were once very firmly in the tent have ended up either walking or being booted out.

    Here are some examples of the behaviour the prime minister’s critics say makes him unfit for such high office.

    Continue reading...", + "content": "

    Analysis: some of the accusations levelled at the prime minister, from the Downing Street refurb to his handling of Home Office bullying

    Boris Johnson has repeatedly been accused of riding roughshod over independent advisers and of mishandling the machinery of state during his time in No 10. Equally, a series of aides who were once very firmly in the tent have ended up either walking or being booted out.

    Here are some examples of the behaviour the prime minister’s critics say makes him unfit for such high office.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/dec/10/scandals-and-sackings-why-critics-say-boris-johnson-is-not-fit-to-be-pm", + "creator": "Kevin Rawlinson, Peter Walker and Jessica Elgot", + "pubDate": "2021-12-10T17:51:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1301df38cca66f9784e0568d7421da6" + "hash": "b0df23d21fad6ffcd9186cc2758cf069" }, { - "title": "Feeling Anxious About Thanksgiving This Year? You’re Not Alone.", - "description": "The first postvaccine Thanksgiving will be full of joy — and anxiety. Here’s how to navigate it.", - "content": "The first postvaccine Thanksgiving will be full of joy — and anxiety. Here’s how to navigate it.", - "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2021/11/18/opinion/thanksgiving-christmas-family-tension.html", - "creator": "Emily Esfahani Smith", - "pubDate": "Fri, 19 Nov 2021 14:44:16 +0000", + "title": "Met failings probably a factor in deaths of Stephen Port victims, says inquest", + "description": "

    Serial killer could have been caught earlier if police had not missed opportunities, jury finds

    Fundamental failings by the Metropolitan police in the investigation into the deaths of the serial killer Stephen Port’s victims “probably” contributed to three of the four deaths, an inquest jury has found in its damning conclusions.

    Missed opportunities could have led to Port being caught earlier, and “basic” lines of inquiry were not followed up, the jury found, in investigations that families of the victims described as “one of the most widespread institutional failures in modern history”.

    Continue reading...", + "content": "

    Serial killer could have been caught earlier if police had not missed opportunities, jury finds

    Fundamental failings by the Metropolitan police in the investigation into the deaths of the serial killer Stephen Port’s victims “probably” contributed to three of the four deaths, an inquest jury has found in its damning conclusions.

    Missed opportunities could have led to Port being caught earlier, and “basic” lines of inquiry were not followed up, the jury found, in investigations that families of the victims described as “one of the most widespread institutional failures in modern history”.

    Continue reading...", + "category": "Police", + "link": "https://www.theguardian.com/uk-news/2021/dec/10/mets-failings-contributed-to-deaths-of-stephen-ports-victims-inquest-finds", + "creator": "Caroline Davies", + "pubDate": "2021-12-10T17:59:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ced1eca2ffed2d84759cf16c362f889" + "hash": "0e29f7303c95ec8a3f4847f51755fdb4" }, { - "title": "Why the U.S. Is Considering Expanding Booster Shot Eligibility to All Adults", - "description": "The U.S. may soon offer booster shots to every adult. Here’s why.", - "content": "The U.S. may soon offer booster shots to every adult. Here’s why.", - "category": "", - "link": "https://www.nytimes.com/2021/11/19/briefing/booster-eligibility-us-fda.html", - "creator": "Ian Prasad Philbrick and Claire Moses", - "pubDate": "Fri, 19 Nov 2021 13:59:58 +0000", + "title": "Iran says UK is discussing how to repay £400m debt", + "description": "

    Ambassador says British officials visited Tehran last week for talks on historical debt from 1970s arms sale

    UK government officials were in Tehran last week discussing legal ways to pay Britain’s historical £400m debt to Iran, the Iranian ambassador to London has said.

    Mohsen Baharvand added that he was in live discussions with the Foreign Office, and said the issues were not insurmountable.

    Continue reading...", + "content": "

    Ambassador says British officials visited Tehran last week for talks on historical debt from 1970s arms sale

    UK government officials were in Tehran last week discussing legal ways to pay Britain’s historical £400m debt to Iran, the Iranian ambassador to London has said.

    Mohsen Baharvand added that he was in live discussions with the Foreign Office, and said the issues were not insurmountable.

    Continue reading...", + "category": "Foreign policy", + "link": "https://www.theguardian.com/politics/2021/dec/10/iran-says-uk-is-discussing-how-to-repay-400m-debt", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-10T15:35:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf4a472b61430d7b1977be3c04a47e89" + "hash": "d676d46522c8b8c1aa056147313a2840" }, { - "title": "How to Save Your Knees Without Giving Up Your Workout", - "description": "There’s no magic bullet to knee health, but staying active and building muscles around the joint are crucial.", - "content": "There’s no magic bullet to knee health, but staying active and building muscles around the joint are crucial.", - "category": "Knees", - "link": "https://www.nytimes.com/2021/11/19/well/workout-exercise-knee-health.html", - "creator": "Alex Hutchinson", - "pubDate": "Fri, 19 Nov 2021 13:04:42 +0000", + "title": "Biden ‘concerned’ over supreme court’s Texas abortion ruling, says White House – live", + "description": "

    Coming as a surprise to almost no one, Republican Senator Ted Cruz of Texas was reportedly not wearing a facial mask during the memorial service despite rising cases of Covid-19 nationwide and several older attendees present.

    For more information on rising Covid-19 cases and concerns sparked by the Omicron variant, check out the Guardian’s Eric Berger piece linked below.

    Continue reading...", + "content": "

    Coming as a surprise to almost no one, Republican Senator Ted Cruz of Texas was reportedly not wearing a facial mask during the memorial service despite rising cases of Covid-19 nationwide and several older attendees present.

    For more information on rising Covid-19 cases and concerns sparked by the Omicron variant, check out the Guardian’s Eric Berger piece linked below.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/live/2021/dec/10/joe-biden-democracy-summit-supreme-court-abortion-texas-us-politics-live", + "creator": "Gloria Oladipo", + "pubDate": "2021-12-10T20:09:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ad463f7dd32cc1ec4680935a064378c" + "hash": "c7b6825b25cf4ed1d2de2b39af3ae258" }, { - "title": "The Belarus-Poland Border Chaos Is Partly of Europe’s Own Making", - "description": "The chaos at the Belarus-Poland border is partly of the European Union’s making.", - "content": "The chaos at the Belarus-Poland border is partly of the European Union’s making.", - "category": "Belarus", - "link": "https://www.nytimes.com/2021/11/19/opinion/poland-belarus-border-europe.html", - "creator": "Charlotte McDonald-Gibson", - "pubDate": "Fri, 19 Nov 2021 12:20:46 +0000", + "title": "Australian farmland prices surge at four times rate of capital cities amid fears of affordability crisis", + "description": "

    Sale of a Holbrook property for $40m – which was $10m more than initial asking price – is indicative of record buyer demand

    Farmland prices are soaring at quadruple the rates of median growth in Australia’s capital cities – as 30-year price highs across agricultural commodities combine with low interest rates and generally good seasonal conditions.

    Experts are beginning to warn that the “exorbitant” price of farmland is prohibitive for those starting out, echoing city housing concerns.

    Continue reading...", + "content": "

    Sale of a Holbrook property for $40m – which was $10m more than initial asking price – is indicative of record buyer demand

    Farmland prices are soaring at quadruple the rates of median growth in Australia’s capital cities – as 30-year price highs across agricultural commodities combine with low interest rates and generally good seasonal conditions.

    Experts are beginning to warn that the “exorbitant” price of farmland is prohibitive for those starting out, echoing city housing concerns.

    Continue reading...", + "category": "Real estate", + "link": "https://www.theguardian.com/australia-news/2021/dec/11/australian-farmland-prices-surge-at-four-times-rate-of-capital-cities-amid-fears-of-affordability-crisis", + "creator": "Natasha May", + "pubDate": "2021-12-10T19:00:50Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d4939ea3353296ff81fd6d7b9289fb4" + "hash": "388006e39d4db187648e5d10707dfc30" }, { - "title": "How Belarus Manufactured a Border Crisis", - "description": "A political gamble by the nation’s desperate leader has become a diplomatic and humanitarian crisis.", - "content": "A political gamble by the nation’s desperate leader has become a diplomatic and humanitarian crisis.", - "category": "Belarus-Poland Border Crisis (2021- )", - "link": "https://www.nytimes.com/2021/11/19/podcasts/the-daily/belarus-poland-migrant-crisis-european-union.html", - "creator": "Michael Barbaro, Sydney Harper, Mooj Zadie, Clare Toeniskoetter, Rachelle Bonja, Lynsea Garrison, Mike Benoist, Patricia Willens, M.J. Davis Lin, Dan Powell and Chris Wood", - "pubDate": "Fri, 19 Nov 2021 11:00:07 +0000", + "title": "Win for Tunisian town facing landfill crisis as government backs down", + "description": "

    After demonstrations see police use teargas and the death of one man, work begins to clear waste in Sfax after decision to move site

    Work has begun to clear 30,000 tonnes of household rubbish from the streets of Tunisia’s “second city” of Sfax after the government backed down in a long-running dispute over a landfill site.

    Residents and activists in Agareb, where the current dump is located, said the site, opened in 2008 near the El Gonna national park, was a risk to human health. In recent weeks, unrest in the region has escalated, with access to the site blocked and police using teargas against demonstrators from the town. One man, Abderrazek Lacheb, has allegedly died after being caught up in the demonstrations, although the police have denied his death was due to teargas.

    Continue reading...", + "content": "

    After demonstrations see police use teargas and the death of one man, work begins to clear waste in Sfax after decision to move site

    Work has begun to clear 30,000 tonnes of household rubbish from the streets of Tunisia’s “second city” of Sfax after the government backed down in a long-running dispute over a landfill site.

    Residents and activists in Agareb, where the current dump is located, said the site, opened in 2008 near the El Gonna national park, was a risk to human health. In recent weeks, unrest in the region has escalated, with access to the site blocked and police using teargas against demonstrators from the town. One man, Abderrazek Lacheb, has allegedly died after being caught up in the demonstrations, although the police have denied his death was due to teargas.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/08/win-for-tunisian-town-facing-landfill-crisis-as-government-backs-down", + "creator": "Simon Speakman Cordall in Tunis", + "pubDate": "2021-12-08T12:16:04Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c21892b3ca0a6a7c3e5c4432332c84a8" + "hash": "d746af6b0d9b74eeaf21f68760b559b0" }, { - "title": "How the Beatles Broke Up and the Deaf Football Team Taking California by Storm: The Week in Narrated Articles", - "description": "Five articles from around The Times, narrated just for you.", - "content": "Five articles from around The Times, narrated just for you.", - "category": "", - "link": "https://www.nytimes.com/2021/11/19/podcasts/the-beatles-eric-adams-california-school-for-the-deaf-narrated-articles.html", - "creator": "", - "pubDate": "Fri, 19 Nov 2021 10:30:02 +0000", + "title": "After 16 years at the top of German politics, what now for Angela Merkel?", + "description": "

    While Merkel has said she has no particular plans, doing nothing doesn’t seem a realistic prospect for the outgoing chancellor

    After 16 years of gruelling European summits, late-light coalition negotiations and back-to-back conference calls with heads of state, Angela Merkel has vowed to spend the foreseeable future kicking back her flat black shoes and reading a few good books.

    But newly emerged details of a new office in central Berlin and veiled hints in interviews suggests the world may not have seen the last of Germany’s outgoing chancellor yet.

    Continue reading...", + "content": "

    While Merkel has said she has no particular plans, doing nothing doesn’t seem a realistic prospect for the outgoing chancellor

    After 16 years of gruelling European summits, late-light coalition negotiations and back-to-back conference calls with heads of state, Angela Merkel has vowed to spend the foreseeable future kicking back her flat black shoes and reading a few good books.

    But newly emerged details of a new office in central Berlin and veiled hints in interviews suggests the world may not have seen the last of Germany’s outgoing chancellor yet.

    Continue reading...", + "category": "Angela Merkel", + "link": "https://www.theguardian.com/world/2021/dec/08/after-16-years-at-the-top-of-german-politics-what-now-for-angela-merkel", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-12-08T10:34:22Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dcca98684beb055a674ef24887f90d2b" + "hash": "e1802c060d0f06d723c3099eab11c28a" }, { - "title": "People Like Her Didn’t Exist in French Novels. Until She Wrote One.", - "description": "Fatima Daas’s debut book explores the writer’s conflicted identities as a lesbian, Muslim woman with an immigrant background. In France, it was an unlikely literary hit.", - "content": "Fatima Daas’s debut book explores the writer’s conflicted identities as a lesbian, Muslim woman with an immigrant background. In France, it was an unlikely literary hit.", - "category": "Daas, Fatima", - "link": "https://www.nytimes.com/2021/11/19/books/fatima-daas-the-last-one.html", - "creator": "Julia Webster Ayuso", - "pubDate": "Fri, 19 Nov 2021 10:21:37 +0000", + "title": "Omicron could be spreading faster in England than in South Africa, Sage adviser says", + "description": "

    John Edmunds says variant is ‘very severe setback’ to controlling Covid pandemic and that plan B ‘absolutely not an overreaction’

    Cases of the Omicron variant could be spreading even faster in England than in South Africa, according to a senior scientific adviser, who warned that the variant was a “very severe setback” to hopes of bringing the pandemic under control.

    Prof John Edmunds, an epidemiologist at the London School of Hygiene and Tropical Medicine and a member of the government’s Scientific Advisory Group for Emergencies (Sage), said that plan B measures announced by the prime minister were “absolutely not an overreaction” even if Omicron turned out to be milder than the current dominant variant.

    Continue reading...", + "content": "

    John Edmunds says variant is ‘very severe setback’ to controlling Covid pandemic and that plan B ‘absolutely not an overreaction’

    Cases of the Omicron variant could be spreading even faster in England than in South Africa, according to a senior scientific adviser, who warned that the variant was a “very severe setback” to hopes of bringing the pandemic under control.

    Prof John Edmunds, an epidemiologist at the London School of Hygiene and Tropical Medicine and a member of the government’s Scientific Advisory Group for Emergencies (Sage), said that plan B measures announced by the prime minister were “absolutely not an overreaction” even if Omicron turned out to be milder than the current dominant variant.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/09/daily-omicron-cases-in-uk-could-exceed-60000-by-christmas-sage-adviser-says", + "creator": "Ian Sample Science editor", + "pubDate": "2021-12-09T20:11:42Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5b2fcc03924c1210137fa2d660e99f53" + "hash": "ef2d16c6224d597fb41db4c41913edbd" }, { - "title": "After Time in U.S. Prisons, Maria Butina Now Sits in Russia's Parliament", - "description": "Maria Butina, convicted of serving as an unregistered foreign agent before and after the 2016 election, insists she “wasn’t a spy” and that her Duma seat is “not a reward.” Her critics call her a Kremlin “trophy.”", - "content": "Maria Butina, convicted of serving as an unregistered foreign agent before and after the 2016 election, insists she “wasn’t a spy” and that her Duma seat is “not a reward.” Her critics call her a Kremlin “trophy.”", - "category": "Content Type: Personal Profile", - "link": "https://www.nytimes.com/2021/11/19/world/europe/maria-butina-russia-duma.html", - "creator": "Valerie Hopkins", - "pubDate": "Fri, 19 Nov 2021 10:00:29 +0000", + "title": "Dozens killed after truck packed with migrants crashes in Mexico", + "description": "

    At least 53 people died and many were injured after the vehicle rolled over on a highway in Chiapas

    A cargo truck jammed with more than 100 people thought to be migrants from Central America has rolled over and crashed into a pedestrian bridge in southern Mexico, killing at least 53 people and injuring dozens more.

    The crash on Thursday on a highway near Tuxtla Gutierrez, state capital of Chiapas, might have been triggered by the weight of the truck’s human cargo causing it to tip over on a bend, local officials said.

    Continue reading...", + "content": "

    At least 53 people died and many were injured after the vehicle rolled over on a highway in Chiapas

    A cargo truck jammed with more than 100 people thought to be migrants from Central America has rolled over and crashed into a pedestrian bridge in southern Mexico, killing at least 53 people and injuring dozens more.

    The crash on Thursday on a highway near Tuxtla Gutierrez, state capital of Chiapas, might have been triggered by the weight of the truck’s human cargo causing it to tip over on a bend, local officials said.

    Continue reading...", + "category": "Mexico", + "link": "https://www.theguardian.com/world/2021/dec/10/dozens-killed-after-truck-packed-with-migrants-crashes-in-mexico", + "creator": "Associated Press", + "pubDate": "2021-12-10T01:35:39Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3b29c5658ad9daba55bbc0a0f534ff8" + "hash": "1d9118734c2183c1c3904069032e0bb6" }, { - "title": "The Decision That Cost Hitler the War", - "description": "“Hitler’s American Gamble,” by Brendan Simms and Charlie Laderman, examines Hitler’s ill-fated choice to declare war on the United States.", - "content": "“Hitler’s American Gamble,” by Brendan Simms and Charlie Laderman, examines Hitler’s ill-fated choice to declare war on the United States.", - "category": "Books and Literature", - "link": "https://www.nytimes.com/2021/11/19/books/review/hitlers-american-gamble-brendan-simms-charlie-laderman.html", - "creator": "Benjamin Carter Hett", - "pubDate": "Fri, 19 Nov 2021 10:00:04 +0000", + "title": "Ashes 2021-22: Australia v England first Test, day three – live!", + "description": "

    An England injury update: Stokes is ok to bowl, Robinson is fine and only had cramp... but Dawid Malan isn’t out there today. Did a hamstring, apparently, from chasing leather all day. Zak Crawley is out there in his place.

    Here come the players, into the bright Brisbane sunshine. Travis Head resumes on 112 not out, of course. He’s joined by Mitchell Starc out there, with Australia’s lead at 196. Chris Woakes has the ball in hand. Here we go then...

    Continue reading...", + "content": "

    An England injury update: Stokes is ok to bowl, Robinson is fine and only had cramp... but Dawid Malan isn’t out there today. Did a hamstring, apparently, from chasing leather all day. Zak Crawley is out there in his place.

    Here come the players, into the bright Brisbane sunshine. Travis Head resumes on 112 not out, of course. He’s joined by Mitchell Starc out there, with Australia’s lead at 196. Chris Woakes has the ball in hand. Here we go then...

    Continue reading...", + "category": "Ashes 2021-22", + "link": "https://www.theguardian.com/sport/live/2021/dec/10/ashes-2021-22-day-3-three-cricket-australia-vs-england-first-test-live-score-card-aus-v-eng-start-time-latest-updates", + "creator": "Geoff Lemon at the Gabba (now) and Tim de Lisle (later)", + "pubDate": "2021-12-10T04:40:07Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d54981316a8cb5a94e59fb39d67c32c1" + "hash": "cc3b61678200fc5ce54dca9e18e4e678" }, { - "title": "Why Are More Black Children Dying by Suicide?", - "description": "Mental health experts assumed that people of all races had the same risk factors for self-harm. Emerging evidence suggests that is not the case.", - "content": "Mental health experts assumed that people of all races had the same risk factors for self-harm. Emerging evidence suggests that is not the case.", - "category": "Suicides and Suicide Attempts", - "link": "https://www.nytimes.com/2021/11/18/well/mind/suicide-black-kids.html", - "creator": "Christina Caron and Julien James", - "pubDate": "Fri, 19 Nov 2021 03:48:00 +0000", + "title": "China: editorial says Communist party members must have three children", + "description": "

    Article that says ‘no party member should use any excuse’ to have only one or two children goes viral then disappears

    An editorial in a Chinese state-run news website has suggested Communist party members are obliged to have three children for the good of the country, as Beijing seeks to address plummeting birthrates.

    The editorial, which was first published last month, went viral this week and drew sharp reaction from Chinese internet users, with millions of shares, views and comments. As the wave of reaction grew, the original article disappeared from the website.

    Continue reading...", + "content": "

    Article that says ‘no party member should use any excuse’ to have only one or two children goes viral then disappears

    An editorial in a Chinese state-run news website has suggested Communist party members are obliged to have three children for the good of the country, as Beijing seeks to address plummeting birthrates.

    The editorial, which was first published last month, went viral this week and drew sharp reaction from Chinese internet users, with millions of shares, views and comments. As the wave of reaction grew, the original article disappeared from the website.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/10/china-editorial-says-communist-party-members-must-have-three-children", + "creator": "Helen Davidson", + "pubDate": "2021-12-10T04:01:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": true, + "feed": "The Guardian", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7bbeb6284d36e337ca1d61e8542bfb83" + "hash": "f33ed2fe0c4c7d9988bcc97514d077b3" }, { - "title": "First Known Covid Case Was Vendor at Wuhan Market, Scientist Says", - "description": "A new review of early Covid-19 cases in the journal Science will revive, though certainly not settle, the debate over how the pandemic began.", - "content": "A new review of early Covid-19 cases in the journal Science will revive, though certainly not settle, the debate over how the pandemic began.", - "category": "Coronavirus (2019-nCoV)", - "link": "https://www.nytimes.com/2021/11/18/health/covid-wuhan-market-lab-leak.html", - "creator": "Carl Zimmer, Benjamin Mueller and Chris Buckley", - "pubDate": "Fri, 19 Nov 2021 03:45:26 +0000", + "title": "Court rules Trump cannot block release of documents to Capitol attack panel", + "description": "

    The former president is expected to appeal the ruling to the supreme court

    Donald Trump, the former US president, suffered a major defeat on Thursday when a federal appeals court ruled against his effort to block the release of documents related to the 6 January attack on the US Capitol.

    Trump is expected to appeal to the supreme court.

    Continue reading...", + "content": "

    The former president is expected to appeal the ruling to the supreme court

    Donald Trump, the former US president, suffered a major defeat on Thursday when a federal appeals court ruled against his effort to block the release of documents related to the 6 January attack on the US Capitol.

    Trump is expected to appeal to the supreme court.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/09/donald-trump-capitol-attack-committee-documents", + "creator": "David Smith in Washington", + "pubDate": "2021-12-09T22:05:41Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f4e7cc93a5fca735e6f3f323b4259a95" + "hash": "c4ef368f965fc853515edf3cd5998607" }, { - "title": "Oklahoma Governor Commutes Julius Jones's Death Sentence", - "description": "A coalition of celebrities, conservatives and Christian leaders had urged Gov. Kevin Stitt to commute the death penalty sentence of Julius Jones, who was convicted of murder in 2002.", - "content": "A coalition of celebrities, conservatives and Christian leaders had urged Gov. Kevin Stitt to commute the death penalty sentence of Julius Jones, who was convicted of murder in 2002.", - "category": "Oklahoma", - "link": "https://www.nytimes.com/2021/11/17/us/julius-jones-oklahoma-clemency.html", - "creator": "Michael Levenson, Maria Cramer and Simon Romero", - "pubDate": "Fri, 19 Nov 2021 00:28:40 +0000", + "title": "Biden promises eastern Europeans support in event of Russian attack on Ukraine", + "description": "

    US president makes pledge in phone calls to Ukrainian president and nine other states

    Joe Biden has phoned the leaders of Ukraine and nine eastern European Nato states promising support if Russia attacks Ukraine and pledging to involve them in decisions about the region.

    After a 90-minute call with Biden late on Thursday, Ukrainian president Volodymyr Zelenskiy said on Twitter that the two “discussed possible formats for resolving the conflict” in eastern Ukraine, where Russian-backed separatists have carved out a self-declared state.

    Continue reading...", + "content": "

    US president makes pledge in phone calls to Ukrainian president and nine other states

    Joe Biden has phoned the leaders of Ukraine and nine eastern European Nato states promising support if Russia attacks Ukraine and pledging to involve them in decisions about the region.

    After a 90-minute call with Biden late on Thursday, Ukrainian president Volodymyr Zelenskiy said on Twitter that the two “discussed possible formats for resolving the conflict” in eastern Ukraine, where Russian-backed separatists have carved out a self-declared state.

    Continue reading...", + "category": "Europe", + "link": "https://www.theguardian.com/world/2021/dec/09/eastern-europe-urges-nato-unity-in-biden-talks-with-russia", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-12-09T22:32:27Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f00045231034345db1ec175805b99223" + "hash": "d033358f86e2be3b58e86ff52e982651" }, { - "title": "Biden Says His Infrastructure Law Is a ‘Big Deal.’ How Big?", - "description": "$550 billion for new spending is big, but many say America’s infrastructure needs are even bigger.", - "content": "$550 billion for new spending is big, but many say America’s infrastructure needs are even bigger.", - "category": "debatable", - "link": "https://www.nytimes.com/2021/11/18/opinion/biden-infrastructure-bill.html", - "creator": "Spencer Bokat-Lindell", - "pubDate": "Thu, 18 Nov 2021 23:00:06 +0000", + "title": "Jussie Smollett found guilty of faking hate crime against himself", + "description": "

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five of the six charges he faced

    A jury has found the Empire actor Jussie Smollett guilty of faking a hate crime against himself to raise his celebrity profile.

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five charges of disorderly conduct. He was acquitted on a sixth count, of lying to a detective in mid-February, weeks after Smollett said he was attacked.

    Continue reading...", + "content": "

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five of the six charges he faced

    A jury has found the Empire actor Jussie Smollett guilty of faking a hate crime against himself to raise his celebrity profile.

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five charges of disorderly conduct. He was acquitted on a sixth count, of lying to a detective in mid-February, weeks after Smollett said he was attacked.

    Continue reading...", + "category": "Jussie Smollett", + "link": "https://www.theguardian.com/us-news/2021/dec/09/jussie-smollett-found-guilty-faking-hate-crime-against-himself", + "creator": "Maya Yang and agencies", + "pubDate": "2021-12-10T00:04:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c599d741264799157ab1ba49f94736b3" + "hash": "f9066f8314eb6128aece7a954a3ea51c" }, { - "title": "He Helped Build Tesla. Now He Hopes to Do the Same at Lucid.", - "description": "Peter Rawlinson engineered the Tesla Model S. His new Lucid Air sedan is a direct challenge to Tesla’s dominance.", - "content": "Peter Rawlinson engineered the Tesla Model S. His new Lucid Air sedan is a direct challenge to Tesla’s dominance.", - "category": "Electric and Hybrid Vehicles", - "link": "https://www.nytimes.com/2021/11/18/business/lucid-motors-tesla.html", - "creator": "Niraj Chokshi and Jack Ewing", - "pubDate": "Thu, 18 Nov 2021 21:41:17 +0000", + "title": "Villagers file human rights complaint over plan for giant PNG goldmine", + "description": "

    Frieda River mine proposed by Chinese-owned PanAust sparks appeal to government in Australia where company is registered

    More than 2,000 people in 60 villages in Papua New Guinea’s north – where the country’s largest gold, copper and silver mine is slated to be built – have filed a human rights complaint with the Australian government against developer PanAust.

    The landowners of the proposed Frieda River mine, on a tributary to the Sepik in the north of New Guinea island, allege that PanAust failed to obtain their consent.

    Continue reading...", + "content": "

    Frieda River mine proposed by Chinese-owned PanAust sparks appeal to government in Australia where company is registered

    More than 2,000 people in 60 villages in Papua New Guinea’s north – where the country’s largest gold, copper and silver mine is slated to be built – have filed a human rights complaint with the Australian government against developer PanAust.

    The landowners of the proposed Frieda River mine, on a tributary to the Sepik in the north of New Guinea island, allege that PanAust failed to obtain their consent.

    Continue reading...", + "category": "Papua New Guinea", + "link": "https://www.theguardian.com/world/2021/dec/10/villagers-file-human-rights-complaint-over-plan-for-giant-png-goldmine", + "creator": "Lyanne Togiba in Port Moresby", + "pubDate": "2021-12-10T03:08:11Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "217da88da4c9c145d3f61e8e6a7e4518" + "hash": "5e59a4323cb7f98bdc13b763db14fee5" }, { - "title": "The Suburbs Are Poorer and More Diverse Than We Realize", - "description": "Understanding diversity in the suburbs is a key to winning elections.", - "content": "Understanding diversity in the suburbs is a key to winning elections.", - "category": "Suburbs", - "link": "https://www.nytimes.com/2021/11/18/opinion/suburbs-poor-diverse.html", - "creator": "Jay Caspian Kang", - "pubDate": "Thu, 18 Nov 2021 20:00:07 +0000", + "title": "Dozens die and thousands flee in West Darfur tribal fighting", + "description": "

    Deadly clashes erupt in three separate areas with poor medical facilities as wider Darfur region slides into violence

    Tribal fighting has killed dozens of people over the past three weeks in three separate areas of Sudan’s West Darfur region and thousands of people have fled the violence, local medics have said.

    The West Darfur Doctors Committee said in statements on Wednesday and Thursday that attacks in the Kreinik area killed 88 and wounded 84, while renewed violence in the Jebel Moon area killed 25 and wounded four. Meanwhile, violence in the Sarba locality killed eight and wounded six.

    Continue reading...", + "content": "

    Deadly clashes erupt in three separate areas with poor medical facilities as wider Darfur region slides into violence

    Tribal fighting has killed dozens of people over the past three weeks in three separate areas of Sudan’s West Darfur region and thousands of people have fled the violence, local medics have said.

    The West Darfur Doctors Committee said in statements on Wednesday and Thursday that attacks in the Kreinik area killed 88 and wounded 84, while renewed violence in the Jebel Moon area killed 25 and wounded four. Meanwhile, violence in the Sarba locality killed eight and wounded six.

    Continue reading...", + "category": "Sudan", + "link": "https://www.theguardian.com/world/2021/dec/10/dozens-die-and-thousands-flee-in-west-darfur-tribal-fighting", + "creator": "Staff and agencies", + "pubDate": "2021-12-10T01:48:23Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "88c071a0b2663844a5bf4bacb99a86e1" + "hash": "994727225ffda7b10a335b33b7586c8c" }, { - "title": "Justus Rosenberg, Beloved Professor With a Heroic Past, Dies at 100", - "description": "As a teenager, he helped provide safe passage to artists and intellectuals out of Vichy France. He went on to teach literature at Bard College for six decades.", - "content": "As a teenager, he helped provide safe passage to artists and intellectuals out of Vichy France. He went on to teach literature at Bard College for six decades.", - "category": "Rosenberg, Justus (1921- )", - "link": "https://www.nytimes.com/2021/11/17/nyregion/justus-rosenberg-dead.html", - "creator": "Alex Vadukul", - "pubDate": "Thu, 18 Nov 2021 19:41:12 +0000", + "title": "Macron accuses UK of not keeping its word on Brexit and fishing", + "description": "

    France willing to re-engage on Channel crossings, but UK economy relies on illegal labour, says president

    Relations between France and Britain are strained because the current UK government does not honour its word, president Emmanuel Macron has said.

    Macron accused London of failing to keep its word on Brexit and fishing licences, but said France was willing to re-engage in good faith, and called for “British re-engagement” over the “humanitarian question” of dangerous Channel crossings, after at least 27 migrants drowned trying to reach the British coast.

    Continue reading...", + "content": "

    France willing to re-engage on Channel crossings, but UK economy relies on illegal labour, says president

    Relations between France and Britain are strained because the current UK government does not honour its word, president Emmanuel Macron has said.

    Macron accused London of failing to keep its word on Brexit and fishing licences, but said France was willing to re-engage in good faith, and called for “British re-engagement” over the “humanitarian question” of dangerous Channel crossings, after at least 27 migrants drowned trying to reach the British coast.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/09/emmanuel-macron-uk-brexit-fishing-channel-crossings", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-12-09T19:10:03Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "9b6e783ebd86d7190c43f17e9255a187" + "hash": "e1598fd0b3d0d08188374cc71c1e07e4" }, { - "title": "Mental Health Days Are Important. Here’s How to Make Yours Worthwhile.", - "description": "Well readers share advice on how to get away from it all.", - "content": "Well readers share advice on how to get away from it all.", - "category": "Mental Health and Disorders", - "link": "https://www.nytimes.com/2021/11/18/well/mind/mental-health-day-ideas.html", - "creator": "Christina Caron", - "pubDate": "Thu, 18 Nov 2021 19:30:21 +0000", + "title": "Brown sugar shortage leaves bitter taste for New Zealand’s home bakers", + "description": "

    Lead contamination scare and global supply chain disruption add up to recipe for Christmas disappointment, with dried fruit also in short supply

    A mass recall of brown sugar in New Zealand, prompted by fears of lead contamination, has left home bakers scrambling for alternatives in the lead up to the festive season, while global supply chain disruptions have caused gaps on the supermarket shelves.

    The country’s only sugar refinery, NZ Sugar Limited, was forced to make four recalls of its sugar products after low levels of lead were detected in some of its batches. Food Safety New Zealand is investigating the handling of the recall, after three incidents where recalled products ended up back on supermarket shelves.

    Continue reading...", + "content": "

    Lead contamination scare and global supply chain disruption add up to recipe for Christmas disappointment, with dried fruit also in short supply

    A mass recall of brown sugar in New Zealand, prompted by fears of lead contamination, has left home bakers scrambling for alternatives in the lead up to the festive season, while global supply chain disruptions have caused gaps on the supermarket shelves.

    The country’s only sugar refinery, NZ Sugar Limited, was forced to make four recalls of its sugar products after low levels of lead were detected in some of its batches. Food Safety New Zealand is investigating the handling of the recall, after three incidents where recalled products ended up back on supermarket shelves.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/10/brown-sugar-shortage-leaves-bitter-taste-for-new-zealands-home-bakers", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-10T03:16:11Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0c36139a7574db043fb48670d7b06b1e" + "hash": "21750d7ebf284c81c6970b4f37b00fbf" }, { - "title": "George Gascón Is Remaking Criminal Justice in L.A. How Far Is Too Far?", - "description": "To keep people out of prison, George Gascón is risking everything: rising violent crime, a staff rebellion and the votes that made him district attorney.", - "content": "To keep people out of prison, George Gascón is risking everything: rising violent crime, a staff rebellion and the votes that made him district attorney.", - "category": "Gascon, George", - "link": "https://www.nytimes.com/2021/11/17/magazine/george-gascon-los-angeles.html", - "creator": "Emily Bazelon and Jennifer Medina", - "pubDate": "Wed, 17 Nov 2021 20:18:43 +0000", + "title": "Covid news live: Australia to offer jabs to children aged five to 11; US Omicron cases mostly mild, CDC chief says", + "description": "

    Australia will begin administering vaccines for children from January; nearly all of the 40 people in the US infected with Omicron were mildly ill

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", + "content": "

    Australia will begin administering vaccines for children from January; nearly all of the 40 people in the US infected with Omicron were mildly ill

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/10/covid-news-live-australia-to-offer-jabs-to-children-aged-five-to-11-us-omicron-cases-mostly-mild-cdc-chief-says", + "creator": "Samantha Lock", + "pubDate": "2021-12-10T04:38:48Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9c2a2606e38ea2535e63cbff8336777b" + "hash": "f199cf9f5eb3230d5ecef76e347b4d1b" }, { - "title": "Are We Witnessing the Mainstreaming of White Power in America?", - "description": "A historian of the white power movement discusses Jan. 6, Tucker Carlson and the threat of politically motivated violence.", - "content": "A historian of the white power movement discusses Jan. 6, Tucker Carlson and the threat of politically motivated violence.", - "category": "Right-Wing Extremism and Alt-Right", - "link": "https://www.nytimes.com/2021/11/16/opinion/ezra-klein-podcast-kathleen-belew.html", - "creator": "‘The Ezra Klein Show’", - "pubDate": "Tue, 16 Nov 2021 20:08:54 +0000", + "title": "Italian who presented fake arm for Covid jab ‘has since been vaccinated’", + "description": "

    Dr Guido Russo says stunt was protest against vaccine mandates and jab is ‘best weapon we have’ against virus

    An Italian dentist who presented a fake arm for a Covid vaccine says he has since been jabbed and that the vaccine “is the best weapon we have against this terrible disease”.

    Dr Guido Russo faces possible criminal fraud charges for having worn an arm made out of silicone when he first showed up at a vaccine hub in the northern city of Biella. Italy has required doctors and nurses to be vaccinated since earlier this year.

    Continue reading...", + "content": "

    Dr Guido Russo says stunt was protest against vaccine mandates and jab is ‘best weapon we have’ against virus

    An Italian dentist who presented a fake arm for a Covid vaccine says he has since been jabbed and that the vaccine “is the best weapon we have against this terrible disease”.

    Dr Guido Russo faces possible criminal fraud charges for having worn an arm made out of silicone when he first showed up at a vaccine hub in the northern city of Biella. Italy has required doctors and nurses to be vaccinated since earlier this year.

    Continue reading...", + "category": "Italy", + "link": "https://www.theguardian.com/world/2021/dec/09/italian-who-presented-fake-arm-for-covid-jab-has-since-been-vaccinated", + "creator": "Associated Press in Rome", + "pubDate": "2021-12-09T13:00:48Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", - "read": false, + "feed": "The Guardian", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "a4d257ae8c67756e32daaabdce44369e" + "hash": "6d4acb41ea140b45c13102a14afe7d5e" }, { - "title": "Donors Withhold Gifts to Protest Changes at Hamptons Sculpture Garden", - "description": "Some patrons of the LongHouse Reserve are upset that its veteran director was let go, but the board says it needed new leadership to expand the garden into a museum with a broader mission.", - "content": "Some patrons of the LongHouse Reserve are upset that its veteran director was let go, but the board says it needed new leadership to expand the garden into a museum with a broader mission.", - "category": "Sculpture", - "link": "https://www.nytimes.com/2021/11/14/arts/longhouse-reserve-east-hampton.html", - "creator": "Stacey Stowe", - "pubDate": "Sun, 14 Nov 2021 20:08:52 +0000", + "title": "CDC chief says Omicron is ‘mild’ as early data comes in on US spread of variant", + "description": "

    Agency is working on detailed analysis of what the new mutant form of the coronavirus might hold for the US

    More than 40 people in the US have been found to be infected with the Omicron variant so far, and more than three-quarters of them had been vaccinated, the chief of the Centers for Disease Control and Prevention (CDC) has said. But she added nearly all of them were only mildly ill.

    In an interview with the Associated Press, Dr Rochelle Walensky, director of the CDC, said the data is very limited and the agency is working on a more detailed analysis of what the new mutant form of the coronavirus might hold for the US.

    Continue reading...", + "content": "

    Agency is working on detailed analysis of what the new mutant form of the coronavirus might hold for the US

    More than 40 people in the US have been found to be infected with the Omicron variant so far, and more than three-quarters of them had been vaccinated, the chief of the Centers for Disease Control and Prevention (CDC) has said. But she added nearly all of them were only mildly ill.

    In an interview with the Associated Press, Dr Rochelle Walensky, director of the CDC, said the data is very limited and the agency is working on a more detailed analysis of what the new mutant form of the coronavirus might hold for the US.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/09/cdc-chief-omicron-mild-early-data-us-spread-variant", + "creator": "Associated Press", + "pubDate": "2021-12-09T14:52:37Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "844ce083d65cd50e2099f0fdf8011773" + "hash": "efb0d2ca3810886b8a34d491c7ee2d7a" }, { - "title": "How to Make Fluffy, Flavorful Mashed Potatoes", - "description": "You’ve tried boiling, but Genevieve Ko found a better way to make this side dish fluffier — and more flavorful.", - "content": "You’ve tried boiling, but Genevieve Ko found a better way to make this side dish fluffier — and more flavorful.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/12/dining/best-mashed-potatoes-recipe.html", - "creator": "Genevieve Ko", - "pubDate": "Sat, 13 Nov 2021 17:44:19 +0000", + "title": "South Korea cuts human interaction in push to build ‘untact’ society", + "description": "

    The government invests heavily to remove human contact from many aspects of life but fears of harmful social consequences persist

    For Seoul-based graduate Lee Su-bin, the transition to a new lifestyle during the pandemic was no big deal.

    “At the university library, I would reserve my books online, which would then be sanitised in a book steriliser before being delivered to a locker for pick up,” the 25-year-old says.

    Continue reading...", + "content": "

    The government invests heavily to remove human contact from many aspects of life but fears of harmful social consequences persist

    For Seoul-based graduate Lee Su-bin, the transition to a new lifestyle during the pandemic was no big deal.

    “At the university library, I would reserve my books online, which would then be sanitised in a book steriliser before being delivered to a locker for pick up,” the 25-year-old says.

    Continue reading...", + "category": "South Korea", + "link": "https://www.theguardian.com/world/2021/dec/10/south-korea-cuts-human-interaction-in-push-to-build-untact-society", + "creator": "Raphael Rashid", + "pubDate": "2021-12-10T03:23:22Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cc7ec4a0d19c5029066ae52178601af8" + "hash": "366c561560dba14bdb8d72769891a0b5" }, { - "title": "Announcing the 10 Best Books of 2021: A New York Times Event", - "description": "On Nov. 30, Times subscribers will be the first to find out what made this year’s 10 Best Books list from editors of The Book Review and a guest, Lena Waithe.", - "content": "On Nov. 30, Times subscribers will be the first to find out what made this year’s 10 Best Books list from editors of The Book Review and a guest, Lena Waithe.", - "category": "internal-open-access", - "link": "https://www.nytimes.com/2021/10/28/books/best-books-live-event.html", - "creator": "The New York Times", - "pubDate": "Thu, 11 Nov 2021 14:33:48 +0000", + "title": "George Michael’s 30 greatest songs – ranked!", + "description": "

    With Last Christmas sailing up the singles charts again, now’s the time to reappraise Michael’s best tracks, from sublime pop to haunting elegies

    Tucked away on the B-side of The Edge of Heaven, Battlestations is a fascinating anomaly in the Wham! catalogue. Raw, minimal, and influenced by contemporary dancefloor trends – but still very much a pop song – it gives a glimpse of what might have happened had the duo stayed together and taken a hipper, more experimental direction.

    Continue reading...", + "content": "

    With Last Christmas sailing up the singles charts again, now’s the time to reappraise Michael’s best tracks, from sublime pop to haunting elegies

    Tucked away on the B-side of The Edge of Heaven, Battlestations is a fascinating anomaly in the Wham! catalogue. Raw, minimal, and influenced by contemporary dancefloor trends – but still very much a pop song – it gives a glimpse of what might have happened had the duo stayed together and taken a hipper, more experimental direction.

    Continue reading...", + "category": "George Michael", + "link": "https://www.theguardian.com/music/2021/dec/09/george-michaels-30-greatest-songs-ranked", + "creator": "Alexis Petridis", + "pubDate": "2021-12-09T17:25:30Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57b1e0c713c7fd4b9f8c97dd5d545d9d" + "hash": "c9bfce5f1c73a6d8456b86be3c164d0f" }, { - "title": "Thanksgiving Recipes From ‘The Essential New York Times Cookbook’ That Feel Timeless", - "description": "Here are five dishes, all featured in the new edition of “The Essential New York Times Cookbook,” that will shine on your table.", - "content": "Here are five dishes, all featured in the new edition of “The Essential New York Times Cookbook,” that will shine on your table.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2021/11/08/dining/thanksgiving-recipes-essential-new-york-times-cookbook.html", - "creator": "Krysten Chambrot", - "pubDate": "Mon, 08 Nov 2021 20:28:44 +0000", + "title": "I once worked as a dish pig in a seminary. It was character-revealing | Brigid Delaney", + "description": "

    Today’s teens may know the Pythagoras theorem, but do they know how to wash dishes or make gravy in mass quantities?

    “I’m training”, says the badge, or “Trainee”. Or they tell you “I’m new”, and that it’s their third shift.

    The last fortnight, I have been staying in the Bellarine peninsula – a popular holiday spot west of Melbourne. Almost all the cafes, restaurants and shops I visited were in training mode – teaching new staff how to use the register or make a coffee before the summer rush hits in a couple of weeks. By all accounts, they’re going to get slammed.

    Continue reading...", + "content": "

    Today’s teens may know the Pythagoras theorem, but do they know how to wash dishes or make gravy in mass quantities?

    “I’m training”, says the badge, or “Trainee”. Or they tell you “I’m new”, and that it’s their third shift.

    The last fortnight, I have been staying in the Bellarine peninsula – a popular holiday spot west of Melbourne. Almost all the cafes, restaurants and shops I visited were in training mode – teaching new staff how to use the register or make a coffee before the summer rush hits in a couple of weeks. By all accounts, they’re going to get slammed.

    Continue reading...", + "category": "Young people", + "link": "https://www.theguardian.com/commentisfree/2021/dec/10/i-once-worked-as-a-dish-pig-in-a-seminary-it-was-character-revealing", + "creator": "Brigid Delaney", + "pubDate": "2021-12-09T16:30:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1a3aa018d55721c1fbe95875428b293" + "hash": "2cff7c63e354a1c990cc72d6998d4eb3" }, { - "title": "Your Easy, No-Sweat Guide to Picking Wines for Thanksgiving", - "description": "The grapes don’t really matter. Neither does where it was made. So long as it refreshes and rejuvenates, it’s the perfect bottle.", - "content": "The grapes don’t really matter. Neither does where it was made. So long as it refreshes and rejuvenates, it’s the perfect bottle.", - "category": "Wines", - "link": "https://www.nytimes.com/2021/11/04/dining/drinks/review-thanksgiving-wines.html", - "creator": "Eric Asimov", - "pubDate": "Mon, 08 Nov 2021 16:24:39 +0000", + "title": "Hillary Clinton’s victory speech – and others that were never heard", + "description": "

    The defeated 2016 candidate has read aloud what she would have said in victory – joining a cast of thwarted speechmakers

    It was one of the most significant branching points in recent history – and at least one artefact of the way things might have been still exists.

    On Wednesday the Today show in the US released a video of Hillary Clinton reading the speech she would have given if she had beaten Donald Trump in the 2016 election. Clinton, who is giving a course in “the power of resilience” with the online education company Masterclass, teared up as she read aloud from her speech. She said reading it entailed “facing one of my most public defeats head-on”.

    Continue reading...", + "content": "

    The defeated 2016 candidate has read aloud what she would have said in victory – joining a cast of thwarted speechmakers

    It was one of the most significant branching points in recent history – and at least one artefact of the way things might have been still exists.

    On Wednesday the Today show in the US released a video of Hillary Clinton reading the speech she would have given if she had beaten Donald Trump in the 2016 election. Clinton, who is giving a course in “the power of resilience” with the online education company Masterclass, teared up as she read aloud from her speech. She said reading it entailed “facing one of my most public defeats head-on”.

    Continue reading...", + "category": "Hillary Clinton", + "link": "https://www.theguardian.com/us-news/2021/dec/09/hillary-clintons-victory-speech-and-others-that-were-never-heard", + "creator": "Archie Bland", + "pubDate": "2021-12-09T17:38:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7161cd8d24110ef6dffe6992ea7772ac" + "hash": "91c9ff81f55e4c0a2a6da68921c4d9f2" }, { - "title": "How to Ease and Avoid Seasonal Affective Disorder", - "description": "As the days get shorter and the nights start earlier, take these steps to help prevent seasonal affective disorder.", - "content": "As the days get shorter and the nights start earlier, take these steps to help prevent seasonal affective disorder.", - "category": "Content Type: Service", - "link": "https://www.nytimes.com/2021/09/30/well/mind/seasonal-affective-disorder-help.html", - "creator": "Christina Caron", - "pubDate": "Thu, 30 Sep 2021 19:40:50 +0000", + "title": "And Just Like That review – Sex and the City sequel has a mouthful of teething troubles", + "description": "

    Carrie and co are back and having excruciating ‘learning experiences’ to haul themselves into modern times. But there are reasons to be hopeful!

    Warning: this review contains spoilers from the first episode of And Just Like That.

    The first 20 minutes of the long-anticipated, much-hyped reboot of Sex and the City, And Just Like That (Sky Comedy/HBO Max), are terrible. The Manhattan streets are alive with the sound of crowbars jimmying more exposition into the dialogue than Carrie’s closet has shoes. Samantha’s absence (Kim Cattrall declined to take part in the new show, apparently as a result of longstanding animus between her and Sarah Jessica Parker) is briskly dealt with. She moved to London (“Sexy sirens in their 60s are still viable there!” says someone with their tongue not firmly enough in their cheek) in a fit of pique after Carrie told her she didn’t need her as a publicist any more. That this does not square with anything we have ever known about Samantha apparently matters not a jot. Viewers are then led at a quick jog through the news that Carrie’s Instagram account has really taken off now she is on a podcast, Charlotte is still dyeing her hair, and Miranda has left her corporate law job and is heading back to college to get a masters degree in human rights law after realising she “can no longer be part of the problem”. Writer and showrunner Michael Patrick King gets her to lay out the show’s organising principle too, for the cheap seats at the back. “We can’t just stay who we were, right? There are more important issues in the world.”

    Continue reading...", + "content": "

    Carrie and co are back and having excruciating ‘learning experiences’ to haul themselves into modern times. But there are reasons to be hopeful!

    Warning: this review contains spoilers from the first episode of And Just Like That.

    The first 20 minutes of the long-anticipated, much-hyped reboot of Sex and the City, And Just Like That (Sky Comedy/HBO Max), are terrible. The Manhattan streets are alive with the sound of crowbars jimmying more exposition into the dialogue than Carrie’s closet has shoes. Samantha’s absence (Kim Cattrall declined to take part in the new show, apparently as a result of longstanding animus between her and Sarah Jessica Parker) is briskly dealt with. She moved to London (“Sexy sirens in their 60s are still viable there!” says someone with their tongue not firmly enough in their cheek) in a fit of pique after Carrie told her she didn’t need her as a publicist any more. That this does not square with anything we have ever known about Samantha apparently matters not a jot. Viewers are then led at a quick jog through the news that Carrie’s Instagram account has really taken off now she is on a podcast, Charlotte is still dyeing her hair, and Miranda has left her corporate law job and is heading back to college to get a masters degree in human rights law after realising she “can no longer be part of the problem”. Writer and showrunner Michael Patrick King gets her to lay out the show’s organising principle too, for the cheap seats at the back. “We can’t just stay who we were, right? There are more important issues in the world.”

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/09/and-just-like-that-review-sex-and-the-city-reboot-has-a-mouthful-of-teething-troubles", + "creator": "Lucy Mangan", + "pubDate": "2021-12-09T12:35:09Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e333c2d5d6c5c0822152c26c30094873" + "hash": "dab8be6abb92a865ce74d4cd6ef75eaf" }, { - "title": "Parenting in Front of a Live Audience of In-Laws", - "description": "Micromanaging my husband, I realized how much I still craved my parents’ approval.", - "content": "Micromanaging my husband, I realized how much I still craved my parents’ approval.", - "category": "Parenting", - "link": "https://www.nytimes.com/2020/08/27/parenting/intergenerational-living-marriage-coronavirus.html", - "creator": "Christen Madrazo", - "pubDate": "Sat, 17 Jul 2021 13:11:58 +0000", + "title": "Fall on walk from bed to desk is workplace accident, German court rules", + "description": "

    Man who slipped and broke his back while working from home was commuting, it is decided

    A German court has ruled that a man who slipped while walking a few metres from his bed to his home office can claim on workplace accident insurance as he was technically commuting.

    The man was working from home and on his way to his desk one floor below his bedroom, the federal social court, which oversees social security issues, said in its decision.

    Continue reading...", + "content": "

    Man who slipped and broke his back while working from home was commuting, it is decided

    A German court has ruled that a man who slipped while walking a few metres from his bed to his home office can claim on workplace accident insurance as he was technically commuting.

    The man was working from home and on his way to his desk one floor below his bedroom, the federal social court, which oversees social security issues, said in its decision.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/09/fall-on-walk-from-bed-to-desk-is-workplace-accident-german-court-rules", + "creator": "Oliver Holmes", + "pubDate": "2021-12-09T15:41:02Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0019b5a989aef77126729f5c5ea59ad9" + "hash": "5796113cc9793be9462ddd16748da652" }, { - "title": "My 3-Year-Old Can Tell I’m Depressed", - "description": "Experts say that, instead of avoiding the topic, parents like me should shoot for ‘age-appropriate honesty.’", - "content": "Experts say that, instead of avoiding the topic, parents like me should shoot for ‘age-appropriate honesty.’", - "category": "Mental Health and Disorders", - "link": "https://www.nytimes.com/2021/04/09/well/mind/depression-parents-advice.html", - "creator": "Stephanie H. Murray", - "pubDate": "Tue, 13 Apr 2021 19:52:26 +0000", + "title": "‘I’d stop stockpiling toilet paper’: Cate Blanchett, Mark Rylance and Tyler Perry on their end-of-the-world plans", + "description": "

    The stars of Adam McKay’s apocalypse satire Don’t Look Up discuss their worst fears, their favourite conspiracy theories and their final moments on Earth

    If a massive meteor were expected to collide with Earth in six months’ time, what would our leaders do? Everything in their power to stop it? Or everything possible to leverage it for political and financial gain?

    How about the rest of us? How would we cope with the prospect of impending apocalypse? By facing the end of the world with sobriety and compassion? Or drowning ourselves in sex, drugs and celebrity gossip? Might some of us even enjoy the drama?

    Continue reading...", + "content": "

    The stars of Adam McKay’s apocalypse satire Don’t Look Up discuss their worst fears, their favourite conspiracy theories and their final moments on Earth

    If a massive meteor were expected to collide with Earth in six months’ time, what would our leaders do? Everything in their power to stop it? Or everything possible to leverage it for political and financial gain?

    How about the rest of us? How would we cope with the prospect of impending apocalypse? By facing the end of the world with sobriety and compassion? Or drowning ourselves in sex, drugs and celebrity gossip? Might some of us even enjoy the drama?

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/09/id-stop-stockpiling-toilet-paper-cate-blanchett-mark-rylance-and-tyler-perry-on-their-end-of-the-world-plans", + "creator": "Catherine Shoard", + "pubDate": "2021-12-09T16:00:15Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "baed94b4f655e72fa4a77e244d39fdc2" + "hash": "6e585e6d840411ff25b547ce6efaf78c" }, { - "title": "Thanksgiving Lessons in Gratitude From My Grandmother", - "description": "Our pandemic sacrifices pale in comparison to her immigrant journey.", - "content": "Our pandemic sacrifices pale in comparison to her immigrant journey.", - "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2020/11/25/parenting/thanksgiving-gratitude-family.html", - "creator": "Jessica Grose", - "pubDate": "Wed, 25 Nov 2020 14:10:48 +0000", + "title": "Wales asks people to ‘flow before you go’ to stop Omicron spread", + "description": "

    Mark Drakeford also urges mask-wearing in pubs as Covid cases likely to rise ‘quickly and sharply’

    People should take a lateral flow test before going out Christmas shopping or to a festive party, the Welsh government has said.

    The first minister, Mark Drakeford, is also asking people to wear face coverings in pubs and restaurants except when they are eating or drinking.

    Continue reading...", + "content": "

    Mark Drakeford also urges mask-wearing in pubs as Covid cases likely to rise ‘quickly and sharply’

    People should take a lateral flow test before going out Christmas shopping or to a festive party, the Welsh government has said.

    The first minister, Mark Drakeford, is also asking people to wear face coverings in pubs and restaurants except when they are eating or drinking.

    Continue reading...", + "category": "Wales", + "link": "https://www.theguardian.com/uk-news/2021/dec/09/wales-asks-people-to-flow-before-you-go-to-stop-omicron-spread", + "creator": "Steven Morris", + "pubDate": "2021-12-09T22:00:22Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ebce9729cc10cc8f2f2e4f68cfa82244" + "hash": "94ee637bb9a789c7bc69698cbcbad665" }, { - "title": "Which Classic Thanksgiving Character are You?", - "description": "Knowing exactly who is gathered around the dinner table could make for a lower-stress holiday.", - "content": "Knowing exactly who is gathered around the dinner table could make for a lower-stress holiday.", - "category": "Quarantine (Life and Culture)", - "link": "https://www.nytimes.com/2020/11/20/well/family/thanksgiving-conversation.html", - "creator": "Holly Burns", - "pubDate": "Mon, 23 Nov 2020 01:04:19 +0000", + "title": "Court rules against Trump effort to shield documents from Capitol attack panel – as it happened", + "description": "

    House speaker Nancy Pelosi said she considered it to be a point of pride that Bob Dole started his career in the lower chamber before being elected to the Senate.

    Praising the former Republican senator’s “legendary service” and “inspiring resilience,” Pelosi said it was hard to think of another American more worthy of having a flag draped over his casket.

    Continue reading...", + "content": "

    House speaker Nancy Pelosi said she considered it to be a point of pride that Bob Dole started his career in the lower chamber before being elected to the Senate.

    Praising the former Republican senator’s “legendary service” and “inspiring resilience,” Pelosi said it was hard to think of another American more worthy of having a flag draped over his casket.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/live/2021/dec/09/joe-biden-house-summit-democracy-kamala-harris-us-politics-live", + "creator": "Kari Paul (now), Gloria Oladipo, Joan E Greve and Joanna Walters (earlier)", + "pubDate": "2021-12-10T01:47:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "905bb9887bfa58553df0eef13e4d16cd" + "hash": "7d07e0810f814321b71a3a155373266f" }, { - "title": "Navigating Thanksgiving With Your Picky Eater", - "description": "Why it’s really O.K. if your child eats only rolls (again) this year.", - "content": "Why it’s really O.K. if your child eats only rolls (again) this year.", - "category": "Food", - "link": "https://www.nytimes.com/2020/04/17/parenting/thanksgiving-picky-kid.html", - "creator": "Virginia Sole-Smith", - "pubDate": "Thu, 12 Nov 2020 16:13:33 +0000", + "title": "US accuses El Salvador of secretly negotiating truce with gang leaders", + "description": "

    In 2020, Nayib Bukele’s administration ‘provided financial incentives’ to MS-13 and the Barrio 18 street gangs, US treasury says

    The US has accused the government of El Salvador president Nayib Bukele of secretly negotiating a truce with leaders of the country’s feared MS-13 and Barrio 18 street gangs.

    The explosive accusation on Wednesday cuts to the heart of one of Bukele’s most highly touted successes in office: a plunge in the country’s murder rate.

    Continue reading...", + "content": "

    In 2020, Nayib Bukele’s administration ‘provided financial incentives’ to MS-13 and the Barrio 18 street gangs, US treasury says

    The US has accused the government of El Salvador president Nayib Bukele of secretly negotiating a truce with leaders of the country’s feared MS-13 and Barrio 18 street gangs.

    The explosive accusation on Wednesday cuts to the heart of one of Bukele’s most highly touted successes in office: a plunge in the country’s murder rate.

    Continue reading...", + "category": "El Salvador", + "link": "https://www.theguardian.com/world/2021/dec/08/el-salvador-us-gang-leaders-truce", + "creator": "Associated Press in Mexico City", + "pubDate": "2021-12-08T19:24:14Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74b69a9ec2129ec6e6c0b0bb46746ecc" + "hash": "9d7fb75393f8c0ef5ed9963940ea1562" }, { - "title": "Start a New Tradition With Your Thanksgiving Potatoes", - "description": "For faster, more flavorful Thanksgiving potatoes, do as J. Kenji López-Alt does, and stir-fry them.", - "content": "For faster, more flavorful Thanksgiving potatoes, do as J. Kenji López-Alt does, and stir-fry them.", - "category": "Potatoes", - "link": "https://www.nytimes.com/2020/11/09/dining/stir-fry-thanksgiving-potatoes.html", - "creator": "J. Kenji López-Alt", - "pubDate": "Thu, 12 Nov 2020 14:40:50 +0000", + "title": "Australia to dump Taipan helicopters and buy Black Hawks from US amid China fears", + "description": "

    Defence minister Peter Dutton warns of ‘a growing threat within the Indo-Pacific’ in announcing decision

    Get our free news app; get our morning email briefing

    Peter Dutton says buying up to 40 Black Hawk helicopters from the US sends “a very clear message to our partners and to our adversaries” that the Australian Defence Force “can make a significant contribution when we’re called on”.

    The Australian defence minister explicitly referenced the “growing threat” posed by China as he announced an intention to dump the trouble-plagued MRH90 Taipan helicopters, which were originally due to be withdrawn in 2037.

    Continue reading...", + "content": "

    Defence minister Peter Dutton warns of ‘a growing threat within the Indo-Pacific’ in announcing decision

    Get our free news app; get our morning email briefing

    Peter Dutton says buying up to 40 Black Hawk helicopters from the US sends “a very clear message to our partners and to our adversaries” that the Australian Defence Force “can make a significant contribution when we’re called on”.

    The Australian defence minister explicitly referenced the “growing threat” posed by China as he announced an intention to dump the trouble-plagued MRH90 Taipan helicopters, which were originally due to be withdrawn in 2037.

    Continue reading...", + "category": "Australian politics", + "link": "https://www.theguardian.com/australia-news/2021/dec/10/australia-to-dump-taipan-helicopters-and-buy-black-hawks-from-us-amid-china-fears", + "creator": "Daniel Hurst", + "pubDate": "2021-12-10T04:37:06Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e845d1883e61796fc749df37c59ac980" + "hash": "320f664ff355fb25ecfb7d4ca8003edd" }, { - "title": "The Crunchiest, Creamiest, Tangiest Brussels Sprouts", - "description": "The unfairly maligned vegetable gets an update with creamy labneh and irresistible pickled shallots.", - "content": "The unfairly maligned vegetable gets an update with creamy labneh and irresistible pickled shallots.", - "category": "Brussels Sprouts", - "link": "https://www.nytimes.com/2020/11/09/dining/brussels-sprouts-recipe.html", - "creator": "Nik Sharma", - "pubDate": "Thu, 12 Nov 2020 14:38:04 +0000", + "title": "Australia news live updates: two new Omicron cases in Victoria; six Covid cases on Gold Coast ahead of Qld border reopening; Alan Jones launches new web show", + "description": "

    Gold Coast lockdown ‘unlikely’ despite new community Covid cases; Alan Jones says new show and podcast a ‘pioneering initiative’; NSW records 516 new infections; two cases of Omicron variant as Victoria records 1,206 cases and two deaths; six new infections in ACT and four in NT; SA investigates possible Omicron cases. Follow all the day’s developments

    By the way, we are expecting to hear from Scott Morrison pretty soon about the recently Atagi approvals for children’s vaccinations.

    Berejiklian:

    Well, I promised when the PM and others contacted me and urged me to give it consideration. I promised them and I did for a very short period of time and then obviously let them know that it’s not something I want to pursue and it is just a different direction.

    I want my life to change.

    Continue reading...", + "content": "

    Gold Coast lockdown ‘unlikely’ despite new community Covid cases; Alan Jones says new show and podcast a ‘pioneering initiative’; NSW records 516 new infections; two cases of Omicron variant as Victoria records 1,206 cases and two deaths; six new infections in ACT and four in NT; SA investigates possible Omicron cases. Follow all the day’s developments

    By the way, we are expecting to hear from Scott Morrison pretty soon about the recently Atagi approvals for children’s vaccinations.

    Berejiklian:

    Well, I promised when the PM and others contacted me and urged me to give it consideration. I promised them and I did for a very short period of time and then obviously let them know that it’s not something I want to pursue and it is just a different direction.

    I want my life to change.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/10/australia-news-updates-live-covid-omicron-nsw-victoria-qld-scott-morrison-barnaby-joyce-weather-", + "creator": "Caitlin Cassidy (now) and Cait Kelly and Matilda Boseley (earlier)", + "pubDate": "2021-12-10T04:38:54Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "93070ab11437df7aaa4d6d5a6fd9475e" + "hash": "e601d91adf7cec747a3cad65412548f5" }, { - "title": "Keep Your Kids From Going Feral During the Holidays", - "description": "Loosely maintain the three pillars of wellness — sleep, food and exercise — to help keep children on track.", - "content": "Loosely maintain the three pillars of wellness — sleep, food and exercise — to help keep children on track.", - "category": "Holidays and Special Occasions", - "link": "https://www.nytimes.com/2020/04/17/parenting/kids-active-holidays.html", - "creator": "Jancee Dunn", - "pubDate": "Fri, 17 Apr 2020 15:43:20 +0000", + "title": "Helping refugees starving in Poland’s icy border forests is illegal – but it’s not the real crime | Anna Alboth", + "description": "

    The asylum seekers on the Poland-Belarus border are not aggressors: they are desperate pawns in a disgusting political struggle

    One thought is a constant in my head: “I have kids at home, I cannot go to jail, I cannot go to jail.” The politics are beyond my reach or that of the victims on the Poland-Belarus border. It involves outgoing German chancellor, Angela Merkel, getting through to Alexander Lukashenko, president of Belarus. It’s ironic that this border has more than 50 media crews gathered, yet Poland is the only place in the EU where journalists cannot freely report.

    Meanwhile, the harsh north European winter is closing in and my fingers are freezing in the dark snowy nights.

    Continue reading...", + "content": "

    The asylum seekers on the Poland-Belarus border are not aggressors: they are desperate pawns in a disgusting political struggle

    One thought is a constant in my head: “I have kids at home, I cannot go to jail, I cannot go to jail.” The politics are beyond my reach or that of the victims on the Poland-Belarus border. It involves outgoing German chancellor, Angela Merkel, getting through to Alexander Lukashenko, president of Belarus. It’s ironic that this border has more than 50 media crews gathered, yet Poland is the only place in the EU where journalists cannot freely report.

    Meanwhile, the harsh north European winter is closing in and my fingers are freezing in the dark snowy nights.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/08/helping-refugees-poland-belarus-border-forests-illegal", + "creator": "Anna Alboth", + "pubDate": "2021-12-08T08:00:36Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fa4b486ad368dc598304ac78633567cd" + "hash": "04a972c473cd1e8b408ce9dbf2481020" }, { - "title": "Don’t Let Food Poisoning Ruin Your Holiday", - "description": "Recent outbreaks from flour and more are good reasons to keep food safety practices at the top of mind this season.", - "content": "Recent outbreaks from flour and more are good reasons to keep food safety practices at the top of mind this season.", - "category": "Food", - "link": "https://www.nytimes.com/2020/04/17/parenting/holiday-food-safety.html", - "creator": "Alice Callahan", - "pubDate": "Fri, 17 Apr 2020 15:31:39 +0000", + "title": "How Nairobi’s ‘road for the rich’ resulted in thousands of homes reduced to rubble", + "description": "

    40,000 people in one of the largest slums in the Kenyan capital have had their homes demolished to make way for works for a Chinese-backed toll road, with some asking: ‘this is development for who?’

    About 40,000 people have been made homeless by demolition works for a major Chinese-backed toll road in Kenya’s capital, Nairobi.

    Amnesty International Kenya says it believes the roadworks have created a humanitarian crisis, as schools, businesses and 13,000 homes spread across nearly 40 hectares (100 acres) of the Mukuru Kwa Njenga slum have been demolished since October, clearing land for a link to the Nairobi expressway.

    A girl stands among the rubble of Mukuru Kwa Njenga slum, Nairobi, where 13,000 homes were razed to the ground

    Continue reading...", + "content": "

    40,000 people in one of the largest slums in the Kenyan capital have had their homes demolished to make way for works for a Chinese-backed toll road, with some asking: ‘this is development for who?’

    About 40,000 people have been made homeless by demolition works for a major Chinese-backed toll road in Kenya’s capital, Nairobi.

    Amnesty International Kenya says it believes the roadworks have created a humanitarian crisis, as schools, businesses and 13,000 homes spread across nearly 40 hectares (100 acres) of the Mukuru Kwa Njenga slum have been demolished since October, clearing land for a link to the Nairobi expressway.

    A girl stands among the rubble of Mukuru Kwa Njenga slum, Nairobi, where 13,000 homes were razed to the ground

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/08/how-nairobis-road-for-the-rich-resulted-in-thousands-of-homes-reduced-to-rubble", + "creator": "Ed Ram in Nairobi", + "pubDate": "2021-12-08T06:30:34Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "075ba85391f64c352a3d8188dfa3c4ea" + "hash": "6292319f9d4604c0108bdbc00a7a925a" }, { - "title": "Is It Ever O.K. for a Relative to Discipline Your Kid?", - "description": "The holidays are prime time for overstepping boundaries. Here’s how to deal.", - "content": "The holidays are prime time for overstepping boundaries. Here’s how to deal.", - "category": "Parenting", - "link": "https://www.nytimes.com/2020/04/17/parenting/relative-discipline-kid.html", - "creator": "Christina Caron", - "pubDate": "Fri, 17 Apr 2020 14:44:49 +0000", + "title": "I feel despair at Sudan’s coup. But my children’s mini protest gives me hope | Khalid Albaih", + "description": "

    After 30 years in exile, it’s easy to doubt that it will ever be safe to live and work in Sudan. But the action being taken by young people shows democracy will rise again

    “All the goodness and the heroisms will rise up again, then be cut down again and rise up,” John Steinbeck wrote to a friend in 1941, just before the US entered the second world war. “It isn’t that the evil thing wins – it never will – but that it doesn’t die.”

    Growing up, I was always interested in politics, politics was the reason I had to leave Sudan at the age of 11. At school, we weren’t allowed to study or discuss it, and it was the same at home.For years, I lay in bed and listened to my father and his friends as they argued about politics and sang traditional songs during their weekend whisky rituals. They watched a new Arabic news channel, Al Jazeera, which aired from Qatar. All the journalism my father consumed about Sudan was from the London-based weekly opposition newspaper, Al Khartoum. The only time he turned on our dial-up internet was to visit Sudanese Online.

    Continue reading...", + "content": "

    After 30 years in exile, it’s easy to doubt that it will ever be safe to live and work in Sudan. But the action being taken by young people shows democracy will rise again

    “All the goodness and the heroisms will rise up again, then be cut down again and rise up,” John Steinbeck wrote to a friend in 1941, just before the US entered the second world war. “It isn’t that the evil thing wins – it never will – but that it doesn’t die.”

    Growing up, I was always interested in politics, politics was the reason I had to leave Sudan at the age of 11. At school, we weren’t allowed to study or discuss it, and it was the same at home.For years, I lay in bed and listened to my father and his friends as they argued about politics and sang traditional songs during their weekend whisky rituals. They watched a new Arabic news channel, Al Jazeera, which aired from Qatar. All the journalism my father consumed about Sudan was from the London-based weekly opposition newspaper, Al Khartoum. The only time he turned on our dial-up internet was to visit Sudanese Online.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/07/i-feel-despair-at-sudan-coup-but-my-childrens-mini-protest-gives-me-hope", + "creator": "Khalid Albaih", + "pubDate": "2021-12-07T07:00:20Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "159e0e03223b7c3ecb85dc597cfcda5d" + "hash": "2ab2c27a12522ebab724d3ed1c504711" }, { - "title": "How to Raise Siblings Who Get Along", - "description": "Playing together is part of it, but so is having chores kids can complete as a team (especially if they can sneak in some fun while they work).", - "content": "Playing together is part of it, but so is having chores kids can complete as a team (especially if they can sneak in some fun while they work).", - "category": "Families and Family Life", - "link": "https://www.nytimes.com/2020/02/20/well/family/how-to-raise-siblings-who-get-along.html", - "creator": "Kate Lewis", - "pubDate": "Thu, 20 Feb 2020 14:47:54 +0000", + "title": "‘More cautious’ China shifts Africa approach from debt to vaccine diplomacy", + "description": "

    Analysis: After two decades of major financial aid, Beijing is rethinking its strategy on continent amid Covid crisis and fierce competition for power, analysts say

    As debt concerns rise and a new coronavirus variant emerges, China appears to be adjusting its approach to Africa: cutting finance pledges while doubling down on vaccine diplomacy.

    On Monday last week, China’s leader, Xi Jinping, opened a China-Africa forum with a pledge to supply 1bn vaccine doses to Africa, amid global concern over the emergence of the Omicron variant of Covid-19. He also pledged $40bn to the continent, ranging from credit lines to investments – a significant cut from the $60bn promised at the previous two summits.

    Continue reading...", + "content": "

    Analysis: After two decades of major financial aid, Beijing is rethinking its strategy on continent amid Covid crisis and fierce competition for power, analysts say

    As debt concerns rise and a new coronavirus variant emerges, China appears to be adjusting its approach to Africa: cutting finance pledges while doubling down on vaccine diplomacy.

    On Monday last week, China’s leader, Xi Jinping, opened a China-Africa forum with a pledge to supply 1bn vaccine doses to Africa, amid global concern over the emergence of the Omicron variant of Covid-19. He also pledged $40bn to the continent, ranging from credit lines to investments – a significant cut from the $60bn promised at the previous two summits.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/08/more-cautious-china-shifts-africa-approach-from-debt-to-vaccine-diplomacy", + "creator": "Vincent Ni China affairs correspondent, and Helen Davidson", + "pubDate": "2021-12-08T00:24:46Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "932247ed65cbb6b1eb9f88460566829e" + "hash": "3be40080c2e08d278fdeb65f26fb8824" }, { - "title": "Your Mom Is Destined to Annoy You", - "description": "How to manage your inevitable holiday regression.", - "content": "How to manage your inevitable holiday regression.", - "category": "", - "link": "https://www.nytimes.com/2019/12/11/parenting/your-mom-is-destined-to-annoy-you.html", - "creator": "Jessica Grose", - "pubDate": "Wed, 11 Dec 2019 13:39:21 +0000", + "title": "Covid Christmas parties: timeline of government’s alleged festivities", + "description": "

    Boris Johnson denies staff gatherings took place or rules were broken during last year’s lockdown

    Downing Street is facing renewed pressure after TV footage emerged showing senior No 10 officials joking about a Christmas party during lockdown last December.

    In the leaked video, obtained by ITV, an adviser to Johnson is seen joking with Allegra Stratton, the prime minister’s then press secretary, about “a Downing Street Christmas party on Friday night”.

    Continue reading...", + "content": "

    Boris Johnson denies staff gatherings took place or rules were broken during last year’s lockdown

    Downing Street is facing renewed pressure after TV footage emerged showing senior No 10 officials joking about a Christmas party during lockdown last December.

    In the leaked video, obtained by ITV, an adviser to Johnson is seen joking with Allegra Stratton, the prime minister’s then press secretary, about “a Downing Street Christmas party on Friday night”.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/covid-christmas-parties-timeline-of-governments-alleged-festivities", + "creator": "Léonie Chao-Fong", + "pubDate": "2021-12-08T00:05:14Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f5838ba137a45be5a78bd448b25590c" + "hash": "cbe7077f93bfddefcba5ac8631f7cc43" }, { - "title": "Your Thanksgiving May Be Classic, but Your Leftovers Don’t Have to Be", - "description": "There are no rules to making turkey sandwiches: Pack them with bright flavors, and salty pickles.", - "content": "There are no rules to making turkey sandwiches: Pack them with bright flavors, and salty pickles.", - "category": "Turkeys", - "link": "https://www.nytimes.com/2019/11/22/dining/turkey-sandwich.html", - "creator": "Melissa Clark", - "pubDate": "Tue, 26 Nov 2019 01:52:20 +0000", + "title": "Sajid Javid updates MPs on UK Omicron cases and new travel rules – video", + "description": "

    The health secretary has updated the Commons on the latest numbers of the Omicron variant of the coronavirus virus, as well as new travel restrictions for those arriving in the UK

    Continue reading...", + "content": "

    The health secretary has updated the Commons on the latest numbers of the Omicron variant of the coronavirus virus, as well as new travel restrictions for those arriving in the UK

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/06/sajid-javid-updates-mps-on-uk-omicron-cases-and-new-travel-rules-video", + "creator": "", + "pubDate": "2021-12-06T18:58:49Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bcebacf4a5f8a08c148d66a137f44d77" + "hash": "0d5ec345ee6c630df15508300575706e" }, { - "title": "Fitting in Family Fitness at the Holidays", - "description": "Experts’ top tip on ways to get moving? Involve the relatives who might otherwise stay inactive.", - "content": "Experts’ top tip on ways to get moving? Involve the relatives who might otherwise stay inactive.", - "category": "Exercise", - "link": "https://www.nytimes.com/2019/11/23/well/move/fitting-in-family-fitness-at-the-holidays.html", - "creator": "Gretchen Reynolds", - "pubDate": "Sun, 24 Nov 2019 03:01:43 +0000", + "title": "Covid live: people in Scotland urged to cancel Christmas parties; UK reports another 50,867 cases and 148 deaths", + "description": "

    People and businesses in Scotland been urged not to go ahead with parties; UK daily case tally remains above 50,000

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "content": "

    People and businesses in Scotland been urged not to go ahead with parties; UK daily case tally remains above 50,000

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", + "creator": "Tom Ambrose (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-09T21:08:01Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "460d101af80380e54309ebf6d5aa6190" + "hash": "f34a1be81ecaa983a46b0c896262f07f" }, { - "title": "When a College Student Has a Troubled Roommate", - "description": "The Thanksgiving break may be the first opportunity students have to step back from the situation and evaluate their role.", - "content": "The Thanksgiving break may be the first opportunity students have to step back from the situation and evaluate their role.", - "category": "Colleges and Universities", - "link": "https://www.nytimes.com/2019/11/22/well/family/college-student-roommate-anxiety-depression-mental-health-son-daughter-parents.html", - "creator": "Lisa Damour", - "pubDate": "Fri, 22 Nov 2019 10:00:12 +0000", + "title": "Tropical forests can regenerate in just 20 years without human interference", + "description": "

    Study finds natural regrowth yields better results than human plantings and offers hope for climate recovery

    Tropical forests can bounce back with surprising rapidity, a new study published today suggests.

    An international group of researchers has found that tropical forests have the potential to almost fully regrow if they are left untouched by humans for about 20 years. This is due to a multidimensional mechanism whereby old forest flora and fauna help a new generation of forest grow – a natural process known as “secondary succession”.

    Continue reading...", + "content": "

    Study finds natural regrowth yields better results than human plantings and offers hope for climate recovery

    Tropical forests can bounce back with surprising rapidity, a new study published today suggests.

    An international group of researchers has found that tropical forests have the potential to almost fully regrow if they are left untouched by humans for about 20 years. This is due to a multidimensional mechanism whereby old forest flora and fauna help a new generation of forest grow – a natural process known as “secondary succession”.

    Continue reading...", + "category": "Conservation", + "link": "https://www.theguardian.com/environment/2021/dec/09/tropical-forests-can-regenerate-in-just-20-years-without-human-interference", + "creator": "Sofia Quaglia", + "pubDate": "2021-12-09T19:00:18Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a8d08f5e11ace47489b9b2c938f24e3" + "hash": "396eff207f957dcb6e766a7ddcd571f9" }, { - "title": "Practicing Gratitude, for a Change", - "description": "I imagined my children celebrating with their father’s family: football on the television, apple pie on the table. That consistency offered me bittersweet consolation.", - "content": "I imagined my children celebrating with their father’s family: football on the television, apple pie on the table. That consistency offered me bittersweet consolation.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2019/11/22/well/family/Thanksgiving-divorce-gratitude-family-kids.html", - "creator": "Samantha Shanley", - "pubDate": "Fri, 22 Nov 2019 10:00:09 +0000", + "title": "Iran nuclear deal pulled back from brink of collapse as talks resume in Vienna", + "description": "

    Cautious optimism as Tehran revises its position after pressure from Russia and China

    Efforts to revive the Iran nuclear deal have been hauled back from the brink of collapse as Tehran revised its stance after pressure from Russia and China and clear warnings that the EU and the US were preparing to walk away.

    The cautiously optimistic assessment came at the start of the seventh round of talks on the future of the nuclear deal in Vienna. It follows what was seen as a disastrous set of talks last week in which the US and the EU claimed Iran had walked back on compromises reached in previous rounds.

    Continue reading...", + "content": "

    Cautious optimism as Tehran revises its position after pressure from Russia and China

    Efforts to revive the Iran nuclear deal have been hauled back from the brink of collapse as Tehran revised its stance after pressure from Russia and China and clear warnings that the EU and the US were preparing to walk away.

    The cautiously optimistic assessment came at the start of the seventh round of talks on the future of the nuclear deal in Vienna. It follows what was seen as a disastrous set of talks last week in which the US and the EU claimed Iran had walked back on compromises reached in previous rounds.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/dec/09/iran-nuclear-deal-pulled-back-from-brink-of-collapse-as-talks-resume-in-vienna", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-09T19:39:21Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dcc993a9e25e11ff7ca5709d2f8fcaa2" + "hash": "54f80c1c1a38814a9d2f6d8881cf657c" }, { - "title": "Dread the Holidays? Feasting Together Might Actually Help", - "description": "Sharing a meal with loved ones, co-workers or friends may seem like a chore, but research shows it has real benefits. Stick with us here.", - "content": "Sharing a meal with loved ones, co-workers or friends may seem like a chore, but research shows it has real benefits. Stick with us here.", - "category": "Food", - "link": "https://www.nytimes.com/2019/11/18/smarter-living/holiday-meals-family-tips.html", - "creator": "Simran Sethi", - "pubDate": "Tue, 19 Nov 2019 00:42:38 +0000", + "title": "‘An urgent matter’: Biden warns democracy is under threat at summit", + "description": "

    President opens two-day summit with 80 world leaders as experts warn democratic rights are under assault in the US

    Joe Biden has launched his virtual Summit for Democracy with a warning that democratic rights and norms are under threat around the world, including in the US.

    Facing video links with 80 world leaders arrayed on two oversize electronic panels, the US president said: “This is an urgent matter on all our parts, in my view, because the data we’re seeing is largely pointing in the wrong direction.”

    Continue reading...", + "content": "

    President opens two-day summit with 80 world leaders as experts warn democratic rights are under assault in the US

    Joe Biden has launched his virtual Summit for Democracy with a warning that democratic rights and norms are under threat around the world, including in the US.

    Facing video links with 80 world leaders arrayed on two oversize electronic panels, the US president said: “This is an urgent matter on all our parts, in my view, because the data we’re seeing is largely pointing in the wrong direction.”

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/2021/dec/09/joe-biden-summit-for-democracy", + "creator": "Julian Borger in Washington, Sam Levine in New York and Shah Meer Baloch in Islamabad", + "pubDate": "2021-12-09T19:26:12Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2fc0179f471637babc5ae5a5a1edee6" + "hash": "29629711b7e52bd4e6adb08e62f8eaaa" }, { - "title": "Don’t Rinse the Bird. A Myth to Dispel Before the Holidays.", - "description": "Many home cooks wash the chicken or turkey before cooking, but that only increases the risk of food-borne illness.", - "content": "Many home cooks wash the chicken or turkey before cooking, but that only increases the risk of food-borne illness.", - "category": "Cooking and Cookbooks", - "link": "https://www.nytimes.com/2018/12/20/well/eat/turkey-chicken-poultry-food-poisoning-washing-rinsing-vegetables-fruits-food-safety.html", - "creator": "Lydia Zuraw, Kaiser Health News", - "pubDate": "Thu, 20 Dec 2018 10:03:01 +0000", + "title": "Pakistani Taliban declare end to month-long ceasefire with government", + "description": "

    Tehreek-e-Taliban Pakistan accuse state of breaching terms including a prisoner release agreement

    Taliban militants in Pakistan have declared an end to a month-long ceasefire arranged with the aid of the Afghan Taliban, accusing the government of breaching terms including a prisoner release agreement and the formation of negotiating committees.

    The Pakistani Taliban, or Tehreek-e-Taliban Pakistan (TTP), are a separate movement from the Afghan Taliban and have fought for years to overthrow the government in Islamabad and rule with their own brand of Islamic sharia law.

    Continue reading...", + "content": "

    Tehreek-e-Taliban Pakistan accuse state of breaching terms including a prisoner release agreement

    Taliban militants in Pakistan have declared an end to a month-long ceasefire arranged with the aid of the Afghan Taliban, accusing the government of breaching terms including a prisoner release agreement and the formation of negotiating committees.

    The Pakistani Taliban, or Tehreek-e-Taliban Pakistan (TTP), are a separate movement from the Afghan Taliban and have fought for years to overthrow the government in Islamabad and rule with their own brand of Islamic sharia law.

    Continue reading...", + "category": "Pakistan", + "link": "https://www.theguardian.com/world/2021/dec/09/pakistani-taliban-declare-end-to-month-long-ceasefire-with-government", + "creator": "Reuters in Islamabad", + "pubDate": "2021-12-09T19:58:00Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a66dbb4b1c1feea139c9f54ca7316d5" + "hash": "b43bd63e38ff3b1e28656d2999a26a93" }, { - "title": "How to Harness Your Anxiety ", - "description": "Research shows that we can tame anxiety to use it as a resource.", - "content": "Research shows that we can tame anxiety to use it as a resource.", - "category": "Anxiety and Stress", - "link": "https://www.nytimes.com/2018/10/16/well/mind/how-to-harness-your-anxiety.html", - "creator": "Alicia H. Clark", - "pubDate": "Tue, 16 Oct 2018 09:00:01 +0000", + "title": "UK proposes US-style waivers for EU citizens crossing Irish border", + "description": "

    Plans for foreign citizens to need pre-clearance to enter Northern Ireland denounced as ‘hardening of border’

    EU citizens and other non-Irish or non-British nationals who cross the border from the republic of Ireland into Northern Ireland will have to get pre-clearance under new rules being proposed by the UK government.

    They will require a US-style waiver known as an Electronic Travel Authorisation (ETA) to cross the border as part of the new post-Brexit immigration nationality and borders bill.

    Continue reading...", + "content": "

    Plans for foreign citizens to need pre-clearance to enter Northern Ireland denounced as ‘hardening of border’

    EU citizens and other non-Irish or non-British nationals who cross the border from the republic of Ireland into Northern Ireland will have to get pre-clearance under new rules being proposed by the UK government.

    They will require a US-style waiver known as an Electronic Travel Authorisation (ETA) to cross the border as part of the new post-Brexit immigration nationality and borders bill.

    Continue reading...", + "category": "Brexit", + "link": "https://www.theguardian.com/politics/2021/dec/09/uk-proposes-us-style-waivers-for-eu-citizens-crossing-irish-border", + "creator": "Lisa O'Carroll Brexit correspondent", + "pubDate": "2021-12-09T12:13:17Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53b811c0465903cf8afefe40d8447f34" + "hash": "1ff8764b01ab01fdbc6bded66c7e71c3" }, { - "title": "Out of Sorts Around the Holidays? It Could Be Family Jet Lag", - "description": "Many people describe their family jet lag and holiday stress as an overwhelming, pit-of-the-stomach sense of dread and avoidance.", - "content": "Many people describe their family jet lag and holiday stress as an overwhelming, pit-of-the-stomach sense of dread and avoidance.", - "category": "Yuko, Elizabeth", - "link": "https://www.nytimes.com/2016/12/22/well/family/out-of-sorts-around-the-holidays-it-could-be-family-jet-lag.html", - "creator": "Elizabeth Yuko", - "pubDate": "Thu, 22 Dec 2016 11:00:01 +0000", + "title": "Ghislaine Maxwell sex-trafficking trial adjourned after attorney becomes ill", + "description": "

    Judge Alison Nathan says she expects proceedings will resume on Friday

    Ghislaine Maxwell’s New York sex-trafficking trial was unexpectedly adjourned early Thursday because an “ill” attorney needed medical care. “I’ve been informed there’s an attorney in the case who’s ill, and that attorney has to get care,” the judge, Alison Nathan, told jurors this morning.

    Nathan’s disclosure came several moments after attorneys on the case asked to speak with her in private. It’s unclear from proceedings which attorney is ill.

    Continue reading...", + "content": "

    Judge Alison Nathan says she expects proceedings will resume on Friday

    Ghislaine Maxwell’s New York sex-trafficking trial was unexpectedly adjourned early Thursday because an “ill” attorney needed medical care. “I’ve been informed there’s an attorney in the case who’s ill, and that attorney has to get care,” the judge, Alison Nathan, told jurors this morning.

    Nathan’s disclosure came several moments after attorneys on the case asked to speak with her in private. It’s unclear from proceedings which attorney is ill.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/09/ghislaine-maxwell-sex-trafficking-trial-adjourned", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-09T17:29:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cb7d866a77df0b0efa21273dc8ddaac2" + "hash": "4241e4f46f988342f8f7c08d9bcd8929" }, { - "title": "How to Be Mindful at the Holiday Table", - "description": "Holidays are often filled with expectations. Take a moment to appreciate the present.", - "content": "Holidays are often filled with expectations. Take a moment to appreciate the present.", - "category": "Thanksgiving Day", - "link": "https://www.nytimes.com/2016/11/23/well/mind/how-to-be-mindful-at-the-thanksgiving-table.html", - "creator": "David Gelles", - "pubDate": "Wed, 23 Nov 2016 10:22:01 +0000", + "title": "Germany’s foreign minister under pressure over Nord Stream 2 sanctions", + "description": "

    Annalena Baerbock has sympathy with US demands, but there is considerable Social Democrat support for Russia’s pipeline

    Germany’s new foreign minister, Annalena Baerbock, has been caught a diplomatic vice days into the job, as US puts pressure on the coalition government in Berlin to vow to block the Nord Stream 2 pipeline in the event of Russia invading Ukraine.

    The controversial pipeline project, which runs from Ust-Luga in Russia to Lubmin in north-east Germany, is also likely to be the first test of the new German government’s unity of approach.

    Continue reading...", + "content": "

    Annalena Baerbock has sympathy with US demands, but there is considerable Social Democrat support for Russia’s pipeline

    Germany’s new foreign minister, Annalena Baerbock, has been caught a diplomatic vice days into the job, as US puts pressure on the coalition government in Berlin to vow to block the Nord Stream 2 pipeline in the event of Russia invading Ukraine.

    The controversial pipeline project, which runs from Ust-Luga in Russia to Lubmin in north-east Germany, is also likely to be the first test of the new German government’s unity of approach.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/09/germany-foreign-minister-annalena-baerbock-nord-stream-2", + "creator": "Patrick Wintour in London and Philip Oltermann in Berlin", + "pubDate": "2021-12-09T18:19:16Z", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "NYTimes", + "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eccf65bf0c907b6e538b490c0f0b3307" - } - ], - "folder": "00.03 News/News - EN", - "name": "NYTimes", - "language": "en", - "hash": "700c2eb92bb40796520e931cf8b8f563" - }, - { - "title": "World news | The Guardian", - "subtitle": "", - "link": "https://www.theguardian.com/world", - "image": "https://assets.guim.co.uk/images/guardian-logo-rss.c45beb1bafa34b347ac333af2e6fe23f.png", - "description": "Latest World news news, comment and analysis from the Guardian, the world's leading liberal voice", - "items": [ + "hash": "b8b73a0f51536f1a11fe9fc32bcc4374" + }, { - "title": "Capitol attack panel obtains PowerPoint that set out plan for Trump to stage coup", - "description": "

    Presentation turned over by Mark Meadows made several recommendations for Trump to pursue to retain presidency

    Former Trump White House chief of staff Mark Meadows turned over to the House select committee investigating the 6 January Capitol attack a PowerPoint recommending Donald Trump to declare a national security emergency in order to return himself to the presidency.

    The fact that Meadows was in possession of a PowerPoint the day before the Capitol attack that detailed ways to stage a coup suggests he was at least aware of efforts by Trump and his allies to stop Joe Biden’s certification from taking place on 6 January.

    Continue reading...", - "content": "

    Presentation turned over by Mark Meadows made several recommendations for Trump to pursue to retain presidency

    Former Trump White House chief of staff Mark Meadows turned over to the House select committee investigating the 6 January Capitol attack a PowerPoint recommending Donald Trump to declare a national security emergency in order to return himself to the presidency.

    The fact that Meadows was in possession of a PowerPoint the day before the Capitol attack that detailed ways to stage a coup suggests he was at least aware of efforts by Trump and his allies to stop Joe Biden’s certification from taking place on 6 January.

    Continue reading...", - "category": "US Capitol attack", - "link": "https://www.theguardian.com/us-news/2021/dec/10/trump-powerpoint-mark-meadows-capitol-attack", - "creator": "Hugo Lowell in Washington", - "pubDate": "2021-12-11T02:01:43Z", + "title": "Travis Scott denies knowing fans were hurt in first interview since Astroworld", + "description": "

    The singer says noise and pyrotechnics made it impossible to see the crush developing in the crowd

    Travis Scott has said he didn’t notice concertgoers pleading for help, during his first interview since the devastating crowd crush at Astroworld that left 10 fans dead and hundreds injured. “It’s just been a lot of thoughts, a lot of feelings, a lot of grieving,” he said, “just trying to wrap my head around it.”

    Over the course of an hour-long interview with Charlamagne tha God, the host of the Breakfast Club radio show, Scott was serious and downcast. He said he wasn’t aware of anything amiss until a news conference was called after his set. “People pass out, things happen at concerts – but something like that?” he said, his voice trailing.

    Continue reading...", + "content": "

    The singer says noise and pyrotechnics made it impossible to see the crush developing in the crowd

    Travis Scott has said he didn’t notice concertgoers pleading for help, during his first interview since the devastating crowd crush at Astroworld that left 10 fans dead and hundreds injured. “It’s just been a lot of thoughts, a lot of feelings, a lot of grieving,” he said, “just trying to wrap my head around it.”

    Over the course of an hour-long interview with Charlamagne tha God, the host of the Breakfast Club radio show, Scott was serious and downcast. He said he wasn’t aware of anything amiss until a news conference was called after his set. “People pass out, things happen at concerts – but something like that?” he said, his voice trailing.

    Continue reading...", + "category": "Travis Scott", + "link": "https://www.theguardian.com/music/2021/dec/09/travis-scott-astroworld-interview", + "creator": "Andrew Lawrence", + "pubDate": "2021-12-09T17:21:36Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "800dfa4333edface21239b2e157dbf23" + "hash": "9fa0255eac764ede7829bd121acd96bf" }, { - "title": "Up to 100 feared dead in Kentucky after tornadoes tear through US states", - "description": "

    State governor says dozens at factory thought to have been killed, with other incidents reported in Arkansas and Illinois

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning.

    The governor of Kentucky, Andy Beshear, said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", - "content": "

    State governor says dozens at factory thought to have been killed, with other incidents reported in Arkansas and Illinois

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning.

    The governor of Kentucky, Andy Beshear, said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", - "category": "Tornadoes", - "link": "https://www.theguardian.com/world/2021/dec/11/arkansas-tornado-deaths-nursing-home-illinois-amazon-warehouse-roof-collapse", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-11T12:14:41Z", + "title": "South African Covid cases up 255% in a week as Omicron spreads", + "description": "

    Private healthcare provider says symptoms in country’s fourth wave are far milder than in previous waves

    Covid cases in South Africa have surged by 255% in the past seven days but there is mounting anecdotal evidence that infections with the Omicron variant are provoking milder symptoms than in previous waves.

    According to a South African private healthcare provider, the recent rise in infections – which includes the Omicron and Delta variants – has been accompanied by a much smaller increase in admissions to intensive care beds, echoing an earlier report from the country’s National Institute for Communicable Disease (NICD).

    Continue reading...", + "content": "

    Private healthcare provider says symptoms in country’s fourth wave are far milder than in previous waves

    Covid cases in South Africa have surged by 255% in the past seven days but there is mounting anecdotal evidence that infections with the Omicron variant are provoking milder symptoms than in previous waves.

    According to a South African private healthcare provider, the recent rise in infections – which includes the Omicron and Delta variants – has been accompanied by a much smaller increase in admissions to intensive care beds, echoing an earlier report from the country’s National Institute for Communicable Disease (NICD).

    Continue reading...", + "category": "South Africa", + "link": "https://www.theguardian.com/world/2021/dec/09/south-african-covid-cases-up-255-in-a-week-as-omicron-spreads", + "creator": "Peter Beaumont", + "pubDate": "2021-12-09T14:59:15Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116704,20 +143213,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "e6c32969f615eccd8991aca1edefa235" + "hash": "eb144f55a88733500f36bb72dd70689e" }, { - "title": "Friend, lover, fixer? Ghislaine Maxwell prosecutors home in on nature of Epstein relationship", - "description": "

    Federal sex-trafficking trial has shed more light on pair’s ties, and how their lives seemed intimately interwoven

    Ghislaine Maxwell has long been accused of luring teenage girls into Jeffrey Epstein’s orbit for him to sexually abuse, but whatever motive for allegedly doing so has long remained a mystery.

    The answer hinges somewhat on the nature of their relationship. Did Maxwell serve as the late financier’s consigliere, or act as his girlfriend and procurer?

    Continue reading...", - "content": "

    Federal sex-trafficking trial has shed more light on pair’s ties, and how their lives seemed intimately interwoven

    Ghislaine Maxwell has long been accused of luring teenage girls into Jeffrey Epstein’s orbit for him to sexually abuse, but whatever motive for allegedly doing so has long remained a mystery.

    The answer hinges somewhat on the nature of their relationship. Did Maxwell serve as the late financier’s consigliere, or act as his girlfriend and procurer?

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/11/ghislaine-maxwell-prosecutors-jeffrey-epstein-relationship", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-11T07:00:03Z", + "title": "New York’s Met museum to remove Sackler family name from its galleries", + "description": "

    Art museum announces change in the wake of leading members of the family being blamed for fueling the deadly US opioids crisis

    New York’s famed Metropolitan Museum of Art is going to remove the name of arguably its most controversial donor groups – the billionaire Sackler family – from its galleries.

    The news comes in the wake of leading members of the US family, one of America’s richest, being blamed for fueling the deadly opioids crisis in America with the aggressive selling of the family company’s prescription narcotic painkiller, OxyContin.

    Continue reading...", + "content": "

    Art museum announces change in the wake of leading members of the family being blamed for fueling the deadly US opioids crisis

    New York’s famed Metropolitan Museum of Art is going to remove the name of arguably its most controversial donor groups – the billionaire Sackler family – from its galleries.

    The news comes in the wake of leading members of the US family, one of America’s richest, being blamed for fueling the deadly opioids crisis in America with the aggressive selling of the family company’s prescription narcotic painkiller, OxyContin.

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/dec/09/new-york-met-art-museum-to-remove-sackler-family-name-from-galleries", + "creator": "Joanna Walters in New York", + "pubDate": "2021-12-09T19:20:38Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116725,41 +143233,39 @@ "favorite": false, "created": false, "tags": [], - "hash": "e9561d1860353cafa1e694237e531740" + "hash": "0e5b5e87359638fd52ed38cdc1c25ab4" }, { - "title": "Recently uncovered software flaw ‘most critical vulnerability of the last decade’", - "description": "

    Log4Shell grants easy access to internal networks, making them susceptible to data loot and loss and malware attacks

    A critical vulnerability in a widely used software tool – one quickly exploited in the online game Minecraft – is rapidly emerging as a major threat to organizations around the world.

    “The internet’s on fire right now,” said Adam Meyers, senior vice-president of intelligence at the cybersecurity firm Crowdstrike. “People are scrambling to patch”, he said, “and all kinds of people scrambling to exploit it.” He said on Friday morning that in the 12 hours since the bug’s existence was disclosed, it had been “fully weaponized”, meaning malefactors had developed and distributed tools to exploit it.

    Continue reading...", - "content": "

    Log4Shell grants easy access to internal networks, making them susceptible to data loot and loss and malware attacks

    A critical vulnerability in a widely used software tool – one quickly exploited in the online game Minecraft – is rapidly emerging as a major threat to organizations around the world.

    “The internet’s on fire right now,” said Adam Meyers, senior vice-president of intelligence at the cybersecurity firm Crowdstrike. “People are scrambling to patch”, he said, “and all kinds of people scrambling to exploit it.” He said on Friday morning that in the 12 hours since the bug’s existence was disclosed, it had been “fully weaponized”, meaning malefactors had developed and distributed tools to exploit it.

    Continue reading...", - "category": "Software", - "link": "https://www.theguardian.com/technology/2021/dec/10/software-flaw-most-critical-vulnerability-log-4-shell", - "creator": "Associated Press", - "pubDate": "2021-12-11T01:50:48Z", + "title": "Belgian pop sensation Angèle: ‘When we speak about feminism, people are afraid’", + "description": "

    A million-selling superstar at home and in France, she discusses her confrontation with Playboy, growing up in a famous family and being publicly outed as bisexual

    A few years ago, a popular pub quiz question involved naming 10 famous Belgians. The answers often revealed more about British cultural ignorance than Belgium’s ability to produce international celebrities, given that the fictional Tintin and Hercule Poirot were the best many could come up with.

    The game has got easier since the rise of Angèle, a stridently feminist Belgian pop singer-songwriter who shot to fame in 2016 after posting short clips singing covers and playing the piano on Instagram. She was young, talented and not afraid to make fun of herself, pulling faces and sticking pencils up her nose. Her 2018 debut album, Brol, sold a million copies; by 2019, she was a face of Chanel. “I’d always wanted a career in music, but I was thinking more of working as a piano accompanist,” she says, folding into an armchair at a five-star boutique hotel near the Paris Opéra. “I really didn’t expect it to happen like that.”

    Continue reading...", + "content": "

    A million-selling superstar at home and in France, she discusses her confrontation with Playboy, growing up in a famous family and being publicly outed as bisexual

    A few years ago, a popular pub quiz question involved naming 10 famous Belgians. The answers often revealed more about British cultural ignorance than Belgium’s ability to produce international celebrities, given that the fictional Tintin and Hercule Poirot were the best many could come up with.

    The game has got easier since the rise of Angèle, a stridently feminist Belgian pop singer-songwriter who shot to fame in 2016 after posting short clips singing covers and playing the piano on Instagram. She was young, talented and not afraid to make fun of herself, pulling faces and sticking pencils up her nose. Her 2018 debut album, Brol, sold a million copies; by 2019, she was a face of Chanel. “I’d always wanted a career in music, but I was thinking more of working as a piano accompanist,” she says, folding into an armchair at a five-star boutique hotel near the Paris Opéra. “I really didn’t expect it to happen like that.”

    Continue reading...", + "category": "Pop and rock", + "link": "https://www.theguardian.com/music/2021/dec/09/belgian-pop-sensation-angele-when-we-speak-about-feminism-people-are-afraid", + "creator": "Kim Willsher", + "pubDate": "2021-12-09T14:49:34Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87275dd3d6d8c43f2d8728f04a363fc1" + "hash": "2bc7d91ec799f859c428f4a71734a4fc" }, { - "title": "Tens of thousands protest against compulsory Covid jabs in Austria", - "description": "

    Crowds in Vienna demonstrate against mandatory vaccines and confinement orders for unvaccinated

    Tens of thousands of people have gathered in Austria’s capital Vienna to protest against mandatory Covid vaccines and home confinement orders for those who have not yet received the jabs.

    Police said an estimated 44,000 people attended the demonstration on Saturday, the latest in a string of huge weekend protests since Austria last month became the first EU country to say it would make Covid vaccinations mandatory.

    Continue reading...", - "content": "

    Crowds in Vienna demonstrate against mandatory vaccines and confinement orders for unvaccinated

    Tens of thousands of people have gathered in Austria’s capital Vienna to protest against mandatory Covid vaccines and home confinement orders for those who have not yet received the jabs.

    Police said an estimated 44,000 people attended the demonstration on Saturday, the latest in a string of huge weekend protests since Austria last month became the first EU country to say it would make Covid vaccinations mandatory.

    Continue reading...", - "category": "Austria", - "link": "https://www.theguardian.com/world/2021/dec/11/tens-of-thousands-protest-against-compulsory-covid-jabs-in-austria", - "creator": "Agence France-Presse", - "pubDate": "2021-12-11T17:47:15Z", + "title": "Want to see the world’s worst pizzas? Step this way | Jay Rayner", + "description": "

    The Random Restaurant Twitter feed shows that mini chip fryer baskets and terrible food photos are a planet-wide phenomenon

    It’s a familiar image. There’s a well-stacked burger: domed bun, a couple of patties, the crimson flash of fresh tomato. It’s not unappetising. Next to it, however, is an emblem for all that is naff, irritating and deathly in the restaurant world: a mini chip fryer basket full of chips. Because what could be more fun than a miniaturised version of a piece of kitchen equipment? It’s exactly the kind of thing you’d expect to find in a dreary low-rent British gastropub; one that has decided crass serving items are a substitute for a commitment to good food.

    Except this image is not from a clumsy gastro pub. It’s certainly not from Britain. It’s from Fast Food Le Jasmin, a restaurant in Guelma, in north-eastern Algeria. I can show you other examples from Costa Rica and French Polynesia. For the joyous revelation that restaurant stupidity is not restricted to the UK, we must thank a Twitter account called Random Restaurant or @_restaurant_bot, created by one Joe Schoech. As its name suggests, it uses a bot to search Google randomly for information on restaurants all over the world. Around 20 times a day it posts a map link, plus the first four photographs it finds. Certain countries, including China, are excluded because Google isn’t available there. Otherwise, it provides an extraordinary window on how we eat out globally.

    Continue reading...", + "content": "

    The Random Restaurant Twitter feed shows that mini chip fryer baskets and terrible food photos are a planet-wide phenomenon

    It’s a familiar image. There’s a well-stacked burger: domed bun, a couple of patties, the crimson flash of fresh tomato. It’s not unappetising. Next to it, however, is an emblem for all that is naff, irritating and deathly in the restaurant world: a mini chip fryer basket full of chips. Because what could be more fun than a miniaturised version of a piece of kitchen equipment? It’s exactly the kind of thing you’d expect to find in a dreary low-rent British gastropub; one that has decided crass serving items are a substitute for a commitment to good food.

    Except this image is not from a clumsy gastro pub. It’s certainly not from Britain. It’s from Fast Food Le Jasmin, a restaurant in Guelma, in north-eastern Algeria. I can show you other examples from Costa Rica and French Polynesia. For the joyous revelation that restaurant stupidity is not restricted to the UK, we must thank a Twitter account called Random Restaurant or @_restaurant_bot, created by one Joe Schoech. As its name suggests, it uses a bot to search Google randomly for information on restaurants all over the world. Around 20 times a day it posts a map link, plus the first four photographs it finds. Certain countries, including China, are excluded because Google isn’t available there. Otherwise, it provides an extraordinary window on how we eat out globally.

    Continue reading...", + "category": "Restaurants", + "link": "https://www.theguardian.com/food/2021/dec/09/want-to-see-the-worlds-worst-pizzas-step-this-way-random-restaurant-twitter-jay-rayner", + "creator": "Jay Rayner", + "pubDate": "2021-12-09T12:00:11Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116767,20 +143273,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6a9f3ca2e648041a91876d7de60cd7d5" + "hash": "9dc3813b9cffa339e89512ca7f11e37b" }, { - "title": "Fresh evidence on UK’s botched Afghan withdrawal backs whistleblower’s story", - "description": "

    MPs’ inquiry given further details of Britain’s mismanagement of Afghanistan exit with ‘people left to die at the hands of the Taliban’

    Further evidence alleging that the government seriously mishandled the withdrawal from Afghanistan has been handed to a parliamentary inquiry examining the operation, the Observer has been told.

    Details from several government departments and agencies are understood to back damning testimony from a Foreign Office whistleblower, who has claimed that bureaucratic chaos, ministerial intervention, and a lack of planning and resources led to “people being left to die at the hands of the Taliban”.

    Continue reading...", - "content": "

    MPs’ inquiry given further details of Britain’s mismanagement of Afghanistan exit with ‘people left to die at the hands of the Taliban’

    Further evidence alleging that the government seriously mishandled the withdrawal from Afghanistan has been handed to a parliamentary inquiry examining the operation, the Observer has been told.

    Details from several government departments and agencies are understood to back damning testimony from a Foreign Office whistleblower, who has claimed that bureaucratic chaos, ministerial intervention, and a lack of planning and resources led to “people being left to die at the hands of the Taliban”.

    Continue reading...", - "category": "Taliban", - "link": "https://www.theguardian.com/world/2021/dec/11/fresh-evidence-on-uks-botched-afghan-withdrawal-backs-whistleblowers-story", - "creator": "Michael Savage", - "pubDate": "2021-12-11T18:02:40Z", + "title": "Record number of children in Britain arrested over terror offences", + "description": "

    Home Office figures show 25 under-18s arrested in year to September, mostly in relation to far-right ideology

    A record number of children were arrested on suspicion of terror offences in Great Britain in the last year, a development that investigators have linked to the shutdown of schools during the early stages of the pandemic.

    Figures released by the Home Office show there were 25 such arrests of under-18s in the 12 months to September, the majority in relation to far-right ideology.

    Continue reading...", + "content": "

    Home Office figures show 25 under-18s arrested in year to September, mostly in relation to far-right ideology

    A record number of children were arrested on suspicion of terror offences in Great Britain in the last year, a development that investigators have linked to the shutdown of schools during the early stages of the pandemic.

    Figures released by the Home Office show there were 25 such arrests of under-18s in the 12 months to September, the majority in relation to far-right ideology.

    Continue reading...", + "category": "UK security and counter-terrorism", + "link": "https://www.theguardian.com/uk-news/2021/dec/09/record-number-of-uk-children-arrested-for-terror-offences", + "creator": "Dan Sabbagh and Rajeev Syal", + "pubDate": "2021-12-09T18:53:55Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116788,20 +143293,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6f0e24e1fbfb4b25ac66f8fb5286ee88" + "hash": "30ff4d8ae8e0f47361ff825422497616" }, { - "title": "Police step up search for missing hospital worker Petra Srncova", - "description": "

    Harriet Harman launches appeal for information on 32-year-old Czech national who was last seen on 28 November

    A missing children’s hospital worker is believed to have disappeared on her way home from work, police said on Saturday, as Labour MP Harriet Harman launched an appeal for information on her constituent.

    Petra Srncova, 32, a senior nurse assistant at Evelina London children’s hospital in Westminster, was reported missing on 3 December by a concerned colleague, and officers are intensifying their efforts to try to find her.

    Continue reading...", - "content": "

    Harriet Harman launches appeal for information on 32-year-old Czech national who was last seen on 28 November

    A missing children’s hospital worker is believed to have disappeared on her way home from work, police said on Saturday, as Labour MP Harriet Harman launched an appeal for information on her constituent.

    Petra Srncova, 32, a senior nurse assistant at Evelina London children’s hospital in Westminster, was reported missing on 3 December by a concerned colleague, and officers are intensifying their efforts to try to find her.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/11/harriest-harman-launches-appeal-to-find-missing-nurse", - "creator": "Jedidajah Otte", - "pubDate": "2021-12-11T17:09:51Z", + "title": "‘I just wonder who’s next’: six California teens on living amid rising gun violence", + "description": "

    The state – and country – saw homicides climb 30% last year. The most impacted youth describe the trauma that comes with community violence

    A deadly mass shooting at a suburban Michigan high school brought back a familiar American routine: utterances of shock, followed by condolences, blame, and then calls for action that fall on deaf ears.

    Last week’s school shooting came as young people across the US are reckoning with a historic surge in gun violence. While shootings on school campuses declined significantly during the pandemic – incidents where a gun was fired at US schools dropped from 130 to 96 between 2019 and 2020, according to a database from Everytown for Gun Safety – community gun violence rose dramatically in that same period. Gun violence deaths rose a staggering 30% from 2019 to 2020 nationwide, the sharpest rise in 60 years.

    Continue reading...", + "content": "

    The state – and country – saw homicides climb 30% last year. The most impacted youth describe the trauma that comes with community violence

    A deadly mass shooting at a suburban Michigan high school brought back a familiar American routine: utterances of shock, followed by condolences, blame, and then calls for action that fall on deaf ears.

    Last week’s school shooting came as young people across the US are reckoning with a historic surge in gun violence. While shootings on school campuses declined significantly during the pandemic – incidents where a gun was fired at US schools dropped from 130 to 96 between 2019 and 2020, according to a database from Everytown for Gun Safety – community gun violence rose dramatically in that same period. Gun violence deaths rose a staggering 30% from 2019 to 2020 nationwide, the sharpest rise in 60 years.

    Continue reading...", + "category": "California", + "link": "https://www.theguardian.com/us-news/2021/dec/09/california-gun-violence-teenagers-youth", + "creator": "Abené Clayton", + "pubDate": "2021-12-09T21:06:53Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116809,20 +143313,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "663baf175a5b8fb20bac8dbcaf215be9" + "hash": "670652dd3f0fa46f63bdec68312259b2" }, { - "title": "Daughter of US astronaut rockets into space aboard Blue Origin spacecraft", - "description": "

    Laura Shepard Churchley, whose father, Alan Shepard, made history in 1961 as the first American to travel into space, was among the crew of six

    The eldest daughter of pioneering US astronaut Alan Shepard took a joyride to the edge of space aboard Jeff Bezos’ Blue Origin rocket on Saturday, 60 years after her late father’s famed suborbital Nasa flight at the dawn of the Space Age.

    Laura Shepard Churchley, 74, who was a schoolgirl when her father first streaked into space, was one of six passengers buckled into the cabin of Blue Origin‘s New Shepard spacecraft as it lifted off from a launch site outside the west Texas town of Van Horn.

    Continue reading...", - "content": "

    Laura Shepard Churchley, whose father, Alan Shepard, made history in 1961 as the first American to travel into space, was among the crew of six

    The eldest daughter of pioneering US astronaut Alan Shepard took a joyride to the edge of space aboard Jeff Bezos’ Blue Origin rocket on Saturday, 60 years after her late father’s famed suborbital Nasa flight at the dawn of the Space Age.

    Laura Shepard Churchley, 74, who was a schoolgirl when her father first streaked into space, was one of six passengers buckled into the cabin of Blue Origin‘s New Shepard spacecraft as it lifted off from a launch site outside the west Texas town of Van Horn.

    Continue reading...", - "category": "Blue Origin", - "link": "https://www.theguardian.com/science/2021/dec/11/blue-origin-rocket-laura-shepard-churchley-michael-strahan", - "creator": "Reuters", - "pubDate": "2021-12-11T15:58:17Z", + "title": "Australia news live updates: Gladys Berejiklian rules out federal tilt, second woman killed in Queensland floods", + "description": "

    Atagi recommends that children receive the Pfizer vaccine from 10 January. Follow all the day’s developments

    Seems like Scott Morrison and other federal politicians weren’t just happy to have the former NSW premier if she decided to run, they were actively “urging” her to step up to the plate.

    Here is what Berejiklian had to say just before when radio host Ben Fordham asked “How hard did Scott Morrison try to get you to have a go?”

    Look, I’m really grateful to the PM and so many other colleagues who really asked me to consider this. It wasn’t something that I intended to do, but out of respect for those people... I gave it some thought but decided against it.

    It’s not something that I want to do...

    Continue reading...", + "content": "

    Atagi recommends that children receive the Pfizer vaccine from 10 January. Follow all the day’s developments

    Seems like Scott Morrison and other federal politicians weren’t just happy to have the former NSW premier if she decided to run, they were actively “urging” her to step up to the plate.

    Here is what Berejiklian had to say just before when radio host Ben Fordham asked “How hard did Scott Morrison try to get you to have a go?”

    Look, I’m really grateful to the PM and so many other colleagues who really asked me to consider this. It wasn’t something that I intended to do, but out of respect for those people... I gave it some thought but decided against it.

    It’s not something that I want to do...

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/10/australia-news-updates-live-covid-omicron-nsw-victoria-qld-scott-morrison-barnaby-joyce-weather-", + "creator": "Matilda Boseley", + "pubDate": "2021-12-09T21:04:55Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116830,20 +143333,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a6c00f8adc32ec7ca0006a9ec0511fd1" + "hash": "bdba7386f414be1d6660cb14ae71085a" }, { - "title": "Former head of Barcelona’s youth system accused of sexual abuse of children", - "description": "
    • Albert Benaiges was coach at Barça academy from 1992 to 2012
    • Benaiges denies accusations of more than 60 witnesses

    Albert Benaiges, the former head of FC Barcelona’s youth system and the man who was credited with having discovered Andrés Iniesta, has been accused of sexual abuse of children in his charge over 20 years, accusations the 71-year-old strongly denies.

    According to an investigation carried out by the Catalan newspaper Ara, more than 60 witnesses have come forward to detail his actions when he was a PE teacher at a school in the Les Corts neighbourhood of Barcelona during the 1980s and 1990s. One former student has made a formal statement to the police and others are expected to follow.

    Continue reading...", - "content": "
    • Albert Benaiges was coach at Barça academy from 1992 to 2012
    • Benaiges denies accusations of more than 60 witnesses

    Albert Benaiges, the former head of FC Barcelona’s youth system and the man who was credited with having discovered Andrés Iniesta, has been accused of sexual abuse of children in his charge over 20 years, accusations the 71-year-old strongly denies.

    According to an investigation carried out by the Catalan newspaper Ara, more than 60 witnesses have come forward to detail his actions when he was a PE teacher at a school in the Les Corts neighbourhood of Barcelona during the 1980s and 1990s. One former student has made a formal statement to the police and others are expected to follow.

    Continue reading...", - "category": "Barcelona", - "link": "https://www.theguardian.com/football/2021/dec/11/former-head-of-barcelonas-youth-system-accused-of-sexual-abuse-of-children", - "creator": "Sid Lowe in Madrid", - "pubDate": "2021-12-11T15:48:01Z", + "title": "Covid live: WHO says boosters ‘risk exacerbating’ vaccine inequity; UK PM accused of undermining virus fight", + "description": "

    WHO say first doses should be prioritised over booster jab programmes; UK opposition MP criticises government measures as not enough

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "content": "

    WHO say first doses should be prioritised over booster jab programmes; UK opposition MP criticises government measures as not enough

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", + "creator": "Lucy Campbell (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-09T13:44:39Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116851,20 +143353,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "479d2ca856fe0c3305a27425020426aa" + "hash": "82ba0f00e304ef1d6d28bdb7b061ebcf" }, { - "title": "‘I was always curious’: Indian woman, 104, fulfils dream of learning to read", - "description": "

    Daily newspaper is new joy for Kuttiyamma, who began taking lessons from her neighbour a year ago

    For almost a century, Kuttiyamma’s daily routine had been much the same. Rising early at home in the village of Thiruvanchoor in Kerala, the 104-year-old would begin her day’s work of cooking, cleaning and feeding the cows and chickens.

    But now, every morning, there’s something new to get up for. She eagerly awaits the paperboy to deliver Malayala Manorama, the local newspaper.

    Continue reading...", - "content": "

    Daily newspaper is new joy for Kuttiyamma, who began taking lessons from her neighbour a year ago

    For almost a century, Kuttiyamma’s daily routine had been much the same. Rising early at home in the village of Thiruvanchoor in Kerala, the 104-year-old would begin her day’s work of cooking, cleaning and feeding the cows and chickens.

    But now, every morning, there’s something new to get up for. She eagerly awaits the paperboy to deliver Malayala Manorama, the local newspaper.

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/dec/11/curious-indian-woman-104-fulfils-dream-learning-read", - "creator": "KA Shaji in Kottayam and Hannah Ellis-Petersen in Delhi", - "pubDate": "2021-12-11T08:00:04Z", + "title": "Uyghurs subjected to genocide by China, unofficial UK tribunal finds", + "description": "

    Independent report says crimes include torture and the systematic suppression of births

    Uyghur people living in Xinjiang province in China have been subjected to unconscionable crimes against humanity directed by the Chinese state that amount to an act of genocide, an independent and unofficial tribunal has found.

    Hundreds of thousands and possibly a million people have been incarcerated without any or remotely fair justification, the tribunal’s chair, Sir Geoffrey Nice QC, said as he delivered the tribunal’s findings in London. “This vast apparatus of state repression could not exist if a plan was not authorised at the highest levels,” Nice said.

    Continue reading...", + "content": "

    Independent report says crimes include torture and the systematic suppression of births

    Uyghur people living in Xinjiang province in China have been subjected to unconscionable crimes against humanity directed by the Chinese state that amount to an act of genocide, an independent and unofficial tribunal has found.

    Hundreds of thousands and possibly a million people have been incarcerated without any or remotely fair justification, the tribunal’s chair, Sir Geoffrey Nice QC, said as he delivered the tribunal’s findings in London. “This vast apparatus of state repression could not exist if a plan was not authorised at the highest levels,” Nice said.

    Continue reading...", + "category": "Uyghurs", + "link": "https://www.theguardian.com/world/2021/dec/09/uyghurs-subjected-to-genocide-by-china-unofficial-uk-tribunal-finds", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-09T13:04:18Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116872,20 +143373,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "dfc04f49d9adabcacd7a53f9a8f6a251" + "hash": "fb53f1bfde295a530a2b2ab779f60b2e" }, { - "title": "UK and Jersey issue more licences to French fishing boats in post-Brexit row", - "description": "

    British government says move agreed during talks before Friday midnight deadline set by Brussels

    The UK and Jersey governments have issued further licences to French fishing boats to trawl British waters in an apparent attempt to ease cross-Channel tensions.

    The Brussels-imposed deadline of midnight on Friday for solving the post-Brexit fishing row passed without an agreement being announced.

    Continue reading...", - "content": "

    British government says move agreed during talks before Friday midnight deadline set by Brussels

    The UK and Jersey governments have issued further licences to French fishing boats to trawl British waters in an apparent attempt to ease cross-Channel tensions.

    The Brussels-imposed deadline of midnight on Friday for solving the post-Brexit fishing row passed without an agreement being announced.

    Continue reading...", - "category": "Fishing industry", - "link": "https://www.theguardian.com/business/2021/dec/11/uk-and-jersey-issue-more-licences-to-french-fishing-boats-in-post-brexit-row", - "creator": "PA Media", - "pubDate": "2021-12-11T15:09:35Z", + "title": "China says Australia, UK and US will ‘pay price’ for Winter Olympics action", + "description": "

    Beijing accuses nations of using Games ‘for political manipulation’ amid diplomatic boycotts

    Australia, Britain and the US will pay a price for their “mistaken acts” after deciding not to send government delegations to February’s Winter Olympics in Beijing, China’s foreign ministry has said.

    The US was the first to announce a boycott, saying on Monday its government officials would not attend the February Games because of China’s human rights “atrocities”, weeks after talks aimed at easing tension between the world’s two largest economies.

    Continue reading...", + "content": "

    Beijing accuses nations of using Games ‘for political manipulation’ amid diplomatic boycotts

    Australia, Britain and the US will pay a price for their “mistaken acts” after deciding not to send government delegations to February’s Winter Olympics in Beijing, China’s foreign ministry has said.

    The US was the first to announce a boycott, saying on Monday its government officials would not attend the February Games because of China’s human rights “atrocities”, weeks after talks aimed at easing tension between the world’s two largest economies.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/09/china-says-australia-uk-and-us-will-pay-price-for-winter-olympics-action", + "creator": "Vincent Ni and agencies", + "pubDate": "2021-12-09T09:27:44Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116893,20 +143393,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b6c624215019ea01bcb207590650446e" + "hash": "eeac98bc9302951915ea45764a12c3a0" }, { - "title": "Covid live: 633 new Omicron cases detected in UK with overall daily infections at 54,073", - "description": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", - "content": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/11/covid-live-booster-significantly-reduces-risk-of-omicron-symptoms-taiwan-detects-first-case-of-variant", - "creator": "Nadeem Badshah (now); Lucy Campbell (earlier)", - "pubDate": "2021-12-11T17:22:33Z", + "title": "Gig economy workers to get employee rights under EU proposals", + "description": "

    Draft legislation would improve status of millions of workers, with likely knock-on effect on UK despite Brexit

    Gig economy companies operating in the European Union, such as Uber and Deliveroo, must ensure workers get the minimum wage, access to sick pay, holidays and other employment rights under plans for new laws to crack down on fake self-employment.

    Publishing long-awaited draft legislation on Thursday, the European Commission said the burden of proof on employment status would shift to companies, rather than the individuals that work for them. Until now, gig economy workers have had to go to court to prove they are employees, or risk being denied basic rights.

    Continue reading...", + "content": "

    Draft legislation would improve status of millions of workers, with likely knock-on effect on UK despite Brexit

    Gig economy companies operating in the European Union, such as Uber and Deliveroo, must ensure workers get the minimum wage, access to sick pay, holidays and other employment rights under plans for new laws to crack down on fake self-employment.

    Publishing long-awaited draft legislation on Thursday, the European Commission said the burden of proof on employment status would shift to companies, rather than the individuals that work for them. Until now, gig economy workers have had to go to court to prove they are employees, or risk being denied basic rights.

    Continue reading...", + "category": "Gig economy", + "link": "https://www.theguardian.com/business/2021/dec/09/gig-economy-workers-to-get-employee-rights-under-eu-proposals", + "creator": "Jennifer Rankin in Brussels", + "pubDate": "2021-12-09T10:00:08Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116914,20 +143413,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6624f2f30b1b3aa7e0523cd96081496e" + "hash": "158cc57f069765be5997b3d948132f53" }, { - "title": "As Covid mutates, the vaccine makers are adapting too", - "description": "

    Focus on the exciting potential of T-cell immunity is spurring the sector on to create a new generation of jabs

    The speed at which scientists worked to develop the first Covid jabs was unprecedented. Just nine months after the UK went into lockdown, 90-year-old Margaret Keenan officially became the first person in the world outside a trial to receive the Pfizer/BioNTech vaccine. But the virus is mutating, and the emergence of the Omicron variant last month is already focusing attention on the next generation of jabs.

    So what do we know about the new Covid-19 vaccines? One change is with delivery mechanisms, such as San Francisco firm Vaxart’s vaccine-in-a-pill, and Scancell’s spring-powered injectors that pierce the skin without a needle. But the biggest development is in T-cell technology. Produced by the bone marrow, T-cells are white blood cells that form a key part of the immune system. While current vaccines mainly generate antibodies that stick to the virus and stop it infecting the body, the new vaccines prime T-cells to find and destroy infected cells, thus preventing viral replication and disease. (The current vaccines also produce a T-cell response, but to a lesser extent.)

    Continue reading...", - "content": "

    Focus on the exciting potential of T-cell immunity is spurring the sector on to create a new generation of jabs

    The speed at which scientists worked to develop the first Covid jabs was unprecedented. Just nine months after the UK went into lockdown, 90-year-old Margaret Keenan officially became the first person in the world outside a trial to receive the Pfizer/BioNTech vaccine. But the virus is mutating, and the emergence of the Omicron variant last month is already focusing attention on the next generation of jabs.

    So what do we know about the new Covid-19 vaccines? One change is with delivery mechanisms, such as San Francisco firm Vaxart’s vaccine-in-a-pill, and Scancell’s spring-powered injectors that pierce the skin without a needle. But the biggest development is in T-cell technology. Produced by the bone marrow, T-cells are white blood cells that form a key part of the immune system. While current vaccines mainly generate antibodies that stick to the virus and stop it infecting the body, the new vaccines prime T-cells to find and destroy infected cells, thus preventing viral replication and disease. (The current vaccines also produce a T-cell response, but to a lesser extent.)

    Continue reading...", - "category": "Pharmaceuticals industry", - "link": "https://www.theguardian.com/business/2021/dec/11/as-covid-mutates-the-vaccine-makers-are-adapting-too", - "creator": "Julia Kollewe", - "pubDate": "2021-12-11T16:00:13Z", + "title": "New Zealand to ban smoking for next generation in bid to outlaw habit by 2025", + "description": "

    Legislation will mean people currently aged 14 and under will never be able to legally purchase tobacco

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said on Thursday.

    Continue reading...", + "content": "

    Legislation will mean people currently aged 14 and under will never be able to legally purchase tobacco

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said on Thursday.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/09/new-zealand-to-ban-smoking-for-next-generation-in-bid-to-outlaw-habit-by-2025", + "creator": "Tess McClure in Christchurch", + "pubDate": "2021-12-08T23:29:56Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116935,20 +143433,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "b65533bb7a35d9a66ce324537918dcf8" + "hash": "933c4da5f8d4009038098eb50f406098" }, { - "title": "From hippos to hamsters: how Covid is affecting creatures great and small", - "description": "

    Scientists are racing to assess the spread of the virus in wild and domestic animals, and the threat it could pose to us

    A year ago humanity embarked on a project to vaccinate every person against Covid-19. But in recent months a shadow vaccination campaign has also been taking place. From giraffes to snow leopards, gorillas to sea lions, zoos around the world have been inoculating their animals with an experimental Covid vaccine as an insurance policy against what they fear could be a similarly fatal illness for certain mammals.

    Meanwhile, veterinary scientists have been scrambling to understand the scale of Covid-19 infection in our furry household companions, and what the consequences could be for their health – and our own.

    Continue reading...", - "content": "

    Scientists are racing to assess the spread of the virus in wild and domestic animals, and the threat it could pose to us

    A year ago humanity embarked on a project to vaccinate every person against Covid-19. But in recent months a shadow vaccination campaign has also been taking place. From giraffes to snow leopards, gorillas to sea lions, zoos around the world have been inoculating their animals with an experimental Covid vaccine as an insurance policy against what they fear could be a similarly fatal illness for certain mammals.

    Meanwhile, veterinary scientists have been scrambling to understand the scale of Covid-19 infection in our furry household companions, and what the consequences could be for their health – and our own.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/11/from-hippos-to-hamsters-how-covid-is-affecting-creatures-great-and-small", - "creator": "Linda Geddes Science correspondent", - "pubDate": "2021-12-11T09:00:05Z", + "title": "Berlusconi ‘fired up’ for Italian presidency bid – but faces obstacles", + "description": "

    Controversial former prime minister’s divisive personality could make it hard to muster broad support

    Undeterred by health woes, sex scandals and advanced age, the former Italian prime minister Silvio Berlusconi is doggedly pursuing a promise he once made to his mother: that one day he would become president.

    Parliament will choose a new head of state early next year and the 85-year-old is the first to put himself forward for a race that could transform the Italian political landscape but has no official candidates.

    Continue reading...", + "content": "

    Controversial former prime minister’s divisive personality could make it hard to muster broad support

    Undeterred by health woes, sex scandals and advanced age, the former Italian prime minister Silvio Berlusconi is doggedly pursuing a promise he once made to his mother: that one day he would become president.

    Parliament will choose a new head of state early next year and the 85-year-old is the first to put himself forward for a race that could transform the Italian political landscape but has no official candidates.

    Continue reading...", + "category": "Silvio Berlusconi", + "link": "https://www.theguardian.com/world/2021/dec/09/berlusconi-fired-up-for-italian-presidency-bid-but-faces-obstacles", + "creator": "Reuters", + "pubDate": "2021-12-09T12:24:07Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116956,20 +143453,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "bbfc94c3a3ffb57a8e5e7e246e44a3b3" + "hash": "f08a23c327244ab5e18a0353a1ddd53d" }, { - "title": "Why uncontrolled HIV may be behind the emergence of Omicron", - "description": "

    Analysis: experts say weakened immune systems may give rise to new Covid variants – so HIV prevention could be key to stopping coronavirus

    Where did Omicron come from? By all accounts it is a weird variant. Though highly mutated, it descended not from one of the other variants of concern, such as Alpha, Beta or Delta, but from coronavirus that was circulating maybe 18 months ago. So where has it been all this time? And why is it only wreaking havoc now?

    Researchers are exploring a number of hunches. One is that Omicron arose in a remote region of southern Africa but failed to spread until now. Another is that it evolved in infected animals, such as rats, and then crossed back into humans. But a third explanation is gaining ground as more data come to light, that Omicron arose in a person with a weakened immune system: someone having cancer treatment perhaps, an organ transplant patient or someone with uncontrolled HIV.

    Continue reading...", - "content": "

    Analysis: experts say weakened immune systems may give rise to new Covid variants – so HIV prevention could be key to stopping coronavirus

    Where did Omicron come from? By all accounts it is a weird variant. Though highly mutated, it descended not from one of the other variants of concern, such as Alpha, Beta or Delta, but from coronavirus that was circulating maybe 18 months ago. So where has it been all this time? And why is it only wreaking havoc now?

    Researchers are exploring a number of hunches. One is that Omicron arose in a remote region of southern Africa but failed to spread until now. Another is that it evolved in infected animals, such as rats, and then crossed back into humans. But a third explanation is gaining ground as more data come to light, that Omicron arose in a person with a weakened immune system: someone having cancer treatment perhaps, an organ transplant patient or someone with uncontrolled HIV.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/11/why-uncontrolled-hiv-may-be-behind-the-emergence-of-omicron", - "creator": "Ian Sample Science editor", - "pubDate": "2021-12-11T08:00:04Z", + "title": "Batman loach returns: fish feared extinct found in Turkey", + "description": "

    Scientists working on the Search For The Lost Fishes project have spotted the freshwater Batman River loach, which has not been seen since 1974

    A freshwater fish that scientists thought was extinct has been found in south-east Turkey, after an absence of nearly 50 years.

    “I’ve been researching this area for 12 years and this fish was always on my wishlist,” said Dr Cüneyt Kaya, associate professor at Recep Tayyip Erdoğan University. “It’s taken a long time. When I saw the distinctive bands on the fish, I felt so happy. It was a perfect moment.”

    Continue reading...", + "content": "

    Scientists working on the Search For The Lost Fishes project have spotted the freshwater Batman River loach, which has not been seen since 1974

    A freshwater fish that scientists thought was extinct has been found in south-east Turkey, after an absence of nearly 50 years.

    “I’ve been researching this area for 12 years and this fish was always on my wishlist,” said Dr Cüneyt Kaya, associate professor at Recep Tayyip Erdoğan University. “It’s taken a long time. When I saw the distinctive bands on the fish, I felt so happy. It was a perfect moment.”

    Continue reading...", + "category": "Fish", + "link": "https://www.theguardian.com/environment/2021/dec/09/batman-loach-returns-fish-feared-extinct-for-decades-spotted-in-turkey-aoe", + "creator": "Graeme Green", + "pubDate": "2021-12-09T09:00:06Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116977,20 +143473,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "cfa0a5e44a9b3f717362966773c4756b" + "hash": "9ecff3cd7f87db12c21a19fe72608fe1" }, { - "title": "‘There’s always been an affinity between Christmas and ghosts’: Mark Gatiss on the joy of festive frights", - "description": "

    The writer and actor puts the ghoul into yule with screen and stage roles reprising haunting classics from Charles Dickens and MR James

    Close the curtains. Light the fire. Then prepare to be terrified; it’s Christmas. For although the word “cosy” may be closely tied to festivities at this time of year, so it seems is the word “ghost”.

    In northern Europe people understandably cope with the shorter days and darker evenings by drawing in around a roaring hearth, metaphorical or otherwise. Light and warmth: it makes sense. But what kind of stories are told while friends and families gather together? The answer, of course, is the spookier, the better.

    Continue reading...", - "content": "

    The writer and actor puts the ghoul into yule with screen and stage roles reprising haunting classics from Charles Dickens and MR James

    Close the curtains. Light the fire. Then prepare to be terrified; it’s Christmas. For although the word “cosy” may be closely tied to festivities at this time of year, so it seems is the word “ghost”.

    In northern Europe people understandably cope with the shorter days and darker evenings by drawing in around a roaring hearth, metaphorical or otherwise. Light and warmth: it makes sense. But what kind of stories are told while friends and families gather together? The answer, of course, is the spookier, the better.

    Continue reading...", - "category": "Culture", - "link": "https://www.theguardian.com/culture/2021/dec/11/theres-always-been-an-affinity-between-christmas-and-ghosts-mark-gatiss-on-the-joy-of-festive-frights", - "creator": "Vanessa Thorpe", - "pubDate": "2021-12-11T15:33:51Z", + "title": "Nearly 100 former British Council staff remain in hiding in Afghanistan", + "description": "

    Staff employed to teach British values and the English language refused the right to come to the UK

    Nearly 100 former British Council staff employed to teach British values and the English language remain in hiding in Afghanistan after having so far been refused the right to come to the UK by officials.

    Their plight has been taken up by Joseph Seaton, the former British Council Afghanistan English manager, and its deputy director, who has written to the most relevant cabinet members in a bid to gain their support.

    Continue reading...", + "content": "

    Staff employed to teach British values and the English language refused the right to come to the UK

    Nearly 100 former British Council staff employed to teach British values and the English language remain in hiding in Afghanistan after having so far been refused the right to come to the UK by officials.

    Their plight has been taken up by Joseph Seaton, the former British Council Afghanistan English manager, and its deputy director, who has written to the most relevant cabinet members in a bid to gain their support.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/2021/dec/09/nearly-100-former-british-council-staff-remain-in-hiding-in-afghanistan", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-09T07:00:04Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -116998,20 +143493,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7489ea7f943626380c4fa70f6b8c3ba0" + "hash": "63b7dce937b2d872565dc74515050692" }, { - "title": "Carrie-Anne Moss: ‘There was a scene in the first Matrix with me in stilettos. I could barely stand straight’", - "description": "

    Twenty years after first playing kick-ass hacker Trinity in The Matrix, Moss is returning to the role in The Matrix: Resurrections. Thankfully, she wasn’t asked to wear heels this time …

    When The Matrix asks us all to take the red pill again on 22 December, Carrie-Anne Moss, 54, will return to the role that made her famous. Moss first played Trinity, a motorbike-riding, badass, PVC-clad hacker, in 1999, and despite the character not surviving the original trilogy, she is back, along with her co-star Keanu Reeves, for the fourth instalment, The Matrix Resurrections, directed by Lana Wachowski, this time without her sister Lilly. Moss, who was born in Canada, started her career as a model and had several small parts on television and in films before The Matrix struck gold. She played Marvel’s first on-screen lesbian character, Jeri Hogarth, in the Netflix series Jessica Jones, and away from the acting world, she runs a “labour of love” lifestyle site called Annapurna Living. She lives with her husband and three children in the countryside in California, which means she does not see the current trend for Matrix-inspired fashion such as big stompy boots and tiny sunglasses out on the streets.

    Was returning to the world of The Matrix a tough decision?
    Oh, no. I was absolutely over-the-moon excited about the prospect. It was something that I never imagined happening. People had mentioned it to me in passing, and I was always thinking: ‘No way. Never gonna happen.’

    Continue reading...", - "content": "

    Twenty years after first playing kick-ass hacker Trinity in The Matrix, Moss is returning to the role in The Matrix: Resurrections. Thankfully, she wasn’t asked to wear heels this time …

    When The Matrix asks us all to take the red pill again on 22 December, Carrie-Anne Moss, 54, will return to the role that made her famous. Moss first played Trinity, a motorbike-riding, badass, PVC-clad hacker, in 1999, and despite the character not surviving the original trilogy, she is back, along with her co-star Keanu Reeves, for the fourth instalment, The Matrix Resurrections, directed by Lana Wachowski, this time without her sister Lilly. Moss, who was born in Canada, started her career as a model and had several small parts on television and in films before The Matrix struck gold. She played Marvel’s first on-screen lesbian character, Jeri Hogarth, in the Netflix series Jessica Jones, and away from the acting world, she runs a “labour of love” lifestyle site called Annapurna Living. She lives with her husband and three children in the countryside in California, which means she does not see the current trend for Matrix-inspired fashion such as big stompy boots and tiny sunglasses out on the streets.

    Was returning to the world of The Matrix a tough decision?
    Oh, no. I was absolutely over-the-moon excited about the prospect. It was something that I never imagined happening. People had mentioned it to me in passing, and I was always thinking: ‘No way. Never gonna happen.’

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/11/carrie-anne-moss-there-was-a-scene-in-the-first-matrix-with-me-in-stilettos-i-could-barely-stand-straight", - "creator": "Rebecca Nicholson", - "pubDate": "2021-12-11T09:00:06Z", + "title": "Steve Bronski: co-founder of Bronski Beat dies aged 61", + "description": "

    Bronski formed the trailblazing gay pop trio with Jimmy Somerville and Larry Steinbachek, which had hits in the 80s including Smalltown Boy

    Steve Bronski, a founding member of the trailblazing British synth-pop trio Bronski Beat, has died, a source close to the group has confirmed. The BBC reported his age as 61. No cause of death was given.

    His bandmate Jimmy Somerville described him as a “talented and very melodic man”.

    Continue reading...", + "content": "

    Bronski formed the trailblazing gay pop trio with Jimmy Somerville and Larry Steinbachek, which had hits in the 80s including Smalltown Boy

    Steve Bronski, a founding member of the trailblazing British synth-pop trio Bronski Beat, has died, a source close to the group has confirmed. The BBC reported his age as 61. No cause of death was given.

    His bandmate Jimmy Somerville described him as a “talented and very melodic man”.

    Continue reading...", + "category": "Music", + "link": "https://www.theguardian.com/music/2021/dec/09/steve-bronski-co-founder-of-bronski-beat-has-died", + "creator": "Laura Snapes", + "pubDate": "2021-12-09T13:50:49Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117019,20 +143513,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a6e49b3262fb82547311bc5c70c4cb06" + "hash": "658e034941b13735631df5bb9862bdd0" }, { - "title": "Charlie Watts remembered by Dave Green", - "description": "

    2 June 1941 – 24 August 2021
    The Rolling Stones drummer’s childhood friend and fellow musician recalls a home-loving connoisseur and collector of ephemera

    I first met Charlie Watts in 1946, when I was four and he was five. We moved into new prefabs built after the war in Wembley Park – we were number 22, he was number 23 – and our mums hit it off pretty much straight away. We were very close, Charlie and me, throughout our lives. There was one point after he joined the Stones when we didn’t see each other for years, but when we did eventually reconnect, we picked up where we left off. Our relationship never really changed.

    From an early age we were both interested in jazz. It was a mutual thing. I used to listen to records in Charlie’s bedroom, discovering musicians such as Charlie Parker, Duke Ellington and Jelly Roll Morton. Later, when his dad bought him a drum kit and I got a double bass, we’d only been playing for a few months when we heard that a jazz band was doing auditions for a drummer and bass player. We did the audition and as we were the only ones that turned up we got the gig with the Jo Jones Seven and started doing weekly sessions at the Masons Arms pub in Edgware.

    Continue reading...", - "content": "

    2 June 1941 – 24 August 2021
    The Rolling Stones drummer’s childhood friend and fellow musician recalls a home-loving connoisseur and collector of ephemera

    I first met Charlie Watts in 1946, when I was four and he was five. We moved into new prefabs built after the war in Wembley Park – we were number 22, he was number 23 – and our mums hit it off pretty much straight away. We were very close, Charlie and me, throughout our lives. There was one point after he joined the Stones when we didn’t see each other for years, but when we did eventually reconnect, we picked up where we left off. Our relationship never really changed.

    From an early age we were both interested in jazz. It was a mutual thing. I used to listen to records in Charlie’s bedroom, discovering musicians such as Charlie Parker, Duke Ellington and Jelly Roll Morton. Later, when his dad bought him a drum kit and I got a double bass, we’d only been playing for a few months when we heard that a jazz band was doing auditions for a drummer and bass player. We did the audition and as we were the only ones that turned up we got the gig with the Jo Jones Seven and started doing weekly sessions at the Masons Arms pub in Edgware.

    Continue reading...", - "category": "Charlie Watts", - "link": "https://www.theguardian.com/music/2021/dec/11/obituaries-2021-charlie-watts-remembered-by-dave-green", - "creator": "Guardian Staff", - "pubDate": "2021-12-11T14:00:11Z", + "title": "US Covid cases surge as vaccine progress slows and Omicron variant sparks fears", + "description": "

    Ohio, as well as Michigan, Illinois, Indiana and Pennsylvania have seen a recent increase in cases and hospitalizations

    For Dr Rina D’Abramo of the MetroHealth System in Cleveland, it’s difficult when patients in the emergency room tell her they have not been vaccinated.

    “You can hear it in their voice when you say, ‘Are you vaccinated?’” said D’Abramo, who works at a hospital in the Brecksville suburb. “They shrink down and are like, ‘No. Now I know why I need to be vaccinated.’ ”

    Continue reading...", + "content": "

    Ohio, as well as Michigan, Illinois, Indiana and Pennsylvania have seen a recent increase in cases and hospitalizations

    For Dr Rina D’Abramo of the MetroHealth System in Cleveland, it’s difficult when patients in the emergency room tell her they have not been vaccinated.

    “You can hear it in their voice when you say, ‘Are you vaccinated?’” said D’Abramo, who works at a hospital in the Brecksville suburb. “They shrink down and are like, ‘No. Now I know why I need to be vaccinated.’ ”

    Continue reading...", + "category": "Ohio", + "link": "https://www.theguardian.com/us-news/2021/dec/09/us-covid-cases-surge-vaccine-progress-slows-omicron-variant", + "creator": "Eric Berger", + "pubDate": "2021-12-09T10:00:08Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117040,20 +143533,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "67441e6b8b13e331ee5e9609edb15632" + "hash": "759e62bdc2059ed507570cd428c08876" }, { - "title": "David Baddiel and his daughter on his social media addiction: ‘it can reward and punish you’", - "description": "

    Despite the abuse and anger, the comedian spent hours a day online. But then his daughter Dolly became dangerously drawn in. Was it time for a rethink?

    Over the past 30 years, I have read and heard David Baddiel’s thoughts on many subjects, including sex, masturbation, religion, antisemitism, football fandom, football hooliganism, his mother’s sex life and his father’s dementia. “I am quite unfiltered,” he agrees, “mainly because I am almost psychotically comfortable in my own skin.” But today I have found the one subject that makes him squirm.

    How much time does he spend on social media a day? “Oh, um, too much,” he says, his usual candour suddenly gone. What’s his daily screen time according to his phone? “It says four hours, which is a bit frightening.”

    Continue reading...", - "content": "

    Despite the abuse and anger, the comedian spent hours a day online. But then his daughter Dolly became dangerously drawn in. Was it time for a rethink?

    Over the past 30 years, I have read and heard David Baddiel’s thoughts on many subjects, including sex, masturbation, religion, antisemitism, football fandom, football hooliganism, his mother’s sex life and his father’s dementia. “I am quite unfiltered,” he agrees, “mainly because I am almost psychotically comfortable in my own skin.” But today I have found the one subject that makes him squirm.

    How much time does he spend on social media a day? “Oh, um, too much,” he says, his usual candour suddenly gone. What’s his daily screen time according to his phone? “It says four hours, which is a bit frightening.”

    Continue reading...", - "category": "David Baddiel", - "link": "https://www.theguardian.com/stage/2021/dec/11/david-baddiel-and-his-daughter-on-his-social-media-addiction-it-can-reward-and-punish-you", - "creator": "Hadley Freeman", - "pubDate": "2021-12-11T12:00:09Z", + "title": "Barnaby Joyce, Australia’s deputy PM, tests positive for Covid while visiting US", + "description": "

    Nationals leader is experiencing mild symptoms and will remain in isolation until further advice

    Australia’s deputy prime minister, Barnaby Joyce, has tested positive to Covid-19 while on a visit to the United States.

    The government says Joyce – who was in London earlier this week and met with the British justice secretary, Dominic Raab, and the Australian high commissioner to the UK, George Brandis – will isolate in the US until it is safe for him to return to Australia.

    Continue reading...", + "content": "

    Nationals leader is experiencing mild symptoms and will remain in isolation until further advice

    Australia’s deputy prime minister, Barnaby Joyce, has tested positive to Covid-19 while on a visit to the United States.

    The government says Joyce – who was in London earlier this week and met with the British justice secretary, Dominic Raab, and the Australian high commissioner to the UK, George Brandis – will isolate in the US until it is safe for him to return to Australia.

    Continue reading...", + "category": "Barnaby Joyce", + "link": "https://www.theguardian.com/australia-news/2021/dec/09/barnaby-joyce-australia-deputy-pm-prime-minister-tests-positive-covid-coronavirus", + "creator": "Daniel Hurst", + "pubDate": "2021-12-08T23:05:08Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117061,20 +143553,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "f45a0750b3b9d2cb3150d7926f80ff1b" + "hash": "6975ce6ef23ca77a4051dcb713956523" }, { - "title": "Supermodel Karen Elson on fashion’s toxic truth: ‘I survived harassment, body shaming and bullying – and I’m one of the lucky ones’", - "description": "

    She has been at the top of the industry for decades. Now she’s speaking out about the dark reality of life behind the scenes

    When Karen Elson was a young hopeful trying to make it in Paris, a model scout took her to a nightclub. After long days on the Métro trekking to castings that came to nothing, and evenings alone in a run-down apartment, she was excited to be out having fun. The music was good and the scout, to whom her agent had introduced her, kept the drinks coming. She started to feel tipsy. A friend of the scout’s arrived, and the pair started massaging her shoulders, making sexual suggestions. “I was 16 and I’d never kissed a boy,” she recalls. “It was my first experience of sexual – well, sexual anything, and this was sexual harassment. They both had their hands on me.”

    She told them she wanted to go home, and left to find a taxi, but they followed her into it, kissing her neck on the back seat. When they reached her street, she jumped out, slammed the taxi door and ran inside. The next day she told another model what had happened, and the scout found out. “His reaction was to corner me in the model agency and say: ‘I’ll fucking get you kicked out of Paris if you ever fucking say anything ever again.’”

    Continue reading...", - "content": "

    She has been at the top of the industry for decades. Now she’s speaking out about the dark reality of life behind the scenes

    When Karen Elson was a young hopeful trying to make it in Paris, a model scout took her to a nightclub. After long days on the Métro trekking to castings that came to nothing, and evenings alone in a run-down apartment, she was excited to be out having fun. The music was good and the scout, to whom her agent had introduced her, kept the drinks coming. She started to feel tipsy. A friend of the scout’s arrived, and the pair started massaging her shoulders, making sexual suggestions. “I was 16 and I’d never kissed a boy,” she recalls. “It was my first experience of sexual – well, sexual anything, and this was sexual harassment. They both had their hands on me.”

    She told them she wanted to go home, and left to find a taxi, but they followed her into it, kissing her neck on the back seat. When they reached her street, she jumped out, slammed the taxi door and ran inside. The next day she told another model what had happened, and the scout found out. “His reaction was to corner me in the model agency and say: ‘I’ll fucking get you kicked out of Paris if you ever fucking say anything ever again.’”

    Continue reading...", - "category": "Models", - "link": "https://www.theguardian.com/fashion/2021/dec/11/supermodel-karen-elson-on-fashions-toxic-truth-i-survived-harassment-body-shaming-and-bullying-and-im-one-of-the-lucky-ones", - "creator": "Jess Cartner-Morley", - "pubDate": "2021-12-11T08:00:05Z", + "title": "Omicron spreads to 57 countries but too early to tell if variant more infectious, WHO says", + "description": "

    World Health Organization says new Covid variant spreading rapidly in South Africa, with cases doubling in the past week

    The Omicron variant of Covid-19 has now been reported in 57 countries and continues to spread rapidly in South Africa, the World Health Organization (WHO) says.

    But the latest epidemiological report from WHO says given the Delta variant remains dominant, particularly in Europe and the US, it is still too early to draw any conclusions about the global impact of Omicron.

    Continue reading...", + "content": "

    World Health Organization says new Covid variant spreading rapidly in South Africa, with cases doubling in the past week

    The Omicron variant of Covid-19 has now been reported in 57 countries and continues to spread rapidly in South Africa, the World Health Organization (WHO) says.

    But the latest epidemiological report from WHO says given the Delta variant remains dominant, particularly in Europe and the US, it is still too early to draw any conclusions about the global impact of Omicron.

    Continue reading...", + "category": "World Health Organization", + "link": "https://www.theguardian.com/world/2021/dec/09/omicron-spreads-to-57-countries-but-too-early-to-tell-if-variant-more-infectious-who-says", + "creator": "Melissa Davey Medical editor", + "pubDate": "2021-12-09T03:29:26Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117082,20 +143573,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7763dd63744e6c5ca01abf97ee1142a4" + "hash": "26f5f014d6ce6a611a7bd0964a707d5a" }, { - "title": "Blind date: ‘After my rugby stories, she may not want to meet my friends’", - "description": "

    April, 27, heritage project officer, meets Jake, 27, company director

    April on Jake

    What were you hoping for?
    Someone based in London with similar interests, who was laid-back but up for trying new things.

    Continue reading...", - "content": "

    April, 27, heritage project officer, meets Jake, 27, company director

    April on Jake

    What were you hoping for?
    Someone based in London with similar interests, who was laid-back but up for trying new things.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/11/blind-date-april-jake", - "creator": "", - "pubDate": "2021-12-11T06:00:02Z", + "title": "‘Help! I’ve been spotted!’ Terry Pratchett on Thief, his favourite video game", + "description": "

    In the early 2000s, the Discworld author frequented a forum dedicated to the Thief series of stealth games. His posts provide a fascinating insight into his fondness for gaming

    In November 2001, Terry Pratchett was in Chester, famed for its Roman ruins and well-preserved medieval architecture. Staying at a hotel in the city centre, Pratchett opened the window of his room, and looked across the historic skyline. “I realised I could drop down on to a roof,” he wrote later. “And from then on there was a vista of roofs, leads and ledges leading all the way to the end of the street and beyond; there were even little doors and inviting attic windows …

    There is a line break, and then he adds. “I’m going to have to stop playing this game.”

    Continue reading...", + "content": "

    In the early 2000s, the Discworld author frequented a forum dedicated to the Thief series of stealth games. His posts provide a fascinating insight into his fondness for gaming

    In November 2001, Terry Pratchett was in Chester, famed for its Roman ruins and well-preserved medieval architecture. Staying at a hotel in the city centre, Pratchett opened the window of his room, and looked across the historic skyline. “I realised I could drop down on to a roof,” he wrote later. “And from then on there was a vista of roofs, leads and ledges leading all the way to the end of the street and beyond; there were even little doors and inviting attic windows …

    There is a line break, and then he adds. “I’m going to have to stop playing this game.”

    Continue reading...", + "category": "Games", + "link": "https://www.theguardian.com/games/2021/dec/09/terry-pratchett-thief-video-game-forum", + "creator": "Rick Lane", + "pubDate": "2021-12-09T10:33:16Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117103,20 +143593,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "51d8df2b6b7a1c205a3acb505db374fe" + "hash": "3199a7fe10c64d9e0c0efc2e31f5d3a4" }, { - "title": "‘Gushing oil and roaring fires’: 30 years on Kuwait is still scarred by catastrophic pollution", - "description": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", - "content": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", - "category": "Environment", - "link": "https://www.theguardian.com/environment/2021/dec/11/the-sound-of-roaring-fires-is-still-in-my-memory-30-years-on-from-kuwaits-oil-blazes", - "creator": "Richa Syal", - "pubDate": "2021-12-11T10:00:06Z", + "title": "Burying Leni Riefenstahl: one woman’s lifelong crusade against Hitler’s favourite film-maker", + "description": "

    Nina Gladitz dedicated her life to proving beyond doubt the Triumph of the Will director’s complicity with the horrors of Nazism. In the end, she did it – but at a cost

    On 20 November 1984, in the southern German city of Freiburg, two film-makers faced each other in court for the first day of a trial that was to last nearly two and a half years. The plaintiff, Leni Riefenstahl, had been Hitler’s favourite film-maker. Now 82, she showed up to court in a sheepskin coat over a beige suit, her blond hair set in a large neat perm framing a tanned face. The defendant was a striking, dark-haired 32-year-old documentary maker. Her name was Nina Gladitz, and the outcome of the trial would shape the rest of her life.

    During the Nazi era, Riefenstahl had been the regime’s most skilled propagandist, directing films that continue to be both reviled for their glorification of the Third Reich and considered landmarks of early cinema for their innovations and technical mastery. Once the second world war was over, Riefenstahl sought to distance herself from the regime she had served, portraying herself as an apolitical naif whose only motivation was making the most beautiful art possible. “I don’t know what I should apologise for,” she once said. “All my films won the top prize.”

    Continue reading...", + "content": "

    Nina Gladitz dedicated her life to proving beyond doubt the Triumph of the Will director’s complicity with the horrors of Nazism. In the end, she did it – but at a cost

    On 20 November 1984, in the southern German city of Freiburg, two film-makers faced each other in court for the first day of a trial that was to last nearly two and a half years. The plaintiff, Leni Riefenstahl, had been Hitler’s favourite film-maker. Now 82, she showed up to court in a sheepskin coat over a beige suit, her blond hair set in a large neat perm framing a tanned face. The defendant was a striking, dark-haired 32-year-old documentary maker. Her name was Nina Gladitz, and the outcome of the trial would shape the rest of her life.

    During the Nazi era, Riefenstahl had been the regime’s most skilled propagandist, directing films that continue to be both reviled for their glorification of the Third Reich and considered landmarks of early cinema for their innovations and technical mastery. Once the second world war was over, Riefenstahl sought to distance herself from the regime she had served, portraying herself as an apolitical naif whose only motivation was making the most beautiful art possible. “I don’t know what I should apologise for,” she once said. “All my films won the top prize.”

    Continue reading...", + "category": "", + "link": "https://www.theguardian.com/news/2021/dec/09/burying-leni-riefenstahl-nina-gladitz-lifelong-crusade-hitler-film-maker", + "creator": "Kate Connolly", + "pubDate": "2021-12-09T06:00:04Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117124,20 +143613,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "ecc7f625eb36a621bfbe64acdf1de020" + "hash": "2d126af343c86382a6545a3c20badc11" }, { - "title": "Man shot dead by police near Kensington Palace", - "description": "

    Officers were called after man with a gun was seen entering a bank and bookmakers in west London

    A man has died after sustaining gunshot wounds in an incident involving armed officers, close to Kensington Palace in London, the Metropolitan police has said.

    Officers were called to reports of a man with a firearm seen to enter a bank and bookmakers in Marloes Road, west London, shortly after 3pm on Saturday, Scotland Yard said.

    Continue reading...", - "content": "

    Officers were called after man with a gun was seen entering a bank and bookmakers in west London

    A man has died after sustaining gunshot wounds in an incident involving armed officers, close to Kensington Palace in London, the Metropolitan police has said.

    Officers were called to reports of a man with a firearm seen to enter a bank and bookmakers in Marloes Road, west London, shortly after 3pm on Saturday, Scotland Yard said.

    Continue reading...", - "category": "London", - "link": "https://www.theguardian.com/uk-news/2021/dec/11/man-shot-dead-by-police-near-kensington-palace", - "creator": "Nadeem Badshah and agency", - "pubDate": "2021-12-11T18:13:54Z", + "title": "‘I need people to know I’m not a cartoon’: drag queen Le Gateau Chocolat’s fabulous rise", + "description": "

    From Glyndebourne to the Globe, actor, opera singer and drag star Le Gateau Chocolat is a UK stage fixture – although not everywhere has been so welcoming

    In a big, bright rehearsal room at Southwark’s Unicorn Theatre, Le Gateau Chocolat is giving feedback to the new cast of his revolutionary children’s production, Duckie. His fingernails, painted an iridescent shade of blue, flash in the sunlight as the cabaret star, opera singer and all-round entertainment powerhouse praises his tiny team and smiles.

    First imagined in 2015 – in part to offer comfort to his young niece, who had recently moved to the UK from Nigeria and was struggling to settle in, and in part upon realising that a drag queen’s natural audience is a gaggle of excitable kids – Duckie is a radical reimagining of Hans Christian Andersen’s The Ugly Duckling. Following acclaimed stints everywhere from London’s Southbank Centre to the Fringe World festival in Perth, Australia, Gateau is now stepping down from the lead role for its festive run at Manchester’s Home theatre. Instead, it will be shared by two young actors, both non-binary and one neurodiverse, with aspects of the part adjusted accordingly.

    Continue reading...", + "content": "

    From Glyndebourne to the Globe, actor, opera singer and drag star Le Gateau Chocolat is a UK stage fixture – although not everywhere has been so welcoming

    In a big, bright rehearsal room at Southwark’s Unicorn Theatre, Le Gateau Chocolat is giving feedback to the new cast of his revolutionary children’s production, Duckie. His fingernails, painted an iridescent shade of blue, flash in the sunlight as the cabaret star, opera singer and all-round entertainment powerhouse praises his tiny team and smiles.

    First imagined in 2015 – in part to offer comfort to his young niece, who had recently moved to the UK from Nigeria and was struggling to settle in, and in part upon realising that a drag queen’s natural audience is a gaggle of excitable kids – Duckie is a radical reimagining of Hans Christian Andersen’s The Ugly Duckling. Following acclaimed stints everywhere from London’s Southbank Centre to the Fringe World festival in Perth, Australia, Gateau is now stepping down from the lead role for its festive run at Manchester’s Home theatre. Instead, it will be shared by two young actors, both non-binary and one neurodiverse, with aspects of the part adjusted accordingly.

    Continue reading...", + "category": "Stage", + "link": "https://www.theguardian.com/stage/2021/dec/09/i-need-people-to-know-im-not-a-cartoon-drag-queen-le-gateau-chocolats-fabulous-rise", + "creator": "Leonie Cooper", + "pubDate": "2021-12-09T14:00:13Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117145,20 +143633,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d15e6920f312fbd1c8ad6b6d60b0a78" + "hash": "a44c99c99373a2b894e37a330e5fbd0f" }, { - "title": "Hygge, glögg and pepparkakor... why we’re all falling for a Scandi Christmas", - "description": "

    After the comfort food and rituals, Britons are embracing more traditions, such as the festival of Santa Lucia

    From Ikea to meatballs, hygge to Nordic noir, Scandinavia’s influence on the UK has been rising steadily for decades. But this Christmas, amid the coronavirus pandemic and Brexit, enthusiasm for the region and its traditions is hitting new heights.

    Scandinavian goods distributor ScandiKitchen closed online Christmas orders early this year after unprecedented demand for festive products including meatballs, glögg (mulled wine), pepparkakor (ginger biscuits), chocolate, ham and cheese.

    Continue reading...", - "content": "

    After the comfort food and rituals, Britons are embracing more traditions, such as the festival of Santa Lucia

    From Ikea to meatballs, hygge to Nordic noir, Scandinavia’s influence on the UK has been rising steadily for decades. But this Christmas, amid the coronavirus pandemic and Brexit, enthusiasm for the region and its traditions is hitting new heights.

    Scandinavian goods distributor ScandiKitchen closed online Christmas orders early this year after unprecedented demand for festive products including meatballs, glögg (mulled wine), pepparkakor (ginger biscuits), chocolate, ham and cheese.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/11/hygge-glogg-and-pepparkakor-why-were-all-falling-for-a-scandi-christmas", - "creator": "Miranda Bryant", - "pubDate": "2021-12-11T17:48:15Z", + "title": "Beware the emergency avocado: what does ultrafast delivery really cost us?", + "description": "

    A grocery revolution is underway, with individual items available at your door in next to no time. What does it mean for supermarkets, our wallets, working conditions and the planet?

    In a warehouse by Farringdon station, in central London, I am watching people burn through millions of pounds of investment in real time. Great big stacks of cash, all bet on the assumption that the future of grocery shopping will be app-enabled and delivered to our homes in less time than it takes to brew a cup of tea. Here, at the ultrafast grocery delivery startup Gorillas, workers push trolleys around a so-called micro-fulfilment centre, selecting food and toiletries and alcohol to be delivered by e-bicycling couriers in 10 minutes flat.

    I am being shown around by the commercial director, Matthew Nobbs. “Imagine you go to a standard supermarket for breakfast,” says Nobbs, over the pounding dance music. “I’m going to have to go all the way to the bakery aisle for my croissants, and now I need some jam, so I have to go to the store cupboard aisle, and now I need some bacon, so I have to go back to the chiller. Or, I can just go on an app, and order what I need.” We pass the fresh produce. “Look at that for an apple!” says Nobbs, palming a Pink Lady with an evangelical flicker in his eye. (In fairness, its skin is so glossy it could be lacquered.)

    Continue reading...", + "content": "

    A grocery revolution is underway, with individual items available at your door in next to no time. What does it mean for supermarkets, our wallets, working conditions and the planet?

    In a warehouse by Farringdon station, in central London, I am watching people burn through millions of pounds of investment in real time. Great big stacks of cash, all bet on the assumption that the future of grocery shopping will be app-enabled and delivered to our homes in less time than it takes to brew a cup of tea. Here, at the ultrafast grocery delivery startup Gorillas, workers push trolleys around a so-called micro-fulfilment centre, selecting food and toiletries and alcohol to be delivered by e-bicycling couriers in 10 minutes flat.

    I am being shown around by the commercial director, Matthew Nobbs. “Imagine you go to a standard supermarket for breakfast,” says Nobbs, over the pounding dance music. “I’m going to have to go all the way to the bakery aisle for my croissants, and now I need some jam, so I have to go to the store cupboard aisle, and now I need some bacon, so I have to go back to the chiller. Or, I can just go on an app, and order what I need.” We pass the fresh produce. “Look at that for an apple!” says Nobbs, palming a Pink Lady with an evangelical flicker in his eye. (In fairness, its skin is so glossy it could be lacquered.)

    Continue reading...", + "category": "Supermarkets", + "link": "https://www.theguardian.com/business/2021/dec/09/beware-the-emergency-avocado-what-does-ultrafast-delivery-really-cost-us", + "creator": "Sirin Kale", + "pubDate": "2021-12-09T10:00:09Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117166,20 +143653,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "98acee78bb92d36ee6058ecb43f5d3a0" + "hash": "e03ef50c01914aae3f51ac9f20c6cef0" }, { - "title": "Trump’s ultimate yes man: how Devin Nunes embraced the role he was long accused of playing", - "description": "

    Congressman poised to helm Trump’s media company is poster child for the notion that, in today’s politics, extreme partisanship pays

    For the first and perhaps the only time in his pugnacious political career, the California congressman and noted Trump apologist Devin Nunes is inspiring some kind of unanimity across party lines.

    When news broke on Monday that Nunes was retiring from Congress to become chief executive of the fledgling Trump Media & Technology Group, nobody on the left or the right doubted he’d landed where he belonged. After 19 years as a reliably rock-ribbed Republican legislator, Nunes told his supporters that he wasn’t giving up on fighting his political enemies, just “pursuing it by other means” – and for once those enemies took him at his word.

    Continue reading...", - "content": "

    Congressman poised to helm Trump’s media company is poster child for the notion that, in today’s politics, extreme partisanship pays

    For the first and perhaps the only time in his pugnacious political career, the California congressman and noted Trump apologist Devin Nunes is inspiring some kind of unanimity across party lines.

    When news broke on Monday that Nunes was retiring from Congress to become chief executive of the fledgling Trump Media & Technology Group, nobody on the left or the right doubted he’d landed where he belonged. After 19 years as a reliably rock-ribbed Republican legislator, Nunes told his supporters that he wasn’t giving up on fighting his political enemies, just “pursuing it by other means” – and for once those enemies took him at his word.

    Continue reading...", - "category": "Republicans", - "link": "https://www.theguardian.com/us-news/2021/dec/11/devin-nunes-trump-republican-yes-man-congress", - "creator": "Andrew Gumbel", - "pubDate": "2021-12-11T11:00:07Z", + "title": "From Russia with schmaltz: Moscow’s answer to Tate Modern opens with a Santa Barbara satire", + "description": "

    Funded by a gas billionaire and sited in a former power station, the huge GES-2 gallery aims to elevate Moscow’s standing on the art world stage. And its headline act? Ragnar Kjartansson’s reshoot of the US soap that became a cult hit in Russia

    First Vladimir Putin came to visit. Then, for the second day in a row, the artists were turfed out of GES-2, a prestigious new arts centre built in a disused power station, as police and men in suits swarmed in for what looked like another VIP guest.

    Instead of our planned walkthrough, I trudged through the snow to catch up with Ragnar Kjartansson, the star Icelandic artist headlining the art centre’s opening by re-filming the popular soap opera Santa Barbara as a “living sculpture”. He had taken a booth in the nearby Strelka Bar and was taking the disruption in his stride, despite it coming one day before the grand opening.

    Continue reading...", + "content": "

    Funded by a gas billionaire and sited in a former power station, the huge GES-2 gallery aims to elevate Moscow’s standing on the art world stage. And its headline act? Ragnar Kjartansson’s reshoot of the US soap that became a cult hit in Russia

    First Vladimir Putin came to visit. Then, for the second day in a row, the artists were turfed out of GES-2, a prestigious new arts centre built in a disused power station, as police and men in suits swarmed in for what looked like another VIP guest.

    Instead of our planned walkthrough, I trudged through the snow to catch up with Ragnar Kjartansson, the star Icelandic artist headlining the art centre’s opening by re-filming the popular soap opera Santa Barbara as a “living sculpture”. He had taken a booth in the nearby Strelka Bar and was taking the disruption in his stride, despite it coming one day before the grand opening.

    Continue reading...", + "category": "Art", + "link": "https://www.theguardian.com/artanddesign/2021/dec/09/russia-moscows-answer-tate-modern-ragnar-kjartansson-opens-santa-barbara-satire-us-soap", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-12-09T09:47:44Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117187,20 +143673,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c6a48ff290c3112e3080b7a776afe22" + "hash": "e5f60fffd16e7e74c4890e7c300cd593" }, { - "title": "Missing Rio boys tortured and killed for stealing bird, say police", - "description": "

    Members of Red Command drug faction accused of crime that caused outcry across Brazil

    Nearly a year after three young boys vanished near their homes in Rio de Janeiro’s rundown northern sprawl, police have accused members of the city’s largest drug faction of murdering the children in reprisal for stealing an ornamental bird.

    The boys – aged nine, 11 and 12 – disappeared on the afternoon of 27 December 2020 after leaving their homes in the Morro do Castelar favela to play. They were last seen in eerie security footage showing them walking towards a local street market.

    Continue reading...", - "content": "

    Members of Red Command drug faction accused of crime that caused outcry across Brazil

    Nearly a year after three young boys vanished near their homes in Rio de Janeiro’s rundown northern sprawl, police have accused members of the city’s largest drug faction of murdering the children in reprisal for stealing an ornamental bird.

    The boys – aged nine, 11 and 12 – disappeared on the afternoon of 27 December 2020 after leaving their homes in the Morro do Castelar favela to play. They were last seen in eerie security footage showing them walking towards a local street market.

    Continue reading...", - "category": "Brazil", - "link": "https://www.theguardian.com/world/2021/dec/10/rio-gangsters-tortured-and-murdered-missing-boys-say-police", - "creator": "Tom Phillips Latin America correspondent", - "pubDate": "2021-12-10T16:33:28Z", + "title": "Home Office urged to stop housing asylum seekers in barracks", + "description": "

    Housing survivors of torture or other serious forms of violence in barracks ‘harmful’, all-party report says

    A cross-party group of parliamentarians is calling on the government to end its use of controversial barracks accommodation for people seeking asylum, in a new report published on Thursday.

    The report also recommends the scrapping of government plans to expand barracks-style accommodation for up to 8,000 asylum seekers. It refers to accommodation, including Napier barracks in Kent, which is currently being used to house hundreds of asylum seekers, as “quasi-detention” due to visible security measures, surveillance, shared living quarters and isolation from the wider community.

    Continue reading...", + "content": "

    Housing survivors of torture or other serious forms of violence in barracks ‘harmful’, all-party report says

    A cross-party group of parliamentarians is calling on the government to end its use of controversial barracks accommodation for people seeking asylum, in a new report published on Thursday.

    The report also recommends the scrapping of government plans to expand barracks-style accommodation for up to 8,000 asylum seekers. It refers to accommodation, including Napier barracks in Kent, which is currently being used to house hundreds of asylum seekers, as “quasi-detention” due to visible security measures, surveillance, shared living quarters and isolation from the wider community.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/dec/09/home-office-urged-to-stop-housing-asylum-seekers-in-barracks", + "creator": "Diane Taylor", + "pubDate": "2021-12-09T06:00:03Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117208,20 +143693,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "1bba77b6f3988b8c09c71df5b5f23ee6" + "hash": "fc4d3c71d95550695bff7fcba03c5a2f" }, { - "title": "I’m all for New Zealand giving tobacco a kicking – but don’t criminalise smoking | Eleanor Margolis", - "description": "

    Making substances illegal has never worked, simply because it fails to address the reasons why people use them

    I once lived with a militant vegetarian who had grown up near an abattoir. With a thousand-yard stare, he’d talk about how its bloody runoff would seep into his local playground. He hadn’t touched meat since those days. You often hear this sort of thing from vegetarians and vegans: that if you looked at what went on inside (or even outside) a slaughterhouse, you’d switch to Quorn full-time. In a similar vein, if you want to quit smoking, I recommend watching someone go through lung cancer.

    I could never look someone in the eye and tell them smoking isn’t both immensely pleasurable and cool-looking. What I would say is this: my mum was diagnosed with lung cancer in 2017. Over just a few months I watched her shrivel, become obscured by tangles of medical tubing, and begin to suffocate to death as her lungs filled with fluid. She died that same year, and it was a relief to know that her unimaginable suffering was over. I apologise if this description has either put a damper on your next fag break, or stressed you into taking a fag break when you didn’t even have one planned. As a former smoker, I can understand either scenario.

    Eleanor Margolis is a columnist for the i newspaper and Diva

    Continue reading...", - "content": "

    Making substances illegal has never worked, simply because it fails to address the reasons why people use them

    I once lived with a militant vegetarian who had grown up near an abattoir. With a thousand-yard stare, he’d talk about how its bloody runoff would seep into his local playground. He hadn’t touched meat since those days. You often hear this sort of thing from vegetarians and vegans: that if you looked at what went on inside (or even outside) a slaughterhouse, you’d switch to Quorn full-time. In a similar vein, if you want to quit smoking, I recommend watching someone go through lung cancer.

    I could never look someone in the eye and tell them smoking isn’t both immensely pleasurable and cool-looking. What I would say is this: my mum was diagnosed with lung cancer in 2017. Over just a few months I watched her shrivel, become obscured by tangles of medical tubing, and begin to suffocate to death as her lungs filled with fluid. She died that same year, and it was a relief to know that her unimaginable suffering was over. I apologise if this description has either put a damper on your next fag break, or stressed you into taking a fag break when you didn’t even have one planned. As a former smoker, I can understand either scenario.

    Eleanor Margolis is a columnist for the i newspaper and Diva

    Continue reading...", - "category": "Smoking", - "link": "https://www.theguardian.com/commentisfree/2021/dec/11/new-zealand-tobacco-criminalise-smoking-illegal-substances-use", - "creator": "Eleanor Margolis", - "pubDate": "2021-12-11T10:00:06Z", + "title": "Failure, fear and the threat of famine in Afghanistan", + "description": "

    A whistleblower has accused the British government of abject failures in its efforts to manage the evacuation of people from Afghanistan as the Taliban took control in August. Emma Graham-Harrison returns to the country to find it facing a humanitarian crisis

    When the Taliban entered Kabul in August and completed their takeover of Afghanistan, thousands of people scrambled for the last remaining flights out of the city’s airport. It was chaos that turned deadly: a bomb attack on the airport’s perimeter killed more than 70 people as they crowded the fences, desperate for a way out. Now testimony from a whistleblower who was working on the UK government’s response to the crisis paints a picture of a callous, complacent and incompetent Foreign Office.

    It’s a picture that rings true for the Guardian’s senior foreign reporter Emma Graham-Harrison, who tells Michael Safi that while some of the staff in the Foreign Office acted heroically, the system as a whole had huge failings. The government has rejected the account of the whistleblower. A spokesperson said: “Regrettably we were not able to evacuate all those we wanted to, but … since the end of the operation we have helped more than 3,000 individuals leave Afghanistan.”

    Continue reading...", + "content": "

    A whistleblower has accused the British government of abject failures in its efforts to manage the evacuation of people from Afghanistan as the Taliban took control in August. Emma Graham-Harrison returns to the country to find it facing a humanitarian crisis

    When the Taliban entered Kabul in August and completed their takeover of Afghanistan, thousands of people scrambled for the last remaining flights out of the city’s airport. It was chaos that turned deadly: a bomb attack on the airport’s perimeter killed more than 70 people as they crowded the fences, desperate for a way out. Now testimony from a whistleblower who was working on the UK government’s response to the crisis paints a picture of a callous, complacent and incompetent Foreign Office.

    It’s a picture that rings true for the Guardian’s senior foreign reporter Emma Graham-Harrison, who tells Michael Safi that while some of the staff in the Foreign Office acted heroically, the system as a whole had huge failings. The government has rejected the account of the whistleblower. A spokesperson said: “Regrettably we were not able to evacuate all those we wanted to, but … since the end of the operation we have helped more than 3,000 individuals leave Afghanistan.”

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/news/audio/2021/dec/09/failure-and-the-threat-of-famine-in-afghanistan-podcast", + "creator": "Presented by Michael Safi with Emma Graham-Harrison; produced by Alex Atack, Eva Krysiak and Rudi Zygadlo; executive producers Phil Maynard and Mythili Rao", + "pubDate": "2021-12-09T03:00:02Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117229,20 +143713,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "d7621bb6486aea3faf23c7ddfadabede" + "hash": "26a955895d380456644a36d88131fc06" }, { - "title": "Victoria records 13 deaths and NSW three; Qld changes quarantine rules – as it happened", - "description": "

    Sydney pub and club at centre of scare. Bushfire rages in Margaret River in Western Australia. This blog is now closed

    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", - "content": "

    Sydney pub and club at centre of scare. Bushfire rages in Margaret River in Western Australia. This blog is now closed

    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/11/australia-live-news-updates-omicron-covid-cases-climb-as-sydney-pub-and-club-at-centre-of-scare", - "creator": "Justine Landis-Hanley and Cait Kelly (earlier)", - "pubDate": "2021-12-11T07:13:18Z", + "title": "Woman’s body pulled from submerged car in dramatic recovery at Niagara Falls’ edge", + "description": "

    A diver was lowered from a helicopter to pull the occupant from a car found in the frigid rapids at the brink of American Falls

    In a dramatic rescue attempt on Wednesday, a US Coast Guard diver braved the frigid rapids where a car had become submerged in water near the brink of Niagara Falls, only to find it was too late to rescue the person trapped inside.

    The diver was lowered from a hovering helicopter, climbed into the car and pulled out the body of its lone occupant, a woman in her 60s, officials from New York’s state park police said.

    Continue reading...", + "content": "

    A diver was lowered from a helicopter to pull the occupant from a car found in the frigid rapids at the brink of American Falls

    In a dramatic rescue attempt on Wednesday, a US Coast Guard diver braved the frigid rapids where a car had become submerged in water near the brink of Niagara Falls, only to find it was too late to rescue the person trapped inside.

    The diver was lowered from a hovering helicopter, climbed into the car and pulled out the body of its lone occupant, a woman in her 60s, officials from New York’s state park police said.

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/dec/08/niagara-falls-woman-car-coast-guard", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-09T02:07:23Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117250,20 +143733,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "13c46975bd82b5e3a527867fbdb2553d" + "hash": "e8d2905ad564ec532433cc558159c08d" }, { - "title": "Arrival of 1bn vaccine doses won’t solve Africa’s Covid crisis, experts say", - "description": "

    Concerns over equipment shortages, bottlenecks and hesitancy on continent with 7.5% vaccine coverage

    With 1bn doses of Covid vaccines expected to arrive in Africa in the coming months, concern has shifted to a global shortage of equipment required to deliver them, such as syringes, as well as insufficient planning in some countries that could create bottlenecks in the rollout.

    After a troubled start to vaccination programmes on the continent, health officials are examining ways to encourage take-up as some countries have had to throw away doses.

    Continue reading...", - "content": "

    Concerns over equipment shortages, bottlenecks and hesitancy on continent with 7.5% vaccine coverage

    With 1bn doses of Covid vaccines expected to arrive in Africa in the coming months, concern has shifted to a global shortage of equipment required to deliver them, such as syringes, as well as insufficient planning in some countries that could create bottlenecks in the rollout.

    After a troubled start to vaccination programmes on the continent, health officials are examining ways to encourage take-up as some countries have had to throw away doses.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/10/african-countries-aim-to-step-up-covid-vaccine-delivery-with-1bn-doses-due", - "creator": "Peter Beaumont and Nick Dall in Cape Town", - "pubDate": "2021-12-10T16:21:39Z", + "title": "Bondi backpackers hostel Noah’s locked down due to Covid scare as NSW reports 420 cases", + "description": "

    NSW police confirm health department requested assistance at Sydney venue

    A Bondi Beach backpackers hostel in Sydney has been placed into lockdown for a second time due to fears of a Covid outbreak.

    It is not yet known how many people were staying at Noah’s backpackers hostel or whether the Omicron strain of the virus was present.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    NSW police confirm health department requested assistance at Sydney venue

    A Bondi Beach backpackers hostel in Sydney has been placed into lockdown for a second time due to fears of a Covid outbreak.

    It is not yet known how many people were staying at Noah’s backpackers hostel or whether the Omicron strain of the virus was present.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Sydney", + "link": "https://www.theguardian.com/australia-news/2021/dec/09/bondi-backpackers-hostel-locked-down-due-to-covid-scare-as-nsw-reports-420-cases", + "creator": "Caitlin Cassidy", + "pubDate": "2021-12-09T09:21:18Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117271,20 +143753,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "1efc36f381312ca72c098cce11533f6a" + "hash": "7495c3296d7582bdba10bd33971914d8" }, { - "title": "Burning issue: how enzymes could end India’s problem with stubble", - "description": "

    Bans failed to stop farmers torching fields each year but a new spray that turns stalks into fertiliser helps the soil and the air

    Every autumn, Anil Kalyan, from Kutail village in India’s northern state of Haryana, would join tens of thousands of other paddy farmers to set fire to the leftover stalks after the rice harvest to clear the field for planting wheat.

    But this year, Kalyan opted for change. He signed his land up for a trial being held in Haryana and neighbouring Punjab as an alternative to the environmentally hazardous stubble burning that is commonplace across India and a major cause of Delhi’s notorious smog.

    Continue reading...", - "content": "

    Bans failed to stop farmers torching fields each year but a new spray that turns stalks into fertiliser helps the soil and the air

    Every autumn, Anil Kalyan, from Kutail village in India’s northern state of Haryana, would join tens of thousands of other paddy farmers to set fire to the leftover stalks after the rice harvest to clear the field for planting wheat.

    But this year, Kalyan opted for change. He signed his land up for a trial being held in Haryana and neighbouring Punjab as an alternative to the environmentally hazardous stubble burning that is commonplace across India and a major cause of Delhi’s notorious smog.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/10/burning-issue-how-enzymes-could-end-indias-problem-with-stubble", - "creator": "Saeed Kamali Dehghan", - "pubDate": "2021-12-10T07:00:35Z", + "title": "Women in prison ignored by feminist funders that find them less ‘marketable’, says NGO head", + "description": "

    Survey by Women Beyond Walls finds 70% of groups working with incarcerated women do not receive funds from women’s rights foundations

    The global feminist movement is failing to support organisations working with women in prison, as donors shy away from funding projects aimed at people with “complicated” narratives, says lawyer and activist Sabrina Mahtani.

    Mahtani, founder of Women Beyond Walls (WBW), said many NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society, including providing essential legal services and reducing pretrial detention time.

    Continue reading...", + "content": "

    Survey by Women Beyond Walls finds 70% of groups working with incarcerated women do not receive funds from women’s rights foundations

    The global feminist movement is failing to support organisations working with women in prison, as donors shy away from funding projects aimed at people with “complicated” narratives, says lawyer and activist Sabrina Mahtani.

    Mahtani, founder of Women Beyond Walls (WBW), said many NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society, including providing essential legal services and reducing pretrial detention time.

    Continue reading...", + "category": "Women's rights and gender equality", + "link": "https://www.theguardian.com/global-development/2021/dec/09/women-in-prison-ignored-by-feminist-funders-that-find-them-less-marketable-says-ngo-head", + "creator": "Lizzy Davies", + "pubDate": "2021-12-09T06:30:03Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117292,20 +143773,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb741280323b43f7b0014192c78fd6b2" + "hash": "584419141f6ef5ee9e3c9d6e5ba498c8" }, { - "title": "Top toddy: Sri Lanka’s tree tapping trade reaches new heights", - "description": "

    ‘Toddy tappers’ who collect sap used in everything from palm wine to ice-cream are enjoying a boost to business that has revived the traditional skill and improved their quality of life

    The palmyra palm tree with its wide fan leaves is a distinctive and common sight across Jaffna, northern Sri Lanka, thriving in the arid conditions.

    Kutty, who goes by only one name, is a “toddy tapper”. Climbing the palms with his clay pot, he collects sap from the flower heads at the top of the great trees, which can grow to more than 30 metres (90ft). The sap is fermented to make toddy, an alcoholic drink also known as palm wine.

    Continue reading...", - "content": "

    ‘Toddy tappers’ who collect sap used in everything from palm wine to ice-cream are enjoying a boost to business that has revived the traditional skill and improved their quality of life

    The palmyra palm tree with its wide fan leaves is a distinctive and common sight across Jaffna, northern Sri Lanka, thriving in the arid conditions.

    Kutty, who goes by only one name, is a “toddy tapper”. Climbing the palms with his clay pot, he collects sap from the flower heads at the top of the great trees, which can grow to more than 30 metres (90ft). The sap is fermented to make toddy, an alcoholic drink also known as palm wine.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/10/top-toddy-sri-lankas-tree-tapping-trade-reaches-new-heights", - "creator": "Khursheed Dinshaw in Jaffna", - "pubDate": "2021-12-10T06:00:33Z", + "title": "Teenager after Zambia crocodile attack: 'Don't let one incident hold you back' – video", + "description": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", + "content": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", + "category": "Zambia", + "link": "https://www.theguardian.com/world/video/2021/dec/06/dont-let-one-incident-hold-you-back-says-teenager-after-crocodile-attack-video", + "creator": "", + "pubDate": "2021-12-06T11:12:05Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117313,20 +143793,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "008af98ab9769059a9e1c70bfe5d7d28" + "hash": "cc07c845254989dada51e9ae37e076d5" }, { - "title": "‘We have to use a boat to commute’: coastal Ghana hit by climate crisis", - "description": "

    As the sea claims more of the west African shoreline, those left homeless by floods are losing hope that the government will act

    Waves have taken the landscape John Afedzie knew so well. “The waters came closer in the last few months, but now they have destroyed parts of schools and homes. The waves have taken the whole of the village. One needs to use a boat to commute now because of the rising sea levels,” he says.

    Afedzie lives in Keta, one of Ghana’s coastal towns, where a month ago high tide brought seawater flooding into 1,027 houses, according to the government, leaving him among about 3,000 people made homeless overnight.

    Continue reading...", - "content": "

    As the sea claims more of the west African shoreline, those left homeless by floods are losing hope that the government will act

    Waves have taken the landscape John Afedzie knew so well. “The waters came closer in the last few months, but now they have destroyed parts of schools and homes. The waves have taken the whole of the village. One needs to use a boat to commute now because of the rising sea levels,” he says.

    Afedzie lives in Keta, one of Ghana’s coastal towns, where a month ago high tide brought seawater flooding into 1,027 houses, according to the government, leaving him among about 3,000 people made homeless overnight.

    Continue reading...", - "category": "Ghana", - "link": "https://www.theguardian.com/world/2021/dec/09/coastal-ghana-hit-by-climate-crisis", - "creator": "Ekow Barnes in Keta", - "pubDate": "2021-12-09T07:30:05Z", + "title": "Covid live: WHO says booster jabs ‘risk exacerbating’ vaccine inequity; Denmark to close schools, nightclubs", + "description": "

    WHO say first doses should be prioritised over broad-based booster jab programmes; Danish PM says ‘significant risk of critically overloading health service’

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "content": "

    WHO say first doses should be prioritised over broad-based booster jab programmes; Danish PM says ‘significant risk of critically overloading health service’

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-12-09T10:48:32Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117334,20 +143813,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "991699d78546e82756911ff656048187" + "hash": "e970a92fba6ae5b0b033fe18aec45ed5" }, { - "title": "Women in prison falling through gaps in feminist funding, report finds", - "description": "

    Foundations shy away from supporting those with ‘complicated’ narratives, says head of Women Beyond Walls, resulting in a funding crisis

    Organisations working with women in prisons around the world are not attracting the support they deserve, as even feminists shy away from helping people with “complicated” narratives, according to new research.

    Lawyer Sabrina Mahtani, founder of Women Beyond Walls (WBW), said many charities and NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society.

    Continue reading...", - "content": "

    Foundations shy away from supporting those with ‘complicated’ narratives, says head of Women Beyond Walls, resulting in a funding crisis

    Organisations working with women in prisons around the world are not attracting the support they deserve, as even feminists shy away from helping people with “complicated” narratives, according to new research.

    Lawyer Sabrina Mahtani, founder of Women Beyond Walls (WBW), said many charities and NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society.

    Continue reading...", - "category": "Women's rights and gender equality", - "link": "https://www.theguardian.com/global-development/2021/dec/09/women-in-prison-ignored-by-feminist-funders-that-find-them-less-marketable-says-ngo-head", - "creator": "Lizzy Davies", - "pubDate": "2021-12-09T06:30:03Z", + "title": "Number of journalists in jail around the world at new high, says survey", + "description": "

    Committee to Protect Journalists says 293 reporters are in prison, and at least 24 have been killed in 2021

    The number of journalists who are behind bars worldwide reached a new high point in 2021, according to a study which says that 293 reporters were imprisoned as of 1 December 2021.

    At least 24 journalists were killed because of their coverage, and 18 others died in circumstances that make it too difficult to determine whether they were targeted because of their work, the nonprofit Committee to Protect Journalists said on Thursday in its annual survey on press freedom and attacks on the media.

    Continue reading...", + "content": "

    Committee to Protect Journalists says 293 reporters are in prison, and at least 24 have been killed in 2021

    The number of journalists who are behind bars worldwide reached a new high point in 2021, according to a study which says that 293 reporters were imprisoned as of 1 December 2021.

    At least 24 journalists were killed because of their coverage, and 18 others died in circumstances that make it too difficult to determine whether they were targeted because of their work, the nonprofit Committee to Protect Journalists said on Thursday in its annual survey on press freedom and attacks on the media.

    Continue reading...", + "category": "Journalist safety", + "link": "https://www.theguardian.com/media/2021/dec/09/number-of-journalists-in-jail-around-the-world-at-new-high-says-survey", + "creator": "Reuters", + "pubDate": "2021-12-09T06:32:59Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117355,20 +143833,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "c321afba848dfc23165a8f9d95a2ed6e" + "hash": "efa9529b4207fa120ec252706c28808b" }, { - "title": "Sotomayor decries abortion ruling but court’s conservatives show their muscle", - "description": "

    The highest court in the US has been defied by a group of extremist Republicans openly flouting the court’s own rulings

    Sonia Sotomayor, the liberal-leaning justice on the US supreme court, put it plainly. For almost three months, lawmakers in the Republican-controlled legislature of Texas had “substantially suspended a constitutional guarantee: a pregnant woman’s right to control her own body”.

    “The court should have put an end to this madness months ago,” Sotomayor said.

    Continue reading...", - "content": "

    The highest court in the US has been defied by a group of extremist Republicans openly flouting the court’s own rulings

    Sonia Sotomayor, the liberal-leaning justice on the US supreme court, put it plainly. For almost three months, lawmakers in the Republican-controlled legislature of Texas had “substantially suspended a constitutional guarantee: a pregnant woman’s right to control her own body”.

    “The court should have put an end to this madness months ago,” Sotomayor said.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/10/supreme-court-abortion-ruling-texas-ban", - "creator": "Ed Pilkington in New York", - "pubDate": "2021-12-10T20:41:08Z", + "title": "Eleven villagers shot and burned alive by Myanmar soldiers, reports say", + "description": "

    Outrage spreads on social media over alleged massacre of people rounded up by government troops in Sagaing region

    Myanmar soldiers rounded up and killed 11 people in a village, shooting and then setting them on fire, according to people in the area and local media reports.

    Photos and a video purporting to show charred corpses in Don Taw village in the Sagaing region of Myanmar’s north-west circulated on Tuesday while outrage spread on social media.

    Continue reading...", + "content": "

    Outrage spreads on social media over alleged massacre of people rounded up by government troops in Sagaing region

    Myanmar soldiers rounded up and killed 11 people in a village, shooting and then setting them on fire, according to people in the area and local media reports.

    Photos and a video purporting to show charred corpses in Don Taw village in the Sagaing region of Myanmar’s north-west circulated on Tuesday while outrage spread on social media.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/09/eleven-villagers-shot-and-burned-alive-by-myanmar-soldiers-reports-say", + "creator": "Staff and agencies", + "pubDate": "2021-12-09T03:00:38Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117376,20 +143853,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "070befc5d5c5439b1045fdf764784b74" + "hash": "23f407a411dc0d099a66a371975d5c1f" }, { - "title": "New Zealand isn’t naive about China – but it doesn’t accept the Aukus worldview | Robert G Patman", - "description": "

    The Ardern government does not believe that the fate of the Indo-Pacific rests on US-China rivalry

    After the Biden administration’s announcement concerning the “diplomatic ban” of China’s Winter Games, Jacinda Ardern’s government has distanced itself from western allies once again – but it would be wrong to assume that Wellington has any illusions about China.

    The US government confirmed this week it would diplomatically boycott the Winter Olympic Games to protest against China’s persecution of the Uyghur people in the country’s Xinjiang province. Australia, UK and Canada subsequently indicated they would join the boycott.

    Continue reading...", - "content": "

    The Ardern government does not believe that the fate of the Indo-Pacific rests on US-China rivalry

    After the Biden administration’s announcement concerning the “diplomatic ban” of China’s Winter Games, Jacinda Ardern’s government has distanced itself from western allies once again – but it would be wrong to assume that Wellington has any illusions about China.

    The US government confirmed this week it would diplomatically boycott the Winter Olympic Games to protest against China’s persecution of the Uyghur people in the country’s Xinjiang province. Australia, UK and Canada subsequently indicated they would join the boycott.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/commentisfree/2021/dec/10/new-zealand-isnt-naive-about-china-but-it-doesnt-accept-the-aukus-worldview", - "creator": "Robert G Patman", - "pubDate": "2021-12-10T06:14:05Z", + "title": "Anti-independence ads accused of ‘profound racism’ against indigenous New Caledonians in court action", + "description": "

    Urgent appeal lodged to stop the broadcast of cartoons calling on New Caledonians to vote against independence from France in this weekend’s referendum

    Cartoons urging New Caledonians to vote no to independence from France in this weekend’s referendum have been accused of “profound racism and ridicule towards Pacific Islanders, especially the [indigenous] Kanak people”, in a legal submission lodged with France’s highest judicial body.

    An urgent appeal has been lodged against the broadcast of the animations, which have been running on television in New Caledonia and online, with the Council of State in France.

    Continue reading...", + "content": "

    Urgent appeal lodged to stop the broadcast of cartoons calling on New Caledonians to vote against independence from France in this weekend’s referendum

    Cartoons urging New Caledonians to vote no to independence from France in this weekend’s referendum have been accused of “profound racism and ridicule towards Pacific Islanders, especially the [indigenous] Kanak people”, in a legal submission lodged with France’s highest judicial body.

    An urgent appeal has been lodged against the broadcast of the animations, which have been running on television in New Caledonia and online, with the Council of State in France.

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/2021/dec/09/anti-independence-ads-accused-of-profound-racism-against-indigenous-new-caledonians-in-court-action", + "creator": "Helen Fraser", + "pubDate": "2021-12-09T03:03:02Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117397,20 +143873,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5d76b0b467cd61cb78daf9b9f54aeb4" + "hash": "1fe177e10ec00056602bbd17b9138eed" }, { - "title": "Stricter measures than plan B may be needed to rein in UK’s Omicron growth", - "description": "

    Analysis: scientists say home working makes sense but voice fears over advice to go ahead with parties amid steep trajectory in cases

    Work from home, but keep going to Christmas parties: Boris Johnson’s advice has prompted questions about the logic behind plan B and left a lingering sense of confusion about the scale of the threat posed by the Omicron variant. So does the plan stand up to scrutiny?

    Scientists say that making working from home a first line of defence, ahead of social gatherings, is not necessarily a frivolous choice. In the hierarchy of measures that can be deployed, working from home is an effective way to bring down people’s daily contacts and is relatively painless economically. However, many fear that the threat posed by Omicron will require more than the first line of defence and that plan B does not go far enough.

    Continue reading...", - "content": "

    Analysis: scientists say home working makes sense but voice fears over advice to go ahead with parties amid steep trajectory in cases

    Work from home, but keep going to Christmas parties: Boris Johnson’s advice has prompted questions about the logic behind plan B and left a lingering sense of confusion about the scale of the threat posed by the Omicron variant. So does the plan stand up to scrutiny?

    Scientists say that making working from home a first line of defence, ahead of social gatherings, is not necessarily a frivolous choice. In the hierarchy of measures that can be deployed, working from home is an effective way to bring down people’s daily contacts and is relatively painless economically. However, many fear that the threat posed by Omicron will require more than the first line of defence and that plan B does not go far enough.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/09/plan-b-measures-omicron-variant-growth-uk-analysis", - "creator": "Hannah Devlin Science correspondent", - "pubDate": "2021-12-09T17:04:23Z", + "title": "Jimmy Lai among three Hong Kong democracy activists convicted over Tiananmen vigil", + "description": "

    Former journalist Gwyneth Ho and rights lawyer Chow Hang-tung also found guilty of unlawful assembly charges

    Jailed Hong Kong media mogul Jimmy Lai was among three democracy campaigners convicted of taking part in a banned Tiananmen vigil as the prosecution of multiple activists came to a conclusion.

    Lai, the 74-year-old owner of the now-closed pro-democracy Apple Daily newspaper, was found guilty of unlawful assembly charges on Thursday alongside former journalist Gwyneth Ho and prominent rights lawyer Chow Hang-tung.

    Continue reading...", + "content": "

    Former journalist Gwyneth Ho and rights lawyer Chow Hang-tung also found guilty of unlawful assembly charges

    Jailed Hong Kong media mogul Jimmy Lai was among three democracy campaigners convicted of taking part in a banned Tiananmen vigil as the prosecution of multiple activists came to a conclusion.

    Lai, the 74-year-old owner of the now-closed pro-democracy Apple Daily newspaper, was found guilty of unlawful assembly charges on Thursday alongside former journalist Gwyneth Ho and prominent rights lawyer Chow Hang-tung.

    Continue reading...", + "category": "Hong Kong", + "link": "https://www.theguardian.com/world/2021/dec/09/jimmy-lai-among-three-hong-kong-democracy-activists-convicted-over-tiananmen-vigil", + "creator": "Agence France-Presse", + "pubDate": "2021-12-09T03:02:15Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117418,41 +143893,39 @@ "favorite": false, "created": false, "tags": [], - "hash": "84ad81a7edef7f326ba6a426aa2a25da" + "hash": "ab750e0bfc23fe67d6ffd6f016ede5e0" }, { - "title": "China’s indebted property sector highlights a fading economic revival", - "description": "

    Xi Jinping’s mission is not only to control the housing bubble, but rein in untethered industries and foreign capital

    China’s economy has become heavily dependent on property development over the last decade. High-rise apartments have mushroomed across hundreds of cities to house a growing white-collar workforce, while glass and steel office blocks are dominating city centres, mimicking Shanghai’s glittering skyline.

    Valued at more than $50tn after 20 years of rapid growth, Chinese real estate is worth twice as much as the US property market and four times China’s annual income.

    Continue reading...", - "content": "

    Xi Jinping’s mission is not only to control the housing bubble, but rein in untethered industries and foreign capital

    China’s economy has become heavily dependent on property development over the last decade. High-rise apartments have mushroomed across hundreds of cities to house a growing white-collar workforce, while glass and steel office blocks are dominating city centres, mimicking Shanghai’s glittering skyline.

    Valued at more than $50tn after 20 years of rapid growth, Chinese real estate is worth twice as much as the US property market and four times China’s annual income.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/08/chinas-indebted-property-sector-highlights-a-fading-economic-revival", - "creator": "Phillip Inman", - "pubDate": "2021-12-08T20:07:54Z", + "title": "Finnish PM apologises for staying out clubbing despite Covid exposure", + "description": "

    Sanna Marin says she should have checked guidance given to her after her foreign minister tested positive

    Finland’s prime minister has come under sustained criticism after it was revealed she stayed out dancing until the early hours on the weekend despite knowing she had been exposed to Covid-19.

    Sanna Marin, 36, apologised on Monday after a gossip magazine published photos of her at a Helsinki nightclub on Saturday night until almost four in the morning, hours after her foreign minister, Pekka Haavisto, tested positive for coronavirus.

    Continue reading...", + "content": "

    Sanna Marin says she should have checked guidance given to her after her foreign minister tested positive

    Finland’s prime minister has come under sustained criticism after it was revealed she stayed out dancing until the early hours on the weekend despite knowing she had been exposed to Covid-19.

    Sanna Marin, 36, apologised on Monday after a gossip magazine published photos of her at a Helsinki nightclub on Saturday night until almost four in the morning, hours after her foreign minister, Pekka Haavisto, tested positive for coronavirus.

    Continue reading...", + "category": "Finland", + "link": "https://www.theguardian.com/world/2021/dec/08/finnish-pm-apologises-for-staying-out-clubbing-despite-covid-exposure", + "creator": "Agence France-Presse", + "pubDate": "2021-12-08T17:49:14Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ec298dbe6878aabf58cd76dcad3fd8e" + "hash": "f5f5db60b8d3febb11deda57943fea8e" }, { - "title": "Drone footage shows collapsed Illinois warehouse after tornadoes sweep US – video", - "description": "

    An Amazon warehouse near Edwardsville, Illinois, about 25 miles (40km) north-east of St Louis, was destroyed in extreme weather conditions on Friday night. It wasn’t immediately clear how many people were hurt by the roof collapse, but emergency services called it a 'mass casualty incident' on Facebook. One official told KTVI-TV that as many as 100 people may have been in the building, working the night shift, at the time of the collapse.

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning

    Continue reading...", - "content": "

    An Amazon warehouse near Edwardsville, Illinois, about 25 miles (40km) north-east of St Louis, was destroyed in extreme weather conditions on Friday night. It wasn’t immediately clear how many people were hurt by the roof collapse, but emergency services called it a 'mass casualty incident' on Facebook. One official told KTVI-TV that as many as 100 people may have been in the building, working the night shift, at the time of the collapse.

    Up to 100 people are feared to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning

    Continue reading...", - "category": "Tornadoes", - "link": "https://www.theguardian.com/world/video/2021/dec/11/drone-footage-shows-collapsed-illinois-warehouse-after-tornadoes-sweep-us-video", - "creator": "", - "pubDate": "2021-12-11T13:52:18Z", + "title": "Can Biden’s ‘divisive’ democracy summit deliver?", + "description": "

    Billed as a rallying call for human rights and liberties, the event has been lambasted by critics such as China and even invitees are critical

    Much of the advance commentary about Joe Biden’s two-day Summit for Democracy has been a diplomat’s version of a Charity Ball: long discussions about the guest list and how the guests will show up, and very little about its supposedly noble purpose.

    Potentially a rallying point for democracy, after the west’s crushing setback in Afghanistan, the summit has not been receiving rave advance notices even from those that have been invited.

    Continue reading...", + "content": "

    Billed as a rallying call for human rights and liberties, the event has been lambasted by critics such as China and even invitees are critical

    Much of the advance commentary about Joe Biden’s two-day Summit for Democracy has been a diplomat’s version of a Charity Ball: long discussions about the guest list and how the guests will show up, and very little about its supposedly noble purpose.

    Potentially a rallying point for democracy, after the west’s crushing setback in Afghanistan, the summit has not been receiving rave advance notices even from those that have been invited.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/2021/dec/09/can-bidens-democracy-summit-deliver-china-russia-critics", + "creator": "Patrick Wintour", + "pubDate": "2021-12-09T09:00:07Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117460,20 +143933,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "3135d727d63debdb3f9f5026437155d3" + "hash": "e2856aa953aaa6b30b2e44ef6a599666" }, { - "title": "‘I didn't find the exam difficult’: Indian woman learns to read and write at 104 – video", - "description": "

    A 104-year-old woman has fulfilled her dream to learn to read. After starting in April, Kuttiyamma achieved 89% in literacy and 100% in mathematics in the Kerala state primary literacy exam last month, the oldest woman to do so.

    Kuttiyamma had been curious about reading and would often try to make out the alphabet herself, but when she was born in a village to a low-caste rural family, there was no education. Her neighbour Rehana John, a 34-year-old literacy trainer, persuaded her to start to learn to read. Previously, John’s oldest student had been 85

    Continue reading...", - "content": "

    A 104-year-old woman has fulfilled her dream to learn to read. After starting in April, Kuttiyamma achieved 89% in literacy and 100% in mathematics in the Kerala state primary literacy exam last month, the oldest woman to do so.

    Kuttiyamma had been curious about reading and would often try to make out the alphabet herself, but when she was born in a village to a low-caste rural family, there was no education. Her neighbour Rehana John, a 34-year-old literacy trainer, persuaded her to start to learn to read. Previously, John’s oldest student had been 85

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/video/2021/dec/11/indian-woman-learns-to-read-and-write-at-104-video", - "creator": "", - "pubDate": "2021-12-11T10:31:14Z", + "title": "The inner lives of dogs: what our canine friends really think about love, lust and laughter", + "description": "

    They make brilliant companions, but do dogs really feel empathy for humans - and what is going through their minds when they play, panic or attack?

    Read more: the inner lives of cats: what our feline friends really think

    It is humanity’s great frustration, to gaze into the eyes of a dog, feel so very close to the creature, and yet have no clue what it’s thinking. It’s like the first question you ask of a recently born baby, with all that aching, loving urgency: is that a first smile? Or yet more wind? Except that it’s like that for ever.

    I can never know what my staffie is thinking. Does Romeo realise that what he just did was funny, and did he do it on purpose? Is he laughing on the inside? Can he smile? Can he feel anxious about the future? Can he remember life as a puppy? Does he still get the horn, even though I had his knackers off some years ago? And, greater than all these things: does he love me? I mean, really love me, the way I love him?

    Continue reading...", + "content": "

    They make brilliant companions, but do dogs really feel empathy for humans - and what is going through their minds when they play, panic or attack?

    Read more: the inner lives of cats: what our feline friends really think

    It is humanity’s great frustration, to gaze into the eyes of a dog, feel so very close to the creature, and yet have no clue what it’s thinking. It’s like the first question you ask of a recently born baby, with all that aching, loving urgency: is that a first smile? Or yet more wind? Except that it’s like that for ever.

    I can never know what my staffie is thinking. Does Romeo realise that what he just did was funny, and did he do it on purpose? Is he laughing on the inside? Can he smile? Can he feel anxious about the future? Can he remember life as a puppy? Does he still get the horn, even though I had his knackers off some years ago? And, greater than all these things: does he love me? I mean, really love me, the way I love him?

    Continue reading...", + "category": "Dogs", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/09/the-inner-lives-of-dogs-canine-friends-love-lust-companions-minds", + "creator": "Zoe Williams", + "pubDate": "2021-12-09T06:00:04Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117481,20 +143953,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "83ac6120008c59e5d9f94b0d17bae0ce" + "hash": "c12719253ef524cc95a9aa5194933526" }, { - "title": "Freedom in the making: Bangladesh by Anne de Henning – in pictures", - "description": "

    Anne de Henning travelled through Bangladesh between 1971 and 1972, during the war of independence, photographing freedom fighters, families, refugee trains, and women fleeing villages

    To mark the 50th anniversary of Bangladesh’s independence, the Samdani Art Foundation has organised an exhibition of her images which are on display at the National Art Gallery in Dhaka, 10–31 December

    Continue reading...", - "content": "

    Anne de Henning travelled through Bangladesh between 1971 and 1972, during the war of independence, photographing freedom fighters, families, refugee trains, and women fleeing villages

    To mark the 50th anniversary of Bangladesh’s independence, the Samdani Art Foundation has organised an exhibition of her images which are on display at the National Art Gallery in Dhaka, 10–31 December

    Continue reading...", - "category": "Bangladesh", - "link": "https://www.theguardian.com/world/gallery/2021/dec/10/freedom-in-the-making-bangladesh-by-anne-de-henning-in-pictures", - "creator": "Anne de Henning", - "pubDate": "2021-12-10T07:00:35Z", + "title": "Listen to the fish sing: scientists record 'mind-blowing' noises of restored coral reef", + "description": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", + "content": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", + "category": "Coral", + "link": "https://www.theguardian.com/environment/2021/dec/08/whoops-and-grunts-bizarre-fish-songs-raise-hopes-for-coral-reef-recovery", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-08T05:00:32Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117502,20 +143973,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "51f1d26454ef54a9c88d7f73ebc42020" + "hash": "0ff8d17c604371641ce185ae92ee1421" }, { - "title": "Sudan's deadly military coup: will the fight for democracy ever be won? – video explainer", - "description": "

    Sudan has had more military coups than any other country in Africa, having undergone three popular uprisings since its independence from British colonial rule. The most recent revolution in 2019 is still under way, with protesters calling for the military to hand over to a civilian government. On 25 October the military responded to these calls with another crackdown. Internet access was shut down for more than three weeks and unarmed protesters were met with violence.  Journalist Yousra Elbagir talks us through the timeline of events in Sudan's fight for democracy 

    Continue reading...", - "content": "

    Sudan has had more military coups than any other country in Africa, having undergone three popular uprisings since its independence from British colonial rule. The most recent revolution in 2019 is still under way, with protesters calling for the military to hand over to a civilian government. On 25 October the military responded to these calls with another crackdown. Internet access was shut down for more than three weeks and unarmed protesters were met with violence.  Journalist Yousra Elbagir talks us through the timeline of events in Sudan's fight for democracy 

    Continue reading...", - "category": "Sudan", - "link": "https://www.theguardian.com/world/video/2021/dec/09/sudans-deadly-military-coup-will-the-fight-for-democracy-ever-be-won-video-explainer", - "creator": "Kyri Evangelou Yousra Elbagir and Katie Lamborn", - "pubDate": "2021-12-09T13:57:46Z", + "title": "Brexit may not stop EU’s gig economy reforms from reaching UK", + "description": "

    Analysis: UK-based firms may find it easier to fall in with Brussels’ proposals to give casual workers more rights

    The European Commission’s plans to protect people in precarious jobs in the gig economy could be the most ambitious extension of workers’ rights from Brussels since Britain left the EU.

    If adopted, the plans would mean that gig economy companies, such as Uber and Deliveroo, would have to treat workers as employees with minimum wages (where they exist), sick pay, holidays and better accident insurance, unless they could prove that drivers and couriers were genuinely self-employed.

    Continue reading...", + "content": "

    Analysis: UK-based firms may find it easier to fall in with Brussels’ proposals to give casual workers more rights

    The European Commission’s plans to protect people in precarious jobs in the gig economy could be the most ambitious extension of workers’ rights from Brussels since Britain left the EU.

    If adopted, the plans would mean that gig economy companies, such as Uber and Deliveroo, would have to treat workers as employees with minimum wages (where they exist), sick pay, holidays and better accident insurance, unless they could prove that drivers and couriers were genuinely self-employed.

    Continue reading...", + "category": "Gig economy", + "link": "https://www.theguardian.com/business/2021/dec/09/brexit-may-not-stop-eu-gig-economy-reforms-uk", + "creator": "Jennifer Rankin in Brussels", + "pubDate": "2021-12-09T10:00:09Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117523,20 +143993,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a644200460011c50370de4ce8ba1509d" + "hash": "b515a697da939be0d6e2e4b14c289c06" }, { - "title": "New Zealand aiming for 'smoke-free generation', says associate health minister – video", - "description": "

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said

    Continue reading...", - "content": "

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/video/2021/dec/09/new-zealand-to-introduce-a-smoke-free-generation-says-associate-health-minister-video", + "title": "Bob Dole, former US senator and presidential nominee, in his own words - video", + "description": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", + "content": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", + "category": "Republicans", + "link": "https://www.theguardian.com/us-news/video/2021/dec/05/bob-dole-former-us-senator-and-presidential-nominee-dies-aged-98-video-obituary", "creator": "", - "pubDate": "2021-12-09T09:33:08Z", + "pubDate": "2021-12-05T21:13:50Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117544,41 +144013,39 @@ "favorite": false, "created": false, "tags": [], - "hash": "dcc0ee317332c06a8363ae6da5386fd4" + "hash": "5cbbc6d7bfc3302130933b5c28416762" }, { - "title": "Helicopter lowers rescuer to car at top of Niagara Falls – video", - "description": "

    A woman's body has been retrieved from a car that was washed close to the brink of Niagara Falls on the US-Canada border. A coast guard rescuer was lowered from a helicopter to the car and found the body. An investigation has been launched into how the car and its occupant ended up in the Niagara River.

    Continue reading...", - "content": "

    A woman's body has been retrieved from a car that was washed close to the brink of Niagara Falls on the US-Canada border. A coast guard rescuer was lowered from a helicopter to the car and found the body. An investigation has been launched into how the car and its occupant ended up in the Niagara River.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/video/2021/dec/09/helicopter-lowers-rescuer-to-car-at-top-of-niagara-falls-video", - "creator": "", - "pubDate": "2021-12-09T03:39:22Z", + "title": "Debacle over No 10 Christmas party ‘threatens efforts to control pandemic’", + "description": "

    Scientists say rule-breaking ‘could damage public compliance behaviours when they are more important than ever’

    The debacle over the No 10 Christmas party threatens to undermine efforts to control the Covid pandemic at a time when the Omicron variant is fuelling fears of an imminent and major wave of disease, say scientists.

    A so-called Cummings effect last year led to “negative and lasting consequences” on public trust following the lockdown-busting trips made by Boris Johnson’s aide, Dominic Cummings, researchers found.

    Continue reading...", + "content": "

    Scientists say rule-breaking ‘could damage public compliance behaviours when they are more important than ever’

    The debacle over the No 10 Christmas party threatens to undermine efforts to control the Covid pandemic at a time when the Omicron variant is fuelling fears of an imminent and major wave of disease, say scientists.

    A so-called Cummings effect last year led to “negative and lasting consequences” on public trust following the lockdown-busting trips made by Boris Johnson’s aide, Dominic Cummings, researchers found.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/09/debacle-over-no-10-christmas-party-threatens-efforts-to-control-pandemic", + "creator": "Ian Sample Science editor", + "pubDate": "2021-12-09T06:00:03Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "acf964195f8a0b127c677d9101c8b1d5" + "hash": "a7cde84567189757de5af9ad66326317" }, { - "title": "Drone footage reveals damage from Indonesia's Mount Semeru volcano eruption – video", - "description": "

    Drone footage has captured some of the devastation following the eruption of Mount Semeru on the Indonesian island of Java. Dozens of people have been killed and thousands remain displaced. The volcano continues to spew hot gas and ash, hampering rescue efforts

    Continue reading...", - "content": "

    Drone footage has captured some of the devastation following the eruption of Mount Semeru on the Indonesian island of Java. Dozens of people have been killed and thousands remain displaced. The volcano continues to spew hot gas and ash, hampering rescue efforts

    Continue reading...", - "category": "Indonesia", - "link": "https://www.theguardian.com/world/video/2021/dec/08/drone-footage-reveals-damage-from-indonesias-mount-semeru-volcano-eruption-video", - "creator": "", - "pubDate": "2021-12-08T02:47:29Z", + "title": "Ashes 2021-22: Australia v England first Test, day two – live!", + "description": "

    While you wait (and contemplate the inherent fairness of cricketing conditions), here are a couple of typically excellent pieces following yesterday’s events. This was Geoff capturing the vibe inside the Gabba...

    More weather talk. It’s important to gather more than one source - here is our colleague Geoff Lemon on the ground in Brisbane.

    Continue reading...", + "content": "

    While you wait (and contemplate the inherent fairness of cricketing conditions), here are a couple of typically excellent pieces following yesterday’s events. This was Geoff capturing the vibe inside the Gabba...

    More weather talk. It’s important to gather more than one source - here is our colleague Geoff Lemon on the ground in Brisbane.

    Continue reading...", + "category": "Ashes 2021-22", + "link": "https://www.theguardian.com/sport/live/2021/dec/09/ashes-2021-22-day-2-two-cricket-australia-vs-england-first-test-live-score-card-aus-v-eng-start-time-latest-updates", + "creator": "Sam Perry (now) and Daniel Harris (later)", + "pubDate": "2021-12-08T23:10:50Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117586,20 +144053,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "968a7c05fe862a75e9df1f12e398a2f7" + "hash": "fa42ddf4a607105249d63428a5455cbd" }, { - "title": "Treasury defends ‘impromptu’ drinks party after Sunak’s autumn budget", - "description": "

    Staff celebrated chancellor’s autumn spending review with wine and beer during lockdown, while pubs and bars were shuttered

    The Treasury has been forced to defend officials holding an “impromptu” drinks party to celebrate Rishi Sunak’s autumn spending review during lockdown.

    A spokesperson insisted it was a “small number” of staff who celebrated around their desks, despite reports putting the number closer to two dozen civil servants at the event.

    Continue reading...", - "content": "

    Staff celebrated chancellor’s autumn spending review with wine and beer during lockdown, while pubs and bars were shuttered

    The Treasury has been forced to defend officials holding an “impromptu” drinks party to celebrate Rishi Sunak’s autumn spending review during lockdown.

    A spokesperson insisted it was a “small number” of staff who celebrated around their desks, despite reports putting the number closer to two dozen civil servants at the event.

    Continue reading...", - "category": "Politics", - "link": "https://www.theguardian.com/politics/2021/dec/11/treasury-defends-impromptu-drinks-party-after-rishi-sunak-autumn-budget", - "creator": "Tom Ambrose", - "pubDate": "2021-12-11T11:42:39Z", + "title": "Ghislaine Maxwell trial: third accuser’s ex-boyfriend corroborates her account", + "description": "

    ‘Shawn’ says he drove Carolyn to Epstein’s house every few weeks, after she testified Maxwell scheduled sexualized massages with Epstein

    • This article contains depictions of sexual abuse

    The former boyfriend of the third accuser to testify in Ghislaine Maxwell’s sex-trafficking trial in New York corroborated details of her account during his testimony Wednesday.

    This accuser, Carolyn, had testified Tuesday that Maxwell scheduled sexualized massages with Jeffrey Epstein starting when Carloyn was 14, and that Maxwell groped her. Carolyn said that she had told Maxwell about having been sexually abused as a child.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "content": "

    ‘Shawn’ says he drove Carolyn to Epstein’s house every few weeks, after she testified Maxwell scheduled sexualized massages with Epstein

    • This article contains depictions of sexual abuse

    The former boyfriend of the third accuser to testify in Ghislaine Maxwell’s sex-trafficking trial in New York corroborated details of her account during his testimony Wednesday.

    This accuser, Carolyn, had testified Tuesday that Maxwell scheduled sexualized massages with Jeffrey Epstein starting when Carloyn was 14, and that Maxwell groped her. Carolyn said that she had told Maxwell about having been sexually abused as a child.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/08/ghislaine-maxwell-sex-trafficking-trial-third-accuser-ex-boyfriend", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-08T20:36:42Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117607,20 +144073,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "69ec86a4c48f894d35bbaa398ffd1479" + "hash": "db0d73a4c067b491c991094be611b6db" }, { - "title": "No ho ho: Italian church apologises over bishop’s claim about Santa Claus", - "description": "

    Antonio Stagliano was trying to focus on the story of Saint Nicholas when he told children Santa did not exist, says church in Sicily

    A Roman Catholic diocese in Sicily has publicly apologised to outraged parents after its bishop told a group of children that Santa Claus doesn’t exist.

    Bishop Antonio Stagliano didn’t mean the comments, and was trying to underline the true meaning of Christmas and the story of Saint Nicholas, a bishop who gave gifts to the poor and was persecuted by a Roman emperor, said the Rev Alessandro Paolino, the communications director for the diocese of Noto.

    Continue reading...", - "content": "

    Antonio Stagliano was trying to focus on the story of Saint Nicholas when he told children Santa did not exist, says church in Sicily

    A Roman Catholic diocese in Sicily has publicly apologised to outraged parents after its bishop told a group of children that Santa Claus doesn’t exist.

    Bishop Antonio Stagliano didn’t mean the comments, and was trying to underline the true meaning of Christmas and the story of Saint Nicholas, a bishop who gave gifts to the poor and was persecuted by a Roman emperor, said the Rev Alessandro Paolino, the communications director for the diocese of Noto.

    Continue reading...", - "category": "Italy", - "link": "https://www.theguardian.com/world/2021/dec/11/no-ho-ho-italian-church-apologises-over-bishops-claim-about-santa-claus", - "creator": "Associated Press", - "pubDate": "2021-12-11T04:22:30Z", + "title": "Robbie Shakespeare, of Sly and Robbie fame, dies at age 68", + "description": "

    The Jamaican Grammy-winning bassist was part of the duo with Sly Dunbar and worked with such artists as Mick Jagger and Grace Jones

    Robbie Shakespeare, acclaimed bassist and record producer, has died at the age of 68. The Jamaican artist was part of the duo Sly and Robbie with Sly Dunbar.

    According to The Jamaica Gleaner, Shakespeare had recently undergone surgery related to his kidneys. He had been in hospital in Florida.

    Continue reading...", + "content": "

    The Jamaican Grammy-winning bassist was part of the duo with Sly Dunbar and worked with such artists as Mick Jagger and Grace Jones

    Robbie Shakespeare, acclaimed bassist and record producer, has died at the age of 68. The Jamaican artist was part of the duo Sly and Robbie with Sly Dunbar.

    According to The Jamaica Gleaner, Shakespeare had recently undergone surgery related to his kidneys. He had been in hospital in Florida.

    Continue reading...", + "category": "Music", + "link": "https://www.theguardian.com/music/2021/dec/08/robbie-shakespeare-sly-and-robbie-dies", + "creator": "Benjamin Lee", + "pubDate": "2021-12-08T23:42:09Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117628,20 +144093,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "4dc9dd87974fb4b6d4e505196067d586" + "hash": "fc47c10a55f2f0e4558e3d7dca88303c" }, { - "title": "French court finds UK man guilty of murder for running over his wife", - "description": "

    Former Tory Councillor David Turtle has been sentenced to 14 years in jail after driving into his wife outside their home in France

    A former Tory councillor has been convicted of killing his wife by deliberately running over her in his Mercedes at their home in France.

    David Turtle, 67, was found guilty of murder by a French court and sentenced to 14 years in jail.

    Continue reading...", - "content": "

    Former Tory Councillor David Turtle has been sentenced to 14 years in jail after driving into his wife outside their home in France

    A former Tory councillor has been convicted of killing his wife by deliberately running over her in his Mercedes at their home in France.

    David Turtle, 67, was found guilty of murder by a French court and sentenced to 14 years in jail.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/11/french-court-finds-uk-man-david-turtle-guilty-of-killing-his-wife", - "creator": "Kim Willsher", - "pubDate": "2021-12-11T13:35:59Z", + "title": "Sam Kerr knocks pitch invader to ground during Champions League match", + "description": "
    • Australia captain sends man sprawling at Kingsmeadow
    • Chelsea striker booked for incident in game against Juventus

    Chelsea striker Sam Kerr was booked after barging into a pitch invader and knocking him to the ground during the Blues’ Champions League clash with Juventus at Kingsmeadow.

    In the closing stages of the group stage game, the man entered the field and briefly held up play before he was sent sprawling as the Australia captain dropped her shoulder and ran into him.

    Continue reading...", + "content": "
    • Australia captain sends man sprawling at Kingsmeadow
    • Chelsea striker booked for incident in game against Juventus

    Chelsea striker Sam Kerr was booked after barging into a pitch invader and knocking him to the ground during the Blues’ Champions League clash with Juventus at Kingsmeadow.

    In the closing stages of the group stage game, the man entered the field and briefly held up play before he was sent sprawling as the Australia captain dropped her shoulder and ran into him.

    Continue reading...", + "category": "Sam Kerr", + "link": "https://www.theguardian.com/sport/2021/dec/09/sam-kerr-knocks-pitch-invader-to-ground-during-champions-league-match", + "creator": "Guardian sport", + "pubDate": "2021-12-09T01:23:49Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117649,20 +144113,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d91e49f93bdb8b656e39f41ab074e7f" + "hash": "c9b2ec353dbfe4a71c6e67627aca7840" }, { - "title": "Covid live: 633 new Omicron cases detected in UK; variant could cause 75,000 deaths in England", - "description": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", - "content": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", + "title": "Covid news live: England moves to ‘plan B’; three Pfizer shots can ‘neutralise’ Omicron, lab tests show", + "description": "

    British prime minister Boris Johnson has rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant; Pfizer says third jab increases antibodies by factor of 25

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", + "content": "

    British prime minister Boris Johnson has rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant; Pfizer says third jab increases antibodies by factor of 25

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/11/covid-live-booster-significantly-reduces-risk-of-omicron-symptoms-taiwan-detects-first-case-of-variant", - "creator": "Nadeem Badshah (now); Lucy Campbell (earlier)", - "pubDate": "2021-12-11T16:34:50Z", + "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", + "creator": "Samantha Lock", + "pubDate": "2021-12-09T05:22:01Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117670,20 +144133,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "c8302d5e9dc88cc8cdcaec841510a892" + "hash": "9e0f7b2538bbfa11e0e5065095698380" }, { - "title": "Why TV crews are falling over each other to film drama in ‘Bristolywood’", - "description": "

    The city’s picturesque past and vibrant present have made it a magnet for high-end productions

    An adrenaline-pumping knife chase through graffiti-sprayed lanes takes place in the comedy-thriller The Outlaws, while class tensions simmer at a lavish student ball in the legal drama Showtrial. The city providing the backdrop and inspiration for both these series is Bristol – a location now so popular with film and TV makers that crews are actually falling over themselves in the streets.

    The city council has been inundated with requests to film in the city’s dank alleys, high-rises and grand Georgian squares since the beginning of the year, according to Bristol Film Office, which is part of the city council. It has seen a 225% increase in drama production on pre-pandemic levels. In the first quarter of 2019/20 there were four major drama productions under way in Bristol – but this more than tripled to 13 in the first quarter of 2020/21. Since January, 15 high-end TV dramas have been filmed in the city.

    Continue reading...", - "content": "

    The city’s picturesque past and vibrant present have made it a magnet for high-end productions

    An adrenaline-pumping knife chase through graffiti-sprayed lanes takes place in the comedy-thriller The Outlaws, while class tensions simmer at a lavish student ball in the legal drama Showtrial. The city providing the backdrop and inspiration for both these series is Bristol – a location now so popular with film and TV makers that crews are actually falling over themselves in the streets.

    The city council has been inundated with requests to film in the city’s dank alleys, high-rises and grand Georgian squares since the beginning of the year, according to Bristol Film Office, which is part of the city council. It has seen a 225% increase in drama production on pre-pandemic levels. In the first quarter of 2019/20 there were four major drama productions under way in Bristol – but this more than tripled to 13 in the first quarter of 2020/21. Since January, 15 high-end TV dramas have been filmed in the city.

    Continue reading...", - "category": "Bristol", - "link": "https://www.theguardian.com/uk-news/2021/dec/11/bristol-film-tv-crews-drama-locations-bristolywood", - "creator": "Tom Wall", - "pubDate": "2021-12-11T15:00:12Z", + "title": "Three doses of Pfizer vaccine likely to protect against Omicron infection, tests suggest", + "description": "

    Initial findings indicate stark reduction in protection against new Covid variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", + "content": "

    Initial findings indicate stark reduction in protection against new Covid variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/omicron-can-partially-evade-covid-vaccine-protection-study-finds", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-12-08T22:16:39Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117691,20 +144153,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "c75af711c8b05aa29162fc4bdf61c25a" + "hash": "f05d568ce44f464fc2b8ab51f4c52bab" }, { - "title": "Banksy designs T-shirts to raise funds for ‘Colston Four’ accused of Bristol statue damage", - "description": "

    Anonymous artist says sales proceeds will go to the four people accused of Edward Colston statue damage ‘so they can go for a pint’

    Banksy says he has made T-shirts that he will be selling to support four people facing trial accused of criminal damage over the toppling of a statue of slave trader Edward Colston.

    The anonymous artist posted on Instagram pictures of limited-edition grey souvenir T-shirts, which will go on sale on Saturday in Bristol.

    Continue reading...", - "content": "

    Anonymous artist says sales proceeds will go to the four people accused of Edward Colston statue damage ‘so they can go for a pint’

    Banksy says he has made T-shirts that he will be selling to support four people facing trial accused of criminal damage over the toppling of a statue of slave trader Edward Colston.

    The anonymous artist posted on Instagram pictures of limited-edition grey souvenir T-shirts, which will go on sale on Saturday in Bristol.

    Continue reading...", - "category": "Banksy", - "link": "https://www.theguardian.com/artanddesign/2021/dec/11/banksy-designs-t-shirts-to-raise-funds-for-colston-four-accused-of-bristol-statue-damage", - "creator": "Staff and agencies", - "pubDate": "2021-12-11T05:13:59Z", + "title": "‘Give me my baby’: an Indian woman’s fight to reclaim her son after adoption without consent", + "description": "

    Anupama S Chandran’s newborn child was sent away by her parents, who were unhappy that his father was from the Dalit caste

    Through the rains and steamy heat of November, day and night, Anupama S Chandran sat by the gates of the Kerala state secretariat. She refused to eat, drink or be moved. Her single demand was written on a placard: “Give me my baby.”

    The story of Chandran’s fight to get back her child, who was snatched from her by her own family days after he was born and put up for adoption without her knowledge, is one that has been greeted with both horror and a sad familiarity in India.

    Continue reading...", + "content": "

    Anupama S Chandran’s newborn child was sent away by her parents, who were unhappy that his father was from the Dalit caste

    Through the rains and steamy heat of November, day and night, Anupama S Chandran sat by the gates of the Kerala state secretariat. She refused to eat, drink or be moved. Her single demand was written on a placard: “Give me my baby.”

    The story of Chandran’s fight to get back her child, who was snatched from her by her own family days after he was born and put up for adoption without her knowledge, is one that has been greeted with both horror and a sad familiarity in India.

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/dec/09/give-me-my-baby-an-indian-womans-fight-to-reclaim-her-son-after-adoption-without-consent", + "creator": "Hannah Ellis-Petersen in Delhi", + "pubDate": "2021-12-09T05:00:02Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117712,20 +144173,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "10517b8276bdd05efaf60b14fdac9500" + "hash": "26bae58b5cb9e782a65773d90d6182e8" }, { - "title": "Trump launched profane tirade about Netanyahu in interview – report", - "description": "

    Former president was furious over ex-Israeli PM’s acknowledgment Biden won election, book says

    Donald Trump spat an expletive about his old ally, Israel’s ex-prime minister Benjamin Netanyahu, for congratulating Joe Biden on his victory in last year’s election, according to a new book.

    Trump lashed out in an interview for a book on US-Israel relations during his presidency, the author Barak Ravid wrote on the Axios website on Friday. Trump’s remarks were also published by the English-language website of Israel’s Yediot Aharonot newspaper.

    Continue reading...", - "content": "

    Former president was furious over ex-Israeli PM’s acknowledgment Biden won election, book says

    Donald Trump spat an expletive about his old ally, Israel’s ex-prime minister Benjamin Netanyahu, for congratulating Joe Biden on his victory in last year’s election, according to a new book.

    Trump lashed out in an interview for a book on US-Israel relations during his presidency, the author Barak Ravid wrote on the Axios website on Friday. Trump’s remarks were also published by the English-language website of Israel’s Yediot Aharonot newspaper.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/10/donald-trump-benjamin-netanyahu-book", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-11T02:59:19Z", + "title": "Why is there a row in the UK about Boris Johnson and Christmas parties?", + "description": "

    Controversy centres on alleged get-togethers at Downing Street last year when London was under strict lockdown

    On Tuesday last week, the British tabloid newspaper, the Mirror, published a story that claimed parties had been held at Johnson’s Downing Street residence in the run-up to Christmas last year.

    Continue reading...", + "content": "

    Controversy centres on alleged get-togethers at Downing Street last year when London was under strict lockdown

    On Tuesday last week, the British tabloid newspaper, the Mirror, published a story that claimed parties had been held at Johnson’s Downing Street residence in the run-up to Christmas last year.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/dec/08/why-is-there-a-row-in-the-uk-about-boris-johnson-and-christmas-parties", + "creator": "Nick Hopkins in London", + "pubDate": "2021-12-08T16:07:27Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117733,20 +144193,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a39462e4a814e899a529e69db7715b8c" + "hash": "dc0042a5087320705ac9476419fb7ab6" }, { - "title": "John Lewis removes ‘Lollita’ child’s party dress from sale after criticism", - "description": "

    Store pulls dress from website and apologises ‘for upset caused’ after Twitter users connect name to child abuse novel

    John Lewis has pulled a child’s party dress named “Lollita” from its shelves after receiving criticism for stocking it. The Chi Chi London “Lollita” dress was on sale for children aged three to 11 years old on the retailer’s website for £50.

    The name is similar to Vladimir Nabokov’s 1955 novel Lolita, which details child sexual abuse. It outlines how a middle-aged professor abuses a 12-year-old girl.

    Continue reading...", - "content": "

    Store pulls dress from website and apologises ‘for upset caused’ after Twitter users connect name to child abuse novel

    John Lewis has pulled a child’s party dress named “Lollita” from its shelves after receiving criticism for stocking it. The Chi Chi London “Lollita” dress was on sale for children aged three to 11 years old on the retailer’s website for £50.

    The name is similar to Vladimir Nabokov’s 1955 novel Lolita, which details child sexual abuse. It outlines how a middle-aged professor abuses a 12-year-old girl.

    Continue reading...", - "category": "Retail industry", - "link": "https://www.theguardian.com/business/2021/dec/11/john-lewis-removes-lollita-childs-party-dress-from-sale-after-backlash", - "creator": "PA Media", - "pubDate": "2021-12-11T14:06:29Z", + "title": "White Island anniversary passes quietly, with healing – and reckoning", + "description": "

    Two years ago New Zealand’s Whakaari volcano eruption killed 22 people and changed the lives of many others forever

    On a pristine day two years ago, a group of mostly international day-trippers boarded boats and chugged over to Whakaari/White Island, a small active volcano and popular tourist destination 48km off New Zealand’s east coast. The guests roamed the moon-like landscape, observing the strangeness of a bubbling, living rock. But below the surface, pressure was building.

    At 2.11pm, while 47 people were on the island, the volcano erupted, spewing a mushroom cloud of steam, gases, rock and ash into the air. The eruption killed 22 people, seriously injured 25 and changed the lives of many families forever. It became the country’s deadliest volcanic disaster since the 1886 eruption of Mount Tarawera.

    Continue reading...", + "content": "

    Two years ago New Zealand’s Whakaari volcano eruption killed 22 people and changed the lives of many others forever

    On a pristine day two years ago, a group of mostly international day-trippers boarded boats and chugged over to Whakaari/White Island, a small active volcano and popular tourist destination 48km off New Zealand’s east coast. The guests roamed the moon-like landscape, observing the strangeness of a bubbling, living rock. But below the surface, pressure was building.

    At 2.11pm, while 47 people were on the island, the volcano erupted, spewing a mushroom cloud of steam, gases, rock and ash into the air. The eruption killed 22 people, seriously injured 25 and changed the lives of many families forever. It became the country’s deadliest volcanic disaster since the 1886 eruption of Mount Tarawera.

    Continue reading...", + "category": "White Island volcano", + "link": "https://www.theguardian.com/world/2021/dec/09/white-island-anniversary-passes-quietly-with-healing-and-reckoning-far-from-over", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-08T23:26:39Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117754,20 +144213,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "f30091f6149711a535466cb2c81479d7" + "hash": "34c58714c87ecc936cd5bf51d440594e" }, { - "title": "Covid live: Omicron could cause 75,000 deaths in England; booster ‘significantly reduces’ risk of symptoms", - "description": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", - "content": "

    UK health officials urge those eligible to get third vaccine dose; Taiwan and Mauritius detect first cases of new variant

    What’s the truth about lockdown-busting parties at No 10? Don’t ask Shagatha Christie, writes Marina Hyde in her column this week.

    Here are some extracts:

    There was simply no other place a Johnson government would ever end up but mired in rampant lies, chaos, negligence, financial sponging and the live evisceration of public service. To the Conservatives and media outriders somehow only now discovering this about their guy, I think we have to say: you ordered this. Now eat it.

    Regrettably, though, space constraints must end our recap of the week here. But on it all goes, as Omicron closes in. We’ll play out with a reminder that in a pandemic that has so far killed 146,000 of the Britons who these people are supposed to be in politics to serve, the absolutely vital public health message has now TWICE been most fatally undermined by people who worked at the very heart of No 10 with Boris Johnson. That is absolutely a disgrace, and absolutely not a coincidence.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/11/covid-live-booster-significantly-reduces-risk-of-omicron-symptoms-taiwan-detects-first-case-of-variant", - "creator": "Lucy Campbell", - "pubDate": "2021-12-11T12:59:09Z", + "title": "Nasa’s new space telescope and its search for extraterrestrial life | podcast", + "description": "

    On 22 December, if all goes to plan, the £7.5bn James Webb space telescope (JWST) will be blasted into space on top of a giant European Ariane 5 rocket. As it travels to its final destination – a point about a million miles away – it will begin to unfold its gold, honeycombed mirror; a vast light-catching bucket that could give us a view of the universe deeper and more sensitive than we’ve ever had before.

    JWST could also reveal clues about possible life-supporting planets inside our galaxy. One astronomer who will be eagerly deciphering those clues is Prof Beth Biller, who joined Guardian science editor Ian Sample this week.

    Archive: CNBC, Dr Becky, Launch Pad Astronomy

    Continue reading...", + "content": "

    On 22 December, if all goes to plan, the £7.5bn James Webb space telescope (JWST) will be blasted into space on top of a giant European Ariane 5 rocket. As it travels to its final destination – a point about a million miles away – it will begin to unfold its gold, honeycombed mirror; a vast light-catching bucket that could give us a view of the universe deeper and more sensitive than we’ve ever had before.

    JWST could also reveal clues about possible life-supporting planets inside our galaxy. One astronomer who will be eagerly deciphering those clues is Prof Beth Biller, who joined Guardian science editor Ian Sample this week.

    Archive: CNBC, Dr Becky, Launch Pad Astronomy

    Continue reading...", + "category": "James Webb space telescope", + "link": "https://www.theguardian.com/science/audio/2021/dec/09/nasas-new-space-telescope-and-its-search-for-extraterrestrial-life", + "creator": "Produced and presented by Madeleine Finlay with Ian Sample. Sound design by Axel Kacoutié", + "pubDate": "2021-12-09T05:00:02Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117775,20 +144233,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "9749d48d3a722f6f1728883c494737cb" + "hash": "2f62bc88dbab2e3ef2daf37c8af1cacd" }, { - "title": "My family has a vaccine refusenik – should we still get together at Christmas? | Ask Annalisa Barbieri", - "description": "

    You can’t force him to get vaccinated – but equally, he can’t force you to spend time with him. Face this head on and explain how you feel

    I’m sure I’m not the only one who’s faced this difficulty this year. One of my family members, who’s in his 40s, has consistently refused to be vaccinated against Covid and will not be moved from his position. He will not explain his reasons for rejecting the vaccine, whether it is ideological or simply rebellion against the so-called “nanny state”.

    He has already been (politely but firmly) excluded from one family get-together as a result of his intransigence. We have explained that he is not being rejected personally, but there are concerns within the family about his vulnerability to catching the virus and transmitting the infection to the children and their grandparents.

    Continue reading...", - "content": "

    You can’t force him to get vaccinated – but equally, he can’t force you to spend time with him. Face this head on and explain how you feel

    I’m sure I’m not the only one who’s faced this difficulty this year. One of my family members, who’s in his 40s, has consistently refused to be vaccinated against Covid and will not be moved from his position. He will not explain his reasons for rejecting the vaccine, whether it is ideological or simply rebellion against the so-called “nanny state”.

    He has already been (politely but firmly) excluded from one family get-together as a result of his intransigence. We have explained that he is not being rejected personally, but there are concerns within the family about his vulnerability to catching the virus and transmitting the infection to the children and their grandparents.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/10/someone-in-my-family-wont-get-the-vaccine-should-we-still-spend-christmas-with-them", - "creator": "Annalisa Barbieri", - "pubDate": "2021-12-10T14:00:42Z", + "title": "Poll shows Anglo-French antipathy on rise amid post-Brexit bickering", + "description": "

    Exclusive: political tensions prompt increase in numbers of French with negative view of Brits and vice versa

    A year of post-Brexit bickering has left the French and the British feeling significantly less well disposed towards each other, a poll shows.

    After ill-tempered exchanges over everything from fishing to submarines and Covid travel rules to the Northern Ireland protocol, the YouGov poll found that favourable opinions of the British had slid in France and other EU countries.

    Continue reading...", + "content": "

    Exclusive: political tensions prompt increase in numbers of French with negative view of Brits and vice versa

    A year of post-Brexit bickering has left the French and the British feeling significantly less well disposed towards each other, a poll shows.

    After ill-tempered exchanges over everything from fishing to submarines and Covid travel rules to the Northern Ireland protocol, the YouGov poll found that favourable opinions of the British had slid in France and other EU countries.

    Continue reading...", + "category": "Brexit", + "link": "https://www.theguardian.com/politics/2021/dec/08/poll-shows-anglo-french-antipathy-on-rise-amid-post-brexit-bickering", + "creator": "Jon Henley in Paris", + "pubDate": "2021-12-08T16:41:56Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117796,20 +144253,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "a64af93c6d782704a097a7162b39e111" + "hash": "e7821d03dcde511306f5f3956431a5c8" }, { - "title": "John Torode: ‘The kitchen is a great place to find yourself’", - "description": "

    The celebrity chef, 56, shares his secrets for a happy relationship and the best sausage rolls

    Living with my grandmother is probably my earliest memory, realising my mother had died and not really understanding it. Then, discovering food with my grandmother and learning to cook by her side. The most vivid memories are of standing in the kitchen and the smell of food. That stayed with me, the comfort of it.

    I’ve still got the Chitty Chitty Bang Bang car my mother gave me for my fourth birthday. It was the last birthday present she gave me. That means a lot. It sits on my shelf. She was 31 when she died. They don’t really know what it was, whether it was heart disease of some type. People say to me: “Does it make you a different person?” I have no idea.

    Continue reading...", - "content": "

    The celebrity chef, 56, shares his secrets for a happy relationship and the best sausage rolls

    Living with my grandmother is probably my earliest memory, realising my mother had died and not really understanding it. Then, discovering food with my grandmother and learning to cook by her side. The most vivid memories are of standing in the kitchen and the smell of food. That stayed with me, the comfort of it.

    I’ve still got the Chitty Chitty Bang Bang car my mother gave me for my fourth birthday. It was the last birthday present she gave me. That means a lot. It sits on my shelf. She was 31 when she died. They don’t really know what it was, whether it was heart disease of some type. People say to me: “Does it make you a different person?” I have no idea.

    Continue reading...", + "title": "Recovering from burnout, I’ve become very self-protective. How do I step back into the swim? | Leading questions", + "description": "

    You’ve done a brave thing by changing your life, writes advice columnist Eleanor Gordon-Smith, don’t let that change become its own chore

    After years of struggling with a punishing combination of emotional instability and over-work in high pressure jobs, I eventually got sick, dropped out and am finally on the road to recovery, with a new understanding of how to take better care of my mental health and the value of a healthy body.

    I’ve been appreciating simple pleasures, good old friends and the benefits of a quiet life, but it’s a particularly daunting time to start stepping back into the swim. Although I’m now aware of people and situations that aren’t good for me, I have become very self-protective – not helped by the pandemic. It’s very easy to decide it’s too crazy and unkind out there.

    Continue reading...", + "content": "

    You’ve done a brave thing by changing your life, writes advice columnist Eleanor Gordon-Smith, don’t let that change become its own chore

    After years of struggling with a punishing combination of emotional instability and over-work in high pressure jobs, I eventually got sick, dropped out and am finally on the road to recovery, with a new understanding of how to take better care of my mental health and the value of a healthy body.

    I’ve been appreciating simple pleasures, good old friends and the benefits of a quiet life, but it’s a particularly daunting time to start stepping back into the swim. Although I’m now aware of people and situations that aren’t good for me, I have become very self-protective – not helped by the pandemic. It’s very easy to decide it’s too crazy and unkind out there.

    Continue reading...", "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/11/john-torode-the-kitchen-is-a-great-place-to-find-yourself", - "creator": "Katherine Hassell", - "pubDate": "2021-12-11T14:00:11Z", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/09/recovering-from-burnout-ive-become-very-self-protective-how-do-i-step-back-into-the-swim", + "creator": "Eleanor Gordon-Smith", + "pubDate": "2021-12-09T03:08:41Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117817,20 +144273,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "9946461322ab7f6224fb94fac6d13b7a" + "hash": "a055d9053c7bc9cdace28d6098a07778" }, { - "title": "Surrey teenager who took her own life ‘was not safe at school’, say parents", - "description": "

    Frances-Rose Thomas, 15, died at home after accessing content involving suicide on a school iPad

    The parents of a 15-year-old autistic girl who died by suicide after her school did not monitor her online activity have described the circumstances of her death as a “catastrophic failure” as they warned the Department for Education (DfE) against complacency.

    Frances-Rose Thomas, known as Frankie, took her own life at home in Witley, Surrey, on 25 September 2018 after reading a story which involved suicide on a school iPad, which had no safety features.

    In the UK and Ireland, Samaritans can be contacted on 116 123 or email jo@samaritans.org or jo@samaritans.ie. In the US, the National Suicide Prevention Lifeline is 1-800-273-8255. In Australia, the crisis support service Lifeline is 13 11 14. Other international helplines can be found at www.befrienders.org.

    Continue reading...", - "content": "

    Frances-Rose Thomas, 15, died at home after accessing content involving suicide on a school iPad

    The parents of a 15-year-old autistic girl who died by suicide after her school did not monitor her online activity have described the circumstances of her death as a “catastrophic failure” as they warned the Department for Education (DfE) against complacency.

    Frances-Rose Thomas, known as Frankie, took her own life at home in Witley, Surrey, on 25 September 2018 after reading a story which involved suicide on a school iPad, which had no safety features.

    In the UK and Ireland, Samaritans can be contacted on 116 123 or email jo@samaritans.org or jo@samaritans.ie. In the US, the National Suicide Prevention Lifeline is 1-800-273-8255. In Australia, the crisis support service Lifeline is 13 11 14. Other international helplines can be found at www.befrienders.org.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/11/surrey-teenager-who-took-her-own-life-was-not-safe-at-school-say-parents", - "creator": "Jedidajah Otte", - "pubDate": "2021-12-11T13:15:20Z", + "title": "Covid news: UK reports 51,342 new infections; vaccines protect against new variant – as it happened", + "description": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "content": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", + "creator": "Tom Ambrose (now); Sarah Marsh, Kevin Rawlinson, Martin Belam and Martin Farrer (earlier)", + "pubDate": "2021-12-09T00:41:33Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117838,62 +144293,59 @@ "favorite": false, "created": false, "tags": [], - "hash": "b076afef901f7be5d01c870677b0e284" + "hash": "f439d3bf9921882ffa8d8511f3f34fd4" }, { - "title": "PM 'fingers all over' decision to evacuate pets from Kabul, says MP – video", - "description": "

    The head of the Foreign Office has been accused of covering up the prime minister’s involvement in the decision to evacuate pets from Kabul at a select committee hearing.

    Labour MP Chris Bryant made the accusation to Sir Philip Barton and read out a leaked letter from Boris Johnson’s parliamentary private secretary which he said implied Johnson’s 'fingers' were 'all over' the controversial decision.

    Barton did not accept the charge and, in a separate interview, Johnson dismissed the accusation that he was involved as 'complete nonsense'

    Continue reading...", - "content": "

    The head of the Foreign Office has been accused of covering up the prime minister’s involvement in the decision to evacuate pets from Kabul at a select committee hearing.

    Labour MP Chris Bryant made the accusation to Sir Philip Barton and read out a leaked letter from Boris Johnson’s parliamentary private secretary which he said implied Johnson’s 'fingers' were 'all over' the controversial decision.

    Barton did not accept the charge and, in a separate interview, Johnson dismissed the accusation that he was involved as 'complete nonsense'

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/world/video/2021/dec/07/pm-fingers-all-over-decision-to-evacuate-pets-from-kabul-says-mp-video", - "creator": "", - "pubDate": "2021-12-07T22:25:56Z", + "title": "UK ‘embarrassed’ into funding Mozambique gas project, court hears", + "description": "

    Friends of the Earth cites documents suggesting UK’s reputation could suffer if it pulled $1.15bn of promised support

    The UK was “embarrassed” into funding a huge gas project in Mozambique while considering ending overseas support for fossil fuels, a court has heard.

    During a three-day high court hearing, Friends of the Earth highlighted government documents that suggested there would be “obvious repercussions” if the government did not follow through on $1.15bn of support to an offshore pipeline and liquefied natural gas plant in Cabo Delgado province.

    Continue reading...", + "content": "

    Friends of the Earth cites documents suggesting UK’s reputation could suffer if it pulled $1.15bn of promised support

    The UK was “embarrassed” into funding a huge gas project in Mozambique while considering ending overseas support for fossil fuels, a court has heard.

    During a three-day high court hearing, Friends of the Earth highlighted government documents that suggested there would be “obvious repercussions” if the government did not follow through on $1.15bn of support to an offshore pipeline and liquefied natural gas plant in Cabo Delgado province.

    Continue reading...", + "category": "Mozambique", + "link": "https://www.theguardian.com/world/2021/dec/08/uk-embarrassed-into-funding-mozambique-gas-project-court-hears", + "creator": "Isabella Kaminski", + "pubDate": "2021-12-08T17:56:40Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b94706a5e9e7d99530f384fde4a55e3" + "hash": "3e612ab74ebc0dfd289422640f8f3aa3" }, { - "title": "Woman admits abusing pet marmoset she offered cocaine and flushed toilet on", - "description": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", - "content": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", - "category": "Animal welfare", - "link": "https://www.theguardian.com/world/2021/dec/10/woman-admits-abusing-pet-marmoset-she-offered-cocaine-and-flushed-down-toilet", - "creator": "Nadeem Badshah and agency", - "pubDate": "2021-12-10T19:39:28Z", + "title": "December temperatures in parts of US and Canada hit record high", + "description": "

    Warm spell equals or breaks records in several states, with temperature 15-20C above average in places

    A spell of unseasonably warm weather affected southern and western parts of the US and south-western Canada last week, with temperatures 15-20C above average in places. December temperature records were broken in multiple locations. Penticton in British Columbia had its highest ever December on the 1st as the temperature reached 22.5C. In the US, Montana, North Dakota, Washington and Wyoming all equalled or broke state temperature records for December.

    Not all the US states are seeing unseasonable warmth, however. The National Weather Service (NWS) issued a fairly rare blizzard warning last weekend for the summits of Big Island, Hawaii. It forecast up to 20cm (8in) of snow and winds gusting up to 125mph. The NWS has not issued a blizzard warning for that region since 2018. The same system that brought the snow also caused heavy rain at lower levels.

    Continue reading...", + "content": "

    Warm spell equals or breaks records in several states, with temperature 15-20C above average in places

    A spell of unseasonably warm weather affected southern and western parts of the US and south-western Canada last week, with temperatures 15-20C above average in places. December temperature records were broken in multiple locations. Penticton in British Columbia had its highest ever December on the 1st as the temperature reached 22.5C. In the US, Montana, North Dakota, Washington and Wyoming all equalled or broke state temperature records for December.

    Not all the US states are seeing unseasonable warmth, however. The National Weather Service (NWS) issued a fairly rare blizzard warning last weekend for the summits of Big Island, Hawaii. It forecast up to 20cm (8in) of snow and winds gusting up to 125mph. The NWS has not issued a blizzard warning for that region since 2018. The same system that brought the snow also caused heavy rain at lower levels.

    Continue reading...", + "category": "US weather", + "link": "https://www.theguardian.com/us-news/2021/dec/09/december-temperatures-in-parts-of-us-and-canada-hit-record-high", + "creator": "Trevor Mitchell (Metdesk)", + "pubDate": "2021-12-09T06:00:03Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "776c230290ea574cf048e400e610a3ab" + "hash": "6e8efcf348cb529d1a7ea681031d6cbd" }, { - "title": "The secret history of Sesame Street: ‘It was utopian – it’s part of who we all are’", - "description": "

    In 1970, David Attie was sent to photograph the birth of the kids’ landmark TV show as part of a cold war propaganda drive by the US government. But these newly found images are just one part of the programme’s radical history

    “I’m still pinching myself that my dad, my own flesh and blood, had Ernie on one hand and Bert on the other,” Eli Attie says. “It is like he got to sit at Abbey Road studios and watch the Beatles record I Want to Hold Your Hand.” Attie’s father was the photographer David Attie who, in 1970, visited the set of Sesame Street in New York City during its first season. His images lay forgotten in a wardrobe for the next 50 years, until Eli recently discovered them. They are a glimpse behind the curtain of a cultural phenomenon waiting to happen. Here are not only Bert and Ernie but Kermit, Big Bird, Oscar the Grouch with his original orange fur (he was green by season two). And here are the people who brought these characters to life, chiefly Jim Henson and Frank Oz, the Lennon and McCartney of Muppetdom. What also stands out in Attie’s images are the children visiting the set. As in the show itself, they are clearly so beguiled by the puppets, they completely ignore the humans controlling them.

    Eli himself was one of those visitors, although he has no memory of it. “I was in diapers, and as the story goes, I was loud and not to be quieted down, and was yanked off the set,” he says. His parents and older brother Oliver at least made it into the photos. Oliver was even in an episode of the show, in the background in Hooper’s Store, Eli explains, with just a hint of jealousy.

    Above: Bert and Ernie with puppeteers Daniel Seagren, Jim Henson and Frank Oz

    Left: Cast member Bob McGrath, an actor and musician, in a segment called The People in Your Neighborhood.

    Right: Henson (left) and Oz – the Lennon and McCartney of Muppetdom – operate puppets for a sketch titled Hunt for Happiness

    Continue reading...", - "content": "

    In 1970, David Attie was sent to photograph the birth of the kids’ landmark TV show as part of a cold war propaganda drive by the US government. But these newly found images are just one part of the programme’s radical history

    “I’m still pinching myself that my dad, my own flesh and blood, had Ernie on one hand and Bert on the other,” Eli Attie says. “It is like he got to sit at Abbey Road studios and watch the Beatles record I Want to Hold Your Hand.” Attie’s father was the photographer David Attie who, in 1970, visited the set of Sesame Street in New York City during its first season. His images lay forgotten in a wardrobe for the next 50 years, until Eli recently discovered them. They are a glimpse behind the curtain of a cultural phenomenon waiting to happen. Here are not only Bert and Ernie but Kermit, Big Bird, Oscar the Grouch with his original orange fur (he was green by season two). And here are the people who brought these characters to life, chiefly Jim Henson and Frank Oz, the Lennon and McCartney of Muppetdom. What also stands out in Attie’s images are the children visiting the set. As in the show itself, they are clearly so beguiled by the puppets, they completely ignore the humans controlling them.

    Eli himself was one of those visitors, although he has no memory of it. “I was in diapers, and as the story goes, I was loud and not to be quieted down, and was yanked off the set,” he says. His parents and older brother Oliver at least made it into the photos. Oliver was even in an episode of the show, in the background in Hooper’s Store, Eli explains, with just a hint of jealousy.

    Above: Bert and Ernie with puppeteers Daniel Seagren, Jim Henson and Frank Oz

    Left: Cast member Bob McGrath, an actor and musician, in a segment called The People in Your Neighborhood.

    Right: Henson (left) and Oz – the Lennon and McCartney of Muppetdom – operate puppets for a sketch titled Hunt for Happiness

    Continue reading...", - "category": "Sesame Street", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/11/found-photographs-sesame-street-season-one-utopian", - "creator": "Steve Rose", - "pubDate": "2021-12-11T09:45:06Z", + "title": "New Zealand passes law making it easier to change sex on birth certificates", + "description": "

    Advocates welcome bill allowing for self-identification they say upholds rights for transgender and non-binary New Zealanders

    New Zealand’s rainbow community will be allowed to change the sex recorded on their birth certificates without providing evidence of a medical procedure, after a bill to recognise the right for gender minorities to self-identify passed into law.

    “Today is a proud day in Aotearoa’s history,” internal affairs minister Jan Tinetti said. “Parliament has voted in favour of inclusivity and against discrimination.”

    Continue reading...", + "content": "

    Advocates welcome bill allowing for self-identification they say upholds rights for transgender and non-binary New Zealanders

    New Zealand’s rainbow community will be allowed to change the sex recorded on their birth certificates without providing evidence of a medical procedure, after a bill to recognise the right for gender minorities to self-identify passed into law.

    “Today is a proud day in Aotearoa’s history,” internal affairs minister Jan Tinetti said. “Parliament has voted in favour of inclusivity and against discrimination.”

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/09/new-zealand-passes-law-making-it-easier-to-change-sex-on-birth-certificates", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-09T06:02:10Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117901,20 +144353,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "2daf71d7a39167388af9f8554a9f1b14" + "hash": "f1c60b2514cf501610ab0f42577fb96e" }, { - "title": "‘Key is in the ignition’ for Tory leadership challenge to Johnson", - "description": "

    Analysis: After cocktail of home refurbishments, Christmas parties and Covid all eyes are on next week’s byelection

    Only two months ago, the talk among Tory MPs – echoing some newspaper front pages – was about how Boris Johnson wanted to “go on and on”, lasting longer than Margaret Thatcher’s 11 years in power.

    At that time, they dismissed the idea that he was a dilettante prime minister who really wanted to retire and write books, give after-dinner speeches on how hard the job was and make loads of money in the process. But that has all changed, with successive scandals over his handling of sleaze allegations and Tory insiders now opening questioning his future.

    Continue reading...", - "content": "

    Analysis: After cocktail of home refurbishments, Christmas parties and Covid all eyes are on next week’s byelection

    Only two months ago, the talk among Tory MPs – echoing some newspaper front pages – was about how Boris Johnson wanted to “go on and on”, lasting longer than Margaret Thatcher’s 11 years in power.

    At that time, they dismissed the idea that he was a dilettante prime minister who really wanted to retire and write books, give after-dinner speeches on how hard the job was and make loads of money in the process. But that has all changed, with successive scandals over his handling of sleaze allegations and Tory insiders now opening questioning his future.

    Continue reading...", - "category": "Boris Johnson", - "link": "https://www.theguardian.com/politics/2021/dec/11/key-is-in-the-ignition-for-tory-leadership-challenge-to-johnson", - "creator": "Rowena Mason, Jessica Elgot and Aubrey Allegretti", - "pubDate": "2021-12-11T07:00:03Z", + "title": "Australia news live update: eight new Omicron infections in NSW as Covid cases rise; Queensland hospitals at ‘breaking point’, AMA says", + "description": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Queensland hospitals ‘stretched to breaking point’, AMA says; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "content": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Queensland hospitals ‘stretched to breaking point’, AMA says; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", + "creator": "Mostafa Rachwani (now) and Justine Landis-Hanley (earlier)", + "pubDate": "2021-12-09T06:23:46Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117922,20 +144373,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "91833a57666c6b613d544908ca743d81" + "hash": "cac18fb01cbc2cbd5bc5cd3ba07907f7" }, { - "title": "Dozens killed after tornadoes tear through several US states", - "description": "

    Arkansas nursing home destroyed as Amazon centre roof collapse in Illinois described as ‘mass casualty incident’

    At least 50 people are thought to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning, the Kentucky governor has said.

    Andy Beshear said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", - "content": "

    Arkansas nursing home destroyed as Amazon centre roof collapse in Illinois described as ‘mass casualty incident’

    At least 50 people are thought to have been killed after a devastating outbreak of tornadoes ripped through Kentucky and other US states on Friday night and early Saturday morning, the Kentucky governor has said.

    Andy Beshear said the state had “experienced some of the worst tornado damage we’ve seen in a long time”.

    Continue reading...", - "category": "Tornadoes", - "link": "https://www.theguardian.com/world/2021/dec/11/arkansas-tornado-deaths-nursing-home-illinois-amazon-warehouse-roof-collapse", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-11T10:45:36Z", + "title": "Malaria kills 180,000 more people annually than previously thought, says WHO", + "description": "

    UN agency says world must support urgent rollout of new vaccine as it reveals new figures for malaria deaths

    The World Health Organization has called for a “massive, urgent” effort to get the new malaria vaccine into the arms of African children, as it warned that about 180,000 more people were dying annually from the disease than had previously been thought.

    Dr Pedro Alonso, director of the WHO’s global malaria programme, said the RTS,S vaccine, recommended for widespread rollout in October, represented a historic opportunity to save tens of thousands of lives, mostly those of under-fives in sub-Saharan Africa.

    Continue reading...", + "content": "

    UN agency says world must support urgent rollout of new vaccine as it reveals new figures for malaria deaths

    The World Health Organization has called for a “massive, urgent” effort to get the new malaria vaccine into the arms of African children, as it warned that about 180,000 more people were dying annually from the disease than had previously been thought.

    Dr Pedro Alonso, director of the WHO’s global malaria programme, said the RTS,S vaccine, recommended for widespread rollout in October, represented a historic opportunity to save tens of thousands of lives, mostly those of under-fives in sub-Saharan Africa.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/06/malaria-kills-180000-more-people-annually-than-previously-thought-says-who", + "creator": "Lizzy Davies", + "pubDate": "2021-12-06T13:00:21Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117943,20 +144393,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "2aa3369f0ef41c638c8a265a7129d810" + "hash": "2b1f92d7a54f7617fb5f7a53c349f167" }, { - "title": "Scott Morrison urged to end ‘lunacy’ and push UK and US for Julian Assange’s release", - "description": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    Australian parliamentarians have demanded the prime minister, Scott Morrison, intervene in the case of Julian Assange, an Australian citizen, after the United States won a crucial appeal in its fight to extradite the WikiLeaks founder on espionage charges.

    “The prime minister must get Assange home,” the Australian Greens leader, Adam Bandt, told Guardian Australia on Saturday.

    Continue reading...", - "content": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    Australian parliamentarians have demanded the prime minister, Scott Morrison, intervene in the case of Julian Assange, an Australian citizen, after the United States won a crucial appeal in its fight to extradite the WikiLeaks founder on espionage charges.

    “The prime minister must get Assange home,” the Australian Greens leader, Adam Bandt, told Guardian Australia on Saturday.

    Continue reading...", - "category": "Australian politics", - "link": "https://www.theguardian.com/australia-news/2021/dec/11/scott-morrison-urged-to-end-lunacy-and-push-us-and-uk-to-release-julian-assange", - "creator": "Lane Sainty and AAP", - "pubDate": "2021-12-11T04:20:20Z", + "title": "Putin’s Ukraine rhetoric driven by distorted view of neighbour", + "description": "

    Analysis: Russian president believes it his 'duty’ to reverse Kyiv’s path towards west

    Even as Vladimir Putin has built up an invasion force on his borders, he has repeated a refrain that Russians and Ukrainians are one people, bemoaning a “fraternal” conflict that he himself has provoked.

    As Putin speaks on Tuesday with Joe Biden, western analysts have likened his focus on Kyiv to an “obsession” while Russians have said Putin believes it his “duty” to reverse Ukraine’s path towards the west.

    Continue reading...", + "content": "

    Analysis: Russian president believes it his 'duty’ to reverse Kyiv’s path towards west

    Even as Vladimir Putin has built up an invasion force on his borders, he has repeated a refrain that Russians and Ukrainians are one people, bemoaning a “fraternal” conflict that he himself has provoked.

    As Putin speaks on Tuesday with Joe Biden, western analysts have likened his focus on Kyiv to an “obsession” while Russians have said Putin believes it his “duty” to reverse Ukraine’s path towards the west.

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/07/putins-ukraine-rhetoric-driven-by-distorted-view-of-neighbour", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-12-07T18:02:27Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117964,20 +144413,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6c4ee65692f9bc7967974f4e4e564a19" + "hash": "be9ec545f0725ddb573fe5e3aa1bf0a5" }, { - "title": "Australia demolish England by nine wickets in first Ashes Test", - "description": "
    • Australia raced to target of 20 after England lost eight for 77
    • Second Test in Adelaide begins on Thursday

    After a breakdown in the broadcasting of the first Ashes Test normal service eventually resumed. England’s meek collapse on the fourth morning in the face of a rejuvenated Australian attack condemned them to a nine-wicket defeat and a 1-0 series deficit heading into the pink ball encounter in Adelaide.

    As Marcus Harris and Marnus Labuschagne finished off a target of 20 runs in 25 minutes after lunch, the latter striding in after the fall of the promoted Alex Carey, it subjected England to their 10th defeat in their last 11 Tests, handed Pat Cummins a first victory as captain and restored the Gabba’s status as Australia’s fortress.

    They may have lost to India on the ground back in January, but England? This was a seventh victory over the old enemy in their last nine encounters in Queensland as part of an unbeaten Ashes record that stretches back to 1986. ‘Gabbattoir’ references have thankfully been light over the past week but it still deals in butchery.

    Continue reading...", - "content": "
    • Australia raced to target of 20 after England lost eight for 77
    • Second Test in Adelaide begins on Thursday

    After a breakdown in the broadcasting of the first Ashes Test normal service eventually resumed. England’s meek collapse on the fourth morning in the face of a rejuvenated Australian attack condemned them to a nine-wicket defeat and a 1-0 series deficit heading into the pink ball encounter in Adelaide.

    As Marcus Harris and Marnus Labuschagne finished off a target of 20 runs in 25 minutes after lunch, the latter striding in after the fall of the promoted Alex Carey, it subjected England to their 10th defeat in their last 11 Tests, handed Pat Cummins a first victory as captain and restored the Gabba’s status as Australia’s fortress.

    They may have lost to India on the ground back in January, but England? This was a seventh victory over the old enemy in their last nine encounters in Queensland as part of an unbeaten Ashes record that stretches back to 1986. ‘Gabbattoir’ references have thankfully been light over the past week but it still deals in butchery.

    Continue reading...", - "category": "Ashes 2021-22", - "link": "https://www.theguardian.com/sport/2021/dec/11/ashes-gabba-england-australia-first-test-match-report-root-stokes-buttler-lyon-starc-carey", - "creator": "Ali Martin", - "pubDate": "2021-12-11T04:10:25Z", + "title": "Boris Johnson rushes in Covid plan B amid Christmas party scandal", + "description": "

    PM announces stronger measures in England to counter Omicron, but finds his ‘moral authority’ questioned

    Boris Johnson rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant, as his government was engulfed in a crisis of credibility sparked by the Christmas party scandal.

    With government experts warning of 10 UK Omicron infections currently rising to 1m by the end of the month and up to 2,000 hospital admissions a day, Johnson insisted now was the time to act.

    Continue reading...", + "content": "

    PM announces stronger measures in England to counter Omicron, but finds his ‘moral authority’ questioned

    Boris Johnson rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant, as his government was engulfed in a crisis of credibility sparked by the Christmas party scandal.

    With government experts warning of 10 UK Omicron infections currently rising to 1m by the end of the month and up to 2,000 hospital admissions a day, Johnson insisted now was the time to act.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/boris-johnson-plan-b-covid-measures-england-omicron-vaccine-passports-mask-wearing", + "creator": "Rowena Mason and Hannah Devlin", + "pubDate": "2021-12-08T21:00:58Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -117985,20 +144433,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "ccde40ead5efe0027074db5d00e9834a" + "hash": "3997a3077295e845dec54215d4e67d67" }, { - "title": "Javid advised to take ‘stringent’ Covid measures within a week, leak reveals", - "description": "

    Exclusive: Health officials say urgent action needed to avoid mass hospitalisations and overwhelming the NHS

    Britain’s top public health officials have advised ministers that “stringent national measures” need to be imposed by 18 December to avoid Covid hospitalisations surpassing last winter’s peak, according to documents leaked to the Guardian.

    Sajid Javid, the health secretary, received a presentation from the UK Health and Security Agency (UKHSA) on Tuesday warning that even if the new Omicron variant leads to less serious disease than Delta, it risks overwhelming the NHS with 5,000 people admitted to hospital a day.

    Continue reading...", - "content": "

    Exclusive: Health officials say urgent action needed to avoid mass hospitalisations and overwhelming the NHS

    Britain’s top public health officials have advised ministers that “stringent national measures” need to be imposed by 18 December to avoid Covid hospitalisations surpassing last winter’s peak, according to documents leaked to the Guardian.

    Sajid Javid, the health secretary, received a presentation from the UK Health and Security Agency (UKHSA) on Tuesday warning that even if the new Omicron variant leads to less serious disease than Delta, it risks overwhelming the NHS with 5,000 people admitted to hospital a day.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/10/stringent-uk-covid-measures-needed-within-a-week-leak-reveals", - "creator": "Rowena Mason Deputy political editor", - "pubDate": "2021-12-10T19:19:44Z", + "title": "Wales: 14 schools to add hour a day to help pupils catch up after lockdowns", + "description": "

    Trial could lead to a longer school day being introduced permanently

    A number of schools in Wales are extending their day by an hour to try to help youngsters catch up after Covid lockdowns.

    The Welsh government will invest up to £2m on the trial, allowing 14 primaries and secondaries across south Wales to open for groups of children for an extra five hours a week.

    Continue reading...", + "content": "

    Trial could lead to a longer school day being introduced permanently

    A number of schools in Wales are extending their day by an hour to try to help youngsters catch up after Covid lockdowns.

    The Welsh government will invest up to £2m on the trial, allowing 14 primaries and secondaries across south Wales to open for groups of children for an extra five hours a week.

    Continue reading...", + "category": "Wales", + "link": "https://www.theguardian.com/uk-news/2021/dec/09/wales-14-schools-to-add-hour-a-day-to-help-pupils-catch-up-after-lockdowns", + "creator": "Steven Morris", + "pubDate": "2021-12-09T00:01:02Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118006,20 +144453,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "c2604d804c709a0e3983d9c88a1a9d6f" + "hash": "c3234c98fc7c394a45904439ec33bd1b" }, { - "title": "Inauguration poet Amanda Gorman ‘preserves the memory of a pandemic’ in new collection", - "description": "

    The writer who shot to fame when Joe Biden was sworn in as president has published her response to Covid-19

    • Scroll down to read Fugue, a poem from Gorman’s new collection

    Amanda Gorman, who became the youngest inauguration poet in US history when Joe Biden was sworn in as president, says she is attempting to “preserve the public memory of a pandemic” in a new collection published this week.

    Gorman shot into the public eye when she recited her poem The Hill We Climb at the inauguration in January, speaking of how “there is always light, if only we’re brave enough to see it, / If only we’re brave enough to be it.”

    Continue reading...", - "content": "

    The writer who shot to fame when Joe Biden was sworn in as president has published her response to Covid-19

    • Scroll down to read Fugue, a poem from Gorman’s new collection

    Amanda Gorman, who became the youngest inauguration poet in US history when Joe Biden was sworn in as president, says she is attempting to “preserve the public memory of a pandemic” in a new collection published this week.

    Gorman shot into the public eye when she recited her poem The Hill We Climb at the inauguration in January, speaking of how “there is always light, if only we’re brave enough to see it, / If only we’re brave enough to be it.”

    Continue reading...", - "category": "Books", - "link": "https://www.theguardian.com/books/2021/dec/11/inauguration-poet-amanda-gorman-preserves-the-memory-of-a-pandemic-in-new-collection", - "creator": "Alison Flood", - "pubDate": "2021-12-11T10:00:06Z", + "title": "Australia news live update: eight new Omicron infections in NSW as Covid cases rise; Qld and NT pass 80% vaccine milestone", + "description": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "content": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", + "creator": "Mostafa Rachwani (now) and Justine Landis-Hanley (earlier)", + "pubDate": "2021-12-09T05:19:12Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118027,20 +144473,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee361808efec283fff15094057ed5858" + "hash": "a6bc348c8c8b1877c4dc84d48b6629ee" }, { - "title": "‘The sound of roaring fires is still in my memory’: 30 years on from Kuwait’s oil blazes", - "description": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", - "content": "

    Oilwells set alight by Iraqi forces in 1991 were put out within months, but insidious pollution still mars the desert

    For 10 months in Kuwait, everything was upside down. Daytime was full of darkness from the thick smoke, and nights were bright from the distant glow of burning oilwells.

    When Iraq’s leader, Saddam Hussein, ordered the occupation of Kuwait in August 1990 in an attempt to gain control of the lucrative oil supply of the Middle East and pay off a huge debt accrued from Kuwait, he was fairly quickly forced into retreat by a US coalition which began an intensive bombing campaign.

    Continue reading...", - "category": "Environment", - "link": "https://www.theguardian.com/environment/2021/dec/11/the-sound-of-roaring-fires-is-still-in-my-memory-30-years-on-from-kuwaits-oil-blazes", - "creator": "Richa Syal", - "pubDate": "2021-12-11T10:00:06Z", + "title": "Raab says ‘formal party’ in No 10 last Christmas would have broken UK Covid rules – video", + "description": "

    A 'formal party' in Downing Street in December 2020 would have been contrary to guidance, the justice secretary has admitted, saying it would have been 'the wrong thing to do'. Dominic Raab told BBC One’s The Andrew Marr Show, however, that Boris Johnson had assured him no rules had been broken, despite reports from various sources in several newspapers

    Continue reading...", + "content": "

    A 'formal party' in Downing Street in December 2020 would have been contrary to guidance, the justice secretary has admitted, saying it would have been 'the wrong thing to do'. Dominic Raab told BBC One’s The Andrew Marr Show, however, that Boris Johnson had assured him no rules had been broken, despite reports from various sources in several newspapers

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/05/raab-says-formal-party-in-no-10-last-christmas-would-have-broken-uk-covid-rules-video", + "creator": "", + "pubDate": "2021-12-05T12:12:44Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118048,20 +144493,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "710d7c9ad726e14689962d33ba365a46" + "hash": "17f6a52fcf2b615c2664d072dd1689cd" }, { - "title": "A Covid Christmas: top scientists on how they will navigate party season", - "description": "

    Covid experts explain their personal approaches to festive gatherings in face of Omicron

    As Omicron cases are on the increase and a new wave threatens to overshadow Christmas, the scientists working on Covid are also making calculations about which of their own festivities to go ahead with and which to scale back.

    Prof Jennifer Rohn, cell biologist at University College London

    Continue reading...", - "content": "

    Covid experts explain their personal approaches to festive gatherings in face of Omicron

    As Omicron cases are on the increase and a new wave threatens to overshadow Christmas, the scientists working on Covid are also making calculations about which of their own festivities to go ahead with and which to scale back.

    Prof Jennifer Rohn, cell biologist at University College London

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/11/a-covid-christmas-top-scientists-on-how-they-will-navigate-party-season", - "creator": "Hannah Devlin and Nicola Davis", - "pubDate": "2021-12-11T07:00:02Z", + "title": "Allegra Stratton resigns after No 10 Christmas party video", + "description": "

    Boris Johnson ‘sorry to lose’ spokesperson for climate summit who was seen in footage joking about party during lockdown

    Allegra Stratton has stepped down as the government’s spokesperson for the Cop26 climate summit after footage emerged of her joking about a party at Downing Street during the peak of lockdown rules in December last year.

    Boris Johnson told a coronavirus press briefing on Wednesday that Stratton had been an “outstanding spokeswoman … I am very sorry to lose her”. But he added: “I take responsibility for everything that happens in this government and I have throughout the pandemic.”

    Continue reading...", + "content": "

    Boris Johnson ‘sorry to lose’ spokesperson for climate summit who was seen in footage joking about party during lockdown

    Allegra Stratton has stepped down as the government’s spokesperson for the Cop26 climate summit after footage emerged of her joking about a party at Downing Street during the peak of lockdown rules in December last year.

    Boris Johnson told a coronavirus press briefing on Wednesday that Stratton had been an “outstanding spokeswoman … I am very sorry to lose her”. But he added: “I take responsibility for everything that happens in this government and I have throughout the pandemic.”

    Continue reading...", + "category": "Conservatives", + "link": "https://www.theguardian.com/politics/2021/dec/08/allegra-stratton-leaves-cop26-role-after-no-10-christmas-party-video", + "creator": "Peter Walker Political correspondent", + "pubDate": "2021-12-08T19:53:14Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118069,20 +144513,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "835b45a835bad22e3ae2a408a09f4cdf" + "hash": "d460abf8c49574d6f1ca60efdbc865db" }, { - "title": "‘Gentle giants’: rangers prepare for return of wild bison to UK", - "description": "

    Animals arrive in Kent in spring 2022 and will create forest clearings – described as ‘jet fuel for biodiversity’

    “When you see them in the wild, there’s this tangible feeling of humility and respect,” says Tom Gibbs, one of the UK’s first two bison rangers. “The size of them instantly demands your respect, although they are quite docile. I wouldn’t say they are scary, but you’re aware of what they can do.”

    The rangers will manage the first wild bison to roam in the UK for thousands of years when four animals arrive in north Kent in the spring of 2022. The bison are Europe’s largest land animal – bulls can weigh a tonne – and were extinct in the wild a century ago, but are recovering through reintroduction projects across Europe.

    Continue reading...", - "content": "

    Animals arrive in Kent in spring 2022 and will create forest clearings – described as ‘jet fuel for biodiversity’

    “When you see them in the wild, there’s this tangible feeling of humility and respect,” says Tom Gibbs, one of the UK’s first two bison rangers. “The size of them instantly demands your respect, although they are quite docile. I wouldn’t say they are scary, but you’re aware of what they can do.”

    The rangers will manage the first wild bison to roam in the UK for thousands of years when four animals arrive in north Kent in the spring of 2022. The bison are Europe’s largest land animal – bulls can weigh a tonne – and were extinct in the wild a century ago, but are recovering through reintroduction projects across Europe.

    Continue reading...", - "category": "Wildlife", - "link": "https://www.theguardian.com/environment/2021/dec/11/gentle-giants-rangers-prepare-return-wild-bison-uk", - "creator": "Damian Carrington Environment editor", - "pubDate": "2021-12-11T08:00:05Z", + "title": "UK Covid live: Met police will not investigate No 10 Christmas party allegations", + "description": "

    Latest updates: Scotland Yard cites ‘absence of evidence’, as PM triggers plan B Covid restrictions

    Downing Street sources are saying this morning that “no decisions have been made” on a move to plan B. But, frankly, an FT story carries more credibility in the Westminster media village.

    Ben Riley-Smith, the Telegraph political editor, thinks the timing of such a move would be suspicious.

    Continue reading...", + "content": "

    Latest updates: Scotland Yard cites ‘absence of evidence’, as PM triggers plan B Covid restrictions

    Downing Street sources are saying this morning that “no decisions have been made” on a move to plan B. But, frankly, an FT story carries more credibility in the Westminster media village.

    Ben Riley-Smith, the Telegraph political editor, thinks the timing of such a move would be suspicious.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/live/2021/dec/08/covid-coronavirus-uk-boris-johnson-christmas-party-uk-politics-live", + "creator": "Tom Ambrose (now), Matthew Weaver and Andrew Sparrow (earlier)", + "pubDate": "2021-12-08T21:00:34Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118090,20 +144533,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "c8a09010923be8a69ea53c43fc9d3705" + "hash": "5fa4460dab9db0ab34dffb6e11db889b" }, { - "title": "How one-click shopping is creating Amazon warehouse towns: ‘We’re disposable humans’", - "description": "

    In California’s Inland Empire, Black and Latino communities already faced some of the worst pollution. Then, more warehouses and trucks started appearing

    Three generations of Arah Parker’s family have lived in her pleasant, yellow-hued home, where there used to be a clear view of the San Gabriel mountains from the kitchen window.

    There used to be – until the country’s hunger for online shopping swallowed the neighborhood.

    Continue reading...", - "content": "

    In California’s Inland Empire, Black and Latino communities already faced some of the worst pollution. Then, more warehouses and trucks started appearing

    Three generations of Arah Parker’s family have lived in her pleasant, yellow-hued home, where there used to be a clear view of the San Gabriel mountains from the kitchen window.

    There used to be – until the country’s hunger for online shopping swallowed the neighborhood.

    Continue reading...", - "category": "Amazon", - "link": "https://www.theguardian.com/us-news/2021/dec/11/how-one-click-shopping-is-creating-amazon-warehouse-towns-were-disposable-humans", - "creator": "Maanvi Singh in Rialto, California", - "pubDate": "2021-12-11T09:05:05Z", + "title": "Biden says he won’t send US troops to Ukraine to deter Russian threat", + "description": "

    President’s comments come after he said the US would provide ‘defensive capabilities’ to Ukraine

    Joe Biden has said that he is not considering sending US troops to defend Ukraine in response to a Russian military buildup on the country’s borders.

    “That is not on the table,” he told reporters on Wednesday, one day after speaking directly with Vladimir Putin in an effort to avert a military crisis.

    Continue reading...", + "content": "

    President’s comments come after he said the US would provide ‘defensive capabilities’ to Ukraine

    Joe Biden has said that he is not considering sending US troops to defend Ukraine in response to a Russian military buildup on the country’s borders.

    “That is not on the table,” he told reporters on Wednesday, one day after speaking directly with Vladimir Putin in an effort to avert a military crisis.

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/08/russia-talks-of-rapid-ukraine-discussions-after-biden-putin-summit", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-12-08T13:43:21Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118111,20 +144553,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "18c22e1161271e43d73b1c889fe39d52" + "hash": "a344c78c16f53612b3a18e624a062c42" }, { - "title": "CEO of US mortgage company fires 900 employees on a Zoom call – video", - "description": "

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call. 'I come to you with not great news,' Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday. Footage of the call was widely circulated on social media

    Continue reading...", - "content": "

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call. 'I come to you with not great news,' Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday. Footage of the call was widely circulated on social media

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/video/2021/dec/07/ceo-of-us-mortgage-company-fires-900-employees-on-a-zoom-call-video", - "creator": "", - "pubDate": "2021-12-07T08:04:30Z", + "title": "Chilean presidential candidate’s father was member of Nazi party", + "description": "

    Revelations appear at odds with José Antonio Kast’s own statements about his father’s military service

    The German-born father of Chilean presidential candidate José Antonio Kast was a member of the Nazi party, according to a recently unearthed document – revelations that appear at odds with the far-right candidate’s own statements about his father’s military service during the second world war.

    German officials have confirmed that an ID card in the country’s federal archive shows that an 18-year-old named Michael Kast joined the National Socialist German Workers’ party, or NSDAP, in September 1942, at the height of Hitler’s war on the Soviet Union.

    Continue reading...", + "content": "

    Revelations appear at odds with José Antonio Kast’s own statements about his father’s military service

    The German-born father of Chilean presidential candidate José Antonio Kast was a member of the Nazi party, according to a recently unearthed document – revelations that appear at odds with the far-right candidate’s own statements about his father’s military service during the second world war.

    German officials have confirmed that an ID card in the country’s federal archive shows that an 18-year-old named Michael Kast joined the National Socialist German Workers’ party, or NSDAP, in September 1942, at the height of Hitler’s war on the Soviet Union.

    Continue reading...", + "category": "Chile", + "link": "https://www.theguardian.com/world/2021/dec/08/chile-jose-antonio-kast-father-nazi-party", + "creator": "Associated Press in Berlin", + "pubDate": "2021-12-08T17:14:58Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118132,20 +144573,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "95ab44da7ad7c246ba2bb327e73d60e6" + "hash": "debb731c236b25056cf9a748fbab83bc" }, { - "title": "Arkansas tornado: one dead after nursing home ‘pretty much destroyed’", - "description": "

    Five seriously injured, says county judge in Arkansas, as rescue workers in Illinois attend site of roof collapse at Amazon warehouse

    One person was killed when a tornado ripped through an Arkansas nursing home, while a roof collapsed at an Amazon warehouse in Illinois, reportedly causing many injuries.

    Craighead county judge Marvin Day told the Associated Press the tornado struck the Monette Manor nursing home in north-east Arkansas at about 8.15pm, killing one person and trapping 20 people inside as the building collapsed. Officials had earlier reported at least two fatalities.

    Continue reading...", - "content": "

    Five seriously injured, says county judge in Arkansas, as rescue workers in Illinois attend site of roof collapse at Amazon warehouse

    One person was killed when a tornado ripped through an Arkansas nursing home, while a roof collapsed at an Amazon warehouse in Illinois, reportedly causing many injuries.

    Craighead county judge Marvin Day told the Associated Press the tornado struck the Monette Manor nursing home in north-east Arkansas at about 8.15pm, killing one person and trapping 20 people inside as the building collapsed. Officials had earlier reported at least two fatalities.

    Continue reading...", - "category": "Tornadoes", - "link": "https://www.theguardian.com/world/2021/dec/11/arkansas-tornado-deaths-nursing-home-illinois-amazon-warehouse-roof-collapse", - "creator": "Associated Press", - "pubDate": "2021-12-11T06:46:56Z", + "title": "‘Overwhelming’ evidence against Jussie Smollett, says prosecution in closing arguments", + "description": "

    The Empire actor denies he falsified police reports about the alleged racist and homophobic attack in 2019

    Lawyers delivered their closing arguments on Wednesday in Jussie Smollett’s criminal trial where the former Empire actor is facing charges that he lied to Chicago police about an attack in 2019.

    Smollett denies the charges.

    Continue reading...", + "content": "

    The Empire actor denies he falsified police reports about the alleged racist and homophobic attack in 2019

    Lawyers delivered their closing arguments on Wednesday in Jussie Smollett’s criminal trial where the former Empire actor is facing charges that he lied to Chicago police about an attack in 2019.

    Smollett denies the charges.

    Continue reading...", + "category": "Jussie Smollet", + "link": "https://www.theguardian.com/us-news/2021/dec/08/jussie-smollett-trial-closing-arguments-latest", + "creator": "Maya Yang", + "pubDate": "2021-12-08T22:07:44Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118153,20 +144593,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d9785a74f74222edf8eeb5bf47c4967" + "hash": "a7e07ecd681c8c1803f7dc1d56d84c38" }, { - "title": "Hannah Gadsby – Body of Work: a joyful guide to blasting Netflix and messing with Christian bakers", - "description": "

    Joan Sutherland Theatre, Sydney Opera House
    The Australian comedian has opted for a feel-good show, but without any easy sentimentality

    What better way to symbolise your favourable turn in fortune than with adorable bunnies, the sign of good luck? Comedian Hannah Gadsby has marked her return to the Sydney Opera House with four rabbits across the stage, though you will probably first notice the one in the Joan Sutherland theatre that functions as a lantern, a beacon of hope.

    Of course, none of these rabbits are alive, which turns out to be apt, given the desecration of one unlucky bunny that hopped into the middle of the performer’s toxic relationship with an ex she struggled to shake off and another that emits a high-pitched squeal of terror as it crosses paths with Gadsby, her new wife and producer, Jenney Shamash, and their two dogs, Douglas and Jasper, on an outdoor stroll.

    Continue reading...", - "content": "

    Joan Sutherland Theatre, Sydney Opera House
    The Australian comedian has opted for a feel-good show, but without any easy sentimentality

    What better way to symbolise your favourable turn in fortune than with adorable bunnies, the sign of good luck? Comedian Hannah Gadsby has marked her return to the Sydney Opera House with four rabbits across the stage, though you will probably first notice the one in the Joan Sutherland theatre that functions as a lantern, a beacon of hope.

    Of course, none of these rabbits are alive, which turns out to be apt, given the desecration of one unlucky bunny that hopped into the middle of the performer’s toxic relationship with an ex she struggled to shake off and another that emits a high-pitched squeal of terror as it crosses paths with Gadsby, her new wife and producer, Jenney Shamash, and their two dogs, Douglas and Jasper, on an outdoor stroll.

    Continue reading...", - "category": "Hannah Gadsby", - "link": "https://www.theguardian.com/stage/2021/dec/11/hannah-gadsby-body-of-work-a-joyful-guide-to-blasting-netflix-and-messing-with-christian-bakers", - "creator": "Steve Dow", - "pubDate": "2021-12-10T21:58:28Z", + "title": "Spanish village that dropped ‘Kill Jews’ name hit by antisemitic graffiti attack", + "description": "

    Castrillo Mota de Judíos’ Sephardic centre was among four locations defaced in the ‘cowardly’ attack

    The mayor of a Spanish village whose former name was an ugly reminder of the country’s medieval persecution of its Jewish population has vowed to carry on with plans for a Sephardic memory centre despite an antisemitic graffiti attack this week.

    Seven years ago, the 52 eligible residents of Castrillo Matajudíos – Camp Kill Jews in English, voted in a referendum to change the village’s name back to Castrillo Mota de Judíos, which means Jews’ Hill Camp.

    Continue reading...", + "content": "

    Castrillo Mota de Judíos’ Sephardic centre was among four locations defaced in the ‘cowardly’ attack

    The mayor of a Spanish village whose former name was an ugly reminder of the country’s medieval persecution of its Jewish population has vowed to carry on with plans for a Sephardic memory centre despite an antisemitic graffiti attack this week.

    Seven years ago, the 52 eligible residents of Castrillo Matajudíos – Camp Kill Jews in English, voted in a referendum to change the village’s name back to Castrillo Mota de Judíos, which means Jews’ Hill Camp.

    Continue reading...", + "category": "Antisemitism", + "link": "https://www.theguardian.com/news/2021/dec/08/spanish-village-castrillo-mota-de-judios-that-dropped-kill-jews-name-targeted-by-antisemitic-graffiti", + "creator": "Sam Jones in Madrid", + "pubDate": "2021-12-08T13:31:47Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118174,20 +144613,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f9fe8bc7a3d909563ec972f1171b476" + "hash": "20eceb14bfe39062c1f1502fec482ccc" }, { - "title": "Pence appears to set up a presidential run – can he win over Trump’s base?", - "description": "

    The former vice-president seems to be playing a long game for the 2024 election, possibly betting Trump’s influence over the Republican party will wane

    Hang Mike Pence!” was the chilling chant of the mob at the US Capitol on 6 January 2021. Can the same constituency be persuaded to vote Mike Pence on 5 November 2024? He, for one, appears to think so.

    The former vice-president this week travelled across New Hampshire, host of the first-in-the-nation presidential primary elections, to meet local activists, raise money and deliver a speech attacking potential opponent Joe Biden.

    Continue reading...", - "content": "

    The former vice-president seems to be playing a long game for the 2024 election, possibly betting Trump’s influence over the Republican party will wane

    Hang Mike Pence!” was the chilling chant of the mob at the US Capitol on 6 January 2021. Can the same constituency be persuaded to vote Mike Pence on 5 November 2024? He, for one, appears to think so.

    The former vice-president this week travelled across New Hampshire, host of the first-in-the-nation presidential primary elections, to meet local activists, raise money and deliver a speech attacking potential opponent Joe Biden.

    Continue reading...", - "category": "Mike Pence", - "link": "https://www.theguardian.com/us-news/2021/dec/11/mike-pence-2024-election-donald-trump-republicans", - "creator": "David Smith in Washington", - "pubDate": "2021-12-11T07:00:04Z", + "title": "Sienna Miller says Sun used ‘illegal means’ to find out pregnancy", + "description": "

    Actor tells high court about her view of how details were discovered, which the publisher denies

    Sienna Miller believes details of her 2005 pregnancy were obtained by the then editor of the Sun, Rebekah Brooks, using “blatantly unlawful means”, a court has heard. Miller also believes phone hacking was practised by journalists at Rupert Murdoch’s daily tabloid newspaper.

    “I was told at the end of July 2005, by my friend and publicist, that Rebekah Brooks had found out that I was pregnant,” said Miller, in an excerpt from a draft statement read out by her lawyer at the high court.

    Continue reading...", + "content": "

    Actor tells high court about her view of how details were discovered, which the publisher denies

    Sienna Miller believes details of her 2005 pregnancy were obtained by the then editor of the Sun, Rebekah Brooks, using “blatantly unlawful means”, a court has heard. Miller also believes phone hacking was practised by journalists at Rupert Murdoch’s daily tabloid newspaper.

    “I was told at the end of July 2005, by my friend and publicist, that Rebekah Brooks had found out that I was pregnant,” said Miller, in an excerpt from a draft statement read out by her lawyer at the high court.

    Continue reading...", + "category": "Sienna Miller", + "link": "https://www.theguardian.com/film/2021/dec/08/sienna-miller-says-sun-used-means-to-find-out-pregnancy", + "creator": "Jim Waterson Media editor", + "pubDate": "2021-12-08T21:21:54Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", @@ -118195,37 +144633,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9512aa4b987c6cb22387b00a9d02f93" + "hash": "723f4b22d0e485cea5abd7108a4eb60a" }, { - "title": "‘Fighting to reclaim our language’: Māori names enjoy surge in popularity", - "description": "

    More parents in New Zealand are giving their babies indigenous names to foster links with their ancestry and culture

    Nine-month-old Ruataupare Te Ropuhina Florence Whiley-Whaipooti will grow up speaking the names of her ancestors. She will learn she comes from a line of strong Ngāti Porou women, and that her ancestor, who was a staunch tribal leader, is her name-sake. She will grow to understand that her Māori name links her to whenua (land), her whakapapa (genealogy) and her Māoritanga (culture).

    Ruataupare is one of an increasing number of babies in New Zealand to be given a Māori name. While Māori have never stopped giving their children indigenous names, there has been a marked increase over the past 10 years – a near doubling of Māori names registered since 2011.

    Continue reading...", - "content": "

    More parents in New Zealand are giving their babies indigenous names to foster links with their ancestry and culture

    Nine-month-old Ruataupare Te Ropuhina Florence Whiley-Whaipooti will grow up speaking the names of her ancestors. She will learn she comes from a line of strong Ngāti Porou women, and that her ancestor, who was a staunch tribal leader, is her name-sake. She will grow to understand that her Māori name links her to whenua (land), her whakapapa (genealogy) and her Māoritanga (culture).

    Ruataupare is one of an increasing number of babies in New Zealand to be given a Māori name. While Māori have never stopped giving their children indigenous names, there has been a marked increase over the past 10 years – a near doubling of Māori names registered since 2011.

    Continue reading...", - "category": "Māori", - "link": "https://www.theguardian.com/world/2021/dec/11/fighting-to-reclaim-our-language-maori-names-enjoy-surge-in-popularity", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-12-10T18:00:47Z", + "title": "‘It’s hypocrisy, pure and simple’: growing public anger over No 10 party", + "description": "

    A grieving daughter and a publican prosecuted for breaching rules are among those furious at apparent flouting of rules

    On 23 December last year, the day after Downing Street aides were recorded laughing about how they could pretend that a party at No 10 was a “cheese and wine” gathering, a large contingent of police officers arrived at the London Tavern pub in Hackney, east London. James Kearns, the owner, was hosting Christmas drinks for workers at a scaffolding company he also runs.

    “There were 15 of us,” he said on Wednesday. “About 20 of the police showed up, absolutely hammering on the doors. We all hid in the toilets, but they found us.” This week, the case went before a magistrate. “And we’ve all been fined £100 each.”

    Continue reading...", + "content": "

    A grieving daughter and a publican prosecuted for breaching rules are among those furious at apparent flouting of rules

    On 23 December last year, the day after Downing Street aides were recorded laughing about how they could pretend that a party at No 10 was a “cheese and wine” gathering, a large contingent of police officers arrived at the London Tavern pub in Hackney, east London. James Kearns, the owner, was hosting Christmas drinks for workers at a scaffolding company he also runs.

    “There were 15 of us,” he said on Wednesday. “About 20 of the police showed up, absolutely hammering on the doors. We all hid in the toilets, but they found us.” This week, the case went before a magistrate. “And we’ve all been fined £100 each.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/they-just-didnt-care-woman-who-lost-her-mum-on-day-of-no-10-party", + "creator": "Archie Bland", + "pubDate": "2021-12-08T12:07:15Z", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4ef313f5957ae8a12a8e69b5b83fa3e" + "hash": "64fc5e1594f6d2bfb709e78959051cef" }, { - "title": "Scott Morrison urged to end ‘lunacy’ and push UK and US for Assange’s release", - "description": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    The Australian government has been accused of sitting on its hands while WikiLeaks founder Julian Assange faces extradition to the United States on espionage charges.

    Assange, 50, is wanted in the US over an alleged conspiracy to obtain and disclose classified information following WikiLeaks’ publication of hundreds of thousands of leaked documents relating to the Afghanistan and Iraq wars.

    Continue reading...", - "content": "

    Independent MP Andrew Wilkie says UK a ‘lackey’ of US and journalism is not a crime

    The Australian government has been accused of sitting on its hands while WikiLeaks founder Julian Assange faces extradition to the United States on espionage charges.

    Assange, 50, is wanted in the US over an alleged conspiracy to obtain and disclose classified information following WikiLeaks’ publication of hundreds of thousands of leaked documents relating to the Afghanistan and Iraq wars.

    Continue reading...", - "category": "Australian politics", - "link": "https://www.theguardian.com/australia-news/2021/dec/11/scott-morrison-urged-to-end-lunacy-and-push-us-and-uk-to-release-julian-assange", - "creator": "Australian Associated Press", - "pubDate": "2021-12-11T04:20:20Z", + "title": "Anger as Jair Bolsonaro to allow unvaccinated visitors into Brazil", + "description": "

    There are fears the decision will reverse the gains made by a successful vaccination campaign

    The Brazilian government has been accused of seeking to turn the South American country into a haven for unvaccinated tourists after it shunned calls – including from its own health regulator – to demand proof of vaccination from visitors.

    The decision – announced on Tuesday by the health minister, Marcelo Queiroga – sparked anger in a nation that has lost more than 615,000 lives to a Covid outbreak the president, Jair Bolsonaro, stands accused of catastrophically mishandling.

    Continue reading...", + "content": "

    There are fears the decision will reverse the gains made by a successful vaccination campaign

    The Brazilian government has been accused of seeking to turn the South American country into a haven for unvaccinated tourists after it shunned calls – including from its own health regulator – to demand proof of vaccination from visitors.

    The decision – announced on Tuesday by the health minister, Marcelo Queiroga – sparked anger in a nation that has lost more than 615,000 lives to a Covid outbreak the president, Jair Bolsonaro, stands accused of catastrophically mishandling.

    Continue reading...", + "category": "Brazil", + "link": "https://www.theguardian.com/world/2021/dec/08/anger-as-jair-bolsonaro-to-allow-unvaccinated-visitors-into-brazil", + "creator": "Tom Phillips Latin America correspondent", + "pubDate": "2021-12-08T16:01:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118236,36 +144673,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "b4b14d08ddb3a1d26f60f16a6b786e8e" + "hash": "062f384165c4a8cf73eea312e6e83ebc" }, { - "title": "Ghislaine Maxwell gave me nude massage when I was 16, accuser says", - "description": "

    Annie Farmer testifies about encounter at New Mexico ranch in 1996, and recounts how she met Maxwell and Jeffrey Epstein

    The fourth accuser to testify in Ghislaine Maxwell’s sex trafficking trial said Friday that she was only 16 when the British socialite gave her a nude massage at Jeffrey Epstein’s New Mexico ranch.

    This accuser, Annie Farmer, also said that the morning after her encounter with Maxwell, Epstein climbed into bed with her and said he “wanted to cuddle” and she “felt kind of frozen”.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "content": "

    Annie Farmer testifies about encounter at New Mexico ranch in 1996, and recounts how she met Maxwell and Jeffrey Epstein

    The fourth accuser to testify in Ghislaine Maxwell’s sex trafficking trial said Friday that she was only 16 when the British socialite gave her a nude massage at Jeffrey Epstein’s New Mexico ranch.

    This accuser, Annie Farmer, also said that the morning after her encounter with Maxwell, Epstein climbed into bed with her and said he “wanted to cuddle” and she “felt kind of frozen”.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/10/ghislaine-maxwell-trial-accuser-jeffrey-epstein", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-10T18:43:22Z", + "title": "60s psych-rockers the Electric Prunes: ‘We couldn’t sit around stoned!’", + "description": "

    Discovered in an LA garage, the band rode a psychedelic wave into Easy Rider and a trippy Latin mass – even if they didn’t actually take acid. As a box set revives the music, their lead singer looks back

    “I guess I’m part of history,” says James Lowe, lead singer of the Electric Prunes, of the band’s oeuvre being gathered into a box set this month. “It suggests the idea we had for the band was viable – at least for a while.”

    Indeed, the Los Angeles quintet were, if only briefly, one of psychedelic rock’s pioneers. Ironically, as Lowe confirms, the Prunes weren’t particularly interested in hallucinogenic drugs – “we had no support crew, no tour bus; we couldn’t sit around stoned” – and no Prune possessed the dark charisma of fellow LA psychedelic shamans Arthur Lee or Jim Morrison. Initially a surf-rock outfit, a passing real-estate agent heard the band rehearsing in a garage and suggested a friend of hers might be interested in them. Lowe gave his phone number but thought nothing of it, because “everyone in LA knows ‘someone’ in the film or music industry”.

    Continue reading...", + "content": "

    Discovered in an LA garage, the band rode a psychedelic wave into Easy Rider and a trippy Latin mass – even if they didn’t actually take acid. As a box set revives the music, their lead singer looks back

    “I guess I’m part of history,” says James Lowe, lead singer of the Electric Prunes, of the band’s oeuvre being gathered into a box set this month. “It suggests the idea we had for the band was viable – at least for a while.”

    Indeed, the Los Angeles quintet were, if only briefly, one of psychedelic rock’s pioneers. Ironically, as Lowe confirms, the Prunes weren’t particularly interested in hallucinogenic drugs – “we had no support crew, no tour bus; we couldn’t sit around stoned” – and no Prune possessed the dark charisma of fellow LA psychedelic shamans Arthur Lee or Jim Morrison. Initially a surf-rock outfit, a passing real-estate agent heard the band rehearsing in a garage and suggested a friend of hers might be interested in them. Lowe gave his phone number but thought nothing of it, because “everyone in LA knows ‘someone’ in the film or music industry”.

    Continue reading...", + "category": "Psychedelia", + "link": "https://www.theguardian.com/music/2021/dec/08/60s-psych-rockers-the-electric-prunes-we-couldnt-sit-around-stoned", + "creator": "Garth Cartwright", + "pubDate": "2021-12-08T16:08:47Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, - "tags": [], - "hash": "6caa2a7a836740ca37f201ab7513c67a" - }, - { - "title": "Spider-Man star Tom Holland, 25, considers acting exit in ‘midlife crisis’", - "description": "

    Actor mulls over return to roots in dancing, while promoting latest Marvel instalment

    The Spider-Man star Tom Holland has revealed he is considering quitting acting at the age of 25 as part of a “midlife crisis” come early.

    Holland, who was promoting the latest instalment of the Marvel series, said he was considering giving up acting to return to his roots in dancing, after he played Billy Elliot in the West End as a child.

    “I don’t even know if I want to be an actor,” he told Sky News in an interview to promote his new film.

    “I started acting when I was 11 and I haven’t done anything else, so I’d like to go and do other things. Genuinely, I’m sort of … having a midlife crisis – at 25, I’m having like a pre-midlife crisis.”

    The actor revealed this week that he had signed up to play Fred Astaire in a biopic, a move that could signal the beginning of his career shift.

    Holland acknowledged a debt to the Spider-Man franchise, which had enabled him to “do some amazing things”. The latest film, No Way Home, is expected to be the biggest of the year – possibly ever – with pre-sales before its UK release on 15 December outstripping that of Avengers: Endgame (2019).

    Holland is not the first actor to tire quickly of the profession. Greta Garbo announced a “temporary” retirement at the age of 36 in 1941, while she was still one of the biggest box office draws in the world. It lasted 49 years, until her death in 1990.

    Although her reasons are not fully understood, Garbo is believed to have been a private, introverted person who struggled with the spotlight cast on her through fame, and who perhaps pre-empted the declining opportunities at the time for female actors as their youthful beauty faded.

    More recently, the Game of Thrones star Jack Gleeson retired after the series finished. He told Entertainment Weekly that he had been acting since he was eight and had “stopped enjoying it as much as I used to”. He said that earning a living from acting had changed his relationship with his craft compared with the “therapeutic” benefits he had enjoyed when it was just a hobby.

    Continue reading...", - "content": "

    Actor mulls over return to roots in dancing, while promoting latest Marvel instalment

    The Spider-Man star Tom Holland has revealed he is considering quitting acting at the age of 25 as part of a “midlife crisis” come early.

    Holland, who was promoting the latest instalment of the Marvel series, said he was considering giving up acting to return to his roots in dancing, after he played Billy Elliot in the West End as a child.

    “I don’t even know if I want to be an actor,” he told Sky News in an interview to promote his new film.

    “I started acting when I was 11 and I haven’t done anything else, so I’d like to go and do other things. Genuinely, I’m sort of … having a midlife crisis – at 25, I’m having like a pre-midlife crisis.”

    The actor revealed this week that he had signed up to play Fred Astaire in a biopic, a move that could signal the beginning of his career shift.

    Holland acknowledged a debt to the Spider-Man franchise, which had enabled him to “do some amazing things”. The latest film, No Way Home, is expected to be the biggest of the year – possibly ever – with pre-sales before its UK release on 15 December outstripping that of Avengers: Endgame (2019).

    Holland is not the first actor to tire quickly of the profession. Greta Garbo announced a “temporary” retirement at the age of 36 in 1941, while she was still one of the biggest box office draws in the world. It lasted 49 years, until her death in 1990.

    Although her reasons are not fully understood, Garbo is believed to have been a private, introverted person who struggled with the spotlight cast on her through fame, and who perhaps pre-empted the declining opportunities at the time for female actors as their youthful beauty faded.

    More recently, the Game of Thrones star Jack Gleeson retired after the series finished. He told Entertainment Weekly that he had been acting since he was eight and had “stopped enjoying it as much as I used to”. He said that earning a living from acting had changed his relationship with his craft compared with the “therapeutic” benefits he had enjoyed when it was just a hobby.

    Continue reading...", - "category": "Tom Holland", - "link": "https://www.theguardian.com/film/2021/dec/10/spider-man-star-tom-holland-considers-acting-exit-in-mid-life-crisis", - "creator": "Rachel Hall", - "pubDate": "2021-12-10T14:52:59Z", + "tags": [], + "hash": "b9f296b84dfd086bdb30fd5532febfc6" + }, + { + "title": "Cornish town with 1,440 residents seeks to become UK’s smallest city", + "description": "

    Marazion, opposite St Michael’s Mount, faces stiff opposition from larger areas in contest for city status

    It may not boast a cathedral, a university or a major sports team – the sort of features often associated with a typical British metropolis. But the town of Marazion (population 1,440), perched prettily on the south coast of Cornwall, has nevertheless launched a bold campaign for city status.

    Marazion, which does have a couple of churches, a primary school and rowing and sailing clubs, would become the smallest and most southerly city if its proposal is accepted.

    Continue reading...", + "content": "

    Marazion, opposite St Michael’s Mount, faces stiff opposition from larger areas in contest for city status

    It may not boast a cathedral, a university or a major sports team – the sort of features often associated with a typical British metropolis. But the town of Marazion (population 1,440), perched prettily on the south coast of Cornwall, has nevertheless launched a bold campaign for city status.

    Marazion, which does have a couple of churches, a primary school and rowing and sailing clubs, would become the smallest and most southerly city if its proposal is accepted.

    Continue reading...", + "category": "Cornwall", + "link": "https://www.theguardian.com/uk-news/2021/dec/08/marazion-cornish-town-with-1440-residents-seeks-to-become-the-uks-smallest-city", + "creator": "Steven Morris", + "pubDate": "2021-12-08T19:53:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118276,16 +144713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6730d4573a8db55545c201846bb32e1" + "hash": "1d171c0411c5db2b94b401273987e003" }, { - "title": "Scientists use ostrich cells to make glowing Covid detection masks", - "description": "

    Japanese researchers use bird antibodies to detect virus under ultraviolet light

    Japanese researchers have developed masks that use ostrich antibodies to detect Covid-19 by glowing under ultraviolet light.

    The discovery, by Yasuhiro Tsukamoto and his team at Kyoto Prefectural University in western Japan, could provide for low-cost testing of the virus at home.

    Continue reading...", - "content": "

    Japanese researchers use bird antibodies to detect virus under ultraviolet light

    Japanese researchers have developed masks that use ostrich antibodies to detect Covid-19 by glowing under ultraviolet light.

    The discovery, by Yasuhiro Tsukamoto and his team at Kyoto Prefectural University in western Japan, could provide for low-cost testing of the virus at home.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/10/scientists-ostrich-cells-glowing-covid-detection-masks", - "creator": "Reuters in Tokyo", - "pubDate": "2021-12-10T08:43:25Z", + "title": "Rajan the last ocean-swimming elephant: Jody MacDonald’s best photograph", + "description": "

    ‘He had been used for logging on the Andaman Islands. When I found him, he was 60, living in retirement – and loving his swims’

    I lived at sea for 10 years. I co-owned and ran a global kiteboarding expedition business. We’d sail around the world on a 60-foot catamaran, following the trade winds, kiteboarding, surfing and paragliding in remote locations. One night, I watched a Hollywood movie called The Fall, which had a section where an elephant was swimming in tropical blue water. I didn’t know if it was real or a fake Hollywood thing. But I thought: “Man, if that does exist, I’d love to photograph it.”

    I searched the internet and found the elephant from the film was living in the Andaman Islands, an Indian territory in the Bay of Bengal. When we sailed into the capital, Port Blair, a few months later in 2010, I decided to hop off and try to find this elephant. I found Rajan on Havelock (now Swaraj) Island and spent two weeks with him, learning about his incredible story.

    Continue reading...", + "content": "

    ‘He had been used for logging on the Andaman Islands. When I found him, he was 60, living in retirement – and loving his swims’

    I lived at sea for 10 years. I co-owned and ran a global kiteboarding expedition business. We’d sail around the world on a 60-foot catamaran, following the trade winds, kiteboarding, surfing and paragliding in remote locations. One night, I watched a Hollywood movie called The Fall, which had a section where an elephant was swimming in tropical blue water. I didn’t know if it was real or a fake Hollywood thing. But I thought: “Man, if that does exist, I’d love to photograph it.”

    I searched the internet and found the elephant from the film was living in the Andaman Islands, an Indian territory in the Bay of Bengal. When we sailed into the capital, Port Blair, a few months later in 2010, I decided to hop off and try to find this elephant. I found Rajan on Havelock (now Swaraj) Island and spent two weeks with him, learning about his incredible story.

    Continue reading...", + "category": "Art and design", + "link": "https://www.theguardian.com/artanddesign/2021/dec/08/rajan-last-ocean-swimming-elephant-jody-macdonalds-best-photograph-andaman-retirement", + "creator": "Interview by Graeme Green", + "pubDate": "2021-12-08T15:27:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118296,16 +144733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f46a606a164de99df1a07135ee628f70" + "hash": "85560a67457be52a3f20a6756dd2ebc5" }, { - "title": "Mouse bite may have infected Taiwan lab worker with Covid", - "description": "

    Employee at high-security facility tests positive in island’s first local infection in weeks

    Health officials in Taiwan are investigating whether a mouse bite may have been responsible for a laboratory worker testing positive for Covid, the island’s first local infection in weeks.

    The authorities are scrambling to work out how the employee at Academia Sinica, the country’s top research institute, contracted the virus last month.

    Continue reading...", - "content": "

    Employee at high-security facility tests positive in island’s first local infection in weeks

    Health officials in Taiwan are investigating whether a mouse bite may have been responsible for a laboratory worker testing positive for Covid, the island’s first local infection in weeks.

    The authorities are scrambling to work out how the employee at Academia Sinica, the country’s top research institute, contracted the virus last month.

    Continue reading...", - "category": "Taiwan", - "link": "https://www.theguardian.com/world/2021/dec/10/mouse-bite-infected-taiwan-lab-woker-covid", - "creator": "Agence France-Presse in Taipei", - "pubDate": "2021-12-10T10:53:18Z", + "title": "Mispronounced words: how omicron, cheugy and Billie Eilish tripped us up in 2021", + "description": "

    The world is divided on how to say the name of the latest Covid-19 variant. But however you pronounce it, we can all agree: it’s not as annoying as someone asking for ‘expresso’

    Name: Omicron.

    Age: The new and potentially more virulent Covid-19 variant was first detected in South Africa at the end of November. Young, then.

    Continue reading...", + "content": "

    The world is divided on how to say the name of the latest Covid-19 variant. But however you pronounce it, we can all agree: it’s not as annoying as someone asking for ‘expresso’

    Name: Omicron.

    Age: The new and potentially more virulent Covid-19 variant was first detected in South Africa at the end of November. Young, then.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/08/mispronounced-words-how-omicron-cheugy-and-billie-eilish-tripped-us-up-in-2021", + "creator": "", + "pubDate": "2021-12-08T18:02:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118316,16 +144753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8ce1f8bbb4f2e42e85e332688ae03d46" + "hash": "b70f1d93b5ed9365442f73491c64937f" }, { - "title": "‘Nobody wants to be Putin’s slave’: on the Ukraine frontline as tensions rise", - "description": "

    Soldiers and residents living in the shadow of Russia’s military buildup describe the toll of the long, unresolved conflict

    For Misha Novitskyi, the question of whether Russia will invade Ukraine is not theoretical. The enemy is just 50 metres away behind a concrete slab. From time to time Russian voices float eerily across a wintry no man’s land of ragged trees and scrub.

    “When they light their stoves you can see the smoke,” Novitskyi – a senior lieutenant in the Ukrainian army – said, speaking from what is in effect Europe’s eastern front with Russia. He added: “Every day they shoot at us.”

    Continue reading...", - "content": "

    Soldiers and residents living in the shadow of Russia’s military buildup describe the toll of the long, unresolved conflict

    For Misha Novitskyi, the question of whether Russia will invade Ukraine is not theoretical. The enemy is just 50 metres away behind a concrete slab. From time to time Russian voices float eerily across a wintry no man’s land of ragged trees and scrub.

    “When they light their stoves you can see the smoke,” Novitskyi – a senior lieutenant in the Ukrainian army – said, speaking from what is in effect Europe’s eastern front with Russia. He added: “Every day they shoot at us.”

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/10/nobody-wants-to-be-putins-slave-on-the-ukraine-frontline-as-tensions-rise", - "creator": "Luke Harding in Avdiyivka, with pictures by Volodymyr Yurchenko", - "pubDate": "2021-12-10T14:48:21Z", + "title": "Mobile phone apps make it almost impossible to get lost these days. And that isn’t good for us | Adrian Chiles", + "description": "

    In an era of mobile phones, we rarely lose our way - which means we miss out on the joy and relief of finding it again

    A travel company called Black Tomato, in return for a significant sum of money, will drop you in the middle of you know not where, and leave you there. The product is called Get Lost and is surely more evidence that we’ve, well, lost our way.

    Which isn’t to say that it’s a daft idea. As a matter of fact, it quite appeals to me. I’m used to feeling psychologically lost – that wouldn’t be much of a holiday – but I’m very rarely physically, geographically lost. And annoying, and even frightening, as it can be, I miss this sensation. I believe it is good for the soul. “Oh, that magic feeling, nowhere to go,” is a line in a Beatles song. How about: “Oh, that magic feeling, where the bloody hell am I?”

    Continue reading...", + "content": "

    In an era of mobile phones, we rarely lose our way - which means we miss out on the joy and relief of finding it again

    A travel company called Black Tomato, in return for a significant sum of money, will drop you in the middle of you know not where, and leave you there. The product is called Get Lost and is surely more evidence that we’ve, well, lost our way.

    Which isn’t to say that it’s a daft idea. As a matter of fact, it quite appeals to me. I’m used to feeling psychologically lost – that wouldn’t be much of a holiday – but I’m very rarely physically, geographically lost. And annoying, and even frightening, as it can be, I miss this sensation. I believe it is good for the soul. “Oh, that magic feeling, nowhere to go,” is a line in a Beatles song. How about: “Oh, that magic feeling, where the bloody hell am I?”

    Continue reading...", + "category": "Health & wellbeing", + "link": "https://www.theguardian.com/lifeandstyle/commentisfree/2021/dec/08/mobile-phone-apps-make-it-almost-impossible-to-get-lost-these-days-and-that-isnt-good-for-us", + "creator": "Adrian Chiles", + "pubDate": "2021-12-08T19:05:53Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118336,36 +144773,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "a87b511b10d796246d5bd1b1798155c8" + "hash": "8338089453a1458a372153afb5545f7e" }, { - "title": "The Succession quiz: who said it – a real-life billionaire or one of the Roys?", - "description": "

    Test your Succession knowledge of where these quotes came from: Logan, Shiv, Roman or Kendall Roy; Rupert Murdoch, James Packer, Jack Dorsey or Jeff Bezos

    Continue reading...", - "content": "

    Test your Succession knowledge of where these quotes came from: Logan, Shiv, Roman or Kendall Roy; Rupert Murdoch, James Packer, Jack Dorsey or Jeff Bezos

    Continue reading...", - "category": "Succession", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/11/the-succession-quiz-who-said-it-a-real-life-billionaire-or-one-of-the-roys", - "creator": "Elle Hunt", - "pubDate": "2021-12-10T19:00:49Z", + "title": "Met police say they will not investigate Downing Street Christmas party", + "description": "

    Force cites policy of not investigating past alleged breaches of Covid rules and lack of evidence

    The Metropolitan police has said it will not investigate the Downing Street Christmas party widely reported to have been held last year.

    In a much awaited statement, the force said it had a policy of not retrospectively investigating alleged breaches of coronavirus laws.

    Continue reading...", + "content": "

    Force cites policy of not investigating past alleged breaches of Covid rules and lack of evidence

    The Metropolitan police has said it will not investigate the Downing Street Christmas party widely reported to have been held last year.

    In a much awaited statement, the force said it had a policy of not retrospectively investigating alleged breaches of coronavirus laws.

    Continue reading...", + "category": "Metropolitan police", + "link": "https://www.theguardian.com/uk-news/2021/dec/08/met-police-say-they-will-not-investigate-downing-street-christmas-party", + "creator": "Vikram Dodd Police and crime correspondent", + "pubDate": "2021-12-08T20:35:28Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc42a002b156292e909e2eefe8014ec0" + "hash": "64b37ba11ea0c4436bde7ee75d002c03" }, { - "title": "And Just Like That: bad jokes are the least of its problems", - "description": "

    Some franchises cannot endure, it turns out – but, happily, old box sets live forever

    Good sex, like good comedy, relies on timing, and maybe, 17 years after the original show ended, 11 years after the second film departed cinemas, Sex and the City no longer has its finger on the clitoris when it comes to timing. “And Just Like That, It All Went Wrong” was the New York Times’s verdict on the wildly publicised, moderately anticipated SATC follow-up series, And Just Like That, which debuted its first two episodes this week. The Guardian’s Lucy Mangan described it as at times “excruciating”.

    Certainly the jokes are bad. Not “Lawrence of my labia” bad, as Samantha (Kim Cattrall) notoriously said in Sex and the City 2. But a far cry from the spit-out-your-wine-with-laughter-and-shock level of the original show, which ran from 1998 to 2004. And that’s the least of its problems.

    Continue reading...", - "content": "

    Some franchises cannot endure, it turns out – but, happily, old box sets live forever

    Good sex, like good comedy, relies on timing, and maybe, 17 years after the original show ended, 11 years after the second film departed cinemas, Sex and the City no longer has its finger on the clitoris when it comes to timing. “And Just Like That, It All Went Wrong” was the New York Times’s verdict on the wildly publicised, moderately anticipated SATC follow-up series, And Just Like That, which debuted its first two episodes this week. The Guardian’s Lucy Mangan described it as at times “excruciating”.

    Certainly the jokes are bad. Not “Lawrence of my labia” bad, as Samantha (Kim Cattrall) notoriously said in Sex and the City 2. But a far cry from the spit-out-your-wine-with-laughter-and-shock level of the original show, which ran from 1998 to 2004. And that’s the least of its problems.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/10/and-just-like-that-bad-jokes-are-the-least-of-its-problems", - "creator": "Hadley Freeman", - "pubDate": "2021-12-10T17:21:57Z", + "title": "Covid live: UK reports 51,342 new infections; three Pfizer shots can ‘neutralise’ Omicron, lab tests show", + "description": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "content": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", + "creator": "Tom Ambrose (now); Sarah Marsh, Kevin Rawlinson, Martin Belam and Martin Farrer (earlier)", + "pubDate": "2021-12-08T22:32:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118376,16 +144813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fbdf0d045d253aed58f706d2694a2a6f" + "hash": "59c0eab48d3f4945a3b328bf4197885b" }, { - "title": "‘Pushy, gobby, rude’: why do women get penalised for talking loudly at work?", - "description": "

    As a female physicist wins an unfair dismissal claim, why some women are viewed as strident or difficult when men aren’t

    For quite a loud woman, it’s amazing how hard Judith Howell had to work to get heard. Howell, 49, used to be a government lobbyist, and she noticed a well-known phenomenon: “It’s incredibly male-dominated, and I’d find that if I said something it would get picked up by someone else in the meeting as if they’d said it. So I’d have to push a bit harder, be a bit more strident, literally interrupt and – not shout, but raise my voice. And some people found that very annoying.”

    Howell cheerfully admits that she has a loud voice. “I grew up in a family of boys,” she boomed. “And I learned to sing at a young age, so I know how to project.” As a rowing coach, when she gives instructions to her crew from the riverbank, she can be heard from nearly a mile away.

    Continue reading...", - "content": "

    As a female physicist wins an unfair dismissal claim, why some women are viewed as strident or difficult when men aren’t

    For quite a loud woman, it’s amazing how hard Judith Howell had to work to get heard. Howell, 49, used to be a government lobbyist, and she noticed a well-known phenomenon: “It’s incredibly male-dominated, and I’d find that if I said something it would get picked up by someone else in the meeting as if they’d said it. So I’d have to push a bit harder, be a bit more strident, literally interrupt and – not shout, but raise my voice. And some people found that very annoying.”

    Howell cheerfully admits that she has a loud voice. “I grew up in a family of boys,” she boomed. “And I learned to sing at a young age, so I know how to project.” As a rowing coach, when she gives instructions to her crew from the riverbank, she can be heard from nearly a mile away.

    Continue reading...", - "category": "Women", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/10/pushy-gobby-rude-why-do-women-get-penalised-for-talking-loudly-at-work", - "creator": "Archie Bland", - "pubDate": "2021-12-10T15:03:00Z", + "title": "Camels enhanced with Botox barred from Saudi beauty contest", + "description": "

    Dozens of animals disqualified after owners manipulate their looks with hormones, fillers and facelifts

    Saudi authorities have carried out their biggest crackdown on camel beauty contestants, disqualifying more than 40 “enhanced” camels from the annual pageant, according to the state-run Saudi Press Agency.

    The camels disqualified in the competition, at the King Abdulaziz camel festival, were judged to have received Botox injections and other artificial touch-ups.

    Continue reading...", + "content": "

    Dozens of animals disqualified after owners manipulate their looks with hormones, fillers and facelifts

    Saudi authorities have carried out their biggest crackdown on camel beauty contestants, disqualifying more than 40 “enhanced” camels from the annual pageant, according to the state-run Saudi Press Agency.

    The camels disqualified in the competition, at the King Abdulaziz camel festival, were judged to have received Botox injections and other artificial touch-ups.

    Continue reading...", + "category": "Saudi Arabia", + "link": "https://www.theguardian.com/world/2021/dec/08/camels-enhanced-with-botox-barred-from-saudi-beauty-contest", + "creator": "AP in Dubai", + "pubDate": "2021-12-08T15:26:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118396,36 +144833,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "3416fef36be032d4c5e00233ca9910e6" + "hash": "620c5f1f6277a35729c6c433ee4f34e6" }, { - "title": "Golden generation survivor Steven Gerrard is writing his own origin story | Barney Ronay", - "description": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", - "content": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", - "category": "Steven Gerrard", - "link": "https://www.theguardian.com/football/blog/2021/dec/10/golden-generation-survivor-steven-gerrard-is-writing-his-own-superhero-story", - "creator": "Barney Ronay", - "pubDate": "2021-12-10T20:00:49Z", + "title": "Biden’s carbon-neutral order praised for ‘aligning government power with climate goals’ – live", + "description": "

    Joe Biden took a few questions from reporters this morning, as he left the White House to start his trip to Kansas City, Missouri.

    Asked about his summit yesterday with Vladimir Putin, Biden said, “I was very straightforward. There were no minced words.”

    Continue reading...", + "content": "

    Joe Biden took a few questions from reporters this morning, as he left the White House to start his trip to Kansas City, Missouri.

    Asked about his summit yesterday with Vladimir Putin, Biden said, “I was very straightforward. There were no minced words.”

    Continue reading...", + "category": "House of Representatives", + "link": "https://www.theguardian.com/us-news/live/2021/dec/08/house-passes-768bn-defense-bill-biden-us-politics-live", + "creator": "Joan E Greve", + "pubDate": "2021-12-08T22:09:26Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d0061e56784345535bf5fa25749d497" + "hash": "e54729488f48d3acbf7c8b7769e56b01" }, { - "title": "Trident submariner who died at base named as Stephen Cashman", - "description": "

    Engineering technician was stationed at Faslane and worked on a vessel that carried UK’s nuclear deterrent

    A 25-year-old Trident submariner who died in unexplained circumstances at the Faslane naval base on Thursday has been named as engineering technician Stephen Cashman by the Royal Navy.

    Police Scotland is continuing to investigate the sudden death, first reported to officers at 12.30pm on Thursday, which is believed to have taken place in the barracks at the base for Britain’s nuclear deterrent.

    Continue reading...", - "content": "

    Engineering technician was stationed at Faslane and worked on a vessel that carried UK’s nuclear deterrent

    A 25-year-old Trident submariner who died in unexplained circumstances at the Faslane naval base on Thursday has been named as engineering technician Stephen Cashman by the Royal Navy.

    Police Scotland is continuing to investigate the sudden death, first reported to officers at 12.30pm on Thursday, which is believed to have taken place in the barracks at the base for Britain’s nuclear deterrent.

    Continue reading...", - "category": "Royal Navy", - "link": "https://www.theguardian.com/uk-news/2021/dec/10/trident-submariner-25-dies-suddenly-at-naval-base-in-scotland", - "creator": "Dan Sabbagh and Severin Carrell", - "pubDate": "2021-12-10T23:30:53Z", + "title": "Australia news live update: Qld, NT pass 80% vaccine milestone; Victoria records 1,232 Covid cases, nine deaths; 420 cases and one death in NSW", + "description": "

    Deputy prime minister returns positive Covid test in the US; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; Queensland and Northern Territory pass 80% fully vaccinated mark; $23.6bn takeover of Sydney Airport approved; woman dies in floodwaters in Brisbane. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "content": "

    Deputy prime minister returns positive Covid test in the US; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; Queensland and Northern Territory pass 80% fully vaccinated mark; $23.6bn takeover of Sydney Airport approved; woman dies in floodwaters in Brisbane. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", + "creator": "Justine Landis-Hanley", + "pubDate": "2021-12-08T23:15:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118436,16 +144873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e053d216eb95d92ef63173adf232083d" + "hash": "491ee18e053498153f45bee65ea0cf90" }, { - "title": "Mark Huband obituary", - "description": "Foreign correspondent respected for his work in west Africa and the Middle East who went on to write books and poems

    Mark Huband, who has died aged 58 of pancreatitis and multiple organ failure, built a strong and lasting reputation over more than three decades as a foreign correspondent and business analyst, specialising in Africa and the Middle East.

    He and I met when he arrived in Abidjan, Ivory Coast, in 1989 to take up the post of the Financial Times stringer and I was working for Reuters. He hit the ground running and, despite his youth, he soon became a well-known figure among the foreign journalists, diplomats and business representatives covering the west African region. He was sharp, engaged and committed to the story, and went on to work as Africa correspondent for the Guardian and the Observer before returning to London. He did not look at events from a distance but always saw something of himself in others.

    Continue reading...", - "content": "Foreign correspondent respected for his work in west Africa and the Middle East who went on to write books and poems

    Mark Huband, who has died aged 58 of pancreatitis and multiple organ failure, built a strong and lasting reputation over more than three decades as a foreign correspondent and business analyst, specialising in Africa and the Middle East.

    He and I met when he arrived in Abidjan, Ivory Coast, in 1989 to take up the post of the Financial Times stringer and I was working for Reuters. He hit the ground running and, despite his youth, he soon became a well-known figure among the foreign journalists, diplomats and business representatives covering the west African region. He was sharp, engaged and committed to the story, and went on to work as Africa correspondent for the Guardian and the Observer before returning to London. He did not look at events from a distance but always saw something of himself in others.

    Continue reading...", - "category": "Newspapers & magazines", - "link": "https://www.theguardian.com/media/2021/dec/10/mark-huband-obituary", - "creator": "Nick Kotch", - "pubDate": "2021-12-10T21:43:11Z", + "title": "Massie’s gun collection: ‘They shouldn’t be in the hands of civilians’", + "description": "

    Analysis: furore continues over ‘Christmas card’ by US Congressman of group holding military weapons

    It is the Christmas card that has sent shockwaves across the world – and provided a chilling reminder of the size and type of weapons that are perfectly legal to own and carry in large parts of the US.

    An analysis by the Guardian indicates the guns in the photograph published by the Republican congressman Thomas Massie are military grade and – in some cases – similar to those used in recent notorious deadly incidents.

    Continue reading...", + "content": "

    Analysis: furore continues over ‘Christmas card’ by US Congressman of group holding military weapons

    It is the Christmas card that has sent shockwaves across the world – and provided a chilling reminder of the size and type of weapons that are perfectly legal to own and carry in large parts of the US.

    An analysis by the Guardian indicates the guns in the photograph published by the Republican congressman Thomas Massie are military grade and – in some cases – similar to those used in recent notorious deadly incidents.

    Continue reading...", + "category": "US gun control", + "link": "https://www.theguardian.com/us-news/2021/dec/06/massies-gun-collection-they-shouldnt-be-in-the-hands-of-civilians", + "creator": "Dan Sabbagh", + "pubDate": "2021-12-06T19:05:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118456,16 +144893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c12ecc5098001909eccd5bae067f5073" + "hash": "9b3acab0cc65d3d72508e87c39553730" }, { - "title": "Australia live news updates: Aacta awards named as Covid exposure site; Victoria records 13 deaths and NSW three; Qld changes quarantine rules", - "description": "

    Sydney pub and club at centre of Covid scare. Bushfire rages in Margaret River in Western Australia


    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", - "content": "

    Sydney pub and club at centre of Covid scare. Bushfire rages in Margaret River in Western Australia


    Two of the government’s biggest departments were found to have broken freedom of information law within a month of each other, prompting the watchdog to demand urgent explanations and reforms from both, documents show.

    The Office of the Australian Information Commissioner (OAIC) last month found the Department of Foreign Affairs and Trade breached the law by dragging out and eventually refusing a request by lawyer and FoI specialist Peter Timmins, documents seen by Guardian Australia show.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/11/australia-live-news-updates-omicron-covid-cases-climb-as-sydney-pub-and-club-at-centre-of-scare", - "creator": "Justine Landis-Hanley (now) and Cait Kelly (earlier)", - "pubDate": "2021-12-11T05:31:03Z", + "title": "Indian defence chief among 13 killed in helicopter crash", + "description": "

    Gen Bipin Rawat, who was leading changes to his country’s military, died along with his wife and other senior officers

    The Indian defence chief, Gen Bipin Rawat, was among 13 people killed in a helicopter crash on Wednesday, raising questions over the future of military changes he was leading.

    Rawat was India’s first chief of defence staff, a position that the government established in 2019, and was seen as close to the prime minister, Narendra Modi.

    Continue reading...", + "content": "

    Gen Bipin Rawat, who was leading changes to his country’s military, died along with his wife and other senior officers

    The Indian defence chief, Gen Bipin Rawat, was among 13 people killed in a helicopter crash on Wednesday, raising questions over the future of military changes he was leading.

    Rawat was India’s first chief of defence staff, a position that the government established in 2019, and was seen as close to the prime minister, Narendra Modi.

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/dec/08/indian-defence-chief-bipin-rawat-among-13-killed-in-helicopter-crash", + "creator": "Agence France-Presse in Coonoor", + "pubDate": "2021-12-08T17:31:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118476,16 +144913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ee67888aabc904f900e5c6227e2b3ba8" + "hash": "92a64a9b04ca5e539171f57bda128e8b" }, { - "title": "Michael Nesmith, singer and guitarist with the Monkees, dies aged 78", - "description": "

    Family say pop songwriter from chart-topping 1960s band died of natural causes at home

    Michael Nesmith, who achieved global fame as a member of the pop group the Monkees, has died aged 78.

    “With infinite love we announce that Michael Nesmith has passed away this morning in his home, surrounded by family, peacefully and of natural causes,” his family said in a statement. “We ask that you respect our privacy at this time and we thank you for the love and light that all of you have shown him and us.”

    Continue reading...", - "content": "

    Family say pop songwriter from chart-topping 1960s band died of natural causes at home

    Michael Nesmith, who achieved global fame as a member of the pop group the Monkees, has died aged 78.

    “With infinite love we announce that Michael Nesmith has passed away this morning in his home, surrounded by family, peacefully and of natural causes,” his family said in a statement. “We ask that you respect our privacy at this time and we thank you for the love and light that all of you have shown him and us.”

    Continue reading...", - "category": "The Monkees", - "link": "https://www.theguardian.com/music/2021/dec/10/mike-nesmith-singer-and-guitarist-with-the-monkees-dies-aged-78", - "creator": "Ben Beaumont-Thomas", - "pubDate": "2021-12-10T19:01:40Z", + "title": "Three Pfizer jabs likely to protect against Omicron infection, tests suggest", + "description": "

    Initial findings indicate stark reduction in protection against new variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", + "content": "

    Initial findings indicate stark reduction in protection against new variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/omicron-can-partially-evade-covid-vaccine-protection-study-finds", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-12-08T18:48:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118496,16 +144933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4b45fe2a67dd0c71d96c5bc52c8b5b3d" + "hash": "d787767c5670d888f35ac62859c46281" }, { - "title": "Supreme court rules Texas abortion providers can sue over ban but won’t stop law", - "description": "

    Justices are allowing the law, the strictest such regulation in America to date, to remain in effect

    The supreme court ruled on Friday that Texas abortion providers can sue over the state’s ban on most abortions, but the justices are allowing the law, the strictest such regulation in America to date, to remain in effect.

    The decision is a mixed result for reproductive health advocates at a time when social conservatives seem on the march in America and the supreme court is leaning towards restricting or outlawing abortion nationally in the future with its conservative supermajority, engineered by Donald Trump.

    Continue reading...", - "content": "

    Justices are allowing the law, the strictest such regulation in America to date, to remain in effect

    The supreme court ruled on Friday that Texas abortion providers can sue over the state’s ban on most abortions, but the justices are allowing the law, the strictest such regulation in America to date, to remain in effect.

    The decision is a mixed result for reproductive health advocates at a time when social conservatives seem on the march in America and the supreme court is leaning towards restricting or outlawing abortion nationally in the future with its conservative supermajority, engineered by Donald Trump.

    Continue reading...", - "category": "US supreme court", - "link": "https://www.theguardian.com/law/2021/dec/10/supreme-court-texas-abortion-ban-law", - "creator": "Jessica Glenza, Ed Pilkington, Gloria Oladipo and agencies", - "pubDate": "2021-12-10T16:57:16Z", + "title": "‘The Wizard of Oz of entertainment’: the incredible career of Robert Stigwood", + "description": "

    He managed the Bee Gees and created Saturday Night Fever but the closeted impressario ‘never felt that sense of success’ according to a new documentary

    According to film director John Maggio, two types of executives run the entertainment industry – one far rarer than the other. “The vast majority of them don’t know what’s good, or what will be a hit, until ten other people tell them,” he said. “But a few can tell you right away. They’re the visionaries.”

    For an extended time, one of the most clairvoyant was Robert Stigwood. Yet no one had made a feature documentary about him until now. Mr Saturday Night lays out the rocket-like trajectory of this manager turned producer turned impresario who scored hits in the worlds of music, theater, concerts and film. Stigwood’s projects ranged from managing the Bee Gees to running a record label featuring artists like Eric Clapton to producing two of the biggest movies of all time – Saturday Night Fever and Grease, as well as the successful movie version of the Who’s Tommy – to bankrolling smash plays like Jesus Christ Superstar and Evita. “For a time, he was the Wizard of Oz of entertainment,” said Maggio, who directed the film, to the Guardian. “Between 1970 and 1978, he could not not make a hit.”

    Continue reading...", + "content": "

    He managed the Bee Gees and created Saturday Night Fever but the closeted impressario ‘never felt that sense of success’ according to a new documentary

    According to film director John Maggio, two types of executives run the entertainment industry – one far rarer than the other. “The vast majority of them don’t know what’s good, or what will be a hit, until ten other people tell them,” he said. “But a few can tell you right away. They’re the visionaries.”

    For an extended time, one of the most clairvoyant was Robert Stigwood. Yet no one had made a feature documentary about him until now. Mr Saturday Night lays out the rocket-like trajectory of this manager turned producer turned impresario who scored hits in the worlds of music, theater, concerts and film. Stigwood’s projects ranged from managing the Bee Gees to running a record label featuring artists like Eric Clapton to producing two of the biggest movies of all time – Saturday Night Fever and Grease, as well as the successful movie version of the Who’s Tommy – to bankrolling smash plays like Jesus Christ Superstar and Evita. “For a time, he was the Wizard of Oz of entertainment,” said Maggio, who directed the film, to the Guardian. “Between 1970 and 1978, he could not not make a hit.”

    Continue reading...", + "category": "Documentary", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/08/robert-stigwood-documentary-saturday-night-fever", + "creator": "Jim Farber", + "pubDate": "2021-12-08T16:22:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118516,16 +144953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a3ec16c854e7c26e2014f208b27939e4" + "hash": "a601d88373e98d1cbbd7a04866d51569" }, { - "title": "Former Conservative MP Andrew Griffiths raped his wife, court finds", - "description": "

    Kate Griffiths, who succeeded her husband, supported journalists’ request to remove restriction on naming them

    The disgraced former Conservative minister Andrew Griffiths raped his wife when she was asleep and subjected her to coercive control, a high court judge has concluded.

    The judgment, published on Friday, detailed alleged domestic abuse by Griffiths towards his wife, Kate, who is now a serving Conservative MP, during their marriage.

    Continue reading...", - "content": "

    Kate Griffiths, who succeeded her husband, supported journalists’ request to remove restriction on naming them

    The disgraced former Conservative minister Andrew Griffiths raped his wife when she was asleep and subjected her to coercive control, a high court judge has concluded.

    The judgment, published on Friday, detailed alleged domestic abuse by Griffiths towards his wife, Kate, who is now a serving Conservative MP, during their marriage.

    Continue reading...", - "category": "Conservatives", - "link": "https://www.theguardian.com/uk-news/2021/dec/10/former-conservative-mp-andrew-griffiths-raped-wife-family-court-finds", - "creator": "Haroon Siddique Legal affairs correspondent", - "pubDate": "2021-12-10T18:27:38Z", + "title": "Macron takes on far-right presidential rival in visit to Vichy", + "description": "

    President warns about ‘manipulation’ of history after Éric Zemmour claims Vichy regime protected French Jews from Nazis

    Emmanuel Macron has warned against the “manipulation” of history in a clear message to the far-right presidential candidate, Éric Zemmour, on a symbolic visit to Vichy.

    After the German occupation in 1940, the spa town was chosen for Marshal Philippe Pétain’s puppet regime, which collaborated with the Nazis and ensured the deportation of Jews to death camps. Zemmour has angered historians by claiming, instead, that Pétain saved French Jews.

    Continue reading...", + "content": "

    President warns about ‘manipulation’ of history after Éric Zemmour claims Vichy regime protected French Jews from Nazis

    Emmanuel Macron has warned against the “manipulation” of history in a clear message to the far-right presidential candidate, Éric Zemmour, on a symbolic visit to Vichy.

    After the German occupation in 1940, the spa town was chosen for Marshal Philippe Pétain’s puppet regime, which collaborated with the Nazis and ensured the deportation of Jews to death camps. Zemmour has angered historians by claiming, instead, that Pétain saved French Jews.

    Continue reading...", + "category": "Emmanuel Macron", + "link": "https://www.theguardian.com/world/2021/dec/08/macron-takes-on-far-right-presidential-rival-in-visit-to-vichy", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-12-08T19:41:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118536,16 +144973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9724586f7e6382b9ef288268d7d82091" + "hash": "496f783a271812add59981075db5ca2c" }, { - "title": "Bosnian Serb leader likens himself to David Cameron in latest demands", - "description": "

    Milorad Dodik cites former UK PM’s attempt to renegotiate Britain’s EU membership terms

    The Bosnian Serb leader accused of risking war by breaking up Bosnia-Herzegovina has likened himself to David Cameron and his efforts to renegotiate Britain’s EU membership terms before the Brexit referendum.

    Milorad Dodik, the Serb member of the tripartite presidency of Bosnia-Herzegovina, said the country’s potential collapse and the exit of the Republika Srpska entity from it was only on the cards if he was rebuffed in his demand to take back control of tax administration, the judiciary and the army.

    Continue reading...", - "content": "

    Milorad Dodik cites former UK PM’s attempt to renegotiate Britain’s EU membership terms

    The Bosnian Serb leader accused of risking war by breaking up Bosnia-Herzegovina has likened himself to David Cameron and his efforts to renegotiate Britain’s EU membership terms before the Brexit referendum.

    Milorad Dodik, the Serb member of the tripartite presidency of Bosnia-Herzegovina, said the country’s potential collapse and the exit of the Republika Srpska entity from it was only on the cards if he was rebuffed in his demand to take back control of tax administration, the judiciary and the army.

    Continue reading...", - "category": "Bosnia-Herzegovina", - "link": "https://www.theguardian.com/world/2021/dec/10/bosnian-serb-leader-milorad-dodik-likens-himself-to-david-cameron", - "creator": "Daniel Boffey in Brussels", - "pubDate": "2021-12-10T18:21:55Z", + "title": "Australia news live update: Barnaby Joyce tests positive for Covid; increase in NSW cases linked to more parties; Omicron could become dominant variant", + "description": "

    Deputy prime minister returns positive Covid test in the US; Queensland and Northern Territory pass 80% fully vaccinated mark; woman dies in floodwaters in Brisbane; a trivia night at a Sydney pub is the source of a new Covid cluster after 44 people were diagnosed with the virus. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "content": "

    Deputy prime minister returns positive Covid test in the US; Queensland and Northern Territory pass 80% fully vaccinated mark; woman dies in floodwaters in Brisbane; a trivia night at a Sydney pub is the source of a new Covid cluster after 44 people were diagnosed with the virus. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", + "creator": "Justine Landis-Hanley", + "pubDate": "2021-12-08T22:14:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118556,16 +144993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eda2613a04b4ba229c05247f23c9937d" + "hash": "98ab255fab1240474ec629e8d8c386ef" }, { - "title": "Czech president rejects nominee for foreign minister over ‘low qualifications’", - "description": "

    Move from Miloš Zeman threatens to further delay the inauguration of new coalition

    The Czech president, Miloš Zeman, has set the stage for a constitutional tug of war after rejecting the nominee to be the country’s next foreign minister on the grounds of his allegedly poor degree thesis.

    In a move decried as legally baseless by many constitutional scholars, Zeman refused to accept the nomination of Jan Lipavský, citing “low qualifications” and adding that he had only completed a bachelor’s degree, which he said was a lower qualification than those held by all other proposed ministers in the incoming coalition government.

    Continue reading...", - "content": "

    Move from Miloš Zeman threatens to further delay the inauguration of new coalition

    The Czech president, Miloš Zeman, has set the stage for a constitutional tug of war after rejecting the nominee to be the country’s next foreign minister on the grounds of his allegedly poor degree thesis.

    In a move decried as legally baseless by many constitutional scholars, Zeman refused to accept the nomination of Jan Lipavský, citing “low qualifications” and adding that he had only completed a bachelor’s degree, which he said was a lower qualification than those held by all other proposed ministers in the incoming coalition government.

    Continue reading...", - "category": "Czech Republic", - "link": "https://www.theguardian.com/world/2021/dec/10/czech-president-rejects-nominee-for-foreign-minister-over-low-qualifications", - "creator": "Robert Tait in Prague", - "pubDate": "2021-12-10T16:56:27Z", + "title": "Olaf Scholz elected to succeed Angela Merkel as German chancellor", + "description": "

    Former Hamburg mayor secures 395 of 736 delegates’ ballots in parliamentary vote

    Olaf Scholz will succeed Angela Merkel as Germany’s new chancellor after securing a majority of 395 of 736 delegates’ ballots in a parliamentary vote on Wednesday morning.

    Scholz will oversee a liberal-left “traffic light” coalition government between his Social Democratic party (SPD), the Greens and the liberal Free Democratic party (FDP), the first power-sharing agreement of such a kind in Germany, and the first governing alliance with three parties since 1957.

    Continue reading...", + "content": "

    Former Hamburg mayor secures 395 of 736 delegates’ ballots in parliamentary vote

    Olaf Scholz will succeed Angela Merkel as Germany’s new chancellor after securing a majority of 395 of 736 delegates’ ballots in a parliamentary vote on Wednesday morning.

    Scholz will oversee a liberal-left “traffic light” coalition government between his Social Democratic party (SPD), the Greens and the liberal Free Democratic party (FDP), the first power-sharing agreement of such a kind in Germany, and the first governing alliance with three parties since 1957.

    Continue reading...", + "category": "Olaf Scholz", + "link": "https://www.theguardian.com/world/2021/dec/08/olaf-scholz-elected-succeed-angela-merkel-german-chancellor", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-12-08T09:58:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118576,16 +145013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "521fec28dc62b5241af64c6250227af4" + "hash": "5b49995aaf0aab24766e0eb5e178c216" }, { - "title": "Woman admits abusing pet marmoset she offered cocaine and flushed down toilet", - "description": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", - "content": "

    Vicki Holland, from Newport, south Wales, pleads guilty to animal cruelty charges after videos found on phone

    • Warning: this article includes graphic images some readers may find disturbing

    A woman has pleaded guilty to abusing her pet marmoset, including offering cocaine to the primate and attempting to flush it down the toilet.

    A court heard how Vicki Holland was aggressive towards the primate, which is native to tropical forests in Central and South America. The monkey’s treatment was shown to the RSPCA after videos were discovered on Holland’s phone by Gwent police after a drug raid at her home.

    Continue reading...", - "category": "Animal welfare", - "link": "https://www.theguardian.com/world/2021/dec/10/woman-admits-abusing-pet-marmoset-she-offered-cocaine-and-flushed-down-toilet", - "creator": "Nadeem Badshah and agency", - "pubDate": "2021-12-10T19:39:28Z", + "title": "China accuses Australia of ‘political posturing’ over diplomatic boycott of Beijing Winter Olympics", + "description": "

    Scott Morrison says athletes will compete in next year’s Games because sport and politics should not mix

    The prime minister, Scott Morrison, has confirmed Australian officials will not attend the Beijing Winter Olympics, joining the United States in a diplomatic boycott of next year’s Games and prompting accusations from Beijing of political posturing.

    Morrison told reporters in Sydney it was “not surprising”, given the deterioration in the diplomatic relationship between Australia and China, that officials would not attend next year’s winter Games.

    Continue reading...", + "content": "

    Scott Morrison says athletes will compete in next year’s Games because sport and politics should not mix

    The prime minister, Scott Morrison, has confirmed Australian officials will not attend the Beijing Winter Olympics, joining the United States in a diplomatic boycott of next year’s Games and prompting accusations from Beijing of political posturing.

    Morrison told reporters in Sydney it was “not surprising”, given the deterioration in the diplomatic relationship between Australia and China, that officials would not attend next year’s winter Games.

    Continue reading...", + "category": "Australian politics", + "link": "https://www.theguardian.com/australia-news/2021/dec/08/australia-joins-beijing-winter-olympics-diplomatic-boycott-over-chinas-human-rights-abuses", + "creator": "Katharine Murphy and Helen Davidson", + "pubDate": "2021-12-08T04:32:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118596,16 +145033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c5e7dee8a67c03321026733a06611709" + "hash": "d2032d4294522536175d92725add602c" }, { - "title": "Covid live: UK reports highest daily new cases since January with ministers keeping restrictions ‘under review’", - "description": "

    UK records 58,194 new cases of Covid-19 and a further 120 deaths; UK government shown ‘very challenging new information’ on Omicron

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", - "content": "

    UK records 58,194 new cases of Covid-19 and a further 120 deaths; UK government shown ‘very challenging new information’ on Omicron

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", + "title": "Covid live: over-40s in England now eligible for booster after three months; South Korea surge sparks alarm", + "description": "

    Millions of over-40s in England can book a top-up jab from today; South Korea PM Kim Boo-kyum says hospital capacity under strain as cases rise

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "content": "

    Millions of over-40s in England can book a top-up jab from today; South Korea PM Kim Boo-kyum says hospital capacity under strain as cases rise

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/10/covid-news-live-australia-to-offer-jabs-to-children-aged-five-to-11-us-omicron-cases-mostly-mild-cdc-chief-says", - "creator": "Nadeem Badshah (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-10T20:21:35Z", + "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", + "creator": "Martin Belam (now) and Martin Farrer (earlier)", + "pubDate": "2021-12-08T10:30:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118616,16 +145053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "92bc6db93103ff2f15198bd6f7b4f6f4" + "hash": "9e401975815eb6bba2e0636ac20f3e86" }, { - "title": "It’s time to embrace the darkness: how I got over my dread of winter", - "description": "

    Last winter’s gloom almost broke me, so here’s what I’ve learned about changing my mindset and embracing the long, cold, dark months


    It’s only now, when we have some distance from it, that we can reckon with last winter: five months of gloom, seclusion and burnout in which almost the entire country felt miserable. Against a background of a rising death toll, exhausted health workers and gross governmental incompetence – not to mention a cancelled Christmas – we were tasked with a third go at making the most of a bad situation.

    I remember the moment it really got to me. It was New Year’s Eve. I’d just had a terrible and prolonged breakup, and a few days earlier had moved out of the London flat I had shared with my ex for five years. House-sitting, alone, was not the kind of New Year bash I’d envisioned, but at least I could take some solace in the thought that no one else was having much fun.

    Continue reading...", - "content": "

    Last winter’s gloom almost broke me, so here’s what I’ve learned about changing my mindset and embracing the long, cold, dark months


    It’s only now, when we have some distance from it, that we can reckon with last winter: five months of gloom, seclusion and burnout in which almost the entire country felt miserable. Against a background of a rising death toll, exhausted health workers and gross governmental incompetence – not to mention a cancelled Christmas – we were tasked with a third go at making the most of a bad situation.

    I remember the moment it really got to me. It was New Year’s Eve. I’d just had a terrible and prolonged breakup, and a few days earlier had moved out of the London flat I had shared with my ex for five years. House-sitting, alone, was not the kind of New Year bash I’d envisioned, but at least I could take some solace in the thought that no one else was having much fun.

    Continue reading...", - "category": "Mental health", - "link": "https://www.theguardian.com/society/2021/dec/10/how-to-beat-the-winter-dread", - "creator": "Sam Wolfson", - "pubDate": "2021-12-10T11:00:38Z", + "title": "England skittled for just 147 by Australia in dramatic start to Ashes series", + "description": "

    It was a first day in the job that seemed written in the southern stars for Pat Cummins, Australia’s newly-crowned Test captain claiming a five-wicket haul, watching his opposite number trudge off after a nine-ball duck and England’s batsmen left in a state of general bewilderment.

    From the opening delivery of this pandemic-era Ashes, when Rory Burns displayed the footwork of an early Strictly evictee and Mitchell Starc speared the brand new Kookaburra ball into his leg stump, everything turned to Australian gold; for England, three for 11 in the blink of an eye and then all out for 147 in 50.1 overs, this represented the latest chapter in the great book of Gabba woes.

    Continue reading...", + "content": "

    It was a first day in the job that seemed written in the southern stars for Pat Cummins, Australia’s newly-crowned Test captain claiming a five-wicket haul, watching his opposite number trudge off after a nine-ball duck and England’s batsmen left in a state of general bewilderment.

    From the opening delivery of this pandemic-era Ashes, when Rory Burns displayed the footwork of an early Strictly evictee and Mitchell Starc speared the brand new Kookaburra ball into his leg stump, everything turned to Australian gold; for England, three for 11 in the blink of an eye and then all out for 147 in 50.1 overs, this represented the latest chapter in the great book of Gabba woes.

    Continue reading...", + "category": "Ashes 2021-22", + "link": "https://www.theguardian.com/sport/2021/dec/08/england-australia-ashes-report-day-one-first-test-rory-burns-first-ball-mitchell-starc", + "creator": "Ali Martin", + "pubDate": "2021-12-08T07:25:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118636,16 +145073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad7b0ce2ef17f296bf876895494c52e9" + "hash": "d940af27ff1cef80d15a30f684141c80" }, { - "title": "Golden generation survivor Steven Gerrard is writing his own superhero story | Barney Ronay", - "description": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", - "content": "

    Driven by his league title failure as a player, Aston Villa’s head coach has become a compelling prospect as a manager

    There is an interesting, and no doubt very common phenomenon called parasocial interaction. This is where people feel they have an intimate, reciprocal relationship with a famous person, a belief that by consuming images of that person, by thinking about them, the mirror becomes a two-way glass; that they can see you too.

    We all get this to some extent, right down to the entry-level version where you glimpse a famous person in the street and, as you walk past, automatically say hello-all-right-how’s-it-going-bro-safe-see-you-later-ha-ha-ha-be-lucky-how’s-Tanya, because obviously you must know them, and then five paces down the road realise it was Howard from Take That.

    Continue reading...", - "category": "Steven Gerrard", - "link": "https://www.theguardian.com/football/blog/2021/dec/10/golden-generation-survivor-steven-gerrard-is-writing-his-own-superhero-story", - "creator": "Barney Ronay", - "pubDate": "2021-12-10T20:00:49Z", + "title": "PM accused of lying after No 10 officials caught joking about Christmas party", + "description": "

    Exchange between Ed Oldfield and Allegra Stratton took place last December days after alleged party took place

    Boris Johnson is facing accusations of lying after senior No 10 officials were filmed joking about a lockdown Christmas party that Downing Street insists did not take place.

    Johnson and his aides have repeatedly denied that the event, reportedly held for staff at No 10 in December last year, broke Covid rules or took place at all.

    Continue reading...", + "content": "

    Exchange between Ed Oldfield and Allegra Stratton took place last December days after alleged party took place

    Boris Johnson is facing accusations of lying after senior No 10 officials were filmed joking about a lockdown Christmas party that Downing Street insists did not take place.

    Johnson and his aides have repeatedly denied that the event, reportedly held for staff at No 10 in December last year, broke Covid rules or took place at all.

    Continue reading...", + "category": "Conservatives", + "link": "https://www.theguardian.com/politics/2021/dec/07/leaked-video-shows-no-10-officials-joking-about-holding-christmas-party", + "creator": "Peter Walker, Aubrey Allegretti and Jamie Grierson", + "pubDate": "2021-12-07T20:59:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118656,16 +145093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2bdbbee4e7a932dc7cd18f32eac00e5e" + "hash": "86c09c1745694e51a26dd49f9622e6a8" }, { - "title": "‘His struggle is ours’: biopic of slain 60s rebel hailed in Brazil with anti-Bolsonaro chants", - "description": "

    Film about Carlos Marighella, released in Berlin in 2019, only arrived in Brazil last month after government cancellations

    The CIA considered him Che Guevara’s successor when it came to igniting new guerrilla movements in Latin America.

    Brazil’s military dictatorship, whose security agents ambushed and killed him in São Paulo in 1969, called him public enemy No 1.

    Continue reading...", - "content": "

    Film about Carlos Marighella, released in Berlin in 2019, only arrived in Brazil last month after government cancellations

    The CIA considered him Che Guevara’s successor when it came to igniting new guerrilla movements in Latin America.

    Brazil’s military dictatorship, whose security agents ambushed and killed him in São Paulo in 1969, called him public enemy No 1.

    Continue reading...", - "category": "Brazil", - "link": "https://www.theguardian.com/world/2021/dec/10/carlos-marighella-film-brazil-jair-bolsonaro", - "creator": "Caio Barretto Briso in Rio de Janeiro", - "pubDate": "2021-12-10T10:00:37Z", + "title": "Australia’s fertility rate falls to record low in 2020", + "description": "

    Registered births fell by 3.7% in 2020, with the total fertility rate at an all-time low of 1.58 babies per woman

    Australia’s fertility rate continues to plummet, with registered births dropping below 300,000 for the first time in 14 years.

    Figures released by the Australian Bureau of Statistics on Wednesday showed there were 294,369 registered births in 2020, a decrease of 3.7% from 2019. The previous year’s decline was 3%.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Registered births fell by 3.7% in 2020, with the total fertility rate at an all-time low of 1.58 babies per woman

    Australia’s fertility rate continues to plummet, with registered births dropping below 300,000 for the first time in 14 years.

    Figures released by the Australian Bureau of Statistics on Wednesday showed there were 294,369 registered births in 2020, a decrease of 3.7% from 2019. The previous year’s decline was 3%.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/08/australias-fertility-rate-falls-to-record-low-in-2020", + "creator": "Peter Hannam Economics correspondent", + "pubDate": "2021-12-08T04:52:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118676,16 +145113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d6f79b4ad5a7e3c08c505c760f5d2e05" + "hash": "df07e66455b5d354254126b0d3ae9ce3" }, { - "title": "Scandals and sackings: why critics say Boris Johnson is not fit to be PM", - "description": "

    Analysis: some of the accusations levelled at the prime minister, from the Downing Street refurb to his handling of Home Office bullying

    Boris Johnson has repeatedly been accused of riding roughshod over independent advisers and of mishandling the machinery of state during his time in No 10. Equally, a series of aides who were once very firmly in the tent have ended up either walking or being booted out.

    Here are some examples of the behaviour the prime minister’s critics say makes him unfit for such high office.

    Continue reading...", - "content": "

    Analysis: some of the accusations levelled at the prime minister, from the Downing Street refurb to his handling of Home Office bullying

    Boris Johnson has repeatedly been accused of riding roughshod over independent advisers and of mishandling the machinery of state during his time in No 10. Equally, a series of aides who were once very firmly in the tent have ended up either walking or being booted out.

    Here are some examples of the behaviour the prime minister’s critics say makes him unfit for such high office.

    Continue reading...", - "category": "Boris Johnson", - "link": "https://www.theguardian.com/politics/2021/dec/10/scandals-and-sackings-why-critics-say-boris-johnson-is-not-fit-to-be-pm", - "creator": "Kevin Rawlinson, Peter Walker and Jessica Elgot", - "pubDate": "2021-12-10T17:51:20Z", + "title": "Journalists in China face ‘nightmare’ worthy of Mao era, press freedom group says", + "description": "

    Reporters Without Borders calls increasing media oppression in China a ‘great leap backwards’ and says Hong Kong journalism is ‘in freefall’

    Xi Jinping has created a “nightmare” of media oppression worthy of the Mao era, and Hong Kong’s journalism is in “freefall”, according to Reporters Without Borders (RSF).

    In a major report released on Wednesday, the journalism advocacy group detailed the worsening treatment of journalists and tightening of control over information in China, adding to an environment in which “freely accessing information has become a crime and to provide information an even greater crime”.

    Continue reading...", + "content": "

    Reporters Without Borders calls increasing media oppression in China a ‘great leap backwards’ and says Hong Kong journalism is ‘in freefall’

    Xi Jinping has created a “nightmare” of media oppression worthy of the Mao era, and Hong Kong’s journalism is in “freefall”, according to Reporters Without Borders (RSF).

    In a major report released on Wednesday, the journalism advocacy group detailed the worsening treatment of journalists and tightening of control over information in China, adding to an environment in which “freely accessing information has become a crime and to provide information an even greater crime”.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/08/journalists-in-china-face-nightmare-worthy-of-mao-era-press-freedom-group-says", + "creator": "Helen Davidson", + "pubDate": "2021-12-08T06:48:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118696,16 +145133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0df23d21fad6ffcd9186cc2758cf069" + "hash": "776b8661e8a89269bb1da68861ab6989" }, { - "title": "Met failings probably a factor in deaths of Stephen Port victims, says inquest", - "description": "

    Serial killer could have been caught earlier if police had not missed opportunities, jury finds

    Fundamental failings by the Metropolitan police in the investigation into the deaths of the serial killer Stephen Port’s victims “probably” contributed to three of the four deaths, an inquest jury has found in its damning conclusions.

    Missed opportunities could have led to Port being caught earlier, and “basic” lines of inquiry were not followed up, the jury found, in investigations that families of the victims described as “one of the most widespread institutional failures in modern history”.

    Continue reading...", - "content": "

    Serial killer could have been caught earlier if police had not missed opportunities, jury finds

    Fundamental failings by the Metropolitan police in the investigation into the deaths of the serial killer Stephen Port’s victims “probably” contributed to three of the four deaths, an inquest jury has found in its damning conclusions.

    Missed opportunities could have led to Port being caught earlier, and “basic” lines of inquiry were not followed up, the jury found, in investigations that families of the victims described as “one of the most widespread institutional failures in modern history”.

    Continue reading...", - "category": "Police", - "link": "https://www.theguardian.com/uk-news/2021/dec/10/mets-failings-contributed-to-deaths-of-stephen-ports-victims-inquest-finds", - "creator": "Caroline Davies", - "pubDate": "2021-12-10T17:59:36Z", + "title": "‘Dream come true’: Japanese billionaire blasts off for ISS", + "description": "

    Yusaku Maezawa fulfils childhood ambition with 12-day trip to International Space Station

    A Japanese billionaire has fulfilled his childhood dream of travelling to space, as one of two passengers onboard a Russian rocket that blasted off towards the International Space Station.

    Yusaku Maezawa, the founder of Zozo, a successful online fashion business, and his production assistant, Yozo Hirano, on Wednesday became the first space tourists to travel to the ISS for more than a decade.

    Continue reading...", + "content": "

    Yusaku Maezawa fulfils childhood ambition with 12-day trip to International Space Station

    A Japanese billionaire has fulfilled his childhood dream of travelling to space, as one of two passengers onboard a Russian rocket that blasted off towards the International Space Station.

    Yusaku Maezawa, the founder of Zozo, a successful online fashion business, and his production assistant, Yozo Hirano, on Wednesday became the first space tourists to travel to the ISS for more than a decade.

    Continue reading...", + "category": "International Space Station", + "link": "https://www.theguardian.com/science/2021/dec/08/dream-come-true-japanese-billionaire-blasts-off-for-iss", + "creator": "Justin McCurry in Tokyo and agencies", + "pubDate": "2021-12-08T09:14:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118716,16 +145153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e29f7303c95ec8a3f4847f51755fdb4" + "hash": "2d55f96e47c558721c3e7b0d825048d6" }, { - "title": "Iran says UK is discussing how to repay £400m debt", - "description": "

    Ambassador says British officials visited Tehran last week for talks on historical debt from 1970s arms sale

    UK government officials were in Tehran last week discussing legal ways to pay Britain’s historical £400m debt to Iran, the Iranian ambassador to London has said.

    Mohsen Baharvand added that he was in live discussions with the Foreign Office, and said the issues were not insurmountable.

    Continue reading...", - "content": "

    Ambassador says British officials visited Tehran last week for talks on historical debt from 1970s arms sale

    UK government officials were in Tehran last week discussing legal ways to pay Britain’s historical £400m debt to Iran, the Iranian ambassador to London has said.

    Mohsen Baharvand added that he was in live discussions with the Foreign Office, and said the issues were not insurmountable.

    Continue reading...", - "category": "Foreign policy", - "link": "https://www.theguardian.com/politics/2021/dec/10/iran-says-uk-is-discussing-how-to-repay-400m-debt", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-10T15:35:16Z", + "title": "Kellogg to replace 1,400 strikers as deal is rejected", + "description": "

    Strike, which began in October, expected to continue as workers seek significant raises, saying they work 80-hour weeks

    Kellogg has said it is permanently replacing 1,400 workers who have been on strike since October, a decision that comes as the majority of its cereal plant workforce rejected a deal that would have provided 3% raises.

    The Bakery, Confectionary, Tobacco Workers and Grain Millers (BCTGM) International Union said an overwhelming majority of workers had voted down the five-year offer.

    Continue reading...", + "content": "

    Strike, which began in October, expected to continue as workers seek significant raises, saying they work 80-hour weeks

    Kellogg has said it is permanently replacing 1,400 workers who have been on strike since October, a decision that comes as the majority of its cereal plant workforce rejected a deal that would have provided 3% raises.

    The Bakery, Confectionary, Tobacco Workers and Grain Millers (BCTGM) International Union said an overwhelming majority of workers had voted down the five-year offer.

    Continue reading...", + "category": "US unions", + "link": "https://www.theguardian.com/us-news/2021/dec/07/kellogg-strike-workers-pay", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-08T02:59:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118736,16 +145173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d676d46522c8b8c1aa056147313a2840" + "hash": "19c851acef6038c69ffd36fdb35ed16e" }, { - "title": "Biden ‘concerned’ over supreme court’s Texas abortion ruling, says White House – live", - "description": "

    Coming as a surprise to almost no one, Republican Senator Ted Cruz of Texas was reportedly not wearing a facial mask during the memorial service despite rising cases of Covid-19 nationwide and several older attendees present.

    For more information on rising Covid-19 cases and concerns sparked by the Omicron variant, check out the Guardian’s Eric Berger piece linked below.

    Continue reading...", - "content": "

    Coming as a surprise to almost no one, Republican Senator Ted Cruz of Texas was reportedly not wearing a facial mask during the memorial service despite rising cases of Covid-19 nationwide and several older attendees present.

    For more information on rising Covid-19 cases and concerns sparked by the Omicron variant, check out the Guardian’s Eric Berger piece linked below.

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/live/2021/dec/10/joe-biden-democracy-summit-supreme-court-abortion-texas-us-politics-live", - "creator": "Gloria Oladipo", - "pubDate": "2021-12-10T20:09:30Z", + "title": "Whoops and grunts: ‘bizarre’ fish songs raise hopes for coral reef recovery", + "description": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", + "content": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", + "category": "Coral", + "link": "https://www.theguardian.com/environment/2021/dec/08/whoops-and-grunts-bizarre-fish-songs-raise-hopes-for-coral-reef-recovery", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-08T05:00:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118756,16 +145193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7b6825b25cf4ed1d2de2b39af3ae258" + "hash": "ddf8c6826a65716c6b6d9202a8e5ad2b" }, { - "title": "Australian farmland prices surge at four times rate of capital cities amid fears of affordability crisis", - "description": "

    Sale of a Holbrook property for $40m – which was $10m more than initial asking price – is indicative of record buyer demand

    Farmland prices are soaring at quadruple the rates of median growth in Australia’s capital cities – as 30-year price highs across agricultural commodities combine with low interest rates and generally good seasonal conditions.

    Experts are beginning to warn that the “exorbitant” price of farmland is prohibitive for those starting out, echoing city housing concerns.

    Continue reading...", - "content": "

    Sale of a Holbrook property for $40m – which was $10m more than initial asking price – is indicative of record buyer demand

    Farmland prices are soaring at quadruple the rates of median growth in Australia’s capital cities – as 30-year price highs across agricultural commodities combine with low interest rates and generally good seasonal conditions.

    Experts are beginning to warn that the “exorbitant” price of farmland is prohibitive for those starting out, echoing city housing concerns.

    Continue reading...", - "category": "Real estate", - "link": "https://www.theguardian.com/australia-news/2021/dec/11/australian-farmland-prices-surge-at-four-times-rate-of-capital-cities-amid-fears-of-affordability-crisis", - "creator": "Natasha May", - "pubDate": "2021-12-10T19:00:50Z", + "title": "Omicron Covid cases ‘doubling every two to three days’ in UK, says scientist", + "description": "

    Prof Neil Ferguson says coronavirus variant likely to be dominant strain in the UK before Christmas

    The spread of the Omicron variant of coronavirus appears to be doubling every two to three days, Prof Neil Ferguson has said, adding that it could be necessary to impose new lockdowns as a result.

    Ferguson, a member of the UK government’s Scientific Advisory Group for Emergencies (Sage) and head of the disease outbreak modelling group at Imperial College London, told BBC Radio 4’s Today programme on Wednesday that Omicron was likely to be the dominant strain in the UK before Christmas.

    Continue reading...", + "content": "

    Prof Neil Ferguson says coronavirus variant likely to be dominant strain in the UK before Christmas

    The spread of the Omicron variant of coronavirus appears to be doubling every two to three days, Prof Neil Ferguson has said, adding that it could be necessary to impose new lockdowns as a result.

    Ferguson, a member of the UK government’s Scientific Advisory Group for Emergencies (Sage) and head of the disease outbreak modelling group at Imperial College London, told BBC Radio 4’s Today programme on Wednesday that Omicron was likely to be the dominant strain in the UK before Christmas.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/omicron-covid-cases-doubling-every-two-to-three-days-in-uk-says-scientist", + "creator": "Archie Bland", + "pubDate": "2021-12-08T09:01:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118776,16 +145213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "388006e39d4db187648e5d10707dfc30" + "hash": "bd3e6d187c199835e5a71b24402ba419" }, { - "title": "Win for Tunisian town facing landfill crisis as government backs down", - "description": "

    After demonstrations see police use teargas and the death of one man, work begins to clear waste in Sfax after decision to move site

    Work has begun to clear 30,000 tonnes of household rubbish from the streets of Tunisia’s “second city” of Sfax after the government backed down in a long-running dispute over a landfill site.

    Residents and activists in Agareb, where the current dump is located, said the site, opened in 2008 near the El Gonna national park, was a risk to human health. In recent weeks, unrest in the region has escalated, with access to the site blocked and police using teargas against demonstrators from the town. One man, Abderrazek Lacheb, has allegedly died after being caught up in the demonstrations, although the police have denied his death was due to teargas.

    Continue reading...", - "content": "

    After demonstrations see police use teargas and the death of one man, work begins to clear waste in Sfax after decision to move site

    Work has begun to clear 30,000 tonnes of household rubbish from the streets of Tunisia’s “second city” of Sfax after the government backed down in a long-running dispute over a landfill site.

    Residents and activists in Agareb, where the current dump is located, said the site, opened in 2008 near the El Gonna national park, was a risk to human health. In recent weeks, unrest in the region has escalated, with access to the site blocked and police using teargas against demonstrators from the town. One man, Abderrazek Lacheb, has allegedly died after being caught up in the demonstrations, although the police have denied his death was due to teargas.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/08/win-for-tunisian-town-facing-landfill-crisis-as-government-backs-down", - "creator": "Simon Speakman Cordall in Tunis", - "pubDate": "2021-12-08T12:16:04Z", + "title": "Queensland declares ‘world first’ Omicron Covid genetic variation but experts say it is not a new variant", + "description": "

    Sub-lineage described as Omicron ‘like’ was identified in an overseas arrival to the state from South Africa

    Queensland has declared a “world-first” sub-lineage of Omicron but experts say it’s not a new variant or a new strain and more information is needed.

    The new Omicron Covid sub-lineage, known as Omicron “like”, was identified in an overseas arrival to Queensland from South Africa.

    Continue reading...", + "content": "

    Sub-lineage described as Omicron ‘like’ was identified in an overseas arrival to the state from South Africa

    Queensland has declared a “world-first” sub-lineage of Omicron but experts say it’s not a new variant or a new strain and more information is needed.

    The new Omicron Covid sub-lineage, known as Omicron “like”, was identified in an overseas arrival to Queensland from South Africa.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/08/queensland-declares-world-first-omicron-covid-genetic-variation-but-experts-say-it-is-not-a-new-variant", + "creator": "Cait Kelly", + "pubDate": "2021-12-08T05:16:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118796,16 +145233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d746af6b0d9b74eeaf21f68760b559b0" + "hash": "73be5603bcc69053d57940911c524af5" }, { - "title": "After 16 years at the top of German politics, what now for Angela Merkel?", - "description": "

    While Merkel has said she has no particular plans, doing nothing doesn’t seem a realistic prospect for the outgoing chancellor

    After 16 years of gruelling European summits, late-light coalition negotiations and back-to-back conference calls with heads of state, Angela Merkel has vowed to spend the foreseeable future kicking back her flat black shoes and reading a few good books.

    But newly emerged details of a new office in central Berlin and veiled hints in interviews suggests the world may not have seen the last of Germany’s outgoing chancellor yet.

    Continue reading...", - "content": "

    While Merkel has said she has no particular plans, doing nothing doesn’t seem a realistic prospect for the outgoing chancellor

    After 16 years of gruelling European summits, late-light coalition negotiations and back-to-back conference calls with heads of state, Angela Merkel has vowed to spend the foreseeable future kicking back her flat black shoes and reading a few good books.

    But newly emerged details of a new office in central Berlin and veiled hints in interviews suggests the world may not have seen the last of Germany’s outgoing chancellor yet.

    Continue reading...", - "category": "Angela Merkel", - "link": "https://www.theguardian.com/world/2021/dec/08/after-16-years-at-the-top-of-german-politics-what-now-for-angela-merkel", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-12-08T10:34:22Z", + "title": "Tennis Australia denies seeking loopholes for unvaccinated players as Novak Djokovic included in draw", + "description": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated as Djokovic, who has not revealed his vaccination status, is included in tournament draw

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, as it included Novak Djokovic in the draw for the January grand slam.

    Djokovic’s inclusion in the tournament draw, which was released on Wednesday afternoon, followed intense speculation about the world No 1’s ability to enter the country.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated as Djokovic, who has not revealed his vaccination status, is included in tournament draw

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, as it included Novak Djokovic in the draw for the January grand slam.

    Djokovic’s inclusion in the tournament draw, which was released on Wednesday afternoon, followed intense speculation about the world No 1’s ability to enter the country.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Tennis", + "link": "https://www.theguardian.com/sport/2021/dec/08/tennis-australia-denies-seeking-loopholes-for-unvaccinated-players-amid-novak-djokovic-row", + "creator": "Elias Visontay", + "pubDate": "2021-12-08T06:41:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118816,16 +145253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e1802c060d0f06d723c3099eab11c28a" + "hash": "8492f334c2e36180749bc22e67893989" }, { - "title": "Omicron could be spreading faster in England than in South Africa, Sage adviser says", - "description": "

    John Edmunds says variant is ‘very severe setback’ to controlling Covid pandemic and that plan B ‘absolutely not an overreaction’

    Cases of the Omicron variant could be spreading even faster in England than in South Africa, according to a senior scientific adviser, who warned that the variant was a “very severe setback” to hopes of bringing the pandemic under control.

    Prof John Edmunds, an epidemiologist at the London School of Hygiene and Tropical Medicine and a member of the government’s Scientific Advisory Group for Emergencies (Sage), said that plan B measures announced by the prime minister were “absolutely not an overreaction” even if Omicron turned out to be milder than the current dominant variant.

    Continue reading...", - "content": "

    John Edmunds says variant is ‘very severe setback’ to controlling Covid pandemic and that plan B ‘absolutely not an overreaction’

    Cases of the Omicron variant could be spreading even faster in England than in South Africa, according to a senior scientific adviser, who warned that the variant was a “very severe setback” to hopes of bringing the pandemic under control.

    Prof John Edmunds, an epidemiologist at the London School of Hygiene and Tropical Medicine and a member of the government’s Scientific Advisory Group for Emergencies (Sage), said that plan B measures announced by the prime minister were “absolutely not an overreaction” even if Omicron turned out to be milder than the current dominant variant.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/09/daily-omicron-cases-in-uk-could-exceed-60000-by-christmas-sage-adviser-says", - "creator": "Ian Sample Science editor", - "pubDate": "2021-12-09T20:11:42Z", + "title": "‘She was very complicated. She was a conundrum’: who was the real Lucille Ball?", + "description": "

    Aaron Sorkin’s Oscar-tipped drama shows behind the scenes of the much-loved sitcom I Love Lucy. Here those who knew her look back on her unusual career

    She was very complicated, she was very loving and she was very mercurial. She was very generous but she came from the Depression and she was very guarded about money. She was a conundrum. She was a paradox of things. But she made me feel like I was the only person in the room, even in a crowd, and she made me feel authentic.

    Lee Tannen, author and playwright, is in full flow as he reminisces about his intense decade-long friendship with Lucille Ball, once the funniest and most famous woman in America. Her 1950s sitcom, I Love Lucy, pulled in 60m viewers and became part of the country’s cultural DNA.

    Continue reading...", + "content": "

    Aaron Sorkin’s Oscar-tipped drama shows behind the scenes of the much-loved sitcom I Love Lucy. Here those who knew her look back on her unusual career

    She was very complicated, she was very loving and she was very mercurial. She was very generous but she came from the Depression and she was very guarded about money. She was a conundrum. She was a paradox of things. But she made me feel like I was the only person in the room, even in a crowd, and she made me feel authentic.

    Lee Tannen, author and playwright, is in full flow as he reminisces about his intense decade-long friendship with Lucille Ball, once the funniest and most famous woman in America. Her 1950s sitcom, I Love Lucy, pulled in 60m viewers and became part of the country’s cultural DNA.

    Continue reading...", + "category": "US television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/07/she-was-very-complicated-she-was-a-conundrum-who-was-the-real-lucille-ball", + "creator": "David Smith in Washington", + "pubDate": "2021-12-08T07:15:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118836,16 +145273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ef2d16c6224d597fb41db4c41913edbd" + "hash": "ba9cb15e1e23d14dde99b27e7fa498a5" }, { - "title": "Dozens killed after truck packed with migrants crashes in Mexico", - "description": "

    At least 53 people died and many were injured after the vehicle rolled over on a highway in Chiapas

    A cargo truck jammed with more than 100 people thought to be migrants from Central America has rolled over and crashed into a pedestrian bridge in southern Mexico, killing at least 53 people and injuring dozens more.

    The crash on Thursday on a highway near Tuxtla Gutierrez, state capital of Chiapas, might have been triggered by the weight of the truck’s human cargo causing it to tip over on a bend, local officials said.

    Continue reading...", - "content": "

    At least 53 people died and many were injured after the vehicle rolled over on a highway in Chiapas

    A cargo truck jammed with more than 100 people thought to be migrants from Central America has rolled over and crashed into a pedestrian bridge in southern Mexico, killing at least 53 people and injuring dozens more.

    The crash on Thursday on a highway near Tuxtla Gutierrez, state capital of Chiapas, might have been triggered by the weight of the truck’s human cargo causing it to tip over on a bend, local officials said.

    Continue reading...", - "category": "Mexico", - "link": "https://www.theguardian.com/world/2021/dec/10/dozens-killed-after-truck-packed-with-migrants-crashes-in-mexico", - "creator": "Associated Press", - "pubDate": "2021-12-10T01:35:39Z", + "title": "Steven Spielberg on making West Side Story with Stephen Sondheim: ‘I called him SS1!’", + "description": "

    The legendary director used to get scolded by his parents for singing its songs at the dinner table. As his version hits the big screen, he talks about his own dancefloor prowess – and the ‘obscure movie club’ he formed with Sondheim

    It’s a winter afternoon and you’re about to begin a video call with Steven Spielberg. The perfect opportunity, then, to make a quick brew in your Gremlins mug (Spielberg produced that devilish 1984 horror-comedy) then brandish it in front of the webcam for the director’s benefit. “Oh, I love that, thank you,” he says, chuckling softly. Then he wags a cautionary finger: “Don’t drink it after midnight!”

    The most famous and widely cherished film-maker in history is all twinkling eyes and gee-whiz charm today. He is about to turn 75 but first there is the release of his muscular new take on West Side Story, which marks his third collaboration with the playwright Tony Kushner, who also scripted Munich and Lincoln. Spielberg is at pains to point out that this not a remake of the Oscar-laden movie but a reimagining of the original stage musical. “I never would have dared go near it had it only been a film,” he says. “But, because it’s constantly being performed across the globe, I didn’t feel I was claim-jumping on my friend Robert Wise’s 1961 movie.”

    Continue reading...", + "content": "

    The legendary director used to get scolded by his parents for singing its songs at the dinner table. As his version hits the big screen, he talks about his own dancefloor prowess – and the ‘obscure movie club’ he formed with Sondheim

    It’s a winter afternoon and you’re about to begin a video call with Steven Spielberg. The perfect opportunity, then, to make a quick brew in your Gremlins mug (Spielberg produced that devilish 1984 horror-comedy) then brandish it in front of the webcam for the director’s benefit. “Oh, I love that, thank you,” he says, chuckling softly. Then he wags a cautionary finger: “Don’t drink it after midnight!”

    The most famous and widely cherished film-maker in history is all twinkling eyes and gee-whiz charm today. He is about to turn 75 but first there is the release of his muscular new take on West Side Story, which marks his third collaboration with the playwright Tony Kushner, who also scripted Munich and Lincoln. Spielberg is at pains to point out that this not a remake of the Oscar-laden movie but a reimagining of the original stage musical. “I never would have dared go near it had it only been a film,” he says. “But, because it’s constantly being performed across the globe, I didn’t feel I was claim-jumping on my friend Robert Wise’s 1961 movie.”

    Continue reading...", + "category": "Steven Spielberg", + "link": "https://www.theguardian.com/film/2021/dec/08/steven-spielberg-west-side-story-stephen-sondheim-ss1-legendary-director", + "creator": "Ryan Gilbey", + "pubDate": "2021-12-08T06:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118856,16 +145293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1d9118734c2183c1c3904069032e0bb6" + "hash": "92abeca98c172a34f46e34a1bf9b65d3" }, { - "title": "Ashes 2021-22: Australia v England first Test, day three – live!", - "description": "

    An England injury update: Stokes is ok to bowl, Robinson is fine and only had cramp... but Dawid Malan isn’t out there today. Did a hamstring, apparently, from chasing leather all day. Zak Crawley is out there in his place.

    Here come the players, into the bright Brisbane sunshine. Travis Head resumes on 112 not out, of course. He’s joined by Mitchell Starc out there, with Australia’s lead at 196. Chris Woakes has the ball in hand. Here we go then...

    Continue reading...", - "content": "

    An England injury update: Stokes is ok to bowl, Robinson is fine and only had cramp... but Dawid Malan isn’t out there today. Did a hamstring, apparently, from chasing leather all day. Zak Crawley is out there in his place.

    Here come the players, into the bright Brisbane sunshine. Travis Head resumes on 112 not out, of course. He’s joined by Mitchell Starc out there, with Australia’s lead at 196. Chris Woakes has the ball in hand. Here we go then...

    Continue reading...", - "category": "Ashes 2021-22", - "link": "https://www.theguardian.com/sport/live/2021/dec/10/ashes-2021-22-day-3-three-cricket-australia-vs-england-first-test-live-score-card-aus-v-eng-start-time-latest-updates", - "creator": "Geoff Lemon at the Gabba (now) and Tim de Lisle (later)", - "pubDate": "2021-12-10T04:40:07Z", + "title": "James Bond: acclaimed writers explain how they would reinvent 007", + "description": "

    Producer Barbara Broccoli has not yet decided how Bond will return in the next film – but here are some ideas

    • Warning: article contains spoilers

    There are few commercial principles more reliable than this: there will always be another James Bond movie.

    It isn’t always easy to see how he’ll get to where he’s going next – and the franchise’s producer, Barbara Broccoli, isn’t sure either.

    Continue reading...", + "content": "

    Producer Barbara Broccoli has not yet decided how Bond will return in the next film – but here are some ideas

    • Warning: article contains spoilers

    There are few commercial principles more reliable than this: there will always be another James Bond movie.

    It isn’t always easy to see how he’ll get to where he’s going next – and the franchise’s producer, Barbara Broccoli, isn’t sure either.

    Continue reading...", + "category": "James Bond", + "link": "https://www.theguardian.com/film/2021/dec/08/james-bond-acclaimed-writers-explain-how-they-would-reinvent-007", + "creator": "Archie Bland", + "pubDate": "2021-12-08T07:00:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118876,16 +145313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc3b61678200fc5ce54dca9e18e4e678" + "hash": "2a1e5d4423def39251193328f4d6a1fe" }, { - "title": "China: editorial says Communist party members must have three children", - "description": "

    Article that says ‘no party member should use any excuse’ to have only one or two children goes viral then disappears

    An editorial in a Chinese state-run news website has suggested Communist party members are obliged to have three children for the good of the country, as Beijing seeks to address plummeting birthrates.

    The editorial, which was first published last month, went viral this week and drew sharp reaction from Chinese internet users, with millions of shares, views and comments. As the wave of reaction grew, the original article disappeared from the website.

    Continue reading...", - "content": "

    Article that says ‘no party member should use any excuse’ to have only one or two children goes viral then disappears

    An editorial in a Chinese state-run news website has suggested Communist party members are obliged to have three children for the good of the country, as Beijing seeks to address plummeting birthrates.

    The editorial, which was first published last month, went viral this week and drew sharp reaction from Chinese internet users, with millions of shares, views and comments. As the wave of reaction grew, the original article disappeared from the website.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/10/china-editorial-says-communist-party-members-must-have-three-children", - "creator": "Helen Davidson", - "pubDate": "2021-12-10T04:01:36Z", + "title": "The inner lives of cats: what our feline friends really think about hugs, happiness and humans", + "description": "

    They do what they want, all the time – and can teach us a lot about how to live in the present, be content and learn from our experience

    I wanted to know the exact amount of time I spend ruminating on the inner lives of my cats, so I did what most people do in times of doubt, and consulted Google. According to my search history, in the two years since I became a cat owner I have Googled variations of “cat love me – how do I tell?” and “is my cat happy 17 times. I have also inadvertently subscribed to cat-related updates from the knowledge website Quora, which emails me a daily digest. (Sample: Can Cats Be Angry or Disappointed With Their Owner?)

    How do I love my cats? Let me count the ways. The clean snap of three-year-old Larry’s jaw as he contemplates me with detached curiosity is my favourite sound in the world. I love the tenor and cadence of my six-month-old kitten Kedi’s miaows as he follows me around the house. (High-pitched indignant squeaks means he wants food; lower-pitched chirrups suggest he would like to play.) I love the weight of Larry on my feet at night and the scratchy caress of Kedi’s tongue on my eyelid in the morning.

    Continue reading...", + "content": "

    They do what they want, all the time – and can teach us a lot about how to live in the present, be content and learn from our experience

    I wanted to know the exact amount of time I spend ruminating on the inner lives of my cats, so I did what most people do in times of doubt, and consulted Google. According to my search history, in the two years since I became a cat owner I have Googled variations of “cat love me – how do I tell?” and “is my cat happy 17 times. I have also inadvertently subscribed to cat-related updates from the knowledge website Quora, which emails me a daily digest. (Sample: Can Cats Be Angry or Disappointed With Their Owner?)

    How do I love my cats? Let me count the ways. The clean snap of three-year-old Larry’s jaw as he contemplates me with detached curiosity is my favourite sound in the world. I love the tenor and cadence of my six-month-old kitten Kedi’s miaows as he follows me around the house. (High-pitched indignant squeaks means he wants food; lower-pitched chirrups suggest he would like to play.) I love the weight of Larry on my feet at night and the scratchy caress of Kedi’s tongue on my eyelid in the morning.

    Continue reading...", + "category": "Cats", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/08/the-inner-lives-of-cats-what-our-feline-friends-really-think-about-hugs-happiness-and-humans", + "creator": "Sirin Kale", + "pubDate": "2021-12-08T06:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118896,16 +145333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f33ed2fe0c4c7d9988bcc97514d077b3" + "hash": "9db97e8fc4c15269efee18918eae5325" }, { - "title": "Court rules Trump cannot block release of documents to Capitol attack panel", - "description": "

    The former president is expected to appeal the ruling to the supreme court

    Donald Trump, the former US president, suffered a major defeat on Thursday when a federal appeals court ruled against his effort to block the release of documents related to the 6 January attack on the US Capitol.

    Trump is expected to appeal to the supreme court.

    Continue reading...", - "content": "

    The former president is expected to appeal the ruling to the supreme court

    Donald Trump, the former US president, suffered a major defeat on Thursday when a federal appeals court ruled against his effort to block the release of documents related to the 6 January attack on the US Capitol.

    Trump is expected to appeal to the supreme court.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/09/donald-trump-capitol-attack-committee-documents", - "creator": "David Smith in Washington", - "pubDate": "2021-12-09T22:05:41Z", + "title": "Covid, mourning and the spectre of violence: New Caledonia prepares for blighted independence vote", + "description": "

    Pro-independence groups have called for Indigenous voters not to take part in Sunday’s long-awaited ballot, saying proper campaigning has been prevented

    New Caledonia is set to hold a referendum on independence from France this weekend, the third and final poll meant to conclude a decolonisation process initiated 30 years ago.

    For anyone who witnessed the first two referenda, the contrast with the vote set for 12 December is striking: instead of the countless Kanaky flags or the red, white and blue of the French tricolour that adorned houses, balconies, roadsides, pickups or even people in the run-up to the 2018 and 2020 votes, this year there is little to see. On the Place des Cocotiers, in the centre of Nouméa, the capital, the quiet is disturbed only by the incessant patrolling of police trucks, part of the increased security around the vote.

    Continue reading...", + "content": "

    Pro-independence groups have called for Indigenous voters not to take part in Sunday’s long-awaited ballot, saying proper campaigning has been prevented

    New Caledonia is set to hold a referendum on independence from France this weekend, the third and final poll meant to conclude a decolonisation process initiated 30 years ago.

    For anyone who witnessed the first two referenda, the contrast with the vote set for 12 December is striking: instead of the countless Kanaky flags or the red, white and blue of the French tricolour that adorned houses, balconies, roadsides, pickups or even people in the run-up to the 2018 and 2020 votes, this year there is little to see. On the Place des Cocotiers, in the centre of Nouméa, the capital, the quiet is disturbed only by the incessant patrolling of police trucks, part of the increased security around the vote.

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/2021/dec/08/covid-mourning-and-the-fear-of-violence-new-caledonia-prepares-for-blighted-independence-vote", + "creator": "Julien Sartre in Nouméa", + "pubDate": "2021-12-07T17:00:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118916,16 +145353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4ef368f965fc853515edf3cd5998607" + "hash": "2db29ad6c26edda9090c76244a6b7b64" }, { - "title": "Biden promises eastern Europeans support in event of Russian attack on Ukraine", - "description": "

    US president makes pledge in phone calls to Ukrainian president and nine other states

    Joe Biden has phoned the leaders of Ukraine and nine eastern European Nato states promising support if Russia attacks Ukraine and pledging to involve them in decisions about the region.

    After a 90-minute call with Biden late on Thursday, Ukrainian president Volodymyr Zelenskiy said on Twitter that the two “discussed possible formats for resolving the conflict” in eastern Ukraine, where Russian-backed separatists have carved out a self-declared state.

    Continue reading...", - "content": "

    US president makes pledge in phone calls to Ukrainian president and nine other states

    Joe Biden has phoned the leaders of Ukraine and nine eastern European Nato states promising support if Russia attacks Ukraine and pledging to involve them in decisions about the region.

    After a 90-minute call with Biden late on Thursday, Ukrainian president Volodymyr Zelenskiy said on Twitter that the two “discussed possible formats for resolving the conflict” in eastern Ukraine, where Russian-backed separatists have carved out a self-declared state.

    Continue reading...", - "category": "Europe", - "link": "https://www.theguardian.com/world/2021/dec/09/eastern-europe-urges-nato-unity-in-biden-talks-with-russia", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-12-09T22:32:27Z", + "title": "Top civil servant regrets holiday while Afghanistan fell to Taliban", + "description": "

    Sir Philip Barton refused to say precisely when Raab had been on holiday in August

    The head of the diplomatic service has admitted failing to show leadership after he began a three-week holiday two days before the Foreign Office internally accepted Kabul was about to fall to the Taliban.

    Sir Philip Barton stayed on holiday until 28 August and during bruising evidence to the foreign affairs select committee, he admitted this was a mistake.

    Continue reading...", + "content": "

    Sir Philip Barton refused to say precisely when Raab had been on holiday in August

    The head of the diplomatic service has admitted failing to show leadership after he began a three-week holiday two days before the Foreign Office internally accepted Kabul was about to fall to the Taliban.

    Sir Philip Barton stayed on holiday until 28 August and during bruising evidence to the foreign affairs select committee, he admitted this was a mistake.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/07/philip-barton-regrets-holiday-while-afghanistan-fell-to-taliban", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-07T21:15:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118936,16 +145373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d033358f86e2be3b58e86ff52e982651" + "hash": "64d03b00c269c394f5a98a43913be3fa" }, { - "title": "Jussie Smollett found guilty of faking hate crime against himself", - "description": "

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five of the six charges he faced

    A jury has found the Empire actor Jussie Smollett guilty of faking a hate crime against himself to raise his celebrity profile.

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five charges of disorderly conduct. He was acquitted on a sixth count, of lying to a detective in mid-February, weeks after Smollett said he was attacked.

    Continue reading...", - "content": "

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five of the six charges he faced

    A jury has found the Empire actor Jussie Smollett guilty of faking a hate crime against himself to raise his celebrity profile.

    The Chicago jury, which deliberated for more than nine hours, found Smollett guilty of five charges of disorderly conduct. He was acquitted on a sixth count, of lying to a detective in mid-February, weeks after Smollett said he was attacked.

    Continue reading...", - "category": "Jussie Smollett", - "link": "https://www.theguardian.com/us-news/2021/dec/09/jussie-smollett-found-guilty-faking-hate-crime-against-himself", - "creator": "Maya Yang and agencies", - "pubDate": "2021-12-10T00:04:23Z", + "title": "From the archive: Who murdered Giulio Regeni? – podcast", + "description": "

    We are raiding the Audio Long Read archives to bring you some classic pieces from years past, with new introductions from the authors.

    This week, from 2016: When the battered body of a Cambridge PhD student was found outside Cairo, Egyptian police claimed he had been hit by a car. Then they said he was the victim of a robbery. Then they blamed a conspiracy against Egypt. But in a digital age, it’s harder than ever to get away with murder. By Alexander Stille

    Continue reading...", + "content": "

    We are raiding the Audio Long Read archives to bring you some classic pieces from years past, with new introductions from the authors.

    This week, from 2016: When the battered body of a Cambridge PhD student was found outside Cairo, Egyptian police claimed he had been hit by a car. Then they said he was the victim of a robbery. Then they blamed a conspiracy against Egypt. But in a digital age, it’s harder than ever to get away with murder. By Alexander Stille

    Continue reading...", + "category": "Egypt", + "link": "https://www.theguardian.com/news/audio/2021/dec/08/from-the-archive-who-murdered-giulio-regeni-podcast", + "creator": "Written by Alexander Stille, read by Lucy Scott, produced by Simon Barnard with additions from Esther Opoku-Gyeni", + "pubDate": "2021-12-08T05:00:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118956,16 +145393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f9066f8314eb6128aece7a954a3ea51c" + "hash": "9a7098c84a71257ce78ba0b9214e340f" }, { - "title": "Villagers file human rights complaint over plan for giant PNG goldmine", - "description": "

    Frieda River mine proposed by Chinese-owned PanAust sparks appeal to government in Australia where company is registered

    More than 2,000 people in 60 villages in Papua New Guinea’s north – where the country’s largest gold, copper and silver mine is slated to be built – have filed a human rights complaint with the Australian government against developer PanAust.

    The landowners of the proposed Frieda River mine, on a tributary to the Sepik in the north of New Guinea island, allege that PanAust failed to obtain their consent.

    Continue reading...", - "content": "

    Frieda River mine proposed by Chinese-owned PanAust sparks appeal to government in Australia where company is registered

    More than 2,000 people in 60 villages in Papua New Guinea’s north – where the country’s largest gold, copper and silver mine is slated to be built – have filed a human rights complaint with the Australian government against developer PanAust.

    The landowners of the proposed Frieda River mine, on a tributary to the Sepik in the north of New Guinea island, allege that PanAust failed to obtain their consent.

    Continue reading...", - "category": "Papua New Guinea", - "link": "https://www.theguardian.com/world/2021/dec/10/villagers-file-human-rights-complaint-over-plan-for-giant-png-goldmine", - "creator": "Lyanne Togiba in Port Moresby", - "pubDate": "2021-12-10T03:08:11Z", + "title": "We’re losing IQ points’: the lead poisoning crisis unfolding among US children", + "description": "

    The US banned lead 30 years ago. So why are thousands of kids being poisoned every year?


    Nine-year-old Turokk Dow loves spelling, airplanes and basketball. He is learning to read and write in his third grade classroom.

    But suffering from extreme blood lead poisoning at age 3 – with lead levels nearly ten times the EPA action level – has hugely exacerbated the already-substantial challenges in his young life.

    Continue reading...", + "content": "

    The US banned lead 30 years ago. So why are thousands of kids being poisoned every year?


    Nine-year-old Turokk Dow loves spelling, airplanes and basketball. He is learning to read and write in his third grade classroom.

    But suffering from extreme blood lead poisoning at age 3 – with lead levels nearly ten times the EPA action level – has hugely exacerbated the already-substantial challenges in his young life.

    Continue reading...", + "category": "Children's health", + "link": "https://www.theguardian.com/us-news/2021/dec/08/lead-poisoning-crisis-us-children", + "creator": "Erin McCormick in Rhode Island and Eric Lutz", + "pubDate": "2021-12-08T10:00:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118976,16 +145413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e59a4323cb7f98bdc13b763db14fee5" + "hash": "610c137e37c63c67686d754dc86b346d" }, { - "title": "Dozens die and thousands flee in West Darfur tribal fighting", - "description": "

    Deadly clashes erupt in three separate areas with poor medical facilities as wider Darfur region slides into violence

    Tribal fighting has killed dozens of people over the past three weeks in three separate areas of Sudan’s West Darfur region and thousands of people have fled the violence, local medics have said.

    The West Darfur Doctors Committee said in statements on Wednesday and Thursday that attacks in the Kreinik area killed 88 and wounded 84, while renewed violence in the Jebel Moon area killed 25 and wounded four. Meanwhile, violence in the Sarba locality killed eight and wounded six.

    Continue reading...", - "content": "

    Deadly clashes erupt in three separate areas with poor medical facilities as wider Darfur region slides into violence

    Tribal fighting has killed dozens of people over the past three weeks in three separate areas of Sudan’s West Darfur region and thousands of people have fled the violence, local medics have said.

    The West Darfur Doctors Committee said in statements on Wednesday and Thursday that attacks in the Kreinik area killed 88 and wounded 84, while renewed violence in the Jebel Moon area killed 25 and wounded four. Meanwhile, violence in the Sarba locality killed eight and wounded six.

    Continue reading...", - "category": "Sudan", - "link": "https://www.theguardian.com/world/2021/dec/10/dozens-die-and-thousands-flee-in-west-darfur-tribal-fighting", - "creator": "Staff and agencies", - "pubDate": "2021-12-10T01:48:23Z", + "title": "‘A bit of hope’: Chile legalizes same-sex marriage", + "description": "

    Vote seen as a blow to conservative presidential candidate José Antonio Kast, who won majority of votes in November’s first round

    A historic vote granting equal marriage rights to same-sex couples in Chile has been heralded by activists as a triumph and a blow to the conservative agenda of presidential candidate José Antonio Kast.

    Kast won the majority of votes in November’s first-round vote, instilling a wave of fear among the country’s LGBTQ+ community. A tight runoff between Kast and his progressive opponent, former student protest leader Gabriel Boric, is scheduled on 19 December.

    Continue reading...", + "content": "

    Vote seen as a blow to conservative presidential candidate José Antonio Kast, who won majority of votes in November’s first round

    A historic vote granting equal marriage rights to same-sex couples in Chile has been heralded by activists as a triumph and a blow to the conservative agenda of presidential candidate José Antonio Kast.

    Kast won the majority of votes in November’s first-round vote, instilling a wave of fear among the country’s LGBTQ+ community. A tight runoff between Kast and his progressive opponent, former student protest leader Gabriel Boric, is scheduled on 19 December.

    Continue reading...", + "category": "Chile", + "link": "https://www.theguardian.com/world/2021/dec/07/chile-same-sex-marriage-vote", + "creator": "Charis McGowan in Santiago", + "pubDate": "2021-12-07T21:35:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -118996,56 +145433,56 @@ "favorite": false, "created": false, "tags": [], - "hash": "994727225ffda7b10a335b33b7586c8c" + "hash": "5e180b0cf3c490f2b86aafcf8d89a359" }, { - "title": "Macron accuses UK of not keeping its word on Brexit and fishing", - "description": "

    France willing to re-engage on Channel crossings, but UK economy relies on illegal labour, says president

    Relations between France and Britain are strained because the current UK government does not honour its word, president Emmanuel Macron has said.

    Macron accused London of failing to keep its word on Brexit and fishing licences, but said France was willing to re-engage in good faith, and called for “British re-engagement” over the “humanitarian question” of dangerous Channel crossings, after at least 27 migrants drowned trying to reach the British coast.

    Continue reading...", - "content": "

    France willing to re-engage on Channel crossings, but UK economy relies on illegal labour, says president

    Relations between France and Britain are strained because the current UK government does not honour its word, president Emmanuel Macron has said.

    Macron accused London of failing to keep its word on Brexit and fishing licences, but said France was willing to re-engage in good faith, and called for “British re-engagement” over the “humanitarian question” of dangerous Channel crossings, after at least 27 migrants drowned trying to reach the British coast.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/09/emmanuel-macron-uk-brexit-fishing-channel-crossings", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-12-09T19:10:03Z", + "title": "‘There is just a lake with crocodiles!’: hope and homkesickness for Kiribati nurses in the outback", + "description": "

    A Pacific labour scheme has been transformative for Kiribati families but the loss of nurses has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", + "content": "

    A Pacific labour scheme has been transformative for Kiribati families but the loss of nurses has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", + "category": "Kiribati", + "link": "https://www.theguardian.com/world/2021/dec/07/pacific-nurses-in-the-desert-kiribati-brain-drain-is-outback-australias-gain", + "creator": "John Marazita III", + "pubDate": "2021-12-08T10:20:19Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e1598fd0b3d0d08188374cc71c1e07e4" + "hash": "e352ec215f6102242cdf67c6f6f07db1" }, { - "title": "Brown sugar shortage leaves bitter taste for New Zealand’s home bakers", - "description": "

    Lead contamination scare and global supply chain disruption add up to recipe for Christmas disappointment, with dried fruit also in short supply

    A mass recall of brown sugar in New Zealand, prompted by fears of lead contamination, has left home bakers scrambling for alternatives in the lead up to the festive season, while global supply chain disruptions have caused gaps on the supermarket shelves.

    The country’s only sugar refinery, NZ Sugar Limited, was forced to make four recalls of its sugar products after low levels of lead were detected in some of its batches. Food Safety New Zealand is investigating the handling of the recall, after three incidents where recalled products ended up back on supermarket shelves.

    Continue reading...", - "content": "

    Lead contamination scare and global supply chain disruption add up to recipe for Christmas disappointment, with dried fruit also in short supply

    A mass recall of brown sugar in New Zealand, prompted by fears of lead contamination, has left home bakers scrambling for alternatives in the lead up to the festive season, while global supply chain disruptions have caused gaps on the supermarket shelves.

    The country’s only sugar refinery, NZ Sugar Limited, was forced to make four recalls of its sugar products after low levels of lead were detected in some of its batches. Food Safety New Zealand is investigating the handling of the recall, after three incidents where recalled products ended up back on supermarket shelves.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/dec/10/brown-sugar-shortage-leaves-bitter-taste-for-new-zealands-home-bakers", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-12-10T03:16:11Z", + "title": "‘Further flooding’: heavy rain and severe storms to hit already soaked NSW", + "description": "

    Bureau of Meteorology issues severe weather warning and says flood impacts will be felt particularly on state’s south coast

    The south-east region of New South Wales could receive up to 200mm of rain before the end of the week, adding to already soaked catchments and high rivers that have flooded across the state.

    The heavy falls could deliver some areas their total monthly average. A broader trend will see rain across all of eastern NSW for the rest of this week.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Bureau of Meteorology issues severe weather warning and says flood impacts will be felt particularly on state’s south coast

    The south-east region of New South Wales could receive up to 200mm of rain before the end of the week, adding to already soaked catchments and high rivers that have flooded across the state.

    The heavy falls could deliver some areas their total monthly average. A broader trend will see rain across all of eastern NSW for the rest of this week.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Australia weather", + "link": "https://www.theguardian.com/australia-news/2021/dec/08/further-flooding-heavy-rain-and-severe-storms-to-hit-already-soaked-nsw", + "creator": "", + "pubDate": "2021-12-08T09:47:55Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "21750d7ebf284c81c6970b4f37b00fbf" + "hash": "ff5aed56beb5146c7f5567fb617699fe" }, { - "title": "Covid news live: Australia to offer jabs to children aged five to 11; US Omicron cases mostly mild, CDC chief says", - "description": "

    Australia will begin administering vaccines for children from January; nearly all of the 40 people in the US infected with Omicron were mildly ill

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", - "content": "

    Australia will begin administering vaccines for children from January; nearly all of the 40 people in the US infected with Omicron were mildly ill

    Fury over the release of a video showing Downing Street staffers joking about alleged lockdown breaches in the UK are only the latest scandal to rock British prime minister Boris Johnson’s premiership.

    For days, a succession of government ministers batted away questions about whether an illegal party had been held in Downing Street last December during Covid restrictions that banned gatherings of more than 30 people. But on Tuesday night that all changed: a video emerged of Downing Street staffers appearing to joke about a party alleged to have been held inside No 10 just days earlier.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/10/covid-news-live-australia-to-offer-jabs-to-children-aged-five-to-11-us-omicron-cases-mostly-mild-cdc-chief-says", - "creator": "Samantha Lock", - "pubDate": "2021-12-10T04:38:48Z", + "title": "Can artistic freedom survive in Sudan? The writing’s on the wall…", + "description": "

    The recent coup dashed hopes raised by the end of the military regime but newly liberated artists refuse to submit quietly

    In the new dawn of a heady post-revolutionary era, Suzannah Mirghani returned in 2019 to the country of her birth for the first time in years. Her mission was to shoot a short film on Sudanese soil. It proved unexpectedly straightforward.

    “When the revolution happened, there was this exuberance,” she says, from her Qatari home. “When we came to make our film, we were given the green light. We were told: ‘Anything you want’.

    Continue reading...", + "content": "

    The recent coup dashed hopes raised by the end of the military regime but newly liberated artists refuse to submit quietly

    In the new dawn of a heady post-revolutionary era, Suzannah Mirghani returned in 2019 to the country of her birth for the first time in years. Her mission was to shoot a short film on Sudanese soil. It proved unexpectedly straightforward.

    “When the revolution happened, there was this exuberance,” she says, from her Qatari home. “When we came to make our film, we were given the green light. We were told: ‘Anything you want’.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/06/can-artistic-freedom-survive-in-sudan-the-writings-on-the-wall", + "creator": "Lizzy Davies", + "pubDate": "2021-12-06T07:00:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119056,36 +145493,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "f199cf9f5eb3230d5ecef76e347b4d1b" + "hash": "6576fb04874b38fc9e508dc324977fb0" }, { - "title": "Italian who presented fake arm for Covid jab ‘has since been vaccinated’", - "description": "

    Dr Guido Russo says stunt was protest against vaccine mandates and jab is ‘best weapon we have’ against virus

    An Italian dentist who presented a fake arm for a Covid vaccine says he has since been jabbed and that the vaccine “is the best weapon we have against this terrible disease”.

    Dr Guido Russo faces possible criminal fraud charges for having worn an arm made out of silicone when he first showed up at a vaccine hub in the northern city of Biella. Italy has required doctors and nurses to be vaccinated since earlier this year.

    Continue reading...", - "content": "

    Dr Guido Russo says stunt was protest against vaccine mandates and jab is ‘best weapon we have’ against virus

    An Italian dentist who presented a fake arm for a Covid vaccine says he has since been jabbed and that the vaccine “is the best weapon we have against this terrible disease”.

    Dr Guido Russo faces possible criminal fraud charges for having worn an arm made out of silicone when he first showed up at a vaccine hub in the northern city of Biella. Italy has required doctors and nurses to be vaccinated since earlier this year.

    Continue reading...", - "category": "Italy", - "link": "https://www.theguardian.com/world/2021/dec/09/italian-who-presented-fake-arm-for-covid-jab-has-since-been-vaccinated", - "creator": "Associated Press in Rome", - "pubDate": "2021-12-09T13:00:48Z", + "title": "Fortress Europe: the millions spent on military-grade tech to deter refugees", + "description": "

    We map out the rising number of high-tech surveillance and deterrent systems facing asylum seekers along EU borders

    From military-grade drones to sensor systems and experimental technology, the EU and its members have spent hundreds of millions of euros over the past decade on technologies to track down and keep at bay the refugees on its borders.

    Poland’s border with Belarus is becoming the latest frontline for this technology, with the country approving last month a €350m (£300m) wall with advanced cameras and motion sensors.

    Continue reading...", + "content": "

    We map out the rising number of high-tech surveillance and deterrent systems facing asylum seekers along EU borders

    From military-grade drones to sensor systems and experimental technology, the EU and its members have spent hundreds of millions of euros over the past decade on technologies to track down and keep at bay the refugees on its borders.

    Poland’s border with Belarus is becoming the latest frontline for this technology, with the country approving last month a €350m (£300m) wall with advanced cameras and motion sensors.

    Continue reading...", + "category": "European Union", + "link": "https://www.theguardian.com/global-development/2021/dec/06/fortress-europe-the-millions-spent-on-military-grade-tech-to-deter-refugees", + "creator": "Kaamil Ahmed and Lorenzo Tondo", + "pubDate": "2021-12-06T06:00:18Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d4acb41ea140b45c13102a14afe7d5e" + "hash": "f1c1ac8da744421265f7328fc999546a" }, { - "title": "CDC chief says Omicron is ‘mild’ as early data comes in on US spread of variant", - "description": "

    Agency is working on detailed analysis of what the new mutant form of the coronavirus might hold for the US

    More than 40 people in the US have been found to be infected with the Omicron variant so far, and more than three-quarters of them had been vaccinated, the chief of the Centers for Disease Control and Prevention (CDC) has said. But she added nearly all of them were only mildly ill.

    In an interview with the Associated Press, Dr Rochelle Walensky, director of the CDC, said the data is very limited and the agency is working on a more detailed analysis of what the new mutant form of the coronavirus might hold for the US.

    Continue reading...", - "content": "

    Agency is working on detailed analysis of what the new mutant form of the coronavirus might hold for the US

    More than 40 people in the US have been found to be infected with the Omicron variant so far, and more than three-quarters of them had been vaccinated, the chief of the Centers for Disease Control and Prevention (CDC) has said. But she added nearly all of them were only mildly ill.

    In an interview with the Associated Press, Dr Rochelle Walensky, director of the CDC, said the data is very limited and the agency is working on a more detailed analysis of what the new mutant form of the coronavirus might hold for the US.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/09/cdc-chief-omicron-mild-early-data-us-spread-variant", - "creator": "Associated Press", - "pubDate": "2021-12-09T14:52:37Z", + "title": "Venues that reject vaccine passes in favour of ‘equality’ for the unvaccinated are harming us all | Philip McKibbin", + "description": "

    Venues that say they respect personal choices may sound community-minded but really they undermine efforts to keep everyone safe

    Like most Aucklanders, I can’t wait to get out of the city. After more than three months in lockdown, I’m keen for a break. Last summer, my partner and I went to Tauranga. We had so much fun that we’re planning to return – but this time, things will be different.

    As Aotearoa New Zealand shifts from the Covid-19 “alert level” system to the new “traffic light” system, hospitality venues have been given a choice. Under the “red” and “orange” settings, they can welcome customers inside, but only if they’re willing to check vaccine passes. If they don’t want to do that, their service has to be contactless.

    Continue reading...", + "content": "

    Venues that say they respect personal choices may sound community-minded but really they undermine efforts to keep everyone safe

    Like most Aucklanders, I can’t wait to get out of the city. After more than three months in lockdown, I’m keen for a break. Last summer, my partner and I went to Tauranga. We had so much fun that we’re planning to return – but this time, things will be different.

    As Aotearoa New Zealand shifts from the Covid-19 “alert level” system to the new “traffic light” system, hospitality venues have been given a choice. Under the “red” and “orange” settings, they can welcome customers inside, but only if they’re willing to check vaccine passes. If they don’t want to do that, their service has to be contactless.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/06/restaurants-that-reject-vaccine-passes-in-favour-of-equality-for-the-unvaccinated-harm-us-all", + "creator": "Philip McKibbin", + "pubDate": "2021-12-06T02:06:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119096,16 +145533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "efb0d2ca3810886b8a34d491c7ee2d7a" + "hash": "954611bbeda65b4aee37c3ef8cdf7a18" }, { - "title": "South Korea cuts human interaction in push to build ‘untact’ society", - "description": "

    The government invests heavily to remove human contact from many aspects of life but fears of harmful social consequences persist

    For Seoul-based graduate Lee Su-bin, the transition to a new lifestyle during the pandemic was no big deal.

    “At the university library, I would reserve my books online, which would then be sanitised in a book steriliser before being delivered to a locker for pick up,” the 25-year-old says.

    Continue reading...", - "content": "

    The government invests heavily to remove human contact from many aspects of life but fears of harmful social consequences persist

    For Seoul-based graduate Lee Su-bin, the transition to a new lifestyle during the pandemic was no big deal.

    “At the university library, I would reserve my books online, which would then be sanitised in a book steriliser before being delivered to a locker for pick up,” the 25-year-old says.

    Continue reading...", - "category": "South Korea", - "link": "https://www.theguardian.com/world/2021/dec/10/south-korea-cuts-human-interaction-in-push-to-build-untact-society", - "creator": "Raphael Rashid", - "pubDate": "2021-12-10T03:23:22Z", + "title": "No 10 put all their eggs in vaccine basket in effort to save Christmas", + "description": "

    Analysis: changes to cabinet and public mood from last year make further restrictions less likely

    The date ringed in red in Westminster is 18 December – not the date for Christmas parties but the time by which people should start to know how different their festive plans may look.

    For this government it is quite an inauspicious date, just a day before soaring cases forced Boris Johnson to finally put the brakes on Christmas mixing plans last year and tell most families they would be spending celebrations apart.

    Continue reading...", + "content": "

    Analysis: changes to cabinet and public mood from last year make further restrictions less likely

    The date ringed in red in Westminster is 18 December – not the date for Christmas parties but the time by which people should start to know how different their festive plans may look.

    For this government it is quite an inauspicious date, just a day before soaring cases forced Boris Johnson to finally put the brakes on Christmas mixing plans last year and tell most families they would be spending celebrations apart.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/05/covid-government-to-make-christmas-decision-on-18-december", + "creator": "Jessica Elgot Chief political correspondent", + "pubDate": "2021-12-05T18:19:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119116,16 +145553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "366c561560dba14bdb8d72769891a0b5" + "hash": "91f8324bf35d8da75ff43401b8d892af" }, { - "title": "George Michael’s 30 greatest songs – ranked!", - "description": "

    With Last Christmas sailing up the singles charts again, now’s the time to reappraise Michael’s best tracks, from sublime pop to haunting elegies

    Tucked away on the B-side of The Edge of Heaven, Battlestations is a fascinating anomaly in the Wham! catalogue. Raw, minimal, and influenced by contemporary dancefloor trends – but still very much a pop song – it gives a glimpse of what might have happened had the duo stayed together and taken a hipper, more experimental direction.

    Continue reading...", - "content": "

    With Last Christmas sailing up the singles charts again, now’s the time to reappraise Michael’s best tracks, from sublime pop to haunting elegies

    Tucked away on the B-side of The Edge of Heaven, Battlestations is a fascinating anomaly in the Wham! catalogue. Raw, minimal, and influenced by contemporary dancefloor trends – but still very much a pop song – it gives a glimpse of what might have happened had the duo stayed together and taken a hipper, more experimental direction.

    Continue reading...", - "category": "George Michael", - "link": "https://www.theguardian.com/music/2021/dec/09/george-michaels-30-greatest-songs-ranked", - "creator": "Alexis Petridis", - "pubDate": "2021-12-09T17:25:30Z", + "title": "Covid live news: booster scheme speeds up in England; South Korea surge sparks alarm", + "description": "

    Millions of over-40s can book a top-up jab from today; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "content": "

    Millions of over-40s can book a top-up jab from today; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", + "creator": "Martin Farrer", + "pubDate": "2021-12-08T06:20:53Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119136,16 +145573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c9bfce5f1c73a6d8456b86be3c164d0f" + "hash": "716cc978ffb9ba421694e66a2c96d8ca" }, { - "title": "I once worked as a dish pig in a seminary. It was character-revealing | Brigid Delaney", - "description": "

    Today’s teens may know the Pythagoras theorem, but do they know how to wash dishes or make gravy in mass quantities?

    “I’m training”, says the badge, or “Trainee”. Or they tell you “I’m new”, and that it’s their third shift.

    The last fortnight, I have been staying in the Bellarine peninsula – a popular holiday spot west of Melbourne. Almost all the cafes, restaurants and shops I visited were in training mode – teaching new staff how to use the register or make a coffee before the summer rush hits in a couple of weeks. By all accounts, they’re going to get slammed.

    Continue reading...", - "content": "

    Today’s teens may know the Pythagoras theorem, but do they know how to wash dishes or make gravy in mass quantities?

    “I’m training”, says the badge, or “Trainee”. Or they tell you “I’m new”, and that it’s their third shift.

    The last fortnight, I have been staying in the Bellarine peninsula – a popular holiday spot west of Melbourne. Almost all the cafes, restaurants and shops I visited were in training mode – teaching new staff how to use the register or make a coffee before the summer rush hits in a couple of weeks. By all accounts, they’re going to get slammed.

    Continue reading...", - "category": "Young people", - "link": "https://www.theguardian.com/commentisfree/2021/dec/10/i-once-worked-as-a-dish-pig-in-a-seminary-it-was-character-revealing", - "creator": "Brigid Delaney", - "pubDate": "2021-12-09T16:30:17Z", + "title": "Ashes 2021-22: Australia v England first Test, day one – live!", + "description": "

    Here comes Patrick Cummins in his green blazer, and the crowd breaks out into applause as he walks to the middle for the first time.

    I’ll tell you what, I didn’t see Broad warm up with the others, he was hanging out with Bairstow, who isn’t playing.

    Continue reading...", + "content": "

    Here comes Patrick Cummins in his green blazer, and the crowd breaks out into applause as he walks to the middle for the first time.

    I’ll tell you what, I didn’t see Broad warm up with the others, he was hanging out with Bairstow, who isn’t playing.

    Continue reading...", + "category": "Ashes 2021-22", + "link": "https://www.theguardian.com/sport/live/2021/dec/08/ashes-2021-22-australia-v-england-first-test-day-one-live-cricket-score-updates", + "creator": "Tanya Aldred (now) and Geoff Lemon at the Gabba (earlier)", + "pubDate": "2021-12-08T04:41:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119156,16 +145593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2cff7c63e354a1c990cc72d6998d4eb3" + "hash": "ed7cdb9d70bd92fbfd5130002001b930" }, { - "title": "Hillary Clinton’s victory speech – and others that were never heard", - "description": "

    The defeated 2016 candidate has read aloud what she would have said in victory – joining a cast of thwarted speechmakers

    It was one of the most significant branching points in recent history – and at least one artefact of the way things might have been still exists.

    On Wednesday the Today show in the US released a video of Hillary Clinton reading the speech she would have given if she had beaten Donald Trump in the 2016 election. Clinton, who is giving a course in “the power of resilience” with the online education company Masterclass, teared up as she read aloud from her speech. She said reading it entailed “facing one of my most public defeats head-on”.

    Continue reading...", - "content": "

    The defeated 2016 candidate has read aloud what she would have said in victory – joining a cast of thwarted speechmakers

    It was one of the most significant branching points in recent history – and at least one artefact of the way things might have been still exists.

    On Wednesday the Today show in the US released a video of Hillary Clinton reading the speech she would have given if she had beaten Donald Trump in the 2016 election. Clinton, who is giving a course in “the power of resilience” with the online education company Masterclass, teared up as she read aloud from her speech. She said reading it entailed “facing one of my most public defeats head-on”.

    Continue reading...", - "category": "Hillary Clinton", - "link": "https://www.theguardian.com/us-news/2021/dec/09/hillary-clintons-victory-speech-and-others-that-were-never-heard", - "creator": "Archie Bland", - "pubDate": "2021-12-09T17:38:02Z", + "title": "Olaf Scholz to be voted in as German chancellor as Merkel era ends", + "description": "

    Scholz to lead coalition government after agreement was signed by party leaders on Tuesday

    Olaf Scholz is to be voted in as chancellor by the Bundestag on Wednesday, opening a new chapter in German and European politics as the Merkel era comes to an end.

    Scholz, the outgoing deputy chancellor and finance minister, will lead a government composed of his Social Democrat party, the business-friendly Free Democrats and the Greens, a coalition of parties never tried before at the federal level in Germany.

    Continue reading...", + "content": "

    Scholz to lead coalition government after agreement was signed by party leaders on Tuesday

    Olaf Scholz is to be voted in as chancellor by the Bundestag on Wednesday, opening a new chapter in German and European politics as the Merkel era comes to an end.

    Scholz, the outgoing deputy chancellor and finance minister, will lead a government composed of his Social Democrat party, the business-friendly Free Democrats and the Greens, a coalition of parties never tried before at the federal level in Germany.

    Continue reading...", + "category": "Olaf Scholz", + "link": "https://www.theguardian.com/world/2021/dec/08/olaf-scholz-to-be-voted-in-as-german-chancellor-as-merkel-era-ends", + "creator": "Jennifer Rankin and agencies", + "pubDate": "2021-12-08T05:00:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119176,16 +145613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91c9ff81f55e4c0a2a6da68921c4d9f2" + "hash": "4ceadd30f58879b6528f44e02854ba44" }, { - "title": "And Just Like That review – Sex and the City sequel has a mouthful of teething troubles", - "description": "

    Carrie and co are back and having excruciating ‘learning experiences’ to haul themselves into modern times. But there are reasons to be hopeful!

    Warning: this review contains spoilers from the first episode of And Just Like That.

    The first 20 minutes of the long-anticipated, much-hyped reboot of Sex and the City, And Just Like That (Sky Comedy/HBO Max), are terrible. The Manhattan streets are alive with the sound of crowbars jimmying more exposition into the dialogue than Carrie’s closet has shoes. Samantha’s absence (Kim Cattrall declined to take part in the new show, apparently as a result of longstanding animus between her and Sarah Jessica Parker) is briskly dealt with. She moved to London (“Sexy sirens in their 60s are still viable there!” says someone with their tongue not firmly enough in their cheek) in a fit of pique after Carrie told her she didn’t need her as a publicist any more. That this does not square with anything we have ever known about Samantha apparently matters not a jot. Viewers are then led at a quick jog through the news that Carrie’s Instagram account has really taken off now she is on a podcast, Charlotte is still dyeing her hair, and Miranda has left her corporate law job and is heading back to college to get a masters degree in human rights law after realising she “can no longer be part of the problem”. Writer and showrunner Michael Patrick King gets her to lay out the show’s organising principle too, for the cheap seats at the back. “We can’t just stay who we were, right? There are more important issues in the world.”

    Continue reading...", - "content": "

    Carrie and co are back and having excruciating ‘learning experiences’ to haul themselves into modern times. But there are reasons to be hopeful!

    Warning: this review contains spoilers from the first episode of And Just Like That.

    The first 20 minutes of the long-anticipated, much-hyped reboot of Sex and the City, And Just Like That (Sky Comedy/HBO Max), are terrible. The Manhattan streets are alive with the sound of crowbars jimmying more exposition into the dialogue than Carrie’s closet has shoes. Samantha’s absence (Kim Cattrall declined to take part in the new show, apparently as a result of longstanding animus between her and Sarah Jessica Parker) is briskly dealt with. She moved to London (“Sexy sirens in their 60s are still viable there!” says someone with their tongue not firmly enough in their cheek) in a fit of pique after Carrie told her she didn’t need her as a publicist any more. That this does not square with anything we have ever known about Samantha apparently matters not a jot. Viewers are then led at a quick jog through the news that Carrie’s Instagram account has really taken off now she is on a podcast, Charlotte is still dyeing her hair, and Miranda has left her corporate law job and is heading back to college to get a masters degree in human rights law after realising she “can no longer be part of the problem”. Writer and showrunner Michael Patrick King gets her to lay out the show’s organising principle too, for the cheap seats at the back. “We can’t just stay who we were, right? There are more important issues in the world.”

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/09/and-just-like-that-review-sex-and-the-city-reboot-has-a-mouthful-of-teething-troubles", - "creator": "Lucy Mangan", - "pubDate": "2021-12-09T12:35:09Z", + "title": "Third accuser alleges Ghislaine Maxwell preyed on her when she was a minor", + "description": "

    ‘Carolyn’ testifies that Maxwell coordinated sexualized massages with Jeffrey Epstein, starting when she was 14

    • This article contains depictions of sexual abuse

    Prosecutors in Ghislaine Maxwell’s child sex-trafficking trial in Manhattan federal court on Tuesday introduced a witness who was once the kind of minor teen on whom the Briton is alleged to have preyed.

    At 14, “Carolyn” was vulnerable. She had an alcoholic mother and a 17-year-old boyfriend and had been raped and molested by her grandfather from the age of four. She needed money.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "content": "

    ‘Carolyn’ testifies that Maxwell coordinated sexualized massages with Jeffrey Epstein, starting when she was 14

    • This article contains depictions of sexual abuse

    Prosecutors in Ghislaine Maxwell’s child sex-trafficking trial in Manhattan federal court on Tuesday introduced a witness who was once the kind of minor teen on whom the Briton is alleged to have preyed.

    At 14, “Carolyn” was vulnerable. She had an alcoholic mother and a 17-year-old boyfriend and had been raped and molested by her grandfather from the age of four. She needed money.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/07/ghislaine-maxwell-sex-trafficking-trial-third-accuser", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-07T21:55:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119196,16 +145633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dab8be6abb92a865ce74d4cd6ef75eaf" + "hash": "7a9666edc8d54184a3d5f920f1ed875a" }, { - "title": "Fall on walk from bed to desk is workplace accident, German court rules", - "description": "

    Man who slipped and broke his back while working from home was commuting, it is decided

    A German court has ruled that a man who slipped while walking a few metres from his bed to his home office can claim on workplace accident insurance as he was technically commuting.

    The man was working from home and on his way to his desk one floor below his bedroom, the federal social court, which oversees social security issues, said in its decision.

    Continue reading...", - "content": "

    Man who slipped and broke his back while working from home was commuting, it is decided

    A German court has ruled that a man who slipped while walking a few metres from his bed to his home office can claim on workplace accident insurance as he was technically commuting.

    The man was working from home and on his way to his desk one floor below his bedroom, the federal social court, which oversees social security issues, said in its decision.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/09/fall-on-walk-from-bed-to-desk-is-workplace-accident-german-court-rules", - "creator": "Oliver Holmes", - "pubDate": "2021-12-09T15:41:02Z", + "title": "Indonesia president vows to rebuild after volcano eruption as death toll rises to 34", + "description": "

    More fatalities expected as search for survivors continues following eruption at Mount Semeru on Saturday

    Indonesia’s president has visited areas devastated by a powerful volcanic eruption that killed at least 34 people and left thousands homeless, and vowed that communities would be quickly rebuilt.

    Clouds of hot ash shot high into the sky and an avalanche of lava and searing gas swept as far as 11 kilometers (7 miles) down Mount Semeru’s slopes in a sudden eruption Saturday triggered by heavy rain. Villages and towns were blanketed by tons of volcanic debris.

    Continue reading...", + "content": "

    More fatalities expected as search for survivors continues following eruption at Mount Semeru on Saturday

    Indonesia’s president has visited areas devastated by a powerful volcanic eruption that killed at least 34 people and left thousands homeless, and vowed that communities would be quickly rebuilt.

    Clouds of hot ash shot high into the sky and an avalanche of lava and searing gas swept as far as 11 kilometers (7 miles) down Mount Semeru’s slopes in a sudden eruption Saturday triggered by heavy rain. Villages and towns were blanketed by tons of volcanic debris.

    Continue reading...", + "category": "Indonesia", + "link": "https://www.theguardian.com/world/2021/dec/08/indonesia-president-vows-to-rebuild-after-volcano-eruption-as-death-toll-rises-to-34", + "creator": "Associated Press", + "pubDate": "2021-12-08T01:28:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119216,16 +145653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5796113cc9793be9462ddd16748da652" + "hash": "01b8237cd23a4d5cf8c4d0c73d146c00" }, { - "title": "‘I’d stop stockpiling toilet paper’: Cate Blanchett, Mark Rylance and Tyler Perry on their end-of-the-world plans", - "description": "

    The stars of Adam McKay’s apocalypse satire Don’t Look Up discuss their worst fears, their favourite conspiracy theories and their final moments on Earth

    If a massive meteor were expected to collide with Earth in six months’ time, what would our leaders do? Everything in their power to stop it? Or everything possible to leverage it for political and financial gain?

    How about the rest of us? How would we cope with the prospect of impending apocalypse? By facing the end of the world with sobriety and compassion? Or drowning ourselves in sex, drugs and celebrity gossip? Might some of us even enjoy the drama?

    Continue reading...", - "content": "

    The stars of Adam McKay’s apocalypse satire Don’t Look Up discuss their worst fears, their favourite conspiracy theories and their final moments on Earth

    If a massive meteor were expected to collide with Earth in six months’ time, what would our leaders do? Everything in their power to stop it? Or everything possible to leverage it for political and financial gain?

    How about the rest of us? How would we cope with the prospect of impending apocalypse? By facing the end of the world with sobriety and compassion? Or drowning ourselves in sex, drugs and celebrity gossip? Might some of us even enjoy the drama?

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/09/id-stop-stockpiling-toilet-paper-cate-blanchett-mark-rylance-and-tyler-perry-on-their-end-of-the-world-plans", - "creator": "Catherine Shoard", - "pubDate": "2021-12-09T16:00:15Z", + "title": "Letter suggests ‘cover-up’ of PM’s involvement in Afghan dog airlift, says MP", + "description": "

    Chris Bryant reveals Pen Farthing was sent a letter from Boris Johnson’s PPS confirming evacuation

    A leaked letter suggests Boris Johnson and the Foreign Office may have covered up the prime minister’s involvement in airlifting more than 150 dogs and cats from Afghanistan, a senior MP has said.

    On Tuesday it emerged that the charity worker Pen Farthing received a letter from Johnson’s parliamentary secretary saying Farthing, his staff and the animals could be rescued from Kabul amid the Taliban takeover in August, when thousands of Afghans with UK connections were also trying to flee.

    Continue reading...", + "content": "

    Chris Bryant reveals Pen Farthing was sent a letter from Boris Johnson’s PPS confirming evacuation

    A leaked letter suggests Boris Johnson and the Foreign Office may have covered up the prime minister’s involvement in airlifting more than 150 dogs and cats from Afghanistan, a senior MP has said.

    On Tuesday it emerged that the charity worker Pen Farthing received a letter from Johnson’s parliamentary secretary saying Farthing, his staff and the animals could be rescued from Kabul amid the Taliban takeover in August, when thousands of Afghans with UK connections were also trying to flee.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/2021/dec/07/letter-suggests-cover-up-of-pms-involvement-in-afghan-dog-airlift-says-mp", + "creator": "Dan Sabbagh, Aubrey Allegretti and Peter Walker", + "pubDate": "2021-12-07T20:48:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119236,16 +145673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6e585e6d840411ff25b547ce6efaf78c" + "hash": "bbcecc97c61635c5011672fe84ca0601" }, { - "title": "Wales asks people to ‘flow before you go’ to stop Omicron spread", - "description": "

    Mark Drakeford also urges mask-wearing in pubs as Covid cases likely to rise ‘quickly and sharply’

    People should take a lateral flow test before going out Christmas shopping or to a festive party, the Welsh government has said.

    The first minister, Mark Drakeford, is also asking people to wear face coverings in pubs and restaurants except when they are eating or drinking.

    Continue reading...", - "content": "

    Mark Drakeford also urges mask-wearing in pubs as Covid cases likely to rise ‘quickly and sharply’

    People should take a lateral flow test before going out Christmas shopping or to a festive party, the Welsh government has said.

    The first minister, Mark Drakeford, is also asking people to wear face coverings in pubs and restaurants except when they are eating or drinking.

    Continue reading...", - "category": "Wales", - "link": "https://www.theguardian.com/uk-news/2021/dec/09/wales-asks-people-to-flow-before-you-go-to-stop-omicron-spread", - "creator": "Steven Morris", - "pubDate": "2021-12-09T22:00:22Z", + "title": "Tim Cook reportedly signed five-year $275bn deal with Chinese officials", + "description": "

    The Information reports Apple CEO’s agreement will placate threats that would have hobbled its devices and services in the country

    Tim Cook, the chief executive of Apple, signed an agreement with Chinese officials, estimated to be worth about $275bn, to placate threats that would have hobbled its devices and services in the country, The Information reported on Tuesday.

    Apple did not immediately respond to a Reuters request for comment.

    Continue reading...", + "content": "

    The Information reports Apple CEO’s agreement will placate threats that would have hobbled its devices and services in the country

    Tim Cook, the chief executive of Apple, signed an agreement with Chinese officials, estimated to be worth about $275bn, to placate threats that would have hobbled its devices and services in the country, The Information reported on Tuesday.

    Apple did not immediately respond to a Reuters request for comment.

    Continue reading...", + "category": "Apple", + "link": "https://www.theguardian.com/technology/2021/dec/07/apple-china-deal-tim-cook", + "creator": "Reuters", + "pubDate": "2021-12-07T20:30:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119256,16 +145693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "94ee637bb9a789c7bc69698cbcbad665" + "hash": "907287d2f9172cc48c976c0ceec09351" }, { - "title": "Court rules against Trump effort to shield documents from Capitol attack panel – as it happened", - "description": "

    House speaker Nancy Pelosi said she considered it to be a point of pride that Bob Dole started his career in the lower chamber before being elected to the Senate.

    Praising the former Republican senator’s “legendary service” and “inspiring resilience,” Pelosi said it was hard to think of another American more worthy of having a flag draped over his casket.

    Continue reading...", - "content": "

    House speaker Nancy Pelosi said she considered it to be a point of pride that Bob Dole started his career in the lower chamber before being elected to the Senate.

    Praising the former Republican senator’s “legendary service” and “inspiring resilience,” Pelosi said it was hard to think of another American more worthy of having a flag draped over his casket.

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/live/2021/dec/09/joe-biden-house-summit-democracy-kamala-harris-us-politics-live", - "creator": "Kari Paul (now), Gloria Oladipo, Joan E Greve and Joanna Walters (earlier)", - "pubDate": "2021-12-10T01:47:49Z", + "title": "Tennis Australia denies seeking loopholes for unvaccinated players amid Novak Djokovic row", + "description": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated after Djokovic, who has not revealed his vaccination status, named for Serbia in ATP cup

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, amid speculation about Novak Djokovic’s ability to enter the country.

    On Wednesday morning, Victoria’s deputy premier, James Merlino, responded to a report that the world No 1 had the backing of Tennis Australia – the organisers of the Open – to apply for an exemption on medical grounds after repeatedly refusing to reveal his vaccination status.

    Continue reading...", + "content": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated after Djokovic, who has not revealed his vaccination status, named for Serbia in ATP cup

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, amid speculation about Novak Djokovic’s ability to enter the country.

    On Wednesday morning, Victoria’s deputy premier, James Merlino, responded to a report that the world No 1 had the backing of Tennis Australia – the organisers of the Open – to apply for an exemption on medical grounds after repeatedly refusing to reveal his vaccination status.

    Continue reading...", + "category": "Tennis", + "link": "https://www.theguardian.com/sport/2021/dec/08/tennis-australia-denies-seeking-loopholes-for-unvaccinated-players-amid-novak-djokovic-row", + "creator": "Elias Visontay", + "pubDate": "2021-12-08T04:41:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119276,16 +145713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7d07e0810f814321b71a3a155373266f" + "hash": "26427c3522072afbcfa9a3aa9fe9fbc0" }, { - "title": "US accuses El Salvador of secretly negotiating truce with gang leaders", - "description": "

    In 2020, Nayib Bukele’s administration ‘provided financial incentives’ to MS-13 and the Barrio 18 street gangs, US treasury says

    The US has accused the government of El Salvador president Nayib Bukele of secretly negotiating a truce with leaders of the country’s feared MS-13 and Barrio 18 street gangs.

    The explosive accusation on Wednesday cuts to the heart of one of Bukele’s most highly touted successes in office: a plunge in the country’s murder rate.

    Continue reading...", - "content": "

    In 2020, Nayib Bukele’s administration ‘provided financial incentives’ to MS-13 and the Barrio 18 street gangs, US treasury says

    The US has accused the government of El Salvador president Nayib Bukele of secretly negotiating a truce with leaders of the country’s feared MS-13 and Barrio 18 street gangs.

    The explosive accusation on Wednesday cuts to the heart of one of Bukele’s most highly touted successes in office: a plunge in the country’s murder rate.

    Continue reading...", - "category": "El Salvador", - "link": "https://www.theguardian.com/world/2021/dec/08/el-salvador-us-gang-leaders-truce", - "creator": "Associated Press in Mexico City", - "pubDate": "2021-12-08T19:24:14Z", + "title": "A Christmas beetle: in Europe they’re called ‘cockchafers’ | Helen Sullivan", + "description": "

    In 1479 beetles were put on trial for ‘creeping secretly in the earth’

    If you hold a Christmas beetle – small, brown, mechanical – in the palm of your hand, it moves as though under a spell. The spell commands it to keep walking, to burrow its surprisingly strong legs endlessly forwards, like the end of the year growing steadily nearer and just as steadily receding.

    In Europe, Christmas beetles are called “cockchafers”. In the year 1478, they appeared in a French court to stand trial on the charge of having been sent by witches to destroy the laity’s crops (and jeopardise the church’s tithes).

    Continue reading...", + "content": "

    In 1479 beetles were put on trial for ‘creeping secretly in the earth’

    If you hold a Christmas beetle – small, brown, mechanical – in the palm of your hand, it moves as though under a spell. The spell commands it to keep walking, to burrow its surprisingly strong legs endlessly forwards, like the end of the year growing steadily nearer and just as steadily receding.

    In Europe, Christmas beetles are called “cockchafers”. In the year 1478, they appeared in a French court to stand trial on the charge of having been sent by witches to destroy the laity’s crops (and jeopardise the church’s tithes).

    Continue reading...", + "category": "Insects", + "link": "https://www.theguardian.com/environment/commentisfree/2021/dec/08/a-christmas-beetle-in-england-theyre-called-cockchafers", + "creator": "Helen Sullivan", + "pubDate": "2021-12-07T16:30:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119296,16 +145733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9d7fb75393f8c0ef5ed9963940ea1562" + "hash": "e24f7ef64fa75a3668e39353a4be26c7" }, { - "title": "Australia to dump Taipan helicopters and buy Black Hawks from US amid China fears", - "description": "

    Defence minister Peter Dutton warns of ‘a growing threat within the Indo-Pacific’ in announcing decision

    Get our free news app; get our morning email briefing

    Peter Dutton says buying up to 40 Black Hawk helicopters from the US sends “a very clear message to our partners and to our adversaries” that the Australian Defence Force “can make a significant contribution when we’re called on”.

    The Australian defence minister explicitly referenced the “growing threat” posed by China as he announced an intention to dump the trouble-plagued MRH90 Taipan helicopters, which were originally due to be withdrawn in 2037.

    Continue reading...", - "content": "

    Defence minister Peter Dutton warns of ‘a growing threat within the Indo-Pacific’ in announcing decision

    Get our free news app; get our morning email briefing

    Peter Dutton says buying up to 40 Black Hawk helicopters from the US sends “a very clear message to our partners and to our adversaries” that the Australian Defence Force “can make a significant contribution when we’re called on”.

    The Australian defence minister explicitly referenced the “growing threat” posed by China as he announced an intention to dump the trouble-plagued MRH90 Taipan helicopters, which were originally due to be withdrawn in 2037.

    Continue reading...", - "category": "Australian politics", - "link": "https://www.theguardian.com/australia-news/2021/dec/10/australia-to-dump-taipan-helicopters-and-buy-black-hawks-from-us-amid-china-fears", - "creator": "Daniel Hurst", - "pubDate": "2021-12-10T04:37:06Z", + "title": "‘If you run, you will die’: fear stalks Nigerian state as jihadists gain foothold", + "description": "

    Niger state has been wracked by banditry for years. Now jihadists have moved in to communities just a few hundred miles from the capital, Abuja

    “They ordered everyone to come around, saying if you run, if you cry, you will die,” said Bala Pada, recalling the moment in April when jihadists rounded up people at a market in his home town of Kaure to witness the execution of two alleged vigilantes.

    Hundreds of jihadists have settled over the past year in Kaure and other remote communities in Niger state in Nigeria, according to displaced residents and local government officials. They began to arrive in November 2020, hoisting flags and declaring the communities under their control.

    Continue reading...", + "content": "

    Niger state has been wracked by banditry for years. Now jihadists have moved in to communities just a few hundred miles from the capital, Abuja

    “They ordered everyone to come around, saying if you run, if you cry, you will die,” said Bala Pada, recalling the moment in April when jihadists rounded up people at a market in his home town of Kaure to witness the execution of two alleged vigilantes.

    Hundreds of jihadists have settled over the past year in Kaure and other remote communities in Niger state in Nigeria, according to displaced residents and local government officials. They began to arrive in November 2020, hoisting flags and declaring the communities under their control.

    Continue reading...", + "category": "Nigeria", + "link": "https://www.theguardian.com/world/2021/dec/08/nigeria-niger-state-jihadists-boko-haram-abuja-banditry", + "creator": "Emmanuel Akinwotu in Gwada", + "pubDate": "2021-12-08T05:00:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119316,16 +145753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "320f664ff355fb25ecfb7d4ca8003edd" + "hash": "2c0f7f82f79a67d7b0a2c7d014eb524b" }, { - "title": "Australia news live updates: two new Omicron cases in Victoria; six Covid cases on Gold Coast ahead of Qld border reopening; Alan Jones launches new web show", - "description": "

    Gold Coast lockdown ‘unlikely’ despite new community Covid cases; Alan Jones says new show and podcast a ‘pioneering initiative’; NSW records 516 new infections; two cases of Omicron variant as Victoria records 1,206 cases and two deaths; six new infections in ACT and four in NT; SA investigates possible Omicron cases. Follow all the day’s developments

    By the way, we are expecting to hear from Scott Morrison pretty soon about the recently Atagi approvals for children’s vaccinations.

    Berejiklian:

    Well, I promised when the PM and others contacted me and urged me to give it consideration. I promised them and I did for a very short period of time and then obviously let them know that it’s not something I want to pursue and it is just a different direction.

    I want my life to change.

    Continue reading...", - "content": "

    Gold Coast lockdown ‘unlikely’ despite new community Covid cases; Alan Jones says new show and podcast a ‘pioneering initiative’; NSW records 516 new infections; two cases of Omicron variant as Victoria records 1,206 cases and two deaths; six new infections in ACT and four in NT; SA investigates possible Omicron cases. Follow all the day’s developments

    By the way, we are expecting to hear from Scott Morrison pretty soon about the recently Atagi approvals for children’s vaccinations.

    Berejiklian:

    Well, I promised when the PM and others contacted me and urged me to give it consideration. I promised them and I did for a very short period of time and then obviously let them know that it’s not something I want to pursue and it is just a different direction.

    I want my life to change.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/10/australia-news-updates-live-covid-omicron-nsw-victoria-qld-scott-morrison-barnaby-joyce-weather-", - "creator": "Caitlin Cassidy (now) and Cait Kelly and Matilda Boseley (earlier)", - "pubDate": "2021-12-10T04:38:54Z", + "title": "‘It’s soul-crushing’: the shocking story of Guantánamo Bay’s ‘forever prisoner’", + "description": "

    In Alex Gibney’s harrowing documentary, the tale of Abu Zubaydah, seen as patient zero for the CIA’s torture programme, is explored with horrifying new details

    From “a black site” in Thailand in 2002, CIA officers warned headquarters that their interrogation techniques might result in the death of a prisoner. If that happened, he would be cremated, leaving no trace. But if he survived, could the CIA offer assurance that he would be remain in isolation?

    It could. Abu Zubaydah, the agency said in a cable, “will never be placed in a situation where he has any significant contact with others” and “should remain incommunicado for the remainder of his life”.

    Continue reading...", + "content": "

    In Alex Gibney’s harrowing documentary, the tale of Abu Zubaydah, seen as patient zero for the CIA’s torture programme, is explored with horrifying new details

    From “a black site” in Thailand in 2002, CIA officers warned headquarters that their interrogation techniques might result in the death of a prisoner. If that happened, he would be cremated, leaving no trace. But if he survived, could the CIA offer assurance that he would be remain in isolation?

    It could. Abu Zubaydah, the agency said in a cable, “will never be placed in a situation where he has any significant contact with others” and “should remain incommunicado for the remainder of his life”.

    Continue reading...", + "category": "Documentary", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/07/the-forever-prisoner-hbo-alex-gibney-guantanamo-bay", + "creator": "David Smith in Washington", + "pubDate": "2021-12-07T15:33:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119336,16 +145773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e601d91adf7cec747a3cad65412548f5" + "hash": "65de49e5dfd0d42aa5b5df8a83e77d7d" }, { - "title": "Helping refugees starving in Poland’s icy border forests is illegal – but it’s not the real crime | Anna Alboth", - "description": "

    The asylum seekers on the Poland-Belarus border are not aggressors: they are desperate pawns in a disgusting political struggle

    One thought is a constant in my head: “I have kids at home, I cannot go to jail, I cannot go to jail.” The politics are beyond my reach or that of the victims on the Poland-Belarus border. It involves outgoing German chancellor, Angela Merkel, getting through to Alexander Lukashenko, president of Belarus. It’s ironic that this border has more than 50 media crews gathered, yet Poland is the only place in the EU where journalists cannot freely report.

    Meanwhile, the harsh north European winter is closing in and my fingers are freezing in the dark snowy nights.

    Continue reading...", - "content": "

    The asylum seekers on the Poland-Belarus border are not aggressors: they are desperate pawns in a disgusting political struggle

    One thought is a constant in my head: “I have kids at home, I cannot go to jail, I cannot go to jail.” The politics are beyond my reach or that of the victims on the Poland-Belarus border. It involves outgoing German chancellor, Angela Merkel, getting through to Alexander Lukashenko, president of Belarus. It’s ironic that this border has more than 50 media crews gathered, yet Poland is the only place in the EU where journalists cannot freely report.

    Meanwhile, the harsh north European winter is closing in and my fingers are freezing in the dark snowy nights.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/08/helping-refugees-poland-belarus-border-forests-illegal", - "creator": "Anna Alboth", - "pubDate": "2021-12-08T08:00:36Z", + "title": "Australia news live update: Victoria and Qld record first cases of Omicron Covid variant; TGA provisionally approves Moderna booster shot", + "description": "

    TGA provisionally approves Moderna booster shots for over-18s; two cases of Omicron variant detected in Queensland and one in Victoria; George Christensen should go ‘quietly’ into retirement, Scott Morrison says; China blames Australia for tense relationship after Winter Olympics boycott; Victoria records 1,312 new Covid cases and five deaths; NSW reports 403 cases, one death; eight cases and one death in ACT. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", + "content": "

    TGA provisionally approves Moderna booster shots for over-18s; two cases of Omicron variant detected in Queensland and one in Victoria; George Christensen should go ‘quietly’ into retirement, Scott Morrison says; China blames Australia for tense relationship after Winter Olympics boycott; Victoria records 1,312 new Covid cases and five deaths; NSW reports 403 cases, one death; eight cases and one death in ACT. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/08/australia-news-live-update-sydney-party-boat-covid-cases-likely-to-be-omicron-pfizer-enthusiastic-to-talk-to-australia", + "creator": "Mostafa Rachwani (now) and Matilda Boseley (earlier)", + "pubDate": "2021-12-08T04:43:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119356,16 +145793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "04a972c473cd1e8b408ce9dbf2481020" + "hash": "a5bcb11f91adf3cf847aff2508697f66" }, { - "title": "How Nairobi’s ‘road for the rich’ resulted in thousands of homes reduced to rubble", - "description": "

    40,000 people in one of the largest slums in the Kenyan capital have had their homes demolished to make way for works for a Chinese-backed toll road, with some asking: ‘this is development for who?’

    About 40,000 people have been made homeless by demolition works for a major Chinese-backed toll road in Kenya’s capital, Nairobi.

    Amnesty International Kenya says it believes the roadworks have created a humanitarian crisis, as schools, businesses and 13,000 homes spread across nearly 40 hectares (100 acres) of the Mukuru Kwa Njenga slum have been demolished since October, clearing land for a link to the Nairobi expressway.

    A girl stands among the rubble of Mukuru Kwa Njenga slum, Nairobi, where 13,000 homes were razed to the ground

    Continue reading...", - "content": "

    40,000 people in one of the largest slums in the Kenyan capital have had their homes demolished to make way for works for a Chinese-backed toll road, with some asking: ‘this is development for who?’

    About 40,000 people have been made homeless by demolition works for a major Chinese-backed toll road in Kenya’s capital, Nairobi.

    Amnesty International Kenya says it believes the roadworks have created a humanitarian crisis, as schools, businesses and 13,000 homes spread across nearly 40 hectares (100 acres) of the Mukuru Kwa Njenga slum have been demolished since October, clearing land for a link to the Nairobi expressway.

    A girl stands among the rubble of Mukuru Kwa Njenga slum, Nairobi, where 13,000 homes were razed to the ground

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/08/how-nairobis-road-for-the-rich-resulted-in-thousands-of-homes-reduced-to-rubble", - "creator": "Ed Ram in Nairobi", - "pubDate": "2021-12-08T06:30:34Z", + "title": "Campaigners threaten UK legal action over porn sites’ lack of age verification", + "description": "

    Exclusive: failure to prevent children seeing online porn puts them at risk of abuse and lifelong trauma, say children’s safety group

    The UK data watchdog must introduce age verification for commercial pornography sites or face a high court challenge over any failure to act, children’s safety groups have warned.

    The demand in a letter to the Information Commissioner’s Office (ICO) states that the government’s failure to stop children seeing porn is causing lifelong trauma and putting children at risk of abuse and exploitation. It urges the ICO to use the powers under the recently introduced age appropriate design code (AADC) to introduce rigorous age-checking procedures for publicly accessible porn sites.

    Continue reading...", + "content": "

    Exclusive: failure to prevent children seeing online porn puts them at risk of abuse and lifelong trauma, say children’s safety group

    The UK data watchdog must introduce age verification for commercial pornography sites or face a high court challenge over any failure to act, children’s safety groups have warned.

    The demand in a letter to the Information Commissioner’s Office (ICO) states that the government’s failure to stop children seeing porn is causing lifelong trauma and putting children at risk of abuse and exploitation. It urges the ICO to use the powers under the recently introduced age appropriate design code (AADC) to introduce rigorous age-checking procedures for publicly accessible porn sites.

    Continue reading...", + "category": "Internet safety", + "link": "https://www.theguardian.com/global-development/2021/dec/05/campaigners-threaten-uk-legal-action-over-porn-sites-lack-of-age-verification", + "creator": "Harriet Grant and Dan Milmo", + "pubDate": "2021-12-05T16:00:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119376,16 +145813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6292319f9d4604c0108bdbc00a7a925a" + "hash": "a43ccd98f8c272554639f9c44f9f8a64" }, { - "title": "I feel despair at Sudan’s coup. But my children’s mini protest gives me hope | Khalid Albaih", - "description": "

    After 30 years in exile, it’s easy to doubt that it will ever be safe to live and work in Sudan. But the action being taken by young people shows democracy will rise again

    “All the goodness and the heroisms will rise up again, then be cut down again and rise up,” John Steinbeck wrote to a friend in 1941, just before the US entered the second world war. “It isn’t that the evil thing wins – it never will – but that it doesn’t die.”

    Growing up, I was always interested in politics, politics was the reason I had to leave Sudan at the age of 11. At school, we weren’t allowed to study or discuss it, and it was the same at home.For years, I lay in bed and listened to my father and his friends as they argued about politics and sang traditional songs during their weekend whisky rituals. They watched a new Arabic news channel, Al Jazeera, which aired from Qatar. All the journalism my father consumed about Sudan was from the London-based weekly opposition newspaper, Al Khartoum. The only time he turned on our dial-up internet was to visit Sudanese Online.

    Continue reading...", - "content": "

    After 30 years in exile, it’s easy to doubt that it will ever be safe to live and work in Sudan. But the action being taken by young people shows democracy will rise again

    “All the goodness and the heroisms will rise up again, then be cut down again and rise up,” John Steinbeck wrote to a friend in 1941, just before the US entered the second world war. “It isn’t that the evil thing wins – it never will – but that it doesn’t die.”

    Growing up, I was always interested in politics, politics was the reason I had to leave Sudan at the age of 11. At school, we weren’t allowed to study or discuss it, and it was the same at home.For years, I lay in bed and listened to my father and his friends as they argued about politics and sang traditional songs during their weekend whisky rituals. They watched a new Arabic news channel, Al Jazeera, which aired from Qatar. All the journalism my father consumed about Sudan was from the London-based weekly opposition newspaper, Al Khartoum. The only time he turned on our dial-up internet was to visit Sudanese Online.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/07/i-feel-despair-at-sudan-coup-but-my-childrens-mini-protest-gives-me-hope", - "creator": "Khalid Albaih", - "pubDate": "2021-12-07T07:00:20Z", + "title": "The latest challenge to Joe Biden’s presidency: the Omicron variant", + "description": "

    Analysis: after he promised to crush the coronavirus, the rise of a new strain could be a blow to perceptions of his competency

    Joe Biden looked out at an audience of government scientists last week and recognized a mask-wearing Anthony Fauci, his top adviser on the coronavirus. “I’ve seen more of Dr Fauci than my wife,” he joked. “Who’s president? Fauci!”

    The US president was visiting the frontline of the Covid-19 struggle, the National Institutes of Health in Bethesda, Maryland, where he unveiled a winter plan that includes a drive for vaccine boosters, free at-home testing and fresh requirements for international travelers.

    Continue reading...", + "content": "

    Analysis: after he promised to crush the coronavirus, the rise of a new strain could be a blow to perceptions of his competency

    Joe Biden looked out at an audience of government scientists last week and recognized a mask-wearing Anthony Fauci, his top adviser on the coronavirus. “I’ve seen more of Dr Fauci than my wife,” he joked. “Who’s president? Fauci!”

    The US president was visiting the frontline of the Covid-19 struggle, the National Institutes of Health in Bethesda, Maryland, where he unveiled a winter plan that includes a drive for vaccine boosters, free at-home testing and fresh requirements for international travelers.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/2021/dec/05/biden-administration-coronavirus-omicron", + "creator": "David Smith in Washington", + "pubDate": "2021-12-05T08:00:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119396,16 +145833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2ab2c27a12522ebab724d3ed1c504711" + "hash": "6564ed938297b12b1b692405169c35f0" }, { - "title": "‘More cautious’ China shifts Africa approach from debt to vaccine diplomacy", - "description": "

    Analysis: After two decades of major financial aid, Beijing is rethinking its strategy on continent amid Covid crisis and fierce competition for power, analysts say

    As debt concerns rise and a new coronavirus variant emerges, China appears to be adjusting its approach to Africa: cutting finance pledges while doubling down on vaccine diplomacy.

    On Monday last week, China’s leader, Xi Jinping, opened a China-Africa forum with a pledge to supply 1bn vaccine doses to Africa, amid global concern over the emergence of the Omicron variant of Covid-19. He also pledged $40bn to the continent, ranging from credit lines to investments – a significant cut from the $60bn promised at the previous two summits.

    Continue reading...", - "content": "

    Analysis: After two decades of major financial aid, Beijing is rethinking its strategy on continent amid Covid crisis and fierce competition for power, analysts say

    As debt concerns rise and a new coronavirus variant emerges, China appears to be adjusting its approach to Africa: cutting finance pledges while doubling down on vaccine diplomacy.

    On Monday last week, China’s leader, Xi Jinping, opened a China-Africa forum with a pledge to supply 1bn vaccine doses to Africa, amid global concern over the emergence of the Omicron variant of Covid-19. He also pledged $40bn to the continent, ranging from credit lines to investments – a significant cut from the $60bn promised at the previous two summits.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/08/more-cautious-china-shifts-africa-approach-from-debt-to-vaccine-diplomacy", - "creator": "Vincent Ni China affairs correspondent, and Helen Davidson", - "pubDate": "2021-12-08T00:24:46Z", + "title": "Scientists find ‘stealth’ version of Omicron that may be harder to track", + "description": "

    Variant lacks feature that allows probable cases to be distinguished among positive PCR tests

    Scientists say they have identified a “stealth” version of Omicron which cannot be distinguished from other variants using the PCR tests that public health officials deploy to gain a quick picture of its spread around the world.

    The stealth variant has many mutations in common with standard Omicron, but it lacks a particular genetic change that allows lab-based PCR tests to be used as a rough and ready means of flagging up probable cases.

    Continue reading...", + "content": "

    Variant lacks feature that allows probable cases to be distinguished among positive PCR tests

    Scientists say they have identified a “stealth” version of Omicron which cannot be distinguished from other variants using the PCR tests that public health officials deploy to gain a quick picture of its spread around the world.

    The stealth variant has many mutations in common with standard Omicron, but it lacks a particular genetic change that allows lab-based PCR tests to be used as a rough and ready means of flagging up probable cases.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/07/scientists-find-stealth-version-of-omicron-not-identifiable-with-pcr-test-covid-variant", + "creator": "Ian Sample and Peter Walker", + "pubDate": "2021-12-07T16:44:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119416,16 +145853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3be40080c2e08d278fdeb65f26fb8824" + "hash": "c0cb614aa44869843b30eace5c834a1f" }, { - "title": "Covid Christmas parties: timeline of government’s alleged festivities", - "description": "

    Boris Johnson denies staff gatherings took place or rules were broken during last year’s lockdown

    Downing Street is facing renewed pressure after TV footage emerged showing senior No 10 officials joking about a Christmas party during lockdown last December.

    In the leaked video, obtained by ITV, an adviser to Johnson is seen joking with Allegra Stratton, the prime minister’s then press secretary, about “a Downing Street Christmas party on Friday night”.

    Continue reading...", - "content": "

    Boris Johnson denies staff gatherings took place or rules were broken during last year’s lockdown

    Downing Street is facing renewed pressure after TV footage emerged showing senior No 10 officials joking about a Christmas party during lockdown last December.

    In the leaked video, obtained by ITV, an adviser to Johnson is seen joking with Allegra Stratton, the prime minister’s then press secretary, about “a Downing Street Christmas party on Friday night”.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/covid-christmas-parties-timeline-of-governments-alleged-festivities", - "creator": "Léonie Chao-Fong", - "pubDate": "2021-12-08T00:05:14Z", + "title": "Prepare a swift response to Russia invading Ukraine, Latvia tells west", + "description": "

    Nato not sending a clear signal would mean ‘glue that keeps us together’ has failed, says foreign minister

    A swift reprisal package against Russia – including US troops and Patriot missiles stationed in the Baltics, the cutting off of Russia from the Swift banking payments system and reinstated sanctions on the Nord Stream 2 gas pipeline – must be prepared now in case it invades Ukraine, the Latvian foreign minister has said.

    The warning from Edgars Rinkēvičs comes as Joe Biden and Vladimir Putin prepare to hold talks about the growing tensions.

    Continue reading...", + "content": "

    Nato not sending a clear signal would mean ‘glue that keeps us together’ has failed, says foreign minister

    A swift reprisal package against Russia – including US troops and Patriot missiles stationed in the Baltics, the cutting off of Russia from the Swift banking payments system and reinstated sanctions on the Nord Stream 2 gas pipeline – must be prepared now in case it invades Ukraine, the Latvian foreign minister has said.

    The warning from Edgars Rinkēvičs comes as Joe Biden and Vladimir Putin prepare to hold talks about the growing tensions.

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/07/ukraine-russia-latvia-foreign-minister-invasion-warning", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-07T13:13:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119436,16 +145873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cbe7077f93bfddefcba5ac8631f7cc43" + "hash": "ebbafa5b9060d9ee54a0b7eca0e3a9ea" }, { - "title": "Sajid Javid updates MPs on UK Omicron cases and new travel rules – video", - "description": "

    The health secretary has updated the Commons on the latest numbers of the Omicron variant of the coronavirus virus, as well as new travel restrictions for those arriving in the UK

    Continue reading...", - "content": "

    The health secretary has updated the Commons on the latest numbers of the Omicron variant of the coronavirus virus, as well as new travel restrictions for those arriving in the UK

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/dec/06/sajid-javid-updates-mps-on-uk-omicron-cases-and-new-travel-rules-video", - "creator": "", - "pubDate": "2021-12-06T18:58:49Z", + "title": "French police arrest man in connection with Jamal Khashoggi killing", + "description": "

    Police say man, named as Khalid Aedh al-Otaibi, was arrested as he was about to board flight from Paris to Riyadh

    French police have arrested a man on suspicion of being a former member of the Saudi royal guard accused of being involved in the murder of journalist Jamal Khashoggi.

    The man, named as Khalid Aedh al-Otaibi, was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", + "content": "

    Police say man, named as Khalid Aedh al-Otaibi, was arrested as he was about to board flight from Paris to Riyadh

    French police have arrested a man on suspicion of being a former member of the Saudi royal guard accused of being involved in the murder of journalist Jamal Khashoggi.

    The man, named as Khalid Aedh al-Otaibi, was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", + "category": "Jamal Khashoggi", + "link": "https://www.theguardian.com/world/2021/dec/07/one-of-suspected-killers-of-jamal-khashoggi-held-in-paris-say-reports", + "creator": "Kim Willsher in Paris and Stephanie Kirchgaessner in Washington", + "pubDate": "2021-12-07T22:07:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119456,16 +145893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d5ec345ee6c630df15508300575706e" + "hash": "73d23ddecd5c622077966bbb6db98462" }, { - "title": "Covid live: people in Scotland urged to cancel Christmas parties; UK reports another 50,867 cases and 148 deaths", - "description": "

    People and businesses in Scotland been urged not to go ahead with parties; UK daily case tally remains above 50,000

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "content": "

    People and businesses in Scotland been urged not to go ahead with parties; UK daily case tally remains above 50,000

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", - "creator": "Tom Ambrose (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-09T21:08:01Z", + "title": "Trump’s social media platform hits roadblocks as major political battle looms", + "description": "

    ‘Truth Social’ purportedly plans to challenge Twitter and Facebook, platforms that have banned or curbed the ex-president

    Donald Trump’s plan to launch “Truth Social”, a special purpose acquisitions backed social media company early next year may have hit a roadblock after US regulators issued a request for information on the deal on Monday.

    The request from the SEC and the Financial Industry Regulatory Authority for information from Digital World Acquisition Corp (DWAC), a blank-check SPAC that is set to merge with Trump Media & Technology Group, comes as a powerful Republican congressman, Devin Nunes, announced he was stepping out of politics to join the Trump media venture as CEO.

    Continue reading...", + "content": "

    ‘Truth Social’ purportedly plans to challenge Twitter and Facebook, platforms that have banned or curbed the ex-president

    Donald Trump’s plan to launch “Truth Social”, a special purpose acquisitions backed social media company early next year may have hit a roadblock after US regulators issued a request for information on the deal on Monday.

    The request from the SEC and the Financial Industry Regulatory Authority for information from Digital World Acquisition Corp (DWAC), a blank-check SPAC that is set to merge with Trump Media & Technology Group, comes as a powerful Republican congressman, Devin Nunes, announced he was stepping out of politics to join the Trump media venture as CEO.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/07/trump-social-media-platform-roadblocks", + "creator": "Edward Helmore", + "pubDate": "2021-12-07T17:04:55Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119476,16 +145913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f34a1be81ecaa983a46b0c896262f07f" + "hash": "d791ef29d46b2c27305a49c0cce898d8" }, { - "title": "Tropical forests can regenerate in just 20 years without human interference", - "description": "

    Study finds natural regrowth yields better results than human plantings and offers hope for climate recovery

    Tropical forests can bounce back with surprising rapidity, a new study published today suggests.

    An international group of researchers has found that tropical forests have the potential to almost fully regrow if they are left untouched by humans for about 20 years. This is due to a multidimensional mechanism whereby old forest flora and fauna help a new generation of forest grow – a natural process known as “secondary succession”.

    Continue reading...", - "content": "

    Study finds natural regrowth yields better results than human plantings and offers hope for climate recovery

    Tropical forests can bounce back with surprising rapidity, a new study published today suggests.

    An international group of researchers has found that tropical forests have the potential to almost fully regrow if they are left untouched by humans for about 20 years. This is due to a multidimensional mechanism whereby old forest flora and fauna help a new generation of forest grow – a natural process known as “secondary succession”.

    Continue reading...", - "category": "Conservation", - "link": "https://www.theguardian.com/environment/2021/dec/09/tropical-forests-can-regenerate-in-just-20-years-without-human-interference", - "creator": "Sofia Quaglia", - "pubDate": "2021-12-09T19:00:18Z", + "title": "South Korea hospitals under intense pressure amid record 7,175 Covid cases in a day", + "description": "

    Rise in infections attributed to young people who have yet to be fully vaccinated and older citizens who have not received boosters

    South Korea has reported a record daily total of 7,175 new Covid cases as officials urged people to complete their vaccinations.

    The prime minister, Kim Boo-kyum, warned that hospitals were coming under intense pressure amid a rise in serious cases, days after the government announced a return to stricter restrictions on social gatherings.

    Continue reading...", + "content": "

    Rise in infections attributed to young people who have yet to be fully vaccinated and older citizens who have not received boosters

    South Korea has reported a record daily total of 7,175 new Covid cases as officials urged people to complete their vaccinations.

    The prime minister, Kim Boo-kyum, warned that hospitals were coming under intense pressure amid a rise in serious cases, days after the government announced a return to stricter restrictions on social gatherings.

    Continue reading...", + "category": "South Korea", + "link": "https://www.theguardian.com/world/2021/dec/08/south-korea-hospitals-under-pressure-as-record-7175-covid-cases-in-a-day", + "creator": "Justin McCurry in Tokyo", + "pubDate": "2021-12-08T02:57:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119496,16 +145933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "396eff207f957dcb6e766a7ddcd571f9" + "hash": "5d96eb10ea9651cc958790707a4f471a" }, { - "title": "Iran nuclear deal pulled back from brink of collapse as talks resume in Vienna", - "description": "

    Cautious optimism as Tehran revises its position after pressure from Russia and China

    Efforts to revive the Iran nuclear deal have been hauled back from the brink of collapse as Tehran revised its stance after pressure from Russia and China and clear warnings that the EU and the US were preparing to walk away.

    The cautiously optimistic assessment came at the start of the seventh round of talks on the future of the nuclear deal in Vienna. It follows what was seen as a disastrous set of talks last week in which the US and the EU claimed Iran had walked back on compromises reached in previous rounds.

    Continue reading...", - "content": "

    Cautious optimism as Tehran revises its position after pressure from Russia and China

    Efforts to revive the Iran nuclear deal have been hauled back from the brink of collapse as Tehran revised its stance after pressure from Russia and China and clear warnings that the EU and the US were preparing to walk away.

    The cautiously optimistic assessment came at the start of the seventh round of talks on the future of the nuclear deal in Vienna. It follows what was seen as a disastrous set of talks last week in which the US and the EU claimed Iran had walked back on compromises reached in previous rounds.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/dec/09/iran-nuclear-deal-pulled-back-from-brink-of-collapse-as-talks-resume-in-vienna", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-09T19:39:21Z", + "title": "Don’t Look Up review – slapstick apocalypse according to DiCaprio and Lawrence", + "description": "

    Adam McKay’s laboured satire challenges political indifference to looming comet catastrophe but misses out on the comedy

    Having long complained that movies aren’t engaging with the most vital issue of our time – the climate crisis – it’s perhaps churlish of me not to be glad when one comes along that does exactly that. But Adam McKay’s laboured, self-conscious and unrelaxed satire Don’t Look Up is like a 145-minute Saturday Night Live sketch with neither the brilliant comedy of Succession, which McKay co-produces, nor the seriousness that the subject might otherwise require. It is as if the sheer unthinkability of the crisis can only be contained and represented in self-aware slapstick mode.

    With knockabout hints of Dr Strangelove, Network and Wag the Dog, Don’t Look Up is about two astronomers discovering that a Mount Everest-sized comet is due in six months’ time to hit planet Earth and wipe out all human life. The scientists urgently present their findings to the White House, but find that the political and media classes can’t or won’t grasp what they are saying: too stupefied with consumerism, short-termism and social-media gossip, and insidiously paralysed by the interests of big tech. Leonardo DiCaprio plays nerdy, bearded astronomer Dr Randall Mindy, nervous of human interaction and addicted to Xanax. Jennifer Lawrence is his smart, emotionally spiky grad student Kate Dibiasky. Meryl Streep is the panto-villain president, Jonah Hill her son and chief-of-staff, and Mark Rylance is the creepy Brit tech mogul Sir Peter Isherwell.

    Continue reading...", + "content": "

    Adam McKay’s laboured satire challenges political indifference to looming comet catastrophe but misses out on the comedy

    Having long complained that movies aren’t engaging with the most vital issue of our time – the climate crisis – it’s perhaps churlish of me not to be glad when one comes along that does exactly that. But Adam McKay’s laboured, self-conscious and unrelaxed satire Don’t Look Up is like a 145-minute Saturday Night Live sketch with neither the brilliant comedy of Succession, which McKay co-produces, nor the seriousness that the subject might otherwise require. It is as if the sheer unthinkability of the crisis can only be contained and represented in self-aware slapstick mode.

    With knockabout hints of Dr Strangelove, Network and Wag the Dog, Don’t Look Up is about two astronomers discovering that a Mount Everest-sized comet is due in six months’ time to hit planet Earth and wipe out all human life. The scientists urgently present their findings to the White House, but find that the political and media classes can’t or won’t grasp what they are saying: too stupefied with consumerism, short-termism and social-media gossip, and insidiously paralysed by the interests of big tech. Leonardo DiCaprio plays nerdy, bearded astronomer Dr Randall Mindy, nervous of human interaction and addicted to Xanax. Jennifer Lawrence is his smart, emotionally spiky grad student Kate Dibiasky. Meryl Streep is the panto-villain president, Jonah Hill her son and chief-of-staff, and Mark Rylance is the creepy Brit tech mogul Sir Peter Isherwell.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/08/dont-look-up-review-slapstick-apocalypse-according-to-dicaprio-and-lawrence", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-08T00:01:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119516,16 +145953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "54f80c1c1a38814a9d2f6d8881cf657c" + "hash": "5ca092cb121b2ea07c75f9d0d33411c6" }, { - "title": "‘An urgent matter’: Biden warns democracy is under threat at summit", - "description": "

    President opens two-day summit with 80 world leaders as experts warn democratic rights are under assault in the US

    Joe Biden has launched his virtual Summit for Democracy with a warning that democratic rights and norms are under threat around the world, including in the US.

    Facing video links with 80 world leaders arrayed on two oversize electronic panels, the US president said: “This is an urgent matter on all our parts, in my view, because the data we’re seeing is largely pointing in the wrong direction.”

    Continue reading...", - "content": "

    President opens two-day summit with 80 world leaders as experts warn democratic rights are under assault in the US

    Joe Biden has launched his virtual Summit for Democracy with a warning that democratic rights and norms are under threat around the world, including in the US.

    Facing video links with 80 world leaders arrayed on two oversize electronic panels, the US president said: “This is an urgent matter on all our parts, in my view, because the data we’re seeing is largely pointing in the wrong direction.”

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/2021/dec/09/joe-biden-summit-for-democracy", - "creator": "Julian Borger in Washington, Sam Levine in New York and Shah Meer Baloch in Islamabad", - "pubDate": "2021-12-09T19:26:12Z", + "title": "Kamala Harris is on to something: AirPods are bad | Julia Carrie Wong", + "description": "

    Cybersecurity experts confirm that Bluetooth signals can in fact be intercepted. And old-school earbuds have a level of retro cool

    AirPods are bad, people. I’ve said it for years. In 2016, when Apple first debuted the overpriced accessories, I wrote that wireless headphones were like tampons without strings – missing the crucial feature that helps you find them when you need to.

    As the years have gone by, I’ve clung steadfastly to my wired headphone sets. (I say headphone sets, plural, because I need two pairs, one to plug into the headphone jack in my laptop and one to plug into the non-headphone jack in my iPhone. I frequently think that the people I can’t hear on Zoom calls are on mute when I actually just have the wrong pair of earbuds in my ears. I don’t care; I won’t change.)

    Continue reading...", + "content": "

    Cybersecurity experts confirm that Bluetooth signals can in fact be intercepted. And old-school earbuds have a level of retro cool

    AirPods are bad, people. I’ve said it for years. In 2016, when Apple first debuted the overpriced accessories, I wrote that wireless headphones were like tampons without strings – missing the crucial feature that helps you find them when you need to.

    As the years have gone by, I’ve clung steadfastly to my wired headphone sets. (I say headphone sets, plural, because I need two pairs, one to plug into the headphone jack in my laptop and one to plug into the non-headphone jack in my iPhone. I frequently think that the people I can’t hear on Zoom calls are on mute when I actually just have the wrong pair of earbuds in my ears. I don’t care; I won’t change.)

    Continue reading...", + "category": "Technology", + "link": "https://www.theguardian.com/technology/2021/dec/07/kamala-harris-airpods-bad-people", + "creator": "Julia Carrie Wong", + "pubDate": "2021-12-07T20:09:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119536,16 +145973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "29629711b7e52bd4e6adb08e62f8eaaa" + "hash": "dff2d1f9efdf79a87961daca8a443e68" }, { - "title": "Pakistani Taliban declare end to month-long ceasefire with government", - "description": "

    Tehreek-e-Taliban Pakistan accuse state of breaching terms including a prisoner release agreement

    Taliban militants in Pakistan have declared an end to a month-long ceasefire arranged with the aid of the Afghan Taliban, accusing the government of breaching terms including a prisoner release agreement and the formation of negotiating committees.

    The Pakistani Taliban, or Tehreek-e-Taliban Pakistan (TTP), are a separate movement from the Afghan Taliban and have fought for years to overthrow the government in Islamabad and rule with their own brand of Islamic sharia law.

    Continue reading...", - "content": "

    Tehreek-e-Taliban Pakistan accuse state of breaching terms including a prisoner release agreement

    Taliban militants in Pakistan have declared an end to a month-long ceasefire arranged with the aid of the Afghan Taliban, accusing the government of breaching terms including a prisoner release agreement and the formation of negotiating committees.

    The Pakistani Taliban, or Tehreek-e-Taliban Pakistan (TTP), are a separate movement from the Afghan Taliban and have fought for years to overthrow the government in Islamabad and rule with their own brand of Islamic sharia law.

    Continue reading...", - "category": "Pakistan", - "link": "https://www.theguardian.com/world/2021/dec/09/pakistani-taliban-declare-end-to-month-long-ceasefire-with-government", - "creator": "Reuters in Islamabad", - "pubDate": "2021-12-09T19:58:00Z", + "title": "New faces, policies – and accents: Germany’s next coalition", + "description": "

    Olaf Scholz takes over from Angela Merkel and brings with him a northern accent typical of Hamburg

    Germany’s next coalition government, which will be sworn in on Wednesday, will come with a lineup of new faces, a new set of policy priorities and a new dose of energy. It will also speak with a distinctive accent.

    Olaf Scholz, the centre-left politician who will step into Angela Merkel’s shoes, is a man of the German north not only by upbringing but by voice. When the former mayor of Hamburg recently warned in parliament that Covid-19 had not yet been beaten, he leaned into the stretched out fricatives typical of Germany’s second-largest city: Scholz pronounces the word besiegt as besiecht.

    Continue reading...", + "content": "

    Olaf Scholz takes over from Angela Merkel and brings with him a northern accent typical of Hamburg

    Germany’s next coalition government, which will be sworn in on Wednesday, will come with a lineup of new faces, a new set of policy priorities and a new dose of energy. It will also speak with a distinctive accent.

    Olaf Scholz, the centre-left politician who will step into Angela Merkel’s shoes, is a man of the German north not only by upbringing but by voice. When the former mayor of Hamburg recently warned in parliament that Covid-19 had not yet been beaten, he leaned into the stretched out fricatives typical of Germany’s second-largest city: Scholz pronounces the word besiegt as besiecht.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/07/new-faces-policies-and-accents-germanys-next-coalition", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-12-07T17:01:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119556,16 +145993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b43bd63e38ff3b1e28656d2999a26a93" + "hash": "3bb60462e951cc6d839dbf7e867efe59" }, { - "title": "UK proposes US-style waivers for EU citizens crossing Irish border", - "description": "

    Plans for foreign citizens to need pre-clearance to enter Northern Ireland denounced as ‘hardening of border’

    EU citizens and other non-Irish or non-British nationals who cross the border from the republic of Ireland into Northern Ireland will have to get pre-clearance under new rules being proposed by the UK government.

    They will require a US-style waiver known as an Electronic Travel Authorisation (ETA) to cross the border as part of the new post-Brexit immigration nationality and borders bill.

    Continue reading...", - "content": "

    Plans for foreign citizens to need pre-clearance to enter Northern Ireland denounced as ‘hardening of border’

    EU citizens and other non-Irish or non-British nationals who cross the border from the republic of Ireland into Northern Ireland will have to get pre-clearance under new rules being proposed by the UK government.

    They will require a US-style waiver known as an Electronic Travel Authorisation (ETA) to cross the border as part of the new post-Brexit immigration nationality and borders bill.

    Continue reading...", - "category": "Brexit", - "link": "https://www.theguardian.com/politics/2021/dec/09/uk-proposes-us-style-waivers-for-eu-citizens-crossing-irish-border", - "creator": "Lisa O'Carroll Brexit correspondent", - "pubDate": "2021-12-09T12:13:17Z", + "title": "Covid live news: South Korea surge sparks hospital alarm; ‘stealth’ Omicron variant found", + "description": "

    South Korea daily cases top 7,000 for first time; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "content": "

    South Korea daily cases top 7,000 for first time; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", + "creator": "Martin Farrer", + "pubDate": "2021-12-08T04:37:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119576,16 +146013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1ff8764b01ab01fdbc6bded66c7e71c3" + "hash": "7e9ae5e0f677a34c393e7c7dd8f58960" }, { - "title": "Ghislaine Maxwell sex-trafficking trial adjourned after attorney becomes ill", - "description": "

    Judge Alison Nathan says she expects proceedings will resume on Friday

    Ghislaine Maxwell’s New York sex-trafficking trial was unexpectedly adjourned early Thursday because an “ill” attorney needed medical care. “I’ve been informed there’s an attorney in the case who’s ill, and that attorney has to get care,” the judge, Alison Nathan, told jurors this morning.

    Nathan’s disclosure came several moments after attorneys on the case asked to speak with her in private. It’s unclear from proceedings which attorney is ill.

    Continue reading...", - "content": "

    Judge Alison Nathan says she expects proceedings will resume on Friday

    Ghislaine Maxwell’s New York sex-trafficking trial was unexpectedly adjourned early Thursday because an “ill” attorney needed medical care. “I’ve been informed there’s an attorney in the case who’s ill, and that attorney has to get care,” the judge, Alison Nathan, told jurors this morning.

    Nathan’s disclosure came several moments after attorneys on the case asked to speak with her in private. It’s unclear from proceedings which attorney is ill.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/09/ghislaine-maxwell-sex-trafficking-trial-adjourned", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-09T17:29:16Z", + "title": "Egyptian researcher’s mother ‘jumping for joy’ after court orders release", + "description": "

    Patrick Zaki was detained last year and still faces charges of ‘spreading false news’

    An Egyptian court has ordered the release of researcher Patrick Zaki, whose detention in February last year sparked international condemnation, particularly in Italy where he had been studying, his family said.

    “I’m jumping for joy!” his mother, Hala Sobhi, told AFP. “We’re now on our way to the police station in Mansoura,” a city in Egypt’s Nile Delta, where Zaki is from.

    Continue reading...", + "content": "

    Patrick Zaki was detained last year and still faces charges of ‘spreading false news’

    An Egyptian court has ordered the release of researcher Patrick Zaki, whose detention in February last year sparked international condemnation, particularly in Italy where he had been studying, his family said.

    “I’m jumping for joy!” his mother, Hala Sobhi, told AFP. “We’re now on our way to the police station in Mansoura,” a city in Egypt’s Nile Delta, where Zaki is from.

    Continue reading...", + "category": "Egypt", + "link": "https://www.theguardian.com/world/2021/dec/07/egyptian-researcher-court-orders-release-patrick-zaki", + "creator": "Agence France-Presse in Cairo", + "pubDate": "2021-12-07T14:12:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119596,16 +146033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4241e4f46f988342f8f7c08d9bcd8929" + "hash": "c4769c3c50b137ae0b0937677da8aba7" }, { - "title": "Germany’s foreign minister under pressure over Nord Stream 2 sanctions", - "description": "

    Annalena Baerbock has sympathy with US demands, but there is considerable Social Democrat support for Russia’s pipeline

    Germany’s new foreign minister, Annalena Baerbock, has been caught a diplomatic vice days into the job, as US puts pressure on the coalition government in Berlin to vow to block the Nord Stream 2 pipeline in the event of Russia invading Ukraine.

    The controversial pipeline project, which runs from Ust-Luga in Russia to Lubmin in north-east Germany, is also likely to be the first test of the new German government’s unity of approach.

    Continue reading...", - "content": "

    Annalena Baerbock has sympathy with US demands, but there is considerable Social Democrat support for Russia’s pipeline

    Germany’s new foreign minister, Annalena Baerbock, has been caught a diplomatic vice days into the job, as US puts pressure on the coalition government in Berlin to vow to block the Nord Stream 2 pipeline in the event of Russia invading Ukraine.

    The controversial pipeline project, which runs from Ust-Luga in Russia to Lubmin in north-east Germany, is also likely to be the first test of the new German government’s unity of approach.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/09/germany-foreign-minister-annalena-baerbock-nord-stream-2", - "creator": "Patrick Wintour in London and Philip Oltermann in Berlin", - "pubDate": "2021-12-09T18:19:16Z", + "title": "One of suspected killers of Jamal Khashoggi held in Paris", + "description": "

    Khalid Aedh al-Otaibi arrested as he was about to board flight to Riyadh

    French police have arrested a former member of the Saudi royal guard who has also served as a personal security official for the Saudi Crown Prince Mohammed bin Salman for his suspected involvement in the murder of journalist Jamal Khashoggi.

    Khalid Aedh al-Otaibi was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", + "content": "

    Khalid Aedh al-Otaibi arrested as he was about to board flight to Riyadh

    French police have arrested a former member of the Saudi royal guard who has also served as a personal security official for the Saudi Crown Prince Mohammed bin Salman for his suspected involvement in the murder of journalist Jamal Khashoggi.

    Khalid Aedh al-Otaibi was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", + "category": "Jamal Khashoggi", + "link": "https://www.theguardian.com/world/2021/dec/07/one-of-suspected-killers-of-jamal-khashoggi-held-in-paris-say-reports", + "creator": "Kim Willsher in Paris and Stephanie Kirchgaessner in Washington", + "pubDate": "2021-12-07T17:13:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119616,16 +146053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b8b73a0f51536f1a11fe9fc32bcc4374" + "hash": "a4a4fb143f90a0935c7fe1d011ec5045" }, { - "title": "Travis Scott denies knowing fans were hurt in first interview since Astroworld", - "description": "

    The singer says noise and pyrotechnics made it impossible to see the crush developing in the crowd

    Travis Scott has said he didn’t notice concertgoers pleading for help, during his first interview since the devastating crowd crush at Astroworld that left 10 fans dead and hundreds injured. “It’s just been a lot of thoughts, a lot of feelings, a lot of grieving,” he said, “just trying to wrap my head around it.”

    Over the course of an hour-long interview with Charlamagne tha God, the host of the Breakfast Club radio show, Scott was serious and downcast. He said he wasn’t aware of anything amiss until a news conference was called after his set. “People pass out, things happen at concerts – but something like that?” he said, his voice trailing.

    Continue reading...", - "content": "

    The singer says noise and pyrotechnics made it impossible to see the crush developing in the crowd

    Travis Scott has said he didn’t notice concertgoers pleading for help, during his first interview since the devastating crowd crush at Astroworld that left 10 fans dead and hundreds injured. “It’s just been a lot of thoughts, a lot of feelings, a lot of grieving,” he said, “just trying to wrap my head around it.”

    Over the course of an hour-long interview with Charlamagne tha God, the host of the Breakfast Club radio show, Scott was serious and downcast. He said he wasn’t aware of anything amiss until a news conference was called after his set. “People pass out, things happen at concerts – but something like that?” he said, his voice trailing.

    Continue reading...", - "category": "Travis Scott", - "link": "https://www.theguardian.com/music/2021/dec/09/travis-scott-astroworld-interview", - "creator": "Andrew Lawrence", - "pubDate": "2021-12-09T17:21:36Z", + "title": "Hundreds approved for evacuation to UK remain trapped in Afghanistan", + "description": "

    British nationals and vulnerable Afghans stuck without help months after Taliban takeover

    British nationals and vulnerable Afghans who have been approved for evacuation have spoken of their anguish and frustration as they remain trapped in Afghanistan months after it was taken over by the Taliban.

    After devastating testimony by a whistleblower in the Foreign Office, who claimed there was an incompetent and chaotic response to the fall of Kabul, those waiting to be evacuated have called for rapid action from the UK government.

    Continue reading...", + "content": "

    British nationals and vulnerable Afghans stuck without help months after Taliban takeover

    British nationals and vulnerable Afghans who have been approved for evacuation have spoken of their anguish and frustration as they remain trapped in Afghanistan months after it was taken over by the Taliban.

    After devastating testimony by a whistleblower in the Foreign Office, who claimed there was an incompetent and chaotic response to the fall of Kabul, those waiting to be evacuated have called for rapid action from the UK government.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/2021/dec/07/hundreds-approved-for-evacuation-to-uk-remain-trapped-in-afghanistan", + "creator": "Aamna Mohdin and Amelia Gentleman", + "pubDate": "2021-12-07T17:28:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119636,16 +146073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9fa0255eac764ede7829bd121acd96bf" + "hash": "3d33f60cb08a90f4487a1012b619a678" }, { - "title": "South African Covid cases up 255% in a week as Omicron spreads", - "description": "

    Private healthcare provider says symptoms in country’s fourth wave are far milder than in previous waves

    Covid cases in South Africa have surged by 255% in the past seven days but there is mounting anecdotal evidence that infections with the Omicron variant are provoking milder symptoms than in previous waves.

    According to a South African private healthcare provider, the recent rise in infections – which includes the Omicron and Delta variants – has been accompanied by a much smaller increase in admissions to intensive care beds, echoing an earlier report from the country’s National Institute for Communicable Disease (NICD).

    Continue reading...", - "content": "

    Private healthcare provider says symptoms in country’s fourth wave are far milder than in previous waves

    Covid cases in South Africa have surged by 255% in the past seven days but there is mounting anecdotal evidence that infections with the Omicron variant are provoking milder symptoms than in previous waves.

    According to a South African private healthcare provider, the recent rise in infections – which includes the Omicron and Delta variants – has been accompanied by a much smaller increase in admissions to intensive care beds, echoing an earlier report from the country’s National Institute for Communicable Disease (NICD).

    Continue reading...", - "category": "South Africa", - "link": "https://www.theguardian.com/world/2021/dec/09/south-african-covid-cases-up-255-in-a-week-as-omicron-spreads", - "creator": "Peter Beaumont", - "pubDate": "2021-12-09T14:59:15Z", + "title": "Amazon Web Services outage hits sites and apps such as IMDb and Tinder", + "description": "

    Users in North America and Europe report patchy service after cloud computing goes down

    Users say Amazon Web Services is suffering a major outage, the Associated Press has reported.

    Amazon and other popular apps and websites such as Duolingo and Tinder are reportedly affected, according to the website Downdetector.

    Continue reading...", + "content": "

    Users in North America and Europe report patchy service after cloud computing goes down

    Users say Amazon Web Services is suffering a major outage, the Associated Press has reported.

    Amazon and other popular apps and websites such as Duolingo and Tinder are reportedly affected, according to the website Downdetector.

    Continue reading...", + "category": "Amazon", + "link": "https://www.theguardian.com/technology/2021/dec/07/amazon-web-services-outage-hits-sites-and-apps-such-as-imdb-and-tinder", + "creator": "Jamie Grierson", + "pubDate": "2021-12-07T17:54:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119656,16 +146093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb144f55a88733500f36bb72dd70689e" + "hash": "34ba78eff18cda684574ceeac6696728" }, { - "title": "New York’s Met museum to remove Sackler family name from its galleries", - "description": "

    Art museum announces change in the wake of leading members of the family being blamed for fueling the deadly US opioids crisis

    New York’s famed Metropolitan Museum of Art is going to remove the name of arguably its most controversial donor groups – the billionaire Sackler family – from its galleries.

    The news comes in the wake of leading members of the US family, one of America’s richest, being blamed for fueling the deadly opioids crisis in America with the aggressive selling of the family company’s prescription narcotic painkiller, OxyContin.

    Continue reading...", - "content": "

    Art museum announces change in the wake of leading members of the family being blamed for fueling the deadly US opioids crisis

    New York’s famed Metropolitan Museum of Art is going to remove the name of arguably its most controversial donor groups – the billionaire Sackler family – from its galleries.

    The news comes in the wake of leading members of the US family, one of America’s richest, being blamed for fueling the deadly opioids crisis in America with the aggressive selling of the family company’s prescription narcotic painkiller, OxyContin.

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/dec/09/new-york-met-art-museum-to-remove-sackler-family-name-from-galleries", - "creator": "Joanna Walters in New York", - "pubDate": "2021-12-09T19:20:38Z", + "title": "‘Disastrous’ plastic use in farming threatens food safety – UN", + "description": "

    Food and Agriculture Organization says most plastics are burned, buried or lost after use

    The “disastrous” way in which plastic is used in farming across the world is threatening food safety and potentially human health, according to a report from the UN’s Food and Agriculture Organization.

    It says soils contain more microplastic pollution than the oceans and that there is “irrefutable” evidence of the need for better management of the millions of tonnes of plastics used in the food and farming system each year.

    Continue reading...", + "content": "

    Food and Agriculture Organization says most plastics are burned, buried or lost after use

    The “disastrous” way in which plastic is used in farming across the world is threatening food safety and potentially human health, according to a report from the UN’s Food and Agriculture Organization.

    It says soils contain more microplastic pollution than the oceans and that there is “irrefutable” evidence of the need for better management of the millions of tonnes of plastics used in the food and farming system each year.

    Continue reading...", + "category": "Plastics", + "link": "https://www.theguardian.com/environment/2021/dec/07/disastrous-plastic-use-in-farming-threatens-food-safety-un", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-07T13:00:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119676,16 +146113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e5b5e87359638fd52ed38cdc1c25ab4" + "hash": "849decede0f7a730fee61a3b4bc97ed2" }, { - "title": "Belgian pop sensation Angèle: ‘When we speak about feminism, people are afraid’", - "description": "

    A million-selling superstar at home and in France, she discusses her confrontation with Playboy, growing up in a famous family and being publicly outed as bisexual

    A few years ago, a popular pub quiz question involved naming 10 famous Belgians. The answers often revealed more about British cultural ignorance than Belgium’s ability to produce international celebrities, given that the fictional Tintin and Hercule Poirot were the best many could come up with.

    The game has got easier since the rise of Angèle, a stridently feminist Belgian pop singer-songwriter who shot to fame in 2016 after posting short clips singing covers and playing the piano on Instagram. She was young, talented and not afraid to make fun of herself, pulling faces and sticking pencils up her nose. Her 2018 debut album, Brol, sold a million copies; by 2019, she was a face of Chanel. “I’d always wanted a career in music, but I was thinking more of working as a piano accompanist,” she says, folding into an armchair at a five-star boutique hotel near the Paris Opéra. “I really didn’t expect it to happen like that.”

    Continue reading...", - "content": "

    A million-selling superstar at home and in France, she discusses her confrontation with Playboy, growing up in a famous family and being publicly outed as bisexual

    A few years ago, a popular pub quiz question involved naming 10 famous Belgians. The answers often revealed more about British cultural ignorance than Belgium’s ability to produce international celebrities, given that the fictional Tintin and Hercule Poirot were the best many could come up with.

    The game has got easier since the rise of Angèle, a stridently feminist Belgian pop singer-songwriter who shot to fame in 2016 after posting short clips singing covers and playing the piano on Instagram. She was young, talented and not afraid to make fun of herself, pulling faces and sticking pencils up her nose. Her 2018 debut album, Brol, sold a million copies; by 2019, she was a face of Chanel. “I’d always wanted a career in music, but I was thinking more of working as a piano accompanist,” she says, folding into an armchair at a five-star boutique hotel near the Paris Opéra. “I really didn’t expect it to happen like that.”

    Continue reading...", - "category": "Pop and rock", - "link": "https://www.theguardian.com/music/2021/dec/09/belgian-pop-sensation-angele-when-we-speak-about-feminism-people-are-afraid", - "creator": "Kim Willsher", - "pubDate": "2021-12-09T14:49:34Z", + "title": "Dozens killed in fire at overcrowded Burundi prison", + "description": "

    Inmate says police refused to open doors amid blaze that left 38 dead and 69 seriously hurt

    A massive fire ripped through an overcrowded prison in Burundi before dawn on Tuesday, killing dozens of inmates and seriously injuring many more, the country’s vice-president said.

    Many inmates were still sleeping at the time of the blaze that destroyed several parts of the facility in Burundi’s political capital, Gitega, witnesses said.

    Continue reading...", + "content": "

    Inmate says police refused to open doors amid blaze that left 38 dead and 69 seriously hurt

    A massive fire ripped through an overcrowded prison in Burundi before dawn on Tuesday, killing dozens of inmates and seriously injuring many more, the country’s vice-president said.

    Many inmates were still sleeping at the time of the blaze that destroyed several parts of the facility in Burundi’s political capital, Gitega, witnesses said.

    Continue reading...", + "category": "Burundi", + "link": "https://www.theguardian.com/world/2021/dec/07/burundi-prison-gitega-fire-overcrowded", + "creator": "Agence France-Presse in Nairobi", + "pubDate": "2021-12-07T13:52:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119696,16 +146133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2bc7d91ec799f859c428f4a71734a4fc" + "hash": "166654597fccab2336585ab638edcc4d" }, { - "title": "Want to see the world’s worst pizzas? Step this way | Jay Rayner", - "description": "

    The Random Restaurant Twitter feed shows that mini chip fryer baskets and terrible food photos are a planet-wide phenomenon

    It’s a familiar image. There’s a well-stacked burger: domed bun, a couple of patties, the crimson flash of fresh tomato. It’s not unappetising. Next to it, however, is an emblem for all that is naff, irritating and deathly in the restaurant world: a mini chip fryer basket full of chips. Because what could be more fun than a miniaturised version of a piece of kitchen equipment? It’s exactly the kind of thing you’d expect to find in a dreary low-rent British gastropub; one that has decided crass serving items are a substitute for a commitment to good food.

    Except this image is not from a clumsy gastro pub. It’s certainly not from Britain. It’s from Fast Food Le Jasmin, a restaurant in Guelma, in north-eastern Algeria. I can show you other examples from Costa Rica and French Polynesia. For the joyous revelation that restaurant stupidity is not restricted to the UK, we must thank a Twitter account called Random Restaurant or @_restaurant_bot, created by one Joe Schoech. As its name suggests, it uses a bot to search Google randomly for information on restaurants all over the world. Around 20 times a day it posts a map link, plus the first four photographs it finds. Certain countries, including China, are excluded because Google isn’t available there. Otherwise, it provides an extraordinary window on how we eat out globally.

    Continue reading...", - "content": "

    The Random Restaurant Twitter feed shows that mini chip fryer baskets and terrible food photos are a planet-wide phenomenon

    It’s a familiar image. There’s a well-stacked burger: domed bun, a couple of patties, the crimson flash of fresh tomato. It’s not unappetising. Next to it, however, is an emblem for all that is naff, irritating and deathly in the restaurant world: a mini chip fryer basket full of chips. Because what could be more fun than a miniaturised version of a piece of kitchen equipment? It’s exactly the kind of thing you’d expect to find in a dreary low-rent British gastropub; one that has decided crass serving items are a substitute for a commitment to good food.

    Except this image is not from a clumsy gastro pub. It’s certainly not from Britain. It’s from Fast Food Le Jasmin, a restaurant in Guelma, in north-eastern Algeria. I can show you other examples from Costa Rica and French Polynesia. For the joyous revelation that restaurant stupidity is not restricted to the UK, we must thank a Twitter account called Random Restaurant or @_restaurant_bot, created by one Joe Schoech. As its name suggests, it uses a bot to search Google randomly for information on restaurants all over the world. Around 20 times a day it posts a map link, plus the first four photographs it finds. Certain countries, including China, are excluded because Google isn’t available there. Otherwise, it provides an extraordinary window on how we eat out globally.

    Continue reading...", - "category": "Restaurants", - "link": "https://www.theguardian.com/food/2021/dec/09/want-to-see-the-worlds-worst-pizzas-step-this-way-random-restaurant-twitter-jay-rayner", - "creator": "Jay Rayner", - "pubDate": "2021-12-09T12:00:11Z", + "title": "Covid live: early signs Omicron more transmissible, UK PM says; Scottish firms urged to let staff work from home", + "description": "

    Early indications Omicron more transmissible than Delta, says Boris Johnson; Nicola Sturgeon says staff should work from home until mid-January

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", + "content": "

    Early indications Omicron more transmissible than Delta, says Boris Johnson; Nicola Sturgeon says staff should work from home until mid-January

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/07/covid-news-live-omicron-likely-to-become-dominant-variant-harvard-researcher-says-france-to-close-nightclubs", + "creator": "Lucy Campbell (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-07T18:43:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119716,16 +146153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9dc3813b9cffa339e89512ca7f11e37b" + "hash": "e5ce6cfb241795908ba5f3462e757260" }, { - "title": "Record number of children in Britain arrested over terror offences", - "description": "

    Home Office figures show 25 under-18s arrested in year to September, mostly in relation to far-right ideology

    A record number of children were arrested on suspicion of terror offences in Great Britain in the last year, a development that investigators have linked to the shutdown of schools during the early stages of the pandemic.

    Figures released by the Home Office show there were 25 such arrests of under-18s in the 12 months to September, the majority in relation to far-right ideology.

    Continue reading...", - "content": "

    Home Office figures show 25 under-18s arrested in year to September, mostly in relation to far-right ideology

    A record number of children were arrested on suspicion of terror offences in Great Britain in the last year, a development that investigators have linked to the shutdown of schools during the early stages of the pandemic.

    Figures released by the Home Office show there were 25 such arrests of under-18s in the 12 months to September, the majority in relation to far-right ideology.

    Continue reading...", - "category": "UK security and counter-terrorism", - "link": "https://www.theguardian.com/uk-news/2021/dec/09/record-number-of-uk-children-arrested-for-terror-offences", - "creator": "Dan Sabbagh and Rajeev Syal", - "pubDate": "2021-12-09T18:53:55Z", + "title": "As many as 6 million eligible Britons may not have had a Covid jab. Who are they?", + "description": "

    The Omicron variant has refocused attention on vaccination rates as data shows disparities in uptake across age, region and ethnicity

    Hundreds of cases of the new Omicron Covid-19 variant have now been confirmed in the UK and experts have called for a renewed focus on vaccination rates.

    As of 4 December, just over eight in 10 people aged 12 or older UK-wide had received two doses of a coronavirus vaccine, according to data from the UK Health Security Agency, while 89% had received a first dose. This means about 6 million eligible people may still be unvaccinated, based on ONS population figures as opposed to counts of GP records. So who are they?

    Continue reading...", + "content": "

    The Omicron variant has refocused attention on vaccination rates as data shows disparities in uptake across age, region and ethnicity

    Hundreds of cases of the new Omicron Covid-19 variant have now been confirmed in the UK and experts have called for a renewed focus on vaccination rates.

    As of 4 December, just over eight in 10 people aged 12 or older UK-wide had received two doses of a coronavirus vaccine, according to data from the UK Health Security Agency, while 89% had received a first dose. This means about 6 million eligible people may still be unvaccinated, based on ONS population figures as opposed to counts of GP records. So who are they?

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/07/as-many-as-6-million-eligible-britons-may-not-have-had-a-covid-jab-who-are-they", + "creator": "Niamh McIntyre and Tobi Thomas", + "pubDate": "2021-12-07T08:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119736,16 +146173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "30ff4d8ae8e0f47361ff825422497616" + "hash": "38b68bdf131e522a11b5f1c2acda91a8" }, { - "title": "‘I just wonder who’s next’: six California teens on living amid rising gun violence", - "description": "

    The state – and country – saw homicides climb 30% last year. The most impacted youth describe the trauma that comes with community violence

    A deadly mass shooting at a suburban Michigan high school brought back a familiar American routine: utterances of shock, followed by condolences, blame, and then calls for action that fall on deaf ears.

    Last week’s school shooting came as young people across the US are reckoning with a historic surge in gun violence. While shootings on school campuses declined significantly during the pandemic – incidents where a gun was fired at US schools dropped from 130 to 96 between 2019 and 2020, according to a database from Everytown for Gun Safety – community gun violence rose dramatically in that same period. Gun violence deaths rose a staggering 30% from 2019 to 2020 nationwide, the sharpest rise in 60 years.

    Continue reading...", - "content": "

    The state – and country – saw homicides climb 30% last year. The most impacted youth describe the trauma that comes with community violence

    A deadly mass shooting at a suburban Michigan high school brought back a familiar American routine: utterances of shock, followed by condolences, blame, and then calls for action that fall on deaf ears.

    Last week’s school shooting came as young people across the US are reckoning with a historic surge in gun violence. While shootings on school campuses declined significantly during the pandemic – incidents where a gun was fired at US schools dropped from 130 to 96 between 2019 and 2020, according to a database from Everytown for Gun Safety – community gun violence rose dramatically in that same period. Gun violence deaths rose a staggering 30% from 2019 to 2020 nationwide, the sharpest rise in 60 years.

    Continue reading...", - "category": "California", - "link": "https://www.theguardian.com/us-news/2021/dec/09/california-gun-violence-teenagers-youth", - "creator": "Abené Clayton", - "pubDate": "2021-12-09T21:06:53Z", + "title": "Michele Brown was vaccinated - but had a suppressed immune system. Would better health advice have saved her?", + "description": "

    The mother-of-two carefully shielded until the government said it was safe to see friends and family. She had no idea how her existing conditions could affect her

    The feeling of relief was immense as 58-year-old Michele Brown returned home from the vaccine centre. Her husband, Terry, 61, had taken time off from his job as a supervisor at a heavy machinery factory to drive her to her second Covid-19 vaccination at a Gateshead community centre. In the car, Michele told her partner of 40 years that she felt like a weight had been lifted off her shoulders. “She said: ‘At least we’ve got that done,’” Terry remembers. “‘We’ll be OK.’”

    It was 28 April 2021. Michele, who had rheumatoid arthritis, an underactive thyroid and diabetes, had spent the last year and a half shielding indoors, on government advice. She was careful. She had a Covid station set up on the breakfast counter: lateral flow tests, bottles of antibacterial gel and disposable face masks. When family came to visit, a mask-wearing Michele would banish them to the furthest corner of the living room. “We couldn’t kiss her,” remembers her daughter, Kim Brown, 41, who lives in Durham. “She would say: ‘You might have the coronies! I don’t want no coronies. You’re not giving me that crap.’”

    Continue reading...", + "content": "

    The mother-of-two carefully shielded until the government said it was safe to see friends and family. She had no idea how her existing conditions could affect her

    The feeling of relief was immense as 58-year-old Michele Brown returned home from the vaccine centre. Her husband, Terry, 61, had taken time off from his job as a supervisor at a heavy machinery factory to drive her to her second Covid-19 vaccination at a Gateshead community centre. In the car, Michele told her partner of 40 years that she felt like a weight had been lifted off her shoulders. “She said: ‘At least we’ve got that done,’” Terry remembers. “‘We’ll be OK.’”

    It was 28 April 2021. Michele, who had rheumatoid arthritis, an underactive thyroid and diabetes, had spent the last year and a half shielding indoors, on government advice. She was careful. She had a Covid station set up on the breakfast counter: lateral flow tests, bottles of antibacterial gel and disposable face masks. When family came to visit, a mask-wearing Michele would banish them to the furthest corner of the living room. “We couldn’t kiss her,” remembers her daughter, Kim Brown, 41, who lives in Durham. “She would say: ‘You might have the coronies! I don’t want no coronies. You’re not giving me that crap.’”

    Continue reading...", + "category": "Society", + "link": "https://www.theguardian.com/society/2021/dec/07/michele-brown-was-vaccinated-but-had-a-suppressed-immune-system-would-better-health-advice-have-saved-her", + "creator": "Sirin Kale", + "pubDate": "2021-12-07T06:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119756,16 +146193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "670652dd3f0fa46f63bdec68312259b2" + "hash": "4f1f44244c49b685c275d5197418f20b" }, { - "title": "Australia news live updates: Gladys Berejiklian rules out federal tilt, second woman killed in Queensland floods", - "description": "

    Atagi recommends that children receive the Pfizer vaccine from 10 January. Follow all the day’s developments

    Seems like Scott Morrison and other federal politicians weren’t just happy to have the former NSW premier if she decided to run, they were actively “urging” her to step up to the plate.

    Here is what Berejiklian had to say just before when radio host Ben Fordham asked “How hard did Scott Morrison try to get you to have a go?”

    Look, I’m really grateful to the PM and so many other colleagues who really asked me to consider this. It wasn’t something that I intended to do, but out of respect for those people... I gave it some thought but decided against it.

    It’s not something that I want to do...

    Continue reading...", - "content": "

    Atagi recommends that children receive the Pfizer vaccine from 10 January. Follow all the day’s developments

    Seems like Scott Morrison and other federal politicians weren’t just happy to have the former NSW premier if she decided to run, they were actively “urging” her to step up to the plate.

    Here is what Berejiklian had to say just before when radio host Ben Fordham asked “How hard did Scott Morrison try to get you to have a go?”

    Look, I’m really grateful to the PM and so many other colleagues who really asked me to consider this. It wasn’t something that I intended to do, but out of respect for those people... I gave it some thought but decided against it.

    It’s not something that I want to do...

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/10/australia-news-updates-live-covid-omicron-nsw-victoria-qld-scott-morrison-barnaby-joyce-weather-", - "creator": "Matilda Boseley", - "pubDate": "2021-12-09T21:04:55Z", + "title": "Marianela Núñez: ‘What lockdown taught me, one more time, is that dance is my true passion’", + "description": "

    The Royal Ballet’s phenomenal principal dancer was the fixed star at the heart of an extraordinary year for the company

    It’s been an oddly fractured year for dance. Repeated lockdowns stifled talent, thwarted new ideas. Online and outdoor offerings provided some release but when theatres reopened in May, dancers emerged as if from hibernation, full of life, anxious to get on with their notoriously short careers.

    None more so than Marianela Núñez. The Royal Ballet has excelled as a company this year, but she is the fixed star gleaming at its heart, never disappointing, always moving towards her aim of perfection. Her smile irradiates the stage, but it is the purity of her classical technique, the sense that you are watching someone at the absolute peak of their abilities.

    Continue reading...", + "content": "

    The Royal Ballet’s phenomenal principal dancer was the fixed star at the heart of an extraordinary year for the company

    It’s been an oddly fractured year for dance. Repeated lockdowns stifled talent, thwarted new ideas. Online and outdoor offerings provided some release but when theatres reopened in May, dancers emerged as if from hibernation, full of life, anxious to get on with their notoriously short careers.

    None more so than Marianela Núñez. The Royal Ballet has excelled as a company this year, but she is the fixed star gleaming at its heart, never disappointing, always moving towards her aim of perfection. Her smile irradiates the stage, but it is the purity of her classical technique, the sense that you are watching someone at the absolute peak of their abilities.

    Continue reading...", + "category": "Marianela Núñez", + "link": "https://www.theguardian.com/stage/2021/dec/07/marianela-nunez-royal-ballet-giselle-faces-of-year", + "creator": "Sarah Crompton", + "pubDate": "2021-12-07T13:00:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119776,16 +146213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdba7386f414be1d6660cb14ae71085a" + "hash": "47890afc1570857ead13dc84bba3dbeb" }, { - "title": "Covid live: WHO says boosters ‘risk exacerbating’ vaccine inequity; UK PM accused of undermining virus fight", - "description": "

    WHO say first doses should be prioritised over booster jab programmes; UK opposition MP criticises government measures as not enough

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "content": "

    WHO say first doses should be prioritised over booster jab programmes; UK opposition MP criticises government measures as not enough

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", - "creator": "Lucy Campbell (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-09T13:44:39Z", + "title": "Life after death: how the pandemic has transformed our psychic landscape | Jacqueline Rose", + "description": "

    Modern society has largely exiled death to the outskirts of existence, but Covid-19 has forced us all to confront it. Our relationship to the planet, each other and time itself can never be the same again

    We have been asked to write about the future, the afterlife of the pandemic, but the future can never be told. This at least was the view of the economist John Maynard Keynes, who was commissioned to edit a series of essays for the Guardian in 1921, as the world was rebuilding after the first world war. The future is “fluctuating, vague and uncertain”, he wrote later, at a time when the mass unemployment of the 1930s had upended all confidence, the first stage on a road to international disaster that could, and could not, be foreseen. “The senses in which I am using the term [uncertain],” he said, “is that in which the prospect of a European war is uncertain, or the price of copper and the rate of interest 20 years hence, or the obsolescence of a new invention, or the position of private wealth-owners in the social system in 1970. About these matters there is no scientific basis on which to form any calculable probability whatever. We simply do not know.”

    This may always be the case, but the pandemic has brought this truth so brutally into our lives that it threatens to crush the best hopes of the heart, which always look beyond the present. We are being robbed of the illusion that we can predict what will happen in the space of a second, a minute, an hour or a day. From one moment to the next, the pandemic seems to turn and point its finger at anyone, even at those who believed they were safely immune. The distribution of the virus and vaccination programme in different countries has been cruelly unequal, but as long as Covid remains a global presence, waves of increasing severity will be possible anywhere and at any moment in time. The most deadly pandemic of the 20th century, the Spanish flu at the end of the first world war, went through wave after wave and lasted for nearly four years. Across the world, people are desperate to feel they have turned a corner, that an end is in sight, only to be faced with a future that seems to be retreating like a vanishing horizon, a shadow, a blur. Nobody knows, with any degree of confidence, what will happen next. Anyone claiming to do so is a fraud.

    Continue reading...", + "content": "

    Modern society has largely exiled death to the outskirts of existence, but Covid-19 has forced us all to confront it. Our relationship to the planet, each other and time itself can never be the same again

    We have been asked to write about the future, the afterlife of the pandemic, but the future can never be told. This at least was the view of the economist John Maynard Keynes, who was commissioned to edit a series of essays for the Guardian in 1921, as the world was rebuilding after the first world war. The future is “fluctuating, vague and uncertain”, he wrote later, at a time when the mass unemployment of the 1930s had upended all confidence, the first stage on a road to international disaster that could, and could not, be foreseen. “The senses in which I am using the term [uncertain],” he said, “is that in which the prospect of a European war is uncertain, or the price of copper and the rate of interest 20 years hence, or the obsolescence of a new invention, or the position of private wealth-owners in the social system in 1970. About these matters there is no scientific basis on which to form any calculable probability whatever. We simply do not know.”

    This may always be the case, but the pandemic has brought this truth so brutally into our lives that it threatens to crush the best hopes of the heart, which always look beyond the present. We are being robbed of the illusion that we can predict what will happen in the space of a second, a minute, an hour or a day. From one moment to the next, the pandemic seems to turn and point its finger at anyone, even at those who believed they were safely immune. The distribution of the virus and vaccination programme in different countries has been cruelly unequal, but as long as Covid remains a global presence, waves of increasing severity will be possible anywhere and at any moment in time. The most deadly pandemic of the 20th century, the Spanish flu at the end of the first world war, went through wave after wave and lasted for nearly four years. Across the world, people are desperate to feel they have turned a corner, that an end is in sight, only to be faced with a future that seems to be retreating like a vanishing horizon, a shadow, a blur. Nobody knows, with any degree of confidence, what will happen next. Anyone claiming to do so is a fraud.

    Continue reading...", + "category": "Death and dying", + "link": "https://www.theguardian.com/society/2021/dec/07/life-after-death-pandemic-transformed-psychic-landscape-jacqueline-rose", + "creator": "Jacqueline Rose", + "pubDate": "2021-12-07T06:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119796,16 +146233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "82ba0f00e304ef1d6d28bdb7b061ebcf" + "hash": "d6577ad0130bdba2839b887bbd404511" }, { - "title": "Uyghurs subjected to genocide by China, unofficial UK tribunal finds", - "description": "

    Independent report says crimes include torture and the systematic suppression of births

    Uyghur people living in Xinjiang province in China have been subjected to unconscionable crimes against humanity directed by the Chinese state that amount to an act of genocide, an independent and unofficial tribunal has found.

    Hundreds of thousands and possibly a million people have been incarcerated without any or remotely fair justification, the tribunal’s chair, Sir Geoffrey Nice QC, said as he delivered the tribunal’s findings in London. “This vast apparatus of state repression could not exist if a plan was not authorised at the highest levels,” Nice said.

    Continue reading...", - "content": "

    Independent report says crimes include torture and the systematic suppression of births

    Uyghur people living in Xinjiang province in China have been subjected to unconscionable crimes against humanity directed by the Chinese state that amount to an act of genocide, an independent and unofficial tribunal has found.

    Hundreds of thousands and possibly a million people have been incarcerated without any or remotely fair justification, the tribunal’s chair, Sir Geoffrey Nice QC, said as he delivered the tribunal’s findings in London. “This vast apparatus of state repression could not exist if a plan was not authorised at the highest levels,” Nice said.

    Continue reading...", - "category": "Uyghurs", - "link": "https://www.theguardian.com/world/2021/dec/09/uyghurs-subjected-to-genocide-by-china-unofficial-uk-tribunal-finds", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-09T13:04:18Z", + "title": "‘Funny fat girl’: Rebel Wilson says her team were against her losing weight", + "description": "

    Actor says she received ‘pushback’ from her management due to fears of the impact it could have on her career

    Rebel Wilson, one of Hollywood’s top comedy actors, has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", + "content": "

    Actor says she received ‘pushback’ from her management due to fears of the impact it could have on her career

    Rebel Wilson, one of Hollywood’s top comedy actors, has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", + "category": "Rebel Wilson", + "link": "https://www.theguardian.com/film/2021/dec/07/funny-fat-girl-rebel-wilson-says-her-team-were-against-her-losing-weight", + "creator": "Nadia Khomami Arts and culture correspondent", + "pubDate": "2021-12-07T17:58:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119816,16 +146253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb53f1bfde295a530a2b2ab779f60b2e" + "hash": "5dc740758f87c6e1f52adba48fe92598" }, { - "title": "China says Australia, UK and US will ‘pay price’ for Winter Olympics action", - "description": "

    Beijing accuses nations of using Games ‘for political manipulation’ amid diplomatic boycotts

    Australia, Britain and the US will pay a price for their “mistaken acts” after deciding not to send government delegations to February’s Winter Olympics in Beijing, China’s foreign ministry has said.

    The US was the first to announce a boycott, saying on Monday its government officials would not attend the February Games because of China’s human rights “atrocities”, weeks after talks aimed at easing tension between the world’s two largest economies.

    Continue reading...", - "content": "

    Beijing accuses nations of using Games ‘for political manipulation’ amid diplomatic boycotts

    Australia, Britain and the US will pay a price for their “mistaken acts” after deciding not to send government delegations to February’s Winter Olympics in Beijing, China’s foreign ministry has said.

    The US was the first to announce a boycott, saying on Monday its government officials would not attend the February Games because of China’s human rights “atrocities”, weeks after talks aimed at easing tension between the world’s two largest economies.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/09/china-says-australia-uk-and-us-will-pay-price-for-winter-olympics-action", - "creator": "Vincent Ni and agencies", - "pubDate": "2021-12-09T09:27:44Z", + "title": "Biden and Putin make little apparent headway on Ukraine in virtual summit", + "description": "

    White House says the US president voiced ‘deep concerns’ about the Russian military buildup in the two-hour video call

    Joe Biden and Vladimir Putin held a virtual summit on Tuesday but made little apparent headway in defusing the crisis over Ukraine in the wake of a Russian troop build-up, and instead delegated officials from both countries to stay in contact.

    The two leaders talked by videoconference for just over two hours, during which they laid out their positions.

    Continue reading...", + "content": "

    White House says the US president voiced ‘deep concerns’ about the Russian military buildup in the two-hour video call

    Joe Biden and Vladimir Putin held a virtual summit on Tuesday but made little apparent headway in defusing the crisis over Ukraine in the wake of a Russian troop build-up, and instead delegated officials from both countries to stay in contact.

    The two leaders talked by videoconference for just over two hours, during which they laid out their positions.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/dec/07/joe-biden-vladimir-putin-virtual-summit-ukraine-russia", + "creator": "Julian Borger in Washington and Andrew Roth in Moscow", + "pubDate": "2021-12-07T21:16:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119836,16 +146273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eeac98bc9302951915ea45764a12c3a0" + "hash": "f72dbd89d84ac0f7e6af0f6bab1a584d" }, { - "title": "Gig economy workers to get employee rights under EU proposals", - "description": "

    Draft legislation would improve status of millions of workers, with likely knock-on effect on UK despite Brexit

    Gig economy companies operating in the European Union, such as Uber and Deliveroo, must ensure workers get the minimum wage, access to sick pay, holidays and other employment rights under plans for new laws to crack down on fake self-employment.

    Publishing long-awaited draft legislation on Thursday, the European Commission said the burden of proof on employment status would shift to companies, rather than the individuals that work for them. Until now, gig economy workers have had to go to court to prove they are employees, or risk being denied basic rights.

    Continue reading...", - "content": "

    Draft legislation would improve status of millions of workers, with likely knock-on effect on UK despite Brexit

    Gig economy companies operating in the European Union, such as Uber and Deliveroo, must ensure workers get the minimum wage, access to sick pay, holidays and other employment rights under plans for new laws to crack down on fake self-employment.

    Publishing long-awaited draft legislation on Thursday, the European Commission said the burden of proof on employment status would shift to companies, rather than the individuals that work for them. Until now, gig economy workers have had to go to court to prove they are employees, or risk being denied basic rights.

    Continue reading...", - "category": "Gig economy", - "link": "https://www.theguardian.com/business/2021/dec/09/gig-economy-workers-to-get-employee-rights-under-eu-proposals", - "creator": "Jennifer Rankin in Brussels", - "pubDate": "2021-12-09T10:00:08Z", + "title": "Runner faces UK deportation despite state of emergency in Ethiopia", + "description": "

    Officials refused Seyfu Jamaal’s asylum claim after he had waited more than three and a half years

    A runner from Ethiopia who dreams of representing Team GB is facing deportation back to his home country even though a state of emergency has been declared there.

    Seyfu Jamaal, 21, arrived in the UK aged 17 after travelling to the UK in the back of a lorry and claimed asylum. The Home Office accepts he was persecuted and trafficked before he arrived in the UK. But officials refused his asylum claim in May of this year after keeping him waiting for more than three and a half years for a decision, saying it would be safe for him to return home.

    Continue reading...", + "content": "

    Officials refused Seyfu Jamaal’s asylum claim after he had waited more than three and a half years

    A runner from Ethiopia who dreams of representing Team GB is facing deportation back to his home country even though a state of emergency has been declared there.

    Seyfu Jamaal, 21, arrived in the UK aged 17 after travelling to the UK in the back of a lorry and claimed asylum. The Home Office accepts he was persecuted and trafficked before he arrived in the UK. But officials refused his asylum claim in May of this year after keeping him waiting for more than three and a half years for a decision, saying it would be safe for him to return home.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/dec/07/runner-faces-uk-deportation-despite-state-of-emergency-in-ethiopia", + "creator": "Diane Taylor", + "pubDate": "2021-12-07T16:29:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119856,16 +146293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "158cc57f069765be5997b3d948132f53" + "hash": "17d2c2bc864bb90287a386686cd2532e" }, { - "title": "New Zealand to ban smoking for next generation in bid to outlaw habit by 2025", - "description": "

    Legislation will mean people currently aged 14 and under will never be able to legally purchase tobacco

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said on Thursday.

    Continue reading...", - "content": "

    Legislation will mean people currently aged 14 and under will never be able to legally purchase tobacco

    New Zealand has announced it will outlaw smoking for the next generation, so that those who are aged 14 and under today will never be legally able to buy tobacco.

    New legislation means the legal smoking age will increase every year, to create a smoke-free generation of New Zealanders, associate health minister Dr Ayesha Verrall said on Thursday.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/dec/09/new-zealand-to-ban-smoking-for-next-generation-in-bid-to-outlaw-habit-by-2025", - "creator": "Tess McClure in Christchurch", - "pubDate": "2021-12-08T23:29:56Z", + "title": "Biden voices ‘deep concerns’ over Ukraine escalation in call with Putin – live", + "description": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", + "content": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/dec/07/joe-biden-vladimir-putin-call-russia-ukraine-invasion-us-politics-latest", + "creator": "Joan E Greve in Washington (now) and Adam Gabbatt (earlier)", + "pubDate": "2021-12-07T22:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119876,16 +146313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "933c4da5f8d4009038098eb50f406098" + "hash": "6bdc365b3a10fee5772567e5e7de0c23" }, { - "title": "Berlusconi ‘fired up’ for Italian presidency bid – but faces obstacles", - "description": "

    Controversial former prime minister’s divisive personality could make it hard to muster broad support

    Undeterred by health woes, sex scandals and advanced age, the former Italian prime minister Silvio Berlusconi is doggedly pursuing a promise he once made to his mother: that one day he would become president.

    Parliament will choose a new head of state early next year and the 85-year-old is the first to put himself forward for a race that could transform the Italian political landscape but has no official candidates.

    Continue reading...", - "content": "

    Controversial former prime minister’s divisive personality could make it hard to muster broad support

    Undeterred by health woes, sex scandals and advanced age, the former Italian prime minister Silvio Berlusconi is doggedly pursuing a promise he once made to his mother: that one day he would become president.

    Parliament will choose a new head of state early next year and the 85-year-old is the first to put himself forward for a race that could transform the Italian political landscape but has no official candidates.

    Continue reading...", - "category": "Silvio Berlusconi", - "link": "https://www.theguardian.com/world/2021/dec/09/berlusconi-fired-up-for-italian-presidency-bid-but-faces-obstacles", - "creator": "Reuters", - "pubDate": "2021-12-09T12:24:07Z", + "title": "IOC says it ‘respects’ US boycott of Beijing Winter Olympics", + "description": "

    Organisation also defends its handling case of Chinese tennis player, Peng Shuai, as ‘quiet diplomacy’

    The International Olympic Committee (IOC) has said that it respects the United States’ decision to diplomatically boycott the forthcoming Beijing Winter Olympics, while defending its “quiet diplomacy” in handling the case of Chinese tennis player, Peng Shuai.

    “We always ask for as much respect as possible and least possible interference from the political world,” said Juan Antonio Samaranch Jr, the IOC’s coordination commission chief for the Beijing Winter Olympics. “We have to be reciprocal. We respect the political decisions taken by political bodies.”

    Continue reading...", + "content": "

    Organisation also defends its handling case of Chinese tennis player, Peng Shuai, as ‘quiet diplomacy’

    The International Olympic Committee (IOC) has said that it respects the United States’ decision to diplomatically boycott the forthcoming Beijing Winter Olympics, while defending its “quiet diplomacy” in handling the case of Chinese tennis player, Peng Shuai.

    “We always ask for as much respect as possible and least possible interference from the political world,” said Juan Antonio Samaranch Jr, the IOC’s coordination commission chief for the Beijing Winter Olympics. “We have to be reciprocal. We respect the political decisions taken by political bodies.”

    Continue reading...", + "category": "Peng Shuai", + "link": "https://www.theguardian.com/sport/2021/dec/07/ioc-says-it-respects-us-boycott-of-beijing-winter-olympics", + "creator": "Vincent Ni, China affairs correspondent", + "pubDate": "2021-12-07T19:31:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119896,16 +146333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f08a23c327244ab5e18a0353a1ddd53d" + "hash": "43b805aa59f924782f0fc17c0b4028d0" }, { - "title": "Batman loach returns: fish feared extinct found in Turkey", - "description": "

    Scientists working on the Search For The Lost Fishes project have spotted the freshwater Batman River loach, which has not been seen since 1974

    A freshwater fish that scientists thought was extinct has been found in south-east Turkey, after an absence of nearly 50 years.

    “I’ve been researching this area for 12 years and this fish was always on my wishlist,” said Dr Cüneyt Kaya, associate professor at Recep Tayyip Erdoğan University. “It’s taken a long time. When I saw the distinctive bands on the fish, I felt so happy. It was a perfect moment.”

    Continue reading...", - "content": "

    Scientists working on the Search For The Lost Fishes project have spotted the freshwater Batman River loach, which has not been seen since 1974

    A freshwater fish that scientists thought was extinct has been found in south-east Turkey, after an absence of nearly 50 years.

    “I’ve been researching this area for 12 years and this fish was always on my wishlist,” said Dr Cüneyt Kaya, associate professor at Recep Tayyip Erdoğan University. “It’s taken a long time. When I saw the distinctive bands on the fish, I felt so happy. It was a perfect moment.”

    Continue reading...", - "category": "Fish", - "link": "https://www.theguardian.com/environment/2021/dec/09/batman-loach-returns-fish-feared-extinct-for-decades-spotted-in-turkey-aoe", - "creator": "Graeme Green", - "pubDate": "2021-12-09T09:00:06Z", + "title": "Australia news live update: Sydney party boat Covid cases likely to be Omicron; Nationals distance themselves from Christensen", + "description": "

    Queensland power station targeted by hackers; five people on board a Sydney Harbour cruise on Friday night have tested positive to Covid, with two likely the new variant. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", + "content": "

    Queensland power station targeted by hackers; five people on board a Sydney Harbour cruise on Friday night have tested positive to Covid, with two likely the new variant. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/08/australia-news-live-update-sydney-party-boat-covid-cases-likely-to-be-omicron-pfizer-enthusiastic-to-talk-to-australia", + "creator": "Matilda Boseley", + "pubDate": "2021-12-07T21:54:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119916,16 +146353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9ecff3cd7f87db12c21a19fe72608fe1" + "hash": "3602e43519aed7d961816a028bb07885" }, { - "title": "Nearly 100 former British Council staff remain in hiding in Afghanistan", - "description": "

    Staff employed to teach British values and the English language refused the right to come to the UK

    Nearly 100 former British Council staff employed to teach British values and the English language remain in hiding in Afghanistan after having so far been refused the right to come to the UK by officials.

    Their plight has been taken up by Joseph Seaton, the former British Council Afghanistan English manager, and its deputy director, who has written to the most relevant cabinet members in a bid to gain their support.

    Continue reading...", - "content": "

    Staff employed to teach British values and the English language refused the right to come to the UK

    Nearly 100 former British Council staff employed to teach British values and the English language remain in hiding in Afghanistan after having so far been refused the right to come to the UK by officials.

    Their plight has been taken up by Joseph Seaton, the former British Council Afghanistan English manager, and its deputy director, who has written to the most relevant cabinet members in a bid to gain their support.

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/world/2021/dec/09/nearly-100-former-british-council-staff-remain-in-hiding-in-afghanistan", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-09T07:00:04Z", + "title": "Indonesian Semeru volcano spews huge ash cloud – video", + "description": "

    A sudden eruption from the highest volcano on Indonesia’s most densely populated island of Java left several villages blanketed with falling ash.

    The eruption was accompanied by a thunderstorm that spread lava and smouldering debris, which formed thick mud. The event triggered panic among locals and caused one death

    Continue reading...", + "content": "

    A sudden eruption from the highest volcano on Indonesia’s most densely populated island of Java left several villages blanketed with falling ash.

    The eruption was accompanied by a thunderstorm that spread lava and smouldering debris, which formed thick mud. The event triggered panic among locals and caused one death

    Continue reading...", + "category": "Volcanoes", + "link": "https://www.theguardian.com/world/video/2021/dec/04/indonesian-semeru-volcano-spews-huge-ash-cloud-video", + "creator": "", + "pubDate": "2021-12-04T16:45:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119936,16 +146373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "63b7dce937b2d872565dc74515050692" + "hash": "add8faa941d4e5fbaff566b0701b331a" }, { - "title": "Steve Bronski: co-founder of Bronski Beat dies aged 61", - "description": "

    Bronski formed the trailblazing gay pop trio with Jimmy Somerville and Larry Steinbachek, which had hits in the 80s including Smalltown Boy

    Steve Bronski, a founding member of the trailblazing British synth-pop trio Bronski Beat, has died, a source close to the group has confirmed. The BBC reported his age as 61. No cause of death was given.

    His bandmate Jimmy Somerville described him as a “talented and very melodic man”.

    Continue reading...", - "content": "

    Bronski formed the trailblazing gay pop trio with Jimmy Somerville and Larry Steinbachek, which had hits in the 80s including Smalltown Boy

    Steve Bronski, a founding member of the trailblazing British synth-pop trio Bronski Beat, has died, a source close to the group has confirmed. The BBC reported his age as 61. No cause of death was given.

    His bandmate Jimmy Somerville described him as a “talented and very melodic man”.

    Continue reading...", - "category": "Music", - "link": "https://www.theguardian.com/music/2021/dec/09/steve-bronski-co-founder-of-bronski-beat-has-died", - "creator": "Laura Snapes", - "pubDate": "2021-12-09T13:50:49Z", + "title": "Omicron Covid variant: too soon to say illness severity – video", + "description": "

    The variant first identified in South Africa has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization's technical lead for Covid-19, Maria Van Kerkhove, has said. The WHO has said it could take weeks to determine how infectious Omicron is, whether it causes more severe illness and how effective treatments and vaccines are against it

    Continue reading...", + "content": "

    The variant first identified in South Africa has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization's technical lead for Covid-19, Maria Van Kerkhove, has said. The WHO has said it could take weeks to determine how infectious Omicron is, whether it causes more severe illness and how effective treatments and vaccines are against it

    Continue reading...", + "category": "World Health Organization", + "link": "https://www.theguardian.com/world/video/2021/dec/04/omicron-covid-variant-too-soon-to-say-illness-severity-video", + "creator": "", + "pubDate": "2021-12-04T13:54:53Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119956,16 +146393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "658e034941b13735631df5bb9862bdd0" + "hash": "ac8cf85bacfbc4755d01efe1e9a3cfd0" }, { - "title": "US Covid cases surge as vaccine progress slows and Omicron variant sparks fears", - "description": "

    Ohio, as well as Michigan, Illinois, Indiana and Pennsylvania have seen a recent increase in cases and hospitalizations

    For Dr Rina D’Abramo of the MetroHealth System in Cleveland, it’s difficult when patients in the emergency room tell her they have not been vaccinated.

    “You can hear it in their voice when you say, ‘Are you vaccinated?’” said D’Abramo, who works at a hospital in the Brecksville suburb. “They shrink down and are like, ‘No. Now I know why I need to be vaccinated.’ ”

    Continue reading...", - "content": "

    Ohio, as well as Michigan, Illinois, Indiana and Pennsylvania have seen a recent increase in cases and hospitalizations

    For Dr Rina D’Abramo of the MetroHealth System in Cleveland, it’s difficult when patients in the emergency room tell her they have not been vaccinated.

    “You can hear it in their voice when you say, ‘Are you vaccinated?’” said D’Abramo, who works at a hospital in the Brecksville suburb. “They shrink down and are like, ‘No. Now I know why I need to be vaccinated.’ ”

    Continue reading...", - "category": "Ohio", - "link": "https://www.theguardian.com/us-news/2021/dec/09/us-covid-cases-surge-vaccine-progress-slows-omicron-variant", - "creator": "Eric Berger", - "pubDate": "2021-12-09T10:00:08Z", + "title": "Electrician jailed after castrating men at their request in Germany", + "description": "

    Man, 67, convicted of assault for removing testicles of several people and causing one person to die

    A German court convicted a 67-year-old electrician of aggravated, dangerous and simple assault for removing the testicles of several men at their request, causing one person to die, the dpa news agency has reported.

    A Munich regional court sentenced the man to eight years and six months in prison. The defendant, whose name was not released for privacy reasons, had initially also been charged with murder by omission but prosecutors later dropped that charge.

    Continue reading...", + "content": "

    Man, 67, convicted of assault for removing testicles of several people and causing one person to die

    A German court convicted a 67-year-old electrician of aggravated, dangerous and simple assault for removing the testicles of several men at their request, causing one person to die, the dpa news agency has reported.

    A Munich regional court sentenced the man to eight years and six months in prison. The defendant, whose name was not released for privacy reasons, had initially also been charged with murder by omission but prosecutors later dropped that charge.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/07/electrician-who-castrated-men-jailed-in-germany", + "creator": "Associated Press in Berlin", + "pubDate": "2021-12-07T14:48:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119976,16 +146413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "759e62bdc2059ed507570cd428c08876" + "hash": "f4056a532ea6f127308f866792ff8f0a" }, { - "title": "Barnaby Joyce, Australia’s deputy PM, tests positive for Covid while visiting US", - "description": "

    Nationals leader is experiencing mild symptoms and will remain in isolation until further advice

    Australia’s deputy prime minister, Barnaby Joyce, has tested positive to Covid-19 while on a visit to the United States.

    The government says Joyce – who was in London earlier this week and met with the British justice secretary, Dominic Raab, and the Australian high commissioner to the UK, George Brandis – will isolate in the US until it is safe for him to return to Australia.

    Continue reading...", - "content": "

    Nationals leader is experiencing mild symptoms and will remain in isolation until further advice

    Australia’s deputy prime minister, Barnaby Joyce, has tested positive to Covid-19 while on a visit to the United States.

    The government says Joyce – who was in London earlier this week and met with the British justice secretary, Dominic Raab, and the Australian high commissioner to the UK, George Brandis – will isolate in the US until it is safe for him to return to Australia.

    Continue reading...", - "category": "Barnaby Joyce", - "link": "https://www.theguardian.com/australia-news/2021/dec/09/barnaby-joyce-australia-deputy-pm-prime-minister-tests-positive-covid-coronavirus", - "creator": "Daniel Hurst", - "pubDate": "2021-12-08T23:05:08Z", + "title": "Latest Covid travel rules for the 10 most popular holiday destinations from UK", + "description": "

    The arrival of the Omicron variant and rising infection rates has led to myriad new rules that travellers have to negotiate before setting off

    Spain has banned all non-vaccinated Britons from entering the country. The ban is expected to last until at least 31 December, at which point the rules will be reviewed.

    Continue reading...", + "content": "

    The arrival of the Omicron variant and rising infection rates has led to myriad new rules that travellers have to negotiate before setting off

    Spain has banned all non-vaccinated Britons from entering the country. The ban is expected to last until at least 31 December, at which point the rules will be reviewed.

    Continue reading...", + "category": "Travel", + "link": "https://www.theguardian.com/travel/2021/dec/07/latest-covid-travel-rules-for-10-most-popular-holiday-destinations-from-uk-spain-france-italy-usa", + "creator": "Nazia Parveen", + "pubDate": "2021-12-07T14:46:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -119996,16 +146433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6975ce6ef23ca77a4051dcb713956523" + "hash": "e7d461c2d5d490a7315d14ab83dade9f" }, { - "title": "Omicron spreads to 57 countries but too early to tell if variant more infectious, WHO says", - "description": "

    World Health Organization says new Covid variant spreading rapidly in South Africa, with cases doubling in the past week

    The Omicron variant of Covid-19 has now been reported in 57 countries and continues to spread rapidly in South Africa, the World Health Organization (WHO) says.

    But the latest epidemiological report from WHO says given the Delta variant remains dominant, particularly in Europe and the US, it is still too early to draw any conclusions about the global impact of Omicron.

    Continue reading...", - "content": "

    World Health Organization says new Covid variant spreading rapidly in South Africa, with cases doubling in the past week

    The Omicron variant of Covid-19 has now been reported in 57 countries and continues to spread rapidly in South Africa, the World Health Organization (WHO) says.

    But the latest epidemiological report from WHO says given the Delta variant remains dominant, particularly in Europe and the US, it is still too early to draw any conclusions about the global impact of Omicron.

    Continue reading...", - "category": "World Health Organization", - "link": "https://www.theguardian.com/world/2021/dec/09/omicron-spreads-to-57-countries-but-too-early-to-tell-if-variant-more-infectious-who-says", - "creator": "Melissa Davey Medical editor", - "pubDate": "2021-12-09T03:29:26Z", + "title": "David Thewlis on new show Landscapers and the misogyny of Naked: ‘I find it much tougher to watch today’", + "description": "

    As he stars alongside Olivia Colman in a drama about the Mansfield Murders, the actor talks about his discomfort with Naked, doing night shoots with Julie Walters – and growing old grotesquely

    David Thewlis, speaking by Zoom from his home in the Berkshire village of Sunningdale, has set his screen at a jaunty angle. His manner is equable, nerdy, eager to please. Nothing like what you’d expect, in other words – unless you had watched Landscapers, a new four-part TV drama in which Thewlis stars opposite Olivia Colman. Perhaps he’s one of those actors who doesn’t de-role until he’s on to the next character.

    Landscapers is true crime, in so far as the protagonists are Susan and Christopher Edwards, the so-called Mansfield Murderers convicted in 2014 of killing Susan’s parents and burying them in the garden 15 years before. Yet it is absolutely nothing like true crime. It jumps through time and genre, smashes the fourth wall then puts it back together as a jail cell. It is vividly experimental yet recalls the golden age of British TV, specifically Dennis Potter and his dreamlike, restless theatricality. “I didn’t think of that while we were making it,” says Thewlis. “But when I saw it, I thought of The Singing Detective – which I was in!”

    Continue reading...", + "content": "

    As he stars alongside Olivia Colman in a drama about the Mansfield Murders, the actor talks about his discomfort with Naked, doing night shoots with Julie Walters – and growing old grotesquely

    David Thewlis, speaking by Zoom from his home in the Berkshire village of Sunningdale, has set his screen at a jaunty angle. His manner is equable, nerdy, eager to please. Nothing like what you’d expect, in other words – unless you had watched Landscapers, a new four-part TV drama in which Thewlis stars opposite Olivia Colman. Perhaps he’s one of those actors who doesn’t de-role until he’s on to the next character.

    Landscapers is true crime, in so far as the protagonists are Susan and Christopher Edwards, the so-called Mansfield Murderers convicted in 2014 of killing Susan’s parents and burying them in the garden 15 years before. Yet it is absolutely nothing like true crime. It jumps through time and genre, smashes the fourth wall then puts it back together as a jail cell. It is vividly experimental yet recalls the golden age of British TV, specifically Dennis Potter and his dreamlike, restless theatricality. “I didn’t think of that while we were making it,” says Thewlis. “But when I saw it, I thought of The Singing Detective – which I was in!”

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/07/david-thewlis-landscapers-misogyny-naked-olivia-colman-mansfield-murders-julie-walters", + "creator": "Zoe Williams", + "pubDate": "2021-12-07T06:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120016,16 +146453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26f5f014d6ce6a611a7bd0964a707d5a" + "hash": "2751e823d76781549eaf60f2bcd75728" }, { - "title": "‘Help! I’ve been spotted!’ Terry Pratchett on Thief, his favourite video game", - "description": "

    In the early 2000s, the Discworld author frequented a forum dedicated to the Thief series of stealth games. His posts provide a fascinating insight into his fondness for gaming

    In November 2001, Terry Pratchett was in Chester, famed for its Roman ruins and well-preserved medieval architecture. Staying at a hotel in the city centre, Pratchett opened the window of his room, and looked across the historic skyline. “I realised I could drop down on to a roof,” he wrote later. “And from then on there was a vista of roofs, leads and ledges leading all the way to the end of the street and beyond; there were even little doors and inviting attic windows …

    There is a line break, and then he adds. “I’m going to have to stop playing this game.”

    Continue reading...", - "content": "

    In the early 2000s, the Discworld author frequented a forum dedicated to the Thief series of stealth games. His posts provide a fascinating insight into his fondness for gaming

    In November 2001, Terry Pratchett was in Chester, famed for its Roman ruins and well-preserved medieval architecture. Staying at a hotel in the city centre, Pratchett opened the window of his room, and looked across the historic skyline. “I realised I could drop down on to a roof,” he wrote later. “And from then on there was a vista of roofs, leads and ledges leading all the way to the end of the street and beyond; there were even little doors and inviting attic windows …

    There is a line break, and then he adds. “I’m going to have to stop playing this game.”

    Continue reading...", - "category": "Games", - "link": "https://www.theguardian.com/games/2021/dec/09/terry-pratchett-thief-video-game-forum", - "creator": "Rick Lane", - "pubDate": "2021-12-09T10:33:16Z", + "title": "What sanctions could the US hit Russia with if it invades Ukraine?", + "description": "

    Biden enters talks with Putin armed with a wide range of economic measures at his disposal – what are those options?

    Joe Biden goes into Tuesday’s virtual summit with Vladimir Putin, after days of close consultation with European allies on a joint response to an invasion of Ukraine, armed with a wide range of punitive measures at his disposal.

    There would be increased military support for Kyiv and a bolstering of Nato’s eastern flank, but the primary focus would be on sanctions. The US secretary of state, Antony Blinken, said they would include “high-impact economic measures that we’ve refrained from taking in the past”.

    Continue reading...", + "content": "

    Biden enters talks with Putin armed with a wide range of economic measures at his disposal – what are those options?

    Joe Biden goes into Tuesday’s virtual summit with Vladimir Putin, after days of close consultation with European allies on a joint response to an invasion of Ukraine, armed with a wide range of punitive measures at his disposal.

    There would be increased military support for Kyiv and a bolstering of Nato’s eastern flank, but the primary focus would be on sanctions. The US secretary of state, Antony Blinken, said they would include “high-impact economic measures that we’ve refrained from taking in the past”.

    Continue reading...", + "category": "US foreign policy", + "link": "https://www.theguardian.com/us-news/2021/dec/07/us-russia-sanctions-joe-biden-vladimir-putin", + "creator": "Julian Borger in Washington", + "pubDate": "2021-12-07T07:21:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120036,16 +146473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3199a7fe10c64d9e0c0efc2e31f5d3a4" + "hash": "f7cc6a5e30fc6c0deb46f8d6e05a6b84" }, { - "title": "Burying Leni Riefenstahl: one woman’s lifelong crusade against Hitler’s favourite film-maker", - "description": "

    Nina Gladitz dedicated her life to proving beyond doubt the Triumph of the Will director’s complicity with the horrors of Nazism. In the end, she did it – but at a cost

    On 20 November 1984, in the southern German city of Freiburg, two film-makers faced each other in court for the first day of a trial that was to last nearly two and a half years. The plaintiff, Leni Riefenstahl, had been Hitler’s favourite film-maker. Now 82, she showed up to court in a sheepskin coat over a beige suit, her blond hair set in a large neat perm framing a tanned face. The defendant was a striking, dark-haired 32-year-old documentary maker. Her name was Nina Gladitz, and the outcome of the trial would shape the rest of her life.

    During the Nazi era, Riefenstahl had been the regime’s most skilled propagandist, directing films that continue to be both reviled for their glorification of the Third Reich and considered landmarks of early cinema for their innovations and technical mastery. Once the second world war was over, Riefenstahl sought to distance herself from the regime she had served, portraying herself as an apolitical naif whose only motivation was making the most beautiful art possible. “I don’t know what I should apologise for,” she once said. “All my films won the top prize.”

    Continue reading...", - "content": "

    Nina Gladitz dedicated her life to proving beyond doubt the Triumph of the Will director’s complicity with the horrors of Nazism. In the end, she did it – but at a cost

    On 20 November 1984, in the southern German city of Freiburg, two film-makers faced each other in court for the first day of a trial that was to last nearly two and a half years. The plaintiff, Leni Riefenstahl, had been Hitler’s favourite film-maker. Now 82, she showed up to court in a sheepskin coat over a beige suit, her blond hair set in a large neat perm framing a tanned face. The defendant was a striking, dark-haired 32-year-old documentary maker. Her name was Nina Gladitz, and the outcome of the trial would shape the rest of her life.

    During the Nazi era, Riefenstahl had been the regime’s most skilled propagandist, directing films that continue to be both reviled for their glorification of the Third Reich and considered landmarks of early cinema for their innovations and technical mastery. Once the second world war was over, Riefenstahl sought to distance herself from the regime she had served, portraying herself as an apolitical naif whose only motivation was making the most beautiful art possible. “I don’t know what I should apologise for,” she once said. “All my films won the top prize.”

    Continue reading...", - "category": "", - "link": "https://www.theguardian.com/news/2021/dec/09/burying-leni-riefenstahl-nina-gladitz-lifelong-crusade-hitler-film-maker", - "creator": "Kate Connolly", - "pubDate": "2021-12-09T06:00:04Z", + "title": "Biden to speak with European leaders after virtual summit with Putin – live", + "description": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", + "content": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/dec/07/joe-biden-vladimir-putin-call-russia-ukraine-invasion-us-politics-latest", + "creator": "Joan E Greve in Washington", + "pubDate": "2021-12-07T18:41:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120056,16 +146493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2d126af343c86382a6545a3c20badc11" + "hash": "93bd5d33f2b5c4318f3a5b4dba3cc285" }, { - "title": "‘I need people to know I’m not a cartoon’: drag queen Le Gateau Chocolat’s fabulous rise", - "description": "

    From Glyndebourne to the Globe, actor, opera singer and drag star Le Gateau Chocolat is a UK stage fixture – although not everywhere has been so welcoming

    In a big, bright rehearsal room at Southwark’s Unicorn Theatre, Le Gateau Chocolat is giving feedback to the new cast of his revolutionary children’s production, Duckie. His fingernails, painted an iridescent shade of blue, flash in the sunlight as the cabaret star, opera singer and all-round entertainment powerhouse praises his tiny team and smiles.

    First imagined in 2015 – in part to offer comfort to his young niece, who had recently moved to the UK from Nigeria and was struggling to settle in, and in part upon realising that a drag queen’s natural audience is a gaggle of excitable kids – Duckie is a radical reimagining of Hans Christian Andersen’s The Ugly Duckling. Following acclaimed stints everywhere from London’s Southbank Centre to the Fringe World festival in Perth, Australia, Gateau is now stepping down from the lead role for its festive run at Manchester’s Home theatre. Instead, it will be shared by two young actors, both non-binary and one neurodiverse, with aspects of the part adjusted accordingly.

    Continue reading...", - "content": "

    From Glyndebourne to the Globe, actor, opera singer and drag star Le Gateau Chocolat is a UK stage fixture – although not everywhere has been so welcoming

    In a big, bright rehearsal room at Southwark’s Unicorn Theatre, Le Gateau Chocolat is giving feedback to the new cast of his revolutionary children’s production, Duckie. His fingernails, painted an iridescent shade of blue, flash in the sunlight as the cabaret star, opera singer and all-round entertainment powerhouse praises his tiny team and smiles.

    First imagined in 2015 – in part to offer comfort to his young niece, who had recently moved to the UK from Nigeria and was struggling to settle in, and in part upon realising that a drag queen’s natural audience is a gaggle of excitable kids – Duckie is a radical reimagining of Hans Christian Andersen’s The Ugly Duckling. Following acclaimed stints everywhere from London’s Southbank Centre to the Fringe World festival in Perth, Australia, Gateau is now stepping down from the lead role for its festive run at Manchester’s Home theatre. Instead, it will be shared by two young actors, both non-binary and one neurodiverse, with aspects of the part adjusted accordingly.

    Continue reading...", - "category": "Stage", - "link": "https://www.theguardian.com/stage/2021/dec/09/i-need-people-to-know-im-not-a-cartoon-drag-queen-le-gateau-chocolats-fabulous-rise", - "creator": "Leonie Cooper", - "pubDate": "2021-12-09T14:00:13Z", + "title": "Rohingya United: the football team bringing together refugees", + "description": "

    The Q-League is a far cry from the refugee camps where some of its players learned to play football using scrunched up plastic bags. Guardian Australia’s sport editor Mike Hytner introduces this story about the inclusiveness of sport and a player’s memory of holding a real football for the first time

    You can read the original article here: Rohingya United: the football team bringing together refugees


    Continue reading...", + "content": "

    The Q-League is a far cry from the refugee camps where some of its players learned to play football using scrunched up plastic bags. Guardian Australia’s sport editor Mike Hytner introduces this story about the inclusiveness of sport and a player’s memory of holding a real football for the first time

    You can read the original article here: Rohingya United: the football team bringing together refugees


    Continue reading...", + "category": "Refugees", + "link": "https://www.theguardian.com/australia-news/audio/2021/dec/08/rohingya-united-the-football-team-bringing-together-refugees", + "creator": "Hosted by Jane Lee. Recommended by Mike Hytner. Written by Emma Kemp. Produced by Camilla Hannan, Daniel Semo, Rafqa Touma and Allison Chan. Executive producers Gabrielle Jackson and Melanie Tait", + "pubDate": "2021-12-07T16:30:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120076,16 +146513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a44c99c99373a2b894e37a330e5fbd0f" + "hash": "b9708fce931766b49dc2d447c01e8aca" }, { - "title": "Beware the emergency avocado: what does ultrafast delivery really cost us?", - "description": "

    A grocery revolution is underway, with individual items available at your door in next to no time. What does it mean for supermarkets, our wallets, working conditions and the planet?

    In a warehouse by Farringdon station, in central London, I am watching people burn through millions of pounds of investment in real time. Great big stacks of cash, all bet on the assumption that the future of grocery shopping will be app-enabled and delivered to our homes in less time than it takes to brew a cup of tea. Here, at the ultrafast grocery delivery startup Gorillas, workers push trolleys around a so-called micro-fulfilment centre, selecting food and toiletries and alcohol to be delivered by e-bicycling couriers in 10 minutes flat.

    I am being shown around by the commercial director, Matthew Nobbs. “Imagine you go to a standard supermarket for breakfast,” says Nobbs, over the pounding dance music. “I’m going to have to go all the way to the bakery aisle for my croissants, and now I need some jam, so I have to go to the store cupboard aisle, and now I need some bacon, so I have to go back to the chiller. Or, I can just go on an app, and order what I need.” We pass the fresh produce. “Look at that for an apple!” says Nobbs, palming a Pink Lady with an evangelical flicker in his eye. (In fairness, its skin is so glossy it could be lacquered.)

    Continue reading...", - "content": "

    A grocery revolution is underway, with individual items available at your door in next to no time. What does it mean for supermarkets, our wallets, working conditions and the planet?

    In a warehouse by Farringdon station, in central London, I am watching people burn through millions of pounds of investment in real time. Great big stacks of cash, all bet on the assumption that the future of grocery shopping will be app-enabled and delivered to our homes in less time than it takes to brew a cup of tea. Here, at the ultrafast grocery delivery startup Gorillas, workers push trolleys around a so-called micro-fulfilment centre, selecting food and toiletries and alcohol to be delivered by e-bicycling couriers in 10 minutes flat.

    I am being shown around by the commercial director, Matthew Nobbs. “Imagine you go to a standard supermarket for breakfast,” says Nobbs, over the pounding dance music. “I’m going to have to go all the way to the bakery aisle for my croissants, and now I need some jam, so I have to go to the store cupboard aisle, and now I need some bacon, so I have to go back to the chiller. Or, I can just go on an app, and order what I need.” We pass the fresh produce. “Look at that for an apple!” says Nobbs, palming a Pink Lady with an evangelical flicker in his eye. (In fairness, its skin is so glossy it could be lacquered.)

    Continue reading...", - "category": "Supermarkets", - "link": "https://www.theguardian.com/business/2021/dec/09/beware-the-emergency-avocado-what-does-ultrafast-delivery-really-cost-us", - "creator": "Sirin Kale", - "pubDate": "2021-12-09T10:00:09Z", + "title": "The Guardian view on Myanmar: Aung San Suu Kyi is now one of many | Editorial", + "description": "

    The generals snatched power and seized elected politicians. But they have yet to cow the public

    The prosecution and inevitable conviction of Myanmar’s deposed leader Aung San Suu Kyi and Win Myint, its former president, are a show of strength by the military that only emphasises its failures. These two are “hostages, not criminals”, observed Tom Andrews, the UN special rapporteur on human rights in Myanmar. The generals’ attempt to launder the detention through closed court proceedings fooled no one. The repression has only grown in the 10 months since the junta seized power, because it knows repression is all it has.

    The military chief Min Aung Hlaing made a serious miscalculation when he launched the coup, overturning the arrangements that allowed the army to maintain a high degree of power despite the National League for Democracy’s electoral triumphs. He assumed the military could return to the old ways, beating down political opposition and keeping the 76-year-old safely locked away. Perhaps he hoped that international reaction might be muted by the Nobel peace prize laureate’s tarnished reputation, after she personally defended Myanmar in the international court of justice genocide case over the treatment of Rohingya Muslims. (Rohingya survivors this week announced that they are suing Facebook for £150bn over hate speech on the social media platform.)

    Continue reading...", + "content": "

    The generals snatched power and seized elected politicians. But they have yet to cow the public

    The prosecution and inevitable conviction of Myanmar’s deposed leader Aung San Suu Kyi and Win Myint, its former president, are a show of strength by the military that only emphasises its failures. These two are “hostages, not criminals”, observed Tom Andrews, the UN special rapporteur on human rights in Myanmar. The generals’ attempt to launder the detention through closed court proceedings fooled no one. The repression has only grown in the 10 months since the junta seized power, because it knows repression is all it has.

    The military chief Min Aung Hlaing made a serious miscalculation when he launched the coup, overturning the arrangements that allowed the army to maintain a high degree of power despite the National League for Democracy’s electoral triumphs. He assumed the military could return to the old ways, beating down political opposition and keeping the 76-year-old safely locked away. Perhaps he hoped that international reaction might be muted by the Nobel peace prize laureate’s tarnished reputation, after she personally defended Myanmar in the international court of justice genocide case over the treatment of Rohingya Muslims. (Rohingya survivors this week announced that they are suing Facebook for £150bn over hate speech on the social media platform.)

    Continue reading...", + "category": "Aung San Suu Kyi", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/07/the-guardian-view-on-myanmar-aung-san-suu-kyi-is-now-one-of-many", + "creator": "Editorial", + "pubDate": "2021-12-07T18:41:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120096,16 +146533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e03ef50c01914aae3f51ac9f20c6cef0" + "hash": "d86c7041ea944dd9cd6f90805827d423" }, { - "title": "From Russia with schmaltz: Moscow’s answer to Tate Modern opens with a Santa Barbara satire", - "description": "

    Funded by a gas billionaire and sited in a former power station, the huge GES-2 gallery aims to elevate Moscow’s standing on the art world stage. And its headline act? Ragnar Kjartansson’s reshoot of the US soap that became a cult hit in Russia

    First Vladimir Putin came to visit. Then, for the second day in a row, the artists were turfed out of GES-2, a prestigious new arts centre built in a disused power station, as police and men in suits swarmed in for what looked like another VIP guest.

    Instead of our planned walkthrough, I trudged through the snow to catch up with Ragnar Kjartansson, the star Icelandic artist headlining the art centre’s opening by re-filming the popular soap opera Santa Barbara as a “living sculpture”. He had taken a booth in the nearby Strelka Bar and was taking the disruption in his stride, despite it coming one day before the grand opening.

    Continue reading...", - "content": "

    Funded by a gas billionaire and sited in a former power station, the huge GES-2 gallery aims to elevate Moscow’s standing on the art world stage. And its headline act? Ragnar Kjartansson’s reshoot of the US soap that became a cult hit in Russia

    First Vladimir Putin came to visit. Then, for the second day in a row, the artists were turfed out of GES-2, a prestigious new arts centre built in a disused power station, as police and men in suits swarmed in for what looked like another VIP guest.

    Instead of our planned walkthrough, I trudged through the snow to catch up with Ragnar Kjartansson, the star Icelandic artist headlining the art centre’s opening by re-filming the popular soap opera Santa Barbara as a “living sculpture”. He had taken a booth in the nearby Strelka Bar and was taking the disruption in his stride, despite it coming one day before the grand opening.

    Continue reading...", - "category": "Art", - "link": "https://www.theguardian.com/artanddesign/2021/dec/09/russia-moscows-answer-tate-modern-ragnar-kjartansson-opens-santa-barbara-satire-us-soap", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-12-09T09:47:44Z", + "title": "Whistleblower condemns Foreign Office over Kabul evacuation", + "description": "

    Ex-diplomat claims string of failings within department led to ‘people being left to die at the hands of the Taliban’

    Tens of thousands of Afghans were unable to access UK help following the fall of Kabul because of turmoil and confusion in the Foreign Office, according a devastating account by a whistleblower.

    A former diplomat has claimed bureaucratic chaos, ministerial intervention, lack of planning and a short-hours culture in the department led to “people being left to die at the hands of the Taliban”.

    Continue reading...", + "content": "

    Ex-diplomat claims string of failings within department led to ‘people being left to die at the hands of the Taliban’

    Tens of thousands of Afghans were unable to access UK help following the fall of Kabul because of turmoil and confusion in the Foreign Office, according a devastating account by a whistleblower.

    A former diplomat has claimed bureaucratic chaos, ministerial intervention, lack of planning and a short-hours culture in the department led to “people being left to die at the hands of the Taliban”.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/07/whistleblower-condemns-foreign-office-over-kabul-evacuation", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-07T00:01:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120116,16 +146553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5f60fffd16e7e74c4890e7c300cd593" + "hash": "91aae4433ba20e1b21ff67ada1bf5bf9" }, { - "title": "Home Office urged to stop housing asylum seekers in barracks", - "description": "

    Housing survivors of torture or other serious forms of violence in barracks ‘harmful’, all-party report says

    A cross-party group of parliamentarians is calling on the government to end its use of controversial barracks accommodation for people seeking asylum, in a new report published on Thursday.

    The report also recommends the scrapping of government plans to expand barracks-style accommodation for up to 8,000 asylum seekers. It refers to accommodation, including Napier barracks in Kent, which is currently being used to house hundreds of asylum seekers, as “quasi-detention” due to visible security measures, surveillance, shared living quarters and isolation from the wider community.

    Continue reading...", - "content": "

    Housing survivors of torture or other serious forms of violence in barracks ‘harmful’, all-party report says

    A cross-party group of parliamentarians is calling on the government to end its use of controversial barracks accommodation for people seeking asylum, in a new report published on Thursday.

    The report also recommends the scrapping of government plans to expand barracks-style accommodation for up to 8,000 asylum seekers. It refers to accommodation, including Napier barracks in Kent, which is currently being used to house hundreds of asylum seekers, as “quasi-detention” due to visible security measures, surveillance, shared living quarters and isolation from the wider community.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/dec/09/home-office-urged-to-stop-housing-asylum-seekers-in-barracks", - "creator": "Diane Taylor", - "pubDate": "2021-12-09T06:00:03Z", + "title": "China attacks US diplomatic boycott of Winter Games as ‘travesty’ of Olympic spirit", + "description": "

    Beijing dismisses no-show and says American officials had not been invited in the first place, as other countries consider their positions

    China has reacted angrily to the US government’s diplomatic boycott of next year’s Winter Olympics, as more countries said they would consider joining the protest over Beijing’s human rights record and New Zealand announced it would not send representatives to the Games.

    Chinese officials dismissed Washington’s boycott as a “posturing and political manipulation” and tried to discredit the decision by claiming that US diplomats had not even been invited to Beijing in the first place.

    Continue reading...", + "content": "

    Beijing dismisses no-show and says American officials had not been invited in the first place, as other countries consider their positions

    China has reacted angrily to the US government’s diplomatic boycott of next year’s Winter Olympics, as more countries said they would consider joining the protest over Beijing’s human rights record and New Zealand announced it would not send representatives to the Games.

    Chinese officials dismissed Washington’s boycott as a “posturing and political manipulation” and tried to discredit the decision by claiming that US diplomats had not even been invited to Beijing in the first place.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/07/china-attacks-us-diplomatic-boycott-of-winter-games-as-travesty-of-olympic-spirit", + "creator": "Helen Davidson", + "pubDate": "2021-12-07T07:34:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120136,16 +146573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fc4d3c71d95550695bff7fcba03c5a2f" + "hash": "f1540b4106ad0d5a2e2c43ffd823f240" }, { - "title": "Failure, fear and the threat of famine in Afghanistan", - "description": "

    A whistleblower has accused the British government of abject failures in its efforts to manage the evacuation of people from Afghanistan as the Taliban took control in August. Emma Graham-Harrison returns to the country to find it facing a humanitarian crisis

    When the Taliban entered Kabul in August and completed their takeover of Afghanistan, thousands of people scrambled for the last remaining flights out of the city’s airport. It was chaos that turned deadly: a bomb attack on the airport’s perimeter killed more than 70 people as they crowded the fences, desperate for a way out. Now testimony from a whistleblower who was working on the UK government’s response to the crisis paints a picture of a callous, complacent and incompetent Foreign Office.

    It’s a picture that rings true for the Guardian’s senior foreign reporter Emma Graham-Harrison, who tells Michael Safi that while some of the staff in the Foreign Office acted heroically, the system as a whole had huge failings. The government has rejected the account of the whistleblower. A spokesperson said: “Regrettably we were not able to evacuate all those we wanted to, but … since the end of the operation we have helped more than 3,000 individuals leave Afghanistan.”

    Continue reading...", - "content": "

    A whistleblower has accused the British government of abject failures in its efforts to manage the evacuation of people from Afghanistan as the Taliban took control in August. Emma Graham-Harrison returns to the country to find it facing a humanitarian crisis

    When the Taliban entered Kabul in August and completed their takeover of Afghanistan, thousands of people scrambled for the last remaining flights out of the city’s airport. It was chaos that turned deadly: a bomb attack on the airport’s perimeter killed more than 70 people as they crowded the fences, desperate for a way out. Now testimony from a whistleblower who was working on the UK government’s response to the crisis paints a picture of a callous, complacent and incompetent Foreign Office.

    It’s a picture that rings true for the Guardian’s senior foreign reporter Emma Graham-Harrison, who tells Michael Safi that while some of the staff in the Foreign Office acted heroically, the system as a whole had huge failings. The government has rejected the account of the whistleblower. A spokesperson said: “Regrettably we were not able to evacuate all those we wanted to, but … since the end of the operation we have helped more than 3,000 individuals leave Afghanistan.”

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/news/audio/2021/dec/09/failure-and-the-threat-of-famine-in-afghanistan-podcast", - "creator": "Presented by Michael Safi with Emma Graham-Harrison; produced by Alex Atack, Eva Krysiak and Rudi Zygadlo; executive producers Phil Maynard and Mythili Rao", - "pubDate": "2021-12-09T03:00:02Z", + "title": "Covid news live: Omicron likely to become dominant variant, UK and US experts say", + "description": "

    Omicron variant is likely to ‘outcompete Delta’, Harvard researcher says; patchy monitoring thought to be behind underreporting of cases in the UK

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", + "content": "

    Omicron variant is likely to ‘outcompete Delta’, Harvard researcher says; patchy monitoring thought to be behind underreporting of cases in the UK

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/07/covid-news-live-omicron-likely-to-become-dominant-variant-harvard-researcher-says-france-to-close-nightclubs", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-12-07T09:46:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120156,16 +146593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26a955895d380456644a36d88131fc06" + "hash": "6acee5fc8eeef06fc27acf066400873b" }, { - "title": "Woman’s body pulled from submerged car in dramatic recovery at Niagara Falls’ edge", - "description": "

    A diver was lowered from a helicopter to pull the occupant from a car found in the frigid rapids at the brink of American Falls

    In a dramatic rescue attempt on Wednesday, a US Coast Guard diver braved the frigid rapids where a car had become submerged in water near the brink of Niagara Falls, only to find it was too late to rescue the person trapped inside.

    The diver was lowered from a hovering helicopter, climbed into the car and pulled out the body of its lone occupant, a woman in her 60s, officials from New York’s state park police said.

    Continue reading...", - "content": "

    A diver was lowered from a helicopter to pull the occupant from a car found in the frigid rapids at the brink of American Falls

    In a dramatic rescue attempt on Wednesday, a US Coast Guard diver braved the frigid rapids where a car had become submerged in water near the brink of Niagara Falls, only to find it was too late to rescue the person trapped inside.

    The diver was lowered from a hovering helicopter, climbed into the car and pulled out the body of its lone occupant, a woman in her 60s, officials from New York’s state park police said.

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/dec/08/niagara-falls-woman-car-coast-guard", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-09T02:07:23Z", + "title": "US says it will send troops to eastern Europe if Russia invades Ukraine", + "description": "

    Official says Washington would also impose economic measures, in a warning to Moscow on eve of talks between Biden and Putin

    The US has said it would send reinforcements to Nato’s eastern flank in the wake of a Russian invasion of Ukraine, as well as imposing severe new economic measures, in a warning to Moscow on the eve of talks between Joe Biden and Vladimir Putin.

    Biden will also make clear to Putin that the US will not rule out future Ukrainian membership of Nato, as the Russian leader has demanded, a senior US official said.

    Continue reading...", + "content": "

    Official says Washington would also impose economic measures, in a warning to Moscow on eve of talks between Biden and Putin

    The US has said it would send reinforcements to Nato’s eastern flank in the wake of a Russian invasion of Ukraine, as well as imposing severe new economic measures, in a warning to Moscow on the eve of talks between Joe Biden and Vladimir Putin.

    Biden will also make clear to Putin that the US will not rule out future Ukrainian membership of Nato, as the Russian leader has demanded, a senior US official said.

    Continue reading...", + "category": "Volodymyr Zelenskiy", + "link": "https://www.theguardian.com/world/2021/dec/06/us-says-it-will-send-troops-to-eastern-europe-if-russia-invades-ukraine", + "creator": "Andrew Roth in Moscow and Julian Borgerin Washington", + "pubDate": "2021-12-06T19:10:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120176,16 +146613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e8d2905ad564ec532433cc558159c08d" + "hash": "a208f04083554e3e78f6ca934c2502ba" }, { - "title": "Bondi backpackers hostel Noah’s locked down due to Covid scare as NSW reports 420 cases", - "description": "

    NSW police confirm health department requested assistance at Sydney venue

    A Bondi Beach backpackers hostel in Sydney has been placed into lockdown for a second time due to fears of a Covid outbreak.

    It is not yet known how many people were staying at Noah’s backpackers hostel or whether the Omicron strain of the virus was present.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    NSW police confirm health department requested assistance at Sydney venue

    A Bondi Beach backpackers hostel in Sydney has been placed into lockdown for a second time due to fears of a Covid outbreak.

    It is not yet known how many people were staying at Noah’s backpackers hostel or whether the Omicron strain of the virus was present.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Sydney", - "link": "https://www.theguardian.com/australia-news/2021/dec/09/bondi-backpackers-hostel-locked-down-due-to-covid-scare-as-nsw-reports-420-cases", - "creator": "Caitlin Cassidy", - "pubDate": "2021-12-09T09:21:18Z", + "title": "China unveils package to boost economy as Evergrande teeters", + "description": "

    Beijing to increase business lending and build more affordable housing, but reports say property giant has missed a key bond repayment

    China’s politburo has signalled measures to kickstart the faltering economy as the crisis gripping the country’s debt-laden property sector continued to blight prospects for growth.

    President Xi Jinping’s senior leadership committee rubber-stamped a plan from the central bank on Monday for more targeted lending to businesses and outlined support for the housing market.

    Continue reading...", + "content": "

    Beijing to increase business lending and build more affordable housing, but reports say property giant has missed a key bond repayment

    China’s politburo has signalled measures to kickstart the faltering economy as the crisis gripping the country’s debt-laden property sector continued to blight prospects for growth.

    President Xi Jinping’s senior leadership committee rubber-stamped a plan from the central bank on Monday for more targeted lending to businesses and outlined support for the housing market.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/07/china-unveils-package-to-boost-economy-amid-imf-growth-warning", + "creator": "Martin Farrer", + "pubDate": "2021-12-07T07:20:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120196,16 +146633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7495c3296d7582bdba10bd33971914d8" + "hash": "002dd66970d37dee67299eb513802122" }, { - "title": "Women in prison ignored by feminist funders that find them less ‘marketable’, says NGO head", - "description": "

    Survey by Women Beyond Walls finds 70% of groups working with incarcerated women do not receive funds from women’s rights foundations

    The global feminist movement is failing to support organisations working with women in prison, as donors shy away from funding projects aimed at people with “complicated” narratives, says lawyer and activist Sabrina Mahtani.

    Mahtani, founder of Women Beyond Walls (WBW), said many NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society, including providing essential legal services and reducing pretrial detention time.

    Continue reading...", - "content": "

    Survey by Women Beyond Walls finds 70% of groups working with incarcerated women do not receive funds from women’s rights foundations

    The global feminist movement is failing to support organisations working with women in prison, as donors shy away from funding projects aimed at people with “complicated” narratives, says lawyer and activist Sabrina Mahtani.

    Mahtani, founder of Women Beyond Walls (WBW), said many NGOs around the world were doing vital work “supporting some of the most marginalised and overlooked women” in society, including providing essential legal services and reducing pretrial detention time.

    Continue reading...", - "category": "Women's rights and gender equality", - "link": "https://www.theguardian.com/global-development/2021/dec/09/women-in-prison-ignored-by-feminist-funders-that-find-them-less-marketable-says-ngo-head", - "creator": "Lizzy Davies", - "pubDate": "2021-12-09T06:30:03Z", + "title": "China’s import surge cheers markets; UK house price growth at 15-year high – business live", + "description": "

    Rolling coverage of the latest economic and financial news

    The pan-European Stoxx 600 index has hit its highest level since the Omicron tumble over a week ago, up 1.4%.

    Technology shares are leading the rally, with the sector up 3.1%. Miners are being lifted by hopes for China’s economy after the People’s Bank of China eased monetary policy yesterday, and firms imported more coal and metal last month.

    Continue reading...", + "content": "

    Rolling coverage of the latest economic and financial news

    The pan-European Stoxx 600 index has hit its highest level since the Omicron tumble over a week ago, up 1.4%.

    Technology shares are leading the rally, with the sector up 3.1%. Miners are being lifted by hopes for China’s economy after the People’s Bank of China eased monetary policy yesterday, and firms imported more coal and metal last month.

    Continue reading...", + "category": "Business", + "link": "https://www.theguardian.com/business/live/2021/dec/07/china-imports-trade-markets-uk-house-prices-high-oil-ftse-uk-germany-business-live", + "creator": "Graeme Wearden", + "pubDate": "2021-12-07T10:00:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120216,16 +146653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "584419141f6ef5ee9e3c9d6e5ba498c8" + "hash": "ae166a45932d18936bc59e8b63927203" }, { - "title": "Teenager after Zambia crocodile attack: 'Don't let one incident hold you back' – video", - "description": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", - "content": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", - "category": "Zambia", - "link": "https://www.theguardian.com/world/video/2021/dec/06/dont-let-one-incident-hold-you-back-says-teenager-after-crocodile-attack-video", - "creator": "", - "pubDate": "2021-12-06T11:12:05Z", + "title": "Storm Barra leaves thousands without power in Ireland", + "description": "

    At least 30,000 homes and firms affected, as Met Office warns storm could pose danger to life as it approaches UK

    More than 30,000 homes and businesses have been left without power in Ireland as Storm Barra made landfall, with winds predicted to reach 80mph as it crosses east throughout the day.

    Heavy rain and sleet was expected on Tuesday as Barra continued its path from the Atlantic. Snow was already falling in the north-west of the country.

    Continue reading...", + "content": "

    At least 30,000 homes and firms affected, as Met Office warns storm could pose danger to life as it approaches UK

    More than 30,000 homes and businesses have been left without power in Ireland as Storm Barra made landfall, with winds predicted to reach 80mph as it crosses east throughout the day.

    Heavy rain and sleet was expected on Tuesday as Barra continued its path from the Atlantic. Snow was already falling in the north-west of the country.

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/2021/dec/07/storm-barra-thousands-without-power-ireland-met-office-uk", + "creator": "Lisa O'Carroll", + "pubDate": "2021-12-07T09:47:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120236,16 +146673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cc07c845254989dada51e9ae37e076d5" + "hash": "b9897de625ae24ba8fc00c710ed0dc95" }, { - "title": "Covid live: WHO says booster jabs ‘risk exacerbating’ vaccine inequity; Denmark to close schools, nightclubs", - "description": "

    WHO say first doses should be prioritised over broad-based booster jab programmes; Danish PM says ‘significant risk of critically overloading health service’

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "content": "

    WHO say first doses should be prioritised over broad-based booster jab programmes; Danish PM says ‘significant risk of critically overloading health service’

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", - "creator": "Martin Belam (now) and Samantha Lock (earlier)", - "pubDate": "2021-12-09T10:48:32Z", + "title": "UAE cuts working week and shifts weekend back a day", + "description": "

    ‘National working week’ aimed at improving work-life balance and economic competitiveness

    The United Arab Emirates is cutting its working week to four-and-a-half days and moving its weekend from Friday-Saturday to Saturday-Sunday, officials have said.

    The “national working week” would be mandatory for government bodies from January and was aimed at improving work-life balance and economic competitiveness, state media said on Tuesday.

    Continue reading...", + "content": "

    ‘National working week’ aimed at improving work-life balance and economic competitiveness

    The United Arab Emirates is cutting its working week to four-and-a-half days and moving its weekend from Friday-Saturday to Saturday-Sunday, officials have said.

    The “national working week” would be mandatory for government bodies from January and was aimed at improving work-life balance and economic competitiveness, state media said on Tuesday.

    Continue reading...", + "category": "United Arab Emirates", + "link": "https://www.theguardian.com/world/2021/dec/07/uae-cuts-working-week-and-shifts-weekend-back-a-day", + "creator": "Agence France-Presse in Dubai", + "pubDate": "2021-12-07T09:57:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120256,16 +146693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e970a92fba6ae5b0b033fe18aec45ed5" + "hash": "4fd0997495fdbf8f97a6a1f4712a58f9" }, { - "title": "Number of journalists in jail around the world at new high, says survey", - "description": "

    Committee to Protect Journalists says 293 reporters are in prison, and at least 24 have been killed in 2021

    The number of journalists who are behind bars worldwide reached a new high point in 2021, according to a study which says that 293 reporters were imprisoned as of 1 December 2021.

    At least 24 journalists were killed because of their coverage, and 18 others died in circumstances that make it too difficult to determine whether they were targeted because of their work, the nonprofit Committee to Protect Journalists said on Thursday in its annual survey on press freedom and attacks on the media.

    Continue reading...", - "content": "

    Committee to Protect Journalists says 293 reporters are in prison, and at least 24 have been killed in 2021

    The number of journalists who are behind bars worldwide reached a new high point in 2021, according to a study which says that 293 reporters were imprisoned as of 1 December 2021.

    At least 24 journalists were killed because of their coverage, and 18 others died in circumstances that make it too difficult to determine whether they were targeted because of their work, the nonprofit Committee to Protect Journalists said on Thursday in its annual survey on press freedom and attacks on the media.

    Continue reading...", - "category": "Journalist safety", - "link": "https://www.theguardian.com/media/2021/dec/09/number-of-journalists-in-jail-around-the-world-at-new-high-says-survey", - "creator": "Reuters", - "pubDate": "2021-12-09T06:32:59Z", + "title": "Australian man Craig Wright wins US court battle for bitcoin fortune worth billions", + "description": "

    Florida jury finds Wright, who claims to have invented the cryptocurrency, did not owe half of 1.1m bitcoins worth $50bn to another family

    Craig Wright, an Australian computer scientist who claims to be the inventor of bitcoin, has prevailed in a civil trial against the family of a deceased business partner that claimed it was owed half of a cryptocurrency fortune worth tens of billions of dollars.

    A Florida jury on Monday found that Wright did not owe half of 1.1m bitcoins to the family of David Kleiman. The jury did award US$100m in intellectual property rights to a joint venture between the two men, a fraction of what Kleiman’s lawyers were asking for at trial.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Florida jury finds Wright, who claims to have invented the cryptocurrency, did not owe half of 1.1m bitcoins worth $50bn to another family

    Craig Wright, an Australian computer scientist who claims to be the inventor of bitcoin, has prevailed in a civil trial against the family of a deceased business partner that claimed it was owed half of a cryptocurrency fortune worth tens of billions of dollars.

    A Florida jury on Monday found that Wright did not owe half of 1.1m bitcoins to the family of David Kleiman. The jury did award US$100m in intellectual property rights to a joint venture between the two men, a fraction of what Kleiman’s lawyers were asking for at trial.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Bitcoin", + "link": "https://www.theguardian.com/technology/2021/dec/07/australian-man-craig-wright-wins-us-court-battle-for-bitcoin-fortune-worth-billions", + "creator": "Associated Press in New York", + "pubDate": "2021-12-07T08:52:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120276,16 +146713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "efa9529b4207fa120ec252706c28808b" + "hash": "faacc1a3377247a5078f1853d606f6b8" }, { - "title": "Eleven villagers shot and burned alive by Myanmar soldiers, reports say", - "description": "

    Outrage spreads on social media over alleged massacre of people rounded up by government troops in Sagaing region

    Myanmar soldiers rounded up and killed 11 people in a village, shooting and then setting them on fire, according to people in the area and local media reports.

    Photos and a video purporting to show charred corpses in Don Taw village in the Sagaing region of Myanmar’s north-west circulated on Tuesday while outrage spread on social media.

    Continue reading...", - "content": "

    Outrage spreads on social media over alleged massacre of people rounded up by government troops in Sagaing region

    Myanmar soldiers rounded up and killed 11 people in a village, shooting and then setting them on fire, according to people in the area and local media reports.

    Photos and a video purporting to show charred corpses in Don Taw village in the Sagaing region of Myanmar’s north-west circulated on Tuesday while outrage spread on social media.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/09/eleven-villagers-shot-and-burned-alive-by-myanmar-soldiers-reports-say", - "creator": "Staff and agencies", - "pubDate": "2021-12-09T03:00:38Z", + "title": "Soyuz rocket to take Japanese tycoon to ISS as Russia revives space tourism", + "description": "

    Yusaku Maezawa and Yozo Hirano will become first space tourists sent by Russia in over a decade

    The Japanese billionaire Yusaku Maezawa has said he is feeling “excited” before his mission to the International Space Station, which marks Russia’s return to space tourism.

    Maezawa, a space enthusiast who made his wealth in online fashion, and his production assistant, Yozo Hirano, will spend 12 days on the ISS.

    Continue reading...", + "content": "

    Yusaku Maezawa and Yozo Hirano will become first space tourists sent by Russia in over a decade

    The Japanese billionaire Yusaku Maezawa has said he is feeling “excited” before his mission to the International Space Station, which marks Russia’s return to space tourism.

    Maezawa, a space enthusiast who made his wealth in online fashion, and his production assistant, Yozo Hirano, will spend 12 days on the ISS.

    Continue reading...", + "category": "International Space Station", + "link": "https://www.theguardian.com/science/2021/dec/07/soyuz-rocket-to-take-japanese-tycoon-yusaku-maezawa-to-iss-as-russia-returns-to-space-tourism", + "creator": "Agence France-Presse in Baikonur", + "pubDate": "2021-12-07T09:36:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120296,16 +146733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "23f407a411dc0d099a66a371975d5c1f" + "hash": "d9d9ccb09534a5785d24f45497323106" }, { - "title": "Anti-independence ads accused of ‘profound racism’ against indigenous New Caledonians in court action", - "description": "

    Urgent appeal lodged to stop the broadcast of cartoons calling on New Caledonians to vote against independence from France in this weekend’s referendum

    Cartoons urging New Caledonians to vote no to independence from France in this weekend’s referendum have been accused of “profound racism and ridicule towards Pacific Islanders, especially the [indigenous] Kanak people”, in a legal submission lodged with France’s highest judicial body.

    An urgent appeal has been lodged against the broadcast of the animations, which have been running on television in New Caledonia and online, with the Council of State in France.

    Continue reading...", - "content": "

    Urgent appeal lodged to stop the broadcast of cartoons calling on New Caledonians to vote against independence from France in this weekend’s referendum

    Cartoons urging New Caledonians to vote no to independence from France in this weekend’s referendum have been accused of “profound racism and ridicule towards Pacific Islanders, especially the [indigenous] Kanak people”, in a legal submission lodged with France’s highest judicial body.

    An urgent appeal has been lodged against the broadcast of the animations, which have been running on television in New Caledonia and online, with the Council of State in France.

    Continue reading...", - "category": "New Caledonia", - "link": "https://www.theguardian.com/world/2021/dec/09/anti-independence-ads-accused-of-profound-racism-against-indigenous-new-caledonians-in-court-action", - "creator": "Helen Fraser", - "pubDate": "2021-12-09T03:03:02Z", + "title": "‘Not great news’: US boss fires 900 employees on a Zoom call", + "description": "

    Vishal Garg told the Better.com staff they were ‘part of the unlucky group’ that would be terminated ‘immediately’

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call.

    “I come to you with not great news,” Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday last week. Footage of the call was widely circulated on social media.

    Continue reading...", + "content": "

    Vishal Garg told the Better.com staff they were ‘part of the unlucky group’ that would be terminated ‘immediately’

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call.

    “I come to you with not great news,” Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday last week. Footage of the call was widely circulated on social media.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/07/not-great-news-us-boss-fires-900-employees-on-a-zoom-call", + "creator": "Samantha Lock", + "pubDate": "2021-12-07T05:13:42Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120316,16 +146753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1fe177e10ec00056602bbd17b9138eed" + "hash": "993b9b7ed445827e191c21321dad9dcb" }, { - "title": "Jimmy Lai among three Hong Kong democracy activists convicted over Tiananmen vigil", - "description": "

    Former journalist Gwyneth Ho and rights lawyer Chow Hang-tung also found guilty of unlawful assembly charges

    Jailed Hong Kong media mogul Jimmy Lai was among three democracy campaigners convicted of taking part in a banned Tiananmen vigil as the prosecution of multiple activists came to a conclusion.

    Lai, the 74-year-old owner of the now-closed pro-democracy Apple Daily newspaper, was found guilty of unlawful assembly charges on Thursday alongside former journalist Gwyneth Ho and prominent rights lawyer Chow Hang-tung.

    Continue reading...", - "content": "

    Former journalist Gwyneth Ho and rights lawyer Chow Hang-tung also found guilty of unlawful assembly charges

    Jailed Hong Kong media mogul Jimmy Lai was among three democracy campaigners convicted of taking part in a banned Tiananmen vigil as the prosecution of multiple activists came to a conclusion.

    Lai, the 74-year-old owner of the now-closed pro-democracy Apple Daily newspaper, was found guilty of unlawful assembly charges on Thursday alongside former journalist Gwyneth Ho and prominent rights lawyer Chow Hang-tung.

    Continue reading...", - "category": "Hong Kong", - "link": "https://www.theguardian.com/world/2021/dec/09/jimmy-lai-among-three-hong-kong-democracy-activists-convicted-over-tiananmen-vigil", - "creator": "Agence France-Presse", - "pubDate": "2021-12-09T03:02:15Z", + "title": "Cook Islands panic abates after first ever Covid case proves to be a false alarm", + "description": "

    The tiny Pacific country scrambled over the weekend, before tests showed the positive case was historical

    The Cook Islands has spent recent days in a state of panic.

    On Friday, the tiny Pacific country, one of the few countries to avoid any Covid cases throughout the pandemic, announced its first case: a 10-year-old boy who arrived on a flight from Auckland to Rarotonga, the main island in the country.

    Continue reading...", + "content": "

    The tiny Pacific country scrambled over the weekend, before tests showed the positive case was historical

    The Cook Islands has spent recent days in a state of panic.

    On Friday, the tiny Pacific country, one of the few countries to avoid any Covid cases throughout the pandemic, announced its first case: a 10-year-old boy who arrived on a flight from Auckland to Rarotonga, the main island in the country.

    Continue reading...", + "category": "Cook Islands", + "link": "https://www.theguardian.com/world/2021/dec/07/cook-islands-panic-abates-after-first-ever-covid-case-proves-to-be-a-false-alarm", + "creator": "Alana Musselle in Rarotonga", + "pubDate": "2021-12-07T06:28:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120336,16 +146773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab750e0bfc23fe67d6ffd6f016ede5e0" + "hash": "d3f3c40c7200dc245e1cc660b1d2633e" }, { - "title": "Finnish PM apologises for staying out clubbing despite Covid exposure", - "description": "

    Sanna Marin says she should have checked guidance given to her after her foreign minister tested positive

    Finland’s prime minister has come under sustained criticism after it was revealed she stayed out dancing until the early hours on the weekend despite knowing she had been exposed to Covid-19.

    Sanna Marin, 36, apologised on Monday after a gossip magazine published photos of her at a Helsinki nightclub on Saturday night until almost four in the morning, hours after her foreign minister, Pekka Haavisto, tested positive for coronavirus.

    Continue reading...", - "content": "

    Sanna Marin says she should have checked guidance given to her after her foreign minister tested positive

    Finland’s prime minister has come under sustained criticism after it was revealed she stayed out dancing until the early hours on the weekend despite knowing she had been exposed to Covid-19.

    Sanna Marin, 36, apologised on Monday after a gossip magazine published photos of her at a Helsinki nightclub on Saturday night until almost four in the morning, hours after her foreign minister, Pekka Haavisto, tested positive for coronavirus.

    Continue reading...", - "category": "Finland", - "link": "https://www.theguardian.com/world/2021/dec/08/finnish-pm-apologises-for-staying-out-clubbing-despite-covid-exposure", - "creator": "Agence France-Presse", - "pubDate": "2021-12-08T17:49:14Z", + "title": "Covid-19: How fast is the Omicron variant spreading? podcast", + "description": "

    Over 40 countries have now confirmed the presence of Omicron. And, in the UK, scientists have been increasingly expressing their concern about the new variant. Some have speculated there could be more than 1,000 cases here already, and that it could become the dominant variant within weeks.

    To get an update on what we know about the Omicron variant, and how quickly it might be spreading, Madeleine Finlay speaks to Nicola Davis, the Guardian’s science correspondent

    Archive: 7News Australia, CBS, BBC

    Continue reading...", + "content": "

    Over 40 countries have now confirmed the presence of Omicron. And, in the UK, scientists have been increasingly expressing their concern about the new variant. Some have speculated there could be more than 1,000 cases here already, and that it could become the dominant variant within weeks.

    To get an update on what we know about the Omicron variant, and how quickly it might be spreading, Madeleine Finlay speaks to Nicola Davis, the Guardian’s science correspondent

    Archive: 7News Australia, CBS, BBC

    Continue reading...", + "category": "Science", + "link": "https://www.theguardian.com/science/audio/2021/dec/07/covid-19-how-fast-is-the-omicron-variant-spreading", + "creator": "Presented by Madeleine Finlay with Nicola Davis, produced by Anand Jagatia, sound design by Rudi Zygadlo", + "pubDate": "2021-12-07T05:00:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120356,16 +146793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5f5db60b8d3febb11deda57943fea8e" + "hash": "ab88caa6344cb6627e4c4e66c3d5551e" }, { - "title": "Can Biden’s ‘divisive’ democracy summit deliver?", - "description": "

    Billed as a rallying call for human rights and liberties, the event has been lambasted by critics such as China and even invitees are critical

    Much of the advance commentary about Joe Biden’s two-day Summit for Democracy has been a diplomat’s version of a Charity Ball: long discussions about the guest list and how the guests will show up, and very little about its supposedly noble purpose.

    Potentially a rallying point for democracy, after the west’s crushing setback in Afghanistan, the summit has not been receiving rave advance notices even from those that have been invited.

    Continue reading...", - "content": "

    Billed as a rallying call for human rights and liberties, the event has been lambasted by critics such as China and even invitees are critical

    Much of the advance commentary about Joe Biden’s two-day Summit for Democracy has been a diplomat’s version of a Charity Ball: long discussions about the guest list and how the guests will show up, and very little about its supposedly noble purpose.

    Potentially a rallying point for democracy, after the west’s crushing setback in Afghanistan, the summit has not been receiving rave advance notices even from those that have been invited.

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/2021/dec/09/can-bidens-democracy-summit-deliver-china-russia-critics", - "creator": "Patrick Wintour", - "pubDate": "2021-12-09T09:00:07Z", + "title": "How an Afghan reporter was left to the Taliban by the Foreign Office", + "description": "

    ‘Fahim’ was cleared to leave Kabul. Then the phone went dead. Now he moves house every two days to evade capture

    Fahim, a journalist who had worked with British media organisations, was one of thousands of Afghans who approached the Foreign, Commonwealth and Development Office (FCDO) for help to escape Afghanistan after the Taliban’s conquest this summer.

    Told he was cleared to travel with his family to the UK, he was also one of the many left behind as the promised help from the FCDO failed to materialise.

    Continue reading...", + "content": "

    ‘Fahim’ was cleared to leave Kabul. Then the phone went dead. Now he moves house every two days to evade capture

    Fahim, a journalist who had worked with British media organisations, was one of thousands of Afghans who approached the Foreign, Commonwealth and Development Office (FCDO) for help to escape Afghanistan after the Taliban’s conquest this summer.

    Told he was cleared to travel with his family to the UK, he was also one of the many left behind as the promised help from the FCDO failed to materialise.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/2021/dec/07/how-an-afghan-reporter-was-left-to-the-taliban-by-the-foreign-office", + "creator": "Peter Beaumont", + "pubDate": "2021-12-07T00:01:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120376,16 +146813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e2856aa953aaa6b30b2e44ef6a599666" + "hash": "9f5f4d088e462e181e81ff54dac9e07e" }, { - "title": "The inner lives of dogs: what our canine friends really think about love, lust and laughter", - "description": "

    They make brilliant companions, but do dogs really feel empathy for humans - and what is going through their minds when they play, panic or attack?

    Read more: the inner lives of cats: what our feline friends really think

    It is humanity’s great frustration, to gaze into the eyes of a dog, feel so very close to the creature, and yet have no clue what it’s thinking. It’s like the first question you ask of a recently born baby, with all that aching, loving urgency: is that a first smile? Or yet more wind? Except that it’s like that for ever.

    I can never know what my staffie is thinking. Does Romeo realise that what he just did was funny, and did he do it on purpose? Is he laughing on the inside? Can he smile? Can he feel anxious about the future? Can he remember life as a puppy? Does he still get the horn, even though I had his knackers off some years ago? And, greater than all these things: does he love me? I mean, really love me, the way I love him?

    Continue reading...", - "content": "

    They make brilliant companions, but do dogs really feel empathy for humans - and what is going through their minds when they play, panic or attack?

    Read more: the inner lives of cats: what our feline friends really think

    It is humanity’s great frustration, to gaze into the eyes of a dog, feel so very close to the creature, and yet have no clue what it’s thinking. It’s like the first question you ask of a recently born baby, with all that aching, loving urgency: is that a first smile? Or yet more wind? Except that it’s like that for ever.

    I can never know what my staffie is thinking. Does Romeo realise that what he just did was funny, and did he do it on purpose? Is he laughing on the inside? Can he smile? Can he feel anxious about the future? Can he remember life as a puppy? Does he still get the horn, even though I had his knackers off some years ago? And, greater than all these things: does he love me? I mean, really love me, the way I love him?

    Continue reading...", - "category": "Dogs", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/09/the-inner-lives-of-dogs-canine-friends-love-lust-companions-minds", - "creator": "Zoe Williams", - "pubDate": "2021-12-09T06:00:04Z", + "title": "Best mid-range wifi 6 mesh systems to solve broadband dead zones", + "description": "

    Replacement routers put speedy wifi in every corner of the home for reliable work, video calls and films

    With wifi more important than ever for keeping your home working and your online entertainment up and running, it may be time to banish those irritating “not-spots” and make your broadband work everywhere in your home with a router upgrade.

    Now that most new devices, from laptops and phones to TVs and streaming boxes, support wifi 6, I put several of the latest mid-range “mesh” routers to the test to see which ones deliver.

    Continue reading...", + "content": "

    Replacement routers put speedy wifi in every corner of the home for reliable work, video calls and films

    With wifi more important than ever for keeping your home working and your online entertainment up and running, it may be time to banish those irritating “not-spots” and make your broadband work everywhere in your home with a router upgrade.

    Now that most new devices, from laptops and phones to TVs and streaming boxes, support wifi 6, I put several of the latest mid-range “mesh” routers to the test to see which ones deliver.

    Continue reading...", + "category": "Wifi", + "link": "https://www.theguardian.com/technology/2021/dec/07/best-mid-range-wifi-6-mesh-systems-to-solve-broadband-dead-zones", + "creator": "Samuel Gibbs Consumer technology editor", + "pubDate": "2021-12-07T07:00:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120396,16 +146833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c12719253ef524cc95a9aa5194933526" + "hash": "0c3b29c466aaf0c92b37a0f1ba5427d4" }, { - "title": "Listen to the fish sing: scientists record 'mind-blowing' noises of restored coral reef", - "description": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", - "content": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", - "category": "Coral", - "link": "https://www.theguardian.com/environment/2021/dec/08/whoops-and-grunts-bizarre-fish-songs-raise-hopes-for-coral-reef-recovery", - "creator": "Damian Carrington Environment editor", - "pubDate": "2021-12-08T05:00:32Z", + "title": "‘No standing down, no giving up’: Myanmar’s resistance mobilises", + "description": "

    Almost a year on from the coup, resistance to the military remains widespread

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", + "content": "

    Almost a year on from the coup, resistance to the military remains widespread

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/06/do-or-die-myanmars-junta-may-have-stirred-up-a-hornets-nest", + "creator": "Rebecca Ratcliffe South-east Asia correspondent", + "pubDate": "2021-12-06T20:36:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120416,16 +146853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0ff8d17c604371641ce185ae92ee1421" + "hash": "c0fcb300ae1d838025546ba25d170d6b" }, { - "title": "Brexit may not stop EU’s gig economy reforms from reaching UK", - "description": "

    Analysis: UK-based firms may find it easier to fall in with Brussels’ proposals to give casual workers more rights

    The European Commission’s plans to protect people in precarious jobs in the gig economy could be the most ambitious extension of workers’ rights from Brussels since Britain left the EU.

    If adopted, the plans would mean that gig economy companies, such as Uber and Deliveroo, would have to treat workers as employees with minimum wages (where they exist), sick pay, holidays and better accident insurance, unless they could prove that drivers and couriers were genuinely self-employed.

    Continue reading...", - "content": "

    Analysis: UK-based firms may find it easier to fall in with Brussels’ proposals to give casual workers more rights

    The European Commission’s plans to protect people in precarious jobs in the gig economy could be the most ambitious extension of workers’ rights from Brussels since Britain left the EU.

    If adopted, the plans would mean that gig economy companies, such as Uber and Deliveroo, would have to treat workers as employees with minimum wages (where they exist), sick pay, holidays and better accident insurance, unless they could prove that drivers and couriers were genuinely self-employed.

    Continue reading...", - "category": "Gig economy", - "link": "https://www.theguardian.com/business/2021/dec/09/brexit-may-not-stop-eu-gig-economy-reforms-uk", - "creator": "Jennifer Rankin in Brussels", - "pubDate": "2021-12-09T10:00:09Z", + "title": "‘Your generation got us in this mess’: children of big oil employees discuss the climate crisis with their parents", + "description": "

    Two generations of energy workers discuss how their family has responded to the climate emergency

    Are you a fossil fuel industry insider? We want to hear from you

    What do you do when your family has deep ties to the oil and gas industry, yet all agree that burning fossil fuels is accelerating the climate crisis?

    For one family, the fossil fuel industry’s role in stoking the climate emergency is more than just a dinner table debate. It’s their legacy. Andy and Wendy met in the 70s while working as engineers for Exxon. They spent decades working in oil and gas while raising their children.

    Andy, 65, retired engineer,

    Wendy, 62, retired engineer

    Liz, 33, environmental safety manager

    Dara, 35, Liz’s husband and engineer

    James, 31, IT consultant

    Continue reading...", + "content": "

    Two generations of energy workers discuss how their family has responded to the climate emergency

    Are you a fossil fuel industry insider? We want to hear from you

    What do you do when your family has deep ties to the oil and gas industry, yet all agree that burning fossil fuels is accelerating the climate crisis?

    For one family, the fossil fuel industry’s role in stoking the climate emergency is more than just a dinner table debate. It’s their legacy. Andy and Wendy met in the 70s while working as engineers for Exxon. They spent decades working in oil and gas while raising their children.

    Andy, 65, retired engineer,

    Wendy, 62, retired engineer

    Liz, 33, environmental safety manager

    Dara, 35, Liz’s husband and engineer

    James, 31, IT consultant

    Continue reading...", + "category": "Climate crisis", + "link": "https://www.theguardian.com/environment/2021/dec/07/conversation-between-big-oil-employees-kids", + "creator": "Emma Pattee", + "pubDate": "2021-12-07T08:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120436,16 +146873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b515a697da939be0d6e2e4b14c289c06" + "hash": "2b07bfb16cb5259f423c575ee2ade753" }, { - "title": "Bob Dole, former US senator and presidential nominee, in his own words - video", - "description": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", - "content": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", - "category": "Republicans", - "link": "https://www.theguardian.com/us-news/video/2021/dec/05/bob-dole-former-us-senator-and-presidential-nominee-dies-aged-98-video-obituary", - "creator": "", - "pubDate": "2021-12-05T21:13:50Z", + "title": "Leuven: the small Flemish town with a big (bang) history", + "description": "

    With its cosmic roots and being the home of Stella Artois, the compact gothic town is a hip destination that has remained Belgium’s best-kept secret


    The barman at Fiere Margriet places a bottle of strong, dark ale in front of me. “Gouden Carolus,” he says. “Brewed 15 miles away”. A cold night has fallen over the city outside, but the low-lit pub is warm and woozy. Hops are strung along the walls; a stuffed fox looks out from the window. “This pub,” continues the barman, stroking his beard, “has been here since fourteen-hundred-and …” he pauses for a while “… something.”

    History is elastic in the small Flemish city of Leuven, which is currently hosting BANG!, a citywide festival dedicated to the big bang. Back in the soupiest mists of time – or, strictly, before time was time – a convulsion of baffling quantum forces resulted in the birth of the galaxy. About 13.8 billion years later, in 1931, a cheery Belgian in specs and dog collar came up with a concept to explain it. Albert Einstein initially dismissed the idea, then later backtracked. The Belgian in question was Georges Lemaître – Catholic priest, father of the big bang theory, and resident of Leuven.

    Continue reading...", + "content": "

    With its cosmic roots and being the home of Stella Artois, the compact gothic town is a hip destination that has remained Belgium’s best-kept secret


    The barman at Fiere Margriet places a bottle of strong, dark ale in front of me. “Gouden Carolus,” he says. “Brewed 15 miles away”. A cold night has fallen over the city outside, but the low-lit pub is warm and woozy. Hops are strung along the walls; a stuffed fox looks out from the window. “This pub,” continues the barman, stroking his beard, “has been here since fourteen-hundred-and …” he pauses for a while “… something.”

    History is elastic in the small Flemish city of Leuven, which is currently hosting BANG!, a citywide festival dedicated to the big bang. Back in the soupiest mists of time – or, strictly, before time was time – a convulsion of baffling quantum forces resulted in the birth of the galaxy. About 13.8 billion years later, in 1931, a cheery Belgian in specs and dog collar came up with a concept to explain it. Albert Einstein initially dismissed the idea, then later backtracked. The Belgian in question was Georges Lemaître – Catholic priest, father of the big bang theory, and resident of Leuven.

    Continue reading...", + "category": "Belgium holidays", + "link": "https://www.theguardian.com/travel/2021/dec/07/leuven-the-small-flemish-town-belgium-big-bang-history", + "creator": "Ben Lerwill", + "pubDate": "2021-12-07T07:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120456,16 +146893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5cbbc6d7bfc3302130933b5c28416762" + "hash": "75b66cefcd11af2eda97eefaf3adcf9a" }, { - "title": "Debacle over No 10 Christmas party ‘threatens efforts to control pandemic’", - "description": "

    Scientists say rule-breaking ‘could damage public compliance behaviours when they are more important than ever’

    The debacle over the No 10 Christmas party threatens to undermine efforts to control the Covid pandemic at a time when the Omicron variant is fuelling fears of an imminent and major wave of disease, say scientists.

    A so-called Cummings effect last year led to “negative and lasting consequences” on public trust following the lockdown-busting trips made by Boris Johnson’s aide, Dominic Cummings, researchers found.

    Continue reading...", - "content": "

    Scientists say rule-breaking ‘could damage public compliance behaviours when they are more important than ever’

    The debacle over the No 10 Christmas party threatens to undermine efforts to control the Covid pandemic at a time when the Omicron variant is fuelling fears of an imminent and major wave of disease, say scientists.

    A so-called Cummings effect last year led to “negative and lasting consequences” on public trust following the lockdown-busting trips made by Boris Johnson’s aide, Dominic Cummings, researchers found.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/09/debacle-over-no-10-christmas-party-threatens-efforts-to-control-pandemic", - "creator": "Ian Sample Science editor", - "pubDate": "2021-12-09T06:00:03Z", + "title": "Patsy Stevenson: ‘We were angry at being told we couldn’t mourn the death of a woman’", + "description": "

    Continuing our series on the people behind the 2021 headlines, the 28-year-old detained at the Clapham Common vigil for Sarah Everard discusses violence against women, receiving death threats, and her new passion for activism

    When Patsy Stevenson was arrested on the night of 13 March, at the vigil on Clapham Common for Sarah Everard, it was hard to believe what was happening: at the precise moment in which public faith in the police force most needed restoring, after the murder of Everard at the hands of a serving police officer, Wayne Couzens, video footage showed a young woman in the dark being pushed forcibly to the ground by officers and handcuffed. The manner of Stevenson’s arrest was condemned by politicians across parties – with the home secretary, Priti Patel, setting up an inquiry. On social media, the commentary was toxically mixed: Stevenson received abuse and death threats at the same time as being praised for speaking up with dignity, courage and transparency.

    When she appears on Zoom, she looks pale, composed and serious-minded beneath her eyecatching red hair (was it this that made the police mistake this ordinary 28-year-old woman for a firebrand?). She is in a London flat with her dog, Lexy, who pops up on screen supportively beside her. Reports of her arrest focused on Stevenson’s terror when the police pinned her down, but what was going through her mind? “I was thinking: ‘Oh my God, I’m going to get kicked out of uni… I’ll never get a job.’” She is now repeating (“because of what happened”) a foundation year at Royal Holloway, University of London, studying physics. She goes on: “I’d never been in trouble with the police before. But my main thought was: this is what they’ve all been talking about. I used to think there was no smoke without fire.”

    Continue reading...", + "content": "

    Continuing our series on the people behind the 2021 headlines, the 28-year-old detained at the Clapham Common vigil for Sarah Everard discusses violence against women, receiving death threats, and her new passion for activism

    When Patsy Stevenson was arrested on the night of 13 March, at the vigil on Clapham Common for Sarah Everard, it was hard to believe what was happening: at the precise moment in which public faith in the police force most needed restoring, after the murder of Everard at the hands of a serving police officer, Wayne Couzens, video footage showed a young woman in the dark being pushed forcibly to the ground by officers and handcuffed. The manner of Stevenson’s arrest was condemned by politicians across parties – with the home secretary, Priti Patel, setting up an inquiry. On social media, the commentary was toxically mixed: Stevenson received abuse and death threats at the same time as being praised for speaking up with dignity, courage and transparency.

    When she appears on Zoom, she looks pale, composed and serious-minded beneath her eyecatching red hair (was it this that made the police mistake this ordinary 28-year-old woman for a firebrand?). She is in a London flat with her dog, Lexy, who pops up on screen supportively beside her. Reports of her arrest focused on Stevenson’s terror when the police pinned her down, but what was going through her mind? “I was thinking: ‘Oh my God, I’m going to get kicked out of uni… I’ll never get a job.’” She is now repeating (“because of what happened”) a foundation year at Royal Holloway, University of London, studying physics. She goes on: “I’d never been in trouble with the police before. But my main thought was: this is what they’ve all been talking about. I used to think there was no smoke without fire.”

    Continue reading...", + "category": "Sarah Everard", + "link": "https://www.theguardian.com/uk-news/2021/dec/07/patsy-stevenson-interview-everard-vigil-arrest-faces-of-year", + "creator": "Kate Kellaway", + "pubDate": "2021-12-07T10:00:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120476,16 +146913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7cde84567189757de5af9ad66326317" + "hash": "59aaaf1a23f329d89c9c9c7d322cf757" }, { - "title": "Ashes 2021-22: Australia v England first Test, day two – live!", - "description": "

    While you wait (and contemplate the inherent fairness of cricketing conditions), here are a couple of typically excellent pieces following yesterday’s events. This was Geoff capturing the vibe inside the Gabba...

    More weather talk. It’s important to gather more than one source - here is our colleague Geoff Lemon on the ground in Brisbane.

    Continue reading...", - "content": "

    While you wait (and contemplate the inherent fairness of cricketing conditions), here are a couple of typically excellent pieces following yesterday’s events. This was Geoff capturing the vibe inside the Gabba...

    More weather talk. It’s important to gather more than one source - here is our colleague Geoff Lemon on the ground in Brisbane.

    Continue reading...", - "category": "Ashes 2021-22", - "link": "https://www.theguardian.com/sport/live/2021/dec/09/ashes-2021-22-day-2-two-cricket-australia-vs-england-first-test-live-score-card-aus-v-eng-start-time-latest-updates", - "creator": "Sam Perry (now) and Daniel Harris (later)", - "pubDate": "2021-12-08T23:10:50Z", + "title": "Hope review – sensitive study of the grief that lies behind a cancer diagnosis", + "description": "

    Stellan Skarsgård plays a man whose attention has been more focused on his career than his family wrestles with accepting his wife’s terminal illness

    Here is an intelligent and civilised film from Norway with two outstanding actors; directed by Maria Sødahl, it’s about love, grief and intimacy and it is conceived at a high creative standard. Yet for me it never quite ignites with the real passion or the real anger that it seems to be gesturing towards.

    Andrea Bræin Hovig plays Anja, a successful fortysomething choreographer with an international career, in a relationship with Tomas, played by Stellan Skarsgård, and together they have a large and loving stepfamily. The previous Christmas, Anja had been given the all-clear from lung cancer, but one year on it has grimly returned with a metastasis in her brain; she has to have surgery but with a poor prognosis.

    Continue reading...", + "content": "

    Stellan Skarsgård plays a man whose attention has been more focused on his career than his family wrestles with accepting his wife’s terminal illness

    Here is an intelligent and civilised film from Norway with two outstanding actors; directed by Maria Sødahl, it’s about love, grief and intimacy and it is conceived at a high creative standard. Yet for me it never quite ignites with the real passion or the real anger that it seems to be gesturing towards.

    Andrea Bræin Hovig plays Anja, a successful fortysomething choreographer with an international career, in a relationship with Tomas, played by Stellan Skarsgård, and together they have a large and loving stepfamily. The previous Christmas, Anja had been given the all-clear from lung cancer, but one year on it has grimly returned with a metastasis in her brain; she has to have surgery but with a poor prognosis.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/07/hope-review-sensitive-study-of-the-grief-that-lies-behind-a-cancer-diagnosis", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-07T10:00:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120496,16 +146933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fa42ddf4a607105249d63428a5455cbd" + "hash": "00474f523d6a6fa5dbcb50d028be331c" }, { - "title": "Ghislaine Maxwell trial: third accuser’s ex-boyfriend corroborates her account", - "description": "

    ‘Shawn’ says he drove Carolyn to Epstein’s house every few weeks, after she testified Maxwell scheduled sexualized massages with Epstein

    • This article contains depictions of sexual abuse

    The former boyfriend of the third accuser to testify in Ghislaine Maxwell’s sex-trafficking trial in New York corroborated details of her account during his testimony Wednesday.

    This accuser, Carolyn, had testified Tuesday that Maxwell scheduled sexualized massages with Jeffrey Epstein starting when Carloyn was 14, and that Maxwell groped her. Carolyn said that she had told Maxwell about having been sexually abused as a child.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "content": "

    ‘Shawn’ says he drove Carolyn to Epstein’s house every few weeks, after she testified Maxwell scheduled sexualized massages with Epstein

    • This article contains depictions of sexual abuse

    The former boyfriend of the third accuser to testify in Ghislaine Maxwell’s sex-trafficking trial in New York corroborated details of her account during his testimony Wednesday.

    This accuser, Carolyn, had testified Tuesday that Maxwell scheduled sexualized massages with Jeffrey Epstein starting when Carloyn was 14, and that Maxwell groped her. Carolyn said that she had told Maxwell about having been sexually abused as a child.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/08/ghislaine-maxwell-sex-trafficking-trial-third-accuser-ex-boyfriend", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-08T20:36:42Z", + "title": "How Pablo Escobar’s ‘cocaine hippos’ became a biodiversity nightmare", + "description": "

    Animals brought illegally to Colombia by the drug kingpin have been allowed to roam free and are now disrupting the fragile ecosystem

    Myths and legends continue to surround Colombia’s most notorious drug lord Pablo Escobar 26 years after his death. But his legacy has had an unexpectedly disastrous impact on some of the country’s fragile ecosystems. A herd of more than 80 hippos roam free, the descendants of animals smuggled to Colombia from Africa in the 1980s and now flourishing in the wild.

    Reporter Joe Parkin Daniels tells Michael Safi that when Escobar was shot dead by police on a rooftop in his hometown of Medellín, the authorities seized his estate and the animals on it. While most were shipped to zoos, the logistics of moving his four hippos proved insurmountable and they were left to wander the Andes.

    Continue reading...", + "content": "

    Animals brought illegally to Colombia by the drug kingpin have been allowed to roam free and are now disrupting the fragile ecosystem

    Myths and legends continue to surround Colombia’s most notorious drug lord Pablo Escobar 26 years after his death. But his legacy has had an unexpectedly disastrous impact on some of the country’s fragile ecosystems. A herd of more than 80 hippos roam free, the descendants of animals smuggled to Colombia from Africa in the 1980s and now flourishing in the wild.

    Reporter Joe Parkin Daniels tells Michael Safi that when Escobar was shot dead by police on a rooftop in his hometown of Medellín, the authorities seized his estate and the animals on it. While most were shipped to zoos, the logistics of moving his four hippos proved insurmountable and they were left to wander the Andes.

    Continue reading...", + "category": "Colombia", + "link": "https://www.theguardian.com/news/audio/2021/dec/06/how-pablo-escobars-cocaine-hippos-became-a-biodiversity-nightmare", + "creator": "Presented by Michael Safi with Joe Parkin Daniels and Gina Paola Serna; produced by Rose de Larrabeiti and Axel Kacoutié; executive producers Phil Maynard, Archie Bland and Mythili Rao", + "pubDate": "2021-12-06T03:00:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120516,16 +146953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "db0d73a4c067b491c991094be611b6db" + "hash": "bc06858d407c041bd816c0177ab46864" }, { - "title": "Robbie Shakespeare, of Sly and Robbie fame, dies at age 68", - "description": "

    The Jamaican Grammy-winning bassist was part of the duo with Sly Dunbar and worked with such artists as Mick Jagger and Grace Jones

    Robbie Shakespeare, acclaimed bassist and record producer, has died at the age of 68. The Jamaican artist was part of the duo Sly and Robbie with Sly Dunbar.

    According to The Jamaica Gleaner, Shakespeare had recently undergone surgery related to his kidneys. He had been in hospital in Florida.

    Continue reading...", - "content": "

    The Jamaican Grammy-winning bassist was part of the duo with Sly Dunbar and worked with such artists as Mick Jagger and Grace Jones

    Robbie Shakespeare, acclaimed bassist and record producer, has died at the age of 68. The Jamaican artist was part of the duo Sly and Robbie with Sly Dunbar.

    According to The Jamaica Gleaner, Shakespeare had recently undergone surgery related to his kidneys. He had been in hospital in Florida.

    Continue reading...", - "category": "Music", - "link": "https://www.theguardian.com/music/2021/dec/08/robbie-shakespeare-sly-and-robbie-dies", - "creator": "Benjamin Lee", - "pubDate": "2021-12-08T23:42:09Z", + "title": "NSW residents warned to brace for more industrial action after teachers and transport workers strike", + "description": "

    Teachers’ strike closes almost 400 state schools for 24 hours as transport in Sydney, Hunter, Blue Mountains and Central Coast also disrupted

    NSW residents have been warned to brace for more industrial action after thousands of public school teachers and transport workers walked off the job in a bid to improve pay and conditions.

    For the first time in nearly a decade, thousands of striking teachers converged on NSW parliament on Tuesday, calling on the government to address heavy workloads, uncompetitive salaries and staff shortages.

    Continue reading...", + "content": "

    Teachers’ strike closes almost 400 state schools for 24 hours as transport in Sydney, Hunter, Blue Mountains and Central Coast also disrupted

    NSW residents have been warned to brace for more industrial action after thousands of public school teachers and transport workers walked off the job in a bid to improve pay and conditions.

    For the first time in nearly a decade, thousands of striking teachers converged on NSW parliament on Tuesday, calling on the government to address heavy workloads, uncompetitive salaries and staff shortages.

    Continue reading...", + "category": "New South Wales", + "link": "https://www.theguardian.com/australia-news/2021/dec/07/nsw-teachers-strike-as-train-and-bus-services-services-hit-by-industrial-action", + "creator": "Australian Associated Press", + "pubDate": "2021-12-07T08:49:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120536,16 +146973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fc47c10a55f2f0e4558e3d7dca88303c" + "hash": "259ff07db44bd9dffd22af346c9f06d0" }, { - "title": "Sam Kerr knocks pitch invader to ground during Champions League match", - "description": "
    • Australia captain sends man sprawling at Kingsmeadow
    • Chelsea striker booked for incident in game against Juventus

    Chelsea striker Sam Kerr was booked after barging into a pitch invader and knocking him to the ground during the Blues’ Champions League clash with Juventus at Kingsmeadow.

    In the closing stages of the group stage game, the man entered the field and briefly held up play before he was sent sprawling as the Australia captain dropped her shoulder and ran into him.

    Continue reading...", - "content": "
    • Australia captain sends man sprawling at Kingsmeadow
    • Chelsea striker booked for incident in game against Juventus

    Chelsea striker Sam Kerr was booked after barging into a pitch invader and knocking him to the ground during the Blues’ Champions League clash with Juventus at Kingsmeadow.

    In the closing stages of the group stage game, the man entered the field and briefly held up play before he was sent sprawling as the Australia captain dropped her shoulder and ran into him.

    Continue reading...", - "category": "Sam Kerr", - "link": "https://www.theguardian.com/sport/2021/dec/09/sam-kerr-knocks-pitch-invader-to-ground-during-champions-league-match", - "creator": "Guardian sport", - "pubDate": "2021-12-09T01:23:49Z", + "title": "‘They see it in corridors, in bathrooms, on the bus’: UK schools’ porn crisis", + "description": "

    Frontline workers warn how children as young as seven are being bombarded with harmful online sexual material

    Barnardo’s works directly with children who are victims of abuse or display signs of harmful or risky sexual behaviour. In 2020-21, they worked with 382,872 children, young people, parents and carers.

    In a recent survey of their frontline workers across England and Wales, staff reported a rise in the number of children participating in acts they have seen in pornographic videos, despite feeling uncomfortable or scared. They describe porn as having a “corrosive” effect on child wellbeing.

    Continue reading...", + "content": "

    Frontline workers warn how children as young as seven are being bombarded with harmful online sexual material

    Barnardo’s works directly with children who are victims of abuse or display signs of harmful or risky sexual behaviour. In 2020-21, they worked with 382,872 children, young people, parents and carers.

    In a recent survey of their frontline workers across England and Wales, staff reported a rise in the number of children participating in acts they have seen in pornographic videos, despite feeling uncomfortable or scared. They describe porn as having a “corrosive” effect on child wellbeing.

    Continue reading...", + "category": "Pornography", + "link": "https://www.theguardian.com/global-development/2021/dec/05/they-see-it-in-corridors-in-bathrooms-on-the-bus-uk-schools-porn-crisis", + "creator": "Harriet Grant", + "pubDate": "2021-12-05T16:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120556,16 +146993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c9b2ec353dbfe4a71c6e67627aca7840" + "hash": "c7766bf872c47126cdf0325b109b9427" }, { - "title": "Covid news live: England moves to ‘plan B’; three Pfizer shots can ‘neutralise’ Omicron, lab tests show", - "description": "

    British prime minister Boris Johnson has rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant; Pfizer says third jab increases antibodies by factor of 25

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "content": "

    British prime minister Boris Johnson has rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant; Pfizer says third jab increases antibodies by factor of 25

    Cuba has detected its first case of the Omicron Covid variant, according to Cuban state media agency ACN.

    The case was identified in a person who had travelled from Mozambique.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/09/covid-news-live-england-moves-to-plan-b-three-pfizer-shots-can-neutralise-omicron-lab-tests-show", - "creator": "Samantha Lock", - "pubDate": "2021-12-09T05:22:01Z", + "title": "'It's just a cold': Biden explains coughing during speech – video", + "description": "

    The US president, Joe Biden, has said his coughing during a speech addressing the November jobs report on Friday is due to a cold.

    'What I have is a one-and-a-half-year-old grandson who had a cold who likes to kiss his pop,' Biden said, responding to a question from a reporter after the speech

    Continue reading...", + "content": "

    The US president, Joe Biden, has said his coughing during a speech addressing the November jobs report on Friday is due to a cold.

    'What I have is a one-and-a-half-year-old grandson who had a cold who likes to kiss his pop,' Biden said, responding to a question from a reporter after the speech

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/video/2021/dec/03/its-just-a-cold-biden-explains-coughing-during-speech-video", + "creator": "", + "pubDate": "2021-12-03T21:12:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120576,16 +147013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e0f7b2538bbfa11e0e5065095698380" + "hash": "614f6bfc95521f96f516dacdce067178" }, { - "title": "Three doses of Pfizer vaccine likely to protect against Omicron infection, tests suggest", - "description": "

    Initial findings indicate stark reduction in protection against new Covid variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", - "content": "

    Initial findings indicate stark reduction in protection against new Covid variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/omicron-can-partially-evade-covid-vaccine-protection-study-finds", - "creator": "Hannah Devlin Science correspondent", - "pubDate": "2021-12-08T22:16:39Z", + "title": "US confirms it will stage diplomatic boycott of Beijing Winter Olympics", + "description": "

    Decision is response to what is described as China’s ‘genocide and crimes against humanity in Xinjiang’ and other abuses

    The White House will stage a diplomatic boycott of the 2022 Winter Olympics in Beijing, press secretary Jen Psaki has confirmed.

    “The Biden administration will not send any diplomatic or official representation to the Beijing 2022 Winter Olympics and Paralympic Games, given the PRC’s ongoing genocide and crimes against humanity in Xinjiang and other human rights abuses,” Psaki said from the briefing room podium on Monday.

    Continue reading...", + "content": "

    Decision is response to what is described as China’s ‘genocide and crimes against humanity in Xinjiang’ and other abuses

    The White House will stage a diplomatic boycott of the 2022 Winter Olympics in Beijing, press secretary Jen Psaki has confirmed.

    “The Biden administration will not send any diplomatic or official representation to the Beijing 2022 Winter Olympics and Paralympic Games, given the PRC’s ongoing genocide and crimes against humanity in Xinjiang and other human rights abuses,” Psaki said from the briefing room podium on Monday.

    Continue reading...", + "category": "Winter Olympics", + "link": "https://www.theguardian.com/sport/2021/dec/06/china-denounces-possible-us-olympic-boycott-as-provocation", + "creator": "Vincent Ni and Joan E Greve", + "pubDate": "2021-12-06T18:49:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120596,16 +147033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f05d568ce44f464fc2b8ab51f4c52bab" + "hash": "b70794309866d380bd89166fa70ad72d" }, { - "title": "‘Give me my baby’: an Indian woman’s fight to reclaim her son after adoption without consent", - "description": "

    Anupama S Chandran’s newborn child was sent away by her parents, who were unhappy that his father was from the Dalit caste

    Through the rains and steamy heat of November, day and night, Anupama S Chandran sat by the gates of the Kerala state secretariat. She refused to eat, drink or be moved. Her single demand was written on a placard: “Give me my baby.”

    The story of Chandran’s fight to get back her child, who was snatched from her by her own family days after he was born and put up for adoption without her knowledge, is one that has been greeted with both horror and a sad familiarity in India.

    Continue reading...", - "content": "

    Anupama S Chandran’s newborn child was sent away by her parents, who were unhappy that his father was from the Dalit caste

    Through the rains and steamy heat of November, day and night, Anupama S Chandran sat by the gates of the Kerala state secretariat. She refused to eat, drink or be moved. Her single demand was written on a placard: “Give me my baby.”

    The story of Chandran’s fight to get back her child, who was snatched from her by her own family days after he was born and put up for adoption without her knowledge, is one that has been greeted with both horror and a sad familiarity in India.

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/dec/09/give-me-my-baby-an-indian-womans-fight-to-reclaim-her-son-after-adoption-without-consent", - "creator": "Hannah Ellis-Petersen in Delhi", - "pubDate": "2021-12-09T05:00:02Z", + "title": "Covid live: Omicron community transmission is across England, says health secretary", + "description": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "content": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", + "creator": "Jedidajah Otte (now); Damien Gayle, Rachel Hall, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-07T00:11:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120616,16 +147053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26bae58b5cb9e782a65773d90d6182e8" + "hash": "4074d8c4bd3c985fe43e7a1a72e997e5" }, { - "title": "Why is there a row in the UK about Boris Johnson and Christmas parties?", - "description": "

    Controversy centres on alleged get-togethers at Downing Street last year when London was under strict lockdown

    On Tuesday last week, the British tabloid newspaper, the Mirror, published a story that claimed parties had been held at Johnson’s Downing Street residence in the run-up to Christmas last year.

    Continue reading...", - "content": "

    Controversy centres on alleged get-togethers at Downing Street last year when London was under strict lockdown

    On Tuesday last week, the British tabloid newspaper, the Mirror, published a story that claimed parties had been held at Johnson’s Downing Street residence in the run-up to Christmas last year.

    Continue reading...", - "category": "Boris Johnson", - "link": "https://www.theguardian.com/politics/2021/dec/08/why-is-there-a-row-in-the-uk-about-boris-johnson-and-christmas-parties", - "creator": "Nick Hopkins in London", - "pubDate": "2021-12-08T16:07:27Z", + "title": "‘Do or die’: Myanmar’s junta may have stirred up a hornets’ nest", + "description": "

    Almost a year on from the coup, resistance to the military is growing stronger and more organised

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", + "content": "

    Almost a year on from the coup, resistance to the military is growing stronger and more organised

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/06/do-or-die-myanmars-junta-may-have-stirred-up-a-hornets-nest", + "creator": "Rebecca Ratcliffe South-east Asia correspondent", + "pubDate": "2021-12-06T20:36:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120636,16 +147073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dc0042a5087320705ac9476419fb7ab6" + "hash": "7cce41ac772d3f288f61fda9a85acd64" }, { - "title": "White Island anniversary passes quietly, with healing – and reckoning", - "description": "

    Two years ago New Zealand’s Whakaari volcano eruption killed 22 people and changed the lives of many others forever

    On a pristine day two years ago, a group of mostly international day-trippers boarded boats and chugged over to Whakaari/White Island, a small active volcano and popular tourist destination 48km off New Zealand’s east coast. The guests roamed the moon-like landscape, observing the strangeness of a bubbling, living rock. But below the surface, pressure was building.

    At 2.11pm, while 47 people were on the island, the volcano erupted, spewing a mushroom cloud of steam, gases, rock and ash into the air. The eruption killed 22 people, seriously injured 25 and changed the lives of many families forever. It became the country’s deadliest volcanic disaster since the 1886 eruption of Mount Tarawera.

    Continue reading...", - "content": "

    Two years ago New Zealand’s Whakaari volcano eruption killed 22 people and changed the lives of many others forever

    On a pristine day two years ago, a group of mostly international day-trippers boarded boats and chugged over to Whakaari/White Island, a small active volcano and popular tourist destination 48km off New Zealand’s east coast. The guests roamed the moon-like landscape, observing the strangeness of a bubbling, living rock. But below the surface, pressure was building.

    At 2.11pm, while 47 people were on the island, the volcano erupted, spewing a mushroom cloud of steam, gases, rock and ash into the air. The eruption killed 22 people, seriously injured 25 and changed the lives of many families forever. It became the country’s deadliest volcanic disaster since the 1886 eruption of Mount Tarawera.

    Continue reading...", - "category": "White Island volcano", - "link": "https://www.theguardian.com/world/2021/dec/09/white-island-anniversary-passes-quietly-with-healing-and-reckoning-far-from-over", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-12-08T23:26:39Z", + "title": "Drake withdraws his two 2022 Grammy nominations", + "description": "

    The star pulled his nominations for best rap album and best rap performance after consultation with his management

    Drake has decided to withdraw his two Grammy nominations.

    Though his motive remained unclear, Variety reported the 35-year-old artist withdrew his two nominations – best rap album for Certified Lover Boy and best rap performance for his song Way 2 Sexy, featuring Future and Young Thug – after consultation with his management.

    Continue reading...", + "content": "

    The star pulled his nominations for best rap album and best rap performance after consultation with his management

    Drake has decided to withdraw his two Grammy nominations.

    Though his motive remained unclear, Variety reported the 35-year-old artist withdrew his two nominations – best rap album for Certified Lover Boy and best rap performance for his song Way 2 Sexy, featuring Future and Young Thug – after consultation with his management.

    Continue reading...", + "category": "Drake", + "link": "https://www.theguardian.com/music/2021/dec/06/drake-withdraws-grammy-nominations-2022", + "creator": "Adrian Horton", + "pubDate": "2021-12-06T21:21:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120656,16 +147093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "34c58714c87ecc936cd5bf51d440594e" + "hash": "f06663b4fa6bec9f4bc3405172586a5f" }, { - "title": "Nasa’s new space telescope and its search for extraterrestrial life | podcast", - "description": "

    On 22 December, if all goes to plan, the £7.5bn James Webb space telescope (JWST) will be blasted into space on top of a giant European Ariane 5 rocket. As it travels to its final destination – a point about a million miles away – it will begin to unfold its gold, honeycombed mirror; a vast light-catching bucket that could give us a view of the universe deeper and more sensitive than we’ve ever had before.

    JWST could also reveal clues about possible life-supporting planets inside our galaxy. One astronomer who will be eagerly deciphering those clues is Prof Beth Biller, who joined Guardian science editor Ian Sample this week.

    Archive: CNBC, Dr Becky, Launch Pad Astronomy

    Continue reading...", - "content": "

    On 22 December, if all goes to plan, the £7.5bn James Webb space telescope (JWST) will be blasted into space on top of a giant European Ariane 5 rocket. As it travels to its final destination – a point about a million miles away – it will begin to unfold its gold, honeycombed mirror; a vast light-catching bucket that could give us a view of the universe deeper and more sensitive than we’ve ever had before.

    JWST could also reveal clues about possible life-supporting planets inside our galaxy. One astronomer who will be eagerly deciphering those clues is Prof Beth Biller, who joined Guardian science editor Ian Sample this week.

    Archive: CNBC, Dr Becky, Launch Pad Astronomy

    Continue reading...", - "category": "James Webb space telescope", - "link": "https://www.theguardian.com/science/audio/2021/dec/09/nasas-new-space-telescope-and-its-search-for-extraterrestrial-life", - "creator": "Produced and presented by Madeleine Finlay with Ian Sample. Sound design by Axel Kacoutié", - "pubDate": "2021-12-09T05:00:02Z", + "title": "China attacks ‘US-style democracy’ prior to Biden summit", + "description": "

    Beijing highlights virtues of its own one-party model in slew of scathing criticisms of western system

    China has launched a campaign to discredit what it calls US-style democracy in advance of the first of Joe Biden’s two “summits of democracy” later this week.

    Over recent days, official Chinese media outlets and diplomats have made a string of scathing attacks on the US governing system, calling it “a game of money politics” and “rule of the few over the many”.

    Continue reading...", + "content": "

    Beijing highlights virtues of its own one-party model in slew of scathing criticisms of western system

    China has launched a campaign to discredit what it calls US-style democracy in advance of the first of Joe Biden’s two “summits of democracy” later this week.

    Over recent days, official Chinese media outlets and diplomats have made a string of scathing attacks on the US governing system, calling it “a game of money politics” and “rule of the few over the many”.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/06/china-attacks-us-style-democracy-prior-to-biden-summit", + "creator": "Vincent Ni China affairs correspondent", + "pubDate": "2021-12-06T13:38:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120676,16 +147113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2f62bc88dbab2e3ef2daf37c8af1cacd" + "hash": "93f41d4508ad935384bddff8ea15a7a6" }, { - "title": "Poll shows Anglo-French antipathy on rise amid post-Brexit bickering", - "description": "

    Exclusive: political tensions prompt increase in numbers of French with negative view of Brits and vice versa

    A year of post-Brexit bickering has left the French and the British feeling significantly less well disposed towards each other, a poll shows.

    After ill-tempered exchanges over everything from fishing to submarines and Covid travel rules to the Northern Ireland protocol, the YouGov poll found that favourable opinions of the British had slid in France and other EU countries.

    Continue reading...", - "content": "

    Exclusive: political tensions prompt increase in numbers of French with negative view of Brits and vice versa

    A year of post-Brexit bickering has left the French and the British feeling significantly less well disposed towards each other, a poll shows.

    After ill-tempered exchanges over everything from fishing to submarines and Covid travel rules to the Northern Ireland protocol, the YouGov poll found that favourable opinions of the British had slid in France and other EU countries.

    Continue reading...", - "category": "Brexit", - "link": "https://www.theguardian.com/politics/2021/dec/08/poll-shows-anglo-french-antipathy-on-rise-amid-post-brexit-bickering", - "creator": "Jon Henley in Paris", - "pubDate": "2021-12-08T16:41:56Z", + "title": "Second accuser says Ghislaine Maxwell asked her to find young women for Epstein", + "description": "

    ‘Kate’ testifies in Manhattan federal court that she was 17 when she met Maxwell, who introduced her to Epstein

    • This article contains depictions of sexual abuse

    The second accuser in the New York sex-trafficking trial of Ghislaine Maxwell alleged on Monday the Briton asked her to find young women for sexual encounters with the financier Jeffrey Epstein, because his demands were insatiable.

    The accuser, who testified in federal court in Manhattan under the pseudonym Kate, said she was 17 when she met Maxwell in Paris around 1994. She gave Maxwell her phone number, she said.

    Continue reading...", + "content": "

    ‘Kate’ testifies in Manhattan federal court that she was 17 when she met Maxwell, who introduced her to Epstein

    • This article contains depictions of sexual abuse

    The second accuser in the New York sex-trafficking trial of Ghislaine Maxwell alleged on Monday the Briton asked her to find young women for sexual encounters with the financier Jeffrey Epstein, because his demands were insatiable.

    The accuser, who testified in federal court in Manhattan under the pseudonym Kate, said she was 17 when she met Maxwell in Paris around 1994. She gave Maxwell her phone number, she said.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/06/ghislaine-maxwell-sex-trafficking-trial-second-week", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-06T17:58:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120696,16 +147133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e7821d03dcde511306f5f3956431a5c8" + "hash": "fdd8e0f6540dd6340d69a1239876c9aa" }, { - "title": "Recovering from burnout, I’ve become very self-protective. How do I step back into the swim? | Leading questions", - "description": "

    You’ve done a brave thing by changing your life, writes advice columnist Eleanor Gordon-Smith, don’t let that change become its own chore

    After years of struggling with a punishing combination of emotional instability and over-work in high pressure jobs, I eventually got sick, dropped out and am finally on the road to recovery, with a new understanding of how to take better care of my mental health and the value of a healthy body.

    I’ve been appreciating simple pleasures, good old friends and the benefits of a quiet life, but it’s a particularly daunting time to start stepping back into the swim. Although I’m now aware of people and situations that aren’t good for me, I have become very self-protective – not helped by the pandemic. It’s very easy to decide it’s too crazy and unkind out there.

    Continue reading...", - "content": "

    You’ve done a brave thing by changing your life, writes advice columnist Eleanor Gordon-Smith, don’t let that change become its own chore

    After years of struggling with a punishing combination of emotional instability and over-work in high pressure jobs, I eventually got sick, dropped out and am finally on the road to recovery, with a new understanding of how to take better care of my mental health and the value of a healthy body.

    I’ve been appreciating simple pleasures, good old friends and the benefits of a quiet life, but it’s a particularly daunting time to start stepping back into the swim. Although I’m now aware of people and situations that aren’t good for me, I have become very self-protective – not helped by the pandemic. It’s very easy to decide it’s too crazy and unkind out there.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/09/recovering-from-burnout-ive-become-very-self-protective-how-do-i-step-back-into-the-swim", - "creator": "Eleanor Gordon-Smith", - "pubDate": "2021-12-09T03:08:41Z", + "title": "Republican Devin Nunes to quit Congress and head Trump’s social media platform", + "description": "

    California congressman has claimed without evidence that social media companies seek to censor Republicans

    Devin Nunes, the California congressman and close ally of Donald Trump, will be retiring from the US House of Representatives next year to join Trump’s new social media venture.

    The Republican congressman, who represents a rural California district, announced his retirement from the House on Monday, writing in a letter to constituents that he was leaving his position to pursue a “new opportunity to fight for the most important issues I believe in”.

    Continue reading...", + "content": "

    California congressman has claimed without evidence that social media companies seek to censor Republicans

    Devin Nunes, the California congressman and close ally of Donald Trump, will be retiring from the US House of Representatives next year to join Trump’s new social media venture.

    The Republican congressman, who represents a rural California district, announced his retirement from the House on Monday, writing in a letter to constituents that he was leaving his position to pursue a “new opportunity to fight for the most important issues I believe in”.

    Continue reading...", + "category": "US Congress", + "link": "https://www.theguardian.com/us-news/2021/dec/06/devin-nunes-retires-congress-trump-social-media", + "creator": "Maanvi Singh in San Francisco", + "pubDate": "2021-12-06T23:32:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120716,16 +147153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a055d9053c7bc9cdace28d6098a07778" + "hash": "4d1fb871f9819397e5095c5978fccc4d" }, { - "title": "Covid news: UK reports 51,342 new infections; vaccines protect against new variant – as it happened", - "description": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "content": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", - "creator": "Tom Ambrose (now); Sarah Marsh, Kevin Rawlinson, Martin Belam and Martin Farrer (earlier)", - "pubDate": "2021-12-09T00:41:33Z", + "title": "WhatsApp criticised for plan to let messages disappear after 24 hours", + "description": "

    Children’s charities say change creates a ‘toxic cocktail of risk’ by making detection of abuse more difficult

    WhatsApp users are to be given the option to have their messages disappear after 24 hours, a change that drew immediate criticism from children’s charities.

    In a blog post announcing the change, WhatsApp, which has 2 billion users, said its mission was to “connect the world privately”.

    Continue reading...", + "content": "

    Children’s charities say change creates a ‘toxic cocktail of risk’ by making detection of abuse more difficult

    WhatsApp users are to be given the option to have their messages disappear after 24 hours, a change that drew immediate criticism from children’s charities.

    In a blog post announcing the change, WhatsApp, which has 2 billion users, said its mission was to “connect the world privately”.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/world/2021/dec/06/whatsapp-criticised-for-plan-to-allow-messages-to-disappear-after-24-hours", + "creator": "Dan Milmo Global technology editor", + "pubDate": "2021-12-06T19:43:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120736,36 +147173,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "f439d3bf9921882ffa8d8511f3f34fd4" + "hash": "ab2a3fdb800d689ac6d83ad7fdd0fe81" }, { - "title": "UK ‘embarrassed’ into funding Mozambique gas project, court hears", - "description": "

    Friends of the Earth cites documents suggesting UK’s reputation could suffer if it pulled $1.15bn of promised support

    The UK was “embarrassed” into funding a huge gas project in Mozambique while considering ending overseas support for fossil fuels, a court has heard.

    During a three-day high court hearing, Friends of the Earth highlighted government documents that suggested there would be “obvious repercussions” if the government did not follow through on $1.15bn of support to an offshore pipeline and liquefied natural gas plant in Cabo Delgado province.

    Continue reading...", - "content": "

    Friends of the Earth cites documents suggesting UK’s reputation could suffer if it pulled $1.15bn of promised support

    The UK was “embarrassed” into funding a huge gas project in Mozambique while considering ending overseas support for fossil fuels, a court has heard.

    During a three-day high court hearing, Friends of the Earth highlighted government documents that suggested there would be “obvious repercussions” if the government did not follow through on $1.15bn of support to an offshore pipeline and liquefied natural gas plant in Cabo Delgado province.

    Continue reading...", - "category": "Mozambique", - "link": "https://www.theguardian.com/world/2021/dec/08/uk-embarrassed-into-funding-mozambique-gas-project-court-hears", - "creator": "Isabella Kaminski", - "pubDate": "2021-12-08T17:56:40Z", + "title": "Almost $12,000 wiped off value of bitcoin in weekend ‘thumping’", + "description": "

    Cryptocurrency settles to just below $50,000 after record-high last month, in continuation of recent volatility

    The value of bitcoin has suffered a “thumping”, losing more than one-fifth of its value at at one point over the weekend before settling below $50,000 (£37,720), only a month after reaching a record high.

    The value of the cryptocurrency rose above $68,000 in November and had been predicted to move even higher by the end of the year, amid concern about the value of traditional assets such as gold and government debt.

    Continue reading...", + "content": "

    Cryptocurrency settles to just below $50,000 after record-high last month, in continuation of recent volatility

    The value of bitcoin has suffered a “thumping”, losing more than one-fifth of its value at at one point over the weekend before settling below $50,000 (£37,720), only a month after reaching a record high.

    The value of the cryptocurrency rose above $68,000 in November and had been predicted to move even higher by the end of the year, amid concern about the value of traditional assets such as gold and government debt.

    Continue reading...", + "category": "Bitcoin", + "link": "https://www.theguardian.com/technology/2021/dec/06/almost-dollars-12000-wiped-off-bitcoin-value-cryptocurrency", + "creator": "Rob Davies", + "pubDate": "2021-12-06T14:13:54Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3e612ab74ebc0dfd289422640f8f3aa3" + "hash": "4bce8a7390b1bd8810b9a9ade71401e6" }, { - "title": "December temperatures in parts of US and Canada hit record high", - "description": "

    Warm spell equals or breaks records in several states, with temperature 15-20C above average in places

    A spell of unseasonably warm weather affected southern and western parts of the US and south-western Canada last week, with temperatures 15-20C above average in places. December temperature records were broken in multiple locations. Penticton in British Columbia had its highest ever December on the 1st as the temperature reached 22.5C. In the US, Montana, North Dakota, Washington and Wyoming all equalled or broke state temperature records for December.

    Not all the US states are seeing unseasonable warmth, however. The National Weather Service (NWS) issued a fairly rare blizzard warning last weekend for the summits of Big Island, Hawaii. It forecast up to 20cm (8in) of snow and winds gusting up to 125mph. The NWS has not issued a blizzard warning for that region since 2018. The same system that brought the snow also caused heavy rain at lower levels.

    Continue reading...", - "content": "

    Warm spell equals or breaks records in several states, with temperature 15-20C above average in places

    A spell of unseasonably warm weather affected southern and western parts of the US and south-western Canada last week, with temperatures 15-20C above average in places. December temperature records were broken in multiple locations. Penticton in British Columbia had its highest ever December on the 1st as the temperature reached 22.5C. In the US, Montana, North Dakota, Washington and Wyoming all equalled or broke state temperature records for December.

    Not all the US states are seeing unseasonable warmth, however. The National Weather Service (NWS) issued a fairly rare blizzard warning last weekend for the summits of Big Island, Hawaii. It forecast up to 20cm (8in) of snow and winds gusting up to 125mph. The NWS has not issued a blizzard warning for that region since 2018. The same system that brought the snow also caused heavy rain at lower levels.

    Continue reading...", - "category": "US weather", - "link": "https://www.theguardian.com/us-news/2021/dec/09/december-temperatures-in-parts-of-us-and-canada-hit-record-high", - "creator": "Trevor Mitchell (Metdesk)", - "pubDate": "2021-12-09T06:00:03Z", + "title": "Viagra could be used to treat Alzheimer’s disease, study finds", + "description": "

    US scientists say users of sildenafil – the generic name for Viagra – are 69% less likely to develop the form of dementia than non-users

    Viagra could be a useful treatment against Alzheimer’s disease, according to a US study.

    Alzheimer’s disease, the most common form of age-related dementia, affects hundreds of millions of people worldwide. Despite mounting numbers of cases, however, there is currently no effective treatment.

    Continue reading...", + "content": "

    US scientists say users of sildenafil – the generic name for Viagra – are 69% less likely to develop the form of dementia than non-users

    Viagra could be a useful treatment against Alzheimer’s disease, according to a US study.

    Alzheimer’s disease, the most common form of age-related dementia, affects hundreds of millions of people worldwide. Despite mounting numbers of cases, however, there is currently no effective treatment.

    Continue reading...", + "category": "Alzheimer's", + "link": "https://www.theguardian.com/society/2021/dec/06/viagra-could-be-used-to-treat-alzheimers-disease-study-finds", + "creator": "Andrew Gregory Health editor", + "pubDate": "2021-12-06T19:32:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120776,16 +147213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6e8efcf348cb529d1a7ea681031d6cbd" + "hash": "2cea425ec5134d4a9fa06b5bffb6f0b2" }, { - "title": "New Zealand passes law making it easier to change sex on birth certificates", - "description": "

    Advocates welcome bill allowing for self-identification they say upholds rights for transgender and non-binary New Zealanders

    New Zealand’s rainbow community will be allowed to change the sex recorded on their birth certificates without providing evidence of a medical procedure, after a bill to recognise the right for gender minorities to self-identify passed into law.

    “Today is a proud day in Aotearoa’s history,” internal affairs minister Jan Tinetti said. “Parliament has voted in favour of inclusivity and against discrimination.”

    Continue reading...", - "content": "

    Advocates welcome bill allowing for self-identification they say upholds rights for transgender and non-binary New Zealanders

    New Zealand’s rainbow community will be allowed to change the sex recorded on their birth certificates without providing evidence of a medical procedure, after a bill to recognise the right for gender minorities to self-identify passed into law.

    “Today is a proud day in Aotearoa’s history,” internal affairs minister Jan Tinetti said. “Parliament has voted in favour of inclusivity and against discrimination.”

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/dec/09/new-zealand-passes-law-making-it-easier-to-change-sex-on-birth-certificates", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-12-09T06:02:10Z", + "title": "At least 46 ‘VIP lane’ PPE deals awarded before formal due diligence in place", + "description": "

    Two-thirds of contracts awarded before ‘eight-stage process’ was put in place were given out after referrals from ‘VIP lane’

    At least 46 PPE deals were awarded to firms put in a special “VIP lane” by Conservative ministers, MPs and officials during the Covid pandemic before a formal due diligence process was put in place, it has emerged.

    Ministers had claimed all PPE contracts were put through a rigorous “eight-stage process” for assuring quality and value for money, when criticised over the “VIP lane” via which £5bn in contracts were handed to companies with political or Whitehall connections.

    Continue reading...", + "content": "

    Two-thirds of contracts awarded before ‘eight-stage process’ was put in place were given out after referrals from ‘VIP lane’

    At least 46 PPE deals were awarded to firms put in a special “VIP lane” by Conservative ministers, MPs and officials during the Covid pandemic before a formal due diligence process was put in place, it has emerged.

    Ministers had claimed all PPE contracts were put through a rigorous “eight-stage process” for assuring quality and value for money, when criticised over the “VIP lane” via which £5bn in contracts were handed to companies with political or Whitehall connections.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/06/at-least-46-vip-lane-ppe-deals-awarded-before-formal-due-diligence-in-place", + "creator": "Rowena Mason and David Conn", + "pubDate": "2021-12-06T17:00:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120796,16 +147233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1c60b2514cf501610ab0f42577fb96e" + "hash": "55260e9a86d4a09ab4f870d41c97037a" }, { - "title": "Australia news live update: eight new Omicron infections in NSW as Covid cases rise; Queensland hospitals at ‘breaking point’, AMA says", - "description": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Queensland hospitals ‘stretched to breaking point’, AMA says; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "content": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Queensland hospitals ‘stretched to breaking point’, AMA says; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", - "creator": "Mostafa Rachwani (now) and Justine Landis-Hanley (earlier)", - "pubDate": "2021-12-09T06:23:46Z", + "title": "Coroners in England issue rare warnings over avoidable deaths in pandemic", + "description": "

    Exclusive: at least 16 notices issued to prevent future deaths after inquests highlight care failures

    Coroners in England have said lessons must be learned from failings made by overstretched services that struggled to adapt during the Covid pandemic, as details of inquests into deaths only now emerge.

    At the height of the pandemic, everything from mental health and coastguard services to care homes had to quickly change how they operated, and coroners across England are highlighting failures made during this time through reports that identify avoidable deaths.

    Azra Hussain, 41, who died in secure accommodation in Birmingham on 6 May 2020. Two months before her death, she had been due to begin electroconvulsive therapy, but because of an administrative error the treatment was cancelled and was then no longer possible because of Covid restrictions. The inquest jury concluded that had she been given this treatment, she would probably have lived.

    Ruth Jones, a frail older woman thought to have caught Covid, who died in a care home after a fall in self-isolation. A coroner said the care home was not equipped to watch Jones during her isolation but she needed to be monitored because of her risk of injury if left alone.

    Anthony Williamson, an experienced sea kayaker who died on his 54th birthday after getting into difficulty. The coroner said he was concerned there was a reduced level of coastguard cover around the Cornish coastline owing to the pandemic.

    Continue reading...", + "content": "

    Exclusive: at least 16 notices issued to prevent future deaths after inquests highlight care failures

    Coroners in England have said lessons must be learned from failings made by overstretched services that struggled to adapt during the Covid pandemic, as details of inquests into deaths only now emerge.

    At the height of the pandemic, everything from mental health and coastguard services to care homes had to quickly change how they operated, and coroners across England are highlighting failures made during this time through reports that identify avoidable deaths.

    Azra Hussain, 41, who died in secure accommodation in Birmingham on 6 May 2020. Two months before her death, she had been due to begin electroconvulsive therapy, but because of an administrative error the treatment was cancelled and was then no longer possible because of Covid restrictions. The inquest jury concluded that had she been given this treatment, she would probably have lived.

    Ruth Jones, a frail older woman thought to have caught Covid, who died in a care home after a fall in self-isolation. A coroner said the care home was not equipped to watch Jones during her isolation but she needed to be monitored because of her risk of injury if left alone.

    Anthony Williamson, an experienced sea kayaker who died on his 54th birthday after getting into difficulty. The coroner said he was concerned there was a reduced level of coastguard cover around the Cornish coastline owing to the pandemic.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/06/coroners-in-england-issue-rare-warnings-over-avoidable-deaths-in-pandemic", + "creator": "Sarah Marsh and Pamela Duncan", + "pubDate": "2021-12-06T12:00:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120816,16 +147253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cac18fb01cbc2cbd5bc5cd3ba07907f7" + "hash": "2493af888767180121763fdf222953c9" }, { - "title": "Malaria kills 180,000 more people annually than previously thought, says WHO", - "description": "

    UN agency says world must support urgent rollout of new vaccine as it reveals new figures for malaria deaths

    The World Health Organization has called for a “massive, urgent” effort to get the new malaria vaccine into the arms of African children, as it warned that about 180,000 more people were dying annually from the disease than had previously been thought.

    Dr Pedro Alonso, director of the WHO’s global malaria programme, said the RTS,S vaccine, recommended for widespread rollout in October, represented a historic opportunity to save tens of thousands of lives, mostly those of under-fives in sub-Saharan Africa.

    Continue reading...", - "content": "

    UN agency says world must support urgent rollout of new vaccine as it reveals new figures for malaria deaths

    The World Health Organization has called for a “massive, urgent” effort to get the new malaria vaccine into the arms of African children, as it warned that about 180,000 more people were dying annually from the disease than had previously been thought.

    Dr Pedro Alonso, director of the WHO’s global malaria programme, said the RTS,S vaccine, recommended for widespread rollout in October, represented a historic opportunity to save tens of thousands of lives, mostly those of under-fives in sub-Saharan Africa.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/06/malaria-kills-180000-more-people-annually-than-previously-thought-says-who", - "creator": "Lizzy Davies", - "pubDate": "2021-12-06T13:00:21Z", + "title": "New York City sets Covid vaccine mandate for all private employers", + "description": "

    New rules will take effect on 22 December while vaccinations are already required for city employees

    All New York City employers will have to mandate Covid-19 vaccinations for their workers under new rules announced Monday by the mayor, Bill de Blasio.

    The vaccine mandate for private businesses will take effect on 22 December and is aimed at preventing a spike in Covid-19 infections during the holiday season and the colder months, the Democratic mayor said on MSNBC’s Morning Joe.

    Continue reading...", + "content": "

    New rules will take effect on 22 December while vaccinations are already required for city employees

    All New York City employers will have to mandate Covid-19 vaccinations for their workers under new rules announced Monday by the mayor, Bill de Blasio.

    The vaccine mandate for private businesses will take effect on 22 December and is aimed at preventing a spike in Covid-19 infections during the holiday season and the colder months, the Democratic mayor said on MSNBC’s Morning Joe.

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/dec/06/new-york-city-vaccine-mandate-private-employers", + "creator": "Associated Press in New York", + "pubDate": "2021-12-06T14:44:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120836,16 +147273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b1f92d7a54f7617fb5f7a53c349f167" + "hash": "b01ce633fa8cd54f4ae8001e4f2a8500" }, { - "title": "Putin’s Ukraine rhetoric driven by distorted view of neighbour", - "description": "

    Analysis: Russian president believes it his 'duty’ to reverse Kyiv’s path towards west

    Even as Vladimir Putin has built up an invasion force on his borders, he has repeated a refrain that Russians and Ukrainians are one people, bemoaning a “fraternal” conflict that he himself has provoked.

    As Putin speaks on Tuesday with Joe Biden, western analysts have likened his focus on Kyiv to an “obsession” while Russians have said Putin believes it his “duty” to reverse Ukraine’s path towards the west.

    Continue reading...", - "content": "

    Analysis: Russian president believes it his 'duty’ to reverse Kyiv’s path towards west

    Even as Vladimir Putin has built up an invasion force on his borders, he has repeated a refrain that Russians and Ukrainians are one people, bemoaning a “fraternal” conflict that he himself has provoked.

    As Putin speaks on Tuesday with Joe Biden, western analysts have likened his focus on Kyiv to an “obsession” while Russians have said Putin believes it his “duty” to reverse Ukraine’s path towards the west.

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/07/putins-ukraine-rhetoric-driven-by-distorted-view-of-neighbour", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-12-07T18:02:27Z", + "title": "‘Travel apartheid’: Nigeria condemns England’s Covid red list", + "description": "

    Nigerian high commissioner hits out as arrivals into UK face quarantine in effort to contain Omicron variant

    Nigeria’s inclusion on England’s red list after cases of the Omicron Covid variant were linked to travel from the country has been condemned as “travel apartheid”.

    People arriving in the UK from Nigeria have to spend 10 days in hotel quarantine at a cost of £2,285 and have two negative PCR test results, as part of measures that came into force from 4am on Monday.

    Continue reading...", + "content": "

    Nigerian high commissioner hits out as arrivals into UK face quarantine in effort to contain Omicron variant

    Nigeria’s inclusion on England’s red list after cases of the Omicron Covid variant were linked to travel from the country has been condemned as “travel apartheid”.

    People arriving in the UK from Nigeria have to spend 10 days in hotel quarantine at a cost of £2,285 and have two negative PCR test results, as part of measures that came into force from 4am on Monday.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/06/travel-apartheid-nigeria-condemns-englands-covid-red-list-omicron", + "creator": "Lucy Campbell", + "pubDate": "2021-12-06T10:54:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120856,16 +147293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "be9ec545f0725ddb573fe5e3aa1bf0a5" + "hash": "ba308437ba621a38e703d1e9b41ac140" }, { - "title": "Boris Johnson rushes in Covid plan B amid Christmas party scandal", - "description": "

    PM announces stronger measures in England to counter Omicron, but finds his ‘moral authority’ questioned

    Boris Johnson rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant, as his government was engulfed in a crisis of credibility sparked by the Christmas party scandal.

    With government experts warning of 10 UK Omicron infections currently rising to 1m by the end of the month and up to 2,000 hospital admissions a day, Johnson insisted now was the time to act.

    Continue reading...", - "content": "

    PM announces stronger measures in England to counter Omicron, but finds his ‘moral authority’ questioned

    Boris Johnson rushed forward new Covid restrictions amid fears of an exponential rise in the Omicron variant, as his government was engulfed in a crisis of credibility sparked by the Christmas party scandal.

    With government experts warning of 10 UK Omicron infections currently rising to 1m by the end of the month and up to 2,000 hospital admissions a day, Johnson insisted now was the time to act.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/boris-johnson-plan-b-covid-measures-england-omicron-vaccine-passports-mask-wearing", - "creator": "Rowena Mason and Hannah Devlin", - "pubDate": "2021-12-08T21:00:58Z", + "title": "Pacific nurses in the desert: Kiribati brain drain is outback Australia’s gain", + "description": "

    A Pacific labour scheme has been transformative for Kiribati families but the brain drain has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", + "content": "

    A Pacific labour scheme has been transformative for Kiribati families but the brain drain has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", + "category": "Kiribati", + "link": "https://www.theguardian.com/world/2021/dec/07/pacific-nurses-in-the-desert-kiribati-brain-drain-is-outback-australias-gain", + "creator": "John Marazita III", + "pubDate": "2021-12-06T17:00:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120876,16 +147313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3997a3077295e845dec54215d4e67d67" + "hash": "bac5fc7c24aa9c7df5cd721c09edad4e" }, { - "title": "Wales: 14 schools to add hour a day to help pupils catch up after lockdowns", - "description": "

    Trial could lead to a longer school day being introduced permanently

    A number of schools in Wales are extending their day by an hour to try to help youngsters catch up after Covid lockdowns.

    The Welsh government will invest up to £2m on the trial, allowing 14 primaries and secondaries across south Wales to open for groups of children for an extra five hours a week.

    Continue reading...", - "content": "

    Trial could lead to a longer school day being introduced permanently

    A number of schools in Wales are extending their day by an hour to try to help youngsters catch up after Covid lockdowns.

    The Welsh government will invest up to £2m on the trial, allowing 14 primaries and secondaries across south Wales to open for groups of children for an extra five hours a week.

    Continue reading...", - "category": "Wales", - "link": "https://www.theguardian.com/uk-news/2021/dec/09/wales-14-schools-to-add-hour-a-day-to-help-pupils-catch-up-after-lockdowns", - "creator": "Steven Morris", - "pubDate": "2021-12-09T00:01:02Z", + "title": "‘It’s who they are’: gun-fetish photo a symbol of Republican abasement under Trump", + "description": "

    Thomas Massie’s incendiary picture, days after a deadly school shooting in Michigan, seemed carefully calibrated to provoke

    It is a festive family photo with seven broad smiles and a Christmas tree. But one other detail sets it apart: each member of the Massie family is brandishing a machine gun or military-style rifle.

    The photo was tweeted last week by Thomas Massie, a Republican congressman from Kentucky, with the caption: “Merry Christmas! PS: Santa, please bring ammo.”

    Continue reading...", + "content": "

    Thomas Massie’s incendiary picture, days after a deadly school shooting in Michigan, seemed carefully calibrated to provoke

    It is a festive family photo with seven broad smiles and a Christmas tree. But one other detail sets it apart: each member of the Massie family is brandishing a machine gun or military-style rifle.

    The photo was tweeted last week by Thomas Massie, a Republican congressman from Kentucky, with the caption: “Merry Christmas! PS: Santa, please bring ammo.”

    Continue reading...", + "category": "Republicans", + "link": "https://www.theguardian.com/us-news/2021/dec/06/republicans-christmas-photo-thomas-massie-trump", + "creator": "David Smith in Washington", + "pubDate": "2021-12-06T19:14:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120896,16 +147333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c3234c98fc7c394a45904439ec33bd1b" + "hash": "4ccd0af3b6eb796a8881624d9e4ccd4d" }, { - "title": "Australia news live update: eight new Omicron infections in NSW as Covid cases rise; Qld and NT pass 80% vaccine milestone", - "description": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "content": "

    Omicron cases in NSW rise to 42 after eight infections reported; Queensland and Northern Territory pass 80% fully vaccinated mark; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; four cases in ACT, three in NT and none in Qld; vaccine mandate for most Tasmanian public servants. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", - "creator": "Mostafa Rachwani (now) and Justine Landis-Hanley (earlier)", - "pubDate": "2021-12-09T05:19:12Z", + "title": "Succession recap: series three, episode eight – now that’s what you call a cliffhanger", + "description": "

    In the most horrifying episode of the show so far, Shiv and Roman take things too far at the Tuscan wedding, Logan is left incandescent with rage … and then there’s Kendall

    Spoiler alert: this recap is for people watching Succession season three, which airs on HBO in the US and Sky Atlantic in the UK. Do not read on unless you have watched episode eight.

    Wedding bells were ringing. So were alarm bells in Waystar Royco’s HR department. But is a funeral toll about to ring out, too? Here are your tasting notes for the penultimate episode, titled Chiantishire …

    Continue reading...", + "content": "

    In the most horrifying episode of the show so far, Shiv and Roman take things too far at the Tuscan wedding, Logan is left incandescent with rage … and then there’s Kendall

    Spoiler alert: this recap is for people watching Succession season three, which airs on HBO in the US and Sky Atlantic in the UK. Do not read on unless you have watched episode eight.

    Wedding bells were ringing. So were alarm bells in Waystar Royco’s HR department. But is a funeral toll about to ring out, too? Here are your tasting notes for the penultimate episode, titled Chiantishire …

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/06/succession-recap-series-three-episode-eight-now-thats-what-you-call-a-cliffhanger", + "creator": "Michael Hogan", + "pubDate": "2021-12-06T22:05:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120916,16 +147353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a6bc348c8c8b1877c4dc84d48b6629ee" + "hash": "a14844caf4288e9b030cdead352270f5" }, { - "title": "Raab says ‘formal party’ in No 10 last Christmas would have broken UK Covid rules – video", - "description": "

    A 'formal party' in Downing Street in December 2020 would have been contrary to guidance, the justice secretary has admitted, saying it would have been 'the wrong thing to do'. Dominic Raab told BBC One’s The Andrew Marr Show, however, that Boris Johnson had assured him no rules had been broken, despite reports from various sources in several newspapers

    Continue reading...", - "content": "

    A 'formal party' in Downing Street in December 2020 would have been contrary to guidance, the justice secretary has admitted, saying it would have been 'the wrong thing to do'. Dominic Raab told BBC One’s The Andrew Marr Show, however, that Boris Johnson had assured him no rules had been broken, despite reports from various sources in several newspapers

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/dec/05/raab-says-formal-party-in-no-10-last-christmas-would-have-broken-uk-covid-rules-video", - "creator": "", - "pubDate": "2021-12-05T12:12:44Z", + "title": "Michael Sheen declares himself a ‘not-for-profit actor’", + "description": "

    Actor and activist announces he will use future earnings to fund social projects after ‘turning point’ of organising 2019 Homeless World Cup

    Hollywood star Michael Sheen has said he is now a “not-for-profit actor” after selling his houses and giving the proceeds to charity.

    The actor and activist, 52, said organising the 2019 Homeless World Cup in Cardiff was a turning point for him. When funding for the £2m project fell through at the last moment, Sheen sold his own houses to bankroll it.

    Continue reading...", + "content": "

    Actor and activist announces he will use future earnings to fund social projects after ‘turning point’ of organising 2019 Homeless World Cup

    Hollywood star Michael Sheen has said he is now a “not-for-profit actor” after selling his houses and giving the proceeds to charity.

    The actor and activist, 52, said organising the 2019 Homeless World Cup in Cardiff was a turning point for him. When funding for the £2m project fell through at the last moment, Sheen sold his own houses to bankroll it.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/06/michael-sheen-not-for-profit-actor-activist", + "creator": "Nadia Khomami Arts and culture correspondent", + "pubDate": "2021-12-06T17:43:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120936,16 +147373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "17f6a52fcf2b615c2664d072dd1689cd" + "hash": "c1cabe4397cdbc61be25a47efce62abf" }, { - "title": "Allegra Stratton resigns after No 10 Christmas party video", - "description": "

    Boris Johnson ‘sorry to lose’ spokesperson for climate summit who was seen in footage joking about party during lockdown

    Allegra Stratton has stepped down as the government’s spokesperson for the Cop26 climate summit after footage emerged of her joking about a party at Downing Street during the peak of lockdown rules in December last year.

    Boris Johnson told a coronavirus press briefing on Wednesday that Stratton had been an “outstanding spokeswoman … I am very sorry to lose her”. But he added: “I take responsibility for everything that happens in this government and I have throughout the pandemic.”

    Continue reading...", - "content": "

    Boris Johnson ‘sorry to lose’ spokesperson for climate summit who was seen in footage joking about party during lockdown

    Allegra Stratton has stepped down as the government’s spokesperson for the Cop26 climate summit after footage emerged of her joking about a party at Downing Street during the peak of lockdown rules in December last year.

    Boris Johnson told a coronavirus press briefing on Wednesday that Stratton had been an “outstanding spokeswoman … I am very sorry to lose her”. But he added: “I take responsibility for everything that happens in this government and I have throughout the pandemic.”

    Continue reading...", - "category": "Conservatives", - "link": "https://www.theguardian.com/politics/2021/dec/08/allegra-stratton-leaves-cop26-role-after-no-10-christmas-party-video", - "creator": "Peter Walker Political correspondent", - "pubDate": "2021-12-08T19:53:14Z", + "title": "Fromage fictions: the 14 biggest cheese myths – debunked!", + "description": "

    Received wisdom says older cheese is better, you should pair it with red wine and wrap any leftovers in clingfilm. Here is what the experts say

    ‘I hate to dictate to people. I don’t like too many rules,” says Iain Mellis, a cheesemonger of 40 years, with cheese shops bearing his name scattered across Scotland. Mellis has spent his life trying to make artisan cheese more accessible; the last thing he wants is to be so prescriptive that people are put off.

    Yet the world of good cheese is already mired in misunderstandings that, at best, detract from its enjoyment and, at worst, result in its ruination. Cheese stored incorrectly is easily marred, while the mistaken beliefs that you need red wine, specialist knives or even a cheeseboard to enjoy it only reinforce cheese’s recherché reputation.

    Continue reading...", + "content": "

    Received wisdom says older cheese is better, you should pair it with red wine and wrap any leftovers in clingfilm. Here is what the experts say

    ‘I hate to dictate to people. I don’t like too many rules,” says Iain Mellis, a cheesemonger of 40 years, with cheese shops bearing his name scattered across Scotland. Mellis has spent his life trying to make artisan cheese more accessible; the last thing he wants is to be so prescriptive that people are put off.

    Yet the world of good cheese is already mired in misunderstandings that, at best, detract from its enjoyment and, at worst, result in its ruination. Cheese stored incorrectly is easily marred, while the mistaken beliefs that you need red wine, specialist knives or even a cheeseboard to enjoy it only reinforce cheese’s recherché reputation.

    Continue reading...", + "category": "Cheese", + "link": "https://www.theguardian.com/food/2021/dec/06/fromage-fictions-the-14-biggest-cheese-myths-debunked", + "creator": "Clare Finney", + "pubDate": "2021-12-06T10:00:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120956,16 +147393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d460abf8c49574d6f1ca60efdbc865db" + "hash": "c94f51197677e5d10d519cfefd5c6004" }, { - "title": "UK Covid live: Met police will not investigate No 10 Christmas party allegations", - "description": "

    Latest updates: Scotland Yard cites ‘absence of evidence’, as PM triggers plan B Covid restrictions

    Downing Street sources are saying this morning that “no decisions have been made” on a move to plan B. But, frankly, an FT story carries more credibility in the Westminster media village.

    Ben Riley-Smith, the Telegraph political editor, thinks the timing of such a move would be suspicious.

    Continue reading...", - "content": "

    Latest updates: Scotland Yard cites ‘absence of evidence’, as PM triggers plan B Covid restrictions

    Downing Street sources are saying this morning that “no decisions have been made” on a move to plan B. But, frankly, an FT story carries more credibility in the Westminster media village.

    Ben Riley-Smith, the Telegraph political editor, thinks the timing of such a move would be suspicious.

    Continue reading...", - "category": "Boris Johnson", - "link": "https://www.theguardian.com/politics/live/2021/dec/08/covid-coronavirus-uk-boris-johnson-christmas-party-uk-politics-live", - "creator": "Tom Ambrose (now), Matthew Weaver and Andrew Sparrow (earlier)", - "pubDate": "2021-12-08T21:00:34Z", + "title": "Joni Mitchell: ‘I’m hobbling along but I’m doing all right’", + "description": "

    Singer discusses health difficulties in rare public speech as she accepts Kennedy Center award

    Joni Mitchell addressed her health difficulties in a rare public speech as she accepted her Kennedy Center Honor, one of the most prestigious awards in American cultural life.

    At a ceremony attended by Joe Biden – in a show of support for the arts after the awards were snubbed by Donald Trump – Mitchell discussed the issues she’s faced in the wake of an aneurysm in 2015 that left her temporarily unable to walk or talk.

    Continue reading...", + "content": "

    Singer discusses health difficulties in rare public speech as she accepts Kennedy Center award

    Joni Mitchell addressed her health difficulties in a rare public speech as she accepted her Kennedy Center Honor, one of the most prestigious awards in American cultural life.

    At a ceremony attended by Joe Biden – in a show of support for the arts after the awards were snubbed by Donald Trump – Mitchell discussed the issues she’s faced in the wake of an aneurysm in 2015 that left her temporarily unable to walk or talk.

    Continue reading...", + "category": "Joni Mitchell", + "link": "https://www.theguardian.com/music/2021/dec/06/joni-mitchell-health-kennedy-center-award", + "creator": "Ben Beaumont-Thomas", + "pubDate": "2021-12-06T12:32:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120976,16 +147413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5fa4460dab9db0ab34dffb6e11db889b" + "hash": "cb89f6ee0bb938aeaf43a844154a83b4" }, { - "title": "Biden says he won’t send US troops to Ukraine to deter Russian threat", - "description": "

    President’s comments come after he said the US would provide ‘defensive capabilities’ to Ukraine

    Joe Biden has said that he is not considering sending US troops to defend Ukraine in response to a Russian military buildup on the country’s borders.

    “That is not on the table,” he told reporters on Wednesday, one day after speaking directly with Vladimir Putin in an effort to avert a military crisis.

    Continue reading...", - "content": "

    President’s comments come after he said the US would provide ‘defensive capabilities’ to Ukraine

    Joe Biden has said that he is not considering sending US troops to defend Ukraine in response to a Russian military buildup on the country’s borders.

    “That is not on the table,” he told reporters on Wednesday, one day after speaking directly with Vladimir Putin in an effort to avert a military crisis.

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/08/russia-talks-of-rapid-ukraine-discussions-after-biden-putin-summit", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-12-08T13:43:21Z", + "title": "Robert Habeck: from translating English verse to German high office", + "description": "

    Ted Hughes felt the soon-to-be minister for economy and climate was ‘on the same wavelength’

    The man who will spend the next four years trying to bring about a green transformation of Germany’s coal-hungry industry once faced another daunting challenge in a previous, less publicly exposed career: translating the most controversial poems in recent British history from English into German.

    As Germany’s next vice-chancellor and minister for economy and climate, Green party co-leader Robert Habeck will be one of the most powerful politicians not just in Germany but Europe, overseeing a new super-ministry that will span general economic policy, renewable energy and the expansion of the country’s electricity grid, with a mooted budget upwards of €10bn.

    Continue reading...", + "content": "

    Ted Hughes felt the soon-to-be minister for economy and climate was ‘on the same wavelength’

    The man who will spend the next four years trying to bring about a green transformation of Germany’s coal-hungry industry once faced another daunting challenge in a previous, less publicly exposed career: translating the most controversial poems in recent British history from English into German.

    As Germany’s next vice-chancellor and minister for economy and climate, Green party co-leader Robert Habeck will be one of the most powerful politicians not just in Germany but Europe, overseeing a new super-ministry that will span general economic policy, renewable energy and the expansion of the country’s electricity grid, with a mooted budget upwards of €10bn.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/06/robert-habeck-from-translating-english-verse-to-german-high-office", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-12-06T16:13:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -120996,16 +147433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a344c78c16f53612b3a18e624a062c42" + "hash": "94443621628a3576f8936946d5a95bb7" }, { - "title": "Chilean presidential candidate’s father was member of Nazi party", - "description": "

    Revelations appear at odds with José Antonio Kast’s own statements about his father’s military service

    The German-born father of Chilean presidential candidate José Antonio Kast was a member of the Nazi party, according to a recently unearthed document – revelations that appear at odds with the far-right candidate’s own statements about his father’s military service during the second world war.

    German officials have confirmed that an ID card in the country’s federal archive shows that an 18-year-old named Michael Kast joined the National Socialist German Workers’ party, or NSDAP, in September 1942, at the height of Hitler’s war on the Soviet Union.

    Continue reading...", - "content": "

    Revelations appear at odds with José Antonio Kast’s own statements about his father’s military service

    The German-born father of Chilean presidential candidate José Antonio Kast was a member of the Nazi party, according to a recently unearthed document – revelations that appear at odds with the far-right candidate’s own statements about his father’s military service during the second world war.

    German officials have confirmed that an ID card in the country’s federal archive shows that an 18-year-old named Michael Kast joined the National Socialist German Workers’ party, or NSDAP, in September 1942, at the height of Hitler’s war on the Soviet Union.

    Continue reading...", - "category": "Chile", - "link": "https://www.theguardian.com/world/2021/dec/08/chile-jose-antonio-kast-father-nazi-party", - "creator": "Associated Press in Berlin", - "pubDate": "2021-12-08T17:14:58Z", + "title": "UK travel firms call for state help after Omicron hits turnover", + "description": "

    Industry body warns that some operators won’t last the winter after return of strict Covid travel rules

    Travel firms have called on the government to provide urgent financial help as fresh Covid-19 restrictions come in to force on Tuesday, hitting holiday travel just before the peak booking period.

    Turnover has been at just 22% of normal levels for tour operators, according to figures from the travel association Abta.

    Continue reading...", + "content": "

    Industry body warns that some operators won’t last the winter after return of strict Covid travel rules

    Travel firms have called on the government to provide urgent financial help as fresh Covid-19 restrictions come in to force on Tuesday, hitting holiday travel just before the peak booking period.

    Turnover has been at just 22% of normal levels for tour operators, according to figures from the travel association Abta.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/07/uk-travel-firms-call-for-state-help-after-omicron-hits-turnover", + "creator": "Gwyn Topham Transport correspondent", + "pubDate": "2021-12-07T00:01:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121016,16 +147453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "debb731c236b25056cf9a748fbab83bc" + "hash": "6786d1001423f564c68c148c4163d867" }, { - "title": "‘Overwhelming’ evidence against Jussie Smollett, says prosecution in closing arguments", - "description": "

    The Empire actor denies he falsified police reports about the alleged racist and homophobic attack in 2019

    Lawyers delivered their closing arguments on Wednesday in Jussie Smollett’s criminal trial where the former Empire actor is facing charges that he lied to Chicago police about an attack in 2019.

    Smollett denies the charges.

    Continue reading...", - "content": "

    The Empire actor denies he falsified police reports about the alleged racist and homophobic attack in 2019

    Lawyers delivered their closing arguments on Wednesday in Jussie Smollett’s criminal trial where the former Empire actor is facing charges that he lied to Chicago police about an attack in 2019.

    Smollett denies the charges.

    Continue reading...", - "category": "Jussie Smollet", - "link": "https://www.theguardian.com/us-news/2021/dec/08/jussie-smollett-trial-closing-arguments-latest", - "creator": "Maya Yang", - "pubDate": "2021-12-08T22:07:44Z", + "title": "Republican Devin Nunes to leave Congress and run Trump’s social media venture – live", + "description": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", + "content": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/dec/06/congress-debt-ceiling-republicans-democrats-joe-biden-coronavirus-us-politics-latest", + "creator": "Maanvi Singh (now) and Joan E Greve (earlier)", + "pubDate": "2021-12-07T00:27:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121036,16 +147473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7e07ecd681c8c1803f7dc1d56d84c38" + "hash": "20d19655d347aae54d5a146c1131ec8d" }, { - "title": "Spanish village that dropped ‘Kill Jews’ name hit by antisemitic graffiti attack", - "description": "

    Castrillo Mota de Judíos’ Sephardic centre was among four locations defaced in the ‘cowardly’ attack

    The mayor of a Spanish village whose former name was an ugly reminder of the country’s medieval persecution of its Jewish population has vowed to carry on with plans for a Sephardic memory centre despite an antisemitic graffiti attack this week.

    Seven years ago, the 52 eligible residents of Castrillo Matajudíos – Camp Kill Jews in English, voted in a referendum to change the village’s name back to Castrillo Mota de Judíos, which means Jews’ Hill Camp.

    Continue reading...", - "content": "

    Castrillo Mota de Judíos’ Sephardic centre was among four locations defaced in the ‘cowardly’ attack

    The mayor of a Spanish village whose former name was an ugly reminder of the country’s medieval persecution of its Jewish population has vowed to carry on with plans for a Sephardic memory centre despite an antisemitic graffiti attack this week.

    Seven years ago, the 52 eligible residents of Castrillo Matajudíos – Camp Kill Jews in English, voted in a referendum to change the village’s name back to Castrillo Mota de Judíos, which means Jews’ Hill Camp.

    Continue reading...", - "category": "Antisemitism", - "link": "https://www.theguardian.com/news/2021/dec/08/spanish-village-castrillo-mota-de-judios-that-dropped-kill-jews-name-targeted-by-antisemitic-graffiti", - "creator": "Sam Jones in Madrid", - "pubDate": "2021-12-08T13:31:47Z", + "title": "Australia live news update: NSW education minister says teacher strike ‘disingenuous’; Victoria pandemic bill becomes law", + "description": "

    Victoria pandemic bill becomes law; National party leaders say ‘we have to condemn’ Christensen’s appearance on Alex Jones show; NSW education minister says teacher strike ‘incredibly disingenuous’; Victorian ombudsman condemns border permit system; Victoria records 1,185 new Covid-19 cases and seven deaths; NSW records 260 cases and two deaths – follow all the day’s news.

    A suspected shark attack on Victoria’s Bellarine Peninsula has left two teens in hospital and shut a beach, reports Callum Godde from AAP.

    Emergency services were called to Ocean Grove, south east of Geelong, just after 7pm on Monday.

    Continue reading...", + "content": "

    Victoria pandemic bill becomes law; National party leaders say ‘we have to condemn’ Christensen’s appearance on Alex Jones show; NSW education minister says teacher strike ‘incredibly disingenuous’; Victorian ombudsman condemns border permit system; Victoria records 1,185 new Covid-19 cases and seven deaths; NSW records 260 cases and two deaths – follow all the day’s news.

    A suspected shark attack on Victoria’s Bellarine Peninsula has left two teens in hospital and shut a beach, reports Callum Godde from AAP.

    Emergency services were called to Ocean Grove, south east of Geelong, just after 7pm on Monday.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/07/australia-news-live-updates-covid-omicron-scott-morrison-nsw-strike-victoria-weather", + "creator": "Matilda Boseley", + "pubDate": "2021-12-07T00:28:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121056,16 +147493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "20eceb14bfe39062c1f1502fec482ccc" + "hash": "215dcfcf31370b0ddbf233228f2a1157" }, { - "title": "Sienna Miller says Sun used ‘illegal means’ to find out pregnancy", - "description": "

    Actor tells high court about her view of how details were discovered, which the publisher denies

    Sienna Miller believes details of her 2005 pregnancy were obtained by the then editor of the Sun, Rebekah Brooks, using “blatantly unlawful means”, a court has heard. Miller also believes phone hacking was practised by journalists at Rupert Murdoch’s daily tabloid newspaper.

    “I was told at the end of July 2005, by my friend and publicist, that Rebekah Brooks had found out that I was pregnant,” said Miller, in an excerpt from a draft statement read out by her lawyer at the high court.

    Continue reading...", - "content": "

    Actor tells high court about her view of how details were discovered, which the publisher denies

    Sienna Miller believes details of her 2005 pregnancy were obtained by the then editor of the Sun, Rebekah Brooks, using “blatantly unlawful means”, a court has heard. Miller also believes phone hacking was practised by journalists at Rupert Murdoch’s daily tabloid newspaper.

    “I was told at the end of July 2005, by my friend and publicist, that Rebekah Brooks had found out that I was pregnant,” said Miller, in an excerpt from a draft statement read out by her lawyer at the high court.

    Continue reading...", - "category": "Sienna Miller", - "link": "https://www.theguardian.com/film/2021/dec/08/sienna-miller-says-sun-used-means-to-find-out-pregnancy", - "creator": "Jim Waterson Media editor", - "pubDate": "2021-12-08T21:21:54Z", + "title": "How can children in the UK be protected from seeing online pornography?", + "description": "

    As concern grows among experts about the impact on children of seeing pornographic images, how can access be restricted?

    Why are children’s safety groups calling for age verification on porn sites?
    They fear it is too easy for children to access publicly available pornography online. Experts who work with children say pornography gives children unhealthy views of sex and consent, putting them at risk from predators and possibly stopping them reporting abuse.

    It can also lead to children behaving in risky or age-inappropriate ways, harming themselves and others. Charities say children tell them that pornography is difficult to avoid and can leave them feeling ashamed and distressed. One concern is the extreme nature of porn on mainstream sites, with one study showing that one in eight videos seen by first-time visitors showed violent or coercive content.

    Continue reading...", + "content": "

    As concern grows among experts about the impact on children of seeing pornographic images, how can access be restricted?

    Why are children’s safety groups calling for age verification on porn sites?
    They fear it is too easy for children to access publicly available pornography online. Experts who work with children say pornography gives children unhealthy views of sex and consent, putting them at risk from predators and possibly stopping them reporting abuse.

    It can also lead to children behaving in risky or age-inappropriate ways, harming themselves and others. Charities say children tell them that pornography is difficult to avoid and can leave them feeling ashamed and distressed. One concern is the extreme nature of porn on mainstream sites, with one study showing that one in eight videos seen by first-time visitors showed violent or coercive content.

    Continue reading...", + "category": "Internet safety", + "link": "https://www.theguardian.com/global-development/2021/dec/05/how-can-children-in-the-uk-be-protected-from-seeing-online-pornography", + "creator": "Dan Milmo and Harriet Grant", + "pubDate": "2021-12-05T16:00:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121076,16 +147513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "723f4b22d0e485cea5abd7108a4eb60a" + "hash": "a8fbf3a7f0c7d02650f294ef2e97c52e" }, { - "title": "‘It’s hypocrisy, pure and simple’: growing public anger over No 10 party", - "description": "

    A grieving daughter and a publican prosecuted for breaching rules are among those furious at apparent flouting of rules

    On 23 December last year, the day after Downing Street aides were recorded laughing about how they could pretend that a party at No 10 was a “cheese and wine” gathering, a large contingent of police officers arrived at the London Tavern pub in Hackney, east London. James Kearns, the owner, was hosting Christmas drinks for workers at a scaffolding company he also runs.

    “There were 15 of us,” he said on Wednesday. “About 20 of the police showed up, absolutely hammering on the doors. We all hid in the toilets, but they found us.” This week, the case went before a magistrate. “And we’ve all been fined £100 each.”

    Continue reading...", - "content": "

    A grieving daughter and a publican prosecuted for breaching rules are among those furious at apparent flouting of rules

    On 23 December last year, the day after Downing Street aides were recorded laughing about how they could pretend that a party at No 10 was a “cheese and wine” gathering, a large contingent of police officers arrived at the London Tavern pub in Hackney, east London. James Kearns, the owner, was hosting Christmas drinks for workers at a scaffolding company he also runs.

    “There were 15 of us,” he said on Wednesday. “About 20 of the police showed up, absolutely hammering on the doors. We all hid in the toilets, but they found us.” This week, the case went before a magistrate. “And we’ve all been fined £100 each.”

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/they-just-didnt-care-woman-who-lost-her-mum-on-day-of-no-10-party", - "creator": "Archie Bland", - "pubDate": "2021-12-08T12:07:15Z", + "title": "'Don't let one incident hold you back ,' says UK teenager after crocodile attack – video", + "description": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", + "content": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", + "category": "Zambia", + "link": "https://www.theguardian.com/world/video/2021/dec/06/dont-let-one-incident-hold-you-back-says-teenager-after-crocodile-attack-video", + "creator": "", + "pubDate": "2021-12-06T11:12:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121096,16 +147533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "64fc5e1594f6d2bfb709e78959051cef" + "hash": "be6bfffda0fa3e68bd1a2b505ccf4379" }, { - "title": "Anger as Jair Bolsonaro to allow unvaccinated visitors into Brazil", - "description": "

    There are fears the decision will reverse the gains made by a successful vaccination campaign

    The Brazilian government has been accused of seeking to turn the South American country into a haven for unvaccinated tourists after it shunned calls – including from its own health regulator – to demand proof of vaccination from visitors.

    The decision – announced on Tuesday by the health minister, Marcelo Queiroga – sparked anger in a nation that has lost more than 615,000 lives to a Covid outbreak the president, Jair Bolsonaro, stands accused of catastrophically mishandling.

    Continue reading...", - "content": "

    There are fears the decision will reverse the gains made by a successful vaccination campaign

    The Brazilian government has been accused of seeking to turn the South American country into a haven for unvaccinated tourists after it shunned calls – including from its own health regulator – to demand proof of vaccination from visitors.

    The decision – announced on Tuesday by the health minister, Marcelo Queiroga – sparked anger in a nation that has lost more than 615,000 lives to a Covid outbreak the president, Jair Bolsonaro, stands accused of catastrophically mishandling.

    Continue reading...", - "category": "Brazil", - "link": "https://www.theguardian.com/world/2021/dec/08/anger-as-jair-bolsonaro-to-allow-unvaccinated-visitors-into-brazil", - "creator": "Tom Phillips Latin America correspondent", - "pubDate": "2021-12-08T16:01:29Z", + "title": "Covid live: England’s health secretary says there is community transmission of Omicron across multiple regions", + "description": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "content": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", + "creator": "Rachel Hall (now); Damien Gayle ,Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-06T18:48:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121116,16 +147553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "062f384165c4a8cf73eea312e6e83ebc" + "hash": "da7914a91c73148d1bc027867c94694f" }, { - "title": "60s psych-rockers the Electric Prunes: ‘We couldn’t sit around stoned!’", - "description": "

    Discovered in an LA garage, the band rode a psychedelic wave into Easy Rider and a trippy Latin mass – even if they didn’t actually take acid. As a box set revives the music, their lead singer looks back

    “I guess I’m part of history,” says James Lowe, lead singer of the Electric Prunes, of the band’s oeuvre being gathered into a box set this month. “It suggests the idea we had for the band was viable – at least for a while.”

    Indeed, the Los Angeles quintet were, if only briefly, one of psychedelic rock’s pioneers. Ironically, as Lowe confirms, the Prunes weren’t particularly interested in hallucinogenic drugs – “we had no support crew, no tour bus; we couldn’t sit around stoned” – and no Prune possessed the dark charisma of fellow LA psychedelic shamans Arthur Lee or Jim Morrison. Initially a surf-rock outfit, a passing real-estate agent heard the band rehearsing in a garage and suggested a friend of hers might be interested in them. Lowe gave his phone number but thought nothing of it, because “everyone in LA knows ‘someone’ in the film or music industry”.

    Continue reading...", - "content": "

    Discovered in an LA garage, the band rode a psychedelic wave into Easy Rider and a trippy Latin mass – even if they didn’t actually take acid. As a box set revives the music, their lead singer looks back

    “I guess I’m part of history,” says James Lowe, lead singer of the Electric Prunes, of the band’s oeuvre being gathered into a box set this month. “It suggests the idea we had for the band was viable – at least for a while.”

    Indeed, the Los Angeles quintet were, if only briefly, one of psychedelic rock’s pioneers. Ironically, as Lowe confirms, the Prunes weren’t particularly interested in hallucinogenic drugs – “we had no support crew, no tour bus; we couldn’t sit around stoned” – and no Prune possessed the dark charisma of fellow LA psychedelic shamans Arthur Lee or Jim Morrison. Initially a surf-rock outfit, a passing real-estate agent heard the band rehearsing in a garage and suggested a friend of hers might be interested in them. Lowe gave his phone number but thought nothing of it, because “everyone in LA knows ‘someone’ in the film or music industry”.

    Continue reading...", - "category": "Psychedelia", - "link": "https://www.theguardian.com/music/2021/dec/08/60s-psych-rockers-the-electric-prunes-we-couldnt-sit-around-stoned", - "creator": "Garth Cartwright", - "pubDate": "2021-12-08T16:08:47Z", + "title": "Rohingya sue Facebook for £150bn over Myanmar genocide", + "description": "

    Victims in US and UK legal action accuse social media firm of failing to prevent incitement of violence

    Facebook’s negligence facilitated the genocide of Rohingya Muslims in Myanmar after the social media network’s algorithms amplified hate speech and the platform failed to take down inflammatory posts, according to legal action launched in the US and the UK.

    The platform faces compensation claims worth more than £150bn under the coordinated move on both sides of the Atlantic.

    Continue reading...", + "content": "

    Victims in US and UK legal action accuse social media firm of failing to prevent incitement of violence

    Facebook’s negligence facilitated the genocide of Rohingya Muslims in Myanmar after the social media network’s algorithms amplified hate speech and the platform failed to take down inflammatory posts, according to legal action launched in the US and the UK.

    The platform faces compensation claims worth more than £150bn under the coordinated move on both sides of the Atlantic.

    Continue reading...", + "category": "Facebook", + "link": "https://www.theguardian.com/technology/2021/dec/06/rohingya-sue-facebook-myanmar-genocide-us-uk-legal-action-social-media-violence", + "creator": "Dan Milmo Global technology correspondent", + "pubDate": "2021-12-06T17:03:55Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121136,36 +147573,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9f296b84dfd086bdb30fd5532febfc6" + "hash": "4b3a1f799f598f6ec5c7556b1dfb31b0" }, { - "title": "Cornish town with 1,440 residents seeks to become UK’s smallest city", - "description": "

    Marazion, opposite St Michael’s Mount, faces stiff opposition from larger areas in contest for city status

    It may not boast a cathedral, a university or a major sports team – the sort of features often associated with a typical British metropolis. But the town of Marazion (population 1,440), perched prettily on the south coast of Cornwall, has nevertheless launched a bold campaign for city status.

    Marazion, which does have a couple of churches, a primary school and rowing and sailing clubs, would become the smallest and most southerly city if its proposal is accepted.

    Continue reading...", - "content": "

    Marazion, opposite St Michael’s Mount, faces stiff opposition from larger areas in contest for city status

    It may not boast a cathedral, a university or a major sports team – the sort of features often associated with a typical British metropolis. But the town of Marazion (population 1,440), perched prettily on the south coast of Cornwall, has nevertheless launched a bold campaign for city status.

    Marazion, which does have a couple of churches, a primary school and rowing and sailing clubs, would become the smallest and most southerly city if its proposal is accepted.

    Continue reading...", - "category": "Cornwall", - "link": "https://www.theguardian.com/uk-news/2021/dec/08/marazion-cornish-town-with-1440-residents-seeks-to-become-the-uks-smallest-city", - "creator": "Steven Morris", - "pubDate": "2021-12-08T19:53:06Z", + "title": "Investigation launched into brawl at French far-right rally", + "description": "

    Dozens detained after protesters attacked at campaign rally for presidential candidate Éric Zemmour

    French prosecutors have opened an investigation into violence that erupted at the first major campaign rally held by the far-right French presidential candidate Éric Zemmour.

    Shortly after Zemmour began speaking on Sunday evening, some of his supporters attacked a group of protesters from the campaign group SOS-Racism who had entered the rear of the venue wearing T-shirts reading “No to Racism”.

    Continue reading...", + "content": "

    Dozens detained after protesters attacked at campaign rally for presidential candidate Éric Zemmour

    French prosecutors have opened an investigation into violence that erupted at the first major campaign rally held by the far-right French presidential candidate Éric Zemmour.

    Shortly after Zemmour began speaking on Sunday evening, some of his supporters attacked a group of protesters from the campaign group SOS-Racism who had entered the rear of the venue wearing T-shirts reading “No to Racism”.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/06/investigation-launched-into-brawl-at-french-far-right-rally-eric-zemmour", + "creator": "Kim Willsher in Paris", + "pubDate": "2021-12-06T15:16:20Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "1d171c0411c5db2b94b401273987e003" + "hash": "c1cfc96f8ab9540ce94d61d5d44c08c4" }, { - "title": "Rajan the last ocean-swimming elephant: Jody MacDonald’s best photograph", - "description": "

    ‘He had been used for logging on the Andaman Islands. When I found him, he was 60, living in retirement – and loving his swims’

    I lived at sea for 10 years. I co-owned and ran a global kiteboarding expedition business. We’d sail around the world on a 60-foot catamaran, following the trade winds, kiteboarding, surfing and paragliding in remote locations. One night, I watched a Hollywood movie called The Fall, which had a section where an elephant was swimming in tropical blue water. I didn’t know if it was real or a fake Hollywood thing. But I thought: “Man, if that does exist, I’d love to photograph it.”

    I searched the internet and found the elephant from the film was living in the Andaman Islands, an Indian territory in the Bay of Bengal. When we sailed into the capital, Port Blair, a few months later in 2010, I decided to hop off and try to find this elephant. I found Rajan on Havelock (now Swaraj) Island and spent two weeks with him, learning about his incredible story.

    Continue reading...", - "content": "

    ‘He had been used for logging on the Andaman Islands. When I found him, he was 60, living in retirement – and loving his swims’

    I lived at sea for 10 years. I co-owned and ran a global kiteboarding expedition business. We’d sail around the world on a 60-foot catamaran, following the trade winds, kiteboarding, surfing and paragliding in remote locations. One night, I watched a Hollywood movie called The Fall, which had a section where an elephant was swimming in tropical blue water. I didn’t know if it was real or a fake Hollywood thing. But I thought: “Man, if that does exist, I’d love to photograph it.”

    I searched the internet and found the elephant from the film was living in the Andaman Islands, an Indian territory in the Bay of Bengal. When we sailed into the capital, Port Blair, a few months later in 2010, I decided to hop off and try to find this elephant. I found Rajan on Havelock (now Swaraj) Island and spent two weeks with him, learning about his incredible story.

    Continue reading...", - "category": "Art and design", - "link": "https://www.theguardian.com/artanddesign/2021/dec/08/rajan-last-ocean-swimming-elephant-jody-macdonalds-best-photograph-andaman-retirement", - "creator": "Interview by Graeme Green", - "pubDate": "2021-12-08T15:27:46Z", + "title": "Spain’s former king seeks immunity over claim he used spy agency to threaten ex-lover", + "description": "

    Corinna zu Sayn-Wittgenstein claims Juan Carlos directed campaign of harassment after affair ended

    A former lover of the former king of Spain believes a book about the death of Diana, Princess of Wales was left in her home as part of a campaign of harassment directed by the monarch, the high court in London has been told.

    The former king Juan Carlos is seeking sovereign immunity at the court against claims he used Spain’s spy agency to harass a Danish businesswoman, Corinna zu Sayn-Wittgenstein.

    Continue reading...", + "content": "

    Corinna zu Sayn-Wittgenstein claims Juan Carlos directed campaign of harassment after affair ended

    A former lover of the former king of Spain believes a book about the death of Diana, Princess of Wales was left in her home as part of a campaign of harassment directed by the monarch, the high court in London has been told.

    The former king Juan Carlos is seeking sovereign immunity at the court against claims he used Spain’s spy agency to harass a Danish businesswoman, Corinna zu Sayn-Wittgenstein.

    Continue reading...", + "category": "Spain", + "link": "https://www.theguardian.com/world/2021/dec/06/diana-book-was-left-at-home-of-spanish-kings-ex-lover-uk-court-told", + "creator": "Matthew Weaver", + "pubDate": "2021-12-06T18:06:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121176,16 +147613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "85560a67457be52a3f20a6756dd2ebc5" + "hash": "8df9716c00304086faac1c6d510c0b25" }, { - "title": "Mispronounced words: how omicron, cheugy and Billie Eilish tripped us up in 2021", - "description": "

    The world is divided on how to say the name of the latest Covid-19 variant. But however you pronounce it, we can all agree: it’s not as annoying as someone asking for ‘expresso’

    Name: Omicron.

    Age: The new and potentially more virulent Covid-19 variant was first detected in South Africa at the end of November. Young, then.

    Continue reading...", - "content": "

    The world is divided on how to say the name of the latest Covid-19 variant. But however you pronounce it, we can all agree: it’s not as annoying as someone asking for ‘expresso’

    Name: Omicron.

    Age: The new and potentially more virulent Covid-19 variant was first detected in South Africa at the end of November. Young, then.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/08/mispronounced-words-how-omicron-cheugy-and-billie-eilish-tripped-us-up-in-2021", - "creator": "", - "pubDate": "2021-12-08T18:02:14Z", + "title": "Two Met police officers jailed over photos of murdered sisters", + "description": "

    Deniz Jaffer and Jamie Lewis sentenced to two years and nine months for taking and sharing photos of Nicole Smallman and Bibaa Henry

    Two Metropolitan police officers who “dehumanised” two black murder victims “for their own amusement” by taking and sharing photos from the scene where they lay murdered have each been jailed for two years and nine months.

    Deniz Jaffer, 47, and Jamie Lewis, 33, were ordered to guard the scene in a London park where two sisters, Nicole Smallman, 27, and Bibaa Henry, 46, were found stabbed to death in June 2020.

    Continue reading...", + "content": "

    Deniz Jaffer and Jamie Lewis sentenced to two years and nine months for taking and sharing photos of Nicole Smallman and Bibaa Henry

    Two Metropolitan police officers who “dehumanised” two black murder victims “for their own amusement” by taking and sharing photos from the scene where they lay murdered have each been jailed for two years and nine months.

    Deniz Jaffer, 47, and Jamie Lewis, 33, were ordered to guard the scene in a London park where two sisters, Nicole Smallman, 27, and Bibaa Henry, 46, were found stabbed to death in June 2020.

    Continue reading...", + "category": "Metropolitan police", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/two-met-police-officers-jailed-photos-murdered-sisters-deniz-jaffer-jamie-lewis-nicole-smallman-bibaa-henry", + "creator": "Vikram Dodd Police and crime correspondent", + "pubDate": "2021-12-06T17:21:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121196,16 +147633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b70f1d93b5ed9365442f73491c64937f" + "hash": "e0ea1a326f26ab49b62a32ab671bceec" }, { - "title": "Mobile phone apps make it almost impossible to get lost these days. And that isn’t good for us | Adrian Chiles", - "description": "

    In an era of mobile phones, we rarely lose our way - which means we miss out on the joy and relief of finding it again

    A travel company called Black Tomato, in return for a significant sum of money, will drop you in the middle of you know not where, and leave you there. The product is called Get Lost and is surely more evidence that we’ve, well, lost our way.

    Which isn’t to say that it’s a daft idea. As a matter of fact, it quite appeals to me. I’m used to feeling psychologically lost – that wouldn’t be much of a holiday – but I’m very rarely physically, geographically lost. And annoying, and even frightening, as it can be, I miss this sensation. I believe it is good for the soul. “Oh, that magic feeling, nowhere to go,” is a line in a Beatles song. How about: “Oh, that magic feeling, where the bloody hell am I?”

    Continue reading...", - "content": "

    In an era of mobile phones, we rarely lose our way - which means we miss out on the joy and relief of finding it again

    A travel company called Black Tomato, in return for a significant sum of money, will drop you in the middle of you know not where, and leave you there. The product is called Get Lost and is surely more evidence that we’ve, well, lost our way.

    Which isn’t to say that it’s a daft idea. As a matter of fact, it quite appeals to me. I’m used to feeling psychologically lost – that wouldn’t be much of a holiday – but I’m very rarely physically, geographically lost. And annoying, and even frightening, as it can be, I miss this sensation. I believe it is good for the soul. “Oh, that magic feeling, nowhere to go,” is a line in a Beatles song. How about: “Oh, that magic feeling, where the bloody hell am I?”

    Continue reading...", - "category": "Health & wellbeing", - "link": "https://www.theguardian.com/lifeandstyle/commentisfree/2021/dec/08/mobile-phone-apps-make-it-almost-impossible-to-get-lost-these-days-and-that-isnt-good-for-us", - "creator": "Adrian Chiles", - "pubDate": "2021-12-08T19:05:53Z", + "title": "Street name honour for unloved ‘castle lady’ dismays Belgian village", + "description": "

    People of Moorsele say Marie Cornillie preferred her dog to her tenants and would often urinate in the street

    Cities around the world have been inspired by the #MeToo movement to rename their streets after women, correcting an imbalance that had favoured great and not so great men of the past.

    In Brussels, Madrid and Geneva, such figures as the Belgian singer Annie Cordy, the Spanish civil war hero Dolores Ibárruri and the Jamaican writer Una Marson have belatedly received acknowledgment.

    Continue reading...", + "content": "

    People of Moorsele say Marie Cornillie preferred her dog to her tenants and would often urinate in the street

    Cities around the world have been inspired by the #MeToo movement to rename their streets after women, correcting an imbalance that had favoured great and not so great men of the past.

    In Brussels, Madrid and Geneva, such figures as the Belgian singer Annie Cordy, the Spanish civil war hero Dolores Ibárruri and the Jamaican writer Una Marson have belatedly received acknowledgment.

    Continue reading...", + "category": "Belgium", + "link": "https://www.theguardian.com/world/2021/dec/06/street-name-honour-for-unloved-castle-lady-dismays-belgian-village", + "creator": "Daniel Boffey in Brussels", + "pubDate": "2021-12-06T15:34:44Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121216,16 +147653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8338089453a1458a372153afb5545f7e" + "hash": "560ab32c85079e805971da5fac7e3fa5" }, { - "title": "Met police say they will not investigate Downing Street Christmas party", - "description": "

    Force cites policy of not investigating past alleged breaches of Covid rules and lack of evidence

    The Metropolitan police has said it will not investigate the Downing Street Christmas party widely reported to have been held last year.

    In a much awaited statement, the force said it had a policy of not retrospectively investigating alleged breaches of coronavirus laws.

    Continue reading...", - "content": "

    Force cites policy of not investigating past alleged breaches of Covid rules and lack of evidence

    The Metropolitan police has said it will not investigate the Downing Street Christmas party widely reported to have been held last year.

    In a much awaited statement, the force said it had a policy of not retrospectively investigating alleged breaches of coronavirus laws.

    Continue reading...", - "category": "Metropolitan police", - "link": "https://www.theguardian.com/uk-news/2021/dec/08/met-police-say-they-will-not-investigate-downing-street-christmas-party", - "creator": "Vikram Dodd Police and crime correspondent", - "pubDate": "2021-12-08T20:35:28Z", + "title": "The activist facing jail for rescuing a sick goat from a meat farm", + "description": "

    Wayne Hsiung’s trial on theft and trespass charges could set a legal precedent for the ‘right to rescue’ agricultural livestock

    On a rainy night in February, 2018, animal rights activist Wayne Hsiung sneaked into a small scale North Carolina farm and, depending on your perspective, either stole or rescued a baby goat. The maneuver was highly risky – on a live stream, Hsiung tells his audience what awaits: an electric fence, barking dogs and armed security guards, according to the farm’s website.

    Undeterred, Hsiung and his co-conspirators filled their pockets with dog treats and broke into the Sospiro farm, owned by farmer Curtis Burnside.

    Continue reading...", + "content": "

    Wayne Hsiung’s trial on theft and trespass charges could set a legal precedent for the ‘right to rescue’ agricultural livestock

    On a rainy night in February, 2018, animal rights activist Wayne Hsiung sneaked into a small scale North Carolina farm and, depending on your perspective, either stole or rescued a baby goat. The maneuver was highly risky – on a live stream, Hsiung tells his audience what awaits: an electric fence, barking dogs and armed security guards, according to the farm’s website.

    Undeterred, Hsiung and his co-conspirators filled their pockets with dog treats and broke into the Sospiro farm, owned by farmer Curtis Burnside.

    Continue reading...", + "category": "Animal welfare", + "link": "https://www.theguardian.com/world/2021/dec/06/wayne-hsiung-activist-goat-animal-welfare-trial", + "creator": "Adrienne Matei", + "pubDate": "2021-12-06T19:42:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121236,16 +147673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "64b37ba11ea0c4436bde7ee75d002c03" + "hash": "6bd0cbc6056fe8b01e6cb181b130d732" }, { - "title": "Covid live: UK reports 51,342 new infections; three Pfizer shots can ‘neutralise’ Omicron, lab tests show", - "description": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "content": "

    Latest figures come amid concern over spread of Omicron variant; Pfizer says third jab increased antibodies by factor of 25

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", - "creator": "Tom Ambrose (now); Sarah Marsh, Kevin Rawlinson, Martin Belam and Martin Farrer (earlier)", - "pubDate": "2021-12-08T22:32:19Z", + "title": "Rinse, don’t wring, and shade dry: how to keep swimwear in great condition", + "description": "

    Tempting as it may be to leave swimmers rolled up in a towel at the bottom of your beach bag, they’ll last far longer if you treat them better

    Any swimmer will tell you that once the weather warms up, their exercise routine becomes subject to disruptions from fair weather swimmers: people who haven’t learnt the politics of lap swimming. Things like not pushing off ahead of someone about to tumble turn; no board shorts in the fast lane; if someone is overtaking you it’s not an invitation to speed up; and only jerks do butterfly in a public pool.

    Now that summer is here, hopefully we’ll all find ourselves beside a pool or at the beach in the coming months, so we thought it was a good moment remember swimwear can benefit from good manners too. This week, we asked swimwear experts for advice on how to keep bathers in great shape.

    Continue reading...", + "content": "

    Tempting as it may be to leave swimmers rolled up in a towel at the bottom of your beach bag, they’ll last far longer if you treat them better

    Any swimmer will tell you that once the weather warms up, their exercise routine becomes subject to disruptions from fair weather swimmers: people who haven’t learnt the politics of lap swimming. Things like not pushing off ahead of someone about to tumble turn; no board shorts in the fast lane; if someone is overtaking you it’s not an invitation to speed up; and only jerks do butterfly in a public pool.

    Now that summer is here, hopefully we’ll all find ourselves beside a pool or at the beach in the coming months, so we thought it was a good moment remember swimwear can benefit from good manners too. This week, we asked swimwear experts for advice on how to keep bathers in great shape.

    Continue reading...", + "category": "Swimming", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/07/rinse-dont-wring-and-shade-dry-how-to-keep-swimwear-in-great-condition", + "creator": "Lucianne Tonti", + "pubDate": "2021-12-06T16:30:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121256,16 +147693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "59c0eab48d3f4945a3b328bf4197885b" + "hash": "b11ef8fb00ea731a8336379d1549950e" }, { - "title": "Camels enhanced with Botox barred from Saudi beauty contest", - "description": "

    Dozens of animals disqualified after owners manipulate their looks with hormones, fillers and facelifts

    Saudi authorities have carried out their biggest crackdown on camel beauty contestants, disqualifying more than 40 “enhanced” camels from the annual pageant, according to the state-run Saudi Press Agency.

    The camels disqualified in the competition, at the King Abdulaziz camel festival, were judged to have received Botox injections and other artificial touch-ups.

    Continue reading...", - "content": "

    Dozens of animals disqualified after owners manipulate their looks with hormones, fillers and facelifts

    Saudi authorities have carried out their biggest crackdown on camel beauty contestants, disqualifying more than 40 “enhanced” camels from the annual pageant, according to the state-run Saudi Press Agency.

    The camels disqualified in the competition, at the King Abdulaziz camel festival, were judged to have received Botox injections and other artificial touch-ups.

    Continue reading...", - "category": "Saudi Arabia", - "link": "https://www.theguardian.com/world/2021/dec/08/camels-enhanced-with-botox-barred-from-saudi-beauty-contest", - "creator": "AP in Dubai", - "pubDate": "2021-12-08T15:26:56Z", + "title": "Adam Peaty: ‘You have to be better than everyone else, there’s no sugar-coating it’", + "description": "

    The 26-year-old swimmer and father-of-one swept all before him at the Tokyo Olympics… but his exit from Strictly, he admits, was humbling

    World champion swimmer Adam Peaty, the unbeaten world record holder of the 50m and 100m breaststroke, is friendly and engaged, but he makes no bones about being hypercompetitive. He once said that he felt like a “god” in the pool. He says now, “You have to be better than everyone else, there’s no sugar-coating it.”

    A swimming phenomenon (think of him as a kind of national Aquaman), Peaty has had a stellar year, even by his standards: he won two golds and a silver in Team GB in the Tokyo Olympics; he also signed up for Strictly Come Dancing, where he was partnered with Katya Jones. After seven hip-swivelling weeks, he went out on a jive that placed him bottom of the Strictly leaderboard; his mother was so upset, she thought it was a fix. Was it humbling to learn a new discipline? Peaty gives a kind of groaning laugh: “It did humble me. I’m not used to getting last place, to be honest.”

    Continue reading...", + "content": "

    The 26-year-old swimmer and father-of-one swept all before him at the Tokyo Olympics… but his exit from Strictly, he admits, was humbling

    World champion swimmer Adam Peaty, the unbeaten world record holder of the 50m and 100m breaststroke, is friendly and engaged, but he makes no bones about being hypercompetitive. He once said that he felt like a “god” in the pool. He says now, “You have to be better than everyone else, there’s no sugar-coating it.”

    A swimming phenomenon (think of him as a kind of national Aquaman), Peaty has had a stellar year, even by his standards: he won two golds and a silver in Team GB in the Tokyo Olympics; he also signed up for Strictly Come Dancing, where he was partnered with Katya Jones. After seven hip-swivelling weeks, he went out on a jive that placed him bottom of the Strictly leaderboard; his mother was so upset, she thought it was a fix. Was it humbling to learn a new discipline? Peaty gives a kind of groaning laugh: “It did humble me. I’m not used to getting last place, to be honest.”

    Continue reading...", + "category": "Adam Peaty", + "link": "https://www.theguardian.com/sport/2021/dec/06/adam-peaty-swimmer-olympics-tokyo-interview-faces-of-year", + "creator": "Barbara Ellen", + "pubDate": "2021-12-06T13:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121276,16 +147713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "620c5f1f6277a35729c6c433ee4f34e6" + "hash": "019850a6668ba42c0c07fe874faeb810" }, { - "title": "Biden’s carbon-neutral order praised for ‘aligning government power with climate goals’ – live", - "description": "

    Joe Biden took a few questions from reporters this morning, as he left the White House to start his trip to Kansas City, Missouri.

    Asked about his summit yesterday with Vladimir Putin, Biden said, “I was very straightforward. There were no minced words.”

    Continue reading...", - "content": "

    Joe Biden took a few questions from reporters this morning, as he left the White House to start his trip to Kansas City, Missouri.

    Asked about his summit yesterday with Vladimir Putin, Biden said, “I was very straightforward. There were no minced words.”

    Continue reading...", - "category": "House of Representatives", - "link": "https://www.theguardian.com/us-news/live/2021/dec/08/house-passes-768bn-defense-bill-biden-us-politics-live", - "creator": "Joan E Greve", - "pubDate": "2021-12-08T22:09:26Z", + "title": "Ex-Tory minister seeks end to immigration fees for overseas veterans", + "description": "

    Johnny Mercer opposing government over high costs faced by soldiers from Commonwealth who want to settle in UK

    A former Conservative defence minister is trying to force ministers to waive hefty immigration fees faced by Commonwealth soldiers and their families who want to live in the UK at the end of their military service.

    Johnny Mercer – who was fired from the government last year – has the support of several senior Conservatives including Tobias Ellwood, chair of the defence committee, and former leader Iain Duncan Smith.

    Continue reading...", + "content": "

    Johnny Mercer opposing government over high costs faced by soldiers from Commonwealth who want to settle in UK

    A former Conservative defence minister is trying to force ministers to waive hefty immigration fees faced by Commonwealth soldiers and their families who want to live in the UK at the end of their military service.

    Johnny Mercer – who was fired from the government last year – has the support of several senior Conservatives including Tobias Ellwood, chair of the defence committee, and former leader Iain Duncan Smith.

    Continue reading...", + "category": "Commonwealth immigration", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/ex-tory-minister-seeks-end-to-immigration-fees-for-overseas-veterans", + "creator": "Dan Sabbagh Defence and security editor", + "pubDate": "2021-12-06T20:06:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121296,16 +147733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e54729488f48d3acbf7c8b7769e56b01" + "hash": "f2651f10ac0eb0a5db7f34b45aa30b89" }, { - "title": "Australia news live update: Qld, NT pass 80% vaccine milestone; Victoria records 1,232 Covid cases, nine deaths; 420 cases and one death in NSW", - "description": "

    Deputy prime minister returns positive Covid test in the US; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; Queensland and Northern Territory pass 80% fully vaccinated mark; $23.6bn takeover of Sydney Airport approved; woman dies in floodwaters in Brisbane. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "content": "

    Deputy prime minister returns positive Covid test in the US; Victoria records 1,232 new Covid-19 cases and nine deaths; NSW records 420 cases, one death; Queensland and Northern Territory pass 80% fully vaccinated mark; $23.6bn takeover of Sydney Airport approved; woman dies in floodwaters in Brisbane. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", - "creator": "Justine Landis-Hanley", - "pubDate": "2021-12-08T23:15:13Z", + "title": "From South Africa to freezing Birmingham. Welcome to my £2,285 quarantine world | Carla Stout", + "description": "

    I’m stuck in a hotel for 10 days, under a system that is disorganised and shockingly expensive

    I am writing this on day zero, having arrived at my government-designated quarantine hotel after 24 hours of travel. I need to isolate in my room for 10 days and 11 nights. It is, to put it mildly, a bit of a dump: a tired, chipped Formica table, sagging curtains, freezing cold. For this, I paid £2,285.

    So what is that like? Sitting in this room, I just want to burst into tears. My despair is exacerbated by the knowledge that my suitcase was filled with sleeveless summer clothes suitable for the South African summer, not Birmingham in the bleak midwinter. I phone reception, who tell me that they have only just put the heating on; I should be patient, they say. The room will be warm in 20 minutes. Half an hour later my teeth are still chattering so I phone again, demanding a heater. Another phone call and, half an hour later, a heater is produced. I am forced to perch it on the table because the power socket on the floor is broken.

    Carla Stout is a music teacher who lives near Staines

    Continue reading...", + "content": "

    I’m stuck in a hotel for 10 days, under a system that is disorganised and shockingly expensive

    I am writing this on day zero, having arrived at my government-designated quarantine hotel after 24 hours of travel. I need to isolate in my room for 10 days and 11 nights. It is, to put it mildly, a bit of a dump: a tired, chipped Formica table, sagging curtains, freezing cold. For this, I paid £2,285.

    So what is that like? Sitting in this room, I just want to burst into tears. My despair is exacerbated by the knowledge that my suitcase was filled with sleeveless summer clothes suitable for the South African summer, not Birmingham in the bleak midwinter. I phone reception, who tell me that they have only just put the heating on; I should be patient, they say. The room will be warm in 20 minutes. Half an hour later my teeth are still chattering so I phone again, demanding a heater. Another phone call and, half an hour later, a heater is produced. I am forced to perch it on the table because the power socket on the floor is broken.

    Carla Stout is a music teacher who lives near Staines

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/commentisfree/2021/dec/06/south-africa-birmingham-quarantine-hotel", + "creator": "Carla Stout", + "pubDate": "2021-12-06T17:00:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121316,16 +147753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "491ee18e053498153f45bee65ea0cf90" + "hash": "dd494c64f76cf5d5265625fd17e25da9" }, { - "title": "Massie’s gun collection: ‘They shouldn’t be in the hands of civilians’", - "description": "

    Analysis: furore continues over ‘Christmas card’ by US Congressman of group holding military weapons

    It is the Christmas card that has sent shockwaves across the world – and provided a chilling reminder of the size and type of weapons that are perfectly legal to own and carry in large parts of the US.

    An analysis by the Guardian indicates the guns in the photograph published by the Republican congressman Thomas Massie are military grade and – in some cases – similar to those used in recent notorious deadly incidents.

    Continue reading...", - "content": "

    Analysis: furore continues over ‘Christmas card’ by US Congressman of group holding military weapons

    It is the Christmas card that has sent shockwaves across the world – and provided a chilling reminder of the size and type of weapons that are perfectly legal to own and carry in large parts of the US.

    An analysis by the Guardian indicates the guns in the photograph published by the Republican congressman Thomas Massie are military grade and – in some cases – similar to those used in recent notorious deadly incidents.

    Continue reading...", - "category": "US gun control", - "link": "https://www.theguardian.com/us-news/2021/dec/06/massies-gun-collection-they-shouldnt-be-in-the-hands-of-civilians", - "creator": "Dan Sabbagh", - "pubDate": "2021-12-06T19:05:31Z", + "title": "US will stage diplomatic boycott of Beijing Winter Olympics, White House confirms – live", + "description": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", + "content": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/dec/06/congress-debt-ceiling-republicans-democrats-joe-biden-coronavirus-us-politics-latest", + "creator": "Joan E Greve in Washington", + "pubDate": "2021-12-06T18:40:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121336,16 +147773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9b3acab0cc65d3d72508e87c39553730" + "hash": "cd5bf88daa6f95e0203919340f0aa5a6" }, { - "title": "Indian defence chief among 13 killed in helicopter crash", - "description": "

    Gen Bipin Rawat, who was leading changes to his country’s military, died along with his wife and other senior officers

    The Indian defence chief, Gen Bipin Rawat, was among 13 people killed in a helicopter crash on Wednesday, raising questions over the future of military changes he was leading.

    Rawat was India’s first chief of defence staff, a position that the government established in 2019, and was seen as close to the prime minister, Narendra Modi.

    Continue reading...", - "content": "

    Gen Bipin Rawat, who was leading changes to his country’s military, died along with his wife and other senior officers

    The Indian defence chief, Gen Bipin Rawat, was among 13 people killed in a helicopter crash on Wednesday, raising questions over the future of military changes he was leading.

    Rawat was India’s first chief of defence staff, a position that the government established in 2019, and was seen as close to the prime minister, Narendra Modi.

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/dec/08/indian-defence-chief-bipin-rawat-among-13-killed-in-helicopter-crash", - "creator": "Agence France-Presse in Coonoor", - "pubDate": "2021-12-08T17:31:03Z", + "title": "Australia news live updates: teachers, train and bus drivers go on strike in NSW", + "description": "

    Teachers say the government has failed to address unsustainable workloads, uncompetitive salaries and staff shortages, while transport workers walk off over a dispute over pay and conditions. Follow all the day’s developments

    Now, as you might remember, the talk of the town is that the former NSW premier, Gladys Berejiklian, could run for the federal seat of Warringah.

    But Chris Bowen says he doesn’t think she could win against the popular incumbent MP Zali Steggall.

    I mean, I think if the Liberal Party wants to choose Gladys Berejiklian, that’s a matter for them. I mean, it was an important principle for Gladys Berejiklian, apparently to resign as premier because she was being investigated by the ICAC. But apparently, it’s not [for federal politics].

    I think it would show the lack of regard for standards in public life by Scott Morrison. I mean, this is a prime minister who turns a blind eye to poor behaviour and now he is actively providing a character reference for somebody who is under investigation by the ICAC and actively promoting them...

    We said we will seek to legislate that target as well as our commitment to net zero by 2050 because that is best practice internationally and provides businesses with the certainty they crave.

    Continue reading...", + "content": "

    Teachers say the government has failed to address unsustainable workloads, uncompetitive salaries and staff shortages, while transport workers walk off over a dispute over pay and conditions. Follow all the day’s developments

    Now, as you might remember, the talk of the town is that the former NSW premier, Gladys Berejiklian, could run for the federal seat of Warringah.

    But Chris Bowen says he doesn’t think she could win against the popular incumbent MP Zali Steggall.

    I mean, I think if the Liberal Party wants to choose Gladys Berejiklian, that’s a matter for them. I mean, it was an important principle for Gladys Berejiklian, apparently to resign as premier because she was being investigated by the ICAC. But apparently, it’s not [for federal politics].

    I think it would show the lack of regard for standards in public life by Scott Morrison. I mean, this is a prime minister who turns a blind eye to poor behaviour and now he is actively providing a character reference for somebody who is under investigation by the ICAC and actively promoting them...

    We said we will seek to legislate that target as well as our commitment to net zero by 2050 because that is best practice internationally and provides businesses with the certainty they crave.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/07/australia-news-live-updates-covid-omicron-scott-morrison-nsw-strike-victoria-weather", + "creator": "Matilda Boseley", + "pubDate": "2021-12-06T20:55:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121356,16 +147793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "92a64a9b04ca5e539171f57bda128e8b" + "hash": "189d117b708c4f65a1c026535ca81abe" }, { - "title": "Three Pfizer jabs likely to protect against Omicron infection, tests suggest", - "description": "

    Initial findings indicate stark reduction in protection against new variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", - "content": "

    Initial findings indicate stark reduction in protection against new variant from two vaccine doses

    Three doses of the Pfizer/BioNTech vaccine are likely to protect against infection with the Omicron variant but two doses may not, according to laboratory data that will increase pressure to speed up booster programmes.

    Tests using antibodies in blood samples have given some of the first insights into how far Omicron escapes immunity, showing a stark drop-off in the predicted protection against infection or any type of disease for people who have had two doses. The findings suggest that, for Omicron, Pfizer/BioNTech should now be viewed as a “three-dose vaccine”.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/omicron-can-partially-evade-covid-vaccine-protection-study-finds", - "creator": "Hannah Devlin Science correspondent", - "pubDate": "2021-12-08T18:48:25Z", + "title": "Party drug users are fuelling serious crime, says Sajid Javid", + "description": "

    Health secretary says cocaine trade causes ‘suffering, violence and exploitation at every stage’

    Sajid Javid has said recreational drug users are fuelling an international criminal enterprise, as the government announced a £780m strategy to rebuild the drug treatment system.

    The health secretary accused casual users of cocaine of being “the final link in a chain that has suffering, violence and exploitation at every stage”.

    Continue reading...", + "content": "

    Health secretary says cocaine trade causes ‘suffering, violence and exploitation at every stage’

    Sajid Javid has said recreational drug users are fuelling an international criminal enterprise, as the government announced a £780m strategy to rebuild the drug treatment system.

    The health secretary accused casual users of cocaine of being “the final link in a chain that has suffering, violence and exploitation at every stage”.

    Continue reading...", + "category": "Drugs policy", + "link": "https://www.theguardian.com/politics/2021/dec/06/party-drug-users-are-fuelling-serious-says-sajid-javid", + "creator": "Rajeev Syal and Rowena Mason", + "pubDate": "2021-12-06T18:52:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121376,16 +147813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d787767c5670d888f35ac62859c46281" + "hash": "bf9ce53596236fb7cb3c9fc0d3c13732" }, { - "title": "‘The Wizard of Oz of entertainment’: the incredible career of Robert Stigwood", - "description": "

    He managed the Bee Gees and created Saturday Night Fever but the closeted impressario ‘never felt that sense of success’ according to a new documentary

    According to film director John Maggio, two types of executives run the entertainment industry – one far rarer than the other. “The vast majority of them don’t know what’s good, or what will be a hit, until ten other people tell them,” he said. “But a few can tell you right away. They’re the visionaries.”

    For an extended time, one of the most clairvoyant was Robert Stigwood. Yet no one had made a feature documentary about him until now. Mr Saturday Night lays out the rocket-like trajectory of this manager turned producer turned impresario who scored hits in the worlds of music, theater, concerts and film. Stigwood’s projects ranged from managing the Bee Gees to running a record label featuring artists like Eric Clapton to producing two of the biggest movies of all time – Saturday Night Fever and Grease, as well as the successful movie version of the Who’s Tommy – to bankrolling smash plays like Jesus Christ Superstar and Evita. “For a time, he was the Wizard of Oz of entertainment,” said Maggio, who directed the film, to the Guardian. “Between 1970 and 1978, he could not not make a hit.”

    Continue reading...", - "content": "

    He managed the Bee Gees and created Saturday Night Fever but the closeted impressario ‘never felt that sense of success’ according to a new documentary

    According to film director John Maggio, two types of executives run the entertainment industry – one far rarer than the other. “The vast majority of them don’t know what’s good, or what will be a hit, until ten other people tell them,” he said. “But a few can tell you right away. They’re the visionaries.”

    For an extended time, one of the most clairvoyant was Robert Stigwood. Yet no one had made a feature documentary about him until now. Mr Saturday Night lays out the rocket-like trajectory of this manager turned producer turned impresario who scored hits in the worlds of music, theater, concerts and film. Stigwood’s projects ranged from managing the Bee Gees to running a record label featuring artists like Eric Clapton to producing two of the biggest movies of all time – Saturday Night Fever and Grease, as well as the successful movie version of the Who’s Tommy – to bankrolling smash plays like Jesus Christ Superstar and Evita. “For a time, he was the Wizard of Oz of entertainment,” said Maggio, who directed the film, to the Guardian. “Between 1970 and 1978, he could not not make a hit.”

    Continue reading...", - "category": "Documentary", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/08/robert-stigwood-documentary-saturday-night-fever", - "creator": "Jim Farber", - "pubDate": "2021-12-08T16:22:43Z", + "title": "‘I used every chord on the Casio’ – How we made Manchild by Neneh Cherry", + "description": "

    ‘The first verse came to me as I was going up the stairs of a double-decker bus with a hangover’

    Neneh Cherry, singer and songwriter
    I was seeing Cameron McVey [producer and now husband] and one day he suddenly asked me: “Why are you not writing songs? You could totally write songs!” I’d been in Rip Rig + Panic, whose songwriter Gareth Sager had such an inventive way of writing about everyday stuff. Manchild was one of the first things I came up with.

    The first verse came to me as I was going up the stairs of a doubledecker bus. “Is it the pain of the drinking / Or the Sunday sinking feeling?” I think I had a hangover. When I got home, I started to work out the music on a little Casio keyboard using the “auto chord” setting. I didn’t know what I was doing. When my dad [late jazz trumpeter Don Cherry] heard it, he went: “Wow, that’s kinda jazz. You’ve got seven chords in the verse!”

    Continue reading...", + "content": "

    ‘The first verse came to me as I was going up the stairs of a double-decker bus with a hangover’

    Neneh Cherry, singer and songwriter
    I was seeing Cameron McVey [producer and now husband] and one day he suddenly asked me: “Why are you not writing songs? You could totally write songs!” I’d been in Rip Rig + Panic, whose songwriter Gareth Sager had such an inventive way of writing about everyday stuff. Manchild was one of the first things I came up with.

    The first verse came to me as I was going up the stairs of a doubledecker bus. “Is it the pain of the drinking / Or the Sunday sinking feeling?” I think I had a hangover. When I got home, I started to work out the music on a little Casio keyboard using the “auto chord” setting. I didn’t know what I was doing. When my dad [late jazz trumpeter Don Cherry] heard it, he went: “Wow, that’s kinda jazz. You’ve got seven chords in the verse!”

    Continue reading...", + "category": "Neneh Cherry", + "link": "https://www.theguardian.com/culture/2021/dec/06/i-used-every-chord-on-the-casio-how-we-made-manchild-by-neneh-cherry", + "creator": "Interviews by Dave Simpson", + "pubDate": "2021-12-06T14:17:42Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121396,16 +147833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a601d88373e98d1cbbd7a04866d51569" + "hash": "a8901f1447c3eec4db1cb5603c61a13b" }, { - "title": "Macron takes on far-right presidential rival in visit to Vichy", - "description": "

    President warns about ‘manipulation’ of history after Éric Zemmour claims Vichy regime protected French Jews from Nazis

    Emmanuel Macron has warned against the “manipulation” of history in a clear message to the far-right presidential candidate, Éric Zemmour, on a symbolic visit to Vichy.

    After the German occupation in 1940, the spa town was chosen for Marshal Philippe Pétain’s puppet regime, which collaborated with the Nazis and ensured the deportation of Jews to death camps. Zemmour has angered historians by claiming, instead, that Pétain saved French Jews.

    Continue reading...", - "content": "

    President warns about ‘manipulation’ of history after Éric Zemmour claims Vichy regime protected French Jews from Nazis

    Emmanuel Macron has warned against the “manipulation” of history in a clear message to the far-right presidential candidate, Éric Zemmour, on a symbolic visit to Vichy.

    After the German occupation in 1940, the spa town was chosen for Marshal Philippe Pétain’s puppet regime, which collaborated with the Nazis and ensured the deportation of Jews to death camps. Zemmour has angered historians by claiming, instead, that Pétain saved French Jews.

    Continue reading...", - "category": "Emmanuel Macron", - "link": "https://www.theguardian.com/world/2021/dec/08/macron-takes-on-far-right-presidential-rival-in-visit-to-vichy", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-12-08T19:41:54Z", + "title": "West Side Story banned in parts of Middle East over trans character – report", + "description": "

    Steven Spielberg’s Oscar-tipped remake will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE

    Steven Spielberg’s remake of West Side Story will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE.

    The big-budget musical, tipped for Oscars, has reportedly been banned because of a transgender character Anybodys, played by Iris Menas, known for Jagged Little Pill. According to the Hollywood Reporter, the film wasn’t granted a certificate in either Saudi Arabia or Kuwait and in the remaining countries, requests for cuts were made that Disney refused to make.

    Continue reading...", + "content": "

    Steven Spielberg’s Oscar-tipped remake will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE

    Steven Spielberg’s remake of West Side Story will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE.

    The big-budget musical, tipped for Oscars, has reportedly been banned because of a transgender character Anybodys, played by Iris Menas, known for Jagged Little Pill. According to the Hollywood Reporter, the film wasn’t granted a certificate in either Saudi Arabia or Kuwait and in the remaining countries, requests for cuts were made that Disney refused to make.

    Continue reading...", + "category": "West Side Story (2021)", + "link": "https://www.theguardian.com/film/2021/dec/06/west-side-story-banned-middle-east", + "creator": "Benjamin Lee", + "pubDate": "2021-12-06T18:47:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121416,16 +147853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "496f783a271812add59981075db5ca2c" + "hash": "baacf073796f2f2a98de6754e09522c3" }, { - "title": "Australia news live update: Barnaby Joyce tests positive for Covid; increase in NSW cases linked to more parties; Omicron could become dominant variant", - "description": "

    Deputy prime minister returns positive Covid test in the US; Queensland and Northern Territory pass 80% fully vaccinated mark; woman dies in floodwaters in Brisbane; a trivia night at a Sydney pub is the source of a new Covid cluster after 44 people were diagnosed with the virus. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "content": "

    Deputy prime minister returns positive Covid test in the US; Queensland and Northern Territory pass 80% fully vaccinated mark; woman dies in floodwaters in Brisbane; a trivia night at a Sydney pub is the source of a new Covid cluster after 44 people were diagnosed with the virus. Follow live

    A high profile doctor has announced she will be standing against treasurer Josh Frydenberg in the Melbourne seat of Kooyong, saying she “can’t stand” the government’s inaction on climate change.

    Prof Monique Ryan, the director of neurology at the Royal Children’s Hospital Melbourne, launched her independent campaign on Thursday.

    As a woman, a mother, and a doctor whose job it is to protect our children, I can’t stand it anymore. I can’t stand by, on the sidelines, while our local member votes with Barnaby Joyce against action on climate change.

    Every day I go to work and make difficult decisions to help Australian children. Is it too much to ask our government to do the same?

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/09/australia-news-live-update-increase-in-nsw-covid-cases-linked-to-more-parties-omicron-could-become-dominant-strain-pfizer-children-scott-morrison-gladys-berejiklian-moderna-vaccine", - "creator": "Justine Landis-Hanley", - "pubDate": "2021-12-08T22:14:57Z", + "title": "Porch piracy: why a wave of doorstep parcel thefts is sweeping the UK", + "description": "

    Deliveries are being snatched minutes after they arrive – with Citizens Advice reporting more than 22,000 visits to its lost and stolen parcels webpage last month

    Name: Porch piracy.

    Age: the phrase porch pirate dates right back to the early 2010s, debuting in Urban Dictionary in 2011.

    Continue reading...", + "content": "

    Deliveries are being snatched minutes after they arrive – with Citizens Advice reporting more than 22,000 visits to its lost and stolen parcels webpage last month

    Name: Porch piracy.

    Age: the phrase porch pirate dates right back to the early 2010s, debuting in Urban Dictionary in 2011.

    Continue reading...", + "category": "Crime", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/porch-piracy-wave-of-doorstep-parcel-thefts-sweeping-uk", + "creator": "", + "pubDate": "2021-12-06T16:01:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121436,16 +147873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "98ab255fab1240474ec629e8d8c386ef" + "hash": "7cd947a474d4112d8fad3a2da27ec8a2" }, { - "title": "Olaf Scholz elected to succeed Angela Merkel as German chancellor", - "description": "

    Former Hamburg mayor secures 395 of 736 delegates’ ballots in parliamentary vote

    Olaf Scholz will succeed Angela Merkel as Germany’s new chancellor after securing a majority of 395 of 736 delegates’ ballots in a parliamentary vote on Wednesday morning.

    Scholz will oversee a liberal-left “traffic light” coalition government between his Social Democratic party (SPD), the Greens and the liberal Free Democratic party (FDP), the first power-sharing agreement of such a kind in Germany, and the first governing alliance with three parties since 1957.

    Continue reading...", - "content": "

    Former Hamburg mayor secures 395 of 736 delegates’ ballots in parliamentary vote

    Olaf Scholz will succeed Angela Merkel as Germany’s new chancellor after securing a majority of 395 of 736 delegates’ ballots in a parliamentary vote on Wednesday morning.

    Scholz will oversee a liberal-left “traffic light” coalition government between his Social Democratic party (SPD), the Greens and the liberal Free Democratic party (FDP), the first power-sharing agreement of such a kind in Germany, and the first governing alliance with three parties since 1957.

    Continue reading...", - "category": "Olaf Scholz", - "link": "https://www.theguardian.com/world/2021/dec/08/olaf-scholz-elected-succeed-angela-merkel-german-chancellor", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-12-08T09:58:37Z", + "title": "Storm Barra: multiple warnings issued for Ireland and UK", + "description": "

    Race to restore power to homes hit by Storm Arwen before latest bad weather on Tuesday and Wednesday

    There are warnings of dangerous coastal waves, atrocious driving conditions, travel delays, flooding and potential damage to buildings for when Storm Barra sweeps across Ireland and the UK.

    Engineers were engaged in a race against time to restore power to about 1,600 homes in north-east England still cut off after the havoc wreaked by Storm Arwen 10 days ago.

    Continue reading...", + "content": "

    Race to restore power to homes hit by Storm Arwen before latest bad weather on Tuesday and Wednesday

    There are warnings of dangerous coastal waves, atrocious driving conditions, travel delays, flooding and potential damage to buildings for when Storm Barra sweeps across Ireland and the UK.

    Engineers were engaged in a race against time to restore power to about 1,600 homes in north-east England still cut off after the havoc wreaked by Storm Arwen 10 days ago.

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/storm-barra-multiple-warnings-issued-for-ireland-and-uk", + "creator": "Mark Brown North of England correspondent", + "pubDate": "2021-12-06T17:33:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121456,16 +147893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b49995aaf0aab24766e0eb5e178c216" + "hash": "6a8db88dda5342a834246a791b1322ef" }, { - "title": "China accuses Australia of ‘political posturing’ over diplomatic boycott of Beijing Winter Olympics", - "description": "

    Scott Morrison says athletes will compete in next year’s Games because sport and politics should not mix

    The prime minister, Scott Morrison, has confirmed Australian officials will not attend the Beijing Winter Olympics, joining the United States in a diplomatic boycott of next year’s Games and prompting accusations from Beijing of political posturing.

    Morrison told reporters in Sydney it was “not surprising”, given the deterioration in the diplomatic relationship between Australia and China, that officials would not attend next year’s winter Games.

    Continue reading...", - "content": "

    Scott Morrison says athletes will compete in next year’s Games because sport and politics should not mix

    The prime minister, Scott Morrison, has confirmed Australian officials will not attend the Beijing Winter Olympics, joining the United States in a diplomatic boycott of next year’s Games and prompting accusations from Beijing of political posturing.

    Morrison told reporters in Sydney it was “not surprising”, given the deterioration in the diplomatic relationship between Australia and China, that officials would not attend next year’s winter Games.

    Continue reading...", - "category": "Australian politics", - "link": "https://www.theguardian.com/australia-news/2021/dec/08/australia-joins-beijing-winter-olympics-diplomatic-boycott-over-chinas-human-rights-abuses", - "creator": "Katharine Murphy and Helen Davidson", - "pubDate": "2021-12-08T04:32:12Z", + "title": "Trump’s new media company deal investigated by SEC", + "description": "

    Top financial regulators are investigating $1.25bn deal to float his new social media venture on the stock market

    Wall Street’s top financial regulators are investigating Donald Trump’s $1.25bn deal to float his new social media venture on the stock market, a filing showed on Monday.

    Digital World Acquisition Corporation, the blank-check acquisition firm that agreed to merge with Trump Media & Technology Group Corp (TMTG), disclosed in a regulatory filing on Monday that the Securities and Exchange Commission (SEC) and the Financial Industry Regulatory Authority (Finra) were looking at the deal.

    Continue reading...", + "content": "

    Top financial regulators are investigating $1.25bn deal to float his new social media venture on the stock market

    Wall Street’s top financial regulators are investigating Donald Trump’s $1.25bn deal to float his new social media venture on the stock market, a filing showed on Monday.

    Digital World Acquisition Corporation, the blank-check acquisition firm that agreed to merge with Trump Media & Technology Group Corp (TMTG), disclosed in a regulatory filing on Monday that the Securities and Exchange Commission (SEC) and the Financial Industry Regulatory Authority (Finra) were looking at the deal.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/06/trump-social-media-company", + "creator": "Reuters in New York", + "pubDate": "2021-12-06T19:26:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121476,16 +147913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d2032d4294522536175d92725add602c" + "hash": "98644de2159a3f5c3cd571b4803df349" }, { - "title": "Covid live: over-40s in England now eligible for booster after three months; South Korea surge sparks alarm", - "description": "

    Millions of over-40s in England can book a top-up jab from today; South Korea PM Kim Boo-kyum says hospital capacity under strain as cases rise

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "content": "

    Millions of over-40s in England can book a top-up jab from today; South Korea PM Kim Boo-kyum says hospital capacity under strain as cases rise

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", - "creator": "Martin Belam (now) and Martin Farrer (earlier)", - "pubDate": "2021-12-08T10:30:31Z", + "title": "Australians pass on $120bn a year in inheritances and gifts, report finds", + "description": "

    Productivity Commission projects fourfold rise in total value of inheritances to 2050, driven by housing and unspent super

    Booming housing wealth, unspent superannuation and lower fertility are increasing the size of Australians’ inheritances, according to the Productivity Commission.

    Despite helping the rich get richer, inheritances are nevertheless shrinking relative inequality by giving a bigger boost to poorer households’ wealth, the government thinktank found in a report released on Tuesday.

    Continue reading...", + "content": "

    Productivity Commission projects fourfold rise in total value of inheritances to 2050, driven by housing and unspent super

    Booming housing wealth, unspent superannuation and lower fertility are increasing the size of Australians’ inheritances, according to the Productivity Commission.

    Despite helping the rich get richer, inheritances are nevertheless shrinking relative inequality by giving a bigger boost to poorer households’ wealth, the government thinktank found in a report released on Tuesday.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/07/australians-pass-on-120bn-a-year-in-inheritances-and-gifts-report-finds", + "creator": "Paul Karp", + "pubDate": "2021-12-06T16:30:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121496,16 +147933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e401975815eb6bba2e0636ac20f3e86" + "hash": "d0976a5e2de147b91ec2a84abfd8522a" }, { - "title": "England skittled for just 147 by Australia in dramatic start to Ashes series", - "description": "

    It was a first day in the job that seemed written in the southern stars for Pat Cummins, Australia’s newly-crowned Test captain claiming a five-wicket haul, watching his opposite number trudge off after a nine-ball duck and England’s batsmen left in a state of general bewilderment.

    From the opening delivery of this pandemic-era Ashes, when Rory Burns displayed the footwork of an early Strictly evictee and Mitchell Starc speared the brand new Kookaburra ball into his leg stump, everything turned to Australian gold; for England, three for 11 in the blink of an eye and then all out for 147 in 50.1 overs, this represented the latest chapter in the great book of Gabba woes.

    Continue reading...", - "content": "

    It was a first day in the job that seemed written in the southern stars for Pat Cummins, Australia’s newly-crowned Test captain claiming a five-wicket haul, watching his opposite number trudge off after a nine-ball duck and England’s batsmen left in a state of general bewilderment.

    From the opening delivery of this pandemic-era Ashes, when Rory Burns displayed the footwork of an early Strictly evictee and Mitchell Starc speared the brand new Kookaburra ball into his leg stump, everything turned to Australian gold; for England, three for 11 in the blink of an eye and then all out for 147 in 50.1 overs, this represented the latest chapter in the great book of Gabba woes.

    Continue reading...", - "category": "Ashes 2021-22", - "link": "https://www.theguardian.com/sport/2021/dec/08/england-australia-ashes-report-day-one-first-test-rory-burns-first-ball-mitchell-starc", - "creator": "Ali Martin", - "pubDate": "2021-12-08T07:25:12Z", + "title": "Prosecutor announces Michigan shooter's parents to be charged with manslaughter – video", + "description": "

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school. 'Gun ownership is a right but with that right comes great responsibility,' Karen McDonald said at a press conference on Friday morning.

    The parents were summoned to the school a few hours before the shooting occurred after a teacher found a drawing of a gun, a person bleeding and the words 'help me', McDonald revealed

    Continue reading...", + "content": "

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school. 'Gun ownership is a right but with that right comes great responsibility,' Karen McDonald said at a press conference on Friday morning.

    The parents were summoned to the school a few hours before the shooting occurred after a teacher found a drawing of a gun, a person bleeding and the words 'help me', McDonald revealed

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/video/2021/dec/03/prosecutor-announces-michigan-shooters-parents-to-be-charged-with-manslaughter-video", + "creator": "", + "pubDate": "2021-12-03T19:56:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121516,16 +147953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d940af27ff1cef80d15a30f684141c80" + "hash": "1f6d64b997e9305286e285e0ad0d7dd7" }, { - "title": "PM accused of lying after No 10 officials caught joking about Christmas party", - "description": "

    Exchange between Ed Oldfield and Allegra Stratton took place last December days after alleged party took place

    Boris Johnson is facing accusations of lying after senior No 10 officials were filmed joking about a lockdown Christmas party that Downing Street insists did not take place.

    Johnson and his aides have repeatedly denied that the event, reportedly held for staff at No 10 in December last year, broke Covid rules or took place at all.

    Continue reading...", - "content": "

    Exchange between Ed Oldfield and Allegra Stratton took place last December days after alleged party took place

    Boris Johnson is facing accusations of lying after senior No 10 officials were filmed joking about a lockdown Christmas party that Downing Street insists did not take place.

    Johnson and his aides have repeatedly denied that the event, reportedly held for staff at No 10 in December last year, broke Covid rules or took place at all.

    Continue reading...", - "category": "Conservatives", - "link": "https://www.theguardian.com/politics/2021/dec/07/leaked-video-shows-no-10-officials-joking-about-holding-christmas-party", - "creator": "Peter Walker, Aubrey Allegretti and Jamie Grierson", - "pubDate": "2021-12-07T20:59:18Z", + "title": "Film-maker Prano Bailey-Bond: ‘People think horror is just exploding heads’", + "description": "

    The British director’s debut film, Censor, has won awards and plaudits, and attracted new fans to the genre. The key to good horror, she says, is character

    This time last year, writer-director Prano Bailey-Bond was finishing work on her feature Censor and looking forward to 2021. Her unnerving film about horror – rather than a horror film per se – had been invited to the Sundance film festival. But then Covid restrictions stopped her attending. “Normally,” she says, “you’d get to go to the premiere of your debut feature. I slept through mine because it was on in the middle of the night on the other side of the world.”

    Since then, however, she has been able to bask in the film’s glory. Released in the UK in August, Censor has earned her serious plaudits, including the Screen FrightFest genre rising star award and being included in Variety magazine’s list of directors to watch. When we spoke last week, Bailey-Bond was a few days away from attending tonight’s Bifas (British independent film awards), where Censor has nominations in nine categories including debut director and debut screenwriter.

    Continue reading...", + "content": "

    The British director’s debut film, Censor, has won awards and plaudits, and attracted new fans to the genre. The key to good horror, she says, is character

    This time last year, writer-director Prano Bailey-Bond was finishing work on her feature Censor and looking forward to 2021. Her unnerving film about horror – rather than a horror film per se – had been invited to the Sundance film festival. But then Covid restrictions stopped her attending. “Normally,” she says, “you’d get to go to the premiere of your debut feature. I slept through mine because it was on in the middle of the night on the other side of the world.”

    Since then, however, she has been able to bask in the film’s glory. Released in the UK in August, Censor has earned her serious plaudits, including the Screen FrightFest genre rising star award and being included in Variety magazine’s list of directors to watch. When we spoke last week, Bailey-Bond was a few days away from attending tonight’s Bifas (British independent film awards), where Censor has nominations in nine categories including debut director and debut screenwriter.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/06/prano-bailey-bond-director-censor-horror-interview-faces-of-year", + "creator": "Jonathan Romney", + "pubDate": "2021-12-06T16:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121536,16 +147973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "86c09c1745694e51a26dd49f9622e6a8" + "hash": "a1fc74cb77ae015a7eb376b17881b270" }, { - "title": "Australia’s fertility rate falls to record low in 2020", - "description": "

    Registered births fell by 3.7% in 2020, with the total fertility rate at an all-time low of 1.58 babies per woman

    Australia’s fertility rate continues to plummet, with registered births dropping below 300,000 for the first time in 14 years.

    Figures released by the Australian Bureau of Statistics on Wednesday showed there were 294,369 registered births in 2020, a decrease of 3.7% from 2019. The previous year’s decline was 3%.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Registered births fell by 3.7% in 2020, with the total fertility rate at an all-time low of 1.58 babies per woman

    Australia’s fertility rate continues to plummet, with registered births dropping below 300,000 for the first time in 14 years.

    Figures released by the Australian Bureau of Statistics on Wednesday showed there were 294,369 registered births in 2020, a decrease of 3.7% from 2019. The previous year’s decline was 3%.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/dec/08/australias-fertility-rate-falls-to-record-low-in-2020", - "creator": "Peter Hannam Economics correspondent", - "pubDate": "2021-12-08T04:52:31Z", + "title": "Euro banknotes to get first big redesign with 19-nation consultation", + "description": "

    New theme being sought to replace current ‘ages and styles’ motif, says European Central Bank

    Euro banknotes are facing a redesign for the first time since their launch two decades ago, with a plan to make the currency “more relatable to Europeans of all ages and backgrounds”.

    The European Central Bank (ECB) said it was starting a process to select new designs for banknotes, in consultation with citizens from across the 19 nations that use them, before a final decision is taken by 2024.

    Continue reading...", + "content": "

    New theme being sought to replace current ‘ages and styles’ motif, says European Central Bank

    Euro banknotes are facing a redesign for the first time since their launch two decades ago, with a plan to make the currency “more relatable to Europeans of all ages and backgrounds”.

    The European Central Bank (ECB) said it was starting a process to select new designs for banknotes, in consultation with citizens from across the 19 nations that use them, before a final decision is taken by 2024.

    Continue reading...", + "category": "Euro", + "link": "https://www.theguardian.com/business/2021/dec/06/euro-banknotes-first-big-redesign-19-nation-central-bank", + "creator": "Richard Partington Economics correspondent", + "pubDate": "2021-12-06T18:53:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121556,16 +147993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "df07e66455b5d354254126b0d3ae9ce3" + "hash": "2a11b99c0a0034661958ce8ee7c4cb5f" }, { - "title": "Journalists in China face ‘nightmare’ worthy of Mao era, press freedom group says", - "description": "

    Reporters Without Borders calls increasing media oppression in China a ‘great leap backwards’ and says Hong Kong journalism is ‘in freefall’

    Xi Jinping has created a “nightmare” of media oppression worthy of the Mao era, and Hong Kong’s journalism is in “freefall”, according to Reporters Without Borders (RSF).

    In a major report released on Wednesday, the journalism advocacy group detailed the worsening treatment of journalists and tightening of control over information in China, adding to an environment in which “freely accessing information has become a crime and to provide information an even greater crime”.

    Continue reading...", - "content": "

    Reporters Without Borders calls increasing media oppression in China a ‘great leap backwards’ and says Hong Kong journalism is ‘in freefall’

    Xi Jinping has created a “nightmare” of media oppression worthy of the Mao era, and Hong Kong’s journalism is in “freefall”, according to Reporters Without Borders (RSF).

    In a major report released on Wednesday, the journalism advocacy group detailed the worsening treatment of journalists and tightening of control over information in China, adding to an environment in which “freely accessing information has become a crime and to provide information an even greater crime”.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/08/journalists-in-china-face-nightmare-worthy-of-mao-era-press-freedom-group-says", - "creator": "Helen Davidson", - "pubDate": "2021-12-08T06:48:43Z", + "title": "Epstein’s dark legend wraps Maxwell trial in web of conspiracy theories", + "description": "

    Analysis: The task of Ghislaine Maxwell’s defense may be to tangle her so deeply in Epstein’s shadow that they cannot find her guilty

    The graphic testimony presented to jurors in Ghislaine Maxwell’s criminal sex abuse trial last week seemed at times to mesh and then detach from broader theories – criminal, conspiratorial or both – about the nature of Jeffrey Epstein’s world.

    Whether prosecutors and defense attorneys are successful in separating criminal conspiracy from the conspiracy theories that run through the entire Epstein-Maxwell narrative may determine how the criminal complaint against the 59-year-old former British socialite is ultimately resolved.

    Continue reading...", + "content": "

    Analysis: The task of Ghislaine Maxwell’s defense may be to tangle her so deeply in Epstein’s shadow that they cannot find her guilty

    The graphic testimony presented to jurors in Ghislaine Maxwell’s criminal sex abuse trial last week seemed at times to mesh and then detach from broader theories – criminal, conspiratorial or both – about the nature of Jeffrey Epstein’s world.

    Whether prosecutors and defense attorneys are successful in separating criminal conspiracy from the conspiracy theories that run through the entire Epstein-Maxwell narrative may determine how the criminal complaint against the 59-year-old former British socialite is ultimately resolved.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/05/jeffrey-epstein-dark-legend-ghislaine-maxwell", + "creator": "Edward Helmore", + "pubDate": "2021-12-05T06:41:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121576,16 +148013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "776b8661e8a89269bb1da68861ab6989" + "hash": "d5f456a4ae0d2d1d35c88239091f255a" }, { - "title": "‘Dream come true’: Japanese billionaire blasts off for ISS", - "description": "

    Yusaku Maezawa fulfils childhood ambition with 12-day trip to International Space Station

    A Japanese billionaire has fulfilled his childhood dream of travelling to space, as one of two passengers onboard a Russian rocket that blasted off towards the International Space Station.

    Yusaku Maezawa, the founder of Zozo, a successful online fashion business, and his production assistant, Yozo Hirano, on Wednesday became the first space tourists to travel to the ISS for more than a decade.

    Continue reading...", - "content": "

    Yusaku Maezawa fulfils childhood ambition with 12-day trip to International Space Station

    A Japanese billionaire has fulfilled his childhood dream of travelling to space, as one of two passengers onboard a Russian rocket that blasted off towards the International Space Station.

    Yusaku Maezawa, the founder of Zozo, a successful online fashion business, and his production assistant, Yozo Hirano, on Wednesday became the first space tourists to travel to the ISS for more than a decade.

    Continue reading...", - "category": "International Space Station", - "link": "https://www.theguardian.com/science/2021/dec/08/dream-come-true-japanese-billionaire-blasts-off-for-iss", - "creator": "Justin McCurry in Tokyo and agencies", - "pubDate": "2021-12-08T09:14:00Z", + "title": "Covid news live: New York City to mandate vaccines for private sector workers; Poland to tighten restrictions", + "description": "

    Private employers in New York City will have to mandate Covid vaccinations for their workers; new pandemic restrictions set for Poland

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "content": "

    Private employers in New York City will have to mandate Covid vaccinations for their workers; new pandemic restrictions set for Poland

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", + "creator": "Damien Gayle (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-06T14:40:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121596,16 +148033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2d55f96e47c558721c3e7b0d825048d6" + "hash": "88480a045d1c81cd10e8298c2913f380" }, { - "title": "Kellogg to replace 1,400 strikers as deal is rejected", - "description": "

    Strike, which began in October, expected to continue as workers seek significant raises, saying they work 80-hour weeks

    Kellogg has said it is permanently replacing 1,400 workers who have been on strike since October, a decision that comes as the majority of its cereal plant workforce rejected a deal that would have provided 3% raises.

    The Bakery, Confectionary, Tobacco Workers and Grain Millers (BCTGM) International Union said an overwhelming majority of workers had voted down the five-year offer.

    Continue reading...", - "content": "

    Strike, which began in October, expected to continue as workers seek significant raises, saying they work 80-hour weeks

    Kellogg has said it is permanently replacing 1,400 workers who have been on strike since October, a decision that comes as the majority of its cereal plant workforce rejected a deal that would have provided 3% raises.

    The Bakery, Confectionary, Tobacco Workers and Grain Millers (BCTGM) International Union said an overwhelming majority of workers had voted down the five-year offer.

    Continue reading...", - "category": "US unions", - "link": "https://www.theguardian.com/us-news/2021/dec/07/kellogg-strike-workers-pay", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-08T02:59:29Z", + "title": "Peng Shuai: International Tennis Federation does not want to ‘punish 1.4bn people’ with a China boycott", + "description": "
    • Calls to pull tournaments over tennis star’s treatment
    • ITF president says governing body will not follow WTA’s stance

    The International Tennis Federation has said it will not cancel any tournaments in China over concerns for Peng Shuai, because it does not want to “punish 1.4 billion people”.

    The ITF – the world governing body for the sport – had been facing calls to join the Women’s Tennis Association in suspending all tournaments in China over the government’s refusal to provide assurances of Shuai’s wellbeing.

    Continue reading...", + "content": "
    • Calls to pull tournaments over tennis star’s treatment
    • ITF president says governing body will not follow WTA’s stance

    The International Tennis Federation has said it will not cancel any tournaments in China over concerns for Peng Shuai, because it does not want to “punish 1.4 billion people”.

    The ITF – the world governing body for the sport – had been facing calls to join the Women’s Tennis Association in suspending all tournaments in China over the government’s refusal to provide assurances of Shuai’s wellbeing.

    Continue reading...", + "category": "Peng Shuai", + "link": "https://www.theguardian.com/sport/2021/dec/06/peng-shuai-international-tennis-federation-does-not-want-to-punish-14bn-people-with-a-china-boycott", + "creator": "Helen Davidson", + "pubDate": "2021-12-06T07:25:44Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121616,16 +148053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "19c851acef6038c69ffd36fdb35ed16e" + "hash": "1f3e9ea36914e32fbe91ebc6fef994be" }, { - "title": "Whoops and grunts: ‘bizarre’ fish songs raise hopes for coral reef recovery", - "description": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", - "content": "

    Vibrant soundscape shows Indonesian reef devastated by blast fishing is returning to health

    From whoops to purrs, snaps to grunts, and foghorns to laughs, a cacophony of bizarre fish songs have shown that a coral reef in Indonesia has returned rapidly to health.

    Many of the noises had never been recorded before and the fish making these calls remain mysterious, despite the use of underwater speakers to try to “talk” to some.

    Continue reading...", - "category": "Coral", - "link": "https://www.theguardian.com/environment/2021/dec/08/whoops-and-grunts-bizarre-fish-songs-raise-hopes-for-coral-reef-recovery", - "creator": "Damian Carrington Environment editor", - "pubDate": "2021-12-08T05:00:32Z", + "title": "Exclusive: oil companies’ profits soared to $174bn this year as US gas prices rose", + "description": "

    Exxon, Chevron, Shell and BP among group of 24 who resisted calls to increase production but doled out shareholder dividends

    The largest oil and gas companies made a combined $174bn in profits in the first nine months of the year as gasoline prices climbed in the US, according to a new report.

    The bumper profit totals, provided exclusively to the Guardian, show that in the third quarter of 2021 alone, 24 top oil and gas companies made more than $74bn in net income. From January to September, the net income of the group, which includes Exxon, Chevron, Shell and BP, was $174bn.

    Continue reading...", + "content": "

    Exxon, Chevron, Shell and BP among group of 24 who resisted calls to increase production but doled out shareholder dividends

    The largest oil and gas companies made a combined $174bn in profits in the first nine months of the year as gasoline prices climbed in the US, according to a new report.

    The bumper profit totals, provided exclusively to the Guardian, show that in the third quarter of 2021 alone, 24 top oil and gas companies made more than $74bn in net income. From January to September, the net income of the group, which includes Exxon, Chevron, Shell and BP, was $174bn.

    Continue reading...", + "category": "Oil and gas companies", + "link": "https://www.theguardian.com/business/2021/dec/06/oil-companies-profits-exxon-chevron-shell-exclusive", + "creator": "Oliver Milman", + "pubDate": "2021-12-06T10:00:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121636,16 +148073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ddf8c6826a65716c6b6d9202a8e5ad2b" + "hash": "072c6bf76c0210799683283eac9fd9b0" }, { - "title": "Omicron Covid cases ‘doubling every two to three days’ in UK, says scientist", - "description": "

    Prof Neil Ferguson says coronavirus variant likely to be dominant strain in the UK before Christmas

    The spread of the Omicron variant of coronavirus appears to be doubling every two to three days, Prof Neil Ferguson has said, adding that it could be necessary to impose new lockdowns as a result.

    Ferguson, a member of the UK government’s Scientific Advisory Group for Emergencies (Sage) and head of the disease outbreak modelling group at Imperial College London, told BBC Radio 4’s Today programme on Wednesday that Omicron was likely to be the dominant strain in the UK before Christmas.

    Continue reading...", - "content": "

    Prof Neil Ferguson says coronavirus variant likely to be dominant strain in the UK before Christmas

    The spread of the Omicron variant of coronavirus appears to be doubling every two to three days, Prof Neil Ferguson has said, adding that it could be necessary to impose new lockdowns as a result.

    Ferguson, a member of the UK government’s Scientific Advisory Group for Emergencies (Sage) and head of the disease outbreak modelling group at Imperial College London, told BBC Radio 4’s Today programme on Wednesday that Omicron was likely to be the dominant strain in the UK before Christmas.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/omicron-covid-cases-doubling-every-two-to-three-days-in-uk-says-scientist", - "creator": "Archie Bland", - "pubDate": "2021-12-08T09:01:20Z", + "title": "UK teenager who was mauled by crocodile feared losing foot", + "description": "

    Amelie Osborn-Smith says she feels ‘very lucky’ in first interview after incident while rafting in Zambia

    A British teenager who was mauled by a crocodile in southern Africa feared she would need to have her foot amputated, and said she felt “very lucky” during an interview from her hospital bed.

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and a dislocated hip after the attack in the Zambezi River in Zambia while she was taking a break during a white water rafting expedition.

    Continue reading...", + "content": "

    Amelie Osborn-Smith says she feels ‘very lucky’ in first interview after incident while rafting in Zambia

    A British teenager who was mauled by a crocodile in southern Africa feared she would need to have her foot amputated, and said she felt “very lucky” during an interview from her hospital bed.

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and a dislocated hip after the attack in the Zambezi River in Zambia while she was taking a break during a white water rafting expedition.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/uk-teenager-attacked-by-crocodile-feared-loosing-foot-amelie-osborn-smith-zambia", + "creator": "Sarah Marsh", + "pubDate": "2021-12-06T11:04:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121656,16 +148093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd3e6d187c199835e5a71b24402ba419" + "hash": "49646f7682871614bb9c21eca212922d" }, { - "title": "Queensland declares ‘world first’ Omicron Covid genetic variation but experts say it is not a new variant", - "description": "

    Sub-lineage described as Omicron ‘like’ was identified in an overseas arrival to the state from South Africa

    Queensland has declared a “world-first” sub-lineage of Omicron but experts say it’s not a new variant or a new strain and more information is needed.

    The new Omicron Covid sub-lineage, known as Omicron “like”, was identified in an overseas arrival to Queensland from South Africa.

    Continue reading...", - "content": "

    Sub-lineage described as Omicron ‘like’ was identified in an overseas arrival to the state from South Africa

    Queensland has declared a “world-first” sub-lineage of Omicron but experts say it’s not a new variant or a new strain and more information is needed.

    The new Omicron Covid sub-lineage, known as Omicron “like”, was identified in an overseas arrival to Queensland from South Africa.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/08/queensland-declares-world-first-omicron-covid-genetic-variation-but-experts-say-it-is-not-a-new-variant", - "creator": "Cait Kelly", - "pubDate": "2021-12-08T05:16:12Z", + "title": "Joe Biden restores tradition with return to Kennedy Center Honors", + "description": "

    President given standing ovations at performing arts awards snubbed by Donald Trump

    “Tonight it is quite nice, very nice to see the presidential box once again being occupied,” David Letterman said to knowing applause. “And the same with the Oval Office.”

    The comedian was introducing the 44th Kennedy Center Honors, where Joe Biden restored tradition merely with his presence after four years in which the annual gala was snubbed by then president Donald Trump and upended by the coronavirus pandemic.

    Continue reading...", + "content": "

    President given standing ovations at performing arts awards snubbed by Donald Trump

    “Tonight it is quite nice, very nice to see the presidential box once again being occupied,” David Letterman said to knowing applause. “And the same with the Oval Office.”

    The comedian was introducing the 44th Kennedy Center Honors, where Joe Biden restored tradition merely with his presence after four years in which the annual gala was snubbed by then president Donald Trump and upended by the coronavirus pandemic.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/2021/dec/06/joe-biden-restores-tradition-with-return-to-kennedy-center-honors", + "creator": "David Smith in Washington", + "pubDate": "2021-12-06T08:53:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121676,16 +148113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "73be5603bcc69053d57940911c524af5" + "hash": "f9759af4815eb71d9eee5f3327ab740d" }, { - "title": "Tennis Australia denies seeking loopholes for unvaccinated players as Novak Djokovic included in draw", - "description": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated as Djokovic, who has not revealed his vaccination status, is included in tournament draw

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, as it included Novak Djokovic in the draw for the January grand slam.

    Djokovic’s inclusion in the tournament draw, which was released on Wednesday afternoon, followed intense speculation about the world No 1’s ability to enter the country.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated as Djokovic, who has not revealed his vaccination status, is included in tournament draw

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, as it included Novak Djokovic in the draw for the January grand slam.

    Djokovic’s inclusion in the tournament draw, which was released on Wednesday afternoon, followed intense speculation about the world No 1’s ability to enter the country.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Tennis", - "link": "https://www.theguardian.com/sport/2021/dec/08/tennis-australia-denies-seeking-loopholes-for-unvaccinated-players-amid-novak-djokovic-row", - "creator": "Elias Visontay", - "pubDate": "2021-12-08T06:41:48Z", + "title": "Omicron brings fresh concern for US mental heath after ‘grim two years’", + "description": "

    Many Americans’ mental health has suffered during the pandemic, and anxiety and depression persists

    Sarah Isaacs, a therapist in Raleigh, North Carolina, sees mostly clients between the ages of 22 and 30, many of whom missed out on the usual dating and networking because of the Covid pandemic.

    “They literally haven’t been able to do anything for two years,” said Isaacs, who specializes in working with people with eating disorders and people who identify as LGBTQ+.

    Continue reading...", + "content": "

    Many Americans’ mental health has suffered during the pandemic, and anxiety and depression persists

    Sarah Isaacs, a therapist in Raleigh, North Carolina, sees mostly clients between the ages of 22 and 30, many of whom missed out on the usual dating and networking because of the Covid pandemic.

    “They literally haven’t been able to do anything for two years,” said Isaacs, who specializes in working with people with eating disorders and people who identify as LGBTQ+.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/06/omicron-mental-health-america-covid-pandemic", + "creator": "Eric Berger", + "pubDate": "2021-12-06T07:00:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121696,16 +148133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8492f334c2e36180749bc22e67893989" + "hash": "3b8b24845058ffb7b7cb161a322443af" }, { - "title": "‘She was very complicated. She was a conundrum’: who was the real Lucille Ball?", - "description": "

    Aaron Sorkin’s Oscar-tipped drama shows behind the scenes of the much-loved sitcom I Love Lucy. Here those who knew her look back on her unusual career

    She was very complicated, she was very loving and she was very mercurial. She was very generous but she came from the Depression and she was very guarded about money. She was a conundrum. She was a paradox of things. But she made me feel like I was the only person in the room, even in a crowd, and she made me feel authentic.

    Lee Tannen, author and playwright, is in full flow as he reminisces about his intense decade-long friendship with Lucille Ball, once the funniest and most famous woman in America. Her 1950s sitcom, I Love Lucy, pulled in 60m viewers and became part of the country’s cultural DNA.

    Continue reading...", - "content": "

    Aaron Sorkin’s Oscar-tipped drama shows behind the scenes of the much-loved sitcom I Love Lucy. Here those who knew her look back on her unusual career

    She was very complicated, she was very loving and she was very mercurial. She was very generous but she came from the Depression and she was very guarded about money. She was a conundrum. She was a paradox of things. But she made me feel like I was the only person in the room, even in a crowd, and she made me feel authentic.

    Lee Tannen, author and playwright, is in full flow as he reminisces about his intense decade-long friendship with Lucille Ball, once the funniest and most famous woman in America. Her 1950s sitcom, I Love Lucy, pulled in 60m viewers and became part of the country’s cultural DNA.

    Continue reading...", - "category": "US television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/07/she-was-very-complicated-she-was-a-conundrum-who-was-the-real-lucille-ball", - "creator": "David Smith in Washington", - "pubDate": "2021-12-08T07:15:35Z", + "title": "Omicron wasn't part of our festive plan, but here's how we can stay safe this Christmas | Susan Michie", + "description": "

    From ventilation to lateral flow testing, let’s try to minimise the risk of catching Covid


    For months in the UK we have had 30,000-50,000 new Covid cases of the Delta variant a day and about 1,000 dying from the disease every week, and NHS leaders are saying the hospital and ambulance services are at breaking point. Now, to make matters worse, the Omicron variant has arrived. This new variant will probably evade immunity to some extent, but we don’t know by how much. It may be more transmissible, but we are not sure. And we don’t know whether or not it will cause more severe disease.

    Faced with this uncertainty and contradictory messages, what are we to do? After the disappointment of last Christmas, many of us are desperate for socialising, parties and fun. We are also desperate to avoid lockdowns. So should we be making that one stitch now to save nine later; taking steps now to try to save Christmas? Steps such as wearing masks in all indoor public spaces, working from home where we can, only going shopping and travelling where necessary and engaging in only our top priority social events?

    Susan Michie is director of the UCL Centre for Behaviour Change

    Continue reading...", + "content": "

    From ventilation to lateral flow testing, let’s try to minimise the risk of catching Covid


    For months in the UK we have had 30,000-50,000 new Covid cases of the Delta variant a day and about 1,000 dying from the disease every week, and NHS leaders are saying the hospital and ambulance services are at breaking point. Now, to make matters worse, the Omicron variant has arrived. This new variant will probably evade immunity to some extent, but we don’t know by how much. It may be more transmissible, but we are not sure. And we don’t know whether or not it will cause more severe disease.

    Faced with this uncertainty and contradictory messages, what are we to do? After the disappointment of last Christmas, many of us are desperate for socialising, parties and fun. We are also desperate to avoid lockdowns. So should we be making that one stitch now to save nine later; taking steps now to try to save Christmas? Steps such as wearing masks in all indoor public spaces, working from home where we can, only going shopping and travelling where necessary and engaging in only our top priority social events?

    Susan Michie is director of the UCL Centre for Behaviour Change

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/commentisfree/2021/dec/06/christmas-party-celebrations-omicron", + "creator": "Susan Michie", + "pubDate": "2021-12-06T12:50:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121716,16 +148153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba9cb15e1e23d14dde99b27e7fa498a5" + "hash": "a500dbd9e9d39e6fe41b26e3dbe77e66" }, { - "title": "Steven Spielberg on making West Side Story with Stephen Sondheim: ‘I called him SS1!’", - "description": "

    The legendary director used to get scolded by his parents for singing its songs at the dinner table. As his version hits the big screen, he talks about his own dancefloor prowess – and the ‘obscure movie club’ he formed with Sondheim

    It’s a winter afternoon and you’re about to begin a video call with Steven Spielberg. The perfect opportunity, then, to make a quick brew in your Gremlins mug (Spielberg produced that devilish 1984 horror-comedy) then brandish it in front of the webcam for the director’s benefit. “Oh, I love that, thank you,” he says, chuckling softly. Then he wags a cautionary finger: “Don’t drink it after midnight!”

    The most famous and widely cherished film-maker in history is all twinkling eyes and gee-whiz charm today. He is about to turn 75 but first there is the release of his muscular new take on West Side Story, which marks his third collaboration with the playwright Tony Kushner, who also scripted Munich and Lincoln. Spielberg is at pains to point out that this not a remake of the Oscar-laden movie but a reimagining of the original stage musical. “I never would have dared go near it had it only been a film,” he says. “But, because it’s constantly being performed across the globe, I didn’t feel I was claim-jumping on my friend Robert Wise’s 1961 movie.”

    Continue reading...", - "content": "

    The legendary director used to get scolded by his parents for singing its songs at the dinner table. As his version hits the big screen, he talks about his own dancefloor prowess – and the ‘obscure movie club’ he formed with Sondheim

    It’s a winter afternoon and you’re about to begin a video call with Steven Spielberg. The perfect opportunity, then, to make a quick brew in your Gremlins mug (Spielberg produced that devilish 1984 horror-comedy) then brandish it in front of the webcam for the director’s benefit. “Oh, I love that, thank you,” he says, chuckling softly. Then he wags a cautionary finger: “Don’t drink it after midnight!”

    The most famous and widely cherished film-maker in history is all twinkling eyes and gee-whiz charm today. He is about to turn 75 but first there is the release of his muscular new take on West Side Story, which marks his third collaboration with the playwright Tony Kushner, who also scripted Munich and Lincoln. Spielberg is at pains to point out that this not a remake of the Oscar-laden movie but a reimagining of the original stage musical. “I never would have dared go near it had it only been a film,” he says. “But, because it’s constantly being performed across the globe, I didn’t feel I was claim-jumping on my friend Robert Wise’s 1961 movie.”

    Continue reading...", - "category": "Steven Spielberg", - "link": "https://www.theguardian.com/film/2021/dec/08/steven-spielberg-west-side-story-stephen-sondheim-ss1-legendary-director", - "creator": "Ryan Gilbey", - "pubDate": "2021-12-08T06:00:34Z", + "title": "‘We are in limbo’: banned Belarus theatre troupe forced into exile", + "description": "

    Members of Belarus Free Theatre say authorities ‘are more scared of artists than of political statements’

    For 16 years, the Belarus Free Theatre has advocated for freedom of expression, equality and democracy through underground performances from ad hoc locations to audiences hungry for an alternative voice to the country’s repressive dictator, Alexander Lukashenko.

    Now the banned company has taken the momentous decision to relocate outside Belarus, saying the risk of reprisals against its members is too great for it to continue its cultural resistance under the Lukashenko regime.

    Continue reading...", + "content": "

    Members of Belarus Free Theatre say authorities ‘are more scared of artists than of political statements’

    For 16 years, the Belarus Free Theatre has advocated for freedom of expression, equality and democracy through underground performances from ad hoc locations to audiences hungry for an alternative voice to the country’s repressive dictator, Alexander Lukashenko.

    Now the banned company has taken the momentous decision to relocate outside Belarus, saying the risk of reprisals against its members is too great for it to continue its cultural resistance under the Lukashenko regime.

    Continue reading...", + "category": "Belarus", + "link": "https://www.theguardian.com/world/2021/dec/06/belarus-free-theatre-in-exile-stronger-than-regime", + "creator": "Harriet Sherwood and Andrew Roth in Moscow", + "pubDate": "2021-12-06T05:00:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121736,16 +148173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "92abeca98c172a34f46e34a1bf9b65d3" + "hash": "368c7cc507eab90d1d81cb03929c01ef" }, { - "title": "James Bond: acclaimed writers explain how they would reinvent 007", - "description": "

    Producer Barbara Broccoli has not yet decided how Bond will return in the next film – but here are some ideas

    • Warning: article contains spoilers

    There are few commercial principles more reliable than this: there will always be another James Bond movie.

    It isn’t always easy to see how he’ll get to where he’s going next – and the franchise’s producer, Barbara Broccoli, isn’t sure either.

    Continue reading...", - "content": "

    Producer Barbara Broccoli has not yet decided how Bond will return in the next film – but here are some ideas

    • Warning: article contains spoilers

    There are few commercial principles more reliable than this: there will always be another James Bond movie.

    It isn’t always easy to see how he’ll get to where he’s going next – and the franchise’s producer, Barbara Broccoli, isn’t sure either.

    Continue reading...", - "category": "James Bond", - "link": "https://www.theguardian.com/film/2021/dec/08/james-bond-acclaimed-writers-explain-how-they-would-reinvent-007", - "creator": "Archie Bland", - "pubDate": "2021-12-08T07:00:35Z", + "title": "Chris Noth on feuds, family and Mr Big: ‘I never saw him as an alpha male’", + "description": "

    The Sex and the City star is back for the reboot, And Just Like That … He talks about bereavement, rebellion, the fun of acting – and the absence of Kim Cattrall

    “I’m not supposed to talk for this long. I told my publicist beforehand: ‘I need to keep this short so I don’t give quotes I’ll regret,’” chuckles Chris Noth.

    Too late for that. Ahead of our interview, I had expected Noth – best known as Mr Big from Sex and the City – to be a reluctant interviewee, because that’s how he came across in past articles, especially when he was talking about the TV show that turned him from a jobbing actor into, well, Mr Big. But those were from back in the day, when he bridled at his sudden celebrity. Noth had been in hit TV shows before, most famously when he played Detective Mike Logan for five years on Law & Order. But nothing could have prepared him for Sex and the City.

    Continue reading...", + "content": "

    The Sex and the City star is back for the reboot, And Just Like That … He talks about bereavement, rebellion, the fun of acting – and the absence of Kim Cattrall

    “I’m not supposed to talk for this long. I told my publicist beforehand: ‘I need to keep this short so I don’t give quotes I’ll regret,’” chuckles Chris Noth.

    Too late for that. Ahead of our interview, I had expected Noth – best known as Mr Big from Sex and the City – to be a reluctant interviewee, because that’s how he came across in past articles, especially when he was talking about the TV show that turned him from a jobbing actor into, well, Mr Big. But those were from back in the day, when he bridled at his sudden celebrity. Noth had been in hit TV shows before, most famously when he played Detective Mike Logan for five years on Law & Order. But nothing could have prepared him for Sex and the City.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/06/chris-noth-on-feuds-family-and-mr-big-i-never-saw-him-as-an-alpha-male", + "creator": "Hadley Freeman", + "pubDate": "2021-12-06T06:00:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121756,16 +148193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2a1e5d4423def39251193328f4d6a1fe" + "hash": "081c5d9edbbf540202849f9dcbc6e998" }, { - "title": "The inner lives of cats: what our feline friends really think about hugs, happiness and humans", - "description": "

    They do what they want, all the time – and can teach us a lot about how to live in the present, be content and learn from our experience

    I wanted to know the exact amount of time I spend ruminating on the inner lives of my cats, so I did what most people do in times of doubt, and consulted Google. According to my search history, in the two years since I became a cat owner I have Googled variations of “cat love me – how do I tell?” and “is my cat happy 17 times. I have also inadvertently subscribed to cat-related updates from the knowledge website Quora, which emails me a daily digest. (Sample: Can Cats Be Angry or Disappointed With Their Owner?)

    How do I love my cats? Let me count the ways. The clean snap of three-year-old Larry’s jaw as he contemplates me with detached curiosity is my favourite sound in the world. I love the tenor and cadence of my six-month-old kitten Kedi’s miaows as he follows me around the house. (High-pitched indignant squeaks means he wants food; lower-pitched chirrups suggest he would like to play.) I love the weight of Larry on my feet at night and the scratchy caress of Kedi’s tongue on my eyelid in the morning.

    Continue reading...", - "content": "

    They do what they want, all the time – and can teach us a lot about how to live in the present, be content and learn from our experience

    I wanted to know the exact amount of time I spend ruminating on the inner lives of my cats, so I did what most people do in times of doubt, and consulted Google. According to my search history, in the two years since I became a cat owner I have Googled variations of “cat love me – how do I tell?” and “is my cat happy 17 times. I have also inadvertently subscribed to cat-related updates from the knowledge website Quora, which emails me a daily digest. (Sample: Can Cats Be Angry or Disappointed With Their Owner?)

    How do I love my cats? Let me count the ways. The clean snap of three-year-old Larry’s jaw as he contemplates me with detached curiosity is my favourite sound in the world. I love the tenor and cadence of my six-month-old kitten Kedi’s miaows as he follows me around the house. (High-pitched indignant squeaks means he wants food; lower-pitched chirrups suggest he would like to play.) I love the weight of Larry on my feet at night and the scratchy caress of Kedi’s tongue on my eyelid in the morning.

    Continue reading...", - "category": "Cats", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/08/the-inner-lives-of-cats-what-our-feline-friends-really-think-about-hugs-happiness-and-humans", - "creator": "Sirin Kale", - "pubDate": "2021-12-08T06:00:34Z", + "title": "Halo Infinite review – old-school blasting in sci-fi ‘Dad’ game", + "description": "

    PC, Xbox Series, Xbox One; Microsoft; 343 Industries
    The engrossing flagship Xbox shooter returns with its fabled craggy supersoldier and plenty of style but not quite enough bang

    Twenty years since Halo: Combat Evolved, Master Chief is still “finishing the fight”. Made infamous by Halo 2’s premature cliffhanger ending, the line is uttered with zero irony at Halo Infinite’s conclusion: it’s become the catchphrase for a series that is travelling in circles, always defaulting to something like the original fable of a craggy supersoldier fighting alien zealots for control of universe-ending Forerunner relics.

    Infinite takes place on yet another gorgeous ringworld, where Master Chief teams up with a nervy pilot and a chirpy new AI buddy to battle a renegade group called the Banished. It’s the same old story with the same rousing musical motifs, but the geography has changed: main missions are now threaded through a lush open expanse comparable to that of a Far Cry game, where you’ll tackle sidequests such as hostage rescue, and claim bases that let you fast-travel and rearm. The extra space amplifies Halo’s existing brilliance as a martial playground, defined less by reflexes and accuracy than giddy improvisation, but it’s not quite enough to make this backward-glancing game unmissable.

    Continue reading...", + "content": "

    PC, Xbox Series, Xbox One; Microsoft; 343 Industries
    The engrossing flagship Xbox shooter returns with its fabled craggy supersoldier and plenty of style but not quite enough bang

    Twenty years since Halo: Combat Evolved, Master Chief is still “finishing the fight”. Made infamous by Halo 2’s premature cliffhanger ending, the line is uttered with zero irony at Halo Infinite’s conclusion: it’s become the catchphrase for a series that is travelling in circles, always defaulting to something like the original fable of a craggy supersoldier fighting alien zealots for control of universe-ending Forerunner relics.

    Infinite takes place on yet another gorgeous ringworld, where Master Chief teams up with a nervy pilot and a chirpy new AI buddy to battle a renegade group called the Banished. It’s the same old story with the same rousing musical motifs, but the geography has changed: main missions are now threaded through a lush open expanse comparable to that of a Far Cry game, where you’ll tackle sidequests such as hostage rescue, and claim bases that let you fast-travel and rearm. The extra space amplifies Halo’s existing brilliance as a martial playground, defined less by reflexes and accuracy than giddy improvisation, but it’s not quite enough to make this backward-glancing game unmissable.

    Continue reading...", + "category": "Games", + "link": "https://www.theguardian.com/games/2021/dec/06/halo-infinite-review-old-school-blasting-in-sci-fi-dad-game", + "creator": "Edwin Evans-Thirlwell", + "pubDate": "2021-12-06T10:36:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121776,16 +148213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9db97e8fc4c15269efee18918eae5325" + "hash": "a32e173a7f9621aa4fbf09c2b956af9e" }, { - "title": "Covid, mourning and the spectre of violence: New Caledonia prepares for blighted independence vote", - "description": "

    Pro-independence groups have called for Indigenous voters not to take part in Sunday’s long-awaited ballot, saying proper campaigning has been prevented

    New Caledonia is set to hold a referendum on independence from France this weekend, the third and final poll meant to conclude a decolonisation process initiated 30 years ago.

    For anyone who witnessed the first two referenda, the contrast with the vote set for 12 December is striking: instead of the countless Kanaky flags or the red, white and blue of the French tricolour that adorned houses, balconies, roadsides, pickups or even people in the run-up to the 2018 and 2020 votes, this year there is little to see. On the Place des Cocotiers, in the centre of Nouméa, the capital, the quiet is disturbed only by the incessant patrolling of police trucks, part of the increased security around the vote.

    Continue reading...", - "content": "

    Pro-independence groups have called for Indigenous voters not to take part in Sunday’s long-awaited ballot, saying proper campaigning has been prevented

    New Caledonia is set to hold a referendum on independence from France this weekend, the third and final poll meant to conclude a decolonisation process initiated 30 years ago.

    For anyone who witnessed the first two referenda, the contrast with the vote set for 12 December is striking: instead of the countless Kanaky flags or the red, white and blue of the French tricolour that adorned houses, balconies, roadsides, pickups or even people in the run-up to the 2018 and 2020 votes, this year there is little to see. On the Place des Cocotiers, in the centre of Nouméa, the capital, the quiet is disturbed only by the incessant patrolling of police trucks, part of the increased security around the vote.

    Continue reading...", - "category": "New Caledonia", - "link": "https://www.theguardian.com/world/2021/dec/08/covid-mourning-and-the-fear-of-violence-new-caledonia-prepares-for-blighted-independence-vote", - "creator": "Julien Sartre in Nouméa", - "pubDate": "2021-12-07T17:00:18Z", + "title": "Happy queer Christmas! Drag kings and queens on their festive spectaculars", + "description": "

    LGBTQ+ performers are making sure that queerness isn’t ‘swept under the carpet’ this Christmas – and providing community, fun and celebration for audiences

    Drag king Mark Anthony loves Christmas. He always has – it’s a big thing in his family. Still, he says he found his Christmas “blighted slightly” in recent years since coming out as transgender and non-binary. “It wasn’t a big sob story of rejection,” Anthony, whose family fully accepts him for who he is, explains. “It was a discomfort type thing, from both sides, where you’re trying to work out how you fit into a different role. By this point, we’re pretty much adjusted now.” (Out of drag, Anthony, performed by Isaac Williams, uses the pronouns they and them.)

    Anthony knows how Christmas “might have quite negative associations” for those LGBTQ+ people “who don’t feel they can be authentically themselves at home with their families”. It is a time that “puts a spotlight on anything that’s changed and makes it feel really kind of awkward”, for example, if someone has come out about their sexuality or gender identity.

    Continue reading...", + "content": "

    LGBTQ+ performers are making sure that queerness isn’t ‘swept under the carpet’ this Christmas – and providing community, fun and celebration for audiences

    Drag king Mark Anthony loves Christmas. He always has – it’s a big thing in his family. Still, he says he found his Christmas “blighted slightly” in recent years since coming out as transgender and non-binary. “It wasn’t a big sob story of rejection,” Anthony, whose family fully accepts him for who he is, explains. “It was a discomfort type thing, from both sides, where you’re trying to work out how you fit into a different role. By this point, we’re pretty much adjusted now.” (Out of drag, Anthony, performed by Isaac Williams, uses the pronouns they and them.)

    Anthony knows how Christmas “might have quite negative associations” for those LGBTQ+ people “who don’t feel they can be authentically themselves at home with their families”. It is a time that “puts a spotlight on anything that’s changed and makes it feel really kind of awkward”, for example, if someone has come out about their sexuality or gender identity.

    Continue reading...", + "category": "Theatre", + "link": "https://www.theguardian.com/stage/2021/dec/06/drag-kings-and-queens-festive-spectaculars", + "creator": "Ella Braidwood", + "pubDate": "2021-12-06T12:58:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121796,16 +148233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2db29ad6c26edda9090c76244a6b7b64" + "hash": "b76edd324ecd2f0426f95383199ca78e" }, { - "title": "Top civil servant regrets holiday while Afghanistan fell to Taliban", - "description": "

    Sir Philip Barton refused to say precisely when Raab had been on holiday in August

    The head of the diplomatic service has admitted failing to show leadership after he began a three-week holiday two days before the Foreign Office internally accepted Kabul was about to fall to the Taliban.

    Sir Philip Barton stayed on holiday until 28 August and during bruising evidence to the foreign affairs select committee, he admitted this was a mistake.

    Continue reading...", - "content": "

    Sir Philip Barton refused to say precisely when Raab had been on holiday in August

    The head of the diplomatic service has admitted failing to show leadership after he began a three-week holiday two days before the Foreign Office internally accepted Kabul was about to fall to the Taliban.

    Sir Philip Barton stayed on holiday until 28 August and during bruising evidence to the foreign affairs select committee, he admitted this was a mistake.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/07/philip-barton-regrets-holiday-while-afghanistan-fell-to-taliban", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-07T21:15:26Z", + "title": "Stillborn baby’s parents receive £2.8m from Nottingham hospital trust", + "description": "

    Payout to Jack and Sarah Hawkins is thought to be largest settlement for a stillbirth clinical negligence case

    A couple whose daughter died before birth after maternity staff failings have received a £2.8m payout from the NHS in what is believed to be the largest settlement for a stillbirth clinical negligence case.

    Sarah Hawkins was in labour for six days before Harriet was stillborn, almost nine hours after dying, at Nottingham City hospital in April 2016.

    Continue reading...", + "content": "

    Payout to Jack and Sarah Hawkins is thought to be largest settlement for a stillbirth clinical negligence case

    A couple whose daughter died before birth after maternity staff failings have received a £2.8m payout from the NHS in what is believed to be the largest settlement for a stillbirth clinical negligence case.

    Sarah Hawkins was in labour for six days before Harriet was stillborn, almost nine hours after dying, at Nottingham City hospital in April 2016.

    Continue reading...", + "category": "Nottingham", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/stillborn-babys-parents-receive-28m-from-nottingham-hospital-trust", + "creator": "Jessica Murray Midlands correspondent", + "pubDate": "2021-12-06T14:47:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121816,16 +148253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "64d03b00c269c394f5a98a43913be3fa" + "hash": "4c324c23bf18bbbc75426fd1f89ff5b2" }, { - "title": "From the archive: Who murdered Giulio Regeni? – podcast", - "description": "

    We are raiding the Audio Long Read archives to bring you some classic pieces from years past, with new introductions from the authors.

    This week, from 2016: When the battered body of a Cambridge PhD student was found outside Cairo, Egyptian police claimed he had been hit by a car. Then they said he was the victim of a robbery. Then they blamed a conspiracy against Egypt. But in a digital age, it’s harder than ever to get away with murder. By Alexander Stille

    Continue reading...", - "content": "

    We are raiding the Audio Long Read archives to bring you some classic pieces from years past, with new introductions from the authors.

    This week, from 2016: When the battered body of a Cambridge PhD student was found outside Cairo, Egyptian police claimed he had been hit by a car. Then they said he was the victim of a robbery. Then they blamed a conspiracy against Egypt. But in a digital age, it’s harder than ever to get away with murder. By Alexander Stille

    Continue reading...", - "category": "Egypt", - "link": "https://www.theguardian.com/news/audio/2021/dec/08/from-the-archive-who-murdered-giulio-regeni-podcast", - "creator": "Written by Alexander Stille, read by Lucy Scott, produced by Simon Barnard with additions from Esther Opoku-Gyeni", - "pubDate": "2021-12-08T05:00:33Z", + "title": "Congress braces for another battle over US debt ceiling – live", + "description": "

    David Perdue’s announcement that he will challenge sitting Governor Brian Kemp for the Republican nomination comes less than a week after Democrat Stacey Abrams launched her own gubernatorial campaign.

    Abrams’ campaign sets up a potential rematch against Kemp, depending on whether he can best Perdue. Kemp narrowly defeated Abrams in the 2018 gubernatorial race, although she blamed the loss on voter suppression.

    Continue reading...", + "content": "

    David Perdue’s announcement that he will challenge sitting Governor Brian Kemp for the Republican nomination comes less than a week after Democrat Stacey Abrams launched her own gubernatorial campaign.

    Abrams’ campaign sets up a potential rematch against Kemp, depending on whether he can best Perdue. Kemp narrowly defeated Abrams in the 2018 gubernatorial race, although she blamed the loss on voter suppression.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/dec/06/congress-debt-ceiling-republicans-democrats-joe-biden-coronavirus-us-politics-latest", + "creator": "Joan E Greve in Washington", + "pubDate": "2021-12-06T15:30:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121836,16 +148273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a7098c84a71257ce78ba0b9214e340f" + "hash": "0e565b06dd3a2a4d8e32cbf076105232" }, { - "title": "We’re losing IQ points’: the lead poisoning crisis unfolding among US children", - "description": "

    The US banned lead 30 years ago. So why are thousands of kids being poisoned every year?


    Nine-year-old Turokk Dow loves spelling, airplanes and basketball. He is learning to read and write in his third grade classroom.

    But suffering from extreme blood lead poisoning at age 3 – with lead levels nearly ten times the EPA action level – has hugely exacerbated the already-substantial challenges in his young life.

    Continue reading...", - "content": "

    The US banned lead 30 years ago. So why are thousands of kids being poisoned every year?


    Nine-year-old Turokk Dow loves spelling, airplanes and basketball. He is learning to read and write in his third grade classroom.

    But suffering from extreme blood lead poisoning at age 3 – with lead levels nearly ten times the EPA action level – has hugely exacerbated the already-substantial challenges in his young life.

    Continue reading...", - "category": "Children's health", - "link": "https://www.theguardian.com/us-news/2021/dec/08/lead-poisoning-crisis-us-children", - "creator": "Erin McCormick in Rhode Island and Eric Lutz", - "pubDate": "2021-12-08T10:00:39Z", + "title": "Qld border to reopen 13 December, Palaszczuk says; SA premier advised to close border with NSW over Omicron – As it happened", + "description": "

    Annastacia Palaszczuk brings forward Qld border reopening; Steven Marshall ‘very concerned’ by Omicron as SA records four Covid cases; Perth stripped of Ashes series finale; Victoria records 1,073 new cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says.

    This blog is now closed

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", + "content": "

    Annastacia Palaszczuk brings forward Qld border reopening; Steven Marshall ‘very concerned’ by Omicron as SA records four Covid cases; Perth stripped of Ashes series finale; Victoria records 1,073 new cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says.

    This blog is now closed

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/06/australia-news-updates-live-covid-omicron-transport-strike-scott-morrison-anthony-albanese-weather-nsw-victoria-qld", + "creator": "Mostafa Rachwani and Matilda Boseley (earlier)", + "pubDate": "2021-12-06T07:49:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121856,16 +148293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "610c137e37c63c67686d754dc86b346d" + "hash": "78d5477dfb2bbfdf84819115a21843a5" }, { - "title": "‘A bit of hope’: Chile legalizes same-sex marriage", - "description": "

    Vote seen as a blow to conservative presidential candidate José Antonio Kast, who won majority of votes in November’s first round

    A historic vote granting equal marriage rights to same-sex couples in Chile has been heralded by activists as a triumph and a blow to the conservative agenda of presidential candidate José Antonio Kast.

    Kast won the majority of votes in November’s first-round vote, instilling a wave of fear among the country’s LGBTQ+ community. A tight runoff between Kast and his progressive opponent, former student protest leader Gabriel Boric, is scheduled on 19 December.

    Continue reading...", - "content": "

    Vote seen as a blow to conservative presidential candidate José Antonio Kast, who won majority of votes in November’s first round

    A historic vote granting equal marriage rights to same-sex couples in Chile has been heralded by activists as a triumph and a blow to the conservative agenda of presidential candidate José Antonio Kast.

    Kast won the majority of votes in November’s first-round vote, instilling a wave of fear among the country’s LGBTQ+ community. A tight runoff between Kast and his progressive opponent, former student protest leader Gabriel Boric, is scheduled on 19 December.

    Continue reading...", - "category": "Chile", - "link": "https://www.theguardian.com/world/2021/dec/07/chile-same-sex-marriage-vote", - "creator": "Charis McGowan in Santiago", - "pubDate": "2021-12-07T21:35:04Z", + "title": "Lives lost at Europe’s borders and Afghan MPs in exile: human rights this fortnight – in pictures", + "description": "

    A roundup of the struggle for human rights and freedoms, from Mexico to Manila

    Continue reading...", + "content": "

    A roundup of the struggle for human rights and freedoms, from Mexico to Manila

    Continue reading...", + "category": "Human rights", + "link": "https://www.theguardian.com/global-development/gallery/2021/dec/04/lives-lost-at-europes-borders-and-afghan-mps-in-exile-human-rights-this-fortnight-in-pictures", + "creator": "Sarah Johnson, compiled by Eric Hilaire", + "pubDate": "2021-12-04T07:30:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121876,16 +148313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5e180b0cf3c490f2b86aafcf8d89a359" + "hash": "a7b5558e1171e3a7c35cd03bec625d1f" }, { - "title": "‘There is just a lake with crocodiles!’: hope and homkesickness for Kiribati nurses in the outback", - "description": "

    A Pacific labour scheme has been transformative for Kiribati families but the loss of nurses has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", - "content": "

    A Pacific labour scheme has been transformative for Kiribati families but the loss of nurses has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", - "category": "Kiribati", - "link": "https://www.theguardian.com/world/2021/dec/07/pacific-nurses-in-the-desert-kiribati-brain-drain-is-outback-australias-gain", - "creator": "John Marazita III", - "pubDate": "2021-12-08T10:20:19Z", + "title": "Myanmar’s junta condemned over guilty verdicts in Aung San Suu Kyi trial", + "description": "

    First verdicts announced in cases against Myanmar’s former leader, who was deposed in a coup in February

    A military court in Myanmar has found Aung San Suu Kyi guilty of incitement and breaking Covid restrictions, drawing condemnation from the United Nations, European Union and others, who described the verdicts as politically motivated.

    The 76-year-old, who was deposed in a coup in February, is set to serve two years in detention at an undisclosed location, a sentence reduced from four years after a partial pardon from the country’s military chief, state TV reported.

    Continue reading...", + "content": "

    First verdicts announced in cases against Myanmar’s former leader, who was deposed in a coup in February

    A military court in Myanmar has found Aung San Suu Kyi guilty of incitement and breaking Covid restrictions, drawing condemnation from the United Nations, European Union and others, who described the verdicts as politically motivated.

    The 76-year-old, who was deposed in a coup in February, is set to serve two years in detention at an undisclosed location, a sentence reduced from four years after a partial pardon from the country’s military chief, state TV reported.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/06/aung-san-suu-kyi-sentenced-to-four-years-in-prison-for-incitement", + "creator": "Rebecca Ratcliffe South-east Asia correspondent", + "pubDate": "2021-12-06T14:12:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121896,16 +148333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e352ec215f6102242cdf67c6f6f07db1" + "hash": "f5fcf36ba448598270677a997747a1ae" }, { - "title": "‘Further flooding’: heavy rain and severe storms to hit already soaked NSW", - "description": "

    Bureau of Meteorology issues severe weather warning and says flood impacts will be felt particularly on state’s south coast

    The south-east region of New South Wales could receive up to 200mm of rain before the end of the week, adding to already soaked catchments and high rivers that have flooded across the state.

    The heavy falls could deliver some areas their total monthly average. A broader trend will see rain across all of eastern NSW for the rest of this week.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Bureau of Meteorology issues severe weather warning and says flood impacts will be felt particularly on state’s south coast

    The south-east region of New South Wales could receive up to 200mm of rain before the end of the week, adding to already soaked catchments and high rivers that have flooded across the state.

    The heavy falls could deliver some areas their total monthly average. A broader trend will see rain across all of eastern NSW for the rest of this week.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Australia weather", - "link": "https://www.theguardian.com/australia-news/2021/dec/08/further-flooding-heavy-rain-and-severe-storms-to-hit-already-soaked-nsw", + "title": "Far-right French presidential candidate put in headlock by protester - video", + "description": "

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked. He was later reported to have suffered slight injuries

    Continue reading...", + "content": "

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked. He was later reported to have suffered slight injuries

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/global/video/2021/dec/06/far-right-french-presidential-candidate-put-in-headlock-by-protester-video", "creator": "", - "pubDate": "2021-12-08T09:47:55Z", + "pubDate": "2021-12-06T10:14:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121916,16 +148353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff5aed56beb5146c7f5567fb617699fe" + "hash": "10820e6bd87f444644dc48faf50661bb" }, { - "title": "Can artistic freedom survive in Sudan? The writing’s on the wall…", - "description": "

    The recent coup dashed hopes raised by the end of the military regime but newly liberated artists refuse to submit quietly

    In the new dawn of a heady post-revolutionary era, Suzannah Mirghani returned in 2019 to the country of her birth for the first time in years. Her mission was to shoot a short film on Sudanese soil. It proved unexpectedly straightforward.

    “When the revolution happened, there was this exuberance,” she says, from her Qatari home. “When we came to make our film, we were given the green light. We were told: ‘Anything you want’.

    Continue reading...", - "content": "

    The recent coup dashed hopes raised by the end of the military regime but newly liberated artists refuse to submit quietly

    In the new dawn of a heady post-revolutionary era, Suzannah Mirghani returned in 2019 to the country of her birth for the first time in years. Her mission was to shoot a short film on Sudanese soil. It proved unexpectedly straightforward.

    “When the revolution happened, there was this exuberance,” she says, from her Qatari home. “When we came to make our film, we were given the green light. We were told: ‘Anything you want’.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/06/can-artistic-freedom-survive-in-sudan-the-writings-on-the-wall", - "creator": "Lizzy Davies", - "pubDate": "2021-12-06T07:00:16Z", + "title": "Mumps continues to circulate in US and doctors should be watchful, CDC warns", + "description": "

    Experts says doctors should continue to test because outbreaks have occurred in vaccinated adolescents and some children

    The federal Centers for Disease Control and Prevention (CDC) has warned that mumps continues to circulate in the US and that pediatricians should remain vigilant, even though spread remains low.

    Mumps was nearly eliminated under routine childhood vaccinations, as part of the measles, mumps and rubella vaccine, or MMR. Most doctors have never seen a mumps case, researchers noted.

    Continue reading...", + "content": "

    Experts says doctors should continue to test because outbreaks have occurred in vaccinated adolescents and some children

    The federal Centers for Disease Control and Prevention (CDC) has warned that mumps continues to circulate in the US and that pediatricians should remain vigilant, even though spread remains low.

    Mumps was nearly eliminated under routine childhood vaccinations, as part of the measles, mumps and rubella vaccine, or MMR. Most doctors have never seen a mumps case, researchers noted.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/06/cdc-mumps-us-mmr-children", + "creator": "Jessica Glenza", + "pubDate": "2021-12-06T15:06:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121936,16 +148373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6576fb04874b38fc9e508dc324977fb0" + "hash": "9e7c5463535b8b1c2a1e5f2e72abe952" }, { - "title": "Fortress Europe: the millions spent on military-grade tech to deter refugees", - "description": "

    We map out the rising number of high-tech surveillance and deterrent systems facing asylum seekers along EU borders

    From military-grade drones to sensor systems and experimental technology, the EU and its members have spent hundreds of millions of euros over the past decade on technologies to track down and keep at bay the refugees on its borders.

    Poland’s border with Belarus is becoming the latest frontline for this technology, with the country approving last month a €350m (£300m) wall with advanced cameras and motion sensors.

    Continue reading...", - "content": "

    We map out the rising number of high-tech surveillance and deterrent systems facing asylum seekers along EU borders

    From military-grade drones to sensor systems and experimental technology, the EU and its members have spent hundreds of millions of euros over the past decade on technologies to track down and keep at bay the refugees on its borders.

    Poland’s border with Belarus is becoming the latest frontline for this technology, with the country approving last month a €350m (£300m) wall with advanced cameras and motion sensors.

    Continue reading...", - "category": "European Union", - "link": "https://www.theguardian.com/global-development/2021/dec/06/fortress-europe-the-millions-spent-on-military-grade-tech-to-deter-refugees", - "creator": "Kaamil Ahmed and Lorenzo Tondo", - "pubDate": "2021-12-06T06:00:18Z", + "title": "Snowstorm in Denmark traps dozens in Ikea showroom – video", + "description": "

    Dozens of people were trapped in an Ikea showroom when a storm dumped 30cm of snow in northern Denmark.

    After the Aalborg showroom closed, it turned into a vast bedroom after six customers and about two dozen employees who had been left stranded by the snowstorm were forced to spend the night in the store

    Continue reading...", + "content": "

    Dozens of people were trapped in an Ikea showroom when a storm dumped 30cm of snow in northern Denmark.

    After the Aalborg showroom closed, it turned into a vast bedroom after six customers and about two dozen employees who had been left stranded by the snowstorm were forced to spend the night in the store

    Continue reading...", + "category": "Denmark", + "link": "https://www.theguardian.com/business/video/2021/dec/03/snowstorm-in-denmark-traps-dozens-in-ikea-showroom-video", + "creator": "", + "pubDate": "2021-12-03T09:48:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121956,16 +148393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1c1ac8da744421265f7328fc999546a" + "hash": "f5a589f58e90b23964a2d9d38586123e" }, { - "title": "Venues that reject vaccine passes in favour of ‘equality’ for the unvaccinated are harming us all | Philip McKibbin", - "description": "

    Venues that say they respect personal choices may sound community-minded but really they undermine efforts to keep everyone safe

    Like most Aucklanders, I can’t wait to get out of the city. After more than three months in lockdown, I’m keen for a break. Last summer, my partner and I went to Tauranga. We had so much fun that we’re planning to return – but this time, things will be different.

    As Aotearoa New Zealand shifts from the Covid-19 “alert level” system to the new “traffic light” system, hospitality venues have been given a choice. Under the “red” and “orange” settings, they can welcome customers inside, but only if they’re willing to check vaccine passes. If they don’t want to do that, their service has to be contactless.

    Continue reading...", - "content": "

    Venues that say they respect personal choices may sound community-minded but really they undermine efforts to keep everyone safe

    Like most Aucklanders, I can’t wait to get out of the city. After more than three months in lockdown, I’m keen for a break. Last summer, my partner and I went to Tauranga. We had so much fun that we’re planning to return – but this time, things will be different.

    As Aotearoa New Zealand shifts from the Covid-19 “alert level” system to the new “traffic light” system, hospitality venues have been given a choice. Under the “red” and “orange” settings, they can welcome customers inside, but only if they’re willing to check vaccine passes. If they don’t want to do that, their service has to be contactless.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/commentisfree/2021/dec/06/restaurants-that-reject-vaccine-passes-in-favour-of-equality-for-the-unvaccinated-harm-us-all", - "creator": "Philip McKibbin", - "pubDate": "2021-12-06T02:06:47Z", + "title": "Covid news live: Nigeria likens Omicron border closures to ‘travel apartheid’; Poland to tighten restrictions", + "description": "

    Nigeria high commissioner says travel ban not necessary; new package of pandemic restrictions to be imposed in Poland this week

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "content": "

    Nigeria high commissioner says travel ban not necessary; new package of pandemic restrictions to be imposed in Poland this week

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", + "creator": "Damien Gayle (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-06T13:58:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121976,16 +148413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "954611bbeda65b4aee37c3ef8cdf7a18" + "hash": "80c394414e72026024f5a5fea41f5729" }, { - "title": "No 10 put all their eggs in vaccine basket in effort to save Christmas", - "description": "

    Analysis: changes to cabinet and public mood from last year make further restrictions less likely

    The date ringed in red in Westminster is 18 December – not the date for Christmas parties but the time by which people should start to know how different their festive plans may look.

    For this government it is quite an inauspicious date, just a day before soaring cases forced Boris Johnson to finally put the brakes on Christmas mixing plans last year and tell most families they would be spending celebrations apart.

    Continue reading...", - "content": "

    Analysis: changes to cabinet and public mood from last year make further restrictions less likely

    The date ringed in red in Westminster is 18 December – not the date for Christmas parties but the time by which people should start to know how different their festive plans may look.

    For this government it is quite an inauspicious date, just a day before soaring cases forced Boris Johnson to finally put the brakes on Christmas mixing plans last year and tell most families they would be spending celebrations apart.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/05/covid-government-to-make-christmas-decision-on-18-december", - "creator": "Jessica Elgot Chief political correspondent", - "pubDate": "2021-12-05T18:19:19Z", + "title": "Aung San Suu Kyi sentenced to four years in prison for incitement", + "description": "

    First verdict against Nobel Peace Prize winner and Myanmar’s former leader, who was deposed in a coup in February

    Aung San Suu Kyi has been sentenced to four years in prison for incitement and breaking Covid restrictions – the first verdict to be handed down to Myanmar’s ousted leader since the junta seized power in February.

    The 76-year-old has been accused of a series of offences – from unlawful possession of walkie-talkies to breaches of the Official Secrets Act – that could amount to decades-long prison sentences. Her lawyer has previously described the cases as “absurd”.

    Continue reading...", + "content": "

    First verdict against Nobel Peace Prize winner and Myanmar’s former leader, who was deposed in a coup in February

    Aung San Suu Kyi has been sentenced to four years in prison for incitement and breaking Covid restrictions – the first verdict to be handed down to Myanmar’s ousted leader since the junta seized power in February.

    The 76-year-old has been accused of a series of offences – from unlawful possession of walkie-talkies to breaches of the Official Secrets Act – that could amount to decades-long prison sentences. Her lawyer has previously described the cases as “absurd”.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/06/aung-san-suu-kyi-sentenced-to-four-years-in-prison-for-incitement", + "creator": "Rebecca Ratcliffe South-east Asia correspondent", + "pubDate": "2021-12-06T07:47:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -121996,16 +148433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91f8324bf35d8da75ff43401b8d892af" + "hash": "3a7e535351b6fdc2c5191b7b61d95850" }, { - "title": "Covid live news: booster scheme speeds up in England; South Korea surge sparks alarm", - "description": "

    Millions of over-40s can book a top-up jab from today; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "content": "

    Millions of over-40s can book a top-up jab from today; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", - "creator": "Martin Farrer", - "pubDate": "2021-12-08T06:20:53Z", + "title": "Old UK oilwells could be turned into CO2 burial test sites", + "description": "

    Exclusive: Consortium of energy firms and universities says underground storage of hydrogen can also be investigated

    Exhausted oil and gas wells would be turned into the UK’s first deep test sites for burying carbon dioxide next year, under plans from a consortium of universities and energy companies.

    There are hundreds of active onshore oil and gas wells in the UK. But as they come to the end of their lives, some need to be redeployed for trials of pumping CO2 underground and monitoring it to ensure it does not escape, the group says. The test wells could also be used to assess how hydrogen can be stored underground.

    Continue reading...", + "content": "

    Exclusive: Consortium of energy firms and universities says underground storage of hydrogen can also be investigated

    Exhausted oil and gas wells would be turned into the UK’s first deep test sites for burying carbon dioxide next year, under plans from a consortium of universities and energy companies.

    There are hundreds of active onshore oil and gas wells in the UK. But as they come to the end of their lives, some need to be redeployed for trials of pumping CO2 underground and monitoring it to ensure it does not escape, the group says. The test wells could also be used to assess how hydrogen can be stored underground.

    Continue reading...", + "category": "Oil", + "link": "https://www.theguardian.com/environment/2021/dec/06/old-uk-oilwells-co2-burial-test-sites-hydrogen", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-06T12:00:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122016,16 +148453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "716cc978ffb9ba421694e66a2c96d8ca" + "hash": "bf29680adaa125d1cdc54bc8b6f5baae" }, { - "title": "Ashes 2021-22: Australia v England first Test, day one – live!", - "description": "

    Here comes Patrick Cummins in his green blazer, and the crowd breaks out into applause as he walks to the middle for the first time.

    I’ll tell you what, I didn’t see Broad warm up with the others, he was hanging out with Bairstow, who isn’t playing.

    Continue reading...", - "content": "

    Here comes Patrick Cummins in his green blazer, and the crowd breaks out into applause as he walks to the middle for the first time.

    I’ll tell you what, I didn’t see Broad warm up with the others, he was hanging out with Bairstow, who isn’t playing.

    Continue reading...", - "category": "Ashes 2021-22", - "link": "https://www.theguardian.com/sport/live/2021/dec/08/ashes-2021-22-australia-v-england-first-test-day-one-live-cricket-score-updates", - "creator": "Tanya Aldred (now) and Geoff Lemon at the Gabba (earlier)", - "pubDate": "2021-12-08T04:41:54Z", + "title": "‘Crooked bastards’: Trump attacks US media in foul-mouthed speech", + "description": "

    Insults to press and chairman of joint chiefs of staff recall barbs while Trump was in power

    In remarks to diners at his Mar-a-Lago resort in Florida on Saturday night, Donald Trump called the American media “crooked bastards” and Gen Mark Milley, the chairman of the joint chiefs of staff, a “fucking idiot”.

    The meandering, foul-mouthed speech to Turning Point USA, a group for young conservatives, was streamed by Jack Posobiec, a rightwing blogger and provocateur.

    Continue reading...", + "content": "

    Insults to press and chairman of joint chiefs of staff recall barbs while Trump was in power

    In remarks to diners at his Mar-a-Lago resort in Florida on Saturday night, Donald Trump called the American media “crooked bastards” and Gen Mark Milley, the chairman of the joint chiefs of staff, a “fucking idiot”.

    The meandering, foul-mouthed speech to Turning Point USA, a group for young conservatives, was streamed by Jack Posobiec, a rightwing blogger and provocateur.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/06/trump-attacks-us-media-mark-milley-foul-mouthed-speech", + "creator": "Martin Pengelly", + "pubDate": "2021-12-06T06:00:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122036,16 +148473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed7cdb9d70bd92fbfd5130002001b930" + "hash": "26b047d3b2e2a22cc62701d6287167fd" }, { - "title": "Olaf Scholz to be voted in as German chancellor as Merkel era ends", - "description": "

    Scholz to lead coalition government after agreement was signed by party leaders on Tuesday

    Olaf Scholz is to be voted in as chancellor by the Bundestag on Wednesday, opening a new chapter in German and European politics as the Merkel era comes to an end.

    Scholz, the outgoing deputy chancellor and finance minister, will lead a government composed of his Social Democrat party, the business-friendly Free Democrats and the Greens, a coalition of parties never tried before at the federal level in Germany.

    Continue reading...", - "content": "

    Scholz to lead coalition government after agreement was signed by party leaders on Tuesday

    Olaf Scholz is to be voted in as chancellor by the Bundestag on Wednesday, opening a new chapter in German and European politics as the Merkel era comes to an end.

    Scholz, the outgoing deputy chancellor and finance minister, will lead a government composed of his Social Democrat party, the business-friendly Free Democrats and the Greens, a coalition of parties never tried before at the federal level in Germany.

    Continue reading...", - "category": "Olaf Scholz", - "link": "https://www.theguardian.com/world/2021/dec/08/olaf-scholz-to-be-voted-in-as-german-chancellor-as-merkel-era-ends", - "creator": "Jennifer Rankin and agencies", - "pubDate": "2021-12-08T05:00:32Z", + "title": "Covid not over and next pandemic could be more lethal, says Oxford jab creator", + "description": "

    Prof Dame Sarah Gilbert says this will not be the last time a virus threatens our lives and our livelihoods

    The coronavirus pandemic that has so far killed more than 5 million people worldwide is far from over and the next one could be even more lethal, the creator of the Oxford/AstraZeneca vaccine has said.

    As fears grow over the threat posed by the highly mutated Omicron variant, detected in more than 30 countries, Prof Dame Sarah Gilbert cautioned that while it was increasingly obvious that “this pandemic is not done with us”, the next one could be worse.

    Continue reading...", + "content": "

    Prof Dame Sarah Gilbert says this will not be the last time a virus threatens our lives and our livelihoods

    The coronavirus pandemic that has so far killed more than 5 million people worldwide is far from over and the next one could be even more lethal, the creator of the Oxford/AstraZeneca vaccine has said.

    As fears grow over the threat posed by the highly mutated Omicron variant, detected in more than 30 countries, Prof Dame Sarah Gilbert cautioned that while it was increasingly obvious that “this pandemic is not done with us”, the next one could be worse.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/06/covid-not-over-next-pandemic-could-be-more-lethal-oxford-jab-creator", + "creator": "Andrew Gregory and Jessica Elgot", + "pubDate": "2021-12-06T00:01:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122056,16 +148493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ceadd30f58879b6528f44e02854ba44" + "hash": "d8ba309b408cadbb55704e10fd4449cf" }, { - "title": "Third accuser alleges Ghislaine Maxwell preyed on her when she was a minor", - "description": "

    ‘Carolyn’ testifies that Maxwell coordinated sexualized massages with Jeffrey Epstein, starting when she was 14

    • This article contains depictions of sexual abuse

    Prosecutors in Ghislaine Maxwell’s child sex-trafficking trial in Manhattan federal court on Tuesday introduced a witness who was once the kind of minor teen on whom the Briton is alleged to have preyed.

    At 14, “Carolyn” was vulnerable. She had an alcoholic mother and a 17-year-old boyfriend and had been raped and molested by her grandfather from the age of four. She needed money.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "content": "

    ‘Carolyn’ testifies that Maxwell coordinated sexualized massages with Jeffrey Epstein, starting when she was 14

    • This article contains depictions of sexual abuse

    Prosecutors in Ghislaine Maxwell’s child sex-trafficking trial in Manhattan federal court on Tuesday introduced a witness who was once the kind of minor teen on whom the Briton is alleged to have preyed.

    At 14, “Carolyn” was vulnerable. She had an alcoholic mother and a 17-year-old boyfriend and had been raped and molested by her grandfather from the age of four. She needed money.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/07/ghislaine-maxwell-sex-trafficking-trial-third-accuser", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-07T21:55:16Z", + "title": "Emma Beddington tries … being a mermaid: ‘I’m more beached seal than beguiling siren’", + "description": "

    Being a beautiful watery creature is a challenge if you have no technique or breath control – and can’t hear a word beneath your floral swimming cap

    I am too old for Disney’s Little Mermaid. My sister was the right age, but our right-on 80s household was a princess-free zone (though The Little Mermaid is arguably one of the more subversive films in the canon, with its exploration of identity and conformity and nods to drag culture). I have, however, gleaned that the transformation from mermaid to human is a risky business; I believe a crab says so.

    But what about the reverse? Because today, I, a human, am becoming a mermaid, thanks to Donna Rumney of Mermaids at Jesmond Pool, in Newcastle upon Tyne. Donna is booked out with children’s mermaid parties but adult sessions are popular, too: everyone wants to be a mermaid now. There are mermaid pageants and conventions; people pay thousands of pounds for custom-made silicone tails. Something about that in-between state, the grace and fluidity, appeals when life on land feels so hidebound and joyless. I love the idea of achieving a state of otherworldly aquatic grace; what could possibly go wrong?

    Continue reading...", + "content": "

    Being a beautiful watery creature is a challenge if you have no technique or breath control – and can’t hear a word beneath your floral swimming cap

    I am too old for Disney’s Little Mermaid. My sister was the right age, but our right-on 80s household was a princess-free zone (though The Little Mermaid is arguably one of the more subversive films in the canon, with its exploration of identity and conformity and nods to drag culture). I have, however, gleaned that the transformation from mermaid to human is a risky business; I believe a crab says so.

    But what about the reverse? Because today, I, a human, am becoming a mermaid, thanks to Donna Rumney of Mermaids at Jesmond Pool, in Newcastle upon Tyne. Donna is booked out with children’s mermaid parties but adult sessions are popular, too: everyone wants to be a mermaid now. There are mermaid pageants and conventions; people pay thousands of pounds for custom-made silicone tails. Something about that in-between state, the grace and fluidity, appeals when life on land feels so hidebound and joyless. I love the idea of achieving a state of otherworldly aquatic grace; what could possibly go wrong?

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/06/emma-beddington-tries-being-a-mermaid-im-more-beached-seal-than-beguiling-siren", + "creator": "Emma Beddington", + "pubDate": "2021-12-06T07:00:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122076,16 +148513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7a9666edc8d54184a3d5f920f1ed875a" - }, - { - "title": "Indonesia president vows to rebuild after volcano eruption as death toll rises to 34", - "description": "

    More fatalities expected as search for survivors continues following eruption at Mount Semeru on Saturday

    Indonesia’s president has visited areas devastated by a powerful volcanic eruption that killed at least 34 people and left thousands homeless, and vowed that communities would be quickly rebuilt.

    Clouds of hot ash shot high into the sky and an avalanche of lava and searing gas swept as far as 11 kilometers (7 miles) down Mount Semeru’s slopes in a sudden eruption Saturday triggered by heavy rain. Villages and towns were blanketed by tons of volcanic debris.

    Continue reading...", - "content": "

    More fatalities expected as search for survivors continues following eruption at Mount Semeru on Saturday

    Indonesia’s president has visited areas devastated by a powerful volcanic eruption that killed at least 34 people and left thousands homeless, and vowed that communities would be quickly rebuilt.

    Clouds of hot ash shot high into the sky and an avalanche of lava and searing gas swept as far as 11 kilometers (7 miles) down Mount Semeru’s slopes in a sudden eruption Saturday triggered by heavy rain. Villages and towns were blanketed by tons of volcanic debris.

    Continue reading...", - "category": "Indonesia", - "link": "https://www.theguardian.com/world/2021/dec/08/indonesia-president-vows-to-rebuild-after-volcano-eruption-as-death-toll-rises-to-34", - "creator": "Associated Press", - "pubDate": "2021-12-08T01:28:29Z", + "hash": "620425b8c0c2bf3d0accaeb886105927" + }, + { + "title": "'No rules were broken' if No 10 party took place, says police minister – video", + "description": "

    The policing minister, Kit Malthouse, said 'no rules were broken' if a party took place last Christmas at Downing Street, directly contradicting Dominic Raab, the justice secretary, who conceded on Sunday that a 'formal party' of the sort reported would have been contrary to the then-Covid-19 guidance.

    Malthouse claimed the police 'don’t normally look back and investigate things that have taken place a year ago', but said it would be right for police to follow up any formal complaints about the event.

    Continue reading...", + "content": "

    The policing minister, Kit Malthouse, said 'no rules were broken' if a party took place last Christmas at Downing Street, directly contradicting Dominic Raab, the justice secretary, who conceded on Sunday that a 'formal party' of the sort reported would have been contrary to the then-Covid-19 guidance.

    Malthouse claimed the police 'don’t normally look back and investigate things that have taken place a year ago', but said it would be right for police to follow up any formal complaints about the event.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/video/2021/dec/06/no-rules-were-broken-if-no10-party-took-place-says-police-minister-video", + "creator": "", + "pubDate": "2021-12-06T13:37:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122096,16 +148533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "01b8237cd23a4d5cf8c4d0c73d146c00" + "hash": "3069e1401f466648d087541f45c24e45" }, { - "title": "Letter suggests ‘cover-up’ of PM’s involvement in Afghan dog airlift, says MP", - "description": "

    Chris Bryant reveals Pen Farthing was sent a letter from Boris Johnson’s PPS confirming evacuation

    A leaked letter suggests Boris Johnson and the Foreign Office may have covered up the prime minister’s involvement in airlifting more than 150 dogs and cats from Afghanistan, a senior MP has said.

    On Tuesday it emerged that the charity worker Pen Farthing received a letter from Johnson’s parliamentary secretary saying Farthing, his staff and the animals could be rescued from Kabul amid the Taliban takeover in August, when thousands of Afghans with UK connections were also trying to flee.

    Continue reading...", - "content": "

    Chris Bryant reveals Pen Farthing was sent a letter from Boris Johnson’s PPS confirming evacuation

    A leaked letter suggests Boris Johnson and the Foreign Office may have covered up the prime minister’s involvement in airlifting more than 150 dogs and cats from Afghanistan, a senior MP has said.

    On Tuesday it emerged that the charity worker Pen Farthing received a letter from Johnson’s parliamentary secretary saying Farthing, his staff and the animals could be rescued from Kabul amid the Taliban takeover in August, when thousands of Afghans with UK connections were also trying to flee.

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/world/2021/dec/07/letter-suggests-cover-up-of-pms-involvement-in-afghan-dog-airlift-says-mp", - "creator": "Dan Sabbagh, Aubrey Allegretti and Peter Walker", - "pubDate": "2021-12-07T20:48:20Z", + "title": "Fauci cautiously optimistic about Omicron variant severity | First Thing", + "description": "

    Fauci says Republican ‘overhyping’ claim on Covid is ‘preposterous’. Plus, Trump attacks the media again

    Good morning.

    Dismissing as “preposterous” a Republican senator’s claim he is “overhyping” Covid-19 as he did HIV and Aids, Dr Anthony Fauci said on Sunday the threat to the US from the Omicron variant remained to be determined – but that signs were encouraging.

    What did Fauci say about Johnson? “Overhyping Aids? It’s killed over 750,000 Americans and 36 million people worldwide. How do you overhype Covid? It’s already killed 780,000 Americans and over 5 million people worldwide. So, I don’t have any clue of what he’s talking about.”

    How bad is the spread of Omicron? The variant has been detected in 15 US states. Fauci was cautiously optimistic current vaccines might work against it.

    What do Americans think about overturning Roe v Wade? According to recent polling, seven in 10 are opposed to overturning the landmark ruling while 59% believe abortion should be legal in all or most circumstances.

    Continue reading...", + "content": "

    Fauci says Republican ‘overhyping’ claim on Covid is ‘preposterous’. Plus, Trump attacks the media again

    Good morning.

    Dismissing as “preposterous” a Republican senator’s claim he is “overhyping” Covid-19 as he did HIV and Aids, Dr Anthony Fauci said on Sunday the threat to the US from the Omicron variant remained to be determined – but that signs were encouraging.

    What did Fauci say about Johnson? “Overhyping Aids? It’s killed over 750,000 Americans and 36 million people worldwide. How do you overhype Covid? It’s already killed 780,000 Americans and over 5 million people worldwide. So, I don’t have any clue of what he’s talking about.”

    How bad is the spread of Omicron? The variant has been detected in 15 US states. Fauci was cautiously optimistic current vaccines might work against it.

    What do Americans think about overturning Roe v Wade? According to recent polling, seven in 10 are opposed to overturning the landmark ruling while 59% believe abortion should be legal in all or most circumstances.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/06/first-thing-fauci-cautiously-optimistic-about-omicron-variant-severity", + "creator": "Nicola Slawson", + "pubDate": "2021-12-06T11:12:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122116,16 +148553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bbcecc97c61635c5011672fe84ca0601" + "hash": "e51cb3c395c178f4d87813a39f300c37" }, { - "title": "Tim Cook reportedly signed five-year $275bn deal with Chinese officials", - "description": "

    The Information reports Apple CEO’s agreement will placate threats that would have hobbled its devices and services in the country

    Tim Cook, the chief executive of Apple, signed an agreement with Chinese officials, estimated to be worth about $275bn, to placate threats that would have hobbled its devices and services in the country, The Information reported on Tuesday.

    Apple did not immediately respond to a Reuters request for comment.

    Continue reading...", - "content": "

    The Information reports Apple CEO’s agreement will placate threats that would have hobbled its devices and services in the country

    Tim Cook, the chief executive of Apple, signed an agreement with Chinese officials, estimated to be worth about $275bn, to placate threats that would have hobbled its devices and services in the country, The Information reported on Tuesday.

    Apple did not immediately respond to a Reuters request for comment.

    Continue reading...", - "category": "Apple", - "link": "https://www.theguardian.com/technology/2021/dec/07/apple-china-deal-tim-cook", - "creator": "Reuters", - "pubDate": "2021-12-07T20:30:35Z", + "title": "Covid news live: Omicron likely to be dominant strain in UK ‘within weeks’; Japan confirms third case", + "description": "

    Expert says probably already 1,000 cases in UK; man who had been in Italy becomes Japan’s third person identified with Omicron

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "content": "

    Expert says probably already 1,000 cases in UK; man who had been in Italy becomes Japan’s third person identified with Omicron

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-12-06T09:33:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122136,16 +148573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "907287d2f9172cc48c976c0ceec09351" + "hash": "79021f18f81d970a7822bc8390c86a72" }, { - "title": "Tennis Australia denies seeking loopholes for unvaccinated players amid Novak Djokovic row", - "description": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated after Djokovic, who has not revealed his vaccination status, named for Serbia in ATP cup

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, amid speculation about Novak Djokovic’s ability to enter the country.

    On Wednesday morning, Victoria’s deputy premier, James Merlino, responded to a report that the world No 1 had the backing of Tennis Australia – the organisers of the Open – to apply for an exemption on medical grounds after repeatedly refusing to reveal his vaccination status.

    Continue reading...", - "content": "

    Australian Open organisers say ‘all players, participants and staff’ must be vaccinated after Djokovic, who has not revealed his vaccination status, named for Serbia in ATP cup

    Tennis Australia has hit back at suggestions it is seeking to exploit a “loophole” in border entry rules so unvaccinated players can compete in the upcoming Australian Open, amid speculation about Novak Djokovic’s ability to enter the country.

    On Wednesday morning, Victoria’s deputy premier, James Merlino, responded to a report that the world No 1 had the backing of Tennis Australia – the organisers of the Open – to apply for an exemption on medical grounds after repeatedly refusing to reveal his vaccination status.

    Continue reading...", - "category": "Tennis", - "link": "https://www.theguardian.com/sport/2021/dec/08/tennis-australia-denies-seeking-loopholes-for-unvaccinated-players-amid-novak-djokovic-row", - "creator": "Elias Visontay", - "pubDate": "2021-12-08T04:41:05Z", + "title": "Mountaineer given jewels he found on French glacier 50 years after plane crash", + "description": "

    Gemstones worth €300,000 shared between Mont Blanc climber and authorities as man praised for handing discovery to police in 2013

    A treasure trove of emeralds, rubies and sapphires buried for decades on a glacier off France’s Mont Blanc has finally been shared between the climber who discovered them and local authorities, eight years after they were found.

    The mountaineer stumbled across the precious stones in 2013. They had remained hidden in a metal box that was onboard an Indian plane that crashed in the desolate landscape some 50 years earlier.

    Continue reading...", + "content": "

    Gemstones worth €300,000 shared between Mont Blanc climber and authorities as man praised for handing discovery to police in 2013

    A treasure trove of emeralds, rubies and sapphires buried for decades on a glacier off France’s Mont Blanc has finally been shared between the climber who discovered them and local authorities, eight years after they were found.

    The mountaineer stumbled across the precious stones in 2013. They had remained hidden in a metal box that was onboard an Indian plane that crashed in the desolate landscape some 50 years earlier.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/06/mountaineer-given-jewels-he-found-on-french-glacier-50-years-after-plane-crash", + "creator": "Agence France-Presse", + "pubDate": "2021-12-06T01:03:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122156,16 +148593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26427c3522072afbcfa9a3aa9fe9fbc0" + "hash": "52940123fec7f8d520ab49fe1bbbdfa3" }, { - "title": "A Christmas beetle: in Europe they’re called ‘cockchafers’ | Helen Sullivan", - "description": "

    In 1479 beetles were put on trial for ‘creeping secretly in the earth’

    If you hold a Christmas beetle – small, brown, mechanical – in the palm of your hand, it moves as though under a spell. The spell commands it to keep walking, to burrow its surprisingly strong legs endlessly forwards, like the end of the year growing steadily nearer and just as steadily receding.

    In Europe, Christmas beetles are called “cockchafers”. In the year 1478, they appeared in a French court to stand trial on the charge of having been sent by witches to destroy the laity’s crops (and jeopardise the church’s tithes).

    Continue reading...", - "content": "

    In 1479 beetles were put on trial for ‘creeping secretly in the earth’

    If you hold a Christmas beetle – small, brown, mechanical – in the palm of your hand, it moves as though under a spell. The spell commands it to keep walking, to burrow its surprisingly strong legs endlessly forwards, like the end of the year growing steadily nearer and just as steadily receding.

    In Europe, Christmas beetles are called “cockchafers”. In the year 1478, they appeared in a French court to stand trial on the charge of having been sent by witches to destroy the laity’s crops (and jeopardise the church’s tithes).

    Continue reading...", - "category": "Insects", - "link": "https://www.theguardian.com/environment/commentisfree/2021/dec/08/a-christmas-beetle-in-england-theyre-called-cockchafers", - "creator": "Helen Sullivan", - "pubDate": "2021-12-07T16:30:19Z", + "title": "Far-right French presidential candidate put in headlock by protester at rally", + "description": "

    Éric Zemmour formally declared his candidacy on Tuesday, highlighting his anti-migrant and anti-Islam views

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, a few days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked.

    Continue reading...", + "content": "

    Éric Zemmour formally declared his candidacy on Tuesday, highlighting his anti-migrant and anti-Islam views

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, a few days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/05/far-right-french-presidential-candidate-put-in-headlock-by-protester-at-rally", + "creator": "Guardian staff and agency", + "pubDate": "2021-12-05T20:32:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122176,16 +148613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e24f7ef64fa75a3668e39353a4be26c7" + "hash": "bc507b81dfa0e68c782ef3284cd84693" }, { - "title": "‘If you run, you will die’: fear stalks Nigerian state as jihadists gain foothold", - "description": "

    Niger state has been wracked by banditry for years. Now jihadists have moved in to communities just a few hundred miles from the capital, Abuja

    “They ordered everyone to come around, saying if you run, if you cry, you will die,” said Bala Pada, recalling the moment in April when jihadists rounded up people at a market in his home town of Kaure to witness the execution of two alleged vigilantes.

    Hundreds of jihadists have settled over the past year in Kaure and other remote communities in Niger state in Nigeria, according to displaced residents and local government officials. They began to arrive in November 2020, hoisting flags and declaring the communities under their control.

    Continue reading...", - "content": "

    Niger state has been wracked by banditry for years. Now jihadists have moved in to communities just a few hundred miles from the capital, Abuja

    “They ordered everyone to come around, saying if you run, if you cry, you will die,” said Bala Pada, recalling the moment in April when jihadists rounded up people at a market in his home town of Kaure to witness the execution of two alleged vigilantes.

    Hundreds of jihadists have settled over the past year in Kaure and other remote communities in Niger state in Nigeria, according to displaced residents and local government officials. They began to arrive in November 2020, hoisting flags and declaring the communities under their control.

    Continue reading...", - "category": "Nigeria", - "link": "https://www.theguardian.com/world/2021/dec/08/nigeria-niger-state-jihadists-boko-haram-abuja-banditry", - "creator": "Emmanuel Akinwotu in Gwada", - "pubDate": "2021-12-08T05:00:33Z", + "title": "Mount Semeru volcano: search for survivors suspended amid fresh eruption in Indonesia", + "description": "

    Search to resume when ‘a bit safer’, rescuer says, while some residents reported to have returned home after weekend eruption to check belongings

    Indonesia’s Mount Semeru spewed more ash on Monday, forcing rescuers to suspend the search for survivors as aerial images showed the extent of the devastation unleashed by the volcano’s deadly weekend eruption.

    People living near the volcano were earlier on Monday warned to remain vigilant after the eruption, as heavy wind and rain brought search-and-rescue efforts to a halt.

    Continue reading...", + "content": "

    Search to resume when ‘a bit safer’, rescuer says, while some residents reported to have returned home after weekend eruption to check belongings

    Indonesia’s Mount Semeru spewed more ash on Monday, forcing rescuers to suspend the search for survivors as aerial images showed the extent of the devastation unleashed by the volcano’s deadly weekend eruption.

    People living near the volcano were earlier on Monday warned to remain vigilant after the eruption, as heavy wind and rain brought search-and-rescue efforts to a halt.

    Continue reading...", + "category": "Volcanoes", + "link": "https://www.theguardian.com/world/2021/dec/06/semeru-volcano-eruption-stormy-weather-halts-search-and-rescue-efforts-in-indonesia", + "creator": "Guardian staff with agencies", + "pubDate": "2021-12-06T06:48:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122196,16 +148633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2c0f7f82f79a67d7b0a2c7d014eb524b" + "hash": "96100e74e1fc7bf5bd024bb40964e3b6" }, { - "title": "‘It’s soul-crushing’: the shocking story of Guantánamo Bay’s ‘forever prisoner’", - "description": "

    In Alex Gibney’s harrowing documentary, the tale of Abu Zubaydah, seen as patient zero for the CIA’s torture programme, is explored with horrifying new details

    From “a black site” in Thailand in 2002, CIA officers warned headquarters that their interrogation techniques might result in the death of a prisoner. If that happened, he would be cremated, leaving no trace. But if he survived, could the CIA offer assurance that he would be remain in isolation?

    It could. Abu Zubaydah, the agency said in a cable, “will never be placed in a situation where he has any significant contact with others” and “should remain incommunicado for the remainder of his life”.

    Continue reading...", - "content": "

    In Alex Gibney’s harrowing documentary, the tale of Abu Zubaydah, seen as patient zero for the CIA’s torture programme, is explored with horrifying new details

    From “a black site” in Thailand in 2002, CIA officers warned headquarters that their interrogation techniques might result in the death of a prisoner. If that happened, he would be cremated, leaving no trace. But if he survived, could the CIA offer assurance that he would be remain in isolation?

    It could. Abu Zubaydah, the agency said in a cable, “will never be placed in a situation where he has any significant contact with others” and “should remain incommunicado for the remainder of his life”.

    Continue reading...", - "category": "Documentary", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/07/the-forever-prisoner-hbo-alex-gibney-guantanamo-bay", - "creator": "David Smith in Washington", - "pubDate": "2021-12-07T15:33:29Z", + "title": "China ‘modified’ the weather to create clear skies for political celebration – study", + "description": "

    Researchers say Beijing used cloud-seeding to create artificial rain and lower pollution in July, in latest example of ‘blueskying’ efforts

    Chinese weather authorities successfully controlled the weather ahead of a major political celebration earlier this year, according to a Beijing university study.

    On 1 July the Chinese Communist party marked its centenary with major celebrations including tens of thousands of people at a ceremony in Tiananmen Square, and a research paper from Tsinghua University has said an extensive cloud-seeding operation in the hours prior ensured clear skies and low air pollution.

    Continue reading...", + "content": "

    Researchers say Beijing used cloud-seeding to create artificial rain and lower pollution in July, in latest example of ‘blueskying’ efforts

    Chinese weather authorities successfully controlled the weather ahead of a major political celebration earlier this year, according to a Beijing university study.

    On 1 July the Chinese Communist party marked its centenary with major celebrations including tens of thousands of people at a ceremony in Tiananmen Square, and a research paper from Tsinghua University has said an extensive cloud-seeding operation in the hours prior ensured clear skies and low air pollution.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/dec/06/china-modified-the-weather-to-create-clear-skies-for-political-celebration-study", + "creator": "Helen Davidson", + "pubDate": "2021-12-06T04:28:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122216,16 +148653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "65de49e5dfd0d42aa5b5df8a83e77d7d" + "hash": "c321365769d7d782ba7054042c9cfc64" }, { - "title": "Australia news live update: Victoria and Qld record first cases of Omicron Covid variant; TGA provisionally approves Moderna booster shot", - "description": "

    TGA provisionally approves Moderna booster shots for over-18s; two cases of Omicron variant detected in Queensland and one in Victoria; George Christensen should go ‘quietly’ into retirement, Scott Morrison says; China blames Australia for tense relationship after Winter Olympics boycott; Victoria records 1,312 new Covid cases and five deaths; NSW reports 403 cases, one death; eight cases and one death in ACT. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", - "content": "

    TGA provisionally approves Moderna booster shots for over-18s; two cases of Omicron variant detected in Queensland and one in Victoria; George Christensen should go ‘quietly’ into retirement, Scott Morrison says; China blames Australia for tense relationship after Winter Olympics boycott; Victoria records 1,312 new Covid cases and five deaths; NSW reports 403 cases, one death; eight cases and one death in ACT. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/08/australia-news-live-update-sydney-party-boat-covid-cases-likely-to-be-omicron-pfizer-enthusiastic-to-talk-to-australia", - "creator": "Mostafa Rachwani (now) and Matilda Boseley (earlier)", - "pubDate": "2021-12-08T04:43:28Z", + "title": "China Evergrande shares plummet 12% as it edges closer to default", + "description": "

    After warning that it might not be able to meet repayments with $82.5m due on Monday, the property giant appears headed for restructuring

    The struggling Chinese property developer Evergrande has seen its shares plunge to an 11-year low after strong indications that it is on the verge of a potentially disastrous default and could be forced into a full-blown restructuring.

    The company has lurched from one crisis to another in recent months as it faced a series of repayments on debts – three times waiting until the last possible moment to stump up the cash needed to stay afloat.

    Continue reading...", + "content": "

    After warning that it might not be able to meet repayments with $82.5m due on Monday, the property giant appears headed for restructuring

    The struggling Chinese property developer Evergrande has seen its shares plunge to an 11-year low after strong indications that it is on the verge of a potentially disastrous default and could be forced into a full-blown restructuring.

    The company has lurched from one crisis to another in recent months as it faced a series of repayments on debts – three times waiting until the last possible moment to stump up the cash needed to stay afloat.

    Continue reading...", + "category": "Evergrande", + "link": "https://www.theguardian.com/business/2021/dec/06/evergrande-shares-plummet-12-as-it-edges-closer-to-default", + "creator": "Martin Farrer", + "pubDate": "2021-12-06T05:51:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122236,16 +148673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a5bcb11f91adf3cf847aff2508697f66" + "hash": "d9b3463654c652f8053de16995c841c6" }, { - "title": "Campaigners threaten UK legal action over porn sites’ lack of age verification", - "description": "

    Exclusive: failure to prevent children seeing online porn puts them at risk of abuse and lifelong trauma, say children’s safety group

    The UK data watchdog must introduce age verification for commercial pornography sites or face a high court challenge over any failure to act, children’s safety groups have warned.

    The demand in a letter to the Information Commissioner’s Office (ICO) states that the government’s failure to stop children seeing porn is causing lifelong trauma and putting children at risk of abuse and exploitation. It urges the ICO to use the powers under the recently introduced age appropriate design code (AADC) to introduce rigorous age-checking procedures for publicly accessible porn sites.

    Continue reading...", - "content": "

    Exclusive: failure to prevent children seeing online porn puts them at risk of abuse and lifelong trauma, say children’s safety group

    The UK data watchdog must introduce age verification for commercial pornography sites or face a high court challenge over any failure to act, children’s safety groups have warned.

    The demand in a letter to the Information Commissioner’s Office (ICO) states that the government’s failure to stop children seeing porn is causing lifelong trauma and putting children at risk of abuse and exploitation. It urges the ICO to use the powers under the recently introduced age appropriate design code (AADC) to introduce rigorous age-checking procedures for publicly accessible porn sites.

    Continue reading...", - "category": "Internet safety", - "link": "https://www.theguardian.com/global-development/2021/dec/05/campaigners-threaten-uk-legal-action-over-porn-sites-lack-of-age-verification", - "creator": "Harriet Grant and Dan Milmo", - "pubDate": "2021-12-05T16:00:01Z", + "title": "Omicron is a ‘wake-up call’ to vaccinate poorer nations, experts say", + "description": "

    Covid vaccine rollout must reach developing world to prevent further variants, experts say

    Failure to vaccinate the world against coronavirus created the perfect breeding ground for the emergence of the Omicron variant and should serve as a wake-up call to wealthy nations, campaigners have said.

    Scientists and global health experts have called for action since the summer to tackle the crisis of vaccine inequality between rich and poor countries. The longer large parts of the world remained unvaccinated, they said, the more likely the virus was to mutate significantly.

    Continue reading...", + "content": "

    Covid vaccine rollout must reach developing world to prevent further variants, experts say

    Failure to vaccinate the world against coronavirus created the perfect breeding ground for the emergence of the Omicron variant and should serve as a wake-up call to wealthy nations, campaigners have said.

    Scientists and global health experts have called for action since the summer to tackle the crisis of vaccine inequality between rich and poor countries. The longer large parts of the world remained unvaccinated, they said, the more likely the virus was to mutate significantly.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/06/omicron-wake-up-call-to-vaccinate-poorer-nations-covid", + "creator": "Andrew Gregory Health editor", + "pubDate": "2021-12-06T00:01:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122256,16 +148693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a43ccd98f8c272554639f9c44f9f8a64" + "hash": "fb464f7f0a4fab96c57ec66785e183d1" }, { - "title": "The latest challenge to Joe Biden’s presidency: the Omicron variant", - "description": "

    Analysis: after he promised to crush the coronavirus, the rise of a new strain could be a blow to perceptions of his competency

    Joe Biden looked out at an audience of government scientists last week and recognized a mask-wearing Anthony Fauci, his top adviser on the coronavirus. “I’ve seen more of Dr Fauci than my wife,” he joked. “Who’s president? Fauci!”

    The US president was visiting the frontline of the Covid-19 struggle, the National Institutes of Health in Bethesda, Maryland, where he unveiled a winter plan that includes a drive for vaccine boosters, free at-home testing and fresh requirements for international travelers.

    Continue reading...", - "content": "

    Analysis: after he promised to crush the coronavirus, the rise of a new strain could be a blow to perceptions of his competency

    Joe Biden looked out at an audience of government scientists last week and recognized a mask-wearing Anthony Fauci, his top adviser on the coronavirus. “I’ve seen more of Dr Fauci than my wife,” he joked. “Who’s president? Fauci!”

    The US president was visiting the frontline of the Covid-19 struggle, the National Institutes of Health in Bethesda, Maryland, where he unveiled a winter plan that includes a drive for vaccine boosters, free at-home testing and fresh requirements for international travelers.

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/2021/dec/05/biden-administration-coronavirus-omicron", - "creator": "David Smith in Washington", - "pubDate": "2021-12-05T08:00:49Z", + "title": "Belgian police fire water cannon at anti-lockdown protests", + "description": "

    Two officers and four protesters hospitalised, and 20 people arrested, after clashes in Brussels

    Belgian police have fired water cannon and used teargas to disperse protesters opposed to compulsory health measures against the coronavirus pandemic.

    About 8,000 people marched through Brussels towards the headquarters of the EU, chanting “freedom” and letting off fireworks.

    Continue reading...", + "content": "

    Two officers and four protesters hospitalised, and 20 people arrested, after clashes in Brussels

    Belgian police have fired water cannon and used teargas to disperse protesters opposed to compulsory health measures against the coronavirus pandemic.

    About 8,000 people marched through Brussels towards the headquarters of the EU, chanting “freedom” and letting off fireworks.

    Continue reading...", + "category": "Belgium", + "link": "https://www.theguardian.com/world/2021/dec/05/belgian-police-fire-water-cannon-at-anti-lockdown-protests", + "creator": "Agence France-Presse", + "pubDate": "2021-12-05T22:54:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122276,16 +148713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6564ed938297b12b1b692405169c35f0" + "hash": "90d92edb36f36db3adb053ea5ad78cfd" }, { - "title": "Scientists find ‘stealth’ version of Omicron that may be harder to track", - "description": "

    Variant lacks feature that allows probable cases to be distinguished among positive PCR tests

    Scientists say they have identified a “stealth” version of Omicron which cannot be distinguished from other variants using the PCR tests that public health officials deploy to gain a quick picture of its spread around the world.

    The stealth variant has many mutations in common with standard Omicron, but it lacks a particular genetic change that allows lab-based PCR tests to be used as a rough and ready means of flagging up probable cases.

    Continue reading...", - "content": "

    Variant lacks feature that allows probable cases to be distinguished among positive PCR tests

    Scientists say they have identified a “stealth” version of Omicron which cannot be distinguished from other variants using the PCR tests that public health officials deploy to gain a quick picture of its spread around the world.

    The stealth variant has many mutations in common with standard Omicron, but it lacks a particular genetic change that allows lab-based PCR tests to be used as a rough and ready means of flagging up probable cases.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/07/scientists-find-stealth-version-of-omicron-not-identifiable-with-pcr-test-covid-variant", - "creator": "Ian Sample and Peter Walker", - "pubDate": "2021-12-07T16:44:09Z", + "title": "A new start after 60: ‘I was done. Burnt out. Then I moved into a motorhome and found freedom’", + "description": "

    After suffering bereavements and a dark period in her 50s, Siobhan Daniels, 62, decided to embrace adventure. So she swapped her flat for life on the road

    Siobhan Daniels is giving a virtual tour of her home. “I’ve got my gin bar,” she says, flicking on decorative lights, “an oven big enough for Christmas lunch ... and a full-size shower and toilet.” The moment she walked in, she knew it was the home for her. She gave up her flat in Kent, disposed of most possessions – and moved into this two-berth Auto-Trail Tribute motorhome.

    Daniels, 62, is speaking from a farm in Dorset, where she volunteers in exchange for free electric hook-up. She has recently travelled south from Scotland, where she arrived via Sussex, Herefordshire and the Brecon Beacons. Of course, everywhere now is both an arrival and a departure. “I lie here and look at the map and think: ‘Where am I? Where do I want to go?’ It’s as random as that.”

    Tell us: has your life taken a new direction after the age of 60?

    Continue reading...", + "content": "

    After suffering bereavements and a dark period in her 50s, Siobhan Daniels, 62, decided to embrace adventure. So she swapped her flat for life on the road

    Siobhan Daniels is giving a virtual tour of her home. “I’ve got my gin bar,” she says, flicking on decorative lights, “an oven big enough for Christmas lunch ... and a full-size shower and toilet.” The moment she walked in, she knew it was the home for her. She gave up her flat in Kent, disposed of most possessions – and moved into this two-berth Auto-Trail Tribute motorhome.

    Daniels, 62, is speaking from a farm in Dorset, where she volunteers in exchange for free electric hook-up. She has recently travelled south from Scotland, where she arrived via Sussex, Herefordshire and the Brecon Beacons. Of course, everywhere now is both an arrival and a departure. “I lie here and look at the map and think: ‘Where am I? Where do I want to go?’ It’s as random as that.”

    Tell us: has your life taken a new direction after the age of 60?

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/06/a-new-start-after-60-i-was-done-burnt-out-then-i-moved-into-a-motorhome-and-found-freedom", + "creator": "Paula Cocozza", + "pubDate": "2021-12-06T06:00:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122296,16 +148733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c0cb614aa44869843b30eace5c834a1f" + "hash": "3265698eebf5818d6a9aec2320b1420a" }, { - "title": "Prepare a swift response to Russia invading Ukraine, Latvia tells west", - "description": "

    Nato not sending a clear signal would mean ‘glue that keeps us together’ has failed, says foreign minister

    A swift reprisal package against Russia – including US troops and Patriot missiles stationed in the Baltics, the cutting off of Russia from the Swift banking payments system and reinstated sanctions on the Nord Stream 2 gas pipeline – must be prepared now in case it invades Ukraine, the Latvian foreign minister has said.

    The warning from Edgars Rinkēvičs comes as Joe Biden and Vladimir Putin prepare to hold talks about the growing tensions.

    Continue reading...", - "content": "

    Nato not sending a clear signal would mean ‘glue that keeps us together’ has failed, says foreign minister

    A swift reprisal package against Russia – including US troops and Patriot missiles stationed in the Baltics, the cutting off of Russia from the Swift banking payments system and reinstated sanctions on the Nord Stream 2 gas pipeline – must be prepared now in case it invades Ukraine, the Latvian foreign minister has said.

    The warning from Edgars Rinkēvičs comes as Joe Biden and Vladimir Putin prepare to hold talks about the growing tensions.

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/07/ukraine-russia-latvia-foreign-minister-invasion-warning", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-07T13:13:28Z", + "title": "‘Optimism is the only way forward’: the exhibition that imagines our future", + "description": "

    At a new exhibition at the reopening of the Smithsonian Arts and Industries Building, technology and designs for a better future are on display

    If America has stood for anything, it’s surely forward-looking optimism. In New York, Chicago, Detroit and other shining cities, its soaring skyscrapers pointed to the future. But has the bubble burst in the 21st century?

    “We don’t see ourselves striding toward a better tomorrow,” columnist Frank Bruni wrote in the New York Times last month, citing research that found 71% of Americans believe that this country is on the wrong track. “We see ourselves tiptoeing around catastrophe. That was true even before Covid. That was true even before Trump.”

    Continue reading...", + "content": "

    At a new exhibition at the reopening of the Smithsonian Arts and Industries Building, technology and designs for a better future are on display

    If America has stood for anything, it’s surely forward-looking optimism. In New York, Chicago, Detroit and other shining cities, its soaring skyscrapers pointed to the future. But has the bubble burst in the 21st century?

    “We don’t see ourselves striding toward a better tomorrow,” columnist Frank Bruni wrote in the New York Times last month, citing research that found 71% of Americans believe that this country is on the wrong track. “We see ourselves tiptoeing around catastrophe. That was true even before Covid. That was true even before Trump.”

    Continue reading...", + "category": "Art", + "link": "https://www.theguardian.com/artanddesign/2021/dec/06/futures-smithsonian-exhibition-washington-art-design", + "creator": "David Smith in Washington", + "pubDate": "2021-12-06T06:31:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122316,16 +148753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ebbafa5b9060d9ee54a0b7eca0e3a9ea" + "hash": "9a8cc745d77136d490d90d44057cbef3" }, { - "title": "French police arrest man in connection with Jamal Khashoggi killing", - "description": "

    Police say man, named as Khalid Aedh al-Otaibi, was arrested as he was about to board flight from Paris to Riyadh

    French police have arrested a man on suspicion of being a former member of the Saudi royal guard accused of being involved in the murder of journalist Jamal Khashoggi.

    The man, named as Khalid Aedh al-Otaibi, was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", - "content": "

    Police say man, named as Khalid Aedh al-Otaibi, was arrested as he was about to board flight from Paris to Riyadh

    French police have arrested a man on suspicion of being a former member of the Saudi royal guard accused of being involved in the murder of journalist Jamal Khashoggi.

    The man, named as Khalid Aedh al-Otaibi, was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", - "category": "Jamal Khashoggi", - "link": "https://www.theguardian.com/world/2021/dec/07/one-of-suspected-killers-of-jamal-khashoggi-held-in-paris-say-reports", - "creator": "Kim Willsher in Paris and Stephanie Kirchgaessner in Washington", - "pubDate": "2021-12-07T22:07:50Z", + "title": "The big idea: How much do we really want to know about our genes?", + "description": "

    Genetic data will soon be accessible like never before. The implications for our health are huge

    While at the till in a clothes shop, Ruby received a call. She recognised the woman’s voice as the genetic counsellor she had recently seen, and asked if she could try again in five minutes. Ruby paid for her clothes, went to her car, and waited alone. Something about the counsellor’s voice gave away what was coming.

    The woman called back and said Ruby’s genetic test results had come in. She did indeed carry the mutation they had been looking for. Ruby had inherited a faulty gene from her father, the one that had caused his death aged 36 from a connective tissue disorder that affected his heart. It didn’t seem the right situation in which to receive such news but, then again, how else could it happen? The phone call lasted just a few minutes. The counsellor asked if Ruby had any questions, but she couldn’t think of anything. She rang off, called her husband and cried. The main thing she was upset about was the thought of her children being at risk.

    Continue reading...", + "content": "

    Genetic data will soon be accessible like never before. The implications for our health are huge

    While at the till in a clothes shop, Ruby received a call. She recognised the woman’s voice as the genetic counsellor she had recently seen, and asked if she could try again in five minutes. Ruby paid for her clothes, went to her car, and waited alone. Something about the counsellor’s voice gave away what was coming.

    The woman called back and said Ruby’s genetic test results had come in. She did indeed carry the mutation they had been looking for. Ruby had inherited a faulty gene from her father, the one that had caused his death aged 36 from a connective tissue disorder that affected his heart. It didn’t seem the right situation in which to receive such news but, then again, how else could it happen? The phone call lasted just a few minutes. The counsellor asked if Ruby had any questions, but she couldn’t think of anything. She rang off, called her husband and cried. The main thing she was upset about was the thought of her children being at risk.

    Continue reading...", + "category": "Genetics", + "link": "https://www.theguardian.com/books/2021/dec/06/the-big-idea-how-much-do-we-really-want-to-know-about-our-genes", + "creator": "Daniel M Davis", + "pubDate": "2021-12-06T08:00:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122336,16 +148773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "73d23ddecd5c622077966bbb6db98462" + "hash": "38f9e6d3f1a8a2402b68d0302987d899" }, { - "title": "Trump’s social media platform hits roadblocks as major political battle looms", - "description": "

    ‘Truth Social’ purportedly plans to challenge Twitter and Facebook, platforms that have banned or curbed the ex-president

    Donald Trump’s plan to launch “Truth Social”, a special purpose acquisitions backed social media company early next year may have hit a roadblock after US regulators issued a request for information on the deal on Monday.

    The request from the SEC and the Financial Industry Regulatory Authority for information from Digital World Acquisition Corp (DWAC), a blank-check SPAC that is set to merge with Trump Media & Technology Group, comes as a powerful Republican congressman, Devin Nunes, announced he was stepping out of politics to join the Trump media venture as CEO.

    Continue reading...", - "content": "

    ‘Truth Social’ purportedly plans to challenge Twitter and Facebook, platforms that have banned or curbed the ex-president

    Donald Trump’s plan to launch “Truth Social”, a special purpose acquisitions backed social media company early next year may have hit a roadblock after US regulators issued a request for information on the deal on Monday.

    The request from the SEC and the Financial Industry Regulatory Authority for information from Digital World Acquisition Corp (DWAC), a blank-check SPAC that is set to merge with Trump Media & Technology Group, comes as a powerful Republican congressman, Devin Nunes, announced he was stepping out of politics to join the Trump media venture as CEO.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/07/trump-social-media-platform-roadblocks", - "creator": "Edward Helmore", - "pubDate": "2021-12-07T17:04:55Z", + "title": "Female Royal Navy staff back calls for rape cases to be tried in civilian courts", + "description": "

    An amendment to the Armed Forces Bill recommends rapes cases should not be heard under courts martial

    A serving member of the Royal Navy, who took legal action against the Ministry of Defence after her rape case collapsed, has backed calls for serious offences to be investigated and tried through the civilian courts rather than the military system.

    The woman, known as Servicewoman A, has called on the government to accept an amendment to the Armed Forces Bill, which she says will “encourage more women to come forward” and protect them from the “appalling consequences” of reporting rape within their unit.

    Continue reading...", + "content": "

    An amendment to the Armed Forces Bill recommends rapes cases should not be heard under courts martial

    A serving member of the Royal Navy, who took legal action against the Ministry of Defence after her rape case collapsed, has backed calls for serious offences to be investigated and tried through the civilian courts rather than the military system.

    The woman, known as Servicewoman A, has called on the government to accept an amendment to the Armed Forces Bill, which she says will “encourage more women to come forward” and protect them from the “appalling consequences” of reporting rape within their unit.

    Continue reading...", + "category": "Royal Navy", + "link": "https://www.theguardian.com/uk-news/2021/dec/06/female-royal-navy-staff-back-calls-for-cases-to-be-tried-in-civilian-courts", + "creator": "Jamie Grierson", + "pubDate": "2021-12-06T00:01:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122356,16 +148793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d791ef29d46b2c27305a49c0cce898d8" + "hash": "e759ac13a9f10836a9801da30ba73a90" }, { - "title": "South Korea hospitals under intense pressure amid record 7,175 Covid cases in a day", - "description": "

    Rise in infections attributed to young people who have yet to be fully vaccinated and older citizens who have not received boosters

    South Korea has reported a record daily total of 7,175 new Covid cases as officials urged people to complete their vaccinations.

    The prime minister, Kim Boo-kyum, warned that hospitals were coming under intense pressure amid a rise in serious cases, days after the government announced a return to stricter restrictions on social gatherings.

    Continue reading...", - "content": "

    Rise in infections attributed to young people who have yet to be fully vaccinated and older citizens who have not received boosters

    South Korea has reported a record daily total of 7,175 new Covid cases as officials urged people to complete their vaccinations.

    The prime minister, Kim Boo-kyum, warned that hospitals were coming under intense pressure amid a rise in serious cases, days after the government announced a return to stricter restrictions on social gatherings.

    Continue reading...", - "category": "South Korea", - "link": "https://www.theguardian.com/world/2021/dec/08/south-korea-hospitals-under-pressure-as-record-7175-covid-cases-in-a-day", - "creator": "Justin McCurry in Tokyo", - "pubDate": "2021-12-08T02:57:59Z", + "title": "French election polls: who is leading the race to be the next president of France?", + "description": "

    Emmanuel Macron and the far-right hopeful Marine Le Pen look set to be joined by numerous other candidates in the French presidential election. We look at the latest polling, and introduce some of the most likely candidates

    France will vote to elect a new president in April, and the list of competitors became clearer on Saturday with the nomination of the centre-right Les Républicains party’s candidate, Valérie Pécresse.

    The current president, Emmanuel Macron, has yet to declare his candidacy but is expected to run again. His second-round opponent from 2017, the far-right populist Marine Le Pen, has already launched her campaign.

    Continue reading...", + "content": "

    Emmanuel Macron and the far-right hopeful Marine Le Pen look set to be joined by numerous other candidates in the French presidential election. We look at the latest polling, and introduce some of the most likely candidates

    France will vote to elect a new president in April, and the list of competitors became clearer on Saturday with the nomination of the centre-right Les Républicains party’s candidate, Valérie Pécresse.

    The current president, Emmanuel Macron, has yet to declare his candidacy but is expected to run again. His second-round opponent from 2017, the far-right populist Marine Le Pen, has already launched her campaign.

    Continue reading...", + "category": "Emmanuel Macron", + "link": "https://www.theguardian.com/world/ng-interactive/2021/dec/03/french-election-polls-who-is-leading-the-race-to-be-the-next-president-of-france", + "creator": "Seán Clarke and Angelique Chrisafis", + "pubDate": "2021-12-06T08:24:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122376,16 +148813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5d96eb10ea9651cc958790707a4f471a" + "hash": "ff113ee2c6c46a85b94d268f115c435d" }, { - "title": "Don’t Look Up review – slapstick apocalypse according to DiCaprio and Lawrence", - "description": "

    Adam McKay’s laboured satire challenges political indifference to looming comet catastrophe but misses out on the comedy

    Having long complained that movies aren’t engaging with the most vital issue of our time – the climate crisis – it’s perhaps churlish of me not to be glad when one comes along that does exactly that. But Adam McKay’s laboured, self-conscious and unrelaxed satire Don’t Look Up is like a 145-minute Saturday Night Live sketch with neither the brilliant comedy of Succession, which McKay co-produces, nor the seriousness that the subject might otherwise require. It is as if the sheer unthinkability of the crisis can only be contained and represented in self-aware slapstick mode.

    With knockabout hints of Dr Strangelove, Network and Wag the Dog, Don’t Look Up is about two astronomers discovering that a Mount Everest-sized comet is due in six months’ time to hit planet Earth and wipe out all human life. The scientists urgently present their findings to the White House, but find that the political and media classes can’t or won’t grasp what they are saying: too stupefied with consumerism, short-termism and social-media gossip, and insidiously paralysed by the interests of big tech. Leonardo DiCaprio plays nerdy, bearded astronomer Dr Randall Mindy, nervous of human interaction and addicted to Xanax. Jennifer Lawrence is his smart, emotionally spiky grad student Kate Dibiasky. Meryl Streep is the panto-villain president, Jonah Hill her son and chief-of-staff, and Mark Rylance is the creepy Brit tech mogul Sir Peter Isherwell.

    Continue reading...", - "content": "

    Adam McKay’s laboured satire challenges political indifference to looming comet catastrophe but misses out on the comedy

    Having long complained that movies aren’t engaging with the most vital issue of our time – the climate crisis – it’s perhaps churlish of me not to be glad when one comes along that does exactly that. But Adam McKay’s laboured, self-conscious and unrelaxed satire Don’t Look Up is like a 145-minute Saturday Night Live sketch with neither the brilliant comedy of Succession, which McKay co-produces, nor the seriousness that the subject might otherwise require. It is as if the sheer unthinkability of the crisis can only be contained and represented in self-aware slapstick mode.

    With knockabout hints of Dr Strangelove, Network and Wag the Dog, Don’t Look Up is about two astronomers discovering that a Mount Everest-sized comet is due in six months’ time to hit planet Earth and wipe out all human life. The scientists urgently present their findings to the White House, but find that the political and media classes can’t or won’t grasp what they are saying: too stupefied with consumerism, short-termism and social-media gossip, and insidiously paralysed by the interests of big tech. Leonardo DiCaprio plays nerdy, bearded astronomer Dr Randall Mindy, nervous of human interaction and addicted to Xanax. Jennifer Lawrence is his smart, emotionally spiky grad student Kate Dibiasky. Meryl Streep is the panto-villain president, Jonah Hill her son and chief-of-staff, and Mark Rylance is the creepy Brit tech mogul Sir Peter Isherwell.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/08/dont-look-up-review-slapstick-apocalypse-according-to-dicaprio-and-lawrence", - "creator": "Peter Bradshaw", - "pubDate": "2021-12-08T00:01:27Z", + "title": "Poland plans to set up register of pregnancies to report miscarriages", + "description": "

    Proposed register would come into effect in January, a year after near-total ban on abortion

    Poland is planning to introduce a centralised register of pregnancies that would oblige doctors to report all pregnancies and miscarriages to the government.

    The proposed register would come into effect in January 2022, a year after Poland introduced a near-total ban on abortion.

    Continue reading...", + "content": "

    Proposed register would come into effect in January, a year after near-total ban on abortion

    Poland is planning to introduce a centralised register of pregnancies that would oblige doctors to report all pregnancies and miscarriages to the government.

    The proposed register would come into effect in January 2022, a year after Poland introduced a near-total ban on abortion.

    Continue reading...", + "category": "Poland", + "link": "https://www.theguardian.com/global-development/2021/dec/03/poland-plans-to-set-up-register-of-pregnancies-to-report-miscarriages", + "creator": "Weronika Strzyżyńska", + "pubDate": "2021-12-03T15:56:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122396,16 +148833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ca092cb121b2ea07c75f9d0d33411c6" + "hash": "bec9fce9d42ed6c9ee44afe64ffba81d" }, { - "title": "Kamala Harris is on to something: AirPods are bad | Julia Carrie Wong", - "description": "

    Cybersecurity experts confirm that Bluetooth signals can in fact be intercepted. And old-school earbuds have a level of retro cool

    AirPods are bad, people. I’ve said it for years. In 2016, when Apple first debuted the overpriced accessories, I wrote that wireless headphones were like tampons without strings – missing the crucial feature that helps you find them when you need to.

    As the years have gone by, I’ve clung steadfastly to my wired headphone sets. (I say headphone sets, plural, because I need two pairs, one to plug into the headphone jack in my laptop and one to plug into the non-headphone jack in my iPhone. I frequently think that the people I can’t hear on Zoom calls are on mute when I actually just have the wrong pair of earbuds in my ears. I don’t care; I won’t change.)

    Continue reading...", - "content": "

    Cybersecurity experts confirm that Bluetooth signals can in fact be intercepted. And old-school earbuds have a level of retro cool

    AirPods are bad, people. I’ve said it for years. In 2016, when Apple first debuted the overpriced accessories, I wrote that wireless headphones were like tampons without strings – missing the crucial feature that helps you find them when you need to.

    As the years have gone by, I’ve clung steadfastly to my wired headphone sets. (I say headphone sets, plural, because I need two pairs, one to plug into the headphone jack in my laptop and one to plug into the non-headphone jack in my iPhone. I frequently think that the people I can’t hear on Zoom calls are on mute when I actually just have the wrong pair of earbuds in my ears. I don’t care; I won’t change.)

    Continue reading...", - "category": "Technology", - "link": "https://www.theguardian.com/technology/2021/dec/07/kamala-harris-airpods-bad-people", - "creator": "Julia Carrie Wong", - "pubDate": "2021-12-07T20:09:20Z", + "title": "India’s ‘pencil village’ counts the cost of Covid school closures", + "description": "

    Ukhoo village in Kashmir supplies 90% of wood used in the country’s pencils, but the industry, a major employer in the area, has seen a dramatic drop in demand

    School closures in India during the pandemic have left their mark on more than the children who have seen delays to their learning. In one Kashmiri village the impact has been catastrophic on employment.

    Pick up a pencil anywhere across India and it is likely to come from the poplar trees of Ukhoo.

    Continue reading...", + "content": "

    Ukhoo village in Kashmir supplies 90% of wood used in the country’s pencils, but the industry, a major employer in the area, has seen a dramatic drop in demand

    School closures in India during the pandemic have left their mark on more than the children who have seen delays to their learning. In one Kashmiri village the impact has been catastrophic on employment.

    Pick up a pencil anywhere across India and it is likely to come from the poplar trees of Ukhoo.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/03/indias-pencil-village-counts-the-cost-of-covid-school-closures", + "creator": "Majid Maqbool in Ukhoo", + "pubDate": "2021-12-03T09:30:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122416,16 +148853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dff2d1f9efdf79a87961daca8a443e68" + "hash": "fbf5cb91bf096b56755ea5f1d7e6b86a" }, { - "title": "New faces, policies – and accents: Germany’s next coalition", - "description": "

    Olaf Scholz takes over from Angela Merkel and brings with him a northern accent typical of Hamburg

    Germany’s next coalition government, which will be sworn in on Wednesday, will come with a lineup of new faces, a new set of policy priorities and a new dose of energy. It will also speak with a distinctive accent.

    Olaf Scholz, the centre-left politician who will step into Angela Merkel’s shoes, is a man of the German north not only by upbringing but by voice. When the former mayor of Hamburg recently warned in parliament that Covid-19 had not yet been beaten, he leaned into the stretched out fricatives typical of Germany’s second-largest city: Scholz pronounces the word besiegt as besiecht.

    Continue reading...", - "content": "

    Olaf Scholz takes over from Angela Merkel and brings with him a northern accent typical of Hamburg

    Germany’s next coalition government, which will be sworn in on Wednesday, will come with a lineup of new faces, a new set of policy priorities and a new dose of energy. It will also speak with a distinctive accent.

    Olaf Scholz, the centre-left politician who will step into Angela Merkel’s shoes, is a man of the German north not only by upbringing but by voice. When the former mayor of Hamburg recently warned in parliament that Covid-19 had not yet been beaten, he leaned into the stretched out fricatives typical of Germany’s second-largest city: Scholz pronounces the word besiegt as besiecht.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/07/new-faces-policies-and-accents-germanys-next-coalition", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-12-07T17:01:48Z", + "title": "Covid news live: Omicron found in one-third of US states but early reports on severity are ‘encouraging’, Fauci says", + "description": "

    Variant detected in 16 US states so far; the threat appears to be less severe than Delta with signals so far ‘a bit encouraging’, Dr Anthony Fauci says

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "content": "

    Variant detected in 16 US states so far; the threat appears to be less severe than Delta with signals so far ‘a bit encouraging’, Dr Anthony Fauci says

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", + "creator": "Samantha Lock", + "pubDate": "2021-12-06T03:22:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122436,16 +148873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3bb60462e951cc6d839dbf7e867efe59" + "hash": "db95547bc338e6e2336cfd7bf4d5eb88" }, { - "title": "Covid live news: South Korea surge sparks hospital alarm; ‘stealth’ Omicron variant found", - "description": "

    South Korea daily cases top 7,000 for first time; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "content": "

    South Korea daily cases top 7,000 for first time; ‘stealth’ version of Omicron ‘cannot be detected by routine tests’; Boris Johnson staff filmed joking about No 10 party

    Germany reported 69,601 cases of Covid-19 and 527 deaths in the past 24 hours, according to the Robert Koch Institute, taking the total cases in the country to 6,291,621. There have been 104,047 deaths.

    South Korean authorities are urging people to get vaccinated as case rise in the east Asian nation generally regarded as having dealth with the pandemic well.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/08/covid-live-news-south-korea-surge-sparks-hospital-alarm-stealth-omicron-variant-found", - "creator": "Martin Farrer", - "pubDate": "2021-12-08T04:37:21Z", + "title": "Pope castigates Europe over migration crisis during return to Lesbos", + "description": "

    Francis says fear, indifference and cynical disregard continue to condemn people to death at sea

    Pope Francis has returned to Lesbos, the Greek island long at the centre of Europe’s refugee crisis, to offer comfort to asylum seekers and harsh words for a continent that has all too often rejected them.

    Five years after his last visit, the pontiff admonished the west for its handling of the humanitarian crisis. Instead of welcoming people fleeing poverty and war, its indifference and cynical disregard had continued to condemn them to death, he said.

    Continue reading...", + "content": "

    Francis says fear, indifference and cynical disregard continue to condemn people to death at sea

    Pope Francis has returned to Lesbos, the Greek island long at the centre of Europe’s refugee crisis, to offer comfort to asylum seekers and harsh words for a continent that has all too often rejected them.

    Five years after his last visit, the pontiff admonished the west for its handling of the humanitarian crisis. Instead of welcoming people fleeing poverty and war, its indifference and cynical disregard had continued to condemn them to death, he said.

    Continue reading...", + "category": "Pope Francis", + "link": "https://www.theguardian.com/world/2021/dec/05/pope-castigates-europe-over-refugees-crisis-in-return-to-lesbos", + "creator": "Helena Smith in Athens", + "pubDate": "2021-12-05T16:47:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122456,16 +148893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e9ae5e0f677a34c393e7c7dd8f58960" + "hash": "ea18888f89582d2e90155f19a727778b" }, { - "title": "Egyptian researcher’s mother ‘jumping for joy’ after court orders release", - "description": "

    Patrick Zaki was detained last year and still faces charges of ‘spreading false news’

    An Egyptian court has ordered the release of researcher Patrick Zaki, whose detention in February last year sparked international condemnation, particularly in Italy where he had been studying, his family said.

    “I’m jumping for joy!” his mother, Hala Sobhi, told AFP. “We’re now on our way to the police station in Mansoura,” a city in Egypt’s Nile Delta, where Zaki is from.

    Continue reading...", - "content": "

    Patrick Zaki was detained last year and still faces charges of ‘spreading false news’

    An Egyptian court has ordered the release of researcher Patrick Zaki, whose detention in February last year sparked international condemnation, particularly in Italy where he had been studying, his family said.

    “I’m jumping for joy!” his mother, Hala Sobhi, told AFP. “We’re now on our way to the police station in Mansoura,” a city in Egypt’s Nile Delta, where Zaki is from.

    Continue reading...", - "category": "Egypt", - "link": "https://www.theguardian.com/world/2021/dec/07/egyptian-researcher-court-orders-release-patrick-zaki", - "creator": "Agence France-Presse in Cairo", - "pubDate": "2021-12-07T14:12:58Z", + "title": "Republican Thomas Massie condemned for Christmas guns photo", + "description": "

    Congressman causes outrage by posting ‘insensitive’ tweet just days after Michigan school shooting

    A US congressman has posted a Christmas picture of himself and what appears to be his family, smiling and posing with an assortment of guns, just days after four teenagers were killed in a shooting at a high school in Michigan.

    Thomas Massie of Kentucky tweeted:

    Continue reading...", + "content": "

    Congressman causes outrage by posting ‘insensitive’ tweet just days after Michigan school shooting

    A US congressman has posted a Christmas picture of himself and what appears to be his family, smiling and posing with an assortment of guns, just days after four teenagers were killed in a shooting at a high school in Michigan.

    Thomas Massie of Kentucky tweeted:

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/2021/dec/05/republican-thomas-massie-condemned-for-christmas-guns-photo-congressman-michigan-school-shooting", + "creator": "Staff and agencies", + "pubDate": "2021-12-05T12:51:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122476,16 +148913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4769c3c50b137ae0b0937677da8aba7" + "hash": "46f197d828ee544768e8697620559f0b" }, { - "title": "One of suspected killers of Jamal Khashoggi held in Paris", - "description": "

    Khalid Aedh al-Otaibi arrested as he was about to board flight to Riyadh

    French police have arrested a former member of the Saudi royal guard who has also served as a personal security official for the Saudi Crown Prince Mohammed bin Salman for his suspected involvement in the murder of journalist Jamal Khashoggi.

    Khalid Aedh al-Otaibi was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", - "content": "

    Khalid Aedh al-Otaibi arrested as he was about to board flight to Riyadh

    French police have arrested a former member of the Saudi royal guard who has also served as a personal security official for the Saudi Crown Prince Mohammed bin Salman for his suspected involvement in the murder of journalist Jamal Khashoggi.

    Khalid Aedh al-Otaibi was taken into custody at Paris’s Charles de Gaulle airport as he was about to board a plane to the Saudi capital, Riyadh.

    Continue reading...", - "category": "Jamal Khashoggi", - "link": "https://www.theguardian.com/world/2021/dec/07/one-of-suspected-killers-of-jamal-khashoggi-held-in-paris-say-reports", - "creator": "Kim Willsher in Paris and Stephanie Kirchgaessner in Washington", - "pubDate": "2021-12-07T17:13:19Z", + "title": "Gambian opposition parties reject election results", + "description": "

    Incumbent president Adama Barrow wins by significant margin in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the results of Saturday’s historic vote in the West African nation that suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow received about 53% of Saturday’s vote, far outstripping his nearest rival, political veteran Ousainou Darboe, who won about 28%. In 2016 Barrow unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", + "content": "

    Incumbent president Adama Barrow wins by significant margin in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the results of Saturday’s historic vote in the West African nation that suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow received about 53% of Saturday’s vote, far outstripping his nearest rival, political veteran Ousainou Darboe, who won about 28%. In 2016 Barrow unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", + "category": "The Gambia", + "link": "https://www.theguardian.com/world/2021/dec/05/gambian-opposition-parties-reject-preliminary-election-results", + "creator": "Portia Crowe in Banjul", + "pubDate": "2021-12-06T00:30:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122496,16 +148933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a4a4fb143f90a0935c7fe1d011ec5045" + "hash": "5c5b38adf94d47cac0962f22e28567e3" }, { - "title": "Hundreds approved for evacuation to UK remain trapped in Afghanistan", - "description": "

    British nationals and vulnerable Afghans stuck without help months after Taliban takeover

    British nationals and vulnerable Afghans who have been approved for evacuation have spoken of their anguish and frustration as they remain trapped in Afghanistan months after it was taken over by the Taliban.

    After devastating testimony by a whistleblower in the Foreign Office, who claimed there was an incompetent and chaotic response to the fall of Kabul, those waiting to be evacuated have called for rapid action from the UK government.

    Continue reading...", - "content": "

    British nationals and vulnerable Afghans stuck without help months after Taliban takeover

    British nationals and vulnerable Afghans who have been approved for evacuation have spoken of their anguish and frustration as they remain trapped in Afghanistan months after it was taken over by the Taliban.

    After devastating testimony by a whistleblower in the Foreign Office, who claimed there was an incompetent and chaotic response to the fall of Kabul, those waiting to be evacuated have called for rapid action from the UK government.

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/world/2021/dec/07/hundreds-approved-for-evacuation-to-uk-remain-trapped-in-afghanistan", - "creator": "Aamna Mohdin and Amelia Gentleman", - "pubDate": "2021-12-07T17:28:39Z", + "title": "‘Ferocious’ Niger battle leaves dozens of soldiers and militants dead", + "description": "

    Military calls in air and ground support to force attackers to retreat after being overwhelmed by their numbers, government says

    At least 12 soldiers and “dozens of terrorists” have been killed in a battle in western Niger, the defence ministry says, in the conflict-wracked “three borders” zone.

    Another eight soldiers were wounded in the clash with “hundreds of armed terrorists” 5km (three miles) from Fantio, the ministry statement on Sunday said.

    Continue reading...", + "content": "

    Military calls in air and ground support to force attackers to retreat after being overwhelmed by their numbers, government says

    At least 12 soldiers and “dozens of terrorists” have been killed in a battle in western Niger, the defence ministry says, in the conflict-wracked “three borders” zone.

    Another eight soldiers were wounded in the clash with “hundreds of armed terrorists” 5km (three miles) from Fantio, the ministry statement on Sunday said.

    Continue reading...", + "category": "Niger", + "link": "https://www.theguardian.com/world/2021/dec/06/ferocious-niger-battle-leaves-dozens-of-soldiers-and-militants-dead", + "creator": "Reuters in Niamey", + "pubDate": "2021-12-06T00:07:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122516,16 +148953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d33f60cb08a90f4487a1012b619a678" + "hash": "a2a0156d7714ebdf4cc105dfc1273ecb" }, { - "title": "Amazon Web Services outage hits sites and apps such as IMDb and Tinder", - "description": "

    Users in North America and Europe report patchy service after cloud computing goes down

    Users say Amazon Web Services is suffering a major outage, the Associated Press has reported.

    Amazon and other popular apps and websites such as Duolingo and Tinder are reportedly affected, according to the website Downdetector.

    Continue reading...", - "content": "

    Users in North America and Europe report patchy service after cloud computing goes down

    Users say Amazon Web Services is suffering a major outage, the Associated Press has reported.

    Amazon and other popular apps and websites such as Duolingo and Tinder are reportedly affected, according to the website Downdetector.

    Continue reading...", - "category": "Amazon", - "link": "https://www.theguardian.com/technology/2021/dec/07/amazon-web-services-outage-hits-sites-and-apps-such-as-imdb-and-tinder", - "creator": "Jamie Grierson", - "pubDate": "2021-12-07T17:54:52Z", + "title": "Fears of fatalities after Myanmar troops ‘use car to ram anti-coup protest’", + "description": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Three people were feared dead and at least 15 arrested after Myanmar security forces rammed into an anti-coup protest in a car in Yangon, witnesses and a protest organiser have said.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", + "content": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Three people were feared dead and at least 15 arrested after Myanmar security forces rammed into an anti-coup protest in a car in Yangon, witnesses and a protest organiser have said.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/05/myanmar-five-dead-after-troops-use-car-to-ram-anti-coup-protest-report", + "creator": "Reuters", + "pubDate": "2021-12-05T19:40:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122536,16 +148973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "34ba78eff18cda684574ceeac6696728" + "hash": "b0888e64a373e27577e24ea926ca6117" }, { - "title": "‘Disastrous’ plastic use in farming threatens food safety – UN", - "description": "

    Food and Agriculture Organization says most plastics are burned, buried or lost after use

    The “disastrous” way in which plastic is used in farming across the world is threatening food safety and potentially human health, according to a report from the UN’s Food and Agriculture Organization.

    It says soils contain more microplastic pollution than the oceans and that there is “irrefutable” evidence of the need for better management of the millions of tonnes of plastics used in the food and farming system each year.

    Continue reading...", - "content": "

    Food and Agriculture Organization says most plastics are burned, buried or lost after use

    The “disastrous” way in which plastic is used in farming across the world is threatening food safety and potentially human health, according to a report from the UN’s Food and Agriculture Organization.

    It says soils contain more microplastic pollution than the oceans and that there is “irrefutable” evidence of the need for better management of the millions of tonnes of plastics used in the food and farming system each year.

    Continue reading...", - "category": "Plastics", - "link": "https://www.theguardian.com/environment/2021/dec/07/disastrous-plastic-use-in-farming-threatens-food-safety-un", - "creator": "Damian Carrington Environment editor", - "pubDate": "2021-12-07T13:00:13Z", + "title": "Severe weather warning for UK as Storm Barra set to arrive on Tuesday", + "description": "

    Met Office issues wind warnings in England, Wales and Northern Ireland and snow warnings in Scotland

    The Met Office has issued severe weather warnings for most of the UK ahead of the arrival of Storm Barra on Tuesday, as thousands of homes remain without power more than a week after Storm Arwen.

    Yellow wind weather warnings are in place across England, Wales and Northern Ireland for Tuesday, with yellow snow warnings in place in southern and western Scotland.

    Continue reading...", + "content": "

    Met Office issues wind warnings in England, Wales and Northern Ireland and snow warnings in Scotland

    The Met Office has issued severe weather warnings for most of the UK ahead of the arrival of Storm Barra on Tuesday, as thousands of homes remain without power more than a week after Storm Arwen.

    Yellow wind weather warnings are in place across England, Wales and Northern Ireland for Tuesday, with yellow snow warnings in place in southern and western Scotland.

    Continue reading...", + "category": "Extreme weather", + "link": "https://www.theguardian.com/world/2021/dec/05/severe-weather-warning-for-uk-as-storm-barra-set-to-arrive-on-tuesday", + "creator": "Jessica Murray Midlands correspondent", + "pubDate": "2021-12-05T16:26:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122556,16 +148993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "849decede0f7a730fee61a3b4bc97ed2" + "hash": "6845ad91f8c06cf9fb90dd42a50a1591" }, { - "title": "Dozens killed in fire at overcrowded Burundi prison", - "description": "

    Inmate says police refused to open doors amid blaze that left 38 dead and 69 seriously hurt

    A massive fire ripped through an overcrowded prison in Burundi before dawn on Tuesday, killing dozens of inmates and seriously injuring many more, the country’s vice-president said.

    Many inmates were still sleeping at the time of the blaze that destroyed several parts of the facility in Burundi’s political capital, Gitega, witnesses said.

    Continue reading...", - "content": "

    Inmate says police refused to open doors amid blaze that left 38 dead and 69 seriously hurt

    A massive fire ripped through an overcrowded prison in Burundi before dawn on Tuesday, killing dozens of inmates and seriously injuring many more, the country’s vice-president said.

    Many inmates were still sleeping at the time of the blaze that destroyed several parts of the facility in Burundi’s political capital, Gitega, witnesses said.

    Continue reading...", - "category": "Burundi", - "link": "https://www.theguardian.com/world/2021/dec/07/burundi-prison-gitega-fire-overcrowded", - "creator": "Agence France-Presse in Nairobi", - "pubDate": "2021-12-07T13:52:51Z", + "title": "Bob Dole, giant of Republican politics and presidential nominee, dies aged 98", + "description": "
    • Long-time power-broker lost 1996 election to Bill Clinton
    • Biden: ‘An American statesman like few in our history’
    • Obituary: Bob Dole, 1923-2021

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died. He was 98.

    In a statement, the Elizabeth Dole Foundation – founded by Dole’s wife, a former North Carolina senator and cabinet official – said: “It is with heavy hearts we announced that Senator Robert Joseph Dole died earlier this morning in his sleep. At his death at age 98 he had served the United States of America faithfully for 79 years.”

    Continue reading...", + "content": "
    • Long-time power-broker lost 1996 election to Bill Clinton
    • Biden: ‘An American statesman like few in our history’
    • Obituary: Bob Dole, 1923-2021

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died. He was 98.

    In a statement, the Elizabeth Dole Foundation – founded by Dole’s wife, a former North Carolina senator and cabinet official – said: “It is with heavy hearts we announced that Senator Robert Joseph Dole died earlier this morning in his sleep. At his death at age 98 he had served the United States of America faithfully for 79 years.”

    Continue reading...", + "category": "Republicans", + "link": "https://www.theguardian.com/us-news/2021/dec/05/bob-dole-republican-presidential-nominee-senator-dies-aged", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-12-05T19:17:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122576,16 +149013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "166654597fccab2336585ab638edcc4d" + "hash": "a2a247c73bba8d76796a6cc51efa85c8" }, { - "title": "Covid live: early signs Omicron more transmissible, UK PM says; Scottish firms urged to let staff work from home", - "description": "

    Early indications Omicron more transmissible than Delta, says Boris Johnson; Nicola Sturgeon says staff should work from home until mid-January

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", - "content": "

    Early indications Omicron more transmissible than Delta, says Boris Johnson; Nicola Sturgeon says staff should work from home until mid-January

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/07/covid-news-live-omicron-likely-to-become-dominant-variant-harvard-researcher-says-france-to-close-nightclubs", - "creator": "Lucy Campbell (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-07T18:43:37Z", + "title": "Banksy offers to raise £10m to buy Reading prison for art centre", + "description": "

    Artist would sell stencil used to paint mural depicting what was thought to be Oscar Wilde on listed building

    Banksy has offered to raise millions of pounds towards buying Reading prison, where Oscar Wilde was once held, so that it can be turned into an arts centre.

    The street artist has promised to match the jail’s £10m asking price by selling the stencil he used to paint on the Grade II-listed building in March, a move campaigners hope will prevent it from being sold to housing developers.

    Continue reading...", + "content": "

    Artist would sell stencil used to paint mural depicting what was thought to be Oscar Wilde on listed building

    Banksy has offered to raise millions of pounds towards buying Reading prison, where Oscar Wilde was once held, so that it can be turned into an arts centre.

    The street artist has promised to match the jail’s £10m asking price by selling the stencil he used to paint on the Grade II-listed building in March, a move campaigners hope will prevent it from being sold to housing developers.

    Continue reading...", + "category": "Banksy", + "link": "https://www.theguardian.com/artanddesign/2021/dec/05/bansky-offers-to-raises-10m-to-buy-reading-prison-for-art-centre", + "creator": "Nadia Khomami Arts and culture correspondent", + "pubDate": "2021-12-05T18:41:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122596,16 +149033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e5ce6cfb241795908ba5f3462e757260" + "hash": "5827baf34244e9cfeeb72cc9fe4d9f91" }, { - "title": "As many as 6 million eligible Britons may not have had a Covid jab. Who are they?", - "description": "

    The Omicron variant has refocused attention on vaccination rates as data shows disparities in uptake across age, region and ethnicity

    Hundreds of cases of the new Omicron Covid-19 variant have now been confirmed in the UK and experts have called for a renewed focus on vaccination rates.

    As of 4 December, just over eight in 10 people aged 12 or older UK-wide had received two doses of a coronavirus vaccine, according to data from the UK Health Security Agency, while 89% had received a first dose. This means about 6 million eligible people may still be unvaccinated, based on ONS population figures as opposed to counts of GP records. So who are they?

    Continue reading...", - "content": "

    The Omicron variant has refocused attention on vaccination rates as data shows disparities in uptake across age, region and ethnicity

    Hundreds of cases of the new Omicron Covid-19 variant have now been confirmed in the UK and experts have called for a renewed focus on vaccination rates.

    As of 4 December, just over eight in 10 people aged 12 or older UK-wide had received two doses of a coronavirus vaccine, according to data from the UK Health Security Agency, while 89% had received a first dose. This means about 6 million eligible people may still be unvaccinated, based on ONS population figures as opposed to counts of GP records. So who are they?

    Continue reading...", + "title": "Tell us about the people you have lost to Covid", + "description": "

    We would like to hear from people all over the world about the friends and family they have lost to the pandemic

    The end of December will mark two years since the world discovered an outbreak of a new virus in Wuhan, China. What followed was a difficult time for countries across the globe and many lives have been lost since the beginning of the pandemic.

    Ahead of the second anniversary of Covid, we would like to hear your tributes to the people you have lost to the virus during the last two years. Wherever you live in the world, we want to hear about your loved one and what they mean to you as part of our coverage.

    Continue reading...", + "content": "

    We would like to hear from people all over the world about the friends and family they have lost to the pandemic

    The end of December will mark two years since the world discovered an outbreak of a new virus in Wuhan, China. What followed was a difficult time for countries across the globe and many lives have been lost since the beginning of the pandemic.

    Ahead of the second anniversary of Covid, we would like to hear your tributes to the people you have lost to the virus during the last two years. Wherever you live in the world, we want to hear about your loved one and what they mean to you as part of our coverage.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/07/as-many-as-6-million-eligible-britons-may-not-have-had-a-covid-jab-who-are-they", - "creator": "Niamh McIntyre and Tobi Thomas", - "pubDate": "2021-12-07T08:00:21Z", + "link": "https://www.theguardian.com/world/2021/dec/02/tell-us-about-the-people-you-have-lost-to-covid", + "creator": "Guardian community team", + "pubDate": "2021-12-02T11:41:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122616,16 +149053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "38b68bdf131e522a11b5f1c2acda91a8" + "hash": "e270402597ef9f4ba8915a0e94c1165d" }, { - "title": "Michele Brown was vaccinated - but had a suppressed immune system. Would better health advice have saved her?", - "description": "

    The mother-of-two carefully shielded until the government said it was safe to see friends and family. She had no idea how her existing conditions could affect her

    The feeling of relief was immense as 58-year-old Michele Brown returned home from the vaccine centre. Her husband, Terry, 61, had taken time off from his job as a supervisor at a heavy machinery factory to drive her to her second Covid-19 vaccination at a Gateshead community centre. In the car, Michele told her partner of 40 years that she felt like a weight had been lifted off her shoulders. “She said: ‘At least we’ve got that done,’” Terry remembers. “‘We’ll be OK.’”

    It was 28 April 2021. Michele, who had rheumatoid arthritis, an underactive thyroid and diabetes, had spent the last year and a half shielding indoors, on government advice. She was careful. She had a Covid station set up on the breakfast counter: lateral flow tests, bottles of antibacterial gel and disposable face masks. When family came to visit, a mask-wearing Michele would banish them to the furthest corner of the living room. “We couldn’t kiss her,” remembers her daughter, Kim Brown, 41, who lives in Durham. “She would say: ‘You might have the coronies! I don’t want no coronies. You’re not giving me that crap.’”

    Continue reading...", - "content": "

    The mother-of-two carefully shielded until the government said it was safe to see friends and family. She had no idea how her existing conditions could affect her

    The feeling of relief was immense as 58-year-old Michele Brown returned home from the vaccine centre. Her husband, Terry, 61, had taken time off from his job as a supervisor at a heavy machinery factory to drive her to her second Covid-19 vaccination at a Gateshead community centre. In the car, Michele told her partner of 40 years that she felt like a weight had been lifted off her shoulders. “She said: ‘At least we’ve got that done,’” Terry remembers. “‘We’ll be OK.’”

    It was 28 April 2021. Michele, who had rheumatoid arthritis, an underactive thyroid and diabetes, had spent the last year and a half shielding indoors, on government advice. She was careful. She had a Covid station set up on the breakfast counter: lateral flow tests, bottles of antibacterial gel and disposable face masks. When family came to visit, a mask-wearing Michele would banish them to the furthest corner of the living room. “We couldn’t kiss her,” remembers her daughter, Kim Brown, 41, who lives in Durham. “She would say: ‘You might have the coronies! I don’t want no coronies. You’re not giving me that crap.’”

    Continue reading...", - "category": "Society", - "link": "https://www.theguardian.com/society/2021/dec/07/michele-brown-was-vaccinated-but-had-a-suppressed-immune-system-would-better-health-advice-have-saved-her", - "creator": "Sirin Kale", - "pubDate": "2021-12-07T06:00:19Z", + "title": "Dealing with uncertainty about the Omicron variant | David Spiegelhalter and Anthony Masters", + "description": "Caution is sensible when so much is unknown

    The race is on to understand the new variant identified by scientists in South Africa and Botswana, dubbed Omicron (the next Greek letter was “nu”, but this could have been mistaken for “new”). Fears include greater spread, worse disease or reduced effectiveness of treatments and vaccines.

    Increased transmission can arise from two factors. First, there is an intrinsic advantage, with a heightened “basic reproduction number” R0; in a susceptible population, that is the average number of people each case infects, although after 20 months of pandemic this has become a notional concept. It was around 3 for the original wild-type virus, compared to around 6 for Delta and possibly rather more for Omicron.

    Continue reading...", + "content": "Caution is sensible when so much is unknown

    The race is on to understand the new variant identified by scientists in South Africa and Botswana, dubbed Omicron (the next Greek letter was “nu”, but this could have been mistaken for “new”). Fears include greater spread, worse disease or reduced effectiveness of treatments and vaccines.

    Increased transmission can arise from two factors. First, there is an intrinsic advantage, with a heightened “basic reproduction number” R0; in a susceptible population, that is the average number of people each case infects, although after 20 months of pandemic this has become a notional concept. It was around 3 for the original wild-type virus, compared to around 6 for Delta and possibly rather more for Omicron.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/theobserver/commentisfree/2021/dec/05/dealing-with-uncertainty-about-omicron-covid-variant", + "creator": "David Spiegelhalter and Anthony Masters", + "pubDate": "2021-12-05T10:00:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122636,16 +149073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4f1f44244c49b685c275d5197418f20b" + "hash": "18eda27dccbb450f5681f1d321a408af" }, { - "title": "Marianela Núñez: ‘What lockdown taught me, one more time, is that dance is my true passion’", - "description": "

    The Royal Ballet’s phenomenal principal dancer was the fixed star at the heart of an extraordinary year for the company

    It’s been an oddly fractured year for dance. Repeated lockdowns stifled talent, thwarted new ideas. Online and outdoor offerings provided some release but when theatres reopened in May, dancers emerged as if from hibernation, full of life, anxious to get on with their notoriously short careers.

    None more so than Marianela Núñez. The Royal Ballet has excelled as a company this year, but she is the fixed star gleaming at its heart, never disappointing, always moving towards her aim of perfection. Her smile irradiates the stage, but it is the purity of her classical technique, the sense that you are watching someone at the absolute peak of their abilities.

    Continue reading...", - "content": "

    The Royal Ballet’s phenomenal principal dancer was the fixed star at the heart of an extraordinary year for the company

    It’s been an oddly fractured year for dance. Repeated lockdowns stifled talent, thwarted new ideas. Online and outdoor offerings provided some release but when theatres reopened in May, dancers emerged as if from hibernation, full of life, anxious to get on with their notoriously short careers.

    None more so than Marianela Núñez. The Royal Ballet has excelled as a company this year, but she is the fixed star gleaming at its heart, never disappointing, always moving towards her aim of perfection. Her smile irradiates the stage, but it is the purity of her classical technique, the sense that you are watching someone at the absolute peak of their abilities.

    Continue reading...", - "category": "Marianela Núñez", - "link": "https://www.theguardian.com/stage/2021/dec/07/marianela-nunez-royal-ballet-giselle-faces-of-year", - "creator": "Sarah Crompton", - "pubDate": "2021-12-07T13:00:13Z", + "title": "From pandemic to endemic: this is how we might get back to normal", + "description": "

    Covid-19 is unlikely to be eradicated, experts say, but societies in the past have learned to live with diseases

    First, the bad news. With unpredictable outbreaks still occurring around the world, and variants like Omicron raising questions about the virus’s contagiousness, we are very much still in a pandemic.

    The good news: while it’s difficult to predict the exact timing, most scientists agree that the Covid-19 pandemic will end and that the virus will become endemic. That means the virus will probably never be eliminated entirely, but as more people get vaccinated and become exposed to it, infections will eventually arise at a consistently low rate, and fewer people will become severely ill. An area where vaccination and booster rates are high will probably see endemicity sooner than a region with lower rates.

    Continue reading...", + "content": "

    Covid-19 is unlikely to be eradicated, experts say, but societies in the past have learned to live with diseases

    First, the bad news. With unpredictable outbreaks still occurring around the world, and variants like Omicron raising questions about the virus’s contagiousness, we are very much still in a pandemic.

    The good news: while it’s difficult to predict the exact timing, most scientists agree that the Covid-19 pandemic will end and that the virus will become endemic. That means the virus will probably never be eliminated entirely, but as more people get vaccinated and become exposed to it, infections will eventually arise at a consistently low rate, and fewer people will become severely ill. An area where vaccination and booster rates are high will probably see endemicity sooner than a region with lower rates.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/05/covid-19-from-pandemic-to-endemic-this-is-how-we-might-get-back-to-normal", + "creator": "Yasmin Tayag", + "pubDate": "2021-12-05T08:00:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122656,16 +149093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "47890afc1570857ead13dc84bba3dbeb" + "hash": "0e2a574682c7e37e57efc9b19c6c2476" }, { - "title": "Life after death: how the pandemic has transformed our psychic landscape | Jacqueline Rose", - "description": "

    Modern society has largely exiled death to the outskirts of existence, but Covid-19 has forced us all to confront it. Our relationship to the planet, each other and time itself can never be the same again

    We have been asked to write about the future, the afterlife of the pandemic, but the future can never be told. This at least was the view of the economist John Maynard Keynes, who was commissioned to edit a series of essays for the Guardian in 1921, as the world was rebuilding after the first world war. The future is “fluctuating, vague and uncertain”, he wrote later, at a time when the mass unemployment of the 1930s had upended all confidence, the first stage on a road to international disaster that could, and could not, be foreseen. “The senses in which I am using the term [uncertain],” he said, “is that in which the prospect of a European war is uncertain, or the price of copper and the rate of interest 20 years hence, or the obsolescence of a new invention, or the position of private wealth-owners in the social system in 1970. About these matters there is no scientific basis on which to form any calculable probability whatever. We simply do not know.”

    This may always be the case, but the pandemic has brought this truth so brutally into our lives that it threatens to crush the best hopes of the heart, which always look beyond the present. We are being robbed of the illusion that we can predict what will happen in the space of a second, a minute, an hour or a day. From one moment to the next, the pandemic seems to turn and point its finger at anyone, even at those who believed they were safely immune. The distribution of the virus and vaccination programme in different countries has been cruelly unequal, but as long as Covid remains a global presence, waves of increasing severity will be possible anywhere and at any moment in time. The most deadly pandemic of the 20th century, the Spanish flu at the end of the first world war, went through wave after wave and lasted for nearly four years. Across the world, people are desperate to feel they have turned a corner, that an end is in sight, only to be faced with a future that seems to be retreating like a vanishing horizon, a shadow, a blur. Nobody knows, with any degree of confidence, what will happen next. Anyone claiming to do so is a fraud.

    Continue reading...", - "content": "

    Modern society has largely exiled death to the outskirts of existence, but Covid-19 has forced us all to confront it. Our relationship to the planet, each other and time itself can never be the same again

    We have been asked to write about the future, the afterlife of the pandemic, but the future can never be told. This at least was the view of the economist John Maynard Keynes, who was commissioned to edit a series of essays for the Guardian in 1921, as the world was rebuilding after the first world war. The future is “fluctuating, vague and uncertain”, he wrote later, at a time when the mass unemployment of the 1930s had upended all confidence, the first stage on a road to international disaster that could, and could not, be foreseen. “The senses in which I am using the term [uncertain],” he said, “is that in which the prospect of a European war is uncertain, or the price of copper and the rate of interest 20 years hence, or the obsolescence of a new invention, or the position of private wealth-owners in the social system in 1970. About these matters there is no scientific basis on which to form any calculable probability whatever. We simply do not know.”

    This may always be the case, but the pandemic has brought this truth so brutally into our lives that it threatens to crush the best hopes of the heart, which always look beyond the present. We are being robbed of the illusion that we can predict what will happen in the space of a second, a minute, an hour or a day. From one moment to the next, the pandemic seems to turn and point its finger at anyone, even at those who believed they were safely immune. The distribution of the virus and vaccination programme in different countries has been cruelly unequal, but as long as Covid remains a global presence, waves of increasing severity will be possible anywhere and at any moment in time. The most deadly pandemic of the 20th century, the Spanish flu at the end of the first world war, went through wave after wave and lasted for nearly four years. Across the world, people are desperate to feel they have turned a corner, that an end is in sight, only to be faced with a future that seems to be retreating like a vanishing horizon, a shadow, a blur. Nobody knows, with any degree of confidence, what will happen next. Anyone claiming to do so is a fraud.

    Continue reading...", - "category": "Death and dying", - "link": "https://www.theguardian.com/society/2021/dec/07/life-after-death-pandemic-transformed-psychic-landscape-jacqueline-rose", - "creator": "Jacqueline Rose", - "pubDate": "2021-12-07T06:00:19Z", + "title": "Valérie Pécresse: the ‘bulldozer’ who would be France’s first female president", + "description": "

    Her supporters call her Emmanuel Macron’s worst nightmare, but she faces a tough task to unseat him

    When Valérie Pécresse crossed rural France this summer, visiting farms and villages to escape what she called her grotesquely unfair image as a “blond bourgeoise” from Versailles, she promised to smash the French Republic’s glass ceiling. “I will be the first female president of France,” she told meeting halls to cheers.

    Since Emmanuel Macron won the presidency in 2017 as a shock outsider with no election experience and a party put together in a few months, French politics has thrived on novelty. Pécresse’s supporters say her status as a woman is refreshingly new and makes her Macron’s worst nightmare.

    Continue reading...", + "content": "

    Her supporters call her Emmanuel Macron’s worst nightmare, but she faces a tough task to unseat him

    When Valérie Pécresse crossed rural France this summer, visiting farms and villages to escape what she called her grotesquely unfair image as a “blond bourgeoise” from Versailles, she promised to smash the French Republic’s glass ceiling. “I will be the first female president of France,” she told meeting halls to cheers.

    Since Emmanuel Macron won the presidency in 2017 as a shock outsider with no election experience and a party put together in a few months, French politics has thrived on novelty. Pécresse’s supporters say her status as a woman is refreshingly new and makes her Macron’s worst nightmare.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/05/valerie-pecresse-the-bulldozer-who-would-be-frances-first-female-president", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-12-05T16:54:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122676,16 +149113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d6577ad0130bdba2839b887bbd404511" + "hash": "a29cefbc0edcab2524cd4641f644900a" }, { - "title": "‘Funny fat girl’: Rebel Wilson says her team were against her losing weight", - "description": "

    Actor says she received ‘pushback’ from her management due to fears of the impact it could have on her career

    Rebel Wilson, one of Hollywood’s top comedy actors, has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", - "content": "

    Actor says she received ‘pushback’ from her management due to fears of the impact it could have on her career

    Rebel Wilson, one of Hollywood’s top comedy actors, has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", - "category": "Rebel Wilson", - "link": "https://www.theguardian.com/film/2021/dec/07/funny-fat-girl-rebel-wilson-says-her-team-were-against-her-losing-weight", - "creator": "Nadia Khomami Arts and culture correspondent", - "pubDate": "2021-12-07T17:58:35Z", + "title": "Tourists bask on a battlefield as drug gangs fight over Mexican resort town", + "description": "

    Tulum, jewel of the Mayan Riviera, risks emulating Acapulco, another once glamorous resort now overwhelmed by violence

    Bright yellow police tape fluttered in the breeze outside a restaurant just off the main strip in the Mexican resort town of Tulum, as the lights of a nearby police truck flashed blue and red.

    Troops in camouflage fatigues stood guard outside the deserted late-night eatery La Malquerida, “The Unloved” – the site of a gangland shooting that killed two female tourists and wounded another three holidaymakers.

    Continue reading...", + "content": "

    Tulum, jewel of the Mayan Riviera, risks emulating Acapulco, another once glamorous resort now overwhelmed by violence

    Bright yellow police tape fluttered in the breeze outside a restaurant just off the main strip in the Mexican resort town of Tulum, as the lights of a nearby police truck flashed blue and red.

    Troops in camouflage fatigues stood guard outside the deserted late-night eatery La Malquerida, “The Unloved” – the site of a gangland shooting that killed two female tourists and wounded another three holidaymakers.

    Continue reading...", + "category": "Mexico", + "link": "https://www.theguardian.com/world/2021/dec/05/tourists-bask-on-a-battlefield-as-drug-gangs-fight-over-mexican-resort-town", + "creator": "Mattha Busby in Tulum", + "pubDate": "2021-12-05T10:00:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122696,16 +149133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5dc740758f87c6e1f52adba48fe92598" + "hash": "4d7b2395efd488d1f21c5fa3a386227d" }, { - "title": "Biden and Putin make little apparent headway on Ukraine in virtual summit", - "description": "

    White House says the US president voiced ‘deep concerns’ about the Russian military buildup in the two-hour video call

    Joe Biden and Vladimir Putin held a virtual summit on Tuesday but made little apparent headway in defusing the crisis over Ukraine in the wake of a Russian troop build-up, and instead delegated officials from both countries to stay in contact.

    The two leaders talked by videoconference for just over two hours, during which they laid out their positions.

    Continue reading...", - "content": "

    White House says the US president voiced ‘deep concerns’ about the Russian military buildup in the two-hour video call

    Joe Biden and Vladimir Putin held a virtual summit on Tuesday but made little apparent headway in defusing the crisis over Ukraine in the wake of a Russian troop build-up, and instead delegated officials from both countries to stay in contact.

    The two leaders talked by videoconference for just over two hours, during which they laid out their positions.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/dec/07/joe-biden-vladimir-putin-virtual-summit-ukraine-russia", - "creator": "Julian Borger in Washington and Andrew Roth in Moscow", - "pubDate": "2021-12-07T21:16:57Z", + "title": "Murray Bartlett: ‘Filming The White Lotus in lockdown felt like a TV summer camp’", + "description": "

    The Australian actor on creating his character Armond, the magic of Tales of the City and that meme-inspiring suitcase scene

    Sydney-born actor Murray Bartlett, 50, made his screen debut aged 16 in medical soap The Flying Doctors. He worked in Australian TV and film before being cast as a guest star in Sex and the City in 2002. Subsequent TV credits include Dom Basaluzzo in HBO’s gay comedy-drama Looking and Michael “Mouse” Tolliver in the Netflix revival of Armistead Maupin’s Tales of the City. This year, he starred as luxury Hawaii spa resort manager Armond in HBO’s hit satire The White Lotus, shown in the UK on Sky Atlantic.

    How did you land your role in The White Lotus?
    I did a self-tape audition in lockdown, then spoke to [writer/director] Mike White on the phone. Before I knew it, I was on the plane to Hawaii and landing in paradise, which was bizarre and thrilling. There’d been times early in the pandemic when I thought: “Should I get another skill? Maybe acting won’t be a thing any more.” So The White Lotus came as an extraordinary surprise. I felt guilty talking to my actor friends about it because it was such a dreamy job.

    Continue reading...", + "content": "

    The Australian actor on creating his character Armond, the magic of Tales of the City and that meme-inspiring suitcase scene

    Sydney-born actor Murray Bartlett, 50, made his screen debut aged 16 in medical soap The Flying Doctors. He worked in Australian TV and film before being cast as a guest star in Sex and the City in 2002. Subsequent TV credits include Dom Basaluzzo in HBO’s gay comedy-drama Looking and Michael “Mouse” Tolliver in the Netflix revival of Armistead Maupin’s Tales of the City. This year, he starred as luxury Hawaii spa resort manager Armond in HBO’s hit satire The White Lotus, shown in the UK on Sky Atlantic.

    How did you land your role in The White Lotus?
    I did a self-tape audition in lockdown, then spoke to [writer/director] Mike White on the phone. Before I knew it, I was on the plane to Hawaii and landing in paradise, which was bizarre and thrilling. There’d been times early in the pandemic when I thought: “Should I get another skill? Maybe acting won’t be a thing any more.” So The White Lotus came as an extraordinary surprise. I felt guilty talking to my actor friends about it because it was such a dreamy job.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/05/murray-bartlett-armond-white-lotus-interview-faces-of-year", + "creator": "Michael Hogan", + "pubDate": "2021-12-05T19:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122716,16 +149153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f72dbd89d84ac0f7e6af0f6bab1a584d" + "hash": "03dd2941dab3e5e9dc1f21d623ffcba2" }, { - "title": "Runner faces UK deportation despite state of emergency in Ethiopia", - "description": "

    Officials refused Seyfu Jamaal’s asylum claim after he had waited more than three and a half years

    A runner from Ethiopia who dreams of representing Team GB is facing deportation back to his home country even though a state of emergency has been declared there.

    Seyfu Jamaal, 21, arrived in the UK aged 17 after travelling to the UK in the back of a lorry and claimed asylum. The Home Office accepts he was persecuted and trafficked before he arrived in the UK. But officials refused his asylum claim in May of this year after keeping him waiting for more than three and a half years for a decision, saying it would be safe for him to return home.

    Continue reading...", - "content": "

    Officials refused Seyfu Jamaal’s asylum claim after he had waited more than three and a half years

    A runner from Ethiopia who dreams of representing Team GB is facing deportation back to his home country even though a state of emergency has been declared there.

    Seyfu Jamaal, 21, arrived in the UK aged 17 after travelling to the UK in the back of a lorry and claimed asylum. The Home Office accepts he was persecuted and trafficked before he arrived in the UK. But officials refused his asylum claim in May of this year after keeping him waiting for more than three and a half years for a decision, saying it would be safe for him to return home.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/dec/07/runner-faces-uk-deportation-despite-state-of-emergency-in-ethiopia", - "creator": "Diane Taylor", - "pubDate": "2021-12-07T16:29:28Z", + "title": "Catch them if you can? Meet the exotic pet detectives", + "description": "

    Skunks, iguanas, terrapins, big cats… Britain has more invasive and exotic animals than you imagine. Meet the search and rescue enthusiasts dedicated to capturing them and keeping them safe

    Sometime in 2016, Chris Mullins received a message about a missing skunk. Mullins, 70, who lives in Leicestershire, had founded a Facebook group, Beastwatch UK, in 2001 as a place to document exotic animal sightings in the British countryside, so it was natural for news of this sort to trickle his way. In that time there had been a piranha in the Thames and a chinchilla in a post box, so a skunk on the loose in a local village seemed a relatively manageable misadventure. He loaded up some traps and headed to Barrow upon Soar to see if he could help locate the wayward creature.

    Mullins, who has a white beard, smiling eyes and maintains a steady, gentle rhythm when he speaks, had always nurtured a passion for wildlife – chasing it down, catching it. The interest took hold amid a challenging childhood. Aged five, Mullins was victim of a hit and run that left him with amnesia and he spent two years in hospital before his parents sent him to a special school to catch up with his education.

    Continue reading...", + "content": "

    Skunks, iguanas, terrapins, big cats… Britain has more invasive and exotic animals than you imagine. Meet the search and rescue enthusiasts dedicated to capturing them and keeping them safe

    Sometime in 2016, Chris Mullins received a message about a missing skunk. Mullins, 70, who lives in Leicestershire, had founded a Facebook group, Beastwatch UK, in 2001 as a place to document exotic animal sightings in the British countryside, so it was natural for news of this sort to trickle his way. In that time there had been a piranha in the Thames and a chinchilla in a post box, so a skunk on the loose in a local village seemed a relatively manageable misadventure. He loaded up some traps and headed to Barrow upon Soar to see if he could help locate the wayward creature.

    Mullins, who has a white beard, smiling eyes and maintains a steady, gentle rhythm when he speaks, had always nurtured a passion for wildlife – chasing it down, catching it. The interest took hold amid a challenging childhood. Aged five, Mullins was victim of a hit and run that left him with amnesia and he spent two years in hospital before his parents sent him to a special school to catch up with his education.

    Continue reading...", + "category": "Pets", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/meet-the-exotic-pet-detectives-is-there-a-skunk-iguana-or-wild-cat-in-your-street", + "creator": "Will Coldwell", + "pubDate": "2021-12-05T11:00:53Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122736,16 +149173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "17d2c2bc864bb90287a386686cd2532e" + "hash": "77b83ad5d67099ad240bae086d8b83a8" }, { - "title": "Biden voices ‘deep concerns’ over Ukraine escalation in call with Putin – live", - "description": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", - "content": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/dec/07/joe-biden-vladimir-putin-call-russia-ukraine-invasion-us-politics-latest", - "creator": "Joan E Greve in Washington (now) and Adam Gabbatt (earlier)", - "pubDate": "2021-12-07T22:00:34Z", + "title": "The case of the confident dog that developed PTSD | Gill Straker and Jacqui Winship", + "description": "

    Helping Darling to relax has been vital – but unlike a human, she isn’t dealing with the ethical and cognitive issues often involved in post-traumatic stress

    • The modern mind is a column where experts discuss mental health issues they are seeing in their work

    The word trauma has been so overused that it can sound meaningless.

    Yet there are profound effects on the body and mind following exposure to traumatic events. Our capacity to cope becomes overwhelmed and we feel helpless as the limbic system, which is the part of the brain associated with fight flight and freeze, goes into overdrive.

    Continue reading...", + "content": "

    Helping Darling to relax has been vital – but unlike a human, she isn’t dealing with the ethical and cognitive issues often involved in post-traumatic stress

    • The modern mind is a column where experts discuss mental health issues they are seeing in their work

    The word trauma has been so overused that it can sound meaningless.

    Yet there are profound effects on the body and mind following exposure to traumatic events. Our capacity to cope becomes overwhelmed and we feel helpless as the limbic system, which is the part of the brain associated with fight flight and freeze, goes into overdrive.

    Continue reading...", + "category": "Psychiatry", + "link": "https://www.theguardian.com/commentisfree/2021/dec/06/the-case-of-the-confident-dog-that-developed-ptsd", + "creator": "Gill Straker and Jacqui Winship", + "pubDate": "2021-12-05T16:30:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122756,16 +149193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6bdc365b3a10fee5772567e5e7de0c23" + "hash": "4fbaf5af1304a42ae259d78e38e2de03" }, { - "title": "IOC says it ‘respects’ US boycott of Beijing Winter Olympics", - "description": "

    Organisation also defends its handling case of Chinese tennis player, Peng Shuai, as ‘quiet diplomacy’

    The International Olympic Committee (IOC) has said that it respects the United States’ decision to diplomatically boycott the forthcoming Beijing Winter Olympics, while defending its “quiet diplomacy” in handling the case of Chinese tennis player, Peng Shuai.

    “We always ask for as much respect as possible and least possible interference from the political world,” said Juan Antonio Samaranch Jr, the IOC’s coordination commission chief for the Beijing Winter Olympics. “We have to be reciprocal. We respect the political decisions taken by political bodies.”

    Continue reading...", - "content": "

    Organisation also defends its handling case of Chinese tennis player, Peng Shuai, as ‘quiet diplomacy’

    The International Olympic Committee (IOC) has said that it respects the United States’ decision to diplomatically boycott the forthcoming Beijing Winter Olympics, while defending its “quiet diplomacy” in handling the case of Chinese tennis player, Peng Shuai.

    “We always ask for as much respect as possible and least possible interference from the political world,” said Juan Antonio Samaranch Jr, the IOC’s coordination commission chief for the Beijing Winter Olympics. “We have to be reciprocal. We respect the political decisions taken by political bodies.”

    Continue reading...", - "category": "Peng Shuai", - "link": "https://www.theguardian.com/sport/2021/dec/07/ioc-says-it-respects-us-boycott-of-beijing-winter-olympics", - "creator": "Vincent Ni, China affairs correspondent", - "pubDate": "2021-12-07T19:31:34Z", + "title": "The best books of 2021, chosen by our guest authors", + "description": "

    From piercing studies of colonialism to powerful domestic sagas, our panel of writers, all of whom had books published this year, share their favourite titles of 2021

    Author of Klara and the Sun (Faber)

    Continue reading...", + "content": "

    From piercing studies of colonialism to powerful domestic sagas, our panel of writers, all of whom had books published this year, share their favourite titles of 2021

    Author of Klara and the Sun (Faber)

    Continue reading...", + "category": "Books", + "link": "https://www.theguardian.com/books/2021/dec/05/the-best-books-of-2021-chosen-by-our-guest-authors", + "creator": "", + "pubDate": "2021-12-05T09:29:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122776,16 +149213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "43b805aa59f924782f0fc17c0b4028d0" + "hash": "360da6c4021100f38caa1d3eceb7344d" }, { - "title": "Australia news live update: Sydney party boat Covid cases likely to be Omicron; Nationals distance themselves from Christensen", - "description": "

    Queensland power station targeted by hackers; five people on board a Sydney Harbour cruise on Friday night have tested positive to Covid, with two likely the new variant. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", - "content": "

    Queensland power station targeted by hackers; five people on board a Sydney Harbour cruise on Friday night have tested positive to Covid, with two likely the new variant. Follow all the day’s news

    Actor Rebel Wilson has said her own team were opposed to her losing weight because she was “earning millions of dollars being the funny fat girl”.

    The Australian actor, 41, documented her physical transformation on social media after embarking on a health and fitness journey a couple of years ago.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/08/australia-news-live-update-sydney-party-boat-covid-cases-likely-to-be-omicron-pfizer-enthusiastic-to-talk-to-australia", - "creator": "Matilda Boseley", - "pubDate": "2021-12-07T21:54:46Z", + "title": "US seeks Russian and Chinese support to salvage Iran nuclear deal", + "description": "

    Iran’s natural allies are said to have been surprised by how much it had gone back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance in regards to the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they had gone back on all the progress made in the previous round of talks.

    Continue reading...", + "content": "

    Iran’s natural allies are said to have been surprised by how much it had gone back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance in regards to the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they had gone back on all the progress made in the previous round of talks.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/dec/05/us-seeks-china-and-russia-support-to-salvage-iran-nuclear-deal", + "creator": "Patrick Wintour Diplomatic Editor", + "pubDate": "2021-12-05T15:11:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122796,16 +149233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3602e43519aed7d961816a028bb07885" + "hash": "d5d6800209f2599e829110304a774b9b" }, { - "title": "Indonesian Semeru volcano spews huge ash cloud – video", - "description": "

    A sudden eruption from the highest volcano on Indonesia’s most densely populated island of Java left several villages blanketed with falling ash.

    The eruption was accompanied by a thunderstorm that spread lava and smouldering debris, which formed thick mud. The event triggered panic among locals and caused one death

    Continue reading...", - "content": "

    A sudden eruption from the highest volcano on Indonesia’s most densely populated island of Java left several villages blanketed with falling ash.

    The eruption was accompanied by a thunderstorm that spread lava and smouldering debris, which formed thick mud. The event triggered panic among locals and caused one death

    Continue reading...", - "category": "Volcanoes", - "link": "https://www.theguardian.com/world/video/2021/dec/04/indonesian-semeru-volcano-spews-huge-ash-cloud-video", - "creator": "", - "pubDate": "2021-12-04T16:45:59Z", + "title": "Australia’s Omicron travel ban is ‘discrimination’, South African diplomat says", + "description": "

    High commissioner says a large number of cases of the new Covid variant have been detected on other continents

    Australia’s travel ban to several southern African countries due to the outbreak of the Omicron variant has been labelled as discriminatory by a senior diplomat.

    South Africa’s high commissioner to Australia, Marthinus van Schalkwyk, said the ban needed to be overturned due to large numbers of Omicron cases being detected in other continents and not just in parts of Africa.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    High commissioner says a large number of cases of the new Covid variant have been detected on other continents

    Australia’s travel ban to several southern African countries due to the outbreak of the Omicron variant has been labelled as discriminatory by a senior diplomat.

    South Africa’s high commissioner to Australia, Marthinus van Schalkwyk, said the ban needed to be overturned due to large numbers of Omicron cases being detected in other continents and not just in parts of Africa.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Health", + "link": "https://www.theguardian.com/australia-news/2021/dec/06/australias-omicron-travel-ban-is-discrimination-south-african-diplomat-says", + "creator": "Australian Associated Press", + "pubDate": "2021-12-06T00:38:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122816,16 +149253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "add8faa941d4e5fbaff566b0701b331a" + "hash": "11afd895bffca7ec9103aab6fa507e2b" }, { - "title": "Omicron Covid variant: too soon to say illness severity – video", - "description": "

    The variant first identified in South Africa has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization's technical lead for Covid-19, Maria Van Kerkhove, has said. The WHO has said it could take weeks to determine how infectious Omicron is, whether it causes more severe illness and how effective treatments and vaccines are against it

    Continue reading...", - "content": "

    The variant first identified in South Africa has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization's technical lead for Covid-19, Maria Van Kerkhove, has said. The WHO has said it could take weeks to determine how infectious Omicron is, whether it causes more severe illness and how effective treatments and vaccines are against it

    Continue reading...", - "category": "World Health Organization", - "link": "https://www.theguardian.com/world/video/2021/dec/04/omicron-covid-variant-too-soon-to-say-illness-severity-video", - "creator": "", - "pubDate": "2021-12-04T13:54:53Z", + "title": "Michigan school shooting: artist did not know suspect’s parents stayed in studio, lawyer says", + "description": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A Detroit-area artist in whose studio the parents of the Oxford High School student charged in a deadly shooting were found by police is cooperating with authorities, his attorney said on Sunday.

    Also on Sunday, the Michigan attorney general, Dana Nessel, said her office could conduct a third-party investigation of school events before the shooting that left four students dead and six others and a teacher wounded.

    Continue reading...", + "content": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A Detroit-area artist in whose studio the parents of the Oxford High School student charged in a deadly shooting were found by police is cooperating with authorities, his attorney said on Sunday.

    Also on Sunday, the Michigan attorney general, Dana Nessel, said her office could conduct a third-party investigation of school events before the shooting that left four students dead and six others and a teacher wounded.

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/2021/dec/05/michigan-high-school-shooting-third-party-investigation", + "creator": "Asssociated Press in Oxford Township, Michigan", + "pubDate": "2021-12-05T22:18:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122836,16 +149273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ac8cf85bacfbc4755d01efe1e9a3cfd0" + "hash": "056a1ccd2c2e06dfed9c331c0ae64367" }, { - "title": "Electrician jailed after castrating men at their request in Germany", - "description": "

    Man, 67, convicted of assault for removing testicles of several people and causing one person to die

    A German court convicted a 67-year-old electrician of aggravated, dangerous and simple assault for removing the testicles of several men at their request, causing one person to die, the dpa news agency has reported.

    A Munich regional court sentenced the man to eight years and six months in prison. The defendant, whose name was not released for privacy reasons, had initially also been charged with murder by omission but prosecutors later dropped that charge.

    Continue reading...", - "content": "

    Man, 67, convicted of assault for removing testicles of several people and causing one person to die

    A German court convicted a 67-year-old electrician of aggravated, dangerous and simple assault for removing the testicles of several men at their request, causing one person to die, the dpa news agency has reported.

    A Munich regional court sentenced the man to eight years and six months in prison. The defendant, whose name was not released for privacy reasons, had initially also been charged with murder by omission but prosecutors later dropped that charge.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/07/electrician-who-castrated-men-jailed-in-germany", - "creator": "Associated Press in Berlin", - "pubDate": "2021-12-07T14:48:13Z", + "title": "Judith Collins axed from frontbench after losing National party leadership", + "description": "

    Successor Christopher Luxon said Collins had a ‘real passion’ for new portfolio of science and innovation

    New Zealand’s former opposition leader Judith Collins has been demoted from the National party’s frontbench and tumbled 18 places in its ranks, nearly two weeks after being ousted following her attempt to crush a rival.

    New leader Christopher Luxon announced the party’s caucus reshuffle on Monday. Collins, who copped the biggest demotion in the party, will take on a single portfolio – research, science and innovation – but will remain in the shadow cabinet.

    Continue reading...", + "content": "

    Successor Christopher Luxon said Collins had a ‘real passion’ for new portfolio of science and innovation

    New Zealand’s former opposition leader Judith Collins has been demoted from the National party’s frontbench and tumbled 18 places in its ranks, nearly two weeks after being ousted following her attempt to crush a rival.

    New leader Christopher Luxon announced the party’s caucus reshuffle on Monday. Collins, who copped the biggest demotion in the party, will take on a single portfolio – research, science and innovation – but will remain in the shadow cabinet.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/06/judith-collins-axed-from-frontbench-after-losing-national-party-leadership", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-12-06T02:09:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122856,16 +149293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f4056a532ea6f127308f866792ff8f0a" + "hash": "74247deb6b8ccdbee674decc8026d08c" }, { - "title": "Latest Covid travel rules for the 10 most popular holiday destinations from UK", - "description": "

    The arrival of the Omicron variant and rising infection rates has led to myriad new rules that travellers have to negotiate before setting off

    Spain has banned all non-vaccinated Britons from entering the country. The ban is expected to last until at least 31 December, at which point the rules will be reviewed.

    Continue reading...", - "content": "

    The arrival of the Omicron variant and rising infection rates has led to myriad new rules that travellers have to negotiate before setting off

    Spain has banned all non-vaccinated Britons from entering the country. The ban is expected to last until at least 31 December, at which point the rules will be reviewed.

    Continue reading...", - "category": "Travel", - "link": "https://www.theguardian.com/travel/2021/dec/07/latest-covid-travel-rules-for-10-most-popular-holiday-destinations-from-uk-spain-france-italy-usa", - "creator": "Nazia Parveen", - "pubDate": "2021-12-07T14:46:47Z", + "title": "Live news update: Labor says Australia could be renewables ‘superpower’; Palaszczuk to speak on Qld border reopening", + "description": "

    Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says; Palaszczuk to give update on Qld border reopening; Victoria records 1,073 new Covid cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; SA premier advised to close border with NSW over Omicron. Follow all the developments live

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", + "content": "

    Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says; Palaszczuk to give update on Qld border reopening; Victoria records 1,073 new Covid cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; SA premier advised to close border with NSW over Omicron. Follow all the developments live

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/06/australia-news-updates-live-covid-omicron-transport-strike-scott-morrison-anthony-albanese-weather-nsw-victoria-qld", + "creator": "Mostafa Rachwani (now) and Matilda Boseley (earlier)", + "pubDate": "2021-12-06T03:23:55Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122876,16 +149313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e7d461c2d5d490a7315d14ab83dade9f" + "hash": "594205fbbe1cd22b31095fef8dfcdb89" }, { - "title": "David Thewlis on new show Landscapers and the misogyny of Naked: ‘I find it much tougher to watch today’", - "description": "

    As he stars alongside Olivia Colman in a drama about the Mansfield Murders, the actor talks about his discomfort with Naked, doing night shoots with Julie Walters – and growing old grotesquely

    David Thewlis, speaking by Zoom from his home in the Berkshire village of Sunningdale, has set his screen at a jaunty angle. His manner is equable, nerdy, eager to please. Nothing like what you’d expect, in other words – unless you had watched Landscapers, a new four-part TV drama in which Thewlis stars opposite Olivia Colman. Perhaps he’s one of those actors who doesn’t de-role until he’s on to the next character.

    Landscapers is true crime, in so far as the protagonists are Susan and Christopher Edwards, the so-called Mansfield Murderers convicted in 2014 of killing Susan’s parents and burying them in the garden 15 years before. Yet it is absolutely nothing like true crime. It jumps through time and genre, smashes the fourth wall then puts it back together as a jail cell. It is vividly experimental yet recalls the golden age of British TV, specifically Dennis Potter and his dreamlike, restless theatricality. “I didn’t think of that while we were making it,” says Thewlis. “But when I saw it, I thought of The Singing Detective – which I was in!”

    Continue reading...", - "content": "

    As he stars alongside Olivia Colman in a drama about the Mansfield Murders, the actor talks about his discomfort with Naked, doing night shoots with Julie Walters – and growing old grotesquely

    David Thewlis, speaking by Zoom from his home in the Berkshire village of Sunningdale, has set his screen at a jaunty angle. His manner is equable, nerdy, eager to please. Nothing like what you’d expect, in other words – unless you had watched Landscapers, a new four-part TV drama in which Thewlis stars opposite Olivia Colman. Perhaps he’s one of those actors who doesn’t de-role until he’s on to the next character.

    Landscapers is true crime, in so far as the protagonists are Susan and Christopher Edwards, the so-called Mansfield Murderers convicted in 2014 of killing Susan’s parents and burying them in the garden 15 years before. Yet it is absolutely nothing like true crime. It jumps through time and genre, smashes the fourth wall then puts it back together as a jail cell. It is vividly experimental yet recalls the golden age of British TV, specifically Dennis Potter and his dreamlike, restless theatricality. “I didn’t think of that while we were making it,” says Thewlis. “But when I saw it, I thought of The Singing Detective – which I was in!”

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/07/david-thewlis-landscapers-misogyny-naked-olivia-colman-mansfield-murders-julie-walters", - "creator": "Zoe Williams", - "pubDate": "2021-12-07T06:00:19Z", + "title": "Bob Dole, former US senator and presidential nominee, dies aged 98 – video obituary", + "description": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", + "content": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", + "category": "Republicans", + "link": "https://www.theguardian.com/us-news/video/2021/dec/05/bob-dole-former-us-senator-and-presidential-nominee-dies-aged-98-video-obituary", + "creator": "", + "pubDate": "2021-12-05T21:13:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122896,16 +149333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2751e823d76781549eaf60f2bcd75728" + "hash": "eacbb47a79437c85343449d06cc71116" }, { - "title": "What sanctions could the US hit Russia with if it invades Ukraine?", - "description": "

    Biden enters talks with Putin armed with a wide range of economic measures at his disposal – what are those options?

    Joe Biden goes into Tuesday’s virtual summit with Vladimir Putin, after days of close consultation with European allies on a joint response to an invasion of Ukraine, armed with a wide range of punitive measures at his disposal.

    There would be increased military support for Kyiv and a bolstering of Nato’s eastern flank, but the primary focus would be on sanctions. The US secretary of state, Antony Blinken, said they would include “high-impact economic measures that we’ve refrained from taking in the past”.

    Continue reading...", - "content": "

    Biden enters talks with Putin armed with a wide range of economic measures at his disposal – what are those options?

    Joe Biden goes into Tuesday’s virtual summit with Vladimir Putin, after days of close consultation with European allies on a joint response to an invasion of Ukraine, armed with a wide range of punitive measures at his disposal.

    There would be increased military support for Kyiv and a bolstering of Nato’s eastern flank, but the primary focus would be on sanctions. The US secretary of state, Antony Blinken, said they would include “high-impact economic measures that we’ve refrained from taking in the past”.

    Continue reading...", - "category": "US foreign policy", - "link": "https://www.theguardian.com/us-news/2021/dec/07/us-russia-sanctions-joe-biden-vladimir-putin", - "creator": "Julian Borger in Washington", - "pubDate": "2021-12-07T07:21:31Z", + "title": "Gambian opposition parties reject preliminary election results", + "description": "

    Incumbent president Adama Barrow leading with twice votes of nearest rival in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the preliminary results of Saturday’s historic vote in the West African nation which suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow is leading with a significant margin of more than 200,000 votes. Barrow in 2016 unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", + "content": "

    Incumbent president Adama Barrow leading with twice votes of nearest rival in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the preliminary results of Saturday’s historic vote in the West African nation which suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow is leading with a significant margin of more than 200,000 votes. Barrow in 2016 unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", + "category": "The Gambia", + "link": "https://www.theguardian.com/world/2021/dec/05/gambian-opposition-parties-reject-preliminary-election-results", + "creator": "Portia Crowe in Banjul", + "pubDate": "2021-12-05T19:54:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122916,16 +149353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f7cc6a5e30fc6c0deb46f8d6e05a6b84" + "hash": "ce476e4cff5e36f28bf2394c587ae7b3" }, { - "title": "Biden to speak with European leaders after virtual summit with Putin – live", - "description": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", - "content": "

    Joe Biden will speak to several leaders of European nations this afternoon, after his virtual summit with Vladimir Putin concludes.

    “This afternoon, President Biden will convene a call with President Macron of France, Chancellor Merkel of Germany, Prime Minister Draghi of Italy, and Prime Minister Johnson of the United Kingdom following his call with President Putin,” the White House told the press pool.

    On the House floor, moments before the vote, Meijer approached a member who appeared on the verge of a breakdown. He asked his new colleague if he was okay. The member responded that he was not; that no matter his belief in the legitimacy of the election, he could no longer vote to certify the results, because he feared for his family’s safety. ‘Remember, this wasn’t a hypothetical. You were casting that vote after seeing with your own two eyes what some of these people are capable of,’ Meijer says. ‘If they’re willing to come after you inside the U.S. Capitol, what will they do when you’re at home with your kids?’

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/dec/07/joe-biden-vladimir-putin-call-russia-ukraine-invasion-us-politics-latest", - "creator": "Joan E Greve in Washington", - "pubDate": "2021-12-07T18:41:12Z", + "title": "Covid live: UK reports 43,992 cases and 54 deaths; protests in Brussels turn violent", + "description": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; people march in Brussels against latest restrictions

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", + "content": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; people march in Brussels against latest restrictions

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/05/covid-live-coronavirus-india-death-toll-uk-booster-jabs-christmas", + "creator": "Jem Bartholomew (now); Kevin Rawlinson and Jamie Grierson (earlier)", + "pubDate": "2021-12-05T19:32:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122936,16 +149373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "93bd5d33f2b5c4318f3a5b4dba3cc285" + "hash": "9b524a416b5a931f657ce728a3890041" }, { - "title": "Rohingya United: the football team bringing together refugees", - "description": "

    The Q-League is a far cry from the refugee camps where some of its players learned to play football using scrunched up plastic bags. Guardian Australia’s sport editor Mike Hytner introduces this story about the inclusiveness of sport and a player’s memory of holding a real football for the first time

    You can read the original article here: Rohingya United: the football team bringing together refugees


    Continue reading...", - "content": "

    The Q-League is a far cry from the refugee camps where some of its players learned to play football using scrunched up plastic bags. Guardian Australia’s sport editor Mike Hytner introduces this story about the inclusiveness of sport and a player’s memory of holding a real football for the first time

    You can read the original article here: Rohingya United: the football team bringing together refugees


    Continue reading...", - "category": "Refugees", - "link": "https://www.theguardian.com/australia-news/audio/2021/dec/08/rohingya-united-the-football-team-bringing-together-refugees", - "creator": "Hosted by Jane Lee. Recommended by Mike Hytner. Written by Emma Kemp. Produced by Camilla Hannan, Daniel Semo, Rafqa Touma and Allison Chan. Executive producers Gabrielle Jackson and Melanie Tait", - "pubDate": "2021-12-07T16:30:19Z", + "title": "Colombian family win award for world’s best cookbook", + "description": "

    Mother-and-daughter team scoop gong at Gourmand awards in Paris for volume of traditional leaf-wrapped recipes

    A Colombian mother and daughter’s celebration of their country’s traditional leaf-wrapped dishes has been named best cookbook in the world at the Gourmand awards in Paris.

    Colombia’s envueltos are part of a culinary heritage that stretches across much of Latin America, from the tamales of Mexico and Guatemala to the humitas of Chile.

    Continue reading...", + "content": "

    Mother-and-daughter team scoop gong at Gourmand awards in Paris for volume of traditional leaf-wrapped recipes

    A Colombian mother and daughter’s celebration of their country’s traditional leaf-wrapped dishes has been named best cookbook in the world at the Gourmand awards in Paris.

    Colombia’s envueltos are part of a culinary heritage that stretches across much of Latin America, from the tamales of Mexico and Guatemala to the humitas of Chile.

    Continue reading...", + "category": "Colombia", + "link": "https://www.theguardian.com/world/2021/dec/05/colombian-family-win-award-for-worlds-best-cookbook", + "creator": "Emma Graham-Harrison", + "pubDate": "2021-12-05T10:30:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122956,16 +149393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9708fce931766b49dc2d447c01e8aca" + "hash": "9c0b99793a55290a17e65890d7cdbfae" }, { - "title": "The Guardian view on Myanmar: Aung San Suu Kyi is now one of many | Editorial", - "description": "

    The generals snatched power and seized elected politicians. But they have yet to cow the public

    The prosecution and inevitable conviction of Myanmar’s deposed leader Aung San Suu Kyi and Win Myint, its former president, are a show of strength by the military that only emphasises its failures. These two are “hostages, not criminals”, observed Tom Andrews, the UN special rapporteur on human rights in Myanmar. The generals’ attempt to launder the detention through closed court proceedings fooled no one. The repression has only grown in the 10 months since the junta seized power, because it knows repression is all it has.

    The military chief Min Aung Hlaing made a serious miscalculation when he launched the coup, overturning the arrangements that allowed the army to maintain a high degree of power despite the National League for Democracy’s electoral triumphs. He assumed the military could return to the old ways, beating down political opposition and keeping the 76-year-old safely locked away. Perhaps he hoped that international reaction might be muted by the Nobel peace prize laureate’s tarnished reputation, after she personally defended Myanmar in the international court of justice genocide case over the treatment of Rohingya Muslims. (Rohingya survivors this week announced that they are suing Facebook for £150bn over hate speech on the social media platform.)

    Continue reading...", - "content": "

    The generals snatched power and seized elected politicians. But they have yet to cow the public

    The prosecution and inevitable conviction of Myanmar’s deposed leader Aung San Suu Kyi and Win Myint, its former president, are a show of strength by the military that only emphasises its failures. These two are “hostages, not criminals”, observed Tom Andrews, the UN special rapporteur on human rights in Myanmar. The generals’ attempt to launder the detention through closed court proceedings fooled no one. The repression has only grown in the 10 months since the junta seized power, because it knows repression is all it has.

    The military chief Min Aung Hlaing made a serious miscalculation when he launched the coup, overturning the arrangements that allowed the army to maintain a high degree of power despite the National League for Democracy’s electoral triumphs. He assumed the military could return to the old ways, beating down political opposition and keeping the 76-year-old safely locked away. Perhaps he hoped that international reaction might be muted by the Nobel peace prize laureate’s tarnished reputation, after she personally defended Myanmar in the international court of justice genocide case over the treatment of Rohingya Muslims. (Rohingya survivors this week announced that they are suing Facebook for £150bn over hate speech on the social media platform.)

    Continue reading...", - "category": "Aung San Suu Kyi", - "link": "https://www.theguardian.com/world/commentisfree/2021/dec/07/the-guardian-view-on-myanmar-aung-san-suu-kyi-is-now-one-of-many", - "creator": "Editorial", - "pubDate": "2021-12-07T18:41:06Z", + "title": "Singapore suspends crypto exchange over row with K-pop band BTS", + "description": "

    Bitget reportedly loses licence after it promoted Army Coin, named after group’s ‘BTS army’ followers

    Singapore’s financial regulator has reportedly suspended Bitget, a crypto exchange that is mired in a row involving South Korea’s biggest boyband, BTS.

    Bitget has removed the Monetary Authority of Singapore’s logo from its website, the Guardian confirmed. The platform still claims to have licences from Australia, Canada and the United States, according to its website.

    Continue reading...", + "content": "

    Bitget reportedly loses licence after it promoted Army Coin, named after group’s ‘BTS army’ followers

    Singapore’s financial regulator has reportedly suspended Bitget, a crypto exchange that is mired in a row involving South Korea’s biggest boyband, BTS.

    Bitget has removed the Monetary Authority of Singapore’s logo from its website, the Guardian confirmed. The platform still claims to have licences from Australia, Canada and the United States, according to its website.

    Continue reading...", + "category": "Cryptocurrencies", + "link": "https://www.theguardian.com/technology/2021/dec/05/singapore-suspends-crypto-exchange-row-k-pop-bts-bitget", + "creator": "Vincent Ni", + "pubDate": "2021-12-05T17:29:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122976,16 +149413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d86c7041ea944dd9cd6f90805827d423" + "hash": "7b448f29d282bb0d43e3dd7c8ffcaff0" }, { - "title": "Whistleblower condemns Foreign Office over Kabul evacuation", - "description": "

    Ex-diplomat claims string of failings within department led to ‘people being left to die at the hands of the Taliban’

    Tens of thousands of Afghans were unable to access UK help following the fall of Kabul because of turmoil and confusion in the Foreign Office, according a devastating account by a whistleblower.

    A former diplomat has claimed bureaucratic chaos, ministerial intervention, lack of planning and a short-hours culture in the department led to “people being left to die at the hands of the Taliban”.

    Continue reading...", - "content": "

    Ex-diplomat claims string of failings within department led to ‘people being left to die at the hands of the Taliban’

    Tens of thousands of Afghans were unable to access UK help following the fall of Kabul because of turmoil and confusion in the Foreign Office, according a devastating account by a whistleblower.

    A former diplomat has claimed bureaucratic chaos, ministerial intervention, lack of planning and a short-hours culture in the department led to “people being left to die at the hands of the Taliban”.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/07/whistleblower-condemns-foreign-office-over-kabul-evacuation", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-07T00:01:11Z", + "title": "Omicron proves we’re not in control of Covid – only global action can stop this pandemic", + "description": "

    If we keep allowing this virus to spread through unvaccinated populations, the next variant could be even more deadly

    It’s almost two years since we first heard of Covid-19, and a year since the first Covid vaccines were rolled out. Yet this staggering progress is being squandered. We have drifted for months now, with richer countries, taking a very blinkered domestic focus, lulled into thinking that the worst of the pandemic was behind us. This variant reminds us all that we remain closer to the start of the pandemic than the end.

    There is a lot we need to learn about the Omicron variant. Whether or not this is a pandemic-changing variant – one that really evades our vaccines and treatments – remains to be seen. Research will tell us more in the coming days and weeks, and we must watch and follow the data closely while giving the brilliant scientific teams time to get the answers. Although I am very worried about countries with limited access to vaccines, I am cautiously hopeful that our current vaccines will continue to protect us against severe sickness and death, if we are fully vaccinated.

    Continue reading...", + "content": "

    If we keep allowing this virus to spread through unvaccinated populations, the next variant could be even more deadly

    It’s almost two years since we first heard of Covid-19, and a year since the first Covid vaccines were rolled out. Yet this staggering progress is being squandered. We have drifted for months now, with richer countries, taking a very blinkered domestic focus, lulled into thinking that the worst of the pandemic was behind us. This variant reminds us all that we remain closer to the start of the pandemic than the end.

    There is a lot we need to learn about the Omicron variant. Whether or not this is a pandemic-changing variant – one that really evades our vaccines and treatments – remains to be seen. Research will tell us more in the coming days and weeks, and we must watch and follow the data closely while giving the brilliant scientific teams time to get the answers. Although I am very worried about countries with limited access to vaccines, I am cautiously hopeful that our current vaccines will continue to protect us against severe sickness and death, if we are fully vaccinated.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/04/omicron-proves-were-not-in-control-of-covid-only-global-action-can-stop-this-pandemic", + "creator": "Jeremy Farrar", + "pubDate": "2021-12-04T20:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -122996,16 +149433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91aae4433ba20e1b21ff67ada1bf5bf9" + "hash": "744c5ee0f9dcc669b135c6c69d06cec7" }, { - "title": "China attacks US diplomatic boycott of Winter Games as ‘travesty’ of Olympic spirit", - "description": "

    Beijing dismisses no-show and says American officials had not been invited in the first place, as other countries consider their positions

    China has reacted angrily to the US government’s diplomatic boycott of next year’s Winter Olympics, as more countries said they would consider joining the protest over Beijing’s human rights record and New Zealand announced it would not send representatives to the Games.

    Chinese officials dismissed Washington’s boycott as a “posturing and political manipulation” and tried to discredit the decision by claiming that US diplomats had not even been invited to Beijing in the first place.

    Continue reading...", - "content": "

    Beijing dismisses no-show and says American officials had not been invited in the first place, as other countries consider their positions

    China has reacted angrily to the US government’s diplomatic boycott of next year’s Winter Olympics, as more countries said they would consider joining the protest over Beijing’s human rights record and New Zealand announced it would not send representatives to the Games.

    Chinese officials dismissed Washington’s boycott as a “posturing and political manipulation” and tried to discredit the decision by claiming that US diplomats had not even been invited to Beijing in the first place.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/07/china-attacks-us-diplomatic-boycott-of-winter-games-as-travesty-of-olympic-spirit", - "creator": "Helen Davidson", - "pubDate": "2021-12-07T07:34:48Z", + "title": "Lewis Hamilton distances himself from F1 team Kingspan deal", + "description": "

    British driver says he had ‘nothing’ to do with sponsorship deal with company linked to Grenfell fire

    Lewis Hamilton has distanced himself from his Formula One team’s partnership deal with Kingspan, an insulation company linked to the Grenfell Tower fire, saying he had nothing to do with the decision.

    He also cast doubt on Kingspan branding remaining on his Mercedes car.

    Continue reading...", + "content": "

    British driver says he had ‘nothing’ to do with sponsorship deal with company linked to Grenfell fire

    Lewis Hamilton has distanced himself from his Formula One team’s partnership deal with Kingspan, an insulation company linked to the Grenfell Tower fire, saying he had nothing to do with the decision.

    He also cast doubt on Kingspan branding remaining on his Mercedes car.

    Continue reading...", + "category": "Grenfell Tower fire", + "link": "https://www.theguardian.com/uk-news/2021/dec/05/lewis-hamilton-distances-himself-from-f1-team-kingspan-deal-grenfell", + "creator": "Jessica Murray Midlands correspondent", + "pubDate": "2021-12-05T09:50:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123016,16 +149453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f1540b4106ad0d5a2e2c43ffd823f240" + "hash": "167ba495abe53c92fe218c1bd118a12c" }, { - "title": "Covid news live: Omicron likely to become dominant variant, UK and US experts say", - "description": "

    Omicron variant is likely to ‘outcompete Delta’, Harvard researcher says; patchy monitoring thought to be behind underreporting of cases in the UK

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", - "content": "

    Omicron variant is likely to ‘outcompete Delta’, Harvard researcher says; patchy monitoring thought to be behind underreporting of cases in the UK

    All international arrivals to the UK are now required to take a pre-departure Covid-19 test to tackle the new Omicron variant.

    The tightened requirements have just come into force from 4am (GMT) on Tuesday 7 December.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/07/covid-news-live-omicron-likely-to-become-dominant-variant-harvard-researcher-says-france-to-close-nightclubs", - "creator": "Martin Belam (now) and Samantha Lock (earlier)", - "pubDate": "2021-12-07T09:46:03Z", + "title": "UK takes part in huge French naval exercise to counter ‘emerging threats’", + "description": "

    France’s top naval commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", + "content": "

    France’s top naval commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/05/uk-and-france-take-part-in-huge-naval-exercise-to-counter-emerging-threats", + "creator": "Kim Willsher on the Charles de Gaulle aircraft carrier", + "pubDate": "2021-12-05T10:59:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123036,16 +149473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6acee5fc8eeef06fc27acf066400873b" + "hash": "bdb511b42c27f3549fb1e3d732b6a597" }, { - "title": "US says it will send troops to eastern Europe if Russia invades Ukraine", - "description": "

    Official says Washington would also impose economic measures, in a warning to Moscow on eve of talks between Biden and Putin

    The US has said it would send reinforcements to Nato’s eastern flank in the wake of a Russian invasion of Ukraine, as well as imposing severe new economic measures, in a warning to Moscow on the eve of talks between Joe Biden and Vladimir Putin.

    Biden will also make clear to Putin that the US will not rule out future Ukrainian membership of Nato, as the Russian leader has demanded, a senior US official said.

    Continue reading...", - "content": "

    Official says Washington would also impose economic measures, in a warning to Moscow on eve of talks between Biden and Putin

    The US has said it would send reinforcements to Nato’s eastern flank in the wake of a Russian invasion of Ukraine, as well as imposing severe new economic measures, in a warning to Moscow on the eve of talks between Joe Biden and Vladimir Putin.

    Biden will also make clear to Putin that the US will not rule out future Ukrainian membership of Nato, as the Russian leader has demanded, a senior US official said.

    Continue reading...", - "category": "Volodymyr Zelenskiy", - "link": "https://www.theguardian.com/world/2021/dec/06/us-says-it-will-send-troops-to-eastern-europe-if-russia-invades-ukraine", - "creator": "Andrew Roth in Moscow and Julian Borgerin Washington", - "pubDate": "2021-12-06T19:10:04Z", + "title": "Omicron: what do we know about the new Covid variant?", + "description": "

    Scientists are racing to establish the variant’s transmissibility, effect on immune system and chance of hospitalisation or death

    Three major issues will determine the magnitude of the impact of the new Omicron variant of the Covid virus will have on the nation and the rest of the planet. What is the transmissibility of this new Covid variant? How good is it at evading the antibodies and T-cells that make up a person’s immune defences? What are the chances it will trigger severe illness that could lead to the hospitalisation, and possibly death, of an infected person.

    Scientists are struggling to find definitive answers to these critically important questions, although evidence already suggests Omicron has the potential to cause serious disruption. “The situation is very finely tuned and could go in many different directions,” says Prof Rowland Kao of Edinburgh University.

    Continue reading...", + "content": "

    Scientists are racing to establish the variant’s transmissibility, effect on immune system and chance of hospitalisation or death

    Three major issues will determine the magnitude of the impact of the new Omicron variant of the Covid virus will have on the nation and the rest of the planet. What is the transmissibility of this new Covid variant? How good is it at evading the antibodies and T-cells that make up a person’s immune defences? What are the chances it will trigger severe illness that could lead to the hospitalisation, and possibly death, of an infected person.

    Scientists are struggling to find definitive answers to these critically important questions, although evidence already suggests Omicron has the potential to cause serious disruption. “The situation is very finely tuned and could go in many different directions,” says Prof Rowland Kao of Edinburgh University.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/05/omicron-what-do-we-know-about-the-new-covid-variant", + "creator": "Robin McKie Science Editor", + "pubDate": "2021-12-05T08:00:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123056,16 +149493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a208f04083554e3e78f6ca934c2502ba" + "hash": "10bbcfba101f4d85445eff6d0a21b518" }, { - "title": "China unveils package to boost economy as Evergrande teeters", - "description": "

    Beijing to increase business lending and build more affordable housing, but reports say property giant has missed a key bond repayment

    China’s politburo has signalled measures to kickstart the faltering economy as the crisis gripping the country’s debt-laden property sector continued to blight prospects for growth.

    President Xi Jinping’s senior leadership committee rubber-stamped a plan from the central bank on Monday for more targeted lending to businesses and outlined support for the housing market.

    Continue reading...", - "content": "

    Beijing to increase business lending and build more affordable housing, but reports say property giant has missed a key bond repayment

    China’s politburo has signalled measures to kickstart the faltering economy as the crisis gripping the country’s debt-laden property sector continued to blight prospects for growth.

    President Xi Jinping’s senior leadership committee rubber-stamped a plan from the central bank on Monday for more targeted lending to businesses and outlined support for the housing market.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/07/china-unveils-package-to-boost-economy-amid-imf-growth-warning", - "creator": "Martin Farrer", - "pubDate": "2021-12-07T07:20:20Z", + "title": "Two hippos test positive for Covid at Antwerp zoo", + "description": "

    Staff at zoo in Belgium investigating cause of infections, which could be first reported cases in species

    Two hippos have tested positive for Covid-19 at Antwerp zoo in Belgium in what could be the first reported cases in the species, staff said.

    Imani, aged 14, and 41-year-old Hermien have no symptoms apart from runny noses, but the zoo said the pair had been put into quarantine as a precaution.

    Continue reading...", + "content": "

    Staff at zoo in Belgium investigating cause of infections, which could be first reported cases in species

    Two hippos have tested positive for Covid-19 at Antwerp zoo in Belgium in what could be the first reported cases in the species, staff said.

    Imani, aged 14, and 41-year-old Hermien have no symptoms apart from runny noses, but the zoo said the pair had been put into quarantine as a precaution.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/05/hippos-test-positive-covid-antwerp-zoo-belgium", + "creator": "Reuters", + "pubDate": "2021-12-05T11:48:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123076,16 +149513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "002dd66970d37dee67299eb513802122" + "hash": "7ef4f03a05e6daa1e616d40581d1b638" }, { - "title": "China’s import surge cheers markets; UK house price growth at 15-year high – business live", - "description": "

    Rolling coverage of the latest economic and financial news

    The pan-European Stoxx 600 index has hit its highest level since the Omicron tumble over a week ago, up 1.4%.

    Technology shares are leading the rally, with the sector up 3.1%. Miners are being lifted by hopes for China’s economy after the People’s Bank of China eased monetary policy yesterday, and firms imported more coal and metal last month.

    Continue reading...", - "content": "

    Rolling coverage of the latest economic and financial news

    The pan-European Stoxx 600 index has hit its highest level since the Omicron tumble over a week ago, up 1.4%.

    Technology shares are leading the rally, with the sector up 3.1%. Miners are being lifted by hopes for China’s economy after the People’s Bank of China eased monetary policy yesterday, and firms imported more coal and metal last month.

    Continue reading...", - "category": "Business", - "link": "https://www.theguardian.com/business/live/2021/dec/07/china-imports-trade-markets-uk-house-prices-high-oil-ftse-uk-germany-business-live", - "creator": "Graeme Wearden", - "pubDate": "2021-12-07T10:00:11Z", + "title": "UK warned not to replicate Australia’s immigration detention centres", + "description": "

    Letter from detainees urges MPs not to back nationality and borders bill to be debated in parliament this week

    Two former detainees in Australia’s notorious offshore immigration detention centres have issued a “dire warning” to UK parliamentarians ahead of a vote to replicate these centres this week.

    They are urging MPs not to back the nationality and borders bill which will be debated in parliament on Tuesday and Wednesday. If passed into law in its current form it will diminish refugee protection. Large-scale reception centres are planned and the legislation includes a provision for housing asylum seekers offshore while their claims are considered.

    Continue reading...", + "content": "

    Letter from detainees urges MPs not to back nationality and borders bill to be debated in parliament this week

    Two former detainees in Australia’s notorious offshore immigration detention centres have issued a “dire warning” to UK parliamentarians ahead of a vote to replicate these centres this week.

    They are urging MPs not to back the nationality and borders bill which will be debated in parliament on Tuesday and Wednesday. If passed into law in its current form it will diminish refugee protection. Large-scale reception centres are planned and the legislation includes a provision for housing asylum seekers offshore while their claims are considered.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/dec/05/uk-warned-not-to-replicate-australias-immigration-detention-centres", + "creator": "Diane Taylor", + "pubDate": "2021-12-05T17:41:44Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123096,16 +149533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae166a45932d18936bc59e8b63927203" + "hash": "4675ec4a62fc727eea54a7d2e3dd8178" }, { - "title": "Storm Barra leaves thousands without power in Ireland", - "description": "

    At least 30,000 homes and firms affected, as Met Office warns storm could pose danger to life as it approaches UK

    More than 30,000 homes and businesses have been left without power in Ireland as Storm Barra made landfall, with winds predicted to reach 80mph as it crosses east throughout the day.

    Heavy rain and sleet was expected on Tuesday as Barra continued its path from the Atlantic. Snow was already falling in the north-west of the country.

    Continue reading...", - "content": "

    At least 30,000 homes and firms affected, as Met Office warns storm could pose danger to life as it approaches UK

    More than 30,000 homes and businesses have been left without power in Ireland as Storm Barra made landfall, with winds predicted to reach 80mph as it crosses east throughout the day.

    Heavy rain and sleet was expected on Tuesday as Barra continued its path from the Atlantic. Snow was already falling in the north-west of the country.

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/2021/dec/07/storm-barra-thousands-without-power-ireland-met-office-uk", - "creator": "Lisa O'Carroll", - "pubDate": "2021-12-07T09:47:36Z", + "title": "Australia news updates live: bus and train drivers strike in NSW, flood warnings for parts of Queensland", + "description": "

    Security leaders welcome Labor climate policy; industrial action over pay dispute begins as some Sydney drivers walk off the job. Follow all the developments live

    Anthony Albanese is well and truly out on the campaign trail this week and, it seem the polls are actually behind him for once.

    The latest Newspoll, conducted for The Australian, shows 47 per cent of voters believe Labor will form the next government following an election expected in March or May.

    I think when it comes to character, there is a chasm, a massive chasm between Scott Morris and Anthony Albanese, there’s no doubt about that...

    I think Australians coming out of the pandemic are looking for a government that will have a plan to create a better future, right now I think what they see with the Morrison Government is a government that is consistently behind the play

    Continue reading...", + "content": "

    Security leaders welcome Labor climate policy; industrial action over pay dispute begins as some Sydney drivers walk off the job. Follow all the developments live

    Anthony Albanese is well and truly out on the campaign trail this week and, it seem the polls are actually behind him for once.

    The latest Newspoll, conducted for The Australian, shows 47 per cent of voters believe Labor will form the next government following an election expected in March or May.

    I think when it comes to character, there is a chasm, a massive chasm between Scott Morris and Anthony Albanese, there’s no doubt about that...

    I think Australians coming out of the pandemic are looking for a government that will have a plan to create a better future, right now I think what they see with the Morrison Government is a government that is consistently behind the play

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/06/australia-news-updates-live-covid-omicron-transport-strike-scott-morrison-anthony-albanese-weather-nsw-victoria-qld", + "creator": "Matilda Boseley", + "pubDate": "2021-12-05T21:01:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123116,16 +149553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9897de625ae24ba8fc00c710ed0dc95" + "hash": "3ba1a77a4c7d39869a1951403193bfe2" }, { - "title": "UAE cuts working week and shifts weekend back a day", - "description": "

    ‘National working week’ aimed at improving work-life balance and economic competitiveness

    The United Arab Emirates is cutting its working week to four-and-a-half days and moving its weekend from Friday-Saturday to Saturday-Sunday, officials have said.

    The “national working week” would be mandatory for government bodies from January and was aimed at improving work-life balance and economic competitiveness, state media said on Tuesday.

    Continue reading...", - "content": "

    ‘National working week’ aimed at improving work-life balance and economic competitiveness

    The United Arab Emirates is cutting its working week to four-and-a-half days and moving its weekend from Friday-Saturday to Saturday-Sunday, officials have said.

    The “national working week” would be mandatory for government bodies from January and was aimed at improving work-life balance and economic competitiveness, state media said on Tuesday.

    Continue reading...", - "category": "United Arab Emirates", - "link": "https://www.theguardian.com/world/2021/dec/07/uae-cuts-working-week-and-shifts-weekend-back-a-day", - "creator": "Agence France-Presse in Dubai", - "pubDate": "2021-12-07T09:57:11Z", + "title": "Man rescued 22 hours after capsizing off Japan coast – video", + "description": "

    Dramatic footage released by the Japan coastguard shows the rescue of a 69-year-old man in rough seas after spending 22 hours drifting in open water.

    The man, whose name has not been released, was alone on a boat off Kagoshima prefecture in the south-west of the country on Saturday afternoon when it capsized.

    He managed to call a colleague on the island to alert him, but was not found until nearly a day later, the coastguard said, when rescuers spotted him sitting on the engine of his capsized boat, clasping a propeller part

    Continue reading...", + "content": "

    Dramatic footage released by the Japan coastguard shows the rescue of a 69-year-old man in rough seas after spending 22 hours drifting in open water.

    The man, whose name has not been released, was alone on a boat off Kagoshima prefecture in the south-west of the country on Saturday afternoon when it capsized.

    He managed to call a colleague on the island to alert him, but was not found until nearly a day later, the coastguard said, when rescuers spotted him sitting on the engine of his capsized boat, clasping a propeller part

    Continue reading...", + "category": "Japan", + "link": "https://www.theguardian.com/world/video/2021/dec/02/man-rescued-22-hours-after-capsizing-off-japan-coast-video", + "creator": "", + "pubDate": "2021-12-02T11:01:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123136,16 +149573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4fd0997495fdbf8f97a6a1f4712a58f9" + "hash": "b9a26a7fd13febb36a42658d7885bdfc" }, { - "title": "Australian man Craig Wright wins US court battle for bitcoin fortune worth billions", - "description": "

    Florida jury finds Wright, who claims to have invented the cryptocurrency, did not owe half of 1.1m bitcoins worth $50bn to another family

    Craig Wright, an Australian computer scientist who claims to be the inventor of bitcoin, has prevailed in a civil trial against the family of a deceased business partner that claimed it was owed half of a cryptocurrency fortune worth tens of billions of dollars.

    A Florida jury on Monday found that Wright did not owe half of 1.1m bitcoins to the family of David Kleiman. The jury did award US$100m in intellectual property rights to a joint venture between the two men, a fraction of what Kleiman’s lawyers were asking for at trial.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Florida jury finds Wright, who claims to have invented the cryptocurrency, did not owe half of 1.1m bitcoins worth $50bn to another family

    Craig Wright, an Australian computer scientist who claims to be the inventor of bitcoin, has prevailed in a civil trial against the family of a deceased business partner that claimed it was owed half of a cryptocurrency fortune worth tens of billions of dollars.

    A Florida jury on Monday found that Wright did not owe half of 1.1m bitcoins to the family of David Kleiman. The jury did award US$100m in intellectual property rights to a joint venture between the two men, a fraction of what Kleiman’s lawyers were asking for at trial.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Bitcoin", - "link": "https://www.theguardian.com/technology/2021/dec/07/australian-man-craig-wright-wins-us-court-battle-for-bitcoin-fortune-worth-billions", - "creator": "Associated Press in New York", - "pubDate": "2021-12-07T08:52:58Z", + "title": "Pécresse attacks ‘zigzagging’ Macron as French right goes after president", + "description": "

    Candidate for Les Républicains seeks rightwing votes on weekend Éric Zemmour launches new party

    Emmanuel Macron came under fire from the French right at the weekend as Valérie Pécresse was chosen as the presidential candidate for Les Républicains, while the far-right TV pundit Éric Zemmour launched a new party and Marine Le Pen travelled to Poland for a show of force with the Polish prime minister and other European populist parties.

    Pécresse said her “mission” was to stop Macron. She called him a “zigzagging” president who had “run France into the wall with debt and taxes, a society where there is no more respect or authority”. In her first interview, with the Journal du Dimanche, she said Macron had saddled future generations with a wealth of problems including “debt, commercial deficit, taxes, struggling public services [and] a chronic crisis of authority”. She added: “France is damaged and divided, everything has to be repaired.”

    Continue reading...", + "content": "

    Candidate for Les Républicains seeks rightwing votes on weekend Éric Zemmour launches new party

    Emmanuel Macron came under fire from the French right at the weekend as Valérie Pécresse was chosen as the presidential candidate for Les Républicains, while the far-right TV pundit Éric Zemmour launched a new party and Marine Le Pen travelled to Poland for a show of force with the Polish prime minister and other European populist parties.

    Pécresse said her “mission” was to stop Macron. She called him a “zigzagging” president who had “run France into the wall with debt and taxes, a society where there is no more respect or authority”. In her first interview, with the Journal du Dimanche, she said Macron had saddled future generations with a wealth of problems including “debt, commercial deficit, taxes, struggling public services [and] a chronic crisis of authority”. She added: “France is damaged and divided, everything has to be repaired.”

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/05/pecresse-attacks-zigzagging-macron-as-french-right-goes-after-president", + "creator": "Angelique Chrisafisin Paris", + "pubDate": "2021-12-05T19:09:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123156,16 +149593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "faacc1a3377247a5078f1853d606f6b8" + "hash": "b1f032ff0bb03be57f8e02325f3d046a" }, { - "title": "Soyuz rocket to take Japanese tycoon to ISS as Russia revives space tourism", - "description": "

    Yusaku Maezawa and Yozo Hirano will become first space tourists sent by Russia in over a decade

    The Japanese billionaire Yusaku Maezawa has said he is feeling “excited” before his mission to the International Space Station, which marks Russia’s return to space tourism.

    Maezawa, a space enthusiast who made his wealth in online fashion, and his production assistant, Yozo Hirano, will spend 12 days on the ISS.

    Continue reading...", - "content": "

    Yusaku Maezawa and Yozo Hirano will become first space tourists sent by Russia in over a decade

    The Japanese billionaire Yusaku Maezawa has said he is feeling “excited” before his mission to the International Space Station, which marks Russia’s return to space tourism.

    Maezawa, a space enthusiast who made his wealth in online fashion, and his production assistant, Yozo Hirano, will spend 12 days on the ISS.

    Continue reading...", - "category": "International Space Station", - "link": "https://www.theguardian.com/science/2021/dec/07/soyuz-rocket-to-take-japanese-tycoon-yusaku-maezawa-to-iss-as-russia-returns-to-space-tourism", - "creator": "Agence France-Presse in Baikonur", - "pubDate": "2021-12-07T09:36:27Z", + "title": "Oxford postgrad says sexual assault complaint was met with hostility", + "description": "

    Open letter condemning Harriet’s treatment has been signed by hundreds of students and supporters

    Students at an Oxford University college have accused staff of disregarding their welfare after a postgrad who alleged she was sexually assaulted said she was treated with hostility after making a complaint.

    Harriet, a PhD student at Balliol, who has multiple disabilities, alleged she was repeatedly sexually assaulted in 2019 by a fellow student. The college has announced an independent inquiry into its handling of her complaint after she said staff made inappropriate comments about her appearance and behaviour and concluded no further action should be taken without interviewing or accepting evidence from her.

    The chaplain, Bruce Kinsey, asked her if she was aware of the effect she had on men, called her very physically attractive and said she should be wary of the impact on her alleged attacker.

    Kinsey told her: “You don’t want to piss people off who you might meet again downstream.”

    When she reapplied for disability access accommodation she received an email from the praefectus, Tom Melham, implying that her behaviour was a problem, including drinking.

    Continue reading...", + "content": "

    Open letter condemning Harriet’s treatment has been signed by hundreds of students and supporters

    Students at an Oxford University college have accused staff of disregarding their welfare after a postgrad who alleged she was sexually assaulted said she was treated with hostility after making a complaint.

    Harriet, a PhD student at Balliol, who has multiple disabilities, alleged she was repeatedly sexually assaulted in 2019 by a fellow student. The college has announced an independent inquiry into its handling of her complaint after she said staff made inappropriate comments about her appearance and behaviour and concluded no further action should be taken without interviewing or accepting evidence from her.

    The chaplain, Bruce Kinsey, asked her if she was aware of the effect she had on men, called her very physically attractive and said she should be wary of the impact on her alleged attacker.

    Kinsey told her: “You don’t want to piss people off who you might meet again downstream.”

    When she reapplied for disability access accommodation she received an email from the praefectus, Tom Melham, implying that her behaviour was a problem, including drinking.

    Continue reading...", + "category": "University of Oxford", + "link": "https://www.theguardian.com/education/2021/dec/05/oxford-postgrad-says-sexual-assault-complaint-was-met-with-hostility", + "creator": "Haroon Siddique Legal affairs correspondent", + "pubDate": "2021-12-05T15:26:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123176,16 +149613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9d9ccb09534a5785d24f45497323106" + "hash": "44e6ed20bf61270bc50fb0d1599c2ef7" }, { - "title": "‘Not great news’: US boss fires 900 employees on a Zoom call", - "description": "

    Vishal Garg told the Better.com staff they were ‘part of the unlucky group’ that would be terminated ‘immediately’

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call.

    “I come to you with not great news,” Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday last week. Footage of the call was widely circulated on social media.

    Continue reading...", - "content": "

    Vishal Garg told the Better.com staff they were ‘part of the unlucky group’ that would be terminated ‘immediately’

    The chief executive of a US mortgage company has drawn criticism after he reportedly fired 900 employees on a Zoom call.

    “I come to you with not great news,” Vishal Garg, CEO of Better.com, is heard saying at the beginning of the video call made on Wednesday last week. Footage of the call was widely circulated on social media.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/07/not-great-news-us-boss-fires-900-employees-on-a-zoom-call", - "creator": "Samantha Lock", - "pubDate": "2021-12-07T05:13:42Z", + "title": "Scholarship program fails to attract NSW teachers as staff prepare to strike for first time in a decade", + "description": "

    Only six industry professionals among intake for Teach.Maths NOW scholarship in 2020 and all but one dropped out of program

    A New South Wales government program aimed at convincing professionals to become maths teachers attracted only six people last year, five of who dropped out before their scholarships were complete.

    As the state’s public school teachers prepare for their first strike in almost a decade on Tuesday, new figures have cast doubt on the success of the government’s attempts to address teacher shortages in NSW without significantly increasing pay.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Only six industry professionals among intake for Teach.Maths NOW scholarship in 2020 and all but one dropped out of program

    A New South Wales government program aimed at convincing professionals to become maths teachers attracted only six people last year, five of who dropped out before their scholarships were complete.

    As the state’s public school teachers prepare for their first strike in almost a decade on Tuesday, new figures have cast doubt on the success of the government’s attempts to address teacher shortages in NSW without significantly increasing pay.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "New South Wales", + "link": "https://www.theguardian.com/australia-news/2021/dec/06/scholarship-program-fails-to-attract-nsw-teachers-as-staff-prepare-to-strike-for-first-time-in-a-decade", + "creator": "Michael McGowan", + "pubDate": "2021-12-05T16:30:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123196,16 +149633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "993b9b7ed445827e191c21321dad9dcb" + "hash": "1ec3cead698b17857763bfa5f8336d6f" }, { - "title": "Cook Islands panic abates after first ever Covid case proves to be a false alarm", - "description": "

    The tiny Pacific country scrambled over the weekend, before tests showed the positive case was historical

    The Cook Islands has spent recent days in a state of panic.

    On Friday, the tiny Pacific country, one of the few countries to avoid any Covid cases throughout the pandemic, announced its first case: a 10-year-old boy who arrived on a flight from Auckland to Rarotonga, the main island in the country.

    Continue reading...", - "content": "

    The tiny Pacific country scrambled over the weekend, before tests showed the positive case was historical

    The Cook Islands has spent recent days in a state of panic.

    On Friday, the tiny Pacific country, one of the few countries to avoid any Covid cases throughout the pandemic, announced its first case: a 10-year-old boy who arrived on a flight from Auckland to Rarotonga, the main island in the country.

    Continue reading...", - "category": "Cook Islands", - "link": "https://www.theguardian.com/world/2021/dec/07/cook-islands-panic-abates-after-first-ever-covid-case-proves-to-be-a-false-alarm", - "creator": "Alana Musselle in Rarotonga", - "pubDate": "2021-12-07T06:28:19Z", + "title": "Christopher Luxon is out of step with most New Zealanders – can he really challenge Ardern? | Morgan Godfery", + "description": "

    The new National leader is a millionaire, anti-abortion, ex-CEO who owns seven homes and is against increases to the minimum wage

    In the end, the party of business picked the businessman. Former National party leader Simon Bridges is out – again – and former Air New Zealand chief executive and MP for Botany, Christopher Luxon, is in.

    In hindsight it seems like it was always a done deal. Sir John Key, the former prime minister and National party leader, was a prominent supporter while outgoing leader Judith Collins was running an “anyone but Bridges” policy, effectively handing the leadership to Luxon (and making him a hostage to her and her faction’s demands in the process). Political commentators were picking Luxon as a future leader before entering parliament and, only one year later, here he is.

    Continue reading...", + "content": "

    The new National leader is a millionaire, anti-abortion, ex-CEO who owns seven homes and is against increases to the minimum wage

    In the end, the party of business picked the businessman. Former National party leader Simon Bridges is out – again – and former Air New Zealand chief executive and MP for Botany, Christopher Luxon, is in.

    In hindsight it seems like it was always a done deal. Sir John Key, the former prime minister and National party leader, was a prominent supporter while outgoing leader Judith Collins was running an “anyone but Bridges” policy, effectively handing the leadership to Luxon (and making him a hostage to her and her faction’s demands in the process). Political commentators were picking Luxon as a future leader before entering parliament and, only one year later, here he is.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/04/christopher-luxon-is-out-of-step-with-most-new-zealanders-can-he-really-challenge-ardern", + "creator": "Morgan Godfery", + "pubDate": "2021-12-03T19:00:07Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123216,16 +149653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d3f3c40c7200dc245e1cc660b1d2633e" + "hash": "5f2fadc8ac844180145191d146150175" }, { - "title": "Covid-19: How fast is the Omicron variant spreading? podcast", - "description": "

    Over 40 countries have now confirmed the presence of Omicron. And, in the UK, scientists have been increasingly expressing their concern about the new variant. Some have speculated there could be more than 1,000 cases here already, and that it could become the dominant variant within weeks.

    To get an update on what we know about the Omicron variant, and how quickly it might be spreading, Madeleine Finlay speaks to Nicola Davis, the Guardian’s science correspondent

    Archive: 7News Australia, CBS, BBC

    Continue reading...", - "content": "

    Over 40 countries have now confirmed the presence of Omicron. And, in the UK, scientists have been increasingly expressing their concern about the new variant. Some have speculated there could be more than 1,000 cases here already, and that it could become the dominant variant within weeks.

    To get an update on what we know about the Omicron variant, and how quickly it might be spreading, Madeleine Finlay speaks to Nicola Davis, the Guardian’s science correspondent

    Archive: 7News Australia, CBS, BBC

    Continue reading...", - "category": "Science", - "link": "https://www.theguardian.com/science/audio/2021/dec/07/covid-19-how-fast-is-the-omicron-variant-spreading", - "creator": "Presented by Madeleine Finlay with Nicola Davis, produced by Anand Jagatia, sound design by Rudi Zygadlo", - "pubDate": "2021-12-07T05:00:17Z", + "title": "Covid live: NHS will be in ‘very difficult position’ if Omicron leads to more hospital admissions; India death toll climbs", + "description": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", + "content": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/05/covid-live-coronavirus-india-death-toll-uk-booster-jabs-christmas", + "creator": "Kevin Rawlinson and Jamie Grierson", + "pubDate": "2021-12-05T14:40:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123236,16 +149673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab88caa6344cb6627e4c4e66c3d5551e" + "hash": "2f4e24bbc0ac6a9361214e58a4a94bec" }, { - "title": "How an Afghan reporter was left to the Taliban by the Foreign Office", - "description": "

    ‘Fahim’ was cleared to leave Kabul. Then the phone went dead. Now he moves house every two days to evade capture

    Fahim, a journalist who had worked with British media organisations, was one of thousands of Afghans who approached the Foreign, Commonwealth and Development Office (FCDO) for help to escape Afghanistan after the Taliban’s conquest this summer.

    Told he was cleared to travel with his family to the UK, he was also one of the many left behind as the promised help from the FCDO failed to materialise.

    Continue reading...", - "content": "

    ‘Fahim’ was cleared to leave Kabul. Then the phone went dead. Now he moves house every two days to evade capture

    Fahim, a journalist who had worked with British media organisations, was one of thousands of Afghans who approached the Foreign, Commonwealth and Development Office (FCDO) for help to escape Afghanistan after the Taliban’s conquest this summer.

    Told he was cleared to travel with his family to the UK, he was also one of the many left behind as the promised help from the FCDO failed to materialise.

    Continue reading...", + "title": "West condemns Taliban over ‘summary killings’ of ex-soldiers and police", + "description": "

    Human Rights Watch says 47 former members of Afghan national security forces have been killed or forcibly disappeared

    The US has led a group of western nations and allies in condemnation of the Taliban over the “summary killings” of former members of the Afghan security forces reported by rights groups, demanding quick investigations.

    “We are deeply concerned by reports of summary killings and enforced disappearances of former members of the Afghan security forces as documented by Human Rights Watch and others,” read a statement by the US, EU, Australia, Britain, Japan and others, which was released by the state department on Saturday.

    Continue reading...", + "content": "

    Human Rights Watch says 47 former members of Afghan national security forces have been killed or forcibly disappeared

    The US has led a group of western nations and allies in condemnation of the Taliban over the “summary killings” of former members of the Afghan security forces reported by rights groups, demanding quick investigations.

    “We are deeply concerned by reports of summary killings and enforced disappearances of former members of the Afghan security forces as documented by Human Rights Watch and others,” read a statement by the US, EU, Australia, Britain, Japan and others, which was released by the state department on Saturday.

    Continue reading...", "category": "Afghanistan", - "link": "https://www.theguardian.com/world/2021/dec/07/how-an-afghan-reporter-was-left-to-the-taliban-by-the-foreign-office", - "creator": "Peter Beaumont", - "pubDate": "2021-12-07T00:01:12Z", + "link": "https://www.theguardian.com/world/2021/dec/05/west-condemns-taliban-over-summary-killings-of-ex-soldiers-and-police", + "creator": "Agence France-Presse", + "pubDate": "2021-12-05T05:33:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123256,16 +149693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f5f4d088e462e181e81ff54dac9e07e" + "hash": "cbff6fcd184521a09ace9f80c04f4383" }, { - "title": "Best mid-range wifi 6 mesh systems to solve broadband dead zones", - "description": "

    Replacement routers put speedy wifi in every corner of the home for reliable work, video calls and films

    With wifi more important than ever for keeping your home working and your online entertainment up and running, it may be time to banish those irritating “not-spots” and make your broadband work everywhere in your home with a router upgrade.

    Now that most new devices, from laptops and phones to TVs and streaming boxes, support wifi 6, I put several of the latest mid-range “mesh” routers to the test to see which ones deliver.

    Continue reading...", - "content": "

    Replacement routers put speedy wifi in every corner of the home for reliable work, video calls and films

    With wifi more important than ever for keeping your home working and your online entertainment up and running, it may be time to banish those irritating “not-spots” and make your broadband work everywhere in your home with a router upgrade.

    Now that most new devices, from laptops and phones to TVs and streaming boxes, support wifi 6, I put several of the latest mid-range “mesh” routers to the test to see which ones deliver.

    Continue reading...", - "category": "Wifi", - "link": "https://www.theguardian.com/technology/2021/dec/07/best-mid-range-wifi-6-mesh-systems-to-solve-broadband-dead-zones", - "creator": "Samuel Gibbs Consumer technology editor", - "pubDate": "2021-12-07T07:00:20Z", + "title": "Third party to investigate Michigan school’s actions ahead of shooting", + "description": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A third party will investigate events at Oxford High School in Michigan before a school shooting this week that left four students dead and six others and a teacher wounded, the school district’s superintendent said on Saturday.

    The Oxford Community Schools superintendent, Tim Throne, said he called for the outside investigation because parents have asked questions about “the school’s version of events leading up to the shooting”.

    Continue reading...", + "content": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A third party will investigate events at Oxford High School in Michigan before a school shooting this week that left four students dead and six others and a teacher wounded, the school district’s superintendent said on Saturday.

    The Oxford Community Schools superintendent, Tim Throne, said he called for the outside investigation because parents have asked questions about “the school’s version of events leading up to the shooting”.

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/2021/dec/05/michigan-high-school-shooting-third-party-investigation", + "creator": "Asssociated Press in Oxford Township, Michigan", + "pubDate": "2021-12-05T14:26:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123276,16 +149713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c3b29c466aaf0c92b37a0f1ba5427d4" + "hash": "2daf2706ddf8483b7b873d2228bcd66e" }, { - "title": "‘No standing down, no giving up’: Myanmar’s resistance mobilises", - "description": "

    Almost a year on from the coup, resistance to the military remains widespread

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", - "content": "

    Almost a year on from the coup, resistance to the military remains widespread

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/06/do-or-die-myanmars-junta-may-have-stirred-up-a-hornets-nest", - "creator": "Rebecca Ratcliffe South-east Asia correspondent", - "pubDate": "2021-12-06T20:36:46Z", + "title": "UK and France take part in huge naval exercise to counter ‘emerging threats’", + "description": "

    Top French commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", + "content": "

    Top French commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/05/uk-and-france-take-part-in-huge-naval-exercise-to-counter-emerging-threats", + "creator": "Kim Willsher on the Charles de Gaulle aircraft carrier", + "pubDate": "2021-12-05T10:59:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123296,16 +149733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c0fcb300ae1d838025546ba25d170d6b" + "hash": "c621c9d4063978b46092a14e31cb24af" }, { - "title": "‘Your generation got us in this mess’: children of big oil employees discuss the climate crisis with their parents", - "description": "

    Two generations of energy workers discuss how their family has responded to the climate emergency

    Are you a fossil fuel industry insider? We want to hear from you

    What do you do when your family has deep ties to the oil and gas industry, yet all agree that burning fossil fuels is accelerating the climate crisis?

    For one family, the fossil fuel industry’s role in stoking the climate emergency is more than just a dinner table debate. It’s their legacy. Andy and Wendy met in the 70s while working as engineers for Exxon. They spent decades working in oil and gas while raising their children.

    Andy, 65, retired engineer,

    Wendy, 62, retired engineer

    Liz, 33, environmental safety manager

    Dara, 35, Liz’s husband and engineer

    James, 31, IT consultant

    Continue reading...", - "content": "

    Two generations of energy workers discuss how their family has responded to the climate emergency

    Are you a fossil fuel industry insider? We want to hear from you

    What do you do when your family has deep ties to the oil and gas industry, yet all agree that burning fossil fuels is accelerating the climate crisis?

    For one family, the fossil fuel industry’s role in stoking the climate emergency is more than just a dinner table debate. It’s their legacy. Andy and Wendy met in the 70s while working as engineers for Exxon. They spent decades working in oil and gas while raising their children.

    Andy, 65, retired engineer,

    Wendy, 62, retired engineer

    Liz, 33, environmental safety manager

    Dara, 35, Liz’s husband and engineer

    James, 31, IT consultant

    Continue reading...", - "category": "Climate crisis", - "link": "https://www.theguardian.com/environment/2021/dec/07/conversation-between-big-oil-employees-kids", - "creator": "Emma Pattee", - "pubDate": "2021-12-07T08:00:21Z", + "title": "US seeks China and Russia support to salvage Iran nuclear deal", + "description": "

    Iran’s natural allies are said to have been surprised by how much it had walked back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance on the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they walked back all the progress made in the previous round of talks.

    Continue reading...", + "content": "

    Iran’s natural allies are said to have been surprised by how much it had walked back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance on the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they walked back all the progress made in the previous round of talks.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/dec/05/us-seeks-china-and-russia-support-to-salvage-iran-nuclear-deal", + "creator": "Patrick Wintour Diplomatic Editor", + "pubDate": "2021-12-05T14:16:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123316,16 +149753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b07bfb16cb5259f423c575ee2ade753" + "hash": "1b4f6c772bb77de7f22403b6ab8d44d2" }, { - "title": "Leuven: the small Flemish town with a big (bang) history", - "description": "

    With its cosmic roots and being the home of Stella Artois, the compact gothic town is a hip destination that has remained Belgium’s best-kept secret


    The barman at Fiere Margriet places a bottle of strong, dark ale in front of me. “Gouden Carolus,” he says. “Brewed 15 miles away”. A cold night has fallen over the city outside, but the low-lit pub is warm and woozy. Hops are strung along the walls; a stuffed fox looks out from the window. “This pub,” continues the barman, stroking his beard, “has been here since fourteen-hundred-and …” he pauses for a while “… something.”

    History is elastic in the small Flemish city of Leuven, which is currently hosting BANG!, a citywide festival dedicated to the big bang. Back in the soupiest mists of time – or, strictly, before time was time – a convulsion of baffling quantum forces resulted in the birth of the galaxy. About 13.8 billion years later, in 1931, a cheery Belgian in specs and dog collar came up with a concept to explain it. Albert Einstein initially dismissed the idea, then later backtracked. The Belgian in question was Georges Lemaître – Catholic priest, father of the big bang theory, and resident of Leuven.

    Continue reading...", - "content": "

    With its cosmic roots and being the home of Stella Artois, the compact gothic town is a hip destination that has remained Belgium’s best-kept secret


    The barman at Fiere Margriet places a bottle of strong, dark ale in front of me. “Gouden Carolus,” he says. “Brewed 15 miles away”. A cold night has fallen over the city outside, but the low-lit pub is warm and woozy. Hops are strung along the walls; a stuffed fox looks out from the window. “This pub,” continues the barman, stroking his beard, “has been here since fourteen-hundred-and …” he pauses for a while “… something.”

    History is elastic in the small Flemish city of Leuven, which is currently hosting BANG!, a citywide festival dedicated to the big bang. Back in the soupiest mists of time – or, strictly, before time was time – a convulsion of baffling quantum forces resulted in the birth of the galaxy. About 13.8 billion years later, in 1931, a cheery Belgian in specs and dog collar came up with a concept to explain it. Albert Einstein initially dismissed the idea, then later backtracked. The Belgian in question was Georges Lemaître – Catholic priest, father of the big bang theory, and resident of Leuven.

    Continue reading...", - "category": "Belgium holidays", - "link": "https://www.theguardian.com/travel/2021/dec/07/leuven-the-small-flemish-town-belgium-big-bang-history", - "creator": "Ben Lerwill", - "pubDate": "2021-12-07T07:00:21Z", + "title": "Scottish islanders launch Airbnb rival in fight against second homes crisis", + "description": "

    Local group hopes to take on tech giant and help keep hold of tourist revenue

    Rhoda Meek knows the power of Scottish islands working together. During the first lockdown she created a website for more than 360 businesses from Arran to Ulva to sell their wares while the pandemic prevented visitors.

    Now she and her neighbours have launched a holiday lettings website that aims to take on Airbnb and ensure that more of the islands’ tourism revenue stays local.

    Continue reading...", + "content": "

    Local group hopes to take on tech giant and help keep hold of tourist revenue

    Rhoda Meek knows the power of Scottish islands working together. During the first lockdown she created a website for more than 360 businesses from Arran to Ulva to sell their wares while the pandemic prevented visitors.

    Now she and her neighbours have launched a holiday lettings website that aims to take on Airbnb and ensure that more of the islands’ tourism revenue stays local.

    Continue reading...", + "category": "Scotland", + "link": "https://www.theguardian.com/uk-news/2021/dec/05/scottish-islanders-launch-airbnb-rival-in-fight-against-second-homes-crisis", + "creator": "Libby Brooks", + "pubDate": "2021-12-05T10:15:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123336,16 +149773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "75b66cefcd11af2eda97eefaf3adcf9a" + "hash": "326bab274f908dc23a047b563148f44d" }, { - "title": "Patsy Stevenson: ‘We were angry at being told we couldn’t mourn the death of a woman’", - "description": "

    Continuing our series on the people behind the 2021 headlines, the 28-year-old detained at the Clapham Common vigil for Sarah Everard discusses violence against women, receiving death threats, and her new passion for activism

    When Patsy Stevenson was arrested on the night of 13 March, at the vigil on Clapham Common for Sarah Everard, it was hard to believe what was happening: at the precise moment in which public faith in the police force most needed restoring, after the murder of Everard at the hands of a serving police officer, Wayne Couzens, video footage showed a young woman in the dark being pushed forcibly to the ground by officers and handcuffed. The manner of Stevenson’s arrest was condemned by politicians across parties – with the home secretary, Priti Patel, setting up an inquiry. On social media, the commentary was toxically mixed: Stevenson received abuse and death threats at the same time as being praised for speaking up with dignity, courage and transparency.

    When she appears on Zoom, she looks pale, composed and serious-minded beneath her eyecatching red hair (was it this that made the police mistake this ordinary 28-year-old woman for a firebrand?). She is in a London flat with her dog, Lexy, who pops up on screen supportively beside her. Reports of her arrest focused on Stevenson’s terror when the police pinned her down, but what was going through her mind? “I was thinking: ‘Oh my God, I’m going to get kicked out of uni… I’ll never get a job.’” She is now repeating (“because of what happened”) a foundation year at Royal Holloway, University of London, studying physics. She goes on: “I’d never been in trouble with the police before. But my main thought was: this is what they’ve all been talking about. I used to think there was no smoke without fire.”

    Continue reading...", - "content": "

    Continuing our series on the people behind the 2021 headlines, the 28-year-old detained at the Clapham Common vigil for Sarah Everard discusses violence against women, receiving death threats, and her new passion for activism

    When Patsy Stevenson was arrested on the night of 13 March, at the vigil on Clapham Common for Sarah Everard, it was hard to believe what was happening: at the precise moment in which public faith in the police force most needed restoring, after the murder of Everard at the hands of a serving police officer, Wayne Couzens, video footage showed a young woman in the dark being pushed forcibly to the ground by officers and handcuffed. The manner of Stevenson’s arrest was condemned by politicians across parties – with the home secretary, Priti Patel, setting up an inquiry. On social media, the commentary was toxically mixed: Stevenson received abuse and death threats at the same time as being praised for speaking up with dignity, courage and transparency.

    When she appears on Zoom, she looks pale, composed and serious-minded beneath her eyecatching red hair (was it this that made the police mistake this ordinary 28-year-old woman for a firebrand?). She is in a London flat with her dog, Lexy, who pops up on screen supportively beside her. Reports of her arrest focused on Stevenson’s terror when the police pinned her down, but what was going through her mind? “I was thinking: ‘Oh my God, I’m going to get kicked out of uni… I’ll never get a job.’” She is now repeating (“because of what happened”) a foundation year at Royal Holloway, University of London, studying physics. She goes on: “I’d never been in trouble with the police before. But my main thought was: this is what they’ve all been talking about. I used to think there was no smoke without fire.”

    Continue reading...", - "category": "Sarah Everard", - "link": "https://www.theguardian.com/uk-news/2021/dec/07/patsy-stevenson-interview-everard-vigil-arrest-faces-of-year", - "creator": "Kate Kellaway", - "pubDate": "2021-12-07T10:00:24Z", + "title": "Beat that: Berlin’s techno DJs seek Unesco world heritage status", + "description": "

    Group seeks cultural protection for music that defined reunification era

    Getting into Berlin’s famous Berghain nightclub is a formidable task, even for some of the world’s best-known DJs. So they are unfazed by the challenge of persuading Unesco to grant heritage status to Berlin techno.

    The artists behind the Love Parade festival, DJs who pioneered the genre, and the impresarios of the German capital’s biggest clubs believe the backing of the UN body is vital for securing the future of the countercultural music genre.

    Continue reading...", + "content": "

    Group seeks cultural protection for music that defined reunification era

    Getting into Berlin’s famous Berghain nightclub is a formidable task, even for some of the world’s best-known DJs. So they are unfazed by the challenge of persuading Unesco to grant heritage status to Berlin techno.

    The artists behind the Love Parade festival, DJs who pioneered the genre, and the impresarios of the German capital’s biggest clubs believe the backing of the UN body is vital for securing the future of the countercultural music genre.

    Continue reading...", + "category": "Dance music", + "link": "https://www.theguardian.com/music/2021/dec/05/beat-that-berlins-techno-djs-seek-unesco-world-heritage-status", + "creator": "James Tapper", + "pubDate": "2021-12-05T09:30:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123355,17 +149792,17 @@ "read": false, "favorite": false, "created": false, - "tags": [], - "hash": "59aaaf1a23f329d89c9c9c7d322cf757" - }, - { - "title": "Hope review – sensitive study of the grief that lies behind a cancer diagnosis", - "description": "

    Stellan Skarsgård plays a man whose attention has been more focused on his career than his family wrestles with accepting his wife’s terminal illness

    Here is an intelligent and civilised film from Norway with two outstanding actors; directed by Maria Sødahl, it’s about love, grief and intimacy and it is conceived at a high creative standard. Yet for me it never quite ignites with the real passion or the real anger that it seems to be gesturing towards.

    Andrea Bræin Hovig plays Anja, a successful fortysomething choreographer with an international career, in a relationship with Tomas, played by Stellan Skarsgård, and together they have a large and loving stepfamily. The previous Christmas, Anja had been given the all-clear from lung cancer, but one year on it has grimly returned with a metastasis in her brain; she has to have surgery but with a poor prognosis.

    Continue reading...", - "content": "

    Stellan Skarsgård plays a man whose attention has been more focused on his career than his family wrestles with accepting his wife’s terminal illness

    Here is an intelligent and civilised film from Norway with two outstanding actors; directed by Maria Sødahl, it’s about love, grief and intimacy and it is conceived at a high creative standard. Yet for me it never quite ignites with the real passion or the real anger that it seems to be gesturing towards.

    Andrea Bræin Hovig plays Anja, a successful fortysomething choreographer with an international career, in a relationship with Tomas, played by Stellan Skarsgård, and together they have a large and loving stepfamily. The previous Christmas, Anja had been given the all-clear from lung cancer, but one year on it has grimly returned with a metastasis in her brain; she has to have surgery but with a poor prognosis.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/07/hope-review-sensitive-study-of-the-grief-that-lies-behind-a-cancer-diagnosis", - "creator": "Peter Bradshaw", - "pubDate": "2021-12-07T10:00:24Z", + "tags": [], + "hash": "bc0cbbfb6cc9e306622b956fcbe2cc9e" + }, + { + "title": "‘We always need stuff that cheers us up’: Diane Morgan on love, laughs and learning to let go", + "description": "

    With her laconic delivery, Diane Morgan has brought a host of comedy characters to life, most notably Philomena Cunk. But with her latest, Mandy, she wanted to create someone who was just plain silly

    In August 2020, only days before the pilot episode of Mandy was set to be broadcast, Diane Morgan picked up her phone and prepared to call a bigwig at the BBC. “I’m really sorry,” she’d envisioned herself saying, “but there’s absolutely no way you can let this thing go out.” She was ready to beg – to offer whatever cash, bribe or bargain necessary. Nothing was off the table in her effort to ensure the refreshingly ridiculous, six-part comedy series she’d directed, starred in and scripted ever reached the nation’s TVs.

    This might sound strange: Morgan has quite the track record when it comes to shining on the small screen. She was elevated to cult sensation in 2013 while inhabiting her role as the simultaneously inept and insightful spoof interviewer Philomena Cunk: “How did Winston Churchill come to invent Tipp-Ex?” she asked one historian. Or: If horses used to be so good at drawing carriages, why are they no longer any good at art? From there, her deadpan demeanour landed her leading roles in the three seasons of the BBC’s much-loved Motherland – a nit-infested, school-gates sitcom of Sharon Horgan et al’s design – and Ricky Gervais’s After Life, too. Mandy, however, is different. For the first time in a long while, Morgan felt exposed.

    Continue reading...", + "content": "

    With her laconic delivery, Diane Morgan has brought a host of comedy characters to life, most notably Philomena Cunk. But with her latest, Mandy, she wanted to create someone who was just plain silly

    In August 2020, only days before the pilot episode of Mandy was set to be broadcast, Diane Morgan picked up her phone and prepared to call a bigwig at the BBC. “I’m really sorry,” she’d envisioned herself saying, “but there’s absolutely no way you can let this thing go out.” She was ready to beg – to offer whatever cash, bribe or bargain necessary. Nothing was off the table in her effort to ensure the refreshingly ridiculous, six-part comedy series she’d directed, starred in and scripted ever reached the nation’s TVs.

    This might sound strange: Morgan has quite the track record when it comes to shining on the small screen. She was elevated to cult sensation in 2013 while inhabiting her role as the simultaneously inept and insightful spoof interviewer Philomena Cunk: “How did Winston Churchill come to invent Tipp-Ex?” she asked one historian. Or: If horses used to be so good at drawing carriages, why are they no longer any good at art? From there, her deadpan demeanour landed her leading roles in the three seasons of the BBC’s much-loved Motherland – a nit-infested, school-gates sitcom of Sharon Horgan et al’s design – and Ricky Gervais’s After Life, too. Mandy, however, is different. For the first time in a long while, Morgan felt exposed.

    Continue reading...", + "category": "Diane Morgan", + "link": "https://www.theguardian.com/culture/2021/dec/05/we-always-need-stuff-that-cheers-us-up-diane-morgan-on-love-laughs-and-learning-to-let-go", + "creator": "Michael Segalov", + "pubDate": "2021-12-05T08:00:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123376,16 +149813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "00474f523d6a6fa5dbcb50d028be331c" + "hash": "3b87e5d8d27846c99bd356f3ee6fbd7c" }, { - "title": "How Pablo Escobar’s ‘cocaine hippos’ became a biodiversity nightmare", - "description": "

    Animals brought illegally to Colombia by the drug kingpin have been allowed to roam free and are now disrupting the fragile ecosystem

    Myths and legends continue to surround Colombia’s most notorious drug lord Pablo Escobar 26 years after his death. But his legacy has had an unexpectedly disastrous impact on some of the country’s fragile ecosystems. A herd of more than 80 hippos roam free, the descendants of animals smuggled to Colombia from Africa in the 1980s and now flourishing in the wild.

    Reporter Joe Parkin Daniels tells Michael Safi that when Escobar was shot dead by police on a rooftop in his hometown of Medellín, the authorities seized his estate and the animals on it. While most were shipped to zoos, the logistics of moving his four hippos proved insurmountable and they were left to wander the Andes.

    Continue reading...", - "content": "

    Animals brought illegally to Colombia by the drug kingpin have been allowed to roam free and are now disrupting the fragile ecosystem

    Myths and legends continue to surround Colombia’s most notorious drug lord Pablo Escobar 26 years after his death. But his legacy has had an unexpectedly disastrous impact on some of the country’s fragile ecosystems. A herd of more than 80 hippos roam free, the descendants of animals smuggled to Colombia from Africa in the 1980s and now flourishing in the wild.

    Reporter Joe Parkin Daniels tells Michael Safi that when Escobar was shot dead by police on a rooftop in his hometown of Medellín, the authorities seized his estate and the animals on it. While most were shipped to zoos, the logistics of moving his four hippos proved insurmountable and they were left to wander the Andes.

    Continue reading...", - "category": "Colombia", - "link": "https://www.theguardian.com/news/audio/2021/dec/06/how-pablo-escobars-cocaine-hippos-became-a-biodiversity-nightmare", - "creator": "Presented by Michael Safi with Joe Parkin Daniels and Gina Paola Serna; produced by Rose de Larrabeiti and Axel Kacoutié; executive producers Phil Maynard, Archie Bland and Mythili Rao", - "pubDate": "2021-12-06T03:00:11Z", + "title": "Most people flee the suburbs, but nowhere land is the perfect backdrop for my novels", + "description": "Suburbia is neither glamorous nor picturesque. But this is precisely what makes it rich terrain for my books

    It’s early December and in my corner of southeast London the Christmas illuminations are going up. Garden gnomes may have fallen out of fashion, but their seasonal equivalent, inflatable Santas, are very much in evidence. There are some pockets of tasteful conformity, where entire streets observe a “house style”, but mostly it’s a delightful free-for-all. If levels of outdoor decoration reflect a state of mind in the way that rising hemlines are said to mirror economic prosperity, then the mood here among us suburbanites is one of grim defiance.

    Apart from three years at university and a gap year in New Zealand, I have always lived in the suburbs, within a small triangle of southeast London – Croydon in the west, Bromley in the east and Norwood in the north. (I know that for postal purposes Croydon is Surrey, but administratively and spiritually it’s south London.) When you are a child, your own life seems normal, so it was quite some time before I realised that Croydon – fictionalised by PG Wodehouse as Mitching, “a foul hole” – had a reputation for architectural mediocrity, that the suburbs in general with their crazy-paving and curtain twitching were despised by both city and country and that having been born there was something which would need repeated apology over the years.

    Continue reading...", + "content": "Suburbia is neither glamorous nor picturesque. But this is precisely what makes it rich terrain for my books

    It’s early December and in my corner of southeast London the Christmas illuminations are going up. Garden gnomes may have fallen out of fashion, but their seasonal equivalent, inflatable Santas, are very much in evidence. There are some pockets of tasteful conformity, where entire streets observe a “house style”, but mostly it’s a delightful free-for-all. If levels of outdoor decoration reflect a state of mind in the way that rising hemlines are said to mirror economic prosperity, then the mood here among us suburbanites is one of grim defiance.

    Apart from three years at university and a gap year in New Zealand, I have always lived in the suburbs, within a small triangle of southeast London – Croydon in the west, Bromley in the east and Norwood in the north. (I know that for postal purposes Croydon is Surrey, but administratively and spiritually it’s south London.) When you are a child, your own life seems normal, so it was quite some time before I realised that Croydon – fictionalised by PG Wodehouse as Mitching, “a foul hole” – had a reputation for architectural mediocrity, that the suburbs in general with their crazy-paving and curtain twitching were despised by both city and country and that having been born there was something which would need repeated apology over the years.

    Continue reading...", + "category": "Suburbia", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/most-people-flee-the-suburbs-but-nowhere-land-is-the-perfect-backdrop-for-my-novels", + "creator": "Clare Chambers", + "pubDate": "2021-12-05T14:00:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123396,16 +149833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc06858d407c041bd816c0177ab46864" + "hash": "849846150887d2183bf863de18a63b68" }, { - "title": "NSW residents warned to brace for more industrial action after teachers and transport workers strike", - "description": "

    Teachers’ strike closes almost 400 state schools for 24 hours as transport in Sydney, Hunter, Blue Mountains and Central Coast also disrupted

    NSW residents have been warned to brace for more industrial action after thousands of public school teachers and transport workers walked off the job in a bid to improve pay and conditions.

    For the first time in nearly a decade, thousands of striking teachers converged on NSW parliament on Tuesday, calling on the government to address heavy workloads, uncompetitive salaries and staff shortages.

    Continue reading...", - "content": "

    Teachers’ strike closes almost 400 state schools for 24 hours as transport in Sydney, Hunter, Blue Mountains and Central Coast also disrupted

    NSW residents have been warned to brace for more industrial action after thousands of public school teachers and transport workers walked off the job in a bid to improve pay and conditions.

    For the first time in nearly a decade, thousands of striking teachers converged on NSW parliament on Tuesday, calling on the government to address heavy workloads, uncompetitive salaries and staff shortages.

    Continue reading...", - "category": "New South Wales", - "link": "https://www.theguardian.com/australia-news/2021/dec/07/nsw-teachers-strike-as-train-and-bus-services-services-hit-by-industrial-action", - "creator": "Australian Associated Press", - "pubDate": "2021-12-07T08:49:50Z", + "title": "From pollutant to product: the companies making stuff from CO2", + "description": "

    Vodka, jet fuel, protein… according to a new clutch of carbon-to-value startups, these are just some of the things that can be manufactured from thin air

    In a warehouse laboratory in Berkeley, California, Nicholas Flanders stands in front of a shiny metal box about the size of a washing machine. Inside is a stack of metal plates that resemble a club sandwich – only the filling is a black polymer membrane coated with proprietary metal catalyst. “We call the membrane the black leaf,” he says.

    Flanders is the co-founder and CEO of Twelve, a startup founded in 2015, which received a $57m funding boost in July. It aims to take air – or, to be more precise, the carbon dioxide (CO2) in it – and transform it into something useful, as plants also do, eliminating damaging emissions in the process. Taking the unwanted gas wreaking havoc on our climate and using only water and renewable electricity, Twelve’s metal box houses a new kind of electrolyser that transforms the CO2 into synthetic gas (syngas), a mix of carbon monoxide and hydrogen that can be made into a range of familiar products usually made from fossil fuels. Oxygen is the only by-product. This August, the pilot scale equipment made the syngas that went into what Flanders claims is the world’s first carbon neutral, fossil-free jet fuel. “This is a new way of moving carbon through our economy without pulling it out of the ground,” he says.

    Continue reading...", + "content": "

    Vodka, jet fuel, protein… according to a new clutch of carbon-to-value startups, these are just some of the things that can be manufactured from thin air

    In a warehouse laboratory in Berkeley, California, Nicholas Flanders stands in front of a shiny metal box about the size of a washing machine. Inside is a stack of metal plates that resemble a club sandwich – only the filling is a black polymer membrane coated with proprietary metal catalyst. “We call the membrane the black leaf,” he says.

    Flanders is the co-founder and CEO of Twelve, a startup founded in 2015, which received a $57m funding boost in July. It aims to take air – or, to be more precise, the carbon dioxide (CO2) in it – and transform it into something useful, as plants also do, eliminating damaging emissions in the process. Taking the unwanted gas wreaking havoc on our climate and using only water and renewable electricity, Twelve’s metal box houses a new kind of electrolyser that transforms the CO2 into synthetic gas (syngas), a mix of carbon monoxide and hydrogen that can be made into a range of familiar products usually made from fossil fuels. Oxygen is the only by-product. This August, the pilot scale equipment made the syngas that went into what Flanders claims is the world’s first carbon neutral, fossil-free jet fuel. “This is a new way of moving carbon through our economy without pulling it out of the ground,” he says.

    Continue reading...", + "category": "Greenhouse gas emissions", + "link": "https://www.theguardian.com/environment/2021/dec/05/carbon-dioxide-co2-capture-utilisation-products-vodka-jet-fuel-protein", + "creator": "Zoë Corbyn", + "pubDate": "2021-12-05T12:00:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123416,16 +149853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "259ff07db44bd9dffd22af346c9f06d0" + "hash": "cf1b6d17454774a9de8ed59871bb76af" }, { - "title": "‘They see it in corridors, in bathrooms, on the bus’: UK schools’ porn crisis", - "description": "

    Frontline workers warn how children as young as seven are being bombarded with harmful online sexual material

    Barnardo’s works directly with children who are victims of abuse or display signs of harmful or risky sexual behaviour. In 2020-21, they worked with 382,872 children, young people, parents and carers.

    In a recent survey of their frontline workers across England and Wales, staff reported a rise in the number of children participating in acts they have seen in pornographic videos, despite feeling uncomfortable or scared. They describe porn as having a “corrosive” effect on child wellbeing.

    Continue reading...", - "content": "

    Frontline workers warn how children as young as seven are being bombarded with harmful online sexual material

    Barnardo’s works directly with children who are victims of abuse or display signs of harmful or risky sexual behaviour. In 2020-21, they worked with 382,872 children, young people, parents and carers.

    In a recent survey of their frontline workers across England and Wales, staff reported a rise in the number of children participating in acts they have seen in pornographic videos, despite feeling uncomfortable or scared. They describe porn as having a “corrosive” effect on child wellbeing.

    Continue reading...", - "category": "Pornography", - "link": "https://www.theguardian.com/global-development/2021/dec/05/they-see-it-in-corridors-in-bathrooms-on-the-bus-uk-schools-porn-crisis", - "creator": "Harriet Grant", - "pubDate": "2021-12-05T16:00:02Z", + "title": "Hot news from two billion years ago: plankton actually moved mountains", + "description": "

    Our planet’s geology shaped life on Earth. But now scientists reveal it worked the other way around too

    The mighty forces that created our planet’s mountains in ancient days got some unexpected help, scientists have discovered. Their research shows some of Earth’s greatest ranges got a boost from primitive lifeforms whose remains lubricated movements of rock slabs and allowed them to pile up to form mountains.

    If it had not been for life on Earth, the surface of our planet would have been flatter and a lot more boring, say scientists at Aberdeen and Glasgow universities where the research was carried out.

    Continue reading...", + "content": "

    Our planet’s geology shaped life on Earth. But now scientists reveal it worked the other way around too

    The mighty forces that created our planet’s mountains in ancient days got some unexpected help, scientists have discovered. Their research shows some of Earth’s greatest ranges got a boost from primitive lifeforms whose remains lubricated movements of rock slabs and allowed them to pile up to form mountains.

    If it had not been for life on Earth, the surface of our planet would have been flatter and a lot more boring, say scientists at Aberdeen and Glasgow universities where the research was carried out.

    Continue reading...", + "category": "Mountains", + "link": "https://www.theguardian.com/environment/2021/dec/05/hot-news-from-two-billion-years-ago-plankton-actually-moved-mountains", + "creator": "Robin McKie", + "pubDate": "2021-12-05T08:30:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123436,16 +149873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7766bf872c47126cdf0325b109b9427" + "hash": "5a3f8f14beaa8f3a86ac8eb4f49c610e" }, { - "title": "'It's just a cold': Biden explains coughing during speech – video", - "description": "

    The US president, Joe Biden, has said his coughing during a speech addressing the November jobs report on Friday is due to a cold.

    'What I have is a one-and-a-half-year-old grandson who had a cold who likes to kiss his pop,' Biden said, responding to a question from a reporter after the speech

    Continue reading...", - "content": "

    The US president, Joe Biden, has said his coughing during a speech addressing the November jobs report on Friday is due to a cold.

    'What I have is a one-and-a-half-year-old grandson who had a cold who likes to kiss his pop,' Biden said, responding to a question from a reporter after the speech

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/video/2021/dec/03/its-just-a-cold-biden-explains-coughing-during-speech-video", - "creator": "", - "pubDate": "2021-12-03T21:12:50Z", + "title": "Scott Morrison repeats that Australians have ‘had a gutful of governments in their lives’; Peter Cundall dies at 94 – As it happened", + "description": "

    Gardening legend Peter Cundall dies aged 94 as PM repeats that Australians have had a ‘gutful of governments in their lives’. This blog is now closed

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", + "content": "

    Gardening legend Peter Cundall dies aged 94 as PM repeats that Australians have had a ‘gutful of governments in their lives’. This blog is now closed

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/05/australia-live-news-updates-omicron-covid-cases-pfizer-vaccine-approved", + "creator": "Nino Bucci and Justine Landis-Hanley", + "pubDate": "2021-12-05T08:07:10Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123456,16 +149893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "614f6bfc95521f96f516dacdce067178" + "hash": "b827c32605c1437a7caceb04019c6887" }, { - "title": "US confirms it will stage diplomatic boycott of Beijing Winter Olympics", - "description": "

    Decision is response to what is described as China’s ‘genocide and crimes against humanity in Xinjiang’ and other abuses

    The White House will stage a diplomatic boycott of the 2022 Winter Olympics in Beijing, press secretary Jen Psaki has confirmed.

    “The Biden administration will not send any diplomatic or official representation to the Beijing 2022 Winter Olympics and Paralympic Games, given the PRC’s ongoing genocide and crimes against humanity in Xinjiang and other human rights abuses,” Psaki said from the briefing room podium on Monday.

    Continue reading...", - "content": "

    Decision is response to what is described as China’s ‘genocide and crimes against humanity in Xinjiang’ and other abuses

    The White House will stage a diplomatic boycott of the 2022 Winter Olympics in Beijing, press secretary Jen Psaki has confirmed.

    “The Biden administration will not send any diplomatic or official representation to the Beijing 2022 Winter Olympics and Paralympic Games, given the PRC’s ongoing genocide and crimes against humanity in Xinjiang and other human rights abuses,” Psaki said from the briefing room podium on Monday.

    Continue reading...", - "category": "Winter Olympics", - "link": "https://www.theguardian.com/sport/2021/dec/06/china-denounces-possible-us-olympic-boycott-as-provocation", - "creator": "Vincent Ni and Joan E Greve", - "pubDate": "2021-12-06T18:49:38Z", + "title": "‘She didn’t deserve to die’: Kenya fights tuberculosis in Covid’s shadow", + "description": "

    For the first time in a decade deaths from TB are rising, with the curable disease killing 20,000 Kenyans last year. Now testing ‘ATMs’ and other innovations are helping to find ‘missing cases’

    One day in May last year, Violet Chemesunte, a community health volunteer in Kibera, the largest slum in Nairobi, got a call from a colleague worried about a woman she had visited who kept coughing.

    She asked if Chemesunte could go round and convince the 37-year-old woman, a single mother to three young children, to seek medical help. She suspected tuberculosis (TB), and feared it might already be too late.

    Continue reading...", + "content": "

    For the first time in a decade deaths from TB are rising, with the curable disease killing 20,000 Kenyans last year. Now testing ‘ATMs’ and other innovations are helping to find ‘missing cases’

    One day in May last year, Violet Chemesunte, a community health volunteer in Kibera, the largest slum in Nairobi, got a call from a colleague worried about a woman she had visited who kept coughing.

    She asked if Chemesunte could go round and convince the 37-year-old woman, a single mother to three young children, to seek medical help. She suspected tuberculosis (TB), and feared it might already be too late.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/03/she-didnt-deserve-to-die-kenya-fights-tuberculosis-in-covids-shadow", + "creator": "Sarah Johnson in Nairobi", + "pubDate": "2021-12-03T06:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123476,16 +149913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b70794309866d380bd89166fa70ad72d" + "hash": "8a0d54f86431007e0b02d560a951bf2d" }, { - "title": "Covid live: Omicron community transmission is across England, says health secretary", - "description": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "content": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", - "creator": "Jedidajah Otte (now); Damien Gayle, Rachel Hall, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-07T00:11:47Z", + "title": "Chilean environmental activist who opposed dam projects found dead", + "description": "

    Javiera Rojas remembered as ‘an emblematic activist who was dedicated to the process of resistance’

    Environmental activists in Chile have called for justice after a 42-year-old land defender was found dead with her hands and feet bound.

    The body of Javiera Rojas was found buried under a pile of clothes in an abandoned house on Sunday in Calama in the northern region of Antofagasta.

    Continue reading...", + "content": "

    Javiera Rojas remembered as ‘an emblematic activist who was dedicated to the process of resistance’

    Environmental activists in Chile have called for justice after a 42-year-old land defender was found dead with her hands and feet bound.

    The body of Javiera Rojas was found buried under a pile of clothes in an abandoned house on Sunday in Calama in the northern region of Antofagasta.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/02/chilean-environmental-activist-opposition-dam-projects-found-dead", + "creator": "Charis McGowan in Santiago", + "pubDate": "2021-12-02T21:07:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123496,16 +149933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4074d8c4bd3c985fe43e7a1a72e997e5" + "hash": "ea7754a5b82c151ec175ec0f9e47138f" }, { - "title": "‘Do or die’: Myanmar’s junta may have stirred up a hornets’ nest", - "description": "

    Almost a year on from the coup, resistance to the military is growing stronger and more organised

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", - "content": "

    Almost a year on from the coup, resistance to the military is growing stronger and more organised

    On Sunday morning, a small group of protesters walked together in Kyimyindaing township, Yangon, waving bunches of eugenia and roses. They carried a banner reading: “The only real prison is fear and the real freedom is freedom from fear”.

    The words are famously those of ousted leader Aung San Suu Kyi, whose sentencing by the junta to two years in detention was announced on Monday.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/06/do-or-die-myanmars-junta-may-have-stirred-up-a-hornets-nest", - "creator": "Rebecca Ratcliffe South-east Asia correspondent", - "pubDate": "2021-12-06T20:36:46Z", + "title": "Russia’s activity on the Ukraine border has put the west on edge", + "description": "

    Analysis: a full-scale attack seems improbable – but the troop buildup is enough to have Nato warn of sanctions

    It is the second time this year that Russia has amassed forces near its borders with Ukraine, so why has the estimated 90,000 troop buildup left western governments and independent analysts more concerned?

    The stark warning by the US secretary of state, Antony Blinken, on Wednesday that Russia has made plans for a “large-scale” attack is backed up by open source analysis – and western intelligence assessments. “There is enough substance to this,” one insider added.

    Continue reading...", + "content": "

    Analysis: a full-scale attack seems improbable – but the troop buildup is enough to have Nato warn of sanctions

    It is the second time this year that Russia has amassed forces near its borders with Ukraine, so why has the estimated 90,000 troop buildup left western governments and independent analysts more concerned?

    The stark warning by the US secretary of state, Antony Blinken, on Wednesday that Russia has made plans for a “large-scale” attack is backed up by open source analysis – and western intelligence assessments. “There is enough substance to this,” one insider added.

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/02/ukraine-border-russia-west-troop-buildup", + "creator": "Dan Sabbagh Defence and security editor", + "pubDate": "2021-12-02T17:56:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123516,16 +149953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7cce41ac772d3f288f61fda9a85acd64" + "hash": "eb6198a1d0bf20a6e349aae206e9d407" }, { - "title": "Drake withdraws his two 2022 Grammy nominations", - "description": "

    The star pulled his nominations for best rap album and best rap performance after consultation with his management

    Drake has decided to withdraw his two Grammy nominations.

    Though his motive remained unclear, Variety reported the 35-year-old artist withdrew his two nominations – best rap album for Certified Lover Boy and best rap performance for his song Way 2 Sexy, featuring Future and Young Thug – after consultation with his management.

    Continue reading...", - "content": "

    The star pulled his nominations for best rap album and best rap performance after consultation with his management

    Drake has decided to withdraw his two Grammy nominations.

    Though his motive remained unclear, Variety reported the 35-year-old artist withdrew his two nominations – best rap album for Certified Lover Boy and best rap performance for his song Way 2 Sexy, featuring Future and Young Thug – after consultation with his management.

    Continue reading...", - "category": "Drake", - "link": "https://www.theguardian.com/music/2021/dec/06/drake-withdraws-grammy-nominations-2022", - "creator": "Adrian Horton", - "pubDate": "2021-12-06T21:21:20Z", + "title": "Covid live: UK measures too late to stop Omicron wave, government adviser says; India death toll climbs", + "description": "

    ‘It’s too late to make a material difference to course of Omicron wave,’ Prof Mark Woolhouse says; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", + "content": "

    ‘It’s too late to make a material difference to course of Omicron wave,’ Prof Mark Woolhouse says; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/05/covid-live-coronavirus-india-death-toll-uk-booster-jabs-christmas", + "creator": "Kevin Rawlinson", + "pubDate": "2021-12-05T11:51:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123536,16 +149973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f06663b4fa6bec9f4bc3405172586a5f" + "hash": "125c5fe5dd5fd5e2ba92c00bc30fcd16" }, { - "title": "China attacks ‘US-style democracy’ prior to Biden summit", - "description": "

    Beijing highlights virtues of its own one-party model in slew of scathing criticisms of western system

    China has launched a campaign to discredit what it calls US-style democracy in advance of the first of Joe Biden’s two “summits of democracy” later this week.

    Over recent days, official Chinese media outlets and diplomats have made a string of scathing attacks on the US governing system, calling it “a game of money politics” and “rule of the few over the many”.

    Continue reading...", - "content": "

    Beijing highlights virtues of its own one-party model in slew of scathing criticisms of western system

    China has launched a campaign to discredit what it calls US-style democracy in advance of the first of Joe Biden’s two “summits of democracy” later this week.

    Over recent days, official Chinese media outlets and diplomats have made a string of scathing attacks on the US governing system, calling it “a game of money politics” and “rule of the few over the many”.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/06/china-attacks-us-style-democracy-prior-to-biden-summit", - "creator": "Vincent Ni China affairs correspondent", - "pubDate": "2021-12-06T13:38:33Z", + "title": "Myanmar: five dead after troops use car to ram anti-coup protest – report", + "description": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Five people were killed and at least 15 arrested after Myanmar security forces in a car rammed into an anti-coup protest in Yangon on Sunday, according to local media.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", + "content": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Five people were killed and at least 15 arrested after Myanmar security forces in a car rammed into an anti-coup protest in Yangon on Sunday, according to local media.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", + "category": "Myanmar", + "link": "https://www.theguardian.com/world/2021/dec/05/myanmar-five-dead-after-troops-use-car-to-ram-anti-coup-protest-report", + "creator": "Reuters", + "pubDate": "2021-12-05T11:37:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123556,16 +149993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "93f41d4508ad935384bddff8ea15a7a6" + "hash": "1ef9bca9f9840dee7df4362944467f46" }, { - "title": "Second accuser says Ghislaine Maxwell asked her to find young women for Epstein", - "description": "

    ‘Kate’ testifies in Manhattan federal court that she was 17 when she met Maxwell, who introduced her to Epstein

    • This article contains depictions of sexual abuse

    The second accuser in the New York sex-trafficking trial of Ghislaine Maxwell alleged on Monday the Briton asked her to find young women for sexual encounters with the financier Jeffrey Epstein, because his demands were insatiable.

    The accuser, who testified in federal court in Manhattan under the pseudonym Kate, said she was 17 when she met Maxwell in Paris around 1994. She gave Maxwell her phone number, she said.

    Continue reading...", - "content": "

    ‘Kate’ testifies in Manhattan federal court that she was 17 when she met Maxwell, who introduced her to Epstein

    • This article contains depictions of sexual abuse

    The second accuser in the New York sex-trafficking trial of Ghislaine Maxwell alleged on Monday the Briton asked her to find young women for sexual encounters with the financier Jeffrey Epstein, because his demands were insatiable.

    The accuser, who testified in federal court in Manhattan under the pseudonym Kate, said she was 17 when she met Maxwell in Paris around 1994. She gave Maxwell her phone number, she said.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/06/ghislaine-maxwell-sex-trafficking-trial-second-week", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-06T17:58:16Z", + "title": "Arthur Labinjo-Hughes: Review launched into six-year-old’s murder", + "description": "

    The review will seek answers into the circumstances which led to Arthur’s death

    The government is launching a national review into the killing of six-year-old Arthur Labinjo-Hughes to protect other children from harm and identify improvements needed in the agencies that came into contact with him before his death.

    Announcing the review on Sunday, the education secretary, Nadhim Zahawi, said the government would “not rest until we have the answers we need”.

    Continue reading...", + "content": "

    The review will seek answers into the circumstances which led to Arthur’s death

    The government is launching a national review into the killing of six-year-old Arthur Labinjo-Hughes to protect other children from harm and identify improvements needed in the agencies that came into contact with him before his death.

    Announcing the review on Sunday, the education secretary, Nadhim Zahawi, said the government would “not rest until we have the answers we need”.

    Continue reading...", + "category": "Child protection", + "link": "https://www.theguardian.com/society/2021/dec/05/arthur-labinjo-hughes-review-launched-into-six-year-olds", + "creator": "Jessica Murray Midlands correspondent", + "pubDate": "2021-12-05T12:00:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123576,16 +150013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fdd8e0f6540dd6340d69a1239876c9aa" + "hash": "fdc3932af3615bb98137fa0e8865248f" }, { - "title": "Republican Devin Nunes to quit Congress and head Trump’s social media platform", - "description": "

    California congressman has claimed without evidence that social media companies seek to censor Republicans

    Devin Nunes, the California congressman and close ally of Donald Trump, will be retiring from the US House of Representatives next year to join Trump’s new social media venture.

    The Republican congressman, who represents a rural California district, announced his retirement from the House on Monday, writing in a letter to constituents that he was leaving his position to pursue a “new opportunity to fight for the most important issues I believe in”.

    Continue reading...", - "content": "

    California congressman has claimed without evidence that social media companies seek to censor Republicans

    Devin Nunes, the California congressman and close ally of Donald Trump, will be retiring from the US House of Representatives next year to join Trump’s new social media venture.

    The Republican congressman, who represents a rural California district, announced his retirement from the House on Monday, writing in a letter to constituents that he was leaving his position to pursue a “new opportunity to fight for the most important issues I believe in”.

    Continue reading...", - "category": "US Congress", - "link": "https://www.theguardian.com/us-news/2021/dec/06/devin-nunes-retires-congress-trump-social-media", - "creator": "Maanvi Singh in San Francisco", - "pubDate": "2021-12-06T23:32:23Z", + "title": "Finland is the world’s happiest nation – and I want to keep it that way, says prime minister", + "description": "

    In a rare interview with foreign media, Sanna Marin says she is determined to defend human rights, despite asylum policy challenges

    Equality, a well-funded education system and a strong welfare state are the secret to the success of the world’s happiest nation, according to Finland’s prime minister.

    In a rare interview with foreign media, Sanna Marin – who briefly became the youngest world leader when she became prime minister of the Nordic nation in 2019 at the age of 34 – said Finland was committed to preserving its generous welfare state in an “environmentally sustainable way”, and saw the development and export of green technology as the key to its future prosperity.

    Continue reading...", + "content": "

    In a rare interview with foreign media, Sanna Marin says she is determined to defend human rights, despite asylum policy challenges

    Equality, a well-funded education system and a strong welfare state are the secret to the success of the world’s happiest nation, according to Finland’s prime minister.

    In a rare interview with foreign media, Sanna Marin – who briefly became the youngest world leader when she became prime minister of the Nordic nation in 2019 at the age of 34 – said Finland was committed to preserving its generous welfare state in an “environmentally sustainable way”, and saw the development and export of green technology as the key to its future prosperity.

    Continue reading...", + "category": "Finland", + "link": "https://www.theguardian.com/world/2021/dec/05/finland-is-the-worlds-happiest-nation-and-i-want-to-keep-it-that-way-says-sanna-marin", + "creator": "Alexandra Topping", + "pubDate": "2021-12-05T06:00:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123596,16 +150033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d1fb871f9819397e5095c5978fccc4d" + "hash": "983ef1de22dfdba9b64c2e959eebdc6c" }, { - "title": "WhatsApp criticised for plan to let messages disappear after 24 hours", - "description": "

    Children’s charities say change creates a ‘toxic cocktail of risk’ by making detection of abuse more difficult

    WhatsApp users are to be given the option to have their messages disappear after 24 hours, a change that drew immediate criticism from children’s charities.

    In a blog post announcing the change, WhatsApp, which has 2 billion users, said its mission was to “connect the world privately”.

    Continue reading...", - "content": "

    Children’s charities say change creates a ‘toxic cocktail of risk’ by making detection of abuse more difficult

    WhatsApp users are to be given the option to have their messages disappear after 24 hours, a change that drew immediate criticism from children’s charities.

    In a blog post announcing the change, WhatsApp, which has 2 billion users, said its mission was to “connect the world privately”.

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/world/2021/dec/06/whatsapp-criticised-for-plan-to-allow-messages-to-disappear-after-24-hours", - "creator": "Dan Milmo Global technology editor", - "pubDate": "2021-12-06T19:43:37Z", + "title": "A gray wolf’s epic journey ends in death on a California highway", + "description": "

    OR-93 traveled further south than any wolf had in a hundred years. Even after death, he continues to inspire

    The young gray wolf who took experts and enthusiasts on a thousand-mile journey across California died last month, ending a trek that brought hope and inspiration to many during a time of ecological collapse.

    The travels of the young male through the state were a rare occurrence: he was the first wolf from Oregon’s White River pack to come to California and possibly the first gray wolf in nearly a century to be spotted so far south.

    Continue reading...", + "content": "

    OR-93 traveled further south than any wolf had in a hundred years. Even after death, he continues to inspire

    The young gray wolf who took experts and enthusiasts on a thousand-mile journey across California died last month, ending a trek that brought hope and inspiration to many during a time of ecological collapse.

    The travels of the young male through the state were a rare occurrence: he was the first wolf from Oregon’s White River pack to come to California and possibly the first gray wolf in nearly a century to be spotted so far south.

    Continue reading...", + "category": "Wildlife", + "link": "https://www.theguardian.com/environment/2021/dec/04/grey-wolf-journey-death-california-highway", + "creator": "Katharine Gammon", + "pubDate": "2021-12-05T06:00:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123616,36 +150053,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "ab2a3fdb800d689ac6d83ad7fdd0fe81" + "hash": "23a73d83c135082aedb54595819036e8" }, { - "title": "Almost $12,000 wiped off value of bitcoin in weekend ‘thumping’", - "description": "

    Cryptocurrency settles to just below $50,000 after record-high last month, in continuation of recent volatility

    The value of bitcoin has suffered a “thumping”, losing more than one-fifth of its value at at one point over the weekend before settling below $50,000 (£37,720), only a month after reaching a record high.

    The value of the cryptocurrency rose above $68,000 in November and had been predicted to move even higher by the end of the year, amid concern about the value of traditional assets such as gold and government debt.

    Continue reading...", - "content": "

    Cryptocurrency settles to just below $50,000 after record-high last month, in continuation of recent volatility

    The value of bitcoin has suffered a “thumping”, losing more than one-fifth of its value at at one point over the weekend before settling below $50,000 (£37,720), only a month after reaching a record high.

    The value of the cryptocurrency rose above $68,000 in November and had been predicted to move even higher by the end of the year, amid concern about the value of traditional assets such as gold and government debt.

    Continue reading...", - "category": "Bitcoin", - "link": "https://www.theguardian.com/technology/2021/dec/06/almost-dollars-12000-wiped-off-bitcoin-value-cryptocurrency", - "creator": "Rob Davies", - "pubDate": "2021-12-06T14:13:54Z", + "title": "Iran walks back all prior concessions in nuclear talks, US official says", + "description": "
    • Session was first with delegates from new Tehran government
    • Iran says aerial explosion over Natanz was air defence test

    Iran walked back all compromises made in previous talks on reviving the 2015 nuclear deal, pocketed compromises made by others and asked for more in its latest proposals, a senior US state department official told reporters on Saturday.

    Iran continues to accelerate its nuclear program in pretty provocative ways and China and Russia were taken aback at how far Iran had walked back its proposals in talks in Vienna, the official told reporters, speaking on condition of anonymity.

    Continue reading...", + "content": "
    • Session was first with delegates from new Tehran government
    • Iran says aerial explosion over Natanz was air defence test

    Iran walked back all compromises made in previous talks on reviving the 2015 nuclear deal, pocketed compromises made by others and asked for more in its latest proposals, a senior US state department official told reporters on Saturday.

    Iran continues to accelerate its nuclear program in pretty provocative ways and China and Russia were taken aback at how far Iran had walked back its proposals in talks in Vienna, the official told reporters, speaking on condition of anonymity.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/dec/04/iran-concessions-nuclear-talks-us-official", + "creator": "Reuters in Vienna", + "pubDate": "2021-12-04T19:26:28Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4bce8a7390b1bd8810b9a9ade71401e6" + "hash": "649917e227275cee34629828ce536acc" }, { - "title": "Viagra could be used to treat Alzheimer’s disease, study finds", - "description": "

    US scientists say users of sildenafil – the generic name for Viagra – are 69% less likely to develop the form of dementia than non-users

    Viagra could be a useful treatment against Alzheimer’s disease, according to a US study.

    Alzheimer’s disease, the most common form of age-related dementia, affects hundreds of millions of people worldwide. Despite mounting numbers of cases, however, there is currently no effective treatment.

    Continue reading...", - "content": "

    US scientists say users of sildenafil – the generic name for Viagra – are 69% less likely to develop the form of dementia than non-users

    Viagra could be a useful treatment against Alzheimer’s disease, according to a US study.

    Alzheimer’s disease, the most common form of age-related dementia, affects hundreds of millions of people worldwide. Despite mounting numbers of cases, however, there is currently no effective treatment.

    Continue reading...", - "category": "Alzheimer's", - "link": "https://www.theguardian.com/society/2021/dec/06/viagra-could-be-used-to-treat-alzheimers-disease-study-finds", - "creator": "Andrew Gregory Health editor", - "pubDate": "2021-12-06T19:32:09Z", + "title": "Indonesia: death toll rises to 14 after eruption of Semeru volcano", + "description": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 14, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", + "content": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 14, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", + "category": "Volcanoes", + "link": "https://www.theguardian.com/world/2021/dec/04/indonesia-one-dead-as-semeru-volcano-spews-huge-ash-cloud", + "creator": "Agencies", + "pubDate": "2021-12-05T02:49:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123656,16 +150093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2cea425ec5134d4a9fa06b5bffb6f0b2" + "hash": "2e2f942b8d71a9a04dfb20d336be0e27" }, { - "title": "At least 46 ‘VIP lane’ PPE deals awarded before formal due diligence in place", - "description": "

    Two-thirds of contracts awarded before ‘eight-stage process’ was put in place were given out after referrals from ‘VIP lane’

    At least 46 PPE deals were awarded to firms put in a special “VIP lane” by Conservative ministers, MPs and officials during the Covid pandemic before a formal due diligence process was put in place, it has emerged.

    Ministers had claimed all PPE contracts were put through a rigorous “eight-stage process” for assuring quality and value for money, when criticised over the “VIP lane” via which £5bn in contracts were handed to companies with political or Whitehall connections.

    Continue reading...", - "content": "

    Two-thirds of contracts awarded before ‘eight-stage process’ was put in place were given out after referrals from ‘VIP lane’

    At least 46 PPE deals were awarded to firms put in a special “VIP lane” by Conservative ministers, MPs and officials during the Covid pandemic before a formal due diligence process was put in place, it has emerged.

    Ministers had claimed all PPE contracts were put through a rigorous “eight-stage process” for assuring quality and value for money, when criticised over the “VIP lane” via which £5bn in contracts were handed to companies with political or Whitehall connections.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/06/at-least-46-vip-lane-ppe-deals-awarded-before-formal-due-diligence-in-place", - "creator": "Rowena Mason and David Conn", - "pubDate": "2021-12-06T17:00:03Z", + "title": "Biden responds to claim Trump tested positive for Covid days before their debate – video", + "description": "

    Biden was questioned by a reporter over a claim in a book by Trump's last chief of staff that the ex-president had tested positive for Covid-19 three days before the first 2020 presidential debate. When asked whether he thought Trump had put him at risk, Biden said: 'I don’t think about the former president'

    Continue reading...", + "content": "

    Biden was questioned by a reporter over a claim in a book by Trump's last chief of staff that the ex-president had tested positive for Covid-19 three days before the first 2020 presidential debate. When asked whether he thought Trump had put him at risk, Biden said: 'I don’t think about the former president'

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/video/2021/dec/01/biden-responds-to-claim-trump-tested-positive-for-covid-days-before-their-debate-video", + "creator": "", + "pubDate": "2021-12-01T20:24:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123676,36 +150113,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "55260e9a86d4a09ab4f870d41c97037a" + "hash": "91119d3dedd3098f0c2725c906f6e9da" }, { - "title": "Coroners in England issue rare warnings over avoidable deaths in pandemic", - "description": "

    Exclusive: at least 16 notices issued to prevent future deaths after inquests highlight care failures

    Coroners in England have said lessons must be learned from failings made by overstretched services that struggled to adapt during the Covid pandemic, as details of inquests into deaths only now emerge.

    At the height of the pandemic, everything from mental health and coastguard services to care homes had to quickly change how they operated, and coroners across England are highlighting failures made during this time through reports that identify avoidable deaths.

    Azra Hussain, 41, who died in secure accommodation in Birmingham on 6 May 2020. Two months before her death, she had been due to begin electroconvulsive therapy, but because of an administrative error the treatment was cancelled and was then no longer possible because of Covid restrictions. The inquest jury concluded that had she been given this treatment, she would probably have lived.

    Ruth Jones, a frail older woman thought to have caught Covid, who died in a care home after a fall in self-isolation. A coroner said the care home was not equipped to watch Jones during her isolation but she needed to be monitored because of her risk of injury if left alone.

    Anthony Williamson, an experienced sea kayaker who died on his 54th birthday after getting into difficulty. The coroner said he was concerned there was a reduced level of coastguard cover around the Cornish coastline owing to the pandemic.

    Continue reading...", - "content": "

    Exclusive: at least 16 notices issued to prevent future deaths after inquests highlight care failures

    Coroners in England have said lessons must be learned from failings made by overstretched services that struggled to adapt during the Covid pandemic, as details of inquests into deaths only now emerge.

    At the height of the pandemic, everything from mental health and coastguard services to care homes had to quickly change how they operated, and coroners across England are highlighting failures made during this time through reports that identify avoidable deaths.

    Azra Hussain, 41, who died in secure accommodation in Birmingham on 6 May 2020. Two months before her death, she had been due to begin electroconvulsive therapy, but because of an administrative error the treatment was cancelled and was then no longer possible because of Covid restrictions. The inquest jury concluded that had she been given this treatment, she would probably have lived.

    Ruth Jones, a frail older woman thought to have caught Covid, who died in a care home after a fall in self-isolation. A coroner said the care home was not equipped to watch Jones during her isolation but she needed to be monitored because of her risk of injury if left alone.

    Anthony Williamson, an experienced sea kayaker who died on his 54th birthday after getting into difficulty. The coroner said he was concerned there was a reduced level of coastguard cover around the Cornish coastline owing to the pandemic.

    Continue reading...", + "title": "UK’s progress on Covid now squandered, warns top scientist", + "description": "

    Sir Jeremy Farrar, director of Wellcome Trust, suggests emergence of Omicron variant means pandemic is far from over

    The emergence of the Omicron variant shows that the world is “closer to the start of the pandemic than the end”, one of Britain’s most senior scientific figures has warned, as he lamented a lack of political leadership over Covid.

    Sir Jeremy Farrar, the director of the Wellcome Trust who stepped down as a government scientific adviser last month, said the progress in combatting Covid-19 since its emergence was “being squandered”.

    Continue reading...", + "content": "

    Sir Jeremy Farrar, director of Wellcome Trust, suggests emergence of Omicron variant means pandemic is far from over

    The emergence of the Omicron variant shows that the world is “closer to the start of the pandemic than the end”, one of Britain’s most senior scientific figures has warned, as he lamented a lack of political leadership over Covid.

    Sir Jeremy Farrar, the director of the Wellcome Trust who stepped down as a government scientific adviser last month, said the progress in combatting Covid-19 since its emergence was “being squandered”.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/06/coroners-in-england-issue-rare-warnings-over-avoidable-deaths-in-pandemic", - "creator": "Sarah Marsh and Pamela Duncan", - "pubDate": "2021-12-06T12:00:20Z", + "link": "https://www.theguardian.com/world/2021/dec/04/uks-progress-on-covid-now-squandered-warns-top-scientist", + "creator": "Michael Savage, Robin McKie", + "pubDate": "2021-12-05T01:19:05Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "2493af888767180121763fdf222953c9" + "hash": "bd63728a9798053291e8ced88274238a" }, { - "title": "New York City sets Covid vaccine mandate for all private employers", - "description": "

    New rules will take effect on 22 December while vaccinations are already required for city employees

    All New York City employers will have to mandate Covid-19 vaccinations for their workers under new rules announced Monday by the mayor, Bill de Blasio.

    The vaccine mandate for private businesses will take effect on 22 December and is aimed at preventing a spike in Covid-19 infections during the holiday season and the colder months, the Democratic mayor said on MSNBC’s Morning Joe.

    Continue reading...", - "content": "

    New rules will take effect on 22 December while vaccinations are already required for city employees

    All New York City employers will have to mandate Covid-19 vaccinations for their workers under new rules announced Monday by the mayor, Bill de Blasio.

    The vaccine mandate for private businesses will take effect on 22 December and is aimed at preventing a spike in Covid-19 infections during the holiday season and the colder months, the Democratic mayor said on MSNBC’s Morning Joe.

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/dec/06/new-york-city-vaccine-mandate-private-employers", - "creator": "Associated Press in New York", - "pubDate": "2021-12-06T14:44:15Z", + "title": "Nagaland killings: rioting as Indian security forces shoot dozen civilians", + "description": "

    Villagers burn army vehicles after coalminers were mistaken for insurgents, with Indian home minister promising full investigation

    Angry villagers who set fire to army vehicles are among more than a dozen civilians killed by soldiers in India’s remote north-east region along the border with Myanmar.

    An army officer said the soldiers fired at a truck, killing six people, after receiving intelligence about a movement of insurgents in the area. As villagers reacted by burning two army vehicles, the soldiers fired at them, killing seven more people, the officer said, adding that one soldier was also killed in the clash.

    Continue reading...", + "content": "

    Villagers burn army vehicles after coalminers were mistaken for insurgents, with Indian home minister promising full investigation

    Angry villagers who set fire to army vehicles are among more than a dozen civilians killed by soldiers in India’s remote north-east region along the border with Myanmar.

    An army officer said the soldiers fired at a truck, killing six people, after receiving intelligence about a movement of insurgents in the area. As villagers reacted by burning two army vehicles, the soldiers fired at them, killing seven more people, the officer said, adding that one soldier was also killed in the clash.

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/dec/05/nagaland-killings-india-security-forces-shot-civilians-mistaken-for-militants", + "creator": "Staff and agencies", + "pubDate": "2021-12-05T06:14:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123716,16 +150153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b01ce633fa8cd54f4ae8001e4f2a8500" + "hash": "c0de319edf44bfc8ef3cea2bb74e4fee" }, { - "title": "‘Travel apartheid’: Nigeria condemns England’s Covid red list", - "description": "

    Nigerian high commissioner hits out as arrivals into UK face quarantine in effort to contain Omicron variant

    Nigeria’s inclusion on England’s red list after cases of the Omicron Covid variant were linked to travel from the country has been condemned as “travel apartheid”.

    People arriving in the UK from Nigeria have to spend 10 days in hotel quarantine at a cost of £2,285 and have two negative PCR test results, as part of measures that came into force from 4am on Monday.

    Continue reading...", - "content": "

    Nigerian high commissioner hits out as arrivals into UK face quarantine in effort to contain Omicron variant

    Nigeria’s inclusion on England’s red list after cases of the Omicron Covid variant were linked to travel from the country has been condemned as “travel apartheid”.

    People arriving in the UK from Nigeria have to spend 10 days in hotel quarantine at a cost of £2,285 and have two negative PCR test results, as part of measures that came into force from 4am on Monday.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/06/travel-apartheid-nigeria-condemns-englands-covid-red-list-omicron", - "creator": "Lucy Campbell", - "pubDate": "2021-12-06T10:54:16Z", + "title": "Don’t be fooled by deceitful parents, top child expert warns social workers", + "description": "

    Professionals urged to be more sceptical and ready to remove at-risk children after death of Arthur Labinjo-Hughes

    Social workers need to be more sceptical and decisive when confronted by “manipulative and deceitful” parents, one of the UK’s leading child protection experts has urged following the torture and killing of Arthur Labinjo-Hughes at the hands of his stepmother and father.

    Martin Narey, a former head of children’s charity Barnardo’s and senior government adviser, said social services should view potentially abusive parents “more critically” and not shy away from taking children into care.

    Continue reading...", + "content": "

    Professionals urged to be more sceptical and ready to remove at-risk children after death of Arthur Labinjo-Hughes

    Social workers need to be more sceptical and decisive when confronted by “manipulative and deceitful” parents, one of the UK’s leading child protection experts has urged following the torture and killing of Arthur Labinjo-Hughes at the hands of his stepmother and father.

    Martin Narey, a former head of children’s charity Barnardo’s and senior government adviser, said social services should view potentially abusive parents “more critically” and not shy away from taking children into care.

    Continue reading...", + "category": "Child protection", + "link": "https://www.theguardian.com/society/2021/dec/05/dont-be-fooled-by-deceitful-parents-top-child-expert-warns-social-workers", + "creator": "Mark Townsend", + "pubDate": "2021-12-05T08:15:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123736,16 +150173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba308437ba621a38e703d1e9b41ac140" + "hash": "649e00d865bd69737c5035ed55cf3dfc" }, { - "title": "Pacific nurses in the desert: Kiribati brain drain is outback Australia’s gain", - "description": "

    A Pacific labour scheme has been transformative for Kiribati families but the brain drain has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", - "content": "

    A Pacific labour scheme has been transformative for Kiribati families but the brain drain has hit the country’s hospitals hard

    Every night, sitting in her room in the remote Queensland town of Doomadgee, Bwerere Sandy Tebau calls her husband and daughter 4,300km away in Tarawa, the capital of Kiribati.

    “There is no sea!” Sandy says, when asked about the difference between her new home in the red desert of Australia and her island home in the central Pacific. “There is just a lake and in the lake are crocodiles!”

    Continue reading...", - "category": "Kiribati", - "link": "https://www.theguardian.com/world/2021/dec/07/pacific-nurses-in-the-desert-kiribati-brain-drain-is-outback-australias-gain", - "creator": "John Marazita III", - "pubDate": "2021-12-06T17:00:04Z", + "title": "Rio Tinto lithium mine: thousands of protesters block roads across Serbia", + "description": "

    Crowds chanted slogans condemning government of Aleksandar Vučić, which backs planned Anglo-Australian $2.4bn mine

    Thousands of demonstrators blocked major roads across Serbia on Saturday as anger swelled over a government-backed plan to allow mining company Rio Tinto to extract lithium.

    In the capital, Belgrade, protesters swarmed a major highway and bridge linking the city to outlying suburbs as the crowd chanted anti-government slogans while some held signs criticising the mining project.

    Continue reading...", + "content": "

    Crowds chanted slogans condemning government of Aleksandar Vučić, which backs planned Anglo-Australian $2.4bn mine

    Thousands of demonstrators blocked major roads across Serbia on Saturday as anger swelled over a government-backed plan to allow mining company Rio Tinto to extract lithium.

    In the capital, Belgrade, protesters swarmed a major highway and bridge linking the city to outlying suburbs as the crowd chanted anti-government slogans while some held signs criticising the mining project.

    Continue reading...", + "category": "Serbia", + "link": "https://www.theguardian.com/world/2021/dec/05/rio-tinto-lithium-mine-thousands-of-protesters-block-roads-across-serbia", + "creator": "Agence France-Presse", + "pubDate": "2021-12-05T01:55:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123756,16 +150193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bac5fc7c24aa9c7df5cd721c09edad4e" + "hash": "eb9a7b7580baca37cf564cdbc573c0e7" }, { - "title": "‘It’s who they are’: gun-fetish photo a symbol of Republican abasement under Trump", - "description": "

    Thomas Massie’s incendiary picture, days after a deadly school shooting in Michigan, seemed carefully calibrated to provoke

    It is a festive family photo with seven broad smiles and a Christmas tree. But one other detail sets it apart: each member of the Massie family is brandishing a machine gun or military-style rifle.

    The photo was tweeted last week by Thomas Massie, a Republican congressman from Kentucky, with the caption: “Merry Christmas! PS: Santa, please bring ammo.”

    Continue reading...", - "content": "

    Thomas Massie’s incendiary picture, days after a deadly school shooting in Michigan, seemed carefully calibrated to provoke

    It is a festive family photo with seven broad smiles and a Christmas tree. But one other detail sets it apart: each member of the Massie family is brandishing a machine gun or military-style rifle.

    The photo was tweeted last week by Thomas Massie, a Republican congressman from Kentucky, with the caption: “Merry Christmas! PS: Santa, please bring ammo.”

    Continue reading...", - "category": "Republicans", - "link": "https://www.theguardian.com/us-news/2021/dec/06/republicans-christmas-photo-thomas-massie-trump", - "creator": "David Smith in Washington", - "pubDate": "2021-12-06T19:14:39Z", + "title": "Indonesia: death toll rises to 13 after eruption of Semeru volcano", + "description": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 13, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", + "content": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 13, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", + "category": "Volcanoes", + "link": "https://www.theguardian.com/world/2021/dec/04/indonesia-one-dead-as-semeru-volcano-spews-huge-ash-cloud", + "creator": "Agencies", + "pubDate": "2021-12-05T02:49:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123776,16 +150213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ccd0af3b6eb796a8881624d9e4ccd4d" + "hash": "238b2438809589280a05cb467e086efe" }, { - "title": "Succession recap: series three, episode eight – now that’s what you call a cliffhanger", - "description": "

    In the most horrifying episode of the show so far, Shiv and Roman take things too far at the Tuscan wedding, Logan is left incandescent with rage … and then there’s Kendall

    Spoiler alert: this recap is for people watching Succession season three, which airs on HBO in the US and Sky Atlantic in the UK. Do not read on unless you have watched episode eight.

    Wedding bells were ringing. So were alarm bells in Waystar Royco’s HR department. But is a funeral toll about to ring out, too? Here are your tasting notes for the penultimate episode, titled Chiantishire …

    Continue reading...", - "content": "

    In the most horrifying episode of the show so far, Shiv and Roman take things too far at the Tuscan wedding, Logan is left incandescent with rage … and then there’s Kendall

    Spoiler alert: this recap is for people watching Succession season three, which airs on HBO in the US and Sky Atlantic in the UK. Do not read on unless you have watched episode eight.

    Wedding bells were ringing. So were alarm bells in Waystar Royco’s HR department. But is a funeral toll about to ring out, too? Here are your tasting notes for the penultimate episode, titled Chiantishire …

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/06/succession-recap-series-three-episode-eight-now-thats-what-you-call-a-cliffhanger", - "creator": "Michael Hogan", - "pubDate": "2021-12-06T22:05:09Z", + "title": "Michigan shooting: suspect’s parents held on $1m bond after capture", + "description": "

    James and Jennifer Crumbley, who face manslaughter charges, entered not guilty pleas after being found hiding in a warehouse

    A judge imposed a combined $1m bond on Saturday for the parents of the Michigan teen charged with killing four students at Oxford high school this week, hours after police said they were caught hiding in a commercial building.

    James and Jennifer Crumbley entered not guilty pleas to each of the four involuntary manslaughter counts against them during a hearing held on Zoom.

    Continue reading...", + "content": "

    James and Jennifer Crumbley, who face manslaughter charges, entered not guilty pleas after being found hiding in a warehouse

    A judge imposed a combined $1m bond on Saturday for the parents of the Michigan teen charged with killing four students at Oxford high school this week, hours after police said they were caught hiding in a commercial building.

    James and Jennifer Crumbley entered not guilty pleas to each of the four involuntary manslaughter counts against them during a hearing held on Zoom.

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/2021/dec/04/michigan-shooting-suspects-parents-held-on-1m-bond-james-jennifer-crumbley", + "creator": "Associated Press in Pontiac, Michigan", + "pubDate": "2021-12-04T15:26:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123796,16 +150233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a14844caf4288e9b030cdead352270f5" + "hash": "1336dc2cb5d521e79ba42b4203398534" }, { - "title": "Michael Sheen declares himself a ‘not-for-profit actor’", - "description": "

    Actor and activist announces he will use future earnings to fund social projects after ‘turning point’ of organising 2019 Homeless World Cup

    Hollywood star Michael Sheen has said he is now a “not-for-profit actor” after selling his houses and giving the proceeds to charity.

    The actor and activist, 52, said organising the 2019 Homeless World Cup in Cardiff was a turning point for him. When funding for the £2m project fell through at the last moment, Sheen sold his own houses to bankroll it.

    Continue reading...", - "content": "

    Actor and activist announces he will use future earnings to fund social projects after ‘turning point’ of organising 2019 Homeless World Cup

    Hollywood star Michael Sheen has said he is now a “not-for-profit actor” after selling his houses and giving the proceeds to charity.

    The actor and activist, 52, said organising the 2019 Homeless World Cup in Cardiff was a turning point for him. When funding for the £2m project fell through at the last moment, Sheen sold his own houses to bankroll it.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/06/michael-sheen-not-for-profit-actor-activist", - "creator": "Nadia Khomami Arts and culture correspondent", - "pubDate": "2021-12-06T17:43:25Z", + "title": "Johnson faces trust crisis as sleaze shatters faith in MPs", + "description": "

    Poll reveals huge public cynicism, with just 5% of respondents believing politicians work for public good

    Trust in politicians to act in the national interest rather than for themselves has fallen dramatically since Boris Johnson became prime minister, according to figures contained in a disturbing new study into the state of British democracy.

    The polling data from YouGov for the Institute of Public Policy Research (IPPR) shows a particularly sharp fall in trust in the few weeks since the Owen Paterson scandal triggered a rash of Tory sleaze scandals.

    Continue reading...", + "content": "

    Poll reveals huge public cynicism, with just 5% of respondents believing politicians work for public good

    Trust in politicians to act in the national interest rather than for themselves has fallen dramatically since Boris Johnson became prime minister, according to figures contained in a disturbing new study into the state of British democracy.

    The polling data from YouGov for the Institute of Public Policy Research (IPPR) shows a particularly sharp fall in trust in the few weeks since the Owen Paterson scandal triggered a rash of Tory sleaze scandals.

    Continue reading...", + "category": "Conservatives", + "link": "https://www.theguardian.com/politics/2021/dec/04/johnson-faces-trust-crisis-as-sleaze-shatters-faith-in-mps", + "creator": "Toby Helm and Michael Savage", + "pubDate": "2021-12-04T21:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123816,16 +150253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c1cabe4397cdbc61be25a47efce62abf" + "hash": "a9f9aa2fd217ebd0b399ce68f2971d06" }, { - "title": "Fromage fictions: the 14 biggest cheese myths – debunked!", - "description": "

    Received wisdom says older cheese is better, you should pair it with red wine and wrap any leftovers in clingfilm. Here is what the experts say

    ‘I hate to dictate to people. I don’t like too many rules,” says Iain Mellis, a cheesemonger of 40 years, with cheese shops bearing his name scattered across Scotland. Mellis has spent his life trying to make artisan cheese more accessible; the last thing he wants is to be so prescriptive that people are put off.

    Yet the world of good cheese is already mired in misunderstandings that, at best, detract from its enjoyment and, at worst, result in its ruination. Cheese stored incorrectly is easily marred, while the mistaken beliefs that you need red wine, specialist knives or even a cheeseboard to enjoy it only reinforce cheese’s recherché reputation.

    Continue reading...", - "content": "

    Received wisdom says older cheese is better, you should pair it with red wine and wrap any leftovers in clingfilm. Here is what the experts say

    ‘I hate to dictate to people. I don’t like too many rules,” says Iain Mellis, a cheesemonger of 40 years, with cheese shops bearing his name scattered across Scotland. Mellis has spent his life trying to make artisan cheese more accessible; the last thing he wants is to be so prescriptive that people are put off.

    Yet the world of good cheese is already mired in misunderstandings that, at best, detract from its enjoyment and, at worst, result in its ruination. Cheese stored incorrectly is easily marred, while the mistaken beliefs that you need red wine, specialist knives or even a cheeseboard to enjoy it only reinforce cheese’s recherché reputation.

    Continue reading...", - "category": "Cheese", - "link": "https://www.theguardian.com/food/2021/dec/06/fromage-fictions-the-14-biggest-cheese-myths-debunked", - "creator": "Clare Finney", - "pubDate": "2021-12-06T10:00:48Z", + "title": "‘Wall of secrecy’ in Pfizer contracts as company accused of profiteering", + "description": "

    US company faces scrutiny over Covid profits after UK agrees to secrecy clause

    Ministers have agreed a secrecy clause in any dispute with the drugs manufacturer Pfizer over Britain’s Covid vaccine supply. Large portions of the government’s contracts with the company over the supply of 189m vaccine doses have been redacted and any arbitration proceedings will be kept secret.

    The revelation comes as Pfizer is accused by a former senior US health official of “war profiteering’’ during the pandemic. In a Channel 4 Dispatches investigation to be broadcast this week, Tom Frieden, who was director of the US Centers for Disease Control and Prevention under Barack Obama, said: “If you’re just focusing on maximising your profits and you’re a vaccine manufacturer … you are war profiteering.”

    Continue reading...", + "content": "

    US company faces scrutiny over Covid profits after UK agrees to secrecy clause

    Ministers have agreed a secrecy clause in any dispute with the drugs manufacturer Pfizer over Britain’s Covid vaccine supply. Large portions of the government’s contracts with the company over the supply of 189m vaccine doses have been redacted and any arbitration proceedings will be kept secret.

    The revelation comes as Pfizer is accused by a former senior US health official of “war profiteering’’ during the pandemic. In a Channel 4 Dispatches investigation to be broadcast this week, Tom Frieden, who was director of the US Centers for Disease Control and Prevention under Barack Obama, said: “If you’re just focusing on maximising your profits and you’re a vaccine manufacturer … you are war profiteering.”

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/05/wall-of-secrecy-in-pfizer-contracts-as-company-accused-of-profiteering", + "creator": "Jon Ungoed-Thomas", + "pubDate": "2021-12-05T06:30:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123836,16 +150273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c94f51197677e5d10d519cfefd5c6004" + "hash": "042bbcb92fdba3b8583f6157e1e38279" }, { - "title": "Joni Mitchell: ‘I’m hobbling along but I’m doing all right’", - "description": "

    Singer discusses health difficulties in rare public speech as she accepts Kennedy Center award

    Joni Mitchell addressed her health difficulties in a rare public speech as she accepted her Kennedy Center Honor, one of the most prestigious awards in American cultural life.

    At a ceremony attended by Joe Biden – in a show of support for the arts after the awards were snubbed by Donald Trump – Mitchell discussed the issues she’s faced in the wake of an aneurysm in 2015 that left her temporarily unable to walk or talk.

    Continue reading...", - "content": "

    Singer discusses health difficulties in rare public speech as she accepts Kennedy Center award

    Joni Mitchell addressed her health difficulties in a rare public speech as she accepted her Kennedy Center Honor, one of the most prestigious awards in American cultural life.

    At a ceremony attended by Joe Biden – in a show of support for the arts after the awards were snubbed by Donald Trump – Mitchell discussed the issues she’s faced in the wake of an aneurysm in 2015 that left her temporarily unable to walk or talk.

    Continue reading...", - "category": "Joni Mitchell", - "link": "https://www.theguardian.com/music/2021/dec/06/joni-mitchell-health-kennedy-center-award", - "creator": "Ben Beaumont-Thomas", - "pubDate": "2021-12-06T12:32:54Z", + "title": "Covid antiviral pill molnupiravir/Lagevrio set for UK at-home trials", + "description": "

    People most vulnerable to Omicron would reportedly be offered experimental pill within 48 hours of testing positive

    The first at-home treatment for Covid-19 could reportedly be offered to UK patients before Christmas as an attempt to protect the most vulnerable from the Omicron variant.

    The Sunday Telegraph reported that Sajid Javid is set to launch a national pilot of the Molnupiravir antiviral pill, marketed as Lagevrio.

    Continue reading...", + "content": "

    People most vulnerable to Omicron would reportedly be offered experimental pill within 48 hours of testing positive

    The first at-home treatment for Covid-19 could reportedly be offered to UK patients before Christmas as an attempt to protect the most vulnerable from the Omicron variant.

    The Sunday Telegraph reported that Sajid Javid is set to launch a national pilot of the Molnupiravir antiviral pill, marketed as Lagevrio.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/05/covid-antiviral-pill-molnupiravirlagevrio-set-for-uk-at-home-trials", + "creator": "Press Association", + "pubDate": "2021-12-05T01:43:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123856,16 +150293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cb89f6ee0bb938aeaf43a844154a83b4" + "hash": "aca126d7a89b2533e2fd5f6c0f1f5398" }, { - "title": "Robert Habeck: from translating English verse to German high office", - "description": "

    Ted Hughes felt the soon-to-be minister for economy and climate was ‘on the same wavelength’

    The man who will spend the next four years trying to bring about a green transformation of Germany’s coal-hungry industry once faced another daunting challenge in a previous, less publicly exposed career: translating the most controversial poems in recent British history from English into German.

    As Germany’s next vice-chancellor and minister for economy and climate, Green party co-leader Robert Habeck will be one of the most powerful politicians not just in Germany but Europe, overseeing a new super-ministry that will span general economic policy, renewable energy and the expansion of the country’s electricity grid, with a mooted budget upwards of €10bn.

    Continue reading...", - "content": "

    Ted Hughes felt the soon-to-be minister for economy and climate was ‘on the same wavelength’

    The man who will spend the next four years trying to bring about a green transformation of Germany’s coal-hungry industry once faced another daunting challenge in a previous, less publicly exposed career: translating the most controversial poems in recent British history from English into German.

    As Germany’s next vice-chancellor and minister for economy and climate, Green party co-leader Robert Habeck will be one of the most powerful politicians not just in Germany but Europe, overseeing a new super-ministry that will span general economic policy, renewable energy and the expansion of the country’s electricity grid, with a mooted budget upwards of €10bn.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/06/robert-habeck-from-translating-english-verse-to-german-high-office", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-12-06T16:13:23Z", + "title": "We’re in our 70s and he’s perfect – except he doesn’t want sex…", + "description": "

    A compatible friend needs treasuring. You might need to look elsewhere for sex

    The question I met Tom online. We have now been dating for nearly two years, sometimes on Zoom as we live three hours away from each other. This is long-term relationship potential – except, from my side, for one thing.

    I am a deeply sexually alive person. Sex is an immense joy to me. Not only the explicit physical acts of it, but also the sharing, the play, all the openness and openheartedness. Tom is divorced and I suspect has not had much sexual experience. I think he is sexually repressed. I have always been open with him about wanting our relationship to become fully sexual. It never has been.

    Continue reading...", + "content": "

    A compatible friend needs treasuring. You might need to look elsewhere for sex

    The question I met Tom online. We have now been dating for nearly two years, sometimes on Zoom as we live three hours away from each other. This is long-term relationship potential – except, from my side, for one thing.

    I am a deeply sexually alive person. Sex is an immense joy to me. Not only the explicit physical acts of it, but also the sharing, the play, all the openness and openheartedness. Tom is divorced and I suspect has not had much sexual experience. I think he is sexually repressed. I have always been open with him about wanting our relationship to become fully sexual. It never has been.

    Continue reading...", + "category": "Relationships", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/were-in-our-70s-and-hes-perfect-except-he-doesnt-want-sex", + "creator": "Philippa Perry", + "pubDate": "2021-12-05T06:00:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123876,16 +150313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "94443621628a3576f8936946d5a95bb7" + "hash": "1f205d94d683cd1781a635542407b61d" }, { - "title": "UK travel firms call for state help after Omicron hits turnover", - "description": "

    Industry body warns that some operators won’t last the winter after return of strict Covid travel rules

    Travel firms have called on the government to provide urgent financial help as fresh Covid-19 restrictions come in to force on Tuesday, hitting holiday travel just before the peak booking period.

    Turnover has been at just 22% of normal levels for tour operators, according to figures from the travel association Abta.

    Continue reading...", - "content": "

    Industry body warns that some operators won’t last the winter after return of strict Covid travel rules

    Travel firms have called on the government to provide urgent financial help as fresh Covid-19 restrictions come in to force on Tuesday, hitting holiday travel just before the peak booking period.

    Turnover has been at just 22% of normal levels for tour operators, according to figures from the travel association Abta.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/07/uk-travel-firms-call-for-state-help-after-omicron-hits-turnover", - "creator": "Gwyn Topham Transport correspondent", - "pubDate": "2021-12-07T00:01:12Z", + "title": "My role in clearing the man wrongly convicted for rape of Alice Sebold", + "description": "

    Why didn’t the writer, the US justice system and the media ask more questions given the miscarriage of justice, asks the film producer whose investigation led to exoneration of Anthony Broadwater

     Anthony Broadwater, a 61-year-old resident of Syracuse, New York state, and former marine, was exonerated last week of the brutal rape, assault and robbery of best-selling author Alice Sebold. He was convicted in 1982.

    Sebold was savagely attacked while walking home from a friend’s house late one night. Five months later, Sebold said she saw her attacker in Syracuse town centre.

    Continue reading...", + "content": "

    Why didn’t the writer, the US justice system and the media ask more questions given the miscarriage of justice, asks the film producer whose investigation led to exoneration of Anthony Broadwater

     Anthony Broadwater, a 61-year-old resident of Syracuse, New York state, and former marine, was exonerated last week of the brutal rape, assault and robbery of best-selling author Alice Sebold. He was convicted in 1982.

    Sebold was savagely attacked while walking home from a friend’s house late one night. Five months later, Sebold said she saw her attacker in Syracuse town centre.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/global/2021/dec/05/my-role-in-clearing-the-man-wrongly-convicted-for-of-alice-sebold", + "creator": "Timonthy Mucciante", + "pubDate": "2021-12-05T07:02:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123896,16 +150333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6786d1001423f564c68c148c4163d867" + "hash": "0d93f594ec8f8e2845042a28fd96db14" }, { - "title": "Republican Devin Nunes to leave Congress and run Trump’s social media venture – live", - "description": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", - "content": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/dec/06/congress-debt-ceiling-republicans-democrats-joe-biden-coronavirus-us-politics-latest", - "creator": "Maanvi Singh (now) and Joan E Greve (earlier)", - "pubDate": "2021-12-07T00:27:26Z", + "title": "Sunday with Claudia Schiffer: ‘Wine, cheese and a game of cards is my winter favourite’", + "description": "

    The model and actor cooks apple pancakes or else pasta bolognese, stares at the clouds, walks the dogs, enjoys a calm family day

    What does Sunday feel like? Calmness. I wake up naturally, no alarm. Monday to Friday, I’m up at 7am to make breakfast and do the school run. We live in the English countryside: rolling hills, fields, farmland. I love being surrounded by nature. Even when it’s raining I just watch the clouds.

    Do you cook? We normally have a long brunch with local produce – I like making my mother’s apple pancakes. That and pasta bolognese are about the only things I can cook. Drinking is seasonal: summer is perfect for a rosé; red wine, cheese and a game of cards is my absolute favourite winter afternoon.

    Continue reading...", + "content": "

    The model and actor cooks apple pancakes or else pasta bolognese, stares at the clouds, walks the dogs, enjoys a calm family day

    What does Sunday feel like? Calmness. I wake up naturally, no alarm. Monday to Friday, I’m up at 7am to make breakfast and do the school run. We live in the English countryside: rolling hills, fields, farmland. I love being surrounded by nature. Even when it’s raining I just watch the clouds.

    Do you cook? We normally have a long brunch with local produce – I like making my mother’s apple pancakes. That and pasta bolognese are about the only things I can cook. Drinking is seasonal: summer is perfect for a rosé; red wine, cheese and a game of cards is my absolute favourite winter afternoon.

    Continue reading...", + "category": "Sunday with…", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/sunday-with-claudia-schiffer-wine-cheese-and-cards-is-my-winter-favourite-", + "creator": "Michael Segalov", + "pubDate": "2021-12-05T06:41:55Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123916,16 +150353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "20d19655d347aae54d5a146c1131ec8d" + "hash": "e546eab56c290f4b4bf5aadad628efe9" }, { - "title": "Australia live news update: NSW education minister says teacher strike ‘disingenuous’; Victoria pandemic bill becomes law", - "description": "

    Victoria pandemic bill becomes law; National party leaders say ‘we have to condemn’ Christensen’s appearance on Alex Jones show; NSW education minister says teacher strike ‘incredibly disingenuous’; Victorian ombudsman condemns border permit system; Victoria records 1,185 new Covid-19 cases and seven deaths; NSW records 260 cases and two deaths – follow all the day’s news.

    A suspected shark attack on Victoria’s Bellarine Peninsula has left two teens in hospital and shut a beach, reports Callum Godde from AAP.

    Emergency services were called to Ocean Grove, south east of Geelong, just after 7pm on Monday.

    Continue reading...", - "content": "

    Victoria pandemic bill becomes law; National party leaders say ‘we have to condemn’ Christensen’s appearance on Alex Jones show; NSW education minister says teacher strike ‘incredibly disingenuous’; Victorian ombudsman condemns border permit system; Victoria records 1,185 new Covid-19 cases and seven deaths; NSW records 260 cases and two deaths – follow all the day’s news.

    A suspected shark attack on Victoria’s Bellarine Peninsula has left two teens in hospital and shut a beach, reports Callum Godde from AAP.

    Emergency services were called to Ocean Grove, south east of Geelong, just after 7pm on Monday.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/07/australia-news-live-updates-covid-omicron-scott-morrison-nsw-strike-victoria-weather", - "creator": "Matilda Boseley", - "pubDate": "2021-12-07T00:28:45Z", + "title": "‘Historical accident’: how abortion came to focus white, evangelical anger", + "description": "

    A short history of the Rose decision’s emergence as a signature cause for the right

    Public opinion on abortion in the US has changed little since 1973, when the supreme court in effect legalized the procedure nationally in its ruling on the case Roe v Wade. According to Gallup, which has the longest-running poll on the issue, about four in five Americans believe abortion should be legal, at least in some circumstances.

    Yet the politics of abortion have opened deep divisions in the last five decades, which have only grown more profound in recent years of polarization. In 2021, state legislators have passed dozens of restrictions to abortion access, making it the most hostile year to abortion rights on record.

    Continue reading...", + "content": "

    A short history of the Rose decision’s emergence as a signature cause for the right

    Public opinion on abortion in the US has changed little since 1973, when the supreme court in effect legalized the procedure nationally in its ruling on the case Roe v Wade. According to Gallup, which has the longest-running poll on the issue, about four in five Americans believe abortion should be legal, at least in some circumstances.

    Yet the politics of abortion have opened deep divisions in the last five decades, which have only grown more profound in recent years of polarization. In 2021, state legislators have passed dozens of restrictions to abortion access, making it the most hostile year to abortion rights on record.

    Continue reading...", + "category": "Abortion", + "link": "https://www.theguardian.com/world/2021/dec/05/abortion-opposition-focus-white-evangelical-anger", + "creator": "Jessica Glenza", + "pubDate": "2021-12-05T06:50:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123936,16 +150373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "215dcfcf31370b0ddbf233228f2a1157" + "hash": "1c8f9616e4a237e0f1f42ac3c4262c0c" }, { - "title": "How can children in the UK be protected from seeing online pornography?", - "description": "

    As concern grows among experts about the impact on children of seeing pornographic images, how can access be restricted?

    Why are children’s safety groups calling for age verification on porn sites?
    They fear it is too easy for children to access publicly available pornography online. Experts who work with children say pornography gives children unhealthy views of sex and consent, putting them at risk from predators and possibly stopping them reporting abuse.

    It can also lead to children behaving in risky or age-inappropriate ways, harming themselves and others. Charities say children tell them that pornography is difficult to avoid and can leave them feeling ashamed and distressed. One concern is the extreme nature of porn on mainstream sites, with one study showing that one in eight videos seen by first-time visitors showed violent or coercive content.

    Continue reading...", - "content": "

    As concern grows among experts about the impact on children of seeing pornographic images, how can access be restricted?

    Why are children’s safety groups calling for age verification on porn sites?
    They fear it is too easy for children to access publicly available pornography online. Experts who work with children say pornography gives children unhealthy views of sex and consent, putting them at risk from predators and possibly stopping them reporting abuse.

    It can also lead to children behaving in risky or age-inappropriate ways, harming themselves and others. Charities say children tell them that pornography is difficult to avoid and can leave them feeling ashamed and distressed. One concern is the extreme nature of porn on mainstream sites, with one study showing that one in eight videos seen by first-time visitors showed violent or coercive content.

    Continue reading...", - "category": "Internet safety", - "link": "https://www.theguardian.com/global-development/2021/dec/05/how-can-children-in-the-uk-be-protected-from-seeing-online-pornography", - "creator": "Dan Milmo and Harriet Grant", - "pubDate": "2021-12-05T16:00:01Z", + "title": "Let him be: how McCartney saved roadie from arrest after Beatles final concert", + "description": "

    Diaries of band’s road manager, Mal Evans, revealing chaos at gig to feature in major biography

    The police famously tried to shut down the Beatles’s rooftop concert on 30 January 1969, over concerns of breach of the peace, in what was to be the band’s final public performance. Now a further backstage drama has emerged with the revelation that Paul McCartney afterwards used his charm to stop a police officer from arresting their road manager and confidant, Mal Evans.

    Kenneth Womack, one of the world’s foremost Beatles scholars, told the Observer: “It turns out that Mal was actually arrested that day but managed to get out of it only when Paul went into PR mode and changed the copper’s mind after the show.”

    Continue reading...", + "content": "

    Diaries of band’s road manager, Mal Evans, revealing chaos at gig to feature in major biography

    The police famously tried to shut down the Beatles’s rooftop concert on 30 January 1969, over concerns of breach of the peace, in what was to be the band’s final public performance. Now a further backstage drama has emerged with the revelation that Paul McCartney afterwards used his charm to stop a police officer from arresting their road manager and confidant, Mal Evans.

    Kenneth Womack, one of the world’s foremost Beatles scholars, told the Observer: “It turns out that Mal was actually arrested that day but managed to get out of it only when Paul went into PR mode and changed the copper’s mind after the show.”

    Continue reading...", + "category": "The Beatles", + "link": "https://www.theguardian.com/music/2021/dec/05/how-paul-mccartney-saved-roadie-from-arrest-after-beatles-final-concert-mal-evans", + "creator": "Dalya Alberge", + "pubDate": "2021-12-05T06:41:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123956,16 +150393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a8fbf3a7f0c7d02650f294ef2e97c52e" + "hash": "422a2adb628ffdf9515094358e72d323" }, { - "title": "'Don't let one incident hold you back ,' says UK teenager after crocodile attack – video", - "description": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", - "content": "

    Amelie Osborn-Smith said she felt 'very lucky' to be alive and was not going to be held back, after a crocodile mauled her during a white water rafting trip along the Zambezi in Zambia. 

    Osborne-Smith, 18, thought she would lose her foot after the attack and said she was very 'relieved' when doctors told her they had managed to save it

    Continue reading...", - "category": "Zambia", - "link": "https://www.theguardian.com/world/video/2021/dec/06/dont-let-one-incident-hold-you-back-says-teenager-after-crocodile-attack-video", - "creator": "", - "pubDate": "2021-12-06T11:12:05Z", + "title": "The Observer view on Russia’s threat to Ukraine | Observer editorial", + "description": "Putin regards Ukraine as stolen territory and as the US focuses on China and Covid, Moscow is waiting to strike

    Vladimir Putin is an old-fashioned sort of guy. He yearns for the days when the Soviet Union was a great power. He still views western democracies as adversaries, to be confounded whenever possible. And he has never reconciled to the post-Soviet loss of cold war-era satellite republics in eastern Europe. This is especially true of Ukraine.

    The Russian view that Ukraine is stolen territory to which it has a natural right has roots in tsarist times and before. Ukrainians (and Belarusians) were habitually called “little Russians”. Indigenous narratives stress a common history and common faith indissolubly linking two brotherly eastern Slavic races. Putin has repeatedly stated that “Russians and Ukrainians are one people”.

    Continue reading...", + "content": "Putin regards Ukraine as stolen territory and as the US focuses on China and Covid, Moscow is waiting to strike

    Vladimir Putin is an old-fashioned sort of guy. He yearns for the days when the Soviet Union was a great power. He still views western democracies as adversaries, to be confounded whenever possible. And he has never reconciled to the post-Soviet loss of cold war-era satellite republics in eastern Europe. This is especially true of Ukraine.

    The Russian view that Ukraine is stolen territory to which it has a natural right has roots in tsarist times and before. Ukrainians (and Belarusians) were habitually called “little Russians”. Indigenous narratives stress a common history and common faith indissolubly linking two brotherly eastern Slavic races. Putin has repeatedly stated that “Russians and Ukrainians are one people”.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/commentisfree/2021/dec/05/observer-view-on-russia-threat-to-ukraine", + "creator": "Observer editorial", + "pubDate": "2021-12-05T06:30:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123976,16 +150413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "be6bfffda0fa3e68bd1a2b505ccf4379" + "hash": "bd181b7da3d52aff845f1e4e2b2890df" }, { - "title": "Covid live: England’s health secretary says there is community transmission of Omicron across multiple regions", - "description": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "content": "

    Sajid Javid told MPs on Monday that ‘multiple regions of England’ were seeing cases of the variant that were not linked to international travel

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", - "creator": "Rachel Hall (now); Damien Gayle ,Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-06T18:48:56Z", + "title": "Kenya: more than 20 drown as bus is swept away in flooded river", + "description": "

    Vehicle travelling to wedding keels over and sinks in fast-flowing waters in Kitui County

    More than 20 people drowned on Saturday when a bus travelling to a wedding in Kenya was swept away by fast-flowing waters as it tried to cross a flooded river.

    Onlookers screamed as the yellow school bus hired to take a church choir and other revellers to the ceremony in Kitui County keeled over and sank as the driver tried to navigate the surging waters.

    Continue reading...", + "content": "

    Vehicle travelling to wedding keels over and sinks in fast-flowing waters in Kitui County

    More than 20 people drowned on Saturday when a bus travelling to a wedding in Kenya was swept away by fast-flowing waters as it tried to cross a flooded river.

    Onlookers screamed as the yellow school bus hired to take a church choir and other revellers to the ceremony in Kitui County keeled over and sank as the driver tried to navigate the surging waters.

    Continue reading...", + "category": "Kenya", + "link": "https://www.theguardian.com/world/2021/dec/04/kenya-more-than-20-drown-as-bus-is-swept-away-in-flooded-river", + "creator": "Agence France-Presse", + "pubDate": "2021-12-04T16:59:07Z", "enclosure": "", "enclosureType": "", "image": "", @@ -123996,16 +150433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "da7914a91c73148d1bc027867c94694f" + "hash": "1c10f44a7edf51f02ebbdf2c173f35bb" }, { - "title": "Rohingya sue Facebook for £150bn over Myanmar genocide", - "description": "

    Victims in US and UK legal action accuse social media firm of failing to prevent incitement of violence

    Facebook’s negligence facilitated the genocide of Rohingya Muslims in Myanmar after the social media network’s algorithms amplified hate speech and the platform failed to take down inflammatory posts, according to legal action launched in the US and the UK.

    The platform faces compensation claims worth more than £150bn under the coordinated move on both sides of the Atlantic.

    Continue reading...", - "content": "

    Victims in US and UK legal action accuse social media firm of failing to prevent incitement of violence

    Facebook’s negligence facilitated the genocide of Rohingya Muslims in Myanmar after the social media network’s algorithms amplified hate speech and the platform failed to take down inflammatory posts, according to legal action launched in the US and the UK.

    The platform faces compensation claims worth more than £150bn under the coordinated move on both sides of the Atlantic.

    Continue reading...", - "category": "Facebook", - "link": "https://www.theguardian.com/technology/2021/dec/06/rohingya-sue-facebook-myanmar-genocide-us-uk-legal-action-social-media-violence", - "creator": "Dan Milmo Global technology correspondent", - "pubDate": "2021-12-06T17:03:55Z", + "title": "The Last Matinee review – carnage in the aisles in cinema-set giallo-style slasher", + "description": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", + "content": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", + "category": "Horror films", + "link": "https://www.theguardian.com/film/2021/nov/29/the-last-matinee-review-maximiliano-contenti-giallo-genre-voyeurism", + "creator": "Phil Hoad", + "pubDate": "2021-12-04T14:24:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124016,36 +150453,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "4b3a1f799f598f6ec5c7556b1dfb31b0" + "hash": "0bc084c5276a196b795aad77961a26a5" }, { - "title": "Investigation launched into brawl at French far-right rally", - "description": "

    Dozens detained after protesters attacked at campaign rally for presidential candidate Éric Zemmour

    French prosecutors have opened an investigation into violence that erupted at the first major campaign rally held by the far-right French presidential candidate Éric Zemmour.

    Shortly after Zemmour began speaking on Sunday evening, some of his supporters attacked a group of protesters from the campaign group SOS-Racism who had entered the rear of the venue wearing T-shirts reading “No to Racism”.

    Continue reading...", - "content": "

    Dozens detained after protesters attacked at campaign rally for presidential candidate Éric Zemmour

    French prosecutors have opened an investigation into violence that erupted at the first major campaign rally held by the far-right French presidential candidate Éric Zemmour.

    Shortly after Zemmour began speaking on Sunday evening, some of his supporters attacked a group of protesters from the campaign group SOS-Racism who had entered the rear of the venue wearing T-shirts reading “No to Racism”.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/06/investigation-launched-into-brawl-at-french-far-right-rally-eric-zemmour", - "creator": "Kim Willsher in Paris", - "pubDate": "2021-12-06T15:16:20Z", + "title": "Chris Cuomo fired by CNN for helping brother Andrew fight sexual misconduct charges", + "description": "
    • Primetime anchor was suspended on Tuesday
    • Network says ‘additional information’ has come to light

    CNN has fired the primetime anchor Chris Cuomo for trying to help his brother, the former New York governor Andrew Cuomo, fight accusations of sexual misconduct which resulted in his resignation.

    Announcing the firing on Saturday, CNN said “additional information” had come to light.

    Continue reading...", + "content": "
    • Primetime anchor was suspended on Tuesday
    • Network says ‘additional information’ has come to light

    CNN has fired the primetime anchor Chris Cuomo for trying to help his brother, the former New York governor Andrew Cuomo, fight accusations of sexual misconduct which resulted in his resignation.

    Announcing the firing on Saturday, CNN said “additional information” had come to light.

    Continue reading...", + "category": "CNN", + "link": "https://www.theguardian.com/media/2021/dec/04/chris-cuomo-fired-cnn-brother-andrew-sexual-misconduct-charges", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-12-04T22:43:16Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1cfc96f8ab9540ce94d61d5d44c08c4" + "hash": "f0368ebe85a15a610aae90a7ea65a3f9" }, { - "title": "Spain’s former king seeks immunity over claim he used spy agency to threaten ex-lover", - "description": "

    Corinna zu Sayn-Wittgenstein claims Juan Carlos directed campaign of harassment after affair ended

    A former lover of the former king of Spain believes a book about the death of Diana, Princess of Wales was left in her home as part of a campaign of harassment directed by the monarch, the high court in London has been told.

    The former king Juan Carlos is seeking sovereign immunity at the court against claims he used Spain’s spy agency to harass a Danish businesswoman, Corinna zu Sayn-Wittgenstein.

    Continue reading...", - "content": "

    Corinna zu Sayn-Wittgenstein claims Juan Carlos directed campaign of harassment after affair ended

    A former lover of the former king of Spain believes a book about the death of Diana, Princess of Wales was left in her home as part of a campaign of harassment directed by the monarch, the high court in London has been told.

    The former king Juan Carlos is seeking sovereign immunity at the court against claims he used Spain’s spy agency to harass a Danish businesswoman, Corinna zu Sayn-Wittgenstein.

    Continue reading...", - "category": "Spain", - "link": "https://www.theguardian.com/world/2021/dec/06/diana-book-was-left-at-home-of-spanish-kings-ex-lover-uk-court-told", - "creator": "Matthew Weaver", - "pubDate": "2021-12-06T18:06:26Z", + "title": "‘HMRC gave me £775,000 by mistake – and it’s turned into a nightmare’", + "description": "

    Staff processing a £23 parcels duty rebate paid the life-changing sum into a woman’s bank account

    A woman who woke up to find more than three-quarters of a million pounds had been deposited in her bank account by HMRC has described how she spent a year waiting for it to realise its mistake and reclaim the money and worrying about what would happen when it did.

    In August 2020, Helen Peters*, a self-employed mother of a five-year-old, looked at her bank statement and found that instead of being mildly overdrawn, a £774,839.39 Bacs payment from the Revenue had sent her account very much into the black.

    Continue reading...", + "content": "

    Staff processing a £23 parcels duty rebate paid the life-changing sum into a woman’s bank account

    A woman who woke up to find more than three-quarters of a million pounds had been deposited in her bank account by HMRC has described how she spent a year waiting for it to realise its mistake and reclaim the money and worrying about what would happen when it did.

    In August 2020, Helen Peters*, a self-employed mother of a five-year-old, looked at her bank statement and found that instead of being mildly overdrawn, a £774,839.39 Bacs payment from the Revenue had sent her account very much into the black.

    Continue reading...", + "category": "Tax", + "link": "https://www.theguardian.com/money/2021/dec/04/hmrc-mistake-return-cash-revenue", + "creator": "Miles Brignall and Patrick Collinson", + "pubDate": "2021-12-04T07:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124056,16 +150493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8df9716c00304086faac1c6d510c0b25" + "hash": "f4635d55296d6ac3330cd9b44c43ec28" }, { - "title": "Two Met police officers jailed over photos of murdered sisters", - "description": "

    Deniz Jaffer and Jamie Lewis sentenced to two years and nine months for taking and sharing photos of Nicole Smallman and Bibaa Henry

    Two Metropolitan police officers who “dehumanised” two black murder victims “for their own amusement” by taking and sharing photos from the scene where they lay murdered have each been jailed for two years and nine months.

    Deniz Jaffer, 47, and Jamie Lewis, 33, were ordered to guard the scene in a London park where two sisters, Nicole Smallman, 27, and Bibaa Henry, 46, were found stabbed to death in June 2020.

    Continue reading...", - "content": "

    Deniz Jaffer and Jamie Lewis sentenced to two years and nine months for taking and sharing photos of Nicole Smallman and Bibaa Henry

    Two Metropolitan police officers who “dehumanised” two black murder victims “for their own amusement” by taking and sharing photos from the scene where they lay murdered have each been jailed for two years and nine months.

    Deniz Jaffer, 47, and Jamie Lewis, 33, were ordered to guard the scene in a London park where two sisters, Nicole Smallman, 27, and Bibaa Henry, 46, were found stabbed to death in June 2020.

    Continue reading...", - "category": "Metropolitan police", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/two-met-police-officers-jailed-photos-murdered-sisters-deniz-jaffer-jamie-lewis-nicole-smallman-bibaa-henry", - "creator": "Vikram Dodd Police and crime correspondent", - "pubDate": "2021-12-06T17:21:14Z", + "title": "WHO says no deaths reported from Omicron yet as Covid variant spreads", + "description": "

    US and Australia become latest countries to confirm locally transmitted cases

    The Omicron variant has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization has said, amid warnings that it could damage the global economic recovery.

    The United States and Australia became the latest countries to confirm locally transmitted cases of the variant, as Omicron infections pushed South Africa’s total cases past 3 million.

    Continue reading...", + "content": "

    US and Australia become latest countries to confirm locally transmitted cases

    The Omicron variant has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization has said, amid warnings that it could damage the global economic recovery.

    The United States and Australia became the latest countries to confirm locally transmitted cases of the variant, as Omicron infections pushed South Africa’s total cases past 3 million.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/04/who-says-no-deaths-reported-from-omicron-yet-as-covid-variant-spreads", + "creator": "Staff and agencies", + "pubDate": "2021-12-04T05:22:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124076,16 +150513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e0ea1a326f26ab49b62a32ab671bceec" + "hash": "abaa236acd638912f4d4e13936575915" }, { - "title": "Street name honour for unloved ‘castle lady’ dismays Belgian village", - "description": "

    People of Moorsele say Marie Cornillie preferred her dog to her tenants and would often urinate in the street

    Cities around the world have been inspired by the #MeToo movement to rename their streets after women, correcting an imbalance that had favoured great and not so great men of the past.

    In Brussels, Madrid and Geneva, such figures as the Belgian singer Annie Cordy, the Spanish civil war hero Dolores Ibárruri and the Jamaican writer Una Marson have belatedly received acknowledgment.

    Continue reading...", - "content": "

    People of Moorsele say Marie Cornillie preferred her dog to her tenants and would often urinate in the street

    Cities around the world have been inspired by the #MeToo movement to rename their streets after women, correcting an imbalance that had favoured great and not so great men of the past.

    In Brussels, Madrid and Geneva, such figures as the Belgian singer Annie Cordy, the Spanish civil war hero Dolores Ibárruri and the Jamaican writer Una Marson have belatedly received acknowledgment.

    Continue reading...", - "category": "Belgium", - "link": "https://www.theguardian.com/world/2021/dec/06/street-name-honour-for-unloved-castle-lady-dismays-belgian-village", - "creator": "Daniel Boffey in Brussels", - "pubDate": "2021-12-06T15:34:44Z", + "title": "A city divided: as Sydney comes back to life, scars of lockdown linger in the west", + "description": "

    In the suburbs hardest hit by Covid restrictions, the economic and psychological recovery has been slow to come

    Sydney barista Minh Bui rarely used to have time to sit down at her own cafe, but this weekday morning she’s in no rush. It’s just her and two women seated in the corner.

    Asked how business is at her Liverpool cafe since Sydney’s lockdown lifted, Bui motions to the empty seats around her.

    Continue reading...", + "content": "

    In the suburbs hardest hit by Covid restrictions, the economic and psychological recovery has been slow to come

    Sydney barista Minh Bui rarely used to have time to sit down at her own cafe, but this weekday morning she’s in no rush. It’s just her and two women seated in the corner.

    Asked how business is at her Liverpool cafe since Sydney’s lockdown lifted, Bui motions to the empty seats around her.

    Continue reading...", + "category": "Sydney", + "link": "https://www.theguardian.com/australia-news/2021/dec/05/a-city-divided-as-sydney-comes-back-to-life-scars-of-lockdown-linger-in-the-west", + "creator": "Mostafa Rachwani", + "pubDate": "2021-12-04T19:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124096,16 +150533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "560ab32c85079e805971da5fac7e3fa5" + "hash": "84475ea9bea5d5abcb15ee511df9f385" }, { - "title": "The activist facing jail for rescuing a sick goat from a meat farm", - "description": "

    Wayne Hsiung’s trial on theft and trespass charges could set a legal precedent for the ‘right to rescue’ agricultural livestock

    On a rainy night in February, 2018, animal rights activist Wayne Hsiung sneaked into a small scale North Carolina farm and, depending on your perspective, either stole or rescued a baby goat. The maneuver was highly risky – on a live stream, Hsiung tells his audience what awaits: an electric fence, barking dogs and armed security guards, according to the farm’s website.

    Undeterred, Hsiung and his co-conspirators filled their pockets with dog treats and broke into the Sospiro farm, owned by farmer Curtis Burnside.

    Continue reading...", - "content": "

    Wayne Hsiung’s trial on theft and trespass charges could set a legal precedent for the ‘right to rescue’ agricultural livestock

    On a rainy night in February, 2018, animal rights activist Wayne Hsiung sneaked into a small scale North Carolina farm and, depending on your perspective, either stole or rescued a baby goat. The maneuver was highly risky – on a live stream, Hsiung tells his audience what awaits: an electric fence, barking dogs and armed security guards, according to the farm’s website.

    Undeterred, Hsiung and his co-conspirators filled their pockets with dog treats and broke into the Sospiro farm, owned by farmer Curtis Burnside.

    Continue reading...", - "category": "Animal welfare", - "link": "https://www.theguardian.com/world/2021/dec/06/wayne-hsiung-activist-goat-animal-welfare-trial", - "creator": "Adrienne Matei", - "pubDate": "2021-12-06T19:42:59Z", + "title": "Political activist Paddy Gibson allegedly threatened by three men who tried to break into his Sydney home", + "description": "

    Campaigner called outside by trio on Saturday night before window smashed with Greens MP warning of ‘troubling escalation of political violence’

    A prominent political activist has allegedly been threatened in his Sydney home by three men who appeared to try to force their way inside before fleeing when police were called.

    Paddy Gibson, an activist with the Solidarity socialist movement and a researcher at University of Technology Sydney, said he was at home with his partner when he heard loud banging on his door about 7.30pm on Saturday night.

    Continue reading...", + "content": "

    Campaigner called outside by trio on Saturday night before window smashed with Greens MP warning of ‘troubling escalation of political violence’

    A prominent political activist has allegedly been threatened in his Sydney home by three men who appeared to try to force their way inside before fleeing when police were called.

    Paddy Gibson, an activist with the Solidarity socialist movement and a researcher at University of Technology Sydney, said he was at home with his partner when he heard loud banging on his door about 7.30pm on Saturday night.

    Continue reading...", + "category": "Sydney", + "link": "https://www.theguardian.com/australia-news/2021/dec/05/political-activist-paddy-gibson-allegedly-threatened-by-three-men-who-tried-to-break-into-his-sydney-home", + "creator": "Nino Bucci", + "pubDate": "2021-12-05T07:09:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124116,16 +150553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6bd0cbc6056fe8b01e6cb181b130d732" + "hash": "271f62767c115edc716090b278cd2c1f" }, { - "title": "Rinse, don’t wring, and shade dry: how to keep swimwear in great condition", - "description": "

    Tempting as it may be to leave swimmers rolled up in a towel at the bottom of your beach bag, they’ll last far longer if you treat them better

    Any swimmer will tell you that once the weather warms up, their exercise routine becomes subject to disruptions from fair weather swimmers: people who haven’t learnt the politics of lap swimming. Things like not pushing off ahead of someone about to tumble turn; no board shorts in the fast lane; if someone is overtaking you it’s not an invitation to speed up; and only jerks do butterfly in a public pool.

    Now that summer is here, hopefully we’ll all find ourselves beside a pool or at the beach in the coming months, so we thought it was a good moment remember swimwear can benefit from good manners too. This week, we asked swimwear experts for advice on how to keep bathers in great shape.

    Continue reading...", - "content": "

    Tempting as it may be to leave swimmers rolled up in a towel at the bottom of your beach bag, they’ll last far longer if you treat them better

    Any swimmer will tell you that once the weather warms up, their exercise routine becomes subject to disruptions from fair weather swimmers: people who haven’t learnt the politics of lap swimming. Things like not pushing off ahead of someone about to tumble turn; no board shorts in the fast lane; if someone is overtaking you it’s not an invitation to speed up; and only jerks do butterfly in a public pool.

    Now that summer is here, hopefully we’ll all find ourselves beside a pool or at the beach in the coming months, so we thought it was a good moment remember swimwear can benefit from good manners too. This week, we asked swimwear experts for advice on how to keep bathers in great shape.

    Continue reading...", - "category": "Swimming", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/07/rinse-dont-wring-and-shade-dry-how-to-keep-swimwear-in-great-condition", - "creator": "Lucianne Tonti", - "pubDate": "2021-12-06T16:30:04Z", + "title": "How probable is it Omicron Covid variant will take hold in UK?", + "description": "

    Analysis: UK’s early vaccine deployment and use of different vaccines from South Africa mean it’s too soon to say

    Omicron is causing consternation around the world, with the variant found to be behind an exponential rise in Covid cases in South Africa. Yet with just 42 cases confirmed in the UK so far, and most European countries seeing numbers in the double rather than triple figures, could this be a tentative sign the variant may fail to take hold outside southern Africa? The bottom line is, it is too soon to say.

    One issue is that there are important differences that make it difficult to compare the situations in South Africa and beyond.

    Continue reading...", + "content": "

    Analysis: UK’s early vaccine deployment and use of different vaccines from South Africa mean it’s too soon to say

    Omicron is causing consternation around the world, with the variant found to be behind an exponential rise in Covid cases in South Africa. Yet with just 42 cases confirmed in the UK so far, and most European countries seeing numbers in the double rather than triple figures, could this be a tentative sign the variant may fail to take hold outside southern Africa? The bottom line is, it is too soon to say.

    One issue is that there are important differences that make it difficult to compare the situations in South Africa and beyond.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/02/how-probable-omicron-covid-variant-take-hold-uk", + "creator": "Nicola Davis", + "pubDate": "2021-12-02T17:31:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124136,16 +150573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b11ef8fb00ea731a8336379d1549950e" + "hash": "82377fe51c6e2019aa63bc99491d026e" }, { - "title": "Adam Peaty: ‘You have to be better than everyone else, there’s no sugar-coating it’", - "description": "

    The 26-year-old swimmer and father-of-one swept all before him at the Tokyo Olympics… but his exit from Strictly, he admits, was humbling

    World champion swimmer Adam Peaty, the unbeaten world record holder of the 50m and 100m breaststroke, is friendly and engaged, but he makes no bones about being hypercompetitive. He once said that he felt like a “god” in the pool. He says now, “You have to be better than everyone else, there’s no sugar-coating it.”

    A swimming phenomenon (think of him as a kind of national Aquaman), Peaty has had a stellar year, even by his standards: he won two golds and a silver in Team GB in the Tokyo Olympics; he also signed up for Strictly Come Dancing, where he was partnered with Katya Jones. After seven hip-swivelling weeks, he went out on a jive that placed him bottom of the Strictly leaderboard; his mother was so upset, she thought it was a fix. Was it humbling to learn a new discipline? Peaty gives a kind of groaning laugh: “It did humble me. I’m not used to getting last place, to be honest.”

    Continue reading...", - "content": "

    The 26-year-old swimmer and father-of-one swept all before him at the Tokyo Olympics… but his exit from Strictly, he admits, was humbling

    World champion swimmer Adam Peaty, the unbeaten world record holder of the 50m and 100m breaststroke, is friendly and engaged, but he makes no bones about being hypercompetitive. He once said that he felt like a “god” in the pool. He says now, “You have to be better than everyone else, there’s no sugar-coating it.”

    A swimming phenomenon (think of him as a kind of national Aquaman), Peaty has had a stellar year, even by his standards: he won two golds and a silver in Team GB in the Tokyo Olympics; he also signed up for Strictly Come Dancing, where he was partnered with Katya Jones. After seven hip-swivelling weeks, he went out on a jive that placed him bottom of the Strictly leaderboard; his mother was so upset, she thought it was a fix. Was it humbling to learn a new discipline? Peaty gives a kind of groaning laugh: “It did humble me. I’m not used to getting last place, to be honest.”

    Continue reading...", - "category": "Adam Peaty", - "link": "https://www.theguardian.com/sport/2021/dec/06/adam-peaty-swimmer-olympics-tokyo-interview-faces-of-year", - "creator": "Barbara Ellen", - "pubDate": "2021-12-06T13:00:21Z", + "title": "Police treated us like criminals, say families of girls trafficked to Islamic State in Syria", + "description": "

    British authorities accused of interrogating parents who came seeking help when their daughters went missing

    Details of how police attempted to criminalise British families whose children were trafficked to Islamic State (IS) in Syria are revealed in a series of testimonies that show how grieving parents were initially treated as suspects and then abandoned by the authorities.

    One described being “treated like a criminal” and later realising that police were only interested in acquiring intelligence on IS instead of trying to help find their loved one. Another told how their home had been raided after they approached police for help to track down a missing relative.

    Continue reading...", + "content": "

    British authorities accused of interrogating parents who came seeking help when their daughters went missing

    Details of how police attempted to criminalise British families whose children were trafficked to Islamic State (IS) in Syria are revealed in a series of testimonies that show how grieving parents were initially treated as suspects and then abandoned by the authorities.

    One described being “treated like a criminal” and later realising that police were only interested in acquiring intelligence on IS instead of trying to help find their loved one. Another told how their home had been raided after they approached police for help to track down a missing relative.

    Continue reading...", + "category": "Home Office", + "link": "https://www.theguardian.com/politics/2021/dec/04/police-treated-us-like-criminals-say-families-of-girls-trafficked-to-islamic-state-in-syria", + "creator": "Mark Townsend Home Affairs Editor", + "pubDate": "2021-12-04T13:00:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124156,16 +150593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "019850a6668ba42c0c07fe874faeb810" + "hash": "afa02337b2cac28b47f950f48c51fa16" }, { - "title": "Ex-Tory minister seeks end to immigration fees for overseas veterans", - "description": "

    Johnny Mercer opposing government over high costs faced by soldiers from Commonwealth who want to settle in UK

    A former Conservative defence minister is trying to force ministers to waive hefty immigration fees faced by Commonwealth soldiers and their families who want to live in the UK at the end of their military service.

    Johnny Mercer – who was fired from the government last year – has the support of several senior Conservatives including Tobias Ellwood, chair of the defence committee, and former leader Iain Duncan Smith.

    Continue reading...", - "content": "

    Johnny Mercer opposing government over high costs faced by soldiers from Commonwealth who want to settle in UK

    A former Conservative defence minister is trying to force ministers to waive hefty immigration fees faced by Commonwealth soldiers and their families who want to live in the UK at the end of their military service.

    Johnny Mercer – who was fired from the government last year – has the support of several senior Conservatives including Tobias Ellwood, chair of the defence committee, and former leader Iain Duncan Smith.

    Continue reading...", - "category": "Commonwealth immigration", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/ex-tory-minister-seeks-end-to-immigration-fees-for-overseas-veterans", - "creator": "Dan Sabbagh Defence and security editor", - "pubDate": "2021-12-06T20:06:06Z", + "title": "‘The right is back’: Gaullists pick female candidate Valérie Pécresse to take on Macron", + "description": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", + "content": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/04/pecresse-chosen-as-french-centre-rights-first-female-candidate-for-presidency", + "creator": "Kim Willsher in Paris", + "pubDate": "2021-12-04T17:16:10Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124176,16 +150613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f2651f10ac0eb0a5db7f34b45aa30b89" + "hash": "62d8c157f79ec2b74fdb2451f9e81df9" }, { - "title": "From South Africa to freezing Birmingham. Welcome to my £2,285 quarantine world | Carla Stout", - "description": "

    I’m stuck in a hotel for 10 days, under a system that is disorganised and shockingly expensive

    I am writing this on day zero, having arrived at my government-designated quarantine hotel after 24 hours of travel. I need to isolate in my room for 10 days and 11 nights. It is, to put it mildly, a bit of a dump: a tired, chipped Formica table, sagging curtains, freezing cold. For this, I paid £2,285.

    So what is that like? Sitting in this room, I just want to burst into tears. My despair is exacerbated by the knowledge that my suitcase was filled with sleeveless summer clothes suitable for the South African summer, not Birmingham in the bleak midwinter. I phone reception, who tell me that they have only just put the heating on; I should be patient, they say. The room will be warm in 20 minutes. Half an hour later my teeth are still chattering so I phone again, demanding a heater. Another phone call and, half an hour later, a heater is produced. I am forced to perch it on the table because the power socket on the floor is broken.

    Carla Stout is a music teacher who lives near Staines

    Continue reading...", - "content": "

    I’m stuck in a hotel for 10 days, under a system that is disorganised and shockingly expensive

    I am writing this on day zero, having arrived at my government-designated quarantine hotel after 24 hours of travel. I need to isolate in my room for 10 days and 11 nights. It is, to put it mildly, a bit of a dump: a tired, chipped Formica table, sagging curtains, freezing cold. For this, I paid £2,285.

    So what is that like? Sitting in this room, I just want to burst into tears. My despair is exacerbated by the knowledge that my suitcase was filled with sleeveless summer clothes suitable for the South African summer, not Birmingham in the bleak midwinter. I phone reception, who tell me that they have only just put the heating on; I should be patient, they say. The room will be warm in 20 minutes. Half an hour later my teeth are still chattering so I phone again, demanding a heater. Another phone call and, half an hour later, a heater is produced. I am forced to perch it on the table because the power socket on the floor is broken.

    Carla Stout is a music teacher who lives near Staines

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/commentisfree/2021/dec/06/south-africa-birmingham-quarantine-hotel", - "creator": "Carla Stout", - "pubDate": "2021-12-06T17:00:03Z", + "title": "Biden and Putin to hold call amid tensions over Ukraine – White House", + "description": "

    The White House said on Saturday Joe Biden would hold a call with Vladimir Putin on Tuesday, to underline US concerns about Russia’s buildup of forces on the border with Ukraine.

    Diplomats indicated earlier this week that Biden and Putin would talk.

    Continue reading...", + "content": "

    The White House said on Saturday Joe Biden would hold a call with Vladimir Putin on Tuesday, to underline US concerns about Russia’s buildup of forces on the border with Ukraine.

    Diplomats indicated earlier this week that Biden and Putin would talk.

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/04/biden-putin-call-ukraine-russia-white-house", + "creator": "Reuters in Washington", + "pubDate": "2021-12-04T22:20:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124196,16 +150633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dd494c64f76cf5d5265625fd17e25da9" + "hash": "4cd2035b7d39519f0c4bfe7adb6eded1" }, { - "title": "US will stage diplomatic boycott of Beijing Winter Olympics, White House confirms – live", - "description": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", - "content": "

    The Senate majority leader, Chuck Schumer, has teed up a big couple of weeks in the chamber with a statement about Joe Biden’s Build Back Better Act, the $2tn package of domestic spending priorities which passed the House after a lengthy wrangle and must now survive the Senate.

    “Our goal in the Senate is to pass the legislation before Christmas and get it to the president’s desk,” he said this morning.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/dec/06/congress-debt-ceiling-republicans-democrats-joe-biden-coronavirus-us-politics-latest", - "creator": "Joan E Greve in Washington", - "pubDate": "2021-12-06T18:40:57Z", + "title": "Nevada man arrested for allegedly assaulting police at US Capitol attack", + "description": "

    A 34-year-old Nevada man has been arrested and held on multiple charges related to the 6 January riot at the US Capitol, including assaulting law officers with what prosecutors say appeared to be a table leg with a protruding nail.

    A US magistrate in Reno on Friday ordered Josiah Kenyon of Winnemucca to remain jailed without bail, until he is transported to Washington to face charges.

    Continue reading...", + "content": "

    A 34-year-old Nevada man has been arrested and held on multiple charges related to the 6 January riot at the US Capitol, including assaulting law officers with what prosecutors say appeared to be a table leg with a protruding nail.

    A US magistrate in Reno on Friday ordered Josiah Kenyon of Winnemucca to remain jailed without bail, until he is transported to Washington to face charges.

    Continue reading...", + "category": "US Capitol attack", + "link": "https://www.theguardian.com/us-news/2021/dec/04/us-capitol-attack-josiah-kenyon-arrested-nevada", + "creator": "Associated Press in Reno, Nevada", + "pubDate": "2021-12-04T14:43:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124216,36 +150653,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "cd5bf88daa6f95e0203919340f0aa5a6" + "hash": "4c9c4b4ab1b24a124408da8fbbcb0e01" }, { - "title": "Australia news live updates: teachers, train and bus drivers go on strike in NSW", - "description": "

    Teachers say the government has failed to address unsustainable workloads, uncompetitive salaries and staff shortages, while transport workers walk off over a dispute over pay and conditions. Follow all the day’s developments

    Now, as you might remember, the talk of the town is that the former NSW premier, Gladys Berejiklian, could run for the federal seat of Warringah.

    But Chris Bowen says he doesn’t think she could win against the popular incumbent MP Zali Steggall.

    I mean, I think if the Liberal Party wants to choose Gladys Berejiklian, that’s a matter for them. I mean, it was an important principle for Gladys Berejiklian, apparently to resign as premier because she was being investigated by the ICAC. But apparently, it’s not [for federal politics].

    I think it would show the lack of regard for standards in public life by Scott Morrison. I mean, this is a prime minister who turns a blind eye to poor behaviour and now he is actively providing a character reference for somebody who is under investigation by the ICAC and actively promoting them...

    We said we will seek to legislate that target as well as our commitment to net zero by 2050 because that is best practice internationally and provides businesses with the certainty they crave.

    Continue reading...", - "content": "

    Teachers say the government has failed to address unsustainable workloads, uncompetitive salaries and staff shortages, while transport workers walk off over a dispute over pay and conditions. Follow all the day’s developments

    Now, as you might remember, the talk of the town is that the former NSW premier, Gladys Berejiklian, could run for the federal seat of Warringah.

    But Chris Bowen says he doesn’t think she could win against the popular incumbent MP Zali Steggall.

    I mean, I think if the Liberal Party wants to choose Gladys Berejiklian, that’s a matter for them. I mean, it was an important principle for Gladys Berejiklian, apparently to resign as premier because she was being investigated by the ICAC. But apparently, it’s not [for federal politics].

    I think it would show the lack of regard for standards in public life by Scott Morrison. I mean, this is a prime minister who turns a blind eye to poor behaviour and now he is actively providing a character reference for somebody who is under investigation by the ICAC and actively promoting them...

    We said we will seek to legislate that target as well as our commitment to net zero by 2050 because that is best practice internationally and provides businesses with the certainty they crave.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/07/australia-news-live-updates-covid-omicron-scott-morrison-nsw-strike-victoria-weather", - "creator": "Matilda Boseley", - "pubDate": "2021-12-06T20:55:04Z", + "title": "Trump rails against Meadows for revealing Covid test cover-up – report", + "description": "
    • Guardian revealed explosive claims in chief of staff’s memoir
    • Trump slams ‘fake news’ but in private says aide ‘fucking stupid’

    In a blurb on the cover of Mark Meadows’ new book, Donald Trump calls the former congressman a “great chief of staff – as good as it gets” and predicts “a great future together”. The former president has also promoted the book to his followers.

    Now the book is in the public domain, however, the former president reportedly thinks it is “garbage” and that Meadows was “fucking stupid” to write it.

    Continue reading...", + "content": "
    • Guardian revealed explosive claims in chief of staff’s memoir
    • Trump slams ‘fake news’ but in private says aide ‘fucking stupid’

    In a blurb on the cover of Mark Meadows’ new book, Donald Trump calls the former congressman a “great chief of staff – as good as it gets” and predicts “a great future together”. The former president has also promoted the book to his followers.

    Now the book is in the public domain, however, the former president reportedly thinks it is “garbage” and that Meadows was “fucking stupid” to write it.

    Continue reading...", + "category": "Trump administration", + "link": "https://www.theguardian.com/us-news/2021/dec/04/donald-trump-mark-meadows-covid-cover-up", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-12-04T13:57:05Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "189d117b708c4f65a1c026535ca81abe" + "hash": "def6989671d460dcb49db7a82356aeb3" }, { - "title": "Party drug users are fuelling serious crime, says Sajid Javid", - "description": "

    Health secretary says cocaine trade causes ‘suffering, violence and exploitation at every stage’

    Sajid Javid has said recreational drug users are fuelling an international criminal enterprise, as the government announced a £780m strategy to rebuild the drug treatment system.

    The health secretary accused casual users of cocaine of being “the final link in a chain that has suffering, violence and exploitation at every stage”.

    Continue reading...", - "content": "

    Health secretary says cocaine trade causes ‘suffering, violence and exploitation at every stage’

    Sajid Javid has said recreational drug users are fuelling an international criminal enterprise, as the government announced a £780m strategy to rebuild the drug treatment system.

    The health secretary accused casual users of cocaine of being “the final link in a chain that has suffering, violence and exploitation at every stage”.

    Continue reading...", - "category": "Drugs policy", - "link": "https://www.theguardian.com/politics/2021/dec/06/party-drug-users-are-fuelling-serious-says-sajid-javid", - "creator": "Rajeev Syal and Rowena Mason", - "pubDate": "2021-12-06T18:52:25Z", + "title": "Cream-cheesed off: bagel-loving New Yorkers face supply chain nightmare", + "description": "

    Shop owners tell New York Times of worries over dwindling supplies of the popular breakfast comestible

    One of the biggest businesses in New York City has developed a worrying hole: bagels.

    According to the New York Times, bagel shop owners are facing a shortage of cream cheese, a culinary calamity that could upend how tens of thousands New Yorkers begin their day.

    Continue reading...", + "content": "

    Shop owners tell New York Times of worries over dwindling supplies of the popular breakfast comestible

    One of the biggest businesses in New York City has developed a worrying hole: bagels.

    According to the New York Times, bagel shop owners are facing a shortage of cream cheese, a culinary calamity that could upend how tens of thousands New Yorkers begin their day.

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/dec/04/cream-cheese-bagel-new-york-supply-chain", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-04T18:32:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124256,16 +150693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf9ce53596236fb7cb3c9fc0d3c13732" + "hash": "5cb8a1fac9ab9c3cd9bfa3fe281793f1" }, { - "title": "‘I used every chord on the Casio’ – How we made Manchild by Neneh Cherry", - "description": "

    ‘The first verse came to me as I was going up the stairs of a double-decker bus with a hangover’

    Neneh Cherry, singer and songwriter
    I was seeing Cameron McVey [producer and now husband] and one day he suddenly asked me: “Why are you not writing songs? You could totally write songs!” I’d been in Rip Rig + Panic, whose songwriter Gareth Sager had such an inventive way of writing about everyday stuff. Manchild was one of the first things I came up with.

    The first verse came to me as I was going up the stairs of a doubledecker bus. “Is it the pain of the drinking / Or the Sunday sinking feeling?” I think I had a hangover. When I got home, I started to work out the music on a little Casio keyboard using the “auto chord” setting. I didn’t know what I was doing. When my dad [late jazz trumpeter Don Cherry] heard it, he went: “Wow, that’s kinda jazz. You’ve got seven chords in the verse!”

    Continue reading...", - "content": "

    ‘The first verse came to me as I was going up the stairs of a double-decker bus with a hangover’

    Neneh Cherry, singer and songwriter
    I was seeing Cameron McVey [producer and now husband] and one day he suddenly asked me: “Why are you not writing songs? You could totally write songs!” I’d been in Rip Rig + Panic, whose songwriter Gareth Sager had such an inventive way of writing about everyday stuff. Manchild was one of the first things I came up with.

    The first verse came to me as I was going up the stairs of a doubledecker bus. “Is it the pain of the drinking / Or the Sunday sinking feeling?” I think I had a hangover. When I got home, I started to work out the music on a little Casio keyboard using the “auto chord” setting. I didn’t know what I was doing. When my dad [late jazz trumpeter Don Cherry] heard it, he went: “Wow, that’s kinda jazz. You’ve got seven chords in the verse!”

    Continue reading...", - "category": "Neneh Cherry", - "link": "https://www.theguardian.com/culture/2021/dec/06/i-used-every-chord-on-the-casio-how-we-made-manchild-by-neneh-cherry", - "creator": "Interviews by Dave Simpson", - "pubDate": "2021-12-06T14:17:42Z", + "title": "Covid news: pre-departure tests return for UK arrivals and Nigeria added to red list", + "description": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December in bid to tackle Omicron variant

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "content": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December in bid to tackle Omicron variant

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", + "creator": "Nadeem Badshah (now), Sarah Marsh (earlier)", + "pubDate": "2021-12-04T19:59:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124276,16 +150713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a8901f1447c3eec4db1cb5603c61a13b" + "hash": "5a29e41117c721ee0977b2a06655014c" }, { - "title": "West Side Story banned in parts of Middle East over trans character – report", - "description": "

    Steven Spielberg’s Oscar-tipped remake will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE

    Steven Spielberg’s remake of West Side Story will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE.

    The big-budget musical, tipped for Oscars, has reportedly been banned because of a transgender character Anybodys, played by Iris Menas, known for Jagged Little Pill. According to the Hollywood Reporter, the film wasn’t granted a certificate in either Saudi Arabia or Kuwait and in the remaining countries, requests for cuts were made that Disney refused to make.

    Continue reading...", - "content": "

    Steven Spielberg’s Oscar-tipped remake will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE

    Steven Spielberg’s remake of West Side Story will not be showing in Saudi Arabia, Kuwait, Bahrain, Oman, Qatar or the UAE.

    The big-budget musical, tipped for Oscars, has reportedly been banned because of a transgender character Anybodys, played by Iris Menas, known for Jagged Little Pill. According to the Hollywood Reporter, the film wasn’t granted a certificate in either Saudi Arabia or Kuwait and in the remaining countries, requests for cuts were made that Disney refused to make.

    Continue reading...", - "category": "West Side Story (2021)", - "link": "https://www.theguardian.com/film/2021/dec/06/west-side-story-banned-middle-east", - "creator": "Benjamin Lee", - "pubDate": "2021-12-06T18:47:41Z", + "title": "International arrivals to UK will need to take pre-departure Covid test", + "description": "

    Health secretary announces change to travel rules in bid to control spread of the new Omicron variant

    All international arrivals to UK will be required to take pre-departure Covid-19 test to tackle the new Omicron variant, the health secretary has announced. Sajid Javid said that tightened requirements will come into force from 4am on Tuesday 7 December.

    Travellers will need to submit evidence of a negative lateral flow or PCR test to enter, and which must have been taken a maximum of 48 hours before the departure time. People currently only need to self-isolate until they test negative within two days of arrival.

    Continue reading...", + "content": "

    Health secretary announces change to travel rules in bid to control spread of the new Omicron variant

    All international arrivals to UK will be required to take pre-departure Covid-19 test to tackle the new Omicron variant, the health secretary has announced. Sajid Javid said that tightened requirements will come into force from 4am on Tuesday 7 December.

    Travellers will need to submit evidence of a negative lateral flow or PCR test to enter, and which must have been taken a maximum of 48 hours before the departure time. People currently only need to self-isolate until they test negative within two days of arrival.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/04/international-arrivals-to-england-will-need-to-take-pre-departure-covid-test", + "creator": "Fran Singh and agencies", + "pubDate": "2021-12-04T19:52:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124296,16 +150733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "baacf073796f2f2a98de6754e09522c3" + "hash": "d65835ae4e9a07fefa5b9e5977023848" }, { - "title": "Porch piracy: why a wave of doorstep parcel thefts is sweeping the UK", - "description": "

    Deliveries are being snatched minutes after they arrive – with Citizens Advice reporting more than 22,000 visits to its lost and stolen parcels webpage last month

    Name: Porch piracy.

    Age: the phrase porch pirate dates right back to the early 2010s, debuting in Urban Dictionary in 2011.

    Continue reading...", - "content": "

    Deliveries are being snatched minutes after they arrive – with Citizens Advice reporting more than 22,000 visits to its lost and stolen parcels webpage last month

    Name: Porch piracy.

    Age: the phrase porch pirate dates right back to the early 2010s, debuting in Urban Dictionary in 2011.

    Continue reading...", - "category": "Crime", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/porch-piracy-wave-of-doorstep-parcel-thefts-sweeping-uk", - "creator": "", - "pubDate": "2021-12-06T16:01:28Z", + "title": "New York Omicron cases rise to eight as official warns of community spread", + "description": "

    Cases of latest Covid variant appear unrelated as state dispatches national guard to help beleaguered hospitals

    New York announced three more cases of the Omicron variant of the coronavirus on Saturday, bringing the number of state cases linked to the new variant to eight.

    “The Omicron variant is here, and as anticipated we are seeing the beginning of community spread,” the state health commissioner, Mary Bassett, said.

    Continue reading...", + "content": "

    Cases of latest Covid variant appear unrelated as state dispatches national guard to help beleaguered hospitals

    New York announced three more cases of the Omicron variant of the coronavirus on Saturday, bringing the number of state cases linked to the new variant to eight.

    “The Omicron variant is here, and as anticipated we are seeing the beginning of community spread,” the state health commissioner, Mary Bassett, said.

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/dec/04/new-york-omicron-cases-rise-to-eight-as-official-warns-of-community-spread", + "creator": "Associated Press in New York", + "pubDate": "2021-12-04T18:54:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124316,36 +150753,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "7cd947a474d4112d8fad3a2da27ec8a2" + "hash": "cea1f79884b80bd60223299f092f0b27" }, { - "title": "Storm Barra: multiple warnings issued for Ireland and UK", - "description": "

    Race to restore power to homes hit by Storm Arwen before latest bad weather on Tuesday and Wednesday

    There are warnings of dangerous coastal waves, atrocious driving conditions, travel delays, flooding and potential damage to buildings for when Storm Barra sweeps across Ireland and the UK.

    Engineers were engaged in a race against time to restore power to about 1,600 homes in north-east England still cut off after the havoc wreaked by Storm Arwen 10 days ago.

    Continue reading...", - "content": "

    Race to restore power to homes hit by Storm Arwen before latest bad weather on Tuesday and Wednesday

    There are warnings of dangerous coastal waves, atrocious driving conditions, travel delays, flooding and potential damage to buildings for when Storm Barra sweeps across Ireland and the UK.

    Engineers were engaged in a race against time to restore power to about 1,600 homes in north-east England still cut off after the havoc wreaked by Storm Arwen 10 days ago.

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/storm-barra-multiple-warnings-issued-for-ireland-and-uk", - "creator": "Mark Brown North of England correspondent", - "pubDate": "2021-12-06T17:33:36Z", + "title": "Micah Richards: ‘There was such a buzz around the Euros. I loved every minute’", + "description": "

    The footballer turned pundit who won viewers’ hearts at the Euros on racism, singing Usher on screen and the real Roy Keane

    Birmingham-born, Leeds-raised Micah Richards, 33, signed for Manchester City aged 14, made his first-team debut at 17 and captained the side at 19. He won the Premier League, the FA Cup, the League Cup and was the youngest defender ever called up to the England squad, going on to earn 13 international caps. He also played for Aston Villa and Fiorentina. After early retirement at the age of 31 due to knee injuries, he became a football pundit. He covered this summer’s Euros for the BBC, where his warm exuberance in the studio and on social media made Richards the standout pundit.

    Did the Euros make 2021 a vintage year for you?
    Definitely. It was my first international tournament as a pundit. You get sent this big booklet to swot up on all the teams. I thought: “Right, I’ve been with the BBC a while, I’m on Match of the Day, I’m one of the big boys now.” But for my first few matches, I got teams such as Russia and Slovakia. It’s a privilege to work on the Euros but I don’t watch Russian football. I don’t know these players. There’s a Swiss striker called Breel Embolo and I must’ve said his name wrong every single time! But I don’t go on TV thinking I know it all. I represent the fans on screen. You can’t laugh and joke all the time, but football is supposed to be fun. I loved every minute.

    Continue reading...", + "content": "

    The footballer turned pundit who won viewers’ hearts at the Euros on racism, singing Usher on screen and the real Roy Keane

    Birmingham-born, Leeds-raised Micah Richards, 33, signed for Manchester City aged 14, made his first-team debut at 17 and captained the side at 19. He won the Premier League, the FA Cup, the League Cup and was the youngest defender ever called up to the England squad, going on to earn 13 international caps. He also played for Aston Villa and Fiorentina. After early retirement at the age of 31 due to knee injuries, he became a football pundit. He covered this summer’s Euros for the BBC, where his warm exuberance in the studio and on social media made Richards the standout pundit.

    Did the Euros make 2021 a vintage year for you?
    Definitely. It was my first international tournament as a pundit. You get sent this big booklet to swot up on all the teams. I thought: “Right, I’ve been with the BBC a while, I’m on Match of the Day, I’m one of the big boys now.” But for my first few matches, I got teams such as Russia and Slovakia. It’s a privilege to work on the Euros but I don’t watch Russian football. I don’t know these players. There’s a Swiss striker called Breel Embolo and I must’ve said his name wrong every single time! But I don’t go on TV thinking I know it all. I represent the fans on screen. You can’t laugh and joke all the time, but football is supposed to be fun. I loved every minute.

    Continue reading...", + "category": "Euro 2020", + "link": "https://www.theguardian.com/football/2021/dec/04/micah-richards-euro-2020-pundit-interview-faces-of-year", + "creator": "Michael Hogan", + "pubDate": "2021-12-04T16:00:30Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "6a8db88dda5342a834246a791b1322ef" + "hash": "85005c7eb9e55b7654da330ae71d75fa" }, { - "title": "Trump’s new media company deal investigated by SEC", - "description": "

    Top financial regulators are investigating $1.25bn deal to float his new social media venture on the stock market

    Wall Street’s top financial regulators are investigating Donald Trump’s $1.25bn deal to float his new social media venture on the stock market, a filing showed on Monday.

    Digital World Acquisition Corporation, the blank-check acquisition firm that agreed to merge with Trump Media & Technology Group Corp (TMTG), disclosed in a regulatory filing on Monday that the Securities and Exchange Commission (SEC) and the Financial Industry Regulatory Authority (Finra) were looking at the deal.

    Continue reading...", - "content": "

    Top financial regulators are investigating $1.25bn deal to float his new social media venture on the stock market

    Wall Street’s top financial regulators are investigating Donald Trump’s $1.25bn deal to float his new social media venture on the stock market, a filing showed on Monday.

    Digital World Acquisition Corporation, the blank-check acquisition firm that agreed to merge with Trump Media & Technology Group Corp (TMTG), disclosed in a regulatory filing on Monday that the Securities and Exchange Commission (SEC) and the Financial Industry Regulatory Authority (Finra) were looking at the deal.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/06/trump-social-media-company", - "creator": "Reuters in New York", - "pubDate": "2021-12-06T19:26:47Z", + "title": "Sweet dreams are made of this: why dream analysis is flourishing", + "description": "

    Are dreams a message from the soul or meaningless ‘brain farts’? Groups dedicated to interpretation are thriving

    Jason DeBord regrets the demise of an old parlour game once much-loved in the 19th century: What Did I Eat Last Night? It involved a player recounting their dreams – recorded in a journal upon waking – as an audience was challenged to guess what dream-provoking food they had consumed for the previous night’s supper, be it stilton, rarebit or undercooked or cured meats (all understood to be culprits when it came to colourful dreaming).

    “Maybe you had eaten rare beef and then you dream about cows, you know, chasing you,” explains DeBord. “It sounds like a blast, doesn’t it? I’d have loved to have played that game.”

    Continue reading...", + "content": "

    Are dreams a message from the soul or meaningless ‘brain farts’? Groups dedicated to interpretation are thriving

    Jason DeBord regrets the demise of an old parlour game once much-loved in the 19th century: What Did I Eat Last Night? It involved a player recounting their dreams – recorded in a journal upon waking – as an audience was challenged to guess what dream-provoking food they had consumed for the previous night’s supper, be it stilton, rarebit or undercooked or cured meats (all understood to be culprits when it came to colourful dreaming).

    “Maybe you had eaten rare beef and then you dream about cows, you know, chasing you,” explains DeBord. “It sounds like a blast, doesn’t it? I’d have loved to have played that game.”

    Continue reading...", + "category": "Sleep", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/sweet-dreams-are-made-of-this-why-dream-analysis-is-flourishing", + "creator": "Sally Howard", + "pubDate": "2021-12-04T17:00:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124356,16 +150793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "98644de2159a3f5c3cd571b4803df349" + "hash": "a08aa5f11b9606a77cb35bac5d76628d" }, { - "title": "Australians pass on $120bn a year in inheritances and gifts, report finds", - "description": "

    Productivity Commission projects fourfold rise in total value of inheritances to 2050, driven by housing and unspent super

    Booming housing wealth, unspent superannuation and lower fertility are increasing the size of Australians’ inheritances, according to the Productivity Commission.

    Despite helping the rich get richer, inheritances are nevertheless shrinking relative inequality by giving a bigger boost to poorer households’ wealth, the government thinktank found in a report released on Tuesday.

    Continue reading...", - "content": "

    Productivity Commission projects fourfold rise in total value of inheritances to 2050, driven by housing and unspent super

    Booming housing wealth, unspent superannuation and lower fertility are increasing the size of Australians’ inheritances, according to the Productivity Commission.

    Despite helping the rich get richer, inheritances are nevertheless shrinking relative inequality by giving a bigger boost to poorer households’ wealth, the government thinktank found in a report released on Tuesday.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/dec/07/australians-pass-on-120bn-a-year-in-inheritances-and-gifts-report-finds", - "creator": "Paul Karp", - "pubDate": "2021-12-06T16:30:05Z", + "title": "Nobel winner: ‘We journalists are the defence line between dictatorship and war’", + "description": "

    Next week, Maria Ressa and Dmitry Muratov receive their Nobel peace prizes. In a rare interview, Muratov says he fears the world is sliding towards fascism

    The last time a journalist won a Nobel prize was 1935. The journalist who won it – Carl von Ossietzky – had revealed how Hitler was secretly rearming Germany. “And he couldn’t pick it up because he was languishing in a Nazi concentration camp,” says Maria Ressa over a video call from Manila.

    Nearly a century on, Ressa is one of two journalists who will step onto the Nobel stage in Oslo next Friday. She is currently facing jail for “cyberlibel” in the Philippines while the other recipient Dmitry Muratov, the editor-in-chief of Novaya Gazeta, is standing guard over one of the last independent newspapers in an increasingly dictatorial Russia.

    Continue reading...", + "content": "

    Next week, Maria Ressa and Dmitry Muratov receive their Nobel peace prizes. In a rare interview, Muratov says he fears the world is sliding towards fascism

    The last time a journalist won a Nobel prize was 1935. The journalist who won it – Carl von Ossietzky – had revealed how Hitler was secretly rearming Germany. “And he couldn’t pick it up because he was languishing in a Nazi concentration camp,” says Maria Ressa over a video call from Manila.

    Nearly a century on, Ressa is one of two journalists who will step onto the Nobel stage in Oslo next Friday. She is currently facing jail for “cyberlibel” in the Philippines while the other recipient Dmitry Muratov, the editor-in-chief of Novaya Gazeta, is standing guard over one of the last independent newspapers in an increasingly dictatorial Russia.

    Continue reading...", + "category": "Nobel peace prize", + "link": "https://www.theguardian.com/world/2021/dec/04/nobel-winner-we-journalists-are-the-defence-line-between-dictatorship-and-war", + "creator": "Carole Cadwalladr", + "pubDate": "2021-12-04T18:05:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124376,16 +150813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d0976a5e2de147b91ec2a84abfd8522a" + "hash": "6b1d8608b8d07f1f0801ee738a1dbc6d" }, { - "title": "Prosecutor announces Michigan shooter's parents to be charged with manslaughter – video", - "description": "

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school. 'Gun ownership is a right but with that right comes great responsibility,' Karen McDonald said at a press conference on Friday morning.

    The parents were summoned to the school a few hours before the shooting occurred after a teacher found a drawing of a gun, a person bleeding and the words 'help me', McDonald revealed

    Continue reading...", - "content": "

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school. 'Gun ownership is a right but with that right comes great responsibility,' Karen McDonald said at a press conference on Friday morning.

    The parents were summoned to the school a few hours before the shooting occurred after a teacher found a drawing of a gun, a person bleeding and the words 'help me', McDonald revealed

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/video/2021/dec/03/prosecutor-announces-michigan-shooters-parents-to-be-charged-with-manslaughter-video", - "creator": "", - "pubDate": "2021-12-03T19:56:06Z", + "title": "A cocktail party from hell: in court with Ghislaine Maxwell, the society princess", + "description": "

    Week one of the much anticipated New York trial of Jeffrey Epstein’s ex-lover saw her big-money defence lawyers trying to outmuscle an underpowered prosecution.

    The lady in the white mask is quite the gracious host, mwah-mwahing her pals, hugs-a-go-go, writing thoughtful little Post-it notes, blessing her set with her exclusive attention. Only this is not a gathering of socialites over canapés, but a child sexual abuse trial, and her friends are fancy lawyers, and the people who once served and allegedly serviced her and her ex-lover Jeffrey Epstein, body and soul, seem to be in no mood for mwah-mwah.

    Welcome to the cocktail party from hell, or to give the proceedings their proper name, the trial of the United States of America v Ghislaine Maxwell. Staged in the grand US federal court building in a half-empty Manhattan, it is a grimly fascinating study, if you side with the defence, in false memory syndrome and gold-digging.

    Continue reading...", + "content": "

    Week one of the much anticipated New York trial of Jeffrey Epstein’s ex-lover saw her big-money defence lawyers trying to outmuscle an underpowered prosecution.

    The lady in the white mask is quite the gracious host, mwah-mwahing her pals, hugs-a-go-go, writing thoughtful little Post-it notes, blessing her set with her exclusive attention. Only this is not a gathering of socialites over canapés, but a child sexual abuse trial, and her friends are fancy lawyers, and the people who once served and allegedly serviced her and her ex-lover Jeffrey Epstein, body and soul, seem to be in no mood for mwah-mwah.

    Welcome to the cocktail party from hell, or to give the proceedings their proper name, the trial of the United States of America v Ghislaine Maxwell. Staged in the grand US federal court building in a half-empty Manhattan, it is a grimly fascinating study, if you side with the defence, in false memory syndrome and gold-digging.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/04/a-cocktail-party-from-hell-in-court-with-ghislaine-maxwell-the-mwah-mwah-princess-jeffrey-epstein", + "creator": "John Sweeney", + "pubDate": "2021-12-04T18:10:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124396,16 +150833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f6d64b997e9305286e285e0ad0d7dd7" + "hash": "11b7a5b8cd48b259e356a34130ab1b04" }, { - "title": "Film-maker Prano Bailey-Bond: ‘People think horror is just exploding heads’", - "description": "

    The British director’s debut film, Censor, has won awards and plaudits, and attracted new fans to the genre. The key to good horror, she says, is character

    This time last year, writer-director Prano Bailey-Bond was finishing work on her feature Censor and looking forward to 2021. Her unnerving film about horror – rather than a horror film per se – had been invited to the Sundance film festival. But then Covid restrictions stopped her attending. “Normally,” she says, “you’d get to go to the premiere of your debut feature. I slept through mine because it was on in the middle of the night on the other side of the world.”

    Since then, however, she has been able to bask in the film’s glory. Released in the UK in August, Censor has earned her serious plaudits, including the Screen FrightFest genre rising star award and being included in Variety magazine’s list of directors to watch. When we spoke last week, Bailey-Bond was a few days away from attending tonight’s Bifas (British independent film awards), where Censor has nominations in nine categories including debut director and debut screenwriter.

    Continue reading...", - "content": "

    The British director’s debut film, Censor, has won awards and plaudits, and attracted new fans to the genre. The key to good horror, she says, is character

    This time last year, writer-director Prano Bailey-Bond was finishing work on her feature Censor and looking forward to 2021. Her unnerving film about horror – rather than a horror film per se – had been invited to the Sundance film festival. But then Covid restrictions stopped her attending. “Normally,” she says, “you’d get to go to the premiere of your debut feature. I slept through mine because it was on in the middle of the night on the other side of the world.”

    Since then, however, she has been able to bask in the film’s glory. Released in the UK in August, Censor has earned her serious plaudits, including the Screen FrightFest genre rising star award and being included in Variety magazine’s list of directors to watch. When we spoke last week, Bailey-Bond was a few days away from attending tonight’s Bifas (British independent film awards), where Censor has nominations in nine categories including debut director and debut screenwriter.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/06/prano-bailey-bond-director-censor-horror-interview-faces-of-year", - "creator": "Jonathan Romney", - "pubDate": "2021-12-06T16:00:02Z", + "title": "Bookseller Samir Mansour: ‘It was shocking to realise I was a target’", + "description": "

    The Palestinian bookseller whose shop was destroyed in the most recent conflict in Gaza on how it has been crowdfunded back into existence – three times bigger

    Bookseller Samir Mansour did not get much sleep the night in May this year that changed his life: he had stayed awake watching the news for updates as Israeli bombs fell on Gaza City.

    Around 6am, the Al Jazeera anchor said that the busy downtown street home to Mansour’s business was under attack. His instinct was to rush to the area in an effort to save his collection. Instead, he arrived just in time to see two missiles smash through the glass storefront as the building collapsed.

    Continue reading...", + "content": "

    The Palestinian bookseller whose shop was destroyed in the most recent conflict in Gaza on how it has been crowdfunded back into existence – three times bigger

    Bookseller Samir Mansour did not get much sleep the night in May this year that changed his life: he had stayed awake watching the news for updates as Israeli bombs fell on Gaza City.

    Around 6am, the Al Jazeera anchor said that the busy downtown street home to Mansour’s business was under attack. His instinct was to rush to the area in an effort to save his collection. Instead, he arrived just in time to see two missiles smash through the glass storefront as the building collapsed.

    Continue reading...", + "category": "Gaza", + "link": "https://www.theguardian.com/world/2021/dec/04/bookseller-samir-mansour-bookshop-gaza-bombed-faces-of-year", + "creator": "Bethan McKernan", + "pubDate": "2021-12-04T19:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124416,16 +150853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a1fc74cb77ae015a7eb376b17881b270" + "hash": "bef92024ebb2af839e27c8cb9d0fa70e" }, { - "title": "Euro banknotes to get first big redesign with 19-nation consultation", - "description": "

    New theme being sought to replace current ‘ages and styles’ motif, says European Central Bank

    Euro banknotes are facing a redesign for the first time since their launch two decades ago, with a plan to make the currency “more relatable to Europeans of all ages and backgrounds”.

    The European Central Bank (ECB) said it was starting a process to select new designs for banknotes, in consultation with citizens from across the 19 nations that use them, before a final decision is taken by 2024.

    Continue reading...", - "content": "

    New theme being sought to replace current ‘ages and styles’ motif, says European Central Bank

    Euro banknotes are facing a redesign for the first time since their launch two decades ago, with a plan to make the currency “more relatable to Europeans of all ages and backgrounds”.

    The European Central Bank (ECB) said it was starting a process to select new designs for banknotes, in consultation with citizens from across the 19 nations that use them, before a final decision is taken by 2024.

    Continue reading...", - "category": "Euro", - "link": "https://www.theguardian.com/business/2021/dec/06/euro-banknotes-first-big-redesign-19-nation-central-bank", - "creator": "Richard Partington Economics correspondent", - "pubDate": "2021-12-06T18:53:41Z", + "title": "Louis Theroux: ‘I’ve always found anxiety in the most unlikely places’", + "description": "

    The broadcaster, 51, talks about his first memories, last meal, lockdown resets and his brainier older brother

    I always felt like the second fiddle to my older brother Marcel, who I thought was impossibly brilliant and mature and seemed to be reading more or less from the womb, although I’m two years younger, so I wouldn’t have known that first-hand. I was the sideshow: the funny one, the ridiculous one my grandparents said was “good with my hands”, which at five or six I embraced. It was only as I got older I realised it meant, “might not want to stay in school past 14 or 15”.

    From childhood I’ve always found anxiety in the most unlikely places. Aged six I remember watching maypole dancers skipping around and braiding these ribbons into beautiful patterns at my Ssouth London primary school and even though I was still in the infants and wouldn’t be doing it for years, I thought, “I’m never going to be able to fucking dance around a maypole.” All through my life I’ve tended to experience future events in a negative way. It’s always been a source of looming discomfiture.

    Continue reading...", + "content": "

    The broadcaster, 51, talks about his first memories, last meal, lockdown resets and his brainier older brother

    I always felt like the second fiddle to my older brother Marcel, who I thought was impossibly brilliant and mature and seemed to be reading more or less from the womb, although I’m two years younger, so I wouldn’t have known that first-hand. I was the sideshow: the funny one, the ridiculous one my grandparents said was “good with my hands”, which at five or six I embraced. It was only as I got older I realised it meant, “might not want to stay in school past 14 or 15”.

    From childhood I’ve always found anxiety in the most unlikely places. Aged six I remember watching maypole dancers skipping around and braiding these ribbons into beautiful patterns at my Ssouth London primary school and even though I was still in the infants and wouldn’t be doing it for years, I thought, “I’m never going to be able to fucking dance around a maypole.” All through my life I’ve tended to experience future events in a negative way. It’s always been a source of looming discomfiture.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/louis-theroux-ive-always-found-anxiety-in-the-most-unlikely-places-", + "creator": "Nick McGrath", + "pubDate": "2021-12-04T14:00:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124436,36 +150873,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "2a11b99c0a0034661958ce8ee7c4cb5f" + "hash": "d33cb408fbf9376ab2c8639e32222915" }, { - "title": "Epstein’s dark legend wraps Maxwell trial in web of conspiracy theories", - "description": "

    Analysis: The task of Ghislaine Maxwell’s defense may be to tangle her so deeply in Epstein’s shadow that they cannot find her guilty

    The graphic testimony presented to jurors in Ghislaine Maxwell’s criminal sex abuse trial last week seemed at times to mesh and then detach from broader theories – criminal, conspiratorial or both – about the nature of Jeffrey Epstein’s world.

    Whether prosecutors and defense attorneys are successful in separating criminal conspiracy from the conspiracy theories that run through the entire Epstein-Maxwell narrative may determine how the criminal complaint against the 59-year-old former British socialite is ultimately resolved.

    Continue reading...", - "content": "

    Analysis: The task of Ghislaine Maxwell’s defense may be to tangle her so deeply in Epstein’s shadow that they cannot find her guilty

    The graphic testimony presented to jurors in Ghislaine Maxwell’s criminal sex abuse trial last week seemed at times to mesh and then detach from broader theories – criminal, conspiratorial or both – about the nature of Jeffrey Epstein’s world.

    Whether prosecutors and defense attorneys are successful in separating criminal conspiracy from the conspiracy theories that run through the entire Epstein-Maxwell narrative may determine how the criminal complaint against the 59-year-old former British socialite is ultimately resolved.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/05/jeffrey-epstein-dark-legend-ghislaine-maxwell", - "creator": "Edward Helmore", - "pubDate": "2021-12-05T06:41:34Z", + "title": "How the murder of a Swedish rapper shocked a nation and put police on the back foot", + "description": "

    Ultraviolent gangs are threatening to subvert the rule of law in Sweden. We head out with police in a Gothenburg suburb to find out what it could mean for the rest of Europe and the UK

    They began heading for the shopping mall exit when they saw the police. One of the four gang members, a local rapper called Lelo whose music videos venerate handguns and violence, turned to exchange pleasantries with Mike, an officer with the Swedish police.

    Lelo and Mike have history. During a recent riot outside the mall that prompted a killing that could easily have led to another six, Lelo was among 32 arrested. In his subsequent court appearance, Mike had to intervene as Lelo’s posturing threatened to boil over.

    Continue reading...", + "content": "

    Ultraviolent gangs are threatening to subvert the rule of law in Sweden. We head out with police in a Gothenburg suburb to find out what it could mean for the rest of Europe and the UK

    They began heading for the shopping mall exit when they saw the police. One of the four gang members, a local rapper called Lelo whose music videos venerate handguns and violence, turned to exchange pleasantries with Mike, an officer with the Swedish police.

    Lelo and Mike have history. During a recent riot outside the mall that prompted a killing that could easily have led to another six, Lelo was among 32 arrested. In his subsequent court appearance, Mike had to intervene as Lelo’s posturing threatened to boil over.

    Continue reading...", + "category": "Sweden", + "link": "https://www.theguardian.com/world/2021/dec/04/how-the-of-a-swedish-rapper-shocked-a-nation-and-put-police-on-the-back-foot", + "creator": "Mark Townsend", + "pubDate": "2021-12-04T16:15:30Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "d5f456a4ae0d2d1d35c88239091f255a" + "hash": "4b12bb1b9bd9cb8e96df664d686c07e5" }, { - "title": "Covid news live: New York City to mandate vaccines for private sector workers; Poland to tighten restrictions", - "description": "

    Private employers in New York City will have to mandate Covid vaccinations for their workers; new pandemic restrictions set for Poland

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "content": "

    Private employers in New York City will have to mandate Covid vaccinations for their workers; new pandemic restrictions set for Poland

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", - "creator": "Damien Gayle (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-06T14:40:28Z", + "title": "Home Office borders bill could ‘create a British Guantánamo Bay,’ says Tory MP", + "description": "

    Former Brexit secretary David Davis says Priti Patel’s plans could foster a situation similar to notorious US detention camp

    A former Conservative cabinet minister has warned that the Home Office’s controversial borders bill risks creating a “British Guantanamo Bay,”. David Davis, who served as Brexit secretary from 2016 to 2018, said that the home secretary’s plans to send asylum seekers to another country while their claims are processed may create a facility as notorious as the US detention camp in Cuba.

    Guantanamo Bay has been described as a “stain on the human rights record” of the US and the “gulag of our times” with detainees making repeated allegations of torture, sexual degradation and religious persecution.

    Continue reading...", + "content": "

    Former Brexit secretary David Davis says Priti Patel’s plans could foster a situation similar to notorious US detention camp

    A former Conservative cabinet minister has warned that the Home Office’s controversial borders bill risks creating a “British Guantanamo Bay,”. David Davis, who served as Brexit secretary from 2016 to 2018, said that the home secretary’s plans to send asylum seekers to another country while their claims are processed may create a facility as notorious as the US detention camp in Cuba.

    Guantanamo Bay has been described as a “stain on the human rights record” of the US and the “gulag of our times” with detainees making repeated allegations of torture, sexual degradation and religious persecution.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/dec/04/home-office-borders-bill-could-create-a-british-guantanamo-bay-says-tory-mp", + "creator": "Mark Townsend and Toby Helm", + "pubDate": "2021-12-04T21:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124476,16 +150913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "88480a045d1c81cd10e8298c2913f380" + "hash": "6f1312df2d5c0090b6b8909110e7acc4" }, { - "title": "Peng Shuai: International Tennis Federation does not want to ‘punish 1.4bn people’ with a China boycott", - "description": "
    • Calls to pull tournaments over tennis star’s treatment
    • ITF president says governing body will not follow WTA’s stance

    The International Tennis Federation has said it will not cancel any tournaments in China over concerns for Peng Shuai, because it does not want to “punish 1.4 billion people”.

    The ITF – the world governing body for the sport – had been facing calls to join the Women’s Tennis Association in suspending all tournaments in China over the government’s refusal to provide assurances of Shuai’s wellbeing.

    Continue reading...", - "content": "
    • Calls to pull tournaments over tennis star’s treatment
    • ITF president says governing body will not follow WTA’s stance

    The International Tennis Federation has said it will not cancel any tournaments in China over concerns for Peng Shuai, because it does not want to “punish 1.4 billion people”.

    The ITF – the world governing body for the sport – had been facing calls to join the Women’s Tennis Association in suspending all tournaments in China over the government’s refusal to provide assurances of Shuai’s wellbeing.

    Continue reading...", - "category": "Peng Shuai", - "link": "https://www.theguardian.com/sport/2021/dec/06/peng-shuai-international-tennis-federation-does-not-want-to-punish-14bn-people-with-a-china-boycott", - "creator": "Helen Davidson", - "pubDate": "2021-12-06T07:25:44Z", + "title": "Australia live news updates: Pfizer provisionally approved for five to 11-year-olds; Victoria records 980 new Covid cases and seven deaths", + "description": "

    Omicron cases continue to climb in Sydney as thousands of people protest for ‘freedom’ in Melbourne

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", + "content": "

    Omicron cases continue to climb in Sydney as thousands of people protest for ‘freedom’ in Melbourne

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/05/australia-live-news-updates-omicron-covid-cases-pfizer-vaccine-approved", + "creator": "Justine Landis-Hanley", + "pubDate": "2021-12-04T22:39:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124496,16 +150933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f3e9ea36914e32fbe91ebc6fef994be" + "hash": "0af016a259d15d15acfe9302643367ef" }, { - "title": "Exclusive: oil companies’ profits soared to $174bn this year as US gas prices rose", - "description": "

    Exxon, Chevron, Shell and BP among group of 24 who resisted calls to increase production but doled out shareholder dividends

    The largest oil and gas companies made a combined $174bn in profits in the first nine months of the year as gasoline prices climbed in the US, according to a new report.

    The bumper profit totals, provided exclusively to the Guardian, show that in the third quarter of 2021 alone, 24 top oil and gas companies made more than $74bn in net income. From January to September, the net income of the group, which includes Exxon, Chevron, Shell and BP, was $174bn.

    Continue reading...", - "content": "

    Exxon, Chevron, Shell and BP among group of 24 who resisted calls to increase production but doled out shareholder dividends

    The largest oil and gas companies made a combined $174bn in profits in the first nine months of the year as gasoline prices climbed in the US, according to a new report.

    The bumper profit totals, provided exclusively to the Guardian, show that in the third quarter of 2021 alone, 24 top oil and gas companies made more than $74bn in net income. From January to September, the net income of the group, which includes Exxon, Chevron, Shell and BP, was $174bn.

    Continue reading...", - "category": "Oil and gas companies", - "link": "https://www.theguardian.com/business/2021/dec/06/oil-companies-profits-exxon-chevron-shell-exclusive", - "creator": "Oliver Milman", - "pubDate": "2021-12-06T10:00:48Z", + "title": "Indonesia: one dead as Semeru volcano spews huge ash cloud", + "description": "

    Evacuation efforts are being hampered by thick smoke that has plunged nearby villages in darkness

    One person has died after the highest volcano on Indonesia’s most densely populated island of Java spewed thick columns of ash high into the sky, triggering panic among people living nearby.

    As well as the fatality, the volcanic eruption of Mount Semeru in East Java province caused 41 burn injuries, said the deputy district chief of Lumajang, an area nearby.

    Continue reading...", + "content": "

    Evacuation efforts are being hampered by thick smoke that has plunged nearby villages in darkness

    One person has died after the highest volcano on Indonesia’s most densely populated island of Java spewed thick columns of ash high into the sky, triggering panic among people living nearby.

    As well as the fatality, the volcanic eruption of Mount Semeru in East Java province caused 41 burn injuries, said the deputy district chief of Lumajang, an area nearby.

    Continue reading...", + "category": "Volcanoes", + "link": "https://www.theguardian.com/world/2021/dec/04/indonesia-one-dead-as-semeru-volcano-spews-huge-ash-cloud", + "creator": "Agencies", + "pubDate": "2021-12-04T14:40:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124516,16 +150953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "072c6bf76c0210799683283eac9fd9b0" + "hash": "0ee7b4ea48099ab2a6703dc44d1a4ef0" }, { - "title": "UK teenager who was mauled by crocodile feared losing foot", - "description": "

    Amelie Osborn-Smith says she feels ‘very lucky’ in first interview after incident while rafting in Zambia

    A British teenager who was mauled by a crocodile in southern Africa feared she would need to have her foot amputated, and said she felt “very lucky” during an interview from her hospital bed.

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and a dislocated hip after the attack in the Zambezi River in Zambia while she was taking a break during a white water rafting expedition.

    Continue reading...", - "content": "

    Amelie Osborn-Smith says she feels ‘very lucky’ in first interview after incident while rafting in Zambia

    A British teenager who was mauled by a crocodile in southern Africa feared she would need to have her foot amputated, and said she felt “very lucky” during an interview from her hospital bed.

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and a dislocated hip after the attack in the Zambezi River in Zambia while she was taking a break during a white water rafting expedition.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/uk-teenager-attacked-by-crocodile-feared-loosing-foot-amelie-osborn-smith-zambia", - "creator": "Sarah Marsh", - "pubDate": "2021-12-06T11:04:56Z", + "title": "France stunned as judo star’s coach cleared of domestic violence", + "description": "

    Margaux Pinot says she feared her partner would kill her, but judge says there is not enough proof of guilt

    French sports stars and politicians have expressed anger at the acquittal of a coach accused of domestic violence against the Olympic judo champion Margaux Pinot, as the state prosecutor launched an appeal.

    Pinot, 27, a gold medallist at the Tokyo Olympics, had serious facial injuries including a fractured nose when she filed a police complaint in the early hours of Sunday. She said her partner and trainer, Alain Schmitt, had attacked her at her flat outside Paris, wrestled her to the ground, verbally abused her, punched her many times, repeatedly smashed her head on to the ground and tried to strangle her.

    Continue reading...", + "content": "

    Margaux Pinot says she feared her partner would kill her, but judge says there is not enough proof of guilt

    French sports stars and politicians have expressed anger at the acquittal of a coach accused of domestic violence against the Olympic judo champion Margaux Pinot, as the state prosecutor launched an appeal.

    Pinot, 27, a gold medallist at the Tokyo Olympics, had serious facial injuries including a fractured nose when she filed a police complaint in the early hours of Sunday. She said her partner and trainer, Alain Schmitt, had attacked her at her flat outside Paris, wrestled her to the ground, verbally abused her, punched her many times, repeatedly smashed her head on to the ground and tried to strangle her.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/03/france-stunned-as-judo-stars-coach-cleared-of-domestic-violence", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-12-03T14:01:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124536,16 +150973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "49646f7682871614bb9c21eca212922d" + "hash": "af3730233e293b1284dbd2761648ec3b" }, { - "title": "Joe Biden restores tradition with return to Kennedy Center Honors", - "description": "

    President given standing ovations at performing arts awards snubbed by Donald Trump

    “Tonight it is quite nice, very nice to see the presidential box once again being occupied,” David Letterman said to knowing applause. “And the same with the Oval Office.”

    The comedian was introducing the 44th Kennedy Center Honors, where Joe Biden restored tradition merely with his presence after four years in which the annual gala was snubbed by then president Donald Trump and upended by the coronavirus pandemic.

    Continue reading...", - "content": "

    President given standing ovations at performing arts awards snubbed by Donald Trump

    “Tonight it is quite nice, very nice to see the presidential box once again being occupied,” David Letterman said to knowing applause. “And the same with the Oval Office.”

    The comedian was introducing the 44th Kennedy Center Honors, where Joe Biden restored tradition merely with his presence after four years in which the annual gala was snubbed by then president Donald Trump and upended by the coronavirus pandemic.

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/2021/dec/06/joe-biden-restores-tradition-with-return-to-kennedy-center-honors", - "creator": "David Smith in Washington", - "pubDate": "2021-12-06T08:53:03Z", + "title": "Pope Francis criticises Europe’s divided response to migration crisis", + "description": "

    Pontiff uses visit to Greece to highlight plight of migrants and refugees, and voice concern over threat to democracy

    Pope Francis has used a trip to Greece to hit out at Europe for the divisions it has exhibited over migration while warning against the perils of populism.

    Greece has long been on the frontline of the refugee crisis.

    Continue reading...", + "content": "

    Pontiff uses visit to Greece to highlight plight of migrants and refugees, and voice concern over threat to democracy

    Pope Francis has used a trip to Greece to hit out at Europe for the divisions it has exhibited over migration while warning against the perils of populism.

    Greece has long been on the frontline of the refugee crisis.

    Continue reading...", + "category": "Pope Francis", + "link": "https://www.theguardian.com/world/2021/dec/04/pope-francis-criticises-europes-divided-response-to-migration-crisis", + "creator": "Helena Smith in Athens", + "pubDate": "2021-12-04T20:04:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124556,16 +150993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f9759af4815eb71d9eee5f3327ab740d" + "hash": "cb6c27e0091c7f6bd4c3af470c9b8ed3" }, { - "title": "Omicron brings fresh concern for US mental heath after ‘grim two years’", - "description": "

    Many Americans’ mental health has suffered during the pandemic, and anxiety and depression persists

    Sarah Isaacs, a therapist in Raleigh, North Carolina, sees mostly clients between the ages of 22 and 30, many of whom missed out on the usual dating and networking because of the Covid pandemic.

    “They literally haven’t been able to do anything for two years,” said Isaacs, who specializes in working with people with eating disorders and people who identify as LGBTQ+.

    Continue reading...", - "content": "

    Many Americans’ mental health has suffered during the pandemic, and anxiety and depression persists

    Sarah Isaacs, a therapist in Raleigh, North Carolina, sees mostly clients between the ages of 22 and 30, many of whom missed out on the usual dating and networking because of the Covid pandemic.

    “They literally haven’t been able to do anything for two years,” said Isaacs, who specializes in working with people with eating disorders and people who identify as LGBTQ+.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/06/omicron-mental-health-america-covid-pandemic", - "creator": "Eric Berger", - "pubDate": "2021-12-06T07:00:17Z", + "title": "‘A new church’: why a Uniting reverend is preaching to Anglicans in a gay couple’s home", + "description": "

    Peter Grace and Peter Sanders disagreed with the conservative Anglicanism of their Armidale diocese, so they left – and took the congregation with them

    On a cool, grey Sunday in November, in a small home on the edge of Armidale, a new church is born.

    About 30 parishioners are crowded on the wooden deck, spilling back through the sliding doors and into a living room dominated by a black Kawai concert grand piano. They sit on patio furniture, white plastic lawn chairs and stools from the breakfast bar.

    Continue reading...", + "content": "

    Peter Grace and Peter Sanders disagreed with the conservative Anglicanism of their Armidale diocese, so they left – and took the congregation with them

    On a cool, grey Sunday in November, in a small home on the edge of Armidale, a new church is born.

    About 30 parishioners are crowded on the wooden deck, spilling back through the sliding doors and into a living room dominated by a black Kawai concert grand piano. They sit on patio furniture, white plastic lawn chairs and stools from the breakfast bar.

    Continue reading...", + "category": "Rural Australia", + "link": "https://www.theguardian.com/australia-news/2021/dec/05/a-new-church-why-a-uniting-reverend-is-preaching-to-anglicans-in-a-gay-couples-home", + "creator": "Tom Plevey", + "pubDate": "2021-12-04T19:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124576,16 +151013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3b8b24845058ffb7b7cb161a322443af" + "hash": "ed05b3d352d0fa8db63059156f8f39ad" }, { - "title": "Omicron wasn't part of our festive plan, but here's how we can stay safe this Christmas | Susan Michie", - "description": "

    From ventilation to lateral flow testing, let’s try to minimise the risk of catching Covid


    For months in the UK we have had 30,000-50,000 new Covid cases of the Delta variant a day and about 1,000 dying from the disease every week, and NHS leaders are saying the hospital and ambulance services are at breaking point. Now, to make matters worse, the Omicron variant has arrived. This new variant will probably evade immunity to some extent, but we don’t know by how much. It may be more transmissible, but we are not sure. And we don’t know whether or not it will cause more severe disease.

    Faced with this uncertainty and contradictory messages, what are we to do? After the disappointment of last Christmas, many of us are desperate for socialising, parties and fun. We are also desperate to avoid lockdowns. So should we be making that one stitch now to save nine later; taking steps now to try to save Christmas? Steps such as wearing masks in all indoor public spaces, working from home where we can, only going shopping and travelling where necessary and engaging in only our top priority social events?

    Susan Michie is director of the UCL Centre for Behaviour Change

    Continue reading...", - "content": "

    From ventilation to lateral flow testing, let’s try to minimise the risk of catching Covid


    For months in the UK we have had 30,000-50,000 new Covid cases of the Delta variant a day and about 1,000 dying from the disease every week, and NHS leaders are saying the hospital and ambulance services are at breaking point. Now, to make matters worse, the Omicron variant has arrived. This new variant will probably evade immunity to some extent, but we don’t know by how much. It may be more transmissible, but we are not sure. And we don’t know whether or not it will cause more severe disease.

    Faced with this uncertainty and contradictory messages, what are we to do? After the disappointment of last Christmas, many of us are desperate for socialising, parties and fun. We are also desperate to avoid lockdowns. So should we be making that one stitch now to save nine later; taking steps now to try to save Christmas? Steps such as wearing masks in all indoor public spaces, working from home where we can, only going shopping and travelling where necessary and engaging in only our top priority social events?

    Susan Michie is director of the UCL Centre for Behaviour Change

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/commentisfree/2021/dec/06/christmas-party-celebrations-omicron", - "creator": "Susan Michie", - "pubDate": "2021-12-06T12:50:56Z", + "title": "Hundreds join vigil for stabbing victim Ava White, 12, in Liverpool", + "description": "

    Event took place near where Ava White was killed after a Christmas lights switch-on last month

    Hundreds of people have turned out to pay their respects to 12-year-old Ava White at a vigil held in her memory. She was fatally stabbed in Liverpool city centre on 25 November after a Christmas lights switch-on.

    On Saturday, family, friends and others gathered in Church Street, close to where the incident happened, to pay tribute to her. Hundreds of balloons, some in the shape of the letter A, were released at the start of the vigil. Many people wore hoodies with Ava’s face on and others had her name written on their faces.

    Continue reading...", + "content": "

    Event took place near where Ava White was killed after a Christmas lights switch-on last month

    Hundreds of people have turned out to pay their respects to 12-year-old Ava White at a vigil held in her memory. She was fatally stabbed in Liverpool city centre on 25 November after a Christmas lights switch-on.

    On Saturday, family, friends and others gathered in Church Street, close to where the incident happened, to pay tribute to her. Hundreds of balloons, some in the shape of the letter A, were released at the start of the vigil. Many people wore hoodies with Ava’s face on and others had her name written on their faces.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/04/hundreds-join-vigil-for-stabbing-victim-ava-white-12-in-liverpool", + "creator": "PA Media", + "pubDate": "2021-12-04T20:07:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124596,16 +151033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a500dbd9e9d39e6fe41b26e3dbe77e66" + "hash": "b7f68df641232841ab6735d3dbc88365" }, { - "title": "‘We are in limbo’: banned Belarus theatre troupe forced into exile", - "description": "

    Members of Belarus Free Theatre say authorities ‘are more scared of artists than of political statements’

    For 16 years, the Belarus Free Theatre has advocated for freedom of expression, equality and democracy through underground performances from ad hoc locations to audiences hungry for an alternative voice to the country’s repressive dictator, Alexander Lukashenko.

    Now the banned company has taken the momentous decision to relocate outside Belarus, saying the risk of reprisals against its members is too great for it to continue its cultural resistance under the Lukashenko regime.

    Continue reading...", - "content": "

    Members of Belarus Free Theatre say authorities ‘are more scared of artists than of political statements’

    For 16 years, the Belarus Free Theatre has advocated for freedom of expression, equality and democracy through underground performances from ad hoc locations to audiences hungry for an alternative voice to the country’s repressive dictator, Alexander Lukashenko.

    Now the banned company has taken the momentous decision to relocate outside Belarus, saying the risk of reprisals against its members is too great for it to continue its cultural resistance under the Lukashenko regime.

    Continue reading...", - "category": "Belarus", - "link": "https://www.theguardian.com/world/2021/dec/06/belarus-free-theatre-in-exile-stronger-than-regime", - "creator": "Harriet Sherwood and Andrew Roth in Moscow", - "pubDate": "2021-12-06T05:00:14Z", + "title": "Trump social media company claims to raise $1bn from investors", + "description": "
    • Trump Media & Technology Group launched in October
    • Investors not identified but partner claims ‘diverse group’

    Donald Trump’s new social media company and its special purpose acquisition company partner said on Saturday the partner had agreements for $1bn in capital from institutional investors.

    The former president launched Trump Media & Technology Group (TMTG) in October. He unveiled plans for a new messaging app called Truth Social, meant to rival Twitter and the other social media platforms that banned him following the deadly attack on the US Capitol on 6 January.

    Continue reading...", + "content": "
    • Trump Media & Technology Group launched in October
    • Investors not identified but partner claims ‘diverse group’

    Donald Trump’s new social media company and its special purpose acquisition company partner said on Saturday the partner had agreements for $1bn in capital from institutional investors.

    The former president launched Trump Media & Technology Group (TMTG) in October. He unveiled plans for a new messaging app called Truth Social, meant to rival Twitter and the other social media platforms that banned him following the deadly attack on the US Capitol on 6 January.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/04/trump-social-media-company-claims-to-raise-1bn-from-investors", + "creator": "Associated Press in New York", + "pubDate": "2021-12-04T19:56:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124616,16 +151053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "368c7cc507eab90d1d81cb03929c01ef" + "hash": "f11c4ac5669fbc0e88dcce50388f4a64" }, { - "title": "Chris Noth on feuds, family and Mr Big: ‘I never saw him as an alpha male’", - "description": "

    The Sex and the City star is back for the reboot, And Just Like That … He talks about bereavement, rebellion, the fun of acting – and the absence of Kim Cattrall

    “I’m not supposed to talk for this long. I told my publicist beforehand: ‘I need to keep this short so I don’t give quotes I’ll regret,’” chuckles Chris Noth.

    Too late for that. Ahead of our interview, I had expected Noth – best known as Mr Big from Sex and the City – to be a reluctant interviewee, because that’s how he came across in past articles, especially when he was talking about the TV show that turned him from a jobbing actor into, well, Mr Big. But those were from back in the day, when he bridled at his sudden celebrity. Noth had been in hit TV shows before, most famously when he played Detective Mike Logan for five years on Law & Order. But nothing could have prepared him for Sex and the City.

    Continue reading...", - "content": "

    The Sex and the City star is back for the reboot, And Just Like That … He talks about bereavement, rebellion, the fun of acting – and the absence of Kim Cattrall

    “I’m not supposed to talk for this long. I told my publicist beforehand: ‘I need to keep this short so I don’t give quotes I’ll regret,’” chuckles Chris Noth.

    Too late for that. Ahead of our interview, I had expected Noth – best known as Mr Big from Sex and the City – to be a reluctant interviewee, because that’s how he came across in past articles, especially when he was talking about the TV show that turned him from a jobbing actor into, well, Mr Big. But those were from back in the day, when he bridled at his sudden celebrity. Noth had been in hit TV shows before, most famously when he played Detective Mike Logan for five years on Law & Order. But nothing could have prepared him for Sex and the City.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/06/chris-noth-on-feuds-family-and-mr-big-i-never-saw-him-as-an-alpha-male", - "creator": "Hadley Freeman", - "pubDate": "2021-12-06T06:00:17Z", + "title": "Covid news: pre-departure tests return for all UK arrivals and Nigeria added to red list", + "description": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December as Nigeria is added to the travel red list

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "content": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December as Nigeria is added to the travel red list

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", + "creator": "Nadeem Badshah (now), Sarah Marsh (earlier)", + "pubDate": "2021-12-04T19:06:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124636,16 +151073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "081c5d9edbbf540202849f9dcbc6e998" + "hash": "19a70f87676e645a195ca64d3c7d5020" }, { - "title": "Halo Infinite review – old-school blasting in sci-fi ‘Dad’ game", - "description": "

    PC, Xbox Series, Xbox One; Microsoft; 343 Industries
    The engrossing flagship Xbox shooter returns with its fabled craggy supersoldier and plenty of style but not quite enough bang

    Twenty years since Halo: Combat Evolved, Master Chief is still “finishing the fight”. Made infamous by Halo 2’s premature cliffhanger ending, the line is uttered with zero irony at Halo Infinite’s conclusion: it’s become the catchphrase for a series that is travelling in circles, always defaulting to something like the original fable of a craggy supersoldier fighting alien zealots for control of universe-ending Forerunner relics.

    Infinite takes place on yet another gorgeous ringworld, where Master Chief teams up with a nervy pilot and a chirpy new AI buddy to battle a renegade group called the Banished. It’s the same old story with the same rousing musical motifs, but the geography has changed: main missions are now threaded through a lush open expanse comparable to that of a Far Cry game, where you’ll tackle sidequests such as hostage rescue, and claim bases that let you fast-travel and rearm. The extra space amplifies Halo’s existing brilliance as a martial playground, defined less by reflexes and accuracy than giddy improvisation, but it’s not quite enough to make this backward-glancing game unmissable.

    Continue reading...", - "content": "

    PC, Xbox Series, Xbox One; Microsoft; 343 Industries
    The engrossing flagship Xbox shooter returns with its fabled craggy supersoldier and plenty of style but not quite enough bang

    Twenty years since Halo: Combat Evolved, Master Chief is still “finishing the fight”. Made infamous by Halo 2’s premature cliffhanger ending, the line is uttered with zero irony at Halo Infinite’s conclusion: it’s become the catchphrase for a series that is travelling in circles, always defaulting to something like the original fable of a craggy supersoldier fighting alien zealots for control of universe-ending Forerunner relics.

    Infinite takes place on yet another gorgeous ringworld, where Master Chief teams up with a nervy pilot and a chirpy new AI buddy to battle a renegade group called the Banished. It’s the same old story with the same rousing musical motifs, but the geography has changed: main missions are now threaded through a lush open expanse comparable to that of a Far Cry game, where you’ll tackle sidequests such as hostage rescue, and claim bases that let you fast-travel and rearm. The extra space amplifies Halo’s existing brilliance as a martial playground, defined less by reflexes and accuracy than giddy improvisation, but it’s not quite enough to make this backward-glancing game unmissable.

    Continue reading...", - "category": "Games", - "link": "https://www.theguardian.com/games/2021/dec/06/halo-infinite-review-old-school-blasting-in-sci-fi-dad-game", - "creator": "Edwin Evans-Thirlwell", - "pubDate": "2021-12-06T10:36:29Z", + "title": "‘I dread Christmas. My husband won’t get jabbed’: The families split over Covid vaccines as they plan holiday gatherings", + "description": "

    We talk to three people faced with moral crises over reconciling family festivities with the risks posed by coronavirus

    Christmas is meant to be a time filled with joy, but for many families it can underline divisions between parents, children or siblings and bring unresolved tensions to the surface. This year adds a particular issue to that dynamic – whether or not individual family members are vaccinated.

    Continue reading...", + "content": "

    We talk to three people faced with moral crises over reconciling family festivities with the risks posed by coronavirus

    Christmas is meant to be a time filled with joy, but for many families it can underline divisions between parents, children or siblings and bring unresolved tensions to the surface. This year adds a particular issue to that dynamic – whether or not individual family members are vaccinated.

    Continue reading...", + "category": "Vaccines and immunisation", + "link": "https://www.theguardian.com/society/2021/dec/04/i-dread-christmas-my-husband-wont-get-jabbed-the-families-split-over-covid-vaccines-as-they-plan-holiday-gatherings", + "creator": "Donna Ferguson", + "pubDate": "2021-12-04T14:25:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124656,16 +151093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a32e173a7f9621aa4fbf09c2b956af9e" + "hash": "1742276e73e8dfd9b5662523639b2df9" }, { - "title": "Happy queer Christmas! Drag kings and queens on their festive spectaculars", - "description": "

    LGBTQ+ performers are making sure that queerness isn’t ‘swept under the carpet’ this Christmas – and providing community, fun and celebration for audiences

    Drag king Mark Anthony loves Christmas. He always has – it’s a big thing in his family. Still, he says he found his Christmas “blighted slightly” in recent years since coming out as transgender and non-binary. “It wasn’t a big sob story of rejection,” Anthony, whose family fully accepts him for who he is, explains. “It was a discomfort type thing, from both sides, where you’re trying to work out how you fit into a different role. By this point, we’re pretty much adjusted now.” (Out of drag, Anthony, performed by Isaac Williams, uses the pronouns they and them.)

    Anthony knows how Christmas “might have quite negative associations” for those LGBTQ+ people “who don’t feel they can be authentically themselves at home with their families”. It is a time that “puts a spotlight on anything that’s changed and makes it feel really kind of awkward”, for example, if someone has come out about their sexuality or gender identity.

    Continue reading...", - "content": "

    LGBTQ+ performers are making sure that queerness isn’t ‘swept under the carpet’ this Christmas – and providing community, fun and celebration for audiences

    Drag king Mark Anthony loves Christmas. He always has – it’s a big thing in his family. Still, he says he found his Christmas “blighted slightly” in recent years since coming out as transgender and non-binary. “It wasn’t a big sob story of rejection,” Anthony, whose family fully accepts him for who he is, explains. “It was a discomfort type thing, from both sides, where you’re trying to work out how you fit into a different role. By this point, we’re pretty much adjusted now.” (Out of drag, Anthony, performed by Isaac Williams, uses the pronouns they and them.)

    Anthony knows how Christmas “might have quite negative associations” for those LGBTQ+ people “who don’t feel they can be authentically themselves at home with their families”. It is a time that “puts a spotlight on anything that’s changed and makes it feel really kind of awkward”, for example, if someone has come out about their sexuality or gender identity.

    Continue reading...", - "category": "Theatre", - "link": "https://www.theguardian.com/stage/2021/dec/06/drag-kings-and-queens-festive-spectaculars", - "creator": "Ella Braidwood", - "pubDate": "2021-12-06T12:58:13Z", + "title": "‘I don’t like mandates’: Germans and Austrians on new Covid measures", + "description": "

    People give their views on compulsory jabs and restrictions on those have not been vaccinated

    The German government has announced a lockdown for the unvaccinated and is considering making Covid vaccines mandatory, after weeks of record infections in the country and much of German-speaking Europe.

    In Austria, thousands of people have taken to the streets in recent weeks to protest against a string of measures: from February, the government will be introducing compulsory vaccines for all, with exemption for those unable to receive a jab on medical grounds.

    Continue reading...", + "content": "

    People give their views on compulsory jabs and restrictions on those have not been vaccinated

    The German government has announced a lockdown for the unvaccinated and is considering making Covid vaccines mandatory, after weeks of record infections in the country and much of German-speaking Europe.

    In Austria, thousands of people have taken to the streets in recent weeks to protest against a string of measures: from February, the government will be introducing compulsory vaccines for all, with exemption for those unable to receive a jab on medical grounds.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/04/germans-and-austrians-on-new-covid-measures-mandates-vaccination", + "creator": "Jedidajah Otte", + "pubDate": "2021-12-04T11:09:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124676,16 +151113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b76edd324ecd2f0426f95383199ca78e" + "hash": "e214b8f48ab33322d432aa74804f29ba" }, { - "title": "Stillborn baby’s parents receive £2.8m from Nottingham hospital trust", - "description": "

    Payout to Jack and Sarah Hawkins is thought to be largest settlement for a stillbirth clinical negligence case

    A couple whose daughter died before birth after maternity staff failings have received a £2.8m payout from the NHS in what is believed to be the largest settlement for a stillbirth clinical negligence case.

    Sarah Hawkins was in labour for six days before Harriet was stillborn, almost nine hours after dying, at Nottingham City hospital in April 2016.

    Continue reading...", - "content": "

    Payout to Jack and Sarah Hawkins is thought to be largest settlement for a stillbirth clinical negligence case

    A couple whose daughter died before birth after maternity staff failings have received a £2.8m payout from the NHS in what is believed to be the largest settlement for a stillbirth clinical negligence case.

    Sarah Hawkins was in labour for six days before Harriet was stillborn, almost nine hours after dying, at Nottingham City hospital in April 2016.

    Continue reading...", - "category": "Nottingham", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/stillborn-babys-parents-receive-28m-from-nottingham-hospital-trust", - "creator": "Jessica Murray Midlands correspondent", - "pubDate": "2021-12-06T14:47:31Z", + "title": "On my radar: Adjoa Andoh’s cultural highlights", + "description": "

    The actor on her hopes for Brixton’s new theatre, an offbeat western and the sophistication of African art

    Adjoa Andoh was born in Bristol in 1963 and grew up in Wickwar, Gloucestershire. A veteran stage actor, she starred in His Dark Materials at the National Theatre and in the title role of an all-women of colour production of Richard II at the Globe in 2019. On TV, Andoh plays Lady Danbury in Bridgerton, which returns next year, and she will appear in season two of The Witcher on Netflix from 17 December. She lives in south London with her husband, the novelist Howard Cunnell, and their three children.

    Continue reading...", + "content": "

    The actor on her hopes for Brixton’s new theatre, an offbeat western and the sophistication of African art

    Adjoa Andoh was born in Bristol in 1963 and grew up in Wickwar, Gloucestershire. A veteran stage actor, she starred in His Dark Materials at the National Theatre and in the title role of an all-women of colour production of Richard II at the Globe in 2019. On TV, Andoh plays Lady Danbury in Bridgerton, which returns next year, and she will appear in season two of The Witcher on Netflix from 17 December. She lives in south London with her husband, the novelist Howard Cunnell, and their three children.

    Continue reading...", + "category": "Culture", + "link": "https://www.theguardian.com/culture/2021/dec/04/on-my-radar-adjoa-andohs-cultural-highlights", + "creator": "Killian Fox", + "pubDate": "2021-12-04T15:00:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124696,16 +151133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c324c23bf18bbbc75426fd1f89ff5b2" + "hash": "509c76192308966e996f4a1bce7804eb" }, { - "title": "Congress braces for another battle over US debt ceiling – live", - "description": "

    David Perdue’s announcement that he will challenge sitting Governor Brian Kemp for the Republican nomination comes less than a week after Democrat Stacey Abrams launched her own gubernatorial campaign.

    Abrams’ campaign sets up a potential rematch against Kemp, depending on whether he can best Perdue. Kemp narrowly defeated Abrams in the 2018 gubernatorial race, although she blamed the loss on voter suppression.

    Continue reading...", - "content": "

    David Perdue’s announcement that he will challenge sitting Governor Brian Kemp for the Republican nomination comes less than a week after Democrat Stacey Abrams launched her own gubernatorial campaign.

    Abrams’ campaign sets up a potential rematch against Kemp, depending on whether he can best Perdue. Kemp narrowly defeated Abrams in the 2018 gubernatorial race, although she blamed the loss on voter suppression.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/dec/06/congress-debt-ceiling-republicans-democrats-joe-biden-coronavirus-us-politics-latest", - "creator": "Joan E Greve in Washington", - "pubDate": "2021-12-06T15:30:03Z", + "title": "Penelope Jackson appeals against murder verdict claiming media footage ‘impeded’ fair trial", + "description": "

    The release of filmed confession of Somerset woman jailed for killing husband prejudiced her hearing, says lawyer

    A woman jailed for at least 18 years after being found guilty of murdering her husband is to appeal against her conviction on the grounds that video and audio evidence released into the public domain midway through her trial impeded her right to a fair hearing.

    Penelope Jackson, 66, was found guilty of murder in October at Bristol crown court after a jury of eight women and four men delivered a 10-2 majority verdict.

    Continue reading...", + "content": "

    The release of filmed confession of Somerset woman jailed for killing husband prejudiced her hearing, says lawyer

    A woman jailed for at least 18 years after being found guilty of murdering her husband is to appeal against her conviction on the grounds that video and audio evidence released into the public domain midway through her trial impeded her right to a fair hearing.

    Penelope Jackson, 66, was found guilty of murder in October at Bristol crown court after a jury of eight women and four men delivered a 10-2 majority verdict.

    Continue reading...", + "category": "Crime", + "link": "https://www.theguardian.com/uk-news/2021/dec/04/penelope-jackson-appeals-against-verdict-claiming-media-footage-impeded-fair-trial", + "creator": "Hannah Summers", + "pubDate": "2021-12-04T17:00:30Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124716,16 +151153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e565b06dd3a2a4d8e32cbf076105232" + "hash": "709fe318427ae47e5a72c75584f8bab0" }, { - "title": "Qld border to reopen 13 December, Palaszczuk says; SA premier advised to close border with NSW over Omicron – As it happened", - "description": "

    Annastacia Palaszczuk brings forward Qld border reopening; Steven Marshall ‘very concerned’ by Omicron as SA records four Covid cases; Perth stripped of Ashes series finale; Victoria records 1,073 new cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says.

    This blog is now closed

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", - "content": "

    Annastacia Palaszczuk brings forward Qld border reopening; Steven Marshall ‘very concerned’ by Omicron as SA records four Covid cases; Perth stripped of Ashes series finale; Victoria records 1,073 new cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says.

    This blog is now closed

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", + "title": "The English teacher and the Nazis: trove of letters in Melbourne reveals network that saved Jews", + "description": "

    Frances and Jan Newell painstakingly uncovered their mother’s role in facilitating the escape of Jews and political dissidents from Berlin to Britain

    For decades, more than 100 mouse-nibbled fruit boxes, tea chests and old leather suitcases sat untouched in a 3-metre pile in the backyard shed of Frances Newell’s home in suburban Melbourne.

    They were stuffed with thousands of letters – some in German, others in English – that she had kept when her father moved out of their family home in Castlemaine in the 1990s.

    Continue reading...", + "content": "

    Frances and Jan Newell painstakingly uncovered their mother’s role in facilitating the escape of Jews and political dissidents from Berlin to Britain

    For decades, more than 100 mouse-nibbled fruit boxes, tea chests and old leather suitcases sat untouched in a 3-metre pile in the backyard shed of Frances Newell’s home in suburban Melbourne.

    They were stuffed with thousands of letters – some in German, others in English – that she had kept when her father moved out of their family home in Castlemaine in the 1990s.

    Continue reading...", "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/06/australia-news-updates-live-covid-omicron-transport-strike-scott-morrison-anthony-albanese-weather-nsw-victoria-qld", - "creator": "Mostafa Rachwani and Matilda Boseley (earlier)", - "pubDate": "2021-12-06T07:49:08Z", + "link": "https://www.theguardian.com/australia-news/2021/dec/05/the-english-teacher-and-the-nazis-trove-of-letters-in-melbourne-reveals-network-that-saved-jews", + "creator": "Elias Visontay", + "pubDate": "2021-12-04T19:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124736,16 +151173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "78d5477dfb2bbfdf84819115a21843a5" + "hash": "59ec57ad96394e365e2beeabeaf98bf3" }, { - "title": "Lives lost at Europe’s borders and Afghan MPs in exile: human rights this fortnight – in pictures", - "description": "

    A roundup of the struggle for human rights and freedoms, from Mexico to Manila

    Continue reading...", - "content": "

    A roundup of the struggle for human rights and freedoms, from Mexico to Manila

    Continue reading...", - "category": "Human rights", - "link": "https://www.theguardian.com/global-development/gallery/2021/dec/04/lives-lost-at-europes-borders-and-afghan-mps-in-exile-human-rights-this-fortnight-in-pictures", - "creator": "Sarah Johnson, compiled by Eric Hilaire", - "pubDate": "2021-12-04T07:30:19Z", + "title": "Emmanuel Macron’s dangerous shift on the New Caledonia referendum risks a return to violence | Rowena Dickins Morrison, Adrian Muckle and Benoît Trépied", + "description": "

    With the growing possibility of a pro-independence victory, France is derailing decolonisation in a bid to shore up its position in the Indo-Pacific

    The French government’s decision to hold New Caledonia’s self-determination referendum on 12 December, despite the resolve of pro-independence parties not to participate, is a reckless political gambit with potentially dire consequences.

    The referendum will be the third and final consultation held under the 1998 Noumea accord – successor to the Matignon accords which ended instability and violence between the Kanak independence movement and local “loyalists” and the French state in 1988. By organising this month’s referendum without the participation of the Indigenous Kanak people, who overwhelmingly support independence, France is undermining the innovative and peaceful decolonisation process of the last 30 years, founded on French state neutrality and seeking consensus between opposing local political parties.

    Continue reading...", + "content": "

    With the growing possibility of a pro-independence victory, France is derailing decolonisation in a bid to shore up its position in the Indo-Pacific

    The French government’s decision to hold New Caledonia’s self-determination referendum on 12 December, despite the resolve of pro-independence parties not to participate, is a reckless political gambit with potentially dire consequences.

    The referendum will be the third and final consultation held under the 1998 Noumea accord – successor to the Matignon accords which ended instability and violence between the Kanak independence movement and local “loyalists” and the French state in 1988. By organising this month’s referendum without the participation of the Indigenous Kanak people, who overwhelmingly support independence, France is undermining the innovative and peaceful decolonisation process of the last 30 years, founded on French state neutrality and seeking consensus between opposing local political parties.

    Continue reading...", + "category": "New Caledonia", + "link": "https://www.theguardian.com/world/commentisfree/2021/dec/02/emmanuel-macrons-dangerous-shift-on-the-new-caledonia-referendum-risks-a-return-to-violence", + "creator": "Rowena Dickins Morrison, Adrian Muckle and Benoît Trépied", + "pubDate": "2021-12-02T02:22:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124756,16 +151193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7b5558e1171e3a7c35cd03bec625d1f" + "hash": "aea191ee2486abd6d14dbb651c21d9f3" }, { - "title": "Myanmar’s junta condemned over guilty verdicts in Aung San Suu Kyi trial", - "description": "

    First verdicts announced in cases against Myanmar’s former leader, who was deposed in a coup in February

    A military court in Myanmar has found Aung San Suu Kyi guilty of incitement and breaking Covid restrictions, drawing condemnation from the United Nations, European Union and others, who described the verdicts as politically motivated.

    The 76-year-old, who was deposed in a coup in February, is set to serve two years in detention at an undisclosed location, a sentence reduced from four years after a partial pardon from the country’s military chief, state TV reported.

    Continue reading...", - "content": "

    First verdicts announced in cases against Myanmar’s former leader, who was deposed in a coup in February

    A military court in Myanmar has found Aung San Suu Kyi guilty of incitement and breaking Covid restrictions, drawing condemnation from the United Nations, European Union and others, who described the verdicts as politically motivated.

    The 76-year-old, who was deposed in a coup in February, is set to serve two years in detention at an undisclosed location, a sentence reduced from four years after a partial pardon from the country’s military chief, state TV reported.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/06/aung-san-suu-kyi-sentenced-to-four-years-in-prison-for-incitement", - "creator": "Rebecca Ratcliffe South-east Asia correspondent", - "pubDate": "2021-12-06T14:12:27Z", + "title": "Pécresse chosen as French centre-right’s first female candidate for presidency", + "description": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", + "content": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/04/pecresse-chosen-as-french-centre-rights-first-female-candidate-for-presidency", + "creator": "Kim Willsher in Paris", + "pubDate": "2021-12-04T17:16:10Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124776,16 +151213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5fcf36ba448598270677a997747a1ae" + "hash": "af96b395ad5425f2e8aaff63df087907" }, { - "title": "Far-right French presidential candidate put in headlock by protester - video", - "description": "

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked. He was later reported to have suffered slight injuries

    Continue reading...", - "content": "

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked. He was later reported to have suffered slight injuries

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/global/video/2021/dec/06/far-right-french-presidential-candidate-put-in-headlock-by-protester-video", - "creator": "", - "pubDate": "2021-12-06T10:14:41Z", + "title": "Can you say Squid Game in Korean? TV show fuels demand for east Asian language learning", + "description": "

    Japanese and Korean are in top five choices in UK this year at online platform Duolingo

    Whether it’s down to Squid Game or kawaii culture, fascination with Korea and Japan is fuelling a boom in learning east Asian languages. Japanese is the fastest growing language to be learned in the UK this year on the online platform Duolingo, and Korean is the fourth fastest.

    Most of the interest is driven by cultural issues, the firm said in its 2021 Duolingo language report, which will be published tomorrow and analyses how the 20 million downloads of its platform are used.

    Continue reading...", + "content": "

    Japanese and Korean are in top five choices in UK this year at online platform Duolingo

    Whether it’s down to Squid Game or kawaii culture, fascination with Korea and Japan is fuelling a boom in learning east Asian languages. Japanese is the fastest growing language to be learned in the UK this year on the online platform Duolingo, and Korean is the fourth fastest.

    Most of the interest is driven by cultural issues, the firm said in its 2021 Duolingo language report, which will be published tomorrow and analyses how the 20 million downloads of its platform are used.

    Continue reading...", + "category": "Languages", + "link": "https://www.theguardian.com/education/2021/dec/04/can-you-say-squid-game-in-korean-tv-show-fuels-demand-for-east-asian-language-learning", + "creator": "James Tapper", + "pubDate": "2021-12-04T15:00:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124796,16 +151233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "10820e6bd87f444644dc48faf50661bb" + "hash": "c4a0feefa1037ae477cf5666b00e8e83" }, { - "title": "Mumps continues to circulate in US and doctors should be watchful, CDC warns", - "description": "

    Experts says doctors should continue to test because outbreaks have occurred in vaccinated adolescents and some children

    The federal Centers for Disease Control and Prevention (CDC) has warned that mumps continues to circulate in the US and that pediatricians should remain vigilant, even though spread remains low.

    Mumps was nearly eliminated under routine childhood vaccinations, as part of the measles, mumps and rubella vaccine, or MMR. Most doctors have never seen a mumps case, researchers noted.

    Continue reading...", - "content": "

    Experts says doctors should continue to test because outbreaks have occurred in vaccinated adolescents and some children

    The federal Centers for Disease Control and Prevention (CDC) has warned that mumps continues to circulate in the US and that pediatricians should remain vigilant, even though spread remains low.

    Mumps was nearly eliminated under routine childhood vaccinations, as part of the measles, mumps and rubella vaccine, or MMR. Most doctors have never seen a mumps case, researchers noted.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/06/cdc-mumps-us-mmr-children", - "creator": "Jessica Glenza", - "pubDate": "2021-12-06T15:06:26Z", + "title": "Covid news: Rio’s famous NYE party cancelled, Omicron detected in 38 countries", + "description": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "content": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", + "creator": "Nadeem Badshah (now), Sarah Marsh (earlier)", + "pubDate": "2021-12-04T17:04:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124816,16 +151253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9e7c5463535b8b1c2a1e5f2e72abe952" + "hash": "4d7d7ae4161ee2ecda0e6613f47831f5" }, { - "title": "Snowstorm in Denmark traps dozens in Ikea showroom – video", - "description": "

    Dozens of people were trapped in an Ikea showroom when a storm dumped 30cm of snow in northern Denmark.

    After the Aalborg showroom closed, it turned into a vast bedroom after six customers and about two dozen employees who had been left stranded by the snowstorm were forced to spend the night in the store

    Continue reading...", - "content": "

    Dozens of people were trapped in an Ikea showroom when a storm dumped 30cm of snow in northern Denmark.

    After the Aalborg showroom closed, it turned into a vast bedroom after six customers and about two dozen employees who had been left stranded by the snowstorm were forced to spend the night in the store

    Continue reading...", - "category": "Denmark", - "link": "https://www.theguardian.com/business/video/2021/dec/03/snowstorm-in-denmark-traps-dozens-in-ikea-showroom-video", - "creator": "", - "pubDate": "2021-12-03T09:48:22Z", + "title": "I was told the 12 steps would cure my addiction. Why did I end up feeling more broken?", + "description": "

    In this quasi-religious programme, ‘working the steps’ is the remedy for any problem, but for me the cracks soon started to show

    Eight of us sat together in a circle in a wooden shed, an outbuilding at a large country house, somewhere in the south of England. The door was ajar, and spring light flooded the room. “Can anyone name any treatment methods for addiction, other than the 12 steps?” asked a counsellor.

    Cognitive behavioural therapy?” offered a patient.

    Continue reading...", + "content": "

    In this quasi-religious programme, ‘working the steps’ is the remedy for any problem, but for me the cracks soon started to show

    Eight of us sat together in a circle in a wooden shed, an outbuilding at a large country house, somewhere in the south of England. The door was ajar, and spring light flooded the room. “Can anyone name any treatment methods for addiction, other than the 12 steps?” asked a counsellor.

    Cognitive behavioural therapy?” offered a patient.

    Continue reading...", + "category": "Mental health", + "link": "https://www.theguardian.com/society/2021/dec/04/12-steps-addiction-cure-quasi-religious", + "creator": "Oscar Quine", + "pubDate": "2021-12-04T12:00:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124836,16 +151273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f5a589f58e90b23964a2d9d38586123e" + "hash": "ae5a5676ffc3612ad6d2d8b14e89081e" }, { - "title": "Covid news live: Nigeria likens Omicron border closures to ‘travel apartheid’; Poland to tighten restrictions", - "description": "

    Nigeria high commissioner says travel ban not necessary; new package of pandemic restrictions to be imposed in Poland this week

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "content": "

    Nigeria high commissioner says travel ban not necessary; new package of pandemic restrictions to be imposed in Poland this week

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", - "creator": "Damien Gayle (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-06T13:58:28Z", + "title": "Abuse, intimidation, death threats: the vicious backlash facing former vegans", + "description": "

    Going vegan has never been more popular – but some people who try it and then decide to reintroduce animal products face shocking treatment

    In 2015, Freya Robinson decided to go vegan. For more than a year, the 28-year-old from East Sussex did not consume a single animal product. Then, in 2016, on a family holiday in Bulgaria, she passed a steak restaurant and something inside her switched. “I walked in and ordered the biggest steak I could have and completely inhaled it,” she says. After finishing it, she ordered another.

    For the previous year, Robinson had been suffering from various health problems – low energy levels, brain fog, painful periods and dull skin – which she now believes were the result of her diet. She says her decline was gradual and almost went unnoticed. “Because it’s not an instant depletion, you don’t suddenly feel bad the next day, it’s months down the line. It’s very, very slow.” In just over a year, the balanced plant-based food she cooked daily from scratch, using organic vegetables from the farm she works on, and legumes and nuts vital for protein, had, she felt, taken a toll on her body.

    Continue reading...", + "content": "

    Going vegan has never been more popular – but some people who try it and then decide to reintroduce animal products face shocking treatment

    In 2015, Freya Robinson decided to go vegan. For more than a year, the 28-year-old from East Sussex did not consume a single animal product. Then, in 2016, on a family holiday in Bulgaria, she passed a steak restaurant and something inside her switched. “I walked in and ordered the biggest steak I could have and completely inhaled it,” she says. After finishing it, she ordered another.

    For the previous year, Robinson had been suffering from various health problems – low energy levels, brain fog, painful periods and dull skin – which she now believes were the result of her diet. She says her decline was gradual and almost went unnoticed. “Because it’s not an instant depletion, you don’t suddenly feel bad the next day, it’s months down the line. It’s very, very slow.” In just over a year, the balanced plant-based food she cooked daily from scratch, using organic vegetables from the farm she works on, and legumes and nuts vital for protein, had, she felt, taken a toll on her body.

    Continue reading...", + "category": "Veganism", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/abuse-intimidation-death-threats-the-vicious-backlash-facing-fomer-vegans", + "creator": "Ellie Abraham", + "pubDate": "2021-12-04T10:00:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124856,16 +151293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "80c394414e72026024f5a5fea41f5729" + "hash": "0b26ef4ad80acd74eef4652b4a2a9985" }, { - "title": "Aung San Suu Kyi sentenced to four years in prison for incitement", - "description": "

    First verdict against Nobel Peace Prize winner and Myanmar’s former leader, who was deposed in a coup in February

    Aung San Suu Kyi has been sentenced to four years in prison for incitement and breaking Covid restrictions – the first verdict to be handed down to Myanmar’s ousted leader since the junta seized power in February.

    The 76-year-old has been accused of a series of offences – from unlawful possession of walkie-talkies to breaches of the Official Secrets Act – that could amount to decades-long prison sentences. Her lawyer has previously described the cases as “absurd”.

    Continue reading...", - "content": "

    First verdict against Nobel Peace Prize winner and Myanmar’s former leader, who was deposed in a coup in February

    Aung San Suu Kyi has been sentenced to four years in prison for incitement and breaking Covid restrictions – the first verdict to be handed down to Myanmar’s ousted leader since the junta seized power in February.

    The 76-year-old has been accused of a series of offences – from unlawful possession of walkie-talkies to breaches of the Official Secrets Act – that could amount to decades-long prison sentences. Her lawyer has previously described the cases as “absurd”.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/06/aung-san-suu-kyi-sentenced-to-four-years-in-prison-for-incitement", - "creator": "Rebecca Ratcliffe South-east Asia correspondent", - "pubDate": "2021-12-06T07:47:59Z", + "title": "Omicron cases climb amid Sydney cluster; Qld to quarantine Adelaide travellers – as it happened", + "description": "

    South Australia announces rule changes for interstate arrivals as ACT records first case of variant. This blog is now closed

    Just noting we are still waiting on the SA press conference to begin.

    There’s a press conference with the South Australian premier, Steven Marshall, and CHO Nicola Spurrier at 9.45am SA time (so roughly half an hour from now).

    Continue reading...", + "content": "

    South Australia announces rule changes for interstate arrivals as ACT records first case of variant. This blog is now closed

    Just noting we are still waiting on the SA press conference to begin.

    There’s a press conference with the South Australian premier, Steven Marshall, and CHO Nicola Spurrier at 9.45am SA time (so roughly half an hour from now).

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/04/australia-live-news-updates-omicron-covid-cases-climb-as-western-sydney-school-cluster-worsens", + "creator": "Tory Shepherd and Josh Taylor (earlier)", + "pubDate": "2021-12-04T06:47:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124876,16 +151313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3a7e535351b6fdc2c5191b7b61d95850" + "hash": "bff37e3e4f6720c743ee410d03b7ef08" }, { - "title": "Old UK oilwells could be turned into CO2 burial test sites", - "description": "

    Exclusive: Consortium of energy firms and universities says underground storage of hydrogen can also be investigated

    Exhausted oil and gas wells would be turned into the UK’s first deep test sites for burying carbon dioxide next year, under plans from a consortium of universities and energy companies.

    There are hundreds of active onshore oil and gas wells in the UK. But as they come to the end of their lives, some need to be redeployed for trials of pumping CO2 underground and monitoring it to ensure it does not escape, the group says. The test wells could also be used to assess how hydrogen can be stored underground.

    Continue reading...", - "content": "

    Exclusive: Consortium of energy firms and universities says underground storage of hydrogen can also be investigated

    Exhausted oil and gas wells would be turned into the UK’s first deep test sites for burying carbon dioxide next year, under plans from a consortium of universities and energy companies.

    There are hundreds of active onshore oil and gas wells in the UK. But as they come to the end of their lives, some need to be redeployed for trials of pumping CO2 underground and monitoring it to ensure it does not escape, the group says. The test wells could also be used to assess how hydrogen can be stored underground.

    Continue reading...", - "category": "Oil", - "link": "https://www.theguardian.com/environment/2021/dec/06/old-uk-oilwells-co2-burial-test-sites-hydrogen", - "creator": "Damian Carrington Environment editor", - "pubDate": "2021-12-06T12:00:20Z", + "title": "'Matter of time': Fauci confirms first US case of Omicron – video", + "description": "

    The first confirmed case of the Omicron variant of Covid-19 in the US has been identified in California. In a White House news briefing, Anthony Fauci, the director of the national institute of allergies and infectious diseases and chief medical adviser to the US president, said the case was in an individual who had travelled from South Africa on 22 November and tested positive for Covid on 29 November. 'We knew it was just a matter of time,' he said

    Continue reading...", + "content": "

    The first confirmed case of the Omicron variant of Covid-19 in the US has been identified in California. In a White House news briefing, Anthony Fauci, the director of the national institute of allergies and infectious diseases and chief medical adviser to the US president, said the case was in an individual who had travelled from South Africa on 22 November and tested positive for Covid on 29 November. 'We knew it was just a matter of time,' he said

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/01/matter-of-time-fauci-confirms-first-us-case-of-omicron-video", + "creator": "", + "pubDate": "2021-12-01T19:50:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124896,16 +151333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf29680adaa125d1cdc54bc8b6f5baae" + "hash": "1e3d1e8718c235f355e961b36c2fc8bd" }, { - "title": "‘Crooked bastards’: Trump attacks US media in foul-mouthed speech", - "description": "

    Insults to press and chairman of joint chiefs of staff recall barbs while Trump was in power

    In remarks to diners at his Mar-a-Lago resort in Florida on Saturday night, Donald Trump called the American media “crooked bastards” and Gen Mark Milley, the chairman of the joint chiefs of staff, a “fucking idiot”.

    The meandering, foul-mouthed speech to Turning Point USA, a group for young conservatives, was streamed by Jack Posobiec, a rightwing blogger and provocateur.

    Continue reading...", - "content": "

    Insults to press and chairman of joint chiefs of staff recall barbs while Trump was in power

    In remarks to diners at his Mar-a-Lago resort in Florida on Saturday night, Donald Trump called the American media “crooked bastards” and Gen Mark Milley, the chairman of the joint chiefs of staff, a “fucking idiot”.

    The meandering, foul-mouthed speech to Turning Point USA, a group for young conservatives, was streamed by Jack Posobiec, a rightwing blogger and provocateur.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/06/trump-attacks-us-media-mark-milley-foul-mouthed-speech", - "creator": "Martin Pengelly", - "pubDate": "2021-12-06T06:00:16Z", + "title": "Time to think about mandatory Covid vaccination, says EU chief – video", + "description": "

    The EU must consider mandatory vaccination in response to the spread of the 'highly contagious' Omicron Covid variant across Europe, the European Commission president has said. Ursula von der Leyen said one-third of Europe's 150-million population were not vaccinated and it was 'appropriate' to discuss the issue

    Continue reading...", + "content": "

    The EU must consider mandatory vaccination in response to the spread of the 'highly contagious' Omicron Covid variant across Europe, the European Commission president has said. Ursula von der Leyen said one-third of Europe's 150-million population were not vaccinated and it was 'appropriate' to discuss the issue

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/dec/01/time-to-think-about-mandatory-covid-vaccination-says-eu-chief-video", + "creator": "", + "pubDate": "2021-12-01T18:59:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124916,16 +151353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26b047d3b2e2a22cc62701d6287167fd" + "hash": "5585265823459cadd6658e8c497c5d09" }, { - "title": "Covid not over and next pandemic could be more lethal, says Oxford jab creator", - "description": "

    Prof Dame Sarah Gilbert says this will not be the last time a virus threatens our lives and our livelihoods

    The coronavirus pandemic that has so far killed more than 5 million people worldwide is far from over and the next one could be even more lethal, the creator of the Oxford/AstraZeneca vaccine has said.

    As fears grow over the threat posed by the highly mutated Omicron variant, detected in more than 30 countries, Prof Dame Sarah Gilbert cautioned that while it was increasingly obvious that “this pandemic is not done with us”, the next one could be worse.

    Continue reading...", - "content": "

    Prof Dame Sarah Gilbert says this will not be the last time a virus threatens our lives and our livelihoods

    The coronavirus pandemic that has so far killed more than 5 million people worldwide is far from over and the next one could be even more lethal, the creator of the Oxford/AstraZeneca vaccine has said.

    As fears grow over the threat posed by the highly mutated Omicron variant, detected in more than 30 countries, Prof Dame Sarah Gilbert cautioned that while it was increasingly obvious that “this pandemic is not done with us”, the next one could be worse.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/06/covid-not-over-next-pandemic-could-be-more-lethal-oxford-jab-creator", - "creator": "Andrew Gregory and Jessica Elgot", - "pubDate": "2021-12-06T00:01:08Z", + "title": "Mali: militants fire on bus, killing at least 31 people", + "description": "

    Insurgents shoot villagers going to a market on the same day UN peacekeeping convoy attacked, killing one person

    Militants have killed at least 31 people in central Mali when they fired upon a bus ferrying people to a local market and attacked a UN convoy in the north of the country in a region racked by a violent insurgency.

    The bus was attacked on Friday by unidentified gunmen as it travelled its twice-weekly route from the village of Songho to a market in Bandiagara six miles (10km) away, said Moulaye Guindo, the mayor of the nearby town of Bankass.

    Continue reading...", + "content": "

    Insurgents shoot villagers going to a market on the same day UN peacekeeping convoy attacked, killing one person

    Militants have killed at least 31 people in central Mali when they fired upon a bus ferrying people to a local market and attacked a UN convoy in the north of the country in a region racked by a violent insurgency.

    The bus was attacked on Friday by unidentified gunmen as it travelled its twice-weekly route from the village of Songho to a market in Bandiagara six miles (10km) away, said Moulaye Guindo, the mayor of the nearby town of Bankass.

    Continue reading...", + "category": "Mali", + "link": "https://www.theguardian.com/world/2021/dec/04/mali-militants-fire-on-bus-killing-at-least-31-people", + "creator": "Staff and agencies", + "pubDate": "2021-12-04T06:58:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124936,16 +151373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d8ba309b408cadbb55704e10fd4449cf" + "hash": "9adddcf902769ff84b4f374c2e043c94" }, { - "title": "Emma Beddington tries … being a mermaid: ‘I’m more beached seal than beguiling siren’", - "description": "

    Being a beautiful watery creature is a challenge if you have no technique or breath control – and can’t hear a word beneath your floral swimming cap

    I am too old for Disney’s Little Mermaid. My sister was the right age, but our right-on 80s household was a princess-free zone (though The Little Mermaid is arguably one of the more subversive films in the canon, with its exploration of identity and conformity and nods to drag culture). I have, however, gleaned that the transformation from mermaid to human is a risky business; I believe a crab says so.

    But what about the reverse? Because today, I, a human, am becoming a mermaid, thanks to Donna Rumney of Mermaids at Jesmond Pool, in Newcastle upon Tyne. Donna is booked out with children’s mermaid parties but adult sessions are popular, too: everyone wants to be a mermaid now. There are mermaid pageants and conventions; people pay thousands of pounds for custom-made silicone tails. Something about that in-between state, the grace and fluidity, appeals when life on land feels so hidebound and joyless. I love the idea of achieving a state of otherworldly aquatic grace; what could possibly go wrong?

    Continue reading...", - "content": "

    Being a beautiful watery creature is a challenge if you have no technique or breath control – and can’t hear a word beneath your floral swimming cap

    I am too old for Disney’s Little Mermaid. My sister was the right age, but our right-on 80s household was a princess-free zone (though The Little Mermaid is arguably one of the more subversive films in the canon, with its exploration of identity and conformity and nods to drag culture). I have, however, gleaned that the transformation from mermaid to human is a risky business; I believe a crab says so.

    But what about the reverse? Because today, I, a human, am becoming a mermaid, thanks to Donna Rumney of Mermaids at Jesmond Pool, in Newcastle upon Tyne. Donna is booked out with children’s mermaid parties but adult sessions are popular, too: everyone wants to be a mermaid now. There are mermaid pageants and conventions; people pay thousands of pounds for custom-made silicone tails. Something about that in-between state, the grace and fluidity, appeals when life on land feels so hidebound and joyless. I love the idea of achieving a state of otherworldly aquatic grace; what could possibly go wrong?

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/06/emma-beddington-tries-being-a-mermaid-im-more-beached-seal-than-beguiling-siren", - "creator": "Emma Beddington", - "pubDate": "2021-12-06T07:00:17Z", + "title": "This was a bridge too far, even for Boris Johnson | Rowan Moore", + "description": "

    His proposed link from Scotland to Northern Ireland has finally been sunk by cost. No surprise there

    An architect who was invited to design a kitchen extension for a married couple spent an evening with them to discuss their (conflicting) needs and aspirations for the work. At the end, he gave them this valuable advice. “You don’t need a kitchen,” he said, “you need a divorce.”

    This story brings us to the announcement that Boris Johnson’s idea of building a bridge between Northern Ireland and Scotland would be, at £335bn, absurdly expensive. Such was widely suspected as soon as the plan became public given, among other things, that it would have to cross the 300m-deep Beaufort’s Dyke, which is filled with up to a million tonnes of dumped munitions. But it has required a government feasibility study by a team of “world-renowned technical advisers” to conclude that bears do, after all, shit in the woods.

    Continue reading...", + "content": "

    His proposed link from Scotland to Northern Ireland has finally been sunk by cost. No surprise there

    An architect who was invited to design a kitchen extension for a married couple spent an evening with them to discuss their (conflicting) needs and aspirations for the work. At the end, he gave them this valuable advice. “You don’t need a kitchen,” he said, “you need a divorce.”

    This story brings us to the announcement that Boris Johnson’s idea of building a bridge between Northern Ireland and Scotland would be, at £335bn, absurdly expensive. Such was widely suspected as soon as the plan became public given, among other things, that it would have to cross the 300m-deep Beaufort’s Dyke, which is filled with up to a million tonnes of dumped munitions. But it has required a government feasibility study by a team of “world-renowned technical advisers” to conclude that bears do, after all, shit in the woods.

    Continue reading...", + "category": "Architecture", + "link": "https://www.theguardian.com/commentisfree/2021/dec/04/this-was-a-bridge-too-far-even-for-boris-johnson", + "creator": "Rowan Moore", + "pubDate": "2021-12-04T17:00:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124956,16 +151393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "620425b8c0c2bf3d0accaeb886105927" + "hash": "726e280ea21558452cf6932aea24fe79" }, { - "title": "'No rules were broken' if No 10 party took place, says police minister – video", - "description": "

    The policing minister, Kit Malthouse, said 'no rules were broken' if a party took place last Christmas at Downing Street, directly contradicting Dominic Raab, the justice secretary, who conceded on Sunday that a 'formal party' of the sort reported would have been contrary to the then-Covid-19 guidance.

    Malthouse claimed the police 'don’t normally look back and investigate things that have taken place a year ago', but said it would be right for police to follow up any formal complaints about the event.

    Continue reading...", - "content": "

    The policing minister, Kit Malthouse, said 'no rules were broken' if a party took place last Christmas at Downing Street, directly contradicting Dominic Raab, the justice secretary, who conceded on Sunday that a 'formal party' of the sort reported would have been contrary to the then-Covid-19 guidance.

    Malthouse claimed the police 'don’t normally look back and investigate things that have taken place a year ago', but said it would be right for police to follow up any formal complaints about the event.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/video/2021/dec/06/no-rules-were-broken-if-no10-party-took-place-says-police-minister-video", - "creator": "", - "pubDate": "2021-12-06T13:37:51Z", + "title": "Joe Biden pledges to make any Russian invasion of Ukraine ‘very, very difficult’", + "description": "

    Washington and Kyiv say Moscow has massed troops near border ahead of planned US-Russia video summit

    Joe Biden he said he would make it “very, very difficult” for Russia to launch any invasion of Ukraine, which warned that a large-scale attack could be planned for next month.

    Washington and Kyiv say Moscow has massed troops near Ukraine’s borders and accuse Russia of planning an invasion.

    Continue reading...", + "content": "

    Washington and Kyiv say Moscow has massed troops near border ahead of planned US-Russia video summit

    Joe Biden he said he would make it “very, very difficult” for Russia to launch any invasion of Ukraine, which warned that a large-scale attack could be planned for next month.

    Washington and Kyiv say Moscow has massed troops near Ukraine’s borders and accuse Russia of planning an invasion.

    Continue reading...", + "category": "Ukraine", + "link": "https://www.theguardian.com/world/2021/dec/03/joe-biden-russia-ukraine-invasion-very-difficult", + "creator": "AFP in Washington", + "pubDate": "2021-12-03T18:03:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124976,16 +151413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3069e1401f466648d087541f45c24e45" + "hash": "286d57036627f524571b435860ba00c8" }, { - "title": "Fauci cautiously optimistic about Omicron variant severity | First Thing", - "description": "

    Fauci says Republican ‘overhyping’ claim on Covid is ‘preposterous’. Plus, Trump attacks the media again

    Good morning.

    Dismissing as “preposterous” a Republican senator’s claim he is “overhyping” Covid-19 as he did HIV and Aids, Dr Anthony Fauci said on Sunday the threat to the US from the Omicron variant remained to be determined – but that signs were encouraging.

    What did Fauci say about Johnson? “Overhyping Aids? It’s killed over 750,000 Americans and 36 million people worldwide. How do you overhype Covid? It’s already killed 780,000 Americans and over 5 million people worldwide. So, I don’t have any clue of what he’s talking about.”

    How bad is the spread of Omicron? The variant has been detected in 15 US states. Fauci was cautiously optimistic current vaccines might work against it.

    What do Americans think about overturning Roe v Wade? According to recent polling, seven in 10 are opposed to overturning the landmark ruling while 59% believe abortion should be legal in all or most circumstances.

    Continue reading...", - "content": "

    Fauci says Republican ‘overhyping’ claim on Covid is ‘preposterous’. Plus, Trump attacks the media again

    Good morning.

    Dismissing as “preposterous” a Republican senator’s claim he is “overhyping” Covid-19 as he did HIV and Aids, Dr Anthony Fauci said on Sunday the threat to the US from the Omicron variant remained to be determined – but that signs were encouraging.

    What did Fauci say about Johnson? “Overhyping Aids? It’s killed over 750,000 Americans and 36 million people worldwide. How do you overhype Covid? It’s already killed 780,000 Americans and over 5 million people worldwide. So, I don’t have any clue of what he’s talking about.”

    How bad is the spread of Omicron? The variant has been detected in 15 US states. Fauci was cautiously optimistic current vaccines might work against it.

    What do Americans think about overturning Roe v Wade? According to recent polling, seven in 10 are opposed to overturning the landmark ruling while 59% believe abortion should be legal in all or most circumstances.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/06/first-thing-fauci-cautiously-optimistic-about-omicron-variant-severity", - "creator": "Nicola Slawson", - "pubDate": "2021-12-06T11:12:04Z", + "title": "Covid news: Boris Johnson reported to police over No 10 parties, South Korea cases and deaths at new high", + "description": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "content": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", + "creator": "Sarah Marsh", + "pubDate": "2021-12-04T11:28:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -124996,16 +151433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e51cb3c395c178f4d87813a39f300c37" + "hash": "fec25b068076a5f7662cdc744f9c35d4" }, { - "title": "Covid news live: Omicron likely to be dominant strain in UK ‘within weeks’; Japan confirms third case", - "description": "

    Expert says probably already 1,000 cases in UK; man who had been in Italy becomes Japan’s third person identified with Omicron

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "content": "

    Expert says probably already 1,000 cases in UK; man who had been in Italy becomes Japan’s third person identified with Omicron

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", - "creator": "Martin Belam (now) and Samantha Lock (earlier)", - "pubDate": "2021-12-06T09:33:57Z", + "title": "Billie Eilish: ‘I’ve gotten a lot more proud of who I am’", + "description": "

    The pop superstar on her extraordinary year – the Bond theme, that Vogue cover, the success of her second album – and hosting Saturday Night Live

    It’s a measure of what Billie Eilish’s life has been like in 2021 that she woke up one morning last month, rolled over to check her phone and found out she’d got seven Grammy award nominations. She’d overslept the actual announcement. “I was up late, watching Fleabag. Again!”

    We’re speaking over Zoom from her home in Los Angeles. “This is my third time watching Fleabag. I’ve literally just paused it, again, to do this interview. Andrew Scott is my favourite actor in the world! And Phoebe [Waller-Bridge] is so fucking good, I can’t stress it enough. When I met her at the Bond premiere, I was trying not to blow smoke up her ass the entire night.”

    Eilish would be a standout figure of 2021 for her Grammy-winning title music for No Time to Die alone, written, as always, with her big brother, Finneas. It premiered at the pre-Covid 2020 Brit awards and was finally unleashed in the cinemas just over two months ago (“We saw the whole movie in December 2019… we’ve had to keep all the secrets for two years… that was hard!”). But the Bond theme is old news, given everything else that has happened this past year.

    Continue reading...", + "content": "

    The pop superstar on her extraordinary year – the Bond theme, that Vogue cover, the success of her second album – and hosting Saturday Night Live

    It’s a measure of what Billie Eilish’s life has been like in 2021 that she woke up one morning last month, rolled over to check her phone and found out she’d got seven Grammy award nominations. She’d overslept the actual announcement. “I was up late, watching Fleabag. Again!”

    We’re speaking over Zoom from her home in Los Angeles. “This is my third time watching Fleabag. I’ve literally just paused it, again, to do this interview. Andrew Scott is my favourite actor in the world! And Phoebe [Waller-Bridge] is so fucking good, I can’t stress it enough. When I met her at the Bond premiere, I was trying not to blow smoke up her ass the entire night.”

    Eilish would be a standout figure of 2021 for her Grammy-winning title music for No Time to Die alone, written, as always, with her big brother, Finneas. It premiered at the pre-Covid 2020 Brit awards and was finally unleashed in the cinemas just over two months ago (“We saw the whole movie in December 2019… we’ve had to keep all the secrets for two years… that was hard!”). But the Bond theme is old news, given everything else that has happened this past year.

    Continue reading...", + "category": "Billie Eilish", + "link": "https://www.theguardian.com/music/2021/dec/04/billie-eilish-interview-faces-of-year-happier-than-ever", + "creator": "Jude Rogers", + "pubDate": "2021-12-04T13:00:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125016,16 +151453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "79021f18f81d970a7822bc8390c86a72" + "hash": "69fbee58efe80e8e5590d1c57a715938" }, { - "title": "Mountaineer given jewels he found on French glacier 50 years after plane crash", - "description": "

    Gemstones worth €300,000 shared between Mont Blanc climber and authorities as man praised for handing discovery to police in 2013

    A treasure trove of emeralds, rubies and sapphires buried for decades on a glacier off France’s Mont Blanc has finally been shared between the climber who discovered them and local authorities, eight years after they were found.

    The mountaineer stumbled across the precious stones in 2013. They had remained hidden in a metal box that was onboard an Indian plane that crashed in the desolate landscape some 50 years earlier.

    Continue reading...", - "content": "

    Gemstones worth €300,000 shared between Mont Blanc climber and authorities as man praised for handing discovery to police in 2013

    A treasure trove of emeralds, rubies and sapphires buried for decades on a glacier off France’s Mont Blanc has finally been shared between the climber who discovered them and local authorities, eight years after they were found.

    The mountaineer stumbled across the precious stones in 2013. They had remained hidden in a metal box that was onboard an Indian plane that crashed in the desolate landscape some 50 years earlier.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/06/mountaineer-given-jewels-he-found-on-french-glacier-50-years-after-plane-crash", - "creator": "Agence France-Presse", - "pubDate": "2021-12-06T01:03:49Z", + "title": "Are you dreaming of a booze-free Christmas? Join the (soda) club", + "description": "

    The market in no- and low-alcohol drinks is booming in the UK as more people swap the festive hangover for mindful drinking

    The concept of a Christmas without champagne, wine or whisky is counterintuitive to many. But this festive season, growing numbers of Britons are eschewing alcohol and gearing up for a teetotal – or at least partially so – celebration, according to retailers.

    Sales in the no- and low-alcohol category, also known as “NoLo”, are expected to grow by 17% in the UK this year, reports IWSR Drinks Market Analysis, and will hit almost 19 million cases and a value of $741m (£558m). Meanwhile, Sainsbury’s, Waitrose and Tesco all report that sales of NoLo drinks have seen huge rises year on year, a trend they expect to continue in the run-up to Christmas, amid a rise in “mindful drinking”.

    Continue reading...", + "content": "

    The market in no- and low-alcohol drinks is booming in the UK as more people swap the festive hangover for mindful drinking

    The concept of a Christmas without champagne, wine or whisky is counterintuitive to many. But this festive season, growing numbers of Britons are eschewing alcohol and gearing up for a teetotal – or at least partially so – celebration, according to retailers.

    Sales in the no- and low-alcohol category, also known as “NoLo”, are expected to grow by 17% in the UK this year, reports IWSR Drinks Market Analysis, and will hit almost 19 million cases and a value of $741m (£558m). Meanwhile, Sainsbury’s, Waitrose and Tesco all report that sales of NoLo drinks have seen huge rises year on year, a trend they expect to continue in the run-up to Christmas, amid a rise in “mindful drinking”.

    Continue reading...", + "category": "Alcohol", + "link": "https://www.theguardian.com/society/2021/dec/04/are-you-dreaming-of-a-booze-free-christmas-join-the-soda-club", + "creator": "Miranda Bryant", + "pubDate": "2021-12-04T14:30:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125036,16 +151473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "52940123fec7f8d520ab49fe1bbbdfa3" + "hash": "5ba1ad5c5bfeb2ea27407f0c3ee62817" }, { - "title": "Far-right French presidential candidate put in headlock by protester at rally", - "description": "

    Éric Zemmour formally declared his candidacy on Tuesday, highlighting his anti-migrant and anti-Islam views

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, a few days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked.

    Continue reading...", - "content": "

    Éric Zemmour formally declared his candidacy on Tuesday, highlighting his anti-migrant and anti-Islam views

    The far-right French presidential candidate Éric Zemmour appeared to be put in a headlock by a protester at his first campaign, a few days after he formally declared his candidacy in a video highlighting his anti-migrant and anti-Islam views.

    Videos online appeared to show Zemmour being grabbed by a man at the heated rally near Paris on Sunday, during which anti-racism activists were also reportedly attacked.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/05/far-right-french-presidential-candidate-put-in-headlock-by-protester-at-rally", - "creator": "Guardian staff and agency", - "pubDate": "2021-12-05T20:32:24Z", + "title": "Mel Brooks on losing the loves of his life: ‘People know how good Carl Reiner was, but not how great’", + "description": "

    From best friend Carl Reiner to wife Anne Bancroft, the great comic has had to face great loss. But even in the middle of a pandemic, the 95-year-old is still finding ways to laugh

    In February 2020, I joined Mel Brooks at the Beverly Hills home of his best friend, the director and writer Carl Reiner, for their nightly tradition of eating dinner together and watching the gameshow Jeopardy!. It was one of the most emotional nights of my life. Brooks, more than anyone, shaped my idea of Jewish-American humour, emphasising its joyfulness, cleverness and in-jokiness. Compared with his stellar 60s and 70s, when he was one of the most successful movie directors in the world, with The Producers and Blazing Saddles, and later his glittering 2000s, when his musical adaptation of The Producers dominated Broadway and the West End, his 80s and 90s are considered relatively fallow years. But his 1987 Star Wars spoof, Spaceballs, was the first Brooks movie I saw, and nothing was funnier to this then nine-year-old than that nonstop gag-a-thon (forget Yoda and the Force; in Spaceballs, Mel Brooks is Yoghurt and he wields the greatest power of all, the Schwartz).

    I loved listening to Brooks and Reiner – whose films included The Jerk and The Man With Two Brains – reminisce about their eight decades of friendship in which, together and separately, they created some of the greatest American comedy of the 20th century. The deep love between them was palpable, with Brooks, then 93, gently prompting 97-year-old Reiner on some of his anecdotes. It was impossible not to be moved by their friendship, and hard not to feel anxiety about the prospect of one of them someday having to dine on his own.

    Continue reading...", + "content": "

    From best friend Carl Reiner to wife Anne Bancroft, the great comic has had to face great loss. But even in the middle of a pandemic, the 95-year-old is still finding ways to laugh

    In February 2020, I joined Mel Brooks at the Beverly Hills home of his best friend, the director and writer Carl Reiner, for their nightly tradition of eating dinner together and watching the gameshow Jeopardy!. It was one of the most emotional nights of my life. Brooks, more than anyone, shaped my idea of Jewish-American humour, emphasising its joyfulness, cleverness and in-jokiness. Compared with his stellar 60s and 70s, when he was one of the most successful movie directors in the world, with The Producers and Blazing Saddles, and later his glittering 2000s, when his musical adaptation of The Producers dominated Broadway and the West End, his 80s and 90s are considered relatively fallow years. But his 1987 Star Wars spoof, Spaceballs, was the first Brooks movie I saw, and nothing was funnier to this then nine-year-old than that nonstop gag-a-thon (forget Yoda and the Force; in Spaceballs, Mel Brooks is Yoghurt and he wields the greatest power of all, the Schwartz).

    I loved listening to Brooks and Reiner – whose films included The Jerk and The Man With Two Brains – reminisce about their eight decades of friendship in which, together and separately, they created some of the greatest American comedy of the 20th century. The deep love between them was palpable, with Brooks, then 93, gently prompting 97-year-old Reiner on some of his anecdotes. It was impossible not to be moved by their friendship, and hard not to feel anxiety about the prospect of one of them someday having to dine on his own.

    Continue reading...", + "category": "Mel Brooks", + "link": "https://www.theguardian.com/film/2021/dec/04/mel-brooks-on-losing-the-loves-of-his-life-people-know-how-good-carl-reiner-was-but-not-how-great", + "creator": "Hadley Freeman", + "pubDate": "2021-12-04T08:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125056,16 +151493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc507b81dfa0e68c782ef3284cd84693" + "hash": "2b314c9e2de4e4f0463b0fcc1962a1c0" }, { - "title": "Mount Semeru volcano: search for survivors suspended amid fresh eruption in Indonesia", - "description": "

    Search to resume when ‘a bit safer’, rescuer says, while some residents reported to have returned home after weekend eruption to check belongings

    Indonesia’s Mount Semeru spewed more ash on Monday, forcing rescuers to suspend the search for survivors as aerial images showed the extent of the devastation unleashed by the volcano’s deadly weekend eruption.

    People living near the volcano were earlier on Monday warned to remain vigilant after the eruption, as heavy wind and rain brought search-and-rescue efforts to a halt.

    Continue reading...", - "content": "

    Search to resume when ‘a bit safer’, rescuer says, while some residents reported to have returned home after weekend eruption to check belongings

    Indonesia’s Mount Semeru spewed more ash on Monday, forcing rescuers to suspend the search for survivors as aerial images showed the extent of the devastation unleashed by the volcano’s deadly weekend eruption.

    People living near the volcano were earlier on Monday warned to remain vigilant after the eruption, as heavy wind and rain brought search-and-rescue efforts to a halt.

    Continue reading...", - "category": "Volcanoes", - "link": "https://www.theguardian.com/world/2021/dec/06/semeru-volcano-eruption-stormy-weather-halts-search-and-rescue-efforts-in-indonesia", - "creator": "Guardian staff with agencies", - "pubDate": "2021-12-06T06:48:19Z", + "title": "Romance fraudster conned women in UK out of thousands, say police", + "description": "

    NCA says Osagie Aigbonohan used series of online aliases to form relationships with victims including terminally ill woman

    A romance fraudster conned a victim out of thousands of pounds and targeted hundreds of others, including a terminally ill woman, according to the National Crime Agency (NCA).

    Osagie Aigbonohan, 40, used a number of aliases to contact women online through dating and social media sites, and in one case cheated a woman out of almost £10,000, the agency said.

    Continue reading...", + "content": "

    NCA says Osagie Aigbonohan used series of online aliases to form relationships with victims including terminally ill woman

    A romance fraudster conned a victim out of thousands of pounds and targeted hundreds of others, including a terminally ill woman, according to the National Crime Agency (NCA).

    Osagie Aigbonohan, 40, used a number of aliases to contact women online through dating and social media sites, and in one case cheated a woman out of almost £10,000, the agency said.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/04/romance-fraudster-conned-women-in-uk-out-of-thousands-say-police", + "creator": "PA Media", + "pubDate": "2021-12-04T15:14:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125076,16 +151513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "96100e74e1fc7bf5bd024bb40964e3b6" + "hash": "147b9c264c6a21a6fd243174a103245c" }, { - "title": "China ‘modified’ the weather to create clear skies for political celebration – study", - "description": "

    Researchers say Beijing used cloud-seeding to create artificial rain and lower pollution in July, in latest example of ‘blueskying’ efforts

    Chinese weather authorities successfully controlled the weather ahead of a major political celebration earlier this year, according to a Beijing university study.

    On 1 July the Chinese Communist party marked its centenary with major celebrations including tens of thousands of people at a ceremony in Tiananmen Square, and a research paper from Tsinghua University has said an extensive cloud-seeding operation in the hours prior ensured clear skies and low air pollution.

    Continue reading...", - "content": "

    Researchers say Beijing used cloud-seeding to create artificial rain and lower pollution in July, in latest example of ‘blueskying’ efforts

    Chinese weather authorities successfully controlled the weather ahead of a major political celebration earlier this year, according to a Beijing university study.

    On 1 July the Chinese Communist party marked its centenary with major celebrations including tens of thousands of people at a ceremony in Tiananmen Square, and a research paper from Tsinghua University has said an extensive cloud-seeding operation in the hours prior ensured clear skies and low air pollution.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/dec/06/china-modified-the-weather-to-create-clear-skies-for-political-celebration-study", - "creator": "Helen Davidson", - "pubDate": "2021-12-06T04:28:29Z", + "title": "Filming wild beasts: Cherry Kearton interviewed – archive, 11 May 1914", + "description": "

    11 May 1914: The British wildlife photographer tells the Guardian about filming animals ‘unmolested and unharassed in their native wilds’

    I found Mr Cherry Kearton, who has just returned from crossing Africa with a kinema camera for the third time, in the private room of his London office (writes a representative of the Manchester Guardian).

    He was endeavouring to conduct a business conversation on the telephone. Round him stood half a dozen merry friends, whose joy at welcoming him home was so ebullient that they refused to be serious. The author of several standard books was giving lifelike imitations of a roaring lion, while the others were laughing loudly at his performance.

    Continue reading...", + "content": "

    11 May 1914: The British wildlife photographer tells the Guardian about filming animals ‘unmolested and unharassed in their native wilds’

    I found Mr Cherry Kearton, who has just returned from crossing Africa with a kinema camera for the third time, in the private room of his London office (writes a representative of the Manchester Guardian).

    He was endeavouring to conduct a business conversation on the telephone. Round him stood half a dozen merry friends, whose joy at welcoming him home was so ebullient that they refused to be serious. The author of several standard books was giving lifelike imitations of a roaring lion, while the others were laughing loudly at his performance.

    Continue reading...", + "category": "Photography", + "link": "https://www.theguardian.com/artanddesign/2021/dec/04/filming-wild-beasts-cherry-kearton-interviewed-1914", + "creator": "A representative of the Manchester Guardian", + "pubDate": "2021-12-04T10:00:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125096,16 +151533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c321365769d7d782ba7054042c9cfc64" + "hash": "2bb82a5ddf1e968fd7bd29974c749365" }, { - "title": "China Evergrande shares plummet 12% as it edges closer to default", - "description": "

    After warning that it might not be able to meet repayments with $82.5m due on Monday, the property giant appears headed for restructuring

    The struggling Chinese property developer Evergrande has seen its shares plunge to an 11-year low after strong indications that it is on the verge of a potentially disastrous default and could be forced into a full-blown restructuring.

    The company has lurched from one crisis to another in recent months as it faced a series of repayments on debts – three times waiting until the last possible moment to stump up the cash needed to stay afloat.

    Continue reading...", - "content": "

    After warning that it might not be able to meet repayments with $82.5m due on Monday, the property giant appears headed for restructuring

    The struggling Chinese property developer Evergrande has seen its shares plunge to an 11-year low after strong indications that it is on the verge of a potentially disastrous default and could be forced into a full-blown restructuring.

    The company has lurched from one crisis to another in recent months as it faced a series of repayments on debts – three times waiting until the last possible moment to stump up the cash needed to stay afloat.

    Continue reading...", - "category": "Evergrande", - "link": "https://www.theguardian.com/business/2021/dec/06/evergrande-shares-plummet-12-as-it-edges-closer-to-default", - "creator": "Martin Farrer", - "pubDate": "2021-12-06T05:51:57Z", + "title": "Omicron seems to carry higher Covid reinfection risk, says South Africa", + "description": "

    Scientists warn of higher rate of repeat infections but say vaccines appear to protect against serious illness

    The Omicron variant of Covid-19 appears to be reinfecting people at three times the rate of previous strains, experts in South Africa have said, as public health officials and scientists from around the world closely monitor developments in the country where it was first identified.

    As the EU’s public health agency warned that Omicron could cause more than half of all new Covid infections in Europe within the next few months, evidence was emerging, however, that vaccines still appear to offer protection against serious illness.

    Continue reading...", + "content": "

    Scientists warn of higher rate of repeat infections but say vaccines appear to protect against serious illness

    The Omicron variant of Covid-19 appears to be reinfecting people at three times the rate of previous strains, experts in South Africa have said, as public health officials and scientists from around the world closely monitor developments in the country where it was first identified.

    As the EU’s public health agency warned that Omicron could cause more than half of all new Covid infections in Europe within the next few months, evidence was emerging, however, that vaccines still appear to offer protection against serious illness.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/02/omicron-may-cause-more-covid-reinfections-say-south-african-experts", + "creator": "Peter Beaumont and Nick Dall in Cape Town", + "pubDate": "2021-12-02T18:23:07Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125116,16 +151553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d9b3463654c652f8053de16995c841c6" + "hash": "6c79da79c89365823c0e50eda49c6418" }, { - "title": "Omicron is a ‘wake-up call’ to vaccinate poorer nations, experts say", - "description": "

    Covid vaccine rollout must reach developing world to prevent further variants, experts say

    Failure to vaccinate the world against coronavirus created the perfect breeding ground for the emergence of the Omicron variant and should serve as a wake-up call to wealthy nations, campaigners have said.

    Scientists and global health experts have called for action since the summer to tackle the crisis of vaccine inequality between rich and poor countries. The longer large parts of the world remained unvaccinated, they said, the more likely the virus was to mutate significantly.

    Continue reading...", - "content": "

    Covid vaccine rollout must reach developing world to prevent further variants, experts say

    Failure to vaccinate the world against coronavirus created the perfect breeding ground for the emergence of the Omicron variant and should serve as a wake-up call to wealthy nations, campaigners have said.

    Scientists and global health experts have called for action since the summer to tackle the crisis of vaccine inequality between rich and poor countries. The longer large parts of the world remained unvaccinated, they said, the more likely the virus was to mutate significantly.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/06/omicron-wake-up-call-to-vaccinate-poorer-nations-covid", - "creator": "Andrew Gregory Health editor", - "pubDate": "2021-12-06T00:01:08Z", + "title": "Michigan shooting: suspect’s parents in custody charged with manslaughter", + "description": "
    • Jennifer and James Crumbley went missing, prompting search
    • Son Ethan, 15, charged with murder over deadly school shooting

    The parents of a boy who is accused of killing four students at a Michigan high school have been taken into custody after the pair went missing in the wake of being charged as part of the investigation into the mass shooting.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter but authorities on Friday said the whereabouts of the Crumbleys were not known, prompting a search.

    Continue reading...", + "content": "
    • Jennifer and James Crumbley went missing, prompting search
    • Son Ethan, 15, charged with murder over deadly school shooting

    The parents of a boy who is accused of killing four students at a Michigan high school have been taken into custody after the pair went missing in the wake of being charged as part of the investigation into the mass shooting.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter but authorities on Friday said the whereabouts of the Crumbleys were not known, prompting a search.

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/2021/dec/03/michigan-high-school-shooting-parents-manslaughter-charges", + "creator": "Joanna Walters and agencies", + "pubDate": "2021-12-04T08:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125136,16 +151573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fb464f7f0a4fab96c57ec66785e183d1" + "hash": "51934e6ec4442b660d5fb97ee5c118ee" }, { - "title": "Belgian police fire water cannon at anti-lockdown protests", - "description": "

    Two officers and four protesters hospitalised, and 20 people arrested, after clashes in Brussels

    Belgian police have fired water cannon and used teargas to disperse protesters opposed to compulsory health measures against the coronavirus pandemic.

    About 8,000 people marched through Brussels towards the headquarters of the EU, chanting “freedom” and letting off fireworks.

    Continue reading...", - "content": "

    Two officers and four protesters hospitalised, and 20 people arrested, after clashes in Brussels

    Belgian police have fired water cannon and used teargas to disperse protesters opposed to compulsory health measures against the coronavirus pandemic.

    About 8,000 people marched through Brussels towards the headquarters of the EU, chanting “freedom” and letting off fireworks.

    Continue reading...", - "category": "Belgium", - "link": "https://www.theguardian.com/world/2021/dec/05/belgian-police-fire-water-cannon-at-anti-lockdown-protests", - "creator": "Agence France-Presse", - "pubDate": "2021-12-05T22:54:20Z", + "title": "Nowhere left to pray: Hindu groups target Muslim sites in Gurgaon", + "description": "

    The dwindling number of places available for the metropolis’s Muslims are becoming religious battlefields

    Until a few weeks ago, no one had given much thought to the car park outside sector 37 police station in Gurgaon, a satellite city to India’s capital, Delhi. But for the last few Fridays the dusty, litter-strewn patch of concrete has become a religious battlefield.

    This week as a Hindu nationalist mob assembled in their usual saffron, roars of their signature slogans “Jai Shri Ram” (Hail Lord Ram) and “hail the motherland” filled the air. Then a cry rang out: “The Muslims are here.” And the mob began to charge.

    Continue reading...", + "content": "

    The dwindling number of places available for the metropolis’s Muslims are becoming religious battlefields

    Until a few weeks ago, no one had given much thought to the car park outside sector 37 police station in Gurgaon, a satellite city to India’s capital, Delhi. But for the last few Fridays the dusty, litter-strewn patch of concrete has become a religious battlefield.

    This week as a Hindu nationalist mob assembled in their usual saffron, roars of their signature slogans “Jai Shri Ram” (Hail Lord Ram) and “hail the motherland” filled the air. Then a cry rang out: “The Muslims are here.” And the mob began to charge.

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/dec/04/hindu-groups-target-muslim-sites-india-gurgaon", + "creator": "Hannah Ellis-Petersen in Gurgaon", + "pubDate": "2021-12-04T05:00:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125156,16 +151593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "90d92edb36f36db3adb053ea5ad78cfd" + "hash": "c65698811d276a8f44c25a84ddb982e9" }, { - "title": "A new start after 60: ‘I was done. Burnt out. Then I moved into a motorhome and found freedom’", - "description": "

    After suffering bereavements and a dark period in her 50s, Siobhan Daniels, 62, decided to embrace adventure. So she swapped her flat for life on the road

    Siobhan Daniels is giving a virtual tour of her home. “I’ve got my gin bar,” she says, flicking on decorative lights, “an oven big enough for Christmas lunch ... and a full-size shower and toilet.” The moment she walked in, she knew it was the home for her. She gave up her flat in Kent, disposed of most possessions – and moved into this two-berth Auto-Trail Tribute motorhome.

    Daniels, 62, is speaking from a farm in Dorset, where she volunteers in exchange for free electric hook-up. She has recently travelled south from Scotland, where she arrived via Sussex, Herefordshire and the Brecon Beacons. Of course, everywhere now is both an arrival and a departure. “I lie here and look at the map and think: ‘Where am I? Where do I want to go?’ It’s as random as that.”

    Tell us: has your life taken a new direction after the age of 60?

    Continue reading...", - "content": "

    After suffering bereavements and a dark period in her 50s, Siobhan Daniels, 62, decided to embrace adventure. So she swapped her flat for life on the road

    Siobhan Daniels is giving a virtual tour of her home. “I’ve got my gin bar,” she says, flicking on decorative lights, “an oven big enough for Christmas lunch ... and a full-size shower and toilet.” The moment she walked in, she knew it was the home for her. She gave up her flat in Kent, disposed of most possessions – and moved into this two-berth Auto-Trail Tribute motorhome.

    Daniels, 62, is speaking from a farm in Dorset, where she volunteers in exchange for free electric hook-up. She has recently travelled south from Scotland, where she arrived via Sussex, Herefordshire and the Brecon Beacons. Of course, everywhere now is both an arrival and a departure. “I lie here and look at the map and think: ‘Where am I? Where do I want to go?’ It’s as random as that.”

    Tell us: has your life taken a new direction after the age of 60?

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/06/a-new-start-after-60-i-was-done-burnt-out-then-i-moved-into-a-motorhome-and-found-freedom", - "creator": "Paula Cocozza", - "pubDate": "2021-12-06T06:00:17Z", + "title": "Dog noises, name calling, claims of abuse: a week of shame in Australian politics", + "description": "

    Despite a review finding one in three parliamentary staffers have been sexually harassed, behaviour inside the building shows no sign of improvement

    Allegations of abuse and accusations of widespread sexism. Bullying and harassment particularly of women. A cabinet minister stood aside pending an investigation into claims by a former staffer that their relationship was at times “abusive”. Even by the low standards of the Australian parliament, it was a week of horror in Canberra.

    The final sitting week of parliament for the year began with a long-awaited report on sexual harassment and cultural issues within the parliament, which found one in three parliamentary staffers “have experienced some form of sexual harassment while working there”.

    Continue reading...", + "content": "

    Despite a review finding one in three parliamentary staffers have been sexually harassed, behaviour inside the building shows no sign of improvement

    Allegations of abuse and accusations of widespread sexism. Bullying and harassment particularly of women. A cabinet minister stood aside pending an investigation into claims by a former staffer that their relationship was at times “abusive”. Even by the low standards of the Australian parliament, it was a week of horror in Canberra.

    The final sitting week of parliament for the year began with a long-awaited report on sexual harassment and cultural issues within the parliament, which found one in three parliamentary staffers “have experienced some form of sexual harassment while working there”.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/04/dog-noises-name-calling-claims-of-abuse-a-week-of-shame-in-australian-politics", + "creator": "Amy Remeikis in Canberra", + "pubDate": "2021-12-04T01:32:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125176,16 +151613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3265698eebf5818d6a9aec2320b1420a" + "hash": "1e576668ab5d7cd4f157ee302b824726" }, { - "title": "‘Optimism is the only way forward’: the exhibition that imagines our future", - "description": "

    At a new exhibition at the reopening of the Smithsonian Arts and Industries Building, technology and designs for a better future are on display

    If America has stood for anything, it’s surely forward-looking optimism. In New York, Chicago, Detroit and other shining cities, its soaring skyscrapers pointed to the future. But has the bubble burst in the 21st century?

    “We don’t see ourselves striding toward a better tomorrow,” columnist Frank Bruni wrote in the New York Times last month, citing research that found 71% of Americans believe that this country is on the wrong track. “We see ourselves tiptoeing around catastrophe. That was true even before Covid. That was true even before Trump.”

    Continue reading...", - "content": "

    At a new exhibition at the reopening of the Smithsonian Arts and Industries Building, technology and designs for a better future are on display

    If America has stood for anything, it’s surely forward-looking optimism. In New York, Chicago, Detroit and other shining cities, its soaring skyscrapers pointed to the future. But has the bubble burst in the 21st century?

    “We don’t see ourselves striding toward a better tomorrow,” columnist Frank Bruni wrote in the New York Times last month, citing research that found 71% of Americans believe that this country is on the wrong track. “We see ourselves tiptoeing around catastrophe. That was true even before Covid. That was true even before Trump.”

    Continue reading...", - "category": "Art", - "link": "https://www.theguardian.com/artanddesign/2021/dec/06/futures-smithsonian-exhibition-washington-art-design", - "creator": "David Smith in Washington", - "pubDate": "2021-12-06T06:31:16Z", + "title": "Emmanuel Macron accused of trying to ‘rehabilitate’ Mohammed bin Salman", + "description": "

    Human rights groups criticise French president’s planned meeting with crown prince in Saudi Arabia

    Human rights groups have criticised Emmanuel Macron’s planned meeting with Mohammed bin Salman in Saudi Arabia on Saturday, which will mark the first one-on-one public meeting of a major western leader with the crown prince since the state-sponsored assassination of the journalist Jamal Khashoggi.

    For three years since the 2018 murder, western heads of state have avoided direct one-on-one meetings with the crown prince in the kingdom. The US president, Joe Biden, has even avoided speaking to the future king in what has widely been seen as an attempt to avoid conferring legitimacy on the de facto ruler.

    But Macron’s move suggests at least one major western leader is ready to formally re-establish ties to the crown prince directly, less than a year after US intelligence agencies released a report stating they believed that Prince Mohammed had approved the murder of Khashoggi.

    Continue reading...", + "content": "

    Human rights groups criticise French president’s planned meeting with crown prince in Saudi Arabia

    Human rights groups have criticised Emmanuel Macron’s planned meeting with Mohammed bin Salman in Saudi Arabia on Saturday, which will mark the first one-on-one public meeting of a major western leader with the crown prince since the state-sponsored assassination of the journalist Jamal Khashoggi.

    For three years since the 2018 murder, western heads of state have avoided direct one-on-one meetings with the crown prince in the kingdom. The US president, Joe Biden, has even avoided speaking to the future king in what has widely been seen as an attempt to avoid conferring legitimacy on the de facto ruler.

    But Macron’s move suggests at least one major western leader is ready to formally re-establish ties to the crown prince directly, less than a year after US intelligence agencies released a report stating they believed that Prince Mohammed had approved the murder of Khashoggi.

    Continue reading...", + "category": "Emmanuel Macron", + "link": "https://www.theguardian.com/world/2021/dec/03/emmanuel-macron-accused-of-trying-to-rehabilitate-mohammed-bin-salman", + "creator": "Angelique Chrisafis in Paris and Stephanie Kirchgaessner in Washington", + "pubDate": "2021-12-03T20:26:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125196,16 +151633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a8cc745d77136d490d90d44057cbef3" + "hash": "86a1a41a43c41934b0a1d2907f83d6cf" }, { - "title": "The big idea: How much do we really want to know about our genes?", - "description": "

    Genetic data will soon be accessible like never before. The implications for our health are huge

    While at the till in a clothes shop, Ruby received a call. She recognised the woman’s voice as the genetic counsellor she had recently seen, and asked if she could try again in five minutes. Ruby paid for her clothes, went to her car, and waited alone. Something about the counsellor’s voice gave away what was coming.

    The woman called back and said Ruby’s genetic test results had come in. She did indeed carry the mutation they had been looking for. Ruby had inherited a faulty gene from her father, the one that had caused his death aged 36 from a connective tissue disorder that affected his heart. It didn’t seem the right situation in which to receive such news but, then again, how else could it happen? The phone call lasted just a few minutes. The counsellor asked if Ruby had any questions, but she couldn’t think of anything. She rang off, called her husband and cried. The main thing she was upset about was the thought of her children being at risk.

    Continue reading...", - "content": "

    Genetic data will soon be accessible like never before. The implications for our health are huge

    While at the till in a clothes shop, Ruby received a call. She recognised the woman’s voice as the genetic counsellor she had recently seen, and asked if she could try again in five minutes. Ruby paid for her clothes, went to her car, and waited alone. Something about the counsellor’s voice gave away what was coming.

    The woman called back and said Ruby’s genetic test results had come in. She did indeed carry the mutation they had been looking for. Ruby had inherited a faulty gene from her father, the one that had caused his death aged 36 from a connective tissue disorder that affected his heart. It didn’t seem the right situation in which to receive such news but, then again, how else could it happen? The phone call lasted just a few minutes. The counsellor asked if Ruby had any questions, but she couldn’t think of anything. She rang off, called her husband and cried. The main thing she was upset about was the thought of her children being at risk.

    Continue reading...", - "category": "Genetics", - "link": "https://www.theguardian.com/books/2021/dec/06/the-big-idea-how-much-do-we-really-want-to-know-about-our-genes", - "creator": "Daniel M Davis", - "pubDate": "2021-12-06T08:00:18Z", + "title": "Top Trump official to plead the fifth to Capitol attack committee", + "description": "

    John Eastman, linked to efforts to stop Biden certification, to invoke constitutional protection against self-incrimination

    Former Trump lawyer John Eastman, who was connected to efforts to stop the certification of Joe Biden’s presidential election win on 6 January, will plead the fifth amendment protection against self-incrimination before the House select committee investigating the Capitol attack.

    The move by Eastman, communicated in a letter to the select committee by his attorney, is an extraordinary step and appears to suggest a growing fear among some of Trump’s closest advisers that their testimony may implicate them in potential criminality.

    Continue reading...", + "content": "

    John Eastman, linked to efforts to stop Biden certification, to invoke constitutional protection against self-incrimination

    Former Trump lawyer John Eastman, who was connected to efforts to stop the certification of Joe Biden’s presidential election win on 6 January, will plead the fifth amendment protection against self-incrimination before the House select committee investigating the Capitol attack.

    The move by Eastman, communicated in a letter to the select committee by his attorney, is an extraordinary step and appears to suggest a growing fear among some of Trump’s closest advisers that their testimony may implicate them in potential criminality.

    Continue reading...", + "category": "US Capitol attack", + "link": "https://www.theguardian.com/us-news/2021/dec/03/top-trump-official-capitol-attack-committee-john-eastman", + "creator": "Hugo Lowell in Washington", + "pubDate": "2021-12-03T19:14:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125216,16 +151653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "38f9e6d3f1a8a2402b68d0302987d899" + "hash": "6f35bc8cedd59a66819b3aeb5720a1c7" }, { - "title": "Female Royal Navy staff back calls for rape cases to be tried in civilian courts", - "description": "

    An amendment to the Armed Forces Bill recommends rapes cases should not be heard under courts martial

    A serving member of the Royal Navy, who took legal action against the Ministry of Defence after her rape case collapsed, has backed calls for serious offences to be investigated and tried through the civilian courts rather than the military system.

    The woman, known as Servicewoman A, has called on the government to accept an amendment to the Armed Forces Bill, which she says will “encourage more women to come forward” and protect them from the “appalling consequences” of reporting rape within their unit.

    Continue reading...", - "content": "

    An amendment to the Armed Forces Bill recommends rapes cases should not be heard under courts martial

    A serving member of the Royal Navy, who took legal action against the Ministry of Defence after her rape case collapsed, has backed calls for serious offences to be investigated and tried through the civilian courts rather than the military system.

    The woman, known as Servicewoman A, has called on the government to accept an amendment to the Armed Forces Bill, which she says will “encourage more women to come forward” and protect them from the “appalling consequences” of reporting rape within their unit.

    Continue reading...", - "category": "Royal Navy", - "link": "https://www.theguardian.com/uk-news/2021/dec/06/female-royal-navy-staff-back-calls-for-cases-to-be-tried-in-civilian-courts", - "creator": "Jamie Grierson", - "pubDate": "2021-12-06T00:01:09Z", + "title": "Does the Omicron variant mean Covid is going to become more transmissible?", + "description": "

    As new strain dampens idea pandemic might be diminishing, what does the future hold for coronavirus?

    When scientists predicted, months ago, that Covid-19 could be entering an endemic phase, many felt ready for the crisis period of the pandemic to be over. The tantalising suggestion that coronavirus might, at some foreseeable point, be just another seasonal cold felt welcome. But the emergence of the Omicron variant, just weeks before Christmas, shows this is not guaranteed to be a smooth or quick transition.

    Continue reading...", + "content": "

    As new strain dampens idea pandemic might be diminishing, what does the future hold for coronavirus?

    When scientists predicted, months ago, that Covid-19 could be entering an endemic phase, many felt ready for the crisis period of the pandemic to be over. The tantalising suggestion that coronavirus might, at some foreseeable point, be just another seasonal cold felt welcome. But the emergence of the Omicron variant, just weeks before Christmas, shows this is not guaranteed to be a smooth or quick transition.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/03/what-does-the-future-hold-for-coronavirus-explainer", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-12-03T16:42:44Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125236,16 +151673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e759ac13a9f10836a9801da30ba73a90" + "hash": "91fad6ab94af54d42132d94ed2511e10" }, { - "title": "French election polls: who is leading the race to be the next president of France?", - "description": "

    Emmanuel Macron and the far-right hopeful Marine Le Pen look set to be joined by numerous other candidates in the French presidential election. We look at the latest polling, and introduce some of the most likely candidates

    France will vote to elect a new president in April, and the list of competitors became clearer on Saturday with the nomination of the centre-right Les Républicains party’s candidate, Valérie Pécresse.

    The current president, Emmanuel Macron, has yet to declare his candidacy but is expected to run again. His second-round opponent from 2017, the far-right populist Marine Le Pen, has already launched her campaign.

    Continue reading...", - "content": "

    Emmanuel Macron and the far-right hopeful Marine Le Pen look set to be joined by numerous other candidates in the French presidential election. We look at the latest polling, and introduce some of the most likely candidates

    France will vote to elect a new president in April, and the list of competitors became clearer on Saturday with the nomination of the centre-right Les Républicains party’s candidate, Valérie Pécresse.

    The current president, Emmanuel Macron, has yet to declare his candidacy but is expected to run again. His second-round opponent from 2017, the far-right populist Marine Le Pen, has already launched her campaign.

    Continue reading...", - "category": "Emmanuel Macron", - "link": "https://www.theguardian.com/world/ng-interactive/2021/dec/03/french-election-polls-who-is-leading-the-race-to-be-the-next-president-of-france", - "creator": "Seán Clarke and Angelique Chrisafis", - "pubDate": "2021-12-06T08:24:28Z", + "title": "The first man to hunt wildlife with a camera, not a rifle", + "description": "

    Cherry Kearton popularised nature like a Victorian David Attenborough – using bold techniques to get close to his subjects, as a new exhibition shows

    In 1909 two wildlife safari expeditions arrived by ship in Mombasa, Kenya, within days of each other. One party was enormous and led by the adventure-loving US president Teddy Roosevelt; the other consisted of just two men and was headed by Cherry Kearton, a young British bird photographer from Yorkshire.

    Over several months on safari the trigger-happy president and his son Kermit killed 17 lions, 11 elephants, 20 rhino, nine giraffes, 19 zebra, more than 400 hippos, hyena and other large animals, as well as many thousands of birds and smaller animals. By contrast Kearton, the first man in the world to hunt with a camera and not a rifle, killed just one animal, in self-defence.

    Continue reading...", + "content": "

    Cherry Kearton popularised nature like a Victorian David Attenborough – using bold techniques to get close to his subjects, as a new exhibition shows

    In 1909 two wildlife safari expeditions arrived by ship in Mombasa, Kenya, within days of each other. One party was enormous and led by the adventure-loving US president Teddy Roosevelt; the other consisted of just two men and was headed by Cherry Kearton, a young British bird photographer from Yorkshire.

    Over several months on safari the trigger-happy president and his son Kermit killed 17 lions, 11 elephants, 20 rhino, nine giraffes, 19 zebra, more than 400 hippos, hyena and other large animals, as well as many thousands of birds and smaller animals. By contrast Kearton, the first man in the world to hunt with a camera and not a rifle, killed just one animal, in self-defence.

    Continue reading...", + "category": "Photography", + "link": "https://www.theguardian.com/artanddesign/2021/dec/04/cherry-kearton-victorian-wildlife-photographer-exhibition", + "creator": "John Vidal", + "pubDate": "2021-12-04T10:00:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125256,16 +151693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ff113ee2c6c46a85b94d268f115c435d" + "hash": "db118d119f8111040468d2beee66ba08" }, { - "title": "Poland plans to set up register of pregnancies to report miscarriages", - "description": "

    Proposed register would come into effect in January, a year after near-total ban on abortion

    Poland is planning to introduce a centralised register of pregnancies that would oblige doctors to report all pregnancies and miscarriages to the government.

    The proposed register would come into effect in January 2022, a year after Poland introduced a near-total ban on abortion.

    Continue reading...", - "content": "

    Proposed register would come into effect in January, a year after near-total ban on abortion

    Poland is planning to introduce a centralised register of pregnancies that would oblige doctors to report all pregnancies and miscarriages to the government.

    The proposed register would come into effect in January 2022, a year after Poland introduced a near-total ban on abortion.

    Continue reading...", - "category": "Poland", - "link": "https://www.theguardian.com/global-development/2021/dec/03/poland-plans-to-set-up-register-of-pregnancies-to-report-miscarriages", - "creator": "Weronika Strzyżyńska", - "pubDate": "2021-12-03T15:56:43Z", + "title": "Flashback – JLS: ‘X Factor was a crash course in this industry. Zero to hero in 10 weeks’", + "description": "

    Aston, Marvin, JB and Oritsé recreate their audition photo and reflect on backflips, friendships, reuniting and turkey farming

    Finalists on 2008’s X Factor, JLS – short for Jack the Lad Swing – are one of the show’s most successful acts. Celebrated for their R&B-infused pop and slick dance routines, the band reached No 1 with their first single, Beat Again, while their debut album won multiple Brit and Mobo awards, and went quadruple platinum. They released three more albums and a condom range, before splitting in 2013. Oritsé Williams and Aston Merrygold went on to pursue solo careers in music, Marvin Humes is thriving as a TV and radio host, while JB Gill pivoted to turkey farming in Kent. Their new album, JLS 2.0, came out on 3 December, and they complete their comeback tour on 12 December at Capital’s Jingle Bell Ball at London’s O2.

    Aston Merrygold
    It was Marvin’s idea to wear pastel polo shirts. We vibed it out in shorts, Converse and pulled-up socks. That first X Factor audition opened a lot of doors for JLS, fashion-wise, as it was quite forward-thinking at the time. The same thing happened later down the line with the deep V T-shirts. We were always happy to set boyband trends.

    Continue reading...", + "content": "

    Aston, Marvin, JB and Oritsé recreate their audition photo and reflect on backflips, friendships, reuniting and turkey farming

    Finalists on 2008’s X Factor, JLS – short for Jack the Lad Swing – are one of the show’s most successful acts. Celebrated for their R&B-infused pop and slick dance routines, the band reached No 1 with their first single, Beat Again, while their debut album won multiple Brit and Mobo awards, and went quadruple platinum. They released three more albums and a condom range, before splitting in 2013. Oritsé Williams and Aston Merrygold went on to pursue solo careers in music, Marvin Humes is thriving as a TV and radio host, while JB Gill pivoted to turkey farming in Kent. Their new album, JLS 2.0, came out on 3 December, and they complete their comeback tour on 12 December at Capital’s Jingle Bell Ball at London’s O2.

    Aston Merrygold
    It was Marvin’s idea to wear pastel polo shirts. We vibed it out in shorts, Converse and pulled-up socks. That first X Factor audition opened a lot of doors for JLS, fashion-wise, as it was quite forward-thinking at the time. The same thing happened later down the line with the deep V T-shirts. We were always happy to set boyband trends.

    Continue reading...", + "category": "JLS", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/flashback-jls-x-factor-was-a-crash-course-in-this-industry-zero-to-hero-in-10-weeks", + "creator": "Harriet Gibsone", + "pubDate": "2021-12-04T12:00:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125276,16 +151713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bec9fce9d42ed6c9ee44afe64ffba81d" + "hash": "adc5f40b9c15078764eff92de15d9193" }, { - "title": "India’s ‘pencil village’ counts the cost of Covid school closures", - "description": "

    Ukhoo village in Kashmir supplies 90% of wood used in the country’s pencils, but the industry, a major employer in the area, has seen a dramatic drop in demand

    School closures in India during the pandemic have left their mark on more than the children who have seen delays to their learning. In one Kashmiri village the impact has been catastrophic on employment.

    Pick up a pencil anywhere across India and it is likely to come from the poplar trees of Ukhoo.

    Continue reading...", - "content": "

    Ukhoo village in Kashmir supplies 90% of wood used in the country’s pencils, but the industry, a major employer in the area, has seen a dramatic drop in demand

    School closures in India during the pandemic have left their mark on more than the children who have seen delays to their learning. In one Kashmiri village the impact has been catastrophic on employment.

    Pick up a pencil anywhere across India and it is likely to come from the poplar trees of Ukhoo.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/03/indias-pencil-village-counts-the-cost-of-covid-school-closures", - "creator": "Majid Maqbool in Ukhoo", - "pubDate": "2021-12-03T09:30:37Z", + "title": "Jodie Whittaker on saying goodbye to Doctor Who: ‘I thought, what if I’ve ruined this for actresses?’", + "description": "

    As she gears up for her final outings as the first female Doctor, the actor reflects on how her life has changed, being the subject of fan fiction – and what happens when a Weeping Angel comes to life

    Jodie Whittaker made history in 2017 when she took over from Peter Capaldi and became the 13th Doctor in Doctor Who, making her the first woman to ever play the time-travelling alien with two hearts. She grew up near Huddersfield, West Yorkshire, and is, she says, “really emotional”, a trait she turned to good use in a series of harrowing parts, most famously in Broadchurch, where she played a grieving mother alongside David Tennant (himself the 10th Doctor). When the Broadchurch creator Chris Chibnall took over as Doctor Who showrunner, he said that casting Whittaker was “a no-brainer”. Their first series came out in 2018, and this year Chibnall revealed that the two of them had a “three series and out” pact. In July, they announced they would be leaving the show after three specials, which will air in 2022, when Russell T Davies will return as showrunner and a new Doctor will take over from Whittaker. Her final full series of Doctor Who, subtitled Flux, ends on 5 December.

    In summer, you said that you thought you’d be “filled with grief” at the end of your run. It has been a few weeks since you filmed your last scene as the Doctor – how are you feeling?
    I’ve literally just got off the phone with Mandip [Gill, who plays the Doctor’s companion, Yasmin Khan]. It’s been four years of my life. My grief of saying goodbye to the job is one thing. But it won’t feel like the end until it’s the end. It’s the everydayness of these people and this atmosphere and this group … I find myself monologuing at various people on WhatsApp, checking that they miss me! Mandip’s had to take the blue ticks off because I’m “exhausting”.

    Continue reading...", + "content": "

    As she gears up for her final outings as the first female Doctor, the actor reflects on how her life has changed, being the subject of fan fiction – and what happens when a Weeping Angel comes to life

    Jodie Whittaker made history in 2017 when she took over from Peter Capaldi and became the 13th Doctor in Doctor Who, making her the first woman to ever play the time-travelling alien with two hearts. She grew up near Huddersfield, West Yorkshire, and is, she says, “really emotional”, a trait she turned to good use in a series of harrowing parts, most famously in Broadchurch, where she played a grieving mother alongside David Tennant (himself the 10th Doctor). When the Broadchurch creator Chris Chibnall took over as Doctor Who showrunner, he said that casting Whittaker was “a no-brainer”. Their first series came out in 2018, and this year Chibnall revealed that the two of them had a “three series and out” pact. In July, they announced they would be leaving the show after three specials, which will air in 2022, when Russell T Davies will return as showrunner and a new Doctor will take over from Whittaker. Her final full series of Doctor Who, subtitled Flux, ends on 5 December.

    In summer, you said that you thought you’d be “filled with grief” at the end of your run. It has been a few weeks since you filmed your last scene as the Doctor – how are you feeling?
    I’ve literally just got off the phone with Mandip [Gill, who plays the Doctor’s companion, Yasmin Khan]. It’s been four years of my life. My grief of saying goodbye to the job is one thing. But it won’t feel like the end until it’s the end. It’s the everydayness of these people and this atmosphere and this group … I find myself monologuing at various people on WhatsApp, checking that they miss me! Mandip’s had to take the blue ticks off because I’m “exhausting”.

    Continue reading...", + "category": "Jodie Whittaker", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/04/jodie-whittaker-on-saying-goodbye-to-doctor-who-i-thought-what-if-ive-ruined-this-for-actresses", + "creator": "Rebecca Nicholson", + "pubDate": "2021-12-04T09:00:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125296,16 +151733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fbf5cb91bf096b56755ea5f1d7e6b86a" + "hash": "56bdf5d3360a68e0f374d4a34f1dba8c" }, { - "title": "Covid news live: Omicron found in one-third of US states but early reports on severity are ‘encouraging’, Fauci says", - "description": "

    Variant detected in 16 US states so far; the threat appears to be less severe than Delta with signals so far ‘a bit encouraging’, Dr Anthony Fauci says

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "content": "

    Variant detected in 16 US states so far; the threat appears to be less severe than Delta with signals so far ‘a bit encouraging’, Dr Anthony Fauci says

    The Johnson & Johnson booster shot may work well for those who originally had a Pfizer vaccine, a recent study has found.

    Researchers at the Beth Israel Deaconess Medical Center in Boston studied 65 people who had received two shots of the Pfizer vaccine. Six months after the second dose, the researchers gave 24 of the volunteers a third dose of the Pfizer vaccine and gave 41 the Johnson & Johnson shot.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/06/covid-news-live-omicron-found-in-one-third-of-us-states-germany-plans-vaccine-mandates-for-some-health-jobs", - "creator": "Samantha Lock", - "pubDate": "2021-12-06T03:22:29Z", + "title": "Best biographies and memoirs of 2021", + "description": "

    Brian Cox is punchy, David Harewood candid and Miriam Margolyes raucously indiscreet

    In a bonanza year for memoirs, Ruth Coker Burks got us off to a strong start with All the Young Men (Trapeze), a clear-eyed and poignant account of her years spent looking after Aids patients in Little Rock, Arkansas, in the 1980s. While visiting a friend in hospital, Burks witnessed a group of nurses drawing straws over who should enter a room labelled “Biohazard”, the ward for men with “that gay disease”. And so she took it upon herself to sit with the dying and bury them when their families wouldn’t. Later, as the scale of fear and prejudice became apparent, she helped patients with food, transport, social security and housing, often at enormous personal cost. Her book, written with Kevin Carr O’Leary, finds light in the darkness as it reveals the love and camaraderie of a hidden community fighting for its life.

    Sadness and joy also go hand-in-hand in What It Feels Like for a Girl (Penguin), an exuberant account of Paris Lees’s tearaway teenage years in Hucknall, Nottinghamshire, where “the streets are paved wi’ dog shit”. Her gender nonconformity is just one aspect of an adolescence that also features bullying, violence, prostitution, robbery and a spell in a young offenders’ institute. Yet despite the many traumas, Lees finds joy and kinship in the underground club scene and a group of drag queens who cocoon her in love and laughter.

    Continue reading...", + "content": "

    Brian Cox is punchy, David Harewood candid and Miriam Margolyes raucously indiscreet

    In a bonanza year for memoirs, Ruth Coker Burks got us off to a strong start with All the Young Men (Trapeze), a clear-eyed and poignant account of her years spent looking after Aids patients in Little Rock, Arkansas, in the 1980s. While visiting a friend in hospital, Burks witnessed a group of nurses drawing straws over who should enter a room labelled “Biohazard”, the ward for men with “that gay disease”. And so she took it upon herself to sit with the dying and bury them when their families wouldn’t. Later, as the scale of fear and prejudice became apparent, she helped patients with food, transport, social security and housing, often at enormous personal cost. Her book, written with Kevin Carr O’Leary, finds light in the darkness as it reveals the love and camaraderie of a hidden community fighting for its life.

    Sadness and joy also go hand-in-hand in What It Feels Like for a Girl (Penguin), an exuberant account of Paris Lees’s tearaway teenage years in Hucknall, Nottinghamshire, where “the streets are paved wi’ dog shit”. Her gender nonconformity is just one aspect of an adolescence that also features bullying, violence, prostitution, robbery and a spell in a young offenders’ institute. Yet despite the many traumas, Lees finds joy and kinship in the underground club scene and a group of drag queens who cocoon her in love and laughter.

    Continue reading...", + "category": "Autobiography and memoir", + "link": "https://www.theguardian.com/books/2021/dec/04/best-biographies-and-memoirs-of-2021", + "creator": "Fiona Sturges", + "pubDate": "2021-12-04T12:00:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125316,16 +151753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "db95547bc338e6e2336cfd7bf4d5eb88" + "hash": "1cb506aebf93e0d01a61eb2dd0547f0b" }, { - "title": "Pope castigates Europe over migration crisis during return to Lesbos", - "description": "

    Francis says fear, indifference and cynical disregard continue to condemn people to death at sea

    Pope Francis has returned to Lesbos, the Greek island long at the centre of Europe’s refugee crisis, to offer comfort to asylum seekers and harsh words for a continent that has all too often rejected them.

    Five years after his last visit, the pontiff admonished the west for its handling of the humanitarian crisis. Instead of welcoming people fleeing poverty and war, its indifference and cynical disregard had continued to condemn them to death, he said.

    Continue reading...", - "content": "

    Francis says fear, indifference and cynical disregard continue to condemn people to death at sea

    Pope Francis has returned to Lesbos, the Greek island long at the centre of Europe’s refugee crisis, to offer comfort to asylum seekers and harsh words for a continent that has all too often rejected them.

    Five years after his last visit, the pontiff admonished the west for its handling of the humanitarian crisis. Instead of welcoming people fleeing poverty and war, its indifference and cynical disregard had continued to condemn them to death, he said.

    Continue reading...", - "category": "Pope Francis", - "link": "https://www.theguardian.com/world/2021/dec/05/pope-castigates-europe-over-refugees-crisis-in-return-to-lesbos", - "creator": "Helena Smith in Athens", - "pubDate": "2021-12-05T16:47:35Z", + "title": "Storm Arwen: over 9,000 UK homes still without power after eight days", + "description": "

    Delays prompt energy regulator to threaten enforcement action and increase compensation payments

    Thousands of people are still without power eight days after Storm Arwen caused major damage to parts of the UK network.

    The latest figures from the Energy Networks Association (ENA), the national industry body, show about 9,200 homes were without power on Friday evening.

    Continue reading...", + "content": "

    Delays prompt energy regulator to threaten enforcement action and increase compensation payments

    Thousands of people are still without power eight days after Storm Arwen caused major damage to parts of the UK network.

    The latest figures from the Energy Networks Association (ENA), the national industry body, show about 9,200 homes were without power on Friday evening.

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/2021/dec/04/storm-arwen-over-9000-uk-homes-still-without-power-after-eight-days", + "creator": "PA Media", + "pubDate": "2021-12-04T11:28:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125336,16 +151773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ea18888f89582d2e90155f19a727778b" + "hash": "820514a68f2debee858a7d0bbe9a77c6" }, { - "title": "Republican Thomas Massie condemned for Christmas guns photo", - "description": "

    Congressman causes outrage by posting ‘insensitive’ tweet just days after Michigan school shooting

    A US congressman has posted a Christmas picture of himself and what appears to be his family, smiling and posing with an assortment of guns, just days after four teenagers were killed in a shooting at a high school in Michigan.

    Thomas Massie of Kentucky tweeted:

    Continue reading...", - "content": "

    Congressman causes outrage by posting ‘insensitive’ tweet just days after Michigan school shooting

    A US congressman has posted a Christmas picture of himself and what appears to be his family, smiling and posing with an assortment of guns, just days after four teenagers were killed in a shooting at a high school in Michigan.

    Thomas Massie of Kentucky tweeted:

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/2021/dec/05/republican-thomas-massie-condemned-for-christmas-guns-photo-congressman-michigan-school-shooting", - "creator": "Staff and agencies", - "pubDate": "2021-12-05T12:51:01Z", + "title": "Nevada supreme court: gun makers not liable for 2017 Vegas shooting deaths", + "description": "
    • Stephen Paddock killed 60 with modified AR-15 rifle
    • Parents of one victim sued Colt and other manufacturers

    The Nevada supreme court has said gun manufacturers cannot be held liable for deaths in the 2017 mass shooting on the Las Vegas Strip which killed 60, because a state law shields them from liability unless the weapon malfunctions.

    The parents of a woman among those killed at a packed music festival filed a wrongful death suit against Colt Manufacturing and several other gun manufacturers in July 2019.

    Continue reading...", + "content": "
    • Stephen Paddock killed 60 with modified AR-15 rifle
    • Parents of one victim sued Colt and other manufacturers

    The Nevada supreme court has said gun manufacturers cannot be held liable for deaths in the 2017 mass shooting on the Las Vegas Strip which killed 60, because a state law shields them from liability unless the weapon malfunctions.

    The parents of a woman among those killed at a packed music festival filed a wrongful death suit against Colt Manufacturing and several other gun manufacturers in July 2019.

    Continue reading...", + "category": "Nevada", + "link": "https://www.theguardian.com/us-news/2021/dec/04/nevada-supreme-court-gun-makers-2017-mass-shooting-60-deaths-stephen-paddock", + "creator": "Associated Press in Reno, Nevada", + "pubDate": "2021-12-04T13:04:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125356,16 +151793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "46f197d828ee544768e8697620559f0b" + "hash": "9360a7ec6fea55a43ae9d3985c9b16e6" }, { - "title": "Gambian opposition parties reject election results", - "description": "

    Incumbent president Adama Barrow wins by significant margin in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the results of Saturday’s historic vote in the West African nation that suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow received about 53% of Saturday’s vote, far outstripping his nearest rival, political veteran Ousainou Darboe, who won about 28%. In 2016 Barrow unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", - "content": "

    Incumbent president Adama Barrow wins by significant margin in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the results of Saturday’s historic vote in the West African nation that suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow received about 53% of Saturday’s vote, far outstripping his nearest rival, political veteran Ousainou Darboe, who won about 28%. In 2016 Barrow unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", - "category": "The Gambia", - "link": "https://www.theguardian.com/world/2021/dec/05/gambian-opposition-parties-reject-preliminary-election-results", - "creator": "Portia Crowe in Banjul", - "pubDate": "2021-12-06T00:30:02Z", + "title": "El Salvador ‘responsible for death of woman jailed after miscarriage’", + "description": "

    Inter-American court of human rights orders Central American country to reform harsh policies on reproductive health

    The Inter-American court of human rights has ruled that El Salvador was responsible for the death of Manuela, a woman who was jailed in 2008 for killing her baby when she suffered a miscarriage.

    The court has ordered the Central American country to reform its draconian policies on reproductive health.

    Continue reading...", + "content": "

    Inter-American court of human rights orders Central American country to reform harsh policies on reproductive health

    The Inter-American court of human rights has ruled that El Salvador was responsible for the death of Manuela, a woman who was jailed in 2008 for killing her baby when she suffered a miscarriage.

    The court has ordered the Central American country to reform its draconian policies on reproductive health.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/02/el-salvador-responsible-for-death-of-woman-jailed-after-miscarriage", + "creator": "Joe Parkin Daniels in Bogota", + "pubDate": "2021-12-02T08:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125376,16 +151813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5c5b38adf94d47cac0962f22e28567e3" + "hash": "47d10e7c67c3329467c201659bd26c72" }, { - "title": "‘Ferocious’ Niger battle leaves dozens of soldiers and militants dead", - "description": "

    Military calls in air and ground support to force attackers to retreat after being overwhelmed by their numbers, government says

    At least 12 soldiers and “dozens of terrorists” have been killed in a battle in western Niger, the defence ministry says, in the conflict-wracked “three borders” zone.

    Another eight soldiers were wounded in the clash with “hundreds of armed terrorists” 5km (three miles) from Fantio, the ministry statement on Sunday said.

    Continue reading...", - "content": "

    Military calls in air and ground support to force attackers to retreat after being overwhelmed by their numbers, government says

    At least 12 soldiers and “dozens of terrorists” have been killed in a battle in western Niger, the defence ministry says, in the conflict-wracked “three borders” zone.

    Another eight soldiers were wounded in the clash with “hundreds of armed terrorists” 5km (three miles) from Fantio, the ministry statement on Sunday said.

    Continue reading...", - "category": "Niger", - "link": "https://www.theguardian.com/world/2021/dec/06/ferocious-niger-battle-leaves-dozens-of-soldiers-and-militants-dead", - "creator": "Reuters in Niamey", - "pubDate": "2021-12-06T00:07:35Z", + "title": "Stoneycroft murder charge after woman’s body found", + "description": "

    Mohammad Ureza Azizi, 57, to face court charged with murdering Malak ‘Katy’ Adabzadeh who was found dead in house on 25 November

    A man has been charged with the murder of a 47-year-old woman whose body was found at a house in Stoneycroft, Liverpool.

    Emergency services were called to The Green around 4.55pm on 25 November to reports Malak Adabzadeh had been found in a house, Merseyside police said.

    Continue reading...", + "content": "

    Mohammad Ureza Azizi, 57, to face court charged with murdering Malak ‘Katy’ Adabzadeh who was found dead in house on 25 November

    A man has been charged with the murder of a 47-year-old woman whose body was found at a house in Stoneycroft, Liverpool.

    Emergency services were called to The Green around 4.55pm on 25 November to reports Malak Adabzadeh had been found in a house, Merseyside police said.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/04/stoneycroft-charge-after-womans-body-found", + "creator": "Press Association", + "pubDate": "2021-12-04T05:54:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125396,16 +151833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a2a0156d7714ebdf4cc105dfc1273ecb" + "hash": "842ae29017f313abffea629585518996" }, { - "title": "Fears of fatalities after Myanmar troops ‘use car to ram anti-coup protest’", - "description": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Three people were feared dead and at least 15 arrested after Myanmar security forces rammed into an anti-coup protest in a car in Yangon, witnesses and a protest organiser have said.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", - "content": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Three people were feared dead and at least 15 arrested after Myanmar security forces rammed into an anti-coup protest in a car in Yangon, witnesses and a protest organiser have said.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/05/myanmar-five-dead-after-troops-use-car-to-ram-anti-coup-protest-report", - "creator": "Reuters", - "pubDate": "2021-12-05T19:40:38Z", + "title": "US military academies’ aim of equality rings hollow for graduates of color", + "description": "

    Despite anti-discrimination policies ex-cadets say racism is rife in institutions that still honor Confederate generals

    Eight years after he graduated from the US Military Academy at West Point, New York, Geoffrey Easterling remains astonished by the Confederate history still memorialized on the storied academy’s campus – the six-foot-tall painting of the Confederate general Robert E Lee in the library, the barracks dormitory named for Lee and the Lee Gate on Lee Road.

    As a black student at the army academy, he remembers feeling “devastated” when a classmate pointed out the enslaved person also depicted in the life-size Lee painting.

    Continue reading...", + "content": "

    Despite anti-discrimination policies ex-cadets say racism is rife in institutions that still honor Confederate generals

    Eight years after he graduated from the US Military Academy at West Point, New York, Geoffrey Easterling remains astonished by the Confederate history still memorialized on the storied academy’s campus – the six-foot-tall painting of the Confederate general Robert E Lee in the library, the barracks dormitory named for Lee and the Lee Gate on Lee Road.

    As a black student at the army academy, he remembers feeling “devastated” when a classmate pointed out the enslaved person also depicted in the life-size Lee painting.

    Continue reading...", + "category": "US military", + "link": "https://www.theguardian.com/us-news/2021/dec/04/us-military-academies-racism-graduates-of-color", + "creator": "Associated Press", + "pubDate": "2021-12-04T11:00:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125416,16 +151853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0888e64a373e27577e24ea926ca6117" + "hash": "6984a64e88af86941c472cba3519df22" }, { - "title": "Severe weather warning for UK as Storm Barra set to arrive on Tuesday", - "description": "

    Met Office issues wind warnings in England, Wales and Northern Ireland and snow warnings in Scotland

    The Met Office has issued severe weather warnings for most of the UK ahead of the arrival of Storm Barra on Tuesday, as thousands of homes remain without power more than a week after Storm Arwen.

    Yellow wind weather warnings are in place across England, Wales and Northern Ireland for Tuesday, with yellow snow warnings in place in southern and western Scotland.

    Continue reading...", - "content": "

    Met Office issues wind warnings in England, Wales and Northern Ireland and snow warnings in Scotland

    The Met Office has issued severe weather warnings for most of the UK ahead of the arrival of Storm Barra on Tuesday, as thousands of homes remain without power more than a week after Storm Arwen.

    Yellow wind weather warnings are in place across England, Wales and Northern Ireland for Tuesday, with yellow snow warnings in place in southern and western Scotland.

    Continue reading...", - "category": "Extreme weather", - "link": "https://www.theguardian.com/world/2021/dec/05/severe-weather-warning-for-uk-as-storm-barra-set-to-arrive-on-tuesday", - "creator": "Jessica Murray Midlands correspondent", - "pubDate": "2021-12-05T16:26:27Z", + "title": "‘Mesmerising’: a massive murmuration of budgies is turning central Australia green and gold", + "description": "

    After a bumper wet season, huge flocks of budgerigars are on the move in the deserts of the Northern Territory

    The humble budgerigar has transformed the red centre into a sea of green and gold.

    A massive murmuration – the phenomenon of thousands of birds flocking together – has swarmed the Northern Territory.

    Continue reading...", + "content": "

    After a bumper wet season, huge flocks of budgerigars are on the move in the deserts of the Northern Territory

    The humble budgerigar has transformed the red centre into a sea of green and gold.

    A massive murmuration – the phenomenon of thousands of birds flocking together – has swarmed the Northern Territory.

    Continue reading...", + "category": "Birds", + "link": "https://www.theguardian.com/environment/2021/dec/04/mesmerising-a-massive-murmuration-of-budgies-is-turning-central-australia-green-and-gold", + "creator": "Cait Kelly", + "pubDate": "2021-12-03T19:00:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125436,16 +151873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6845ad91f8c06cf9fb90dd42a50a1591" + "hash": "b2f0b87462b7d5dfa11f0f8f9d1cecf6" }, { - "title": "Bob Dole, giant of Republican politics and presidential nominee, dies aged 98", - "description": "
    • Long-time power-broker lost 1996 election to Bill Clinton
    • Biden: ‘An American statesman like few in our history’
    • Obituary: Bob Dole, 1923-2021

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died. He was 98.

    In a statement, the Elizabeth Dole Foundation – founded by Dole’s wife, a former North Carolina senator and cabinet official – said: “It is with heavy hearts we announced that Senator Robert Joseph Dole died earlier this morning in his sleep. At his death at age 98 he had served the United States of America faithfully for 79 years.”

    Continue reading...", - "content": "
    • Long-time power-broker lost 1996 election to Bill Clinton
    • Biden: ‘An American statesman like few in our history’
    • Obituary: Bob Dole, 1923-2021

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died. He was 98.

    In a statement, the Elizabeth Dole Foundation – founded by Dole’s wife, a former North Carolina senator and cabinet official – said: “It is with heavy hearts we announced that Senator Robert Joseph Dole died earlier this morning in his sleep. At his death at age 98 he had served the United States of America faithfully for 79 years.”

    Continue reading...", - "category": "Republicans", - "link": "https://www.theguardian.com/us-news/2021/dec/05/bob-dole-republican-presidential-nominee-senator-dies-aged", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-12-05T19:17:14Z", + "title": "Grounded! What did a year without flying do to the world?", + "description": "

    Normally, planes are in constant motion, pinballing between continents. But in March 2020 all that came to a halt. What did it mean for our jobs, our horizons – and the planet?

    On 14 March 2020, I left my home in the Orkney Islands to drive to Edinburgh international airport. I was due to travel to Germany for a research trip. Full of nervous anticipation, and making frantic last-minute preparations, I hadn’t paid as much attention to the coronavirus crisis as I might have, but events were developing so quickly across Europe, it was dawning on me that international travel might not be an option for much longer.

    By 5am, as I boarded the ferry, the radio bulletins seemed apocalyptic. On board, passengers sat separately, in their own private islands of paranoia. I wore a mask over my nose and mouth, and cleaned my armrests with a baby wipe soaked in Dettol. In the toilets, the ship pitching beneath my feet, I scrubbed my hands for 60 seconds and examined my own reflection. Grey, I thought. Anxious.

    Continue reading...", + "content": "

    Normally, planes are in constant motion, pinballing between continents. But in March 2020 all that came to a halt. What did it mean for our jobs, our horizons – and the planet?

    On 14 March 2020, I left my home in the Orkney Islands to drive to Edinburgh international airport. I was due to travel to Germany for a research trip. Full of nervous anticipation, and making frantic last-minute preparations, I hadn’t paid as much attention to the coronavirus crisis as I might have, but events were developing so quickly across Europe, it was dawning on me that international travel might not be an option for much longer.

    By 5am, as I boarded the ferry, the radio bulletins seemed apocalyptic. On board, passengers sat separately, in their own private islands of paranoia. I wore a mask over my nose and mouth, and cleaned my armrests with a baby wipe soaked in Dettol. In the toilets, the ship pitching beneath my feet, I scrubbed my hands for 60 seconds and examined my own reflection. Grey, I thought. Anxious.

    Continue reading...", + "category": "Travel", + "link": "https://www.theguardian.com/travel/2021/dec/04/grounded-what-did-a-year-without-flying-do-to-the-world", + "creator": "Cal Flyn", + "pubDate": "2021-12-04T06:00:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125456,16 +151893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a2a247c73bba8d76796a6cc51efa85c8" + "hash": "059be5632fbad25cebb62c1be1637129" }, { - "title": "Banksy offers to raise £10m to buy Reading prison for art centre", - "description": "

    Artist would sell stencil used to paint mural depicting what was thought to be Oscar Wilde on listed building

    Banksy has offered to raise millions of pounds towards buying Reading prison, where Oscar Wilde was once held, so that it can be turned into an arts centre.

    The street artist has promised to match the jail’s £10m asking price by selling the stencil he used to paint on the Grade II-listed building in March, a move campaigners hope will prevent it from being sold to housing developers.

    Continue reading...", - "content": "

    Artist would sell stencil used to paint mural depicting what was thought to be Oscar Wilde on listed building

    Banksy has offered to raise millions of pounds towards buying Reading prison, where Oscar Wilde was once held, so that it can be turned into an arts centre.

    The street artist has promised to match the jail’s £10m asking price by selling the stencil he used to paint on the Grade II-listed building in March, a move campaigners hope will prevent it from being sold to housing developers.

    Continue reading...", - "category": "Banksy", - "link": "https://www.theguardian.com/artanddesign/2021/dec/05/bansky-offers-to-raises-10m-to-buy-reading-prison-for-art-centre", - "creator": "Nadia Khomami Arts and culture correspondent", - "pubDate": "2021-12-05T18:41:03Z", + "title": "Blind date: ‘It would have been better if he hadn’t had to stop for a takeaway on the way home’", + "description": "

    Adriana, 27, reporter, meets Streisand, 27, freelance reporter

    Adriana on Streisand

    What were you hoping for?
    A good night, some delish food and to meet someone fun and exciting.

    Continue reading...", + "content": "

    Adriana, 27, reporter, meets Streisand, 27, freelance reporter

    Adriana on Streisand

    What were you hoping for?
    A good night, some delish food and to meet someone fun and exciting.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/blind-date-adriana-streisand", + "creator": "", + "pubDate": "2021-12-04T06:00:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125476,16 +151913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5827baf34244e9cfeeb72cc9fe4d9f91" + "hash": "3e712d99250bae2c6a92fecc9e59b46f" }, { - "title": "Tell us about the people you have lost to Covid", - "description": "

    We would like to hear from people all over the world about the friends and family they have lost to the pandemic

    The end of December will mark two years since the world discovered an outbreak of a new virus in Wuhan, China. What followed was a difficult time for countries across the globe and many lives have been lost since the beginning of the pandemic.

    Ahead of the second anniversary of Covid, we would like to hear your tributes to the people you have lost to the virus during the last two years. Wherever you live in the world, we want to hear about your loved one and what they mean to you as part of our coverage.

    Continue reading...", - "content": "

    We would like to hear from people all over the world about the friends and family they have lost to the pandemic

    The end of December will mark two years since the world discovered an outbreak of a new virus in Wuhan, China. What followed was a difficult time for countries across the globe and many lives have been lost since the beginning of the pandemic.

    Ahead of the second anniversary of Covid, we would like to hear your tributes to the people you have lost to the virus during the last two years. Wherever you live in the world, we want to hear about your loved one and what they mean to you as part of our coverage.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/02/tell-us-about-the-people-you-have-lost-to-covid", - "creator": "Guardian community team", - "pubDate": "2021-12-02T11:41:17Z", + "title": "Best fiction of 2021", + "description": "

    Dazzling debuts, a word-of-mouth hit, plus this year’s bestsellers from Sally Rooney, Jonathan Franzen, Kazuo Ishiguro and more

    The most anticipated, discussed and accessorised novel of the year was Sally Rooney’s Beautiful World, Where Are You (Faber), launched on a tide of tote bags and bucket hats. It’s a book about the accommodations of adulthood, which plays with interiority and narrative distance as Rooney’s characters consider the purpose of friendship, sex and politics – plus the difficulties of fame and novel-writing – in a world on fire.

    Rooney’s wasn’t the only eagerly awaited new chapter. Polish Nobel laureate Olga Tokarczuk’s magnum opus The Books of Jacob (Fitzcarraldo) reached English-language readers at last, in a mighty feat of translation by Jennifer Croft: a dazzling historical panorama about enlightenment both spiritual and scientific. In 2021 we also saw the returns of Jonathan Franzen, beginning a fine and involving 70s family trilogy with Crossroads (4th Estate); Kazuo Ishiguro, whose Klara and the Sun (Faber) probes the limits of emotion in the story of a sickly girl and her “artificial friend”; and acclaimed US author Gayl Jones, whose epic of liberated slaves in 17th-century Brazil, Palmares (Virago), has been decades in the making.

    Continue reading...", + "content": "

    Dazzling debuts, a word-of-mouth hit, plus this year’s bestsellers from Sally Rooney, Jonathan Franzen, Kazuo Ishiguro and more

    The most anticipated, discussed and accessorised novel of the year was Sally Rooney’s Beautiful World, Where Are You (Faber), launched on a tide of tote bags and bucket hats. It’s a book about the accommodations of adulthood, which plays with interiority and narrative distance as Rooney’s characters consider the purpose of friendship, sex and politics – plus the difficulties of fame and novel-writing – in a world on fire.

    Rooney’s wasn’t the only eagerly awaited new chapter. Polish Nobel laureate Olga Tokarczuk’s magnum opus The Books of Jacob (Fitzcarraldo) reached English-language readers at last, in a mighty feat of translation by Jennifer Croft: a dazzling historical panorama about enlightenment both spiritual and scientific. In 2021 we also saw the returns of Jonathan Franzen, beginning a fine and involving 70s family trilogy with Crossroads (4th Estate); Kazuo Ishiguro, whose Klara and the Sun (Faber) probes the limits of emotion in the story of a sickly girl and her “artificial friend”; and acclaimed US author Gayl Jones, whose epic of liberated slaves in 17th-century Brazil, Palmares (Virago), has been decades in the making.

    Continue reading...", + "category": "Best books of the year", + "link": "https://www.theguardian.com/books/2021/dec/04/best-fiction-of-2021", + "creator": "Justine Jordan", + "pubDate": "2021-12-04T09:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125496,16 +151933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e270402597ef9f4ba8915a0e94c1165d" + "hash": "8df88746fb9eee28b870f437d7a80c8f" }, { - "title": "Dealing with uncertainty about the Omicron variant | David Spiegelhalter and Anthony Masters", - "description": "Caution is sensible when so much is unknown

    The race is on to understand the new variant identified by scientists in South Africa and Botswana, dubbed Omicron (the next Greek letter was “nu”, but this could have been mistaken for “new”). Fears include greater spread, worse disease or reduced effectiveness of treatments and vaccines.

    Increased transmission can arise from two factors. First, there is an intrinsic advantage, with a heightened “basic reproduction number” R0; in a susceptible population, that is the average number of people each case infects, although after 20 months of pandemic this has become a notional concept. It was around 3 for the original wild-type virus, compared to around 6 for Delta and possibly rather more for Omicron.

    Continue reading...", - "content": "Caution is sensible when so much is unknown

    The race is on to understand the new variant identified by scientists in South Africa and Botswana, dubbed Omicron (the next Greek letter was “nu”, but this could have been mistaken for “new”). Fears include greater spread, worse disease or reduced effectiveness of treatments and vaccines.

    Increased transmission can arise from two factors. First, there is an intrinsic advantage, with a heightened “basic reproduction number” R0; in a susceptible population, that is the average number of people each case infects, although after 20 months of pandemic this has become a notional concept. It was around 3 for the original wild-type virus, compared to around 6 for Delta and possibly rather more for Omicron.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/theobserver/commentisfree/2021/dec/05/dealing-with-uncertainty-about-omicron-covid-variant", - "creator": "David Spiegelhalter and Anthony Masters", - "pubDate": "2021-12-05T10:00:51Z", + "title": "Supreme court case prompts California lawmaker to share her abortion experience", + "description": "

    Buffy Wicks speaks out about emergency procedure amid threat to Roe v Wade: ‘This story is not uncommon’

    Early one morning this fall, the California state assemblywoman Buffy Wicks felt a type of pain she had never experienced before.

    Wicks, 44, found herself doubled over in pain, barely able to walk or get her daughter ready for school. At her doctor’s shortly after, she learned that she was pregnant and having a miscarriage and would need an emergency abortion. Twenty-four hours later she had the procedure.

    Continue reading...", + "content": "

    Buffy Wicks speaks out about emergency procedure amid threat to Roe v Wade: ‘This story is not uncommon’

    Early one morning this fall, the California state assemblywoman Buffy Wicks felt a type of pain she had never experienced before.

    Wicks, 44, found herself doubled over in pain, barely able to walk or get her daughter ready for school. At her doctor’s shortly after, she learned that she was pregnant and having a miscarriage and would need an emergency abortion. Twenty-four hours later she had the procedure.

    Continue reading...", + "category": "California", + "link": "https://www.theguardian.com/us-news/2021/dec/04/buffy-wicks-abortion-supreme-court-twitter", + "creator": "Abené Clayton in Los Angeles", + "pubDate": "2021-12-04T11:00:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125516,16 +151953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "18eda27dccbb450f5681f1d321a408af" + "hash": "4a8c95c6f881b8546da70c4df7f2e08c" }, { - "title": "From pandemic to endemic: this is how we might get back to normal", - "description": "

    Covid-19 is unlikely to be eradicated, experts say, but societies in the past have learned to live with diseases

    First, the bad news. With unpredictable outbreaks still occurring around the world, and variants like Omicron raising questions about the virus’s contagiousness, we are very much still in a pandemic.

    The good news: while it’s difficult to predict the exact timing, most scientists agree that the Covid-19 pandemic will end and that the virus will become endemic. That means the virus will probably never be eliminated entirely, but as more people get vaccinated and become exposed to it, infections will eventually arise at a consistently low rate, and fewer people will become severely ill. An area where vaccination and booster rates are high will probably see endemicity sooner than a region with lower rates.

    Continue reading...", - "content": "

    Covid-19 is unlikely to be eradicated, experts say, but societies in the past have learned to live with diseases

    First, the bad news. With unpredictable outbreaks still occurring around the world, and variants like Omicron raising questions about the virus’s contagiousness, we are very much still in a pandemic.

    The good news: while it’s difficult to predict the exact timing, most scientists agree that the Covid-19 pandemic will end and that the virus will become endemic. That means the virus will probably never be eliminated entirely, but as more people get vaccinated and become exposed to it, infections will eventually arise at a consistently low rate, and fewer people will become severely ill. An area where vaccination and booster rates are high will probably see endemicity sooner than a region with lower rates.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/05/covid-19-from-pandemic-to-endemic-this-is-how-we-might-get-back-to-normal", - "creator": "Yasmin Tayag", - "pubDate": "2021-12-05T08:00:50Z", + "title": "Covid live: Omicron variant could cause ‘large wave of infections’, UK scientists warn; Switzerland tightens restrictions", + "description": "

    UK government advisers say Omicron variant could lead to wave requiring ‘stringent response measures’; Swiss government reinforces mask rules

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", + "content": "

    UK government advisers say Omicron variant could lead to wave requiring ‘stringent response measures’; Swiss government reinforces mask rules

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/03/covid-news-live-new-york-state-detects-five-cases-of-omicron-variant-as-new-us-air-travel-rules-loom", + "creator": "Caroline Davies (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-03T18:06:40Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125536,16 +151973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0e2a574682c7e37e57efc9b19c6c2476" + "hash": "17b4b32d93c954f2ee63170a0c4c806f" }, { - "title": "Valérie Pécresse: the ‘bulldozer’ who would be France’s first female president", - "description": "

    Her supporters call her Emmanuel Macron’s worst nightmare, but she faces a tough task to unseat him

    When Valérie Pécresse crossed rural France this summer, visiting farms and villages to escape what she called her grotesquely unfair image as a “blond bourgeoise” from Versailles, she promised to smash the French Republic’s glass ceiling. “I will be the first female president of France,” she told meeting halls to cheers.

    Since Emmanuel Macron won the presidency in 2017 as a shock outsider with no election experience and a party put together in a few months, French politics has thrived on novelty. Pécresse’s supporters say her status as a woman is refreshingly new and makes her Macron’s worst nightmare.

    Continue reading...", - "content": "

    Her supporters call her Emmanuel Macron’s worst nightmare, but she faces a tough task to unseat him

    When Valérie Pécresse crossed rural France this summer, visiting farms and villages to escape what she called her grotesquely unfair image as a “blond bourgeoise” from Versailles, she promised to smash the French Republic’s glass ceiling. “I will be the first female president of France,” she told meeting halls to cheers.

    Since Emmanuel Macron won the presidency in 2017 as a shock outsider with no election experience and a party put together in a few months, French politics has thrived on novelty. Pécresse’s supporters say her status as a woman is refreshingly new and makes her Macron’s worst nightmare.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/05/valerie-pecresse-the-bulldozer-who-would-be-frances-first-female-president", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-12-05T16:54:58Z", + "title": "Maxwell prosecutors: ‘sexualized’ photo of young girl displayed outside Epstein bedroom", + "description": "

    Prosecution and defense argue about several photographs that might be presented at sex-trafficking trial in New York

    • This article contains depictions of sexual abuse

    A “sexually suggestive photograph of a very young girl” was displayed outside Jeffrey Epstein’s bedroom at his Palm Beach mansion, prosecutors in Ghislaine Maxwell’s child-sex trafficking trial said on Friday.

    The information emerged when the prosecution and defense argued about several photos that might be presented as evidence in her federal court case in New York.

    Continue reading...", + "content": "

    Prosecution and defense argue about several photographs that might be presented at sex-trafficking trial in New York

    • This article contains depictions of sexual abuse

    A “sexually suggestive photograph of a very young girl” was displayed outside Jeffrey Epstein’s bedroom at his Palm Beach mansion, prosecutors in Ghislaine Maxwell’s child-sex trafficking trial said on Friday.

    The information emerged when the prosecution and defense argued about several photos that might be presented as evidence in her federal court case in New York.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/03/ghislaine-maxwell-trial-jeffrey-epstein-photograph", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-03T17:47:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125556,16 +151993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a29cefbc0edcab2524cd4641f644900a" + "hash": "70283319c49ea4159b4f543601a499c8" }, { - "title": "Tourists bask on a battlefield as drug gangs fight over Mexican resort town", - "description": "

    Tulum, jewel of the Mayan Riviera, risks emulating Acapulco, another once glamorous resort now overwhelmed by violence

    Bright yellow police tape fluttered in the breeze outside a restaurant just off the main strip in the Mexican resort town of Tulum, as the lights of a nearby police truck flashed blue and red.

    Troops in camouflage fatigues stood guard outside the deserted late-night eatery La Malquerida, “The Unloved” – the site of a gangland shooting that killed two female tourists and wounded another three holidaymakers.

    Continue reading...", - "content": "

    Tulum, jewel of the Mayan Riviera, risks emulating Acapulco, another once glamorous resort now overwhelmed by violence

    Bright yellow police tape fluttered in the breeze outside a restaurant just off the main strip in the Mexican resort town of Tulum, as the lights of a nearby police truck flashed blue and red.

    Troops in camouflage fatigues stood guard outside the deserted late-night eatery La Malquerida, “The Unloved” – the site of a gangland shooting that killed two female tourists and wounded another three holidaymakers.

    Continue reading...", - "category": "Mexico", - "link": "https://www.theguardian.com/world/2021/dec/05/tourists-bask-on-a-battlefield-as-drug-gangs-fight-over-mexican-resort-town", - "creator": "Mattha Busby in Tulum", - "pubDate": "2021-12-05T10:00:51Z", + "title": "‘One hell of a brave girl’: medic’s praise for Briton in Zambia crocodile attack", + "description": "

    Brent Osborn-Smith says his daughter Amelie is grateful to be alive and could return to UK this weekend

    The father of a British teenager mauled by a crocodile in southern Africa has revealed he received a text message from a medic who was evacuating her from the scene by air, reading: “You have one hell of a brave girl there, sir.”

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and hip dislocated after a large crocodile bit her leg while she was swimming in the Zambezi River in Zambia during a break from a white water rafting expedition.

    Continue reading...", + "content": "

    Brent Osborn-Smith says his daughter Amelie is grateful to be alive and could return to UK this weekend

    The father of a British teenager mauled by a crocodile in southern Africa has revealed he received a text message from a medic who was evacuating her from the scene by air, reading: “You have one hell of a brave girl there, sir.”

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and hip dislocated after a large crocodile bit her leg while she was swimming in the Zambezi River in Zambia during a break from a white water rafting expedition.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/dec/03/zambia-crocodile-attack-one-hell-of-a-brave-girl-medics-praise-for-briton", + "creator": "Jamie Grierson", + "pubDate": "2021-12-03T15:19:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125576,16 +152013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d7b2395efd488d1f21c5fa3a386227d" + "hash": "739186e302abe1caa9c7b85d91a6f7d7" }, { - "title": "Murray Bartlett: ‘Filming The White Lotus in lockdown felt like a TV summer camp’", - "description": "

    The Australian actor on creating his character Armond, the magic of Tales of the City and that meme-inspiring suitcase scene

    Sydney-born actor Murray Bartlett, 50, made his screen debut aged 16 in medical soap The Flying Doctors. He worked in Australian TV and film before being cast as a guest star in Sex and the City in 2002. Subsequent TV credits include Dom Basaluzzo in HBO’s gay comedy-drama Looking and Michael “Mouse” Tolliver in the Netflix revival of Armistead Maupin’s Tales of the City. This year, he starred as luxury Hawaii spa resort manager Armond in HBO’s hit satire The White Lotus, shown in the UK on Sky Atlantic.

    How did you land your role in The White Lotus?
    I did a self-tape audition in lockdown, then spoke to [writer/director] Mike White on the phone. Before I knew it, I was on the plane to Hawaii and landing in paradise, which was bizarre and thrilling. There’d been times early in the pandemic when I thought: “Should I get another skill? Maybe acting won’t be a thing any more.” So The White Lotus came as an extraordinary surprise. I felt guilty talking to my actor friends about it because it was such a dreamy job.

    Continue reading...", - "content": "

    The Australian actor on creating his character Armond, the magic of Tales of the City and that meme-inspiring suitcase scene

    Sydney-born actor Murray Bartlett, 50, made his screen debut aged 16 in medical soap The Flying Doctors. He worked in Australian TV and film before being cast as a guest star in Sex and the City in 2002. Subsequent TV credits include Dom Basaluzzo in HBO’s gay comedy-drama Looking and Michael “Mouse” Tolliver in the Netflix revival of Armistead Maupin’s Tales of the City. This year, he starred as luxury Hawaii spa resort manager Armond in HBO’s hit satire The White Lotus, shown in the UK on Sky Atlantic.

    How did you land your role in The White Lotus?
    I did a self-tape audition in lockdown, then spoke to [writer/director] Mike White on the phone. Before I knew it, I was on the plane to Hawaii and landing in paradise, which was bizarre and thrilling. There’d been times early in the pandemic when I thought: “Should I get another skill? Maybe acting won’t be a thing any more.” So The White Lotus came as an extraordinary surprise. I felt guilty talking to my actor friends about it because it was such a dreamy job.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/05/murray-bartlett-armond-white-lotus-interview-faces-of-year", - "creator": "Michael Hogan", - "pubDate": "2021-12-05T19:00:02Z", + "title": "Man tortured and killed in Pakistan over alleged blasphemy", + "description": "

    Government accused of having emboldened extremists after lynching of Sri Lankan in Sialkot

    A mob in Pakistan tortured, killed and then set on fire a Sri Lankan man who was accused of blasphemy over some posters he had allegedly taken down.

    Priyantha Diyawadana, a Sri Lankan national who worked as general manager of a factory of industrial engineering company Rajco Industries in Sialkot, Punjab, was set upon by a violent crowd on Friday.

    Continue reading...", + "content": "

    Government accused of having emboldened extremists after lynching of Sri Lankan in Sialkot

    A mob in Pakistan tortured, killed and then set on fire a Sri Lankan man who was accused of blasphemy over some posters he had allegedly taken down.

    Priyantha Diyawadana, a Sri Lankan national who worked as general manager of a factory of industrial engineering company Rajco Industries in Sialkot, Punjab, was set upon by a violent crowd on Friday.

    Continue reading...", + "category": "Pakistan", + "link": "https://www.theguardian.com/world/2021/dec/03/pakistan-sri-lankan-man-priyantha-diyawadana-tortured-killed-alleged-blasphemy-sialkot", + "creator": "Shah Meer Baloch in Islambad and Hannah Ellis-Petersen in Delhi", + "pubDate": "2021-12-03T17:51:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125596,16 +152033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "03dd2941dab3e5e9dc1f21d623ffcba2" + "hash": "772cd5398618274150f346648dab96ad" }, { - "title": "Catch them if you can? Meet the exotic pet detectives", - "description": "

    Skunks, iguanas, terrapins, big cats… Britain has more invasive and exotic animals than you imagine. Meet the search and rescue enthusiasts dedicated to capturing them and keeping them safe

    Sometime in 2016, Chris Mullins received a message about a missing skunk. Mullins, 70, who lives in Leicestershire, had founded a Facebook group, Beastwatch UK, in 2001 as a place to document exotic animal sightings in the British countryside, so it was natural for news of this sort to trickle his way. In that time there had been a piranha in the Thames and a chinchilla in a post box, so a skunk on the loose in a local village seemed a relatively manageable misadventure. He loaded up some traps and headed to Barrow upon Soar to see if he could help locate the wayward creature.

    Mullins, who has a white beard, smiling eyes and maintains a steady, gentle rhythm when he speaks, had always nurtured a passion for wildlife – chasing it down, catching it. The interest took hold amid a challenging childhood. Aged five, Mullins was victim of a hit and run that left him with amnesia and he spent two years in hospital before his parents sent him to a special school to catch up with his education.

    Continue reading...", - "content": "

    Skunks, iguanas, terrapins, big cats… Britain has more invasive and exotic animals than you imagine. Meet the search and rescue enthusiasts dedicated to capturing them and keeping them safe

    Sometime in 2016, Chris Mullins received a message about a missing skunk. Mullins, 70, who lives in Leicestershire, had founded a Facebook group, Beastwatch UK, in 2001 as a place to document exotic animal sightings in the British countryside, so it was natural for news of this sort to trickle his way. In that time there had been a piranha in the Thames and a chinchilla in a post box, so a skunk on the loose in a local village seemed a relatively manageable misadventure. He loaded up some traps and headed to Barrow upon Soar to see if he could help locate the wayward creature.

    Mullins, who has a white beard, smiling eyes and maintains a steady, gentle rhythm when he speaks, had always nurtured a passion for wildlife – chasing it down, catching it. The interest took hold amid a challenging childhood. Aged five, Mullins was victim of a hit and run that left him with amnesia and he spent two years in hospital before his parents sent him to a special school to catch up with his education.

    Continue reading...", - "category": "Pets", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/meet-the-exotic-pet-detectives-is-there-a-skunk-iguana-or-wild-cat-in-your-street", - "creator": "Will Coldwell", - "pubDate": "2021-12-05T11:00:53Z", + "title": "Michigan school shooting: suspect’s parents charged with manslaughter", + "description": "

    Jennifer and James Crumbley charged as prosecutors say details suggest Ethan Crumbley, 15, may have planned shooting rampage

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school, after saying earlier that their actions went “far beyond negligence”, her office said.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter.

    Continue reading...", + "content": "

    Jennifer and James Crumbley charged as prosecutors say details suggest Ethan Crumbley, 15, may have planned shooting rampage

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school, after saying earlier that their actions went “far beyond negligence”, her office said.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter.

    Continue reading...", + "category": "Michigan", + "link": "https://www.theguardian.com/us-news/2021/dec/03/michigan-high-school-shooting-parents-manslaughter-charges", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-03T17:57:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125616,16 +152053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "77b83ad5d67099ad240bae086d8b83a8" + "hash": "3a7ee7e379741837962aac0dda1ce0db" }, { - "title": "The case of the confident dog that developed PTSD | Gill Straker and Jacqui Winship", - "description": "

    Helping Darling to relax has been vital – but unlike a human, she isn’t dealing with the ethical and cognitive issues often involved in post-traumatic stress

    • The modern mind is a column where experts discuss mental health issues they are seeing in their work

    The word trauma has been so overused that it can sound meaningless.

    Yet there are profound effects on the body and mind following exposure to traumatic events. Our capacity to cope becomes overwhelmed and we feel helpless as the limbic system, which is the part of the brain associated with fight flight and freeze, goes into overdrive.

    Continue reading...", - "content": "

    Helping Darling to relax has been vital – but unlike a human, she isn’t dealing with the ethical and cognitive issues often involved in post-traumatic stress

    • The modern mind is a column where experts discuss mental health issues they are seeing in their work

    The word trauma has been so overused that it can sound meaningless.

    Yet there are profound effects on the body and mind following exposure to traumatic events. Our capacity to cope becomes overwhelmed and we feel helpless as the limbic system, which is the part of the brain associated with fight flight and freeze, goes into overdrive.

    Continue reading...", - "category": "Psychiatry", - "link": "https://www.theguardian.com/commentisfree/2021/dec/06/the-case-of-the-confident-dog-that-developed-ptsd", - "creator": "Gill Straker and Jacqui Winship", - "pubDate": "2021-12-05T16:30:03Z", + "title": "Shell U-turn on Cambo could mean end for big North Sea oil projects", + "description": "

    Industry sources say Siccar Point will struggle to find new partner to take on Shell’s 30% stake in oilfield

    Shell’s decision to back out of plans to develop the Cambo oilfield could signal the “death knell” for new large-scale North Sea projects as the UK’s tougher climate agenda prompts oil companies to retreat from the ageing oil basin.

    Industry sources have said that Shell’s project partner, the private-equity backed Siccar Point, would struggle to find a partner to take on Shell’s 30% stake in the new oilfield which has provoked outrage among green campaigners.

    Continue reading...", + "content": "

    Industry sources say Siccar Point will struggle to find new partner to take on Shell’s 30% stake in oilfield

    Shell’s decision to back out of plans to develop the Cambo oilfield could signal the “death knell” for new large-scale North Sea projects as the UK’s tougher climate agenda prompts oil companies to retreat from the ageing oil basin.

    Industry sources have said that Shell’s project partner, the private-equity backed Siccar Point, would struggle to find a partner to take on Shell’s 30% stake in the new oilfield which has provoked outrage among green campaigners.

    Continue reading...", + "category": "Royal Dutch Shell", + "link": "https://www.theguardian.com/business/2021/dec/03/shell-u-turn-cambo-could-mean-end-big-north-sea-oil-projects", + "creator": "Jillian Ambrose", + "pubDate": "2021-12-03T17:55:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125636,16 +152073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4fbaf5af1304a42ae259d78e38e2de03" + "hash": "b3f6f3467654d4a9442b0e93a5d0b741" }, { - "title": "The best books of 2021, chosen by our guest authors", - "description": "

    From piercing studies of colonialism to powerful domestic sagas, our panel of writers, all of whom had books published this year, share their favourite titles of 2021

    Author of Klara and the Sun (Faber)

    Continue reading...", - "content": "

    From piercing studies of colonialism to powerful domestic sagas, our panel of writers, all of whom had books published this year, share their favourite titles of 2021

    Author of Klara and the Sun (Faber)

    Continue reading...", - "category": "Books", - "link": "https://www.theguardian.com/books/2021/dec/05/the-best-books-of-2021-chosen-by-our-guest-authors", - "creator": "", - "pubDate": "2021-12-05T09:29:50Z", + "title": "Arthur Labinjo-Hughes: woman jailed for life for murder of stepson, six", + "description": "

    Emma Tustin sentenced to minimum of 29 years as boy’s father is jailed for 21 years for manslaughter

    A woman who killed her six-year-old stepson, who had been poisoned, starved and beaten in the weeks before his death, has been sentenced to life in prison with a minimum term of 29 years.

    Emma Tustin, 32, was sentenced for the murder of Arthur Labinjo-Hughes, alongside his father, 29-year-old Thomas Hughes, who was given 21 years in prison for manslaughter.

    Continue reading...", + "content": "

    Emma Tustin sentenced to minimum of 29 years as boy’s father is jailed for 21 years for manslaughter

    A woman who killed her six-year-old stepson, who had been poisoned, starved and beaten in the weeks before his death, has been sentenced to life in prison with a minimum term of 29 years.

    Emma Tustin, 32, was sentenced for the murder of Arthur Labinjo-Hughes, alongside his father, 29-year-old Thomas Hughes, who was given 21 years in prison for manslaughter.

    Continue reading...", + "category": "Crime", + "link": "https://www.theguardian.com/uk-news/2021/dec/03/arthur-labinjo-hughes-woman-jailed-murder-stepson", + "creator": "Jessica Murray Midlands correspondent", + "pubDate": "2021-12-03T16:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125656,16 +152093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "360da6c4021100f38caa1d3eceb7344d" + "hash": "f6cc4c8abb27deb2e4b00a3796f620c4" }, { - "title": "US seeks Russian and Chinese support to salvage Iran nuclear deal", - "description": "

    Iran’s natural allies are said to have been surprised by how much it had gone back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance in regards to the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they had gone back on all the progress made in the previous round of talks.

    Continue reading...", - "content": "

    Iran’s natural allies are said to have been surprised by how much it had gone back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance in regards to the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they had gone back on all the progress made in the previous round of talks.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/dec/05/us-seeks-china-and-russia-support-to-salvage-iran-nuclear-deal", - "creator": "Patrick Wintour Diplomatic Editor", - "pubDate": "2021-12-05T15:11:00Z", + "title": "Woman reunited with wedding ring she lost in potato patch 50 years ago", + "description": "

    Local metal detectorist on Western Isles ‘flabbergasted’ to find missing ring on former potato patch

    A single-minded metal detectorist has reunited a woman with the wedding ring she lost in a potato patch in the Western Isles 50 years ago.

    Peggy MacSween believed she had lost the golden band forever after it slipped off her finger while she gathered potatoes at her home on Benbecula in the Outer Hebrides.

    But after recently learning of her lost ring, fellow islander and detection enthusiast Donald MacPhee made it his mission to unearth the treasure.

    MacPhee spent three days searching Liniclate Machair, the sandy coastal meadow where the potato patch once was with a metal detector. The area had become a popular drinking spot over the years, resulting in a significant number of buried can ring pulls that confused the sonic search for the ring.

    MacPhee, who runs Benbecula’s Nunton House hostel, explained: “For three days I searched and dug 90 holes. The trouble is gold rings make the same sound [on the detector] as ring pulls and I got a lot of those – as well as many other things such as horseshoes and cans.

    “But on the third day I found the ring. I was absolutely flabbergasted. I had searched an area of 5,000 sq metres. It was a one in a 100,000 chance and certainly my best find. It was a fluke. There was technique involved, but I just got lucky.”

    Taking up the story, 86-year-old MacSween added: “He just came to the door and said: ‘I have something to show you.’ It was the ring. I couldn’t believe it, but there it was. I thought I would never see it again.”

    She said: “I was shaking the sand out of my gloves and the ring disappeared. I didn’t know until I got home. I went out once or twice to look for it, but there was no way of finding it.”

    Her husband, John, whom she married in July 1958 and died a few years ago, bought her a replacement while they were on holiday.

    MacPhee said he had started metal detecting seven years ago after watching YouTube videos. “That got me interested and this is for many reasons my best find. It was very, very emotional,” he said.

    Continue reading...", + "content": "

    Local metal detectorist on Western Isles ‘flabbergasted’ to find missing ring on former potato patch

    A single-minded metal detectorist has reunited a woman with the wedding ring she lost in a potato patch in the Western Isles 50 years ago.

    Peggy MacSween believed she had lost the golden band forever after it slipped off her finger while she gathered potatoes at her home on Benbecula in the Outer Hebrides.

    But after recently learning of her lost ring, fellow islander and detection enthusiast Donald MacPhee made it his mission to unearth the treasure.

    MacPhee spent three days searching Liniclate Machair, the sandy coastal meadow where the potato patch once was with a metal detector. The area had become a popular drinking spot over the years, resulting in a significant number of buried can ring pulls that confused the sonic search for the ring.

    MacPhee, who runs Benbecula’s Nunton House hostel, explained: “For three days I searched and dug 90 holes. The trouble is gold rings make the same sound [on the detector] as ring pulls and I got a lot of those – as well as many other things such as horseshoes and cans.

    “But on the third day I found the ring. I was absolutely flabbergasted. I had searched an area of 5,000 sq metres. It was a one in a 100,000 chance and certainly my best find. It was a fluke. There was technique involved, but I just got lucky.”

    Taking up the story, 86-year-old MacSween added: “He just came to the door and said: ‘I have something to show you.’ It was the ring. I couldn’t believe it, but there it was. I thought I would never see it again.”

    She said: “I was shaking the sand out of my gloves and the ring disappeared. I didn’t know until I got home. I went out once or twice to look for it, but there was no way of finding it.”

    Her husband, John, whom she married in July 1958 and died a few years ago, bought her a replacement while they were on holiday.

    MacPhee said he had started metal detecting seven years ago after watching YouTube videos. “That got me interested and this is for many reasons my best find. It was very, very emotional,” he said.

    Continue reading...", + "category": "Scotland", + "link": "https://www.theguardian.com/uk-news/2021/dec/03/woman-reunited-with-wedding-ring-she-lost-50-years-ago-western-isles", + "creator": "Libby Brooks Scotland correspondent", + "pubDate": "2021-12-03T11:39:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125676,16 +152113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d5d6800209f2599e829110304a774b9b" + "hash": "961e0db1667f84de29e7feb6f86955f5" }, { - "title": "Australia’s Omicron travel ban is ‘discrimination’, South African diplomat says", - "description": "

    High commissioner says a large number of cases of the new Covid variant have been detected on other continents

    Australia’s travel ban to several southern African countries due to the outbreak of the Omicron variant has been labelled as discriminatory by a senior diplomat.

    South Africa’s high commissioner to Australia, Marthinus van Schalkwyk, said the ban needed to be overturned due to large numbers of Omicron cases being detected in other continents and not just in parts of Africa.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    High commissioner says a large number of cases of the new Covid variant have been detected on other continents

    Australia’s travel ban to several southern African countries due to the outbreak of the Omicron variant has been labelled as discriminatory by a senior diplomat.

    South Africa’s high commissioner to Australia, Marthinus van Schalkwyk, said the ban needed to be overturned due to large numbers of Omicron cases being detected in other continents and not just in parts of Africa.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Health", - "link": "https://www.theguardian.com/australia-news/2021/dec/06/australias-omicron-travel-ban-is-discrimination-south-african-diplomat-says", - "creator": "Australian Associated Press", - "pubDate": "2021-12-06T00:38:39Z", + "title": "Easy access to tests could play a key role in fighting the Omicron variant", + "description": "

    Experts applaud Biden’s plan to expand testing but wonder if the effort goes far enough to stop the spread of the virus

    US infectious disease experts largely agree with the Biden administration’s newly announced emphasis on Covid-19 testing in the wake of the emergence of the Omicron variant, but questions remain over whether the president’s plan goes far enough to ensure that testing stops the spread of the virus.

    President Joe Biden announced new actions to combat the coronavirus in the US on Thursday, including a nationwide campaign encouraging vaccine boosters; a forthcoming rule requiring private insurance to reimburse the cost of at-home testing; a pledge to provide 50m free at-home tests to health centers and rural clinics for those not covered by private insurance; and a requirement that travelers to the United States, regardless of nationality or vaccination status, provide proof of a negative Covid-19 test within one day of boarding flights.

    Continue reading...", + "content": "

    Experts applaud Biden’s plan to expand testing but wonder if the effort goes far enough to stop the spread of the virus

    US infectious disease experts largely agree with the Biden administration’s newly announced emphasis on Covid-19 testing in the wake of the emergence of the Omicron variant, but questions remain over whether the president’s plan goes far enough to ensure that testing stops the spread of the virus.

    President Joe Biden announced new actions to combat the coronavirus in the US on Thursday, including a nationwide campaign encouraging vaccine boosters; a forthcoming rule requiring private insurance to reimburse the cost of at-home testing; a pledge to provide 50m free at-home tests to health centers and rural clinics for those not covered by private insurance; and a requirement that travelers to the United States, regardless of nationality or vaccination status, provide proof of a negative Covid-19 test within one day of boarding flights.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/03/us-coronavirus-omicron-testing-biden", + "creator": "Eric Berger", + "pubDate": "2021-12-03T11:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125696,16 +152133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11afd895bffca7ec9103aab6fa507e2b" + "hash": "7ff1230a4e738280cc976da94f14f1e4" }, { - "title": "Michigan school shooting: artist did not know suspect’s parents stayed in studio, lawyer says", - "description": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A Detroit-area artist in whose studio the parents of the Oxford High School student charged in a deadly shooting were found by police is cooperating with authorities, his attorney said on Sunday.

    Also on Sunday, the Michigan attorney general, Dana Nessel, said her office could conduct a third-party investigation of school events before the shooting that left four students dead and six others and a teacher wounded.

    Continue reading...", - "content": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A Detroit-area artist in whose studio the parents of the Oxford High School student charged in a deadly shooting were found by police is cooperating with authorities, his attorney said on Sunday.

    Also on Sunday, the Michigan attorney general, Dana Nessel, said her office could conduct a third-party investigation of school events before the shooting that left four students dead and six others and a teacher wounded.

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/2021/dec/05/michigan-high-school-shooting-third-party-investigation", - "creator": "Asssociated Press in Oxford Township, Michigan", - "pubDate": "2021-12-05T22:18:11Z", + "title": "Tories to go ahead with Christmas party despite Omicron risks", + "description": "

    Message to public is ‘keep calm and carry on’, says party co-chair Oliver Dowden

    The Conservatives are pressing ahead with their Christmas party in spite of scientists’ fears over the spread of Omicron, as their co-chair told people to “keep calm and carry on” with festivities.

    Labour has decided to cancel its Christmas function though it is not urging businesses to do the same.

    Continue reading...", + "content": "

    Message to public is ‘keep calm and carry on’, says party co-chair Oliver Dowden

    The Conservatives are pressing ahead with their Christmas party in spite of scientists’ fears over the spread of Omicron, as their co-chair told people to “keep calm and carry on” with festivities.

    Labour has decided to cancel its Christmas function though it is not urging businesses to do the same.

    Continue reading...", + "category": "Conservatives", + "link": "https://www.theguardian.com/politics/2021/dec/03/tories-to-go-ahead-with-christmas-party-despite-omicron-risks", + "creator": "Rowena Mason and Matthew Weaver", + "pubDate": "2021-12-03T17:08:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125716,16 +152153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "056a1ccd2c2e06dfed9c331c0ae64367" + "hash": "861caeffcb8f4266c7ef180e17457e43" }, { - "title": "Judith Collins axed from frontbench after losing National party leadership", - "description": "

    Successor Christopher Luxon said Collins had a ‘real passion’ for new portfolio of science and innovation

    New Zealand’s former opposition leader Judith Collins has been demoted from the National party’s frontbench and tumbled 18 places in its ranks, nearly two weeks after being ousted following her attempt to crush a rival.

    New leader Christopher Luxon announced the party’s caucus reshuffle on Monday. Collins, who copped the biggest demotion in the party, will take on a single portfolio – research, science and innovation – but will remain in the shadow cabinet.

    Continue reading...", - "content": "

    Successor Christopher Luxon said Collins had a ‘real passion’ for new portfolio of science and innovation

    New Zealand’s former opposition leader Judith Collins has been demoted from the National party’s frontbench and tumbled 18 places in its ranks, nearly two weeks after being ousted following her attempt to crush a rival.

    New leader Christopher Luxon announced the party’s caucus reshuffle on Monday. Collins, who copped the biggest demotion in the party, will take on a single portfolio – research, science and innovation – but will remain in the shadow cabinet.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/dec/06/judith-collins-axed-from-frontbench-after-losing-national-party-leadership", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-12-06T02:09:17Z", + "title": "After Meghan’s victory, Harry has phone hackers in his sights", + "description": "

    Analysis: the prince may be prepared to risk a costly lawsuit against the Sun and Mirror, rather than settling

    The legal battle against the Mail on Sunday may finally be over.

    But for the Duke and Duchess of Sussex, another one looms, and this could make it all the way to trial.

    Continue reading...", + "content": "

    Analysis: the prince may be prepared to risk a costly lawsuit against the Sun and Mirror, rather than settling

    The legal battle against the Mail on Sunday may finally be over.

    But for the Duke and Duchess of Sussex, another one looms, and this could make it all the way to trial.

    Continue reading...", + "category": "Prince Harry", + "link": "https://www.theguardian.com/uk-news/2021/dec/03/prince-harry-phone-hackers-lawsuit", + "creator": "Haroon Siddique and Jim Waterson", + "pubDate": "2021-12-03T16:45:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125736,16 +152173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "74247deb6b8ccdbee674decc8026d08c" + "hash": "150430be5445a7e87127e052b2790cee" }, { - "title": "Live news update: Labor says Australia could be renewables ‘superpower’; Palaszczuk to speak on Qld border reopening", - "description": "

    Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says; Palaszczuk to give update on Qld border reopening; Victoria records 1,073 new Covid cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; SA premier advised to close border with NSW over Omicron. Follow all the developments live

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", - "content": "

    Australia could be renewables ‘superpower’ but has wasted time, Chris Bowen says; Palaszczuk to give update on Qld border reopening; Victoria records 1,073 new Covid cases and six deaths, NSW records 208 cases, ACT six; Katherine lockdown extended as NT records one case; SA premier advised to close border with NSW over Omicron. Follow all the developments live

    A New South Wales government plan to control feral horses in Kosciuszko national park will allow horses to remain in the only known habitat of one of Australia’s most imperilled freshwater fishes and risks pushing the species closer to extinction.

    Conservationists say allowing horses to continue to roam around some sections of the park will put vulnerable wildlife and ecosystems at risk.

    There are lot of reasons even though they don’t get as sick as adults, they have a pretty strong role in spreading it back to family members and of course that can include parents and also, of greater concern, the grandparents. The older you are, the impacts of getting seriously ill or worse with Covid is greater.

    The other reason is just so kids can do what kids are meant to do – go to school, play with their friends, do sport, do exercise, do social things.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/06/australia-news-updates-live-covid-omicron-transport-strike-scott-morrison-anthony-albanese-weather-nsw-victoria-qld", - "creator": "Mostafa Rachwani (now) and Matilda Boseley (earlier)", - "pubDate": "2021-12-06T03:23:55Z", + "title": "The girls are back in town! Why the Sex and the City sequel is about to eclipse the original", + "description": "

    Grab your Manolos! Carrie and the gang are finally returning in And Just Like That. But, with a more diverse cast and writers’ room, could this reboot be even more radical?

    I couldn’t help but wonder – would there really be a ready market for a Sex and the City reboot, nearly 20 years after it left our screens? And then the trailer for the sequel to the culturally iconic series – which ran for six award-laden, press-smothered seasons – arrived, and I realised just how desperately I’d missed it.

    Not that I missed it in the usual sense, of course. We live in a world of constant reruns, access to all programmes at all times, YouTube videos to scratch any minor itch and Instagram fan accounts devoted to the characters, the clothes, the men and all points in between. But the hunger for new stories about Carrie Bradshaw and the gang was there, and the trailer reminded me of the best parts of SATC. The energy. The glee. The glamour. The chemistry between the co-stars, and the sight of well-scripted actors at the top of their game. And, to quote the title of the new show, And Just Like That … I was eager for more.

    Continue reading...", + "content": "

    Grab your Manolos! Carrie and the gang are finally returning in And Just Like That. But, with a more diverse cast and writers’ room, could this reboot be even more radical?

    I couldn’t help but wonder – would there really be a ready market for a Sex and the City reboot, nearly 20 years after it left our screens? And then the trailer for the sequel to the culturally iconic series – which ran for six award-laden, press-smothered seasons – arrived, and I realised just how desperately I’d missed it.

    Not that I missed it in the usual sense, of course. We live in a world of constant reruns, access to all programmes at all times, YouTube videos to scratch any minor itch and Instagram fan accounts devoted to the characters, the clothes, the men and all points in between. But the hunger for new stories about Carrie Bradshaw and the gang was there, and the trailer reminded me of the best parts of SATC. The energy. The glee. The glamour. The chemistry between the co-stars, and the sight of well-scripted actors at the top of their game. And, to quote the title of the new show, And Just Like That … I was eager for more.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/03/why-the-sex-and-the-city-sequel-is-about-to-eclipse-the-original", + "creator": "Lucy Mangan", + "pubDate": "2021-12-03T12:00:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125756,16 +152193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "594205fbbe1cd22b31095fef8dfcdb89" + "hash": "3c080ad7b5cd8ec36d96c22568977763" }, { - "title": "Bob Dole, former US senator and presidential nominee, dies aged 98 – video obituary", - "description": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", - "content": "

    Bob Dole, the long-time Kansas senator who was the Republican nominee for president in 1996, has died at the age of 98. Born in Russell, Kansas in 1923, Dole served in the US infantry in the second world war, suffering serious wounds in Italy and winning a medal for bravery.

    In 1976 he was the Republican nominee for vice-president to Gerald Ford, in an election the sitting president lost to Jimmy Carter. Two decades later, aged 73, Dole won the nomination to take on Bill Clinton, to whom he lost.

    Continue reading...", - "category": "Republicans", - "link": "https://www.theguardian.com/us-news/video/2021/dec/05/bob-dole-former-us-senator-and-presidential-nominee-dies-aged-98-video-obituary", - "creator": "", - "pubDate": "2021-12-05T21:13:50Z", + "title": "Antony Sher: a consummate Shakespearean and a man of staggering versatility", + "description": "

    One of the most gifted actors of his era, Sher – who has died aged 72 – combined psychology and a keen sense of the visual in soul-baring performances

    Antony Sher, who has died at the age of 72, was a man of staggering versatility. As well as being a brilliant actor, he was an accomplished artist and writer. But, far from being separate, his three careers all fed into each other: you only to have to look at his sketches of Richard III in his book Year of the King to see how his draughtsman’s eye enriched his performance. Gifted in numerous ways, Sher also saw his acting career as one that evolved from impersonation to embodiment of a character.

    Sher once told me that, when growing up as a boy in South Africa, his idols were Alec Guinness and Peter Sellers: what he envied, and initially sought to emulate, was their capacity for physical transformation. He also said that, when he left Cape Town at the age of 19 to make a career in the UK as an actor, he was aware, as a gay, Jewish South African, of being a triple outsider. He was even unsure whether he was cut out to be an actor; in his autobiography, Beside Myself, he describes himself arriving in London as a “short, slight, shy creature in black specs” understandably rejected by Rada, who strongly urged him to seek a different career.

    Continue reading...", + "content": "

    One of the most gifted actors of his era, Sher – who has died aged 72 – combined psychology and a keen sense of the visual in soul-baring performances

    Antony Sher, who has died at the age of 72, was a man of staggering versatility. As well as being a brilliant actor, he was an accomplished artist and writer. But, far from being separate, his three careers all fed into each other: you only to have to look at his sketches of Richard III in his book Year of the King to see how his draughtsman’s eye enriched his performance. Gifted in numerous ways, Sher also saw his acting career as one that evolved from impersonation to embodiment of a character.

    Sher once told me that, when growing up as a boy in South Africa, his idols were Alec Guinness and Peter Sellers: what he envied, and initially sought to emulate, was their capacity for physical transformation. He also said that, when he left Cape Town at the age of 19 to make a career in the UK as an actor, he was aware, as a gay, Jewish South African, of being a triple outsider. He was even unsure whether he was cut out to be an actor; in his autobiography, Beside Myself, he describes himself arriving in London as a “short, slight, shy creature in black specs” understandably rejected by Rada, who strongly urged him to seek a different career.

    Continue reading...", + "category": "Antony Sher", + "link": "https://www.theguardian.com/stage/2021/dec/03/antony-sher-a-consummate-shakespearean-and-a-man-of-staggering-versatility", + "creator": "Michael Billington", + "pubDate": "2021-12-03T13:16:07Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125776,16 +152213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eacbb47a79437c85343449d06cc71116" + "hash": "cf5824c81c614a10e250b87902bb9b0e" }, { - "title": "Gambian opposition parties reject preliminary election results", - "description": "

    Incumbent president Adama Barrow leading with twice votes of nearest rival in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the preliminary results of Saturday’s historic vote in the West African nation which suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow is leading with a significant margin of more than 200,000 votes. Barrow in 2016 unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", - "content": "

    Incumbent president Adama Barrow leading with twice votes of nearest rival in test of democratic stability after decades of Yahya Jammeh’s rule

    Gambian opposition candidates have rejected the preliminary results of Saturday’s historic vote in the West African nation which suggest the incumbent president, Adama Barrow, had easily won re-election.

    According to official results announced by the electoral commission, Barrow is leading with a significant margin of more than 200,000 votes. Barrow in 2016 unseated the former president Yahya Jammeh, who is accused of human rights abuses and corruption.

    Continue reading...", - "category": "The Gambia", - "link": "https://www.theguardian.com/world/2021/dec/05/gambian-opposition-parties-reject-preliminary-election-results", - "creator": "Portia Crowe in Banjul", - "pubDate": "2021-12-05T19:54:38Z", + "title": "Mia Mottley: Barbados’ first female leader on a mission to transform island", + "description": "

    Alongside cutting ties to the monarchy, new PM believes the region represents an untapped civilisation

    A republic has been proposed and postponed by Barbadian prime ministers for decades. Battling a pandemic that has devastated the country’s tourism economy, Mia Mottley, the country’s first female leader, had ample excuses to again kick the constitutional can down the road.

    Instead, at the stroke of midnight on Monday, she oversaw the transition of the Caribbean island out of the realm of the British monarchy – the country’s first local head of state, also a woman, Sandra Mason – and in case that were not enough, bestowed the title of national hero on the Barbadian megastar Rihanna in one of the new republic’s first acts.

    Continue reading...", + "content": "

    Alongside cutting ties to the monarchy, new PM believes the region represents an untapped civilisation

    A republic has been proposed and postponed by Barbadian prime ministers for decades. Battling a pandemic that has devastated the country’s tourism economy, Mia Mottley, the country’s first female leader, had ample excuses to again kick the constitutional can down the road.

    Instead, at the stroke of midnight on Monday, she oversaw the transition of the Caribbean island out of the realm of the British monarchy – the country’s first local head of state, also a woman, Sandra Mason – and in case that were not enough, bestowed the title of national hero on the Barbadian megastar Rihanna in one of the new republic’s first acts.

    Continue reading...", + "category": "Barbados", + "link": "https://www.theguardian.com/world/2021/dec/03/mia-mottley-barbados-first-female-leader-mission-to-transform-island", + "creator": "Michael Safi in Bridgetown", + "pubDate": "2021-12-03T13:26:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125796,16 +152233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ce476e4cff5e36f28bf2394c587ae7b3" + "hash": "0edb3ddeb7ca69cc47e8d8c13b269b84" }, { - "title": "Covid live: UK reports 43,992 cases and 54 deaths; protests in Brussels turn violent", - "description": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; people march in Brussels against latest restrictions

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", - "content": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; people march in Brussels against latest restrictions

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/05/covid-live-coronavirus-india-death-toll-uk-booster-jabs-christmas", - "creator": "Jem Bartholomew (now); Kevin Rawlinson and Jamie Grierson (earlier)", - "pubDate": "2021-12-05T19:32:02Z", + "title": "‘It’s fantastic to see’: Lake District warms to its new ‘trendy’ status", + "description": "

    People from younger and more diverse demographics are exploring area amid boom in nature trips

    There are still plenty of lean, grizzled oldies in well-worn gear zipping effortlessly up Lakeland hills like it’s a walk to the corner shop. But there are also younger and more diverse communities exploring the area as hiking, climbing and enjoying nature become “fashionable and trendy” again.

    “It is absolutely fantastic,” said Richard Leafe, the chief executive of the Lake District national park. “This is what it is all about.”

    Continue reading...", + "content": "

    People from younger and more diverse demographics are exploring area amid boom in nature trips

    There are still plenty of lean, grizzled oldies in well-worn gear zipping effortlessly up Lakeland hills like it’s a walk to the corner shop. But there are also younger and more diverse communities exploring the area as hiking, climbing and enjoying nature become “fashionable and trendy” again.

    “It is absolutely fantastic,” said Richard Leafe, the chief executive of the Lake District national park. “This is what it is all about.”

    Continue reading...", + "category": "Lake District", + "link": "https://www.theguardian.com/uk-news/2021/dec/03/lake-district-warms-to-new-trendy-status", + "creator": "Mark Brown North of England correspondent", + "pubDate": "2021-12-03T12:27:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125816,16 +152253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9b524a416b5a931f657ce728a3890041" + "hash": "e68cdfc19025f7bdd65c699c7e1a13ec" }, { - "title": "Colombian family win award for world’s best cookbook", - "description": "

    Mother-and-daughter team scoop gong at Gourmand awards in Paris for volume of traditional leaf-wrapped recipes

    A Colombian mother and daughter’s celebration of their country’s traditional leaf-wrapped dishes has been named best cookbook in the world at the Gourmand awards in Paris.

    Colombia’s envueltos are part of a culinary heritage that stretches across much of Latin America, from the tamales of Mexico and Guatemala to the humitas of Chile.

    Continue reading...", - "content": "

    Mother-and-daughter team scoop gong at Gourmand awards in Paris for volume of traditional leaf-wrapped recipes

    A Colombian mother and daughter’s celebration of their country’s traditional leaf-wrapped dishes has been named best cookbook in the world at the Gourmand awards in Paris.

    Colombia’s envueltos are part of a culinary heritage that stretches across much of Latin America, from the tamales of Mexico and Guatemala to the humitas of Chile.

    Continue reading...", - "category": "Colombia", - "link": "https://www.theguardian.com/world/2021/dec/05/colombian-family-win-award-for-worlds-best-cookbook", - "creator": "Emma Graham-Harrison", - "pubDate": "2021-12-05T10:30:52Z", + "title": "Experience: I was attacked by a dog while climbing a volcano", + "description": "

    He came back and sunk his teeth in again. The pain took my breath away as I felt his fangs in my flesh

    I was backpacking in Panama over Christmas in 2018, and planned to climb Volcán Barú. At 3,474m, it is the highest peak in the country and one of the only places on earth from where you can see the Atlantic and the Pacific Oceans at the same time. It is an active volcano, but last erupted around 1550.

    I set off before sunrise. It was a little chilly, so I had pulled on tights under my trekking trousers. I intended to reach the top by midday, then return before dark to get a lift to my hostel.

    Continue reading...", + "content": "

    He came back and sunk his teeth in again. The pain took my breath away as I felt his fangs in my flesh

    I was backpacking in Panama over Christmas in 2018, and planned to climb Volcán Barú. At 3,474m, it is the highest peak in the country and one of the only places on earth from where you can see the Atlantic and the Pacific Oceans at the same time. It is an active volcano, but last erupted around 1550.

    I set off before sunrise. It was a little chilly, so I had pulled on tights under my trekking trousers. I intended to reach the top by midday, then return before dark to get a lift to my hostel.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/03/experience-i-was-attacked-by-a-dog-while-climbing-a-volcano", + "creator": "Niki Khoroushi", + "pubDate": "2021-12-03T10:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125836,16 +152273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9c0b99793a55290a17e65890d7cdbfae" + "hash": "e53db528dfa42255c11f361ee1e99bef" }, { - "title": "Singapore suspends crypto exchange over row with K-pop band BTS", - "description": "

    Bitget reportedly loses licence after it promoted Army Coin, named after group’s ‘BTS army’ followers

    Singapore’s financial regulator has reportedly suspended Bitget, a crypto exchange that is mired in a row involving South Korea’s biggest boyband, BTS.

    Bitget has removed the Monetary Authority of Singapore’s logo from its website, the Guardian confirmed. The platform still claims to have licences from Australia, Canada and the United States, according to its website.

    Continue reading...", - "content": "

    Bitget reportedly loses licence after it promoted Army Coin, named after group’s ‘BTS army’ followers

    Singapore’s financial regulator has reportedly suspended Bitget, a crypto exchange that is mired in a row involving South Korea’s biggest boyband, BTS.

    Bitget has removed the Monetary Authority of Singapore’s logo from its website, the Guardian confirmed. The platform still claims to have licences from Australia, Canada and the United States, according to its website.

    Continue reading...", - "category": "Cryptocurrencies", - "link": "https://www.theguardian.com/technology/2021/dec/05/singapore-suspends-crypto-exchange-row-k-pop-bts-bitget", - "creator": "Vincent Ni", - "pubDate": "2021-12-05T17:29:58Z", + "title": "‘I was offered $35m for one day’s work’: George Clooney on paydays, politics and parenting", + "description": "

    The Oscar-winner discusses directing the coming-of-age drama The Tender Bar, raising twins in a pandemic and choosing causes over cash

    George Clooney is smoother than a cup of one of those Nespresso coffees he has advertised for two decades and for which has earned a highly caffeinated £30m-plus. With that, on top of the tequila company Casamigos, which he co-founded then sold four years ago for a potential $1bn (£780m), the ER juggernaut and – oh yeah! – the hugely successful film career as an actor, director and producer, it seems safe to assume that Clooney could, if he were a bit less cool, start every morning by diving into a pile of gold coins like Scrooge McDuck. So, George, I ask, do you ever think: “You know what? I think I have enough money now.”

    Unruffled as the silver hair on his head, Clooney leans forward, as if he is about to confide in me. “Well, yeah. I was offered $35m for one day’s work for an airline commercial, but I talked to Amal [Clooney, the human rights lawyer he married in 2014] about it and we decided it’s not worth it. It was [associated with] a country that, although it’s an ally, is questionable at times, and so I thought: ‘Well, if it takes a minute’s sleep away from me, it’s not worth it.’”

    Continue reading...", + "content": "

    The Oscar-winner discusses directing the coming-of-age drama The Tender Bar, raising twins in a pandemic and choosing causes over cash

    George Clooney is smoother than a cup of one of those Nespresso coffees he has advertised for two decades and for which has earned a highly caffeinated £30m-plus. With that, on top of the tequila company Casamigos, which he co-founded then sold four years ago for a potential $1bn (£780m), the ER juggernaut and – oh yeah! – the hugely successful film career as an actor, director and producer, it seems safe to assume that Clooney could, if he were a bit less cool, start every morning by diving into a pile of gold coins like Scrooge McDuck. So, George, I ask, do you ever think: “You know what? I think I have enough money now.”

    Unruffled as the silver hair on his head, Clooney leans forward, as if he is about to confide in me. “Well, yeah. I was offered $35m for one day’s work for an airline commercial, but I talked to Amal [Clooney, the human rights lawyer he married in 2014] about it and we decided it’s not worth it. It was [associated with] a country that, although it’s an ally, is questionable at times, and so I thought: ‘Well, if it takes a minute’s sleep away from me, it’s not worth it.’”

    Continue reading...", + "category": "George Clooney", + "link": "https://www.theguardian.com/film/2021/dec/03/i-was-offered-35m-for-one-days-work-george-clooney-on-paydays-politics-and-parenting", + "creator": "Hadley Freeman", + "pubDate": "2021-12-03T06:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125856,16 +152293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7b448f29d282bb0d43e3dd7c8ffcaff0" + "hash": "a1da83751835607ed6193542b79fb9ca" }, { - "title": "Omicron proves we’re not in control of Covid – only global action can stop this pandemic", - "description": "

    If we keep allowing this virus to spread through unvaccinated populations, the next variant could be even more deadly

    It’s almost two years since we first heard of Covid-19, and a year since the first Covid vaccines were rolled out. Yet this staggering progress is being squandered. We have drifted for months now, with richer countries, taking a very blinkered domestic focus, lulled into thinking that the worst of the pandemic was behind us. This variant reminds us all that we remain closer to the start of the pandemic than the end.

    There is a lot we need to learn about the Omicron variant. Whether or not this is a pandemic-changing variant – one that really evades our vaccines and treatments – remains to be seen. Research will tell us more in the coming days and weeks, and we must watch and follow the data closely while giving the brilliant scientific teams time to get the answers. Although I am very worried about countries with limited access to vaccines, I am cautiously hopeful that our current vaccines will continue to protect us against severe sickness and death, if we are fully vaccinated.

    Continue reading...", - "content": "

    If we keep allowing this virus to spread through unvaccinated populations, the next variant could be even more deadly

    It’s almost two years since we first heard of Covid-19, and a year since the first Covid vaccines were rolled out. Yet this staggering progress is being squandered. We have drifted for months now, with richer countries, taking a very blinkered domestic focus, lulled into thinking that the worst of the pandemic was behind us. This variant reminds us all that we remain closer to the start of the pandemic than the end.

    There is a lot we need to learn about the Omicron variant. Whether or not this is a pandemic-changing variant – one that really evades our vaccines and treatments – remains to be seen. Research will tell us more in the coming days and weeks, and we must watch and follow the data closely while giving the brilliant scientific teams time to get the answers. Although I am very worried about countries with limited access to vaccines, I am cautiously hopeful that our current vaccines will continue to protect us against severe sickness and death, if we are fully vaccinated.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/commentisfree/2021/dec/04/omicron-proves-were-not-in-control-of-covid-only-global-action-can-stop-this-pandemic", - "creator": "Jeremy Farrar", - "pubDate": "2021-12-04T20:00:34Z", + "title": "Talks with Iran on restoring 2015 nuclear deal suspended", + "description": "

    Europe says new Iranian regime has walked back on previous progress and advanced its nuclear programme

    The first formal talks between western powers and the new Iranian regime on how to restore the 2015 nuclear deal were suspended on Friday, with Europe warning that Iran had walked back all previous diplomatic progress and fast-forwarded its nuclear programme.

    It now seems possible the talks will collapse next week if Iran does not modify its demands, potentially risking an attack on Iran by Israel.

    Continue reading...", + "content": "

    Europe says new Iranian regime has walked back on previous progress and advanced its nuclear programme

    The first formal talks between western powers and the new Iranian regime on how to restore the 2015 nuclear deal were suspended on Friday, with Europe warning that Iran had walked back all previous diplomatic progress and fast-forwarded its nuclear programme.

    It now seems possible the talks will collapse next week if Iran does not modify its demands, potentially risking an attack on Iran by Israel.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/dec/03/talks-with-iran-on-restoring-2015-nuclear-deal-suspended", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-12-03T16:18:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125876,16 +152313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "744c5ee0f9dcc669b135c6c69d06cec7" + "hash": "c01488cafa81a4fca858f6edabe83254" }, { - "title": "Lewis Hamilton distances himself from F1 team Kingspan deal", - "description": "

    British driver says he had ‘nothing’ to do with sponsorship deal with company linked to Grenfell fire

    Lewis Hamilton has distanced himself from his Formula One team’s partnership deal with Kingspan, an insulation company linked to the Grenfell Tower fire, saying he had nothing to do with the decision.

    He also cast doubt on Kingspan branding remaining on his Mercedes car.

    Continue reading...", - "content": "

    British driver says he had ‘nothing’ to do with sponsorship deal with company linked to Grenfell fire

    Lewis Hamilton has distanced himself from his Formula One team’s partnership deal with Kingspan, an insulation company linked to the Grenfell Tower fire, saying he had nothing to do with the decision.

    He also cast doubt on Kingspan branding remaining on his Mercedes car.

    Continue reading...", - "category": "Grenfell Tower fire", - "link": "https://www.theguardian.com/uk-news/2021/dec/05/lewis-hamilton-distances-himself-from-f1-team-kingspan-deal-grenfell", - "creator": "Jessica Murray Midlands correspondent", - "pubDate": "2021-12-05T09:50:35Z", + "title": "Omicron driving record rate of Covid infection in South African province", + "description": "

    Officials say variant’s R number is believed to be above 6, though most cases are mild and no deaths reported

    The pace of Covid infections in the South African province of Gauteng is outstripping anything seen in previous waves, and officials say Omicron is now the dominant variant.

    Angelique Coetzee, the chair of the South African Medical Association, said Omicron’s R number, measuring its ability to spread, was believed to be above 6. The R number for Delta, the dominant variant globally, is estimated to be above 5.

    Continue reading...", + "content": "

    Officials say variant’s R number is believed to be above 6, though most cases are mild and no deaths reported

    The pace of Covid infections in the South African province of Gauteng is outstripping anything seen in previous waves, and officials say Omicron is now the dominant variant.

    Angelique Coetzee, the chair of the South African Medical Association, said Omicron’s R number, measuring its ability to spread, was believed to be above 6. The R number for Delta, the dominant variant globally, is estimated to be above 5.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/03/omicron-covid-variant-record-rate-of-infection-south-africa-gauteng", + "creator": "Peter Beaumont", + "pubDate": "2021-12-03T16:45:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125893,19 +152330,19 @@ "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, - "favorite": false, - "created": false, - "tags": [], - "hash": "167ba495abe53c92fe218c1bd118a12c" - }, - { - "title": "UK takes part in huge French naval exercise to counter ‘emerging threats’", - "description": "

    France’s top naval commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", - "content": "

    France’s top naval commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/05/uk-and-france-take-part-in-huge-naval-exercise-to-counter-emerging-threats", - "creator": "Kim Willsher on the Charles de Gaulle aircraft carrier", - "pubDate": "2021-12-05T10:59:58Z", + "favorite": false, + "created": false, + "tags": [], + "hash": "26ecc25256ec5708b418c38affd94c44" + }, + { + "title": "Covid: Biden says to beat Omicron variant ‘we have to shut it down worldwide’ – live", + "description": "

    After their remarks, the members of the taskforce took a handful of questions from reporters. Fauci was asked when scientists will have a better understanding of the risks posed by the Omicron variant. He said they would have a clearer picture in the “next few weeks”.

    But he said it could take longer to understand the impact of Omicron and whether it will overtake Delta as the dominant strain in the US.

    Continue reading...", + "content": "

    After their remarks, the members of the taskforce took a handful of questions from reporters. Fauci was asked when scientists will have a better understanding of the risks posed by the Omicron variant. He said they would have a clearer picture in the “next few weeks”.

    But he said it could take longer to understand the impact of Omicron and whether it will overtake Delta as the dominant strain in the US.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/us-news/live/2021/dec/03/us-government-shutdown-funding-coronavirus-omicron-joe-biden-us-politics-latest", + "creator": "Lauren Gambino in Washington", + "pubDate": "2021-12-03T18:08:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125916,16 +152353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdb511b42c27f3549fb1e3d732b6a597" + "hash": "0e289ef9bf982dec103dec5c82279173" }, { - "title": "Omicron: what do we know about the new Covid variant?", - "description": "

    Scientists are racing to establish the variant’s transmissibility, effect on immune system and chance of hospitalisation or death

    Three major issues will determine the magnitude of the impact of the new Omicron variant of the Covid virus will have on the nation and the rest of the planet. What is the transmissibility of this new Covid variant? How good is it at evading the antibodies and T-cells that make up a person’s immune defences? What are the chances it will trigger severe illness that could lead to the hospitalisation, and possibly death, of an infected person.

    Scientists are struggling to find definitive answers to these critically important questions, although evidence already suggests Omicron has the potential to cause serious disruption. “The situation is very finely tuned and could go in many different directions,” says Prof Rowland Kao of Edinburgh University.

    Continue reading...", - "content": "

    Scientists are racing to establish the variant’s transmissibility, effect on immune system and chance of hospitalisation or death

    Three major issues will determine the magnitude of the impact of the new Omicron variant of the Covid virus will have on the nation and the rest of the planet. What is the transmissibility of this new Covid variant? How good is it at evading the antibodies and T-cells that make up a person’s immune defences? What are the chances it will trigger severe illness that could lead to the hospitalisation, and possibly death, of an infected person.

    Scientists are struggling to find definitive answers to these critically important questions, although evidence already suggests Omicron has the potential to cause serious disruption. “The situation is very finely tuned and could go in many different directions,” says Prof Rowland Kao of Edinburgh University.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/05/omicron-what-do-we-know-about-the-new-covid-variant", - "creator": "Robin McKie Science Editor", - "pubDate": "2021-12-05T08:00:49Z", + "title": "‘Heartbreaking’ clean-up of animal corpses as Canada floodwaters ebb", + "description": "

    Floods and landslides in British Columbia devastated livestock in ‘easily the costliest natural disaster in Canada’s history’

    Floods and landslides that battered the Canadian province of British Columbia last month killed hundreds of thousands of farm animals and forced nearly 15,000 people from their homes, new figures revealed, as officials described the scope of the devastation – and the challenges of recovery.

    As many as 628,000 chickens, 420 dairy cattle and 12,000 hogs were killed by the floods. An estimated 3 million bees in 110 hives were also submerged.

    Continue reading...", + "content": "

    Floods and landslides in British Columbia devastated livestock in ‘easily the costliest natural disaster in Canada’s history’

    Floods and landslides that battered the Canadian province of British Columbia last month killed hundreds of thousands of farm animals and forced nearly 15,000 people from their homes, new figures revealed, as officials described the scope of the devastation – and the challenges of recovery.

    As many as 628,000 chickens, 420 dairy cattle and 12,000 hogs were killed by the floods. An estimated 3 million bees in 110 hives were also submerged.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/dec/03/british-columbia-floods-animal-corpses-clean-up", + "creator": "Leyland Cecco in Toronto", + "pubDate": "2021-12-03T17:21:40Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125936,16 +152373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "10bbcfba101f4d85445eff6d0a21b518" + "hash": "4aef209fcfc921c399ec5a1b6f0f2847" }, { - "title": "Two hippos test positive for Covid at Antwerp zoo", - "description": "

    Staff at zoo in Belgium investigating cause of infections, which could be first reported cases in species

    Two hippos have tested positive for Covid-19 at Antwerp zoo in Belgium in what could be the first reported cases in the species, staff said.

    Imani, aged 14, and 41-year-old Hermien have no symptoms apart from runny noses, but the zoo said the pair had been put into quarantine as a precaution.

    Continue reading...", - "content": "

    Staff at zoo in Belgium investigating cause of infections, which could be first reported cases in species

    Two hippos have tested positive for Covid-19 at Antwerp zoo in Belgium in what could be the first reported cases in the species, staff said.

    Imani, aged 14, and 41-year-old Hermien have no symptoms apart from runny noses, but the zoo said the pair had been put into quarantine as a precaution.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/05/hippos-test-positive-covid-antwerp-zoo-belgium", - "creator": "Reuters", - "pubDate": "2021-12-05T11:48:12Z", + "title": "Johnson’s imperial bombast could suck Britain into more deadly interventions | Simon Jenkins", + "description": "

    As tensions with Russia and China increase, the prime minister meddles in foreign policy to distract from domestic woes

    Relations between the world’s great powers are tenser than ever since the cold war. Troops are massing along Russia’s border with Ukraine. Chinese ships and planes are openly threatening Taiwan. Japan is rearming in response. Turkey is renewing its belligerence towards its neighbours. Russia is backing east-west fragmentation in Bosnia.

    Where Britain stands in all this is dangerously unclear, drifting on a sea of Boris Johnson’s gestures and platitudes. The Royal Navy currently has a £3.2bn aircraft carrier waving the union flag in the South China Sea, completely unprotected. China could sink it in an hour. In the Black Sea, a British destroyer provocatively invades Russian waters off Crimea, showing off to the world’s media. Last week, the British foreign secretary, Liz Truss, advanced her bid for her party’s leadership by sitting astride a tank in Estonia and warning Russia that Britain “stood firm” against its “malign activity” in Ukraine. Meanwhile, Britain’s outgoing defence chief, Sir Nick Carter, estimates that the risk of accidental war with Russia is now “the highest in decades”.

    Simon Jenkins is a Guardian columnist

    Continue reading...", + "content": "

    As tensions with Russia and China increase, the prime minister meddles in foreign policy to distract from domestic woes

    Relations between the world’s great powers are tenser than ever since the cold war. Troops are massing along Russia’s border with Ukraine. Chinese ships and planes are openly threatening Taiwan. Japan is rearming in response. Turkey is renewing its belligerence towards its neighbours. Russia is backing east-west fragmentation in Bosnia.

    Where Britain stands in all this is dangerously unclear, drifting on a sea of Boris Johnson’s gestures and platitudes. The Royal Navy currently has a £3.2bn aircraft carrier waving the union flag in the South China Sea, completely unprotected. China could sink it in an hour. In the Black Sea, a British destroyer provocatively invades Russian waters off Crimea, showing off to the world’s media. Last week, the British foreign secretary, Liz Truss, advanced her bid for her party’s leadership by sitting astride a tank in Estonia and warning Russia that Britain “stood firm” against its “malign activity” in Ukraine. Meanwhile, Britain’s outgoing defence chief, Sir Nick Carter, estimates that the risk of accidental war with Russia is now “the highest in decades”.

    Simon Jenkins is a Guardian columnist

    Continue reading...", + "category": "Foreign policy", + "link": "https://www.theguardian.com/commentisfree/2021/dec/03/boris-johnson-britain-deadly-interventions-russia-china", + "creator": "Simon Jenkins", + "pubDate": "2021-12-03T12:00:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125956,16 +152393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7ef4f03a05e6daa1e616d40581d1b638" + "hash": "83280d0b55ece5ff6d90d45b9faf54b5" }, { - "title": "UK warned not to replicate Australia’s immigration detention centres", - "description": "

    Letter from detainees urges MPs not to back nationality and borders bill to be debated in parliament this week

    Two former detainees in Australia’s notorious offshore immigration detention centres have issued a “dire warning” to UK parliamentarians ahead of a vote to replicate these centres this week.

    They are urging MPs not to back the nationality and borders bill which will be debated in parliament on Tuesday and Wednesday. If passed into law in its current form it will diminish refugee protection. Large-scale reception centres are planned and the legislation includes a provision for housing asylum seekers offshore while their claims are considered.

    Continue reading...", - "content": "

    Letter from detainees urges MPs not to back nationality and borders bill to be debated in parliament this week

    Two former detainees in Australia’s notorious offshore immigration detention centres have issued a “dire warning” to UK parliamentarians ahead of a vote to replicate these centres this week.

    They are urging MPs not to back the nationality and borders bill which will be debated in parliament on Tuesday and Wednesday. If passed into law in its current form it will diminish refugee protection. Large-scale reception centres are planned and the legislation includes a provision for housing asylum seekers offshore while their claims are considered.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/dec/05/uk-warned-not-to-replicate-australias-immigration-detention-centres", - "creator": "Diane Taylor", - "pubDate": "2021-12-05T17:41:44Z", + "title": "Saved for Later: Bad memes and wokewashing: why do brands tweet like people? Plus: Snapchat streaks explained", + "description": "

    In Guardian Australia’s online culture podcast, Michael Sun and Alyx Gorman bring in Vice Australia’s head of editorial Brad Esposito to chat about the evolution of brands on social media, from cringey posts to identity politics – including a tweet so tone deaf, Brad had to pull his car over to report on it. Then Michael teaches Alyx why breaking a Snapchat streak is an unforgivable faux pas

    Continue reading...", + "content": "

    In Guardian Australia’s online culture podcast, Michael Sun and Alyx Gorman bring in Vice Australia’s head of editorial Brad Esposito to chat about the evolution of brands on social media, from cringey posts to identity politics – including a tweet so tone deaf, Brad had to pull his car over to report on it. Then Michael teaches Alyx why breaking a Snapchat streak is an unforgivable faux pas

    Continue reading...", + "category": "", + "link": "https://www.theguardian.com/australia-news/audio/2021/dec/04/saved-for-later-bad-memes-and-wokewashing-why-do-brands-tweet-like-people-plus-snapchat-streaks-explained", + "creator": "Presented by Michael Sun and Alyx Gorman with Brad Esposito. Produced by Miles Herbert, Karishma Luthria and Joe Koning. Executive produced by Melanie Tait and Steph Harmon", + "pubDate": "2021-12-03T16:30:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125976,16 +152413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4675ec4a62fc727eea54a7d2e3dd8178" + "hash": "22dfc1fff33d5ce79824842a4960c3b1" }, { - "title": "Australia news updates live: bus and train drivers strike in NSW, flood warnings for parts of Queensland", - "description": "

    Security leaders welcome Labor climate policy; industrial action over pay dispute begins as some Sydney drivers walk off the job. Follow all the developments live

    Anthony Albanese is well and truly out on the campaign trail this week and, it seem the polls are actually behind him for once.

    The latest Newspoll, conducted for The Australian, shows 47 per cent of voters believe Labor will form the next government following an election expected in March or May.

    I think when it comes to character, there is a chasm, a massive chasm between Scott Morris and Anthony Albanese, there’s no doubt about that...

    I think Australians coming out of the pandemic are looking for a government that will have a plan to create a better future, right now I think what they see with the Morrison Government is a government that is consistently behind the play

    Continue reading...", - "content": "

    Security leaders welcome Labor climate policy; industrial action over pay dispute begins as some Sydney drivers walk off the job. Follow all the developments live

    Anthony Albanese is well and truly out on the campaign trail this week and, it seem the polls are actually behind him for once.

    The latest Newspoll, conducted for The Australian, shows 47 per cent of voters believe Labor will form the next government following an election expected in March or May.

    I think when it comes to character, there is a chasm, a massive chasm between Scott Morris and Anthony Albanese, there’s no doubt about that...

    I think Australians coming out of the pandemic are looking for a government that will have a plan to create a better future, right now I think what they see with the Morrison Government is a government that is consistently behind the play

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/06/australia-news-updates-live-covid-omicron-transport-strike-scott-morrison-anthony-albanese-weather-nsw-victoria-qld", - "creator": "Matilda Boseley", - "pubDate": "2021-12-05T21:01:39Z", + "title": "Covid limits migration despite more people displaced by war and disasters", + "description": "

    IOM report finds 9m more people displaced globally but mobility restricted due to pandemic, with vaccination proving a key factor


    The coronavirus pandemic had a radical effect on migration, limiting movement despite increasing levels of internal displacement from conflict and climate disasters, the UN’s International Organization for Migration said in a report on Wednesday.

    Though the number of people who migrated internationally increased to 281 million in 2020 – 9 million more than before Covid-19 – the number was 2 million lower than expected without a pandemic, according to the report.

    Continue reading...", + "content": "

    IOM report finds 9m more people displaced globally but mobility restricted due to pandemic, with vaccination proving a key factor


    The coronavirus pandemic had a radical effect on migration, limiting movement despite increasing levels of internal displacement from conflict and climate disasters, the UN’s International Organization for Migration said in a report on Wednesday.

    Though the number of people who migrated internationally increased to 281 million in 2020 – 9 million more than before Covid-19 – the number was 2 million lower than expected without a pandemic, according to the report.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/01/iom-report-covid-limits-migration-but-more-people-displaced-war-disasters", + "creator": "Kaamil Ahmed", + "pubDate": "2021-12-01T16:17:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -125996,16 +152433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3ba1a77a4c7d39869a1951403193bfe2" + "hash": "aa79bd7dec74a605b280d76d80e01b6e" }, { - "title": "Man rescued 22 hours after capsizing off Japan coast – video", - "description": "

    Dramatic footage released by the Japan coastguard shows the rescue of a 69-year-old man in rough seas after spending 22 hours drifting in open water.

    The man, whose name has not been released, was alone on a boat off Kagoshima prefecture in the south-west of the country on Saturday afternoon when it capsized.

    He managed to call a colleague on the island to alert him, but was not found until nearly a day later, the coastguard said, when rescuers spotted him sitting on the engine of his capsized boat, clasping a propeller part

    Continue reading...", - "content": "

    Dramatic footage released by the Japan coastguard shows the rescue of a 69-year-old man in rough seas after spending 22 hours drifting in open water.

    The man, whose name has not been released, was alone on a boat off Kagoshima prefecture in the south-west of the country on Saturday afternoon when it capsized.

    He managed to call a colleague on the island to alert him, but was not found until nearly a day later, the coastguard said, when rescuers spotted him sitting on the engine of his capsized boat, clasping a propeller part

    Continue reading...", - "category": "Japan", - "link": "https://www.theguardian.com/world/video/2021/dec/02/man-rescued-22-hours-after-capsizing-off-japan-coast-video", - "creator": "", - "pubDate": "2021-12-02T11:01:47Z", + "title": "How Chris and Andrew Cuomo's on-air comedy routines compromised CNN", + "description": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", + "content": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", + "category": "Andrew Cuomo", + "link": "https://www.theguardian.com/us-news/2021/dec/01/chris-cuomo-cnn-routine-brother-undermined-network", + "creator": "Danielle Tcholakian", + "pubDate": "2021-12-01T18:01:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126016,16 +152453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b9a26a7fd13febb36a42658d7885bdfc" + "hash": "b0e8a2efc3dde8ce7561b1d2b3b279d7" }, { - "title": "Pécresse attacks ‘zigzagging’ Macron as French right goes after president", - "description": "

    Candidate for Les Républicains seeks rightwing votes on weekend Éric Zemmour launches new party

    Emmanuel Macron came under fire from the French right at the weekend as Valérie Pécresse was chosen as the presidential candidate for Les Républicains, while the far-right TV pundit Éric Zemmour launched a new party and Marine Le Pen travelled to Poland for a show of force with the Polish prime minister and other European populist parties.

    Pécresse said her “mission” was to stop Macron. She called him a “zigzagging” president who had “run France into the wall with debt and taxes, a society where there is no more respect or authority”. In her first interview, with the Journal du Dimanche, she said Macron had saddled future generations with a wealth of problems including “debt, commercial deficit, taxes, struggling public services [and] a chronic crisis of authority”. She added: “France is damaged and divided, everything has to be repaired.”

    Continue reading...", - "content": "

    Candidate for Les Républicains seeks rightwing votes on weekend Éric Zemmour launches new party

    Emmanuel Macron came under fire from the French right at the weekend as Valérie Pécresse was chosen as the presidential candidate for Les Républicains, while the far-right TV pundit Éric Zemmour launched a new party and Marine Le Pen travelled to Poland for a show of force with the Polish prime minister and other European populist parties.

    Pécresse said her “mission” was to stop Macron. She called him a “zigzagging” president who had “run France into the wall with debt and taxes, a society where there is no more respect or authority”. In her first interview, with the Journal du Dimanche, she said Macron had saddled future generations with a wealth of problems including “debt, commercial deficit, taxes, struggling public services [and] a chronic crisis of authority”. She added: “France is damaged and divided, everything has to be repaired.”

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/05/pecresse-attacks-zigzagging-macron-as-french-right-goes-after-president", - "creator": "Angelique Chrisafisin Paris", - "pubDate": "2021-12-05T19:09:45Z", + "title": "Ilhan Omar plays death threat left on voicemail during press briefing – video", + "description": "

    Ilhan Omar has played an explicit death threat she received on her voicemail at a press briefing. The Democratic representative for Minnesota said threats against her life were often triggered by attacks on her faith by Republican politicians. She urged House Republican leaders to do more to counter 'anti-Muslim hatred' in their ranks 

    Continue reading...", + "content": "

    Ilhan Omar has played an explicit death threat she received on her voicemail at a press briefing. The Democratic representative for Minnesota said threats against her life were often triggered by attacks on her faith by Republican politicians. She urged House Republican leaders to do more to counter 'anti-Muslim hatred' in their ranks 

    Continue reading...", + "category": "Ilhan Omar", + "link": "https://www.theguardian.com/us-news/video/2021/dec/01/ilhan-omar-plays-death-threat-left-on-voicemail-during-press-briefing-video", + "creator": "", + "pubDate": "2021-12-01T11:01:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126036,16 +152473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1f032ff0bb03be57f8e02325f3d046a" + "hash": "442654ff1c019af292fb8ac50d9f41d5" }, { - "title": "Oxford postgrad says sexual assault complaint was met with hostility", - "description": "

    Open letter condemning Harriet’s treatment has been signed by hundreds of students and supporters

    Students at an Oxford University college have accused staff of disregarding their welfare after a postgrad who alleged she was sexually assaulted said she was treated with hostility after making a complaint.

    Harriet, a PhD student at Balliol, who has multiple disabilities, alleged she was repeatedly sexually assaulted in 2019 by a fellow student. The college has announced an independent inquiry into its handling of her complaint after she said staff made inappropriate comments about her appearance and behaviour and concluded no further action should be taken without interviewing or accepting evidence from her.

    The chaplain, Bruce Kinsey, asked her if she was aware of the effect she had on men, called her very physically attractive and said she should be wary of the impact on her alleged attacker.

    Kinsey told her: “You don’t want to piss people off who you might meet again downstream.”

    When she reapplied for disability access accommodation she received an email from the praefectus, Tom Melham, implying that her behaviour was a problem, including drinking.

    Continue reading...", - "content": "

    Open letter condemning Harriet’s treatment has been signed by hundreds of students and supporters

    Students at an Oxford University college have accused staff of disregarding their welfare after a postgrad who alleged she was sexually assaulted said she was treated with hostility after making a complaint.

    Harriet, a PhD student at Balliol, who has multiple disabilities, alleged she was repeatedly sexually assaulted in 2019 by a fellow student. The college has announced an independent inquiry into its handling of her complaint after she said staff made inappropriate comments about her appearance and behaviour and concluded no further action should be taken without interviewing or accepting evidence from her.

    The chaplain, Bruce Kinsey, asked her if she was aware of the effect she had on men, called her very physically attractive and said she should be wary of the impact on her alleged attacker.

    Kinsey told her: “You don’t want to piss people off who you might meet again downstream.”

    When she reapplied for disability access accommodation she received an email from the praefectus, Tom Melham, implying that her behaviour was a problem, including drinking.

    Continue reading...", - "category": "University of Oxford", - "link": "https://www.theguardian.com/education/2021/dec/05/oxford-postgrad-says-sexual-assault-complaint-was-met-with-hostility", - "creator": "Haroon Siddique Legal affairs correspondent", - "pubDate": "2021-12-05T15:26:20Z", + "title": "The Mississippi and Texas laws threatening US abortion rights", + "description": "

    As the supreme court hears new challenges to Roe v Wade, American abortion rights hang in the balance

    According to recent polls, Americans overwhelmingly support Roe v Wade, the 1973 US supreme court ruling that protects a woman’s right to an abortion. But two new legal challenges to that decision could jeopardise the ability of American women to access abortions – and have knock-on effects for reproductive rights across the globe.

    Guardian US health reporter Jessica Glenza has been reporting on laws that severely restrict abortion access in Mississippi and Texas; she tells Nosheen Iqbal that this is a ‘perilous moment’ for reproductive rights in the US.

    Continue reading...", + "content": "

    As the supreme court hears new challenges to Roe v Wade, American abortion rights hang in the balance

    According to recent polls, Americans overwhelmingly support Roe v Wade, the 1973 US supreme court ruling that protects a woman’s right to an abortion. But two new legal challenges to that decision could jeopardise the ability of American women to access abortions – and have knock-on effects for reproductive rights across the globe.

    Guardian US health reporter Jessica Glenza has been reporting on laws that severely restrict abortion access in Mississippi and Texas; she tells Nosheen Iqbal that this is a ‘perilous moment’ for reproductive rights in the US.

    Continue reading...", + "category": "Abortion", + "link": "https://www.theguardian.com/world/audio/2021/dec/01/the-mississippi-and-texas-laws-threatening-abortion-rights-us-podcast", + "creator": "Presented by Nosheen Iqbal with Jessica Glenza; produced by Courtney Yusuf, Hannah Moore , Alice Fordham, Eva Krafczyk, and Axel Kacoutié; executive producers Archie Bland and Mythili Rao", + "pubDate": "2021-12-01T03:00:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126056,16 +152493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "44e6ed20bf61270bc50fb0d1599c2ef7" + "hash": "8b19f2ac7485e5ebf2debc7e936cf0d0" }, { - "title": "Scholarship program fails to attract NSW teachers as staff prepare to strike for first time in a decade", - "description": "

    Only six industry professionals among intake for Teach.Maths NOW scholarship in 2020 and all but one dropped out of program

    A New South Wales government program aimed at convincing professionals to become maths teachers attracted only six people last year, five of who dropped out before their scholarships were complete.

    As the state’s public school teachers prepare for their first strike in almost a decade on Tuesday, new figures have cast doubt on the success of the government’s attempts to address teacher shortages in NSW without significantly increasing pay.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Only six industry professionals among intake for Teach.Maths NOW scholarship in 2020 and all but one dropped out of program

    A New South Wales government program aimed at convincing professionals to become maths teachers attracted only six people last year, five of who dropped out before their scholarships were complete.

    As the state’s public school teachers prepare for their first strike in almost a decade on Tuesday, new figures have cast doubt on the success of the government’s attempts to address teacher shortages in NSW without significantly increasing pay.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "New South Wales", - "link": "https://www.theguardian.com/australia-news/2021/dec/06/scholarship-program-fails-to-attract-nsw-teachers-as-staff-prepare-to-strike-for-first-time-in-a-decade", - "creator": "Michael McGowan", - "pubDate": "2021-12-05T16:30:03Z", + "title": "Covid live: Slovakia sets new daily case record; nearly 1m Germans currently infected, says health minister", + "description": "

    Low level of vaccine take-up thought to be factor in Slovakia; Germany’s Jens Spahn says more than 1% of population have Covid

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", + "content": "

    Low level of vaccine take-up thought to be factor in Slovakia; Germany’s Jens Spahn says more than 1% of population have Covid

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/03/covid-news-live-new-york-state-detects-five-cases-of-omicron-variant-as-new-us-air-travel-rules-loom", + "creator": "Caroline Davies (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-03T11:31:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126076,16 +152513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1ec3cead698b17857763bfa5f8336d6f" + "hash": "c41b2b95e55b55518c61bb62b3db9eea" }, { - "title": "Christopher Luxon is out of step with most New Zealanders – can he really challenge Ardern? | Morgan Godfery", - "description": "

    The new National leader is a millionaire, anti-abortion, ex-CEO who owns seven homes and is against increases to the minimum wage

    In the end, the party of business picked the businessman. Former National party leader Simon Bridges is out – again – and former Air New Zealand chief executive and MP for Botany, Christopher Luxon, is in.

    In hindsight it seems like it was always a done deal. Sir John Key, the former prime minister and National party leader, was a prominent supporter while outgoing leader Judith Collins was running an “anyone but Bridges” policy, effectively handing the leadership to Luxon (and making him a hostage to her and her faction’s demands in the process). Political commentators were picking Luxon as a future leader before entering parliament and, only one year later, here he is.

    Continue reading...", - "content": "

    The new National leader is a millionaire, anti-abortion, ex-CEO who owns seven homes and is against increases to the minimum wage

    In the end, the party of business picked the businessman. Former National party leader Simon Bridges is out – again – and former Air New Zealand chief executive and MP for Botany, Christopher Luxon, is in.

    In hindsight it seems like it was always a done deal. Sir John Key, the former prime minister and National party leader, was a prominent supporter while outgoing leader Judith Collins was running an “anyone but Bridges” policy, effectively handing the leadership to Luxon (and making him a hostage to her and her faction’s demands in the process). Political commentators were picking Luxon as a future leader before entering parliament and, only one year later, here he is.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/commentisfree/2021/dec/04/christopher-luxon-is-out-of-step-with-most-new-zealanders-can-he-really-challenge-ardern", - "creator": "Morgan Godfery", - "pubDate": "2021-12-03T19:00:07Z", + "title": "England fan disorder at Euro 2020 final almost led to deaths, review finds", + "description": "
    • Casey report refers to series of ‘near misses’ at Wembley
    • It also points to planning failures on day of ‘national shame’

    Unprecedented disorder at the Euro 2020 final was a “near miss”, with deaths and life-changing injuries only narrowly avoided, according to an independent report into events described as a “national shame”.

    Lady Louise Casey published her 129-page review on Friday into the incidents that overwhelmed Wembley stadium on 11 July. While she concludes that primary blame for the mass of public disorder must lie with the protagonists, there is also blame for both the FA and the police, whom she says were too slow to respond to trouble that began early in the day.

    Continue reading...", + "content": "
    • Casey report refers to series of ‘near misses’ at Wembley
    • It also points to planning failures on day of ‘national shame’

    Unprecedented disorder at the Euro 2020 final was a “near miss”, with deaths and life-changing injuries only narrowly avoided, according to an independent report into events described as a “national shame”.

    Lady Louise Casey published her 129-page review on Friday into the incidents that overwhelmed Wembley stadium on 11 July. While she concludes that primary blame for the mass of public disorder must lie with the protagonists, there is also blame for both the FA and the police, whom she says were too slow to respond to trouble that began early in the day.

    Continue reading...", + "category": "Euro 2020", + "link": "https://www.theguardian.com/football/2021/dec/03/england-fan-disorder-at-euro-2020-final-almost-led-to-deaths-review-finds", + "creator": "Paul MacInnes", + "pubDate": "2021-12-03T10:00:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126096,16 +152533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5f2fadc8ac844180145191d146150175" + "hash": "02b35571116aa5bdd2e8d1a4d2888780" }, { - "title": "Covid live: NHS will be in ‘very difficult position’ if Omicron leads to more hospital admissions; India death toll climbs", - "description": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", - "content": "

    Hospitals already struggling to cope as they enter winter, says president of Royal College of Emergency Medicine; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/05/covid-live-coronavirus-india-death-toll-uk-booster-jabs-christmas", - "creator": "Kevin Rawlinson and Jamie Grierson", - "pubDate": "2021-12-05T14:40:00Z", + "title": "Xinjiang: Twitter closes thousands of China state-linked accounts spreading propaganda", + "description": "

    Content was often ‘embarrassingly’ produced and pumped out via repurposed accounts, analysts say

    Twitter has shut down thousands of state-linked accounts in China that seek to counter evidence of human rights abuses in Xinjiang, as part of what experts called an “embarrassingly” produced propaganda operation.

    The operations used photos and images, shell and potentially automated accounts, and fake Uyghur profiles, to disseminate state propaganda and fake testimonials about their happy lives in the region, seeking to dispel evidence of a years-long campaign of oppression, with mass internments, re-education programs, and allegations of forced labour and sterilisation.

    Continue reading...", + "content": "

    Content was often ‘embarrassingly’ produced and pumped out via repurposed accounts, analysts say

    Twitter has shut down thousands of state-linked accounts in China that seek to counter evidence of human rights abuses in Xinjiang, as part of what experts called an “embarrassingly” produced propaganda operation.

    The operations used photos and images, shell and potentially automated accounts, and fake Uyghur profiles, to disseminate state propaganda and fake testimonials about their happy lives in the region, seeking to dispel evidence of a years-long campaign of oppression, with mass internments, re-education programs, and allegations of forced labour and sterilisation.

    Continue reading...", + "category": "Xinjiang", + "link": "https://www.theguardian.com/world/2021/dec/03/xinjiang-twitter-closes-thousands-of-china-state-linked-accounts-spreading-propaganda", + "creator": "Helen Davidson", + "pubDate": "2021-12-03T05:16:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126116,16 +152553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2f4e24bbc0ac6a9361214e58a4a94bec" + "hash": "4c1a9138b8b5d1fee6a61fed8ce52b8d" }, { - "title": "West condemns Taliban over ‘summary killings’ of ex-soldiers and police", - "description": "

    Human Rights Watch says 47 former members of Afghan national security forces have been killed or forcibly disappeared

    The US has led a group of western nations and allies in condemnation of the Taliban over the “summary killings” of former members of the Afghan security forces reported by rights groups, demanding quick investigations.

    “We are deeply concerned by reports of summary killings and enforced disappearances of former members of the Afghan security forces as documented by Human Rights Watch and others,” read a statement by the US, EU, Australia, Britain, Japan and others, which was released by the state department on Saturday.

    Continue reading...", - "content": "

    Human Rights Watch says 47 former members of Afghan national security forces have been killed or forcibly disappeared

    The US has led a group of western nations and allies in condemnation of the Taliban over the “summary killings” of former members of the Afghan security forces reported by rights groups, demanding quick investigations.

    “We are deeply concerned by reports of summary killings and enforced disappearances of former members of the Afghan security forces as documented by Human Rights Watch and others,” read a statement by the US, EU, Australia, Britain, Japan and others, which was released by the state department on Saturday.

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/world/2021/dec/05/west-condemns-taliban-over-summary-killings-of-ex-soldiers-and-police", - "creator": "Agence France-Presse", - "pubDate": "2021-12-05T05:33:59Z", + "title": "Old Bexley and Sidcup byelection: Tories retain true-blue seat", + "description": "

    Louie French becomes MP for suburban London seat, but Tories’ majority of nearly 19,000 cut to 4,478

    The Conservatives have held the safe seat of Old Bexley and Sidcup in the first in a series of closely watched parliamentary byelections.

    Louie French was elected as the new MP, replacing the well-liked former cabinet minister James Brokenshire, who died in October from lung cancer.

    Continue reading...", + "content": "

    Louie French becomes MP for suburban London seat, but Tories’ majority of nearly 19,000 cut to 4,478

    The Conservatives have held the safe seat of Old Bexley and Sidcup in the first in a series of closely watched parliamentary byelections.

    Louie French was elected as the new MP, replacing the well-liked former cabinet minister James Brokenshire, who died in October from lung cancer.

    Continue reading...", + "category": "Byelections", + "link": "https://www.theguardian.com/politics/2021/dec/03/old-bexley-and-sidcup-byelection-louie-french-mp-tories-retain-seat", + "creator": "Aubrey Allegretti Political correspondent and Archie Bland", + "pubDate": "2021-12-03T08:13:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126136,16 +152573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cbff6fcd184521a09ace9f80c04f4383" + "hash": "9a31b29802c3b71aaa707d9e66fd07df" }, { - "title": "Third party to investigate Michigan school’s actions ahead of shooting", - "description": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A third party will investigate events at Oxford High School in Michigan before a school shooting this week that left four students dead and six others and a teacher wounded, the school district’s superintendent said on Saturday.

    The Oxford Community Schools superintendent, Tim Throne, said he called for the outside investigation because parents have asked questions about “the school’s version of events leading up to the shooting”.

    Continue reading...", - "content": "

    Outside investigation ordered as parents question ‘the school’s version of events leading up to the shooting’

    A third party will investigate events at Oxford High School in Michigan before a school shooting this week that left four students dead and six others and a teacher wounded, the school district’s superintendent said on Saturday.

    The Oxford Community Schools superintendent, Tim Throne, said he called for the outside investigation because parents have asked questions about “the school’s version of events leading up to the shooting”.

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/2021/dec/05/michigan-high-school-shooting-third-party-investigation", - "creator": "Asssociated Press in Oxford Township, Michigan", - "pubDate": "2021-12-05T14:26:39Z", + "title": "Alec Baldwin questions how bullet got on Rust set in emotional ABC interview", + "description": "

    In first on-camera interview since accidental film-set shooting, actor says there is only one question: ‘where did the live round come from?’

    Alec Baldwin said his 40 year acting career “could be” over after the shooting incident on the set of the western Rust that resulted in the death of cinematographer Halyna Hutchins and wounded director Joel Souza.

    In a lengthy and emotional interview on US TV with ABC News’ George Stephanopoulos, Baldwin added that he “couldn’t give a shit” about his career.

    Continue reading...", + "content": "

    In first on-camera interview since accidental film-set shooting, actor says there is only one question: ‘where did the live round come from?’

    Alec Baldwin said his 40 year acting career “could be” over after the shooting incident on the set of the western Rust that resulted in the death of cinematographer Halyna Hutchins and wounded director Joel Souza.

    In a lengthy and emotional interview on US TV with ABC News’ George Stephanopoulos, Baldwin added that he “couldn’t give a shit” about his career.

    Continue reading...", + "category": "Alec Baldwin", + "link": "https://www.theguardian.com/film/2021/dec/03/alec-baldwin-questions-how-bullet-got-on-rust-set-in-emotional-abc-interview", + "creator": "Dani Anguiano, Andrew Pulver and agencies", + "pubDate": "2021-12-03T03:45:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126156,16 +152593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2daf2706ddf8483b7b873d2228bcd66e" + "hash": "3008193d0ffe7974ac259cf1dd057ddd" }, { - "title": "UK and France take part in huge naval exercise to counter ‘emerging threats’", - "description": "

    Top French commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", - "content": "

    Top French commander cites ‘rapid rearmament’ of China and Russia as danger to maritime security

    France’s most senior naval commander has said future conflicts are likely to be fought at sea and in the cybersphere, citing the “rapid rearmament” of countries such as China as a potential threat.

    Adm Pierre Vandier made his comments after the French Marine Nationale and forces from five allied countries, including the UK, took part in what he described as a unique two-week exercise intended to prepare for “composite threats”.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/05/uk-and-france-take-part-in-huge-naval-exercise-to-counter-emerging-threats", - "creator": "Kim Willsher on the Charles de Gaulle aircraft carrier", - "pubDate": "2021-12-05T10:59:58Z", + "title": "Rights groups urge EU to ban NSO over clients’ use of Pegasus spyware", + "description": "

    Letter signed by 86 organisations asks for sanctions against Israeli firm, alleging governments used its software to abuse rights

    Dozens of human rights organisations have called on the European Union to impose global sanctions on NSO Group and take “every action” to prohibit the sale, transfer, export and import of the Israeli company’s surveillance technology.

    The letter, signed by 86 organisations including Access Now, Amnesty International and the Digital Rights Foundation, said the EU’s sanctions regime gave it the power to target entities that were responsible for “violations or abuses that are of serious concern as regards to the objectives of the common foreign and security policy, including violations or abuses of freedom of peaceful assembly and of association, or of freedom of opinion and expression”.

    Continue reading...", + "content": "

    Letter signed by 86 organisations asks for sanctions against Israeli firm, alleging governments used its software to abuse rights

    Dozens of human rights organisations have called on the European Union to impose global sanctions on NSO Group and take “every action” to prohibit the sale, transfer, export and import of the Israeli company’s surveillance technology.

    The letter, signed by 86 organisations including Access Now, Amnesty International and the Digital Rights Foundation, said the EU’s sanctions regime gave it the power to target entities that were responsible for “violations or abuses that are of serious concern as regards to the objectives of the common foreign and security policy, including violations or abuses of freedom of peaceful assembly and of association, or of freedom of opinion and expression”.

    Continue reading...", + "category": "Human rights", + "link": "https://www.theguardian.com/law/2021/dec/03/rights-groups-urge-eu-to-ban-nso-over-clients-use-of-pegasus-spyware", + "creator": "Stephanie Kirchgaessner in Washington", + "pubDate": "2021-12-03T05:00:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126176,16 +152613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c621c9d4063978b46092a14e31cb24af" + "hash": "7c8314f8f1c7f2d93e37421aea61f64f" }, { - "title": "US seeks China and Russia support to salvage Iran nuclear deal", - "description": "

    Iran’s natural allies are said to have been surprised by how much it had walked back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance on the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they walked back all the progress made in the previous round of talks.

    Continue reading...", - "content": "

    Iran’s natural allies are said to have been surprised by how much it had walked back on its own compromises

    The US is hoping pressure from Russia, China and some Arab Gulf states may yet persuade Iran to moderate its negotiating stance on the steps the Biden administration must take before both sides return to the 2015 nuclear deal.

    Talks in Vienna faltered badly last week, when the new hardline Iranian administration increased its levels of uranium enrichment and tabled proposals that US officials said at the weekend were “not serious”since they walked back all the progress made in the previous round of talks.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/dec/05/us-seeks-china-and-russia-support-to-salvage-iran-nuclear-deal", - "creator": "Patrick Wintour Diplomatic Editor", - "pubDate": "2021-12-05T14:16:56Z", + "title": "Remain in Mexico: migrants face deadly peril as Biden restores Trump policy", + "description": "

    The US has struck a deal with Mexico to make asylum seekers wait south side of the border while their applications are processed

    The Biden administration’s move to revive Donald Trump’s “Remain in Mexico” policy will subject thousands of people to “enormous suffering” and leave them vulnerable to kidnap and rape as they languish in dangerous Mexican border cities, migration advocates have warned.

    After reaching a deal with Mexico, the US will by 6 December start returning asylum seekers from other Latin American countries to Mexico where they will be obliged to wait while their case is assessed.

    Continue reading...", + "content": "

    The US has struck a deal with Mexico to make asylum seekers wait south side of the border while their applications are processed

    The Biden administration’s move to revive Donald Trump’s “Remain in Mexico” policy will subject thousands of people to “enormous suffering” and leave them vulnerable to kidnap and rape as they languish in dangerous Mexican border cities, migration advocates have warned.

    After reaching a deal with Mexico, the US will by 6 December start returning asylum seekers from other Latin American countries to Mexico where they will be obliged to wait while their case is assessed.

    Continue reading...", + "category": "Mexico", + "link": "https://www.theguardian.com/world/2021/dec/03/remain-in-mexico-migrants-face-deadly-peril-as-biden-restores-trump-policy", + "creator": "David Agren in Mexico City", + "pubDate": "2021-12-03T10:00:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126196,16 +152633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1b4f6c772bb77de7f22403b6ab8d44d2" + "hash": "0de20de4060a2ef037595bd9c23a7507" }, { - "title": "Scottish islanders launch Airbnb rival in fight against second homes crisis", - "description": "

    Local group hopes to take on tech giant and help keep hold of tourist revenue

    Rhoda Meek knows the power of Scottish islands working together. During the first lockdown she created a website for more than 360 businesses from Arran to Ulva to sell their wares while the pandemic prevented visitors.

    Now she and her neighbours have launched a holiday lettings website that aims to take on Airbnb and ensure that more of the islands’ tourism revenue stays local.

    Continue reading...", - "content": "

    Local group hopes to take on tech giant and help keep hold of tourist revenue

    Rhoda Meek knows the power of Scottish islands working together. During the first lockdown she created a website for more than 360 businesses from Arran to Ulva to sell their wares while the pandemic prevented visitors.

    Now she and her neighbours have launched a holiday lettings website that aims to take on Airbnb and ensure that more of the islands’ tourism revenue stays local.

    Continue reading...", - "category": "Scotland", - "link": "https://www.theguardian.com/uk-news/2021/dec/05/scottish-islanders-launch-airbnb-rival-in-fight-against-second-homes-crisis", - "creator": "Libby Brooks", - "pubDate": "2021-12-05T10:15:51Z", + "title": "Shell to go ahead with seismic tests in whale breeding grounds after court win", + "description": "

    Judgment rules company can blast sound waves in search for oil along South Africa’s eastern coastline

    Royal Dutch Shell will move ahead with seismic tests to explore for oil in vital whale breeding grounds along South Africa’s eastern coastline after a court dismissed an 11th-hour legal challenge by environmental groups.

    The judgment, by a South African high court, allows Shell to begin firing within days extremely loud sound waves through the relatively untouched marine environment of the Wild Coast, which is home to whales, dolphins and seals.

    Continue reading...", + "content": "

    Judgment rules company can blast sound waves in search for oil along South Africa’s eastern coastline

    Royal Dutch Shell will move ahead with seismic tests to explore for oil in vital whale breeding grounds along South Africa’s eastern coastline after a court dismissed an 11th-hour legal challenge by environmental groups.

    The judgment, by a South African high court, allows Shell to begin firing within days extremely loud sound waves through the relatively untouched marine environment of the Wild Coast, which is home to whales, dolphins and seals.

    Continue reading...", + "category": "Royal Dutch Shell", + "link": "https://www.theguardian.com/business/2021/dec/03/shell-go-ahead-seismic-tests-whale-breeding-grounds-court-oil-south-africa", + "creator": "Jillian Ambrose Energy correspondent", + "pubDate": "2021-12-03T10:45:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126216,16 +152653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "326bab274f908dc23a047b563148f44d" + "hash": "ad336110f37050eeef077fc8f99b4953" }, { - "title": "Beat that: Berlin’s techno DJs seek Unesco world heritage status", - "description": "

    Group seeks cultural protection for music that defined reunification era

    Getting into Berlin’s famous Berghain nightclub is a formidable task, even for some of the world’s best-known DJs. So they are unfazed by the challenge of persuading Unesco to grant heritage status to Berlin techno.

    The artists behind the Love Parade festival, DJs who pioneered the genre, and the impresarios of the German capital’s biggest clubs believe the backing of the UN body is vital for securing the future of the countercultural music genre.

    Continue reading...", - "content": "

    Group seeks cultural protection for music that defined reunification era

    Getting into Berlin’s famous Berghain nightclub is a formidable task, even for some of the world’s best-known DJs. So they are unfazed by the challenge of persuading Unesco to grant heritage status to Berlin techno.

    The artists behind the Love Parade festival, DJs who pioneered the genre, and the impresarios of the German capital’s biggest clubs believe the backing of the UN body is vital for securing the future of the countercultural music genre.

    Continue reading...", - "category": "Dance music", - "link": "https://www.theguardian.com/music/2021/dec/05/beat-that-berlins-techno-djs-seek-unesco-world-heritage-status", - "creator": "James Tapper", - "pubDate": "2021-12-05T09:30:50Z", + "title": "Philippines court allows Nobel laureate Maria Ressa to go to Norway", + "description": "

    Journalist permitted to receive peace prize in person after judge eases travel restrictions

    The Philippine journalist Maria Ressa will be allowed to travel overseas so she can accept her Nobel peace prize in person after a court gave her permission to leave the country to visit Norway this month.

    Ressa, who is subject to travel restrictions because of the legal cases she faces in the Philippines, shared the prize with the Russian investigative journalist Dmitry Muratov, amid growing concerns over curbs on free speech worldwide.

    Continue reading...", + "content": "

    Journalist permitted to receive peace prize in person after judge eases travel restrictions

    The Philippine journalist Maria Ressa will be allowed to travel overseas so she can accept her Nobel peace prize in person after a court gave her permission to leave the country to visit Norway this month.

    Ressa, who is subject to travel restrictions because of the legal cases she faces in the Philippines, shared the prize with the Russian investigative journalist Dmitry Muratov, amid growing concerns over curbs on free speech worldwide.

    Continue reading...", + "category": "Philippines", + "link": "https://www.theguardian.com/world/2021/dec/03/philippines-court-allows-nobel-laureate-maria-ressa-norway-journalist-travel-restrictions", + "creator": "Reuters in Manila", + "pubDate": "2021-12-03T08:20:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126236,16 +152673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bc0cbbfb6cc9e306622b956fcbe2cc9e" + "hash": "9f3e9c62b7fabb0dac04ae0f846db270" }, { - "title": "‘We always need stuff that cheers us up’: Diane Morgan on love, laughs and learning to let go", - "description": "

    With her laconic delivery, Diane Morgan has brought a host of comedy characters to life, most notably Philomena Cunk. But with her latest, Mandy, she wanted to create someone who was just plain silly

    In August 2020, only days before the pilot episode of Mandy was set to be broadcast, Diane Morgan picked up her phone and prepared to call a bigwig at the BBC. “I’m really sorry,” she’d envisioned herself saying, “but there’s absolutely no way you can let this thing go out.” She was ready to beg – to offer whatever cash, bribe or bargain necessary. Nothing was off the table in her effort to ensure the refreshingly ridiculous, six-part comedy series she’d directed, starred in and scripted ever reached the nation’s TVs.

    This might sound strange: Morgan has quite the track record when it comes to shining on the small screen. She was elevated to cult sensation in 2013 while inhabiting her role as the simultaneously inept and insightful spoof interviewer Philomena Cunk: “How did Winston Churchill come to invent Tipp-Ex?” she asked one historian. Or: If horses used to be so good at drawing carriages, why are they no longer any good at art? From there, her deadpan demeanour landed her leading roles in the three seasons of the BBC’s much-loved Motherland – a nit-infested, school-gates sitcom of Sharon Horgan et al’s design – and Ricky Gervais’s After Life, too. Mandy, however, is different. For the first time in a long while, Morgan felt exposed.

    Continue reading...", - "content": "

    With her laconic delivery, Diane Morgan has brought a host of comedy characters to life, most notably Philomena Cunk. But with her latest, Mandy, she wanted to create someone who was just plain silly

    In August 2020, only days before the pilot episode of Mandy was set to be broadcast, Diane Morgan picked up her phone and prepared to call a bigwig at the BBC. “I’m really sorry,” she’d envisioned herself saying, “but there’s absolutely no way you can let this thing go out.” She was ready to beg – to offer whatever cash, bribe or bargain necessary. Nothing was off the table in her effort to ensure the refreshingly ridiculous, six-part comedy series she’d directed, starred in and scripted ever reached the nation’s TVs.

    This might sound strange: Morgan has quite the track record when it comes to shining on the small screen. She was elevated to cult sensation in 2013 while inhabiting her role as the simultaneously inept and insightful spoof interviewer Philomena Cunk: “How did Winston Churchill come to invent Tipp-Ex?” she asked one historian. Or: If horses used to be so good at drawing carriages, why are they no longer any good at art? From there, her deadpan demeanour landed her leading roles in the three seasons of the BBC’s much-loved Motherland – a nit-infested, school-gates sitcom of Sharon Horgan et al’s design – and Ricky Gervais’s After Life, too. Mandy, however, is different. For the first time in a long while, Morgan felt exposed.

    Continue reading...", - "category": "Diane Morgan", - "link": "https://www.theguardian.com/culture/2021/dec/05/we-always-need-stuff-that-cheers-us-up-diane-morgan-on-love-laughs-and-learning-to-let-go", - "creator": "Michael Segalov", - "pubDate": "2021-12-05T08:00:50Z", + "title": "Covid booster shots significantly strengthen immunity, trial finds", + "description": "

    Jabs offer far higher protection than that needed to prevent hospitalisation and death, Cov-Boost trial lead says

    Covid booster shots can dramatically strengthen the body’s immune defences, according to a study that raises hopes of preventing another wave of severe disease driven by the Omicron variant.

    In a study published in the Lancet, researchers on the UK-based Cov-Boost trial measured immune responses in nearly 3,000 people who received one of seven Covid-19 boosters or a control jab two to three months after their second dose of either AstraZeneca or Pfizer vaccine.

    Continue reading...", + "content": "

    Jabs offer far higher protection than that needed to prevent hospitalisation and death, Cov-Boost trial lead says

    Covid booster shots can dramatically strengthen the body’s immune defences, according to a study that raises hopes of preventing another wave of severe disease driven by the Omicron variant.

    In a study published in the Lancet, researchers on the UK-based Cov-Boost trial measured immune responses in nearly 3,000 people who received one of seven Covid-19 boosters or a control jab two to three months after their second dose of either AstraZeneca or Pfizer vaccine.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/02/covid-booster-shots-significantly-strengthen-immunity-trial-finds", + "creator": "Ian Sample Science editor", + "pubDate": "2021-12-02T23:30:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126256,16 +152693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3b87e5d8d27846c99bd356f3ee6fbd7c" + "hash": "31342da85613185e7ee1cf904a6e6086" }, { - "title": "Most people flee the suburbs, but nowhere land is the perfect backdrop for my novels", - "description": "Suburbia is neither glamorous nor picturesque. But this is precisely what makes it rich terrain for my books

    It’s early December and in my corner of southeast London the Christmas illuminations are going up. Garden gnomes may have fallen out of fashion, but their seasonal equivalent, inflatable Santas, are very much in evidence. There are some pockets of tasteful conformity, where entire streets observe a “house style”, but mostly it’s a delightful free-for-all. If levels of outdoor decoration reflect a state of mind in the way that rising hemlines are said to mirror economic prosperity, then the mood here among us suburbanites is one of grim defiance.

    Apart from three years at university and a gap year in New Zealand, I have always lived in the suburbs, within a small triangle of southeast London – Croydon in the west, Bromley in the east and Norwood in the north. (I know that for postal purposes Croydon is Surrey, but administratively and spiritually it’s south London.) When you are a child, your own life seems normal, so it was quite some time before I realised that Croydon – fictionalised by PG Wodehouse as Mitching, “a foul hole” – had a reputation for architectural mediocrity, that the suburbs in general with their crazy-paving and curtain twitching were despised by both city and country and that having been born there was something which would need repeated apology over the years.

    Continue reading...", - "content": "Suburbia is neither glamorous nor picturesque. But this is precisely what makes it rich terrain for my books

    It’s early December and in my corner of southeast London the Christmas illuminations are going up. Garden gnomes may have fallen out of fashion, but their seasonal equivalent, inflatable Santas, are very much in evidence. There are some pockets of tasteful conformity, where entire streets observe a “house style”, but mostly it’s a delightful free-for-all. If levels of outdoor decoration reflect a state of mind in the way that rising hemlines are said to mirror economic prosperity, then the mood here among us suburbanites is one of grim defiance.

    Apart from three years at university and a gap year in New Zealand, I have always lived in the suburbs, within a small triangle of southeast London – Croydon in the west, Bromley in the east and Norwood in the north. (I know that for postal purposes Croydon is Surrey, but administratively and spiritually it’s south London.) When you are a child, your own life seems normal, so it was quite some time before I realised that Croydon – fictionalised by PG Wodehouse as Mitching, “a foul hole” – had a reputation for architectural mediocrity, that the suburbs in general with their crazy-paving and curtain twitching were despised by both city and country and that having been born there was something which would need repeated apology over the years.

    Continue reading...", - "category": "Suburbia", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/most-people-flee-the-suburbs-but-nowhere-land-is-the-perfect-backdrop-for-my-novels", - "creator": "Clare Chambers", - "pubDate": "2021-12-05T14:00:04Z", + "title": "‘Electric vibe’: Auckland celebrates end of lockdown with brunch and traffic gridlock", + "description": "

    Vaccinated people in New Zealand’s largest city can now go to the pub for the first time in over 100 days

    In Auckland, nature was healing. The ungroomed lined up for their eyebrow appointments. Bars flung open their doors with the promise of free drinks. Locals posted photos of their flat whites and brunch menus. The city’s sky tower was lit up for the first day of the “traffic light” reopening. And, in perhaps the truest sign that the gridlock-plagued city was on its pathway to normalcy, four lanes of the southern motorway were bumper to bumper.

    The traffic light system, announced by prime minister Jacinda Ardern in late November, ends lockdowns in favour of restrictions on the unvaccinated. The red, orange and green levels depend on vaccination rates and the level of strain on the health system, but even at red – the strictest level – businesses are fully open to the vaccinated, with some restrictions on gathering size.

    Continue reading...", + "content": "

    Vaccinated people in New Zealand’s largest city can now go to the pub for the first time in over 100 days

    In Auckland, nature was healing. The ungroomed lined up for their eyebrow appointments. Bars flung open their doors with the promise of free drinks. Locals posted photos of their flat whites and brunch menus. The city’s sky tower was lit up for the first day of the “traffic light” reopening. And, in perhaps the truest sign that the gridlock-plagued city was on its pathway to normalcy, four lanes of the southern motorway were bumper to bumper.

    The traffic light system, announced by prime minister Jacinda Ardern in late November, ends lockdowns in favour of restrictions on the unvaccinated. The red, orange and green levels depend on vaccination rates and the level of strain on the health system, but even at red – the strictest level – businesses are fully open to the vaccinated, with some restrictions on gathering size.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/dec/03/electric-vibe-auckland-celebrates-end-of-lockdown-with-brunch-and-traffic-gridlock", + "creator": "Tess McClure in Christchurch", + "pubDate": "2021-12-03T02:02:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126276,16 +152713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "849846150887d2183bf863de18a63b68" + "hash": "21661d459b3eb8da2997664ec0874839" }, { - "title": "From pollutant to product: the companies making stuff from CO2", - "description": "

    Vodka, jet fuel, protein… according to a new clutch of carbon-to-value startups, these are just some of the things that can be manufactured from thin air

    In a warehouse laboratory in Berkeley, California, Nicholas Flanders stands in front of a shiny metal box about the size of a washing machine. Inside is a stack of metal plates that resemble a club sandwich – only the filling is a black polymer membrane coated with proprietary metal catalyst. “We call the membrane the black leaf,” he says.

    Flanders is the co-founder and CEO of Twelve, a startup founded in 2015, which received a $57m funding boost in July. It aims to take air – or, to be more precise, the carbon dioxide (CO2) in it – and transform it into something useful, as plants also do, eliminating damaging emissions in the process. Taking the unwanted gas wreaking havoc on our climate and using only water and renewable electricity, Twelve’s metal box houses a new kind of electrolyser that transforms the CO2 into synthetic gas (syngas), a mix of carbon monoxide and hydrogen that can be made into a range of familiar products usually made from fossil fuels. Oxygen is the only by-product. This August, the pilot scale equipment made the syngas that went into what Flanders claims is the world’s first carbon neutral, fossil-free jet fuel. “This is a new way of moving carbon through our economy without pulling it out of the ground,” he says.

    Continue reading...", - "content": "

    Vodka, jet fuel, protein… according to a new clutch of carbon-to-value startups, these are just some of the things that can be manufactured from thin air

    In a warehouse laboratory in Berkeley, California, Nicholas Flanders stands in front of a shiny metal box about the size of a washing machine. Inside is a stack of metal plates that resemble a club sandwich – only the filling is a black polymer membrane coated with proprietary metal catalyst. “We call the membrane the black leaf,” he says.

    Flanders is the co-founder and CEO of Twelve, a startup founded in 2015, which received a $57m funding boost in July. It aims to take air – or, to be more precise, the carbon dioxide (CO2) in it – and transform it into something useful, as plants also do, eliminating damaging emissions in the process. Taking the unwanted gas wreaking havoc on our climate and using only water and renewable electricity, Twelve’s metal box houses a new kind of electrolyser that transforms the CO2 into synthetic gas (syngas), a mix of carbon monoxide and hydrogen that can be made into a range of familiar products usually made from fossil fuels. Oxygen is the only by-product. This August, the pilot scale equipment made the syngas that went into what Flanders claims is the world’s first carbon neutral, fossil-free jet fuel. “This is a new way of moving carbon through our economy without pulling it out of the ground,” he says.

    Continue reading...", - "category": "Greenhouse gas emissions", - "link": "https://www.theguardian.com/environment/2021/dec/05/carbon-dioxide-co2-capture-utilisation-products-vodka-jet-fuel-protein", - "creator": "Zoë Corbyn", - "pubDate": "2021-12-05T12:00:01Z", + "title": "‘A post-menopausal Macbeth’: Joel Coen on tackling Shakespeare with Frances McDormand", + "description": "

    The writer-director talks about his new film, co-starring Denzel Washington, and reveals how it felt to work without his brother, Ethan, for the first time in nearly 40 years

    It might be the unlucky play for British theatre rep types. But for movie directors, Macbeth has been a talisman, a fascinating and liberating challenge – for Akira Kurosawa, with his version, Throne of Blood; for Roman Polanski; and for Justin Kurzel. Even Orson Welles’s once-scorned movie version from 1948, with its quaint Scottish accents, is admired today for its lo-fi energy.

    Now, Joel Coen, the co-creator of masterpieces such as Fargo, The Big Lebowski, A Serious Man and No Country for Old Men, has directed a starkly brilliant version entitled The Tragedy of Macbeth, shot in high-contrast black and white, an eerie nightmare of clarity and purity, with Denzel Washington as Macbeth and Frances McDormand (Coen’s wife) as Lady Macbeth.

    Continue reading...", + "content": "

    The writer-director talks about his new film, co-starring Denzel Washington, and reveals how it felt to work without his brother, Ethan, for the first time in nearly 40 years

    It might be the unlucky play for British theatre rep types. But for movie directors, Macbeth has been a talisman, a fascinating and liberating challenge – for Akira Kurosawa, with his version, Throne of Blood; for Roman Polanski; and for Justin Kurzel. Even Orson Welles’s once-scorned movie version from 1948, with its quaint Scottish accents, is admired today for its lo-fi energy.

    Now, Joel Coen, the co-creator of masterpieces such as Fargo, The Big Lebowski, A Serious Man and No Country for Old Men, has directed a starkly brilliant version entitled The Tragedy of Macbeth, shot in high-contrast black and white, an eerie nightmare of clarity and purity, with Denzel Washington as Macbeth and Frances McDormand (Coen’s wife) as Lady Macbeth.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/03/a-post-menopausal-macbeth-joel-coen-on-tackling-shakespeare-with-frances-mcdormand", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-03T10:00:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126296,16 +152733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cf1b6d17454774a9de8ed59871bb76af" + "hash": "b919cc8c048888d363a4599a4e461e51" }, { - "title": "Hot news from two billion years ago: plankton actually moved mountains", - "description": "

    Our planet’s geology shaped life on Earth. But now scientists reveal it worked the other way around too

    The mighty forces that created our planet’s mountains in ancient days got some unexpected help, scientists have discovered. Their research shows some of Earth’s greatest ranges got a boost from primitive lifeforms whose remains lubricated movements of rock slabs and allowed them to pile up to form mountains.

    If it had not been for life on Earth, the surface of our planet would have been flatter and a lot more boring, say scientists at Aberdeen and Glasgow universities where the research was carried out.

    Continue reading...", - "content": "

    Our planet’s geology shaped life on Earth. But now scientists reveal it worked the other way around too

    The mighty forces that created our planet’s mountains in ancient days got some unexpected help, scientists have discovered. Their research shows some of Earth’s greatest ranges got a boost from primitive lifeforms whose remains lubricated movements of rock slabs and allowed them to pile up to form mountains.

    If it had not been for life on Earth, the surface of our planet would have been flatter and a lot more boring, say scientists at Aberdeen and Glasgow universities where the research was carried out.

    Continue reading...", - "category": "Mountains", - "link": "https://www.theguardian.com/environment/2021/dec/05/hot-news-from-two-billion-years-ago-plankton-actually-moved-mountains", - "creator": "Robin McKie", - "pubDate": "2021-12-05T08:30:49Z", + "title": "From utopian dreams to Soho sleaze: the naked history of British nudism", + "description": "

    A new book details how nudism began as a movement of intellectuals, feminists and artists, only to be suppressed by the state. But our attitudes to nakedness also tell us a lot about ourselves

    When Annebella Pollen was 17, she left behind her strict Catholic upbringing for the life of a new-age hippy, living in a caravan and frolicking naked among the standing stones of Devon, while earning a living by modelling for life-drawing classes. That early experience, followed by a relationship with a bric-a-brac dealer, shaped her later life as an art historian. “I’m very interested in things that are culturally illegitimate,” says Pollen, who now teaches at the University of Brighton. “A lot of my research has been looking at objects that are despised.”

    Foraging trips with her partner to car-boot sales alerted her to a rich seam of 20th-century nudist literature that is still emerging from the attics of middle England: magazines whose wholesome titles – Sun Bathing Review or Health & Efficiency – concealed a complex negotiation with both public morality and the British weather. This is the subject Pollen has picked for her latest book Nudism in a Cold Climate, which tracks the movement from the spartan 1920s through the titillating 50s, when the new mass media whipped up a frenzy of moral anxiety, to the countercultural 60s and 70s, when the founding members were dying off and it all began to look a bit frowsty.

    Continue reading...", + "content": "

    A new book details how nudism began as a movement of intellectuals, feminists and artists, only to be suppressed by the state. But our attitudes to nakedness also tell us a lot about ourselves

    When Annebella Pollen was 17, she left behind her strict Catholic upbringing for the life of a new-age hippy, living in a caravan and frolicking naked among the standing stones of Devon, while earning a living by modelling for life-drawing classes. That early experience, followed by a relationship with a bric-a-brac dealer, shaped her later life as an art historian. “I’m very interested in things that are culturally illegitimate,” says Pollen, who now teaches at the University of Brighton. “A lot of my research has been looking at objects that are despised.”

    Foraging trips with her partner to car-boot sales alerted her to a rich seam of 20th-century nudist literature that is still emerging from the attics of middle England: magazines whose wholesome titles – Sun Bathing Review or Health & Efficiency – concealed a complex negotiation with both public morality and the British weather. This is the subject Pollen has picked for her latest book Nudism in a Cold Climate, which tracks the movement from the spartan 1920s through the titillating 50s, when the new mass media whipped up a frenzy of moral anxiety, to the countercultural 60s and 70s, when the founding members were dying off and it all began to look a bit frowsty.

    Continue reading...", + "category": "Art", + "link": "https://www.theguardian.com/artanddesign/2021/dec/03/from-utopian-dreams-to-soho-sleaze-the-naked-history-of-british-nudism", + "creator": "Claire Armitstead", + "pubDate": "2021-12-03T07:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126316,16 +152753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5a3f8f14beaa8f3a86ac8eb4f49c610e" + "hash": "04dc474a56ae23f6bb643da72c2b4be4" }, { - "title": "Scott Morrison repeats that Australians have ‘had a gutful of governments in their lives’; Peter Cundall dies at 94 – As it happened", - "description": "

    Gardening legend Peter Cundall dies aged 94 as PM repeats that Australians have had a ‘gutful of governments in their lives’. This blog is now closed

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", - "content": "

    Gardening legend Peter Cundall dies aged 94 as PM repeats that Australians have had a ‘gutful of governments in their lives’. This blog is now closed

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/05/australia-live-news-updates-omicron-covid-cases-pfizer-vaccine-approved", - "creator": "Nino Bucci and Justine Landis-Hanley", - "pubDate": "2021-12-05T08:07:10Z", + "title": "Ed Sheeran & Elton John: Merry Christmas review – an overstuffed, undercooked turkey", + "description": "

    Laudably released for charity, the favourite for this year’s Christmas No 1 leaves no musical cliche untwinkled – and its exhortation to forget the pandemic is crass

    Given recent government advice to avoid kissing strangers under the mistletoe this Christmas, there’s a sense in which the long-trailed festive hook-up between Ed Sheeran and Elton John counts as a reckless incitement to anarchy. For his part, Sheeran wants nothing more than a relentless tonguing beneath those poison berries this December: “Kiss me,” he sings; then later, “just keep kissing me!” (To be fair, this noted Wife Guy is unquestionably singing about his wife. Did you know he has a wife? He might have mentioned it.)

    In every other respect, however, Merry Christmas – in case the perfunctory title didn’t make clear – is the very exemplar of avoiding unnecessary risk during this perilous season. There are sleigh bells. Church bells. Clattering reindeer hooves. A kids’ choir. Sickly strings. The full selection box, and delivered with about as much imagination as that staple stocking filler. Old friends Sheeran and John encourage us to “pray for December snow”, and the overall effect is a blanketing avalanche of plinky-plonky schmaltz rich in bonhomie and derivative in tune.

    Continue reading...", + "content": "

    Laudably released for charity, the favourite for this year’s Christmas No 1 leaves no musical cliche untwinkled – and its exhortation to forget the pandemic is crass

    Given recent government advice to avoid kissing strangers under the mistletoe this Christmas, there’s a sense in which the long-trailed festive hook-up between Ed Sheeran and Elton John counts as a reckless incitement to anarchy. For his part, Sheeran wants nothing more than a relentless tonguing beneath those poison berries this December: “Kiss me,” he sings; then later, “just keep kissing me!” (To be fair, this noted Wife Guy is unquestionably singing about his wife. Did you know he has a wife? He might have mentioned it.)

    In every other respect, however, Merry Christmas – in case the perfunctory title didn’t make clear – is the very exemplar of avoiding unnecessary risk during this perilous season. There are sleigh bells. Church bells. Clattering reindeer hooves. A kids’ choir. Sickly strings. The full selection box, and delivered with about as much imagination as that staple stocking filler. Old friends Sheeran and John encourage us to “pray for December snow”, and the overall effect is a blanketing avalanche of plinky-plonky schmaltz rich in bonhomie and derivative in tune.

    Continue reading...", + "category": "Ed Sheeran", + "link": "https://www.theguardian.com/music/2021/dec/03/ed-sheeran-elton-john-merry-christmas-review-an-overstuffed-undercooked-turkey", + "creator": "Laura Snapes", + "pubDate": "2021-12-03T08:00:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126336,16 +152773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b827c32605c1437a7caceb04019c6887" + "hash": "a051bd0b1ecab5c95fe13ea3605f0743" }, { - "title": "‘She didn’t deserve to die’: Kenya fights tuberculosis in Covid’s shadow", - "description": "

    For the first time in a decade deaths from TB are rising, with the curable disease killing 20,000 Kenyans last year. Now testing ‘ATMs’ and other innovations are helping to find ‘missing cases’

    One day in May last year, Violet Chemesunte, a community health volunteer in Kibera, the largest slum in Nairobi, got a call from a colleague worried about a woman she had visited who kept coughing.

    She asked if Chemesunte could go round and convince the 37-year-old woman, a single mother to three young children, to seek medical help. She suspected tuberculosis (TB), and feared it might already be too late.

    Continue reading...", - "content": "

    For the first time in a decade deaths from TB are rising, with the curable disease killing 20,000 Kenyans last year. Now testing ‘ATMs’ and other innovations are helping to find ‘missing cases’

    One day in May last year, Violet Chemesunte, a community health volunteer in Kibera, the largest slum in Nairobi, got a call from a colleague worried about a woman she had visited who kept coughing.

    She asked if Chemesunte could go round and convince the 37-year-old woman, a single mother to three young children, to seek medical help. She suspected tuberculosis (TB), and feared it might already be too late.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/03/she-didnt-deserve-to-die-kenya-fights-tuberculosis-in-covids-shadow", - "creator": "Sarah Johnson in Nairobi", - "pubDate": "2021-12-03T06:00:34Z", + "title": "The Home Alone house is on Airbnb. Sounds like a trap | Stuart Heritage", + "description": "

    Just how lucky will the guests who get to stay at the McCallister house later this month be? I foresee trouble

    In the interests of public service, I need to make you aware of a trap. Yesterday, a property became available on Airbnb. It is a large home in the Chicago area, available for one night only and it is suspiciously cheap. Look, it’s the Home Alone house.

    Apparently, for $18 (£13.50), you and three friends can stay overnight in the iconic McCallister residence. You will be greeted by the actor who played Buzz McCallister. There will be pizza and other 90s junk food. There will be a mirror for you to scream into. There may well be a tarantula. It all seems too good to be true, doesn’t it? This is why I am convinced that whoever ends up staying there will be robbed.

    Continue reading...", + "content": "

    Just how lucky will the guests who get to stay at the McCallister house later this month be? I foresee trouble

    In the interests of public service, I need to make you aware of a trap. Yesterday, a property became available on Airbnb. It is a large home in the Chicago area, available for one night only and it is suspiciously cheap. Look, it’s the Home Alone house.

    Apparently, for $18 (£13.50), you and three friends can stay overnight in the iconic McCallister residence. You will be greeted by the actor who played Buzz McCallister. There will be pizza and other 90s junk food. There will be a mirror for you to scream into. There may well be a tarantula. It all seems too good to be true, doesn’t it? This is why I am convinced that whoever ends up staying there will be robbed.

    Continue reading...", + "category": "Family films", + "link": "https://www.theguardian.com/film/2021/dec/03/the-home-alone-house-is-on-airbnb-sounds-like-a-trap", + "creator": "Stuart Heritage", + "pubDate": "2021-12-03T11:30:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126356,16 +152793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a0d54f86431007e0b02d560a951bf2d" + "hash": "94b5f7b3a9727159f546815f65193b37" }, { - "title": "Chilean environmental activist who opposed dam projects found dead", - "description": "

    Javiera Rojas remembered as ‘an emblematic activist who was dedicated to the process of resistance’

    Environmental activists in Chile have called for justice after a 42-year-old land defender was found dead with her hands and feet bound.

    The body of Javiera Rojas was found buried under a pile of clothes in an abandoned house on Sunday in Calama in the northern region of Antofagasta.

    Continue reading...", - "content": "

    Javiera Rojas remembered as ‘an emblematic activist who was dedicated to the process of resistance’

    Environmental activists in Chile have called for justice after a 42-year-old land defender was found dead with her hands and feet bound.

    The body of Javiera Rojas was found buried under a pile of clothes in an abandoned house on Sunday in Calama in the northern region of Antofagasta.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/02/chilean-environmental-activist-opposition-dam-projects-found-dead", - "creator": "Charis McGowan in Santiago", - "pubDate": "2021-12-02T21:07:01Z", + "title": "You be the judge: should my girlfriend spend less money on her cats?", + "description": "

    We air both sides of a domestic disagreement – and ask you to deliver a verdict
    • Have a disagreement you’d like settled? Or want to be part of our jury? Click here

    Lakshmi spends her entire salary on the cats, then says she can’t afford to go on holiday with me

    Continue reading...", + "content": "

    We air both sides of a domestic disagreement – and ask you to deliver a verdict
    • Have a disagreement you’d like settled? Or want to be part of our jury? Click here

    Lakshmi spends her entire salary on the cats, then says she can’t afford to go on holiday with me

    Continue reading...", + "category": "Relationships", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/03/you-be-the-judge-should-my-girlfriend-spend-less-money-on-her-cats", + "creator": "Interviews by Georgina Lawton", + "pubDate": "2021-12-03T08:00:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126376,16 +152813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ea7754a5b82c151ec175ec0f9e47138f" + "hash": "9fd82f572c725372d87ae06bb4e28476" }, { - "title": "Russia’s activity on the Ukraine border has put the west on edge", - "description": "

    Analysis: a full-scale attack seems improbable – but the troop buildup is enough to have Nato warn of sanctions

    It is the second time this year that Russia has amassed forces near its borders with Ukraine, so why has the estimated 90,000 troop buildup left western governments and independent analysts more concerned?

    The stark warning by the US secretary of state, Antony Blinken, on Wednesday that Russia has made plans for a “large-scale” attack is backed up by open source analysis – and western intelligence assessments. “There is enough substance to this,” one insider added.

    Continue reading...", - "content": "

    Analysis: a full-scale attack seems improbable – but the troop buildup is enough to have Nato warn of sanctions

    It is the second time this year that Russia has amassed forces near its borders with Ukraine, so why has the estimated 90,000 troop buildup left western governments and independent analysts more concerned?

    The stark warning by the US secretary of state, Antony Blinken, on Wednesday that Russia has made plans for a “large-scale” attack is backed up by open source analysis – and western intelligence assessments. “There is enough substance to this,” one insider added.

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/02/ukraine-border-russia-west-troop-buildup", - "creator": "Dan Sabbagh Defence and security editor", - "pubDate": "2021-12-02T17:56:05Z", + "title": "Biden plans to get booster shots to 100m Americans | First Thing", + "description": "

    President lays out plan for winter months amid Omicron arrival in US; plus George Clooney on turning down $35m for a day’s work

    Good morning.

    Joe Biden is planning to pull no punches when it comes to the emergence of the Omicron variant of Covid in the US.

    There is fresh urgency to the effort after the first US case of the Omicron variant of Covid-19 was identified in California on Wednesday and a second in Minnesota yesterday.

    The emergence of Omicron has demonstrated the tenacity of the virus, which continues to drag down Biden’s political fortunes. Voters are divided on his handling of the pandemic, with 47% approving and 49% disapproving.

    What else did he say? He said he didn’t pull the trigger. He “let go of the hammer” on the weapon, he said, and the gun went off. “I never pulled the trigger,” he repeated.

    Will there be any criminal charges brought in the case? The district attorney in Santa Fe, New Mexico, said in October that criminal charges in the shooting have not been ruled out.

    Continue reading...", + "content": "

    President lays out plan for winter months amid Omicron arrival in US; plus George Clooney on turning down $35m for a day’s work

    Good morning.

    Joe Biden is planning to pull no punches when it comes to the emergence of the Omicron variant of Covid in the US.

    There is fresh urgency to the effort after the first US case of the Omicron variant of Covid-19 was identified in California on Wednesday and a second in Minnesota yesterday.

    The emergence of Omicron has demonstrated the tenacity of the virus, which continues to drag down Biden’s political fortunes. Voters are divided on his handling of the pandemic, with 47% approving and 49% disapproving.

    What else did he say? He said he didn’t pull the trigger. He “let go of the hammer” on the weapon, he said, and the gun went off. “I never pulled the trigger,” he repeated.

    Will there be any criminal charges brought in the case? The district attorney in Santa Fe, New Mexico, said in October that criminal charges in the shooting have not been ruled out.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/03/first-thing-biden-plans-to-get-booster-shots-to-100-million-americans", + "creator": "Nicola Slawson", + "pubDate": "2021-12-03T10:46:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126396,16 +152833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb6198a1d0bf20a6e349aae206e9d407" + "hash": "09472f1f20f5fd5fd4159b565cd4769a" }, { - "title": "Covid live: UK measures too late to stop Omicron wave, government adviser says; India death toll climbs", - "description": "

    ‘It’s too late to make a material difference to course of Omicron wave,’ Prof Mark Woolhouse says; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", - "content": "

    ‘It’s too late to make a material difference to course of Omicron wave,’ Prof Mark Woolhouse says; India records highest single-day toll since July

    The UK’s deputy prime minister Dominic Raab has defended the government’s decision to reintroduce pre-departure tests. He has told Sky News:

    I know that is a burden for the travel industry but we have made huge, huge strides in this country. We have got to take the measures targeted forensically to stop the new variant seeding in this country to create a bigger problem.

    We have taken a balanced approach but we are always alert to extra risk that takes us back not forward.

    Well of course it was the Labour party who were calling for pre-testing to take place because we’re very concerned that the government consistently throughout the pandemic have been very late in making the calls that are required to keep our borders safe, very late in terms of trying to ... control the spread of that virus. And what we want to do is to make sure that we don’t jeopardise the vaccination rollout.

    The worst thing in the world after all the sacrifices that we’ve made is that a new variant comes in and completely takes the rug from under that programme. And so it’s very important the government get a grip, it’s very important the government takes swift action and frankly it shouldn’t be for the opposition to keep continually one step ahead of the government. The government needs to take control themselves.

    Many flying home for their first Christmas since the pandemic began will be hit with scandalous testing costs. Unscrupulous private providers are pocketing millions, and leaving many families forced to shell out huge sums.

    Ministers are sitting on their hands while people who want to do the right thing are paying the price for this broken market.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/05/covid-live-coronavirus-india-death-toll-uk-booster-jabs-christmas", - "creator": "Kevin Rawlinson", - "pubDate": "2021-12-05T11:51:00Z", + "title": "China’s ride-hailing firm Didi to switch listing from New York to Hong Kong", + "description": "

    Stock exchange decision comes as Beijing cracks down on technology firms listing overseas

    The Chinese ride-hailing firm Didi is to move its listing from the New York stock exchange to Hong Kong, as Beijing cracks down on the country’s biggest technology companies.

    The company said it would start “immediate” preparations to delist in New York and prepare to go public in Hong Kong.

    Continue reading...", + "content": "

    Stock exchange decision comes as Beijing cracks down on technology firms listing overseas

    The Chinese ride-hailing firm Didi is to move its listing from the New York stock exchange to Hong Kong, as Beijing cracks down on the country’s biggest technology companies.

    The company said it would start “immediate” preparations to delist in New York and prepare to go public in Hong Kong.

    Continue reading...", + "category": "Technology sector", + "link": "https://www.theguardian.com/business/2021/dec/03/china-ride-hailing-firm-didi-to-switch-listing-from-new-york-to-hong-kong", + "creator": "Mark Sweney", + "pubDate": "2021-12-03T09:11:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126416,16 +152853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "125c5fe5dd5fd5e2ba92c00bc30fcd16" + "hash": "10e04efb93d811023a8f88f6e91bd319" }, { - "title": "Myanmar: five dead after troops use car to ram anti-coup protest – report", - "description": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Five people were killed and at least 15 arrested after Myanmar security forces in a car rammed into an anti-coup protest in Yangon on Sunday, according to local media.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", - "content": "

    Local media and witnesses say dozens injured and at least 15 arrested in incident in Yangon

    Five people were killed and at least 15 arrested after Myanmar security forces in a car rammed into an anti-coup protest in Yangon on Sunday, according to local media.

    Witnesses on the scene said dozens had been injured. Photos and videos on social media show a vehicle that had crashed through the protesters and bodies lying on the road.

    Continue reading...", - "category": "Myanmar", - "link": "https://www.theguardian.com/world/2021/dec/05/myanmar-five-dead-after-troops-use-car-to-ram-anti-coup-protest-report", - "creator": "Reuters", - "pubDate": "2021-12-05T11:37:20Z", + "title": "Fair Work Commission rules BHP vaccine mandate unlawful due to lack of consultation", + "description": "

    About 50 workers at the Mt Arthur coalmine had been stood down without pay over the mandate

    The Fair Work Commission has ruled a Covid-19 vaccine mandate for all workers at BHP’s Mt Arthur coalmine was unlawful because the company did not consult adequately with its workers.

    Approximately 50 mine workers were stood down without pay last month after they were told they would be required to have had at least one dose of a Covid-19 vaccine to enter the work site after 9 November, and that they would need to be fully vaccinated by 31 January next year.

    Continue reading...", + "content": "

    About 50 workers at the Mt Arthur coalmine had been stood down without pay over the mandate

    The Fair Work Commission has ruled a Covid-19 vaccine mandate for all workers at BHP’s Mt Arthur coalmine was unlawful because the company did not consult adequately with its workers.

    Approximately 50 mine workers were stood down without pay last month after they were told they would be required to have had at least one dose of a Covid-19 vaccine to enter the work site after 9 November, and that they would need to be fully vaccinated by 31 January next year.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/03/fair-work-commission-rules-bhp-vaccine-mandate-unlawful-due-to-lack-of-consultation", + "creator": "Stephanie Convery", + "pubDate": "2021-12-03T08:31:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126436,16 +152873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1ef9bca9f9840dee7df4362944467f46" + "hash": "e55f57c28464c730c706df0389f51904" }, { - "title": "Arthur Labinjo-Hughes: Review launched into six-year-old’s murder", - "description": "

    The review will seek answers into the circumstances which led to Arthur’s death

    The government is launching a national review into the killing of six-year-old Arthur Labinjo-Hughes to protect other children from harm and identify improvements needed in the agencies that came into contact with him before his death.

    Announcing the review on Sunday, the education secretary, Nadhim Zahawi, said the government would “not rest until we have the answers we need”.

    Continue reading...", - "content": "

    The review will seek answers into the circumstances which led to Arthur’s death

    The government is launching a national review into the killing of six-year-old Arthur Labinjo-Hughes to protect other children from harm and identify improvements needed in the agencies that came into contact with him before his death.

    Announcing the review on Sunday, the education secretary, Nadhim Zahawi, said the government would “not rest until we have the answers we need”.

    Continue reading...", - "category": "Child protection", - "link": "https://www.theguardian.com/society/2021/dec/05/arthur-labinjo-hughes-review-launched-into-six-year-olds", - "creator": "Jessica Murray Midlands correspondent", - "pubDate": "2021-12-05T12:00:13Z", + "title": "Tory peer Michelle Mone accused of sending racist and abusive message", + "description": "

    Exclusive: Mone is alleged to have called man of Indian heritage ‘a waste of a man’s white skin’ in WhatsApp exchange

    The Conservative peer Michelle Mone has been accused of sending a racist message to a man of Indian heritage who alleged in an official complaint that she told him he was “a waste of a man’s white skin”.

    The phrase was allegedly used in a WhatsApp message sent by the Tory member of the House of Lords in June 2019 during a disagreement following a fatal yacht crash off the coast of Monaco.

    Continue reading...", + "content": "

    Exclusive: Mone is alleged to have called man of Indian heritage ‘a waste of a man’s white skin’ in WhatsApp exchange

    The Conservative peer Michelle Mone has been accused of sending a racist message to a man of Indian heritage who alleged in an official complaint that she told him he was “a waste of a man’s white skin”.

    The phrase was allegedly used in a WhatsApp message sent by the Tory member of the House of Lords in June 2019 during a disagreement following a fatal yacht crash off the coast of Monaco.

    Continue reading...", + "category": "House of Lords", + "link": "https://www.theguardian.com/politics/2021/dec/02/michelle-mone-tory-peer-accused-of-sending-racist-abusive-messages", + "creator": "David Conn", + "pubDate": "2021-12-02T18:41:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126456,16 +152893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fdc3932af3615bb98137fa0e8865248f" + "hash": "81c599644f7c514c1e950c982e4e3fdc" }, { - "title": "Finland is the world’s happiest nation – and I want to keep it that way, says prime minister", - "description": "

    In a rare interview with foreign media, Sanna Marin says she is determined to defend human rights, despite asylum policy challenges

    Equality, a well-funded education system and a strong welfare state are the secret to the success of the world’s happiest nation, according to Finland’s prime minister.

    In a rare interview with foreign media, Sanna Marin – who briefly became the youngest world leader when she became prime minister of the Nordic nation in 2019 at the age of 34 – said Finland was committed to preserving its generous welfare state in an “environmentally sustainable way”, and saw the development and export of green technology as the key to its future prosperity.

    Continue reading...", - "content": "

    In a rare interview with foreign media, Sanna Marin says she is determined to defend human rights, despite asylum policy challenges

    Equality, a well-funded education system and a strong welfare state are the secret to the success of the world’s happiest nation, according to Finland’s prime minister.

    In a rare interview with foreign media, Sanna Marin – who briefly became the youngest world leader when she became prime minister of the Nordic nation in 2019 at the age of 34 – said Finland was committed to preserving its generous welfare state in an “environmentally sustainable way”, and saw the development and export of green technology as the key to its future prosperity.

    Continue reading...", - "category": "Finland", - "link": "https://www.theguardian.com/world/2021/dec/05/finland-is-the-worlds-happiest-nation-and-i-want-to-keep-it-that-way-says-sanna-marin", - "creator": "Alexandra Topping", - "pubDate": "2021-12-05T06:00:46Z", + "title": "Ghislaine Maxwell warned Epstein’s house manager not to ‘look at his eyes’, court hears", + "description": "

    Juan Alessi was told he should speak to his boss only when spoken to and should look away when addressing him

    • This article contains depictions of sexual abuse

    The former house manager of Jeffrey Epstein’s Palm Beach home said Thursday that Ghislaine Maxwell warned that he should “never look” his boss in the eyes.

    Juan Alessi, who worked at Epstein’s Florida residence fromabout 1990 to 2002, made the startling statement during his testimony at Maxwell’s child sex-trafficking trial in Manhattan federal court.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "content": "

    Juan Alessi was told he should speak to his boss only when spoken to and should look away when addressing him

    • This article contains depictions of sexual abuse

    The former house manager of Jeffrey Epstein’s Palm Beach home said Thursday that Ghislaine Maxwell warned that he should “never look” his boss in the eyes.

    Juan Alessi, who worked at Epstein’s Florida residence fromabout 1990 to 2002, made the startling statement during his testimony at Maxwell’s child sex-trafficking trial in Manhattan federal court.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "category": "Jeffrey Epstein", + "link": "https://www.theguardian.com/us-news/2021/dec/02/ghislaine-maxwell-trial-warned-jeffrey-epstein-house-manager", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-12-02T18:49:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126476,16 +152913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "983ef1de22dfdba9b64c2e959eebdc6c" + "hash": "878e45f037bee79783a8907b289bc4aa" }, { - "title": "A gray wolf’s epic journey ends in death on a California highway", - "description": "

    OR-93 traveled further south than any wolf had in a hundred years. Even after death, he continues to inspire

    The young gray wolf who took experts and enthusiasts on a thousand-mile journey across California died last month, ending a trek that brought hope and inspiration to many during a time of ecological collapse.

    The travels of the young male through the state were a rare occurrence: he was the first wolf from Oregon’s White River pack to come to California and possibly the first gray wolf in nearly a century to be spotted so far south.

    Continue reading...", - "content": "

    OR-93 traveled further south than any wolf had in a hundred years. Even after death, he continues to inspire

    The young gray wolf who took experts and enthusiasts on a thousand-mile journey across California died last month, ending a trek that brought hope and inspiration to many during a time of ecological collapse.

    The travels of the young male through the state were a rare occurrence: he was the first wolf from Oregon’s White River pack to come to California and possibly the first gray wolf in nearly a century to be spotted so far south.

    Continue reading...", - "category": "Wildlife", - "link": "https://www.theguardian.com/environment/2021/dec/04/grey-wolf-journey-death-california-highway", - "creator": "Katharine Gammon", - "pubDate": "2021-12-05T06:00:47Z", + "title": "Trapped in Ikea: snowstorm in Denmark forces dozens to bed down in store", + "description": "

    Six customers and about two dozen staff spent the night in the bed department after a foot of snow fell

    A showroom in northern Denmark turned into a vast bedroom after six customers and about two dozen employees were stranded by a snowstorm and forced to spend the night in the store.

    Up to 30 centimeters (12 inches) of snow fell, trapping the customers and employees when the department store in Aalborg closed on Wednesday evening.

    Continue reading...", + "content": "

    Six customers and about two dozen staff spent the night in the bed department after a foot of snow fell

    A showroom in northern Denmark turned into a vast bedroom after six customers and about two dozen employees were stranded by a snowstorm and forced to spend the night in the store.

    Up to 30 centimeters (12 inches) of snow fell, trapping the customers and employees when the department store in Aalborg closed on Wednesday evening.

    Continue reading...", + "category": "Denmark", + "link": "https://www.theguardian.com/world/2021/dec/02/ikea-snowstorm-trapped-customers-denmark", + "creator": "AP in Copenhagen", + "pubDate": "2021-12-02T16:35:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126496,16 +152933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "23a73d83c135082aedb54595819036e8" + "hash": "316079ada9ff6c6e66b36c9fb84947ed" }, { - "title": "Iran walks back all prior concessions in nuclear talks, US official says", - "description": "
    • Session was first with delegates from new Tehran government
    • Iran says aerial explosion over Natanz was air defence test

    Iran walked back all compromises made in previous talks on reviving the 2015 nuclear deal, pocketed compromises made by others and asked for more in its latest proposals, a senior US state department official told reporters on Saturday.

    Iran continues to accelerate its nuclear program in pretty provocative ways and China and Russia were taken aback at how far Iran had walked back its proposals in talks in Vienna, the official told reporters, speaking on condition of anonymity.

    Continue reading...", - "content": "
    • Session was first with delegates from new Tehran government
    • Iran says aerial explosion over Natanz was air defence test

    Iran walked back all compromises made in previous talks on reviving the 2015 nuclear deal, pocketed compromises made by others and asked for more in its latest proposals, a senior US state department official told reporters on Saturday.

    Iran continues to accelerate its nuclear program in pretty provocative ways and China and Russia were taken aback at how far Iran had walked back its proposals in talks in Vienna, the official told reporters, speaking on condition of anonymity.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/dec/04/iran-concessions-nuclear-talks-us-official", - "creator": "Reuters in Vienna", - "pubDate": "2021-12-04T19:26:28Z", + "title": "Russia sends defence missiles to Pacific islands claimed by Japan", + "description": "

    Moscow defence ministry posts video of missile system arriving on Matua in Kuril island chain

    Russia has deployed coastal defence missile systems near Pacific islands also claimed by Japan, a move intended to underline Moscow’s firm stance in the dispute.

    The Bastion missile systems were moved to Matua, a deserted volcanic island in the middle of the Kuril island chain. Japan claims four of the southernmost islands.

    Continue reading...", + "content": "

    Moscow defence ministry posts video of missile system arriving on Matua in Kuril island chain

    Russia has deployed coastal defence missile systems near Pacific islands also claimed by Japan, a move intended to underline Moscow’s firm stance in the dispute.

    The Bastion missile systems were moved to Matua, a deserted volcanic island in the middle of the Kuril island chain. Japan claims four of the southernmost islands.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/dec/02/russia-sends-defence-missiles-to-pacific-islands-claimed-by-japan", + "creator": "AP in Moscow", + "pubDate": "2021-12-02T18:07:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126516,16 +152953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "649917e227275cee34629828ce536acc" + "hash": "267d12c2cdb8efe73b004689e37fba88" }, { - "title": "Indonesia: death toll rises to 14 after eruption of Semeru volcano", - "description": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 14, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", - "content": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 14, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", - "category": "Volcanoes", - "link": "https://www.theguardian.com/world/2021/dec/04/indonesia-one-dead-as-semeru-volcano-spews-huge-ash-cloud", - "creator": "Agencies", - "pubDate": "2021-12-05T02:49:39Z", + "title": "Republican senator blocks gun control law in wake of Michigan shooting", + "description": "

    Democrat Chris Murphy had sought unanimous supporter for new background checks and expanded 10-day review of purchases

    The Iowa senator Chuck Grassley, the leading Republican on the Senate judiciary committee, blocked a request on Thursday to proceed on gun control legislation in the Senate following the Michigan school shooting this week.

    Senator Chris Murphy, a Democrat from Connecticut and leading gun control advocate, requested unanimous consent on Thursday to pass the Enhanced Background Checks Act of 2021, which would require new background checks for gun transfers between private parties, as well as expand a 10-day review for gun purchases and transfers.

    Continue reading...", + "content": "

    Democrat Chris Murphy had sought unanimous supporter for new background checks and expanded 10-day review of purchases

    The Iowa senator Chuck Grassley, the leading Republican on the Senate judiciary committee, blocked a request on Thursday to proceed on gun control legislation in the Senate following the Michigan school shooting this week.

    Senator Chris Murphy, a Democrat from Connecticut and leading gun control advocate, requested unanimous consent on Thursday to pass the Enhanced Background Checks Act of 2021, which would require new background checks for gun transfers between private parties, as well as expand a 10-day review for gun purchases and transfers.

    Continue reading...", + "category": "US gun control", + "link": "https://www.theguardian.com/us-news/2021/dec/02/republican-senator-blocks-gun-control-law-chuck-grassley", + "creator": "Maya Yang", + "pubDate": "2021-12-02T22:52:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126536,16 +152973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e2f942b8d71a9a04dfb20d336be0e27" + "hash": "3dbaeb146d5ddd619f381ff160169f11" }, { - "title": "Biden responds to claim Trump tested positive for Covid days before their debate – video", - "description": "

    Biden was questioned by a reporter over a claim in a book by Trump's last chief of staff that the ex-president had tested positive for Covid-19 three days before the first 2020 presidential debate. When asked whether he thought Trump had put him at risk, Biden said: 'I don’t think about the former president'

    Continue reading...", - "content": "

    Biden was questioned by a reporter over a claim in a book by Trump's last chief of staff that the ex-president had tested positive for Covid-19 three days before the first 2020 presidential debate. When asked whether he thought Trump had put him at risk, Biden said: 'I don’t think about the former president'

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/video/2021/dec/01/biden-responds-to-claim-trump-tested-positive-for-covid-days-before-their-debate-video", - "creator": "", - "pubDate": "2021-12-01T20:24:35Z", + "title": "Hard-right French MP tops Les Républicains party’s presidential primary", + "description": "

    Éric Ciotti wants referendum ‘to stop mass immigration’ and set up ‘a French Guantánamo bay’

    A hard-right French MP who wants to hold a referendum “to stop mass immigration” and set up “a French Guantánamo bay” to deal with terrorism, has topped the first-round vote to choose a presidential candidate for the right’s Les Républicains party, in a shock result.

    Éric Ciotti, 56, a politician from Nice who is known for his hardline views on Islam and immigration, went from outsider to the surprise top position in Thursday’s first-round vote by members of Nicolas Sarkozy’s party. He now faces a second-round runoff against Valérie Pécresse, the former Sarkozy minister who wants to become France’s first female president.

    Continue reading...", + "content": "

    Éric Ciotti wants referendum ‘to stop mass immigration’ and set up ‘a French Guantánamo bay’

    A hard-right French MP who wants to hold a referendum “to stop mass immigration” and set up “a French Guantánamo bay” to deal with terrorism, has topped the first-round vote to choose a presidential candidate for the right’s Les Républicains party, in a shock result.

    Éric Ciotti, 56, a politician from Nice who is known for his hardline views on Islam and immigration, went from outsider to the surprise top position in Thursday’s first-round vote by members of Nicolas Sarkozy’s party. He now faces a second-round runoff against Valérie Pécresse, the former Sarkozy minister who wants to become France’s first female president.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/02/hard-right-french-mp-tops-les-republicains-partys-presidential-primary", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-12-02T17:41:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126556,36 +152993,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "91119d3dedd3098f0c2725c906f6e9da" + "hash": "13f8e7d702b4dcf9a0bff0dc570c2023" }, { - "title": "UK’s progress on Covid now squandered, warns top scientist", - "description": "

    Sir Jeremy Farrar, director of Wellcome Trust, suggests emergence of Omicron variant means pandemic is far from over

    The emergence of the Omicron variant shows that the world is “closer to the start of the pandemic than the end”, one of Britain’s most senior scientific figures has warned, as he lamented a lack of political leadership over Covid.

    Sir Jeremy Farrar, the director of the Wellcome Trust who stepped down as a government scientific adviser last month, said the progress in combatting Covid-19 since its emergence was “being squandered”.

    Continue reading...", - "content": "

    Sir Jeremy Farrar, director of Wellcome Trust, suggests emergence of Omicron variant means pandemic is far from over

    The emergence of the Omicron variant shows that the world is “closer to the start of the pandemic than the end”, one of Britain’s most senior scientific figures has warned, as he lamented a lack of political leadership over Covid.

    Sir Jeremy Farrar, the director of the Wellcome Trust who stepped down as a government scientific adviser last month, said the progress in combatting Covid-19 since its emergence was “being squandered”.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/04/uks-progress-on-covid-now-squandered-warns-top-scientist", - "creator": "Michael Savage, Robin McKie", - "pubDate": "2021-12-05T01:19:05Z", + "title": "Grenfell Tower: Gove joins condemnation of Lewis Hamilton F1 deal", + "description": "

    Survivors of fire voiced protest after announcement of deal under which F1 champion will race carrying branding of cladding firm Kingspan

    Anger at Lewis Hamilton’s Formula One car being sponsored by a firm that made combustible insulation used on Grenfell Tower has intensified after a cabinet minister demanded a U-turn by Mercedes.

    Michael Gove, the secretary of state for levelling up, housing and communities, spoke out after Grenfell survivors branded the deal “truly shocking”. He said he was “deeply disappointed Mercedes are accepting sponsorship from cladding firm Kingspan … while the Grenfell inquiry is ongoing”.

    Continue reading...", + "content": "

    Survivors of fire voiced protest after announcement of deal under which F1 champion will race carrying branding of cladding firm Kingspan

    Anger at Lewis Hamilton’s Formula One car being sponsored by a firm that made combustible insulation used on Grenfell Tower has intensified after a cabinet minister demanded a U-turn by Mercedes.

    Michael Gove, the secretary of state for levelling up, housing and communities, spoke out after Grenfell survivors branded the deal “truly shocking”. He said he was “deeply disappointed Mercedes are accepting sponsorship from cladding firm Kingspan … while the Grenfell inquiry is ongoing”.

    Continue reading...", + "category": "Grenfell Tower fire", + "link": "https://www.theguardian.com/uk-news/2021/dec/02/grenfell-survivors-outraged-by-lewis-hamilton-car-sponsorship-deal", + "creator": "Robert Booth Social affairs correspondent", + "pubDate": "2021-12-02T16:14:41Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bd63728a9798053291e8ced88274238a" + "hash": "3707af08b6b01d9b7778eb8247cbe046" }, { - "title": "Nagaland killings: rioting as Indian security forces shoot dozen civilians", - "description": "

    Villagers burn army vehicles after coalminers were mistaken for insurgents, with Indian home minister promising full investigation

    Angry villagers who set fire to army vehicles are among more than a dozen civilians killed by soldiers in India’s remote north-east region along the border with Myanmar.

    An army officer said the soldiers fired at a truck, killing six people, after receiving intelligence about a movement of insurgents in the area. As villagers reacted by burning two army vehicles, the soldiers fired at them, killing seven more people, the officer said, adding that one soldier was also killed in the clash.

    Continue reading...", - "content": "

    Villagers burn army vehicles after coalminers were mistaken for insurgents, with Indian home minister promising full investigation

    Angry villagers who set fire to army vehicles are among more than a dozen civilians killed by soldiers in India’s remote north-east region along the border with Myanmar.

    An army officer said the soldiers fired at a truck, killing six people, after receiving intelligence about a movement of insurgents in the area. As villagers reacted by burning two army vehicles, the soldiers fired at them, killing seven more people, the officer said, adding that one soldier was also killed in the clash.

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/dec/05/nagaland-killings-india-security-forces-shot-civilians-mistaken-for-militants", - "creator": "Staff and agencies", - "pubDate": "2021-12-05T06:14:58Z", + "title": "US rejects calls for regulating or banning ‘killer robots’", + "description": "

    US official proposes ‘non-binding code of conduct’ at United Nations but campaigners disagree

    The US has rejected calls for a binding agreement regulating or banning the use of “killer robots”, instead proposing a “code of conduct” at the United Nations.

    Speaking at a meeting in Geneva focused on finding common ground on the use of such so-called lethal autonomous weapons, a US official balked at the idea of regulating their use through a “legally-binding instrument”.

    Continue reading...", + "content": "

    US official proposes ‘non-binding code of conduct’ at United Nations but campaigners disagree

    The US has rejected calls for a binding agreement regulating or banning the use of “killer robots”, instead proposing a “code of conduct” at the United Nations.

    Speaking at a meeting in Geneva focused on finding common ground on the use of such so-called lethal autonomous weapons, a US official balked at the idea of regulating their use through a “legally-binding instrument”.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/02/us-rejects-calls-regulating-banning-killer-robots", + "creator": "AFP in Geneva", + "pubDate": "2021-12-02T21:08:30Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126596,16 +153033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c0de319edf44bfc8ef3cea2bb74e4fee" + "hash": "44bbc75163cb7ddbc5419d9fae70dba9" }, { - "title": "Don’t be fooled by deceitful parents, top child expert warns social workers", - "description": "

    Professionals urged to be more sceptical and ready to remove at-risk children after death of Arthur Labinjo-Hughes

    Social workers need to be more sceptical and decisive when confronted by “manipulative and deceitful” parents, one of the UK’s leading child protection experts has urged following the torture and killing of Arthur Labinjo-Hughes at the hands of his stepmother and father.

    Martin Narey, a former head of children’s charity Barnardo’s and senior government adviser, said social services should view potentially abusive parents “more critically” and not shy away from taking children into care.

    Continue reading...", - "content": "

    Professionals urged to be more sceptical and ready to remove at-risk children after death of Arthur Labinjo-Hughes

    Social workers need to be more sceptical and decisive when confronted by “manipulative and deceitful” parents, one of the UK’s leading child protection experts has urged following the torture and killing of Arthur Labinjo-Hughes at the hands of his stepmother and father.

    Martin Narey, a former head of children’s charity Barnardo’s and senior government adviser, said social services should view potentially abusive parents “more critically” and not shy away from taking children into care.

    Continue reading...", - "category": "Child protection", - "link": "https://www.theguardian.com/society/2021/dec/05/dont-be-fooled-by-deceitful-parents-top-child-expert-warns-social-workers", - "creator": "Mark Townsend", - "pubDate": "2021-12-05T08:15:49Z", + "title": "Canada votes to ban LGBTQ ‘conversion therapy’", + "description": "

    Conservatives joined Liberals in unanimous vote, prompting applause in House of Commons

    Canadian lawmakers have passed a motion banning the discredited practice of “conversion therapy”, in a rare show of unanimity in the country’s parliament.

    A surprise motion on Wednesday by the opposition Conservatives to fast-track the legislation prompted applause in the House of Commons. A handful of Liberal cabinet ministers hugged their Conservative colleagues after the vote.

    Continue reading...", + "content": "

    Conservatives joined Liberals in unanimous vote, prompting applause in House of Commons

    Canadian lawmakers have passed a motion banning the discredited practice of “conversion therapy”, in a rare show of unanimity in the country’s parliament.

    A surprise motion on Wednesday by the opposition Conservatives to fast-track the legislation prompted applause in the House of Commons. A handful of Liberal cabinet ministers hugged their Conservative colleagues after the vote.

    Continue reading...", + "category": "LGBT rights", + "link": "https://www.theguardian.com/world/2021/dec/02/canada-votes-ban-lgbtq-conversion-therapy", + "creator": "Leyland Cecco in Toronto", + "pubDate": "2021-12-02T16:32:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126616,16 +153053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "649e00d865bd69737c5035ed55cf3dfc" + "hash": "4d28e986ba1a2a9ce06e9827d125e62f" }, { - "title": "Rio Tinto lithium mine: thousands of protesters block roads across Serbia", - "description": "

    Crowds chanted slogans condemning government of Aleksandar Vučić, which backs planned Anglo-Australian $2.4bn mine

    Thousands of demonstrators blocked major roads across Serbia on Saturday as anger swelled over a government-backed plan to allow mining company Rio Tinto to extract lithium.

    In the capital, Belgrade, protesters swarmed a major highway and bridge linking the city to outlying suburbs as the crowd chanted anti-government slogans while some held signs criticising the mining project.

    Continue reading...", - "content": "

    Crowds chanted slogans condemning government of Aleksandar Vučić, which backs planned Anglo-Australian $2.4bn mine

    Thousands of demonstrators blocked major roads across Serbia on Saturday as anger swelled over a government-backed plan to allow mining company Rio Tinto to extract lithium.

    In the capital, Belgrade, protesters swarmed a major highway and bridge linking the city to outlying suburbs as the crowd chanted anti-government slogans while some held signs criticising the mining project.

    Continue reading...", - "category": "Serbia", - "link": "https://www.theguardian.com/world/2021/dec/05/rio-tinto-lithium-mine-thousands-of-protesters-block-roads-across-serbia", - "creator": "Agence France-Presse", - "pubDate": "2021-12-05T01:55:52Z", + "title": "Facebook takes down Chinese network behind fake Swiss biologist Covid claims", + "description": "

    Meta says misinformation spread by fictional scientist called Wilson Edwards focused on US blaming pandemic on China

    Facebook’s owner has taken down a Chinese misinformation network that attempted to spread claims about coronavirus using a fake Swiss biologist.

    Meta, the parent organisation of Facebook and Instagram, said it had taken down more than 600 accounts linked to the network, which it said included a “coordinated cluster” of Chinese state employees.

    Continue reading...", + "content": "

    Meta says misinformation spread by fictional scientist called Wilson Edwards focused on US blaming pandemic on China

    Facebook’s owner has taken down a Chinese misinformation network that attempted to spread claims about coronavirus using a fake Swiss biologist.

    Meta, the parent organisation of Facebook and Instagram, said it had taken down more than 600 accounts linked to the network, which it said included a “coordinated cluster” of Chinese state employees.

    Continue reading...", + "category": "Meta", + "link": "https://www.theguardian.com/technology/2021/dec/02/facebook-owner-meta-takes-down-chinese-network-spreading-fake-covid-posts", + "creator": "Dan Milmo Global technology editor", + "pubDate": "2021-12-02T14:09:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126636,16 +153073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb9a7b7580baca37cf564cdbc573c0e7" + "hash": "5717a7453607c648e841837d1094c296" }, { - "title": "Indonesia: death toll rises to 13 after eruption of Semeru volcano", - "description": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 13, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", - "content": "

    Dozens more were injured when the highest volcano on densely populated Java island spewed a huge cloud of ash into the air

    The death toll from the eruption of the Semeru volcano on Indonesia’s Java island has risen to 13, with nearly 100 others injured, the country’s disaster mitigation agency has said.

    Mount Semeru, the highest volcano on Indonesia’s most densely populated island of Java, spewed thick columns of ash more than 12,000 meters into the sky on Saturday, with searing gas and lava flowing down its slopes and triggering panic among people living nearby.

    Continue reading...", - "category": "Volcanoes", - "link": "https://www.theguardian.com/world/2021/dec/04/indonesia-one-dead-as-semeru-volcano-spews-huge-ash-cloud", - "creator": "Agencies", - "pubDate": "2021-12-05T02:49:39Z", + "title": "Second US case of Omicron linked to New York anime convention", + "description": "
    • Vaccinations were required of all attending the event
    • New York governor responds: ‘New Yorkers, get vaccinated’

    Just a day after the US announced its first case of the Omicron variant of the coronavirus had been detected in California, health officials announced on Thursday it had also been found in a man who attended an anime convention in New York City in late November.

    The man tested positive after returning home to Minnesota, health officials in that state said. Officials in New York said they were working to trace those who attended the convention, held from 19 to 21 November at the city’s Jacob K Javits convention center. Vaccinations were required for the event.

    Continue reading...", + "content": "
    • Vaccinations were required of all attending the event
    • New York governor responds: ‘New Yorkers, get vaccinated’

    Just a day after the US announced its first case of the Omicron variant of the coronavirus had been detected in California, health officials announced on Thursday it had also been found in a man who attended an anime convention in New York City in late November.

    The man tested positive after returning home to Minnesota, health officials in that state said. Officials in New York said they were working to trace those who attended the convention, held from 19 to 21 November at the city’s Jacob K Javits convention center. Vaccinations were required for the event.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/02/omicron-first-case-new-york-anime-convention", + "creator": "Associated Press", + "pubDate": "2021-12-02T18:09:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126656,16 +153093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "238b2438809589280a05cb467e086efe" + "hash": "768b980e0a2e8c6e2eacc4dd94c6db33" }, { - "title": "Michigan shooting: suspect’s parents held on $1m bond after capture", - "description": "

    James and Jennifer Crumbley, who face manslaughter charges, entered not guilty pleas after being found hiding in a warehouse

    A judge imposed a combined $1m bond on Saturday for the parents of the Michigan teen charged with killing four students at Oxford high school this week, hours after police said they were caught hiding in a commercial building.

    James and Jennifer Crumbley entered not guilty pleas to each of the four involuntary manslaughter counts against them during a hearing held on Zoom.

    Continue reading...", - "content": "

    James and Jennifer Crumbley, who face manslaughter charges, entered not guilty pleas after being found hiding in a warehouse

    A judge imposed a combined $1m bond on Saturday for the parents of the Michigan teen charged with killing four students at Oxford high school this week, hours after police said they were caught hiding in a commercial building.

    James and Jennifer Crumbley entered not guilty pleas to each of the four involuntary manslaughter counts against them during a hearing held on Zoom.

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/2021/dec/04/michigan-shooting-suspects-parents-held-on-1m-bond-james-jennifer-crumbley", - "creator": "Associated Press in Pontiac, Michigan", - "pubDate": "2021-12-04T15:26:51Z", + "title": "‘It became crystal clear they were lying’: the man who made Germans admit complicity in the Holocaust", + "description": "

    With Final Account, the late director Luke Holland set out to obtain testimonies from those who participated in the Nazi atrocities – before their voices were lost. The result is a powerful mix of shame, denial and ghastly pride

    One day in 2018, the prolific documentary producer John Battsek received a call from Diane Weyermann of Participant Media, asking him if he would travel to the East Sussex village of Ditchling to meet a 69-year-old director named Luke Holland. Weyermann said that Holland had spent several years interviewing hundreds of Germans who were in some way complicit in the Holocaust, from those whose homes neighboured the concentration camps to former members of the Waffen SS. The responses he captured ran the gamut from shame to denial to a ghastly kind of pride. Now he wanted to introduce these testimonies to a mainstream audience, and he needed help.

    “Luke wasn’t consciously making a film,” Battsek says. “He was amassing an archive that he hoped would have a role to play for generations to come. We had to turn it into something that has a beginning, a middle and an end.” As soon as he saw Holland’s footage, he knew it was important: “It presented an audience with a new way into this.”

    Continue reading...", + "content": "

    With Final Account, the late director Luke Holland set out to obtain testimonies from those who participated in the Nazi atrocities – before their voices were lost. The result is a powerful mix of shame, denial and ghastly pride

    One day in 2018, the prolific documentary producer John Battsek received a call from Diane Weyermann of Participant Media, asking him if he would travel to the East Sussex village of Ditchling to meet a 69-year-old director named Luke Holland. Weyermann said that Holland had spent several years interviewing hundreds of Germans who were in some way complicit in the Holocaust, from those whose homes neighboured the concentration camps to former members of the Waffen SS. The responses he captured ran the gamut from shame to denial to a ghastly kind of pride. Now he wanted to introduce these testimonies to a mainstream audience, and he needed help.

    “Luke wasn’t consciously making a film,” Battsek says. “He was amassing an archive that he hoped would have a role to play for generations to come. We had to turn it into something that has a beginning, a middle and an end.” As soon as he saw Holland’s footage, he knew it was important: “It presented an audience with a new way into this.”

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/02/it-became-crystal-clear-they-were-lying-the-man-who-made-germans-admit-complicity-in-the-holocaust", + "creator": "Dorian Lynskey", + "pubDate": "2021-12-02T16:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126676,16 +153113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1336dc2cb5d521e79ba42b4203398534" + "hash": "49ee50f79c8b9718c5966ce8ad361af9" }, { - "title": "Johnson faces trust crisis as sleaze shatters faith in MPs", - "description": "

    Poll reveals huge public cynicism, with just 5% of respondents believing politicians work for public good

    Trust in politicians to act in the national interest rather than for themselves has fallen dramatically since Boris Johnson became prime minister, according to figures contained in a disturbing new study into the state of British democracy.

    The polling data from YouGov for the Institute of Public Policy Research (IPPR) shows a particularly sharp fall in trust in the few weeks since the Owen Paterson scandal triggered a rash of Tory sleaze scandals.

    Continue reading...", - "content": "

    Poll reveals huge public cynicism, with just 5% of respondents believing politicians work for public good

    Trust in politicians to act in the national interest rather than for themselves has fallen dramatically since Boris Johnson became prime minister, according to figures contained in a disturbing new study into the state of British democracy.

    The polling data from YouGov for the Institute of Public Policy Research (IPPR) shows a particularly sharp fall in trust in the few weeks since the Owen Paterson scandal triggered a rash of Tory sleaze scandals.

    Continue reading...", - "category": "Conservatives", - "link": "https://www.theguardian.com/politics/2021/dec/04/johnson-faces-trust-crisis-as-sleaze-shatters-faith-in-mps", - "creator": "Toby Helm and Michael Savage", - "pubDate": "2021-12-04T21:00:36Z", + "title": "How Meghan took personal risks in Mail on Sunday privacy victory", + "description": "

    Analysis: Duchess of Sussex says she faced ‘deception, intimidation and calculated attacks’ and suffered a miscarriage

    The privacy victory over the Mail on Sunday has seemingly exacted a toll on the Duchess of Sussex, who in vigorously pursuing the case went far further than any other present-day royal in taking on the tabloid culture.

    The court of appeal stressed “no expense” was spared in fighting and defending the legal action over publication of extensive extracts of her private letter to her estranged father. As losers, Associated Newspapers Limited (ANL), publishers of the newspaper and Mail Online, will bear the brunt.

    Continue reading...", + "content": "

    Analysis: Duchess of Sussex says she faced ‘deception, intimidation and calculated attacks’ and suffered a miscarriage

    The privacy victory over the Mail on Sunday has seemingly exacted a toll on the Duchess of Sussex, who in vigorously pursuing the case went far further than any other present-day royal in taking on the tabloid culture.

    The court of appeal stressed “no expense” was spared in fighting and defending the legal action over publication of extensive extracts of her private letter to her estranged father. As losers, Associated Newspapers Limited (ANL), publishers of the newspaper and Mail Online, will bear the brunt.

    Continue reading...", + "category": "Meghan, the Duchess of Sussex", + "link": "https://www.theguardian.com/uk-news/2021/dec/02/how-meghan-took-personal-risks-mail-on-sunday-privacy-victory", + "creator": "Caroline Davies", + "pubDate": "2021-12-02T15:17:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126696,16 +153133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a9f9aa2fd217ebd0b399ce68f2971d06" + "hash": "ea0820d04e9bff6a2862b033638a7e12" }, { - "title": "‘Wall of secrecy’ in Pfizer contracts as company accused of profiteering", - "description": "

    US company faces scrutiny over Covid profits after UK agrees to secrecy clause

    Ministers have agreed a secrecy clause in any dispute with the drugs manufacturer Pfizer over Britain’s Covid vaccine supply. Large portions of the government’s contracts with the company over the supply of 189m vaccine doses have been redacted and any arbitration proceedings will be kept secret.

    The revelation comes as Pfizer is accused by a former senior US health official of “war profiteering’’ during the pandemic. In a Channel 4 Dispatches investigation to be broadcast this week, Tom Frieden, who was director of the US Centers for Disease Control and Prevention under Barack Obama, said: “If you’re just focusing on maximising your profits and you’re a vaccine manufacturer … you are war profiteering.”

    Continue reading...", - "content": "

    US company faces scrutiny over Covid profits after UK agrees to secrecy clause

    Ministers have agreed a secrecy clause in any dispute with the drugs manufacturer Pfizer over Britain’s Covid vaccine supply. Large portions of the government’s contracts with the company over the supply of 189m vaccine doses have been redacted and any arbitration proceedings will be kept secret.

    The revelation comes as Pfizer is accused by a former senior US health official of “war profiteering’’ during the pandemic. In a Channel 4 Dispatches investigation to be broadcast this week, Tom Frieden, who was director of the US Centers for Disease Control and Prevention under Barack Obama, said: “If you’re just focusing on maximising your profits and you’re a vaccine manufacturer … you are war profiteering.”

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/05/wall-of-secrecy-in-pfizer-contracts-as-company-accused-of-profiteering", - "creator": "Jon Ungoed-Thomas", - "pubDate": "2021-12-05T06:30:47Z", + "title": "We’re all so exhausted we need another word to describe quite how exhausted we feel | Brigid Delaney", + "description": "

    Like everyone else after 20 months of virus vigilance, I’m only now stopping to take a breath

    Hey, how are you?

    You’re tired? How tired?

    Continue reading...", + "content": "

    Like everyone else after 20 months of virus vigilance, I’m only now stopping to take a breath

    Hey, how are you?

    You’re tired? How tired?

    Continue reading...", + "category": "Health & wellbeing", + "link": "https://www.theguardian.com/commentisfree/2021/dec/03/were-all-so-exhausted-we-need-another-word-to-describe-quite-how-exhausted-we-feel", + "creator": "Brigid Delaney", + "pubDate": "2021-12-02T16:30:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126716,16 +153153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "042bbcb92fdba3b8583f6157e1e38279" + "hash": "6746b1ee6d691d4f1c375f47c0bd73c0" }, { - "title": "Covid antiviral pill molnupiravir/Lagevrio set for UK at-home trials", - "description": "

    People most vulnerable to Omicron would reportedly be offered experimental pill within 48 hours of testing positive

    The first at-home treatment for Covid-19 could reportedly be offered to UK patients before Christmas as an attempt to protect the most vulnerable from the Omicron variant.

    The Sunday Telegraph reported that Sajid Javid is set to launch a national pilot of the Molnupiravir antiviral pill, marketed as Lagevrio.

    Continue reading...", - "content": "

    People most vulnerable to Omicron would reportedly be offered experimental pill within 48 hours of testing positive

    The first at-home treatment for Covid-19 could reportedly be offered to UK patients before Christmas as an attempt to protect the most vulnerable from the Omicron variant.

    The Sunday Telegraph reported that Sajid Javid is set to launch a national pilot of the Molnupiravir antiviral pill, marketed as Lagevrio.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/05/covid-antiviral-pill-molnupiravirlagevrio-set-for-uk-at-home-trials", - "creator": "Press Association", - "pubDate": "2021-12-05T01:43:08Z", + "title": "The world owes Yoko an apology! 10 things we learned from The Beatles: Get Back", + "description": "

    Peter Jackson’s eight-hour documentary on the Fab Four reveals Ringo is an amazing drummer, McCartney was a joy and their entourage were coolest of all

    The concept for Let It Be was: no concept. The Beatles arrived in an empty studio and wondered where the equipment was. (And revealed that they knew very little about setting up PA systems.) What were they rehearsing for? A show on the QE2? A concert on Primrose Hill? A TV special in Libya? A film? What would the set look like? Would it be made of plastic? Why, George Harrison wondered, were they being recorded? Get Back makes clear that the Beatles didn’t have a clue what to expect from Let It Be.

    Continue reading...", + "content": "

    Peter Jackson’s eight-hour documentary on the Fab Four reveals Ringo is an amazing drummer, McCartney was a joy and their entourage were coolest of all

    The concept for Let It Be was: no concept. The Beatles arrived in an empty studio and wondered where the equipment was. (And revealed that they knew very little about setting up PA systems.) What were they rehearsing for? A show on the QE2? A concert on Primrose Hill? A TV special in Libya? A film? What would the set look like? Would it be made of plastic? Why, George Harrison wondered, were they being recorded? Get Back makes clear that the Beatles didn’t have a clue what to expect from Let It Be.

    Continue reading...", + "category": "The Beatles", + "link": "https://www.theguardian.com/music/2021/dec/02/the-beatles-get-back-peter-jackson-documentary", + "creator": "Andy Welch", + "pubDate": "2021-12-02T16:48:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126736,16 +153173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aca126d7a89b2533e2fd5f6c0f1f5398" + "hash": "1074a063752f93378db43890c5766eea" }, { - "title": "We’re in our 70s and he’s perfect – except he doesn’t want sex…", - "description": "

    A compatible friend needs treasuring. You might need to look elsewhere for sex

    The question I met Tom online. We have now been dating for nearly two years, sometimes on Zoom as we live three hours away from each other. This is long-term relationship potential – except, from my side, for one thing.

    I am a deeply sexually alive person. Sex is an immense joy to me. Not only the explicit physical acts of it, but also the sharing, the play, all the openness and openheartedness. Tom is divorced and I suspect has not had much sexual experience. I think he is sexually repressed. I have always been open with him about wanting our relationship to become fully sexual. It never has been.

    Continue reading...", - "content": "

    A compatible friend needs treasuring. You might need to look elsewhere for sex

    The question I met Tom online. We have now been dating for nearly two years, sometimes on Zoom as we live three hours away from each other. This is long-term relationship potential – except, from my side, for one thing.

    I am a deeply sexually alive person. Sex is an immense joy to me. Not only the explicit physical acts of it, but also the sharing, the play, all the openness and openheartedness. Tom is divorced and I suspect has not had much sexual experience. I think he is sexually repressed. I have always been open with him about wanting our relationship to become fully sexual. It never has been.

    Continue reading...", - "category": "Relationships", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/were-in-our-70s-and-hes-perfect-except-he-doesnt-want-sex", - "creator": "Philippa Perry", - "pubDate": "2021-12-05T06:00:48Z", + "title": "West Side Story review – Spielberg’s triumphantly hyperreal remake", + "description": "

    Stunning recreations of the original film’s New York retain the songs and the dancing in a re-telling that will leave you gasping

    Steven Spielberg’s West Side Story 2.0 is an ecstatic act of ancestor-worship: a vividly dreamed, cunningly modified and visually staggering revival. No one but Spielberg could have brought it off, creating a movie in which Leonard Bernstein’s score and Stephen Sondheim’s lyrics blaze out with fierce new clarity. Spielberg retains María’s narcissistic I Feel Pretty, transplanted from the bridal workshop to a fancy department store where she’s working as a cleaner. This was the number whose Cowardian skittishness Sondheim himself had second thoughts about. But its confection is entirely palatable.

    Spielberg has worked with screenwriter Tony Kushner to change the original book by Arthur Laurents, tilting the emphases and giving new stretches of unsubtitled Spanish dialogue and keeping much of the visual idiom of Jerome Robbins’s stylised choreography. This new West Side Story isn’t updated historically yet neither is it a shot-for-shot remake. But daringly, and maybe almost defiantly, it reproduces the original period ambience with stunning digital fabrications of late-50s New York whose authentic detail co-exists with an unashamed theatricality. On the big screen the effect is hyperreal, as if you have somehow hallucinated your way back 70 years on to both the musical stage for the Broadway opening night and also the city streets outside. I couldn’t watch without gasping those opening “prologue” sequences, in which the camera drifts over the slum-clearance wreckage of Manhattan’s postwar Upper West Side, as if in a sci-fi mystery, with strangely familiar musical phrases echoing up from below ground.

    Continue reading...", + "content": "

    Stunning recreations of the original film’s New York retain the songs and the dancing in a re-telling that will leave you gasping

    Steven Spielberg’s West Side Story 2.0 is an ecstatic act of ancestor-worship: a vividly dreamed, cunningly modified and visually staggering revival. No one but Spielberg could have brought it off, creating a movie in which Leonard Bernstein’s score and Stephen Sondheim’s lyrics blaze out with fierce new clarity. Spielberg retains María’s narcissistic I Feel Pretty, transplanted from the bridal workshop to a fancy department store where she’s working as a cleaner. This was the number whose Cowardian skittishness Sondheim himself had second thoughts about. But its confection is entirely palatable.

    Spielberg has worked with screenwriter Tony Kushner to change the original book by Arthur Laurents, tilting the emphases and giving new stretches of unsubtitled Spanish dialogue and keeping much of the visual idiom of Jerome Robbins’s stylised choreography. This new West Side Story isn’t updated historically yet neither is it a shot-for-shot remake. But daringly, and maybe almost defiantly, it reproduces the original period ambience with stunning digital fabrications of late-50s New York whose authentic detail co-exists with an unashamed theatricality. On the big screen the effect is hyperreal, as if you have somehow hallucinated your way back 70 years on to both the musical stage for the Broadway opening night and also the city streets outside. I couldn’t watch without gasping those opening “prologue” sequences, in which the camera drifts over the slum-clearance wreckage of Manhattan’s postwar Upper West Side, as if in a sci-fi mystery, with strangely familiar musical phrases echoing up from below ground.

    Continue reading...", + "category": "West Side Story (2021)", + "link": "https://www.theguardian.com/film/2021/dec/02/west-side-story-review-steven-spielberg", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-02T14:00:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126756,16 +153193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f205d94d683cd1781a635542407b61d" + "hash": "c479dfdd4acdc44687a6412b6d7c39c4" }, { - "title": "My role in clearing the man wrongly convicted for rape of Alice Sebold", - "description": "

    Why didn’t the writer, the US justice system and the media ask more questions given the miscarriage of justice, asks the film producer whose investigation led to exoneration of Anthony Broadwater

     Anthony Broadwater, a 61-year-old resident of Syracuse, New York state, and former marine, was exonerated last week of the brutal rape, assault and robbery of best-selling author Alice Sebold. He was convicted in 1982.

    Sebold was savagely attacked while walking home from a friend’s house late one night. Five months later, Sebold said she saw her attacker in Syracuse town centre.

    Continue reading...", - "content": "

    Why didn’t the writer, the US justice system and the media ask more questions given the miscarriage of justice, asks the film producer whose investigation led to exoneration of Anthony Broadwater

     Anthony Broadwater, a 61-year-old resident of Syracuse, New York state, and former marine, was exonerated last week of the brutal rape, assault and robbery of best-selling author Alice Sebold. He was convicted in 1982.

    Sebold was savagely attacked while walking home from a friend’s house late one night. Five months later, Sebold said she saw her attacker in Syracuse town centre.

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/global/2021/dec/05/my-role-in-clearing-the-man-wrongly-convicted-for-of-alice-sebold", - "creator": "Timonthy Mucciante", - "pubDate": "2021-12-05T07:02:47Z", + "title": "‘It is phenomenal’: Farne Islands seal numbers expected to reach new high", + "description": "

    National Trust rangers predict record year as they begin count of grey seal pups

    “This is what it’s all about,” said Richard Bevan, beaming. “To see this many seals when 10 years ago there would not have been any.”

    Bevan is a zoologist surveying the shore of Inner Farne island off the coast of north Northumberland. As far as the eye can sea there are about 100 female grey seals and their dependant pups. In the water hopeful males splash about, none more obvious than a dominant bull with a roman nose and scar. “We’ve called him Pacino,” said a ranger.

    Continue reading...", + "content": "

    National Trust rangers predict record year as they begin count of grey seal pups

    “This is what it’s all about,” said Richard Bevan, beaming. “To see this many seals when 10 years ago there would not have been any.”

    Bevan is a zoologist surveying the shore of Inner Farne island off the coast of north Northumberland. As far as the eye can sea there are about 100 female grey seals and their dependant pups. In the water hopeful males splash about, none more obvious than a dominant bull with a roman nose and scar. “We’ve called him Pacino,” said a ranger.

    Continue reading...", + "category": "Marine life", + "link": "https://www.theguardian.com/environment/2021/dec/02/it-is-phenomenal-farne-islands-seal-numbers-expected-to-reach-new-high", + "creator": "Mark Brown in Inner Farne", + "pubDate": "2021-12-02T12:26:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126776,16 +153213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d93f594ec8f8e2845042a28fd96db14" + "hash": "80d7a9832ec9680744edc3c09df8d010" }, { - "title": "Sunday with Claudia Schiffer: ‘Wine, cheese and a game of cards is my winter favourite’", - "description": "

    The model and actor cooks apple pancakes or else pasta bolognese, stares at the clouds, walks the dogs, enjoys a calm family day

    What does Sunday feel like? Calmness. I wake up naturally, no alarm. Monday to Friday, I’m up at 7am to make breakfast and do the school run. We live in the English countryside: rolling hills, fields, farmland. I love being surrounded by nature. Even when it’s raining I just watch the clouds.

    Do you cook? We normally have a long brunch with local produce – I like making my mother’s apple pancakes. That and pasta bolognese are about the only things I can cook. Drinking is seasonal: summer is perfect for a rosé; red wine, cheese and a game of cards is my absolute favourite winter afternoon.

    Continue reading...", - "content": "

    The model and actor cooks apple pancakes or else pasta bolognese, stares at the clouds, walks the dogs, enjoys a calm family day

    What does Sunday feel like? Calmness. I wake up naturally, no alarm. Monday to Friday, I’m up at 7am to make breakfast and do the school run. We live in the English countryside: rolling hills, fields, farmland. I love being surrounded by nature. Even when it’s raining I just watch the clouds.

    Do you cook? We normally have a long brunch with local produce – I like making my mother’s apple pancakes. That and pasta bolognese are about the only things I can cook. Drinking is seasonal: summer is perfect for a rosé; red wine, cheese and a game of cards is my absolute favourite winter afternoon.

    Continue reading...", - "category": "Sunday with…", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/05/sunday-with-claudia-schiffer-wine-cheese-and-cards-is-my-winter-favourite-", - "creator": "Michael Segalov", - "pubDate": "2021-12-05T06:41:55Z", + "title": "Labour’s main union backer says it will cut political funding", + "description": "

    Exclusive: Sharon Graham, Unite’s boss, believes union’s money would be better spent on members’ causes

    Labour’s biggest funder, Unite, will cut political donations to the party and divert the money to other leftwing causes, the union’s new general secretary, Sharon Graham, has warned.

    In a move that could blow a hole in Keir Starmer’s general election war chest, Graham said that while Unite would still pay £1m in affiliation fees to Labour, “there’s a lot of other money that we use from our political fund where, actually, I’m not sure we’re getting the best value for it”.

    Continue reading...", + "content": "

    Exclusive: Sharon Graham, Unite’s boss, believes union’s money would be better spent on members’ causes

    Labour’s biggest funder, Unite, will cut political donations to the party and divert the money to other leftwing causes, the union’s new general secretary, Sharon Graham, has warned.

    In a move that could blow a hole in Keir Starmer’s general election war chest, Graham said that while Unite would still pay £1m in affiliation fees to Labour, “there’s a lot of other money that we use from our political fund where, actually, I’m not sure we’re getting the best value for it”.

    Continue reading...", + "category": "Unite", + "link": "https://www.theguardian.com/uk-news/2021/dec/02/labours-main-union-backer-says-it-will-cut-political-funding", + "creator": "Randeep Ramesh and Heather Stewart", + "pubDate": "2021-12-02T20:01:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126796,16 +153233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e546eab56c290f4b4bf5aadad628efe9" + "hash": "c23e3e3f28bd31d06e2f6b0ec7dfbded" }, { - "title": "‘Historical accident’: how abortion came to focus white, evangelical anger", - "description": "

    A short history of the Rose decision’s emergence as a signature cause for the right

    Public opinion on abortion in the US has changed little since 1973, when the supreme court in effect legalized the procedure nationally in its ruling on the case Roe v Wade. According to Gallup, which has the longest-running poll on the issue, about four in five Americans believe abortion should be legal, at least in some circumstances.

    Yet the politics of abortion have opened deep divisions in the last five decades, which have only grown more profound in recent years of polarization. In 2021, state legislators have passed dozens of restrictions to abortion access, making it the most hostile year to abortion rights on record.

    Continue reading...", - "content": "

    A short history of the Rose decision’s emergence as a signature cause for the right

    Public opinion on abortion in the US has changed little since 1973, when the supreme court in effect legalized the procedure nationally in its ruling on the case Roe v Wade. According to Gallup, which has the longest-running poll on the issue, about four in five Americans believe abortion should be legal, at least in some circumstances.

    Yet the politics of abortion have opened deep divisions in the last five decades, which have only grown more profound in recent years of polarization. In 2021, state legislators have passed dozens of restrictions to abortion access, making it the most hostile year to abortion rights on record.

    Continue reading...", - "category": "Abortion", - "link": "https://www.theguardian.com/world/2021/dec/05/abortion-opposition-focus-white-evangelical-anger", - "creator": "Jessica Glenza", - "pubDate": "2021-12-05T06:50:34Z", + "title": "France rejects idea of joint patrols with UK forces on Calais coast", + "description": "

    Boris Johnson proposal rebuffed with suggestion he offer legal alternatives to reduce risky Channel crossings

    France has formally rejected Boris Johnson’s proposal for British forces to conduct joint border patrols around Calais to deter migrants from crossing the Channel.

    In a letter to Johnson, Jean Castex, the French prime minister, suggested the UK should instead focus on reforming its own systems to offer “legal immigration paths” for people wishing to come to the country instead of risking the perilous crossing.

    Continue reading...", + "content": "

    Boris Johnson proposal rebuffed with suggestion he offer legal alternatives to reduce risky Channel crossings

    France has formally rejected Boris Johnson’s proposal for British forces to conduct joint border patrols around Calais to deter migrants from crossing the Channel.

    In a letter to Johnson, Jean Castex, the French prime minister, suggested the UK should instead focus on reforming its own systems to offer “legal immigration paths” for people wishing to come to the country instead of risking the perilous crossing.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/02/france-rejects-idea-of-british-patrols-along-calais-beaches", + "creator": "Léonie Chao-Fong", + "pubDate": "2021-12-02T23:24:30Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126816,16 +153253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c8f9616e4a237e0f1f42ac3c4262c0c" + "hash": "c1d923497021c1828db168644a4c7d08" }, { - "title": "Let him be: how McCartney saved roadie from arrest after Beatles final concert", - "description": "

    Diaries of band’s road manager, Mal Evans, revealing chaos at gig to feature in major biography

    The police famously tried to shut down the Beatles’s rooftop concert on 30 January 1969, over concerns of breach of the peace, in what was to be the band’s final public performance. Now a further backstage drama has emerged with the revelation that Paul McCartney afterwards used his charm to stop a police officer from arresting their road manager and confidant, Mal Evans.

    Kenneth Womack, one of the world’s foremost Beatles scholars, told the Observer: “It turns out that Mal was actually arrested that day but managed to get out of it only when Paul went into PR mode and changed the copper’s mind after the show.”

    Continue reading...", - "content": "

    Diaries of band’s road manager, Mal Evans, revealing chaos at gig to feature in major biography

    The police famously tried to shut down the Beatles’s rooftop concert on 30 January 1969, over concerns of breach of the peace, in what was to be the band’s final public performance. Now a further backstage drama has emerged with the revelation that Paul McCartney afterwards used his charm to stop a police officer from arresting their road manager and confidant, Mal Evans.

    Kenneth Womack, one of the world’s foremost Beatles scholars, told the Observer: “It turns out that Mal was actually arrested that day but managed to get out of it only when Paul went into PR mode and changed the copper’s mind after the show.”

    Continue reading...", - "category": "The Beatles", - "link": "https://www.theguardian.com/music/2021/dec/05/how-paul-mccartney-saved-roadie-from-arrest-after-beatles-final-concert-mal-evans", - "creator": "Dalya Alberge", - "pubDate": "2021-12-05T06:41:03Z", + "title": "The Guardian view on Sudan: yes, it was a coup. No, it isn’t over | Editorial", + "description": "

    Though the deposed civilian prime minister has returned, the military is still calling the shots

    Coups are always something other people do. So Sudan’s army chief, Abdel Fattah al-Burhan, has insisted that the removal and detention of the prime minister and other politicians in October “was not a coup”. Instead, it was “correcting the track of the transition” that began with the ousting of Omar al-Bashir in 2019 following mass protests, and his replacement with interim arrangements under which the military and civilians shared power, uncomfortably.

    The tens of thousands who protested against military rule in Khartoum and other cities on Tuesday disagree with the general’s analysis. Though the military has now reinstated the prime minister, Abdalla Hamdok, his former allies see him as a Potemkin leader whose presence whitewashes rather than reverses the coup. Twelve ministers, including those for foreign affairs and justice, resigned in protest at the deal; the Sudanese Professionals Association (SPA), one of the leading protest groups, called it “treacherous”. The deal does not appear to mention the Forces for Freedom and Change, the civilian coalition that ousted Mr Bashir. Nor is it believed to specify when the military will hand power to an elected civilian government, though it now claims that there will be elections in 2023.

    Continue reading...", + "content": "

    Though the deposed civilian prime minister has returned, the military is still calling the shots

    Coups are always something other people do. So Sudan’s army chief, Abdel Fattah al-Burhan, has insisted that the removal and detention of the prime minister and other politicians in October “was not a coup”. Instead, it was “correcting the track of the transition” that began with the ousting of Omar al-Bashir in 2019 following mass protests, and his replacement with interim arrangements under which the military and civilians shared power, uncomfortably.

    The tens of thousands who protested against military rule in Khartoum and other cities on Tuesday disagree with the general’s analysis. Though the military has now reinstated the prime minister, Abdalla Hamdok, his former allies see him as a Potemkin leader whose presence whitewashes rather than reverses the coup. Twelve ministers, including those for foreign affairs and justice, resigned in protest at the deal; the Sudanese Professionals Association (SPA), one of the leading protest groups, called it “treacherous”. The deal does not appear to mention the Forces for Freedom and Change, the civilian coalition that ousted Mr Bashir. Nor is it believed to specify when the military will hand power to an elected civilian government, though it now claims that there will be elections in 2023.

    Continue reading...", + "category": "Sudan", + "link": "https://www.theguardian.com/commentisfree/2021/dec/02/the-guardian-view-on-sudan-yes-it-was-a-coup-no-it-isnt-over", + "creator": "Editorial", + "pubDate": "2021-12-02T18:42:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126836,16 +153273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "422a2adb628ffdf9515094358e72d323" + "hash": "14a1bb7a25add9850a93fe4f35d194c0" }, { - "title": "The Observer view on Russia’s threat to Ukraine | Observer editorial", - "description": "Putin regards Ukraine as stolen territory and as the US focuses on China and Covid, Moscow is waiting to strike

    Vladimir Putin is an old-fashioned sort of guy. He yearns for the days when the Soviet Union was a great power. He still views western democracies as adversaries, to be confounded whenever possible. And he has never reconciled to the post-Soviet loss of cold war-era satellite republics in eastern Europe. This is especially true of Ukraine.

    The Russian view that Ukraine is stolen territory to which it has a natural right has roots in tsarist times and before. Ukrainians (and Belarusians) were habitually called “little Russians”. Indigenous narratives stress a common history and common faith indissolubly linking two brotherly eastern Slavic races. Putin has repeatedly stated that “Russians and Ukrainians are one people”.

    Continue reading...", - "content": "Putin regards Ukraine as stolen territory and as the US focuses on China and Covid, Moscow is waiting to strike

    Vladimir Putin is an old-fashioned sort of guy. He yearns for the days when the Soviet Union was a great power. He still views western democracies as adversaries, to be confounded whenever possible. And he has never reconciled to the post-Soviet loss of cold war-era satellite republics in eastern Europe. This is especially true of Ukraine.

    The Russian view that Ukraine is stolen territory to which it has a natural right has roots in tsarist times and before. Ukrainians (and Belarusians) were habitually called “little Russians”. Indigenous narratives stress a common history and common faith indissolubly linking two brotherly eastern Slavic races. Putin has repeatedly stated that “Russians and Ukrainians are one people”.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/commentisfree/2021/dec/05/observer-view-on-russia-threat-to-ukraine", - "creator": "Observer editorial", - "pubDate": "2021-12-05T06:30:47Z", + "title": "Covid live: 10 more Omicron cases in UK amid 53,945 new infections; German ‘lockdown’ for unvaccinated", + "description": "

    Germany is seeking to break a surge in coronavirus infections; Biden announces plan for boosters for 100 million Americans

    Some Covid numbers from Germany are now in.

    The European nation reported another 73,209 new Covid cases for Wednesday and 388 deaths, according to data from the Robert Koch Institute.

    Continue reading...", + "content": "

    Germany is seeking to break a surge in coronavirus infections; Biden announces plan for boosters for 100 million Americans

    Some Covid numbers from Germany are now in.

    The European nation reported another 73,209 new Covid cases for Wednesday and 388 deaths, according to data from the Robert Koch Institute.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/02/coronavirus-news-live-south-africa-sees-exponential-increase-in-covid-cases-dominated-by-omicron-variant", + "creator": "Léonie Chao-Fong (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-12-02T20:51:10Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126856,16 +153293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd181b7da3d52aff845f1e4e2b2890df" + "hash": "21224600b67d6fcf180445741dd7ba91" }, { - "title": "Kenya: more than 20 drown as bus is swept away in flooded river", - "description": "

    Vehicle travelling to wedding keels over and sinks in fast-flowing waters in Kitui County

    More than 20 people drowned on Saturday when a bus travelling to a wedding in Kenya was swept away by fast-flowing waters as it tried to cross a flooded river.

    Onlookers screamed as the yellow school bus hired to take a church choir and other revellers to the ceremony in Kitui County keeled over and sank as the driver tried to navigate the surging waters.

    Continue reading...", - "content": "

    Vehicle travelling to wedding keels over and sinks in fast-flowing waters in Kitui County

    More than 20 people drowned on Saturday when a bus travelling to a wedding in Kenya was swept away by fast-flowing waters as it tried to cross a flooded river.

    Onlookers screamed as the yellow school bus hired to take a church choir and other revellers to the ceremony in Kitui County keeled over and sank as the driver tried to navigate the surging waters.

    Continue reading...", - "category": "Kenya", - "link": "https://www.theguardian.com/world/2021/dec/04/kenya-more-than-20-drown-as-bus-is-swept-away-in-flooded-river", - "creator": "Agence France-Presse", - "pubDate": "2021-12-04T16:59:07Z", + "title": "Late-season wildfire rips through Montana farming town", + "description": "

    Dozens of homes and four historic grain elevators burned as fire agencies continue to battle wind-driven blaze

    A late-season wildfire that came amid unseasonably warm weather and was pushed by strong winds ripped through a tiny central Montana farming town overnight, burning 24 homes and four grain elevators that had stood for more than a century.

    Officials were assessing the damage in Denton on Thursday morning while crews continued to fight the fire.

    Continue reading...", + "content": "

    Dozens of homes and four historic grain elevators burned as fire agencies continue to battle wind-driven blaze

    A late-season wildfire that came amid unseasonably warm weather and was pushed by strong winds ripped through a tiny central Montana farming town overnight, burning 24 homes and four grain elevators that had stood for more than a century.

    Officials were assessing the damage in Denton on Thursday morning while crews continued to fight the fire.

    Continue reading...", + "category": "Montana", + "link": "https://www.theguardian.com/us-news/2021/dec/02/montana-wildfire-denton-damage-evacuation", + "creator": "Guardian staff and agencies", + "pubDate": "2021-12-02T23:58:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126876,16 +153313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1c10f44a7edf51f02ebbdf2c173f35bb" + "hash": "8f49b1ffd73284fee41bec7fb471561a" }, { - "title": "The Last Matinee review – carnage in the aisles in cinema-set giallo-style slasher", - "description": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", - "content": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", - "category": "Horror films", - "link": "https://www.theguardian.com/film/2021/nov/29/the-last-matinee-review-maximiliano-contenti-giallo-genre-voyeurism", - "creator": "Phil Hoad", - "pubDate": "2021-12-04T14:24:41Z", + "title": "Australia live news update: Labor sets 2030 emissions target of 43%; Victoria records 1,188 new Covid cases and 11 deaths; 337 cases in NSW", + "description": "

    Labor sets 2030 emissions reduction target ahead of climate policy reveal; no changes to booster shot rollout as NSW fears first local transmission of Omicron; Victoria records 1,188 Covid cases and 11 deaths; 337 new cases in NSW; Nationals MP Damian Drum to quit parliament. Follow all the day’s developments

    Federal health minister Greg Hunt has said all the Omicron cases in Australia have been “asymptomatic or very mild”.

    Hunt was on Sunrise this morning, saying authorities were “cautiously optimistic”.

    Often with diseases ... they become perhaps more transmissible but milder or less severe. If that is the case then that might be a positive direction.

    I certainly hope so. He’s a great minister. He’s got a great mind. I think if you speak to people within the Indigenous community, where he used to work, particularly in children’s education, he has a great passion for education.

    I’ve always found Alan to be a very honourable and decent man. He’s had an extramarital affair, a consensual one. He’s made a mistake. It’s cost him his marriage. There’s a lot of embarrassment on both sides, I have no doubt.

    Continue reading...", + "content": "

    Labor sets 2030 emissions reduction target ahead of climate policy reveal; no changes to booster shot rollout as NSW fears first local transmission of Omicron; Victoria records 1,188 Covid cases and 11 deaths; 337 new cases in NSW; Nationals MP Damian Drum to quit parliament. Follow all the day’s developments

    Federal health minister Greg Hunt has said all the Omicron cases in Australia have been “asymptomatic or very mild”.

    Hunt was on Sunrise this morning, saying authorities were “cautiously optimistic”.

    Often with diseases ... they become perhaps more transmissible but milder or less severe. If that is the case then that might be a positive direction.

    I certainly hope so. He’s a great minister. He’s got a great mind. I think if you speak to people within the Indigenous community, where he used to work, particularly in children’s education, he has a great passion for education.

    I’ve always found Alan to be a very honourable and decent man. He’s had an extramarital affair, a consensual one. He’s made a mistake. It’s cost him his marriage. There’s a lot of embarrassment on both sides, I have no doubt.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/03/australia-live-news-update-covid-omicron-nsw-victoria-scott-morrison-labor", + "creator": "Mostafa Rachwani", + "pubDate": "2021-12-03T00:16:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126896,16 +153333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0bc084c5276a196b795aad77961a26a5" + "hash": "3d270a5bf58f896cb6458f473a85822e" }, { - "title": "Chris Cuomo fired by CNN for helping brother Andrew fight sexual misconduct charges", - "description": "
    • Primetime anchor was suspended on Tuesday
    • Network says ‘additional information’ has come to light

    CNN has fired the primetime anchor Chris Cuomo for trying to help his brother, the former New York governor Andrew Cuomo, fight accusations of sexual misconduct which resulted in his resignation.

    Announcing the firing on Saturday, CNN said “additional information” had come to light.

    Continue reading...", - "content": "
    • Primetime anchor was suspended on Tuesday
    • Network says ‘additional information’ has come to light

    CNN has fired the primetime anchor Chris Cuomo for trying to help his brother, the former New York governor Andrew Cuomo, fight accusations of sexual misconduct which resulted in his resignation.

    Announcing the firing on Saturday, CNN said “additional information” had come to light.

    Continue reading...", - "category": "CNN", - "link": "https://www.theguardian.com/media/2021/dec/04/chris-cuomo-fired-cnn-brother-andrew-sexual-misconduct-charges", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-12-04T22:43:16Z", + "title": "Refugees forced to claim asylum in ‘jail-like’ camps as Greece tightens system", + "description": "

    Aid agencies fear plans to scrap applications via Skype are an attempt to control and contain rather than help asylum seekers

    When Hadi Karam*, a soft-spoken Syrian, decided to leave the war-stricken city of Raqqa, he knew the journey to Europe would be risky. What he had not factored in was how technology would be a stumbling block once he reached Greece.

    “I never thought Skype would be the problem,” says the young professional, recounting his family’s ordeal trying to contact asylum officers in the country. “You ring and ring and ring. Weeks and weeks go by, and there is never any answer.”

    Continue reading...", + "content": "

    Aid agencies fear plans to scrap applications via Skype are an attempt to control and contain rather than help asylum seekers

    When Hadi Karam*, a soft-spoken Syrian, decided to leave the war-stricken city of Raqqa, he knew the journey to Europe would be risky. What he had not factored in was how technology would be a stumbling block once he reached Greece.

    “I never thought Skype would be the problem,” says the young professional, recounting his family’s ordeal trying to contact asylum officers in the country. “You ring and ring and ring. Weeks and weeks go by, and there is never any answer.”

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/01/refugees-forced-to-claim-asylum-in-jail-like-camps-as-greece-tightens-system", + "creator": "Helena Smith in Athens", + "pubDate": "2021-12-01T13:21:42Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126916,16 +153353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f0368ebe85a15a610aae90a7ea65a3f9" + "hash": "99b43a7f17a1770cf57fedc2800ef493" }, { - "title": "‘HMRC gave me £775,000 by mistake – and it’s turned into a nightmare’", - "description": "

    Staff processing a £23 parcels duty rebate paid the life-changing sum into a woman’s bank account

    A woman who woke up to find more than three-quarters of a million pounds had been deposited in her bank account by HMRC has described how she spent a year waiting for it to realise its mistake and reclaim the money and worrying about what would happen when it did.

    In August 2020, Helen Peters*, a self-employed mother of a five-year-old, looked at her bank statement and found that instead of being mildly overdrawn, a £774,839.39 Bacs payment from the Revenue had sent her account very much into the black.

    Continue reading...", - "content": "

    Staff processing a £23 parcels duty rebate paid the life-changing sum into a woman’s bank account

    A woman who woke up to find more than three-quarters of a million pounds had been deposited in her bank account by HMRC has described how she spent a year waiting for it to realise its mistake and reclaim the money and worrying about what would happen when it did.

    In August 2020, Helen Peters*, a self-employed mother of a five-year-old, looked at her bank statement and found that instead of being mildly overdrawn, a £774,839.39 Bacs payment from the Revenue had sent her account very much into the black.

    Continue reading...", - "category": "Tax", - "link": "https://www.theguardian.com/money/2021/dec/04/hmrc-mistake-return-cash-revenue", - "creator": "Miles Brignall and Patrick Collinson", - "pubDate": "2021-12-04T07:00:19Z", + "title": "Activists call for revolution in ‘dated and colonial’ aid funding", + "description": "

    Aspen Institute’s New Voices want donors to exercise humility and trust those receiving grants to know what their communities need

    Aid donors are being urged to revolutionise the way money is spent to move away from colonial ideas and create meaningful change.

    Ahead of a two-day conference this week, activists from Africa, Asia and Latin America have called on public and private global health donors – including governments, the United Nations, private philanthropists and international organisations – to prioritise funding for programmes driven by the needs of the community involved, rather than dictated by preconceived objectives.

    Continue reading...", + "content": "

    Aspen Institute’s New Voices want donors to exercise humility and trust those receiving grants to know what their communities need

    Aid donors are being urged to revolutionise the way money is spent to move away from colonial ideas and create meaningful change.

    Ahead of a two-day conference this week, activists from Africa, Asia and Latin America have called on public and private global health donors – including governments, the United Nations, private philanthropists and international organisations – to prioritise funding for programmes driven by the needs of the community involved, rather than dictated by preconceived objectives.

    Continue reading...", + "category": "Global health", + "link": "https://www.theguardian.com/global-development/2021/dec/01/activists-call-for-revolution-in-dated-and-colonial-aid-funding", + "creator": "Liz Ford", + "pubDate": "2021-12-01T10:17:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126936,16 +153373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f4635d55296d6ac3330cd9b44c43ec28" + "hash": "ebaf680860f7c42416e2b3534a753b39" }, { - "title": "WHO says no deaths reported from Omicron yet as Covid variant spreads", - "description": "

    US and Australia become latest countries to confirm locally transmitted cases

    The Omicron variant has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization has said, amid warnings that it could damage the global economic recovery.

    The United States and Australia became the latest countries to confirm locally transmitted cases of the variant, as Omicron infections pushed South Africa’s total cases past 3 million.

    Continue reading...", - "content": "

    US and Australia become latest countries to confirm locally transmitted cases

    The Omicron variant has been detected in at least 38 countries but no deaths have yet been reported, the World Health Organization has said, amid warnings that it could damage the global economic recovery.

    The United States and Australia became the latest countries to confirm locally transmitted cases of the variant, as Omicron infections pushed South Africa’s total cases past 3 million.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/04/who-says-no-deaths-reported-from-omicron-yet-as-covid-variant-spreads", - "creator": "Staff and agencies", - "pubDate": "2021-12-04T05:22:28Z", + "title": "Even after 40 years the response to Aids in many countries is still held back by stigma | Hakima Himmich and Mike Podmore", + "description": "

    It is hard to protect yourself from HIV when having sterile syringes or condoms can lead to arrest: discrimination is restricting progress in eliminating HIV

    Forty years after the first cases of Aids were discovered, goals for its global elimination have yet to be achieved. In 2020, nearly 700,000 people died of Aids-related illnesses and 1.5 million people were newly infected with HIV.

    This is despite scientific and medical advances in the testing, treatment and care of people living with HIV.

    Continue reading...", + "content": "

    It is hard to protect yourself from HIV when having sterile syringes or condoms can lead to arrest: discrimination is restricting progress in eliminating HIV

    Forty years after the first cases of Aids were discovered, goals for its global elimination have yet to be achieved. In 2020, nearly 700,000 people died of Aids-related illnesses and 1.5 million people were newly infected with HIV.

    This is despite scientific and medical advances in the testing, treatment and care of people living with HIV.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/dec/01/response-aids-hiv-stigma-discrimination-drug-use-homophobia", + "creator": "Hakima Himmich and Mike Podmore", + "pubDate": "2021-12-01T07:00:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126956,16 +153393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "abaa236acd638912f4d4e13936575915" + "hash": "8f20e212d553c25d2e34b964f3ed037d" }, { - "title": "A city divided: as Sydney comes back to life, scars of lockdown linger in the west", - "description": "

    In the suburbs hardest hit by Covid restrictions, the economic and psychological recovery has been slow to come

    Sydney barista Minh Bui rarely used to have time to sit down at her own cafe, but this weekday morning she’s in no rush. It’s just her and two women seated in the corner.

    Asked how business is at her Liverpool cafe since Sydney’s lockdown lifted, Bui motions to the empty seats around her.

    Continue reading...", - "content": "

    In the suburbs hardest hit by Covid restrictions, the economic and psychological recovery has been slow to come

    Sydney barista Minh Bui rarely used to have time to sit down at her own cafe, but this weekday morning she’s in no rush. It’s just her and two women seated in the corner.

    Asked how business is at her Liverpool cafe since Sydney’s lockdown lifted, Bui motions to the empty seats around her.

    Continue reading...", - "category": "Sydney", - "link": "https://www.theguardian.com/australia-news/2021/dec/05/a-city-divided-as-sydney-comes-back-to-life-scars-of-lockdown-linger-in-the-west", - "creator": "Mostafa Rachwani", - "pubDate": "2021-12-04T19:00:36Z", + "title": "When did Omicron Covid variant arrive in UK and is it spreading?", + "description": "

    Analysis: scientists are working full tilt to answer these vital questions that may give clues as to what is to come

    As new cases of Omicron continue to emerge in the UK, scientists are working full tilt to answer two vital questions: when did the variant arrive and is it spreading?

    While at first glance those queries may seem less important than those around vaccine effectiveness or disease severity, the answers may give important clues as to what is to come.

    Continue reading...", + "content": "

    Analysis: scientists are working full tilt to answer these vital questions that may give clues as to what is to come

    As new cases of Omicron continue to emerge in the UK, scientists are working full tilt to answer two vital questions: when did the variant arrive and is it spreading?

    While at first glance those queries may seem less important than those around vaccine effectiveness or disease severity, the answers may give important clues as to what is to come.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/01/when-did-omicron-variant-arrive-in-uk-and-is-it-spreading", + "creator": "Nicola Davis, Ian Sample and Libby Brooks", + "pubDate": "2021-12-01T09:31:53Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126976,16 +153413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "84475ea9bea5d5abcb15ee511df9f385" + "hash": "26a1ad6c6cd63c399715a96131c02864" }, { - "title": "Political activist Paddy Gibson allegedly threatened by three men who tried to break into his Sydney home", - "description": "

    Campaigner called outside by trio on Saturday night before window smashed with Greens MP warning of ‘troubling escalation of political violence’

    A prominent political activist has allegedly been threatened in his Sydney home by three men who appeared to try to force their way inside before fleeing when police were called.

    Paddy Gibson, an activist with the Solidarity socialist movement and a researcher at University of Technology Sydney, said he was at home with his partner when he heard loud banging on his door about 7.30pm on Saturday night.

    Continue reading...", - "content": "

    Campaigner called outside by trio on Saturday night before window smashed with Greens MP warning of ‘troubling escalation of political violence’

    A prominent political activist has allegedly been threatened in his Sydney home by three men who appeared to try to force their way inside before fleeing when police were called.

    Paddy Gibson, an activist with the Solidarity socialist movement and a researcher at University of Technology Sydney, said he was at home with his partner when he heard loud banging on his door about 7.30pm on Saturday night.

    Continue reading...", - "category": "Sydney", - "link": "https://www.theguardian.com/australia-news/2021/dec/05/political-activist-paddy-gibson-allegedly-threatened-by-three-men-who-tried-to-break-into-his-sydney-home", - "creator": "Nino Bucci", - "pubDate": "2021-12-05T07:09:14Z", + "title": "'Every parent's worst nightmare': Michigan school shooting leaves three students dead – video", + "description": "

    A 15-year-old boy killed three fellow pupils and wounded eight others after opening fire with a semi-automatic handgun at a school in Oxford, Michigan. Those killed were a 16-year-old boy, a 17-year-old girl and a 14-year-old girl. The suspect was believed to have acted alone and was arrested without resistance after firing 15 to 20 shots. The suspect has declined to speak to police. Michigan's governor, Gretchen Whitmer, offered condolences at the scene, saying: 'I think this is every parent's worst nightmare.'

    Continue reading...", + "content": "

    A 15-year-old boy killed three fellow pupils and wounded eight others after opening fire with a semi-automatic handgun at a school in Oxford, Michigan. Those killed were a 16-year-old boy, a 17-year-old girl and a 14-year-old girl. The suspect was believed to have acted alone and was arrested without resistance after firing 15 to 20 shots. The suspect has declined to speak to police. Michigan's governor, Gretchen Whitmer, offered condolences at the scene, saying: 'I think this is every parent's worst nightmare.'

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/video/2021/dec/01/every-parents-worst-nightmare-michigan-school-shooting-leaves-three-students-dead-video", + "creator": "", + "pubDate": "2021-12-01T00:41:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -126996,16 +153433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "271f62767c115edc716090b278cd2c1f" + "hash": "21bf5aa2e3ad1fe1ff69cfa05572063d" }, { - "title": "How probable is it Omicron Covid variant will take hold in UK?", - "description": "

    Analysis: UK’s early vaccine deployment and use of different vaccines from South Africa mean it’s too soon to say

    Omicron is causing consternation around the world, with the variant found to be behind an exponential rise in Covid cases in South Africa. Yet with just 42 cases confirmed in the UK so far, and most European countries seeing numbers in the double rather than triple figures, could this be a tentative sign the variant may fail to take hold outside southern Africa? The bottom line is, it is too soon to say.

    One issue is that there are important differences that make it difficult to compare the situations in South Africa and beyond.

    Continue reading...", - "content": "

    Analysis: UK’s early vaccine deployment and use of different vaccines from South Africa mean it’s too soon to say

    Omicron is causing consternation around the world, with the variant found to be behind an exponential rise in Covid cases in South Africa. Yet with just 42 cases confirmed in the UK so far, and most European countries seeing numbers in the double rather than triple figures, could this be a tentative sign the variant may fail to take hold outside southern Africa? The bottom line is, it is too soon to say.

    One issue is that there are important differences that make it difficult to compare the situations in South Africa and beyond.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/02/how-probable-omicron-covid-variant-take-hold-uk", - "creator": "Nicola Davis", - "pubDate": "2021-12-02T17:31:32Z", + "title": "Germany: mandatory Covid jabs a step closer as unvaccinated face lockdown", + "description": "

    Merkel backs compulsory jabs and says ‘act of national solidarity’ required

    Vaccination could become mandatory in Germany from February, Angela Merkel has said, as she announced what her successor as chancellor, Olaf Scholz, described as “a lockdown of the unvaccinated”.

    As more EU countries confirmed cases of the Omicron variant, which the bloc’s health agency said could make up more than half of all infections on the continent within months, Merkel described the situation as “very serious”.

    Continue reading...", + "content": "

    Merkel backs compulsory jabs and says ‘act of national solidarity’ required

    Vaccination could become mandatory in Germany from February, Angela Merkel has said, as she announced what her successor as chancellor, Olaf Scholz, described as “a lockdown of the unvaccinated”.

    As more EU countries confirmed cases of the Omicron variant, which the bloc’s health agency said could make up more than half of all infections on the continent within months, Merkel described the situation as “very serious”.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/dec/02/germany-could-make-covid-vaccination-mandatory-says-merkel", + "creator": "Jon Henley Europe correspondent", + "pubDate": "2021-12-02T17:01:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127016,16 +153453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "82377fe51c6e2019aa63bc99491d026e" + "hash": "eb2b8d6125fc2667a411c3b92b0b27f6" }, { - "title": "Police treated us like criminals, say families of girls trafficked to Islamic State in Syria", - "description": "

    British authorities accused of interrogating parents who came seeking help when their daughters went missing

    Details of how police attempted to criminalise British families whose children were trafficked to Islamic State (IS) in Syria are revealed in a series of testimonies that show how grieving parents were initially treated as suspects and then abandoned by the authorities.

    One described being “treated like a criminal” and later realising that police were only interested in acquiring intelligence on IS instead of trying to help find their loved one. Another told how their home had been raided after they approached police for help to track down a missing relative.

    Continue reading...", - "content": "

    British authorities accused of interrogating parents who came seeking help when their daughters went missing

    Details of how police attempted to criminalise British families whose children were trafficked to Islamic State (IS) in Syria are revealed in a series of testimonies that show how grieving parents were initially treated as suspects and then abandoned by the authorities.

    One described being “treated like a criminal” and later realising that police were only interested in acquiring intelligence on IS instead of trying to help find their loved one. Another told how their home had been raided after they approached police for help to track down a missing relative.

    Continue reading...", - "category": "Home Office", - "link": "https://www.theguardian.com/politics/2021/dec/04/police-treated-us-like-criminals-say-families-of-girls-trafficked-to-islamic-state-in-syria", - "creator": "Mark Townsend Home Affairs Editor", - "pubDate": "2021-12-04T13:00:26Z", + "title": "Biden and Putin to hold talks after diplomats make no progress on Ukraine", + "description": "

    The US threatened to deploy ‘high-impact’ economic measures if a Russian buildup of troops leads to a wider conflict

    Joe Biden and Vladimir Putin are due to hold talks “in the near future” after their top diplomats made no apparent progress in Stockholm towards defusing a standoff over Ukraine, amid fears of a Russian invasion.

    The US secretary of state, Antony Blinken, and the Russian foreign minister, Sergey Lavrov, opted not to make a joint appearance after trading threats during a 40-minute meeting whose short duration indicated there was little chance of a breakthrough.

    Continue reading...", + "content": "

    The US threatened to deploy ‘high-impact’ economic measures if a Russian buildup of troops leads to a wider conflict

    Joe Biden and Vladimir Putin are due to hold talks “in the near future” after their top diplomats made no apparent progress in Stockholm towards defusing a standoff over Ukraine, amid fears of a Russian invasion.

    The US secretary of state, Antony Blinken, and the Russian foreign minister, Sergey Lavrov, opted not to make a joint appearance after trading threats during a 40-minute meeting whose short duration indicated there was little chance of a breakthrough.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/dec/02/us-and-russia-no-closer-to-breakthrough-on-ukraine-after-talks", + "creator": "Andrew Roth in Moscow and Julian Borger in Washington", + "pubDate": "2021-12-02T17:56:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127036,16 +153473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "afa02337b2cac28b47f950f48c51fa16" + "hash": "b542b792542d541ebab2557efb4eeaa5" }, { - "title": "‘The right is back’: Gaullists pick female candidate Valérie Pécresse to take on Macron", - "description": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", - "content": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/04/pecresse-chosen-as-french-centre-rights-first-female-candidate-for-presidency", - "creator": "Kim Willsher in Paris", - "pubDate": "2021-12-04T17:16:10Z", + "title": "Sex ratio of babies linked to pollution and poverty indicators", + "description": "

    Study finds some pollutants are correlated with higher levels of boys and others with more girls

    A swathe of pollutants and indicators of poverty have been linked to changes in the ratio of baby boys to girls born to millions of parents.

    A study of half the US population and the entire Swedish population examined more than 100 possible factors and found, for example, that mercury, chromium and aluminium pollution correlated with more boys being born, while lead pollution increased the proportion of girls. Proximity to farming also affected the sex ratio, possibly due to higher chemical exposures.

    Continue reading...", + "content": "

    Study finds some pollutants are correlated with higher levels of boys and others with more girls

    A swathe of pollutants and indicators of poverty have been linked to changes in the ratio of baby boys to girls born to millions of parents.

    A study of half the US population and the entire Swedish population examined more than 100 possible factors and found, for example, that mercury, chromium and aluminium pollution correlated with more boys being born, while lead pollution increased the proportion of girls. Proximity to farming also affected the sex ratio, possibly due to higher chemical exposures.

    Continue reading...", + "category": "Environment", + "link": "https://www.theguardian.com/environment/2021/dec/02/sex-ratio-of-babies-linked-to-pollution-and-poverty-indicators", + "creator": "Damian Carrington Environment editor", + "pubDate": "2021-12-02T19:00:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127056,16 +153493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "62d8c157f79ec2b74fdb2451f9e81df9" + "hash": "d757fb904db7c83556eeb1f8224306ba" }, { - "title": "Biden and Putin to hold call amid tensions over Ukraine – White House", - "description": "

    The White House said on Saturday Joe Biden would hold a call with Vladimir Putin on Tuesday, to underline US concerns about Russia’s buildup of forces on the border with Ukraine.

    Diplomats indicated earlier this week that Biden and Putin would talk.

    Continue reading...", - "content": "

    The White House said on Saturday Joe Biden would hold a call with Vladimir Putin on Tuesday, to underline US concerns about Russia’s buildup of forces on the border with Ukraine.

    Diplomats indicated earlier this week that Biden and Putin would talk.

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/04/biden-putin-call-ukraine-russia-white-house", - "creator": "Reuters in Washington", - "pubDate": "2021-12-04T22:20:49Z", + "title": "Fossil remains of herd of 11 dinosaurs discovered in Italy", + "description": "

    Exceptional find includes biggest and most complete dinosaur skeleton ever unearthed in the country

    A treasure trove of fossils of a herd of 11 dinosaurs has been identified for the first time in Italy, including the biggest and most complete dinosaur skeleton ever found in the country.

    Although isolated dinosaur remains have been discovered in Italy since the 1990s, palaeontologists have now identified an entire group at Villaggio del Pescatore, a former limestone quarry close to the north-eastern port city of Trieste.

    Continue reading...", + "content": "

    Exceptional find includes biggest and most complete dinosaur skeleton ever unearthed in the country

    A treasure trove of fossils of a herd of 11 dinosaurs has been identified for the first time in Italy, including the biggest and most complete dinosaur skeleton ever found in the country.

    Although isolated dinosaur remains have been discovered in Italy since the 1990s, palaeontologists have now identified an entire group at Villaggio del Pescatore, a former limestone quarry close to the north-eastern port city of Trieste.

    Continue reading...", + "category": "Dinosaurs", + "link": "https://www.theguardian.com/uk-news/2021/dec/02/fossil-remains-of-a-herd-of-11-dinosaurs-discovered-in-italy", + "creator": "Angela Giuffrida in Rome", + "pubDate": "2021-12-02T18:13:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127076,16 +153513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4cd2035b7d39519f0c4bfe7adb6eded1" + "hash": "c17f6a057a5b8d1cfa9b5c71984e350b" }, { - "title": "Nevada man arrested for allegedly assaulting police at US Capitol attack", - "description": "

    A 34-year-old Nevada man has been arrested and held on multiple charges related to the 6 January riot at the US Capitol, including assaulting law officers with what prosecutors say appeared to be a table leg with a protruding nail.

    A US magistrate in Reno on Friday ordered Josiah Kenyon of Winnemucca to remain jailed without bail, until he is transported to Washington to face charges.

    Continue reading...", - "content": "

    A 34-year-old Nevada man has been arrested and held on multiple charges related to the 6 January riot at the US Capitol, including assaulting law officers with what prosecutors say appeared to be a table leg with a protruding nail.

    A US magistrate in Reno on Friday ordered Josiah Kenyon of Winnemucca to remain jailed without bail, until he is transported to Washington to face charges.

    Continue reading...", - "category": "US Capitol attack", - "link": "https://www.theguardian.com/us-news/2021/dec/04/us-capitol-attack-josiah-kenyon-arrested-nevada", - "creator": "Associated Press in Reno, Nevada", - "pubDate": "2021-12-04T14:43:19Z", + "title": "Biden announces plan to get booster shots to 100m Americans amid Omicron arrival in US", + "description": "

    President lays out pandemic battle plan for the winter months, including expanded pharmacy availability for vaccines

    Joe Biden announced new actions to combat the coronavirus in the US, including a nationwide campaign encouraging vaccine boosters, an expansion of at-home tests and tighter restrictions on international travel.

    Buffeted by the emergence of the Omicron variant and a political backlash from Republicans, the US president visited the National Institutes of Health in Bethesda, Maryland, on Thursday and laid out a pandemic battle plan for the winter months.

    Continue reading...", + "content": "

    President lays out pandemic battle plan for the winter months, including expanded pharmacy availability for vaccines

    Joe Biden announced new actions to combat the coronavirus in the US, including a nationwide campaign encouraging vaccine boosters, an expansion of at-home tests and tighter restrictions on international travel.

    Buffeted by the emergence of the Omicron variant and a political backlash from Republicans, the US president visited the National Institutes of Health in Bethesda, Maryland, on Thursday and laid out a pandemic battle plan for the winter months.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/dec/02/joe-biden-coronavirus-nationwide-campaign", + "creator": "David Smith in Washington", + "pubDate": "2021-12-02T19:08:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127096,36 +153533,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c9c4b4ab1b24a124408da8fbbcb0e01" + "hash": "e625f20862cf1e7c9f1f1f4795f99130" }, { - "title": "Trump rails against Meadows for revealing Covid test cover-up – report", - "description": "
    • Guardian revealed explosive claims in chief of staff’s memoir
    • Trump slams ‘fake news’ but in private says aide ‘fucking stupid’

    In a blurb on the cover of Mark Meadows’ new book, Donald Trump calls the former congressman a “great chief of staff – as good as it gets” and predicts “a great future together”. The former president has also promoted the book to his followers.

    Now the book is in the public domain, however, the former president reportedly thinks it is “garbage” and that Meadows was “fucking stupid” to write it.

    Continue reading...", - "content": "
    • Guardian revealed explosive claims in chief of staff’s memoir
    • Trump slams ‘fake news’ but in private says aide ‘fucking stupid’

    In a blurb on the cover of Mark Meadows’ new book, Donald Trump calls the former congressman a “great chief of staff – as good as it gets” and predicts “a great future together”. The former president has also promoted the book to his followers.

    Now the book is in the public domain, however, the former president reportedly thinks it is “garbage” and that Meadows was “fucking stupid” to write it.

    Continue reading...", - "category": "Trump administration", - "link": "https://www.theguardian.com/us-news/2021/dec/04/donald-trump-mark-meadows-covid-cover-up", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-12-04T13:57:05Z", + "title": "Peng Shuai needs more than ‘quiet diplomacy’. If she can be silenced, no Chinese athletes are safe | Jessica Shuran Yu", + "description": "

    As an athlete who spoke up about abuse, I am tired of seeing reputation being prioritised over safety

    When I first experienced abuse as an athlete, I made a vow to myself to never tell anyone. Ever. I was worried that I wouldn’t be believed, but also the thought that anyone would know me as a “victim” mortified me. On top of that, I knew that even if I told anyone, nothing would change. I was both right and wrong. Years later, after I stopped competing in figure skating, I broke my own silence on the physical abuse inflicted on me in China, and it freed me. I talked about it to my close friends, to reporters, and to my therapist – extensively. It never got easier to talk about but each time I did, I began to heal a little more.

    The most powerful perpetrator of abuse is silence. It allows for abusers to continue to harm athletes, for athletes to continue believing that such treatment is OK, and for authority figures to continue to turn a blind eye without guilt. Every allegation of abuse that is aired needs to be investigated properly for there to be any hope of justice.

    Continue reading...", + "content": "

    As an athlete who spoke up about abuse, I am tired of seeing reputation being prioritised over safety

    When I first experienced abuse as an athlete, I made a vow to myself to never tell anyone. Ever. I was worried that I wouldn’t be believed, but also the thought that anyone would know me as a “victim” mortified me. On top of that, I knew that even if I told anyone, nothing would change. I was both right and wrong. Years later, after I stopped competing in figure skating, I broke my own silence on the physical abuse inflicted on me in China, and it freed me. I talked about it to my close friends, to reporters, and to my therapist – extensively. It never got easier to talk about but each time I did, I began to heal a little more.

    The most powerful perpetrator of abuse is silence. It allows for abusers to continue to harm athletes, for athletes to continue believing that such treatment is OK, and for authority figures to continue to turn a blind eye without guilt. Every allegation of abuse that is aired needs to be investigated properly for there to be any hope of justice.

    Continue reading...", + "category": "Peng Shuai", + "link": "https://www.theguardian.com/sport/blog/2021/dec/02/peng-shuai-needs-more-than-quiet-diplomacy-jessica-shuran-yu", + "creator": "Jessica Shuran Yu", + "pubDate": "2021-12-02T20:00:21Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "def6989671d460dcb49db7a82356aeb3" + "hash": "de42fdd328194425a65d03642893f91e" }, { - "title": "Cream-cheesed off: bagel-loving New Yorkers face supply chain nightmare", - "description": "

    Shop owners tell New York Times of worries over dwindling supplies of the popular breakfast comestible

    One of the biggest businesses in New York City has developed a worrying hole: bagels.

    According to the New York Times, bagel shop owners are facing a shortage of cream cheese, a culinary calamity that could upend how tens of thousands New Yorkers begin their day.

    Continue reading...", - "content": "

    Shop owners tell New York Times of worries over dwindling supplies of the popular breakfast comestible

    One of the biggest businesses in New York City has developed a worrying hole: bagels.

    According to the New York Times, bagel shop owners are facing a shortage of cream cheese, a culinary calamity that could upend how tens of thousands New Yorkers begin their day.

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/dec/04/cream-cheese-bagel-new-york-supply-chain", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-04T18:32:41Z", + "title": "The most unusual movie sex scenes – ranked!", + "description": "

    Lady Gaga and Adam Driver give us animal grunting in House of Gucci and Agathe Rousselle mates with a car in Titane – but that’s tame compared with some of the sexual themes cinema has found to explore

    In 1933, the Austrian star Hedy Lamarr (who also had a remarkable parallel career as an inventor) appeared in the Czech erotic drama Ecstasy playing Eva, who gave us the first female orgasm in movie history. This is simply an extended closeup on her face, after her lover’s head has disappeared from the bottom of the frame, as she abandons herself to pleasure and rapture. There were some telling cutaways – to her hand, fondling some material, and also one of her pearl necklace dropping to the floor. Afterwards, Eva languorously smokes a cigarette, doing her bit to establish one of cinema’s great post-coital tropes.

    Continue reading...", + "content": "

    Lady Gaga and Adam Driver give us animal grunting in House of Gucci and Agathe Rousselle mates with a car in Titane – but that’s tame compared with some of the sexual themes cinema has found to explore

    In 1933, the Austrian star Hedy Lamarr (who also had a remarkable parallel career as an inventor) appeared in the Czech erotic drama Ecstasy playing Eva, who gave us the first female orgasm in movie history. This is simply an extended closeup on her face, after her lover’s head has disappeared from the bottom of the frame, as she abandons herself to pleasure and rapture. There were some telling cutaways – to her hand, fondling some material, and also one of her pearl necklace dropping to the floor. Afterwards, Eva languorously smokes a cigarette, doing her bit to establish one of cinema’s great post-coital tropes.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/dec/02/the-most-unusual-movie-sex-scenes-ranked", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-02T13:25:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127136,16 +153573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5cb8a1fac9ab9c3cd9bfa3fe281793f1" + "hash": "a3cfb376709b0ea4d23c1b970af6cbcf" }, { - "title": "Covid news: pre-departure tests return for UK arrivals and Nigeria added to red list", - "description": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December in bid to tackle Omicron variant

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "content": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December in bid to tackle Omicron variant

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", - "creator": "Nadeem Badshah (now), Sarah Marsh (earlier)", - "pubDate": "2021-12-04T19:59:43Z", + "title": "France rejects idea of British patrols along Calais beaches", + "description": "

    Move will ‘compromise sovereignty’ and UK should sort out alternative to people’s perilous Channel crossings

    France has formally rejected Boris Johnson’s call for British authorities to carry out joint patrols on the beaches around Calais to deter people from crossing the Channel unsafely. In a letter to Johnson the French prime minister, Jean Castex, said the country could not accept the presence of British police officers or soldiers as that would compromise the nation’s sovereignty.

    Castex also suggested the UK should carry out reforms of its systems to offer “legal immigration paths” for people to go to the UK instead of risking the perilous crossing.

    Continue reading...", + "content": "

    Move will ‘compromise sovereignty’ and UK should sort out alternative to people’s perilous Channel crossings

    France has formally rejected Boris Johnson’s call for British authorities to carry out joint patrols on the beaches around Calais to deter people from crossing the Channel unsafely. In a letter to Johnson the French prime minister, Jean Castex, said the country could not accept the presence of British police officers or soldiers as that would compromise the nation’s sovereignty.

    Castex also suggested the UK should carry out reforms of its systems to offer “legal immigration paths” for people to go to the UK instead of risking the perilous crossing.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/dec/02/france-rejects-idea-of-british-patrols-along-calais-beaches", + "creator": "PA Media", + "pubDate": "2021-12-02T21:19:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127156,16 +153593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5a29e41117c721ee0977b2a06655014c" + "hash": "0a69c70fd7a209f8a0bb0905ee409d4a" }, { - "title": "International arrivals to UK will need to take pre-departure Covid test", - "description": "

    Health secretary announces change to travel rules in bid to control spread of the new Omicron variant

    All international arrivals to UK will be required to take pre-departure Covid-19 test to tackle the new Omicron variant, the health secretary has announced. Sajid Javid said that tightened requirements will come into force from 4am on Tuesday 7 December.

    Travellers will need to submit evidence of a negative lateral flow or PCR test to enter, and which must have been taken a maximum of 48 hours before the departure time. People currently only need to self-isolate until they test negative within two days of arrival.

    Continue reading...", - "content": "

    Health secretary announces change to travel rules in bid to control spread of the new Omicron variant

    All international arrivals to UK will be required to take pre-departure Covid-19 test to tackle the new Omicron variant, the health secretary has announced. Sajid Javid said that tightened requirements will come into force from 4am on Tuesday 7 December.

    Travellers will need to submit evidence of a negative lateral flow or PCR test to enter, and which must have been taken a maximum of 48 hours before the departure time. People currently only need to self-isolate until they test negative within two days of arrival.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/04/international-arrivals-to-england-will-need-to-take-pre-departure-covid-test", - "creator": "Fran Singh and agencies", - "pubDate": "2021-12-04T19:52:49Z", + "title": "Victorian government pressed to deliver promised funding for threatened plants and animals", + "description": "

    Critically endangered grasslands on Melbourne’s outskirts should be immediately protected, parliamentary inquiry says

    Underfunding of environmental initiatives by the Victorian government is pushing plants and animals across the state toward extinction, a state parliamentary inquiry has found.

    The Greens-led inquiry, examining the decline of habitats and wildlife in Victoria tabled its final report, calling for changes to how the state funds and enforces protection of endangered wildlife and a massive increase to the national parks budget.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Critically endangered grasslands on Melbourne’s outskirts should be immediately protected, parliamentary inquiry says

    Underfunding of environmental initiatives by the Victorian government is pushing plants and animals across the state toward extinction, a state parliamentary inquiry has found.

    The Greens-led inquiry, examining the decline of habitats and wildlife in Victoria tabled its final report, calling for changes to how the state funds and enforces protection of endangered wildlife and a massive increase to the national parks budget.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Victoria", + "link": "https://www.theguardian.com/australia-news/2021/dec/03/victorian-government-pressed-to-deliver-promised-funding-for-threatened-plants-and-animals", + "creator": "Lisa Cox", + "pubDate": "2021-12-02T21:18:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127176,16 +153613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d65835ae4e9a07fefa5b9e5977023848" + "hash": "ba9ab6ea6ec313476a3d6198f728d53f" }, { - "title": "New York Omicron cases rise to eight as official warns of community spread", - "description": "

    Cases of latest Covid variant appear unrelated as state dispatches national guard to help beleaguered hospitals

    New York announced three more cases of the Omicron variant of the coronavirus on Saturday, bringing the number of state cases linked to the new variant to eight.

    “The Omicron variant is here, and as anticipated we are seeing the beginning of community spread,” the state health commissioner, Mary Bassett, said.

    Continue reading...", - "content": "

    Cases of latest Covid variant appear unrelated as state dispatches national guard to help beleaguered hospitals

    New York announced three more cases of the Omicron variant of the coronavirus on Saturday, bringing the number of state cases linked to the new variant to eight.

    “The Omicron variant is here, and as anticipated we are seeing the beginning of community spread,” the state health commissioner, Mary Bassett, said.

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/dec/04/new-york-omicron-cases-rise-to-eight-as-official-warns-of-community-spread", - "creator": "Associated Press in New York", - "pubDate": "2021-12-04T18:54:02Z", + "title": "Kavanaugh signals support for curbing abortion rights as supreme court hears arguments on Mississippi case – live", + "description": "

    Supreme court justice Amy Coney Barrett, who had advocated against abortion rights and publicly supported the reversal of Roe v Wade before her nomination to the court, has sounded in with her first question:

    Scott Stewart, the solicitor general of Mississippi: Undue burden is “perhaps the most unworkable standard in American law”.

    Continue reading...", + "content": "

    Supreme court justice Amy Coney Barrett, who had advocated against abortion rights and publicly supported the reversal of Roe v Wade before her nomination to the court, has sounded in with her first question:

    Scott Stewart, the solicitor general of Mississippi: Undue burden is “perhaps the most unworkable standard in American law”.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/dec/01/abortion-case-roe-v-wade-supreme-court-arguments-mississippi-us-politics-latest", + "creator": "Vivian Ho", + "pubDate": "2021-12-01T19:06:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127196,36 +153633,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "cea1f79884b80bd60223299f092f0b27" + "hash": "a8b0ef18e91cd2c80f606cf01a7c9f40" }, { - "title": "Micah Richards: ‘There was such a buzz around the Euros. I loved every minute’", - "description": "

    The footballer turned pundit who won viewers’ hearts at the Euros on racism, singing Usher on screen and the real Roy Keane

    Birmingham-born, Leeds-raised Micah Richards, 33, signed for Manchester City aged 14, made his first-team debut at 17 and captained the side at 19. He won the Premier League, the FA Cup, the League Cup and was the youngest defender ever called up to the England squad, going on to earn 13 international caps. He also played for Aston Villa and Fiorentina. After early retirement at the age of 31 due to knee injuries, he became a football pundit. He covered this summer’s Euros for the BBC, where his warm exuberance in the studio and on social media made Richards the standout pundit.

    Did the Euros make 2021 a vintage year for you?
    Definitely. It was my first international tournament as a pundit. You get sent this big booklet to swot up on all the teams. I thought: “Right, I’ve been with the BBC a while, I’m on Match of the Day, I’m one of the big boys now.” But for my first few matches, I got teams such as Russia and Slovakia. It’s a privilege to work on the Euros but I don’t watch Russian football. I don’t know these players. There’s a Swiss striker called Breel Embolo and I must’ve said his name wrong every single time! But I don’t go on TV thinking I know it all. I represent the fans on screen. You can’t laugh and joke all the time, but football is supposed to be fun. I loved every minute.

    Continue reading...", - "content": "

    The footballer turned pundit who won viewers’ hearts at the Euros on racism, singing Usher on screen and the real Roy Keane

    Birmingham-born, Leeds-raised Micah Richards, 33, signed for Manchester City aged 14, made his first-team debut at 17 and captained the side at 19. He won the Premier League, the FA Cup, the League Cup and was the youngest defender ever called up to the England squad, going on to earn 13 international caps. He also played for Aston Villa and Fiorentina. After early retirement at the age of 31 due to knee injuries, he became a football pundit. He covered this summer’s Euros for the BBC, where his warm exuberance in the studio and on social media made Richards the standout pundit.

    Did the Euros make 2021 a vintage year for you?
    Definitely. It was my first international tournament as a pundit. You get sent this big booklet to swot up on all the teams. I thought: “Right, I’ve been with the BBC a while, I’m on Match of the Day, I’m one of the big boys now.” But for my first few matches, I got teams such as Russia and Slovakia. It’s a privilege to work on the Euros but I don’t watch Russian football. I don’t know these players. There’s a Swiss striker called Breel Embolo and I must’ve said his name wrong every single time! But I don’t go on TV thinking I know it all. I represent the fans on screen. You can’t laugh and joke all the time, but football is supposed to be fun. I loved every minute.

    Continue reading...", - "category": "Euro 2020", - "link": "https://www.theguardian.com/football/2021/dec/04/micah-richards-euro-2020-pundit-interview-faces-of-year", - "creator": "Michael Hogan", - "pubDate": "2021-12-04T16:00:30Z", + "title": "People onboard sinking Channel dinghy ‘tried to contact UK authorities’", + "description": "

    Home Office acknowledges people involved in tragedy may have tried to call for help as investigations continue

    The occupants of a boat that sank last week in the Channel causing the deaths of at least 27 people may have tried to contact the UK authorities, the Home Office has acknowledged.

    Dan O’Mahoney – the clandestine channel threat commander – said he could not say with any certainty if those onboard had rung the UK for help. Speaking to parliament’s human rights committee, O’Mahoney said HM Coastguard was now investigating.

    Continue reading...", + "content": "

    Home Office acknowledges people involved in tragedy may have tried to call for help as investigations continue

    The occupants of a boat that sank last week in the Channel causing the deaths of at least 27 people may have tried to contact the UK authorities, the Home Office has acknowledged.

    Dan O’Mahoney – the clandestine channel threat commander – said he could not say with any certainty if those onboard had rung the UK for help. Speaking to parliament’s human rights committee, O’Mahoney said HM Coastguard was now investigating.

    Continue reading...", + "category": "Migration", + "link": "https://www.theguardian.com/world/2021/dec/01/people-onboard-sinking-channel-dingy-tried-to-contact-uk-authorities", + "creator": "Luke Harding in London, Nechirvan Mando in Ranya, Iraqi Kurdistan, and Rajeev Syal", + "pubDate": "2021-12-01T18:09:47Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85005c7eb9e55b7654da330ae71d75fa" + "hash": "dbe1136f5e4dc42f6b534927c7c31fb3" }, { - "title": "Sweet dreams are made of this: why dream analysis is flourishing", - "description": "

    Are dreams a message from the soul or meaningless ‘brain farts’? Groups dedicated to interpretation are thriving

    Jason DeBord regrets the demise of an old parlour game once much-loved in the 19th century: What Did I Eat Last Night? It involved a player recounting their dreams – recorded in a journal upon waking – as an audience was challenged to guess what dream-provoking food they had consumed for the previous night’s supper, be it stilton, rarebit or undercooked or cured meats (all understood to be culprits when it came to colourful dreaming).

    “Maybe you had eaten rare beef and then you dream about cows, you know, chasing you,” explains DeBord. “It sounds like a blast, doesn’t it? I’d have loved to have played that game.”

    Continue reading...", - "content": "

    Are dreams a message from the soul or meaningless ‘brain farts’? Groups dedicated to interpretation are thriving

    Jason DeBord regrets the demise of an old parlour game once much-loved in the 19th century: What Did I Eat Last Night? It involved a player recounting their dreams – recorded in a journal upon waking – as an audience was challenged to guess what dream-provoking food they had consumed for the previous night’s supper, be it stilton, rarebit or undercooked or cured meats (all understood to be culprits when it came to colourful dreaming).

    “Maybe you had eaten rare beef and then you dream about cows, you know, chasing you,” explains DeBord. “It sounds like a blast, doesn’t it? I’d have loved to have played that game.”

    Continue reading...", - "category": "Sleep", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/sweet-dreams-are-made-of-this-why-dream-analysis-is-flourishing", - "creator": "Sally Howard", - "pubDate": "2021-12-04T17:00:31Z", + "title": "Covid news live: UK reports 48,374 new cases and 171 deaths; France introduces new restrictions for non-EU arrivals", + "description": "

    UK cases on rise amid fears over Omicron variant; non-EU travellers to France must have negative Covid test regardless of vaccination status

    Three people who escaped an Australian Covid quarantine facility have been arrested.

    Our reporter Cait Kelly from Melbourne, Australia, has the story.

    Continue reading...", + "content": "

    UK cases on rise amid fears over Omicron variant; non-EU travellers to France must have negative Covid test regardless of vaccination status

    Three people who escaped an Australian Covid quarantine facility have been arrested.

    Our reporter Cait Kelly from Melbourne, Australia, has the story.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/dec/01/covid-news-live-who-advises-vulnerable-against-travel-over-omicron-greece-to-fine-those-over-60-who-refuse-vaccine", + "creator": "Rachel Hall (now), Martin Belam andSamantha Lock (earlier)", + "pubDate": "2021-12-01T18:57:58Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127236,16 +153673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a08aa5f11b9606a77cb35bac5d76628d" + "hash": "a3b997f4b2b7c2cda3e62d517da7a636" }, { - "title": "Nobel winner: ‘We journalists are the defence line between dictatorship and war’", - "description": "

    Next week, Maria Ressa and Dmitry Muratov receive their Nobel peace prizes. In a rare interview, Muratov says he fears the world is sliding towards fascism

    The last time a journalist won a Nobel prize was 1935. The journalist who won it – Carl von Ossietzky – had revealed how Hitler was secretly rearming Germany. “And he couldn’t pick it up because he was languishing in a Nazi concentration camp,” says Maria Ressa over a video call from Manila.

    Nearly a century on, Ressa is one of two journalists who will step onto the Nobel stage in Oslo next Friday. She is currently facing jail for “cyberlibel” in the Philippines while the other recipient Dmitry Muratov, the editor-in-chief of Novaya Gazeta, is standing guard over one of the last independent newspapers in an increasingly dictatorial Russia.

    Continue reading...", - "content": "

    Next week, Maria Ressa and Dmitry Muratov receive their Nobel peace prizes. In a rare interview, Muratov says he fears the world is sliding towards fascism

    The last time a journalist won a Nobel prize was 1935. The journalist who won it – Carl von Ossietzky – had revealed how Hitler was secretly rearming Germany. “And he couldn’t pick it up because he was languishing in a Nazi concentration camp,” says Maria Ressa over a video call from Manila.

    Nearly a century on, Ressa is one of two journalists who will step onto the Nobel stage in Oslo next Friday. She is currently facing jail for “cyberlibel” in the Philippines while the other recipient Dmitry Muratov, the editor-in-chief of Novaya Gazeta, is standing guard over one of the last independent newspapers in an increasingly dictatorial Russia.

    Continue reading...", - "category": "Nobel peace prize", - "link": "https://www.theguardian.com/world/2021/dec/04/nobel-winner-we-journalists-are-the-defence-line-between-dictatorship-and-war", - "creator": "Carole Cadwalladr", - "pubDate": "2021-12-04T18:05:32Z", + "title": "Ghislaine Maxwell accuser says she met Trump at 14 and flew with Prince Andrew", + "description": "

    ‘Jane’, who did not accuse Trump or duke of misconduct, testifies in court she was introduced to former president by Jeffrey Epstein

    • This article contains depictions of sexual abuse

    The first accuser in Ghislaine Maxwell’s child sex trafficking trial testified on Wednesday that Jeffrey Epstein introduced her to Donald Trump when she was 14. This accuser also claimed that she was on a flight with Prince Andrew.

    She did not accuse Trump or the Duke of York of any misconduct. The accuser, who used the pseudonym “Jane” in court, said this as she was was undergoing cross-examination from one of Maxwell’s attorneys.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "content": "

    ‘Jane’, who did not accuse Trump or duke of misconduct, testifies in court she was introduced to former president by Jeffrey Epstein

    • This article contains depictions of sexual abuse

    The first accuser in Ghislaine Maxwell’s child sex trafficking trial testified on Wednesday that Jeffrey Epstein introduced her to Donald Trump when she was 14. This accuser also claimed that she was on a flight with Prince Andrew.

    She did not accuse Trump or the Duke of York of any misconduct. The accuser, who used the pseudonym “Jane” in court, said this as she was was undergoing cross-examination from one of Maxwell’s attorneys.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/dec/01/ghislaine-maxwell-accuser-cross-examination", + "creator": "Victoria Bekiempis", + "pubDate": "2021-12-01T17:54:40Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127256,16 +153693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6b1d8608b8d07f1f0801ee738a1dbc6d" + "hash": "f6cfe00e454e12febe87ff67341763b7" }, { - "title": "A cocktail party from hell: in court with Ghislaine Maxwell, the society princess", - "description": "

    Week one of the much anticipated New York trial of Jeffrey Epstein’s ex-lover saw her big-money defence lawyers trying to outmuscle an underpowered prosecution.

    The lady in the white mask is quite the gracious host, mwah-mwahing her pals, hugs-a-go-go, writing thoughtful little Post-it notes, blessing her set with her exclusive attention. Only this is not a gathering of socialites over canapés, but a child sexual abuse trial, and her friends are fancy lawyers, and the people who once served and allegedly serviced her and her ex-lover Jeffrey Epstein, body and soul, seem to be in no mood for mwah-mwah.

    Welcome to the cocktail party from hell, or to give the proceedings their proper name, the trial of the United States of America v Ghislaine Maxwell. Staged in the grand US federal court building in a half-empty Manhattan, it is a grimly fascinating study, if you side with the defence, in false memory syndrome and gold-digging.

    Continue reading...", - "content": "

    Week one of the much anticipated New York trial of Jeffrey Epstein’s ex-lover saw her big-money defence lawyers trying to outmuscle an underpowered prosecution.

    The lady in the white mask is quite the gracious host, mwah-mwahing her pals, hugs-a-go-go, writing thoughtful little Post-it notes, blessing her set with her exclusive attention. Only this is not a gathering of socialites over canapés, but a child sexual abuse trial, and her friends are fancy lawyers, and the people who once served and allegedly serviced her and her ex-lover Jeffrey Epstein, body and soul, seem to be in no mood for mwah-mwah.

    Welcome to the cocktail party from hell, or to give the proceedings their proper name, the trial of the United States of America v Ghislaine Maxwell. Staged in the grand US federal court building in a half-empty Manhattan, it is a grimly fascinating study, if you side with the defence, in false memory syndrome and gold-digging.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/04/a-cocktail-party-from-hell-in-court-with-ghislaine-maxwell-the-mwah-mwah-princess-jeffrey-epstein", - "creator": "John Sweeney", - "pubDate": "2021-12-04T18:10:32Z", + "title": "EU executive: let Belarus border nations detain asylum seekers for 16 weeks", + "description": "

    Rights group criticise EU Commission over proposals for emergency measure to tackle crisis

    Rights groups have criticised the European Commission after it proposed that three countries sharing a border with Belarus should be allowed to hold people in special asylum processing centres for up to 16 weeks, up from the current maximum of four.

    Top officials at the EU executive said the emergency measures would give Poland, Lithuania and Latvia the flexibility to deal with an unprecedented situation caused by what the EU calls a hybrid attack from Alexander Lukashenko’s Belarusian regime.

    Continue reading...", + "content": "

    Rights group criticise EU Commission over proposals for emergency measure to tackle crisis

    Rights groups have criticised the European Commission after it proposed that three countries sharing a border with Belarus should be allowed to hold people in special asylum processing centres for up to 16 weeks, up from the current maximum of four.

    Top officials at the EU executive said the emergency measures would give Poland, Lithuania and Latvia the flexibility to deal with an unprecedented situation caused by what the EU calls a hybrid attack from Alexander Lukashenko’s Belarusian regime.

    Continue reading...", + "category": "European Union", + "link": "https://www.theguardian.com/world/2021/dec/01/belarus-border-nations-should-be-able-to-detain-asylum-seekers-for-16-weeks", + "creator": "Jennifer Rankin in Brussels", + "pubDate": "2021-12-01T18:34:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127276,16 +153713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "11b7a5b8cd48b259e356a34130ab1b04" + "hash": "22ca2dd35805e9f0dcbf2ff7d9350bf3" }, { - "title": "Bookseller Samir Mansour: ‘It was shocking to realise I was a target’", - "description": "

    The Palestinian bookseller whose shop was destroyed in the most recent conflict in Gaza on how it has been crowdfunded back into existence – three times bigger

    Bookseller Samir Mansour did not get much sleep the night in May this year that changed his life: he had stayed awake watching the news for updates as Israeli bombs fell on Gaza City.

    Around 6am, the Al Jazeera anchor said that the busy downtown street home to Mansour’s business was under attack. His instinct was to rush to the area in an effort to save his collection. Instead, he arrived just in time to see two missiles smash through the glass storefront as the building collapsed.

    Continue reading...", - "content": "

    The Palestinian bookseller whose shop was destroyed in the most recent conflict in Gaza on how it has been crowdfunded back into existence – three times bigger

    Bookseller Samir Mansour did not get much sleep the night in May this year that changed his life: he had stayed awake watching the news for updates as Israeli bombs fell on Gaza City.

    Around 6am, the Al Jazeera anchor said that the busy downtown street home to Mansour’s business was under attack. His instinct was to rush to the area in an effort to save his collection. Instead, he arrived just in time to see two missiles smash through the glass storefront as the building collapsed.

    Continue reading...", - "category": "Gaza", - "link": "https://www.theguardian.com/world/2021/dec/04/bookseller-samir-mansour-bookshop-gaza-bombed-faces-of-year", - "creator": "Bethan McKernan", - "pubDate": "2021-12-04T19:00:34Z", + "title": "Eruption of Vesuvius on Herculaneum ‘like Hiroshima bomb’", + "description": "

    Archaeologist compares eruption at Roman town close to Pompeii to dropping of WW2 atomic bomb

    An Italian archaeologist has compared the impact of the AD79 eruption of Mount Vesuvius on Herculaneum – the ancient Roman beach town close to Pompeii – to the dropping of an atomic bomb on the Japanese city of Hiroshima during the second world war.

    Such was the heat of the pyroclastic surge produced by Vesuvius – believed to have been between 400C and 500C – that the brains and blood of the Herculaneum’s victims instantly boiled.

    Continue reading...", + "content": "

    Archaeologist compares eruption at Roman town close to Pompeii to dropping of WW2 atomic bomb

    An Italian archaeologist has compared the impact of the AD79 eruption of Mount Vesuvius on Herculaneum – the ancient Roman beach town close to Pompeii – to the dropping of an atomic bomb on the Japanese city of Hiroshima during the second world war.

    Such was the heat of the pyroclastic surge produced by Vesuvius – believed to have been between 400C and 500C – that the brains and blood of the Herculaneum’s victims instantly boiled.

    Continue reading...", + "category": "Archaeology", + "link": "https://www.theguardian.com/science/2021/dec/01/eruption-of-vesuvius-on-herculaneum-like-hiroshima-bomb-pompei", + "creator": "Angela Giuffrida in Herculaneum", + "pubDate": "2021-12-01T16:12:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127296,16 +153733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bef92024ebb2af839e27c8cb9d0fa70e" + "hash": "bf12a1715c8d7a436ef4414f5ee89675" }, { - "title": "Louis Theroux: ‘I’ve always found anxiety in the most unlikely places’", - "description": "

    The broadcaster, 51, talks about his first memories, last meal, lockdown resets and his brainier older brother

    I always felt like the second fiddle to my older brother Marcel, who I thought was impossibly brilliant and mature and seemed to be reading more or less from the womb, although I’m two years younger, so I wouldn’t have known that first-hand. I was the sideshow: the funny one, the ridiculous one my grandparents said was “good with my hands”, which at five or six I embraced. It was only as I got older I realised it meant, “might not want to stay in school past 14 or 15”.

    From childhood I’ve always found anxiety in the most unlikely places. Aged six I remember watching maypole dancers skipping around and braiding these ribbons into beautiful patterns at my Ssouth London primary school and even though I was still in the infants and wouldn’t be doing it for years, I thought, “I’m never going to be able to fucking dance around a maypole.” All through my life I’ve tended to experience future events in a negative way. It’s always been a source of looming discomfiture.

    Continue reading...", - "content": "

    The broadcaster, 51, talks about his first memories, last meal, lockdown resets and his brainier older brother

    I always felt like the second fiddle to my older brother Marcel, who I thought was impossibly brilliant and mature and seemed to be reading more or less from the womb, although I’m two years younger, so I wouldn’t have known that first-hand. I was the sideshow: the funny one, the ridiculous one my grandparents said was “good with my hands”, which at five or six I embraced. It was only as I got older I realised it meant, “might not want to stay in school past 14 or 15”.

    From childhood I’ve always found anxiety in the most unlikely places. Aged six I remember watching maypole dancers skipping around and braiding these ribbons into beautiful patterns at my Ssouth London primary school and even though I was still in the infants and wouldn’t be doing it for years, I thought, “I’m never going to be able to fucking dance around a maypole.” All through my life I’ve tended to experience future events in a negative way. It’s always been a source of looming discomfiture.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/louis-theroux-ive-always-found-anxiety-in-the-most-unlikely-places-", - "creator": "Nick McGrath", - "pubDate": "2021-12-04T14:00:27Z", + "title": "Prince Harry compares Covid vaccine inequity to HIV struggle", + "description": "

    Duke of Sussex says on World Aids Day that vaccinating the world against Covid is ‘test of our moral character’

    The Duke of Sussex has warned of “corporate greed and political failure” prolonging the Covid pandemic, comparing a “spectacular failure” of global vaccine equity to the struggle by millions to access HIV medicines.

    In a letter read out at a World Health Organization (WHO) and UNAIDS event on World Aids Day, Prince Harry said lessons must be learned from the HIV/Aids pandemic.

    Continue reading...", + "content": "

    Duke of Sussex says on World Aids Day that vaccinating the world against Covid is ‘test of our moral character’

    The Duke of Sussex has warned of “corporate greed and political failure” prolonging the Covid pandemic, comparing a “spectacular failure” of global vaccine equity to the struggle by millions to access HIV medicines.

    In a letter read out at a World Health Organization (WHO) and UNAIDS event on World Aids Day, Prince Harry said lessons must be learned from the HIV/Aids pandemic.

    Continue reading...", + "category": "Prince Harry", + "link": "https://www.theguardian.com/uk-news/2021/dec/01/prince-harry-compares-covid-vaccine-inequity-to-hiv-struggle", + "creator": "Caroline Davies", + "pubDate": "2021-12-01T17:49:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127316,36 +153753,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "d33cb408fbf9376ab2c8639e32222915" + "hash": "70fa34affb6b12d9423df08e6169cdc8" }, { - "title": "How the murder of a Swedish rapper shocked a nation and put police on the back foot", - "description": "

    Ultraviolent gangs are threatening to subvert the rule of law in Sweden. We head out with police in a Gothenburg suburb to find out what it could mean for the rest of Europe and the UK

    They began heading for the shopping mall exit when they saw the police. One of the four gang members, a local rapper called Lelo whose music videos venerate handguns and violence, turned to exchange pleasantries with Mike, an officer with the Swedish police.

    Lelo and Mike have history. During a recent riot outside the mall that prompted a killing that could easily have led to another six, Lelo was among 32 arrested. In his subsequent court appearance, Mike had to intervene as Lelo’s posturing threatened to boil over.

    Continue reading...", - "content": "

    Ultraviolent gangs are threatening to subvert the rule of law in Sweden. We head out with police in a Gothenburg suburb to find out what it could mean for the rest of Europe and the UK

    They began heading for the shopping mall exit when they saw the police. One of the four gang members, a local rapper called Lelo whose music videos venerate handguns and violence, turned to exchange pleasantries with Mike, an officer with the Swedish police.

    Lelo and Mike have history. During a recent riot outside the mall that prompted a killing that could easily have led to another six, Lelo was among 32 arrested. In his subsequent court appearance, Mike had to intervene as Lelo’s posturing threatened to boil over.

    Continue reading...", - "category": "Sweden", - "link": "https://www.theguardian.com/world/2021/dec/04/how-the-of-a-swedish-rapper-shocked-a-nation-and-put-police-on-the-back-foot", - "creator": "Mark Townsend", - "pubDate": "2021-12-04T16:15:30Z", + "title": "US warns Russia has plans for ‘large scale’ attack on Ukraine", + "description": "

    Secretary of state says Nato is ‘prepared to impose severe costs’ on Moscow if invasion attempted

    The US says it has evidence Russia has made plans for a “large scale” attack on Ukraine and that Nato allies are “prepared to impose severe costs” on Moscow if it attempts an invasion.

    Speaking at a Nato ministers meeting in Latvia, the US secretary of state, Antony Blinken, said it was unclear whether Vladimir Putin had made a decision to invade but added: “He’s putting in place the capacity to do so in short order, should he so decide.

    Continue reading...", + "content": "

    Secretary of state says Nato is ‘prepared to impose severe costs’ on Moscow if invasion attempted

    The US says it has evidence Russia has made plans for a “large scale” attack on Ukraine and that Nato allies are “prepared to impose severe costs” on Moscow if it attempts an invasion.

    Speaking at a Nato ministers meeting in Latvia, the US secretary of state, Antony Blinken, said it was unclear whether Vladimir Putin had made a decision to invade but added: “He’s putting in place the capacity to do so in short order, should he so decide.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/dec/01/us-warns-russia-plans-large-scale-attack-on-ukraine", + "creator": "Julian Borger in Washington and Andrew Roth in Moscow", + "pubDate": "2021-12-01T17:15:59Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4b12bb1b9bd9cb8e96df664d686c07e5" + "hash": "c69c25a99fc37bdb80743c119026a030" }, { - "title": "Home Office borders bill could ‘create a British Guantánamo Bay,’ says Tory MP", - "description": "

    Former Brexit secretary David Davis says Priti Patel’s plans could foster a situation similar to notorious US detention camp

    A former Conservative cabinet minister has warned that the Home Office’s controversial borders bill risks creating a “British Guantanamo Bay,”. David Davis, who served as Brexit secretary from 2016 to 2018, said that the home secretary’s plans to send asylum seekers to another country while their claims are processed may create a facility as notorious as the US detention camp in Cuba.

    Guantanamo Bay has been described as a “stain on the human rights record” of the US and the “gulag of our times” with detainees making repeated allegations of torture, sexual degradation and religious persecution.

    Continue reading...", - "content": "

    Former Brexit secretary David Davis says Priti Patel’s plans could foster a situation similar to notorious US detention camp

    A former Conservative cabinet minister has warned that the Home Office’s controversial borders bill risks creating a “British Guantanamo Bay,”. David Davis, who served as Brexit secretary from 2016 to 2018, said that the home secretary’s plans to send asylum seekers to another country while their claims are processed may create a facility as notorious as the US detention camp in Cuba.

    Guantanamo Bay has been described as a “stain on the human rights record” of the US and the “gulag of our times” with detainees making repeated allegations of torture, sexual degradation and religious persecution.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/dec/04/home-office-borders-bill-could-create-a-british-guantanamo-bay-says-tory-mp", - "creator": "Mark Townsend and Toby Helm", - "pubDate": "2021-12-04T21:00:36Z", + "title": "EU launches €300bn fund to challenge China’s influence", + "description": "

    Global gateway infrastructure strategy aims to counter belt and road initiative impact in Asia, Africa and Europe

    The EU’s plan to invest €300bn (£255bn) in global infrastructure will be better than China’s belt and road initiative, the European Commission president has said, as she announced a strategy to boost technology and public services in developing countries.

    Ursula von der Leyen said the EU’s global gateway strategy was a positive offer for infrastructure development around the world and based on democratic values and transparency.

    Continue reading...", + "content": "

    Global gateway infrastructure strategy aims to counter belt and road initiative impact in Asia, Africa and Europe

    The EU’s plan to invest €300bn (£255bn) in global infrastructure will be better than China’s belt and road initiative, the European Commission president has said, as she announced a strategy to boost technology and public services in developing countries.

    Ursula von der Leyen said the EU’s global gateway strategy was a positive offer for infrastructure development around the world and based on democratic values and transparency.

    Continue reading...", + "category": "Infrastructure", + "link": "https://www.theguardian.com/business/2021/dec/01/eu-infrastructure-fund-challenge-china-global-influence-asia-africa-eastern-europe-gateway", + "creator": "Jennifer Rankin", + "pubDate": "2021-12-01T16:45:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127356,16 +153793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6f1312df2d5c0090b6b8909110e7acc4" + "hash": "41d7074c06d8cffda69e167859dca03e" }, { - "title": "Australia live news updates: Pfizer provisionally approved for five to 11-year-olds; Victoria records 980 new Covid cases and seven deaths", - "description": "

    Omicron cases continue to climb in Sydney as thousands of people protest for ‘freedom’ in Melbourne

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", - "content": "

    Omicron cases continue to climb in Sydney as thousands of people protest for ‘freedom’ in Melbourne

    Hunt is asked whether states, like Queensland, will hold off opening state borders until at least 80% of kids aged five to 11 are vaccinated given today’s announcement.

    Hunt:

    There is no reason for that. The Doherty modelling was set out very clearly on the 80% rates for double dosed across the country for 16 plus, and what we have seen now is that in terms of the 12 to 15-year-olds, we have now had an extra 1.8 million vaccinations over and above the Doherty modelling. The Doherty modelling was based on an 80% national rate for double dosed and didn’t include 12 to 15-year-olds.

    A bit over a fifth of all cases of Covid are actually in the under 12s. Indeed, some of the early data with Omicron suggests it may actually be higher for the Omicron variant ... While most kids to get fairly mild infection and only a limited number end up in ICU, is great, there are bigger impacts.

    Unfortunately about one in 3,000 of the kids who get Covid actually end up with this funny immunological condition called multi-system inflammatory condition. Those kids can end up being very sick for months. It is not the same as long Covid but it has some things in common, and it has a whole range of symptoms where the kid is just not well. That is one of the things we are protecting against by vaccinating children...

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/05/australia-live-news-updates-omicron-covid-cases-pfizer-vaccine-approved", - "creator": "Justine Landis-Hanley", - "pubDate": "2021-12-04T22:39:58Z", + "title": "Michigan school shooting: fourth student dies following teen’s deadly attack", + "description": "

    Authorities name latest victim just hours after identifying the other three teenagers killed in shooting outside Detroit

    Authorities in Michigan on Wednesday said a 17-year-old boy had become the fourth student to die as a result of a high school shooting in the state the day before.

    The latest victim was named as Justin Shilling, just hours after the authorities named the other three teenagers killed in Tuesday’s shooting in Oxford, on the outskirts of Detroit.

    Continue reading...", + "content": "

    Authorities name latest victim just hours after identifying the other three teenagers killed in shooting outside Detroit

    Authorities in Michigan on Wednesday said a 17-year-old boy had become the fourth student to die as a result of a high school shooting in the state the day before.

    The latest victim was named as Justin Shilling, just hours after the authorities named the other three teenagers killed in Tuesday’s shooting in Oxford, on the outskirts of Detroit.

    Continue reading...", + "category": "US school shootings", + "link": "https://www.theguardian.com/us-news/2021/dec/01/michigan-high-school-shooting-victims-identified", + "creator": "Richard Luscombe and agencies", + "pubDate": "2021-12-01T18:02:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127376,16 +153813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0af016a259d15d15acfe9302643367ef" + "hash": "48cc1b6a4f3a048b448206f6a5fc3bdc" }, { - "title": "Indonesia: one dead as Semeru volcano spews huge ash cloud", - "description": "

    Evacuation efforts are being hampered by thick smoke that has plunged nearby villages in darkness

    One person has died after the highest volcano on Indonesia’s most densely populated island of Java spewed thick columns of ash high into the sky, triggering panic among people living nearby.

    As well as the fatality, the volcanic eruption of Mount Semeru in East Java province caused 41 burn injuries, said the deputy district chief of Lumajang, an area nearby.

    Continue reading...", - "content": "

    Evacuation efforts are being hampered by thick smoke that has plunged nearby villages in darkness

    One person has died after the highest volcano on Indonesia’s most densely populated island of Java spewed thick columns of ash high into the sky, triggering panic among people living nearby.

    As well as the fatality, the volcanic eruption of Mount Semeru in East Java province caused 41 burn injuries, said the deputy district chief of Lumajang, an area nearby.

    Continue reading...", - "category": "Volcanoes", - "link": "https://www.theguardian.com/world/2021/dec/04/indonesia-one-dead-as-semeru-volcano-spews-huge-ash-cloud", - "creator": "Agencies", - "pubDate": "2021-12-04T14:40:35Z", + "title": "Donald Trump accuses Meghan of disrespect towards royal family", + "description": "

    Former president says Prince Harry ‘has been used horribly’ in interview with Nigel Farage

    The former US president Donald Trump has accused the Duchess of Sussex of being “disrespectful” to the Queen and the royal family.

    In a wide-ranging interview with the politician turned broadcaster Nigel Farage, Trump said he thought the Duke of Sussex had been “used horribly”.

    Continue reading...", + "content": "

    Former president says Prince Harry ‘has been used horribly’ in interview with Nigel Farage

    The former US president Donald Trump has accused the Duchess of Sussex of being “disrespectful” to the Queen and the royal family.

    In a wide-ranging interview with the politician turned broadcaster Nigel Farage, Trump said he thought the Duke of Sussex had been “used horribly”.

    Continue reading...", + "category": "Donald Trump", + "link": "https://www.theguardian.com/us-news/2021/dec/01/donald-trump-accuses-meghan-of-disrespect-towards-royal-family-prince-harry-nigel-farage", + "creator": "Jamie Grierson", + "pubDate": "2021-12-01T11:53:57Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127396,16 +153833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0ee7b4ea48099ab2a6703dc44d1a4ef0" + "hash": "60a4833bfd90fdca46252b43f584fde7" }, { - "title": "France stunned as judo star’s coach cleared of domestic violence", - "description": "

    Margaux Pinot says she feared her partner would kill her, but judge says there is not enough proof of guilt

    French sports stars and politicians have expressed anger at the acquittal of a coach accused of domestic violence against the Olympic judo champion Margaux Pinot, as the state prosecutor launched an appeal.

    Pinot, 27, a gold medallist at the Tokyo Olympics, had serious facial injuries including a fractured nose when she filed a police complaint in the early hours of Sunday. She said her partner and trainer, Alain Schmitt, had attacked her at her flat outside Paris, wrestled her to the ground, verbally abused her, punched her many times, repeatedly smashed her head on to the ground and tried to strangle her.

    Continue reading...", - "content": "

    Margaux Pinot says she feared her partner would kill her, but judge says there is not enough proof of guilt

    French sports stars and politicians have expressed anger at the acquittal of a coach accused of domestic violence against the Olympic judo champion Margaux Pinot, as the state prosecutor launched an appeal.

    Pinot, 27, a gold medallist at the Tokyo Olympics, had serious facial injuries including a fractured nose when she filed a police complaint in the early hours of Sunday. She said her partner and trainer, Alain Schmitt, had attacked her at her flat outside Paris, wrestled her to the ground, verbally abused her, punched her many times, repeatedly smashed her head on to the ground and tried to strangle her.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/03/france-stunned-as-judo-stars-coach-cleared-of-domestic-violence", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-12-03T14:01:19Z", + "title": "Israeli doctor believes he caught Omicron variant of Covid in London", + "description": "

    Exclusive: Cardiologist Elad Maor suspects he caught virus at conference attended by more than 1,200 people

    A doctor who was one of the first people in the world to become infected with the Omicron variant says he believes he caught the virus when he was in London for a major medical conference attended by more than 1,200 health professionals.

    The disclosure from Elad Maor will raise fears that the variant may have been in the UK much earlier than previously realised – and that other medics could have been exposed to it too.

    Continue reading...", + "content": "

    Exclusive: Cardiologist Elad Maor suspects he caught virus at conference attended by more than 1,200 people

    A doctor who was one of the first people in the world to become infected with the Omicron variant says he believes he caught the virus when he was in London for a major medical conference attended by more than 1,200 health professionals.

    The disclosure from Elad Maor will raise fears that the variant may have been in the UK much earlier than previously realised – and that other medics could have been exposed to it too.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/01/israeli-doctor-believes-he-caught-omicron-variant-of-covid-in-london", + "creator": "Andrew Gregory Health editor", + "pubDate": "2021-12-01T16:05:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127416,16 +153853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "af3730233e293b1284dbd2761648ec3b" + "hash": "f730ab9e952d158f69444cd223d8c625" }, { - "title": "Pope Francis criticises Europe’s divided response to migration crisis", - "description": "

    Pontiff uses visit to Greece to highlight plight of migrants and refugees, and voice concern over threat to democracy

    Pope Francis has used a trip to Greece to hit out at Europe for the divisions it has exhibited over migration while warning against the perils of populism.

    Greece has long been on the frontline of the refugee crisis.

    Continue reading...", - "content": "

    Pontiff uses visit to Greece to highlight plight of migrants and refugees, and voice concern over threat to democracy

    Pope Francis has used a trip to Greece to hit out at Europe for the divisions it has exhibited over migration while warning against the perils of populism.

    Greece has long been on the frontline of the refugee crisis.

    Continue reading...", - "category": "Pope Francis", - "link": "https://www.theguardian.com/world/2021/dec/04/pope-francis-criticises-europes-divided-response-to-migration-crisis", - "creator": "Helena Smith in Athens", - "pubDate": "2021-12-04T20:04:29Z", + "title": "Covid-19 variants may not evolve to be less dangerous, says Neil Ferguson", + "description": "

    Senior UK scientist says extent of threat posed by Omicron will not be clear until end of year

    People should not assume that Covid will evolve to become a milder disease, a senior scientist has warned, adding that the threat posed by the Omicron coronavirus variant will not be clear until the end of December.

    Prof Neil Ferguson, head of the disease outbreak analysis and modelling group at Imperial College London, told MPs on Wednesday that while evolution would drive Covid to spread more easily the virus might not become less dangerous.

    Continue reading...", + "content": "

    Senior UK scientist says extent of threat posed by Omicron will not be clear until end of year

    People should not assume that Covid will evolve to become a milder disease, a senior scientist has warned, adding that the threat posed by the Omicron coronavirus variant will not be clear until the end of December.

    Prof Neil Ferguson, head of the disease outbreak analysis and modelling group at Imperial College London, told MPs on Wednesday that while evolution would drive Covid to spread more easily the virus might not become less dangerous.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/01/covid-19-variants-omicron-may-not-evolve-less-danger-time-nervtag-uk", + "creator": "Ian Sample and Heather Stewart", + "pubDate": "2021-12-01T16:13:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127436,16 +153873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cb6c27e0091c7f6bd4c3af470c9b8ed3" + "hash": "6b3c9eb7103dda947b6b4b23b2dc5e4c" }, { - "title": "‘A new church’: why a Uniting reverend is preaching to Anglicans in a gay couple’s home", - "description": "

    Peter Grace and Peter Sanders disagreed with the conservative Anglicanism of their Armidale diocese, so they left – and took the congregation with them

    On a cool, grey Sunday in November, in a small home on the edge of Armidale, a new church is born.

    About 30 parishioners are crowded on the wooden deck, spilling back through the sliding doors and into a living room dominated by a black Kawai concert grand piano. They sit on patio furniture, white plastic lawn chairs and stools from the breakfast bar.

    Continue reading...", - "content": "

    Peter Grace and Peter Sanders disagreed with the conservative Anglicanism of their Armidale diocese, so they left – and took the congregation with them

    On a cool, grey Sunday in November, in a small home on the edge of Armidale, a new church is born.

    About 30 parishioners are crowded on the wooden deck, spilling back through the sliding doors and into a living room dominated by a black Kawai concert grand piano. They sit on patio furniture, white plastic lawn chairs and stools from the breakfast bar.

    Continue reading...", - "category": "Rural Australia", - "link": "https://www.theguardian.com/australia-news/2021/dec/05/a-new-church-why-a-uniting-reverend-is-preaching-to-anglicans-in-a-gay-couples-home", - "creator": "Tom Plevey", - "pubDate": "2021-12-04T19:00:36Z", + "title": "First US case of Omicron Covid variant identified in California", + "description": "
    • Scientists studying effects of new coronavirus variant
    • CDC moves towards stricter testing rules for travelers

    The first confirmed case of the Omicron variant of Covid-19 in the United States has been identified in California.

    The identification by the Centers for Disease Control and Prevention (CDC) comes as scientists continue to study the risks posed by the new variant of the virus.

    Continue reading...", + "content": "
    • Scientists studying effects of new coronavirus variant
    • CDC moves towards stricter testing rules for travelers

    The first confirmed case of the Omicron variant of Covid-19 in the United States has been identified in California.

    The identification by the Centers for Disease Control and Prevention (CDC) comes as scientists continue to study the risks posed by the new variant of the virus.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/01/omicron-variant-california-cdc-coronavirus-covid", + "creator": "Joanna Walters and agencies", + "pubDate": "2021-12-01T19:10:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127456,16 +153893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ed05b3d352d0fa8db63059156f8f39ad" + "hash": "abc3680b7dd0a3698a2175a69dfd5df0" }, { - "title": "Hundreds join vigil for stabbing victim Ava White, 12, in Liverpool", - "description": "

    Event took place near where Ava White was killed after a Christmas lights switch-on last month

    Hundreds of people have turned out to pay their respects to 12-year-old Ava White at a vigil held in her memory. She was fatally stabbed in Liverpool city centre on 25 November after a Christmas lights switch-on.

    On Saturday, family, friends and others gathered in Church Street, close to where the incident happened, to pay tribute to her. Hundreds of balloons, some in the shape of the letter A, were released at the start of the vigil. Many people wore hoodies with Ava’s face on and others had her name written on their faces.

    Continue reading...", - "content": "

    Event took place near where Ava White was killed after a Christmas lights switch-on last month

    Hundreds of people have turned out to pay their respects to 12-year-old Ava White at a vigil held in her memory. She was fatally stabbed in Liverpool city centre on 25 November after a Christmas lights switch-on.

    On Saturday, family, friends and others gathered in Church Street, close to where the incident happened, to pay tribute to her. Hundreds of balloons, some in the shape of the letter A, were released at the start of the vigil. Many people wore hoodies with Ava’s face on and others had her name written on their faces.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/04/hundreds-join-vigil-for-stabbing-victim-ava-white-12-in-liverpool", - "creator": "PA Media", - "pubDate": "2021-12-04T20:07:29Z", + "title": "Omicron variant found around world as more nations tighten travel rules", + "description": "

    US among more than 50 nations bringing in stricter border controls as variant is identified in 24 countries

    The Omicron variant of Covid-19 has been identified in new countries around the globe, including the US, west Africa, the Gulf and Asia, as American authorities indicated they would further tighten border controls over concerns that the new strain may be more transmissible.

    Underscoring the fast spread of the variant, the National Institute for Communicable Diseases in South Africa – where Omicron was first detected – said it had now been found in five out of nine provinces, and accounted for 74% of the virus genomes sequenced in November.

    Continue reading...", + "content": "

    US among more than 50 nations bringing in stricter border controls as variant is identified in 24 countries

    The Omicron variant of Covid-19 has been identified in new countries around the globe, including the US, west Africa, the Gulf and Asia, as American authorities indicated they would further tighten border controls over concerns that the new strain may be more transmissible.

    Underscoring the fast spread of the variant, the National Institute for Communicable Diseases in South Africa – where Omicron was first detected – said it had now been found in five out of nine provinces, and accounted for 74% of the virus genomes sequenced in November.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/dec/01/omicron-covid-variant-discovered-in-west-africa-and-the-gulf", + "creator": "Peter Beaumont", + "pubDate": "2021-12-01T19:02:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127476,16 +153913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b7f68df641232841ab6735d3dbc88365" + "hash": "c8de69f4fa3ecbaee6b46b2e8c43495d" }, { - "title": "Trump social media company claims to raise $1bn from investors", - "description": "
    • Trump Media & Technology Group launched in October
    • Investors not identified but partner claims ‘diverse group’

    Donald Trump’s new social media company and its special purpose acquisition company partner said on Saturday the partner had agreements for $1bn in capital from institutional investors.

    The former president launched Trump Media & Technology Group (TMTG) in October. He unveiled plans for a new messaging app called Truth Social, meant to rival Twitter and the other social media platforms that banned him following the deadly attack on the US Capitol on 6 January.

    Continue reading...", - "content": "
    • Trump Media & Technology Group launched in October
    • Investors not identified but partner claims ‘diverse group’

    Donald Trump’s new social media company and its special purpose acquisition company partner said on Saturday the partner had agreements for $1bn in capital from institutional investors.

    The former president launched Trump Media & Technology Group (TMTG) in October. He unveiled plans for a new messaging app called Truth Social, meant to rival Twitter and the other social media platforms that banned him following the deadly attack on the US Capitol on 6 January.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/04/trump-social-media-company-claims-to-raise-1bn-from-investors", - "creator": "Associated Press in New York", - "pubDate": "2021-12-04T19:56:24Z", + "title": "‘I was part of the Beatles’ act’: Mike McCartney’s best photograph", + "description": "

    ‘I call our kid “Rambo Paul” in this one, because he reminds me of Stallone. I have no idea why George is pointing at his nipple’

    I didn’t intend to pick up a camera. I’d been practising on drums that had fallen off the back of a lorry into our house on Forthlin Road, Liverpool. But when I was 13, I broke my arm at scout camp, so Pete Best got the job in our kid’s group. That’s when I started taking photos on the family box camera. It was fortuitous, though, because if I had become the Beatles’ drummer, we’d probably have gone the Oasis route.

    I would go everywhere with the Beatles. I was part of the act. It’s like if Rembrandt’s kid brother was in the corner with a pad and paper, sketching his older brother. I was lucky – you couldn’t have had a better group to practise on, could you?

    Continue reading...", + "content": "

    ‘I call our kid “Rambo Paul” in this one, because he reminds me of Stallone. I have no idea why George is pointing at his nipple’

    I didn’t intend to pick up a camera. I’d been practising on drums that had fallen off the back of a lorry into our house on Forthlin Road, Liverpool. But when I was 13, I broke my arm at scout camp, so Pete Best got the job in our kid’s group. That’s when I started taking photos on the family box camera. It was fortuitous, though, because if I had become the Beatles’ drummer, we’d probably have gone the Oasis route.

    I would go everywhere with the Beatles. I was part of the act. It’s like if Rembrandt’s kid brother was in the corner with a pad and paper, sketching his older brother. I was lucky – you couldn’t have had a better group to practise on, could you?

    Continue reading...", + "category": "Art and design", + "link": "https://www.theguardian.com/artanddesign/2021/dec/01/the-beatles-mike-paul-mccartney-best-photograph", + "creator": "Interview by Henry Yates", + "pubDate": "2021-12-01T15:00:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127496,16 +153933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f11c4ac5669fbc0e88dcce50388f4a64" + "hash": "34c608ae0a88aece360bb39117649095" }, { - "title": "Covid news: pre-departure tests return for all UK arrivals and Nigeria added to red list", - "description": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December as Nigeria is added to the travel red list

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "content": "

    Health secretary Sajid Javid confirms rules will come into force from 7 December as Nigeria is added to the travel red list

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", - "creator": "Nadeem Badshah (now), Sarah Marsh (earlier)", - "pubDate": "2021-12-04T19:06:59Z", + "title": "‘Long reigns often leave long shadows’: Europeans on Angela Merkel", + "description": "

    People across Europe share their views on German chancellor and role she has played in the EU

    After 16 years in office, Angela Merkel is stepping down on Thursday as chancellor of Germany. The former UK prime minister Tony Blair said she had “often defined modern Germany” and Romano Prodi, Italian prime minister between 2006 and 2008, said a new European strategy and the next-generation EU would be part of the “great legacy” she leaves.

    People across Europe share their views on her leadership in Germany and the role she has played in the European Union.

    Continue reading...", + "content": "

    People across Europe share their views on German chancellor and role she has played in the EU

    After 16 years in office, Angela Merkel is stepping down on Thursday as chancellor of Germany. The former UK prime minister Tony Blair said she had “often defined modern Germany” and Romano Prodi, Italian prime minister between 2006 and 2008, said a new European strategy and the next-generation EU would be part of the “great legacy” she leaves.

    People across Europe share their views on her leadership in Germany and the role she has played in the European Union.

    Continue reading...", + "category": "Angela Merkel", + "link": "https://www.theguardian.com/world/2021/dec/01/long-reigns-often-leave-long-shadows-europeans-on-angela-merkel", + "creator": "Guardian readers and Rachel Obordo", + "pubDate": "2021-12-01T13:40:42Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127516,16 +153953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "19a70f87676e645a195ca64d3c7d5020" + "hash": "b3321264e8356e0f67dfc0b1d6ec2871" }, { - "title": "‘I dread Christmas. My husband won’t get jabbed’: The families split over Covid vaccines as they plan holiday gatherings", - "description": "

    We talk to three people faced with moral crises over reconciling family festivities with the risks posed by coronavirus

    Christmas is meant to be a time filled with joy, but for many families it can underline divisions between parents, children or siblings and bring unresolved tensions to the surface. This year adds a particular issue to that dynamic – whether or not individual family members are vaccinated.

    Continue reading...", - "content": "

    We talk to three people faced with moral crises over reconciling family festivities with the risks posed by coronavirus

    Christmas is meant to be a time filled with joy, but for many families it can underline divisions between parents, children or siblings and bring unresolved tensions to the surface. This year adds a particular issue to that dynamic – whether or not individual family members are vaccinated.

    Continue reading...", - "category": "Vaccines and immunisation", - "link": "https://www.theguardian.com/society/2021/dec/04/i-dread-christmas-my-husband-wont-get-jabbed-the-families-split-over-covid-vaccines-as-they-plan-holiday-gatherings", - "creator": "Donna Ferguson", - "pubDate": "2021-12-04T14:25:27Z", + "title": "The urinary leash: how the death of public toilets traps and trammels us all", + "description": "

    Britain has lost an estimated 50% of its public toilets in the past 10 years. This is a problem for everyone, and for some it is so acute that they are either dehydrating before going out or not leaving home at all

    For about an hour and a half before she finishes work and gets the bus home, Jacqui won’t eat or drink anything. Once, while waiting at the bus stop, and suddenly needing the loo, she had to head to the other end of town; the public toilets nearby had closed. She didn’t make it in time. Jacqui, who has multiple sclerosis, which can affect bladder and bowel function, says: “I go everywhere with a spare pair of knickers and a packet of wipes, but it’s not something you want to do if you can help it.”

    Jacqui was diagnosed with MS five years ago, and in that time she has noticed a decline in the number of public toilets. Of the ones that are left, one only takes 20p coins, “and in this increasingly cashless society, you have to make sure you always go out with a 20p”. The other block of loos are “up two flights of stairs or the lift, so it’s not the most suitable access”. If she is out for the day, she will research where the loos are, and it has meant missing out on trips with friends, such as to an outdoor festival, where the loos just weren’t accessible enough. The MS Society has given her a card, which she shows in cafes requesting access to their loos when she’s not a customer, and every person she has flashed it to “has been wonderful”. But, she adds: “You use it as a last resort because you don’t really want to burst into a cafe in front of people and say: ‘Excuse me, I need to wee.’”

    Continue reading...", + "content": "

    Britain has lost an estimated 50% of its public toilets in the past 10 years. This is a problem for everyone, and for some it is so acute that they are either dehydrating before going out or not leaving home at all

    For about an hour and a half before she finishes work and gets the bus home, Jacqui won’t eat or drink anything. Once, while waiting at the bus stop, and suddenly needing the loo, she had to head to the other end of town; the public toilets nearby had closed. She didn’t make it in time. Jacqui, who has multiple sclerosis, which can affect bladder and bowel function, says: “I go everywhere with a spare pair of knickers and a packet of wipes, but it’s not something you want to do if you can help it.”

    Jacqui was diagnosed with MS five years ago, and in that time she has noticed a decline in the number of public toilets. Of the ones that are left, one only takes 20p coins, “and in this increasingly cashless society, you have to make sure you always go out with a 20p”. The other block of loos are “up two flights of stairs or the lift, so it’s not the most suitable access”. If she is out for the day, she will research where the loos are, and it has meant missing out on trips with friends, such as to an outdoor festival, where the loos just weren’t accessible enough. The MS Society has given her a card, which she shows in cafes requesting access to their loos when she’s not a customer, and every person she has flashed it to “has been wonderful”. But, she adds: “You use it as a last resort because you don’t really want to burst into a cafe in front of people and say: ‘Excuse me, I need to wee.’”

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/01/the-urinary-leash-how-the-death-of-public-toilets-traps-and-trammels-us-all", + "creator": "Emine Saner", + "pubDate": "2021-12-01T12:00:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127536,16 +153973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1742276e73e8dfd9b5662523639b2df9" + "hash": "3fe7fb0d312816f072cfbf0e6e101cc3" }, { - "title": "‘I don’t like mandates’: Germans and Austrians on new Covid measures", - "description": "

    People give their views on compulsory jabs and restrictions on those have not been vaccinated

    The German government has announced a lockdown for the unvaccinated and is considering making Covid vaccines mandatory, after weeks of record infections in the country and much of German-speaking Europe.

    In Austria, thousands of people have taken to the streets in recent weeks to protest against a string of measures: from February, the government will be introducing compulsory vaccines for all, with exemption for those unable to receive a jab on medical grounds.

    Continue reading...", - "content": "

    People give their views on compulsory jabs and restrictions on those have not been vaccinated

    The German government has announced a lockdown for the unvaccinated and is considering making Covid vaccines mandatory, after weeks of record infections in the country and much of German-speaking Europe.

    In Austria, thousands of people have taken to the streets in recent weeks to protest against a string of measures: from February, the government will be introducing compulsory vaccines for all, with exemption for those unable to receive a jab on medical grounds.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/04/germans-and-austrians-on-new-covid-measures-mandates-vaccination", - "creator": "Jedidajah Otte", - "pubDate": "2021-12-04T11:09:20Z", + "title": "The Hand of God review – Paolo Sorrentino tells his own Maradona story", + "description": "

    The Italian film-maker may owe his life to the footballer, as this vivid, autobiographical Neapolitan drama reveals

    Paolo Sorrentino’s extravagantly personal movie gives us all a sentimental education in this director’s boyhood and coming of age – or at any rate, what he now creatively remembers of it – in Naples in the 1980s, where everyone had gone collectively crazy for SSC Napoli’s new signing, footballing legend Diego Maradona. We watch as a family party explodes with joy around the TV when Maradona scores his handball goal in the 1986 World Cup. A leftwing uncle growls with pleasure at the imperialist English getting scammed.

    This is a tribute to Sorrentino’s late parents, who in 1987 died together of carbon monoxide poisoning at their holiday chalet outside the city, where 16-year-old Paolo might himself also have been staying had it not been that he wanted to see Napoli playing at home. So maybe Maradona saved his life, but it was a bittersweet rescue. The hand of God, after all, struck down his mum and dad and spared him. Newcomer Filippo Scotti plays 16-year-old Fabietto (that is, Sorrentino himself) at the centre of a garrulous swirl of family members. Toni Servillo plays his dad, Saverio, and Teresa Saponangelo gives a lovely performance as his mother, Maria, with a skittish love of making practical jokes.

    Continue reading...", + "content": "

    The Italian film-maker may owe his life to the footballer, as this vivid, autobiographical Neapolitan drama reveals

    Paolo Sorrentino’s extravagantly personal movie gives us all a sentimental education in this director’s boyhood and coming of age – or at any rate, what he now creatively remembers of it – in Naples in the 1980s, where everyone had gone collectively crazy for SSC Napoli’s new signing, footballing legend Diego Maradona. We watch as a family party explodes with joy around the TV when Maradona scores his handball goal in the 1986 World Cup. A leftwing uncle growls with pleasure at the imperialist English getting scammed.

    This is a tribute to Sorrentino’s late parents, who in 1987 died together of carbon monoxide poisoning at their holiday chalet outside the city, where 16-year-old Paolo might himself also have been staying had it not been that he wanted to see Napoli playing at home. So maybe Maradona saved his life, but it was a bittersweet rescue. The hand of God, after all, struck down his mum and dad and spared him. Newcomer Filippo Scotti plays 16-year-old Fabietto (that is, Sorrentino himself) at the centre of a garrulous swirl of family members. Toni Servillo plays his dad, Saverio, and Teresa Saponangelo gives a lovely performance as his mother, Maria, with a skittish love of making practical jokes.

    Continue reading...", + "category": "Drama films", + "link": "https://www.theguardian.com/film/2021/dec/01/the-hand-of-god-review-sorrentino-maradona-italian-film-maker-neapolitan-drama", + "creator": "Peter Bradshaw", + "pubDate": "2021-12-01T16:00:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127556,16 +153993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e214b8f48ab33322d432aa74804f29ba" + "hash": "1951fca90126aeb205220f881fcc8c7d" }, { - "title": "On my radar: Adjoa Andoh’s cultural highlights", - "description": "

    The actor on her hopes for Brixton’s new theatre, an offbeat western and the sophistication of African art

    Adjoa Andoh was born in Bristol in 1963 and grew up in Wickwar, Gloucestershire. A veteran stage actor, she starred in His Dark Materials at the National Theatre and in the title role of an all-women of colour production of Richard II at the Globe in 2019. On TV, Andoh plays Lady Danbury in Bridgerton, which returns next year, and she will appear in season two of The Witcher on Netflix from 17 December. She lives in south London with her husband, the novelist Howard Cunnell, and their three children.

    Continue reading...", - "content": "

    The actor on her hopes for Brixton’s new theatre, an offbeat western and the sophistication of African art

    Adjoa Andoh was born in Bristol in 1963 and grew up in Wickwar, Gloucestershire. A veteran stage actor, she starred in His Dark Materials at the National Theatre and in the title role of an all-women of colour production of Richard II at the Globe in 2019. On TV, Andoh plays Lady Danbury in Bridgerton, which returns next year, and she will appear in season two of The Witcher on Netflix from 17 December. She lives in south London with her husband, the novelist Howard Cunnell, and their three children.

    Continue reading...", - "category": "Culture", - "link": "https://www.theguardian.com/culture/2021/dec/04/on-my-radar-adjoa-andohs-cultural-highlights", - "creator": "Killian Fox", - "pubDate": "2021-12-04T15:00:28Z", + "title": "How the Cuomo brothers’ on-air comedy routines compromised CNN", + "description": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", + "content": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", + "category": "Andrew Cuomo", + "link": "https://www.theguardian.com/us-news/2021/dec/01/chris-cuomo-cnn-routine-brother-undermined-network", + "creator": "Danielle Tcholakian", + "pubDate": "2021-12-01T18:01:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127576,16 +154013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "509c76192308966e996f4a1bce7804eb" + "hash": "ec53630d7a82f9da6742dc88011a571d" }, { - "title": "Penelope Jackson appeals against murder verdict claiming media footage ‘impeded’ fair trial", - "description": "

    The release of filmed confession of Somerset woman jailed for killing husband prejudiced her hearing, says lawyer

    A woman jailed for at least 18 years after being found guilty of murdering her husband is to appeal against her conviction on the grounds that video and audio evidence released into the public domain midway through her trial impeded her right to a fair hearing.

    Penelope Jackson, 66, was found guilty of murder in October at Bristol crown court after a jury of eight women and four men delivered a 10-2 majority verdict.

    Continue reading...", - "content": "

    The release of filmed confession of Somerset woman jailed for killing husband prejudiced her hearing, says lawyer

    A woman jailed for at least 18 years after being found guilty of murdering her husband is to appeal against her conviction on the grounds that video and audio evidence released into the public domain midway through her trial impeded her right to a fair hearing.

    Penelope Jackson, 66, was found guilty of murder in October at Bristol crown court after a jury of eight women and four men delivered a 10-2 majority verdict.

    Continue reading...", - "category": "Crime", - "link": "https://www.theguardian.com/uk-news/2021/dec/04/penelope-jackson-appeals-against-verdict-claiming-media-footage-impeded-fair-trial", - "creator": "Hannah Summers", - "pubDate": "2021-12-04T17:00:30Z", + "title": "Edie Falco: ‘Alcohol was the answer to all my problems - and the cause of them’", + "description": "

    One of TV’s most admired actors, she is now playing Hillary Clinton on screen. She discusses overcoming addiction, her adoration for Sopranos co-star James Gandolfini and the pure joy of adopting two children

    Edie Falco has never been the type of actor to demand entourages and encores. Fanfares and fuss are just not her bag, and she has little time for pretentious thespiness. When other actors talk about their “Process,” as she puts it – with a capital P – she thinks, “What are you talking about?!” With her open, thoughtful face and wide smile, she looks as if she could be your friend from the local coffee shop, as opposed to one of the most accoladed American actors of this century, having accumulated two Golden Globes, four Emmys and five Screen Actors Guild awards, plus a jaw-dropping 47 nominations. This impression of straightforwardness and – oh dreaded word – relatability has made her subtle performances of self-deceiving characters even more powerful. As the mob wife, Carmela, in The Sopranos, she could tell Tony (James Gandolfini) what she thought of him staying out all night with his “goomahs”, or mistresses, but she couldn’t admit to herself that he does much worse to fund the life she loves. Similarly, as Nurse Jackie, in the eponymous TV series, her scrubbed clean face and sensible short hair belied her character’s drug addiction.

    So it feels extremely right that, when we connect by video chat, Falco, 58, is sitting – not in a fancy hotel room, or a Hollywood mansion, but in the endearingly messy basement of her New York house, where she lives with her son, 16, and daughter, 13. Power tools hang off the wall behind her, and she is leaning on a table strewn with what she describes as “God knows, some stuff”.

    Continue reading...", + "content": "

    One of TV’s most admired actors, she is now playing Hillary Clinton on screen. She discusses overcoming addiction, her adoration for Sopranos co-star James Gandolfini and the pure joy of adopting two children

    Edie Falco has never been the type of actor to demand entourages and encores. Fanfares and fuss are just not her bag, and she has little time for pretentious thespiness. When other actors talk about their “Process,” as she puts it – with a capital P – she thinks, “What are you talking about?!” With her open, thoughtful face and wide smile, she looks as if she could be your friend from the local coffee shop, as opposed to one of the most accoladed American actors of this century, having accumulated two Golden Globes, four Emmys and five Screen Actors Guild awards, plus a jaw-dropping 47 nominations. This impression of straightforwardness and – oh dreaded word – relatability has made her subtle performances of self-deceiving characters even more powerful. As the mob wife, Carmela, in The Sopranos, she could tell Tony (James Gandolfini) what she thought of him staying out all night with his “goomahs”, or mistresses, but she couldn’t admit to herself that he does much worse to fund the life she loves. Similarly, as Nurse Jackie, in the eponymous TV series, her scrubbed clean face and sensible short hair belied her character’s drug addiction.

    So it feels extremely right that, when we connect by video chat, Falco, 58, is sitting – not in a fancy hotel room, or a Hollywood mansion, but in the endearingly messy basement of her New York house, where she lives with her son, 16, and daughter, 13. Power tools hang off the wall behind her, and she is leaning on a table strewn with what she describes as “God knows, some stuff”.

    Continue reading...", + "category": "Edie Falco", + "link": "https://www.theguardian.com/tv-and-radio/2021/dec/01/edie-falco-interview-tv-actor-alcohol-hillary-clinton-sopranos", + "creator": "Hadley Freeman", + "pubDate": "2021-12-01T06:00:53Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127596,16 +154033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "709fe318427ae47e5a72c75584f8bab0" + "hash": "c0de7e5838872b14c712a26121f16b04" }, { - "title": "The English teacher and the Nazis: trove of letters in Melbourne reveals network that saved Jews", - "description": "

    Frances and Jan Newell painstakingly uncovered their mother’s role in facilitating the escape of Jews and political dissidents from Berlin to Britain

    For decades, more than 100 mouse-nibbled fruit boxes, tea chests and old leather suitcases sat untouched in a 3-metre pile in the backyard shed of Frances Newell’s home in suburban Melbourne.

    They were stuffed with thousands of letters – some in German, others in English – that she had kept when her father moved out of their family home in Castlemaine in the 1990s.

    Continue reading...", - "content": "

    Frances and Jan Newell painstakingly uncovered their mother’s role in facilitating the escape of Jews and political dissidents from Berlin to Britain

    For decades, more than 100 mouse-nibbled fruit boxes, tea chests and old leather suitcases sat untouched in a 3-metre pile in the backyard shed of Frances Newell’s home in suburban Melbourne.

    They were stuffed with thousands of letters – some in German, others in English – that she had kept when her father moved out of their family home in Castlemaine in the 1990s.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/dec/05/the-english-teacher-and-the-nazis-trove-of-letters-in-melbourne-reveals-network-that-saved-jews", - "creator": "Elias Visontay", - "pubDate": "2021-12-04T19:00:34Z", + "title": "Britain’s worst Christmas trees: is anything secretly more festive and fun than a disappointing fir?", + "description": "

    There have been no end of complaints about some of the trees being put up –from a metal one in Cardiff to a puny one in Grimsby

    Name: Disappointing Christmas trees.

    Height: As much as 25m.

    Continue reading...", + "content": "

    There have been no end of complaints about some of the trees being put up –from a metal one in Cardiff to a puny one in Grimsby

    Name: Disappointing Christmas trees.

    Height: As much as 25m.

    Continue reading...", + "category": "Christmas", + "link": "https://www.theguardian.com/lifeandstyle/2021/dec/01/britains-worst-christmas-trees-is-anything-secretly-more-festive-and-fun-than-a-disappointing-fir", + "creator": "", + "pubDate": "2021-12-01T18:56:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127616,16 +154053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "59ec57ad96394e365e2beeabeaf98bf3" + "hash": "69ef8a20018215d539c0a1a4613dca1a" }, { - "title": "Emmanuel Macron’s dangerous shift on the New Caledonia referendum risks a return to violence | Rowena Dickins Morrison, Adrian Muckle and Benoît Trépied", - "description": "

    With the growing possibility of a pro-independence victory, France is derailing decolonisation in a bid to shore up its position in the Indo-Pacific

    The French government’s decision to hold New Caledonia’s self-determination referendum on 12 December, despite the resolve of pro-independence parties not to participate, is a reckless political gambit with potentially dire consequences.

    The referendum will be the third and final consultation held under the 1998 Noumea accord – successor to the Matignon accords which ended instability and violence between the Kanak independence movement and local “loyalists” and the French state in 1988. By organising this month’s referendum without the participation of the Indigenous Kanak people, who overwhelmingly support independence, France is undermining the innovative and peaceful decolonisation process of the last 30 years, founded on French state neutrality and seeking consensus between opposing local political parties.

    Continue reading...", - "content": "

    With the growing possibility of a pro-independence victory, France is derailing decolonisation in a bid to shore up its position in the Indo-Pacific

    The French government’s decision to hold New Caledonia’s self-determination referendum on 12 December, despite the resolve of pro-independence parties not to participate, is a reckless political gambit with potentially dire consequences.

    The referendum will be the third and final consultation held under the 1998 Noumea accord – successor to the Matignon accords which ended instability and violence between the Kanak independence movement and local “loyalists” and the French state in 1988. By organising this month’s referendum without the participation of the Indigenous Kanak people, who overwhelmingly support independence, France is undermining the innovative and peaceful decolonisation process of the last 30 years, founded on French state neutrality and seeking consensus between opposing local political parties.

    Continue reading...", - "category": "New Caledonia", - "link": "https://www.theguardian.com/world/commentisfree/2021/dec/02/emmanuel-macrons-dangerous-shift-on-the-new-caledonia-referendum-risks-a-return-to-violence", - "creator": "Rowena Dickins Morrison, Adrian Muckle and Benoît Trépied", - "pubDate": "2021-12-02T02:22:54Z", + "title": "The push to end a genetic lottery for thousands of Australian families", + "description": "

    A bill before federal parliament would legalise IVF technology to prevent a rare genetic disorder – mitochondrial disease. In Australia, about one child a week is born with a severe form of mitochondrial disease, and many of those children will die before they turn five. While this bill has cross-party support, some MPs are opposed to it and it has also stoked controversy with religious groups.

    Laura Murphy-Oates speaks to reporter Rafqa Touma about her family’s experience with mitochondrial disease and the push to legalise mitochondrial donation

    You can also read:

    Continue reading...", + "content": "

    A bill before federal parliament would legalise IVF technology to prevent a rare genetic disorder – mitochondrial disease. In Australia, about one child a week is born with a severe form of mitochondrial disease, and many of those children will die before they turn five. While this bill has cross-party support, some MPs are opposed to it and it has also stoked controversy with religious groups.

    Laura Murphy-Oates speaks to reporter Rafqa Touma about her family’s experience with mitochondrial disease and the push to legalise mitochondrial donation

    You can also read:

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/audio/2021/dec/02/the-push-to-end-a-genetic-lottery-for-thousands-of-australian-families", + "creator": "Reported by Rafqa Touma and presented by Laura Murphy-Oates; produced by Karishma Luthria, Ellen Leabeater and Joe Koning; sound design by Joe Koning and mixing by Daniel Semo; the executive producers are Gabrielle Jackson, Melanie Tait and Laura Murphy-Oates", + "pubDate": "2021-12-01T16:30:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127636,16 +154073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aea191ee2486abd6d14dbb651c21d9f3" + "hash": "466f9562c17c90e463d6645c086c0067" }, { - "title": "Pécresse chosen as French centre-right’s first female candidate for presidency", - "description": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", - "content": "

    Former minister is surprise winner of Les Républicains’ nomination, beating high-profile names such as Michel Barnier

    France’s rightwing opposition party has chosen a female candidate for next year’s presidential election for the first time in its history.

    Valérie Pécresse emerged victorious after two rounds of voting by members of Les Républicains that unexpectedly saw favourites including “Monsieur Brexit” Michel Barnier knocked out in the first vote last week.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/04/pecresse-chosen-as-french-centre-rights-first-female-candidate-for-presidency", - "creator": "Kim Willsher in Paris", - "pubDate": "2021-12-04T17:16:10Z", + "title": "Mother jailed for harming baby hits out at ‘unjust’ appeal ruling", + "description": "

    Lawyers and campaigners fear decision not to grant appeal against conviction risks silencing other victims of domestic abuse

    A mother jailed for harming her baby has accused the courts of “injustice” after judges accepted she was a victim of abuse but ruled against an application for an appeal against her conviction made on the grounds that her violent ex-partner coerced her to lie at her trial.

    The woman, known as “Jenny”, was convicted in 2017 of causing or allowing serious harm after her child sustained skull fractures and bleeding on the brain. The baby’s father was her co-defendant but was acquitted on a lesser charge.

    Continue reading...", + "content": "

    Lawyers and campaigners fear decision not to grant appeal against conviction risks silencing other victims of domestic abuse

    A mother jailed for harming her baby has accused the courts of “injustice” after judges accepted she was a victim of abuse but ruled against an application for an appeal against her conviction made on the grounds that her violent ex-partner coerced her to lie at her trial.

    The woman, known as “Jenny”, was convicted in 2017 of causing or allowing serious harm after her child sustained skull fractures and bleeding on the brain. The baby’s father was her co-defendant but was acquitted on a lesser charge.

    Continue reading...", + "category": "Domestic violence", + "link": "https://www.theguardian.com/global-development/2021/dec/01/mother-jailed-for-harming-baby-hits-out-at-unjust-appeal-ruling", + "creator": "Hannah Summers", + "pubDate": "2021-12-01T06:00:55Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127656,16 +154093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "af96b395ad5425f2e8aaff63df087907" + "hash": "c1956f3037fa810431b57bfcef4f6db9" }, { - "title": "Can you say Squid Game in Korean? TV show fuels demand for east Asian language learning", - "description": "

    Japanese and Korean are in top five choices in UK this year at online platform Duolingo

    Whether it’s down to Squid Game or kawaii culture, fascination with Korea and Japan is fuelling a boom in learning east Asian languages. Japanese is the fastest growing language to be learned in the UK this year on the online platform Duolingo, and Korean is the fourth fastest.

    Most of the interest is driven by cultural issues, the firm said in its 2021 Duolingo language report, which will be published tomorrow and analyses how the 20 million downloads of its platform are used.

    Continue reading...", - "content": "

    Japanese and Korean are in top five choices in UK this year at online platform Duolingo

    Whether it’s down to Squid Game or kawaii culture, fascination with Korea and Japan is fuelling a boom in learning east Asian languages. Japanese is the fastest growing language to be learned in the UK this year on the online platform Duolingo, and Korean is the fourth fastest.

    Most of the interest is driven by cultural issues, the firm said in its 2021 Duolingo language report, which will be published tomorrow and analyses how the 20 million downloads of its platform are used.

    Continue reading...", - "category": "Languages", - "link": "https://www.theguardian.com/education/2021/dec/04/can-you-say-squid-game-in-korean-tv-show-fuels-demand-for-east-asian-language-learning", - "creator": "James Tapper", - "pubDate": "2021-12-04T15:00:28Z", + "title": "Average of two girls aged 10 to 14 give birth daily in Paraguay, Amnesty finds", + "description": "

    Longstanding plague of child abuse and extreme abortion laws fuel crisis, report says

    An average of two girls between 10 and 14 give birth every day in Paraguay, thanks to a toxic combination of widespread child abuse and draconian abortion laws, according to a new Amnesty International report.

    Paraguay has one of the highest rates of child and teen pregnancy in Latin America, a region that, as a whole, has the second-highest rates in the world.

    Continue reading...", + "content": "

    Longstanding plague of child abuse and extreme abortion laws fuel crisis, report says

    An average of two girls between 10 and 14 give birth every day in Paraguay, thanks to a toxic combination of widespread child abuse and draconian abortion laws, according to a new Amnesty International report.

    Paraguay has one of the highest rates of child and teen pregnancy in Latin America, a region that, as a whole, has the second-highest rates in the world.

    Continue reading...", + "category": "Paraguay", + "link": "https://www.theguardian.com/global-development/2021/nov/30/paraguay-child-teen-pregnancies", + "creator": "William Costa in Asunción", + "pubDate": "2021-12-01T05:30:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127676,16 +154113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c4a0feefa1037ae477cf5666b00e8e83" + "hash": "a7ee179912faf31731c7fba3b0c3847b" }, { - "title": "Covid news: Rio’s famous NYE party cancelled, Omicron detected in 38 countries", - "description": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "content": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", - "creator": "Nadeem Badshah (now), Sarah Marsh (earlier)", - "pubDate": "2021-12-04T17:04:33Z", + "title": "The rising cost of the climate crisis in flooded South Sudan – in pictures", + "description": "

    Families facing severe hunger are wading through crocodile-infested waters in search of water lilies to eat. Susan Martinez and photographer Peter Caton return with Action Against Hunger to find that the dire situation they reported on in March has only worsened

    Desperate families in flood-ravaged villages in South Sudan are spending hours searching for water lilies to eat after another summer of intense rainfall worsened an already dire situation.

    People have no food and no land to cultivate after three years of floods. Fields are submerged in last year’s flood water and higher ground is overcrowded with hungry people, in what is quickly becoming a humanitarian crisis.

    Nyanyang Tong, 39, on her way to the Action Against Hunger centre with her one-year-old son, Mamuch Gatkuoth, in Paguir

    Continue reading...", + "content": "

    Families facing severe hunger are wading through crocodile-infested waters in search of water lilies to eat. Susan Martinez and photographer Peter Caton return with Action Against Hunger to find that the dire situation they reported on in March has only worsened

    Desperate families in flood-ravaged villages in South Sudan are spending hours searching for water lilies to eat after another summer of intense rainfall worsened an already dire situation.

    People have no food and no land to cultivate after three years of floods. Fields are submerged in last year’s flood water and higher ground is overcrowded with hungry people, in what is quickly becoming a humanitarian crisis.

    Nyanyang Tong, 39, on her way to the Action Against Hunger centre with her one-year-old son, Mamuch Gatkuoth, in Paguir

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/30/the-rising-cost-of-the-climate-crisis-in-flooded-south-sudan-in-pictures", + "creator": "Susan Martinez, photography by Peter Caton", + "pubDate": "2021-11-30T07:01:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127696,16 +154133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d7d7ae4161ee2ecda0e6613f47831f5" + "hash": "921097a9bac43e65c8917b52965a030a" }, { - "title": "I was told the 12 steps would cure my addiction. Why did I end up feeling more broken?", - "description": "

    In this quasi-religious programme, ‘working the steps’ is the remedy for any problem, but for me the cracks soon started to show

    Eight of us sat together in a circle in a wooden shed, an outbuilding at a large country house, somewhere in the south of England. The door was ajar, and spring light flooded the room. “Can anyone name any treatment methods for addiction, other than the 12 steps?” asked a counsellor.

    Cognitive behavioural therapy?” offered a patient.

    Continue reading...", - "content": "

    In this quasi-religious programme, ‘working the steps’ is the remedy for any problem, but for me the cracks soon started to show

    Eight of us sat together in a circle in a wooden shed, an outbuilding at a large country house, somewhere in the south of England. The door was ajar, and spring light flooded the room. “Can anyone name any treatment methods for addiction, other than the 12 steps?” asked a counsellor.

    Cognitive behavioural therapy?” offered a patient.

    Continue reading...", - "category": "Mental health", - "link": "https://www.theguardian.com/society/2021/dec/04/12-steps-addiction-cure-quasi-religious", - "creator": "Oscar Quine", - "pubDate": "2021-12-04T12:00:26Z", + "title": "Testing, vaccines, sequencing: experts call for multi-pronged approach to Omicron", + "description": "

    ‘Best hope’ for containing the new variant is worldwide vaccine campaign where rates are low, public health experts say

    As new cases of the Omicron coronavirus variant are uncovered across the globe and threaten to spread in America, US officials are reacting by urging vaccinations and boosters instead of imposing restrictions which have increasingly provoked political fights.

    But the US should quickly invest in other tools as well, experts said, including testing, genomic sequencing and surveillance, better communication, and a strong focus on global vaccine equity to prevent the emergence of new variants.

    Continue reading...", + "content": "

    ‘Best hope’ for containing the new variant is worldwide vaccine campaign where rates are low, public health experts say

    As new cases of the Omicron coronavirus variant are uncovered across the globe and threaten to spread in America, US officials are reacting by urging vaccinations and boosters instead of imposing restrictions which have increasingly provoked political fights.

    But the US should quickly invest in other tools as well, experts said, including testing, genomic sequencing and surveillance, better communication, and a strong focus on global vaccine equity to prevent the emergence of new variants.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/30/testing-vaccines-sequencing-omricon-experts", + "creator": "Melody Schreiber", + "pubDate": "2021-11-30T10:00:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127716,16 +154153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ae5a5676ffc3612ad6d2d8b14e89081e" + "hash": "97ed4a752d85741dd1003731f388e22e" }, { - "title": "Abuse, intimidation, death threats: the vicious backlash facing former vegans", - "description": "

    Going vegan has never been more popular – but some people who try it and then decide to reintroduce animal products face shocking treatment

    In 2015, Freya Robinson decided to go vegan. For more than a year, the 28-year-old from East Sussex did not consume a single animal product. Then, in 2016, on a family holiday in Bulgaria, she passed a steak restaurant and something inside her switched. “I walked in and ordered the biggest steak I could have and completely inhaled it,” she says. After finishing it, she ordered another.

    For the previous year, Robinson had been suffering from various health problems – low energy levels, brain fog, painful periods and dull skin – which she now believes were the result of her diet. She says her decline was gradual and almost went unnoticed. “Because it’s not an instant depletion, you don’t suddenly feel bad the next day, it’s months down the line. It’s very, very slow.” In just over a year, the balanced plant-based food she cooked daily from scratch, using organic vegetables from the farm she works on, and legumes and nuts vital for protein, had, she felt, taken a toll on her body.

    Continue reading...", - "content": "

    Going vegan has never been more popular – but some people who try it and then decide to reintroduce animal products face shocking treatment

    In 2015, Freya Robinson decided to go vegan. For more than a year, the 28-year-old from East Sussex did not consume a single animal product. Then, in 2016, on a family holiday in Bulgaria, she passed a steak restaurant and something inside her switched. “I walked in and ordered the biggest steak I could have and completely inhaled it,” she says. After finishing it, she ordered another.

    For the previous year, Robinson had been suffering from various health problems – low energy levels, brain fog, painful periods and dull skin – which she now believes were the result of her diet. She says her decline was gradual and almost went unnoticed. “Because it’s not an instant depletion, you don’t suddenly feel bad the next day, it’s months down the line. It’s very, very slow.” In just over a year, the balanced plant-based food she cooked daily from scratch, using organic vegetables from the farm she works on, and legumes and nuts vital for protein, had, she felt, taken a toll on her body.

    Continue reading...", - "category": "Veganism", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/abuse-intimidation-death-threats-the-vicious-backlash-facing-fomer-vegans", - "creator": "Ellie Abraham", - "pubDate": "2021-12-04T10:00:22Z", + "title": "Despite reports of milder symptoms Omicron should not be underestimated", + "description": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", + "content": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/30/despite-reports-of-milder-symptoms-omicron-should-not-be-understimated", + "creator": "Linda Geddes Science correspondent and Nick Dall in Cape Town", + "pubDate": "2021-11-30T05:00:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127736,16 +154173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0b26ef4ad80acd74eef4652b4a2a9985" + "hash": "217dd2632ffb2b4c685ea9a7e856c4bb" }, { - "title": "Omicron cases climb amid Sydney cluster; Qld to quarantine Adelaide travellers – as it happened", - "description": "

    South Australia announces rule changes for interstate arrivals as ACT records first case of variant. This blog is now closed

    Just noting we are still waiting on the SA press conference to begin.

    There’s a press conference with the South Australian premier, Steven Marshall, and CHO Nicola Spurrier at 9.45am SA time (so roughly half an hour from now).

    Continue reading...", - "content": "

    South Australia announces rule changes for interstate arrivals as ACT records first case of variant. This blog is now closed

    Just noting we are still waiting on the SA press conference to begin.

    There’s a press conference with the South Australian premier, Steven Marshall, and CHO Nicola Spurrier at 9.45am SA time (so roughly half an hour from now).

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/04/australia-live-news-updates-omicron-covid-cases-climb-as-western-sydney-school-cluster-worsens", - "creator": "Tory Shepherd and Josh Taylor (earlier)", - "pubDate": "2021-12-04T06:47:18Z", + "title": "What does appearance of Omicron variant mean for the double-vaccinated?", + "description": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", + "content": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/28/what-does-appearance-of-omicron-mean-for-the-double-jabbed", + "creator": "Linda Geddes", + "pubDate": "2021-11-29T01:12:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127756,16 +154193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bff37e3e4f6720c743ee410d03b7ef08" + "hash": "816c6e2c95ece939fdecf057137eeedf" }, { - "title": "'Matter of time': Fauci confirms first US case of Omicron – video", - "description": "

    The first confirmed case of the Omicron variant of Covid-19 in the US has been identified in California. In a White House news briefing, Anthony Fauci, the director of the national institute of allergies and infectious diseases and chief medical adviser to the US president, said the case was in an individual who had travelled from South Africa on 22 November and tested positive for Covid on 29 November. 'We knew it was just a matter of time,' he said

    Continue reading...", - "content": "

    The first confirmed case of the Omicron variant of Covid-19 in the US has been identified in California. In a White House news briefing, Anthony Fauci, the director of the national institute of allergies and infectious diseases and chief medical adviser to the US president, said the case was in an individual who had travelled from South Africa on 22 November and tested positive for Covid on 29 November. 'We knew it was just a matter of time,' he said

    Continue reading...", + "title": "Boris Johnson says people shouldn't cancel Christmas parties over Omicron – video", + "description": "

    The prime minister has said the government does not want people to cancel events such as Christmas parties and nativity plays because of the Omicron coronavirus variant. Speaking at a Downing Street press briefing, he also said all adults would be offered vaccine booster shots by the end of January

    Continue reading...", + "content": "

    The prime minister has said the government does not want people to cancel events such as Christmas parties and nativity plays because of the Omicron coronavirus variant. Speaking at a Downing Street press briefing, he also said all adults would be offered vaccine booster shots by the end of January

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/dec/01/matter-of-time-fauci-confirms-first-us-case-of-omicron-video", + "link": "https://www.theguardian.com/world/video/2021/nov/30/boris-johnson-says-people-shouldnt-cancel-christmas-parties-over-omicron-video", "creator": "", - "pubDate": "2021-12-01T19:50:21Z", + "pubDate": "2021-11-30T17:44:42Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127776,16 +154213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e3d1e8718c235f355e961b36c2fc8bd" + "hash": "2906592c19bd1a21cc72262362036d92" }, { - "title": "Time to think about mandatory Covid vaccination, says EU chief – video", - "description": "

    The EU must consider mandatory vaccination in response to the spread of the 'highly contagious' Omicron Covid variant across Europe, the European Commission president has said. Ursula von der Leyen said one-third of Europe's 150-million population were not vaccinated and it was 'appropriate' to discuss the issue

    Continue reading...", - "content": "

    The EU must consider mandatory vaccination in response to the spread of the 'highly contagious' Omicron Covid variant across Europe, the European Commission president has said. Ursula von der Leyen said one-third of Europe's 150-million population were not vaccinated and it was 'appropriate' to discuss the issue

    Continue reading...", + "title": "Why Omicron is the most worrying Covid variant yet – video explainer", + "description": "

    The discovery of a new and potentially vaccine-resistant Covid variant has concerned governments and unnerved markets around the world. Omicron has prompted the return of border closures and mandatory testing and mask wearing as countries attempt to slow its spread.

    The number of mutations on its spike protein - the part of the virus vaccines use to prime the immune system - has concerned scientists, but it will take weeks to determine the extent of the threat Omicron poses. The Guardian's science correspondent Linda Geddes explains

    Continue reading...", + "content": "

    The discovery of a new and potentially vaccine-resistant Covid variant has concerned governments and unnerved markets around the world. Omicron has prompted the return of border closures and mandatory testing and mask wearing as countries attempt to slow its spread.

    The number of mutations on its spike protein - the part of the virus vaccines use to prime the immune system - has concerned scientists, but it will take weeks to determine the extent of the threat Omicron poses. The Guardian's science correspondent Linda Geddes explains

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/dec/01/time-to-think-about-mandatory-covid-vaccination-says-eu-chief-video", - "creator": "", - "pubDate": "2021-12-01T18:59:52Z", + "link": "https://www.theguardian.com/world/video/2021/nov/30/why-omicron-is-the-most-worrying-covid-variant-yet-video-explainer", + "creator": "Linda Geddes, Jamie Macwhirter, Meital Miselevich and Nikhita Chulani", + "pubDate": "2021-11-30T15:32:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127796,16 +154233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5585265823459cadd6658e8c497c5d09" + "hash": "827243b98e5855906625ccb1a136870d" }, { - "title": "Mali: militants fire on bus, killing at least 31 people", - "description": "

    Insurgents shoot villagers going to a market on the same day UN peacekeeping convoy attacked, killing one person

    Militants have killed at least 31 people in central Mali when they fired upon a bus ferrying people to a local market and attacked a UN convoy in the north of the country in a region racked by a violent insurgency.

    The bus was attacked on Friday by unidentified gunmen as it travelled its twice-weekly route from the village of Songho to a market in Bandiagara six miles (10km) away, said Moulaye Guindo, the mayor of the nearby town of Bankass.

    Continue reading...", - "content": "

    Insurgents shoot villagers going to a market on the same day UN peacekeeping convoy attacked, killing one person

    Militants have killed at least 31 people in central Mali when they fired upon a bus ferrying people to a local market and attacked a UN convoy in the north of the country in a region racked by a violent insurgency.

    The bus was attacked on Friday by unidentified gunmen as it travelled its twice-weekly route from the village of Songho to a market in Bandiagara six miles (10km) away, said Moulaye Guindo, the mayor of the nearby town of Bankass.

    Continue reading...", - "category": "Mali", - "link": "https://www.theguardian.com/world/2021/dec/04/mali-militants-fire-on-bus-killing-at-least-31-people", - "creator": "Staff and agencies", - "pubDate": "2021-12-04T06:58:45Z", + "title": "Barbados leaves colonial history behind and becomes a republic – video report", + "description": "

    President Sandra Mason was sworn in as the new head of state in the Barbados capital Bridgetown. The celebrations were attended by Prince Charles, who acknowledged the 'appalling atrocity of slavery, which forever stains our history'. Singer and entrepreneur Rihanna was designated a National Hero of Barbados. 

    Continue reading...", + "content": "

    President Sandra Mason was sworn in as the new head of state in the Barbados capital Bridgetown. The celebrations were attended by Prince Charles, who acknowledged the 'appalling atrocity of slavery, which forever stains our history'. Singer and entrepreneur Rihanna was designated a National Hero of Barbados. 

    Continue reading...", + "category": "Barbados", + "link": "https://www.theguardian.com/world/video/2021/nov/30/barbados-leaves-colonial-history-behind-and-becomes-a-republic-video-report", + "creator": "", + "pubDate": "2021-11-30T11:51:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127816,16 +154253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9adddcf902769ff84b4f374c2e043c94" + "hash": "93d55c8ea4b6987ecde7b6021ead0405" }, { - "title": "This was a bridge too far, even for Boris Johnson | Rowan Moore", - "description": "

    His proposed link from Scotland to Northern Ireland has finally been sunk by cost. No surprise there

    An architect who was invited to design a kitchen extension for a married couple spent an evening with them to discuss their (conflicting) needs and aspirations for the work. At the end, he gave them this valuable advice. “You don’t need a kitchen,” he said, “you need a divorce.”

    This story brings us to the announcement that Boris Johnson’s idea of building a bridge between Northern Ireland and Scotland would be, at £335bn, absurdly expensive. Such was widely suspected as soon as the plan became public given, among other things, that it would have to cross the 300m-deep Beaufort’s Dyke, which is filled with up to a million tonnes of dumped munitions. But it has required a government feasibility study by a team of “world-renowned technical advisers” to conclude that bears do, after all, shit in the woods.

    Continue reading...", - "content": "

    His proposed link from Scotland to Northern Ireland has finally been sunk by cost. No surprise there

    An architect who was invited to design a kitchen extension for a married couple spent an evening with them to discuss their (conflicting) needs and aspirations for the work. At the end, he gave them this valuable advice. “You don’t need a kitchen,” he said, “you need a divorce.”

    This story brings us to the announcement that Boris Johnson’s idea of building a bridge between Northern Ireland and Scotland would be, at £335bn, absurdly expensive. Such was widely suspected as soon as the plan became public given, among other things, that it would have to cross the 300m-deep Beaufort’s Dyke, which is filled with up to a million tonnes of dumped munitions. But it has required a government feasibility study by a team of “world-renowned technical advisers” to conclude that bears do, after all, shit in the woods.

    Continue reading...", - "category": "Architecture", - "link": "https://www.theguardian.com/commentisfree/2021/dec/04/this-was-a-bridge-too-far-even-for-boris-johnson", - "creator": "Rowan Moore", - "pubDate": "2021-12-04T17:00:31Z", + "title": "Barbados declares Rihanna a national hero during republic ceremony – video", + "description": "

    Barbados has declared singer Rihanna a national hero during its republican celebrations in Bridgetown. The country's prime minister, Mia Mottley, said, ‘On behalf of a grateful nation, but an even prouder people, we therefore present to you, the designee, for national hero of Barbados, ambassador Robyn Rihanna Fenty may you continue to shine like a diamond.' Rihanna accepted the honour to cheers from the crowd. The ceremony was part of celebrations as Barbados became the world’s newest republic.

    Continue reading...", + "content": "

    Barbados has declared singer Rihanna a national hero during its republican celebrations in Bridgetown. The country's prime minister, Mia Mottley, said, ‘On behalf of a grateful nation, but an even prouder people, we therefore present to you, the designee, for national hero of Barbados, ambassador Robyn Rihanna Fenty may you continue to shine like a diamond.' Rihanna accepted the honour to cheers from the crowd. The ceremony was part of celebrations as Barbados became the world’s newest republic.

    Continue reading...", + "category": "Barbados", + "link": "https://www.theguardian.com/world/video/2021/nov/30/barbados-declares-rihanna-a-national-hero-during-republic-ceremony-video", + "creator": "", + "pubDate": "2021-11-30T06:13:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127836,16 +154273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "726e280ea21558452cf6932aea24fe79" + "hash": "41b790671245169027342f537b57aa89" }, { - "title": "Joe Biden pledges to make any Russian invasion of Ukraine ‘very, very difficult’", - "description": "

    Washington and Kyiv say Moscow has massed troops near border ahead of planned US-Russia video summit

    Joe Biden he said he would make it “very, very difficult” for Russia to launch any invasion of Ukraine, which warned that a large-scale attack could be planned for next month.

    Washington and Kyiv say Moscow has massed troops near Ukraine’s borders and accuse Russia of planning an invasion.

    Continue reading...", - "content": "

    Washington and Kyiv say Moscow has massed troops near border ahead of planned US-Russia video summit

    Joe Biden he said he would make it “very, very difficult” for Russia to launch any invasion of Ukraine, which warned that a large-scale attack could be planned for next month.

    Washington and Kyiv say Moscow has massed troops near Ukraine’s borders and accuse Russia of planning an invasion.

    Continue reading...", - "category": "Ukraine", - "link": "https://www.theguardian.com/world/2021/dec/03/joe-biden-russia-ukraine-invasion-very-difficult", - "creator": "AFP in Washington", - "pubDate": "2021-12-03T18:03:49Z", + "title": "Covid live: boosters may protect against Omicron, says Israel’s health minister, as US checks vaccine effectiveness", + "description": "

    Nitzan Horowitz says ‘already room for optimism’ that vaccines will cover new variant; US Food & Drug Administration checking if tweaks needed

    Stock markets in Asia have bounced back again as investors’ concerns about the new Omicron Covid variant eased. In Australia the ASX200 was up more than 1%, while in Japan the Nikkei was up 0.75%.

    It followed a stronger showing on Monday on Wall Street, where the Dow Jones industrial average closed up 0.6% and the broader S&P500 was up 1.2% after some hefty losses on Friday, when news of the new strain shook confidence.

    There are so many unknowns about Omicron and the market has been jumping at shadows.

    After such a strong run and with elevated valuations, the market will always be susceptible to the odd shakeout on news that could bring risk.

    Hong Kong’s very stringent system of boarding, quarantine and also testing requirements has successfully stopped the transmission of the three Omicron cases, that we have identified in our designated quarantine hotel, from going into the community.

    Non-Hong Kong residents from these four places will not be allowed to enter Hong Kong.

    The most stringent quarantine requirements will also be implemented on relevant inbound travellers from these places.

    Continue reading...", + "content": "

    Nitzan Horowitz says ‘already room for optimism’ that vaccines will cover new variant; US Food & Drug Administration checking if tweaks needed

    Stock markets in Asia have bounced back again as investors’ concerns about the new Omicron Covid variant eased. In Australia the ASX200 was up more than 1%, while in Japan the Nikkei was up 0.75%.

    It followed a stronger showing on Monday on Wall Street, where the Dow Jones industrial average closed up 0.6% and the broader S&P500 was up 1.2% after some hefty losses on Friday, when news of the new strain shook confidence.

    There are so many unknowns about Omicron and the market has been jumping at shadows.

    After such a strong run and with elevated valuations, the market will always be susceptible to the odd shakeout on news that could bring risk.

    Hong Kong’s very stringent system of boarding, quarantine and also testing requirements has successfully stopped the transmission of the three Omicron cases, that we have identified in our designated quarantine hotel, from going into the community.

    Non-Hong Kong residents from these four places will not be allowed to enter Hong Kong.

    The most stringent quarantine requirements will also be implemented on relevant inbound travellers from these places.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/nov/30/covid-news-live-who-warns-omicron-poses-very-high-risk-new-variant-detected-in-at-least-a-dozen-countries", + "creator": "Jem Bartholomew (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-11-30T19:04:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127856,16 +154293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "286d57036627f524571b435860ba00c8" + "hash": "d015983a732de97667a30bebc62d4b3d" }, { - "title": "Covid news: Boris Johnson reported to police over No 10 parties, South Korea cases and deaths at new high", - "description": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "content": "

    Follow all the day’s coronavirus news from around the world as it happens

    UK government officials and scientific advisers believe that the danger posed by the Omicron variant may not be clear until January, potentially allowing weeks of intense mixing while the variant spreads.

    Across Westminster, invitations to Christmas drinks are landing in embossed envelopes or on WhatsApp groups. Departmental staff parties are set to take place, as well as a reception for journalists with Rishi Sunak at No 11. Even Keir Starmer and Rachel Reeves are hosting a joint bash.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/04/covid-news-boris-johnson-reported-to-police-over-no-10-parties-south-korea-cases-and-deaths-at-new-high", - "creator": "Sarah Marsh", - "pubDate": "2021-12-04T11:28:22Z", + "title": "Russia will act if Nato countries cross Ukraine ‘red lines’, Putin says", + "description": "

    Deployment of weapons or troops in Ukraine by Nato would trigger strong response, Russian president says

    Vladimir Putin has warned Nato countries that deploying weapons or soldiers to Ukraine would cross a “red line” for Russia and trigger a strong response, including a potential deployment of Russian missiles targeting Europe.

    Nato countries have warned Putin against further aggression against Ukraine as foreign ministers gathered in Latvia to discuss the military alliance’s contingencies for a potential Russian invasion.

    Continue reading...", + "content": "

    Deployment of weapons or troops in Ukraine by Nato would trigger strong response, Russian president says

    Vladimir Putin has warned Nato countries that deploying weapons or soldiers to Ukraine would cross a “red line” for Russia and trigger a strong response, including a potential deployment of Russian missiles targeting Europe.

    Nato countries have warned Putin against further aggression against Ukraine as foreign ministers gathered in Latvia to discuss the military alliance’s contingencies for a potential Russian invasion.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/nov/30/russia-will-act-if-nato-countries-cross-ukraine-red-lines-putin-says", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-11-30T16:08:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127876,16 +154313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "fec25b068076a5f7662cdc744f9c35d4" + "hash": "bdff2210364f8a92b74dabbd0da21a84" }, { - "title": "Billie Eilish: ‘I’ve gotten a lot more proud of who I am’", - "description": "

    The pop superstar on her extraordinary year – the Bond theme, that Vogue cover, the success of her second album – and hosting Saturday Night Live

    It’s a measure of what Billie Eilish’s life has been like in 2021 that she woke up one morning last month, rolled over to check her phone and found out she’d got seven Grammy award nominations. She’d overslept the actual announcement. “I was up late, watching Fleabag. Again!”

    We’re speaking over Zoom from her home in Los Angeles. “This is my third time watching Fleabag. I’ve literally just paused it, again, to do this interview. Andrew Scott is my favourite actor in the world! And Phoebe [Waller-Bridge] is so fucking good, I can’t stress it enough. When I met her at the Bond premiere, I was trying not to blow smoke up her ass the entire night.”

    Eilish would be a standout figure of 2021 for her Grammy-winning title music for No Time to Die alone, written, as always, with her big brother, Finneas. It premiered at the pre-Covid 2020 Brit awards and was finally unleashed in the cinemas just over two months ago (“We saw the whole movie in December 2019… we’ve had to keep all the secrets for two years… that was hard!”). But the Bond theme is old news, given everything else that has happened this past year.

    Continue reading...", - "content": "

    The pop superstar on her extraordinary year – the Bond theme, that Vogue cover, the success of her second album – and hosting Saturday Night Live

    It’s a measure of what Billie Eilish’s life has been like in 2021 that she woke up one morning last month, rolled over to check her phone and found out she’d got seven Grammy award nominations. She’d overslept the actual announcement. “I was up late, watching Fleabag. Again!”

    We’re speaking over Zoom from her home in Los Angeles. “This is my third time watching Fleabag. I’ve literally just paused it, again, to do this interview. Andrew Scott is my favourite actor in the world! And Phoebe [Waller-Bridge] is so fucking good, I can’t stress it enough. When I met her at the Bond premiere, I was trying not to blow smoke up her ass the entire night.”

    Eilish would be a standout figure of 2021 for her Grammy-winning title music for No Time to Die alone, written, as always, with her big brother, Finneas. It premiered at the pre-Covid 2020 Brit awards and was finally unleashed in the cinemas just over two months ago (“We saw the whole movie in December 2019… we’ve had to keep all the secrets for two years… that was hard!”). But the Bond theme is old news, given everything else that has happened this past year.

    Continue reading...", - "category": "Billie Eilish", - "link": "https://www.theguardian.com/music/2021/dec/04/billie-eilish-interview-faces-of-year-happier-than-ever", - "creator": "Jude Rogers", - "pubDate": "2021-12-04T13:00:26Z", + "title": "Mythic white sperm whale captured on film near Jamaica", + "description": "

    Type of whale immortalised in Moby-Dick has only been spotted handful of times this century

    It is the most mythic animal in the ocean: a white sperm whale, filmed on Monday by Leo van Toly, watching from a Dutch merchant ship off Jamaica. Moving gracefully, outrageously pale against the blue waters of the Caribbean, for any fans of Moby-Dick, Herman Melville’s book of 1851, this vision is a CGI animation come to life.

    Sperm whales are generally grey, black or even brown in appearance. Hal Whitehead, an expert on the species, told the Guardian: “I don’t think I’ve ever seen a fully white sperm whale. I have seen ones with quite a lot of white on them, usually in patches on and near the belly.”

    Continue reading...", + "content": "

    Type of whale immortalised in Moby-Dick has only been spotted handful of times this century

    It is the most mythic animal in the ocean: a white sperm whale, filmed on Monday by Leo van Toly, watching from a Dutch merchant ship off Jamaica. Moving gracefully, outrageously pale against the blue waters of the Caribbean, for any fans of Moby-Dick, Herman Melville’s book of 1851, this vision is a CGI animation come to life.

    Sperm whales are generally grey, black or even brown in appearance. Hal Whitehead, an expert on the species, told the Guardian: “I don’t think I’ve ever seen a fully white sperm whale. I have seen ones with quite a lot of white on them, usually in patches on and near the belly.”

    Continue reading...", + "category": "Whales", + "link": "https://www.theguardian.com/environment/2021/nov/30/white-sperm-whale-rarest-animals-captured-on-film-jamaica", + "creator": "Philip Hoare", + "pubDate": "2021-11-30T16:53:01Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127896,16 +154333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "69fbee58efe80e8e5590d1c57a715938" + "hash": "de47f0d7cc799e22a1164058db4ffc61" }, { - "title": "Are you dreaming of a booze-free Christmas? Join the (soda) club", - "description": "

    The market in no- and low-alcohol drinks is booming in the UK as more people swap the festive hangover for mindful drinking

    The concept of a Christmas without champagne, wine or whisky is counterintuitive to many. But this festive season, growing numbers of Britons are eschewing alcohol and gearing up for a teetotal – or at least partially so – celebration, according to retailers.

    Sales in the no- and low-alcohol category, also known as “NoLo”, are expected to grow by 17% in the UK this year, reports IWSR Drinks Market Analysis, and will hit almost 19 million cases and a value of $741m (£558m). Meanwhile, Sainsbury’s, Waitrose and Tesco all report that sales of NoLo drinks have seen huge rises year on year, a trend they expect to continue in the run-up to Christmas, amid a rise in “mindful drinking”.

    Continue reading...", - "content": "

    The market in no- and low-alcohol drinks is booming in the UK as more people swap the festive hangover for mindful drinking

    The concept of a Christmas without champagne, wine or whisky is counterintuitive to many. But this festive season, growing numbers of Britons are eschewing alcohol and gearing up for a teetotal – or at least partially so – celebration, according to retailers.

    Sales in the no- and low-alcohol category, also known as “NoLo”, are expected to grow by 17% in the UK this year, reports IWSR Drinks Market Analysis, and will hit almost 19 million cases and a value of $741m (£558m). Meanwhile, Sainsbury’s, Waitrose and Tesco all report that sales of NoLo drinks have seen huge rises year on year, a trend they expect to continue in the run-up to Christmas, amid a rise in “mindful drinking”.

    Continue reading...", - "category": "Alcohol", - "link": "https://www.theguardian.com/society/2021/dec/04/are-you-dreaming-of-a-booze-free-christmas-join-the-soda-club", - "creator": "Miranda Bryant", - "pubDate": "2021-12-04T14:30:27Z", + "title": "Ghislaine Maxwell was present when Epstein abused me, accuser testifies", + "description": "

    Witness identified as ‘Jane’ alleges Epstein began sexual abuse when she was 14 and says Maxwell was sometimes in the room

    The first accuser in the child sex-trafficking trial of Ghislaine Maxwell testified in court in New York on Tuesday. The accuser, who used the name “Jane”, alleged that Maxwell was sometimes present when Jeffrey Epstein abused her.

    Epstein, a New York financier and convicted sex trafficker who counted Bill Clinton and Prince Andrew among his acquaintances, killed himself in the city in August 2019, while in jail awaiting trial for the transportation and abuse of minor teenagers.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", + "content": "

    Witness identified as ‘Jane’ alleges Epstein began sexual abuse when she was 14 and says Maxwell was sometimes in the room

    The first accuser in the child sex-trafficking trial of Ghislaine Maxwell testified in court in New York on Tuesday. The accuser, who used the name “Jane”, alleged that Maxwell was sometimes present when Jeffrey Epstein abused her.

    Epstein, a New York financier and convicted sex trafficker who counted Bill Clinton and Prince Andrew among his acquaintances, killed himself in the city in August 2019, while in jail awaiting trial for the transportation and abuse of minor teenagers.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/nov/30/ghislaine-maxwell-trial-jeffrey-epstein-testimony", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-30T20:06:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127916,16 +154353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5ba1ad5c5bfeb2ea27407f0c3ee62817" + "hash": "72684d122b5d1e0fc5e66786a5da7a4b" }, { - "title": "Mel Brooks on losing the loves of his life: ‘People know how good Carl Reiner was, but not how great’", - "description": "

    From best friend Carl Reiner to wife Anne Bancroft, the great comic has had to face great loss. But even in the middle of a pandemic, the 95-year-old is still finding ways to laugh

    In February 2020, I joined Mel Brooks at the Beverly Hills home of his best friend, the director and writer Carl Reiner, for their nightly tradition of eating dinner together and watching the gameshow Jeopardy!. It was one of the most emotional nights of my life. Brooks, more than anyone, shaped my idea of Jewish-American humour, emphasising its joyfulness, cleverness and in-jokiness. Compared with his stellar 60s and 70s, when he was one of the most successful movie directors in the world, with The Producers and Blazing Saddles, and later his glittering 2000s, when his musical adaptation of The Producers dominated Broadway and the West End, his 80s and 90s are considered relatively fallow years. But his 1987 Star Wars spoof, Spaceballs, was the first Brooks movie I saw, and nothing was funnier to this then nine-year-old than that nonstop gag-a-thon (forget Yoda and the Force; in Spaceballs, Mel Brooks is Yoghurt and he wields the greatest power of all, the Schwartz).

    I loved listening to Brooks and Reiner – whose films included The Jerk and The Man With Two Brains – reminisce about their eight decades of friendship in which, together and separately, they created some of the greatest American comedy of the 20th century. The deep love between them was palpable, with Brooks, then 93, gently prompting 97-year-old Reiner on some of his anecdotes. It was impossible not to be moved by their friendship, and hard not to feel anxiety about the prospect of one of them someday having to dine on his own.

    Continue reading...", - "content": "

    From best friend Carl Reiner to wife Anne Bancroft, the great comic has had to face great loss. But even in the middle of a pandemic, the 95-year-old is still finding ways to laugh

    In February 2020, I joined Mel Brooks at the Beverly Hills home of his best friend, the director and writer Carl Reiner, for their nightly tradition of eating dinner together and watching the gameshow Jeopardy!. It was one of the most emotional nights of my life. Brooks, more than anyone, shaped my idea of Jewish-American humour, emphasising its joyfulness, cleverness and in-jokiness. Compared with his stellar 60s and 70s, when he was one of the most successful movie directors in the world, with The Producers and Blazing Saddles, and later his glittering 2000s, when his musical adaptation of The Producers dominated Broadway and the West End, his 80s and 90s are considered relatively fallow years. But his 1987 Star Wars spoof, Spaceballs, was the first Brooks movie I saw, and nothing was funnier to this then nine-year-old than that nonstop gag-a-thon (forget Yoda and the Force; in Spaceballs, Mel Brooks is Yoghurt and he wields the greatest power of all, the Schwartz).

    I loved listening to Brooks and Reiner – whose films included The Jerk and The Man With Two Brains – reminisce about their eight decades of friendship in which, together and separately, they created some of the greatest American comedy of the 20th century. The deep love between them was palpable, with Brooks, then 93, gently prompting 97-year-old Reiner on some of his anecdotes. It was impossible not to be moved by their friendship, and hard not to feel anxiety about the prospect of one of them someday having to dine on his own.

    Continue reading...", - "category": "Mel Brooks", - "link": "https://www.theguardian.com/film/2021/dec/04/mel-brooks-on-losing-the-loves-of-his-life-people-know-how-good-carl-reiner-was-but-not-how-great", - "creator": "Hadley Freeman", - "pubDate": "2021-12-04T08:00:21Z", + "title": "El Chapo’s wife Emma Coronel Aispuro sentenced to three years in US prison", + "description": "

    Coronel admitted to acting as a courier between Joaquín Guzmán and other members of the Sinaloa cartel while he was in prison

    Emma Coronel Aispuro, the wife of the imprisoned drug kingpin Joaquín “El Chapo” Guzmán has been sentenced to three years in a US prison, after she pleaded guilty to helping the Sinaloa drug cartel.

    Before her sentencing in a federal court in Washington, Coronel, 32, pleaded with US District Judge Rudolph Contreras to show her mercy.

    Continue reading...", + "content": "

    Coronel admitted to acting as a courier between Joaquín Guzmán and other members of the Sinaloa cartel while he was in prison

    Emma Coronel Aispuro, the wife of the imprisoned drug kingpin Joaquín “El Chapo” Guzmán has been sentenced to three years in a US prison, after she pleaded guilty to helping the Sinaloa drug cartel.

    Before her sentencing in a federal court in Washington, Coronel, 32, pleaded with US District Judge Rudolph Contreras to show her mercy.

    Continue reading...", + "category": "Joaquín 'El Chapo' Guzmán", + "link": "https://www.theguardian.com/world/2021/nov/30/emma-coronel-aispuro-el-chapo-wife-sentenced-us-prison", + "creator": "Reuters in Washington", + "pubDate": "2021-11-30T19:32:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127936,36 +154373,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "2b314c9e2de4e4f0463b0fcc1962a1c0" + "hash": "d2fccf5aba070699aa5de58a1f47eff7" }, { - "title": "Romance fraudster conned women in UK out of thousands, say police", - "description": "

    NCA says Osagie Aigbonohan used series of online aliases to form relationships with victims including terminally ill woman

    A romance fraudster conned a victim out of thousands of pounds and targeted hundreds of others, including a terminally ill woman, according to the National Crime Agency (NCA).

    Osagie Aigbonohan, 40, used a number of aliases to contact women online through dating and social media sites, and in one case cheated a woman out of almost £10,000, the agency said.

    Continue reading...", - "content": "

    NCA says Osagie Aigbonohan used series of online aliases to form relationships with victims including terminally ill woman

    A romance fraudster conned a victim out of thousands of pounds and targeted hundreds of others, including a terminally ill woman, according to the National Crime Agency (NCA).

    Osagie Aigbonohan, 40, used a number of aliases to contact women online through dating and social media sites, and in one case cheated a woman out of almost £10,000, the agency said.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/04/romance-fraudster-conned-women-in-uk-out-of-thousands-say-police", - "creator": "PA Media", - "pubDate": "2021-12-04T15:14:48Z", + "title": "Praise for Prince Charles after ‘historic’ slavery condemnation", + "description": "

    Equality campaigners say remarks made as Barbados became a republic are ‘start of a grown-up conversation’

    The Prince of Wales’s acknowledgment of the “appalling atrocity of slavery” that “forever stains our history” as Barbados became a republic was brave, historic, and the start of a “grown-up conversation led by a future king”, equality campaigners have said.

    Uttering words his mother, the Queen, would be constitutionally constrained from saying, Prince Charles’s speech, at the ceremony to replace the monarch as head of state in the island nation, did not demur from reflecting on the “darkest days of our past” as he looked to a bright future for Barbadians.

    Continue reading...", + "content": "

    Equality campaigners say remarks made as Barbados became a republic are ‘start of a grown-up conversation’

    The Prince of Wales’s acknowledgment of the “appalling atrocity of slavery” that “forever stains our history” as Barbados became a republic was brave, historic, and the start of a “grown-up conversation led by a future king”, equality campaigners have said.

    Uttering words his mother, the Queen, would be constitutionally constrained from saying, Prince Charles’s speech, at the ceremony to replace the monarch as head of state in the island nation, did not demur from reflecting on the “darkest days of our past” as he looked to a bright future for Barbadians.

    Continue reading...", + "category": "Prince Charles", + "link": "https://www.theguardian.com/uk-news/2021/nov/30/praise-for-prince-charles-after-historic-slavery-condemnation-barbados", + "creator": "Caroline Davies", + "pubDate": "2021-11-30T15:49:30Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "147b9c264c6a21a6fd243174a103245c" + "hash": "714e52f67eff185cca043506feae55d7" }, { - "title": "Filming wild beasts: Cherry Kearton interviewed – archive, 11 May 1914", - "description": "

    11 May 1914: The British wildlife photographer tells the Guardian about filming animals ‘unmolested and unharassed in their native wilds’

    I found Mr Cherry Kearton, who has just returned from crossing Africa with a kinema camera for the third time, in the private room of his London office (writes a representative of the Manchester Guardian).

    He was endeavouring to conduct a business conversation on the telephone. Round him stood half a dozen merry friends, whose joy at welcoming him home was so ebullient that they refused to be serious. The author of several standard books was giving lifelike imitations of a roaring lion, while the others were laughing loudly at his performance.

    Continue reading...", - "content": "

    11 May 1914: The British wildlife photographer tells the Guardian about filming animals ‘unmolested and unharassed in their native wilds’

    I found Mr Cherry Kearton, who has just returned from crossing Africa with a kinema camera for the third time, in the private room of his London office (writes a representative of the Manchester Guardian).

    He was endeavouring to conduct a business conversation on the telephone. Round him stood half a dozen merry friends, whose joy at welcoming him home was so ebullient that they refused to be serious. The author of several standard books was giving lifelike imitations of a roaring lion, while the others were laughing loudly at his performance.

    Continue reading...", - "category": "Photography", - "link": "https://www.theguardian.com/artanddesign/2021/dec/04/filming-wild-beasts-cherry-kearton-interviewed-1914", - "creator": "A representative of the Manchester Guardian", - "pubDate": "2021-12-04T10:00:23Z", + "title": "EU advice on inclusive language withdrawn after rightwing outcry", + "description": "

    Guidelines promoted use of ‘holiday season’ instead of Christmas and advised against saying ‘man-made’

    An internal European Commission document advising officials to use inclusive language such as “holiday season” rather than Christmas and avoid terms such as “man-made” has been withdrawn after an outcry from rightwing politicians.

    The EU executive’s volte-face over the guidelines, launched by the commissioner for equality, Helena Dalli, at the end of October, was prompted by an article in the Italian tabloid il Giornale, which claimed it amounted to an attempt to “cancel Christmas”.

    Continue reading...", + "content": "

    Guidelines promoted use of ‘holiday season’ instead of Christmas and advised against saying ‘man-made’

    An internal European Commission document advising officials to use inclusive language such as “holiday season” rather than Christmas and avoid terms such as “man-made” has been withdrawn after an outcry from rightwing politicians.

    The EU executive’s volte-face over the guidelines, launched by the commissioner for equality, Helena Dalli, at the end of October, was prompted by an article in the Italian tabloid il Giornale, which claimed it amounted to an attempt to “cancel Christmas”.

    Continue reading...", + "category": "European Commission", + "link": "https://www.theguardian.com/world/2021/nov/30/eu-advice-on-inclusive-language-withdrawn-after-rightwing-outcry", + "creator": "Daniel Boffey in Brussels", + "pubDate": "2021-11-30T15:41:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127976,16 +154413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2bb82a5ddf1e968fd7bd29974c749365" + "hash": "aa402c9748fc8759cfa207c3f2f432cf" }, { - "title": "Omicron seems to carry higher Covid reinfection risk, says South Africa", - "description": "

    Scientists warn of higher rate of repeat infections but say vaccines appear to protect against serious illness

    The Omicron variant of Covid-19 appears to be reinfecting people at three times the rate of previous strains, experts in South Africa have said, as public health officials and scientists from around the world closely monitor developments in the country where it was first identified.

    As the EU’s public health agency warned that Omicron could cause more than half of all new Covid infections in Europe within the next few months, evidence was emerging, however, that vaccines still appear to offer protection against serious illness.

    Continue reading...", - "content": "

    Scientists warn of higher rate of repeat infections but say vaccines appear to protect against serious illness

    The Omicron variant of Covid-19 appears to be reinfecting people at three times the rate of previous strains, experts in South Africa have said, as public health officials and scientists from around the world closely monitor developments in the country where it was first identified.

    As the EU’s public health agency warned that Omicron could cause more than half of all new Covid infections in Europe within the next few months, evidence was emerging, however, that vaccines still appear to offer protection against serious illness.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/02/omicron-may-cause-more-covid-reinfections-say-south-african-experts", - "creator": "Peter Beaumont and Nick Dall in Cape Town", - "pubDate": "2021-12-02T18:23:07Z", + "title": "UK spy chief suggests Beijing risks ‘miscalculation’ over west’s resolve", + "description": "

    Island’s status and surveillance technology making China ‘single greatest priority’ for MI6

    China is at risk of “miscalculating through over-confidence” over Taiwan, said the MI6 head, Richard Moore, in a statement clearly intended to warn Beijing to back off any attempt to seize control of the island.

    Giving a rare speech, Britain’s foreign intelligence chief said in London that China was at risk of “believing its own propaganda” and that the country had become “the single greatest priority” for MI6 for the first time in its history.

    Continue reading...", + "content": "

    Island’s status and surveillance technology making China ‘single greatest priority’ for MI6

    China is at risk of “miscalculating through over-confidence” over Taiwan, said the MI6 head, Richard Moore, in a statement clearly intended to warn Beijing to back off any attempt to seize control of the island.

    Giving a rare speech, Britain’s foreign intelligence chief said in London that China was at risk of “believing its own propaganda” and that the country had become “the single greatest priority” for MI6 for the first time in its history.

    Continue reading...", + "category": "MI6", + "link": "https://www.theguardian.com/uk-news/2021/nov/30/uk-spy-chief-suggests-that-beijing-risks-miscalculation-over-resolve-of-west", + "creator": "Dan Sabbagh Defence and security editor", + "pubDate": "2021-11-30T15:47:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -127996,36 +154433,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "6c79da79c89365823c0e50eda49c6418" + "hash": "7fc0aa5e0eb12be3070c5c854d31ceb0" }, { - "title": "Michigan shooting: suspect’s parents in custody charged with manslaughter", - "description": "
    • Jennifer and James Crumbley went missing, prompting search
    • Son Ethan, 15, charged with murder over deadly school shooting

    The parents of a boy who is accused of killing four students at a Michigan high school have been taken into custody after the pair went missing in the wake of being charged as part of the investigation into the mass shooting.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter but authorities on Friday said the whereabouts of the Crumbleys were not known, prompting a search.

    Continue reading...", - "content": "
    • Jennifer and James Crumbley went missing, prompting search
    • Son Ethan, 15, charged with murder over deadly school shooting

    The parents of a boy who is accused of killing four students at a Michigan high school have been taken into custody after the pair went missing in the wake of being charged as part of the investigation into the mass shooting.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter but authorities on Friday said the whereabouts of the Crumbleys were not known, prompting a search.

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/2021/dec/03/michigan-high-school-shooting-parents-manslaughter-charges", - "creator": "Joanna Walters and agencies", - "pubDate": "2021-12-04T08:00:02Z", + "title": "Far-right TV pundit Éric Zemmour to run for French presidency", + "description": "

    It is time to ‘save’ France, controversial figure says as he reads video speech posted on social media

    Éric Zemmour, a controversial French far-right TV pundit who has convictions for inciting racial hatred, has declared he will run for president next spring, claiming he wants to “save” traditional France from “disappearing”.

    In a 10-minute video posted on social media, Zemmour sat at a desk reading a speech in front of an old-fashioned microphone, designed to look like Charles de Gaulle’s famous June 1940 broadcast to Nazi-occupied France – provoking anger from the traditional Gaullist right.

    Continue reading...", + "content": "

    It is time to ‘save’ France, controversial figure says as he reads video speech posted on social media

    Éric Zemmour, a controversial French far-right TV pundit who has convictions for inciting racial hatred, has declared he will run for president next spring, claiming he wants to “save” traditional France from “disappearing”.

    In a 10-minute video posted on social media, Zemmour sat at a desk reading a speech in front of an old-fashioned microphone, designed to look like Charles de Gaulle’s famous June 1940 broadcast to Nazi-occupied France – provoking anger from the traditional Gaullist right.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/nov/30/far-right-tv-pundit-eric-zemmour-to-run-for-french-presidency", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-11-30T17:04:46Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "51934e6ec4442b660d5fb97ee5c118ee" + "hash": "d9dc1f442233b446139fb0f00d38def7" }, { - "title": "Nowhere left to pray: Hindu groups target Muslim sites in Gurgaon", - "description": "

    The dwindling number of places available for the metropolis’s Muslims are becoming religious battlefields

    Until a few weeks ago, no one had given much thought to the car park outside sector 37 police station in Gurgaon, a satellite city to India’s capital, Delhi. But for the last few Fridays the dusty, litter-strewn patch of concrete has become a religious battlefield.

    This week as a Hindu nationalist mob assembled in their usual saffron, roars of their signature slogans “Jai Shri Ram” (Hail Lord Ram) and “hail the motherland” filled the air. Then a cry rang out: “The Muslims are here.” And the mob began to charge.

    Continue reading...", - "content": "

    The dwindling number of places available for the metropolis’s Muslims are becoming religious battlefields

    Until a few weeks ago, no one had given much thought to the car park outside sector 37 police station in Gurgaon, a satellite city to India’s capital, Delhi. But for the last few Fridays the dusty, litter-strewn patch of concrete has become a religious battlefield.

    This week as a Hindu nationalist mob assembled in their usual saffron, roars of their signature slogans “Jai Shri Ram” (Hail Lord Ram) and “hail the motherland” filled the air. Then a cry rang out: “The Muslims are here.” And the mob began to charge.

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/dec/04/hindu-groups-target-muslim-sites-india-gurgaon", - "creator": "Hannah Ellis-Petersen in Gurgaon", - "pubDate": "2021-12-04T05:00:16Z", + "title": "Chain reaction: Canadian MP complains about minister’s video bike backdrop", + "description": "

    Conservative Ed Fast was mocked after accusing Steven Guilbeault of making ‘statement about his environmental cred’

    A conservative Canadian MP has accused the country’s environment minister of breaching parliamentary protocol after his bicycle appeared on screen during a hybrid session of parliament.

    Conservative MP Ed Fast said minister Steven Guilbeault’s purple bicycle, hung on the wall behind him, was a blatant attempt to “make a statement about his environmental cred”.

    Continue reading...", + "content": "

    Conservative Ed Fast was mocked after accusing Steven Guilbeault of making ‘statement about his environmental cred’

    A conservative Canadian MP has accused the country’s environment minister of breaching parliamentary protocol after his bicycle appeared on screen during a hybrid session of parliament.

    Conservative MP Ed Fast said minister Steven Guilbeault’s purple bicycle, hung on the wall behind him, was a blatant attempt to “make a statement about his environmental cred”.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/nov/30/canada-minister-bicycle-video-steven-guilbeault", + "creator": "Leyland Cecco in Toronto", + "pubDate": "2021-11-30T16:49:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128036,16 +154473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c65698811d276a8f44c25a84ddb982e9" + "hash": "f76e86afde76fc715bcbe09eedf0e3f4" }, { - "title": "Dog noises, name calling, claims of abuse: a week of shame in Australian politics", - "description": "

    Despite a review finding one in three parliamentary staffers have been sexually harassed, behaviour inside the building shows no sign of improvement

    Allegations of abuse and accusations of widespread sexism. Bullying and harassment particularly of women. A cabinet minister stood aside pending an investigation into claims by a former staffer that their relationship was at times “abusive”. Even by the low standards of the Australian parliament, it was a week of horror in Canberra.

    The final sitting week of parliament for the year began with a long-awaited report on sexual harassment and cultural issues within the parliament, which found one in three parliamentary staffers “have experienced some form of sexual harassment while working there”.

    Continue reading...", - "content": "

    Despite a review finding one in three parliamentary staffers have been sexually harassed, behaviour inside the building shows no sign of improvement

    Allegations of abuse and accusations of widespread sexism. Bullying and harassment particularly of women. A cabinet minister stood aside pending an investigation into claims by a former staffer that their relationship was at times “abusive”. Even by the low standards of the Australian parliament, it was a week of horror in Canberra.

    The final sitting week of parliament for the year began with a long-awaited report on sexual harassment and cultural issues within the parliament, which found one in three parliamentary staffers “have experienced some form of sexual harassment while working there”.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/dec/04/dog-noises-name-calling-claims-of-abuse-a-week-of-shame-in-australian-politics", - "creator": "Amy Remeikis in Canberra", - "pubDate": "2021-12-04T01:32:31Z", + "title": "Omicron Covid variant ‘present in Europe at least 10 days ago’", + "description": "

    Two cases of new Covid variant found in Netherlands predate last week’s alert from South Africa

    The Omicron variant of Covid-19 was present in Europe at least 10 days ago and already appears to be spreading in the Netherlands and elsewhere.

    “We have found the Omicron coronavirus variant in two test samples that were taken on November 19 and 23,” the Dutch health ministry said in a statement on Tuesday. “It is not yet clear whether these people had also visited southern Africa,” the ministry added.

    Continue reading...", + "content": "

    Two cases of new Covid variant found in Netherlands predate last week’s alert from South Africa

    The Omicron variant of Covid-19 was present in Europe at least 10 days ago and already appears to be spreading in the Netherlands and elsewhere.

    “We have found the Omicron coronavirus variant in two test samples that were taken on November 19 and 23,” the Dutch health ministry said in a statement on Tuesday. “It is not yet clear whether these people had also visited southern Africa,” the ministry added.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/30/omicron-covid-variant-present-in-europe-at-least-10-days-ago", + "creator": "Peter Beaumont", + "pubDate": "2021-11-30T18:43:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128056,16 +154493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1e576668ab5d7cd4f157ee302b824726" + "hash": "705223468833c3032dd121c16c0e3f92" }, { - "title": "Emmanuel Macron accused of trying to ‘rehabilitate’ Mohammed bin Salman", - "description": "

    Human rights groups criticise French president’s planned meeting with crown prince in Saudi Arabia

    Human rights groups have criticised Emmanuel Macron’s planned meeting with Mohammed bin Salman in Saudi Arabia on Saturday, which will mark the first one-on-one public meeting of a major western leader with the crown prince since the state-sponsored assassination of the journalist Jamal Khashoggi.

    For three years since the 2018 murder, western heads of state have avoided direct one-on-one meetings with the crown prince in the kingdom. The US president, Joe Biden, has even avoided speaking to the future king in what has widely been seen as an attempt to avoid conferring legitimacy on the de facto ruler.

    But Macron’s move suggests at least one major western leader is ready to formally re-establish ties to the crown prince directly, less than a year after US intelligence agencies released a report stating they believed that Prince Mohammed had approved the murder of Khashoggi.

    Continue reading...", - "content": "

    Human rights groups criticise French president’s planned meeting with crown prince in Saudi Arabia

    Human rights groups have criticised Emmanuel Macron’s planned meeting with Mohammed bin Salman in Saudi Arabia on Saturday, which will mark the first one-on-one public meeting of a major western leader with the crown prince since the state-sponsored assassination of the journalist Jamal Khashoggi.

    For three years since the 2018 murder, western heads of state have avoided direct one-on-one meetings with the crown prince in the kingdom. The US president, Joe Biden, has even avoided speaking to the future king in what has widely been seen as an attempt to avoid conferring legitimacy on the de facto ruler.

    But Macron’s move suggests at least one major western leader is ready to formally re-establish ties to the crown prince directly, less than a year after US intelligence agencies released a report stating they believed that Prince Mohammed had approved the murder of Khashoggi.

    Continue reading...", - "category": "Emmanuel Macron", - "link": "https://www.theguardian.com/world/2021/dec/03/emmanuel-macron-accused-of-trying-to-rehabilitate-mohammed-bin-salman", - "creator": "Angelique Chrisafis in Paris and Stephanie Kirchgaessner in Washington", - "pubDate": "2021-12-03T20:26:57Z", + "title": "All adults to be offered third Covid jab by end of January, says Boris Johnson", + "description": "

    PM tells Downing Street press conference temporary vaccine centres will be ‘popping up like Christmas trees’

    Every eligible adult in the UK should be offered a Covid booster by the end of January as ministers race to increase protection against the Omicron variant, Boris Johnson has announced.

    “We’re going to be throwing everything at it, to ensure everyone eligible is offered a booster in just over two months,” the prime minister said, adding that he would be getting his own third vaccine on Thursday.

    Continue reading...", + "content": "

    PM tells Downing Street press conference temporary vaccine centres will be ‘popping up like Christmas trees’

    Every eligible adult in the UK should be offered a Covid booster by the end of January as ministers race to increase protection against the Omicron variant, Boris Johnson has announced.

    “We’re going to be throwing everything at it, to ensure everyone eligible is offered a booster in just over two months,” the prime minister said, adding that he would be getting his own third vaccine on Thursday.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/30/all-adults-to-be-offered-third-covid-jab-by-end-of-january-says-boris-johnson", + "creator": "Heather Stewart Political editor", + "pubDate": "2021-11-30T16:39:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128076,16 +154513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "86a1a41a43c41934b0a1d2907f83d6cf" + "hash": "3b9f523d8d7a11221c6b0341495b3d91" }, { - "title": "Top Trump official to plead the fifth to Capitol attack committee", - "description": "

    John Eastman, linked to efforts to stop Biden certification, to invoke constitutional protection against self-incrimination

    Former Trump lawyer John Eastman, who was connected to efforts to stop the certification of Joe Biden’s presidential election win on 6 January, will plead the fifth amendment protection against self-incrimination before the House select committee investigating the Capitol attack.

    The move by Eastman, communicated in a letter to the select committee by his attorney, is an extraordinary step and appears to suggest a growing fear among some of Trump’s closest advisers that their testimony may implicate them in potential criminality.

    Continue reading...", - "content": "

    John Eastman, linked to efforts to stop Biden certification, to invoke constitutional protection against self-incrimination

    Former Trump lawyer John Eastman, who was connected to efforts to stop the certification of Joe Biden’s presidential election win on 6 January, will plead the fifth amendment protection against self-incrimination before the House select committee investigating the Capitol attack.

    The move by Eastman, communicated in a letter to the select committee by his attorney, is an extraordinary step and appears to suggest a growing fear among some of Trump’s closest advisers that their testimony may implicate them in potential criminality.

    Continue reading...", - "category": "US Capitol attack", - "link": "https://www.theguardian.com/us-news/2021/dec/03/top-trump-official-capitol-attack-committee-john-eastman", - "creator": "Hugo Lowell in Washington", - "pubDate": "2021-12-03T19:14:25Z", + "title": "Outrage as Fox News commentator likens Anthony Fauci to Nazi doctor", + "description": "

    Lara Logan compares top US infectious diseases expert to Dr Josef Mengele who experimented on Jews in concentration camps

    A Fox News commentator stoked outrage by comparing Dr Anthony Fauci, Joe Biden’s chief medical adviser, to Josef Mengele, the Nazi “Angel of Death”.

    Lara Logan, a host on the Fox Nation streaming service, was discussing Omicron on Fox News Prime Time on Monday night, amid fears that the new variant will trigger a new wave of Covid cases and further deepen political divisions over how to respond. Fox News has consistently broadcast misinformation about Covid and measures to contain it.

    Continue reading...", + "content": "

    Lara Logan compares top US infectious diseases expert to Dr Josef Mengele who experimented on Jews in concentration camps

    A Fox News commentator stoked outrage by comparing Dr Anthony Fauci, Joe Biden’s chief medical adviser, to Josef Mengele, the Nazi “Angel of Death”.

    Lara Logan, a host on the Fox Nation streaming service, was discussing Omicron on Fox News Prime Time on Monday night, amid fears that the new variant will trigger a new wave of Covid cases and further deepen political divisions over how to respond. Fox News has consistently broadcast misinformation about Covid and measures to contain it.

    Continue reading...", + "category": "Anthony Fauci", + "link": "https://www.theguardian.com/us-news/2021/nov/30/anthony-fauci-josef-mengele-fox-news", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-11-30T17:52:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128096,16 +154533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6f35bc8cedd59a66819b3aeb5720a1c7" + "hash": "eca52d0960a7194327db579eea536657" }, { - "title": "Does the Omicron variant mean Covid is going to become more transmissible?", - "description": "

    As new strain dampens idea pandemic might be diminishing, what does the future hold for coronavirus?

    When scientists predicted, months ago, that Covid-19 could be entering an endemic phase, many felt ready for the crisis period of the pandemic to be over. The tantalising suggestion that coronavirus might, at some foreseeable point, be just another seasonal cold felt welcome. But the emergence of the Omicron variant, just weeks before Christmas, shows this is not guaranteed to be a smooth or quick transition.

    Continue reading...", - "content": "

    As new strain dampens idea pandemic might be diminishing, what does the future hold for coronavirus?

    When scientists predicted, months ago, that Covid-19 could be entering an endemic phase, many felt ready for the crisis period of the pandemic to be over. The tantalising suggestion that coronavirus might, at some foreseeable point, be just another seasonal cold felt welcome. But the emergence of the Omicron variant, just weeks before Christmas, shows this is not guaranteed to be a smooth or quick transition.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/03/what-does-the-future-hold-for-coronavirus-explainer", - "creator": "Hannah Devlin Science correspondent", - "pubDate": "2021-12-03T16:42:44Z", + "title": "Barbados’s icon: why Rihanna’s national hero status is so apt", + "description": "

    Honoured by her newly independent country, Rihanna has always proudly worn her Bajan heritage – broadening her sound from her Caribbean roots, while staying true to them

    Rihanna’s designation as a national hero of Barbados, to coincide with the country’s transition to an independent republic, could not be more apt. Not only has she been an official ambassador for culture and youth in the country since 2018, the singer remains the country’s most famous citizen and indeed advocate. She has never softened her Bajan accent, and her music, while tapping into pop, R&B and dance music, has remained rich with her Caribbean heritage.

    In her investiture ceremony, the country’s prime minister Mia Mottley addressed the pop singer, fashion icon and hugely successful entrepreneur as “ambassador Robyn Rihanna Fenty: may you continue to shine like a diamond” – a reference to 2012’s global hit Diamonds – “and bring honour to your nation, by your words, by your actions, and to do credit wherever you shall go. God bless you, my dear.”

    Continue reading...", + "content": "

    Honoured by her newly independent country, Rihanna has always proudly worn her Bajan heritage – broadening her sound from her Caribbean roots, while staying true to them

    Rihanna’s designation as a national hero of Barbados, to coincide with the country’s transition to an independent republic, could not be more apt. Not only has she been an official ambassador for culture and youth in the country since 2018, the singer remains the country’s most famous citizen and indeed advocate. She has never softened her Bajan accent, and her music, while tapping into pop, R&B and dance music, has remained rich with her Caribbean heritage.

    In her investiture ceremony, the country’s prime minister Mia Mottley addressed the pop singer, fashion icon and hugely successful entrepreneur as “ambassador Robyn Rihanna Fenty: may you continue to shine like a diamond” – a reference to 2012’s global hit Diamonds – “and bring honour to your nation, by your words, by your actions, and to do credit wherever you shall go. God bless you, my dear.”

    Continue reading...", + "category": "Rihanna", + "link": "https://www.theguardian.com/music/2021/nov/30/barbadoss-icon-why-rihannas-national-hero-status-is-so-apt", + "creator": "Ben Beaumont-Thomas", + "pubDate": "2021-11-30T15:37:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128116,16 +154553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "91fad6ab94af54d42132d94ed2511e10" + "hash": "073b13a302594707319220f30c05eedb" }, { - "title": "The first man to hunt wildlife with a camera, not a rifle", - "description": "

    Cherry Kearton popularised nature like a Victorian David Attenborough – using bold techniques to get close to his subjects, as a new exhibition shows

    In 1909 two wildlife safari expeditions arrived by ship in Mombasa, Kenya, within days of each other. One party was enormous and led by the adventure-loving US president Teddy Roosevelt; the other consisted of just two men and was headed by Cherry Kearton, a young British bird photographer from Yorkshire.

    Over several months on safari the trigger-happy president and his son Kermit killed 17 lions, 11 elephants, 20 rhino, nine giraffes, 19 zebra, more than 400 hippos, hyena and other large animals, as well as many thousands of birds and smaller animals. By contrast Kearton, the first man in the world to hunt with a camera and not a rifle, killed just one animal, in self-defence.

    Continue reading...", - "content": "

    Cherry Kearton popularised nature like a Victorian David Attenborough – using bold techniques to get close to his subjects, as a new exhibition shows

    In 1909 two wildlife safari expeditions arrived by ship in Mombasa, Kenya, within days of each other. One party was enormous and led by the adventure-loving US president Teddy Roosevelt; the other consisted of just two men and was headed by Cherry Kearton, a young British bird photographer from Yorkshire.

    Over several months on safari the trigger-happy president and his son Kermit killed 17 lions, 11 elephants, 20 rhino, nine giraffes, 19 zebra, more than 400 hippos, hyena and other large animals, as well as many thousands of birds and smaller animals. By contrast Kearton, the first man in the world to hunt with a camera and not a rifle, killed just one animal, in self-defence.

    Continue reading...", - "category": "Photography", - "link": "https://www.theguardian.com/artanddesign/2021/dec/04/cherry-kearton-victorian-wildlife-photographer-exhibition", - "creator": "John Vidal", - "pubDate": "2021-12-04T10:00:23Z", + "title": "‘The women are cannon fodder’: how Succession shows the horrors of misogyny", + "description": "

    Season three of the daddy issues drama speaks volumes about the monstrous Man Club that rules society – and even billionaire’s daughter Shiv Roy can’t escape its sadistic clutches

    Everyone eats their share of dung beetle surprise on Succession – HBO’s unrepentant daddy issues drama – but the women’s portions come heavily seasoned with the patriarchy’s favourite ingredients: sexism and misogyny. Even billionaire’s daughter Shiv Roy (played by Sarah Snook) can’t escape it. “It’s only your teats that give you any value,” her brother Kendall (Jeremy Strong) shouts after she rejects his offer to join him in another one of his patricidal business plans. Even before then, he couldn’t help but put a pin in her dreams of taking over the company: “You are too divisive … you’re still seen as a token woman, wonk, woke snowflake.”

    “I don’t think that, but the market does,” he explains.

    Continue reading...", + "content": "

    Season three of the daddy issues drama speaks volumes about the monstrous Man Club that rules society – and even billionaire’s daughter Shiv Roy can’t escape its sadistic clutches

    Everyone eats their share of dung beetle surprise on Succession – HBO’s unrepentant daddy issues drama – but the women’s portions come heavily seasoned with the patriarchy’s favourite ingredients: sexism and misogyny. Even billionaire’s daughter Shiv Roy (played by Sarah Snook) can’t escape it. “It’s only your teats that give you any value,” her brother Kendall (Jeremy Strong) shouts after she rejects his offer to join him in another one of his patricidal business plans. Even before then, he couldn’t help but put a pin in her dreams of taking over the company: “You are too divisive … you’re still seen as a token woman, wonk, woke snowflake.”

    “I don’t think that, but the market does,” he explains.

    Continue reading...", + "category": "Succession", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/30/the-women-are-cannon-fodder-how-succession-shows-the-horrors-of-misogyny", + "creator": "Flannery Dean", + "pubDate": "2021-11-30T15:41:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128136,16 +154573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "db118d119f8111040468d2beee66ba08" + "hash": "24fa0219d5f9c84c2b2bb3a354ee9458" }, { - "title": "Flashback – JLS: ‘X Factor was a crash course in this industry. Zero to hero in 10 weeks’", - "description": "

    Aston, Marvin, JB and Oritsé recreate their audition photo and reflect on backflips, friendships, reuniting and turkey farming

    Finalists on 2008’s X Factor, JLS – short for Jack the Lad Swing – are one of the show’s most successful acts. Celebrated for their R&B-infused pop and slick dance routines, the band reached No 1 with their first single, Beat Again, while their debut album won multiple Brit and Mobo awards, and went quadruple platinum. They released three more albums and a condom range, before splitting in 2013. Oritsé Williams and Aston Merrygold went on to pursue solo careers in music, Marvin Humes is thriving as a TV and radio host, while JB Gill pivoted to turkey farming in Kent. Their new album, JLS 2.0, came out on 3 December, and they complete their comeback tour on 12 December at Capital’s Jingle Bell Ball at London’s O2.

    Aston Merrygold
    It was Marvin’s idea to wear pastel polo shirts. We vibed it out in shorts, Converse and pulled-up socks. That first X Factor audition opened a lot of doors for JLS, fashion-wise, as it was quite forward-thinking at the time. The same thing happened later down the line with the deep V T-shirts. We were always happy to set boyband trends.

    Continue reading...", - "content": "

    Aston, Marvin, JB and Oritsé recreate their audition photo and reflect on backflips, friendships, reuniting and turkey farming

    Finalists on 2008’s X Factor, JLS – short for Jack the Lad Swing – are one of the show’s most successful acts. Celebrated for their R&B-infused pop and slick dance routines, the band reached No 1 with their first single, Beat Again, while their debut album won multiple Brit and Mobo awards, and went quadruple platinum. They released three more albums and a condom range, before splitting in 2013. Oritsé Williams and Aston Merrygold went on to pursue solo careers in music, Marvin Humes is thriving as a TV and radio host, while JB Gill pivoted to turkey farming in Kent. Their new album, JLS 2.0, came out on 3 December, and they complete their comeback tour on 12 December at Capital’s Jingle Bell Ball at London’s O2.

    Aston Merrygold
    It was Marvin’s idea to wear pastel polo shirts. We vibed it out in shorts, Converse and pulled-up socks. That first X Factor audition opened a lot of doors for JLS, fashion-wise, as it was quite forward-thinking at the time. The same thing happened later down the line with the deep V T-shirts. We were always happy to set boyband trends.

    Continue reading...", - "category": "JLS", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/flashback-jls-x-factor-was-a-crash-course-in-this-industry-zero-to-hero-in-10-weeks", - "creator": "Harriet Gibsone", - "pubDate": "2021-12-04T12:00:25Z", + "title": "Tensions run high in Hastings over small boat arrivals", + "description": "

    While many in East Sussex town have rushed to help when refugees arrive on the beach, some are less welcoming

    Ten days ago, people stood on the beach in Hastings and tried to prevent a lifeboat crew from going into the sea to rescue a group of refugees in a flimsy dinghy. According to a witness, they were shouting at the RNLI: “Don’t bring any more of those, we’re full up, that’s why we stopped our donations.”

    Meanwhile, a group from the same town calling itself Hastings Supports Refugees has set up what is thought to be the first emergency response team run by volunteers to welcome the bedraggled, traumatised newcomers and provide them with hot food and drinks, dry clothes and a warm welcome as soon as they come ashore.

    Continue reading...", + "content": "

    While many in East Sussex town have rushed to help when refugees arrive on the beach, some are less welcoming

    Ten days ago, people stood on the beach in Hastings and tried to prevent a lifeboat crew from going into the sea to rescue a group of refugees in a flimsy dinghy. According to a witness, they were shouting at the RNLI: “Don’t bring any more of those, we’re full up, that’s why we stopped our donations.”

    Meanwhile, a group from the same town calling itself Hastings Supports Refugees has set up what is thought to be the first emergency response team run by volunteers to welcome the bedraggled, traumatised newcomers and provide them with hot food and drinks, dry clothes and a warm welcome as soon as they come ashore.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/30/hastings-small-boat-arrivals-tensions-east-sussex-town", + "creator": "Diane Taylor", + "pubDate": "2021-11-30T13:04:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128156,16 +154593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "adc5f40b9c15078764eff92de15d9193" + "hash": "828a109f567d4375ddca69852ce6767c" }, { - "title": "Jodie Whittaker on saying goodbye to Doctor Who: ‘I thought, what if I’ve ruined this for actresses?’", - "description": "

    As she gears up for her final outings as the first female Doctor, the actor reflects on how her life has changed, being the subject of fan fiction – and what happens when a Weeping Angel comes to life

    Jodie Whittaker made history in 2017 when she took over from Peter Capaldi and became the 13th Doctor in Doctor Who, making her the first woman to ever play the time-travelling alien with two hearts. She grew up near Huddersfield, West Yorkshire, and is, she says, “really emotional”, a trait she turned to good use in a series of harrowing parts, most famously in Broadchurch, where she played a grieving mother alongside David Tennant (himself the 10th Doctor). When the Broadchurch creator Chris Chibnall took over as Doctor Who showrunner, he said that casting Whittaker was “a no-brainer”. Their first series came out in 2018, and this year Chibnall revealed that the two of them had a “three series and out” pact. In July, they announced they would be leaving the show after three specials, which will air in 2022, when Russell T Davies will return as showrunner and a new Doctor will take over from Whittaker. Her final full series of Doctor Who, subtitled Flux, ends on 5 December.

    In summer, you said that you thought you’d be “filled with grief” at the end of your run. It has been a few weeks since you filmed your last scene as the Doctor – how are you feeling?
    I’ve literally just got off the phone with Mandip [Gill, who plays the Doctor’s companion, Yasmin Khan]. It’s been four years of my life. My grief of saying goodbye to the job is one thing. But it won’t feel like the end until it’s the end. It’s the everydayness of these people and this atmosphere and this group … I find myself monologuing at various people on WhatsApp, checking that they miss me! Mandip’s had to take the blue ticks off because I’m “exhausting”.

    Continue reading...", - "content": "

    As she gears up for her final outings as the first female Doctor, the actor reflects on how her life has changed, being the subject of fan fiction – and what happens when a Weeping Angel comes to life

    Jodie Whittaker made history in 2017 when she took over from Peter Capaldi and became the 13th Doctor in Doctor Who, making her the first woman to ever play the time-travelling alien with two hearts. She grew up near Huddersfield, West Yorkshire, and is, she says, “really emotional”, a trait she turned to good use in a series of harrowing parts, most famously in Broadchurch, where she played a grieving mother alongside David Tennant (himself the 10th Doctor). When the Broadchurch creator Chris Chibnall took over as Doctor Who showrunner, he said that casting Whittaker was “a no-brainer”. Their first series came out in 2018, and this year Chibnall revealed that the two of them had a “three series and out” pact. In July, they announced they would be leaving the show after three specials, which will air in 2022, when Russell T Davies will return as showrunner and a new Doctor will take over from Whittaker. Her final full series of Doctor Who, subtitled Flux, ends on 5 December.

    In summer, you said that you thought you’d be “filled with grief” at the end of your run. It has been a few weeks since you filmed your last scene as the Doctor – how are you feeling?
    I’ve literally just got off the phone with Mandip [Gill, who plays the Doctor’s companion, Yasmin Khan]. It’s been four years of my life. My grief of saying goodbye to the job is one thing. But it won’t feel like the end until it’s the end. It’s the everydayness of these people and this atmosphere and this group … I find myself monologuing at various people on WhatsApp, checking that they miss me! Mandip’s had to take the blue ticks off because I’m “exhausting”.

    Continue reading...", - "category": "Jodie Whittaker", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/04/jodie-whittaker-on-saying-goodbye-to-doctor-who-i-thought-what-if-ive-ruined-this-for-actresses", - "creator": "Rebecca Nicholson", - "pubDate": "2021-12-04T09:00:22Z", + "title": "'Don't bring any more of those': people try to stop crew going to sea to save refugees – video", + "description": "

    The RNLI has confirmed an incident took place following claims a lifeboat crew was blocked from going to sea by people opposing the rescuing of refugees in the Channel. Hastings, which has a population of about 100,000, is on the frontline of the small boat arrivals. Refugees have been landing on its beach since 2019 but in line with the overall tripling of numbers this year there has been a huge increase, particularly in the last month.

    Continue reading...", + "content": "

    The RNLI has confirmed an incident took place following claims a lifeboat crew was blocked from going to sea by people opposing the rescuing of refugees in the Channel. Hastings, which has a population of about 100,000, is on the frontline of the small boat arrivals. Refugees have been landing on its beach since 2019 but in line with the overall tripling of numbers this year there has been a huge increase, particularly in the last month.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/video/2021/nov/30/dont-bring-any-more-of-those-people-try-to-stop-crew-going-out-to-sea-to-save-refugees-video", + "creator": "", + "pubDate": "2021-11-30T20:48:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128176,16 +154613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "56bdf5d3360a68e0f374d4a34f1dba8c" + "hash": "267758bc2608a6970808e949b8be497d" }, { - "title": "Best biographies and memoirs of 2021", - "description": "

    Brian Cox is punchy, David Harewood candid and Miriam Margolyes raucously indiscreet

    In a bonanza year for memoirs, Ruth Coker Burks got us off to a strong start with All the Young Men (Trapeze), a clear-eyed and poignant account of her years spent looking after Aids patients in Little Rock, Arkansas, in the 1980s. While visiting a friend in hospital, Burks witnessed a group of nurses drawing straws over who should enter a room labelled “Biohazard”, the ward for men with “that gay disease”. And so she took it upon herself to sit with the dying and bury them when their families wouldn’t. Later, as the scale of fear and prejudice became apparent, she helped patients with food, transport, social security and housing, often at enormous personal cost. Her book, written with Kevin Carr O’Leary, finds light in the darkness as it reveals the love and camaraderie of a hidden community fighting for its life.

    Sadness and joy also go hand-in-hand in What It Feels Like for a Girl (Penguin), an exuberant account of Paris Lees’s tearaway teenage years in Hucknall, Nottinghamshire, where “the streets are paved wi’ dog shit”. Her gender nonconformity is just one aspect of an adolescence that also features bullying, violence, prostitution, robbery and a spell in a young offenders’ institute. Yet despite the many traumas, Lees finds joy and kinship in the underground club scene and a group of drag queens who cocoon her in love and laughter.

    Continue reading...", - "content": "

    Brian Cox is punchy, David Harewood candid and Miriam Margolyes raucously indiscreet

    In a bonanza year for memoirs, Ruth Coker Burks got us off to a strong start with All the Young Men (Trapeze), a clear-eyed and poignant account of her years spent looking after Aids patients in Little Rock, Arkansas, in the 1980s. While visiting a friend in hospital, Burks witnessed a group of nurses drawing straws over who should enter a room labelled “Biohazard”, the ward for men with “that gay disease”. And so she took it upon herself to sit with the dying and bury them when their families wouldn’t. Later, as the scale of fear and prejudice became apparent, she helped patients with food, transport, social security and housing, often at enormous personal cost. Her book, written with Kevin Carr O’Leary, finds light in the darkness as it reveals the love and camaraderie of a hidden community fighting for its life.

    Sadness and joy also go hand-in-hand in What It Feels Like for a Girl (Penguin), an exuberant account of Paris Lees’s tearaway teenage years in Hucknall, Nottinghamshire, where “the streets are paved wi’ dog shit”. Her gender nonconformity is just one aspect of an adolescence that also features bullying, violence, prostitution, robbery and a spell in a young offenders’ institute. Yet despite the many traumas, Lees finds joy and kinship in the underground club scene and a group of drag queens who cocoon her in love and laughter.

    Continue reading...", - "category": "Autobiography and memoir", - "link": "https://www.theguardian.com/books/2021/dec/04/best-biographies-and-memoirs-of-2021", - "creator": "Fiona Sturges", - "pubDate": "2021-12-04T12:00:25Z", + "title": "Josephine Baker, music hall star and civil rights activist, enters Panthéon", + "description": "

    French-American war hero is first Black woman inducted into Paris mausoleum for revered figures

    Josephine Baker, the French-American civil rights activist, music hall superstar and second world war resistance hero, has become the first Black woman to enter France’s Panthéon mausoleum of revered historical figures – taking the nation’s highest honour at a moment when tensions over national identity and immigration are dominating the run-up to next year’s presidential race.

    The elaborate ceremony on Tuesday – presided over by the French president, Emmanuel Macron – focused on Baker’s legacy as a resistance fighter, activist and anti-fascist who fled the racial segregation of the 1920s US for the Paris cabaret stage, and who fought for inclusion and against hatred.

    Continue reading...", + "content": "

    French-American war hero is first Black woman inducted into Paris mausoleum for revered figures

    Josephine Baker, the French-American civil rights activist, music hall superstar and second world war resistance hero, has become the first Black woman to enter France’s Panthéon mausoleum of revered historical figures – taking the nation’s highest honour at a moment when tensions over national identity and immigration are dominating the run-up to next year’s presidential race.

    The elaborate ceremony on Tuesday – presided over by the French president, Emmanuel Macron – focused on Baker’s legacy as a resistance fighter, activist and anti-fascist who fled the racial segregation of the 1920s US for the Paris cabaret stage, and who fought for inclusion and against hatred.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/nov/30/black-french-american-rights-activist-josephine-baker-enters-pantheon", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-11-30T18:16:10Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128196,16 +154633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1cb506aebf93e0d01a61eb2dd0547f0b" + "hash": "749a7089e0322e10609ab0925c520f65" }, { - "title": "Storm Arwen: over 9,000 UK homes still without power after eight days", - "description": "

    Delays prompt energy regulator to threaten enforcement action and increase compensation payments

    Thousands of people are still without power eight days after Storm Arwen caused major damage to parts of the UK network.

    The latest figures from the Energy Networks Association (ENA), the national industry body, show about 9,200 homes were without power on Friday evening.

    Continue reading...", - "content": "

    Delays prompt energy regulator to threaten enforcement action and increase compensation payments

    Thousands of people are still without power eight days after Storm Arwen caused major damage to parts of the UK network.

    The latest figures from the Energy Networks Association (ENA), the national industry body, show about 9,200 homes were without power on Friday evening.

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/2021/dec/04/storm-arwen-over-9000-uk-homes-still-without-power-after-eight-days", - "creator": "PA Media", - "pubDate": "2021-12-04T11:28:38Z", + "title": "Lust actually: Christmas movies are everywhere – and this year they’re horny", + "description": "

    Move over, Miracle on 34th Street and Elf. As we face another troubled festive season, there will be some surprisingly saucy viewing

    Name: Blue Christmas films.

    Age: New.

    Continue reading...", + "content": "

    Move over, Miracle on 34th Street and Elf. As we face another troubled festive season, there will be some surprisingly saucy viewing

    Name: Blue Christmas films.

    Age: New.

    Continue reading...", + "category": "Christmas", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/30/lust-actually-christmas-movies-are-everywhere-and-this-year-theyre-horny", + "creator": "", + "pubDate": "2021-11-30T18:16:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128216,16 +154653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "820514a68f2debee858a7d0bbe9a77c6" + "hash": "414e04dfc1b19f413c44814ab878ee7d" }, { - "title": "Nevada supreme court: gun makers not liable for 2017 Vegas shooting deaths", - "description": "
    • Stephen Paddock killed 60 with modified AR-15 rifle
    • Parents of one victim sued Colt and other manufacturers

    The Nevada supreme court has said gun manufacturers cannot be held liable for deaths in the 2017 mass shooting on the Las Vegas Strip which killed 60, because a state law shields them from liability unless the weapon malfunctions.

    The parents of a woman among those killed at a packed music festival filed a wrongful death suit against Colt Manufacturing and several other gun manufacturers in July 2019.

    Continue reading...", - "content": "
    • Stephen Paddock killed 60 with modified AR-15 rifle
    • Parents of one victim sued Colt and other manufacturers

    The Nevada supreme court has said gun manufacturers cannot be held liable for deaths in the 2017 mass shooting on the Las Vegas Strip which killed 60, because a state law shields them from liability unless the weapon malfunctions.

    The parents of a woman among those killed at a packed music festival filed a wrongful death suit against Colt Manufacturing and several other gun manufacturers in July 2019.

    Continue reading...", - "category": "Nevada", - "link": "https://www.theguardian.com/us-news/2021/dec/04/nevada-supreme-court-gun-makers-2017-mass-shooting-60-deaths-stephen-paddock", - "creator": "Associated Press in Reno, Nevada", - "pubDate": "2021-12-04T13:04:43Z", + "title": "‘She defined modern Germany’: Blair, Barroso and Prodi on Angela Merkel", + "description": "

    When she first took office her fellow leaders included Blair, Chirac and Bush. Three of those at her first G8 summit look back on her legacy

    European Commission president, 2004-14

    Continue reading...", + "content": "

    When she first took office her fellow leaders included Blair, Chirac and Bush. Three of those at her first G8 summit look back on her legacy

    European Commission president, 2004-14

    Continue reading...", + "category": "Angela Merkel", + "link": "https://www.theguardian.com/world/2021/nov/30/slugs-angela-merkel-blair-barroso-prodi-on-germany-leader", + "creator": "Philip Oltermann", + "pubDate": "2021-11-30T10:37:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128236,16 +154673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9360a7ec6fea55a43ae9d3985c9b16e6" + "hash": "5665f3da0df2747eaf5dc88d7b6ab22d" }, { - "title": "El Salvador ‘responsible for death of woman jailed after miscarriage’", - "description": "

    Inter-American court of human rights orders Central American country to reform harsh policies on reproductive health

    The Inter-American court of human rights has ruled that El Salvador was responsible for the death of Manuela, a woman who was jailed in 2008 for killing her baby when she suffered a miscarriage.

    The court has ordered the Central American country to reform its draconian policies on reproductive health.

    Continue reading...", - "content": "

    Inter-American court of human rights orders Central American country to reform harsh policies on reproductive health

    The Inter-American court of human rights has ruled that El Salvador was responsible for the death of Manuela, a woman who was jailed in 2008 for killing her baby when she suffered a miscarriage.

    The court has ordered the Central American country to reform its draconian policies on reproductive health.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/02/el-salvador-responsible-for-death-of-woman-jailed-after-miscarriage", - "creator": "Joe Parkin Daniels in Bogota", - "pubDate": "2021-12-02T08:00:19Z", + "title": "There Is No Evil review – passionate plea against Iran’s soul-poisoning executions", + "description": "

    Dissident Mohammad Rasoulof blasts against his country’s profligate use of capital punishment that includes making citizens carry out death sentences

    Maybe you don’t go to Iranian cinema for nail-biting action and suspense. But that’s what you are given in this arresting portmanteau film, the Golden Bear winner at last year’s Berlin film festival. It is written and directed by film-maker and democracy campaigner Mohammad Rasoulof, who has repeatedly been victimised by the Iranian government for his dissident “propaganda” – most recently, in 2020, with a one-year prison sentence and two-year ban on film-making. As with Rasoulof’s fellow Iranian director Jafar Panahi, a ban of this sort can be finessed, by playing on the government’s strange pedantry and hypocrisy. If the film is technically registered to someone else and shown outside Iran at international film festivals where its appearance boosts Iran’s cultural prestige, the authorities appear to let it slide, though persist with harassment.

    There Is No Evil consists of four short stories – with twists and ingeniously concealed interconnections – on the topic of the death penalty and how it is poisoning the country’s soul. Hundreds of people are executed a year in Iran, including children. Execution of the condemned criminal is the job of civilian functionaries but also widely carried out by soldiers doing compulsory national service.

    Continue reading...", + "content": "

    Dissident Mohammad Rasoulof blasts against his country’s profligate use of capital punishment that includes making citizens carry out death sentences

    Maybe you don’t go to Iranian cinema for nail-biting action and suspense. But that’s what you are given in this arresting portmanteau film, the Golden Bear winner at last year’s Berlin film festival. It is written and directed by film-maker and democracy campaigner Mohammad Rasoulof, who has repeatedly been victimised by the Iranian government for his dissident “propaganda” – most recently, in 2020, with a one-year prison sentence and two-year ban on film-making. As with Rasoulof’s fellow Iranian director Jafar Panahi, a ban of this sort can be finessed, by playing on the government’s strange pedantry and hypocrisy. If the film is technically registered to someone else and shown outside Iran at international film festivals where its appearance boosts Iran’s cultural prestige, the authorities appear to let it slide, though persist with harassment.

    There Is No Evil consists of four short stories – with twists and ingeniously concealed interconnections – on the topic of the death penalty and how it is poisoning the country’s soul. Hundreds of people are executed a year in Iran, including children. Execution of the condemned criminal is the job of civilian functionaries but also widely carried out by soldiers doing compulsory national service.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/nov/30/there-is-no-evil-review-passionate-plea-against-irans-soul-poisoning-executions", + "creator": "Peter Bradshaw", + "pubDate": "2021-11-30T10:00:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128256,16 +154693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "47d10e7c67c3329467c201659bd26c72" + "hash": "5efcb5ff2d6c96ff371db3d0cda88a70" }, { - "title": "Stoneycroft murder charge after woman’s body found", - "description": "

    Mohammad Ureza Azizi, 57, to face court charged with murdering Malak ‘Katy’ Adabzadeh who was found dead in house on 25 November

    A man has been charged with the murder of a 47-year-old woman whose body was found at a house in Stoneycroft, Liverpool.

    Emergency services were called to The Green around 4.55pm on 25 November to reports Malak Adabzadeh had been found in a house, Merseyside police said.

    Continue reading...", - "content": "

    Mohammad Ureza Azizi, 57, to face court charged with murdering Malak ‘Katy’ Adabzadeh who was found dead in house on 25 November

    A man has been charged with the murder of a 47-year-old woman whose body was found at a house in Stoneycroft, Liverpool.

    Emergency services were called to The Green around 4.55pm on 25 November to reports Malak Adabzadeh had been found in a house, Merseyside police said.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/04/stoneycroft-charge-after-womans-body-found", - "creator": "Press Association", - "pubDate": "2021-12-04T05:54:34Z", + "title": "Trump chief of staff Meadows to cooperate with Capitol attack panel – live", + "description": "

    Mark Meadows, formerly Donald Trump’s chief of staff, has reached an agreement to cooperate, at least initially, with the bipartisan House committee investigating the insurrection at the US Capitol on January 6 this year by extremist supporters of the-then president, according to CNN.

    Meadows is providing records and agreeing to appear for an initial interview, the cable news company is reporting in an exclusive published moments ago.

    Meadows’ lawyer George Terwilliger said in a statement to CNN that there is now an understanding between the two parties on how information can be exchanged moving forward, stating that his client and the committee are open to engaging on a certain set of topics as they work out how to deal with information that the committee is seeking that could fall under executive privilege.

    But the agreement could be fragile if the two sides do not agree on what is privileged information. News of the understanding comes as Trump’s lawyers argued in front of a federal appeals court in Washington that the former President should be able to assert executive privilege over records from the committee.

    Continue reading...", + "content": "

    Mark Meadows, formerly Donald Trump’s chief of staff, has reached an agreement to cooperate, at least initially, with the bipartisan House committee investigating the insurrection at the US Capitol on January 6 this year by extremist supporters of the-then president, according to CNN.

    Meadows is providing records and agreeing to appear for an initial interview, the cable news company is reporting in an exclusive published moments ago.

    Meadows’ lawyer George Terwilliger said in a statement to CNN that there is now an understanding between the two parties on how information can be exchanged moving forward, stating that his client and the committee are open to engaging on a certain set of topics as they work out how to deal with information that the committee is seeking that could fall under executive privilege.

    But the agreement could be fragile if the two sides do not agree on what is privileged information. News of the understanding comes as Trump’s lawyers argued in front of a federal appeals court in Washington that the former President should be able to assert executive privilege over records from the committee.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/nov/30/us-congress-government-shutdown-washington-us-politics-live", + "creator": "Vivian Ho", + "pubDate": "2021-11-30T21:54:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128276,16 +154713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "842ae29017f313abffea629585518996" + "hash": "fdb9513c2416fea2c844303406eb8b60" }, { - "title": "US military academies’ aim of equality rings hollow for graduates of color", - "description": "

    Despite anti-discrimination policies ex-cadets say racism is rife in institutions that still honor Confederate generals

    Eight years after he graduated from the US Military Academy at West Point, New York, Geoffrey Easterling remains astonished by the Confederate history still memorialized on the storied academy’s campus – the six-foot-tall painting of the Confederate general Robert E Lee in the library, the barracks dormitory named for Lee and the Lee Gate on Lee Road.

    As a black student at the army academy, he remembers feeling “devastated” when a classmate pointed out the enslaved person also depicted in the life-size Lee painting.

    Continue reading...", - "content": "

    Despite anti-discrimination policies ex-cadets say racism is rife in institutions that still honor Confederate generals

    Eight years after he graduated from the US Military Academy at West Point, New York, Geoffrey Easterling remains astonished by the Confederate history still memorialized on the storied academy’s campus – the six-foot-tall painting of the Confederate general Robert E Lee in the library, the barracks dormitory named for Lee and the Lee Gate on Lee Road.

    As a black student at the army academy, he remembers feeling “devastated” when a classmate pointed out the enslaved person also depicted in the life-size Lee painting.

    Continue reading...", - "category": "US military", - "link": "https://www.theguardian.com/us-news/2021/dec/04/us-military-academies-racism-graduates-of-color", - "creator": "Associated Press", - "pubDate": "2021-12-04T11:00:24Z", + "title": "Speed, decisiveness, cooperation: how a tiny Taiwanese village overcame Delta", + "description": "

    A rural community of 5,500 people, with an under-resourced health system, came together to take on Covid. International news editor Bonnie Malkin introduces this story about a community effort to confront Delta


    You can read the original article here: Speed, decisiveness, cooperation: how a tiny Taiwan village overcame Delta


    Continue reading...", + "content": "

    A rural community of 5,500 people, with an under-resourced health system, came together to take on Covid. International news editor Bonnie Malkin introduces this story about a community effort to confront Delta


    You can read the original article here: Speed, decisiveness, cooperation: how a tiny Taiwan village overcame Delta


    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/audio/2021/dec/01/speed-decisiveness-cooperation-how-a-tiny-taiwanese-village-overcame-delta", + "creator": "Hosted by Jane Lee. Recommended by Bonnie Malkin. Written by Helen Davidson. Read by Jason Chong. Produced by Camilla Hannan, Daniel Semo and Allison Chan. Executive producers Gabrielle Jackson and Melanie Tait", + "pubDate": "2021-11-30T16:30:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128296,16 +154733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6984a64e88af86941c472cba3519df22" + "hash": "85a86b06ea77484f2a6c74760511bfc2" }, { - "title": "‘Mesmerising’: a massive murmuration of budgies is turning central Australia green and gold", - "description": "

    After a bumper wet season, huge flocks of budgerigars are on the move in the deserts of the Northern Territory

    The humble budgerigar has transformed the red centre into a sea of green and gold.

    A massive murmuration – the phenomenon of thousands of birds flocking together – has swarmed the Northern Territory.

    Continue reading...", - "content": "

    After a bumper wet season, huge flocks of budgerigars are on the move in the deserts of the Northern Territory

    The humble budgerigar has transformed the red centre into a sea of green and gold.

    A massive murmuration – the phenomenon of thousands of birds flocking together – has swarmed the Northern Territory.

    Continue reading...", - "category": "Birds", - "link": "https://www.theguardian.com/environment/2021/dec/04/mesmerising-a-massive-murmuration-of-budgies-is-turning-central-australia-green-and-gold", - "creator": "Cait Kelly", - "pubDate": "2021-12-03T19:00:05Z", + "title": "Australia news updates live: bigger quarantine fines in NSW over Omicron; parliament under pressure on second-last day", + "description": "

    Labor reportedly ditching fuel emissions standards policy; penalties of $5,000 for those who fail to comply with quarantine or testing requirements come into force as authorities attempt to curb the Omicron Covid variant – follow the day’s news live

    Scott Morrison was asked about his senator David Van’s interjections in the senate yesterday, and he had this to say:

    I expect all parliamentary leaders to be seeking to be uphold those standards have been in the Parliament a long time. Just last week the interjections that I was hearing in the chamber coming across, I mean, these are things that all parliamentary leaders continue to have to uphold the standards of and I expect that of my team and I was very, very disappointed about that.

    In February this year, I spoke about integrity and conduct. Politics is about perception, and, regrettably, the public perception of our politicians is not good. Repeatedly, politicians from local, state and federal ranks have acted without integrity and contributed to the ongoing and deteriorating perception of the body politic.

    In any survey about the most trusted professions in our society, politicians usually rank amongst the lowest, and why wouldn’t this be the case, given the continued exposure of questionable activities over the years? Whether it’s alleged lies in election campaigns, dodgy preselections, misappropriation of public monies, personal benefits resulting from insider information, monies sequestered in overseas tax havens, abuse of office for personal advantage, dodgy land deals or connections with foreign governments, the list goes on and on.

    Continue reading...", + "content": "

    Labor reportedly ditching fuel emissions standards policy; penalties of $5,000 for those who fail to comply with quarantine or testing requirements come into force as authorities attempt to curb the Omicron Covid variant – follow the day’s news live

    Scott Morrison was asked about his senator David Van’s interjections in the senate yesterday, and he had this to say:

    I expect all parliamentary leaders to be seeking to be uphold those standards have been in the Parliament a long time. Just last week the interjections that I was hearing in the chamber coming across, I mean, these are things that all parliamentary leaders continue to have to uphold the standards of and I expect that of my team and I was very, very disappointed about that.

    In February this year, I spoke about integrity and conduct. Politics is about perception, and, regrettably, the public perception of our politicians is not good. Repeatedly, politicians from local, state and federal ranks have acted without integrity and contributed to the ongoing and deteriorating perception of the body politic.

    In any survey about the most trusted professions in our society, politicians usually rank amongst the lowest, and why wouldn’t this be the case, given the continued exposure of questionable activities over the years? Whether it’s alleged lies in election campaigns, dodgy preselections, misappropriation of public monies, personal benefits resulting from insider information, monies sequestered in overseas tax havens, abuse of office for personal advantage, dodgy land deals or connections with foreign governments, the list goes on and on.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/dec/01/australia-news-updates-live-covid-omicron-scott-morrison-parliament-nsw-victoria-coronavirus-travel-restrictions-quarantine-australian-politics", + "creator": "Amy Remeikis", + "pubDate": "2021-11-30T21:53:07Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128316,16 +154753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b2f0b87462b7d5dfa11f0f8f9d1cecf6" + "hash": "f2b369f56837691bc909079fac4959ff" }, { - "title": "Grounded! What did a year without flying do to the world?", - "description": "

    Normally, planes are in constant motion, pinballing between continents. But in March 2020 all that came to a halt. What did it mean for our jobs, our horizons – and the planet?

    On 14 March 2020, I left my home in the Orkney Islands to drive to Edinburgh international airport. I was due to travel to Germany for a research trip. Full of nervous anticipation, and making frantic last-minute preparations, I hadn’t paid as much attention to the coronavirus crisis as I might have, but events were developing so quickly across Europe, it was dawning on me that international travel might not be an option for much longer.

    By 5am, as I boarded the ferry, the radio bulletins seemed apocalyptic. On board, passengers sat separately, in their own private islands of paranoia. I wore a mask over my nose and mouth, and cleaned my armrests with a baby wipe soaked in Dettol. In the toilets, the ship pitching beneath my feet, I scrubbed my hands for 60 seconds and examined my own reflection. Grey, I thought. Anxious.

    Continue reading...", - "content": "

    Normally, planes are in constant motion, pinballing between continents. But in March 2020 all that came to a halt. What did it mean for our jobs, our horizons – and the planet?

    On 14 March 2020, I left my home in the Orkney Islands to drive to Edinburgh international airport. I was due to travel to Germany for a research trip. Full of nervous anticipation, and making frantic last-minute preparations, I hadn’t paid as much attention to the coronavirus crisis as I might have, but events were developing so quickly across Europe, it was dawning on me that international travel might not be an option for much longer.

    By 5am, as I boarded the ferry, the radio bulletins seemed apocalyptic. On board, passengers sat separately, in their own private islands of paranoia. I wore a mask over my nose and mouth, and cleaned my armrests with a baby wipe soaked in Dettol. In the toilets, the ship pitching beneath my feet, I scrubbed my hands for 60 seconds and examined my own reflection. Grey, I thought. Anxious.

    Continue reading...", - "category": "Travel", - "link": "https://www.theguardian.com/travel/2021/dec/04/grounded-what-did-a-year-without-flying-do-to-the-world", - "creator": "Cal Flyn", - "pubDate": "2021-12-04T06:00:18Z", + "title": "Botswana upholds ruling decriminalising same-sex relationships", + "description": "

    Court of appeal decision hailed as victory for LGBTQ+ community that could encourage other African countries to follow suit

    Gay rights campaigners expressed joy at the Botswana court of appeal’s decision to uphold a ruling that decriminalised same-sex relationships, saying the country’s judiciary had set an example for other African countries.

    The government had appealed a 2019 ruling that criminalising homosexuality was unconstitutional. The ruling had been hailed as a major victory for gay rights campaigners on the continent, following an unsuccessful attempt in Kenya to repeal colonial-era laws criminalising gay sex.

    Continue reading...", + "content": "

    Court of appeal decision hailed as victory for LGBTQ+ community that could encourage other African countries to follow suit

    Gay rights campaigners expressed joy at the Botswana court of appeal’s decision to uphold a ruling that decriminalised same-sex relationships, saying the country’s judiciary had set an example for other African countries.

    The government had appealed a 2019 ruling that criminalising homosexuality was unconstitutional. The ruling had been hailed as a major victory for gay rights campaigners on the continent, following an unsuccessful attempt in Kenya to repeal colonial-era laws criminalising gay sex.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/29/botswana-upholds-ruling-decriminalising-same-sex-relationships", + "creator": "Nyasha Chingono in Harare", + "pubDate": "2021-11-29T15:58:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128336,16 +154773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "059be5632fbad25cebb62c1be1637129" + "hash": "86777d060ccbc058c1a17360ed0df5ac" }, { - "title": "Blind date: ‘It would have been better if he hadn’t had to stop for a takeaway on the way home’", - "description": "

    Adriana, 27, reporter, meets Streisand, 27, freelance reporter

    Adriana on Streisand

    What were you hoping for?
    A good night, some delish food and to meet someone fun and exciting.

    Continue reading...", - "content": "

    Adriana, 27, reporter, meets Streisand, 27, freelance reporter

    Adriana on Streisand

    What were you hoping for?
    A good night, some delish food and to meet someone fun and exciting.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/04/blind-date-adriana-streisand", - "creator": "", - "pubDate": "2021-12-04T06:00:18Z", + "title": "Can the Gambia turn the tide to save its shrinking beaches?", + "description": "

    In a developing country reliant on its tourist industry, the rapidly eroding ‘smiling coast’ shows the urgent need for action on climate change

    When Saikou Demba was a young man starting out in the hospitality business, he opened a little hotel on the Gambian coast called the Leybato and ran a beach bar on the wide expanse of golden sand. The hotel is still there, a relaxed spot where guests can lie in hammocks beneath swaying palm trees and stroll along shell-studded pathways. But the beach bar is not. At high tide, Demba reckons it would be about five or six metres into the sea.

    “The first year the tide came in high but it was OK,” he says. “The second year, the tide came in high but it was OK. The third year, I came down one day and it [the bar] wasn’t there: half of it went into the sea.”

    Continue reading...", + "content": "

    In a developing country reliant on its tourist industry, the rapidly eroding ‘smiling coast’ shows the urgent need for action on climate change

    When Saikou Demba was a young man starting out in the hospitality business, he opened a little hotel on the Gambian coast called the Leybato and ran a beach bar on the wide expanse of golden sand. The hotel is still there, a relaxed spot where guests can lie in hammocks beneath swaying palm trees and stroll along shell-studded pathways. But the beach bar is not. At high tide, Demba reckons it would be about five or six metres into the sea.

    “The first year the tide came in high but it was OK,” he says. “The second year, the tide came in high but it was OK. The third year, I came down one day and it [the bar] wasn’t there: half of it went into the sea.”

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/28/can-the-gambia-turn-the-tide-to-save-its-shrinking-beaches", + "creator": "Lizzy Davies in Fajara", + "pubDate": "2021-11-28T13:00:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128356,16 +154793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3e712d99250bae2c6a92fecc9e59b46f" + "hash": "c62f2ec4fe1b5df4b1183fa65c85eee1" }, { - "title": "Best fiction of 2021", - "description": "

    Dazzling debuts, a word-of-mouth hit, plus this year’s bestsellers from Sally Rooney, Jonathan Franzen, Kazuo Ishiguro and more

    The most anticipated, discussed and accessorised novel of the year was Sally Rooney’s Beautiful World, Where Are You (Faber), launched on a tide of tote bags and bucket hats. It’s a book about the accommodations of adulthood, which plays with interiority and narrative distance as Rooney’s characters consider the purpose of friendship, sex and politics – plus the difficulties of fame and novel-writing – in a world on fire.

    Rooney’s wasn’t the only eagerly awaited new chapter. Polish Nobel laureate Olga Tokarczuk’s magnum opus The Books of Jacob (Fitzcarraldo) reached English-language readers at last, in a mighty feat of translation by Jennifer Croft: a dazzling historical panorama about enlightenment both spiritual and scientific. In 2021 we also saw the returns of Jonathan Franzen, beginning a fine and involving 70s family trilogy with Crossroads (4th Estate); Kazuo Ishiguro, whose Klara and the Sun (Faber) probes the limits of emotion in the story of a sickly girl and her “artificial friend”; and acclaimed US author Gayl Jones, whose epic of liberated slaves in 17th-century Brazil, Palmares (Virago), has been decades in the making.

    Continue reading...", - "content": "

    Dazzling debuts, a word-of-mouth hit, plus this year’s bestsellers from Sally Rooney, Jonathan Franzen, Kazuo Ishiguro and more

    The most anticipated, discussed and accessorised novel of the year was Sally Rooney’s Beautiful World, Where Are You (Faber), launched on a tide of tote bags and bucket hats. It’s a book about the accommodations of adulthood, which plays with interiority and narrative distance as Rooney’s characters consider the purpose of friendship, sex and politics – plus the difficulties of fame and novel-writing – in a world on fire.

    Rooney’s wasn’t the only eagerly awaited new chapter. Polish Nobel laureate Olga Tokarczuk’s magnum opus The Books of Jacob (Fitzcarraldo) reached English-language readers at last, in a mighty feat of translation by Jennifer Croft: a dazzling historical panorama about enlightenment both spiritual and scientific. In 2021 we also saw the returns of Jonathan Franzen, beginning a fine and involving 70s family trilogy with Crossroads (4th Estate); Kazuo Ishiguro, whose Klara and the Sun (Faber) probes the limits of emotion in the story of a sickly girl and her “artificial friend”; and acclaimed US author Gayl Jones, whose epic of liberated slaves in 17th-century Brazil, Palmares (Virago), has been decades in the making.

    Continue reading...", - "category": "Best books of the year", - "link": "https://www.theguardian.com/books/2021/dec/04/best-fiction-of-2021", - "creator": "Justine Jordan", - "pubDate": "2021-12-04T09:00:21Z", + "title": "Channel crossings: who would make such a dangerous journey – and why?", + "description": "

    Most of the people who reach the UK after risking their lives in small boats have their claims for asylum approved

    Last week’s tragedy in the Channel has reopened the debate on how to stop people making dangerous crossings, with the solutions presented by the government focused on how to police the waters.

    Less has been said about where those people come from, with most fleeing conflicts and persecution. About two-thirds of people arriving on small boats between January 2020 and May 2021 were from Iran, Iraq, Sudan and Syria. Many also came from Eritrea, from where 80% of asylum applications were approved.

    Continue reading...", + "content": "

    Most of the people who reach the UK after risking their lives in small boats have their claims for asylum approved

    Last week’s tragedy in the Channel has reopened the debate on how to stop people making dangerous crossings, with the solutions presented by the government focused on how to police the waters.

    Less has been said about where those people come from, with most fleeing conflicts and persecution. About two-thirds of people arriving on small boats between January 2020 and May 2021 were from Iran, Iraq, Sudan and Syria. Many also came from Eritrea, from where 80% of asylum applications were approved.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/28/channel-crossings-asylum-refugees-dangerous-journey", + "creator": "Kaamil Ahmed", + "pubDate": "2021-11-28T07:30:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128376,16 +154813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8df88746fb9eee28b870f437d7a80c8f" + "hash": "e48b4a14fe7d164ad4b0aded46c112e0" }, { - "title": "Supreme court case prompts California lawmaker to share her abortion experience", - "description": "

    Buffy Wicks speaks out about emergency procedure amid threat to Roe v Wade: ‘This story is not uncommon’

    Early one morning this fall, the California state assemblywoman Buffy Wicks felt a type of pain she had never experienced before.

    Wicks, 44, found herself doubled over in pain, barely able to walk or get her daughter ready for school. At her doctor’s shortly after, she learned that she was pregnant and having a miscarriage and would need an emergency abortion. Twenty-four hours later she had the procedure.

    Continue reading...", - "content": "

    Buffy Wicks speaks out about emergency procedure amid threat to Roe v Wade: ‘This story is not uncommon’

    Early one morning this fall, the California state assemblywoman Buffy Wicks felt a type of pain she had never experienced before.

    Wicks, 44, found herself doubled over in pain, barely able to walk or get her daughter ready for school. At her doctor’s shortly after, she learned that she was pregnant and having a miscarriage and would need an emergency abortion. Twenty-four hours later she had the procedure.

    Continue reading...", - "category": "California", - "link": "https://www.theguardian.com/us-news/2021/dec/04/buffy-wicks-abortion-supreme-court-twitter", - "creator": "Abené Clayton in Los Angeles", - "pubDate": "2021-12-04T11:00:24Z", + "title": "‘We will start again’: Afghan female MPs fight on from parliament in exile", + "description": "

    From Greece the women are advocating for fellow refugees – and those left behind under Taliban rule

    It is a Saturday morning in November, and Afghan MP Nazifa Yousufi Bek gathers up her notes and prepares to head for the office. But instead of jumping in an armoured car bound for the mahogany-lined parliament in Kabul, her journey is by bus from a Greek hotel to a migrants’ organisation in the centre of Athens. There, taking her place on a folding chair, she inaugurates the Afghan women’s parliament in – exile.

    “Our people have nothing. Mothers are selling their children,” she tells a room packed with her peers. “We must raise our voices, we must put a stop to this,” says Yousufi Bek, 35, who fled Afghanistan with her husband and three young children after the Taliban swept to power in August. Some around her nod in agreement; others quietly weep.

    Continue reading...", + "content": "

    From Greece the women are advocating for fellow refugees – and those left behind under Taliban rule

    It is a Saturday morning in November, and Afghan MP Nazifa Yousufi Bek gathers up her notes and prepares to head for the office. But instead of jumping in an armoured car bound for the mahogany-lined parliament in Kabul, her journey is by bus from a Greek hotel to a migrants’ organisation in the centre of Athens. There, taking her place on a folding chair, she inaugurates the Afghan women’s parliament in – exile.

    “Our people have nothing. Mothers are selling their children,” she tells a room packed with her peers. “We must raise our voices, we must put a stop to this,” says Yousufi Bek, 35, who fled Afghanistan with her husband and three young children after the Taliban swept to power in August. Some around her nod in agreement; others quietly weep.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/global-development/2021/nov/27/we-will-start-again-afghan-female-mps-now-refugees-are-still-fighting-for-rights", + "creator": "Amie Ferris-Rotman", + "pubDate": "2021-11-27T12:00:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128396,16 +154833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4a8c95c6f881b8546da70c4df7f2e08c" + "hash": "dab63ede33a36ebb9573fefad7567307" }, { - "title": "Covid live: Omicron variant could cause ‘large wave of infections’, UK scientists warn; Switzerland tightens restrictions", - "description": "

    UK government advisers say Omicron variant could lead to wave requiring ‘stringent response measures’; Swiss government reinforces mask rules

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", - "content": "

    UK government advisers say Omicron variant could lead to wave requiring ‘stringent response measures’; Swiss government reinforces mask rules

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/03/covid-news-live-new-york-state-detects-five-cases-of-omicron-variant-as-new-us-air-travel-rules-loom", - "creator": "Caroline Davies (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-03T18:06:40Z", + "title": "‘Taste this, it’s salty’: how rising seas are ruining the Gambia’s rice farmers", + "description": "

    The farmers, mostly women, once grew enough but must now buy imported rice as the climate crisis edges them into poverty

    In the sweltering heat of the late-morning west African sun, Aminata Jamba slashes at golden rice stalks with a sickle. “The rice is lovely,” she says, music playing in the background as her son, Sampa, silently harvests the grain. But even if the quality is high, the quantity is not.

    While once Jamba could have expected to harvest enough rice to last the whole year, this year she reckons it will last three to four months. After that, she will have to look elsewhere for a way to feed her family and make enough money to live.

    Continue reading...", + "content": "

    The farmers, mostly women, once grew enough but must now buy imported rice as the climate crisis edges them into poverty

    In the sweltering heat of the late-morning west African sun, Aminata Jamba slashes at golden rice stalks with a sickle. “The rice is lovely,” she says, music playing in the background as her son, Sampa, silently harvests the grain. But even if the quality is high, the quantity is not.

    While once Jamba could have expected to harvest enough rice to last the whole year, this year she reckons it will last three to four months. After that, she will have to look elsewhere for a way to feed her family and make enough money to live.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/27/taste-this-its-salty-how-rising-seas-are-ruining-the-gambias-rice-farmers", + "creator": "Lizzy Davies in Kerewan", + "pubDate": "2021-11-27T07:15:50Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128416,16 +154853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "17b4b32d93c954f2ee63170a0c4c806f" + "hash": "3181c0bf9e2897f646662cc05878b19d" }, { - "title": "Maxwell prosecutors: ‘sexualized’ photo of young girl displayed outside Epstein bedroom", - "description": "

    Prosecution and defense argue about several photographs that might be presented at sex-trafficking trial in New York

    • This article contains depictions of sexual abuse

    A “sexually suggestive photograph of a very young girl” was displayed outside Jeffrey Epstein’s bedroom at his Palm Beach mansion, prosecutors in Ghislaine Maxwell’s child-sex trafficking trial said on Friday.

    The information emerged when the prosecution and defense argued about several photos that might be presented as evidence in her federal court case in New York.

    Continue reading...", - "content": "

    Prosecution and defense argue about several photographs that might be presented at sex-trafficking trial in New York

    • This article contains depictions of sexual abuse

    A “sexually suggestive photograph of a very young girl” was displayed outside Jeffrey Epstein’s bedroom at his Palm Beach mansion, prosecutors in Ghislaine Maxwell’s child-sex trafficking trial said on Friday.

    The information emerged when the prosecution and defense argued about several photos that might be presented as evidence in her federal court case in New York.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/03/ghislaine-maxwell-trial-jeffrey-epstein-photograph", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-03T17:47:34Z", + "title": "Despite reports of milder symptoms Omicron should not be understimated", + "description": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", + "content": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/30/despite-reports-of-milder-symptoms-omicron-should-not-be-understimated", + "creator": "Linda Geddes Science correspondent and Nick Dall in Cape Town", + "pubDate": "2021-11-30T05:00:06Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128436,16 +154873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "70283319c49ea4159b4f543601a499c8" + "hash": "941684e571366a828dba743099960dce" }, { - "title": "‘One hell of a brave girl’: medic’s praise for Briton in Zambia crocodile attack", - "description": "

    Brent Osborn-Smith says his daughter Amelie is grateful to be alive and could return to UK this weekend

    The father of a British teenager mauled by a crocodile in southern Africa has revealed he received a text message from a medic who was evacuating her from the scene by air, reading: “You have one hell of a brave girl there, sir.”

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and hip dislocated after a large crocodile bit her leg while she was swimming in the Zambezi River in Zambia during a break from a white water rafting expedition.

    Continue reading...", - "content": "

    Brent Osborn-Smith says his daughter Amelie is grateful to be alive and could return to UK this weekend

    The father of a British teenager mauled by a crocodile in southern Africa has revealed he received a text message from a medic who was evacuating her from the scene by air, reading: “You have one hell of a brave girl there, sir.”

    Amelie Osborn-Smith, 18, was left with her right foot “hanging loose” and hip dislocated after a large crocodile bit her leg while she was swimming in the Zambezi River in Zambia during a break from a white water rafting expedition.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/dec/03/zambia-crocodile-attack-one-hell-of-a-brave-girl-medics-praise-for-briton", - "creator": "Jamie Grierson", - "pubDate": "2021-12-03T15:19:38Z", + "title": "Nothing can stop Iran’s World Cup heroes. Except war, of course…", + "description": "

    The ‘Persian Leopards’ are going great guns on the football field, but at nuclear talks in Vienna a far more dangerous game is being played

    There is a strikingly topsy-turvy, Saturnalian feel to recent qualifying matches for the 2022 football World Cup. Saudi Arabia (population 35 million) beat China (population 1.4 billion). Canada lead the US in their group. Four-time winners Italy failed to defeat lowly Northern Ireland.

    Pursuing an unbeaten run full of political symbolism, unfancied Iran are also over the moon after subjugating the neighbourhood, as is their habit. Iraq, Syria, Lebanon and the UAE all succumbed to the soar‑away “Persian Leopards”.

    Continue reading...", + "content": "

    The ‘Persian Leopards’ are going great guns on the football field, but at nuclear talks in Vienna a far more dangerous game is being played

    There is a strikingly topsy-turvy, Saturnalian feel to recent qualifying matches for the 2022 football World Cup. Saudi Arabia (population 35 million) beat China (population 1.4 billion). Canada lead the US in their group. Four-time winners Italy failed to defeat lowly Northern Ireland.

    Pursuing an unbeaten run full of political symbolism, unfancied Iran are also over the moon after subjugating the neighbourhood, as is their habit. Iraq, Syria, Lebanon and the UAE all succumbed to the soar‑away “Persian Leopards”.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/nov/28/nothing-can-stop-irans-world-cup-heroes-except-war-of-course", + "creator": "Simon Tisdall", + "pubDate": "2021-11-28T09:00:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128456,16 +154893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "739186e302abe1caa9c7b85d91a6f7d7" + "hash": "9c4c5de92d019f47104ec149a2f53fd2" }, { - "title": "Man tortured and killed in Pakistan over alleged blasphemy", - "description": "

    Government accused of having emboldened extremists after lynching of Sri Lankan in Sialkot

    A mob in Pakistan tortured, killed and then set on fire a Sri Lankan man who was accused of blasphemy over some posters he had allegedly taken down.

    Priyantha Diyawadana, a Sri Lankan national who worked as general manager of a factory of industrial engineering company Rajco Industries in Sialkot, Punjab, was set upon by a violent crowd on Friday.

    Continue reading...", - "content": "

    Government accused of having emboldened extremists after lynching of Sri Lankan in Sialkot

    A mob in Pakistan tortured, killed and then set on fire a Sri Lankan man who was accused of blasphemy over some posters he had allegedly taken down.

    Priyantha Diyawadana, a Sri Lankan national who worked as general manager of a factory of industrial engineering company Rajco Industries in Sialkot, Punjab, was set upon by a violent crowd on Friday.

    Continue reading...", - "category": "Pakistan", - "link": "https://www.theguardian.com/world/2021/dec/03/pakistan-sri-lankan-man-priyantha-diyawadana-tortured-killed-alleged-blasphemy-sialkot", - "creator": "Shah Meer Baloch in Islambad and Hannah Ellis-Petersen in Delhi", - "pubDate": "2021-12-03T17:51:32Z", + "title": "Jill Biden decks the White House halls for Christmas – in pictures", + "description": "

    The theme for the 2021 White House holiday season is Gifts from the Heart. According to Jill Biden’s office, about 6,000ft of ribbon, more than 300 candles and more than 10,000 ornaments were used this year to decorate. There are also 41 Christmas trees throughout the White House

    Continue reading...", + "content": "

    The theme for the 2021 White House holiday season is Gifts from the Heart. According to Jill Biden’s office, about 6,000ft of ribbon, more than 300 candles and more than 10,000 ornaments were used this year to decorate. There are also 41 Christmas trees throughout the White House

    Continue reading...", + "category": "Jill Biden", + "link": "https://www.theguardian.com/us-news/gallery/2021/nov/30/white-house-christmas-decorations-pictures-gallery", + "creator": "", + "pubDate": "2021-11-30T06:00:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128476,16 +154913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "772cd5398618274150f346648dab96ad" + "hash": "761a58582d4f15a1e8f87b221f8204e5" }, { - "title": "Michigan school shooting: suspect’s parents charged with manslaughter", - "description": "

    Jennifer and James Crumbley charged as prosecutors say details suggest Ethan Crumbley, 15, may have planned shooting rampage

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school, after saying earlier that their actions went “far beyond negligence”, her office said.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter.

    Continue reading...", - "content": "

    Jennifer and James Crumbley charged as prosecutors say details suggest Ethan Crumbley, 15, may have planned shooting rampage

    A prosecutor in Michigan filed involuntary manslaughter charges on Friday against the parents of a boy who is accused of killing four students at Oxford high school, after saying earlier that their actions went “far beyond negligence”, her office said.

    Jennifer and James Crumbley were charged with four counts of involuntary manslaughter.

    Continue reading...", - "category": "Michigan", - "link": "https://www.theguardian.com/us-news/2021/dec/03/michigan-high-school-shooting-parents-manslaughter-charges", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-03T17:57:21Z", + "title": "Trucks overturn and buildings collapse as extreme winds hit Turkey – video", + "description": "

    Four people, including a foreign national, were killed and at least 19 were injured in Istanbul on Monday as extreme winds battered Turkey's biggest city and its surrounding regions, the governor's office said. The wild weather caused at least two lorries to overturn, blocking traffic on a busy highway in Istanbul. The winds have knocked down buildings and lifted concrete slabs off roofs and walls

    Continue reading...", + "content": "

    Four people, including a foreign national, were killed and at least 19 were injured in Istanbul on Monday as extreme winds battered Turkey's biggest city and its surrounding regions, the governor's office said. The wild weather caused at least two lorries to overturn, blocking traffic on a busy highway in Istanbul. The winds have knocked down buildings and lifted concrete slabs off roofs and walls

    Continue reading...", + "category": "Turkey", + "link": "https://www.theguardian.com/world/video/2021/nov/29/trucks-overturn-and-buildings-collapse-as-extreme-winds-hit-turkey-video", + "creator": "", + "pubDate": "2021-11-29T18:49:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128496,16 +154933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3a7ee7e379741837962aac0dda1ce0db" + "hash": "f170607ec014ef647b4acf76018ec651" }, { - "title": "Shell U-turn on Cambo could mean end for big North Sea oil projects", - "description": "

    Industry sources say Siccar Point will struggle to find new partner to take on Shell’s 30% stake in oilfield

    Shell’s decision to back out of plans to develop the Cambo oilfield could signal the “death knell” for new large-scale North Sea projects as the UK’s tougher climate agenda prompts oil companies to retreat from the ageing oil basin.

    Industry sources have said that Shell’s project partner, the private-equity backed Siccar Point, would struggle to find a partner to take on Shell’s 30% stake in the new oilfield which has provoked outrage among green campaigners.

    Continue reading...", - "content": "

    Industry sources say Siccar Point will struggle to find new partner to take on Shell’s 30% stake in oilfield

    Shell’s decision to back out of plans to develop the Cambo oilfield could signal the “death knell” for new large-scale North Sea projects as the UK’s tougher climate agenda prompts oil companies to retreat from the ageing oil basin.

    Industry sources have said that Shell’s project partner, the private-equity backed Siccar Point, would struggle to find a partner to take on Shell’s 30% stake in the new oilfield which has provoked outrage among green campaigners.

    Continue reading...", - "category": "Royal Dutch Shell", - "link": "https://www.theguardian.com/business/2021/dec/03/shell-u-turn-cambo-could-mean-end-big-north-sea-oil-projects", - "creator": "Jillian Ambrose", - "pubDate": "2021-12-03T17:55:46Z", + "title": "Sajid Javid outlines changes to Covid vaccine booster programme – video", + "description": "

    Sajid Javid has announced changes to the UK's coronavirus vaccine booster programme, including advising that all adults in the country should be offered third doses from just three months after their second vaccinations. Speaking in the Commons, the health secretary outlined this and other changes aimed at speeding up booster vaccinations as the government scrambles to limit the spread of the new Omicron variant

    Continue reading...", + "content": "

    Sajid Javid has announced changes to the UK's coronavirus vaccine booster programme, including advising that all adults in the country should be offered third doses from just three months after their second vaccinations. Speaking in the Commons, the health secretary outlined this and other changes aimed at speeding up booster vaccinations as the government scrambles to limit the spread of the new Omicron variant

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/29/sajid-javid-outlines-changes-to-covid-vaccine-booster-programme-video", + "creator": "", + "pubDate": "2021-11-29T16:50:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128516,16 +154953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b3f6f3467654d4a9442b0e93a5d0b741" + "hash": "7dd99b9012b4ec917416b3c8e7ef0885" }, { - "title": "Arthur Labinjo-Hughes: woman jailed for life for murder of stepson, six", - "description": "

    Emma Tustin sentenced to minimum of 29 years as boy’s father is jailed for 21 years for manslaughter

    A woman who killed her six-year-old stepson, who had been poisoned, starved and beaten in the weeks before his death, has been sentenced to life in prison with a minimum term of 29 years.

    Emma Tustin, 32, was sentenced for the murder of Arthur Labinjo-Hughes, alongside his father, 29-year-old Thomas Hughes, who was given 21 years in prison for manslaughter.

    Continue reading...", - "content": "

    Emma Tustin sentenced to minimum of 29 years as boy’s father is jailed for 21 years for manslaughter

    A woman who killed her six-year-old stepson, who had been poisoned, starved and beaten in the weeks before his death, has been sentenced to life in prison with a minimum term of 29 years.

    Emma Tustin, 32, was sentenced for the murder of Arthur Labinjo-Hughes, alongside his father, 29-year-old Thomas Hughes, who was given 21 years in prison for manslaughter.

    Continue reading...", - "category": "Crime", - "link": "https://www.theguardian.com/uk-news/2021/dec/03/arthur-labinjo-hughes-woman-jailed-murder-stepson", - "creator": "Jessica Murray Midlands correspondent", - "pubDate": "2021-12-03T16:00:36Z", + "title": "Omicron Covid variant cases expected to rise, says UK health minister – video", + "description": "

    The UK health minister, Edward Argar, has said he expects cases of the new Omicron Covid variant to rise after a number of infections were confirmed in Britain. New restrictions are being imposed this week in an attempt to limit the spread of the variant, first identified in South Africa, which scientists fear could be highly transmissible and evade some vaccine protections.

    Argar reiterated comments that ministers were hopeful that 'swift, precautionary steps' would mean no extra measures would be needed to combat the new variant.

    Continue reading...", + "content": "

    The UK health minister, Edward Argar, has said he expects cases of the new Omicron Covid variant to rise after a number of infections were confirmed in Britain. New restrictions are being imposed this week in an attempt to limit the spread of the variant, first identified in South Africa, which scientists fear could be highly transmissible and evade some vaccine protections.

    Argar reiterated comments that ministers were hopeful that 'swift, precautionary steps' would mean no extra measures would be needed to combat the new variant.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/29/omicron-covid-variant-cases-expected-to-rise-says-uk-health-minister-video", + "creator": "", + "pubDate": "2021-11-29T11:15:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128536,36 +154973,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6cc4c8abb27deb2e4b00a3796f620c4" + "hash": "06e0d1336e7e6908c5007863d0963ad6" }, { - "title": "Woman reunited with wedding ring she lost in potato patch 50 years ago", - "description": "

    Local metal detectorist on Western Isles ‘flabbergasted’ to find missing ring on former potato patch

    A single-minded metal detectorist has reunited a woman with the wedding ring she lost in a potato patch in the Western Isles 50 years ago.

    Peggy MacSween believed she had lost the golden band forever after it slipped off her finger while she gathered potatoes at her home on Benbecula in the Outer Hebrides.

    But after recently learning of her lost ring, fellow islander and detection enthusiast Donald MacPhee made it his mission to unearth the treasure.

    MacPhee spent three days searching Liniclate Machair, the sandy coastal meadow where the potato patch once was with a metal detector. The area had become a popular drinking spot over the years, resulting in a significant number of buried can ring pulls that confused the sonic search for the ring.

    MacPhee, who runs Benbecula’s Nunton House hostel, explained: “For three days I searched and dug 90 holes. The trouble is gold rings make the same sound [on the detector] as ring pulls and I got a lot of those – as well as many other things such as horseshoes and cans.

    “But on the third day I found the ring. I was absolutely flabbergasted. I had searched an area of 5,000 sq metres. It was a one in a 100,000 chance and certainly my best find. It was a fluke. There was technique involved, but I just got lucky.”

    Taking up the story, 86-year-old MacSween added: “He just came to the door and said: ‘I have something to show you.’ It was the ring. I couldn’t believe it, but there it was. I thought I would never see it again.”

    She said: “I was shaking the sand out of my gloves and the ring disappeared. I didn’t know until I got home. I went out once or twice to look for it, but there was no way of finding it.”

    Her husband, John, whom she married in July 1958 and died a few years ago, bought her a replacement while they were on holiday.

    MacPhee said he had started metal detecting seven years ago after watching YouTube videos. “That got me interested and this is for many reasons my best find. It was very, very emotional,” he said.

    Continue reading...", - "content": "

    Local metal detectorist on Western Isles ‘flabbergasted’ to find missing ring on former potato patch

    A single-minded metal detectorist has reunited a woman with the wedding ring she lost in a potato patch in the Western Isles 50 years ago.

    Peggy MacSween believed she had lost the golden band forever after it slipped off her finger while she gathered potatoes at her home on Benbecula in the Outer Hebrides.

    But after recently learning of her lost ring, fellow islander and detection enthusiast Donald MacPhee made it his mission to unearth the treasure.

    MacPhee spent three days searching Liniclate Machair, the sandy coastal meadow where the potato patch once was with a metal detector. The area had become a popular drinking spot over the years, resulting in a significant number of buried can ring pulls that confused the sonic search for the ring.

    MacPhee, who runs Benbecula’s Nunton House hostel, explained: “For three days I searched and dug 90 holes. The trouble is gold rings make the same sound [on the detector] as ring pulls and I got a lot of those – as well as many other things such as horseshoes and cans.

    “But on the third day I found the ring. I was absolutely flabbergasted. I had searched an area of 5,000 sq metres. It was a one in a 100,000 chance and certainly my best find. It was a fluke. There was technique involved, but I just got lucky.”

    Taking up the story, 86-year-old MacSween added: “He just came to the door and said: ‘I have something to show you.’ It was the ring. I couldn’t believe it, but there it was. I thought I would never see it again.”

    She said: “I was shaking the sand out of my gloves and the ring disappeared. I didn’t know until I got home. I went out once or twice to look for it, but there was no way of finding it.”

    Her husband, John, whom she married in July 1958 and died a few years ago, bought her a replacement while they were on holiday.

    MacPhee said he had started metal detecting seven years ago after watching YouTube videos. “That got me interested and this is for many reasons my best find. It was very, very emotional,” he said.

    Continue reading...", - "category": "Scotland", - "link": "https://www.theguardian.com/uk-news/2021/dec/03/woman-reunited-with-wedding-ring-she-lost-50-years-ago-western-isles", - "creator": "Libby Brooks Scotland correspondent", - "pubDate": "2021-12-03T11:39:46Z", + "title": "Ghislaine Maxwell was ‘No 2’ in Jeffrey Epstein’s hierarchy, pilot says", + "description": "

    Lawrence Visoski testifies about pair’s relationship and tells court Bill Clinton and Prince Andrew flew on Epstein’s private plane

    As the child sex-trafficking trial of Ghislaine Maxwell entered its second day of testimony in New York City on Tuesday, the prosecution’s first witness put the British socialite in the middle of Jeffrey Epstein’s life – but also said he did not see Epstein engage in wrongdoing with minors on his private planes.

    The names of influential men who flew on Epstein’s planes were raised in court, among them Bill Clinton, Prince Andrew and Donald Trump.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", + "content": "

    Lawrence Visoski testifies about pair’s relationship and tells court Bill Clinton and Prince Andrew flew on Epstein’s private plane

    As the child sex-trafficking trial of Ghislaine Maxwell entered its second day of testimony in New York City on Tuesday, the prosecution’s first witness put the British socialite in the middle of Jeffrey Epstein’s life – but also said he did not see Epstein engage in wrongdoing with minors on his private planes.

    The names of influential men who flew on Epstein’s planes were raised in court, among them Bill Clinton, Prince Andrew and Donald Trump.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/nov/30/ghislaine-maxwell-trial-second-day-jeffrey-epstein-pilot", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-30T18:56:35Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "961e0db1667f84de29e7feb6f86955f5" + "hash": "85040e12a2fcae6cfd4cf0c034993385" }, { - "title": "Easy access to tests could play a key role in fighting the Omicron variant", - "description": "

    Experts applaud Biden’s plan to expand testing but wonder if the effort goes far enough to stop the spread of the virus

    US infectious disease experts largely agree with the Biden administration’s newly announced emphasis on Covid-19 testing in the wake of the emergence of the Omicron variant, but questions remain over whether the president’s plan goes far enough to ensure that testing stops the spread of the virus.

    President Joe Biden announced new actions to combat the coronavirus in the US on Thursday, including a nationwide campaign encouraging vaccine boosters; a forthcoming rule requiring private insurance to reimburse the cost of at-home testing; a pledge to provide 50m free at-home tests to health centers and rural clinics for those not covered by private insurance; and a requirement that travelers to the United States, regardless of nationality or vaccination status, provide proof of a negative Covid-19 test within one day of boarding flights.

    Continue reading...", - "content": "

    Experts applaud Biden’s plan to expand testing but wonder if the effort goes far enough to stop the spread of the virus

    US infectious disease experts largely agree with the Biden administration’s newly announced emphasis on Covid-19 testing in the wake of the emergence of the Omicron variant, but questions remain over whether the president’s plan goes far enough to ensure that testing stops the spread of the virus.

    President Joe Biden announced new actions to combat the coronavirus in the US on Thursday, including a nationwide campaign encouraging vaccine boosters; a forthcoming rule requiring private insurance to reimburse the cost of at-home testing; a pledge to provide 50m free at-home tests to health centers and rural clinics for those not covered by private insurance; and a requirement that travelers to the United States, regardless of nationality or vaccination status, provide proof of a negative Covid-19 test within one day of boarding flights.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/03/us-coronavirus-omicron-testing-biden", - "creator": "Eric Berger", - "pubDate": "2021-12-03T11:00:02Z", + "title": "French police break up camp where Channel tragedy victims stayed", + "description": "

    Shelters outside Dunkirk used by the 27 who died at sea dismantled in latest attempt to disperse refugees

    Armed French police have broken up a makeshift migrant camp outside Dunkirk where the 27 people who died at sea last week stayed before they drowned in the Channel.

    The basic site, by a canal outside the Grand-Smythe suburb, had no toilets or running water, but was nevertheless used by several hundred people, mostly Kurds from Iraq or Iran, hoping to travel illegally to the UK.

    Continue reading...", + "content": "

    Shelters outside Dunkirk used by the 27 who died at sea dismantled in latest attempt to disperse refugees

    Armed French police have broken up a makeshift migrant camp outside Dunkirk where the 27 people who died at sea last week stayed before they drowned in the Channel.

    The basic site, by a canal outside the Grand-Smythe suburb, had no toilets or running water, but was nevertheless used by several hundred people, mostly Kurds from Iraq or Iran, hoping to travel illegally to the UK.

    Continue reading...", + "category": "Refugees", + "link": "https://www.theguardian.com/world/2021/nov/30/french-police-break-up-camp-where-channel-tragedy-victims-stayed", + "creator": "Dan Sabbagh", + "pubDate": "2021-11-30T18:13:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128576,16 +155013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7ff1230a4e738280cc976da94f14f1e4" + "hash": "5eca7e76b0eeb26cc6ecf62567c150b6" }, { - "title": "Tories to go ahead with Christmas party despite Omicron risks", - "description": "

    Message to public is ‘keep calm and carry on’, says party co-chair Oliver Dowden

    The Conservatives are pressing ahead with their Christmas party in spite of scientists’ fears over the spread of Omicron, as their co-chair told people to “keep calm and carry on” with festivities.

    Labour has decided to cancel its Christmas function though it is not urging businesses to do the same.

    Continue reading...", - "content": "

    Message to public is ‘keep calm and carry on’, says party co-chair Oliver Dowden

    The Conservatives are pressing ahead with their Christmas party in spite of scientists’ fears over the spread of Omicron, as their co-chair told people to “keep calm and carry on” with festivities.

    Labour has decided to cancel its Christmas function though it is not urging businesses to do the same.

    Continue reading...", - "category": "Conservatives", - "link": "https://www.theguardian.com/politics/2021/dec/03/tories-to-go-ahead-with-christmas-party-despite-omicron-risks", - "creator": "Rowena Mason and Matthew Weaver", - "pubDate": "2021-12-03T17:08:18Z", + "title": "‘He fell on my body, then bit me’: what it’s really like to work in TV as a woman", + "description": "

    Continuing our series of exposés about the British TV industry, women remember being assaulted for three years straight, denied work once they became mums and batting off men who are ‘famously handsy’

    ‘My colleagues ignored me for a year’: what it’s really like to work in TV as a disabled person

    The television industry has a problem with the way it treats women. According to a survey by Film + TV Charity, 39% of female employees have experienced sexual harassment at work, while 67% have experienced bullying. Bectu, the union that supports TV and film workers, found that two-thirds of those who had experienced abuse did not report it for fear of being blacklisted.

    Other studies have reported mothers being prevented from working due to childcare issues, and a serious female under-representation in leadership positions, despite Ofcom finding that women make up around 45% of TV roles.

    Continue reading...", + "content": "

    Continuing our series of exposés about the British TV industry, women remember being assaulted for three years straight, denied work once they became mums and batting off men who are ‘famously handsy’

    ‘My colleagues ignored me for a year’: what it’s really like to work in TV as a disabled person

    The television industry has a problem with the way it treats women. According to a survey by Film + TV Charity, 39% of female employees have experienced sexual harassment at work, while 67% have experienced bullying. Bectu, the union that supports TV and film workers, found that two-thirds of those who had experienced abuse did not report it for fear of being blacklisted.

    Other studies have reported mothers being prevented from working due to childcare issues, and a serious female under-representation in leadership positions, despite Ofcom finding that women make up around 45% of TV roles.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/30/he-fell-on-my-body-bit-me-work-tv-woman-britain-childcare", + "creator": "Ruby Lott-Lavigna", + "pubDate": "2021-11-30T13:00:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128596,16 +155033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "861caeffcb8f4266c7ef180e17457e43" + "hash": "e22d80610af962f2ed1a1f26d0d3335f" }, { - "title": "After Meghan’s victory, Harry has phone hackers in his sights", - "description": "

    Analysis: the prince may be prepared to risk a costly lawsuit against the Sun and Mirror, rather than settling

    The legal battle against the Mail on Sunday may finally be over.

    But for the Duke and Duchess of Sussex, another one looms, and this could make it all the way to trial.

    Continue reading...", - "content": "

    Analysis: the prince may be prepared to risk a costly lawsuit against the Sun and Mirror, rather than settling

    The legal battle against the Mail on Sunday may finally be over.

    But for the Duke and Duchess of Sussex, another one looms, and this could make it all the way to trial.

    Continue reading...", - "category": "Prince Harry", - "link": "https://www.theguardian.com/uk-news/2021/dec/03/prince-harry-phone-hackers-lawsuit", - "creator": "Haroon Siddique and Jim Waterson", - "pubDate": "2021-12-03T16:45:38Z", + "title": "The 50 best films of 2021 in the US: 50-41", + "description": "

    Our stateside movie showdown opens, celebrating Emma Seligman’s directorial debut and a powerful Covid doc from Matthew Heineman

    Continue reading...", + "content": "

    Our stateside movie showdown opens, celebrating Emma Seligman’s directorial debut and a powerful Covid doc from Matthew Heineman

    Continue reading...", + "category": "Culture", + "link": "https://www.theguardian.com/film/2021/nov/30/the-50-best-films-of-2021-in-the-us", + "creator": "Guardian Staff", + "pubDate": "2021-11-30T12:00:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128616,16 +155053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "150430be5445a7e87127e052b2790cee" + "hash": "c35e0a5ecb05068ac01a1bd966888812" }, { - "title": "The girls are back in town! Why the Sex and the City sequel is about to eclipse the original", - "description": "

    Grab your Manolos! Carrie and the gang are finally returning in And Just Like That. But, with a more diverse cast and writers’ room, could this reboot be even more radical?

    I couldn’t help but wonder – would there really be a ready market for a Sex and the City reboot, nearly 20 years after it left our screens? And then the trailer for the sequel to the culturally iconic series – which ran for six award-laden, press-smothered seasons – arrived, and I realised just how desperately I’d missed it.

    Not that I missed it in the usual sense, of course. We live in a world of constant reruns, access to all programmes at all times, YouTube videos to scratch any minor itch and Instagram fan accounts devoted to the characters, the clothes, the men and all points in between. But the hunger for new stories about Carrie Bradshaw and the gang was there, and the trailer reminded me of the best parts of SATC. The energy. The glee. The glamour. The chemistry between the co-stars, and the sight of well-scripted actors at the top of their game. And, to quote the title of the new show, And Just Like That … I was eager for more.

    Continue reading...", - "content": "

    Grab your Manolos! Carrie and the gang are finally returning in And Just Like That. But, with a more diverse cast and writers’ room, could this reboot be even more radical?

    I couldn’t help but wonder – would there really be a ready market for a Sex and the City reboot, nearly 20 years after it left our screens? And then the trailer for the sequel to the culturally iconic series – which ran for six award-laden, press-smothered seasons – arrived, and I realised just how desperately I’d missed it.

    Not that I missed it in the usual sense, of course. We live in a world of constant reruns, access to all programmes at all times, YouTube videos to scratch any minor itch and Instagram fan accounts devoted to the characters, the clothes, the men and all points in between. But the hunger for new stories about Carrie Bradshaw and the gang was there, and the trailer reminded me of the best parts of SATC. The energy. The glee. The glamour. The chemistry between the co-stars, and the sight of well-scripted actors at the top of their game. And, to quote the title of the new show, And Just Like That … I was eager for more.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/03/why-the-sex-and-the-city-sequel-is-about-to-eclipse-the-original", - "creator": "Lucy Mangan", - "pubDate": "2021-12-03T12:00:04Z", + "title": "‘Head of propaganda’ for UK neo-Nazi group faces jail after conviction", + "description": "

    Ben Raymond was found guilty of membership of far-right group NS131, which promoted racial hatred

    A man has been convicted of acting as “head of propaganda” for a banned neo-Nazi terror group set up to wage a race war in Britain.

    Ben Raymond, 32, co-founded the “unapologetically racist” organisation National Action in 2013, which promoted ethnic cleansing, as well as attacks on LGBTQ+ people and liberals.

    Continue reading...", + "content": "

    Ben Raymond was found guilty of membership of far-right group NS131, which promoted racial hatred

    A man has been convicted of acting as “head of propaganda” for a banned neo-Nazi terror group set up to wage a race war in Britain.

    Ben Raymond, 32, co-founded the “unapologetically racist” organisation National Action in 2013, which promoted ethnic cleansing, as well as attacks on LGBTQ+ people and liberals.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/nov/30/head-of-propaganda-for-uk-neo-nazi-group-faces-jail-after-conviction", + "creator": "PA Media", + "pubDate": "2021-11-30T17:09:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128636,16 +155073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3c080ad7b5cd8ec36d96c22568977763" + "hash": "d2677d2cbf827f5cddb95a8368c642e3" }, { - "title": "Antony Sher: a consummate Shakespearean and a man of staggering versatility", - "description": "

    One of the most gifted actors of his era, Sher – who has died aged 72 – combined psychology and a keen sense of the visual in soul-baring performances

    Antony Sher, who has died at the age of 72, was a man of staggering versatility. As well as being a brilliant actor, he was an accomplished artist and writer. But, far from being separate, his three careers all fed into each other: you only to have to look at his sketches of Richard III in his book Year of the King to see how his draughtsman’s eye enriched his performance. Gifted in numerous ways, Sher also saw his acting career as one that evolved from impersonation to embodiment of a character.

    Sher once told me that, when growing up as a boy in South Africa, his idols were Alec Guinness and Peter Sellers: what he envied, and initially sought to emulate, was their capacity for physical transformation. He also said that, when he left Cape Town at the age of 19 to make a career in the UK as an actor, he was aware, as a gay, Jewish South African, of being a triple outsider. He was even unsure whether he was cut out to be an actor; in his autobiography, Beside Myself, he describes himself arriving in London as a “short, slight, shy creature in black specs” understandably rejected by Rada, who strongly urged him to seek a different career.

    Continue reading...", - "content": "

    One of the most gifted actors of his era, Sher – who has died aged 72 – combined psychology and a keen sense of the visual in soul-baring performances

    Antony Sher, who has died at the age of 72, was a man of staggering versatility. As well as being a brilliant actor, he was an accomplished artist and writer. But, far from being separate, his three careers all fed into each other: you only to have to look at his sketches of Richard III in his book Year of the King to see how his draughtsman’s eye enriched his performance. Gifted in numerous ways, Sher also saw his acting career as one that evolved from impersonation to embodiment of a character.

    Sher once told me that, when growing up as a boy in South Africa, his idols were Alec Guinness and Peter Sellers: what he envied, and initially sought to emulate, was their capacity for physical transformation. He also said that, when he left Cape Town at the age of 19 to make a career in the UK as an actor, he was aware, as a gay, Jewish South African, of being a triple outsider. He was even unsure whether he was cut out to be an actor; in his autobiography, Beside Myself, he describes himself arriving in London as a “short, slight, shy creature in black specs” understandably rejected by Rada, who strongly urged him to seek a different career.

    Continue reading...", - "category": "Antony Sher", - "link": "https://www.theguardian.com/stage/2021/dec/03/antony-sher-a-consummate-shakespearean-and-a-man-of-staggering-versatility", - "creator": "Michael Billington", - "pubDate": "2021-12-03T13:16:07Z", + "title": "Roaming peacocks plague California city: ‘They’re a nuisance, but they’re beautiful’", + "description": "

    Multiplying birds have become an issue in the city of Tracy, wailing loudly and unleashing poop ‘like soft serve’. Now residents want to relocate them

    Dozens of feral peacocks and peahens are roaming the streets and leaping from the rooftops of Tracy, California. They claw at shingles and defecate on porches. Their calls, especially in mating season, echo through the community. They have no fear of pets nor people.

    Errant peafowl have milled around the city’s Redbridge neighborhood for years -- some believe they originally came from a now-defunct nearby dairy farm – but the numbers have exponentially increased as the birds keep multiplying. Now they’re everywhere, and ruffling some residents’ feathers.

    Continue reading...", + "content": "

    Multiplying birds have become an issue in the city of Tracy, wailing loudly and unleashing poop ‘like soft serve’. Now residents want to relocate them

    Dozens of feral peacocks and peahens are roaming the streets and leaping from the rooftops of Tracy, California. They claw at shingles and defecate on porches. Their calls, especially in mating season, echo through the community. They have no fear of pets nor people.

    Errant peafowl have milled around the city’s Redbridge neighborhood for years -- some believe they originally came from a now-defunct nearby dairy farm – but the numbers have exponentially increased as the birds keep multiplying. Now they’re everywhere, and ruffling some residents’ feathers.

    Continue reading...", + "category": "California", + "link": "https://www.theguardian.com/us-news/2021/nov/30/peacocks-plague-california-city-tracy-birds-relocate", + "creator": "Nick Robins-Early", + "pubDate": "2021-11-30T19:08:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128656,16 +155093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cf5824c81c614a10e250b87902bb9b0e" + "hash": "0048764a61df056e164673f29bdc4a65" }, { - "title": "Mia Mottley: Barbados’ first female leader on a mission to transform island", - "description": "

    Alongside cutting ties to the monarchy, new PM believes the region represents an untapped civilisation

    A republic has been proposed and postponed by Barbadian prime ministers for decades. Battling a pandemic that has devastated the country’s tourism economy, Mia Mottley, the country’s first female leader, had ample excuses to again kick the constitutional can down the road.

    Instead, at the stroke of midnight on Monday, she oversaw the transition of the Caribbean island out of the realm of the British monarchy – the country’s first local head of state, also a woman, Sandra Mason – and in case that were not enough, bestowed the title of national hero on the Barbadian megastar Rihanna in one of the new republic’s first acts.

    Continue reading...", - "content": "

    Alongside cutting ties to the monarchy, new PM believes the region represents an untapped civilisation

    A republic has been proposed and postponed by Barbadian prime ministers for decades. Battling a pandemic that has devastated the country’s tourism economy, Mia Mottley, the country’s first female leader, had ample excuses to again kick the constitutional can down the road.

    Instead, at the stroke of midnight on Monday, she oversaw the transition of the Caribbean island out of the realm of the British monarchy – the country’s first local head of state, also a woman, Sandra Mason – and in case that were not enough, bestowed the title of national hero on the Barbadian megastar Rihanna in one of the new republic’s first acts.

    Continue reading...", + "title": "Hurrah for Barbados! Can the UK be next? | Brief letters", + "description": "

    The Monarchy | Scott’s Antarctic diary | MPs’ unintelligence contest | Parliamentary role models

    Congratulations to the Republic of Barbados for having the confidence and maturity to dispense with the Ruritanian nonsense of monarchy (Report, 30 November). I live in hope that one day we will see the same thing happen here.
    Tim Barker
    Eastington, Gloucestershire

    • Dr Brigid Purcell is correct: ink freezes in sub-zero temperatures (Letters, 29 November). This is why Edwardian-era Antarctic explorers used pencils for writing records. See the British Library’s website for a photograph of Robert Falcon Scott’s final journal entry, and you will see that those famous last words, “For God’s sake look after our people”, were written in pencil.
    Karen May
    London

    Continue reading...", + "content": "

    The Monarchy | Scott’s Antarctic diary | MPs’ unintelligence contest | Parliamentary role models

    Congratulations to the Republic of Barbados for having the confidence and maturity to dispense with the Ruritanian nonsense of monarchy (Report, 30 November). I live in hope that one day we will see the same thing happen here.
    Tim Barker
    Eastington, Gloucestershire

    • Dr Brigid Purcell is correct: ink freezes in sub-zero temperatures (Letters, 29 November). This is why Edwardian-era Antarctic explorers used pencils for writing records. See the British Library’s website for a photograph of Robert Falcon Scott’s final journal entry, and you will see that those famous last words, “For God’s sake look after our people”, were written in pencil.
    Karen May
    London

    Continue reading...", "category": "Barbados", - "link": "https://www.theguardian.com/world/2021/dec/03/mia-mottley-barbados-first-female-leader-mission-to-transform-island", - "creator": "Michael Safi in Bridgetown", - "pubDate": "2021-12-03T13:26:54Z", + "link": "https://www.theguardian.com/world/2021/nov/30/hurrah-for-barbados-can-the-uk-be-next", + "creator": "Letters", + "pubDate": "2021-11-30T17:21:12Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128676,16 +155113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0edb3ddeb7ca69cc47e8d8c13b269b84" + "hash": "f45aa9b07fd48ea005aa288f1984f6a2" }, { - "title": "‘It’s fantastic to see’: Lake District warms to its new ‘trendy’ status", - "description": "

    People from younger and more diverse demographics are exploring area amid boom in nature trips

    There are still plenty of lean, grizzled oldies in well-worn gear zipping effortlessly up Lakeland hills like it’s a walk to the corner shop. But there are also younger and more diverse communities exploring the area as hiking, climbing and enjoying nature become “fashionable and trendy” again.

    “It is absolutely fantastic,” said Richard Leafe, the chief executive of the Lake District national park. “This is what it is all about.”

    Continue reading...", - "content": "

    People from younger and more diverse demographics are exploring area amid boom in nature trips

    There are still plenty of lean, grizzled oldies in well-worn gear zipping effortlessly up Lakeland hills like it’s a walk to the corner shop. But there are also younger and more diverse communities exploring the area as hiking, climbing and enjoying nature become “fashionable and trendy” again.

    “It is absolutely fantastic,” said Richard Leafe, the chief executive of the Lake District national park. “This is what it is all about.”

    Continue reading...", - "category": "Lake District", - "link": "https://www.theguardian.com/uk-news/2021/dec/03/lake-district-warms-to-new-trendy-status", - "creator": "Mark Brown North of England correspondent", - "pubDate": "2021-12-03T12:27:33Z", + "title": "International border restrictions stop families reuniting at Christmas despite Morrison’s intention", + "description": "

    Australian citizens are unhappy their adult children living overseas don’t count as ‘immediate family’ under travel rules

    Australians with adult sons and daughters living overseas are being told their children don’t count as “immediate family” and don’t warrant exemption for entry into the country in the lead-up to Christmas.

    In October, the prime minister, Scott Morrison, announced changes to allow parents of Australian citizens to be classified as immediate family, allowing them to travel to Australian jurisdictions with 80% double-dose vaccination rates.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Australian citizens are unhappy their adult children living overseas don’t count as ‘immediate family’ under travel rules

    Australians with adult sons and daughters living overseas are being told their children don’t count as “immediate family” and don’t warrant exemption for entry into the country in the lead-up to Christmas.

    In October, the prime minister, Scott Morrison, announced changes to allow parents of Australian citizens to be classified as immediate family, allowing them to travel to Australian jurisdictions with 80% double-dose vaccination rates.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/dec/01/international-border-restrictions-stop-families-reuniting-at-christmas-despite-morrisons-intention", + "creator": "Christopher Knaus", + "pubDate": "2021-11-30T16:30:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128696,16 +155133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e68cdfc19025f7bdd65c699c7e1a13ec" + "hash": "dc86869c753868f2ab0c80126d982360" }, { - "title": "Experience: I was attacked by a dog while climbing a volcano", - "description": "

    He came back and sunk his teeth in again. The pain took my breath away as I felt his fangs in my flesh

    I was backpacking in Panama over Christmas in 2018, and planned to climb Volcán Barú. At 3,474m, it is the highest peak in the country and one of the only places on earth from where you can see the Atlantic and the Pacific Oceans at the same time. It is an active volcano, but last erupted around 1550.

    I set off before sunrise. It was a little chilly, so I had pulled on tights under my trekking trousers. I intended to reach the top by midday, then return before dark to get a lift to my hostel.

    Continue reading...", - "content": "

    He came back and sunk his teeth in again. The pain took my breath away as I felt his fangs in my flesh

    I was backpacking in Panama over Christmas in 2018, and planned to climb Volcán Barú. At 3,474m, it is the highest peak in the country and one of the only places on earth from where you can see the Atlantic and the Pacific Oceans at the same time. It is an active volcano, but last erupted around 1550.

    I set off before sunrise. It was a little chilly, so I had pulled on tights under my trekking trousers. I intended to reach the top by midday, then return before dark to get a lift to my hostel.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/03/experience-i-was-attacked-by-a-dog-while-climbing-a-volcano", - "creator": "Niki Khoroushi", - "pubDate": "2021-12-03T10:00:02Z", + "title": "Omicron variant is vaccine inequality wake-up call, says South Africa's President Ramaphosa – video", + "description": "

    South Africa's president, Cyril Ramaphosa, has expressed disappointment at countries that have imposed travel bans on southern African countries after the emergence of a new Covid-19 variant.

    Omicron, named a 'variant of concern' by the World Health Organization on Friday, saw its first cases in South Africa, Botswana and Hong Kong and is potentially more contagious than previous variants, although experts do not know yet if it will cause more severe illness

    Continue reading...", + "content": "

    South Africa's president, Cyril Ramaphosa, has expressed disappointment at countries that have imposed travel bans on southern African countries after the emergence of a new Covid-19 variant.

    Omicron, named a 'variant of concern' by the World Health Organization on Friday, saw its first cases in South Africa, Botswana and Hong Kong and is potentially more contagious than previous variants, although experts do not know yet if it will cause more severe illness

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/28/omicron-variant-is-vaccine-inequality-wake-up-call-says-south-africa-president-ramaphosa-video", + "creator": "", + "pubDate": "2021-11-28T21:05:04Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128716,16 +155153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e53db528dfa42255c11f361ee1e99bef" + "hash": "d5fa785254ac583d9c19792bd9f5c580" }, { - "title": "‘I was offered $35m for one day’s work’: George Clooney on paydays, politics and parenting", - "description": "

    The Oscar-winner discusses directing the coming-of-age drama The Tender Bar, raising twins in a pandemic and choosing causes over cash

    George Clooney is smoother than a cup of one of those Nespresso coffees he has advertised for two decades and for which has earned a highly caffeinated £30m-plus. With that, on top of the tequila company Casamigos, which he co-founded then sold four years ago for a potential $1bn (£780m), the ER juggernaut and – oh yeah! – the hugely successful film career as an actor, director and producer, it seems safe to assume that Clooney could, if he were a bit less cool, start every morning by diving into a pile of gold coins like Scrooge McDuck. So, George, I ask, do you ever think: “You know what? I think I have enough money now.”

    Unruffled as the silver hair on his head, Clooney leans forward, as if he is about to confide in me. “Well, yeah. I was offered $35m for one day’s work for an airline commercial, but I talked to Amal [Clooney, the human rights lawyer he married in 2014] about it and we decided it’s not worth it. It was [associated with] a country that, although it’s an ally, is questionable at times, and so I thought: ‘Well, if it takes a minute’s sleep away from me, it’s not worth it.’”

    Continue reading...", - "content": "

    The Oscar-winner discusses directing the coming-of-age drama The Tender Bar, raising twins in a pandemic and choosing causes over cash

    George Clooney is smoother than a cup of one of those Nespresso coffees he has advertised for two decades and for which has earned a highly caffeinated £30m-plus. With that, on top of the tequila company Casamigos, which he co-founded then sold four years ago for a potential $1bn (£780m), the ER juggernaut and – oh yeah! – the hugely successful film career as an actor, director and producer, it seems safe to assume that Clooney could, if he were a bit less cool, start every morning by diving into a pile of gold coins like Scrooge McDuck. So, George, I ask, do you ever think: “You know what? I think I have enough money now.”

    Unruffled as the silver hair on his head, Clooney leans forward, as if he is about to confide in me. “Well, yeah. I was offered $35m for one day’s work for an airline commercial, but I talked to Amal [Clooney, the human rights lawyer he married in 2014] about it and we decided it’s not worth it. It was [associated with] a country that, although it’s an ally, is questionable at times, and so I thought: ‘Well, if it takes a minute’s sleep away from me, it’s not worth it.’”

    Continue reading...", - "category": "George Clooney", - "link": "https://www.theguardian.com/film/2021/dec/03/i-was-offered-35m-for-one-days-work-george-clooney-on-paydays-politics-and-parenting", - "creator": "Hadley Freeman", - "pubDate": "2021-12-03T06:00:34Z", + "title": "Covid live news: WHO says ‘very high’ global risk from Omicron; Poland announces new restrictions", + "description": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Poland introduces new measures to protect against Omicron

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", + "content": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Poland introduces new measures to protect against Omicron

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/world/live/2021/nov/29/covid-live-news-omicron-variant-detected-in-canada-as-fauci-warns-two-weeks-needed-to-study-new-strain", + "creator": "Lucy Campbell (now); Rachel Hall, Martin Belam, Virginia Harrison and Helen Livingstone (earlier)", + "pubDate": "2021-11-29T16:17:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128736,16 +155173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a1da83751835607ed6193542b79fb9ca" + "hash": "678f1404c8d2c68fa5488b85abd40040" }, { - "title": "Talks with Iran on restoring 2015 nuclear deal suspended", - "description": "

    Europe says new Iranian regime has walked back on previous progress and advanced its nuclear programme

    The first formal talks between western powers and the new Iranian regime on how to restore the 2015 nuclear deal were suspended on Friday, with Europe warning that Iran had walked back all previous diplomatic progress and fast-forwarded its nuclear programme.

    It now seems possible the talks will collapse next week if Iran does not modify its demands, potentially risking an attack on Iran by Israel.

    Continue reading...", - "content": "

    Europe says new Iranian regime has walked back on previous progress and advanced its nuclear programme

    The first formal talks between western powers and the new Iranian regime on how to restore the 2015 nuclear deal were suspended on Friday, with Europe warning that Iran had walked back all previous diplomatic progress and fast-forwarded its nuclear programme.

    It now seems possible the talks will collapse next week if Iran does not modify its demands, potentially risking an attack on Iran by Israel.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/dec/03/talks-with-iran-on-restoring-2015-nuclear-deal-suspended", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-12-03T16:18:16Z", + "title": "Jack Dorsey steps down as Twitter chief executive", + "description": "
    • Dorsey co-founded site in 2006 and posted world’s first tweet
    • Parag Agrawal, chief technology officer, to replace Dorsey

    Twitter co-founder Jack Dorsey has stepped down from his executive role at the social media company.

    Dorsey will be replaced by chief technology officer (CTO) Parag Agrawal, the company announced on Monday.

    Continue reading...", + "content": "
    • Dorsey co-founded site in 2006 and posted world’s first tweet
    • Parag Agrawal, chief technology officer, to replace Dorsey

    Twitter co-founder Jack Dorsey has stepped down from his executive role at the social media company.

    Dorsey will be replaced by chief technology officer (CTO) Parag Agrawal, the company announced on Monday.

    Continue reading...", + "category": "Twitter", + "link": "https://www.theguardian.com/technology/2021/nov/29/twitter-chief-executive-jack-dorsey", + "creator": "Dominic Rushe in New York", + "pubDate": "2021-11-29T16:15:40Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128756,56 +155193,56 @@ "favorite": false, "created": false, "tags": [], - "hash": "c01488cafa81a4fca858f6edabe83254" + "hash": "23457de1fee6e2a10ed2fd584c89dfce" }, { - "title": "Omicron driving record rate of Covid infection in South African province", - "description": "

    Officials say variant’s R number is believed to be above 6, though most cases are mild and no deaths reported

    The pace of Covid infections in the South African province of Gauteng is outstripping anything seen in previous waves, and officials say Omicron is now the dominant variant.

    Angelique Coetzee, the chair of the South African Medical Association, said Omicron’s R number, measuring its ability to spread, was believed to be above 6. The R number for Delta, the dominant variant globally, is estimated to be above 5.

    Continue reading...", - "content": "

    Officials say variant’s R number is believed to be above 6, though most cases are mild and no deaths reported

    The pace of Covid infections in the South African province of Gauteng is outstripping anything seen in previous waves, and officials say Omicron is now the dominant variant.

    Angelique Coetzee, the chair of the South African Medical Association, said Omicron’s R number, measuring its ability to spread, was believed to be above 6. The R number for Delta, the dominant variant globally, is estimated to be above 5.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/03/omicron-covid-variant-record-rate-of-infection-south-africa-gauteng", - "creator": "Peter Beaumont", - "pubDate": "2021-12-03T16:45:29Z", + "title": "Channel crossings are an English issue, says French minister", + "description": "

    UK accused of having a labour market akin to modern slavery that encourages people to make risky crossings

    Senior French ministers have accused the UK of operating a labour market akin to slavery and called on London to open safe routes for migrants, as the two governments continued to deflect blame for last week’s drownings in the Channel.

    The criticism came hours after France’s interior minister, Gérald Darmanin, held a crisis meeting with European ministers and border agencies to discuss the migrant emergency around the Channel ports.

    Continue reading...", + "content": "

    UK accused of having a labour market akin to modern slavery that encourages people to make risky crossings

    Senior French ministers have accused the UK of operating a labour market akin to slavery and called on London to open safe routes for migrants, as the two governments continued to deflect blame for last week’s drownings in the Channel.

    The criticism came hours after France’s interior minister, Gérald Darmanin, held a crisis meeting with European ministers and border agencies to discuss the migrant emergency around the Channel ports.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/29/channel-crossings-are-an-english-issue-says-french-minister", + "creator": "Kim Willsher in Paris", + "pubDate": "2021-11-29T15:51:41Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "26ecc25256ec5708b418c38affd94c44" + "hash": "05f9d6105b1e752e9e9a182460cfd75d" }, { - "title": "Covid: Biden says to beat Omicron variant ‘we have to shut it down worldwide’ – live", - "description": "

    After their remarks, the members of the taskforce took a handful of questions from reporters. Fauci was asked when scientists will have a better understanding of the risks posed by the Omicron variant. He said they would have a clearer picture in the “next few weeks”.

    But he said it could take longer to understand the impact of Omicron and whether it will overtake Delta as the dominant strain in the US.

    Continue reading...", - "content": "

    After their remarks, the members of the taskforce took a handful of questions from reporters. Fauci was asked when scientists will have a better understanding of the risks posed by the Omicron variant. He said they would have a clearer picture in the “next few weeks”.

    But he said it could take longer to understand the impact of Omicron and whether it will overtake Delta as the dominant strain in the US.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/us-news/live/2021/dec/03/us-government-shutdown-funding-coronavirus-omicron-joe-biden-us-politics-latest", - "creator": "Lauren Gambino in Washington", - "pubDate": "2021-12-03T18:08:15Z", + "title": "Huge star atop Sagrada Família rekindles residents’ complaints", + "description": "

    Locals in Barcelona accuse religious foundation in charge of Gaudí‘s masterpiece of highhandedness

    A gigantic 12-pointed star was installed on Monday on one of the main towers of the basilica of the Sagrada Família, Antoni Gaudí’s masterpiece that has been a work in progress since 1882.

    But the star is unlikely to brighten the mood of local residents whose lives have been blighted for years by the city’s biggest tourist attraction, which before the pandemic brought 60,000 visitors a day to the area.

    Continue reading...", + "content": "

    Locals in Barcelona accuse religious foundation in charge of Gaudí‘s masterpiece of highhandedness

    A gigantic 12-pointed star was installed on Monday on one of the main towers of the basilica of the Sagrada Família, Antoni Gaudí’s masterpiece that has been a work in progress since 1882.

    But the star is unlikely to brighten the mood of local residents whose lives have been blighted for years by the city’s biggest tourist attraction, which before the pandemic brought 60,000 visitors a day to the area.

    Continue reading...", + "category": "Barcelona", + "link": "https://www.theguardian.com/world/2021/nov/29/huge-star-atop-sagrada-familia-rekindles-residents-complaints", + "creator": "Stephen Burgen in Barcelona", + "pubDate": "2021-11-29T12:52:09Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "0e289ef9bf982dec103dec5c82279173" + "hash": "f986421a5bc32f015ee1eb6b44b40128" }, { - "title": "‘Heartbreaking’ clean-up of animal corpses as Canada floodwaters ebb", - "description": "

    Floods and landslides in British Columbia devastated livestock in ‘easily the costliest natural disaster in Canada’s history’

    Floods and landslides that battered the Canadian province of British Columbia last month killed hundreds of thousands of farm animals and forced nearly 15,000 people from their homes, new figures revealed, as officials described the scope of the devastation – and the challenges of recovery.

    As many as 628,000 chickens, 420 dairy cattle and 12,000 hogs were killed by the floods. An estimated 3 million bees in 110 hives were also submerged.

    Continue reading...", - "content": "

    Floods and landslides in British Columbia devastated livestock in ‘easily the costliest natural disaster in Canada’s history’

    Floods and landslides that battered the Canadian province of British Columbia last month killed hundreds of thousands of farm animals and forced nearly 15,000 people from their homes, new figures revealed, as officials described the scope of the devastation – and the challenges of recovery.

    As many as 628,000 chickens, 420 dairy cattle and 12,000 hogs were killed by the floods. An estimated 3 million bees in 110 hives were also submerged.

    Continue reading...", - "category": "Canada", - "link": "https://www.theguardian.com/world/2021/dec/03/british-columbia-floods-animal-corpses-clean-up", - "creator": "Leyland Cecco in Toronto", - "pubDate": "2021-12-03T17:21:40Z", + "title": "Chinese could hack data for future quantum decryption, report warns", + "description": "

    ‘Threat groups’ could target valuable secrets with aim of unlocking them when computing power allows

    Chinese hackers could target heavily encrypted datasets such as weapon designs or details of undercover intelligence officers with a view to unlocking them at a later date when quantum computing makes decryption possible, a report warns.

    Analysts at Booz Allen Hamilton, a consulting firm, say Chinese hackers could also steal pharmaceutical, chemical and material science research that can be processed by quantum computers – machines capable of crunching through numbers at unprecedented speed.

    Continue reading...", + "content": "

    ‘Threat groups’ could target valuable secrets with aim of unlocking them when computing power allows

    Chinese hackers could target heavily encrypted datasets such as weapon designs or details of undercover intelligence officers with a view to unlocking them at a later date when quantum computing makes decryption possible, a report warns.

    Analysts at Booz Allen Hamilton, a consulting firm, say Chinese hackers could also steal pharmaceutical, chemical and material science research that can be processed by quantum computers – machines capable of crunching through numbers at unprecedented speed.

    Continue reading...", + "category": "Hacking", + "link": "https://www.theguardian.com/technology/2021/nov/29/chinese-could-hack-data-for-future-quantum-decryption-report-warns", + "creator": "Dan Milmo Global technology editor", + "pubDate": "2021-11-29T16:36:42Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128816,16 +155253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4aef209fcfc921c399ec5a1b6f0f2847" + "hash": "9d56640a7f1c40673e0dd11e839aa635" }, { - "title": "Johnson’s imperial bombast could suck Britain into more deadly interventions | Simon Jenkins", - "description": "

    As tensions with Russia and China increase, the prime minister meddles in foreign policy to distract from domestic woes

    Relations between the world’s great powers are tenser than ever since the cold war. Troops are massing along Russia’s border with Ukraine. Chinese ships and planes are openly threatening Taiwan. Japan is rearming in response. Turkey is renewing its belligerence towards its neighbours. Russia is backing east-west fragmentation in Bosnia.

    Where Britain stands in all this is dangerously unclear, drifting on a sea of Boris Johnson’s gestures and platitudes. The Royal Navy currently has a £3.2bn aircraft carrier waving the union flag in the South China Sea, completely unprotected. China could sink it in an hour. In the Black Sea, a British destroyer provocatively invades Russian waters off Crimea, showing off to the world’s media. Last week, the British foreign secretary, Liz Truss, advanced her bid for her party’s leadership by sitting astride a tank in Estonia and warning Russia that Britain “stood firm” against its “malign activity” in Ukraine. Meanwhile, Britain’s outgoing defence chief, Sir Nick Carter, estimates that the risk of accidental war with Russia is now “the highest in decades”.

    Simon Jenkins is a Guardian columnist

    Continue reading...", - "content": "

    As tensions with Russia and China increase, the prime minister meddles in foreign policy to distract from domestic woes

    Relations between the world’s great powers are tenser than ever since the cold war. Troops are massing along Russia’s border with Ukraine. Chinese ships and planes are openly threatening Taiwan. Japan is rearming in response. Turkey is renewing its belligerence towards its neighbours. Russia is backing east-west fragmentation in Bosnia.

    Where Britain stands in all this is dangerously unclear, drifting on a sea of Boris Johnson’s gestures and platitudes. The Royal Navy currently has a £3.2bn aircraft carrier waving the union flag in the South China Sea, completely unprotected. China could sink it in an hour. In the Black Sea, a British destroyer provocatively invades Russian waters off Crimea, showing off to the world’s media. Last week, the British foreign secretary, Liz Truss, advanced her bid for her party’s leadership by sitting astride a tank in Estonia and warning Russia that Britain “stood firm” against its “malign activity” in Ukraine. Meanwhile, Britain’s outgoing defence chief, Sir Nick Carter, estimates that the risk of accidental war with Russia is now “the highest in decades”.

    Simon Jenkins is a Guardian columnist

    Continue reading...", - "category": "Foreign policy", - "link": "https://www.theguardian.com/commentisfree/2021/dec/03/boris-johnson-britain-deadly-interventions-russia-china", - "creator": "Simon Jenkins", - "pubDate": "2021-12-03T12:00:03Z", + "title": "EU border agency deported record number of people in first half of 2021", + "description": "

    Leaked Frontex report sparks concerns about people being sent back to face repression or war

    The EU border agency Frontex deported a record number of people in the first half of the year, according to a leaked document that has sparked concern about people being sent back to countries where they may face war or persecution.

    In a report issued to the EU Council of Ministers, Frontex said it had deported 8,239 non-EU nationals in the first six months of 2021, a record number and a 9% increase on the same period in 2019, before the pandemic hit global travel.

    Continue reading...", + "content": "

    Leaked Frontex report sparks concerns about people being sent back to face repression or war

    The EU border agency Frontex deported a record number of people in the first half of the year, according to a leaked document that has sparked concern about people being sent back to countries where they may face war or persecution.

    In a report issued to the EU Council of Ministers, Frontex said it had deported 8,239 non-EU nationals in the first six months of 2021, a record number and a 9% increase on the same period in 2019, before the pandemic hit global travel.

    Continue reading...", + "category": "European Union", + "link": "https://www.theguardian.com/world/2021/nov/29/eu-border-agency-frontex-deportation-record-number", + "creator": "Jennifer Rankin in Brussels", + "pubDate": "2021-11-29T15:38:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128836,16 +155273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "83280d0b55ece5ff6d90d45b9faf54b5" + "hash": "d7d0fd6284778d81e46308364a50842e" }, { - "title": "Saved for Later: Bad memes and wokewashing: why do brands tweet like people? Plus: Snapchat streaks explained", - "description": "

    In Guardian Australia’s online culture podcast, Michael Sun and Alyx Gorman bring in Vice Australia’s head of editorial Brad Esposito to chat about the evolution of brands on social media, from cringey posts to identity politics – including a tweet so tone deaf, Brad had to pull his car over to report on it. Then Michael teaches Alyx why breaking a Snapchat streak is an unforgivable faux pas

    Continue reading...", - "content": "

    In Guardian Australia’s online culture podcast, Michael Sun and Alyx Gorman bring in Vice Australia’s head of editorial Brad Esposito to chat about the evolution of brands on social media, from cringey posts to identity politics – including a tweet so tone deaf, Brad had to pull his car over to report on it. Then Michael teaches Alyx why breaking a Snapchat streak is an unforgivable faux pas

    Continue reading...", - "category": "", - "link": "https://www.theguardian.com/australia-news/audio/2021/dec/04/saved-for-later-bad-memes-and-wokewashing-why-do-brands-tweet-like-people-plus-snapchat-streaks-explained", - "creator": "Presented by Michael Sun and Alyx Gorman with Brad Esposito. Produced by Miles Herbert, Karishma Luthria and Joe Koning. Executive produced by Melanie Tait and Steph Harmon", - "pubDate": "2021-12-03T16:30:02Z", + "title": "Ghislaine Maxwell sex-trafficking trial’s opening statements delayed", + "description": "

    Maxwell’s trial poised to go before a jury on Monday but several selected jurors voiced issues with serving

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan was poised to go before a jury on Monday, with opening statements.

    The opening statements were delayed, however, after several selected jurors voiced issues with serving. One cited financial hardship. Another said their spouse had “surprised them with a trip”.

    Continue reading...", + "content": "

    Maxwell’s trial poised to go before a jury on Monday but several selected jurors voiced issues with serving

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan was poised to go before a jury on Monday, with opening statements.

    The opening statements were delayed, however, after several selected jurors voiced issues with serving. One cited financial hardship. Another said their spouse had “surprised them with a trip”.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/nov/29/ghislaine-maxwell-sex-trafficking-trial", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-29T17:35:15Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128856,16 +155293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "22dfc1fff33d5ce79824842a4960c3b1" + "hash": "cfa30cd24b5ede4c83653bb84f38f120" }, { - "title": "Covid limits migration despite more people displaced by war and disasters", - "description": "

    IOM report finds 9m more people displaced globally but mobility restricted due to pandemic, with vaccination proving a key factor


    The coronavirus pandemic had a radical effect on migration, limiting movement despite increasing levels of internal displacement from conflict and climate disasters, the UN’s International Organization for Migration said in a report on Wednesday.

    Though the number of people who migrated internationally increased to 281 million in 2020 – 9 million more than before Covid-19 – the number was 2 million lower than expected without a pandemic, according to the report.

    Continue reading...", - "content": "

    IOM report finds 9m more people displaced globally but mobility restricted due to pandemic, with vaccination proving a key factor


    The coronavirus pandemic had a radical effect on migration, limiting movement despite increasing levels of internal displacement from conflict and climate disasters, the UN’s International Organization for Migration said in a report on Wednesday.

    Though the number of people who migrated internationally increased to 281 million in 2020 – 9 million more than before Covid-19 – the number was 2 million lower than expected without a pandemic, according to the report.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/01/iom-report-covid-limits-migration-but-more-people-displaced-war-disasters", - "creator": "Kaamil Ahmed", - "pubDate": "2021-12-01T16:17:45Z", + "title": "Eitan Biran: cable car fall survivor must be returned to Italy, Israeli court rules", + "description": "

    Six-year-old boy has been at the centre of a bitter custody battle between relatives in Italy and Israel

    Israel’s top court has ruled that a six-year-old boy who was the sole survivor of a cable car crash in northern Italy must be returned to relatives there within the next couple of weeks.

    Eitan Biran has been at the centre of a bitter custody battle between relatives in Italy and Israel since his parents were killed in the Stresa-Mottarone aerial tramway crash on 23 May.

    Continue reading...", + "content": "

    Six-year-old boy has been at the centre of a bitter custody battle between relatives in Italy and Israel

    Israel’s top court has ruled that a six-year-old boy who was the sole survivor of a cable car crash in northern Italy must be returned to relatives there within the next couple of weeks.

    Eitan Biran has been at the centre of a bitter custody battle between relatives in Italy and Israel since his parents were killed in the Stresa-Mottarone aerial tramway crash on 23 May.

    Continue reading...", + "category": "Italy", + "link": "https://www.theguardian.com/world/2021/nov/29/eitan-biran-cable-car-crash-survivor-must-be-returned-italy-israeli-court-rules", + "creator": "Angela Giuffrida in Rome", + "pubDate": "2021-11-29T17:05:54Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128876,16 +155313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa79bd7dec74a605b280d76d80e01b6e" + "hash": "d1e69811dffbbcdd464c9782d0876e6a" }, { - "title": "How Chris and Andrew Cuomo's on-air comedy routines compromised CNN", - "description": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", - "content": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", - "category": "Andrew Cuomo", - "link": "https://www.theguardian.com/us-news/2021/dec/01/chris-cuomo-cnn-routine-brother-undermined-network", - "creator": "Danielle Tcholakian", - "pubDate": "2021-12-01T18:01:31Z", + "title": "Iran hopes to covertly advance its nuclear programme, says Israel", + "description": "

    Israeli foreign minister claims Tehran only agreed to restart talks to get sanctions removed

    Israel’s foreign minister, Yair Lapid, has claimed his country’s arch-enemy, Iran, had only agreed to restart nuclear negotiations to remove sanctions and covertly advance its weapons programme.

    Talks restarted in Vienna on Monday between Iran and the world’s leading powers including Germany, France, the UK, China and Russia after a pause of five months.

    Continue reading...", + "content": "

    Israeli foreign minister claims Tehran only agreed to restart talks to get sanctions removed

    Israel’s foreign minister, Yair Lapid, has claimed his country’s arch-enemy, Iran, had only agreed to restart nuclear negotiations to remove sanctions and covertly advance its weapons programme.

    Talks restarted in Vienna on Monday between Iran and the world’s leading powers including Germany, France, the UK, China and Russia after a pause of five months.

    Continue reading...", + "category": "Israel", + "link": "https://www.theguardian.com/world/2021/nov/29/iran-hopes-to-covertly-advance-its-nuclear-programme-says-israel", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-11-29T15:37:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128896,16 +155333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b0e8a2efc3dde8ce7561b1d2b3b279d7" + "hash": "7cbb657744c08be196ae5132bf186f97" }, { - "title": "Ilhan Omar plays death threat left on voicemail during press briefing – video", - "description": "

    Ilhan Omar has played an explicit death threat she received on her voicemail at a press briefing. The Democratic representative for Minnesota said threats against her life were often triggered by attacks on her faith by Republican politicians. She urged House Republican leaders to do more to counter 'anti-Muslim hatred' in their ranks 

    Continue reading...", - "content": "

    Ilhan Omar has played an explicit death threat she received on her voicemail at a press briefing. The Democratic representative for Minnesota said threats against her life were often triggered by attacks on her faith by Republican politicians. She urged House Republican leaders to do more to counter 'anti-Muslim hatred' in their ranks 

    Continue reading...", - "category": "Ilhan Omar", - "link": "https://www.theguardian.com/us-news/video/2021/dec/01/ilhan-omar-plays-death-threat-left-on-voicemail-during-press-briefing-video", - "creator": "", - "pubDate": "2021-12-01T11:01:36Z", + "title": "Merkel’s punk pick for leaving ceremony raises eyebrows", + "description": "

    Outgoing German chancellor’s choice of soundtrack for military tattoo hints at unchartered hinterland

    Angela Merkel has left Germans wondering how well they really know the chancellor who has governed them for 16 years, after picking a song by punk rocker Nina Hagen as the soundtrack for her military leaving ceremony.

    Merkel, whose Social Democrat successor, Olaf Scholz, is expected to be sworn in as chancellor next week, will be given a customary military farewell in the court outside the defence ministry on Thursday evening.

    Continue reading...", + "content": "

    Outgoing German chancellor’s choice of soundtrack for military tattoo hints at unchartered hinterland

    Angela Merkel has left Germans wondering how well they really know the chancellor who has governed them for 16 years, after picking a song by punk rocker Nina Hagen as the soundtrack for her military leaving ceremony.

    Merkel, whose Social Democrat successor, Olaf Scholz, is expected to be sworn in as chancellor next week, will be given a customary military farewell in the court outside the defence ministry on Thursday evening.

    Continue reading...", + "category": "Angela Merkel", + "link": "https://www.theguardian.com/world/2021/nov/29/angela-merkel-punk-pick-for-leaving-ceremony-raises-eyebrows", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-11-29T11:51:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128916,16 +155353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "442654ff1c019af292fb8ac50d9f41d5" + "hash": "2e8feb2f86047f9f7310eee539e9f809" }, { - "title": "The Mississippi and Texas laws threatening US abortion rights", - "description": "

    As the supreme court hears new challenges to Roe v Wade, American abortion rights hang in the balance

    According to recent polls, Americans overwhelmingly support Roe v Wade, the 1973 US supreme court ruling that protects a woman’s right to an abortion. But two new legal challenges to that decision could jeopardise the ability of American women to access abortions – and have knock-on effects for reproductive rights across the globe.

    Guardian US health reporter Jessica Glenza has been reporting on laws that severely restrict abortion access in Mississippi and Texas; she tells Nosheen Iqbal that this is a ‘perilous moment’ for reproductive rights in the US.

    Continue reading...", - "content": "

    As the supreme court hears new challenges to Roe v Wade, American abortion rights hang in the balance

    According to recent polls, Americans overwhelmingly support Roe v Wade, the 1973 US supreme court ruling that protects a woman’s right to an abortion. But two new legal challenges to that decision could jeopardise the ability of American women to access abortions – and have knock-on effects for reproductive rights across the globe.

    Guardian US health reporter Jessica Glenza has been reporting on laws that severely restrict abortion access in Mississippi and Texas; she tells Nosheen Iqbal that this is a ‘perilous moment’ for reproductive rights in the US.

    Continue reading...", - "category": "Abortion", - "link": "https://www.theguardian.com/world/audio/2021/dec/01/the-mississippi-and-texas-laws-threatening-abortion-rights-us-podcast", - "creator": "Presented by Nosheen Iqbal with Jessica Glenza; produced by Courtney Yusuf, Hannah Moore , Alice Fordham, Eva Krafczyk, and Axel Kacoutié; executive producers Archie Bland and Mythili Rao", - "pubDate": "2021-12-01T03:00:48Z", + "title": "South African scientists explore vaccines’ effectiveness against Omicron", + "description": "

    Crucial work will study how well current jabs work and whether they need to be updated to tackle new variant

    Scientists in South Africa have begun crucial work to assess how well Covid vaccines hold up against the Omicron variant that has been detected in more than a dozen countries since it was formally reported last week.

    The variant carries dozens of mutations that are expected to change how the virus behaves, including its ability to cause infection and how well it can hide from immune defences primed by vaccines or previous infection with an older variant.

    Continue reading...", + "content": "

    Crucial work will study how well current jabs work and whether they need to be updated to tackle new variant

    Scientists in South Africa have begun crucial work to assess how well Covid vaccines hold up against the Omicron variant that has been detected in more than a dozen countries since it was formally reported last week.

    The variant carries dozens of mutations that are expected to change how the virus behaves, including its ability to cause infection and how well it can hide from immune defences primed by vaccines or previous infection with an older variant.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/29/south-african-scientists-explore-vaccines-effectiveness-against-omicron", + "creator": "Ian Sample Science editor", + "pubDate": "2021-11-29T17:34:36Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128936,16 +155373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8b19f2ac7485e5ebf2debc7e936cf0d0" + "hash": "052abed903bdc5d39fe91d34de009653" }, { - "title": "Covid live: Slovakia sets new daily case record; nearly 1m Germans currently infected, says health minister", - "description": "

    Low level of vaccine take-up thought to be factor in Slovakia; Germany’s Jens Spahn says more than 1% of population have Covid

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", - "content": "

    Low level of vaccine take-up thought to be factor in Slovakia; Germany’s Jens Spahn says more than 1% of population have Covid

    California is reporting its second confirmed case of the Omicron variant in as many days.

    The Los Angeles County public health department says a full vaccinated county resident is self-isolating after apparently contracting the infection during a trip to South Africa last month.

    Continue reading...", + "title": "UK’s minimum gap for Covid booster jabs to be halved to three months", + "description": "

    Vaccines watchdog advises speeding up of vaccination scheme to tackle new coronavirus variant

    The UK’s minimum gap for Covid booster jabs will be halved from six months to three, after the government accepted advice from its vaccines watchdog to speed up the programme to limit the spread of the Omicron variant.

    The health secretary, Sajid Javid, confirmed that all adults would be offered the jab, after the Joint Committee on Vaccination and Immunisation (JCVI) announced that the waiting time was being cut for all adults, with priority for booking to be decided by the NHS.

    Continue reading...", + "content": "

    Vaccines watchdog advises speeding up of vaccination scheme to tackle new coronavirus variant

    The UK’s minimum gap for Covid booster jabs will be halved from six months to three, after the government accepted advice from its vaccines watchdog to speed up the programme to limit the spread of the Omicron variant.

    The health secretary, Sajid Javid, confirmed that all adults would be offered the jab, after the Joint Committee on Vaccination and Immunisation (JCVI) announced that the waiting time was being cut for all adults, with priority for booking to be decided by the NHS.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/03/covid-news-live-new-york-state-detects-five-cases-of-omicron-variant-as-new-us-air-travel-rules-loom", - "creator": "Caroline Davies (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-03T11:31:58Z", + "link": "https://www.theguardian.com/world/2021/nov/29/covid-booster-jabs-to-be-offered-to-all-uk-adults-after-three-month-gap", + "creator": "Jamie Grierson, Rowena Mason, Peter Walker, Andrew Gregory and Linda Geddes", + "pubDate": "2021-11-29T16:27:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128956,16 +155393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c41b2b95e55b55518c61bb62b3db9eea" + "hash": "69304058f6e2c0e5a75c8daeab2ebed9" }, { - "title": "England fan disorder at Euro 2020 final almost led to deaths, review finds", - "description": "
    • Casey report refers to series of ‘near misses’ at Wembley
    • It also points to planning failures on day of ‘national shame’

    Unprecedented disorder at the Euro 2020 final was a “near miss”, with deaths and life-changing injuries only narrowly avoided, according to an independent report into events described as a “national shame”.

    Lady Louise Casey published her 129-page review on Friday into the incidents that overwhelmed Wembley stadium on 11 July. While she concludes that primary blame for the mass of public disorder must lie with the protagonists, there is also blame for both the FA and the police, whom she says were too slow to respond to trouble that began early in the day.

    Continue reading...", - "content": "
    • Casey report refers to series of ‘near misses’ at Wembley
    • It also points to planning failures on day of ‘national shame’

    Unprecedented disorder at the Euro 2020 final was a “near miss”, with deaths and life-changing injuries only narrowly avoided, according to an independent report into events described as a “national shame”.

    Lady Louise Casey published her 129-page review on Friday into the incidents that overwhelmed Wembley stadium on 11 July. While she concludes that primary blame for the mass of public disorder must lie with the protagonists, there is also blame for both the FA and the police, whom she says were too slow to respond to trouble that began early in the day.

    Continue reading...", - "category": "Euro 2020", - "link": "https://www.theguardian.com/football/2021/dec/03/england-fan-disorder-at-euro-2020-final-almost-led-to-deaths-review-finds", - "creator": "Paul MacInnes", - "pubDate": "2021-12-03T10:00:08Z", + "title": "Joe Biden says Omicron Covid variant a ‘cause for concern, not panic’ – live", + "description": "

    “If you are 18 years and older and got fully vaccinated before 1 June go get the get booster shot today,” Joe Biden said today. “They’re free and they’re available at 80,000 locations coast to coast. A fully vaccinated booster person is the most protected against Covid.

    “Do not wait. Go get your booster if it’s time for you to do so. And if you are not vaccinated, now is the time to go get vaccinated and to bring your children to go get vaccinated.”

    Continue reading...", + "content": "

    “If you are 18 years and older and got fully vaccinated before 1 June go get the get booster shot today,” Joe Biden said today. “They’re free and they’re available at 80,000 locations coast to coast. A fully vaccinated booster person is the most protected against Covid.

    “Do not wait. Go get your booster if it’s time for you to do so. And if you are not vaccinated, now is the time to go get vaccinated and to bring your children to go get vaccinated.”

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/us-news/live/2021/nov/29/joe-biden-coronavirus-covid-omicron-variant-us-politics-live", + "creator": "Vivian Ho", + "pubDate": "2021-11-29T18:34:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128976,16 +155413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "02b35571116aa5bdd2e8d1a4d2888780" + "hash": "9828b99ce26cd1920b25be680f70c203" }, { - "title": "Xinjiang: Twitter closes thousands of China state-linked accounts spreading propaganda", - "description": "

    Content was often ‘embarrassingly’ produced and pumped out via repurposed accounts, analysts say

    Twitter has shut down thousands of state-linked accounts in China that seek to counter evidence of human rights abuses in Xinjiang, as part of what experts called an “embarrassingly” produced propaganda operation.

    The operations used photos and images, shell and potentially automated accounts, and fake Uyghur profiles, to disseminate state propaganda and fake testimonials about their happy lives in the region, seeking to dispel evidence of a years-long campaign of oppression, with mass internments, re-education programs, and allegations of forced labour and sterilisation.

    Continue reading...", - "content": "

    Content was often ‘embarrassingly’ produced and pumped out via repurposed accounts, analysts say

    Twitter has shut down thousands of state-linked accounts in China that seek to counter evidence of human rights abuses in Xinjiang, as part of what experts called an “embarrassingly” produced propaganda operation.

    The operations used photos and images, shell and potentially automated accounts, and fake Uyghur profiles, to disseminate state propaganda and fake testimonials about their happy lives in the region, seeking to dispel evidence of a years-long campaign of oppression, with mass internments, re-education programs, and allegations of forced labour and sterilisation.

    Continue reading...", - "category": "Xinjiang", - "link": "https://www.theguardian.com/world/2021/dec/03/xinjiang-twitter-closes-thousands-of-china-state-linked-accounts-spreading-propaganda", - "creator": "Helen Davidson", - "pubDate": "2021-12-03T05:16:35Z", + "title": "Novak Djokovic likely to skip Australian Open over vaccine mandate, says father", + "description": "
    • Srdjan Djokovic equates vaccine mandate to ‘blackmail’
    • All players at staff at grand slam in Melbourne must be jabbed

    Novak Djokovic is unlikely to play at the Australian Open if rules on Covid-19 vaccinations are not relaxed, the world No 1’s father, Srdjan Djokovic, said.

    Organisers of the year’s first grand slam have said that all players will have to be vaccinated to take part.

    Continue reading...", + "content": "
    • Srdjan Djokovic equates vaccine mandate to ‘blackmail’
    • All players at staff at grand slam in Melbourne must be jabbed

    Novak Djokovic is unlikely to play at the Australian Open if rules on Covid-19 vaccinations are not relaxed, the world No 1’s father, Srdjan Djokovic, said.

    Organisers of the year’s first grand slam have said that all players will have to be vaccinated to take part.

    Continue reading...", + "category": "Australian Open", + "link": "https://www.theguardian.com/sport/2021/nov/29/novak-djokovic-likely-to-skip-australian-open-over-vaccine-mandate-says-father", + "creator": "Reuters", + "pubDate": "2021-11-29T04:23:56Z", "enclosure": "", "enclosureType": "", "image": "", @@ -128996,16 +155433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4c1a9138b8b5d1fee6a61fed8ce52b8d" + "hash": "2d8384cffbdfed4898e75102e1b8c6c5" }, { - "title": "Old Bexley and Sidcup byelection: Tories retain true-blue seat", - "description": "

    Louie French becomes MP for suburban London seat, but Tories’ majority of nearly 19,000 cut to 4,478

    The Conservatives have held the safe seat of Old Bexley and Sidcup in the first in a series of closely watched parliamentary byelections.

    Louie French was elected as the new MP, replacing the well-liked former cabinet minister James Brokenshire, who died in October from lung cancer.

    Continue reading...", - "content": "

    Louie French becomes MP for suburban London seat, but Tories’ majority of nearly 19,000 cut to 4,478

    The Conservatives have held the safe seat of Old Bexley and Sidcup in the first in a series of closely watched parliamentary byelections.

    Louie French was elected as the new MP, replacing the well-liked former cabinet minister James Brokenshire, who died in October from lung cancer.

    Continue reading...", - "category": "Byelections", - "link": "https://www.theguardian.com/politics/2021/dec/03/old-bexley-and-sidcup-byelection-louie-french-mp-tories-retain-seat", - "creator": "Aubrey Allegretti Political correspondent and Archie Bland", - "pubDate": "2021-12-03T08:13:26Z", + "title": "Nurdles: the worst toxic waste you’ve probably never heard of", + "description": "

    Billions of these tiny plastic pellets are floating in the ocean, causing as much damage as oil spills, yet they are still not classified as hazardous

    When the X-Press Pearl container ship caught fire and sank in the Indian Ocean in May, Sri Lanka was terrified that the vessel’s 350 tonnes of heavy fuel oil would spill into the ocean, causing an environmental disaster for the country’s pristine coral reefs and fishing industry.

    Classified by the UN as Sri Lanka’s “worst maritime disaster”, the biggest impact was not caused by the heavy fuel oil. Nor was it the hazardous chemicals on board, which included nitric acid, caustic soda and methanol. The most “significant” harm, according to the UN, came from the spillage of 87 containers full of lentil-sized plastic pellets: nurdles.

    Continue reading...", + "content": "

    Billions of these tiny plastic pellets are floating in the ocean, causing as much damage as oil spills, yet they are still not classified as hazardous

    When the X-Press Pearl container ship caught fire and sank in the Indian Ocean in May, Sri Lanka was terrified that the vessel’s 350 tonnes of heavy fuel oil would spill into the ocean, causing an environmental disaster for the country’s pristine coral reefs and fishing industry.

    Classified by the UN as Sri Lanka’s “worst maritime disaster”, the biggest impact was not caused by the heavy fuel oil. Nor was it the hazardous chemicals on board, which included nitric acid, caustic soda and methanol. The most “significant” harm, according to the UN, came from the spillage of 87 containers full of lentil-sized plastic pellets: nurdles.

    Continue reading...", + "category": "Plastics", + "link": "https://www.theguardian.com/environment/2021/nov/29/nurdles-plastic-pellets-environmental-ocean-spills-toxic-waste-not-classified-hazardous", + "creator": "Karen McVeigh", + "pubDate": "2021-11-29T07:15:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129016,16 +155453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9a31b29802c3b71aaa707d9e66fd07df" + "hash": "7c3e6dfe3da1007902450a0bbb774e27" }, { - "title": "Alec Baldwin questions how bullet got on Rust set in emotional ABC interview", - "description": "

    In first on-camera interview since accidental film-set shooting, actor says there is only one question: ‘where did the live round come from?’

    Alec Baldwin said his 40 year acting career “could be” over after the shooting incident on the set of the western Rust that resulted in the death of cinematographer Halyna Hutchins and wounded director Joel Souza.

    In a lengthy and emotional interview on US TV with ABC News’ George Stephanopoulos, Baldwin added that he “couldn’t give a shit” about his career.

    Continue reading...", - "content": "

    In first on-camera interview since accidental film-set shooting, actor says there is only one question: ‘where did the live round come from?’

    Alec Baldwin said his 40 year acting career “could be” over after the shooting incident on the set of the western Rust that resulted in the death of cinematographer Halyna Hutchins and wounded director Joel Souza.

    In a lengthy and emotional interview on US TV with ABC News’ George Stephanopoulos, Baldwin added that he “couldn’t give a shit” about his career.

    Continue reading...", - "category": "Alec Baldwin", - "link": "https://www.theguardian.com/film/2021/dec/03/alec-baldwin-questions-how-bullet-got-on-rust-set-in-emotional-abc-interview", - "creator": "Dani Anguiano, Andrew Pulver and agencies", - "pubDate": "2021-12-03T03:45:12Z", + "title": "‘I wrote it from the perspective of a night light’: How They Might Be Giants made Birdhouse in Your Soul", + "description": "

    ‘I’m completely happy that we fall within the noble tradition of the one-hit wonder in the UK’

    We had played the showcase night at New York’s CBGB, but didn’t stand out, so we tried instead playing alongside performance artists in East Village. People showing up to watch avant garde performance art bought our cassette, and we became part of this groovy little scene of really enthusiastic people.

    Continue reading...", + "content": "

    ‘I’m completely happy that we fall within the noble tradition of the one-hit wonder in the UK’

    We had played the showcase night at New York’s CBGB, but didn’t stand out, so we tried instead playing alongside performance artists in East Village. People showing up to watch avant garde performance art bought our cassette, and we became part of this groovy little scene of really enthusiastic people.

    Continue reading...", + "category": "Music", + "link": "https://www.theguardian.com/music/2021/nov/29/i-wrote-it-from-the-perspective-of-a-night-light-how-they-might-be-giants-made-birdhouse-in-your-soul", + "creator": "Interviews by Dave Simpson", + "pubDate": "2021-11-29T15:52:09Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129036,16 +155473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3008193d0ffe7974ac259cf1dd057ddd" + "hash": "18aa26662fae1202910a58bccea6a40b" }, { - "title": "Rights groups urge EU to ban NSO over clients’ use of Pegasus spyware", - "description": "

    Letter signed by 86 organisations asks for sanctions against Israeli firm, alleging governments used its software to abuse rights

    Dozens of human rights organisations have called on the European Union to impose global sanctions on NSO Group and take “every action” to prohibit the sale, transfer, export and import of the Israeli company’s surveillance technology.

    The letter, signed by 86 organisations including Access Now, Amnesty International and the Digital Rights Foundation, said the EU’s sanctions regime gave it the power to target entities that were responsible for “violations or abuses that are of serious concern as regards to the objectives of the common foreign and security policy, including violations or abuses of freedom of peaceful assembly and of association, or of freedom of opinion and expression”.

    Continue reading...", - "content": "

    Letter signed by 86 organisations asks for sanctions against Israeli firm, alleging governments used its software to abuse rights

    Dozens of human rights organisations have called on the European Union to impose global sanctions on NSO Group and take “every action” to prohibit the sale, transfer, export and import of the Israeli company’s surveillance technology.

    The letter, signed by 86 organisations including Access Now, Amnesty International and the Digital Rights Foundation, said the EU’s sanctions regime gave it the power to target entities that were responsible for “violations or abuses that are of serious concern as regards to the objectives of the common foreign and security policy, including violations or abuses of freedom of peaceful assembly and of association, or of freedom of opinion and expression”.

    Continue reading...", - "category": "Human rights", - "link": "https://www.theguardian.com/law/2021/dec/03/rights-groups-urge-eu-to-ban-nso-over-clients-use-of-pegasus-spyware", - "creator": "Stephanie Kirchgaessner in Washington", - "pubDate": "2021-12-03T05:00:32Z", + "title": "‘He was a god for us’: actors on being side by side with Stephen Sondheim", + "description": "

    Musical theatre stars Jenna Russell, Daniel Evans and Janie Dee remember working with their hero, and the unique demands and rewards of his songs

    So much of his work is about love. People talk about it being cold but as a teenage girl all I could feel from it was warmth. The songs are ridiculously rich. I’d play the original cast recording of Company again and again, in the front room. I remember my mum came in with her rubber gloves on and tears streaming down her face. She said: “Oh my god, I get it!” The song was Being Alive.

    Continue reading...", + "content": "

    Musical theatre stars Jenna Russell, Daniel Evans and Janie Dee remember working with their hero, and the unique demands and rewards of his songs

    So much of his work is about love. People talk about it being cold but as a teenage girl all I could feel from it was warmth. The songs are ridiculously rich. I’d play the original cast recording of Company again and again, in the front room. I remember my mum came in with her rubber gloves on and tears streaming down her face. She said: “Oh my god, I get it!” The song was Being Alive.

    Continue reading...", + "category": "Stephen Sondheim", + "link": "https://www.theguardian.com/stage/2021/nov/29/he-was-a-god-for-us-actors-side-by-side-with-stephen-sondheim", + "creator": "Interviews by Chris Wiegand", + "pubDate": "2021-11-29T16:22:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129056,16 +155493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7c8314f8f1c7f2d93e37421aea61f64f" + "hash": "5247a9456d99f66c70f31cd9bdea26b3" }, { - "title": "Remain in Mexico: migrants face deadly peril as Biden restores Trump policy", - "description": "

    The US has struck a deal with Mexico to make asylum seekers wait south side of the border while their applications are processed

    The Biden administration’s move to revive Donald Trump’s “Remain in Mexico” policy will subject thousands of people to “enormous suffering” and leave them vulnerable to kidnap and rape as they languish in dangerous Mexican border cities, migration advocates have warned.

    After reaching a deal with Mexico, the US will by 6 December start returning asylum seekers from other Latin American countries to Mexico where they will be obliged to wait while their case is assessed.

    Continue reading...", - "content": "

    The US has struck a deal with Mexico to make asylum seekers wait south side of the border while their applications are processed

    The Biden administration’s move to revive Donald Trump’s “Remain in Mexico” policy will subject thousands of people to “enormous suffering” and leave them vulnerable to kidnap and rape as they languish in dangerous Mexican border cities, migration advocates have warned.

    After reaching a deal with Mexico, the US will by 6 December start returning asylum seekers from other Latin American countries to Mexico where they will be obliged to wait while their case is assessed.

    Continue reading...", - "category": "Mexico", - "link": "https://www.theguardian.com/world/2021/dec/03/remain-in-mexico-migrants-face-deadly-peril-as-biden-restores-trump-policy", - "creator": "David Agren in Mexico City", - "pubDate": "2021-12-03T10:00:01Z", + "title": "The big idea: Should we worry about artificial intelligence?", + "description": "

    Could AI turn on us, or is natural stupidity a greater threat to humanity?

    Ever since Garry Kasparov lost his second chess match against IBM’s Deep Blue in 1997, the writing has been on the wall for humanity. Or so some like to think. Advances in artificial intelligence will lead – by some estimates, in only a few decades – to the development of superintelligent, sentient machines. Movies from The Terminator to The Matrix have portrayed this prospect as rather undesirable. But is this anything more than yet another sci-fi “Project Fear”?

    Some confusion is caused by two very different uses of the phrase artificial intelligence. The first sense is, essentially, a marketing one: anything computer software does that seems clever or usefully responsive – like Siri – is said to use “AI”. The second sense, from which the first borrows its glamour, points to a future that does not yet exist, of machines with superhuman intellects. That is sometimes called AGI, for artificial general intelligence.

    Continue reading...", + "content": "

    Could AI turn on us, or is natural stupidity a greater threat to humanity?

    Ever since Garry Kasparov lost his second chess match against IBM’s Deep Blue in 1997, the writing has been on the wall for humanity. Or so some like to think. Advances in artificial intelligence will lead – by some estimates, in only a few decades – to the development of superintelligent, sentient machines. Movies from The Terminator to The Matrix have portrayed this prospect as rather undesirable. But is this anything more than yet another sci-fi “Project Fear”?

    Some confusion is caused by two very different uses of the phrase artificial intelligence. The first sense is, essentially, a marketing one: anything computer software does that seems clever or usefully responsive – like Siri – is said to use “AI”. The second sense, from which the first borrows its glamour, points to a future that does not yet exist, of machines with superhuman intellects. That is sometimes called AGI, for artificial general intelligence.

    Continue reading...", + "category": "Books", + "link": "https://www.theguardian.com/books/2021/nov/29/the-big-idea-should-we-worry-about-artificial-intelligence", + "creator": "Steven Poole", + "pubDate": "2021-11-29T08:00:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129076,16 +155513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0de20de4060a2ef037595bd9c23a7507" + "hash": "0a0886196caa21643c00526b54f014d8" }, { - "title": "Shell to go ahead with seismic tests in whale breeding grounds after court win", - "description": "

    Judgment rules company can blast sound waves in search for oil along South Africa’s eastern coastline

    Royal Dutch Shell will move ahead with seismic tests to explore for oil in vital whale breeding grounds along South Africa’s eastern coastline after a court dismissed an 11th-hour legal challenge by environmental groups.

    The judgment, by a South African high court, allows Shell to begin firing within days extremely loud sound waves through the relatively untouched marine environment of the Wild Coast, which is home to whales, dolphins and seals.

    Continue reading...", - "content": "

    Judgment rules company can blast sound waves in search for oil along South Africa’s eastern coastline

    Royal Dutch Shell will move ahead with seismic tests to explore for oil in vital whale breeding grounds along South Africa’s eastern coastline after a court dismissed an 11th-hour legal challenge by environmental groups.

    The judgment, by a South African high court, allows Shell to begin firing within days extremely loud sound waves through the relatively untouched marine environment of the Wild Coast, which is home to whales, dolphins and seals.

    Continue reading...", - "category": "Royal Dutch Shell", - "link": "https://www.theguardian.com/business/2021/dec/03/shell-go-ahead-seismic-tests-whale-breeding-grounds-court-oil-south-africa", - "creator": "Jillian Ambrose Energy correspondent", - "pubDate": "2021-12-03T10:45:58Z", + "title": "Nelson, BLM and new voices: why Barbados is ditching the Queen", + "description": "

    Michael Safi reports from the ground as island nation prepares to declare itself a republic

    The first time, he stumbled on it by accident, after following a dirt track through fields of sugar cane that came to a clearing. There was a sign, Hakeem Ward remembers, beneath which someone had left an offering.

    “The sign said it was a slave burial ground,” he says. “We went and Googled it, and then I realised it was actually one of the biggest slave burial grounds in the western hemisphere.”

    Continue reading...", + "content": "

    Michael Safi reports from the ground as island nation prepares to declare itself a republic

    The first time, he stumbled on it by accident, after following a dirt track through fields of sugar cane that came to a clearing. There was a sign, Hakeem Ward remembers, beneath which someone had left an offering.

    “The sign said it was a slave burial ground,” he says. “We went and Googled it, and then I realised it was actually one of the biggest slave burial grounds in the western hemisphere.”

    Continue reading...", + "category": "Barbados", + "link": "https://www.theguardian.com/world/2021/nov/29/nelson-blm-and-new-voices-how-barbados-came-to-cut-ties-to-crown", + "creator": "Michael Safi in Bridgetown", + "pubDate": "2021-11-29T05:00:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129096,16 +155533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad336110f37050eeef077fc8f99b4953" + "hash": "9aa65068fa95dbd526db864643c535fa" }, { - "title": "Philippines court allows Nobel laureate Maria Ressa to go to Norway", - "description": "

    Journalist permitted to receive peace prize in person after judge eases travel restrictions

    The Philippine journalist Maria Ressa will be allowed to travel overseas so she can accept her Nobel peace prize in person after a court gave her permission to leave the country to visit Norway this month.

    Ressa, who is subject to travel restrictions because of the legal cases she faces in the Philippines, shared the prize with the Russian investigative journalist Dmitry Muratov, amid growing concerns over curbs on free speech worldwide.

    Continue reading...", - "content": "

    Journalist permitted to receive peace prize in person after judge eases travel restrictions

    The Philippine journalist Maria Ressa will be allowed to travel overseas so she can accept her Nobel peace prize in person after a court gave her permission to leave the country to visit Norway this month.

    Ressa, who is subject to travel restrictions because of the legal cases she faces in the Philippines, shared the prize with the Russian investigative journalist Dmitry Muratov, amid growing concerns over curbs on free speech worldwide.

    Continue reading...", - "category": "Philippines", - "link": "https://www.theguardian.com/world/2021/dec/03/philippines-court-allows-nobel-laureate-maria-ressa-norway-journalist-travel-restrictions", - "creator": "Reuters in Manila", - "pubDate": "2021-12-03T08:20:22Z", + "title": "The 20 best songs of 2021", + "description": "

    We celebrate everything from Lil Nas X’s conservative-baiting Montero to Wet Leg’s instant indie classic – as voted for by 31 of the Guardian’s music writers

    Continue reading...", + "content": "

    We celebrate everything from Lil Nas X’s conservative-baiting Montero to Wet Leg’s instant indie classic – as voted for by 31 of the Guardian’s music writers

    Continue reading...", + "category": "Music", + "link": "https://www.theguardian.com/music/2021/nov/29/the-20-best-songs-of-2021", + "creator": "Ben Beaumont-Thomas and Laura Snapes", + "pubDate": "2021-11-29T06:00:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129116,16 +155553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9f3e9c62b7fabb0dac04ae0f846db270" + "hash": "19e8d121beece80ebc13d8013baabfb0" }, { - "title": "Covid booster shots significantly strengthen immunity, trial finds", - "description": "

    Jabs offer far higher protection than that needed to prevent hospitalisation and death, Cov-Boost trial lead says

    Covid booster shots can dramatically strengthen the body’s immune defences, according to a study that raises hopes of preventing another wave of severe disease driven by the Omicron variant.

    In a study published in the Lancet, researchers on the UK-based Cov-Boost trial measured immune responses in nearly 3,000 people who received one of seven Covid-19 boosters or a control jab two to three months after their second dose of either AstraZeneca or Pfizer vaccine.

    Continue reading...", - "content": "

    Jabs offer far higher protection than that needed to prevent hospitalisation and death, Cov-Boost trial lead says

    Covid booster shots can dramatically strengthen the body’s immune defences, according to a study that raises hopes of preventing another wave of severe disease driven by the Omicron variant.

    In a study published in the Lancet, researchers on the UK-based Cov-Boost trial measured immune responses in nearly 3,000 people who received one of seven Covid-19 boosters or a control jab two to three months after their second dose of either AstraZeneca or Pfizer vaccine.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/02/covid-booster-shots-significantly-strengthen-immunity-trial-finds", - "creator": "Ian Sample Science editor", - "pubDate": "2021-12-02T23:30:25Z", + "title": "‘I feel inspired here’: refugees find business success in Naples", + "description": "

    From designing homewares to recording music, many who fled to Europe are building independent lives against the odds

    Pieces of fabric of various vibrant shades fill the Naples studio where Paboy Bojang and his team of four are working around the clock to stitch together 250 cushions for their next customer, The Conran Shop.

    They are not long from dispatching their first orders to Selfridges and Paul Smith, and with requests for the distinctive cotton cushions with ruffled borders flooding in from around the world, they will be busy for months to come.

    Continue reading...", + "content": "

    From designing homewares to recording music, many who fled to Europe are building independent lives against the odds

    Pieces of fabric of various vibrant shades fill the Naples studio where Paboy Bojang and his team of four are working around the clock to stitch together 250 cushions for their next customer, The Conran Shop.

    They are not long from dispatching their first orders to Selfridges and Paul Smith, and with requests for the distinctive cotton cushions with ruffled borders flooding in from around the world, they will be busy for months to come.

    Continue reading...", + "category": "Refugees", + "link": "https://www.theguardian.com/world/2021/nov/29/i-feel-inspired-here-refugees-find-business-success-in-naples", + "creator": "Angela Giuffrida in Naples", + "pubDate": "2021-11-29T11:28:16Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129136,16 +155573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "31342da85613185e7ee1cf904a6e6086" + "hash": "22f80ee66a7e73bea345a33912715f81" }, { - "title": "‘Electric vibe’: Auckland celebrates end of lockdown with brunch and traffic gridlock", - "description": "

    Vaccinated people in New Zealand’s largest city can now go to the pub for the first time in over 100 days

    In Auckland, nature was healing. The ungroomed lined up for their eyebrow appointments. Bars flung open their doors with the promise of free drinks. Locals posted photos of their flat whites and brunch menus. The city’s sky tower was lit up for the first day of the “traffic light” reopening. And, in perhaps the truest sign that the gridlock-plagued city was on its pathway to normalcy, four lanes of the southern motorway were bumper to bumper.

    The traffic light system, announced by prime minister Jacinda Ardern in late November, ends lockdowns in favour of restrictions on the unvaccinated. The red, orange and green levels depend on vaccination rates and the level of strain on the health system, but even at red – the strictest level – businesses are fully open to the vaccinated, with some restrictions on gathering size.

    Continue reading...", - "content": "

    Vaccinated people in New Zealand’s largest city can now go to the pub for the first time in over 100 days

    In Auckland, nature was healing. The ungroomed lined up for their eyebrow appointments. Bars flung open their doors with the promise of free drinks. Locals posted photos of their flat whites and brunch menus. The city’s sky tower was lit up for the first day of the “traffic light” reopening. And, in perhaps the truest sign that the gridlock-plagued city was on its pathway to normalcy, four lanes of the southern motorway were bumper to bumper.

    The traffic light system, announced by prime minister Jacinda Ardern in late November, ends lockdowns in favour of restrictions on the unvaccinated. The red, orange and green levels depend on vaccination rates and the level of strain on the health system, but even at red – the strictest level – businesses are fully open to the vaccinated, with some restrictions on gathering size.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/dec/03/electric-vibe-auckland-celebrates-end-of-lockdown-with-brunch-and-traffic-gridlock", - "creator": "Tess McClure in Christchurch", - "pubDate": "2021-12-03T02:02:33Z", + "title": "Storm Arwen: thousands in UK face fourth night without power", + "description": "

    More than 150,000 homes without power on Monday, with damage thought to be worst since 2005

    More than 150,000 homes across the UK were facing a fourth night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines.

    The Energy Networks Association (ENA) said damage caused by Friday’s storm was some of the worst since 2005. More than a million homes lost power with 155,000 nationwide still waiting to be reconnected on Monday afternoon.

    Continue reading...", + "content": "

    More than 150,000 homes without power on Monday, with damage thought to be worst since 2005

    More than 150,000 homes across the UK were facing a fourth night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines.

    The Energy Networks Association (ENA) said damage caused by Friday’s storm was some of the worst since 2005. More than a million homes lost power with 155,000 nationwide still waiting to be reconnected on Monday afternoon.

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/2021/nov/29/storm-arwen-homes-in-north-of-england-without-power-for-third-night", + "creator": "Mark Brown North of England correspondent", + "pubDate": "2021-11-29T16:43:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129156,16 +155593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "21661d459b3eb8da2997664ec0874839" + "hash": "c38d13e956a47f24d4eb6d4c1f0ca963" }, { - "title": "‘A post-menopausal Macbeth’: Joel Coen on tackling Shakespeare with Frances McDormand", - "description": "

    The writer-director talks about his new film, co-starring Denzel Washington, and reveals how it felt to work without his brother, Ethan, for the first time in nearly 40 years

    It might be the unlucky play for British theatre rep types. But for movie directors, Macbeth has been a talisman, a fascinating and liberating challenge – for Akira Kurosawa, with his version, Throne of Blood; for Roman Polanski; and for Justin Kurzel. Even Orson Welles’s once-scorned movie version from 1948, with its quaint Scottish accents, is admired today for its lo-fi energy.

    Now, Joel Coen, the co-creator of masterpieces such as Fargo, The Big Lebowski, A Serious Man and No Country for Old Men, has directed a starkly brilliant version entitled The Tragedy of Macbeth, shot in high-contrast black and white, an eerie nightmare of clarity and purity, with Denzel Washington as Macbeth and Frances McDormand (Coen’s wife) as Lady Macbeth.

    Continue reading...", - "content": "

    The writer-director talks about his new film, co-starring Denzel Washington, and reveals how it felt to work without his brother, Ethan, for the first time in nearly 40 years

    It might be the unlucky play for British theatre rep types. But for movie directors, Macbeth has been a talisman, a fascinating and liberating challenge – for Akira Kurosawa, with his version, Throne of Blood; for Roman Polanski; and for Justin Kurzel. Even Orson Welles’s once-scorned movie version from 1948, with its quaint Scottish accents, is admired today for its lo-fi energy.

    Now, Joel Coen, the co-creator of masterpieces such as Fargo, The Big Lebowski, A Serious Man and No Country for Old Men, has directed a starkly brilliant version entitled The Tragedy of Macbeth, shot in high-contrast black and white, an eerie nightmare of clarity and purity, with Denzel Washington as Macbeth and Frances McDormand (Coen’s wife) as Lady Macbeth.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/03/a-post-menopausal-macbeth-joel-coen-on-tackling-shakespeare-with-frances-mcdormand", - "creator": "Peter Bradshaw", - "pubDate": "2021-12-03T10:00:00Z", + "title": "Xiomara Castro poised to become first female president of Honduras", + "description": "

    Castro, who declared herself the winner in a speech late on Sunday, has vowed to fight corruption and relax abortion laws

    The opposition candidate Xiomara Castro appears poised to become the first female president of Honduras in a landslide victory 12 years after her husband was forced from power in a military-backed coup.

    With results counted from just over half of precincts on Monday, Castro held a commanding 20-point lead over her nearest rival, Nasry Asfura of the ruling National party.

    Continue reading...", + "content": "

    Castro, who declared herself the winner in a speech late on Sunday, has vowed to fight corruption and relax abortion laws

    The opposition candidate Xiomara Castro appears poised to become the first female president of Honduras in a landslide victory 12 years after her husband was forced from power in a military-backed coup.

    With results counted from just over half of precincts on Monday, Castro held a commanding 20-point lead over her nearest rival, Nasry Asfura of the ruling National party.

    Continue reading...", + "category": "Honduras", + "link": "https://www.theguardian.com/world/2021/nov/29/xiomara-castro-declares-victory-in-honduras-presidential-election", + "creator": "Jeff Ernst in Tegucigalpa", + "pubDate": "2021-11-29T18:35:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129176,36 +155613,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "b919cc8c048888d363a4599a4e461e51" + "hash": "9d19d9db0dd294e0ebe90b6bc8cd4640" }, { - "title": "From utopian dreams to Soho sleaze: the naked history of British nudism", - "description": "

    A new book details how nudism began as a movement of intellectuals, feminists and artists, only to be suppressed by the state. But our attitudes to nakedness also tell us a lot about ourselves

    When Annebella Pollen was 17, she left behind her strict Catholic upbringing for the life of a new-age hippy, living in a caravan and frolicking naked among the standing stones of Devon, while earning a living by modelling for life-drawing classes. That early experience, followed by a relationship with a bric-a-brac dealer, shaped her later life as an art historian. “I’m very interested in things that are culturally illegitimate,” says Pollen, who now teaches at the University of Brighton. “A lot of my research has been looking at objects that are despised.”

    Foraging trips with her partner to car-boot sales alerted her to a rich seam of 20th-century nudist literature that is still emerging from the attics of middle England: magazines whose wholesome titles – Sun Bathing Review or Health & Efficiency – concealed a complex negotiation with both public morality and the British weather. This is the subject Pollen has picked for her latest book Nudism in a Cold Climate, which tracks the movement from the spartan 1920s through the titillating 50s, when the new mass media whipped up a frenzy of moral anxiety, to the countercultural 60s and 70s, when the founding members were dying off and it all began to look a bit frowsty.

    Continue reading...", - "content": "

    A new book details how nudism began as a movement of intellectuals, feminists and artists, only to be suppressed by the state. But our attitudes to nakedness also tell us a lot about ourselves

    When Annebella Pollen was 17, she left behind her strict Catholic upbringing for the life of a new-age hippy, living in a caravan and frolicking naked among the standing stones of Devon, while earning a living by modelling for life-drawing classes. That early experience, followed by a relationship with a bric-a-brac dealer, shaped her later life as an art historian. “I’m very interested in things that are culturally illegitimate,” says Pollen, who now teaches at the University of Brighton. “A lot of my research has been looking at objects that are despised.”

    Foraging trips with her partner to car-boot sales alerted her to a rich seam of 20th-century nudist literature that is still emerging from the attics of middle England: magazines whose wholesome titles – Sun Bathing Review or Health & Efficiency – concealed a complex negotiation with both public morality and the British weather. This is the subject Pollen has picked for her latest book Nudism in a Cold Climate, which tracks the movement from the spartan 1920s through the titillating 50s, when the new mass media whipped up a frenzy of moral anxiety, to the countercultural 60s and 70s, when the founding members were dying off and it all began to look a bit frowsty.

    Continue reading...", - "category": "Art", - "link": "https://www.theguardian.com/artanddesign/2021/dec/03/from-utopian-dreams-to-soho-sleaze-the-naked-history-of-british-nudism", - "creator": "Claire Armitstead", - "pubDate": "2021-12-03T07:00:36Z", + "title": "Leaked papers link Xinjiang crackdown with China leadership", + "description": "

    Secret documents urge population control, mass round-ups and punishment of Uyghurs

    Excerpts from previously unpublished documents directly linking China’s crackdown on Uyghur Muslims and other minorities in Xinjiang province to speeches by the Chinese leadership in 2014 have been put online.

    The documents – including three speeches by Chinese president Xi Jinping in April 2014 – cover security, population control and the need to punish the Uyghur population. Some are marked top secret. They were leaked to the German academic Adrian Zenz.

    Continue reading...", + "content": "

    Secret documents urge population control, mass round-ups and punishment of Uyghurs

    Excerpts from previously unpublished documents directly linking China’s crackdown on Uyghur Muslims and other minorities in Xinjiang province to speeches by the Chinese leadership in 2014 have been put online.

    The documents – including three speeches by Chinese president Xi Jinping in April 2014 – cover security, population control and the need to punish the Uyghur population. Some are marked top secret. They were leaked to the German academic Adrian Zenz.

    Continue reading...", + "category": "Xinjiang", + "link": "https://www.theguardian.com/world/2021/nov/29/leaked-papers-link-xinjiang-crackdown-with-china-leadership", + "creator": "Patrick Wintour Diplomatic Editor", + "pubDate": "2021-11-29T18:33:21Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "04dc474a56ae23f6bb643da72c2b4be4" + "hash": "cf906095385b901dfbab0c265b807bf5" }, { - "title": "Ed Sheeran & Elton John: Merry Christmas review – an overstuffed, undercooked turkey", - "description": "

    Laudably released for charity, the favourite for this year’s Christmas No 1 leaves no musical cliche untwinkled – and its exhortation to forget the pandemic is crass

    Given recent government advice to avoid kissing strangers under the mistletoe this Christmas, there’s a sense in which the long-trailed festive hook-up between Ed Sheeran and Elton John counts as a reckless incitement to anarchy. For his part, Sheeran wants nothing more than a relentless tonguing beneath those poison berries this December: “Kiss me,” he sings; then later, “just keep kissing me!” (To be fair, this noted Wife Guy is unquestionably singing about his wife. Did you know he has a wife? He might have mentioned it.)

    In every other respect, however, Merry Christmas – in case the perfunctory title didn’t make clear – is the very exemplar of avoiding unnecessary risk during this perilous season. There are sleigh bells. Church bells. Clattering reindeer hooves. A kids’ choir. Sickly strings. The full selection box, and delivered with about as much imagination as that staple stocking filler. Old friends Sheeran and John encourage us to “pray for December snow”, and the overall effect is a blanketing avalanche of plinky-plonky schmaltz rich in bonhomie and derivative in tune.

    Continue reading...", - "content": "

    Laudably released for charity, the favourite for this year’s Christmas No 1 leaves no musical cliche untwinkled – and its exhortation to forget the pandemic is crass

    Given recent government advice to avoid kissing strangers under the mistletoe this Christmas, there’s a sense in which the long-trailed festive hook-up between Ed Sheeran and Elton John counts as a reckless incitement to anarchy. For his part, Sheeran wants nothing more than a relentless tonguing beneath those poison berries this December: “Kiss me,” he sings; then later, “just keep kissing me!” (To be fair, this noted Wife Guy is unquestionably singing about his wife. Did you know he has a wife? He might have mentioned it.)

    In every other respect, however, Merry Christmas – in case the perfunctory title didn’t make clear – is the very exemplar of avoiding unnecessary risk during this perilous season. There are sleigh bells. Church bells. Clattering reindeer hooves. A kids’ choir. Sickly strings. The full selection box, and delivered with about as much imagination as that staple stocking filler. Old friends Sheeran and John encourage us to “pray for December snow”, and the overall effect is a blanketing avalanche of plinky-plonky schmaltz rich in bonhomie and derivative in tune.

    Continue reading...", - "category": "Ed Sheeran", - "link": "https://www.theguardian.com/music/2021/dec/03/ed-sheeran-elton-john-merry-christmas-review-an-overstuffed-undercooked-turkey", - "creator": "Laura Snapes", - "pubDate": "2021-12-03T08:00:36Z", + "title": "‘They need an awful lot of help’: why jobseeker isn’t enough when you’re battling cancer", + "description": "

    The AMA has joined a growing push for better welfare for those with incapacitating but ‘unstabilised’ conditions such as cancer or poor mental health

    Since he was diagnosed with cancer in the middle of the year, Tim Hurley has been relying on the support of family and friends to get him to hospital five times a week.

    They’ve also brought him meals and helped cover the cost of medication and other essentials.

    Continue reading...", + "content": "

    The AMA has joined a growing push for better welfare for those with incapacitating but ‘unstabilised’ conditions such as cancer or poor mental health

    Since he was diagnosed with cancer in the middle of the year, Tim Hurley has been relying on the support of family and friends to get him to hospital five times a week.

    They’ve also brought him meals and helped cover the cost of medication and other essentials.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/nov/30/they-need-an-awful-lot-of-help-why-jobseeker-isnt-enough-when-youre-battling-cancer", + "creator": "Luke Henriques-Gomes Social affairs and inequality editor", + "pubDate": "2021-11-29T16:30:07Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129216,16 +155653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a051bd0b1ecab5c95fe13ea3605f0743" + "hash": "d6803bc07e2265cacf61280a40709115" }, { - "title": "The Home Alone house is on Airbnb. Sounds like a trap | Stuart Heritage", - "description": "

    Just how lucky will the guests who get to stay at the McCallister house later this month be? I foresee trouble

    In the interests of public service, I need to make you aware of a trap. Yesterday, a property became available on Airbnb. It is a large home in the Chicago area, available for one night only and it is suspiciously cheap. Look, it’s the Home Alone house.

    Apparently, for $18 (£13.50), you and three friends can stay overnight in the iconic McCallister residence. You will be greeted by the actor who played Buzz McCallister. There will be pizza and other 90s junk food. There will be a mirror for you to scream into. There may well be a tarantula. It all seems too good to be true, doesn’t it? This is why I am convinced that whoever ends up staying there will be robbed.

    Continue reading...", - "content": "

    Just how lucky will the guests who get to stay at the McCallister house later this month be? I foresee trouble

    In the interests of public service, I need to make you aware of a trap. Yesterday, a property became available on Airbnb. It is a large home in the Chicago area, available for one night only and it is suspiciously cheap. Look, it’s the Home Alone house.

    Apparently, for $18 (£13.50), you and three friends can stay overnight in the iconic McCallister residence. You will be greeted by the actor who played Buzz McCallister. There will be pizza and other 90s junk food. There will be a mirror for you to scream into. There may well be a tarantula. It all seems too good to be true, doesn’t it? This is why I am convinced that whoever ends up staying there will be robbed.

    Continue reading...", - "category": "Family films", - "link": "https://www.theguardian.com/film/2021/dec/03/the-home-alone-house-is-on-airbnb-sounds-like-a-trap", - "creator": "Stuart Heritage", - "pubDate": "2021-12-03T11:30:03Z", + "title": "Myanmar junta accused of forcing people to brink of starvation", + "description": "

    Advisory group say military has destroyed supplies, killed livestock and cut off roads used to transport food since February coup

    Myanmar’s military junta has been accused of forcing people to the brink of starvation with repeated offensives since it seized power in a coup earlier this year.

    The Special Advisory Council for Myanmar said the junta had destroyed food supplies and killed livestock while cutting off roads used to bring in food and medicine.

    Continue reading...", + "content": "

    Advisory group say military has destroyed supplies, killed livestock and cut off roads used to transport food since February coup

    Myanmar’s military junta has been accused of forcing people to the brink of starvation with repeated offensives since it seized power in a coup earlier this year.

    The Special Advisory Council for Myanmar said the junta had destroyed food supplies and killed livestock while cutting off roads used to bring in food and medicine.

    Continue reading...", + "category": "Hunger", + "link": "https://www.theguardian.com/global-development/2021/nov/26/myanmar-junta-accused-of-forcing-people-to-brink-of-starvation", + "creator": "Kaamil Ahmed", + "pubDate": "2021-11-26T13:58:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129236,16 +155673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "94b5f7b3a9727159f546815f65193b37" + "hash": "e0689a0471a3d11d9f4058b0ab5d746a" }, { - "title": "You be the judge: should my girlfriend spend less money on her cats?", - "description": "

    We air both sides of a domestic disagreement – and ask you to deliver a verdict
    • Have a disagreement you’d like settled? Or want to be part of our jury? Click here

    Lakshmi spends her entire salary on the cats, then says she can’t afford to go on holiday with me

    Continue reading...", - "content": "

    We air both sides of a domestic disagreement – and ask you to deliver a verdict
    • Have a disagreement you’d like settled? Or want to be part of our jury? Click here

    Lakshmi spends her entire salary on the cats, then says she can’t afford to go on holiday with me

    Continue reading...", - "category": "Relationships", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/03/you-be-the-judge-should-my-girlfriend-spend-less-money-on-her-cats", - "creator": "Interviews by Georgina Lawton", - "pubDate": "2021-12-03T08:00:37Z", + "title": "Early action against Omicron is imperative to avoid devastating consequences | Ewan Birney", + "description": "

    Scientists have sprung into action to identify the new Covid variant. We don’t yet know if it is a major threat - but we should not take any chances

    It was only a matter of time before a new Sars-CoV-2 variant of concern emerged, requiring an urgent global response. It would seem that the Omicron variant, identified by scientists across Africa, including the National Institute for Communicable Diseases (NICD), poses the next major threat in the course of the pandemic. Early evidence from their genomic surveillance suggests that this new variant is a serious cause for concern and it is imperative that we act fast in response to this new information.

    The variant has also been detected in Botswana and Hong Kong, and will undoubtedly continue to arise in other territories in the coming days; travel-related cases have appeared in Belgium and Israel. Two cases of the new variant have been detected in the UK at the time of writing.

    Continue reading...", + "content": "

    Scientists have sprung into action to identify the new Covid variant. We don’t yet know if it is a major threat - but we should not take any chances

    It was only a matter of time before a new Sars-CoV-2 variant of concern emerged, requiring an urgent global response. It would seem that the Omicron variant, identified by scientists across Africa, including the National Institute for Communicable Diseases (NICD), poses the next major threat in the course of the pandemic. Early evidence from their genomic surveillance suggests that this new variant is a serious cause for concern and it is imperative that we act fast in response to this new information.

    The variant has also been detected in Botswana and Hong Kong, and will undoubtedly continue to arise in other territories in the coming days; travel-related cases have appeared in Belgium and Israel. Two cases of the new variant have been detected in the UK at the time of writing.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/27/omicron-covid-variant-early-action-imperative-to-avoid-devastating-consequences", + "creator": "Ewan Birney", + "pubDate": "2021-11-27T19:19:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129256,16 +155693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "9fd82f572c725372d87ae06bb4e28476" + "hash": "2908134c4e7291862226a6d03f6bb222" }, { - "title": "Biden plans to get booster shots to 100m Americans | First Thing", - "description": "

    President lays out plan for winter months amid Omicron arrival in US; plus George Clooney on turning down $35m for a day’s work

    Good morning.

    Joe Biden is planning to pull no punches when it comes to the emergence of the Omicron variant of Covid in the US.

    There is fresh urgency to the effort after the first US case of the Omicron variant of Covid-19 was identified in California on Wednesday and a second in Minnesota yesterday.

    The emergence of Omicron has demonstrated the tenacity of the virus, which continues to drag down Biden’s political fortunes. Voters are divided on his handling of the pandemic, with 47% approving and 49% disapproving.

    What else did he say? He said he didn’t pull the trigger. He “let go of the hammer” on the weapon, he said, and the gun went off. “I never pulled the trigger,” he repeated.

    Will there be any criminal charges brought in the case? The district attorney in Santa Fe, New Mexico, said in October that criminal charges in the shooting have not been ruled out.

    Continue reading...", - "content": "

    President lays out plan for winter months amid Omicron arrival in US; plus George Clooney on turning down $35m for a day’s work

    Good morning.

    Joe Biden is planning to pull no punches when it comes to the emergence of the Omicron variant of Covid in the US.

    There is fresh urgency to the effort after the first US case of the Omicron variant of Covid-19 was identified in California on Wednesday and a second in Minnesota yesterday.

    The emergence of Omicron has demonstrated the tenacity of the virus, which continues to drag down Biden’s political fortunes. Voters are divided on his handling of the pandemic, with 47% approving and 49% disapproving.

    What else did he say? He said he didn’t pull the trigger. He “let go of the hammer” on the weapon, he said, and the gun went off. “I never pulled the trigger,” he repeated.

    Will there be any criminal charges brought in the case? The district attorney in Santa Fe, New Mexico, said in October that criminal charges in the shooting have not been ruled out.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/03/first-thing-biden-plans-to-get-booster-shots-to-100-million-americans", - "creator": "Nicola Slawson", - "pubDate": "2021-12-03T10:46:23Z", + "title": "Priti Patel blames ‘evil’ gangs for Channel crossings but the reality is far more complicated", + "description": "

    Analysis: The UK government’s own experts say many journeys are actually organised directly by desperate families

    The government repeatedly insists that sophisticated criminal networks are driving the Channel crossings by people seeking asylum in Britain. Of all the contested claims advanced by the home secretary on the issue, it remains among the most pervasive.

    True to form, in the aftermath of Wednesday’s drownings, Priti Patel wasted little time reiterating her determination to “smash the criminal gangs” behind such crossings.

    Continue reading...", + "content": "

    Analysis: The UK government’s own experts say many journeys are actually organised directly by desperate families

    The government repeatedly insists that sophisticated criminal networks are driving the Channel crossings by people seeking asylum in Britain. Of all the contested claims advanced by the home secretary on the issue, it remains among the most pervasive.

    True to form, in the aftermath of Wednesday’s drownings, Priti Patel wasted little time reiterating her determination to “smash the criminal gangs” behind such crossings.

    Continue reading...", + "category": "Refugees", + "link": "https://www.theguardian.com/world/2021/nov/27/priti-patel-blames-evil-gangs-for-channel-crossings-but-the-reality-is-far-more-complicated", + "creator": "Mark Townsend", + "pubDate": "2021-11-27T17:02:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129276,16 +155713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "09472f1f20f5fd5fd4159b565cd4769a" + "hash": "a4891f21e9428a32bccc2246113636da" }, { - "title": "China’s ride-hailing firm Didi to switch listing from New York to Hong Kong", - "description": "

    Stock exchange decision comes as Beijing cracks down on technology firms listing overseas

    The Chinese ride-hailing firm Didi is to move its listing from the New York stock exchange to Hong Kong, as Beijing cracks down on the country’s biggest technology companies.

    The company said it would start “immediate” preparations to delist in New York and prepare to go public in Hong Kong.

    Continue reading...", - "content": "

    Stock exchange decision comes as Beijing cracks down on technology firms listing overseas

    The Chinese ride-hailing firm Didi is to move its listing from the New York stock exchange to Hong Kong, as Beijing cracks down on the country’s biggest technology companies.

    The company said it would start “immediate” preparations to delist in New York and prepare to go public in Hong Kong.

    Continue reading...", - "category": "Technology sector", - "link": "https://www.theguardian.com/business/2021/dec/03/china-ride-hailing-firm-didi-to-switch-listing-from-new-york-to-hong-kong", - "creator": "Mark Sweney", - "pubDate": "2021-12-03T09:11:38Z", + "title": "Sajid Javid: Christmas will be 'great' despite Omicron variant concerns – video", + "description": "

    Speaking on Sky's Trevor Phillips on Sunday programme, the health secretary said the government's measures, including compulsory masks on public transport and in shops, were 'proportionate and balanced'

    Continue reading...", + "content": "

    Speaking on Sky's Trevor Phillips on Sunday programme, the health secretary said the government's measures, including compulsory masks on public transport and in shops, were 'proportionate and balanced'

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/28/sajid-javid-christmas-will-be-great-despite-omicron-variant-concerns-video", + "creator": "", + "pubDate": "2021-11-28T12:45:27Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129296,16 +155733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "10e04efb93d811023a8f88f6e91bd319" + "hash": "95a7c2f67b2230c47f816b995c674779" }, { - "title": "Fair Work Commission rules BHP vaccine mandate unlawful due to lack of consultation", - "description": "

    About 50 workers at the Mt Arthur coalmine had been stood down without pay over the mandate

    The Fair Work Commission has ruled a Covid-19 vaccine mandate for all workers at BHP’s Mt Arthur coalmine was unlawful because the company did not consult adequately with its workers.

    Approximately 50 mine workers were stood down without pay last month after they were told they would be required to have had at least one dose of a Covid-19 vaccine to enter the work site after 9 November, and that they would need to be fully vaccinated by 31 January next year.

    Continue reading...", - "content": "

    About 50 workers at the Mt Arthur coalmine had been stood down without pay over the mandate

    The Fair Work Commission has ruled a Covid-19 vaccine mandate for all workers at BHP’s Mt Arthur coalmine was unlawful because the company did not consult adequately with its workers.

    Approximately 50 mine workers were stood down without pay last month after they were told they would be required to have had at least one dose of a Covid-19 vaccine to enter the work site after 9 November, and that they would need to be fully vaccinated by 31 January next year.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/dec/03/fair-work-commission-rules-bhp-vaccine-mandate-unlawful-due-to-lack-of-consultation", - "creator": "Stephanie Convery", - "pubDate": "2021-12-03T08:31:29Z", + "title": "Two cases of Omicron Covid variant detected in Britain, says health secretary – video", + "description": "

    The first cases of the new B.1.1.529 Covid variant have been identified in the UK. Two people found to be infected with the Omicron variant are self-isolating, according to the health secretary, Sajid Javid

    Continue reading...", + "content": "

    The first cases of the new B.1.1.529 Covid variant have been identified in the UK. Two people found to be infected with the Omicron variant are self-isolating, according to the health secretary, Sajid Javid

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/27/two-cases-omicron-covid-variant-detected-britain-health-secretary-video", + "creator": "", + "pubDate": "2021-11-27T15:04:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129316,16 +155753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e55f57c28464c730c706df0389f51904" + "hash": "017f16d89a5d556bcc15f1dbbb1496b9" }, { - "title": "Tory peer Michelle Mone accused of sending racist and abusive message", - "description": "

    Exclusive: Mone is alleged to have called man of Indian heritage ‘a waste of a man’s white skin’ in WhatsApp exchange

    The Conservative peer Michelle Mone has been accused of sending a racist message to a man of Indian heritage who alleged in an official complaint that she told him he was “a waste of a man’s white skin”.

    The phrase was allegedly used in a WhatsApp message sent by the Tory member of the House of Lords in June 2019 during a disagreement following a fatal yacht crash off the coast of Monaco.

    Continue reading...", - "content": "

    Exclusive: Mone is alleged to have called man of Indian heritage ‘a waste of a man’s white skin’ in WhatsApp exchange

    The Conservative peer Michelle Mone has been accused of sending a racist message to a man of Indian heritage who alleged in an official complaint that she told him he was “a waste of a man’s white skin”.

    The phrase was allegedly used in a WhatsApp message sent by the Tory member of the House of Lords in June 2019 during a disagreement following a fatal yacht crash off the coast of Monaco.

    Continue reading...", - "category": "House of Lords", - "link": "https://www.theguardian.com/politics/2021/dec/02/michelle-mone-tory-peer-accused-of-sending-racist-abusive-messages", - "creator": "David Conn", - "pubDate": "2021-12-02T18:41:51Z", + "title": "State-affiliated TV purports to show Ethiopian PM on the battlefront against Tigray rebels – video", + "description": "

    Footage purporting to show Abiy Ahmed on the battlefront of the country’s year-long war against Tigray forces has been broadcast, four days after he announced he would direct the army from there. Wearing military uniform, Abiy said: 'The enemy doesn't know our capabilities and our preparations … Instead of sitting in Addis, we made a change and decided to come to the front'

    Continue reading...", + "content": "

    Footage purporting to show Abiy Ahmed on the battlefront of the country’s year-long war against Tigray forces has been broadcast, four days after he announced he would direct the army from there. Wearing military uniform, Abiy said: 'The enemy doesn't know our capabilities and our preparations … Instead of sitting in Addis, we made a change and decided to come to the front'

    Continue reading...", + "category": "Ethiopia", + "link": "https://www.theguardian.com/world/video/2021/nov/26/state-affiliated-tv-ethiopian-pm-on-the-battlefront-video", + "creator": "", + "pubDate": "2021-11-26T17:03:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129336,16 +155773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "81c599644f7c514c1e950c982e4e3fdc" + "hash": "a035b22a38a927954791fd8b663a2cee" }, { - "title": "Ghislaine Maxwell warned Epstein’s house manager not to ‘look at his eyes’, court hears", - "description": "

    Juan Alessi was told he should speak to his boss only when spoken to and should look away when addressing him

    • This article contains depictions of sexual abuse

    The former house manager of Jeffrey Epstein’s Palm Beach home said Thursday that Ghislaine Maxwell warned that he should “never look” his boss in the eyes.

    Juan Alessi, who worked at Epstein’s Florida residence fromabout 1990 to 2002, made the startling statement during his testimony at Maxwell’s child sex-trafficking trial in Manhattan federal court.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "content": "

    Juan Alessi was told he should speak to his boss only when spoken to and should look away when addressing him

    • This article contains depictions of sexual abuse

    The former house manager of Jeffrey Epstein’s Palm Beach home said Thursday that Ghislaine Maxwell warned that he should “never look” his boss in the eyes.

    Juan Alessi, who worked at Epstein’s Florida residence fromabout 1990 to 2002, made the startling statement during his testimony at Maxwell’s child sex-trafficking trial in Manhattan federal court.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "category": "Jeffrey Epstein", - "link": "https://www.theguardian.com/us-news/2021/dec/02/ghislaine-maxwell-trial-warned-jeffrey-epstein-house-manager", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-12-02T18:49:24Z", + "title": "Macron attacks Johnson for trying to negotiate migration crisis via tweets – video", + "description": "

    The French president, Emmanuel Macron, has reprimanded Boris Johnson for trying to negotiate with him about stopping people crossing the Channel in public, via Twitter. He said he was 'surprised' by Johnson’s decision to communicate with him in this way, because it was 'not serious'. He added: 'We don’t communicate by tweets'

    Continue reading...", + "content": "

    The French president, Emmanuel Macron, has reprimanded Boris Johnson for trying to negotiate with him about stopping people crossing the Channel in public, via Twitter. He said he was 'surprised' by Johnson’s decision to communicate with him in this way, because it was 'not serious'. He added: 'We don’t communicate by tweets'

    Continue reading...", + "category": "Emmanuel Macron", + "link": "https://www.theguardian.com/australia-news/video/2021/nov/26/macron-attacks-johnson-for-trying-to-negotiate-migration-crisis-via-tweets-video", + "creator": "", + "pubDate": "2021-11-26T12:37:33Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129356,16 +155793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "878e45f037bee79783a8907b289bc4aa" + "hash": "e33bfa4e5ff16665cfffd2c753afe2c2" }, { - "title": "Trapped in Ikea: snowstorm in Denmark forces dozens to bed down in store", - "description": "

    Six customers and about two dozen staff spent the night in the bed department after a foot of snow fell

    A showroom in northern Denmark turned into a vast bedroom after six customers and about two dozen employees were stranded by a snowstorm and forced to spend the night in the store.

    Up to 30 centimeters (12 inches) of snow fell, trapping the customers and employees when the department store in Aalborg closed on Wednesday evening.

    Continue reading...", - "content": "

    Six customers and about two dozen staff spent the night in the bed department after a foot of snow fell

    A showroom in northern Denmark turned into a vast bedroom after six customers and about two dozen employees were stranded by a snowstorm and forced to spend the night in the store.

    Up to 30 centimeters (12 inches) of snow fell, trapping the customers and employees when the department store in Aalborg closed on Wednesday evening.

    Continue reading...", - "category": "Denmark", - "link": "https://www.theguardian.com/world/2021/dec/02/ikea-snowstorm-trapped-customers-denmark", - "creator": "AP in Copenhagen", - "pubDate": "2021-12-02T16:35:48Z", + "title": "Bosnian Serb leader: Putin and China will help if west imposes sanctions", + "description": "

    Exclusive: Milorad Dodik dismisses fears Serb separatists are planning breakup of Bosnia-Herzegovina

    The Bosnian Serb leader accused of risking war by pursuing the breakup of Bosnia-Herzegovina has dismissed the threat of western sanctions and hinted at an imminent summit with Vladimir Putin, saying: “I was not elected to be a coward”.

    In an interview with the Guardian, Milorad Dodik, the Serb member of the tripartite leadership of Bosnia-Herzegovina, said he would not be deterred by the outcry from London, Washington, Berlin and Brussels.

    Continue reading...", + "content": "

    Exclusive: Milorad Dodik dismisses fears Serb separatists are planning breakup of Bosnia-Herzegovina

    The Bosnian Serb leader accused of risking war by pursuing the breakup of Bosnia-Herzegovina has dismissed the threat of western sanctions and hinted at an imminent summit with Vladimir Putin, saying: “I was not elected to be a coward”.

    In an interview with the Guardian, Milorad Dodik, the Serb member of the tripartite leadership of Bosnia-Herzegovina, said he would not be deterred by the outcry from London, Washington, Berlin and Brussels.

    Continue reading...", + "category": "Bosnia-Herzegovina", + "link": "https://www.theguardian.com/world/2021/nov/29/bosnian-serb-leader-putin-and-china-will-help-if-west-imposes-sanctions", + "creator": "Daniel Boffey in Banja Luka, Bosnia-Herzegovina", + "pubDate": "2021-11-29T05:00:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129376,16 +155813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "316079ada9ff6c6e66b36c9fb84947ed" + "hash": "ef6e57fcee23b800238a46e08f70770b" }, { - "title": "Russia sends defence missiles to Pacific islands claimed by Japan", - "description": "

    Moscow defence ministry posts video of missile system arriving on Matua in Kuril island chain

    Russia has deployed coastal defence missile systems near Pacific islands also claimed by Japan, a move intended to underline Moscow’s firm stance in the dispute.

    The Bastion missile systems were moved to Matua, a deserted volcanic island in the middle of the Kuril island chain. Japan claims four of the southernmost islands.

    Continue reading...", - "content": "

    Moscow defence ministry posts video of missile system arriving on Matua in Kuril island chain

    Russia has deployed coastal defence missile systems near Pacific islands also claimed by Japan, a move intended to underline Moscow’s firm stance in the dispute.

    The Bastion missile systems were moved to Matua, a deserted volcanic island in the middle of the Kuril island chain. Japan claims four of the southernmost islands.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/dec/02/russia-sends-defence-missiles-to-pacific-islands-claimed-by-japan", - "creator": "AP in Moscow", - "pubDate": "2021-12-02T18:07:28Z", + "title": "Ghislaine Maxwell sex-trafficking trial to go before jury on Monday", + "description": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan will finally go before a jury on Monday, with opening statements. The panel of 12 jurors and six alternates that will weigh Maxwell’s fate was decided around 10am local time.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", + "content": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan will finally go before a jury on Monday, with opening statements. The panel of 12 jurors and six alternates that will weigh Maxwell’s fate was decided around 10am local time.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/nov/29/ghislaine-maxwell-sex-trafficking-trial", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-29T15:16:52Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129396,16 +155833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "267d12c2cdb8efe73b004689e37fba88" + "hash": "9a5853e331b9a80423c498bc947e8edf" }, { - "title": "Republican senator blocks gun control law in wake of Michigan shooting", - "description": "

    Democrat Chris Murphy had sought unanimous supporter for new background checks and expanded 10-day review of purchases

    The Iowa senator Chuck Grassley, the leading Republican on the Senate judiciary committee, blocked a request on Thursday to proceed on gun control legislation in the Senate following the Michigan school shooting this week.

    Senator Chris Murphy, a Democrat from Connecticut and leading gun control advocate, requested unanimous consent on Thursday to pass the Enhanced Background Checks Act of 2021, which would require new background checks for gun transfers between private parties, as well as expand a 10-day review for gun purchases and transfers.

    Continue reading...", - "content": "

    Democrat Chris Murphy had sought unanimous supporter for new background checks and expanded 10-day review of purchases

    The Iowa senator Chuck Grassley, the leading Republican on the Senate judiciary committee, blocked a request on Thursday to proceed on gun control legislation in the Senate following the Michigan school shooting this week.

    Senator Chris Murphy, a Democrat from Connecticut and leading gun control advocate, requested unanimous consent on Thursday to pass the Enhanced Background Checks Act of 2021, which would require new background checks for gun transfers between private parties, as well as expand a 10-day review for gun purchases and transfers.

    Continue reading...", - "category": "US gun control", - "link": "https://www.theguardian.com/us-news/2021/dec/02/republican-senator-blocks-gun-control-law-chuck-grassley", - "creator": "Maya Yang", - "pubDate": "2021-12-02T22:52:17Z", + "title": "UK Covid live: Sajid Javid makes statement to MPs on Omicron variant and booster vaccines", + "description": "

    Move comes as more cases of Omicron variant identified in UK

    Sturgeon stresses that there is “a huge amount that we do not yet know” about the variant.

    The number of mutations suggest it might be more transmissible. But more data and analysis is required, and if it is more transmissible, they will have to find out by how much.

    Continue reading...", + "content": "

    Move comes as more cases of Omicron variant identified in UK

    Sturgeon stresses that there is “a huge amount that we do not yet know” about the variant.

    The number of mutations suggest it might be more transmissible. But more data and analysis is required, and if it is more transmissible, they will have to find out by how much.

    Continue reading...", + "category": "Politics", + "link": "https://www.theguardian.com/politics/live/2021/nov/29/uk-covid-live-omicron-cases-england-scotland-health-minister-vaccines-coronavirus-latest-update", + "creator": "Andrew Sparrow", + "pubDate": "2021-11-29T16:18:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129416,16 +155853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3dbaeb146d5ddd619f381ff160169f11" + "hash": "ada680a66615d1053e3095fc3879de34" }, { - "title": "Hard-right French MP tops Les Républicains party’s presidential primary", - "description": "

    Éric Ciotti wants referendum ‘to stop mass immigration’ and set up ‘a French Guantánamo bay’

    A hard-right French MP who wants to hold a referendum “to stop mass immigration” and set up “a French Guantánamo bay” to deal with terrorism, has topped the first-round vote to choose a presidential candidate for the right’s Les Républicains party, in a shock result.

    Éric Ciotti, 56, a politician from Nice who is known for his hardline views on Islam and immigration, went from outsider to the surprise top position in Thursday’s first-round vote by members of Nicolas Sarkozy’s party. He now faces a second-round runoff against Valérie Pécresse, the former Sarkozy minister who wants to become France’s first female president.

    Continue reading...", - "content": "

    Éric Ciotti wants referendum ‘to stop mass immigration’ and set up ‘a French Guantánamo bay’

    A hard-right French MP who wants to hold a referendum “to stop mass immigration” and set up “a French Guantánamo bay” to deal with terrorism, has topped the first-round vote to choose a presidential candidate for the right’s Les Républicains party, in a shock result.

    Éric Ciotti, 56, a politician from Nice who is known for his hardline views on Islam and immigration, went from outsider to the surprise top position in Thursday’s first-round vote by members of Nicolas Sarkozy’s party. He now faces a second-round runoff against Valérie Pécresse, the former Sarkozy minister who wants to become France’s first female president.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/02/hard-right-french-mp-tops-les-republicains-partys-presidential-primary", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-12-02T17:41:05Z", + "title": "Nursing unions around world call for UN action on Covid vaccine patents", + "description": "

    Bodies in 28 countries file appeal for waiver of intellectual property agreement and end to ‘grossly unjust’ distribution of jabs

    Nursing unions in 28 countries have filed a formal appeal with the United Nations over the refusal of the UK, EU and others to temporarily waive patents for Covid vaccines, saying this has cost huge numbers of lives in developing nations.

    The letter, sent on Monday on behalf of unions representing more than 2.5 million healthcare workers, said staff have witnessed at first hand the “staggering numbers of deaths and the immense suffering caused by political inaction”.

    Continue reading...", + "content": "

    Bodies in 28 countries file appeal for waiver of intellectual property agreement and end to ‘grossly unjust’ distribution of jabs

    Nursing unions in 28 countries have filed a formal appeal with the United Nations over the refusal of the UK, EU and others to temporarily waive patents for Covid vaccines, saying this has cost huge numbers of lives in developing nations.

    The letter, sent on Monday on behalf of unions representing more than 2.5 million healthcare workers, said staff have witnessed at first hand the “staggering numbers of deaths and the immense suffering caused by political inaction”.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/29/nursing-unions-around-world-call-for-un-action-on-covid-vaccine-patents", + "creator": "Peter Walker Political correspondent", + "pubDate": "2021-11-29T06:00:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129436,16 +155873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "13f8e7d702b4dcf9a0bff0dc570c2023" + "hash": "72e6064767eec3e533b4648f7d23e5a2" }, { - "title": "Grenfell Tower: Gove joins condemnation of Lewis Hamilton F1 deal", - "description": "

    Survivors of fire voiced protest after announcement of deal under which F1 champion will race carrying branding of cladding firm Kingspan

    Anger at Lewis Hamilton’s Formula One car being sponsored by a firm that made combustible insulation used on Grenfell Tower has intensified after a cabinet minister demanded a U-turn by Mercedes.

    Michael Gove, the secretary of state for levelling up, housing and communities, spoke out after Grenfell survivors branded the deal “truly shocking”. He said he was “deeply disappointed Mercedes are accepting sponsorship from cladding firm Kingspan … while the Grenfell inquiry is ongoing”.

    Continue reading...", - "content": "

    Survivors of fire voiced protest after announcement of deal under which F1 champion will race carrying branding of cladding firm Kingspan

    Anger at Lewis Hamilton’s Formula One car being sponsored by a firm that made combustible insulation used on Grenfell Tower has intensified after a cabinet minister demanded a U-turn by Mercedes.

    Michael Gove, the secretary of state for levelling up, housing and communities, spoke out after Grenfell survivors branded the deal “truly shocking”. He said he was “deeply disappointed Mercedes are accepting sponsorship from cladding firm Kingspan … while the Grenfell inquiry is ongoing”.

    Continue reading...", - "category": "Grenfell Tower fire", - "link": "https://www.theguardian.com/uk-news/2021/dec/02/grenfell-survivors-outraged-by-lewis-hamilton-car-sponsorship-deal", - "creator": "Robert Booth Social affairs correspondent", - "pubDate": "2021-12-02T16:14:41Z", + "title": "Trust in scientists soared in Australia and New Zealand during Covid pandemic, poll finds", + "description": "

    Gallup survey reveals the two countries have the world’s highest levels of trust in scientists, with 62% saying they trust them ‘a lot’

    As the Covid-19 pandemic raged, New Zealanders and Australians developed the world’s highest levels of trust in scientists, newly released survey data has found – and those trust levels soared as the global crisis evolved.

    The Wellcome Global Monitor, conducted by Gallup, surveyed 119,000 people across 113 countries. It found 62% of the two countries’ citizens said they trusted scientists “a lot”, compared with a global average of 41%. While trust in scientists had increased around the world since 2018, the portion who said they trusted scientists a lot jumped 15 percentage points in Australia and New Zealand, compared with nine points elsewhere. In 2018, western Europe had had the highest levels of trust in scientists, but they were overtaken in the past two years.

    Continue reading...", + "content": "

    Gallup survey reveals the two countries have the world’s highest levels of trust in scientists, with 62% saying they trust them ‘a lot’

    As the Covid-19 pandemic raged, New Zealanders and Australians developed the world’s highest levels of trust in scientists, newly released survey data has found – and those trust levels soared as the global crisis evolved.

    The Wellcome Global Monitor, conducted by Gallup, surveyed 119,000 people across 113 countries. It found 62% of the two countries’ citizens said they trusted scientists “a lot”, compared with a global average of 41%. While trust in scientists had increased around the world since 2018, the portion who said they trusted scientists a lot jumped 15 percentage points in Australia and New Zealand, compared with nine points elsewhere. In 2018, western Europe had had the highest levels of trust in scientists, but they were overtaken in the past two years.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/29/trust-in-scientists-soared-in-australia-and-new-zealand-during-covid-pandemic-poll-finds", + "creator": "Tess McClure in Christchurch", + "pubDate": "2021-11-29T11:00:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129456,16 +155893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3707af08b6b01d9b7778eb8247cbe046" + "hash": "528fa6583cc3d33766060b7f4c6e970f" }, { - "title": "US rejects calls for regulating or banning ‘killer robots’", - "description": "

    US official proposes ‘non-binding code of conduct’ at United Nations but campaigners disagree

    The US has rejected calls for a binding agreement regulating or banning the use of “killer robots”, instead proposing a “code of conduct” at the United Nations.

    Speaking at a meeting in Geneva focused on finding common ground on the use of such so-called lethal autonomous weapons, a US official balked at the idea of regulating their use through a “legally-binding instrument”.

    Continue reading...", - "content": "

    US official proposes ‘non-binding code of conduct’ at United Nations but campaigners disagree

    The US has rejected calls for a binding agreement regulating or banning the use of “killer robots”, instead proposing a “code of conduct” at the United Nations.

    Speaking at a meeting in Geneva focused on finding common ground on the use of such so-called lethal autonomous weapons, a US official balked at the idea of regulating their use through a “legally-binding instrument”.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/02/us-rejects-calls-regulating-banning-killer-robots", - "creator": "AFP in Geneva", - "pubDate": "2021-12-02T21:08:30Z", + "title": "Sam Mendes on Stephen Sondheim: ‘He was passionate, utterly open and sharp as a knife’", + "description": "

    From their exhilarating collaborations to a supper for two that ended in tears, the director shares his most personal memories of the musicals legend who took theatre to extraordinary new heights

    He kept a selection of grooming utensils in his guest bathroom: nail scissors, implements for trimming nose hair, that sort of thing. He had a slightly shambolic air, and a listing gait, like a grad student impersonating a grownup, or as if his nanny had brushed his hair for him that morning. He would rock his head back when he talked and often spoke with his eyes closed, like someone communing with a higher power, which he probably was. His latest enthusiasms were always near the surface – to hear him speak about Rory Kinnear’s Hamlet, for example, was to make one want to go and see it all over again (he actually flew a group of his New York friends to London to see the production). He was equally expressive in his condemnation of work he didn’t care for. He was passionate, opinionated, uningratiating, sharp as a knife.

    Until his later years, when he chose to spend more time in Connecticut, he was all New York. Steve saw everything: he taught me how to calculate exactly the amount of time it would take to walk to each individual theatre by judging how many blocks east to west (five minutes per block) and north to south (two minutes). For this particular wide-eyed Brit, Steve’s life on East 49th Street was a dream of New York in the 20th century. A beautiful brownstone, wood-panelled, with walls full of framed word games and puzzles. A grand piano looked out on a walled garden filled with vines and flowers.

    Continue reading...", + "content": "

    From their exhilarating collaborations to a supper for two that ended in tears, the director shares his most personal memories of the musicals legend who took theatre to extraordinary new heights

    He kept a selection of grooming utensils in his guest bathroom: nail scissors, implements for trimming nose hair, that sort of thing. He had a slightly shambolic air, and a listing gait, like a grad student impersonating a grownup, or as if his nanny had brushed his hair for him that morning. He would rock his head back when he talked and often spoke with his eyes closed, like someone communing with a higher power, which he probably was. His latest enthusiasms were always near the surface – to hear him speak about Rory Kinnear’s Hamlet, for example, was to make one want to go and see it all over again (he actually flew a group of his New York friends to London to see the production). He was equally expressive in his condemnation of work he didn’t care for. He was passionate, opinionated, uningratiating, sharp as a knife.

    Until his later years, when he chose to spend more time in Connecticut, he was all New York. Steve saw everything: he taught me how to calculate exactly the amount of time it would take to walk to each individual theatre by judging how many blocks east to west (five minutes per block) and north to south (two minutes). For this particular wide-eyed Brit, Steve’s life on East 49th Street was a dream of New York in the 20th century. A beautiful brownstone, wood-panelled, with walls full of framed word games and puzzles. A grand piano looked out on a walled garden filled with vines and flowers.

    Continue reading...", + "category": "Stephen Sondheim", + "link": "https://www.theguardian.com/stage/2021/nov/29/sam-mendes-stephen-sondheim-passionate-sharp-knife-musicals", + "creator": "Sam Mendes", + "pubDate": "2021-11-29T11:39:00Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129476,16 +155913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "44bbc75163cb7ddbc5419d9fae70dba9" + "hash": "d2d2180a2d31cbcd0b274894ba4ff08f" }, { - "title": "Canada votes to ban LGBTQ ‘conversion therapy’", - "description": "

    Conservatives joined Liberals in unanimous vote, prompting applause in House of Commons

    Canadian lawmakers have passed a motion banning the discredited practice of “conversion therapy”, in a rare show of unanimity in the country’s parliament.

    A surprise motion on Wednesday by the opposition Conservatives to fast-track the legislation prompted applause in the House of Commons. A handful of Liberal cabinet ministers hugged their Conservative colleagues after the vote.

    Continue reading...", - "content": "

    Conservatives joined Liberals in unanimous vote, prompting applause in House of Commons

    Canadian lawmakers have passed a motion banning the discredited practice of “conversion therapy”, in a rare show of unanimity in the country’s parliament.

    A surprise motion on Wednesday by the opposition Conservatives to fast-track the legislation prompted applause in the House of Commons. A handful of Liberal cabinet ministers hugged their Conservative colleagues after the vote.

    Continue reading...", - "category": "LGBT rights", - "link": "https://www.theguardian.com/world/2021/dec/02/canada-votes-ban-lgbtq-conversion-therapy", - "creator": "Leyland Cecco in Toronto", - "pubDate": "2021-12-02T16:32:01Z", + "title": "‘I owe an enormous debt to therapy!’ Rita Moreno on West Side Story, dating Brando and joy at 90", + "description": "

    She overcame racism and abuse to break Hollywood, romanced Brando, dated Elvis to make him jealous, fought hard for civil rights and won an Egot. Now in her 10th decade, she is busier and happier than ever

    Rita Moreno pops up on my computer screen in a bright red hat, huge pendant necklace and tortoiseshell glasses. “Well, here I am in my full glory,” she says from her home in Berkeley, California. And glorious she sure is. Moreno is a couple of weeks short of her 90th birthday, but look at her and you would knock off 20 years. Listen to her and you would knock off another 50.

    Can I wish you an advance happy birthday, I ask. “Yes, you can. Isn’t it exciting?” Moreno is one of the acting greats. But she could have been so much greater. She is one of only six women to have bagged the Egot (Emmy, Grammy, Oscar and Tony awards), alongside Helen Hayes, Audrey Hepburn, Barbra Streisand, Whoopi Goldberg and Liza Minnelli. Yet she has spent much of her career battling typecasting or simply not being cast at all.

    Continue reading...", + "content": "

    She overcame racism and abuse to break Hollywood, romanced Brando, dated Elvis to make him jealous, fought hard for civil rights and won an Egot. Now in her 10th decade, she is busier and happier than ever

    Rita Moreno pops up on my computer screen in a bright red hat, huge pendant necklace and tortoiseshell glasses. “Well, here I am in my full glory,” she says from her home in Berkeley, California. And glorious she sure is. Moreno is a couple of weeks short of her 90th birthday, but look at her and you would knock off 20 years. Listen to her and you would knock off another 50.

    Can I wish you an advance happy birthday, I ask. “Yes, you can. Isn’t it exciting?” Moreno is one of the acting greats. But she could have been so much greater. She is one of only six women to have bagged the Egot (Emmy, Grammy, Oscar and Tony awards), alongside Helen Hayes, Audrey Hepburn, Barbra Streisand, Whoopi Goldberg and Liza Minnelli. Yet she has spent much of her career battling typecasting or simply not being cast at all.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/29/i-owe-an-enormous-debt-to-therapy-rita-moreno-on-west-side-story-dating-brando-and-joy-at-90", + "creator": "Simon Hattenstone", + "pubDate": "2021-11-29T06:00:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129496,16 +155933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4d28e986ba1a2a9ce06e9827d125e62f" + "hash": "c397fbc8ef1e7ae57da2d6ed015ffd66" }, { - "title": "Facebook takes down Chinese network behind fake Swiss biologist Covid claims", - "description": "

    Meta says misinformation spread by fictional scientist called Wilson Edwards focused on US blaming pandemic on China

    Facebook’s owner has taken down a Chinese misinformation network that attempted to spread claims about coronavirus using a fake Swiss biologist.

    Meta, the parent organisation of Facebook and Instagram, said it had taken down more than 600 accounts linked to the network, which it said included a “coordinated cluster” of Chinese state employees.

    Continue reading...", - "content": "

    Meta says misinformation spread by fictional scientist called Wilson Edwards focused on US blaming pandemic on China

    Facebook’s owner has taken down a Chinese misinformation network that attempted to spread claims about coronavirus using a fake Swiss biologist.

    Meta, the parent organisation of Facebook and Instagram, said it had taken down more than 600 accounts linked to the network, which it said included a “coordinated cluster” of Chinese state employees.

    Continue reading...", - "category": "Meta", - "link": "https://www.theguardian.com/technology/2021/dec/02/facebook-owner-meta-takes-down-chinese-network-spreading-fake-covid-posts", - "creator": "Dan Milmo Global technology editor", - "pubDate": "2021-12-02T14:09:24Z", + "title": "Arizona students seek Kyle Rittenhouse removal from online nursing classes", + "description": "
    • Group at Arizona State University demand teen be banned
    • Rittenhouse acquitted of murder during Kenosha protests

    A small but vocal alliance of left-leaning students at Arizona State University (ASU) is demanding Kyle Rittenhouse be removed from online classes, despite the teen’s acquittal this month on charges of murdering two men and injuring another during protests for racial justice in Wisconsin last year.

    The 18-year-old has been celebrated in rightwing circles after a jury decided he acted in self-defense when killing and wounding the men in Kenosha in August 2020.

    Continue reading...", + "content": "
    • Group at Arizona State University demand teen be banned
    • Rittenhouse acquitted of murder during Kenosha protests

    A small but vocal alliance of left-leaning students at Arizona State University (ASU) is demanding Kyle Rittenhouse be removed from online classes, despite the teen’s acquittal this month on charges of murdering two men and injuring another during protests for racial justice in Wisconsin last year.

    The 18-year-old has been celebrated in rightwing circles after a jury decided he acted in self-defense when killing and wounding the men in Kenosha in August 2020.

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/2021/nov/29/kyle-rittenhouse-arizona-statue-university-classes", + "creator": "Richard Luscombe", + "pubDate": "2021-11-29T16:12:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129516,16 +155953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5717a7453607c648e841837d1094c296" + "hash": "83c8f074f1c13c6ff1c31a9ec982efa1" }, { - "title": "Second US case of Omicron linked to New York anime convention", - "description": "
    • Vaccinations were required of all attending the event
    • New York governor responds: ‘New Yorkers, get vaccinated’

    Just a day after the US announced its first case of the Omicron variant of the coronavirus had been detected in California, health officials announced on Thursday it had also been found in a man who attended an anime convention in New York City in late November.

    The man tested positive after returning home to Minnesota, health officials in that state said. Officials in New York said they were working to trace those who attended the convention, held from 19 to 21 November at the city’s Jacob K Javits convention center. Vaccinations were required for the event.

    Continue reading...", - "content": "
    • Vaccinations were required of all attending the event
    • New York governor responds: ‘New Yorkers, get vaccinated’

    Just a day after the US announced its first case of the Omicron variant of the coronavirus had been detected in California, health officials announced on Thursday it had also been found in a man who attended an anime convention in New York City in late November.

    The man tested positive after returning home to Minnesota, health officials in that state said. Officials in New York said they were working to trace those who attended the convention, held from 19 to 21 November at the city’s Jacob K Javits convention center. Vaccinations were required for the event.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/02/omicron-first-case-new-york-anime-convention", - "creator": "Associated Press", - "pubDate": "2021-12-02T18:09:23Z", + "title": "The Last Matinee review – giallo-style slasher gets its knives into cinema audience", + "description": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", + "content": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", + "category": "Horror films", + "link": "https://www.theguardian.com/film/2021/nov/29/the-last-matinee-review-maximiliano-contenti-giallo-genre-voyeurism", + "creator": "Phil Hoad", + "pubDate": "2021-11-29T16:00:05Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129536,16 +155973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "768b980e0a2e8c6e2eacc4dd94c6db33" + "hash": "be0bcab773fc21c0922c5c7d7ac82f70" }, { - "title": "‘It became crystal clear they were lying’: the man who made Germans admit complicity in the Holocaust", - "description": "

    With Final Account, the late director Luke Holland set out to obtain testimonies from those who participated in the Nazi atrocities – before their voices were lost. The result is a powerful mix of shame, denial and ghastly pride

    One day in 2018, the prolific documentary producer John Battsek received a call from Diane Weyermann of Participant Media, asking him if he would travel to the East Sussex village of Ditchling to meet a 69-year-old director named Luke Holland. Weyermann said that Holland had spent several years interviewing hundreds of Germans who were in some way complicit in the Holocaust, from those whose homes neighboured the concentration camps to former members of the Waffen SS. The responses he captured ran the gamut from shame to denial to a ghastly kind of pride. Now he wanted to introduce these testimonies to a mainstream audience, and he needed help.

    “Luke wasn’t consciously making a film,” Battsek says. “He was amassing an archive that he hoped would have a role to play for generations to come. We had to turn it into something that has a beginning, a middle and an end.” As soon as he saw Holland’s footage, he knew it was important: “It presented an audience with a new way into this.”

    Continue reading...", - "content": "

    With Final Account, the late director Luke Holland set out to obtain testimonies from those who participated in the Nazi atrocities – before their voices were lost. The result is a powerful mix of shame, denial and ghastly pride

    One day in 2018, the prolific documentary producer John Battsek received a call from Diane Weyermann of Participant Media, asking him if he would travel to the East Sussex village of Ditchling to meet a 69-year-old director named Luke Holland. Weyermann said that Holland had spent several years interviewing hundreds of Germans who were in some way complicit in the Holocaust, from those whose homes neighboured the concentration camps to former members of the Waffen SS. The responses he captured ran the gamut from shame to denial to a ghastly kind of pride. Now he wanted to introduce these testimonies to a mainstream audience, and he needed help.

    “Luke wasn’t consciously making a film,” Battsek says. “He was amassing an archive that he hoped would have a role to play for generations to come. We had to turn it into something that has a beginning, a middle and an end.” As soon as he saw Holland’s footage, he knew it was important: “It presented an audience with a new way into this.”

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/02/it-became-crystal-clear-they-were-lying-the-man-who-made-germans-admit-complicity-in-the-holocaust", - "creator": "Dorian Lynskey", - "pubDate": "2021-12-02T16:00:34Z", + "title": "Disney+ channel launches in Hong Kong, without the Simpsons Tiananmen Square episode", + "description": "

    Streaming channel went live this month, but without an episode in which the family visit China

    An episode of the Simpsons in which the cartoon American family visit Tiananmen Square is absent from Disney’s streaming channel in Hong Kong, at a time when authorities are clamping down on dissent.

    The missing episode adds to concerns that mainland-style censorship is becoming the norm in the international business hub, ensnaring global streaming giants and other major tech companies.

    Continue reading...", + "content": "

    Streaming channel went live this month, but without an episode in which the family visit China

    An episode of the Simpsons in which the cartoon American family visit Tiananmen Square is absent from Disney’s streaming channel in Hong Kong, at a time when authorities are clamping down on dissent.

    The missing episode adds to concerns that mainland-style censorship is becoming the norm in the international business hub, ensnaring global streaming giants and other major tech companies.

    Continue reading...", + "category": "Hong Kong", + "link": "https://www.theguardian.com/world/2021/nov/29/disney-channel-launches-in-hong-kong-without-the-simpsons-tiananmen-square-episode", + "creator": "Agence France-Presse", + "pubDate": "2021-11-29T06:51:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129556,16 +155993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "49ee50f79c8b9718c5966ce8ad361af9" + "hash": "1e88ff5a111d48594f3c00c5ae98e2e5" }, { - "title": "How Meghan took personal risks in Mail on Sunday privacy victory", - "description": "

    Analysis: Duchess of Sussex says she faced ‘deception, intimidation and calculated attacks’ and suffered a miscarriage

    The privacy victory over the Mail on Sunday has seemingly exacted a toll on the Duchess of Sussex, who in vigorously pursuing the case went far further than any other present-day royal in taking on the tabloid culture.

    The court of appeal stressed “no expense” was spared in fighting and defending the legal action over publication of extensive extracts of her private letter to her estranged father. As losers, Associated Newspapers Limited (ANL), publishers of the newspaper and Mail Online, will bear the brunt.

    Continue reading...", - "content": "

    Analysis: Duchess of Sussex says she faced ‘deception, intimidation and calculated attacks’ and suffered a miscarriage

    The privacy victory over the Mail on Sunday has seemingly exacted a toll on the Duchess of Sussex, who in vigorously pursuing the case went far further than any other present-day royal in taking on the tabloid culture.

    The court of appeal stressed “no expense” was spared in fighting and defending the legal action over publication of extensive extracts of her private letter to her estranged father. As losers, Associated Newspapers Limited (ANL), publishers of the newspaper and Mail Online, will bear the brunt.

    Continue reading...", - "category": "Meghan, the Duchess of Sussex", - "link": "https://www.theguardian.com/uk-news/2021/dec/02/how-meghan-took-personal-risks-mail-on-sunday-privacy-victory", - "creator": "Caroline Davies", - "pubDate": "2021-12-02T15:17:41Z", + "title": "David Gulpilil, a titanic force in Australian cinema, dies after lung cancer diagnosis", + "description": "

    The Indigenous actor, who was in his late 60s when he died, helped shape the history of Australian film

    Indigenous actor David Gulpilil, one of Australia’s greatest artists, has died four years after he was diagnosed with lung cancer.

    “It is with deep sadness that I share with the people of South Australia the passing of an iconic, once-in-a-generation artist who shaped the history of Australian film and Aboriginal representation on screen – David Gulpilil Ridjimiraril Dalaithngu,” the South Australian premier, Steven Marshall, said in a statement on Monday night.

    Continue reading...", + "content": "

    The Indigenous actor, who was in his late 60s when he died, helped shape the history of Australian film

    Indigenous actor David Gulpilil, one of Australia’s greatest artists, has died four years after he was diagnosed with lung cancer.

    “It is with deep sadness that I share with the people of South Australia the passing of an iconic, once-in-a-generation artist who shaped the history of Australian film and Aboriginal representation on screen – David Gulpilil Ridjimiraril Dalaithngu,” the South Australian premier, Steven Marshall, said in a statement on Monday night.

    Continue reading...", + "category": "Indigenous Australians", + "link": "https://www.theguardian.com/australia-news/2021/nov/29/david-gulpilil-a-titanic-force-in-australian-cinema-dies-after-battle-with-lung-cancer", + "creator": "Guardian staff", + "pubDate": "2021-11-29T11:35:45Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129576,16 +156013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ea0820d04e9bff6a2862b033638a7e12" + "hash": "e379e4decde079cf94c7644eb982245f" }, { - "title": "We’re all so exhausted we need another word to describe quite how exhausted we feel | Brigid Delaney", - "description": "

    Like everyone else after 20 months of virus vigilance, I’m only now stopping to take a breath

    Hey, how are you?

    You’re tired? How tired?

    Continue reading...", - "content": "

    Like everyone else after 20 months of virus vigilance, I’m only now stopping to take a breath

    Hey, how are you?

    You’re tired? How tired?

    Continue reading...", - "category": "Health & wellbeing", - "link": "https://www.theguardian.com/commentisfree/2021/dec/03/were-all-so-exhausted-we-need-another-word-to-describe-quite-how-exhausted-we-feel", - "creator": "Brigid Delaney", - "pubDate": "2021-12-02T16:30:18Z", + "title": "Sajid Javid on latest Covid variant: 'Our scientists are deeply concerned' – video", + "description": "

    The health secretary, Sajid Javid, has announced the UK will temporarily ban flights from several African countries, after the discovery of the B.1.1.529 Covid variant in the region against which vaccines might be less effective.

    Officials characterise the variant, which has double the number of mutations as the currently dominant Delta variant, as the 'worst one yet'.

    Flights from South Africa, Namibia, Botswana, Zimbabwe, Lesotho and Eswatini will be banned from Friday afternoon, and returning British travellers from those destinations will have to quarantine

    Continue reading...", + "content": "

    The health secretary, Sajid Javid, has announced the UK will temporarily ban flights from several African countries, after the discovery of the B.1.1.529 Covid variant in the region against which vaccines might be less effective.

    Officials characterise the variant, which has double the number of mutations as the currently dominant Delta variant, as the 'worst one yet'.

    Flights from South Africa, Namibia, Botswana, Zimbabwe, Lesotho and Eswatini will be banned from Friday afternoon, and returning British travellers from those destinations will have to quarantine

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/26/sajid-javid-our-scientists-are-deeply-concerned-over-latest-covid-variant-video", + "creator": "", + "pubDate": "2021-11-26T10:09:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129596,16 +156033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6746b1ee6d691d4f1c375f47c0bd73c0" + "hash": "47425aa3a99151218408ee63ba6ae3f5" }, { - "title": "The world owes Yoko an apology! 10 things we learned from The Beatles: Get Back", - "description": "

    Peter Jackson’s eight-hour documentary on the Fab Four reveals Ringo is an amazing drummer, McCartney was a joy and their entourage were coolest of all

    The concept for Let It Be was: no concept. The Beatles arrived in an empty studio and wondered where the equipment was. (And revealed that they knew very little about setting up PA systems.) What were they rehearsing for? A show on the QE2? A concert on Primrose Hill? A TV special in Libya? A film? What would the set look like? Would it be made of plastic? Why, George Harrison wondered, were they being recorded? Get Back makes clear that the Beatles didn’t have a clue what to expect from Let It Be.

    Continue reading...", - "content": "

    Peter Jackson’s eight-hour documentary on the Fab Four reveals Ringo is an amazing drummer, McCartney was a joy and their entourage were coolest of all

    The concept for Let It Be was: no concept. The Beatles arrived in an empty studio and wondered where the equipment was. (And revealed that they knew very little about setting up PA systems.) What were they rehearsing for? A show on the QE2? A concert on Primrose Hill? A TV special in Libya? A film? What would the set look like? Would it be made of plastic? Why, George Harrison wondered, were they being recorded? Get Back makes clear that the Beatles didn’t have a clue what to expect from Let It Be.

    Continue reading...", - "category": "The Beatles", - "link": "https://www.theguardian.com/music/2021/dec/02/the-beatles-get-back-peter-jackson-documentary", - "creator": "Andy Welch", - "pubDate": "2021-12-02T16:48:21Z", + "title": "Covid live: WHO says ‘very high’ global risk from new strain; Portugal finds 13 Omicron cases in Lisbon football team", + "description": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Belenenses played match with nine players following outbreak

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", + "content": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Belenenses played match with nine players following outbreak

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/world/live/2021/nov/29/covid-live-news-omicron-variant-detected-in-canada-as-fauci-warns-two-weeks-needed-to-study-new-strain", + "creator": "Rachel Hall (now) and Martin Belam , Virginia Harrison and Helen Livingstone (earlier)", + "pubDate": "2021-11-29T12:05:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129616,16 +156053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1074a063752f93378db43890c5766eea" + "hash": "a3e6a3367b0e692a31d4d6aed3f08f14" }, { - "title": "West Side Story review – Spielberg’s triumphantly hyperreal remake", - "description": "

    Stunning recreations of the original film’s New York retain the songs and the dancing in a re-telling that will leave you gasping

    Steven Spielberg’s West Side Story 2.0 is an ecstatic act of ancestor-worship: a vividly dreamed, cunningly modified and visually staggering revival. No one but Spielberg could have brought it off, creating a movie in which Leonard Bernstein’s score and Stephen Sondheim’s lyrics blaze out with fierce new clarity. Spielberg retains María’s narcissistic I Feel Pretty, transplanted from the bridal workshop to a fancy department store where she’s working as a cleaner. This was the number whose Cowardian skittishness Sondheim himself had second thoughts about. But its confection is entirely palatable.

    Spielberg has worked with screenwriter Tony Kushner to change the original book by Arthur Laurents, tilting the emphases and giving new stretches of unsubtitled Spanish dialogue and keeping much of the visual idiom of Jerome Robbins’s stylised choreography. This new West Side Story isn’t updated historically yet neither is it a shot-for-shot remake. But daringly, and maybe almost defiantly, it reproduces the original period ambience with stunning digital fabrications of late-50s New York whose authentic detail co-exists with an unashamed theatricality. On the big screen the effect is hyperreal, as if you have somehow hallucinated your way back 70 years on to both the musical stage for the Broadway opening night and also the city streets outside. I couldn’t watch without gasping those opening “prologue” sequences, in which the camera drifts over the slum-clearance wreckage of Manhattan’s postwar Upper West Side, as if in a sci-fi mystery, with strangely familiar musical phrases echoing up from below ground.

    Continue reading...", - "content": "

    Stunning recreations of the original film’s New York retain the songs and the dancing in a re-telling that will leave you gasping

    Steven Spielberg’s West Side Story 2.0 is an ecstatic act of ancestor-worship: a vividly dreamed, cunningly modified and visually staggering revival. No one but Spielberg could have brought it off, creating a movie in which Leonard Bernstein’s score and Stephen Sondheim’s lyrics blaze out with fierce new clarity. Spielberg retains María’s narcissistic I Feel Pretty, transplanted from the bridal workshop to a fancy department store where she’s working as a cleaner. This was the number whose Cowardian skittishness Sondheim himself had second thoughts about. But its confection is entirely palatable.

    Spielberg has worked with screenwriter Tony Kushner to change the original book by Arthur Laurents, tilting the emphases and giving new stretches of unsubtitled Spanish dialogue and keeping much of the visual idiom of Jerome Robbins’s stylised choreography. This new West Side Story isn’t updated historically yet neither is it a shot-for-shot remake. But daringly, and maybe almost defiantly, it reproduces the original period ambience with stunning digital fabrications of late-50s New York whose authentic detail co-exists with an unashamed theatricality. On the big screen the effect is hyperreal, as if you have somehow hallucinated your way back 70 years on to both the musical stage for the Broadway opening night and also the city streets outside. I couldn’t watch without gasping those opening “prologue” sequences, in which the camera drifts over the slum-clearance wreckage of Manhattan’s postwar Upper West Side, as if in a sci-fi mystery, with strangely familiar musical phrases echoing up from below ground.

    Continue reading...", - "category": "West Side Story (2021)", - "link": "https://www.theguardian.com/film/2021/dec/02/west-side-story-review-steven-spielberg", - "creator": "Peter Bradshaw", - "pubDate": "2021-12-02T14:00:32Z", + "title": "Claim Prince Charles speculated on grandchildren’s skin colour ‘is fiction’", + "description": "

    Clarence House denies claim in new book that Charles asked about ‘complexion’ of Duke and Duchess of Sussex’s future children

    The private office of the Prince of Wales has dismissed as “fiction” claims in a new book that Prince Charles was the royal who speculated on the skin colour of the Duke and Duchess of Sussex’s future children.

    The American journalist and author Christopher Andersen, a former editor of the US celebrity news magazine People, alleges in the book that Charles made the comment on the day Harry and Meghan’s engagement was announced in November 2017.

    Continue reading...", + "content": "

    Clarence House denies claim in new book that Charles asked about ‘complexion’ of Duke and Duchess of Sussex’s future children

    The private office of the Prince of Wales has dismissed as “fiction” claims in a new book that Prince Charles was the royal who speculated on the skin colour of the Duke and Duchess of Sussex’s future children.

    The American journalist and author Christopher Andersen, a former editor of the US celebrity news magazine People, alleges in the book that Charles made the comment on the day Harry and Meghan’s engagement was announced in November 2017.

    Continue reading...", + "category": "Prince Charles", + "link": "https://www.theguardian.com/uk-news/2021/nov/29/claim-prince-charles-speculated-on-grandchildrens-skin-colour-is-fiction", + "creator": "Jamie Grierson", + "pubDate": "2021-11-29T09:19:55Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129636,16 +156073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c479dfdd4acdc44687a6412b6d7c39c4" + "hash": "7100e726d75ae61a31941326b900eaf4" }, { - "title": "‘It is phenomenal’: Farne Islands seal numbers expected to reach new high", - "description": "

    National Trust rangers predict record year as they begin count of grey seal pups

    “This is what it’s all about,” said Richard Bevan, beaming. “To see this many seals when 10 years ago there would not have been any.”

    Bevan is a zoologist surveying the shore of Inner Farne island off the coast of north Northumberland. As far as the eye can sea there are about 100 female grey seals and their dependant pups. In the water hopeful males splash about, none more obvious than a dominant bull with a roman nose and scar. “We’ve called him Pacino,” said a ranger.

    Continue reading...", - "content": "

    National Trust rangers predict record year as they begin count of grey seal pups

    “This is what it’s all about,” said Richard Bevan, beaming. “To see this many seals when 10 years ago there would not have been any.”

    Bevan is a zoologist surveying the shore of Inner Farne island off the coast of north Northumberland. As far as the eye can sea there are about 100 female grey seals and their dependant pups. In the water hopeful males splash about, none more obvious than a dominant bull with a roman nose and scar. “We’ve called him Pacino,” said a ranger.

    Continue reading...", - "category": "Marine life", - "link": "https://www.theguardian.com/environment/2021/dec/02/it-is-phenomenal-farne-islands-seal-numbers-expected-to-reach-new-high", - "creator": "Mark Brown in Inner Farne", - "pubDate": "2021-12-02T12:26:02Z", + "title": "Victims of sexual violence let down by UK asylum system, report says", + "description": "

    Study calls on Home Office to integrate gender and trauma sensitivity into asylum system

    Victims of sexual violence face further abuse and trauma as a result of the UK asylum process and are systematically let down by authorities, according to a report.

    The research found that gender-insensitive and sometimes inhumane asylum interviews, sexual harassment in unstable asylum accommodation and a lack of access to healthcare and psychological support were just some of the factors compounding the trauma of forced migrants in the UK.

    Continue reading...", + "content": "

    Study calls on Home Office to integrate gender and trauma sensitivity into asylum system

    Victims of sexual violence face further abuse and trauma as a result of the UK asylum process and are systematically let down by authorities, according to a report.

    The research found that gender-insensitive and sometimes inhumane asylum interviews, sexual harassment in unstable asylum accommodation and a lack of access to healthcare and psychological support were just some of the factors compounding the trauma of forced migrants in the UK.

    Continue reading...", + "category": "Violence against women and girls", + "link": "https://www.theguardian.com/society/2021/nov/29/victims-of-sexual-violence-let-down-by-uk-asylum-system-report-says", + "creator": "Jessica Murray Midlands correspondent", + "pubDate": "2021-11-29T10:38:49Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129656,16 +156093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "80d7a9832ec9680744edc3c09df8d010" + "hash": "f4bc360da63c32e3abb3daa5fdd5ab6a" }, { - "title": "Labour’s main union backer says it will cut political funding", - "description": "

    Exclusive: Sharon Graham, Unite’s boss, believes union’s money would be better spent on members’ causes

    Labour’s biggest funder, Unite, will cut political donations to the party and divert the money to other leftwing causes, the union’s new general secretary, Sharon Graham, has warned.

    In a move that could blow a hole in Keir Starmer’s general election war chest, Graham said that while Unite would still pay £1m in affiliation fees to Labour, “there’s a lot of other money that we use from our political fund where, actually, I’m not sure we’re getting the best value for it”.

    Continue reading...", - "content": "

    Exclusive: Sharon Graham, Unite’s boss, believes union’s money would be better spent on members’ causes

    Labour’s biggest funder, Unite, will cut political donations to the party and divert the money to other leftwing causes, the union’s new general secretary, Sharon Graham, has warned.

    In a move that could blow a hole in Keir Starmer’s general election war chest, Graham said that while Unite would still pay £1m in affiliation fees to Labour, “there’s a lot of other money that we use from our political fund where, actually, I’m not sure we’re getting the best value for it”.

    Continue reading...", - "category": "Unite", - "link": "https://www.theguardian.com/uk-news/2021/dec/02/labours-main-union-backer-says-it-will-cut-political-funding", - "creator": "Randeep Ramesh and Heather Stewart", - "pubDate": "2021-12-02T20:01:04Z", + "title": "UK’s ‘double talk’ on Channel crisis must stop, says French interior minister", + "description": "

    Exclusive: Gérald Darmanin says UK ministers must stop saying one thing in private while insulting his country in public

    The French interior minister, Gérald Darmanin, has said British ministers including his counterpart, Priti Patel, should stop saying one thing in private while insulting his country in public if there is to be a solution to the crisis in the Channel.

    In an interview with the Guardian, Darmanin strongly criticised what he called “double talk” coming out of London and said France was not a “vassal” of the UK.

    Continue reading...", + "content": "

    Exclusive: Gérald Darmanin says UK ministers must stop saying one thing in private while insulting his country in public

    The French interior minister, Gérald Darmanin, has said British ministers including his counterpart, Priti Patel, should stop saying one thing in private while insulting his country in public if there is to be a solution to the crisis in the Channel.

    In an interview with the Guardian, Darmanin strongly criticised what he called “double talk” coming out of London and said France was not a “vassal” of the UK.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/28/uks-double-talk-on-channel-crisis-must-stop-says-french-interior-minister", + "creator": "Kim Willsher in Paris", + "pubDate": "2021-11-28T20:48:59Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129676,16 +156113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c23e3e3f28bd31d06e2f6b0ec7dfbded" + "hash": "2b0cb718d2354beef418dee8ecb23795" }, { - "title": "France rejects idea of joint patrols with UK forces on Calais coast", - "description": "

    Boris Johnson proposal rebuffed with suggestion he offer legal alternatives to reduce risky Channel crossings

    France has formally rejected Boris Johnson’s proposal for British forces to conduct joint border patrols around Calais to deter migrants from crossing the Channel.

    In a letter to Johnson, Jean Castex, the French prime minister, suggested the UK should instead focus on reforming its own systems to offer “legal immigration paths” for people wishing to come to the country instead of risking the perilous crossing.

    Continue reading...", - "content": "

    Boris Johnson proposal rebuffed with suggestion he offer legal alternatives to reduce risky Channel crossings

    France has formally rejected Boris Johnson’s proposal for British forces to conduct joint border patrols around Calais to deter migrants from crossing the Channel.

    In a letter to Johnson, Jean Castex, the French prime minister, suggested the UK should instead focus on reforming its own systems to offer “legal immigration paths” for people wishing to come to the country instead of risking the perilous crossing.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/02/france-rejects-idea-of-british-patrols-along-calais-beaches", - "creator": "Léonie Chao-Fong", - "pubDate": "2021-12-02T23:24:30Z", + "title": "Xiomara Castro declares victory in Honduras presidential election", + "description": "

    Castro, expected to be country’s first female president, has vowed to fight corruption and relax abortion laws

    The Honduran presidential candidate Xiomara Castro was heading for a landslide win in Sunday’s election, declaring victory as supporters danced outside her offices to celebrate the left’s return to power 12 years after her husband was ousted in a coup.

    The election, expected to give Honduras its first female president, seemed to have run smoothly, a contrast to four years ago when a close outcome led to a contested result and deadly protests after widespread allegations of irregularities.

    Continue reading...", + "content": "

    Castro, expected to be country’s first female president, has vowed to fight corruption and relax abortion laws

    The Honduran presidential candidate Xiomara Castro was heading for a landslide win in Sunday’s election, declaring victory as supporters danced outside her offices to celebrate the left’s return to power 12 years after her husband was ousted in a coup.

    The election, expected to give Honduras its first female president, seemed to have run smoothly, a contrast to four years ago when a close outcome led to a contested result and deadly protests after widespread allegations of irregularities.

    Continue reading...", + "category": "Honduras", + "link": "https://www.theguardian.com/world/2021/nov/29/xiomara-castro-declares-victory-in-honduras-presidential-election", + "creator": "Reuters in Tegucigalpa", + "pubDate": "2021-11-29T11:19:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129696,16 +156133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c1d923497021c1828db168644a4c7d08" + "hash": "d95cc2ddd57f99994f249dc9107a80a8" }, { - "title": "The Guardian view on Sudan: yes, it was a coup. No, it isn’t over | Editorial", - "description": "

    Though the deposed civilian prime minister has returned, the military is still calling the shots

    Coups are always something other people do. So Sudan’s army chief, Abdel Fattah al-Burhan, has insisted that the removal and detention of the prime minister and other politicians in October “was not a coup”. Instead, it was “correcting the track of the transition” that began with the ousting of Omar al-Bashir in 2019 following mass protests, and his replacement with interim arrangements under which the military and civilians shared power, uncomfortably.

    The tens of thousands who protested against military rule in Khartoum and other cities on Tuesday disagree with the general’s analysis. Though the military has now reinstated the prime minister, Abdalla Hamdok, his former allies see him as a Potemkin leader whose presence whitewashes rather than reverses the coup. Twelve ministers, including those for foreign affairs and justice, resigned in protest at the deal; the Sudanese Professionals Association (SPA), one of the leading protest groups, called it “treacherous”. The deal does not appear to mention the Forces for Freedom and Change, the civilian coalition that ousted Mr Bashir. Nor is it believed to specify when the military will hand power to an elected civilian government, though it now claims that there will be elections in 2023.

    Continue reading...", - "content": "

    Though the deposed civilian prime minister has returned, the military is still calling the shots

    Coups are always something other people do. So Sudan’s army chief, Abdel Fattah al-Burhan, has insisted that the removal and detention of the prime minister and other politicians in October “was not a coup”. Instead, it was “correcting the track of the transition” that began with the ousting of Omar al-Bashir in 2019 following mass protests, and his replacement with interim arrangements under which the military and civilians shared power, uncomfortably.

    The tens of thousands who protested against military rule in Khartoum and other cities on Tuesday disagree with the general’s analysis. Though the military has now reinstated the prime minister, Abdalla Hamdok, his former allies see him as a Potemkin leader whose presence whitewashes rather than reverses the coup. Twelve ministers, including those for foreign affairs and justice, resigned in protest at the deal; the Sudanese Professionals Association (SPA), one of the leading protest groups, called it “treacherous”. The deal does not appear to mention the Forces for Freedom and Change, the civilian coalition that ousted Mr Bashir. Nor is it believed to specify when the military will hand power to an elected civilian government, though it now claims that there will be elections in 2023.

    Continue reading...", - "category": "Sudan", - "link": "https://www.theguardian.com/commentisfree/2021/dec/02/the-guardian-view-on-sudan-yes-it-was-a-coup-no-it-isnt-over", - "creator": "Editorial", - "pubDate": "2021-12-02T18:42:32Z", + "title": "Michael Flynn appears to have called QAnon ‘total nonsense’ despite his links", + "description": "

    Trump ally reportedly says conspiracy theory a ‘disinformation campaign’ created by CIA and the left, apparent recording reveals

    Michael Flynn, Donald Trump’s first national security adviser, appears to have called QAnon “total nonsense” and a “disinformation campaign” created by the CIA and the political left – despite his own extensive links to the conspiracy theory and seeming eagerness to serve as its hero.

    Flynn’s apparent statement was revealed by Lin Wood, a pro-Trump attorney and QAnon supporter once allied with the disgraced former general.

    Continue reading...", + "content": "

    Trump ally reportedly says conspiracy theory a ‘disinformation campaign’ created by CIA and the left, apparent recording reveals

    Michael Flynn, Donald Trump’s first national security adviser, appears to have called QAnon “total nonsense” and a “disinformation campaign” created by the CIA and the political left – despite his own extensive links to the conspiracy theory and seeming eagerness to serve as its hero.

    Flynn’s apparent statement was revealed by Lin Wood, a pro-Trump attorney and QAnon supporter once allied with the disgraced former general.

    Continue reading...", + "category": "QAnon", + "link": "https://www.theguardian.com/us-news/2021/nov/29/michael-flynn-trump-ally-qanon-cia-left", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-29T06:00:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129716,16 +156153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "14a1bb7a25add9850a93fe4f35d194c0" + "hash": "eb7110af74367df1a5b797d28b4ecefe" }, { - "title": "Covid live: 10 more Omicron cases in UK amid 53,945 new infections; German ‘lockdown’ for unvaccinated", - "description": "

    Germany is seeking to break a surge in coronavirus infections; Biden announces plan for boosters for 100 million Americans

    Some Covid numbers from Germany are now in.

    The European nation reported another 73,209 new Covid cases for Wednesday and 388 deaths, according to data from the Robert Koch Institute.

    Continue reading...", - "content": "

    Germany is seeking to break a surge in coronavirus infections; Biden announces plan for boosters for 100 million Americans

    Some Covid numbers from Germany are now in.

    The European nation reported another 73,209 new Covid cases for Wednesday and 388 deaths, according to data from the Robert Koch Institute.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/02/coronavirus-news-live-south-africa-sees-exponential-increase-in-covid-cases-dominated-by-omicron-variant", - "creator": "Léonie Chao-Fong (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-12-02T20:51:10Z", + "title": "Ghislaine Maxwell sex-trafficking trial expected to go before jury", + "description": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s sex-trafficking trial in Manhattan is finally expected to go before a jury on Monday, as opening statements follow finalization of the panel of 12 jurors and six alternates.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", + "content": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s sex-trafficking trial in Manhattan is finally expected to go before a jury on Monday, as opening statements follow finalization of the panel of 12 jurors and six alternates.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/nov/29/ghislaine-maxwell-sex-trafficking-trial", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-29T07:00:48Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129736,16 +156173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "21224600b67d6fcf180445741dd7ba91" + "hash": "d4abf08cff64d559f0966f4f03e58c18" }, { - "title": "Late-season wildfire rips through Montana farming town", - "description": "

    Dozens of homes and four historic grain elevators burned as fire agencies continue to battle wind-driven blaze

    A late-season wildfire that came amid unseasonably warm weather and was pushed by strong winds ripped through a tiny central Montana farming town overnight, burning 24 homes and four grain elevators that had stood for more than a century.

    Officials were assessing the damage in Denton on Thursday morning while crews continued to fight the fire.

    Continue reading...", - "content": "

    Dozens of homes and four historic grain elevators burned as fire agencies continue to battle wind-driven blaze

    A late-season wildfire that came amid unseasonably warm weather and was pushed by strong winds ripped through a tiny central Montana farming town overnight, burning 24 homes and four grain elevators that had stood for more than a century.

    Officials were assessing the damage in Denton on Thursday morning while crews continued to fight the fire.

    Continue reading...", - "category": "Montana", - "link": "https://www.theguardian.com/us-news/2021/dec/02/montana-wildfire-denton-damage-evacuation", - "creator": "Guardian staff and agencies", - "pubDate": "2021-12-02T23:58:03Z", + "title": "Six Omicron cases found in Scotland as ministers resist calls for tougher rules", + "description": "

    UK minister insists no new restrictions should be needed over Christmas despite spread of Covid variant

    Six cases of the Omicron variant of coronavirus have been confirmed in Scotland, Scottish health officials have said. It trebles the number of cases found around the UK, as ministers face calls for tougher rules on mask use and travel tests.

    Four cases were in the Lanarkshire area, with two found in the Greater Glasgow and Clyde area, Scotland’s health department said in a statement. The three cases identified previously had all been in England.

    Continue reading...", + "content": "

    UK minister insists no new restrictions should be needed over Christmas despite spread of Covid variant

    Six cases of the Omicron variant of coronavirus have been confirmed in Scotland, Scottish health officials have said. It trebles the number of cases found around the UK, as ministers face calls for tougher rules on mask use and travel tests.

    Four cases were in the Lanarkshire area, with two found in the Greater Glasgow and Clyde area, Scotland’s health department said in a statement. The three cases identified previously had all been in England.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/29/six-cases-of-covid-omicron-variant-found-in-scotland", + "creator": "Peter Walker Political correspondent", + "pubDate": "2021-11-29T08:54:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129756,16 +156193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8f49b1ffd73284fee41bec7fb471561a" + "hash": "b6f07b33da16634f32138e42c758504c" }, { - "title": "Australia live news update: Labor sets 2030 emissions target of 43%; Victoria records 1,188 new Covid cases and 11 deaths; 337 cases in NSW", - "description": "

    Labor sets 2030 emissions reduction target ahead of climate policy reveal; no changes to booster shot rollout as NSW fears first local transmission of Omicron; Victoria records 1,188 Covid cases and 11 deaths; 337 new cases in NSW; Nationals MP Damian Drum to quit parliament. Follow all the day’s developments

    Federal health minister Greg Hunt has said all the Omicron cases in Australia have been “asymptomatic or very mild”.

    Hunt was on Sunrise this morning, saying authorities were “cautiously optimistic”.

    Often with diseases ... they become perhaps more transmissible but milder or less severe. If that is the case then that might be a positive direction.

    I certainly hope so. He’s a great minister. He’s got a great mind. I think if you speak to people within the Indigenous community, where he used to work, particularly in children’s education, he has a great passion for education.

    I’ve always found Alan to be a very honourable and decent man. He’s had an extramarital affair, a consensual one. He’s made a mistake. It’s cost him his marriage. There’s a lot of embarrassment on both sides, I have no doubt.

    Continue reading...", - "content": "

    Labor sets 2030 emissions reduction target ahead of climate policy reveal; no changes to booster shot rollout as NSW fears first local transmission of Omicron; Victoria records 1,188 Covid cases and 11 deaths; 337 new cases in NSW; Nationals MP Damian Drum to quit parliament. Follow all the day’s developments

    Federal health minister Greg Hunt has said all the Omicron cases in Australia have been “asymptomatic or very mild”.

    Hunt was on Sunrise this morning, saying authorities were “cautiously optimistic”.

    Often with diseases ... they become perhaps more transmissible but milder or less severe. If that is the case then that might be a positive direction.

    I certainly hope so. He’s a great minister. He’s got a great mind. I think if you speak to people within the Indigenous community, where he used to work, particularly in children’s education, he has a great passion for education.

    I’ve always found Alan to be a very honourable and decent man. He’s had an extramarital affair, a consensual one. He’s made a mistake. It’s cost him his marriage. There’s a lot of embarrassment on both sides, I have no doubt.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/03/australia-live-news-update-covid-omicron-nsw-victoria-scott-morrison-labor", - "creator": "Mostafa Rachwani", - "pubDate": "2021-12-03T00:16:19Z", + "title": "‘It is not biology’: Women’s chess hindered by low numbers and sexism", + "description": "

    The governing body is pushing to make the game more welcoming for women – but is change happening fast enough?

    Towards the end of the Queen’s Gambit, the Netflix show that helped supercharge the new chess boom, Beth Harmon crushes a series of top male grandmasters before beating Vasily Borgov, the Russian world champion. Fiction, though, remains sharply separated from fact. As Magnus Carlsen was reminded before starting his world title defence in Dubai last week, there is not a single active woman’s player in the top 100 now that Hou Yifan of China, who is ranked 83rd, is focusing on academia. The lingering question: why?

    For Carlsen, the subject was “way too complicated” to answer in a few sentences, but suggested a number of reasons, particularly cultural, were to blame. Some, though, still believe it is down to biology. As recently as 2015 Nigel Short, vice president of the world chess federation Fide, claimed that “men are hardwired to be better chess players than women, adding, “you have to gracefully accept that.”

    Continue reading...", + "content": "

    The governing body is pushing to make the game more welcoming for women – but is change happening fast enough?

    Towards the end of the Queen’s Gambit, the Netflix show that helped supercharge the new chess boom, Beth Harmon crushes a series of top male grandmasters before beating Vasily Borgov, the Russian world champion. Fiction, though, remains sharply separated from fact. As Magnus Carlsen was reminded before starting his world title defence in Dubai last week, there is not a single active woman’s player in the top 100 now that Hou Yifan of China, who is ranked 83rd, is focusing on academia. The lingering question: why?

    For Carlsen, the subject was “way too complicated” to answer in a few sentences, but suggested a number of reasons, particularly cultural, were to blame. Some, though, still believe it is down to biology. As recently as 2015 Nigel Short, vice president of the world chess federation Fide, claimed that “men are hardwired to be better chess players than women, adding, “you have to gracefully accept that.”

    Continue reading...", + "category": "World Chess Championship 2021", + "link": "https://www.theguardian.com/sport/2021/nov/29/womens-chess-sexism-misogyny", + "creator": "Sean Ingle in Dubai", + "pubDate": "2021-11-29T10:12:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129776,16 +156213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d270a5bf58f896cb6458f473a85822e" + "hash": "2f5a572fb4091b0ed263e43f0ae67221" }, { - "title": "Refugees forced to claim asylum in ‘jail-like’ camps as Greece tightens system", - "description": "

    Aid agencies fear plans to scrap applications via Skype are an attempt to control and contain rather than help asylum seekers

    When Hadi Karam*, a soft-spoken Syrian, decided to leave the war-stricken city of Raqqa, he knew the journey to Europe would be risky. What he had not factored in was how technology would be a stumbling block once he reached Greece.

    “I never thought Skype would be the problem,” says the young professional, recounting his family’s ordeal trying to contact asylum officers in the country. “You ring and ring and ring. Weeks and weeks go by, and there is never any answer.”

    Continue reading...", - "content": "

    Aid agencies fear plans to scrap applications via Skype are an attempt to control and contain rather than help asylum seekers

    When Hadi Karam*, a soft-spoken Syrian, decided to leave the war-stricken city of Raqqa, he knew the journey to Europe would be risky. What he had not factored in was how technology would be a stumbling block once he reached Greece.

    “I never thought Skype would be the problem,” says the young professional, recounting his family’s ordeal trying to contact asylum officers in the country. “You ring and ring and ring. Weeks and weeks go by, and there is never any answer.”

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/01/refugees-forced-to-claim-asylum-in-jail-like-camps-as-greece-tightens-system", - "creator": "Helena Smith in Athens", - "pubDate": "2021-12-01T13:21:42Z", + "title": "Storm Arwen: homes in north of England without power for third night", + "description": "

    Parts of northern England had coldest night of autumn with temperatures falling to below zero

    Tens of thousands of homes in the north of England had a third night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines across the UK.

    Parts of northern England had their coldest night of autumn so far with temperatures plummeting to below zero. The Met Office said Shap in Cumbria, north-west England, recorded the lowest temperature of the season so far at -8.7C (16.34F).

    Continue reading...", + "content": "

    Parts of northern England had coldest night of autumn with temperatures falling to below zero

    Tens of thousands of homes in the north of England had a third night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines across the UK.

    Parts of northern England had their coldest night of autumn so far with temperatures plummeting to below zero. The Met Office said Shap in Cumbria, north-west England, recorded the lowest temperature of the season so far at -8.7C (16.34F).

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/2021/nov/29/storm-arwen-homes-in-north-of-england-without-power-for-third-night", + "creator": "Mark Brown North of England correspondent", + "pubDate": "2021-11-29T11:12:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129796,16 +156233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "99b43a7f17a1770cf57fedc2800ef493" + "hash": "ae21000a295dd088bb823eaebab106ae" }, { - "title": "Activists call for revolution in ‘dated and colonial’ aid funding", - "description": "

    Aspen Institute’s New Voices want donors to exercise humility and trust those receiving grants to know what their communities need

    Aid donors are being urged to revolutionise the way money is spent to move away from colonial ideas and create meaningful change.

    Ahead of a two-day conference this week, activists from Africa, Asia and Latin America have called on public and private global health donors – including governments, the United Nations, private philanthropists and international organisations – to prioritise funding for programmes driven by the needs of the community involved, rather than dictated by preconceived objectives.

    Continue reading...", - "content": "

    Aspen Institute’s New Voices want donors to exercise humility and trust those receiving grants to know what their communities need

    Aid donors are being urged to revolutionise the way money is spent to move away from colonial ideas and create meaningful change.

    Ahead of a two-day conference this week, activists from Africa, Asia and Latin America have called on public and private global health donors – including governments, the United Nations, private philanthropists and international organisations – to prioritise funding for programmes driven by the needs of the community involved, rather than dictated by preconceived objectives.

    Continue reading...", - "category": "Global health", - "link": "https://www.theguardian.com/global-development/2021/dec/01/activists-call-for-revolution-in-dated-and-colonial-aid-funding", - "creator": "Liz Ford", - "pubDate": "2021-12-01T10:17:48Z", + "title": "Britain and Israel to sign trade and defence deal", + "description": "

    Pact covers Iran as well as cybersecurity, despite controversy over use of Israeli firm NSO Group’s Pegasus spyware in UK

    Britain and Israel will sign a 10-year trade and defence pact in London on Monday, promising cooperation on issues such as cybersecurity and a joint commitment to prevent Iran from obtaining nuclear weapons.

    The agreement was announced by Liz Truss, the foreign secretary, and her Israeli counterpart Yair Lapid, despite evidence that spyware made by Israeli company NSO Group had probably been used to spy on two British lawyers advising the ex-wife of the ruler of Dubai, Princess Haya.

    Continue reading...", + "content": "

    Pact covers Iran as well as cybersecurity, despite controversy over use of Israeli firm NSO Group’s Pegasus spyware in UK

    Britain and Israel will sign a 10-year trade and defence pact in London on Monday, promising cooperation on issues such as cybersecurity and a joint commitment to prevent Iran from obtaining nuclear weapons.

    The agreement was announced by Liz Truss, the foreign secretary, and her Israeli counterpart Yair Lapid, despite evidence that spyware made by Israeli company NSO Group had probably been used to spy on two British lawyers advising the ex-wife of the ruler of Dubai, Princess Haya.

    Continue reading...", + "category": "Trade policy", + "link": "https://www.theguardian.com/politics/2021/nov/28/britain-and-israel-to-sign-trade-and-defence-deal", + "creator": "Dan Sabbagh Defence and security correspondent", + "pubDate": "2021-11-28T23:56:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129816,16 +156253,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ebaf680860f7c42416e2b3534a753b39" + "hash": "996aacb71ee962676c328d4b70e938e1" }, { - "title": "Even after 40 years the response to Aids in many countries is still held back by stigma | Hakima Himmich and Mike Podmore", - "description": "

    It is hard to protect yourself from HIV when having sterile syringes or condoms can lead to arrest: discrimination is restricting progress in eliminating HIV

    Forty years after the first cases of Aids were discovered, goals for its global elimination have yet to be achieved. In 2020, nearly 700,000 people died of Aids-related illnesses and 1.5 million people were newly infected with HIV.

    This is despite scientific and medical advances in the testing, treatment and care of people living with HIV.

    Continue reading...", - "content": "

    It is hard to protect yourself from HIV when having sterile syringes or condoms can lead to arrest: discrimination is restricting progress in eliminating HIV

    Forty years after the first cases of Aids were discovered, goals for its global elimination have yet to be achieved. In 2020, nearly 700,000 people died of Aids-related illnesses and 1.5 million people were newly infected with HIV.

    This is despite scientific and medical advances in the testing, treatment and care of people living with HIV.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/dec/01/response-aids-hiv-stigma-discrimination-drug-use-homophobia", - "creator": "Hakima Himmich and Mike Podmore", - "pubDate": "2021-12-01T07:00:04Z", + "title": "White rhinos flown from South Africa to Rwanda in largest single translocation", + "description": "

    In a bid to secure the future of the near threatened species, 30 animals have been driven, flown and finally rehomed in Akagera national park

    Getting stuck into the in-flight wine wasn’t an option for the 30 passengers flying overnight from South Africa to Rwanda. Crew members instead worked to keep the first-time air travellers placid and problem-free. The last thing anyone wanted was a 1.5-ton rhino on the rampage aboard a Boeing 747.

    “All the rhinos were slightly sedated to keep them calm and not aggressive or trying to get out of the crates,” said Jes Gruner, of conservation organisation African Parks, who oversaw the largest single rhino translocation in history this weekend. “The rhinos weren’t sedated on the plane in the sense they were totally lying down, as that’s bad for their sternums. But they were partly drugged, so they could still stand up and keep their bodily functions normal, but enough to keep them calm and stable.”

    Continue reading...", + "content": "

    In a bid to secure the future of the near threatened species, 30 animals have been driven, flown and finally rehomed in Akagera national park

    Getting stuck into the in-flight wine wasn’t an option for the 30 passengers flying overnight from South Africa to Rwanda. Crew members instead worked to keep the first-time air travellers placid and problem-free. The last thing anyone wanted was a 1.5-ton rhino on the rampage aboard a Boeing 747.

    “All the rhinos were slightly sedated to keep them calm and not aggressive or trying to get out of the crates,” said Jes Gruner, of conservation organisation African Parks, who oversaw the largest single rhino translocation in history this weekend. “The rhinos weren’t sedated on the plane in the sense they were totally lying down, as that’s bad for their sternums. But they were partly drugged, so they could still stand up and keep their bodily functions normal, but enough to keep them calm and stable.”

    Continue reading...", + "category": "Conservation", + "link": "https://www.theguardian.com/environment/2021/nov/29/white-rhinos-flown-from-south-africa-to-rwanda-in-largest-single-translocation", + "creator": "Graeme Green", + "pubDate": "2021-11-29T11:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129836,16 +156273,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8f20e212d553c25d2e34b964f3ed037d" + "hash": "38779f0b1b37ac8d41fc7d0fa797cc77" }, { - "title": "When did Omicron Covid variant arrive in UK and is it spreading?", - "description": "

    Analysis: scientists are working full tilt to answer these vital questions that may give clues as to what is to come

    As new cases of Omicron continue to emerge in the UK, scientists are working full tilt to answer two vital questions: when did the variant arrive and is it spreading?

    While at first glance those queries may seem less important than those around vaccine effectiveness or disease severity, the answers may give important clues as to what is to come.

    Continue reading...", - "content": "

    Analysis: scientists are working full tilt to answer these vital questions that may give clues as to what is to come

    As new cases of Omicron continue to emerge in the UK, scientists are working full tilt to answer two vital questions: when did the variant arrive and is it spreading?

    While at first glance those queries may seem less important than those around vaccine effectiveness or disease severity, the answers may give important clues as to what is to come.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/01/when-did-omicron-variant-arrive-in-uk-and-is-it-spreading", - "creator": "Nicola Davis, Ian Sample and Libby Brooks", - "pubDate": "2021-12-01T09:31:53Z", + "title": "First Thing: US could face ‘fifth wave’ of Covid as Omicron spreads", + "description": "

    Israel seals borders and Morocco bans flights as new variant fears rise plus, tributes pour in for fashion maverick Virgil Abloh

    Good morning.

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates.

    How are other countries reacting to the spread of Omicron? Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks. Many countries, including Brazil, Canada, European Union states, Iran and the UK, have placed restrictions on travel from various southern African countries.

    Epstein, a convicted paedophile, killed himself in a Manhattan federal jail in August 2019, while awaiting trial. Maxwell’s alleged crimes took place from 1994 to 2004, prosecutors have said.

    Authorities arrested the Briton, the daughter of the late press baron Robert Maxwell, on 2 July 2020 at an estate in the small New Hampshire town of Bradford.

    Maxwell has pleaded not guilty to all the charges against her and is expected to challenge claims she groomed underage girls.

    Continue reading...", + "content": "

    Israel seals borders and Morocco bans flights as new variant fears rise plus, tributes pour in for fashion maverick Virgil Abloh

    Good morning.

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates.

    How are other countries reacting to the spread of Omicron? Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks. Many countries, including Brazil, Canada, European Union states, Iran and the UK, have placed restrictions on travel from various southern African countries.

    Epstein, a convicted paedophile, killed himself in a Manhattan federal jail in August 2019, while awaiting trial. Maxwell’s alleged crimes took place from 1994 to 2004, prosecutors have said.

    Authorities arrested the Briton, the daughter of the late press baron Robert Maxwell, on 2 July 2020 at an estate in the small New Hampshire town of Bradford.

    Maxwell has pleaded not guilty to all the charges against her and is expected to challenge claims she groomed underage girls.

    Continue reading...", + "category": "", + "link": "https://www.theguardian.com/us-news/2021/nov/29/first-thing-us-could-face-fifth-wave-of-covid-as-omicron-spreads", + "creator": "Nicola Slawson", + "pubDate": "2021-11-29T11:24:03Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129856,16 +156293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "26a1ad6c6cd63c399715a96131c02864" + "hash": "3d3fe5fa985173e4a6f1861991816c50" }, { - "title": "'Every parent's worst nightmare': Michigan school shooting leaves three students dead – video", - "description": "

    A 15-year-old boy killed three fellow pupils and wounded eight others after opening fire with a semi-automatic handgun at a school in Oxford, Michigan. Those killed were a 16-year-old boy, a 17-year-old girl and a 14-year-old girl. The suspect was believed to have acted alone and was arrested without resistance after firing 15 to 20 shots. The suspect has declined to speak to police. Michigan's governor, Gretchen Whitmer, offered condolences at the scene, saying: 'I think this is every parent's worst nightmare.'

    Continue reading...", - "content": "

    A 15-year-old boy killed three fellow pupils and wounded eight others after opening fire with a semi-automatic handgun at a school in Oxford, Michigan. Those killed were a 16-year-old boy, a 17-year-old girl and a 14-year-old girl. The suspect was believed to have acted alone and was arrested without resistance after firing 15 to 20 shots. The suspect has declined to speak to police. Michigan's governor, Gretchen Whitmer, offered condolences at the scene, saying: 'I think this is every parent's worst nightmare.'

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/video/2021/dec/01/every-parents-worst-nightmare-michigan-school-shooting-leaves-three-students-dead-video", - "creator": "", - "pubDate": "2021-12-01T00:41:39Z", + "title": "Covid live news: WHO Africa head urges world to keep borders open; third Omicron case found in UK", + "description": "

    UN agency’s comments follow South Africa’s call to reverse flight bans; G7 health ministers to hold urgent meeting on Omicron variant; large contact tracing operation in Westminster

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", + "content": "

    UN agency’s comments follow South Africa’s call to reverse flight bans; G7 health ministers to hold urgent meeting on Omicron variant; large contact tracing operation in Westminster

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/world/live/2021/nov/28/covid-live-news-uk-germany-and-italy-detect-omicron-cases-israel-bans-all-visitors", + "creator": "Jem Bartholomew (now), Charlie Moloney and Martin Farrer (earlier)", + "pubDate": "2021-11-28T21:12:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129876,16 +156313,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "21bf5aa2e3ad1fe1ff69cfa05572063d" + "hash": "44a20e7bee4edfce33cfc32124fe0204" }, { - "title": "Germany: mandatory Covid jabs a step closer as unvaccinated face lockdown", - "description": "

    Merkel backs compulsory jabs and says ‘act of national solidarity’ required

    Vaccination could become mandatory in Germany from February, Angela Merkel has said, as she announced what her successor as chancellor, Olaf Scholz, described as “a lockdown of the unvaccinated”.

    As more EU countries confirmed cases of the Omicron variant, which the bloc’s health agency said could make up more than half of all infections on the continent within months, Merkel described the situation as “very serious”.

    Continue reading...", - "content": "

    Merkel backs compulsory jabs and says ‘act of national solidarity’ required

    Vaccination could become mandatory in Germany from February, Angela Merkel has said, as she announced what her successor as chancellor, Olaf Scholz, described as “a lockdown of the unvaccinated”.

    As more EU countries confirmed cases of the Omicron variant, which the bloc’s health agency said could make up more than half of all infections on the continent within months, Merkel described the situation as “very serious”.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/dec/02/germany-could-make-covid-vaccination-mandatory-says-merkel", - "creator": "Jon Henley Europe correspondent", - "pubDate": "2021-12-02T17:01:49Z", + "title": "Nobel-winning stock market theory used to help save coral reefs", + "description": "

    Portfolio selection rules on evaluating risk used to pick 50 reefs as ‘arks’ best able to survive climate crisis and revive coral elsewhere

    A Nobel prize-winning economic theory used by investors is showing early signs of helping save threatened coral reefs, scientists say.

    Researchers at Australia’s University of Queensland used modern portfolio theory (MPT), a mathematical framework developed by the economist Harry Markowitz in the 1950s to help risk-averse investors maximise returns, to identify the 50 reefs or coral sanctuaries around the world that are most likely to survive the climate crisis and be able to repopulate other reefs, if other threats are absent.

    Continue reading...", + "content": "

    Portfolio selection rules on evaluating risk used to pick 50 reefs as ‘arks’ best able to survive climate crisis and revive coral elsewhere

    A Nobel prize-winning economic theory used by investors is showing early signs of helping save threatened coral reefs, scientists say.

    Researchers at Australia’s University of Queensland used modern portfolio theory (MPT), a mathematical framework developed by the economist Harry Markowitz in the 1950s to help risk-averse investors maximise returns, to identify the 50 reefs or coral sanctuaries around the world that are most likely to survive the climate crisis and be able to repopulate other reefs, if other threats are absent.

    Continue reading...", + "category": "Coral", + "link": "https://www.theguardian.com/environment/2021/nov/28/stock-markets-modern-portfolio-theory-mpt-used-to-pick-coral-reefs-arks-conservation-survive-climate-crisis", + "creator": "Karen McVeigh", + "pubDate": "2021-11-28T15:00:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129896,16 +156333,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "eb2b8d6125fc2667a411c3b92b0b27f6" + "hash": "fb907fbb05fcfe17ba237df0e7cb15ca" }, { - "title": "Biden and Putin to hold talks after diplomats make no progress on Ukraine", - "description": "

    The US threatened to deploy ‘high-impact’ economic measures if a Russian buildup of troops leads to a wider conflict

    Joe Biden and Vladimir Putin are due to hold talks “in the near future” after their top diplomats made no apparent progress in Stockholm towards defusing a standoff over Ukraine, amid fears of a Russian invasion.

    The US secretary of state, Antony Blinken, and the Russian foreign minister, Sergey Lavrov, opted not to make a joint appearance after trading threats during a 40-minute meeting whose short duration indicated there was little chance of a breakthrough.

    Continue reading...", - "content": "

    The US threatened to deploy ‘high-impact’ economic measures if a Russian buildup of troops leads to a wider conflict

    Joe Biden and Vladimir Putin are due to hold talks “in the near future” after their top diplomats made no apparent progress in Stockholm towards defusing a standoff over Ukraine, amid fears of a Russian invasion.

    The US secretary of state, Antony Blinken, and the Russian foreign minister, Sergey Lavrov, opted not to make a joint appearance after trading threats during a 40-minute meeting whose short duration indicated there was little chance of a breakthrough.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/dec/02/us-and-russia-no-closer-to-breakthrough-on-ukraine-after-talks", - "creator": "Andrew Roth in Moscow and Julian Borger in Washington", - "pubDate": "2021-12-02T17:56:19Z", + "title": "Virgil Abloh: Off-White designer dies at 41", + "description": "

    The fashion maverick, also creative head at Louis Vuitton, had been suffering from an aggressive form of cancer for two years

    Fashion designer Virgil Abloh has died after suffering from cancer, it has been announced.

    The 41-year-old, who was the creative director for Louis Vuitton and Off-White, had cardiac angiosarcoma, a rare, aggressive form of the disease, according to an announcement on his official Instagram page.

    Continue reading...", + "content": "

    The fashion maverick, also creative head at Louis Vuitton, had been suffering from an aggressive form of cancer for two years

    Fashion designer Virgil Abloh has died after suffering from cancer, it has been announced.

    The 41-year-old, who was the creative director for Louis Vuitton and Off-White, had cardiac angiosarcoma, a rare, aggressive form of the disease, according to an announcement on his official Instagram page.

    Continue reading...", + "category": "Virgil Abloh", + "link": "https://www.theguardian.com/fashion/2021/nov/28/virgil-abloh-off-white-designer-dies-at-41", + "creator": "Priya Elan", + "pubDate": "2021-11-28T19:24:40Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129916,16 +156353,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b542b792542d541ebab2557efb4eeaa5" + "hash": "9dbaf96828b652a3312f4b1dcfac091f" }, { - "title": "Sex ratio of babies linked to pollution and poverty indicators", - "description": "

    Study finds some pollutants are correlated with higher levels of boys and others with more girls

    A swathe of pollutants and indicators of poverty have been linked to changes in the ratio of baby boys to girls born to millions of parents.

    A study of half the US population and the entire Swedish population examined more than 100 possible factors and found, for example, that mercury, chromium and aluminium pollution correlated with more boys being born, while lead pollution increased the proportion of girls. Proximity to farming also affected the sex ratio, possibly due to higher chemical exposures.

    Continue reading...", - "content": "

    Study finds some pollutants are correlated with higher levels of boys and others with more girls

    A swathe of pollutants and indicators of poverty have been linked to changes in the ratio of baby boys to girls born to millions of parents.

    A study of half the US population and the entire Swedish population examined more than 100 possible factors and found, for example, that mercury, chromium and aluminium pollution correlated with more boys being born, while lead pollution increased the proportion of girls. Proximity to farming also affected the sex ratio, possibly due to higher chemical exposures.

    Continue reading...", - "category": "Environment", - "link": "https://www.theguardian.com/environment/2021/dec/02/sex-ratio-of-babies-linked-to-pollution-and-poverty-indicators", - "creator": "Damian Carrington Environment editor", - "pubDate": "2021-12-02T19:00:20Z", + "title": "‘Shocking’ that UK is moving child refugees into hotels", + "description": "

    Children’s Society criticises practice of placing unaccompanied minors in hotels with limited care

    Record numbers of unaccompanied child asylum seekers who arrived in the UK on small boats are being accommodated in four hotels along England’s south coast, a situation that the Children’s Society has described as “shocking”.

    About 250 unaccompanied children who arrived in small boats are thought to be accommodated in hotels, which Ofsted said was an unacceptable practice.

    Continue reading...", + "content": "

    Children’s Society criticises practice of placing unaccompanied minors in hotels with limited care

    Record numbers of unaccompanied child asylum seekers who arrived in the UK on small boats are being accommodated in four hotels along England’s south coast, a situation that the Children’s Society has described as “shocking”.

    About 250 unaccompanied children who arrived in small boats are thought to be accommodated in hotels, which Ofsted said was an unacceptable practice.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/28/uk-child-refugees-hotels-unaccompanied-minors", + "creator": "Diane Taylor", + "pubDate": "2021-11-28T12:28:38Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129936,16 +156373,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d757fb904db7c83556eeb1f8224306ba" + "hash": "f48fae141696543761abfc771ae40e6f" }, { - "title": "Fossil remains of herd of 11 dinosaurs discovered in Italy", - "description": "

    Exceptional find includes biggest and most complete dinosaur skeleton ever unearthed in the country

    A treasure trove of fossils of a herd of 11 dinosaurs has been identified for the first time in Italy, including the biggest and most complete dinosaur skeleton ever found in the country.

    Although isolated dinosaur remains have been discovered in Italy since the 1990s, palaeontologists have now identified an entire group at Villaggio del Pescatore, a former limestone quarry close to the north-eastern port city of Trieste.

    Continue reading...", - "content": "

    Exceptional find includes biggest and most complete dinosaur skeleton ever unearthed in the country

    A treasure trove of fossils of a herd of 11 dinosaurs has been identified for the first time in Italy, including the biggest and most complete dinosaur skeleton ever found in the country.

    Although isolated dinosaur remains have been discovered in Italy since the 1990s, palaeontologists have now identified an entire group at Villaggio del Pescatore, a former limestone quarry close to the north-eastern port city of Trieste.

    Continue reading...", - "category": "Dinosaurs", - "link": "https://www.theguardian.com/uk-news/2021/dec/02/fossil-remains-of-a-herd-of-11-dinosaurs-discovered-in-italy", - "creator": "Angela Giuffrida in Rome", - "pubDate": "2021-12-02T18:13:13Z", + "title": "Iran nuclear talks to resume with world powers after five-month hiatus", + "description": "

    Expectations of salvaging 2015 deal low amid fears Iran is covertly boosting nuclear programme

    Talks between world powers and Iran on salvaging the 2015 nuclear deal will resume in Vienna on Monday after a five-month hiatus, but expectations of a breakthrough are low.

    The talks could liberate Iran from hundreds of western economic sanctions or lead to a tightening of the economic noose and the intensified threat of military attacks by Israel.

    Continue reading...", + "content": "

    Expectations of salvaging 2015 deal low amid fears Iran is covertly boosting nuclear programme

    Talks between world powers and Iran on salvaging the 2015 nuclear deal will resume in Vienna on Monday after a five-month hiatus, but expectations of a breakthrough are low.

    The talks could liberate Iran from hundreds of western economic sanctions or lead to a tightening of the economic noose and the intensified threat of military attacks by Israel.

    Continue reading...", + "category": "Iran nuclear deal", + "link": "https://www.theguardian.com/world/2021/nov/28/iran-nuclear-talks-to-resume-with-world-powers-after-five-month-hiatus", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-11-28T14:28:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129956,16 +156393,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c17f6a057a5b8d1cfa9b5c71984e350b" + "hash": "2e3b24ab2d242d24fa9241f7f74ce163" }, { - "title": "Biden announces plan to get booster shots to 100m Americans amid Omicron arrival in US", - "description": "

    President lays out pandemic battle plan for the winter months, including expanded pharmacy availability for vaccines

    Joe Biden announced new actions to combat the coronavirus in the US, including a nationwide campaign encouraging vaccine boosters, an expansion of at-home tests and tighter restrictions on international travel.

    Buffeted by the emergence of the Omicron variant and a political backlash from Republicans, the US president visited the National Institutes of Health in Bethesda, Maryland, on Thursday and laid out a pandemic battle plan for the winter months.

    Continue reading...", - "content": "

    President lays out pandemic battle plan for the winter months, including expanded pharmacy availability for vaccines

    Joe Biden announced new actions to combat the coronavirus in the US, including a nationwide campaign encouraging vaccine boosters, an expansion of at-home tests and tighter restrictions on international travel.

    Buffeted by the emergence of the Omicron variant and a political backlash from Republicans, the US president visited the National Institutes of Health in Bethesda, Maryland, on Thursday and laid out a pandemic battle plan for the winter months.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/dec/02/joe-biden-coronavirus-nationwide-campaign", - "creator": "David Smith in Washington", - "pubDate": "2021-12-02T19:08:15Z", + "title": "Lucian Freud painting denied by artist is authenticated by experts", + "description": "

    The artist insisted he did not paint Standing Male Nude, but three specialists have concluded it is his work

    Almost 25 years ago, a Swiss art collector bought a Lucian Freud painting – a full-length male nude – at auction. He then received a call from the British artist, asking to buy it from him. The two men did not know each other, and the collector politely refused, as he liked the picture.

    Three days later, he claims he received another call from a now furious Freud who told him that, unless he sold it to him, he would deny having painted it.

    Continue reading...", + "content": "

    The artist insisted he did not paint Standing Male Nude, but three specialists have concluded it is his work

    Almost 25 years ago, a Swiss art collector bought a Lucian Freud painting – a full-length male nude – at auction. He then received a call from the British artist, asking to buy it from him. The two men did not know each other, and the collector politely refused, as he liked the picture.

    Three days later, he claims he received another call from a now furious Freud who told him that, unless he sold it to him, he would deny having painted it.

    Continue reading...", + "category": "Lucian Freud", + "link": "https://www.theguardian.com/artanddesign/2021/nov/28/lucian-freud-painting-denied-by-artist-is-authenticated-by-experts", + "creator": "Dalya Alberge", + "pubDate": "2021-11-28T07:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129976,16 +156413,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e625f20862cf1e7c9f1f1f4795f99130" + "hash": "f910edc7ccc14a87b430767e7b37962a" }, { - "title": "Peng Shuai needs more than ‘quiet diplomacy’. If she can be silenced, no Chinese athletes are safe | Jessica Shuran Yu", - "description": "

    As an athlete who spoke up about abuse, I am tired of seeing reputation being prioritised over safety

    When I first experienced abuse as an athlete, I made a vow to myself to never tell anyone. Ever. I was worried that I wouldn’t be believed, but also the thought that anyone would know me as a “victim” mortified me. On top of that, I knew that even if I told anyone, nothing would change. I was both right and wrong. Years later, after I stopped competing in figure skating, I broke my own silence on the physical abuse inflicted on me in China, and it freed me. I talked about it to my close friends, to reporters, and to my therapist – extensively. It never got easier to talk about but each time I did, I began to heal a little more.

    The most powerful perpetrator of abuse is silence. It allows for abusers to continue to harm athletes, for athletes to continue believing that such treatment is OK, and for authority figures to continue to turn a blind eye without guilt. Every allegation of abuse that is aired needs to be investigated properly for there to be any hope of justice.

    Continue reading...", - "content": "

    As an athlete who spoke up about abuse, I am tired of seeing reputation being prioritised over safety

    When I first experienced abuse as an athlete, I made a vow to myself to never tell anyone. Ever. I was worried that I wouldn’t be believed, but also the thought that anyone would know me as a “victim” mortified me. On top of that, I knew that even if I told anyone, nothing would change. I was both right and wrong. Years later, after I stopped competing in figure skating, I broke my own silence on the physical abuse inflicted on me in China, and it freed me. I talked about it to my close friends, to reporters, and to my therapist – extensively. It never got easier to talk about but each time I did, I began to heal a little more.

    The most powerful perpetrator of abuse is silence. It allows for abusers to continue to harm athletes, for athletes to continue believing that such treatment is OK, and for authority figures to continue to turn a blind eye without guilt. Every allegation of abuse that is aired needs to be investigated properly for there to be any hope of justice.

    Continue reading...", - "category": "Peng Shuai", - "link": "https://www.theguardian.com/sport/blog/2021/dec/02/peng-shuai-needs-more-than-quiet-diplomacy-jessica-shuran-yu", - "creator": "Jessica Shuran Yu", - "pubDate": "2021-12-02T20:00:21Z", + "title": "Brexit leaves EU-bound Christmas presents out in the cold", + "description": "

    An increase in red tape and charges means headaches for those sending gifts to Europe

    People preparing to send Christmas parcels to family and friends in Europe face being caught out by post-Brexit red tape and charges that threaten to take some of the joy out of gift-giving.

    A warning has also been sounded that some of those who have sent gifts to the EU this year have encountered problems ranging from delays and unexpected charges to items going missing.

    Continue reading...", + "content": "

    An increase in red tape and charges means headaches for those sending gifts to Europe

    People preparing to send Christmas parcels to family and friends in Europe face being caught out by post-Brexit red tape and charges that threaten to take some of the joy out of gift-giving.

    A warning has also been sounded that some of those who have sent gifts to the EU this year have encountered problems ranging from delays and unexpected charges to items going missing.

    Continue reading...", + "category": "Brexit", + "link": "https://www.theguardian.com/politics/2021/nov/28/brexit-leaves-eu-bound-christmas-presents-out-in-the-cold", + "creator": "Rupert Jones", + "pubDate": "2021-11-28T10:45:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -129996,16 +156433,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "de42fdd328194425a65d03642893f91e" + "hash": "0ede481d1bae7b9d2deebf613b1cad06" }, { - "title": "The most unusual movie sex scenes – ranked!", - "description": "

    Lady Gaga and Adam Driver give us animal grunting in House of Gucci and Agathe Rousselle mates with a car in Titane – but that’s tame compared with some of the sexual themes cinema has found to explore

    In 1933, the Austrian star Hedy Lamarr (who also had a remarkable parallel career as an inventor) appeared in the Czech erotic drama Ecstasy playing Eva, who gave us the first female orgasm in movie history. This is simply an extended closeup on her face, after her lover’s head has disappeared from the bottom of the frame, as she abandons herself to pleasure and rapture. There were some telling cutaways – to her hand, fondling some material, and also one of her pearl necklace dropping to the floor. Afterwards, Eva languorously smokes a cigarette, doing her bit to establish one of cinema’s great post-coital tropes.

    Continue reading...", - "content": "

    Lady Gaga and Adam Driver give us animal grunting in House of Gucci and Agathe Rousselle mates with a car in Titane – but that’s tame compared with some of the sexual themes cinema has found to explore

    In 1933, the Austrian star Hedy Lamarr (who also had a remarkable parallel career as an inventor) appeared in the Czech erotic drama Ecstasy playing Eva, who gave us the first female orgasm in movie history. This is simply an extended closeup on her face, after her lover’s head has disappeared from the bottom of the frame, as she abandons herself to pleasure and rapture. There were some telling cutaways – to her hand, fondling some material, and also one of her pearl necklace dropping to the floor. Afterwards, Eva languorously smokes a cigarette, doing her bit to establish one of cinema’s great post-coital tropes.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/dec/02/the-most-unusual-movie-sex-scenes-ranked", - "creator": "Peter Bradshaw", - "pubDate": "2021-12-02T13:25:13Z", + "title": "Czech president swears in Petr Fiala as PM behind glass screen", + "description": "

    Milos Zeman performs inauguration ceremony from cubicle after testing positive for coronavirus

    The Czech president, Milos Zeman, has appointed the leader of a centre-right alliance, Petr Fiala, as prime minister in a ceremony he performed from a plexiglass cubicle after testing positive for Covid-19.

    Fiala leads a bloc of five centre and centre-right opposition parties that won an election in October, ousting the incumbent Andrej Babiš and his allies.

    Continue reading...", + "content": "

    Milos Zeman performs inauguration ceremony from cubicle after testing positive for coronavirus

    The Czech president, Milos Zeman, has appointed the leader of a centre-right alliance, Petr Fiala, as prime minister in a ceremony he performed from a plexiglass cubicle after testing positive for Covid-19.

    Fiala leads a bloc of five centre and centre-right opposition parties that won an election in October, ousting the incumbent Andrej Babiš and his allies.

    Continue reading...", + "category": "Czech Republic", + "link": "https://www.theguardian.com/world/2021/nov/28/czech-president-swears-in-petr-fiala-as-new-pm-behind-glass-screen", + "creator": "Reuters in Prague", + "pubDate": "2021-11-28T13:50:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130016,16 +156453,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a3cfb376709b0ea4d23c1b970af6cbcf" + "hash": "f5a270c7cb9abd22cffd45338319e24a" }, { - "title": "France rejects idea of British patrols along Calais beaches", - "description": "

    Move will ‘compromise sovereignty’ and UK should sort out alternative to people’s perilous Channel crossings

    France has formally rejected Boris Johnson’s call for British authorities to carry out joint patrols on the beaches around Calais to deter people from crossing the Channel unsafely. In a letter to Johnson the French prime minister, Jean Castex, said the country could not accept the presence of British police officers or soldiers as that would compromise the nation’s sovereignty.

    Castex also suggested the UK should carry out reforms of its systems to offer “legal immigration paths” for people to go to the UK instead of risking the perilous crossing.

    Continue reading...", - "content": "

    Move will ‘compromise sovereignty’ and UK should sort out alternative to people’s perilous Channel crossings

    France has formally rejected Boris Johnson’s call for British authorities to carry out joint patrols on the beaches around Calais to deter people from crossing the Channel unsafely. In a letter to Johnson the French prime minister, Jean Castex, said the country could not accept the presence of British police officers or soldiers as that would compromise the nation’s sovereignty.

    Castex also suggested the UK should carry out reforms of its systems to offer “legal immigration paths” for people to go to the UK instead of risking the perilous crossing.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/dec/02/france-rejects-idea-of-british-patrols-along-calais-beaches", - "creator": "PA Media", - "pubDate": "2021-12-02T21:19:15Z", + "title": "A new German era dawns, but collisions lie in wait for coalition", + "description": "

    The ‘traffic light’ parties all want progress but have different ideas about what that means on business and green issues

    In Unterleuten, a bestselling novel by the German novelist Juli Zeh, the inhabitants of a village outside Berlin are shocked to find out that a plot of land on their doorstep has been earmarked for a gigantic wind farm.

    One of the characters, a birdwatcher called Gerhard Fliess, knows what to do: he calls an old friend at the local environment ministry to remind him that the countryside around Unterleuten is the habitat of an endangered species of sandpiper. Surely that will halt the bulldozers.

    Continue reading...", + "content": "

    The ‘traffic light’ parties all want progress but have different ideas about what that means on business and green issues

    In Unterleuten, a bestselling novel by the German novelist Juli Zeh, the inhabitants of a village outside Berlin are shocked to find out that a plot of land on their doorstep has been earmarked for a gigantic wind farm.

    One of the characters, a birdwatcher called Gerhard Fliess, knows what to do: he calls an old friend at the local environment ministry to remind him that the countryside around Unterleuten is the habitat of an endangered species of sandpiper. Surely that will halt the bulldozers.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/nov/28/a-new-german-era-dawns-but-collisions-lie-in-wait-for-coalition", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-11-28T10:00:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130036,16 +156473,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "0a69c70fd7a209f8a0bb0905ee409d4a" + "hash": "eb28e335eba34f3df477c5f18bce6fe2" }, { - "title": "Victorian government pressed to deliver promised funding for threatened plants and animals", - "description": "

    Critically endangered grasslands on Melbourne’s outskirts should be immediately protected, parliamentary inquiry says

    Underfunding of environmental initiatives by the Victorian government is pushing plants and animals across the state toward extinction, a state parliamentary inquiry has found.

    The Greens-led inquiry, examining the decline of habitats and wildlife in Victoria tabled its final report, calling for changes to how the state funds and enforces protection of endangered wildlife and a massive increase to the national parks budget.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Critically endangered grasslands on Melbourne’s outskirts should be immediately protected, parliamentary inquiry says

    Underfunding of environmental initiatives by the Victorian government is pushing plants and animals across the state toward extinction, a state parliamentary inquiry has found.

    The Greens-led inquiry, examining the decline of habitats and wildlife in Victoria tabled its final report, calling for changes to how the state funds and enforces protection of endangered wildlife and a massive increase to the national parks budget.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Victoria", - "link": "https://www.theguardian.com/australia-news/2021/dec/03/victorian-government-pressed-to-deliver-promised-funding-for-threatened-plants-and-animals", - "creator": "Lisa Cox", - "pubDate": "2021-12-02T21:18:49Z", + "title": "Swiss voters back law behind Covid vaccine certificate", + "description": "

    After tense campaign, early results show about two-thirds in favour of law giving legal basis for Covid pass

    Swiss voters have firmly backed the law behind the country’s Covid pass in a referendum, following a tense campaign that saw unprecedented levels of hostility.

    Early results on Sunday showed about two-thirds of voters supported the law, with market researchers GFS Bern projecting 63% backing.

    Continue reading...", + "content": "

    After tense campaign, early results show about two-thirds in favour of law giving legal basis for Covid pass

    Swiss voters have firmly backed the law behind the country’s Covid pass in a referendum, following a tense campaign that saw unprecedented levels of hostility.

    Early results on Sunday showed about two-thirds of voters supported the law, with market researchers GFS Bern projecting 63% backing.

    Continue reading...", + "category": "Switzerland", + "link": "https://www.theguardian.com/world/2021/nov/28/tensions-swiss-vote-covid-vaccine-certificate-law", + "creator": "Agence France-Presse in Geneva", + "pubDate": "2021-11-28T15:21:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130056,16 +156493,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ba9ab6ea6ec313476a3d6198f728d53f" + "hash": "923d6a5eb489e1552cdfc3d1df85da45" }, { - "title": "Kavanaugh signals support for curbing abortion rights as supreme court hears arguments on Mississippi case – live", - "description": "

    Supreme court justice Amy Coney Barrett, who had advocated against abortion rights and publicly supported the reversal of Roe v Wade before her nomination to the court, has sounded in with her first question:

    Scott Stewart, the solicitor general of Mississippi: Undue burden is “perhaps the most unworkable standard in American law”.

    Continue reading...", - "content": "

    Supreme court justice Amy Coney Barrett, who had advocated against abortion rights and publicly supported the reversal of Roe v Wade before her nomination to the court, has sounded in with her first question:

    Scott Stewart, the solicitor general of Mississippi: Undue burden is “perhaps the most unworkable standard in American law”.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/dec/01/abortion-case-roe-v-wade-supreme-court-arguments-mississippi-us-politics-latest", - "creator": "Vivian Ho", - "pubDate": "2021-12-01T19:06:39Z", + "title": "How bad will the Omicron Covid variant be in Britain? Three things will tell us | Devi Sridhar", + "description": "

    A new variant identified in southern Africa is causing global panic – but its real impact will be shown by the data scientists are racing to establish

    Omicron, the name of the new Covid-19 variant that is sending worrying signals from southern Africa, sounds like something from Transformers. It has caused panic across the world, among governments, the public and the stock markets. After adding a number of southern African countries to the red list, the UK government has reimposed mandatory masks in England from Tuesday, and will require anyone travelling to the country from abroad to take a PCR test. Omicron is probably the first variant to have scientists worried since Delta became the predominant strain in every country last summer. But how bad it is? What does it mean for future lockdowns – and future deaths?

    Scientists are waiting on three pieces of data before they will be able to tell what effect this new variant will have over the next six to 12 months. The first is how infectious Omicron is. Can it outcompete Delta? Earlier this year we saw another worrying variant, Beta, that luckily faded away as a result of a selective advantage in Delta that allowed it to transmit faster between people. Limited data from South Africa shows that Omicron is very infectious, but whether it will become the predominant strain remains to be seen.

    Prof Devi Sridhar is chair of global public health at the University of Edinburgh

    Continue reading...", + "content": "

    A new variant identified in southern Africa is causing global panic – but its real impact will be shown by the data scientists are racing to establish

    Omicron, the name of the new Covid-19 variant that is sending worrying signals from southern Africa, sounds like something from Transformers. It has caused panic across the world, among governments, the public and the stock markets. After adding a number of southern African countries to the red list, the UK government has reimposed mandatory masks in England from Tuesday, and will require anyone travelling to the country from abroad to take a PCR test. Omicron is probably the first variant to have scientists worried since Delta became the predominant strain in every country last summer. But how bad it is? What does it mean for future lockdowns – and future deaths?

    Scientists are waiting on three pieces of data before they will be able to tell what effect this new variant will have over the next six to 12 months. The first is how infectious Omicron is. Can it outcompete Delta? Earlier this year we saw another worrying variant, Beta, that luckily faded away as a result of a selective advantage in Delta that allowed it to transmit faster between people. Limited data from South Africa shows that Omicron is very infectious, but whether it will become the predominant strain remains to be seen.

    Prof Devi Sridhar is chair of global public health at the University of Edinburgh

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/commentisfree/2021/nov/28/omicron-covid-variant-britain-southern-africa", + "creator": "Devi Sridhar", + "pubDate": "2021-11-28T15:40:29Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130076,16 +156513,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a8b0ef18e91cd2c80f606cf01a7c9f40" + "hash": "8bf2086756572083cfdb40c1918075ca" }, { - "title": "People onboard sinking Channel dinghy ‘tried to contact UK authorities’", - "description": "

    Home Office acknowledges people involved in tragedy may have tried to call for help as investigations continue

    The occupants of a boat that sank last week in the Channel causing the deaths of at least 27 people may have tried to contact the UK authorities, the Home Office has acknowledged.

    Dan O’Mahoney – the clandestine channel threat commander – said he could not say with any certainty if those onboard had rung the UK for help. Speaking to parliament’s human rights committee, O’Mahoney said HM Coastguard was now investigating.

    Continue reading...", - "content": "

    Home Office acknowledges people involved in tragedy may have tried to call for help as investigations continue

    The occupants of a boat that sank last week in the Channel causing the deaths of at least 27 people may have tried to contact the UK authorities, the Home Office has acknowledged.

    Dan O’Mahoney – the clandestine channel threat commander – said he could not say with any certainty if those onboard had rung the UK for help. Speaking to parliament’s human rights committee, O’Mahoney said HM Coastguard was now investigating.

    Continue reading...", - "category": "Migration", - "link": "https://www.theguardian.com/world/2021/dec/01/people-onboard-sinking-channel-dingy-tried-to-contact-uk-authorities", - "creator": "Luke Harding in London, Nechirvan Mando in Ranya, Iraqi Kurdistan, and Rajeev Syal", - "pubDate": "2021-12-01T18:09:47Z", + "title": "Travel firms scramble to rearrange holidays amid new Covid measures", + "description": "

    Swiss skiing holidays in doubt as country joins Spain in tightening travel rules to contain Omicron variant

    Tour operators are scrambling to rearrange Swiss skiing holidays after the country joined Spain in tightening travel restrictions amid rising concerns about the spread of the new Omicron Covid variant.

    From Saturday night, Switzerland mandated 10 days of quarantine for all new arrivals, in effect wrecking skiing holidays in the Swiss Alps until further notice. Travel firms are also wrestling with Spain’s ban on non-vaccinated arrivals that will affect British holidaymakers from Wednesday 1 December.

    Continue reading...", + "content": "

    Swiss skiing holidays in doubt as country joins Spain in tightening travel rules to contain Omicron variant

    Tour operators are scrambling to rearrange Swiss skiing holidays after the country joined Spain in tightening travel restrictions amid rising concerns about the spread of the new Omicron Covid variant.

    From Saturday night, Switzerland mandated 10 days of quarantine for all new arrivals, in effect wrecking skiing holidays in the Swiss Alps until further notice. Travel firms are also wrestling with Spain’s ban on non-vaccinated arrivals that will affect British holidaymakers from Wednesday 1 December.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/28/travel-firms-scramble-to-rearrange-holidays-amid-new-covid-measures", + "creator": "Robert Booth, Sam Jones and Lisa O'Carroll", + "pubDate": "2021-11-28T15:29:39Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130096,16 +156533,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "dbe1136f5e4dc42f6b534927c7c31fb3" + "hash": "04d4991452b4ff9491d826dba32ffd13" }, { - "title": "Covid news live: UK reports 48,374 new cases and 171 deaths; France introduces new restrictions for non-EU arrivals", - "description": "

    UK cases on rise amid fears over Omicron variant; non-EU travellers to France must have negative Covid test regardless of vaccination status

    Three people who escaped an Australian Covid quarantine facility have been arrested.

    Our reporter Cait Kelly from Melbourne, Australia, has the story.

    Continue reading...", - "content": "

    UK cases on rise amid fears over Omicron variant; non-EU travellers to France must have negative Covid test regardless of vaccination status

    Three people who escaped an Australian Covid quarantine facility have been arrested.

    Our reporter Cait Kelly from Melbourne, Australia, has the story.

    Continue reading...", + "title": "Fauci: US could face ‘fifth wave’ of Covid as Omicron variant nears", + "description": "
    • Collins and Fauci emphasise need for vaccines and boosters
    • Warning that variant shows signs of heightened transmissibility
    • Coronavirus: live coverage

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates. He also warned that the newly discovered Omicron variant shows signs of heightened transmissibility.

    As Fauci toured the US political talkshows, countries around the world including the US scrambled to guard against Omicron, which has stoked fears of vaccine resistance.

    Continue reading...", + "content": "
    • Collins and Fauci emphasise need for vaccines and boosters
    • Warning that variant shows signs of heightened transmissibility
    • Coronavirus: live coverage

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates. He also warned that the newly discovered Omicron variant shows signs of heightened transmissibility.

    As Fauci toured the US political talkshows, countries around the world including the US scrambled to guard against Omicron, which has stoked fears of vaccine resistance.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/dec/01/covid-news-live-who-advises-vulnerable-against-travel-over-omicron-greece-to-fine-those-over-60-who-refuse-vaccine", - "creator": "Rachel Hall (now), Martin Belam andSamantha Lock (earlier)", - "pubDate": "2021-12-01T18:57:58Z", + "link": "https://www.theguardian.com/world/2021/nov/28/us-covid-omicron-variant-fifth-wave-fauci", + "creator": "Victoria Bekiempis in New York", + "pubDate": "2021-11-28T17:42:47Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130116,16 +156553,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a3b997f4b2b7c2cda3e62d517da7a636" + "hash": "02c3261d2666e7e45854af11dd29e634" }, { - "title": "Ghislaine Maxwell accuser says she met Trump at 14 and flew with Prince Andrew", - "description": "

    ‘Jane’, who did not accuse Trump or duke of misconduct, testifies in court she was introduced to former president by Jeffrey Epstein

    • This article contains depictions of sexual abuse

    The first accuser in Ghislaine Maxwell’s child sex trafficking trial testified on Wednesday that Jeffrey Epstein introduced her to Donald Trump when she was 14. This accuser also claimed that she was on a flight with Prince Andrew.

    She did not accuse Trump or the Duke of York of any misconduct. The accuser, who used the pseudonym “Jane” in court, said this as she was was undergoing cross-examination from one of Maxwell’s attorneys.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "content": "

    ‘Jane’, who did not accuse Trump or duke of misconduct, testifies in court she was introduced to former president by Jeffrey Epstein

    • This article contains depictions of sexual abuse

    The first accuser in Ghislaine Maxwell’s child sex trafficking trial testified on Wednesday that Jeffrey Epstein introduced her to Donald Trump when she was 14. This accuser also claimed that she was on a flight with Prince Andrew.

    She did not accuse Trump or the Duke of York of any misconduct. The accuser, who used the pseudonym “Jane” in court, said this as she was was undergoing cross-examination from one of Maxwell’s attorneys.

    Information and support for anyone affected by rape or sexual abuse issues is available from the following organisations. In the US, Rainn offers support on 800-656-4673. In the UK, Rape Crisis offers support on 0808 802 9999. In Australia, support is available at 1800Respect (1800 737 732). Other international helplines can be found at ibiblio.org/rcip/internl.html

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/dec/01/ghislaine-maxwell-accuser-cross-examination", - "creator": "Victoria Bekiempis", - "pubDate": "2021-12-01T17:54:40Z", + "title": "The world is watching: TV hits around the globe", + "description": "

    A Spanish trans woman’s memoirs, a Mumbai gangster drama, Israeli sisters in trouble… the Covid era is a rich moment for TV drama. Critics from Spain to South Korea tell us about the biggest shows in their countries

    Continue reading...", + "content": "

    A Spanish trans woman’s memoirs, a Mumbai gangster drama, Israeli sisters in trouble… the Covid era is a rich moment for TV drama. Critics from Spain to South Korea tell us about the biggest shows in their countries

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/28/the-world-is-watching-tv-hits-around-the-globe", + "creator": "Killian Fox", + "pubDate": "2021-11-28T11:00:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130136,16 +156573,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f6cfe00e454e12febe87ff67341763b7" + "hash": "89e3529aef4d0c666bde562cb1096c8e" }, { - "title": "EU executive: let Belarus border nations detain asylum seekers for 16 weeks", - "description": "

    Rights group criticise EU Commission over proposals for emergency measure to tackle crisis

    Rights groups have criticised the European Commission after it proposed that three countries sharing a border with Belarus should be allowed to hold people in special asylum processing centres for up to 16 weeks, up from the current maximum of four.

    Top officials at the EU executive said the emergency measures would give Poland, Lithuania and Latvia the flexibility to deal with an unprecedented situation caused by what the EU calls a hybrid attack from Alexander Lukashenko’s Belarusian regime.

    Continue reading...", - "content": "

    Rights group criticise EU Commission over proposals for emergency measure to tackle crisis

    Rights groups have criticised the European Commission after it proposed that three countries sharing a border with Belarus should be allowed to hold people in special asylum processing centres for up to 16 weeks, up from the current maximum of four.

    Top officials at the EU executive said the emergency measures would give Poland, Lithuania and Latvia the flexibility to deal with an unprecedented situation caused by what the EU calls a hybrid attack from Alexander Lukashenko’s Belarusian regime.

    Continue reading...", - "category": "European Union", - "link": "https://www.theguardian.com/world/2021/dec/01/belarus-border-nations-should-be-able-to-detain-asylum-seekers-for-16-weeks", - "creator": "Jennifer Rankin in Brussels", - "pubDate": "2021-12-01T18:34:14Z", + "title": "‘He’s missing’: anxious wait in Calais camps for news on Channel victims", + "description": "

    In northern France, friends and relatives of those who died in the tragic crossing on Wednesday are desperate for answers

    On Saturday Gharib Ahmed spent five hours outside the police station in Calais, desperately waiting for news. “It was so cold. There was no answer,” he said. Ahmed was seeking confirmation that his brother-in-law Twana Mamand was one of 27 people who died in the Channel on Wednesday after the flimsy dinghy taking them to the UK sank. “I want to see his body. I have to understand,” Ahmed told the Guardian.

    Relatives of the mostly Iraqi Kurds who perished in the world’s busiest shipping lane spent the weekend in a state of anxiety and confusion. Ahmed said he last heard from his brother-in-law at 3am on Wednesday, around the time Twana set off in darkness from a beach near Dunkirk. After two days of silence, Ahmed travelled with his wife, Kale Mamand – Twana’s sister – from their home in London to northern France, arriving on Friday night.

    Continue reading...", + "content": "

    In northern France, friends and relatives of those who died in the tragic crossing on Wednesday are desperate for answers

    On Saturday Gharib Ahmed spent five hours outside the police station in Calais, desperately waiting for news. “It was so cold. There was no answer,” he said. Ahmed was seeking confirmation that his brother-in-law Twana Mamand was one of 27 people who died in the Channel on Wednesday after the flimsy dinghy taking them to the UK sank. “I want to see his body. I have to understand,” Ahmed told the Guardian.

    Relatives of the mostly Iraqi Kurds who perished in the world’s busiest shipping lane spent the weekend in a state of anxiety and confusion. Ahmed said he last heard from his brother-in-law at 3am on Wednesday, around the time Twana set off in darkness from a beach near Dunkirk. After two days of silence, Ahmed travelled with his wife, Kale Mamand – Twana’s sister – from their home in London to northern France, arriving on Friday night.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/28/anxious-wait-in-calais-camps-for-news-on-channel-victims", + "creator": "Luke Harding in Calais", + "pubDate": "2021-11-28T16:56:14Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130156,16 +156593,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "22ca2dd35805e9f0dcbf2ff7d9350bf3" + "hash": "ceaf412e36212c2cf1906f65d40f8a7b" }, { - "title": "Eruption of Vesuvius on Herculaneum ‘like Hiroshima bomb’", - "description": "

    Archaeologist compares eruption at Roman town close to Pompeii to dropping of WW2 atomic bomb

    An Italian archaeologist has compared the impact of the AD79 eruption of Mount Vesuvius on Herculaneum – the ancient Roman beach town close to Pompeii – to the dropping of an atomic bomb on the Japanese city of Hiroshima during the second world war.

    Such was the heat of the pyroclastic surge produced by Vesuvius – believed to have been between 400C and 500C – that the brains and blood of the Herculaneum’s victims instantly boiled.

    Continue reading...", - "content": "

    Archaeologist compares eruption at Roman town close to Pompeii to dropping of WW2 atomic bomb

    An Italian archaeologist has compared the impact of the AD79 eruption of Mount Vesuvius on Herculaneum – the ancient Roman beach town close to Pompeii – to the dropping of an atomic bomb on the Japanese city of Hiroshima during the second world war.

    Such was the heat of the pyroclastic surge produced by Vesuvius – believed to have been between 400C and 500C – that the brains and blood of the Herculaneum’s victims instantly boiled.

    Continue reading...", - "category": "Archaeology", - "link": "https://www.theguardian.com/science/2021/dec/01/eruption-of-vesuvius-on-herculaneum-like-hiroshima-bomb-pompei", - "creator": "Angela Giuffrida in Herculaneum", - "pubDate": "2021-12-01T16:12:37Z", + "title": "Dancer, singer … spy: France’s Panthéon to honour Josephine Baker", + "description": "

    The performer will be the first Black woman to enter the mausoleum, in recognition of her wartime work

    In November 1940, two passengers boarded a train in Toulouse headed for Madrid, then onward to Lisbon. One was a striking Black woman in expensive furs; the other purportedly her secretary, a blonde Frenchman with moustache and thick glasses.

    Josephine Baker, toast of Paris, the world’s first Black female superstar, one of its most photographed women and Europe’s highest-paid entertainer, was travelling, openly and in her habitual style, as herself – but she was playing a brand new role.

    Continue reading...", + "content": "

    The performer will be the first Black woman to enter the mausoleum, in recognition of her wartime work

    In November 1940, two passengers boarded a train in Toulouse headed for Madrid, then onward to Lisbon. One was a striking Black woman in expensive furs; the other purportedly her secretary, a blonde Frenchman with moustache and thick glasses.

    Josephine Baker, toast of Paris, the world’s first Black female superstar, one of its most photographed women and Europe’s highest-paid entertainer, was travelling, openly and in her habitual style, as herself – but she was playing a brand new role.

    Continue reading...", + "category": "Espionage", + "link": "https://www.theguardian.com/world/2021/nov/28/dancer-singer-spy-frances-pantheon-to-honour-josephine-baker", + "creator": "Jon Henleyin Paris", + "pubDate": "2021-11-28T14:09:32Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130176,16 +156613,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bf12a1715c8d7a436ef4414f5ee89675" + "hash": "41a6fc451b0467e3c93c04b796dbac79" }, { - "title": "Prince Harry compares Covid vaccine inequity to HIV struggle", - "description": "

    Duke of Sussex says on World Aids Day that vaccinating the world against Covid is ‘test of our moral character’

    The Duke of Sussex has warned of “corporate greed and political failure” prolonging the Covid pandemic, comparing a “spectacular failure” of global vaccine equity to the struggle by millions to access HIV medicines.

    In a letter read out at a World Health Organization (WHO) and UNAIDS event on World Aids Day, Prince Harry said lessons must be learned from the HIV/Aids pandemic.

    Continue reading...", - "content": "

    Duke of Sussex says on World Aids Day that vaccinating the world against Covid is ‘test of our moral character’

    The Duke of Sussex has warned of “corporate greed and political failure” prolonging the Covid pandemic, comparing a “spectacular failure” of global vaccine equity to the struggle by millions to access HIV medicines.

    In a letter read out at a World Health Organization (WHO) and UNAIDS event on World Aids Day, Prince Harry said lessons must be learned from the HIV/Aids pandemic.

    Continue reading...", - "category": "Prince Harry", - "link": "https://www.theguardian.com/uk-news/2021/dec/01/prince-harry-compares-covid-vaccine-inequity-to-hiv-struggle", - "creator": "Caroline Davies", - "pubDate": "2021-12-01T17:49:31Z", + "title": "‘Unapologetically truthful and unapologetically Blak’: Australia bows down to Barkaa", + "description": "

    After overcoming personal tragedy, the rapper has clawed her way back – with a politically potent debut EP dedicated to First Nations women

    Baarka didn’t come to mess around. Born Chloe Quayle, the 26-year-old rapper was a former teenage ice addict who did three stints in jail – during her last, five years ago, she gave birth to her third child.

    Now the Malyangapa Barkindji woman has clawed her way back from what she describes as “the pits of hell” and is on the verge of releasing her debut EP, Blak Matriarchy, through Briggs’ Bad Apples Music. She has been celebrated by GQ as “the new matriarch of Australian rap”; and has her face plastered on billboards across New York, Los Angeles and London as part of YouTube’s Black Voices Music Class of 2022. (“I nearly fainted when I saw [pictures of it],” Barkaa says when we meet over Zoom. “The amount of pride that came from my family and my community ... It was a huge honour.”)

    Continue reading...", + "content": "

    After overcoming personal tragedy, the rapper has clawed her way back – with a politically potent debut EP dedicated to First Nations women

    Baarka didn’t come to mess around. Born Chloe Quayle, the 26-year-old rapper was a former teenage ice addict who did three stints in jail – during her last, five years ago, she gave birth to her third child.

    Now the Malyangapa Barkindji woman has clawed her way back from what she describes as “the pits of hell” and is on the verge of releasing her debut EP, Blak Matriarchy, through Briggs’ Bad Apples Music. She has been celebrated by GQ as “the new matriarch of Australian rap”; and has her face plastered on billboards across New York, Los Angeles and London as part of YouTube’s Black Voices Music Class of 2022. (“I nearly fainted when I saw [pictures of it],” Barkaa says when we meet over Zoom. “The amount of pride that came from my family and my community ... It was a huge honour.”)

    Continue reading...", + "category": "Rap", + "link": "https://www.theguardian.com/music/2021/nov/29/unapologetically-truthful-and-unapologetically-blak-australia-bows-down-to-barkaa", + "creator": "Janine Israel", + "pubDate": "2021-11-28T16:30:31Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130196,16 +156633,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "70fa34affb6b12d9423df08e6169cdc8" + "hash": "2ac3cfa172a2bafcaa1146f81d9f6dfe" }, { - "title": "US warns Russia has plans for ‘large scale’ attack on Ukraine", - "description": "

    Secretary of state says Nato is ‘prepared to impose severe costs’ on Moscow if invasion attempted

    The US says it has evidence Russia has made plans for a “large scale” attack on Ukraine and that Nato allies are “prepared to impose severe costs” on Moscow if it attempts an invasion.

    Speaking at a Nato ministers meeting in Latvia, the US secretary of state, Antony Blinken, said it was unclear whether Vladimir Putin had made a decision to invade but added: “He’s putting in place the capacity to do so in short order, should he so decide.

    Continue reading...", - "content": "

    Secretary of state says Nato is ‘prepared to impose severe costs’ on Moscow if invasion attempted

    The US says it has evidence Russia has made plans for a “large scale” attack on Ukraine and that Nato allies are “prepared to impose severe costs” on Moscow if it attempts an invasion.

    Speaking at a Nato ministers meeting in Latvia, the US secretary of state, Antony Blinken, said it was unclear whether Vladimir Putin had made a decision to invade but added: “He’s putting in place the capacity to do so in short order, should he so decide.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/dec/01/us-warns-russia-plans-large-scale-attack-on-ukraine", - "creator": "Julian Borger in Washington and Andrew Roth in Moscow", - "pubDate": "2021-12-01T17:15:59Z", + "title": "Readers reply: which monarchs would have lived longer if modern medicine had been available?", + "description": "

    The long-running series in which readers answer other readers’ questions on subjects ranging from trivial flights of fancy to profound scientific and philosophical concepts

    Which British monarchs would have survived their illness or wounding if today’s medical knowledge had existed then? (Bonus question: which monarchs would we have had but for illnesses that are now easily preventable?) Jane Shaw

    Send new questions to nq@theguardian.com.

    Continue reading...", + "content": "

    The long-running series in which readers answer other readers’ questions on subjects ranging from trivial flights of fancy to profound scientific and philosophical concepts

    Which British monarchs would have survived their illness or wounding if today’s medical knowledge had existed then? (Bonus question: which monarchs would we have had but for illnesses that are now easily preventable?) Jane Shaw

    Send new questions to nq@theguardian.com.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/28/readers-reply-which-monarchs-would-have-lived-longer-if-modern-medicine-had-been-available", + "creator": "", + "pubDate": "2021-11-28T14:00:28Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130216,16 +156653,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c69c25a99fc37bdb80743c119026a030" + "hash": "0594086961347f4f43ce14554308ba1d" }, { - "title": "EU launches €300bn fund to challenge China’s influence", - "description": "

    Global gateway infrastructure strategy aims to counter belt and road initiative impact in Asia, Africa and Europe

    The EU’s plan to invest €300bn (£255bn) in global infrastructure will be better than China’s belt and road initiative, the European Commission president has said, as she announced a strategy to boost technology and public services in developing countries.

    Ursula von der Leyen said the EU’s global gateway strategy was a positive offer for infrastructure development around the world and based on democratic values and transparency.

    Continue reading...", - "content": "

    Global gateway infrastructure strategy aims to counter belt and road initiative impact in Asia, Africa and Europe

    The EU’s plan to invest €300bn (£255bn) in global infrastructure will be better than China’s belt and road initiative, the European Commission president has said, as she announced a strategy to boost technology and public services in developing countries.

    Ursula von der Leyen said the EU’s global gateway strategy was a positive offer for infrastructure development around the world and based on democratic values and transparency.

    Continue reading...", - "category": "Infrastructure", - "link": "https://www.theguardian.com/business/2021/dec/01/eu-infrastructure-fund-challenge-china-global-influence-asia-africa-eastern-europe-gateway", - "creator": "Jennifer Rankin", - "pubDate": "2021-12-01T16:45:39Z", + "title": "Israel seals borders and Morocco bans flights as Omicron Covid fears rise", + "description": "

    Red-listing of 50 African countries and use of phone monitoring technology among measures approved by Israel

    Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks, in the two most drastic of travel restrictions imposed by countries around the world in an attempt to slow the spread of the new Omicron variant of coronavirus.

    Israel’s coronavirus cabinet has authorised a series of measures including banning entry by foreigners, red-listing travel to 50 African countries, and making quarantine mandatory for all Israelis arriving from abroad. The entry ban is expected to come into effect at midnight local time (10pm GMT) on Sunday.

    Continue reading...", + "content": "

    Red-listing of 50 African countries and use of phone monitoring technology among measures approved by Israel

    Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks, in the two most drastic of travel restrictions imposed by countries around the world in an attempt to slow the spread of the new Omicron variant of coronavirus.

    Israel’s coronavirus cabinet has authorised a series of measures including banning entry by foreigners, red-listing travel to 50 African countries, and making quarantine mandatory for all Israelis arriving from abroad. The entry ban is expected to come into effect at midnight local time (10pm GMT) on Sunday.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/28/coronavirus-new-restrictions-omicron-israel", + "creator": "Jennifer Rankin and agencies", + "pubDate": "2021-11-28T19:13:46Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130236,16 +156673,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "41d7074c06d8cffda69e167859dca03e" + "hash": "17166a9d86b9e106a86087f39663d3c6" }, { - "title": "Michigan school shooting: fourth student dies following teen’s deadly attack", - "description": "

    Authorities name latest victim just hours after identifying the other three teenagers killed in shooting outside Detroit

    Authorities in Michigan on Wednesday said a 17-year-old boy had become the fourth student to die as a result of a high school shooting in the state the day before.

    The latest victim was named as Justin Shilling, just hours after the authorities named the other three teenagers killed in Tuesday’s shooting in Oxford, on the outskirts of Detroit.

    Continue reading...", - "content": "

    Authorities name latest victim just hours after identifying the other three teenagers killed in shooting outside Detroit

    Authorities in Michigan on Wednesday said a 17-year-old boy had become the fourth student to die as a result of a high school shooting in the state the day before.

    The latest victim was named as Justin Shilling, just hours after the authorities named the other three teenagers killed in Tuesday’s shooting in Oxford, on the outskirts of Detroit.

    Continue reading...", - "category": "US school shootings", - "link": "https://www.theguardian.com/us-news/2021/dec/01/michigan-high-school-shooting-victims-identified", - "creator": "Richard Luscombe and agencies", - "pubDate": "2021-12-01T18:02:50Z", + "title": "Michael Cohen: prosecutors could ‘indict Trump tomorrow’ if they wanted", + "description": "

    New York investigation of Trump Organization is one of a number of sources of legal jeopardy for the former president

    Prosecutors in New York could “indict Donald Trump tomorrow if they really wanted and be successful”, the ex-president’s former lawyer and fixer Michael Cohen said on Sunday, discussing investigations of Trump’s business affairs.

    Asked if he was “confident you did help Donald Trump commit crimes”, Cohen told NBC’s Meet the Press: “I can assure you that Donald Trump is guilty of his own crimes. Was I involved in much of the inflation and deflation of his assets? The answer to that is yes.”

    Continue reading...", + "content": "

    New York investigation of Trump Organization is one of a number of sources of legal jeopardy for the former president

    Prosecutors in New York could “indict Donald Trump tomorrow if they really wanted and be successful”, the ex-president’s former lawyer and fixer Michael Cohen said on Sunday, discussing investigations of Trump’s business affairs.

    Asked if he was “confident you did help Donald Trump commit crimes”, Cohen told NBC’s Meet the Press: “I can assure you that Donald Trump is guilty of his own crimes. Was I involved in much of the inflation and deflation of his assets? The answer to that is yes.”

    Continue reading...", + "category": "Michael Cohen", + "link": "https://www.theguardian.com/us-news/2021/nov/28/michael-cohen-trump-organization-investigations", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-11-28T17:01:13Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130256,16 +156693,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "48cc1b6a4f3a048b448206f6a5fc3bdc" + "hash": "22b839ae04c0b29c7df6b94347e65837" }, { - "title": "Donald Trump accuses Meghan of disrespect towards royal family", - "description": "

    Former president says Prince Harry ‘has been used horribly’ in interview with Nigel Farage

    The former US president Donald Trump has accused the Duchess of Sussex of being “disrespectful” to the Queen and the royal family.

    In a wide-ranging interview with the politician turned broadcaster Nigel Farage, Trump said he thought the Duke of Sussex had been “used horribly”.

    Continue reading...", - "content": "

    Former president says Prince Harry ‘has been used horribly’ in interview with Nigel Farage

    The former US president Donald Trump has accused the Duchess of Sussex of being “disrespectful” to the Queen and the royal family.

    In a wide-ranging interview with the politician turned broadcaster Nigel Farage, Trump said he thought the Duke of Sussex had been “used horribly”.

    Continue reading...", - "category": "Donald Trump", - "link": "https://www.theguardian.com/us-news/2021/dec/01/donald-trump-accuses-meghan-of-disrespect-towards-royal-family-prince-harry-nigel-farage", - "creator": "Jamie Grierson", - "pubDate": "2021-12-01T11:53:57Z", + "title": "Honduras presidential election: a referendum on the nation’s corruption and drugs", + "description": "

    The next congress will have the opportunity to elect a new supreme court, attorney general and state auditors

    Hondurans head to the polls on Sunday in the first general election since US federal prosecutors laid out detailed evidence of intimate ties between drug smugglers and the Honduran state.

    The country’s past three presidents, as well as local mayors, legislators, police and military commanders have been linked to drug trafficking in what US prosecutors have described as a narco-state.

    Continue reading...", + "content": "

    The next congress will have the opportunity to elect a new supreme court, attorney general and state auditors

    Hondurans head to the polls on Sunday in the first general election since US federal prosecutors laid out detailed evidence of intimate ties between drug smugglers and the Honduran state.

    The country’s past three presidents, as well as local mayors, legislators, police and military commanders have been linked to drug trafficking in what US prosecutors have described as a narco-state.

    Continue reading...", + "category": "Honduras", + "link": "https://www.theguardian.com/world/2021/nov/28/honduras-presidential-election-juan-orlando-hernandez", + "creator": "Jeff Ernst in Tegucigalpa", + "pubDate": "2021-11-28T10:00:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130276,16 +156713,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "60a4833bfd90fdca46252b43f584fde7" + "hash": "3753660330797415af3c4467898be4b7" }, { - "title": "Israeli doctor believes he caught Omicron variant of Covid in London", - "description": "

    Exclusive: Cardiologist Elad Maor suspects he caught virus at conference attended by more than 1,200 people

    A doctor who was one of the first people in the world to become infected with the Omicron variant says he believes he caught the virus when he was in London for a major medical conference attended by more than 1,200 health professionals.

    The disclosure from Elad Maor will raise fears that the variant may have been in the UK much earlier than previously realised – and that other medics could have been exposed to it too.

    Continue reading...", - "content": "

    Exclusive: Cardiologist Elad Maor suspects he caught virus at conference attended by more than 1,200 people

    A doctor who was one of the first people in the world to become infected with the Omicron variant says he believes he caught the virus when he was in London for a major medical conference attended by more than 1,200 health professionals.

    The disclosure from Elad Maor will raise fears that the variant may have been in the UK much earlier than previously realised – and that other medics could have been exposed to it too.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/01/israeli-doctor-believes-he-caught-omicron-variant-of-covid-in-london", - "creator": "Andrew Gregory Health editor", - "pubDate": "2021-12-01T16:05:51Z", + "title": "New Zealand’s secondary art market is booming – now artists want a share", + "description": "

    Without a resale royalty scheme, struggling artists are missing out on much needed money for their work

    This month New Zealand artist Ayesha Green watched in surprise as one of her artworks fetched $48,000 at auction – $29,000 more than she sold it for just a year earlier. The hammer price was sizeable for an artist who describes herself as somewhere between emerging and mid-career, and if the country had a resale royalty scheme for artists in place, Green would have taken home a healthy paycheque to put towards her practice.

    But, like all local artists whose work sells at auction, Green gets nothing.

    Continue reading...", + "content": "

    Without a resale royalty scheme, struggling artists are missing out on much needed money for their work

    This month New Zealand artist Ayesha Green watched in surprise as one of her artworks fetched $48,000 at auction – $29,000 more than she sold it for just a year earlier. The hammer price was sizeable for an artist who describes herself as somewhere between emerging and mid-career, and if the country had a resale royalty scheme for artists in place, Green would have taken home a healthy paycheque to put towards her practice.

    But, like all local artists whose work sells at auction, Green gets nothing.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/29/new-zealands-secondary-art-market-is-booming-now-artists-want-a-share", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-11-28T19:00:34Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130296,16 +156733,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f730ab9e952d158f69444cd223d8c625" + "hash": "5136c047f075ac028921f47fde2f0201" }, { - "title": "Covid-19 variants may not evolve to be less dangerous, says Neil Ferguson", - "description": "

    Senior UK scientist says extent of threat posed by Omicron will not be clear until end of year

    People should not assume that Covid will evolve to become a milder disease, a senior scientist has warned, adding that the threat posed by the Omicron coronavirus variant will not be clear until the end of December.

    Prof Neil Ferguson, head of the disease outbreak analysis and modelling group at Imperial College London, told MPs on Wednesday that while evolution would drive Covid to spread more easily the virus might not become less dangerous.

    Continue reading...", - "content": "

    Senior UK scientist says extent of threat posed by Omicron will not be clear until end of year

    People should not assume that Covid will evolve to become a milder disease, a senior scientist has warned, adding that the threat posed by the Omicron coronavirus variant will not be clear until the end of December.

    Prof Neil Ferguson, head of the disease outbreak analysis and modelling group at Imperial College London, told MPs on Wednesday that while evolution would drive Covid to spread more easily the virus might not become less dangerous.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/01/covid-19-variants-omicron-may-not-evolve-less-danger-time-nervtag-uk", - "creator": "Ian Sample and Heather Stewart", - "pubDate": "2021-12-01T16:13:26Z", + "title": "Australia politics live update: national cabinet to discuss Omicron response as Covid variant detected in NSW; ABC announces new RN Breakfast host", + "description": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", + "content": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/29/australia-news-live-updates-omicron-variant-detected-nsw-states-tighten-border-restrictions-covid-scott-morrison-vaccine-daniel-andrews-victoria-sydney", + "creator": "Amy Remeikis", + "pubDate": "2021-11-28T21:25:11Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130316,16 +156753,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "6b3c9eb7103dda947b6b4b23b2dc5e4c" + "hash": "6df9d8565d6a1b43a40497d1dee32de3" }, { - "title": "First US case of Omicron Covid variant identified in California", - "description": "
    • Scientists studying effects of new coronavirus variant
    • CDC moves towards stricter testing rules for travelers

    The first confirmed case of the Omicron variant of Covid-19 in the United States has been identified in California.

    The identification by the Centers for Disease Control and Prevention (CDC) comes as scientists continue to study the risks posed by the new variant of the virus.

    Continue reading...", - "content": "
    • Scientists studying effects of new coronavirus variant
    • CDC moves towards stricter testing rules for travelers

    The first confirmed case of the Omicron variant of Covid-19 in the United States has been identified in California.

    The identification by the Centers for Disease Control and Prevention (CDC) comes as scientists continue to study the risks posed by the new variant of the virus.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/01/omicron-variant-california-cdc-coronavirus-covid", - "creator": "Joanna Walters and agencies", - "pubDate": "2021-12-01T19:10:24Z", + "title": "Tanzania to lift ban on teenage mothers returning to school", + "description": "

    Girls to have two years in which to return to school after giving birth, but will still be excluded whilst pregnant

    The Tanzanian government has announced it will lift a controversial ban on teenage mothers continuing their education.

    Girls will have two years in which to return to school after giving birth, the ministry of education said. However, the move is not legally binding and girls will continue to be banned from class while pregnant.

    Continue reading...", + "content": "

    Girls to have two years in which to return to school after giving birth, but will still be excluded whilst pregnant

    The Tanzanian government has announced it will lift a controversial ban on teenage mothers continuing their education.

    Girls will have two years in which to return to school after giving birth, the ministry of education said. However, the move is not legally binding and girls will continue to be banned from class while pregnant.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/26/tanzania-to-lift-ban-on-teenage-mothers-returning-to-school", + "creator": "Alice McCool in Kampala", + "pubDate": "2021-11-26T10:10:26Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130336,16 +156773,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "abc3680b7dd0a3698a2175a69dfd5df0" + "hash": "337aeb2ec25311d4f6b231616d7da6aa" }, { - "title": "Omicron variant found around world as more nations tighten travel rules", - "description": "

    US among more than 50 nations bringing in stricter border controls as variant is identified in 24 countries

    The Omicron variant of Covid-19 has been identified in new countries around the globe, including the US, west Africa, the Gulf and Asia, as American authorities indicated they would further tighten border controls over concerns that the new strain may be more transmissible.

    Underscoring the fast spread of the variant, the National Institute for Communicable Diseases in South Africa – where Omicron was first detected – said it had now been found in five out of nine provinces, and accounted for 74% of the virus genomes sequenced in November.

    Continue reading...", - "content": "

    US among more than 50 nations bringing in stricter border controls as variant is identified in 24 countries

    The Omicron variant of Covid-19 has been identified in new countries around the globe, including the US, west Africa, the Gulf and Asia, as American authorities indicated they would further tighten border controls over concerns that the new strain may be more transmissible.

    Underscoring the fast spread of the variant, the National Institute for Communicable Diseases in South Africa – where Omicron was first detected – said it had now been found in five out of nine provinces, and accounted for 74% of the virus genomes sequenced in November.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/dec/01/omicron-covid-variant-discovered-in-west-africa-and-the-gulf", - "creator": "Peter Beaumont", - "pubDate": "2021-12-01T19:02:33Z", + "title": "Battery power: five innovations for cleaner, greener electric vehicles", + "description": "

    EVs are seen as key in transition to low-carbon economy, but as their human and environmental costs become clearer, can new tech help?

    While the journey to a low-carbon economy is well under way, the best route to get there remains up for debate. But, amid the slew of “pathways” and “roadmaps”, one broad consensus exists: “clean” technology will play a vital role.

    Nowhere is this truer than for transport. To cut vehicle emissions, an alternative to the combustion engine is required.

    Continue reading...", + "content": "

    EVs are seen as key in transition to low-carbon economy, but as their human and environmental costs become clearer, can new tech help?

    While the journey to a low-carbon economy is well under way, the best route to get there remains up for debate. But, amid the slew of “pathways” and “roadmaps”, one broad consensus exists: “clean” technology will play a vital role.

    Nowhere is this truer than for transport. To cut vehicle emissions, an alternative to the combustion engine is required.

    Continue reading...", + "category": "Recycling", + "link": "https://www.theguardian.com/global-development/2021/nov/26/battery-power-five-innovations-for-cleaner-greener-electric-vehicles", + "creator": "Oliver Balch", + "pubDate": "2021-11-26T09:00:24Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130356,16 +156793,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c8de69f4fa3ecbaee6b46b2e8c43495d" + "hash": "98a27a42666d5d3e658c10b4ccf572a3" }, { - "title": "‘I was part of the Beatles’ act’: Mike McCartney’s best photograph", - "description": "

    ‘I call our kid “Rambo Paul” in this one, because he reminds me of Stallone. I have no idea why George is pointing at his nipple’

    I didn’t intend to pick up a camera. I’d been practising on drums that had fallen off the back of a lorry into our house on Forthlin Road, Liverpool. But when I was 13, I broke my arm at scout camp, so Pete Best got the job in our kid’s group. That’s when I started taking photos on the family box camera. It was fortuitous, though, because if I had become the Beatles’ drummer, we’d probably have gone the Oasis route.

    I would go everywhere with the Beatles. I was part of the act. It’s like if Rembrandt’s kid brother was in the corner with a pad and paper, sketching his older brother. I was lucky – you couldn’t have had a better group to practise on, could you?

    Continue reading...", - "content": "

    ‘I call our kid “Rambo Paul” in this one, because he reminds me of Stallone. I have no idea why George is pointing at his nipple’

    I didn’t intend to pick up a camera. I’d been practising on drums that had fallen off the back of a lorry into our house on Forthlin Road, Liverpool. But when I was 13, I broke my arm at scout camp, so Pete Best got the job in our kid’s group. That’s when I started taking photos on the family box camera. It was fortuitous, though, because if I had become the Beatles’ drummer, we’d probably have gone the Oasis route.

    I would go everywhere with the Beatles. I was part of the act. It’s like if Rembrandt’s kid brother was in the corner with a pad and paper, sketching his older brother. I was lucky – you couldn’t have had a better group to practise on, could you?

    Continue reading...", - "category": "Art and design", - "link": "https://www.theguardian.com/artanddesign/2021/dec/01/the-beatles-mike-paul-mccartney-best-photograph", - "creator": "Interview by Henry Yates", - "pubDate": "2021-12-01T15:00:04Z", + "title": "What does appearance of Omicron mean for the double-jabbed?", + "description": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", + "content": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/28/what-does-appearance-of-omicron-mean-for-the-double-jabbed", + "creator": "Linda Geddes", + "pubDate": "2021-11-28T20:15:44Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130376,16 +156813,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "34c608ae0a88aece360bb39117649095" + "hash": "27a054c057437884b0c0cc3cf8c52f2c" }, { - "title": "‘Long reigns often leave long shadows’: Europeans on Angela Merkel", - "description": "

    People across Europe share their views on German chancellor and role she has played in the EU

    After 16 years in office, Angela Merkel is stepping down on Thursday as chancellor of Germany. The former UK prime minister Tony Blair said she had “often defined modern Germany” and Romano Prodi, Italian prime minister between 2006 and 2008, said a new European strategy and the next-generation EU would be part of the “great legacy” she leaves.

    People across Europe share their views on her leadership in Germany and the role she has played in the European Union.

    Continue reading...", - "content": "

    People across Europe share their views on German chancellor and role she has played in the EU

    After 16 years in office, Angela Merkel is stepping down on Thursday as chancellor of Germany. The former UK prime minister Tony Blair said she had “often defined modern Germany” and Romano Prodi, Italian prime minister between 2006 and 2008, said a new European strategy and the next-generation EU would be part of the “great legacy” she leaves.

    People across Europe share their views on her leadership in Germany and the role she has played in the European Union.

    Continue reading...", - "category": "Angela Merkel", - "link": "https://www.theguardian.com/world/2021/dec/01/long-reigns-often-leave-long-shadows-europeans-on-angela-merkel", - "creator": "Guardian readers and Rachel Obordo", - "pubDate": "2021-12-01T13:40:42Z", + "title": "French coastguard's mayday call after boat capsized – audio", + "description": "

    The French coastguard mayday call emerged on Thursday after 27 people drowned trying to cross the Channel. All ships were alerted in the area about \"approximately\" 15 people being overboard and to report information to Gris-Nez emergency officials.

    An emergency search began at about 2pm on Wednesday when a fishing boat sounded the alarm after spotting several people at sea off the coast of France. The cause of the accident has not been formally established but the boat used was inflatable and when found by rescuers was mostly deflated

    Continue reading...", + "content": "

    The French coastguard mayday call emerged on Thursday after 27 people drowned trying to cross the Channel. All ships were alerted in the area about \"approximately\" 15 people being overboard and to report information to Gris-Nez emergency officials.

    An emergency search began at about 2pm on Wednesday when a fishing boat sounded the alarm after spotting several people at sea off the coast of France. The cause of the accident has not been formally established but the boat used was inflatable and when found by rescuers was mostly deflated

    Continue reading...", + "category": "Migration", + "link": "https://www.theguardian.com/world/video/2021/nov/25/french-coastguards-mayday-call-after-boat-capsized-audio", + "creator": "", + "pubDate": "2021-11-25T20:55:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130396,16 +156833,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b3321264e8356e0f67dfc0b1d6ec2871" + "hash": "0a971f0f6bff875ed9c0ac638a125e9c" }, { - "title": "The urinary leash: how the death of public toilets traps and trammels us all", - "description": "

    Britain has lost an estimated 50% of its public toilets in the past 10 years. This is a problem for everyone, and for some it is so acute that they are either dehydrating before going out or not leaving home at all

    For about an hour and a half before she finishes work and gets the bus home, Jacqui won’t eat or drink anything. Once, while waiting at the bus stop, and suddenly needing the loo, she had to head to the other end of town; the public toilets nearby had closed. She didn’t make it in time. Jacqui, who has multiple sclerosis, which can affect bladder and bowel function, says: “I go everywhere with a spare pair of knickers and a packet of wipes, but it’s not something you want to do if you can help it.”

    Jacqui was diagnosed with MS five years ago, and in that time she has noticed a decline in the number of public toilets. Of the ones that are left, one only takes 20p coins, “and in this increasingly cashless society, you have to make sure you always go out with a 20p”. The other block of loos are “up two flights of stairs or the lift, so it’s not the most suitable access”. If she is out for the day, she will research where the loos are, and it has meant missing out on trips with friends, such as to an outdoor festival, where the loos just weren’t accessible enough. The MS Society has given her a card, which she shows in cafes requesting access to their loos when she’s not a customer, and every person she has flashed it to “has been wonderful”. But, she adds: “You use it as a last resort because you don’t really want to burst into a cafe in front of people and say: ‘Excuse me, I need to wee.’”

    Continue reading...", - "content": "

    Britain has lost an estimated 50% of its public toilets in the past 10 years. This is a problem for everyone, and for some it is so acute that they are either dehydrating before going out or not leaving home at all

    For about an hour and a half before she finishes work and gets the bus home, Jacqui won’t eat or drink anything. Once, while waiting at the bus stop, and suddenly needing the loo, she had to head to the other end of town; the public toilets nearby had closed. She didn’t make it in time. Jacqui, who has multiple sclerosis, which can affect bladder and bowel function, says: “I go everywhere with a spare pair of knickers and a packet of wipes, but it’s not something you want to do if you can help it.”

    Jacqui was diagnosed with MS five years ago, and in that time she has noticed a decline in the number of public toilets. Of the ones that are left, one only takes 20p coins, “and in this increasingly cashless society, you have to make sure you always go out with a 20p”. The other block of loos are “up two flights of stairs or the lift, so it’s not the most suitable access”. If she is out for the day, she will research where the loos are, and it has meant missing out on trips with friends, such as to an outdoor festival, where the loos just weren’t accessible enough. The MS Society has given her a card, which she shows in cafes requesting access to their loos when she’s not a customer, and every person she has flashed it to “has been wonderful”. But, she adds: “You use it as a last resort because you don’t really want to burst into a cafe in front of people and say: ‘Excuse me, I need to wee.’”

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/01/the-urinary-leash-how-the-death-of-public-toilets-traps-and-trammels-us-all", - "creator": "Emine Saner", - "pubDate": "2021-12-01T12:00:01Z", + "title": "Priti Patel says UK will cooperate with France to stop refugees crossing the Channel – video", + "description": "

    The home secretary said it was up to France to stop refugees crossing the Channel in small boats, after 27 people, mostly Kurds from Iraq or Iran, drowned trying to reach the UK in an inflatable boat.

    Making a statement to MPs, Patel said that while there was no rapid solution to the issue of people seeking to make the crossing, she had reiterated a UK offer to send more police to France.

    Patel told the Commons she had just spoken to her French counterpart, Gérald Darmanin, after the disaster in which 17 men, seven women and three adolescents – two boys and a girl – drowned

    Continue reading...", + "content": "

    The home secretary said it was up to France to stop refugees crossing the Channel in small boats, after 27 people, mostly Kurds from Iraq or Iran, drowned trying to reach the UK in an inflatable boat.

    Making a statement to MPs, Patel said that while there was no rapid solution to the issue of people seeking to make the crossing, she had reiterated a UK offer to send more police to France.

    Patel told the Commons she had just spoken to her French counterpart, Gérald Darmanin, after the disaster in which 17 men, seven women and three adolescents – two boys and a girl – drowned

    Continue reading...", + "category": "Migration", + "link": "https://www.theguardian.com/world/video/2021/nov/25/priti-patel-says-uk-will-cooperate-with-france-refugees-channel-video", + "creator": "", + "pubDate": "2021-11-25T16:33:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130416,16 +156853,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3fe7fb0d312816f072cfbf0e6e101cc3" + "hash": "bcabf77fd211716ffc4130a56fe70d42" }, { - "title": "The Hand of God review – Paolo Sorrentino tells his own Maradona story", - "description": "

    The Italian film-maker may owe his life to the footballer, as this vivid, autobiographical Neapolitan drama reveals

    Paolo Sorrentino’s extravagantly personal movie gives us all a sentimental education in this director’s boyhood and coming of age – or at any rate, what he now creatively remembers of it – in Naples in the 1980s, where everyone had gone collectively crazy for SSC Napoli’s new signing, footballing legend Diego Maradona. We watch as a family party explodes with joy around the TV when Maradona scores his handball goal in the 1986 World Cup. A leftwing uncle growls with pleasure at the imperialist English getting scammed.

    This is a tribute to Sorrentino’s late parents, who in 1987 died together of carbon monoxide poisoning at their holiday chalet outside the city, where 16-year-old Paolo might himself also have been staying had it not been that he wanted to see Napoli playing at home. So maybe Maradona saved his life, but it was a bittersweet rescue. The hand of God, after all, struck down his mum and dad and spared him. Newcomer Filippo Scotti plays 16-year-old Fabietto (that is, Sorrentino himself) at the centre of a garrulous swirl of family members. Toni Servillo plays his dad, Saverio, and Teresa Saponangelo gives a lovely performance as his mother, Maria, with a skittish love of making practical jokes.

    Continue reading...", - "content": "

    The Italian film-maker may owe his life to the footballer, as this vivid, autobiographical Neapolitan drama reveals

    Paolo Sorrentino’s extravagantly personal movie gives us all a sentimental education in this director’s boyhood and coming of age – or at any rate, what he now creatively remembers of it – in Naples in the 1980s, where everyone had gone collectively crazy for SSC Napoli’s new signing, footballing legend Diego Maradona. We watch as a family party explodes with joy around the TV when Maradona scores his handball goal in the 1986 World Cup. A leftwing uncle growls with pleasure at the imperialist English getting scammed.

    This is a tribute to Sorrentino’s late parents, who in 1987 died together of carbon monoxide poisoning at their holiday chalet outside the city, where 16-year-old Paolo might himself also have been staying had it not been that he wanted to see Napoli playing at home. So maybe Maradona saved his life, but it was a bittersweet rescue. The hand of God, after all, struck down his mum and dad and spared him. Newcomer Filippo Scotti plays 16-year-old Fabietto (that is, Sorrentino himself) at the centre of a garrulous swirl of family members. Toni Servillo plays his dad, Saverio, and Teresa Saponangelo gives a lovely performance as his mother, Maria, with a skittish love of making practical jokes.

    Continue reading...", - "category": "Drama films", - "link": "https://www.theguardian.com/film/2021/dec/01/the-hand-of-god-review-sorrentino-maradona-italian-film-maker-neapolitan-drama", - "creator": "Peter Bradshaw", - "pubDate": "2021-12-01T16:00:06Z", + "title": "Australia Covid live update: Omicron detected in NSW, states tighten border restrictions; ABC announces new RN Breakfast host", + "description": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", + "content": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/29/australia-news-live-updates-omicron-variant-detected-nsw-states-tighten-border-restrictions-covid-scott-morrison-vaccine-daniel-andrews-victoria-sydney", + "creator": "Amy Remeikis", + "pubDate": "2021-11-28T21:12:25Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130436,16 +156873,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1951fca90126aeb205220f881fcc8c7d" + "hash": "ca1eddcd509d51c44ec8933bdd229247" }, { - "title": "How the Cuomo brothers’ on-air comedy routines compromised CNN", - "description": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", - "content": "

    The news network implicitly endorsed the former New York governor amid accusations of sexual harassment and corruption

    For months, CNN’s primetime anchor, Chris Cuomo, refused to cover the multiple scandals surrounding his brother, the former New York governor Andrew Cuomo.

    Chris Cuomo said it would be a conflict of interest for him to report on the sexual harassment, corruption and misuse of public funds his brother had been accused of. But many wondered how CNN could justify what amounted to a blackout of one of the nation’s top news stories during the news network’s most-watched time slot.

    Continue reading...", - "category": "Andrew Cuomo", - "link": "https://www.theguardian.com/us-news/2021/dec/01/chris-cuomo-cnn-routine-brother-undermined-network", - "creator": "Danielle Tcholakian", - "pubDate": "2021-12-01T18:01:31Z", + "title": "Omicron’s full impact will be felt in countries where fewer are vaccinated", + "description": "

    Analysis: the new coronavirus variant seems highly transmissible, but the big question is whether it causes severe disease. Either way, poorer nations will be hit hardest

    In early August Gideon Schreiber and a team of virologists at the Weizmann Institute of Science in Israel began playing around with the spike protein of the Sars-CoV-2 virus – the protein that allows the virus to enter our cells – to see if they could predict future mutations that could yield dangerous new variants of Covid-19.

    At the time, Schreiber noted with concern that there were a variety of ways in which the spike protein could evolve. If all of these mutations occurred at once, it could yield a variant that was both extremely transmissible and potentially capable of evading some of the body’s immune defences, blunting the efficacy of the vaccines.

    Continue reading...", + "content": "

    Analysis: the new coronavirus variant seems highly transmissible, but the big question is whether it causes severe disease. Either way, poorer nations will be hit hardest

    In early August Gideon Schreiber and a team of virologists at the Weizmann Institute of Science in Israel began playing around with the spike protein of the Sars-CoV-2 virus – the protein that allows the virus to enter our cells – to see if they could predict future mutations that could yield dangerous new variants of Covid-19.

    At the time, Schreiber noted with concern that there were a variety of ways in which the spike protein could evolve. If all of these mutations occurred at once, it could yield a variant that was both extremely transmissible and potentially capable of evading some of the body’s immune defences, blunting the efficacy of the vaccines.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/27/omicrons-full-impact-will-be-felt-in-countries-where-fewer-are-vaccinated", + "creator": "David Cox", + "pubDate": "2021-11-27T15:04:41Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130456,16 +156893,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ec53630d7a82f9da6742dc88011a571d" + "hash": "db31e6d5a5fcc028fc10db1df4c28f45" }, { - "title": "Edie Falco: ‘Alcohol was the answer to all my problems - and the cause of them’", - "description": "

    One of TV’s most admired actors, she is now playing Hillary Clinton on screen. She discusses overcoming addiction, her adoration for Sopranos co-star James Gandolfini and the pure joy of adopting two children

    Edie Falco has never been the type of actor to demand entourages and encores. Fanfares and fuss are just not her bag, and she has little time for pretentious thespiness. When other actors talk about their “Process,” as she puts it – with a capital P – she thinks, “What are you talking about?!” With her open, thoughtful face and wide smile, she looks as if she could be your friend from the local coffee shop, as opposed to one of the most accoladed American actors of this century, having accumulated two Golden Globes, four Emmys and five Screen Actors Guild awards, plus a jaw-dropping 47 nominations. This impression of straightforwardness and – oh dreaded word – relatability has made her subtle performances of self-deceiving characters even more powerful. As the mob wife, Carmela, in The Sopranos, she could tell Tony (James Gandolfini) what she thought of him staying out all night with his “goomahs”, or mistresses, but she couldn’t admit to herself that he does much worse to fund the life she loves. Similarly, as Nurse Jackie, in the eponymous TV series, her scrubbed clean face and sensible short hair belied her character’s drug addiction.

    So it feels extremely right that, when we connect by video chat, Falco, 58, is sitting – not in a fancy hotel room, or a Hollywood mansion, but in the endearingly messy basement of her New York house, where she lives with her son, 16, and daughter, 13. Power tools hang off the wall behind her, and she is leaning on a table strewn with what she describes as “God knows, some stuff”.

    Continue reading...", - "content": "

    One of TV’s most admired actors, she is now playing Hillary Clinton on screen. She discusses overcoming addiction, her adoration for Sopranos co-star James Gandolfini and the pure joy of adopting two children

    Edie Falco has never been the type of actor to demand entourages and encores. Fanfares and fuss are just not her bag, and she has little time for pretentious thespiness. When other actors talk about their “Process,” as she puts it – with a capital P – she thinks, “What are you talking about?!” With her open, thoughtful face and wide smile, she looks as if she could be your friend from the local coffee shop, as opposed to one of the most accoladed American actors of this century, having accumulated two Golden Globes, four Emmys and five Screen Actors Guild awards, plus a jaw-dropping 47 nominations. This impression of straightforwardness and – oh dreaded word – relatability has made her subtle performances of self-deceiving characters even more powerful. As the mob wife, Carmela, in The Sopranos, she could tell Tony (James Gandolfini) what she thought of him staying out all night with his “goomahs”, or mistresses, but she couldn’t admit to herself that he does much worse to fund the life she loves. Similarly, as Nurse Jackie, in the eponymous TV series, her scrubbed clean face and sensible short hair belied her character’s drug addiction.

    So it feels extremely right that, when we connect by video chat, Falco, 58, is sitting – not in a fancy hotel room, or a Hollywood mansion, but in the endearingly messy basement of her New York house, where she lives with her son, 16, and daughter, 13. Power tools hang off the wall behind her, and she is leaning on a table strewn with what she describes as “God knows, some stuff”.

    Continue reading...", - "category": "Edie Falco", - "link": "https://www.theguardian.com/tv-and-radio/2021/dec/01/edie-falco-interview-tv-actor-alcohol-hillary-clinton-sopranos", - "creator": "Hadley Freeman", - "pubDate": "2021-12-01T06:00:53Z", + "title": "Covid live news: Austria reports first case of Omicron as new variant continues to spread", + "description": "

    Austria becomes latest country to detect Omicron; Sajid Javid says UK should still plan for Christmas ‘as normal’; Anthony Fauci says new variant is probably already in the US

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", + "content": "

    Austria becomes latest country to detect Omicron; Sajid Javid says UK should still plan for Christmas ‘as normal’; Anthony Fauci says new variant is probably already in the US

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/world/live/2021/nov/28/covid-live-news-uk-germany-and-italy-detect-omicron-cases-israel-bans-all-visitors", + "creator": "Charlie Moloney (now), Martin Farrer(earlier)", + "pubDate": "2021-11-28T09:56:35Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130476,16 +156913,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c0de7e5838872b14c712a26121f16b04" + "hash": "05e5973d7a03a17a97365fee4d5de59f" }, { - "title": "Britain’s worst Christmas trees: is anything secretly more festive and fun than a disappointing fir?", - "description": "

    There have been no end of complaints about some of the trees being put up –from a metal one in Cardiff to a puny one in Grimsby

    Name: Disappointing Christmas trees.

    Height: As much as 25m.

    Continue reading...", - "content": "

    There have been no end of complaints about some of the trees being put up –from a metal one in Cardiff to a puny one in Grimsby

    Name: Disappointing Christmas trees.

    Height: As much as 25m.

    Continue reading...", - "category": "Christmas", - "link": "https://www.theguardian.com/lifeandstyle/2021/dec/01/britains-worst-christmas-trees-is-anything-secretly-more-festive-and-fun-than-a-disappointing-fir", - "creator": "", - "pubDate": "2021-12-01T18:56:00Z", + "title": "Ghislaine Maxwell sex-trafficking trial finally to begin in earnest", + "description": "

    British socialite faces six counts alleging that she helped recruit and groom teenage girls for Jeffrey Epstein to sexually abuse

    Ghislaine Maxwell’s sex-trafficking trial is scheduled to start in earnest in federal court in Manhattan on Monday with opening statements about the eagerly awaited case.

    The first arguments will set the stage for a six-week trial in which the British socialite’s alleged involvement in Jeffrey Epstein’s crimes will be aired in grueling detail, outlining how prosecutors and defense attorneys will approach the proceedings.

    Continue reading...", + "content": "

    British socialite faces six counts alleging that she helped recruit and groom teenage girls for Jeffrey Epstein to sexually abuse

    Ghislaine Maxwell’s sex-trafficking trial is scheduled to start in earnest in federal court in Manhattan on Monday with opening statements about the eagerly awaited case.

    The first arguments will set the stage for a six-week trial in which the British socialite’s alleged involvement in Jeffrey Epstein’s crimes will be aired in grueling detail, outlining how prosecutors and defense attorneys will approach the proceedings.

    Continue reading...", + "category": "Ghislaine Maxwell", + "link": "https://www.theguardian.com/us-news/2021/nov/28/ghislaine-maxwell-sex-trafficking-trial-jeffrey-epstein", + "creator": "Victoria Bekiempis", + "pubDate": "2021-11-28T06:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130496,16 +156933,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "69ef8a20018215d539c0a1a4613dca1a" + "hash": "64cfa35832e7f5bd00baa7b5da98b071" }, { - "title": "The push to end a genetic lottery for thousands of Australian families", - "description": "

    A bill before federal parliament would legalise IVF technology to prevent a rare genetic disorder – mitochondrial disease. In Australia, about one child a week is born with a severe form of mitochondrial disease, and many of those children will die before they turn five. While this bill has cross-party support, some MPs are opposed to it and it has also stoked controversy with religious groups.

    Laura Murphy-Oates speaks to reporter Rafqa Touma about her family’s experience with mitochondrial disease and the push to legalise mitochondrial donation

    You can also read:

    Continue reading...", - "content": "

    A bill before federal parliament would legalise IVF technology to prevent a rare genetic disorder – mitochondrial disease. In Australia, about one child a week is born with a severe form of mitochondrial disease, and many of those children will die before they turn five. While this bill has cross-party support, some MPs are opposed to it and it has also stoked controversy with religious groups.

    Laura Murphy-Oates speaks to reporter Rafqa Touma about her family’s experience with mitochondrial disease and the push to legalise mitochondrial donation

    You can also read:

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/audio/2021/dec/02/the-push-to-end-a-genetic-lottery-for-thousands-of-australian-families", - "creator": "Reported by Rafqa Touma and presented by Laura Murphy-Oates; produced by Karishma Luthria, Ellen Leabeater and Joe Koning; sound design by Joe Koning and mixing by Daniel Semo; the executive producers are Gabrielle Jackson, Melanie Tait and Laura Murphy-Oates", - "pubDate": "2021-12-01T16:30:03Z", + "title": "Ride on, baby: NZ politician cycles to hospital to give birth – for the second time", + "description": "

    Green party MP Julie Anne Genter set off for the hospital while already in labour, and gave birth an hour later

    New Zealand MP Julie Anne Genter got on her bicycle early on Sunday and headed to the hospital. She was already in labour and she gave birth an hour later.

    “Big news!” the Greens politician posted on her Facebook page a few hours later. “At 3.04am this morning we welcomed the newest member of our family. I genuinely wasn’t planning to cycle in labour, but it did end up happening.”

    Continue reading...", + "content": "

    Green party MP Julie Anne Genter set off for the hospital while already in labour, and gave birth an hour later

    New Zealand MP Julie Anne Genter got on her bicycle early on Sunday and headed to the hospital. She was already in labour and she gave birth an hour later.

    “Big news!” the Greens politician posted on her Facebook page a few hours later. “At 3.04am this morning we welcomed the newest member of our family. I genuinely wasn’t planning to cycle in labour, but it did end up happening.”

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/28/ride-on-baby-nz-politician-cycles-to-hospital-to-give-birth-for-the-second-time", + "creator": "Reuters", + "pubDate": "2021-11-28T03:42:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130516,16 +156953,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "466f9562c17c90e463d6645c086c0067" + "hash": "60276bad53a03cea8e101aa2334e6ec8" }, { - "title": "Mother jailed for harming baby hits out at ‘unjust’ appeal ruling", - "description": "

    Lawyers and campaigners fear decision not to grant appeal against conviction risks silencing other victims of domestic abuse

    A mother jailed for harming her baby has accused the courts of “injustice” after judges accepted she was a victim of abuse but ruled against an application for an appeal against her conviction made on the grounds that her violent ex-partner coerced her to lie at her trial.

    The woman, known as “Jenny”, was convicted in 2017 of causing or allowing serious harm after her child sustained skull fractures and bleeding on the brain. The baby’s father was her co-defendant but was acquitted on a lesser charge.

    Continue reading...", - "content": "

    Lawyers and campaigners fear decision not to grant appeal against conviction risks silencing other victims of domestic abuse

    A mother jailed for harming her baby has accused the courts of “injustice” after judges accepted she was a victim of abuse but ruled against an application for an appeal against her conviction made on the grounds that her violent ex-partner coerced her to lie at her trial.

    The woman, known as “Jenny”, was convicted in 2017 of causing or allowing serious harm after her child sustained skull fractures and bleeding on the brain. The baby’s father was her co-defendant but was acquitted on a lesser charge.

    Continue reading...", - "category": "Domestic violence", - "link": "https://www.theguardian.com/global-development/2021/dec/01/mother-jailed-for-harming-baby-hits-out-at-unjust-appeal-ruling", - "creator": "Hannah Summers", - "pubDate": "2021-12-01T06:00:55Z", + "title": "Fury as Nadine Dorries rejects fellow Tory’s groping claim against PM’s father", + "description": "

    Women in Westminster rally to support Tory MP Caroline Nokes after culture secretary’s denial

    Nadine Dorries was embroiled in a row with fellow Tory MP Caroline Nokes this weekend after the culture secretary dismissed her allegations of inappropriate touching against the prime minister’s father.

    Dorries said she had known Stanley Johnson for 15 years and described him as a gentleman. She rejected Nokes’s claim that he had “smacked her on the backside” at the Conservative party conference in 2003. “I don’t believe it happened,” she said in an interview with the Daily Mail. “It never happened to me. Perhaps there is something wrong with me.”

    Continue reading...", + "content": "

    Women in Westminster rally to support Tory MP Caroline Nokes after culture secretary’s denial

    Nadine Dorries was embroiled in a row with fellow Tory MP Caroline Nokes this weekend after the culture secretary dismissed her allegations of inappropriate touching against the prime minister’s father.

    Dorries said she had known Stanley Johnson for 15 years and described him as a gentleman. She rejected Nokes’s claim that he had “smacked her on the backside” at the Conservative party conference in 2003. “I don’t believe it happened,” she said in an interview with the Daily Mail. “It never happened to me. Perhaps there is something wrong with me.”

    Continue reading...", + "category": "Nadine Dorries", + "link": "https://www.theguardian.com/politics/2021/nov/28/fury-as-nadine-dorries-rejects-fellow-torys-groping-claim-against-pms-father", + "creator": "Jon Ungoed-Thomas", + "pubDate": "2021-11-28T09:45:22Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130536,16 +156973,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c1956f3037fa810431b57bfcef4f6db9" + "hash": "c62ff786014ecae49f6951df863ca206" }, { - "title": "Average of two girls aged 10 to 14 give birth daily in Paraguay, Amnesty finds", - "description": "

    Longstanding plague of child abuse and extreme abortion laws fuel crisis, report says

    An average of two girls between 10 and 14 give birth every day in Paraguay, thanks to a toxic combination of widespread child abuse and draconian abortion laws, according to a new Amnesty International report.

    Paraguay has one of the highest rates of child and teen pregnancy in Latin America, a region that, as a whole, has the second-highest rates in the world.

    Continue reading...", - "content": "

    Longstanding plague of child abuse and extreme abortion laws fuel crisis, report says

    An average of two girls between 10 and 14 give birth every day in Paraguay, thanks to a toxic combination of widespread child abuse and draconian abortion laws, according to a new Amnesty International report.

    Paraguay has one of the highest rates of child and teen pregnancy in Latin America, a region that, as a whole, has the second-highest rates in the world.

    Continue reading...", - "category": "Paraguay", - "link": "https://www.theguardian.com/global-development/2021/nov/30/paraguay-child-teen-pregnancies", - "creator": "William Costa in Asunción", - "pubDate": "2021-12-01T05:30:51Z", + "title": "Stowaway survives flight from Guatemala to Miami hidden in plane’s landing gear", + "description": "

    The Guatemalan man was taken to hospital by immigration officials after emerging from the plane on the tarmac

    A stowaway hidden in the landing gear compartment of an American Airlines jet survived a flight from his home country of Guatemala to Miami, where he was turned over to US immigration officials and taken to a hospital for evaluation.

    The US customs and border protection agency confirmed the incident in a statement initially cited by Miami-based television station WTVJ, which posted video taken of the man at Miami international airport shortly after the plane landed on Saturday.

    Continue reading...", + "content": "

    The Guatemalan man was taken to hospital by immigration officials after emerging from the plane on the tarmac

    A stowaway hidden in the landing gear compartment of an American Airlines jet survived a flight from his home country of Guatemala to Miami, where he was turned over to US immigration officials and taken to a hospital for evaluation.

    The US customs and border protection agency confirmed the incident in a statement initially cited by Miami-based television station WTVJ, which posted video taken of the man at Miami international airport shortly after the plane landed on Saturday.

    Continue reading...", + "category": "Miami", + "link": "https://www.theguardian.com/us-news/2021/nov/28/stowaway-survives-flight-from-guatemala-to-miami-hidden-in-planes-landing-gear", + "creator": "Reuters", + "pubDate": "2021-11-28T05:50:43Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130556,16 +156993,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "a7ee179912faf31731c7fba3b0c3847b" + "hash": "5cd3eefcd7792edd4e11e0e91551a0ef" }, { - "title": "The rising cost of the climate crisis in flooded South Sudan – in pictures", - "description": "

    Families facing severe hunger are wading through crocodile-infested waters in search of water lilies to eat. Susan Martinez and photographer Peter Caton return with Action Against Hunger to find that the dire situation they reported on in March has only worsened

    Desperate families in flood-ravaged villages in South Sudan are spending hours searching for water lilies to eat after another summer of intense rainfall worsened an already dire situation.

    People have no food and no land to cultivate after three years of floods. Fields are submerged in last year’s flood water and higher ground is overcrowded with hungry people, in what is quickly becoming a humanitarian crisis.

    Nyanyang Tong, 39, on her way to the Action Against Hunger centre with her one-year-old son, Mamuch Gatkuoth, in Paguir

    Continue reading...", - "content": "

    Families facing severe hunger are wading through crocodile-infested waters in search of water lilies to eat. Susan Martinez and photographer Peter Caton return with Action Against Hunger to find that the dire situation they reported on in March has only worsened

    Desperate families in flood-ravaged villages in South Sudan are spending hours searching for water lilies to eat after another summer of intense rainfall worsened an already dire situation.

    People have no food and no land to cultivate after three years of floods. Fields are submerged in last year’s flood water and higher ground is overcrowded with hungry people, in what is quickly becoming a humanitarian crisis.

    Nyanyang Tong, 39, on her way to the Action Against Hunger centre with her one-year-old son, Mamuch Gatkuoth, in Paguir

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/30/the-rising-cost-of-the-climate-crisis-in-flooded-south-sudan-in-pictures", - "creator": "Susan Martinez, photography by Peter Caton", - "pubDate": "2021-11-30T07:01:09Z", + "title": "Bee aware: do you know what is in that cheap jar of honey?", + "description": "

    British beekeepers call for stricter labelling on supermarket blends to identify the countries of origin

    British beekeepers are calling for a requirement on supermarkets and other retailers to label cheap honey imports from China and other nations with the country of origin after claims that part of the global supply is bulked out with sugar syrup.

    The UK is the world’s biggest importer of Chinese honey, which can be one sixth of the price of the honey produced by bees in Britain. Supermarket own-label honey from China can be bought for as little as 69p a jar. Supermarkets say every jar of honey is “100% pure” and can be traced back to the beekeeper, but there is no requirement to identify the countries of origin of honey blended from more than one country. The European Union is now considering new rules to improve consumer information for honey and ensure the country of origin is clearly identified on the jar.

    Continue reading...", + "content": "

    British beekeepers call for stricter labelling on supermarket blends to identify the countries of origin

    British beekeepers are calling for a requirement on supermarkets and other retailers to label cheap honey imports from China and other nations with the country of origin after claims that part of the global supply is bulked out with sugar syrup.

    The UK is the world’s biggest importer of Chinese honey, which can be one sixth of the price of the honey produced by bees in Britain. Supermarket own-label honey from China can be bought for as little as 69p a jar. Supermarkets say every jar of honey is “100% pure” and can be traced back to the beekeeper, but there is no requirement to identify the countries of origin of honey blended from more than one country. The European Union is now considering new rules to improve consumer information for honey and ensure the country of origin is clearly identified on the jar.

    Continue reading...", + "category": "Supermarkets", + "link": "https://www.theguardian.com/business/2021/nov/28/bee-aware-do-you-know-what-is-in-that-cheap-jar-of-honey", + "creator": "Jon Ungoed-Thomas", + "pubDate": "2021-11-28T06:15:18Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130576,16 +157013,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "921097a9bac43e65c8917b52965a030a" + "hash": "6aaf233cffb75ca85544018d789cc698" }, { - "title": "Testing, vaccines, sequencing: experts call for multi-pronged approach to Omicron", - "description": "

    ‘Best hope’ for containing the new variant is worldwide vaccine campaign where rates are low, public health experts say

    As new cases of the Omicron coronavirus variant are uncovered across the globe and threaten to spread in America, US officials are reacting by urging vaccinations and boosters instead of imposing restrictions which have increasingly provoked political fights.

    But the US should quickly invest in other tools as well, experts said, including testing, genomic sequencing and surveillance, better communication, and a strong focus on global vaccine equity to prevent the emergence of new variants.

    Continue reading...", - "content": "

    ‘Best hope’ for containing the new variant is worldwide vaccine campaign where rates are low, public health experts say

    As new cases of the Omicron coronavirus variant are uncovered across the globe and threaten to spread in America, US officials are reacting by urging vaccinations and boosters instead of imposing restrictions which have increasingly provoked political fights.

    But the US should quickly invest in other tools as well, experts said, including testing, genomic sequencing and surveillance, better communication, and a strong focus on global vaccine equity to prevent the emergence of new variants.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/30/testing-vaccines-sequencing-omricon-experts", - "creator": "Melody Schreiber", - "pubDate": "2021-11-30T10:00:12Z", + "title": "Searches for Gucci label soar after release of murder film starring Lady Gaga", + "description": "

    Designer brand reaps the benefit of Ridley Scott’s movie telling the story of the killing of firm’s ex-boss

    When is murder good for business? When it is made into a Hollywood movie, for one – and when that film stars Lady Gaga. House of Gucci, the Ridley Scott feature released last week to mixed reviews, has sent interest in the Gucci brand soaring.

    Searches for Gucci clothing were up 73% week on week, according to e-commerce aggregator Lovethesales.com on Friday, with a leap of 257% for bags and 75% for sliders. The figures suggest that the luxury brand stands only to gain from Hollywood’s telling of the story ofthe glamorous Patrizia Reggiani, who hired a hitman in 1995 to kill her ex-husband Maurizio Gucci, the former head of the fashion label.

    Continue reading...", + "content": "

    Designer brand reaps the benefit of Ridley Scott’s movie telling the story of the killing of firm’s ex-boss

    When is murder good for business? When it is made into a Hollywood movie, for one – and when that film stars Lady Gaga. House of Gucci, the Ridley Scott feature released last week to mixed reviews, has sent interest in the Gucci brand soaring.

    Searches for Gucci clothing were up 73% week on week, according to e-commerce aggregator Lovethesales.com on Friday, with a leap of 257% for bags and 75% for sliders. The figures suggest that the luxury brand stands only to gain from Hollywood’s telling of the story ofthe glamorous Patrizia Reggiani, who hired a hitman in 1995 to kill her ex-husband Maurizio Gucci, the former head of the fashion label.

    Continue reading...", + "category": "Gucci", + "link": "https://www.theguardian.com/fashion/2021/nov/28/searches-for-gucci-label-soar-after-release-of-film-starring-lady-gaga", + "creator": "Edward Helmore", + "pubDate": "2021-11-28T08:15:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130596,16 +157033,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "97ed4a752d85741dd1003731f388e22e" + "hash": "07eb92dfcb2ec5ddbd5608b86648b04d" }, { - "title": "Despite reports of milder symptoms Omicron should not be underestimated", - "description": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", - "content": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", + "title": "Scientists sharing Omicron data were heroic. Let’s ensure they don’t regret it | Jeffrey Barrett", + "description": "The teams in Africa who detected the new Covid genome moved quickly. Their actions should not result in economic loss
    Coronavirus – latest updates
    See all our coronavirus coverage

    One of the positive experiences during two years of pandemic gloom has been the speed of scientific progress in understanding and treating Covid. Many effective vaccines were launched in less than a year and rapid large-scale trials found a cheap and effective drug, dexamethasone, that saved thousands of lives.

    The global scientific community has also carried out “genomic surveillance” – sequencing the genome of the virus to track how it evolves and spreads at an unprecedented level: the public genome database has more than 5.5m genomes. The great value of that genomic surveillance, underpinned by a commitment to rapid and open sharing of the data by all countries in near-real time, has been seen in the last few days as we’ve learned of the Covid variant called Omicron.

    Continue reading...", + "content": "The teams in Africa who detected the new Covid genome moved quickly. Their actions should not result in economic loss
    Coronavirus – latest updates
    See all our coronavirus coverage

    One of the positive experiences during two years of pandemic gloom has been the speed of scientific progress in understanding and treating Covid. Many effective vaccines were launched in less than a year and rapid large-scale trials found a cheap and effective drug, dexamethasone, that saved thousands of lives.

    The global scientific community has also carried out “genomic surveillance” – sequencing the genome of the virus to track how it evolves and spreads at an unprecedented level: the public genome database has more than 5.5m genomes. The great value of that genomic surveillance, underpinned by a commitment to rapid and open sharing of the data by all countries in near-real time, has been seen in the last few days as we’ve learned of the Covid variant called Omicron.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/30/despite-reports-of-milder-symptoms-omicron-should-not-be-understimated", - "creator": "Linda Geddes Science correspondent and Nick Dall in Cape Town", - "pubDate": "2021-11-30T05:00:06Z", + "link": "https://www.theguardian.com/commentisfree/2021/nov/28/scientists-sharing-omicron-date-were-heroic-lets-ensure-they-dont-regret-it", + "creator": "Jeffrey Barrett", + "pubDate": "2021-11-28T09:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130616,16 +157053,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "217dd2632ffb2b4c685ea9a7e856c4bb" + "hash": "3b1e9ba8a8845736c74b3e96c98332e1" }, { - "title": "What does appearance of Omicron variant mean for the double-vaccinated?", - "description": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", - "content": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", + "title": "Biden and Harris briefed as US braces for arrival of Omicron Covid variant", + "description": "

    US imposes travel restrictions from southern Africa as Anthony Fauci says he would not be surprised if variant were already in US

    Joe Biden and Kamala Harris have been briefed on the latest situation regarding the new Omicron coronavirus variant, the White House said on Saturday, as Britain, Germany and Italy reported detecting cases.

    Biden, who was spending Thanksgiving with family in Nantucket, Massachusetts, told reporters on Friday: “We don’t know a lot about the variant except that it is of great concern [and] seems to spread rapidly.”

    Continue reading...", + "content": "

    US imposes travel restrictions from southern Africa as Anthony Fauci says he would not be surprised if variant were already in US

    Joe Biden and Kamala Harris have been briefed on the latest situation regarding the new Omicron coronavirus variant, the White House said on Saturday, as Britain, Germany and Italy reported detecting cases.

    Biden, who was spending Thanksgiving with family in Nantucket, Massachusetts, told reporters on Friday: “We don’t know a lot about the variant except that it is of great concern [and] seems to spread rapidly.”

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/28/what-does-appearance-of-omicron-mean-for-the-double-jabbed", - "creator": "Linda Geddes", - "pubDate": "2021-11-29T01:12:00Z", + "link": "https://www.theguardian.com/us-news/2021/nov/27/new-york-governor-covid-coronavirus-omicron-variant", + "creator": "Edward Helmore in New York", + "pubDate": "2021-11-27T20:51:08Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130636,16 +157073,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "816c6e2c95ece939fdecf057137eeedf" + "hash": "8f2e6b392cbff2b8c761f72c4d021b36" }, { - "title": "Boris Johnson says people shouldn't cancel Christmas parties over Omicron – video", - "description": "

    The prime minister has said the government does not want people to cancel events such as Christmas parties and nativity plays because of the Omicron coronavirus variant. Speaking at a Downing Street press briefing, he also said all adults would be offered vaccine booster shots by the end of January

    Continue reading...", - "content": "

    The prime minister has said the government does not want people to cancel events such as Christmas parties and nativity plays because of the Omicron coronavirus variant. Speaking at a Downing Street press briefing, he also said all adults would be offered vaccine booster shots by the end of January

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/30/boris-johnson-says-people-shouldnt-cancel-christmas-parties-over-omicron-video", - "creator": "", - "pubDate": "2021-11-30T17:44:42Z", + "title": "Goodbye to job: how the pandemic changed Americans’ attitude to work", + "description": "

    Millions of workers have been leaving jobs that offer long hours and low pay – and for many the release has been exhilarating

    One morning in October, Lynn woke up and decided she would quit her job on the spot that day. The decision to quit was the climax of a reckoning that began at the start of the pandemic when she was first laid off from a job she had been in for three years.

    “I’ve always had the attitude of being a really hard worker,” Lynn said, explaining that she believed her skills made her indispensable to this company. “That really changed for me because I realized you could feel totally capable and really important when, really, you’re expendable.”

    Continue reading...", + "content": "

    Millions of workers have been leaving jobs that offer long hours and low pay – and for many the release has been exhilarating

    One morning in October, Lynn woke up and decided she would quit her job on the spot that day. The decision to quit was the climax of a reckoning that began at the start of the pandemic when she was first laid off from a job she had been in for three years.

    “I’ve always had the attitude of being a really hard worker,” Lynn said, explaining that she believed her skills made her indispensable to this company. “That really changed for me because I realized you could feel totally capable and really important when, really, you’re expendable.”

    Continue reading...", + "category": "US work & careers", + "link": "https://www.theguardian.com/money/2021/nov/28/goodbye-to-job-how-the-pandemic-changed-americans-attitude-to-work", + "creator": "Lauren Aratani", + "pubDate": "2021-11-28T07:00:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130656,16 +157093,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "2906592c19bd1a21cc72262362036d92" + "hash": "490f36515e21ff018b2c776381d21171" }, { - "title": "Why Omicron is the most worrying Covid variant yet – video explainer", - "description": "

    The discovery of a new and potentially vaccine-resistant Covid variant has concerned governments and unnerved markets around the world. Omicron has prompted the return of border closures and mandatory testing and mask wearing as countries attempt to slow its spread.

    The number of mutations on its spike protein - the part of the virus vaccines use to prime the immune system - has concerned scientists, but it will take weeks to determine the extent of the threat Omicron poses. The Guardian's science correspondent Linda Geddes explains

    Continue reading...", - "content": "

    The discovery of a new and potentially vaccine-resistant Covid variant has concerned governments and unnerved markets around the world. Omicron has prompted the return of border closures and mandatory testing and mask wearing as countries attempt to slow its spread.

    The number of mutations on its spike protein - the part of the virus vaccines use to prime the immune system - has concerned scientists, but it will take weeks to determine the extent of the threat Omicron poses. The Guardian's science correspondent Linda Geddes explains

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/30/why-omicron-is-the-most-worrying-covid-variant-yet-video-explainer", - "creator": "Linda Geddes, Jamie Macwhirter, Meital Miselevich and Nikhita Chulani", - "pubDate": "2021-11-30T15:32:36Z", + "title": "I have fun with my girlfriend, but she has no prospects | Philippa Perry", + "description": "People are more than the job that they do. Don’t let your friends and family decide for you – let this relationship run its course

    The question I’m a 24-year-old guy studying for my masters while working part-time for a management consultancy and I’m also a qualified associate accountant. I recently met a woman on a dating app after being single for a year since the start of the pandemic. She’s a similar age to myself and we’ve been dating for two months. She’s very attractive and nice, and we have a good time together – she can make me laugh.

    There is a red flag, though. Although she is in her mid-20s she still lives at home and seems to have no plans or ambitions to move to living independently. Plus, despite having a part-time job, she doesn’t contribute to the household bills. Now I understand that rent is high and people are staying with their parents for longer, but she isn’t even planning on going to college or progressing further in her career. She spends most of her money on going out with friends, holidays and hobbies.

    Continue reading...", + "content": "People are more than the job that they do. Don’t let your friends and family decide for you – let this relationship run its course

    The question I’m a 24-year-old guy studying for my masters while working part-time for a management consultancy and I’m also a qualified associate accountant. I recently met a woman on a dating app after being single for a year since the start of the pandemic. She’s a similar age to myself and we’ve been dating for two months. She’s very attractive and nice, and we have a good time together – she can make me laugh.

    There is a red flag, though. Although she is in her mid-20s she still lives at home and seems to have no plans or ambitions to move to living independently. Plus, despite having a part-time job, she doesn’t contribute to the household bills. Now I understand that rent is high and people are staying with their parents for longer, but she isn’t even planning on going to college or progressing further in her career. She spends most of her money on going out with friends, holidays and hobbies.

    Continue reading...", + "category": "Relationships", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/28/i-have-fun-with-my-girlfriend-but-she-has-no-prospects", + "creator": "Philippa Perry", + "pubDate": "2021-11-28T06:00:20Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130676,16 +157113,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "827243b98e5855906625ccb1a136870d" + "hash": "b20ba68e6b78cd174b243d4f78a9ed07" }, { - "title": "Barbados leaves colonial history behind and becomes a republic – video report", - "description": "

    President Sandra Mason was sworn in as the new head of state in the Barbados capital Bridgetown. The celebrations were attended by Prince Charles, who acknowledged the 'appalling atrocity of slavery, which forever stains our history'. Singer and entrepreneur Rihanna was designated a National Hero of Barbados. 

    Continue reading...", - "content": "

    President Sandra Mason was sworn in as the new head of state in the Barbados capital Bridgetown. The celebrations were attended by Prince Charles, who acknowledged the 'appalling atrocity of slavery, which forever stains our history'. Singer and entrepreneur Rihanna was designated a National Hero of Barbados. 

    Continue reading...", - "category": "Barbados", - "link": "https://www.theguardian.com/world/video/2021/nov/30/barbados-leaves-colonial-history-behind-and-becomes-a-republic-video-report", - "creator": "", - "pubDate": "2021-11-30T11:51:49Z", + "title": "The 20 best gadgets of 2021", + "description": "

    From smartphones to folding skis, the year’s top gizmos selected by tech experts from the Guardian, iNews, TechRadar and Wired

    Cutting-edge tech is often super-expensive, difficult to use and less than slick. Not so for Samsung’s latest folding screen phones. The Z Fold 3 tablet-phone hybrid and Z Flip 3 flip-phone reinventions are smooth, slick and even water-resistant, packing big screens in compact bodies. The Fold might be super-expensive still, but the Flip 3 costs about the same as a regular top smartphone, but is far, far more interesting. Samuel Gibbs

    Continue reading...", + "content": "

    From smartphones to folding skis, the year’s top gizmos selected by tech experts from the Guardian, iNews, TechRadar and Wired

    Cutting-edge tech is often super-expensive, difficult to use and less than slick. Not so for Samsung’s latest folding screen phones. The Z Fold 3 tablet-phone hybrid and Z Flip 3 flip-phone reinventions are smooth, slick and even water-resistant, packing big screens in compact bodies. The Fold might be super-expensive still, but the Flip 3 costs about the same as a regular top smartphone, but is far, far more interesting. Samuel Gibbs

    Continue reading...", + "category": "Smartphones", + "link": "https://www.theguardian.com/technology/2021/nov/28/the-20-best-gadgets-of-2021", + "creator": "Samuel Gibbs, Rhiannon Williams, Cat Ellis, Jeremy White", + "pubDate": "2021-11-28T08:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130696,16 +157133,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "93d55c8ea4b6987ecde7b6021ead0405" + "hash": "1725e30f11a5ec2d7d1377d9cfedb308" }, { - "title": "Barbados declares Rihanna a national hero during republic ceremony – video", - "description": "

    Barbados has declared singer Rihanna a national hero during its republican celebrations in Bridgetown. The country's prime minister, Mia Mottley, said, ‘On behalf of a grateful nation, but an even prouder people, we therefore present to you, the designee, for national hero of Barbados, ambassador Robyn Rihanna Fenty may you continue to shine like a diamond.' Rihanna accepted the honour to cheers from the crowd. The ceremony was part of celebrations as Barbados became the world’s newest republic.

    Continue reading...", - "content": "

    Barbados has declared singer Rihanna a national hero during its republican celebrations in Bridgetown. The country's prime minister, Mia Mottley, said, ‘On behalf of a grateful nation, but an even prouder people, we therefore present to you, the designee, for national hero of Barbados, ambassador Robyn Rihanna Fenty may you continue to shine like a diamond.' Rihanna accepted the honour to cheers from the crowd. The ceremony was part of celebrations as Barbados became the world’s newest republic.

    Continue reading...", - "category": "Barbados", - "link": "https://www.theguardian.com/world/video/2021/nov/30/barbados-declares-rihanna-a-national-hero-during-republic-ceremony-video", - "creator": "", - "pubDate": "2021-11-30T06:13:04Z", + "title": "Easy rider? We’ll miss the roar, but electric motorbikes can’t kill our road romance", + "description": "

    For bikers, combustive power is one of the thrills of a long-haul trip. But flat batteries and charging points will just become part of exciting new journeys

    A full tank of gas, a twist of the wrist, the roar of the exhaust as you speed towards the horizon … These are the visceral touchstones of the motorcycling experience, and all are a direct product of petrol-fuelled power, as is much of the biker’s lexicon: “open it up”, “give it some gas”, “go full throttle”. For a motorcycle rider, as opposed to the modern car driver, the journey is a full-body communication game, constantly applying judgment, skill and nerve to control the thousands of explosions that are happening between your thighs in order to transport yourself, upright and in one piece, to your destination.

    Yet the days of the internal combustion engine are numbered. By 2050 the European Commission aims to have cut transport emissions by 90%, and electric vehicle technology is striding ahead for cars, trucks, buses and even aircraft. But where does this leave the motorcycle? Can this romantic form of transport and its subcultures survive the end of the petrol age?

    Continue reading...", + "content": "

    For bikers, combustive power is one of the thrills of a long-haul trip. But flat batteries and charging points will just become part of exciting new journeys

    A full tank of gas, a twist of the wrist, the roar of the exhaust as you speed towards the horizon … These are the visceral touchstones of the motorcycling experience, and all are a direct product of petrol-fuelled power, as is much of the biker’s lexicon: “open it up”, “give it some gas”, “go full throttle”. For a motorcycle rider, as opposed to the modern car driver, the journey is a full-body communication game, constantly applying judgment, skill and nerve to control the thousands of explosions that are happening between your thighs in order to transport yourself, upright and in one piece, to your destination.

    Yet the days of the internal combustion engine are numbered. By 2050 the European Commission aims to have cut transport emissions by 90%, and electric vehicle technology is striding ahead for cars, trucks, buses and even aircraft. But where does this leave the motorcycle? Can this romantic form of transport and its subcultures survive the end of the petrol age?

    Continue reading...", + "category": "Travel", + "link": "https://www.theguardian.com/travel/2021/nov/28/easy-rider-well-miss-the-roar-but-electric-motorbikes-cant-kill-our-road-romance", + "creator": "Lois Pryce", + "pubDate": "2021-11-28T05:30:17Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130716,16 +157153,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "41b790671245169027342f537b57aa89" + "hash": "dc6b8b44d255eaa30cfa8266d8b3f554" }, { - "title": "Covid live: boosters may protect against Omicron, says Israel’s health minister, as US checks vaccine effectiveness", - "description": "

    Nitzan Horowitz says ‘already room for optimism’ that vaccines will cover new variant; US Food & Drug Administration checking if tweaks needed

    Stock markets in Asia have bounced back again as investors’ concerns about the new Omicron Covid variant eased. In Australia the ASX200 was up more than 1%, while in Japan the Nikkei was up 0.75%.

    It followed a stronger showing on Monday on Wall Street, where the Dow Jones industrial average closed up 0.6% and the broader S&P500 was up 1.2% after some hefty losses on Friday, when news of the new strain shook confidence.

    There are so many unknowns about Omicron and the market has been jumping at shadows.

    After such a strong run and with elevated valuations, the market will always be susceptible to the odd shakeout on news that could bring risk.

    Hong Kong’s very stringent system of boarding, quarantine and also testing requirements has successfully stopped the transmission of the three Omicron cases, that we have identified in our designated quarantine hotel, from going into the community.

    Non-Hong Kong residents from these four places will not be allowed to enter Hong Kong.

    The most stringent quarantine requirements will also be implemented on relevant inbound travellers from these places.

    Continue reading...", - "content": "

    Nitzan Horowitz says ‘already room for optimism’ that vaccines will cover new variant; US Food & Drug Administration checking if tweaks needed

    Stock markets in Asia have bounced back again as investors’ concerns about the new Omicron Covid variant eased. In Australia the ASX200 was up more than 1%, while in Japan the Nikkei was up 0.75%.

    It followed a stronger showing on Monday on Wall Street, where the Dow Jones industrial average closed up 0.6% and the broader S&P500 was up 1.2% after some hefty losses on Friday, when news of the new strain shook confidence.

    There are so many unknowns about Omicron and the market has been jumping at shadows.

    After such a strong run and with elevated valuations, the market will always be susceptible to the odd shakeout on news that could bring risk.

    Hong Kong’s very stringent system of boarding, quarantine and also testing requirements has successfully stopped the transmission of the three Omicron cases, that we have identified in our designated quarantine hotel, from going into the community.

    Non-Hong Kong residents from these four places will not be allowed to enter Hong Kong.

    The most stringent quarantine requirements will also be implemented on relevant inbound travellers from these places.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/30/covid-news-live-who-warns-omicron-poses-very-high-risk-new-variant-detected-in-at-least-a-dozen-countries", - "creator": "Jem Bartholomew (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-11-30T19:04:52Z", + "title": "House of Gucci review – Lady Gaga steers a steely path through the madness", + "description": "

    Gaga rules in Ridley Scott’s at times ridiculous drama based on the true-life sagas of the Italian fashion dynasty

    “The most Gucci of them all” is how Patrizia Reggiani described herself in a 2014 interview and, judging by this entertainingly ripe, comedically tinged tragedy, she has a point. Variously known as “Lady Gucci” and “Black Widow”, Reggiani became the centre of a very 1990s scandal involving lust, money, fashion, murder… and a clairvoyant. To that tabloid-friendly cocktail, Ridley Scott’s latest “true story” potboiler adds a dash of pop superstardom, with Lady Gaga (Oscar- nominated for her close-to-home performance in A Star Is Born) relishing the chance to find the human cracks beneath a larger-than-life, femme fatale surface.

    Adapted by screenwriters Becky Johnston and Roberto Bentivegna from the nonfiction book by Sara Gay Forden, House of Gucci charts a crowd-pleasing course from the Milanese party scene of the 1970s to a high-profile, end-of-the-century trial. At its heart is the doomed romance between Patrizia and Maurizio Gucci, the latter played behind stylishly studious glasses by cinema’s sexy nerd de nos jours, Adam Driver. “I want to see how this story goes,” says Patrizia, embarking upon a twisted fairytale romance with the grandson of Guccio Gucci that starts with masked balls and talk of midnight chimes and pumpkins and ends with family back-stabbings, jealous rages and deadly rivalries.

    Continue reading...", + "content": "

    Gaga rules in Ridley Scott’s at times ridiculous drama based on the true-life sagas of the Italian fashion dynasty

    “The most Gucci of them all” is how Patrizia Reggiani described herself in a 2014 interview and, judging by this entertainingly ripe, comedically tinged tragedy, she has a point. Variously known as “Lady Gucci” and “Black Widow”, Reggiani became the centre of a very 1990s scandal involving lust, money, fashion, murder… and a clairvoyant. To that tabloid-friendly cocktail, Ridley Scott’s latest “true story” potboiler adds a dash of pop superstardom, with Lady Gaga (Oscar- nominated for her close-to-home performance in A Star Is Born) relishing the chance to find the human cracks beneath a larger-than-life, femme fatale surface.

    Adapted by screenwriters Becky Johnston and Roberto Bentivegna from the nonfiction book by Sara Gay Forden, House of Gucci charts a crowd-pleasing course from the Milanese party scene of the 1970s to a high-profile, end-of-the-century trial. At its heart is the doomed romance between Patrizia and Maurizio Gucci, the latter played behind stylishly studious glasses by cinema’s sexy nerd de nos jours, Adam Driver. “I want to see how this story goes,” says Patrizia, embarking upon a twisted fairytale romance with the grandson of Guccio Gucci that starts with masked balls and talk of midnight chimes and pumpkins and ends with family back-stabbings, jealous rages and deadly rivalries.

    Continue reading...", + "category": "House of Gucci", + "link": "https://www.theguardian.com/film/2021/nov/28/house-of-gucci-review-ridley-scott-lady-gaga-al-pacino-jared-leto", + "creator": "Mark Kermode, Observer film critic", + "pubDate": "2021-11-28T08:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130736,16 +157173,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d015983a732de97667a30bebc62d4b3d" + "hash": "8fc2303be48e80d0f63ecc62c7d45952" }, { - "title": "Russia will act if Nato countries cross Ukraine ‘red lines’, Putin says", - "description": "

    Deployment of weapons or troops in Ukraine by Nato would trigger strong response, Russian president says

    Vladimir Putin has warned Nato countries that deploying weapons or soldiers to Ukraine would cross a “red line” for Russia and trigger a strong response, including a potential deployment of Russian missiles targeting Europe.

    Nato countries have warned Putin against further aggression against Ukraine as foreign ministers gathered in Latvia to discuss the military alliance’s contingencies for a potential Russian invasion.

    Continue reading...", - "content": "

    Deployment of weapons or troops in Ukraine by Nato would trigger strong response, Russian president says

    Vladimir Putin has warned Nato countries that deploying weapons or soldiers to Ukraine would cross a “red line” for Russia and trigger a strong response, including a potential deployment of Russian missiles targeting Europe.

    Nato countries have warned Putin against further aggression against Ukraine as foreign ministers gathered in Latvia to discuss the military alliance’s contingencies for a potential Russian invasion.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/nov/30/russia-will-act-if-nato-countries-cross-ukraine-red-lines-putin-says", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-11-30T16:08:37Z", + "title": "‘The goal was to silence people’: historian Joanne Freeman on congressional violence", + "description": "

    Paul Gosar was censured for a video depicting a colleague’s murder but physical assaults were a feature of the pre-civil war era

    As the House debated whether the Republican congressman Paul Gosar should be censured for depicting the murder of his colleague, one Democratic leader took a moment to reflect on the chamber’s long history of violence.

    Speaking on the House floor last week, the majority leader, Steny Hoyer, argued that Gosar had grossly violated the chamber’s rules of conduct by sharing an altered anime video showing him killing Congresswoman Alexandria Ocasio-Cortez and attacking President Joe Biden.

    Continue reading...", + "content": "

    Paul Gosar was censured for a video depicting a colleague’s murder but physical assaults were a feature of the pre-civil war era

    As the House debated whether the Republican congressman Paul Gosar should be censured for depicting the murder of his colleague, one Democratic leader took a moment to reflect on the chamber’s long history of violence.

    Speaking on the House floor last week, the majority leader, Steny Hoyer, argued that Gosar had grossly violated the chamber’s rules of conduct by sharing an altered anime video showing him killing Congresswoman Alexandria Ocasio-Cortez and attacking President Joe Biden.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/2021/nov/28/historian-joanne-freeman-congressional-violence-paul-gosar", + "creator": "Joan E Greve in Washington", + "pubDate": "2021-11-28T07:00:21Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130756,16 +157193,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "bdff2210364f8a92b74dabbd0da21a84" + "hash": "b0a9abbb948ad1239d64af713c9488e4" }, { - "title": "Mythic white sperm whale captured on film near Jamaica", - "description": "

    Type of whale immortalised in Moby-Dick has only been spotted handful of times this century

    It is the most mythic animal in the ocean: a white sperm whale, filmed on Monday by Leo van Toly, watching from a Dutch merchant ship off Jamaica. Moving gracefully, outrageously pale against the blue waters of the Caribbean, for any fans of Moby-Dick, Herman Melville’s book of 1851, this vision is a CGI animation come to life.

    Sperm whales are generally grey, black or even brown in appearance. Hal Whitehead, an expert on the species, told the Guardian: “I don’t think I’ve ever seen a fully white sperm whale. I have seen ones with quite a lot of white on them, usually in patches on and near the belly.”

    Continue reading...", - "content": "

    Type of whale immortalised in Moby-Dick has only been spotted handful of times this century

    It is the most mythic animal in the ocean: a white sperm whale, filmed on Monday by Leo van Toly, watching from a Dutch merchant ship off Jamaica. Moving gracefully, outrageously pale against the blue waters of the Caribbean, for any fans of Moby-Dick, Herman Melville’s book of 1851, this vision is a CGI animation come to life.

    Sperm whales are generally grey, black or even brown in appearance. Hal Whitehead, an expert on the species, told the Guardian: “I don’t think I’ve ever seen a fully white sperm whale. I have seen ones with quite a lot of white on them, usually in patches on and near the belly.”

    Continue reading...", - "category": "Whales", - "link": "https://www.theguardian.com/environment/2021/nov/30/white-sperm-whale-rarest-animals-captured-on-film-jamaica", - "creator": "Philip Hoare", - "pubDate": "2021-11-30T16:53:01Z", + "title": "Every good dog deserves a musical tribute", + "description": "

    Hector, dog of dogs, is the most glorious companion. Simon Tiffin reveals how he came to commission a piece of music that would evoke his spirit when he finally departs this world

    One of the earliest signs of spring in my garden is a ring of snowdrops and winter acconites that encircles the trunk of a medlar tree outside the greenhouse. This yellow-and-white display was planted to complement a collection of elegantly engraved, moss-covered mini-headstones that mark the resting places of the previous owner’s dogs. Each of these markers has a simple but evocative dedication: “Medlar, beloved Border Terrier”; “Otter, a little treasure. Sister of Medlar”; “Skip, grandson of Genghis. Sweet eccentric.” Every time I see this pet cemetery I am reminded that, despite a complex denial structure that involves a sneaking suspicion that he is immortal, there will come a time when I have to face the death of Hector, dog of dogs.

    Hector is a cockapoo and not ashamed to admit it. He sneers at terms such as “designer dog” and “hybrid” and is rightly proud of his spaniel/poodle heritage. Although many people have an origin myth of how their pet chose them, in Hector’s case it is true. When I went with my wife Alexa to see a friend whose working cocker had recently given birth, a blind, chocolate-brown caterpillar of a pup freed himself from the wriggling furry mass of his siblings and crawled his way towards us. Bonding was instant and, on our side, unconditional.

    Continue reading...", + "content": "

    Hector, dog of dogs, is the most glorious companion. Simon Tiffin reveals how he came to commission a piece of music that would evoke his spirit when he finally departs this world

    One of the earliest signs of spring in my garden is a ring of snowdrops and winter acconites that encircles the trunk of a medlar tree outside the greenhouse. This yellow-and-white display was planted to complement a collection of elegantly engraved, moss-covered mini-headstones that mark the resting places of the previous owner’s dogs. Each of these markers has a simple but evocative dedication: “Medlar, beloved Border Terrier”; “Otter, a little treasure. Sister of Medlar”; “Skip, grandson of Genghis. Sweet eccentric.” Every time I see this pet cemetery I am reminded that, despite a complex denial structure that involves a sneaking suspicion that he is immortal, there will come a time when I have to face the death of Hector, dog of dogs.

    Hector is a cockapoo and not ashamed to admit it. He sneers at terms such as “designer dog” and “hybrid” and is rightly proud of his spaniel/poodle heritage. Although many people have an origin myth of how their pet chose them, in Hector’s case it is true. When I went with my wife Alexa to see a friend whose working cocker had recently given birth, a blind, chocolate-brown caterpillar of a pup freed himself from the wriggling furry mass of his siblings and crawled his way towards us. Bonding was instant and, on our side, unconditional.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/28/every-dog-deserves-a-musical-tribute-simon-tiffin-pet-hector-gets-a-hequiem", + "creator": "Simon Tiffin", + "pubDate": "2021-11-28T07:00:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130776,16 +157213,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "de47f0d7cc799e22a1164058db4ffc61" + "hash": "89f10de82ba5faab8c1a4ec562d69240" }, { - "title": "Ghislaine Maxwell was present when Epstein abused me, accuser testifies", - "description": "

    Witness identified as ‘Jane’ alleges Epstein began sexual abuse when she was 14 and says Maxwell was sometimes in the room

    The first accuser in the child sex-trafficking trial of Ghislaine Maxwell testified in court in New York on Tuesday. The accuser, who used the name “Jane”, alleged that Maxwell was sometimes present when Jeffrey Epstein abused her.

    Epstein, a New York financier and convicted sex trafficker who counted Bill Clinton and Prince Andrew among his acquaintances, killed himself in the city in August 2019, while in jail awaiting trial for the transportation and abuse of minor teenagers.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", - "content": "

    Witness identified as ‘Jane’ alleges Epstein began sexual abuse when she was 14 and says Maxwell was sometimes in the room

    The first accuser in the child sex-trafficking trial of Ghislaine Maxwell testified in court in New York on Tuesday. The accuser, who used the name “Jane”, alleged that Maxwell was sometimes present when Jeffrey Epstein abused her.

    Epstein, a New York financier and convicted sex trafficker who counted Bill Clinton and Prince Andrew among his acquaintances, killed himself in the city in August 2019, while in jail awaiting trial for the transportation and abuse of minor teenagers.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/nov/30/ghislaine-maxwell-trial-jeffrey-epstein-testimony", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-30T20:06:45Z", + "title": "Met police charge man, 19, with six counts of sharing extremist material", + "description": "

    Elias Djelloul was arrested in east London on Friday and will appear in court on Monday

    A 19-year-old man will appear in court next week accused of sharing extremist material.

    Elias Djelloul was arrested at an address in east London on Friday, the Metropolitan police’s counter-terrorism command said.

    Continue reading...", + "content": "

    Elias Djelloul was arrested in east London on Friday and will appear in court on Monday

    A 19-year-old man will appear in court next week accused of sharing extremist material.

    Elias Djelloul was arrested at an address in east London on Friday, the Metropolitan police’s counter-terrorism command said.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/nov/27/met-police-charge-man-19-with-six-counts-of-sharing-extremist-material", + "creator": "PA Media", + "pubDate": "2021-11-27T20:56:37Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130796,16 +157233,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "72684d122b5d1e0fc5e66786a5da7a4b" + "hash": "014a2c700f602a6f3d7f1f80fbb3af58" }, { - "title": "El Chapo’s wife Emma Coronel Aispuro sentenced to three years in US prison", - "description": "

    Coronel admitted to acting as a courier between Joaquín Guzmán and other members of the Sinaloa cartel while he was in prison

    Emma Coronel Aispuro, the wife of the imprisoned drug kingpin Joaquín “El Chapo” Guzmán has been sentenced to three years in a US prison, after she pleaded guilty to helping the Sinaloa drug cartel.

    Before her sentencing in a federal court in Washington, Coronel, 32, pleaded with US District Judge Rudolph Contreras to show her mercy.

    Continue reading...", - "content": "

    Coronel admitted to acting as a courier between Joaquín Guzmán and other members of the Sinaloa cartel while he was in prison

    Emma Coronel Aispuro, the wife of the imprisoned drug kingpin Joaquín “El Chapo” Guzmán has been sentenced to three years in a US prison, after she pleaded guilty to helping the Sinaloa drug cartel.

    Before her sentencing in a federal court in Washington, Coronel, 32, pleaded with US District Judge Rudolph Contreras to show her mercy.

    Continue reading...", - "category": "Joaquín 'El Chapo' Guzmán", - "link": "https://www.theguardian.com/world/2021/nov/30/emma-coronel-aispuro-el-chapo-wife-sentenced-us-prison", - "creator": "Reuters in Washington", - "pubDate": "2021-11-30T19:32:22Z", + "title": "How settler violence is fuelling West Bank tension", + "description": "

    As attacks on Palestinians worsen, we speak to farmers, settlers, Israeli human rights activists, and the mother of a three-year-old boy left injured in a raid

    The assault was already under way when, having hastily collected her youngest child from a neighbour, Baraa Hamamda, 24, ran home to find her three-year-old son, Mohammed, lying in a small pool of blood and apparently lifeless on the bare floor where she had left him asleep. “I thought that’s it, he’s dead,” she says. “He won’t come back.”

    Mohammed wasn’t dead, though he wouldn’t regain consciousness for more than 11 hours, having been struck on the head by a stone thrown through a window by an Israeli settler, one of dozens who had invaded the isolated village of Al Mufakara, in the West Bank’s rocky, arid south Hebron hills.

    Continue reading...", + "content": "

    As attacks on Palestinians worsen, we speak to farmers, settlers, Israeli human rights activists, and the mother of a three-year-old boy left injured in a raid

    The assault was already under way when, having hastily collected her youngest child from a neighbour, Baraa Hamamda, 24, ran home to find her three-year-old son, Mohammed, lying in a small pool of blood and apparently lifeless on the bare floor where she had left him asleep. “I thought that’s it, he’s dead,” she says. “He won’t come back.”

    Mohammed wasn’t dead, though he wouldn’t regain consciousness for more than 11 hours, having been struck on the head by a stone thrown through a window by an Israeli settler, one of dozens who had invaded the isolated village of Al Mufakara, in the West Bank’s rocky, arid south Hebron hills.

    Continue reading...", + "category": "Palestinian territories", + "link": "https://www.theguardian.com/world/2021/nov/28/israel-palestine-west-bank-settler-violence-tension", + "creator": "Donald Macintyre & Quique Kierszenbaum in Al Mufakara", + "pubDate": "2021-11-28T10:00:23Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130816,36 +157253,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "d2fccf5aba070699aa5de58a1f47eff7" + "hash": "1a454b27a8a1971a6e02f4317484d760" }, { - "title": "Praise for Prince Charles after ‘historic’ slavery condemnation", - "description": "

    Equality campaigners say remarks made as Barbados became a republic are ‘start of a grown-up conversation’

    The Prince of Wales’s acknowledgment of the “appalling atrocity of slavery” that “forever stains our history” as Barbados became a republic was brave, historic, and the start of a “grown-up conversation led by a future king”, equality campaigners have said.

    Uttering words his mother, the Queen, would be constitutionally constrained from saying, Prince Charles’s speech, at the ceremony to replace the monarch as head of state in the island nation, did not demur from reflecting on the “darkest days of our past” as he looked to a bright future for Barbadians.

    Continue reading...", - "content": "

    Equality campaigners say remarks made as Barbados became a republic are ‘start of a grown-up conversation’

    The Prince of Wales’s acknowledgment of the “appalling atrocity of slavery” that “forever stains our history” as Barbados became a republic was brave, historic, and the start of a “grown-up conversation led by a future king”, equality campaigners have said.

    Uttering words his mother, the Queen, would be constitutionally constrained from saying, Prince Charles’s speech, at the ceremony to replace the monarch as head of state in the island nation, did not demur from reflecting on the “darkest days of our past” as he looked to a bright future for Barbadians.

    Continue reading...", - "category": "Prince Charles", - "link": "https://www.theguardian.com/uk-news/2021/nov/30/praise-for-prince-charles-after-historic-slavery-condemnation-barbados", - "creator": "Caroline Davies", - "pubDate": "2021-11-30T15:49:30Z", + "title": "Tonga’s drug crisis: Why a tiny Pacific island is struggling with a meth epidemic", + "description": "

    Spike in drug use has caused problems across Tongan society, with arrests doubling in two years and children severely affected

    After more than four decades spent living in New Zealand, Ned Cook knew it was time to return to his home country of Tonga.

    His country was in the grip of a methamphetamine epidemic that was ripping families apart and overrunning the country’s hospitals and jails. Cook, a trained drug and alcohol abuse counsellor, with a history of drug abuse himself, had been preparing for years to return to Tonga to combat it.

    Continue reading...", + "content": "

    Spike in drug use has caused problems across Tongan society, with arrests doubling in two years and children severely affected

    After more than four decades spent living in New Zealand, Ned Cook knew it was time to return to his home country of Tonga.

    His country was in the grip of a methamphetamine epidemic that was ripping families apart and overrunning the country’s hospitals and jails. Cook, a trained drug and alcohol abuse counsellor, with a history of drug abuse himself, had been preparing for years to return to Tonga to combat it.

    Continue reading...", + "category": "Tonga", + "link": "https://www.theguardian.com/world/2021/nov/28/tongas-drug-crisis-why-a-tiny-pacific-island-is-struggling-with-a-meth-epidemic", + "creator": "Joshua Mcdonald", + "pubDate": "2021-11-27T19:00:07Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "714e52f67eff185cca043506feae55d7" + "hash": "8b7eac78ba8c458861ab3dfe67268848" }, { - "title": "EU advice on inclusive language withdrawn after rightwing outcry", - "description": "

    Guidelines promoted use of ‘holiday season’ instead of Christmas and advised against saying ‘man-made’

    An internal European Commission document advising officials to use inclusive language such as “holiday season” rather than Christmas and avoid terms such as “man-made” has been withdrawn after an outcry from rightwing politicians.

    The EU executive’s volte-face over the guidelines, launched by the commissioner for equality, Helena Dalli, at the end of October, was prompted by an article in the Italian tabloid il Giornale, which claimed it amounted to an attempt to “cancel Christmas”.

    Continue reading...", - "content": "

    Guidelines promoted use of ‘holiday season’ instead of Christmas and advised against saying ‘man-made’

    An internal European Commission document advising officials to use inclusive language such as “holiday season” rather than Christmas and avoid terms such as “man-made” has been withdrawn after an outcry from rightwing politicians.

    The EU executive’s volte-face over the guidelines, launched by the commissioner for equality, Helena Dalli, at the end of October, was prompted by an article in the Italian tabloid il Giornale, which claimed it amounted to an attempt to “cancel Christmas”.

    Continue reading...", - "category": "European Commission", - "link": "https://www.theguardian.com/world/2021/nov/30/eu-advice-on-inclusive-language-withdrawn-after-rightwing-outcry", - "creator": "Daniel Boffey in Brussels", - "pubDate": "2021-11-30T15:41:19Z", + "title": "Australian government’s ‘anti-troll’ legislation would allow social media users to sue bullies", + "description": "

    Laws would require companies to reveal users’ identities but experts say focus on defamation will not help curb rates of online bullying

    The Australian government is set to introduce some of the toughest “anti-troll” legislation in the world, but experts say its focus on defamation will not help curb the rates of online bullying or cyberhate.

    On Sunday prime minister, Scott Morrison, announced his government would introduce legislation to parliament this week that would make social media companies reveal the identities of anonymous trolling accounts and offer a pathway to sue those people for defamation.

    Continue reading...", + "content": "

    Laws would require companies to reveal users’ identities but experts say focus on defamation will not help curb rates of online bullying

    The Australian government is set to introduce some of the toughest “anti-troll” legislation in the world, but experts say its focus on defamation will not help curb the rates of online bullying or cyberhate.

    On Sunday prime minister, Scott Morrison, announced his government would introduce legislation to parliament this week that would make social media companies reveal the identities of anonymous trolling accounts and offer a pathway to sue those people for defamation.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/nov/28/coalition-bill-would-force-social-media-companies-to-reveal-identities-of-online-bullies", + "creator": "Cait Kelly", + "pubDate": "2021-11-28T07:30:51Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130856,16 +157293,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "aa402c9748fc8759cfa207c3f2f432cf" + "hash": "58614878615250929ebf1498ca6a2a44" }, { - "title": "UK spy chief suggests Beijing risks ‘miscalculation’ over west’s resolve", - "description": "

    Island’s status and surveillance technology making China ‘single greatest priority’ for MI6

    China is at risk of “miscalculating through over-confidence” over Taiwan, said the MI6 head, Richard Moore, in a statement clearly intended to warn Beijing to back off any attempt to seize control of the island.

    Giving a rare speech, Britain’s foreign intelligence chief said in London that China was at risk of “believing its own propaganda” and that the country had become “the single greatest priority” for MI6 for the first time in its history.

    Continue reading...", - "content": "

    Island’s status and surveillance technology making China ‘single greatest priority’ for MI6

    China is at risk of “miscalculating through over-confidence” over Taiwan, said the MI6 head, Richard Moore, in a statement clearly intended to warn Beijing to back off any attempt to seize control of the island.

    Giving a rare speech, Britain’s foreign intelligence chief said in London that China was at risk of “believing its own propaganda” and that the country had become “the single greatest priority” for MI6 for the first time in its history.

    Continue reading...", - "category": "MI6", - "link": "https://www.theguardian.com/uk-news/2021/nov/30/uk-spy-chief-suggests-that-beijing-risks-miscalculation-over-resolve-of-west", - "creator": "Dan Sabbagh Defence and security editor", - "pubDate": "2021-11-30T15:47:23Z", + "title": "Omicron: everything you need to know about new Covid variant", + "description": "

    Key questions answered about coronavirus variant first detected in southern Africa

    The variant was initially referred to as B.1.1.529, but on Friday was designated as a variant of concern (VOC) by the World Health Organization because of its “concerning” mutations and because “preliminary evidence suggests an increased risk of reinfection with this variant”. The WHO system assigns such variants a Greek letter, to provide a non-stigmatising label that does not associate new variants with the location where they were first detected. The new variant has been called Omicron.

    Continue reading...", + "content": "

    Key questions answered about coronavirus variant first detected in southern Africa

    The variant was initially referred to as B.1.1.529, but on Friday was designated as a variant of concern (VOC) by the World Health Organization because of its “concerning” mutations and because “preliminary evidence suggests an increased risk of reinfection with this variant”. The WHO system assigns such variants a Greek letter, to provide a non-stigmatising label that does not associate new variants with the location where they were first detected. The new variant has been called Omicron.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/26/vaccine-resistant-what-scientists-know-new-covid-variant", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-11-26T18:52:02Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130876,36 +157313,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "7fc0aa5e0eb12be3070c5c854d31ceb0" + "hash": "6064dcbbd21c7acb5c206a13ce8ddb20" }, { - "title": "Far-right TV pundit Éric Zemmour to run for French presidency", - "description": "

    It is time to ‘save’ France, controversial figure says as he reads video speech posted on social media

    Éric Zemmour, a controversial French far-right TV pundit who has convictions for inciting racial hatred, has declared he will run for president next spring, claiming he wants to “save” traditional France from “disappearing”.

    In a 10-minute video posted on social media, Zemmour sat at a desk reading a speech in front of an old-fashioned microphone, designed to look like Charles de Gaulle’s famous June 1940 broadcast to Nazi-occupied France – provoking anger from the traditional Gaullist right.

    Continue reading...", - "content": "

    It is time to ‘save’ France, controversial figure says as he reads video speech posted on social media

    Éric Zemmour, a controversial French far-right TV pundit who has convictions for inciting racial hatred, has declared he will run for president next spring, claiming he wants to “save” traditional France from “disappearing”.

    In a 10-minute video posted on social media, Zemmour sat at a desk reading a speech in front of an old-fashioned microphone, designed to look like Charles de Gaulle’s famous June 1940 broadcast to Nazi-occupied France – provoking anger from the traditional Gaullist right.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/nov/30/far-right-tv-pundit-eric-zemmour-to-run-for-french-presidency", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-11-30T17:04:46Z", + "title": "What should the UK do now? Experts on responses to the new Covid variant", + "description": "

    Analysis: From the red list to winter plan B, scientists consider what tools are best to counter B.1.1.529

    Despite the UK’s much-vaunted vaccination programme, and scientists’ ever-growing understanding of Covid-19, Britain and the rest of the world face the challenge of a new, potentially more transmissible variant just a month before Christmas.

    While Sajid Javid, the health secretary, announced the red-listing of six southern African countries and said “we must act with caution”, he ruled out immediate new Covid measures including triggering winter plan B – which would involve working from home, mask-wearing and Covid passports.

    Continue reading...", + "content": "

    Analysis: From the red list to winter plan B, scientists consider what tools are best to counter B.1.1.529

    Despite the UK’s much-vaunted vaccination programme, and scientists’ ever-growing understanding of Covid-19, Britain and the rest of the world face the challenge of a new, potentially more transmissible variant just a month before Christmas.

    While Sajid Javid, the health secretary, announced the red-listing of six southern African countries and said “we must act with caution”, he ruled out immediate new Covid measures including triggering winter plan B – which would involve working from home, mask-wearing and Covid passports.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/26/with-so-little-known-about-new-covid-variant-uk-must-act-fast-say-experts", + "creator": "Nicola Davis Science correspondent", + "pubDate": "2021-11-26T16:33:11Z", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d9dc1f442233b446139fb0f00d38def7" + "hash": "316a97e32985780235f4985274344d25" }, { - "title": "Chain reaction: Canadian MP complains about minister’s video bike backdrop", - "description": "

    Conservative Ed Fast was mocked after accusing Steven Guilbeault of making ‘statement about his environmental cred’

    A conservative Canadian MP has accused the country’s environment minister of breaching parliamentary protocol after his bicycle appeared on screen during a hybrid session of parliament.

    Conservative MP Ed Fast said minister Steven Guilbeault’s purple bicycle, hung on the wall behind him, was a blatant attempt to “make a statement about his environmental cred”.

    Continue reading...", - "content": "

    Conservative Ed Fast was mocked after accusing Steven Guilbeault of making ‘statement about his environmental cred’

    A conservative Canadian MP has accused the country’s environment minister of breaching parliamentary protocol after his bicycle appeared on screen during a hybrid session of parliament.

    Conservative MP Ed Fast said minister Steven Guilbeault’s purple bicycle, hung on the wall behind him, was a blatant attempt to “make a statement about his environmental cred”.

    Continue reading...", - "category": "Canada", - "link": "https://www.theguardian.com/world/2021/nov/30/canada-minister-bicycle-video-steven-guilbeault", - "creator": "Leyland Cecco in Toronto", - "pubDate": "2021-11-30T16:49:38Z", + "title": "Macron calls for greater cooperation from UK over refugee Channel crossings – video", + "description": "

    Emmanuel Macron has stressed the need to develop 'stronger and responsible' partnerships with Britain and Europe after at least 27 people, including women and children, died on Wednesday trying to cross the Channel on an inflatable boat.

    Speaking on Thursday, the French president said: 'When these men and women reach the shores of the Channel, it is already too late.'

    British and French leaders have traded accusations after the tragedy

    Continue reading...", + "content": "

    Emmanuel Macron has stressed the need to develop 'stronger and responsible' partnerships with Britain and Europe after at least 27 people, including women and children, died on Wednesday trying to cross the Channel on an inflatable boat.

    Speaking on Thursday, the French president said: 'When these men and women reach the shores of the Channel, it is already too late.'

    British and French leaders have traded accusations after the tragedy

    Continue reading...", + "category": "Emmanuel Macron", + "link": "https://www.theguardian.com/world/video/2021/nov/25/emmanuel-macron-calls-greater-cooperation-uk-refugee-channel-crossings-video", + "creator": "", + "pubDate": "2021-11-25T16:01:19Z", "enclosure": "", "enclosureType": "", "image": "", @@ -130916,7009 +157353,7068 @@ "favorite": false, "created": false, "tags": [], - "hash": "f76e86afde76fc715bcbe09eedf0e3f4" + "hash": "9bf3990ff9eeee934515b5a7e14a92a3" }, { - "title": "Omicron Covid variant ‘present in Europe at least 10 days ago’", - "description": "

    Two cases of new Covid variant found in Netherlands predate last week’s alert from South Africa

    The Omicron variant of Covid-19 was present in Europe at least 10 days ago and already appears to be spreading in the Netherlands and elsewhere.

    “We have found the Omicron coronavirus variant in two test samples that were taken on November 19 and 23,” the Dutch health ministry said in a statement on Tuesday. “It is not yet clear whether these people had also visited southern Africa,” the ministry added.

    Continue reading...", - "content": "

    Two cases of new Covid variant found in Netherlands predate last week’s alert from South Africa

    The Omicron variant of Covid-19 was present in Europe at least 10 days ago and already appears to be spreading in the Netherlands and elsewhere.

    “We have found the Omicron coronavirus variant in two test samples that were taken on November 19 and 23,” the Dutch health ministry said in a statement on Tuesday. “It is not yet clear whether these people had also visited southern Africa,” the ministry added.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/30/omicron-covid-variant-present-in-europe-at-least-10-days-ago", - "creator": "Peter Beaumont", - "pubDate": "2021-11-30T18:43:18Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australia Covid news live: country braces for Omicron as states and territories tighten border restrictions on overseas arrivals", + "description": "

    Concerns new Covid variant is already in NSW and NT; UK, Germany and Italy detect cases. Follow all the day’s news live


    The Nothern Territory has two new Covid-19 cases, including an international traveller from South Africa.

    Our friends at AAP have the story:

    The Northern Territory has two new COVID-19 cases, one an arrival on a repatriation flight from South Africa where the new and heavily mutated Omicron variant has been detected.

    Authorities as yet have no genomic sequencing in relation to the passenger’s infection strain, Health Minister Natasha Fyles says.

    Continue reading...", + "content": "

    Concerns new Covid variant is already in NSW and NT; UK, Germany and Italy detect cases. Follow all the day’s news live


    The Nothern Territory has two new Covid-19 cases, including an international traveller from South Africa.

    Our friends at AAP have the story:

    The Northern Territory has two new COVID-19 cases, one an arrival on a repatriation flight from South Africa where the new and heavily mutated Omicron variant has been detected.

    Authorities as yet have no genomic sequencing in relation to the passenger’s infection strain, Health Minister Natasha Fyles says.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/28/australia-covid-news-omicron-corona-nsw-victoria-nt-uk-europe-politics-canberra-morrison-andrews-perrottet-gunner-africa-", + "creator": "Justine Landis-Hanley", + "pubDate": "2021-11-27T21:55:34Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "705223468833c3032dd121c16c0e3f92" + "hash": "202bfd06a1f5eb96350ac0266f78bbd0" }, { - "title": "All adults to be offered third Covid jab by end of January, says Boris Johnson", - "description": "

    PM tells Downing Street press conference temporary vaccine centres will be ‘popping up like Christmas trees’

    Every eligible adult in the UK should be offered a Covid booster by the end of January as ministers race to increase protection against the Omicron variant, Boris Johnson has announced.

    “We’re going to be throwing everything at it, to ensure everyone eligible is offered a booster in just over two months,” the prime minister said, adding that he would be getting his own third vaccine on Thursday.

    Continue reading...", - "content": "

    PM tells Downing Street press conference temporary vaccine centres will be ‘popping up like Christmas trees’

    Every eligible adult in the UK should be offered a Covid booster by the end of January as ministers race to increase protection against the Omicron variant, Boris Johnson has announced.

    “We’re going to be throwing everything at it, to ensure everyone eligible is offered a booster in just over two months,” the prime minister said, adding that he would be getting his own third vaccine on Thursday.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/30/all-adults-to-be-offered-third-covid-jab-by-end-of-january-says-boris-johnson", - "creator": "Heather Stewart Political editor", - "pubDate": "2021-11-30T16:39:05Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Niger: two killed and 17 injured in clash with French military convoy", + "description": "

    Force used against protesters who blocked vehicles amid rising anger over France’s presence in former colonies

    At least two people were killed and 18 injured in western Niger on Saturday when protesters clashed with a French military convoy they blocked after it crossed the border from Burkina Faso, Niger’s government said.

    The armoured vehicles and logistics trucks had crossed the border on Friday after being blocked in Burkina Faso for a week by demonstrations there against French forces’ failure to stop mounting violence by Islamist militants.

    Continue reading...", + "content": "

    Force used against protesters who blocked vehicles amid rising anger over France’s presence in former colonies

    At least two people were killed and 18 injured in western Niger on Saturday when protesters clashed with a French military convoy they blocked after it crossed the border from Burkina Faso, Niger’s government said.

    The armoured vehicles and logistics trucks had crossed the border on Friday after being blocked in Burkina Faso for a week by demonstrations there against French forces’ failure to stop mounting violence by Islamist militants.

    Continue reading...", + "category": "Niger", + "link": "https://www.theguardian.com/world/2021/nov/27/niger-two-killed-and-17-injured-in-clash-with-french-military-convoy", + "creator": "Reuters", + "pubDate": "2021-11-27T21:02:13Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b9f523d8d7a11221c6b0341495b3d91" + "hash": "64d0103ee3b488c85a38b9182703e5da" }, { - "title": "Outrage as Fox News commentator likens Anthony Fauci to Nazi doctor", - "description": "

    Lara Logan compares top US infectious diseases expert to Dr Josef Mengele who experimented on Jews in concentration camps

    A Fox News commentator stoked outrage by comparing Dr Anthony Fauci, Joe Biden’s chief medical adviser, to Josef Mengele, the Nazi “Angel of Death”.

    Lara Logan, a host on the Fox Nation streaming service, was discussing Omicron on Fox News Prime Time on Monday night, amid fears that the new variant will trigger a new wave of Covid cases and further deepen political divisions over how to respond. Fox News has consistently broadcast misinformation about Covid and measures to contain it.

    Continue reading...", - "content": "

    Lara Logan compares top US infectious diseases expert to Dr Josef Mengele who experimented on Jews in concentration camps

    A Fox News commentator stoked outrage by comparing Dr Anthony Fauci, Joe Biden’s chief medical adviser, to Josef Mengele, the Nazi “Angel of Death”.

    Lara Logan, a host on the Fox Nation streaming service, was discussing Omicron on Fox News Prime Time on Monday night, amid fears that the new variant will trigger a new wave of Covid cases and further deepen political divisions over how to respond. Fox News has consistently broadcast misinformation about Covid and measures to contain it.

    Continue reading...", - "category": "Anthony Fauci", - "link": "https://www.theguardian.com/us-news/2021/nov/30/anthony-fauci-josef-mengele-fox-news", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-11-30T17:52:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Atmospheric rivers’ threaten new floods in hard-hit Washington state", + "description": "

    Western areas still assessing millions of dollars’ worth of damage from flooding earlier this month

    Residents in Washington state were on Saturday preparing for possible flooding as “atmospheric rivers” once again threatened parts of the US north-west, which saw heavy damage from such extreme weather earlier this month.

    Flood watches were issued for much of western and north-central Washington and the National Weather Service (NWS) warned that flooding was possible through Sunday in north-western Washington.

    Continue reading...", + "content": "

    Western areas still assessing millions of dollars’ worth of damage from flooding earlier this month

    Residents in Washington state were on Saturday preparing for possible flooding as “atmospheric rivers” once again threatened parts of the US north-west, which saw heavy damage from such extreme weather earlier this month.

    Flood watches were issued for much of western and north-central Washington and the National Weather Service (NWS) warned that flooding was possible through Sunday in north-western Washington.

    Continue reading...", + "category": "Washington state", + "link": "https://www.theguardian.com/us-news/2021/nov/26/atmospheric-rivers-floods-washington-state", + "creator": "Associated Press in Bellingham, Washington", + "pubDate": "2021-11-27T20:27:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eca52d0960a7194327db579eea536657" + "hash": "87a43bbbb1f1c718d1e27ad2499dffea" }, { - "title": "Barbados’s icon: why Rihanna’s national hero status is so apt", - "description": "

    Honoured by her newly independent country, Rihanna has always proudly worn her Bajan heritage – broadening her sound from her Caribbean roots, while staying true to them

    Rihanna’s designation as a national hero of Barbados, to coincide with the country’s transition to an independent republic, could not be more apt. Not only has she been an official ambassador for culture and youth in the country since 2018, the singer remains the country’s most famous citizen and indeed advocate. She has never softened her Bajan accent, and her music, while tapping into pop, R&B and dance music, has remained rich with her Caribbean heritage.

    In her investiture ceremony, the country’s prime minister Mia Mottley addressed the pop singer, fashion icon and hugely successful entrepreneur as “ambassador Robyn Rihanna Fenty: may you continue to shine like a diamond” – a reference to 2012’s global hit Diamonds – “and bring honour to your nation, by your words, by your actions, and to do credit wherever you shall go. God bless you, my dear.”

    Continue reading...", - "content": "

    Honoured by her newly independent country, Rihanna has always proudly worn her Bajan heritage – broadening her sound from her Caribbean roots, while staying true to them

    Rihanna’s designation as a national hero of Barbados, to coincide with the country’s transition to an independent republic, could not be more apt. Not only has she been an official ambassador for culture and youth in the country since 2018, the singer remains the country’s most famous citizen and indeed advocate. She has never softened her Bajan accent, and her music, while tapping into pop, R&B and dance music, has remained rich with her Caribbean heritage.

    In her investiture ceremony, the country’s prime minister Mia Mottley addressed the pop singer, fashion icon and hugely successful entrepreneur as “ambassador Robyn Rihanna Fenty: may you continue to shine like a diamond” – a reference to 2012’s global hit Diamonds – “and bring honour to your nation, by your words, by your actions, and to do credit wherever you shall go. God bless you, my dear.”

    Continue reading...", - "category": "Rihanna", - "link": "https://www.theguardian.com/music/2021/nov/30/barbadoss-icon-why-rihannas-national-hero-status-is-so-apt", - "creator": "Ben Beaumont-Thomas", - "pubDate": "2021-11-30T15:37:29Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Fundraiser for US man exonerated after 43 years in prison tops $1.4m", + "description": "
    • Kevin Strickland, 62, wrongly convicted of 1978 triple murder
    • Says criminal justice system ‘needs to be torn down and redone’

    By mid-afternoon on Saturday, a fundraiser for a man who spent 43 years in prison before a judge in Missouri this week overturned his conviction in a triple murder had raised more than $1.4m.

    The Midwest Innocence Project set up the GoFundMe page as it fought for the release of Kevin Strickland, 62, noting that he would not receive compensation from the state and would need help paying basic living expenses while struggling with extensive health problems.

    Continue reading...", + "content": "
    • Kevin Strickland, 62, wrongly convicted of 1978 triple murder
    • Says criminal justice system ‘needs to be torn down and redone’

    By mid-afternoon on Saturday, a fundraiser for a man who spent 43 years in prison before a judge in Missouri this week overturned his conviction in a triple murder had raised more than $1.4m.

    The Midwest Innocence Project set up the GoFundMe page as it fought for the release of Kevin Strickland, 62, noting that he would not receive compensation from the state and would need help paying basic living expenses while struggling with extensive health problems.

    Continue reading...", + "category": "US crime", + "link": "https://www.theguardian.com/us-news/2021/nov/27/kevin-strickland-exonerated-murder-wrongful-conviction-gofundme", + "creator": "Edward Helmore and agencies", + "pubDate": "2021-11-27T20:01:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "073b13a302594707319220f30c05eedb" + "hash": "65bb9af223df2a5f17832a237a718e2b" }, { - "title": "‘The women are cannon fodder’: how Succession shows the horrors of misogyny", - "description": "

    Season three of the daddy issues drama speaks volumes about the monstrous Man Club that rules society – and even billionaire’s daughter Shiv Roy can’t escape its sadistic clutches

    Everyone eats their share of dung beetle surprise on Succession – HBO’s unrepentant daddy issues drama – but the women’s portions come heavily seasoned with the patriarchy’s favourite ingredients: sexism and misogyny. Even billionaire’s daughter Shiv Roy (played by Sarah Snook) can’t escape it. “It’s only your teats that give you any value,” her brother Kendall (Jeremy Strong) shouts after she rejects his offer to join him in another one of his patricidal business plans. Even before then, he couldn’t help but put a pin in her dreams of taking over the company: “You are too divisive … you’re still seen as a token woman, wonk, woke snowflake.”

    “I don’t think that, but the market does,” he explains.

    Continue reading...", - "content": "

    Season three of the daddy issues drama speaks volumes about the monstrous Man Club that rules society – and even billionaire’s daughter Shiv Roy can’t escape its sadistic clutches

    Everyone eats their share of dung beetle surprise on Succession – HBO’s unrepentant daddy issues drama – but the women’s portions come heavily seasoned with the patriarchy’s favourite ingredients: sexism and misogyny. Even billionaire’s daughter Shiv Roy (played by Sarah Snook) can’t escape it. “It’s only your teats that give you any value,” her brother Kendall (Jeremy Strong) shouts after she rejects his offer to join him in another one of his patricidal business plans. Even before then, he couldn’t help but put a pin in her dreams of taking over the company: “You are too divisive … you’re still seen as a token woman, wonk, woke snowflake.”

    “I don’t think that, but the market does,” he explains.

    Continue reading...", - "category": "Succession", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/30/the-women-are-cannon-fodder-how-succession-shows-the-horrors-of-misogyny", - "creator": "Flannery Dean", - "pubDate": "2021-11-30T15:41:59Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australia’s spy agency predicted the climate crisis 40 years ago – and fretted about coal exports", + "description": "

    In a taste of things to come, a secret Office of National Assessment report worried the ‘carbon dioxide problem’ would hurt the nation’s coal industry

    The report was stamped CONFIDENTIAL twice on each page, with the customary warning it should “not be released to any other government except Britain, Canada, NZ and US”.

    About 40 years ago this week, the spooks at Australia’s intelligence agency, the Office of National Assessments (ONA), delivered the 17-page report to prime minister Malcolm Fraser.

    Continue reading...", + "content": "

    In a taste of things to come, a secret Office of National Assessment report worried the ‘carbon dioxide problem’ would hurt the nation’s coal industry

    The report was stamped CONFIDENTIAL twice on each page, with the customary warning it should “not be released to any other government except Britain, Canada, NZ and US”.

    About 40 years ago this week, the spooks at Australia’s intelligence agency, the Office of National Assessments (ONA), delivered the 17-page report to prime minister Malcolm Fraser.

    Continue reading...", + "category": "Climate crisis", + "link": "https://www.theguardian.com/environment/2021/nov/28/australias-spy-agency-predicted-the-climate-crisis-40-years-ago-and-fretted-about-coal-exports", + "creator": "Graham Readfearn", + "pubDate": "2021-11-27T19:00:06Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "24fa0219d5f9c84c2b2bb3a354ee9458" + "hash": "cf59e9697769f8d4f551cd7f0b1446a4" }, { - "title": "Tensions run high in Hastings over small boat arrivals", - "description": "

    While many in East Sussex town have rushed to help when refugees arrive on the beach, some are less welcoming

    Ten days ago, people stood on the beach in Hastings and tried to prevent a lifeboat crew from going into the sea to rescue a group of refugees in a flimsy dinghy. According to a witness, they were shouting at the RNLI: “Don’t bring any more of those, we’re full up, that’s why we stopped our donations.”

    Meanwhile, a group from the same town calling itself Hastings Supports Refugees has set up what is thought to be the first emergency response team run by volunteers to welcome the bedraggled, traumatised newcomers and provide them with hot food and drinks, dry clothes and a warm welcome as soon as they come ashore.

    Continue reading...", - "content": "

    While many in East Sussex town have rushed to help when refugees arrive on the beach, some are less welcoming

    Ten days ago, people stood on the beach in Hastings and tried to prevent a lifeboat crew from going into the sea to rescue a group of refugees in a flimsy dinghy. According to a witness, they were shouting at the RNLI: “Don’t bring any more of those, we’re full up, that’s why we stopped our donations.”

    Meanwhile, a group from the same town calling itself Hastings Supports Refugees has set up what is thought to be the first emergency response team run by volunteers to welcome the bedraggled, traumatised newcomers and provide them with hot food and drinks, dry clothes and a warm welcome as soon as they come ashore.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/30/hastings-small-boat-arrivals-tensions-east-sussex-town", - "creator": "Diane Taylor", - "pubDate": "2021-11-30T13:04:09Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "I write while my children steal cars and rob houses: the awful human cost of racist stereotypes | Thomas Mayor", + "description": "

    Contrary to claims of failed responsibility of Indigenous parents, we in fact are calling for greater responsibility. We want to change this country for the better

    As I write this article, my children are stealing cars and robbing houses, I suppose. I am an Indigenous father – so, doesn’t that tell you everything you need to know about me as a parent, and about my children’s capacity to understand right from wrong?

    I know you sense the sarcasm in this. Well, a great, great majority of Australians would. But there is a certain type of person I am implicating here. The type who have an ignorance so deeply ingrained, that it is a wonder they haven’t wandered off into the dark recesses of our colonial history and followed each other off the edge of a cliff. Shouldn’t they be extinct?

    Proportionately, we are the most incarcerated people on the planet. We are not an innately criminal people. Our children are aliened from their families at unprecedented rates. This cannot be because we have no love for them. And our youth languish in detention in obscene numbers. They should be our hope for the future. These dimensions of our crisis tell plainly the structural nature of our problem. This is the torment of our powerlessness.

    Continue reading...", + "content": "

    Contrary to claims of failed responsibility of Indigenous parents, we in fact are calling for greater responsibility. We want to change this country for the better

    As I write this article, my children are stealing cars and robbing houses, I suppose. I am an Indigenous father – so, doesn’t that tell you everything you need to know about me as a parent, and about my children’s capacity to understand right from wrong?

    I know you sense the sarcasm in this. Well, a great, great majority of Australians would. But there is a certain type of person I am implicating here. The type who have an ignorance so deeply ingrained, that it is a wonder they haven’t wandered off into the dark recesses of our colonial history and followed each other off the edge of a cliff. Shouldn’t they be extinct?

    Proportionately, we are the most incarcerated people on the planet. We are not an innately criminal people. Our children are aliened from their families at unprecedented rates. This cannot be because we have no love for them. And our youth languish in detention in obscene numbers. They should be our hope for the future. These dimensions of our crisis tell plainly the structural nature of our problem. This is the torment of our powerlessness.

    Continue reading...", + "category": "Race", + "link": "https://www.theguardian.com/commentisfree/2021/nov/28/i-write-while-my-children-steal-cars-and-rob-houses-the-awful-human-cost-of-racist-stereotypes", + "creator": "Thomas Mayor", + "pubDate": "2021-11-27T19:00:06Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "828a109f567d4375ddca69852ce6767c" + "hash": "2d8674d3267b5269802efd3df958e98e" }, { - "title": "'Don't bring any more of those': people try to stop crew going to sea to save refugees – video", - "description": "

    The RNLI has confirmed an incident took place following claims a lifeboat crew was blocked from going to sea by people opposing the rescuing of refugees in the Channel. Hastings, which has a population of about 100,000, is on the frontline of the small boat arrivals. Refugees have been landing on its beach since 2019 but in line with the overall tripling of numbers this year there has been a huge increase, particularly in the last month.

    Continue reading...", - "content": "

    The RNLI has confirmed an incident took place following claims a lifeboat crew was blocked from going to sea by people opposing the rescuing of refugees in the Channel. Hastings, which has a population of about 100,000, is on the frontline of the small boat arrivals. Refugees have been landing on its beach since 2019 but in line with the overall tripling of numbers this year there has been a huge increase, particularly in the last month.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/video/2021/nov/30/dont-bring-any-more-of-those-people-try-to-stop-crew-going-out-to-sea-to-save-refugees-video", - "creator": "", - "pubDate": "2021-11-30T20:48:51Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A safe haven: refugee builders are being helped to a job by one of their own", + "description": "

    Hedayat Osyun’s construction company is the kind of social enterprise he would have benefited from when he came to Australia to flee the Taliban

    When a group of fellow refugees asked for help navigating the construction industry because they believed they were being exploited, Hedayat Osyun decided to go one step further.

    He started his own construction company as a social enterprise, now known as CommUnity Construction, that solely hires and trains recently arrived refugees and asylum seekers. It’s the kind of safe haven he would have benefited from as a teenager who escaped the Taliban in 2009 and arrived in Australia.

    Continue reading...", + "content": "

    Hedayat Osyun’s construction company is the kind of social enterprise he would have benefited from when he came to Australia to flee the Taliban

    When a group of fellow refugees asked for help navigating the construction industry because they believed they were being exploited, Hedayat Osyun decided to go one step further.

    He started his own construction company as a social enterprise, now known as CommUnity Construction, that solely hires and trains recently arrived refugees and asylum seekers. It’s the kind of safe haven he would have benefited from as a teenager who escaped the Taliban in 2009 and arrived in Australia.

    Continue reading...", + "category": "Australian immigration and asylum", + "link": "https://www.theguardian.com/australia-news/2021/nov/28/a-safe-haven-refugee-builders-are-being-helped-to-a-job-by-one-of-their-own", + "creator": "Mostafa Rachwani", + "pubDate": "2021-11-27T19:00:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "267758bc2608a6970808e949b8be497d" + "hash": "67876eb85ea8f538f7c457cafdd70ba3" }, { - "title": "Josephine Baker, music hall star and civil rights activist, enters Panthéon", - "description": "

    French-American war hero is first Black woman inducted into Paris mausoleum for revered figures

    Josephine Baker, the French-American civil rights activist, music hall superstar and second world war resistance hero, has become the first Black woman to enter France’s Panthéon mausoleum of revered historical figures – taking the nation’s highest honour at a moment when tensions over national identity and immigration are dominating the run-up to next year’s presidential race.

    The elaborate ceremony on Tuesday – presided over by the French president, Emmanuel Macron – focused on Baker’s legacy as a resistance fighter, activist and anti-fascist who fled the racial segregation of the 1920s US for the Paris cabaret stage, and who fought for inclusion and against hatred.

    Continue reading...", - "content": "

    French-American war hero is first Black woman inducted into Paris mausoleum for revered figures

    Josephine Baker, the French-American civil rights activist, music hall superstar and second world war resistance hero, has become the first Black woman to enter France’s Panthéon mausoleum of revered historical figures – taking the nation’s highest honour at a moment when tensions over national identity and immigration are dominating the run-up to next year’s presidential race.

    The elaborate ceremony on Tuesday – presided over by the French president, Emmanuel Macron – focused on Baker’s legacy as a resistance fighter, activist and anti-fascist who fled the racial segregation of the 1920s US for the Paris cabaret stage, and who fought for inclusion and against hatred.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/nov/30/black-french-american-rights-activist-josephine-baker-enters-pantheon", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-11-30T18:16:10Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "While Americans mark Thanksgiving, Republicans panned over Harris attack", + "description": "

    Criticism of vice-president over French cookware purchase backfires as people point out Donald Trump’s presidential largesse

    An attack on Kamala Harris for buying expensive French cookware rebounded on the Republican party over Thanksgiving, moving social media users to compare the vice-president’s culinary outlay with the cost to taxpayers of Donald Trump’s four years in power.

    On a visit to Paris earlier this month, Harris reportedly spent more than $500 on cookware at E Dehillerin, a shop near the Louvre museum. She told reporters she was making the purchase with Thanksgiving cooking in mind, prompting laughter when she said her husband, Doug Emhoff, was her “apprentice” in the kitchen.

    Continue reading...", + "content": "

    Criticism of vice-president over French cookware purchase backfires as people point out Donald Trump’s presidential largesse

    An attack on Kamala Harris for buying expensive French cookware rebounded on the Republican party over Thanksgiving, moving social media users to compare the vice-president’s culinary outlay with the cost to taxpayers of Donald Trump’s four years in power.

    On a visit to Paris earlier this month, Harris reportedly spent more than $500 on cookware at E Dehillerin, a shop near the Louvre museum. She told reporters she was making the purchase with Thanksgiving cooking in mind, prompting laughter when she said her husband, Doug Emhoff, was her “apprentice” in the kitchen.

    Continue reading...", + "category": "Kamala Harris", + "link": "https://www.theguardian.com/us-news/2021/nov/27/americans-thanksgiving-kamala-harris-cookware", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-11-27T18:41:42Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "749a7089e0322e10609ab0925c520f65" + "hash": "16ed4ab9dff1fdad611c6fde813174bf" }, { - "title": "Lust actually: Christmas movies are everywhere – and this year they’re horny", - "description": "

    Move over, Miracle on 34th Street and Elf. As we face another troubled festive season, there will be some surprisingly saucy viewing

    Name: Blue Christmas films.

    Age: New.

    Continue reading...", - "content": "

    Move over, Miracle on 34th Street and Elf. As we face another troubled festive season, there will be some surprisingly saucy viewing

    Name: Blue Christmas films.

    Age: New.

    Continue reading...", - "category": "Christmas", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/30/lust-actually-christmas-movies-are-everywhere-and-this-year-theyre-horny", - "creator": "", - "pubDate": "2021-11-30T18:16:12Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Christmas will not be cancelled’ despite tree shortage fears, Americans told", + "description": "

    American Christmas Tree Association, which represents artificial tree industry, makes pledge amid reports of looming problems

    Days after reports of shortages of Thanksgiving turkeys proved premature, the American Christmas Tree Association was moved to promise Americans that “Christmas will not be cancelled”, amid reports of looming problems.

    The statement from ACTA, which represents the artificial tree industry, came amid concern that supplies of both plastic trees and live Noble, Frazer and Balsam firs will be subject to supply chain issues and the effects of the climate crisis.

    Continue reading...", + "content": "

    American Christmas Tree Association, which represents artificial tree industry, makes pledge amid reports of looming problems

    Days after reports of shortages of Thanksgiving turkeys proved premature, the American Christmas Tree Association was moved to promise Americans that “Christmas will not be cancelled”, amid reports of looming problems.

    The statement from ACTA, which represents the artificial tree industry, came amid concern that supplies of both plastic trees and live Noble, Frazer and Balsam firs will be subject to supply chain issues and the effects of the climate crisis.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/nov/27/christmas-trees-shortage-delay-fears-america", + "creator": "Edward Helmore", + "pubDate": "2021-11-27T17:25:18Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "414e04dfc1b19f413c44814ab878ee7d" + "hash": "3078e45475728d6778dd28e0ebfbe689" }, { - "title": "‘She defined modern Germany’: Blair, Barroso and Prodi on Angela Merkel", - "description": "

    When she first took office her fellow leaders included Blair, Chirac and Bush. Three of those at her first G8 summit look back on her legacy

    European Commission president, 2004-14

    Continue reading...", - "content": "

    When she first took office her fellow leaders included Blair, Chirac and Bush. Three of those at her first G8 summit look back on her legacy

    European Commission president, 2004-14

    Continue reading...", - "category": "Angela Merkel", - "link": "https://www.theguardian.com/world/2021/nov/30/slugs-angela-merkel-blair-barroso-prodi-on-germany-leader", - "creator": "Philip Oltermann", - "pubDate": "2021-11-30T10:37:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Storm Arwen: three people killed after winds of almost 100mph hit UK", + "description": "

    Tens of thousands of homes left without electricity, with yellow weather warnings still in place for many regions

    Three people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight.

    A headteacher in Northern Ireland died after a tree fell on his car, another man was hit by a falling tree in Cumbria, and a third died after his car was hit in Aberdeenshire.

    Continue reading...", + "content": "

    Tens of thousands of homes left without electricity, with yellow weather warnings still in place for many regions

    Three people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight.

    A headteacher in Northern Ireland died after a tree fell on his car, another man was hit by a falling tree in Cumbria, and a third died after his car was hit in Aberdeenshire.

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/2021/nov/27/storm-arwen-two-people-killed-after-winds-of-almost-100mph-hit-uk", + "creator": "Léonie Chao-Fong", + "pubDate": "2021-11-27T16:57:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5665f3da0df2747eaf5dc88d7b6ab22d" + "hash": "4f62130930e62e903721435bd63ca1e3" }, { - "title": "There Is No Evil review – passionate plea against Iran’s soul-poisoning executions", - "description": "

    Dissident Mohammad Rasoulof blasts against his country’s profligate use of capital punishment that includes making citizens carry out death sentences

    Maybe you don’t go to Iranian cinema for nail-biting action and suspense. But that’s what you are given in this arresting portmanteau film, the Golden Bear winner at last year’s Berlin film festival. It is written and directed by film-maker and democracy campaigner Mohammad Rasoulof, who has repeatedly been victimised by the Iranian government for his dissident “propaganda” – most recently, in 2020, with a one-year prison sentence and two-year ban on film-making. As with Rasoulof’s fellow Iranian director Jafar Panahi, a ban of this sort can be finessed, by playing on the government’s strange pedantry and hypocrisy. If the film is technically registered to someone else and shown outside Iran at international film festivals where its appearance boosts Iran’s cultural prestige, the authorities appear to let it slide, though persist with harassment.

    There Is No Evil consists of four short stories – with twists and ingeniously concealed interconnections – on the topic of the death penalty and how it is poisoning the country’s soul. Hundreds of people are executed a year in Iran, including children. Execution of the condemned criminal is the job of civilian functionaries but also widely carried out by soldiers doing compulsory national service.

    Continue reading...", - "content": "

    Dissident Mohammad Rasoulof blasts against his country’s profligate use of capital punishment that includes making citizens carry out death sentences

    Maybe you don’t go to Iranian cinema for nail-biting action and suspense. But that’s what you are given in this arresting portmanteau film, the Golden Bear winner at last year’s Berlin film festival. It is written and directed by film-maker and democracy campaigner Mohammad Rasoulof, who has repeatedly been victimised by the Iranian government for his dissident “propaganda” – most recently, in 2020, with a one-year prison sentence and two-year ban on film-making. As with Rasoulof’s fellow Iranian director Jafar Panahi, a ban of this sort can be finessed, by playing on the government’s strange pedantry and hypocrisy. If the film is technically registered to someone else and shown outside Iran at international film festivals where its appearance boosts Iran’s cultural prestige, the authorities appear to let it slide, though persist with harassment.

    There Is No Evil consists of four short stories – with twists and ingeniously concealed interconnections – on the topic of the death penalty and how it is poisoning the country’s soul. Hundreds of people are executed a year in Iran, including children. Execution of the condemned criminal is the job of civilian functionaries but also widely carried out by soldiers doing compulsory national service.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/nov/30/there-is-no-evil-review-passionate-plea-against-irans-soul-poisoning-executions", - "creator": "Peter Bradshaw", - "pubDate": "2021-11-30T10:00:13Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "WTA still ‘deeply concerned’ over Peng Shuai’s ability to communicate freely", + "description": "

    Statement says Chinese player’s responses to chief of sport body were ‘clearly’ influenced by others

    The Women’s Tennis Association (WTA) has said it remains “deeply concerned” about the Chinese tennis star Peng Shuai, weeks after she disappeared following her allegations against a high-ranking Chinese former politician.

    The WTA said in an email statement on Saturday that its chief executive, Steve Simon, had attempted to contact Peng through “various communication channels” including two emails. It said it was concerned about her welfare and ability to communicate freely and that her responses were “clearly” influenced by others.

    Continue reading...", + "content": "

    Statement says Chinese player’s responses to chief of sport body were ‘clearly’ influenced by others

    The Women’s Tennis Association (WTA) has said it remains “deeply concerned” about the Chinese tennis star Peng Shuai, weeks after she disappeared following her allegations against a high-ranking Chinese former politician.

    The WTA said in an email statement on Saturday that its chief executive, Steve Simon, had attempted to contact Peng through “various communication channels” including two emails. It said it was concerned about her welfare and ability to communicate freely and that her responses were “clearly” influenced by others.

    Continue reading...", + "category": "Peng Shuai", + "link": "https://www.theguardian.com/sport/2021/nov/27/womens-tennis-association-remains-deeply-concerned-over-peng-shuai", + "creator": "Harry Taylor", + "pubDate": "2021-11-27T16:33:11Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5efcb5ff2d6c96ff371db3d0cda88a70" + "hash": "57788169f50a95832e6c7621bddaeb8e" }, { - "title": "Trump chief of staff Meadows to cooperate with Capitol attack panel – live", - "description": "

    Mark Meadows, formerly Donald Trump’s chief of staff, has reached an agreement to cooperate, at least initially, with the bipartisan House committee investigating the insurrection at the US Capitol on January 6 this year by extremist supporters of the-then president, according to CNN.

    Meadows is providing records and agreeing to appear for an initial interview, the cable news company is reporting in an exclusive published moments ago.

    Meadows’ lawyer George Terwilliger said in a statement to CNN that there is now an understanding between the two parties on how information can be exchanged moving forward, stating that his client and the committee are open to engaging on a certain set of topics as they work out how to deal with information that the committee is seeking that could fall under executive privilege.

    But the agreement could be fragile if the two sides do not agree on what is privileged information. News of the understanding comes as Trump’s lawyers argued in front of a federal appeals court in Washington that the former President should be able to assert executive privilege over records from the committee.

    Continue reading...", - "content": "

    Mark Meadows, formerly Donald Trump’s chief of staff, has reached an agreement to cooperate, at least initially, with the bipartisan House committee investigating the insurrection at the US Capitol on January 6 this year by extremist supporters of the-then president, according to CNN.

    Meadows is providing records and agreeing to appear for an initial interview, the cable news company is reporting in an exclusive published moments ago.

    Meadows’ lawyer George Terwilliger said in a statement to CNN that there is now an understanding between the two parties on how information can be exchanged moving forward, stating that his client and the committee are open to engaging on a certain set of topics as they work out how to deal with information that the committee is seeking that could fall under executive privilege.

    But the agreement could be fragile if the two sides do not agree on what is privileged information. News of the understanding comes as Trump’s lawyers argued in front of a federal appeals court in Washington that the former President should be able to assert executive privilege over records from the committee.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/nov/30/us-congress-government-shutdown-washington-us-politics-live", - "creator": "Vivian Ho", - "pubDate": "2021-11-30T21:54:54Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Controversial Pegasus spyware faces its day of reckoning | John Naughton", + "description": "

    The infamous hacking tool is now at the centre of international lawsuits thanks to a courageous research lab

    If you were compiling a list of the most toxic tech companies, Facebook – strangely – would not come out on top. First place belongs to NSO, an outfit of which most people have probably never heard. Wikipedia tells us that “NSO Group is an Israeli technology firm primarily known for its proprietary spyware Pegasus, which is capable of remote zero-click surveillance of smartphones”.

    Pause for a moment on that phrase: “remote zero-click surveillance of smartphones”. Most smartphone users assume that the ability of a hacker to penetrate their device relies upon the user doing something careless or naive – clicking on a weblink, or opening an attachment. And in most cases they would be right in that assumption. But Pegasus can get in without the user doing anything untoward. And once in, it turns everything on the device into an open book for whoever deployed the malware.

    Continue reading...", + "content": "

    The infamous hacking tool is now at the centre of international lawsuits thanks to a courageous research lab

    If you were compiling a list of the most toxic tech companies, Facebook – strangely – would not come out on top. First place belongs to NSO, an outfit of which most people have probably never heard. Wikipedia tells us that “NSO Group is an Israeli technology firm primarily known for its proprietary spyware Pegasus, which is capable of remote zero-click surveillance of smartphones”.

    Pause for a moment on that phrase: “remote zero-click surveillance of smartphones”. Most smartphone users assume that the ability of a hacker to penetrate their device relies upon the user doing something careless or naive – clicking on a weblink, or opening an attachment. And in most cases they would be right in that assumption. But Pegasus can get in without the user doing anything untoward. And once in, it turns everything on the device into an open book for whoever deployed the malware.

    Continue reading...", + "category": "Surveillance", + "link": "https://www.theguardian.com/commentisfree/2021/nov/27/notorious-pegasus-spyware-faces-its-day-of-reckoning", + "creator": "John Naughton", + "pubDate": "2021-11-27T16:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fdb9513c2416fea2c844303406eb8b60" + "hash": "3f4d711e55d2d555f90bb146a74d9a65" }, { - "title": "Speed, decisiveness, cooperation: how a tiny Taiwanese village overcame Delta", - "description": "

    A rural community of 5,500 people, with an under-resourced health system, came together to take on Covid. International news editor Bonnie Malkin introduces this story about a community effort to confront Delta


    You can read the original article here: Speed, decisiveness, cooperation: how a tiny Taiwan village overcame Delta


    Continue reading...", - "content": "

    A rural community of 5,500 people, with an under-resourced health system, came together to take on Covid. International news editor Bonnie Malkin introduces this story about a community effort to confront Delta


    You can read the original article here: Speed, decisiveness, cooperation: how a tiny Taiwan village overcame Delta


    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/audio/2021/dec/01/speed-decisiveness-cooperation-how-a-tiny-taiwanese-village-overcame-delta", - "creator": "Hosted by Jane Lee. Recommended by Bonnie Malkin. Written by Helen Davidson. Read by Jason Chong. Produced by Camilla Hannan, Daniel Semo and Allison Chan. Executive producers Gabrielle Jackson and Melanie Tait", - "pubDate": "2021-11-30T16:30:09Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The James Webb space telescope: in search of the secrets of the Milky Way", + "description": "

    Billions of dollars over budget and years late, the most expensive, complex telescope to be sent into space will launch next month. What will it learn?

    In a few weeks, the most ambitious, costly robot probe ever built, the £6.8bn James Webb space telescope, will be blasted into space on top of a giant European Ariane 5 rocket. The launch of the observatory – which has been plagued by decades of delays and massive cost overruns – promises to be the most nervously watched liftoff in the history of unmanned space exploration.

    The observatory – built by Nasa with European and Canadian space agency collaboration – has been designed to revolutionise our study of the early universe and to pinpoint possible life-supporting planets inside our galaxy. However, its planning and construction have taken more than 30 years, with the project suffering cancellation threats, political controversies and further tribulations. In the process, several other scientific projects had to be cancelled to meet the massive, swelling price tag of the observatory. As the journal Nature put it, this is “the telescope that ate astronomy”.

    Continue reading...", + "content": "

    Billions of dollars over budget and years late, the most expensive, complex telescope to be sent into space will launch next month. What will it learn?

    In a few weeks, the most ambitious, costly robot probe ever built, the £6.8bn James Webb space telescope, will be blasted into space on top of a giant European Ariane 5 rocket. The launch of the observatory – which has been plagued by decades of delays and massive cost overruns – promises to be the most nervously watched liftoff in the history of unmanned space exploration.

    The observatory – built by Nasa with European and Canadian space agency collaboration – has been designed to revolutionise our study of the early universe and to pinpoint possible life-supporting planets inside our galaxy. However, its planning and construction have taken more than 30 years, with the project suffering cancellation threats, political controversies and further tribulations. In the process, several other scientific projects had to be cancelled to meet the massive, swelling price tag of the observatory. As the journal Nature put it, this is “the telescope that ate astronomy”.

    Continue reading...", + "category": "James Webb space telescope", + "link": "https://www.theguardian.com/science/2021/nov/27/james-webb-space-telescope-launch-delays-cost-big-bang", + "creator": "Robin McKie", + "pubDate": "2021-11-27T16:00:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85a86b06ea77484f2a6c74760511bfc2" + "hash": "6d160a8da29b1d65e0e6e8fb2bd6a185" }, { - "title": "Australia news updates live: bigger quarantine fines in NSW over Omicron; parliament under pressure on second-last day", - "description": "

    Labor reportedly ditching fuel emissions standards policy; penalties of $5,000 for those who fail to comply with quarantine or testing requirements come into force as authorities attempt to curb the Omicron Covid variant – follow the day’s news live

    Scott Morrison was asked about his senator David Van’s interjections in the senate yesterday, and he had this to say:

    I expect all parliamentary leaders to be seeking to be uphold those standards have been in the Parliament a long time. Just last week the interjections that I was hearing in the chamber coming across, I mean, these are things that all parliamentary leaders continue to have to uphold the standards of and I expect that of my team and I was very, very disappointed about that.

    In February this year, I spoke about integrity and conduct. Politics is about perception, and, regrettably, the public perception of our politicians is not good. Repeatedly, politicians from local, state and federal ranks have acted without integrity and contributed to the ongoing and deteriorating perception of the body politic.

    In any survey about the most trusted professions in our society, politicians usually rank amongst the lowest, and why wouldn’t this be the case, given the continued exposure of questionable activities over the years? Whether it’s alleged lies in election campaigns, dodgy preselections, misappropriation of public monies, personal benefits resulting from insider information, monies sequestered in overseas tax havens, abuse of office for personal advantage, dodgy land deals or connections with foreign governments, the list goes on and on.

    Continue reading...", - "content": "

    Labor reportedly ditching fuel emissions standards policy; penalties of $5,000 for those who fail to comply with quarantine or testing requirements come into force as authorities attempt to curb the Omicron Covid variant – follow the day’s news live

    Scott Morrison was asked about his senator David Van’s interjections in the senate yesterday, and he had this to say:

    I expect all parliamentary leaders to be seeking to be uphold those standards have been in the Parliament a long time. Just last week the interjections that I was hearing in the chamber coming across, I mean, these are things that all parliamentary leaders continue to have to uphold the standards of and I expect that of my team and I was very, very disappointed about that.

    In February this year, I spoke about integrity and conduct. Politics is about perception, and, regrettably, the public perception of our politicians is not good. Repeatedly, politicians from local, state and federal ranks have acted without integrity and contributed to the ongoing and deteriorating perception of the body politic.

    In any survey about the most trusted professions in our society, politicians usually rank amongst the lowest, and why wouldn’t this be the case, given the continued exposure of questionable activities over the years? Whether it’s alleged lies in election campaigns, dodgy preselections, misappropriation of public monies, personal benefits resulting from insider information, monies sequestered in overseas tax havens, abuse of office for personal advantage, dodgy land deals or connections with foreign governments, the list goes on and on.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/dec/01/australia-news-updates-live-covid-omicron-scott-morrison-parliament-nsw-victoria-coronavirus-travel-restrictions-quarantine-australian-politics", - "creator": "Amy Remeikis", - "pubDate": "2021-11-30T21:53:07Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New York governor warns of Covid rise as US braces for Omicron arrival", + "description": "

    Kathy Hochul orders elective operations to be postponed until at least 15 January in state where two-thirds are fully vaccinated

    New York, one of the states hit hardest and earliest by Covid-19, is taking steps to limit a new winter wave of infections as transmission rates approach those of April 2020 and the US braces for the Omicron variant, discovered in southern Africa.

    Late on Friday, Governor Kathy Hochul said: “While the new Omicron variant has yet to be detected in New York state, it’s coming.”

    Continue reading...", + "content": "

    Kathy Hochul orders elective operations to be postponed until at least 15 January in state where two-thirds are fully vaccinated

    New York, one of the states hit hardest and earliest by Covid-19, is taking steps to limit a new winter wave of infections as transmission rates approach those of April 2020 and the US braces for the Omicron variant, discovered in southern Africa.

    Late on Friday, Governor Kathy Hochul said: “While the new Omicron variant has yet to be detected in New York state, it’s coming.”

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/nov/27/new-york-governor-covid-coronavirus-omicron-variant", + "creator": "Edward Helmore in New York", + "pubDate": "2021-11-27T15:21:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2b369f56837691bc909079fac4959ff" + "hash": "45e09c7a5757abca896a099769f925b7" }, { - "title": "Botswana upholds ruling decriminalising same-sex relationships", - "description": "

    Court of appeal decision hailed as victory for LGBTQ+ community that could encourage other African countries to follow suit

    Gay rights campaigners expressed joy at the Botswana court of appeal’s decision to uphold a ruling that decriminalised same-sex relationships, saying the country’s judiciary had set an example for other African countries.

    The government had appealed a 2019 ruling that criminalising homosexuality was unconstitutional. The ruling had been hailed as a major victory for gay rights campaigners on the continent, following an unsuccessful attempt in Kenya to repeal colonial-era laws criminalising gay sex.

    Continue reading...", - "content": "

    Court of appeal decision hailed as victory for LGBTQ+ community that could encourage other African countries to follow suit

    Gay rights campaigners expressed joy at the Botswana court of appeal’s decision to uphold a ruling that decriminalised same-sex relationships, saying the country’s judiciary had set an example for other African countries.

    The government had appealed a 2019 ruling that criminalising homosexuality was unconstitutional. The ruling had been hailed as a major victory for gay rights campaigners on the continent, following an unsuccessful attempt in Kenya to repeal colonial-era laws criminalising gay sex.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/29/botswana-upholds-ruling-decriminalising-same-sex-relationships", - "creator": "Nyasha Chingono in Harare", - "pubDate": "2021-11-29T15:58:05Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "UK officials still blocking Peter Wright’s ‘embarrassing’ Spycatcher files", + "description": "

    A documentary-maker has accused the Cabinet Office of defying the 30-year rule in withholding details of the MI5 exposé

    The Cabinet Office has been accused of “delay and deception” over its blocking of the release of files dating back more than three decades that reveal the inside story of the intelligence agent Peter Wright and the Spycatcher affair.

    Wright revealed an inside account of how MI5 “bugged and burgled” its way across London in his 1987 autobiography Spycatcher. He died aged 78 in 1995.

    Continue reading...", + "content": "

    A documentary-maker has accused the Cabinet Office of defying the 30-year rule in withholding details of the MI5 exposé

    The Cabinet Office has been accused of “delay and deception” over its blocking of the release of files dating back more than three decades that reveal the inside story of the intelligence agent Peter Wright and the Spycatcher affair.

    Wright revealed an inside account of how MI5 “bugged and burgled” its way across London in his 1987 autobiography Spycatcher. He died aged 78 in 1995.

    Continue reading...", + "category": "Espionage", + "link": "https://www.theguardian.com/world/2021/nov/27/inside-story-of-peter-wrights-spycatcher-blocked-by-cabinet-office-delay-and-deception", + "creator": "Jon Ungoed-Thomas", + "pubDate": "2021-11-27T15:18:59Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86777d060ccbc058c1a17360ed0df5ac" + "hash": "43f6a1b7cf244d575773e1aa1b35bd89" }, { - "title": "Can the Gambia turn the tide to save its shrinking beaches?", - "description": "

    In a developing country reliant on its tourist industry, the rapidly eroding ‘smiling coast’ shows the urgent need for action on climate change

    When Saikou Demba was a young man starting out in the hospitality business, he opened a little hotel on the Gambian coast called the Leybato and ran a beach bar on the wide expanse of golden sand. The hotel is still there, a relaxed spot where guests can lie in hammocks beneath swaying palm trees and stroll along shell-studded pathways. But the beach bar is not. At high tide, Demba reckons it would be about five or six metres into the sea.

    “The first year the tide came in high but it was OK,” he says. “The second year, the tide came in high but it was OK. The third year, I came down one day and it [the bar] wasn’t there: half of it went into the sea.”

    Continue reading...", - "content": "

    In a developing country reliant on its tourist industry, the rapidly eroding ‘smiling coast’ shows the urgent need for action on climate change

    When Saikou Demba was a young man starting out in the hospitality business, he opened a little hotel on the Gambian coast called the Leybato and ran a beach bar on the wide expanse of golden sand. The hotel is still there, a relaxed spot where guests can lie in hammocks beneath swaying palm trees and stroll along shell-studded pathways. But the beach bar is not. At high tide, Demba reckons it would be about five or six metres into the sea.

    “The first year the tide came in high but it was OK,” he says. “The second year, the tide came in high but it was OK. The third year, I came down one day and it [the bar] wasn’t there: half of it went into the sea.”

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/28/can-the-gambia-turn-the-tide-to-save-its-shrinking-beaches", - "creator": "Lizzy Davies in Fajara", - "pubDate": "2021-11-28T13:00:27Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New UK Covid measures to be announced to tackle Omicron spread", + "description": "

    Prime minister to set out new rules as health officials race to track down those infected with Covid variant

    Boris Johnson is to announce further measures to curb the spread of coronavirus after two cases of the Omicron variant were detected in the UK.

    Four more African countries will be added to the government’s red list with immediate effect from Sunday and Sajid Javid, the health secretary, has ordered targeted testing in two areas in England.

    Continue reading...", + "content": "

    Prime minister to set out new rules as health officials race to track down those infected with Covid variant

    Boris Johnson is to announce further measures to curb the spread of coronavirus after two cases of the Omicron variant were detected in the UK.

    Four more African countries will be added to the government’s red list with immediate effect from Sunday and Sajid Javid, the health secretary, has ordered targeted testing in two areas in England.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/27/two-cases-of-omicron-covid-variant-identified-in-uk", + "creator": "Andrew Gregory, Health Editor", + "pubDate": "2021-11-27T15:14:50Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c62f2ec4fe1b5df4b1183fa65c85eee1" + "hash": "578caef70b44d6825ba74397ef1a66f9" }, { - "title": "Channel crossings: who would make such a dangerous journey – and why?", - "description": "

    Most of the people who reach the UK after risking their lives in small boats have their claims for asylum approved

    Last week’s tragedy in the Channel has reopened the debate on how to stop people making dangerous crossings, with the solutions presented by the government focused on how to police the waters.

    Less has been said about where those people come from, with most fleeing conflicts and persecution. About two-thirds of people arriving on small boats between January 2020 and May 2021 were from Iran, Iraq, Sudan and Syria. Many also came from Eritrea, from where 80% of asylum applications were approved.

    Continue reading...", - "content": "

    Most of the people who reach the UK after risking their lives in small boats have their claims for asylum approved

    Last week’s tragedy in the Channel has reopened the debate on how to stop people making dangerous crossings, with the solutions presented by the government focused on how to police the waters.

    Less has been said about where those people come from, with most fleeing conflicts and persecution. About two-thirds of people arriving on small boats between January 2020 and May 2021 were from Iran, Iraq, Sudan and Syria. Many also came from Eritrea, from where 80% of asylum applications were approved.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/28/channel-crossings-asylum-refugees-dangerous-journey", - "creator": "Kaamil Ahmed", - "pubDate": "2021-11-28T07:30:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "UK minister downplays tensions with France over Channel crossings crisis", + "description": "

    Damian Hinds says PM’s published letter to Emmanuel Macron was ‘exceptionally supportive’ and insists ‘partnership is strong’

    A Home Office minister has downplayed the diplomatic row between France and the UK over the refugee crisis in the Channel, insisting it was time to “draw up new creative solutions”.

    The British prime minister, Boris Johnson, and the French president, Emmanuel Macron, clashed earlier this week over how to deal with people attempting to cross the Channel in small boats as they flee war, poverty and persecution.

    Continue reading...", + "content": "

    Damian Hinds says PM’s published letter to Emmanuel Macron was ‘exceptionally supportive’ and insists ‘partnership is strong’

    A Home Office minister has downplayed the diplomatic row between France and the UK over the refugee crisis in the Channel, insisting it was time to “draw up new creative solutions”.

    The British prime minister, Boris Johnson, and the French president, Emmanuel Macron, clashed earlier this week over how to deal with people attempting to cross the Channel in small boats as they flee war, poverty and persecution.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/27/uk-minister-downplays-tensions-with-france-over-channel-crossings-crisis", + "creator": "Aamna Mohdin", + "pubDate": "2021-11-27T15:10:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e48b4a14fe7d164ad4b0aded46c112e0" + "hash": "a0f7ab35661cffffb34ea37eb7a95b25" }, { - "title": "‘We will start again’: Afghan female MPs fight on from parliament in exile", - "description": "

    From Greece the women are advocating for fellow refugees – and those left behind under Taliban rule

    It is a Saturday morning in November, and Afghan MP Nazifa Yousufi Bek gathers up her notes and prepares to head for the office. But instead of jumping in an armoured car bound for the mahogany-lined parliament in Kabul, her journey is by bus from a Greek hotel to a migrants’ organisation in the centre of Athens. There, taking her place on a folding chair, she inaugurates the Afghan women’s parliament in – exile.

    “Our people have nothing. Mothers are selling their children,” she tells a room packed with her peers. “We must raise our voices, we must put a stop to this,” says Yousufi Bek, 35, who fled Afghanistan with her husband and three young children after the Taliban swept to power in August. Some around her nod in agreement; others quietly weep.

    Continue reading...", - "content": "

    From Greece the women are advocating for fellow refugees – and those left behind under Taliban rule

    It is a Saturday morning in November, and Afghan MP Nazifa Yousufi Bek gathers up her notes and prepares to head for the office. But instead of jumping in an armoured car bound for the mahogany-lined parliament in Kabul, her journey is by bus from a Greek hotel to a migrants’ organisation in the centre of Athens. There, taking her place on a folding chair, she inaugurates the Afghan women’s parliament in – exile.

    “Our people have nothing. Mothers are selling their children,” she tells a room packed with her peers. “We must raise our voices, we must put a stop to this,” says Yousufi Bek, 35, who fled Afghanistan with her husband and three young children after the Taliban swept to power in August. Some around her nod in agreement; others quietly weep.

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/global-development/2021/nov/27/we-will-start-again-afghan-female-mps-now-refugees-are-still-fighting-for-rights", - "creator": "Amie Ferris-Rotman", - "pubDate": "2021-11-27T12:00:03Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘I have an outsider’s perspective’: why Will Sharpe is the A-List’s new favourite director", + "description": "

    The actor-director won a Bafta for his performance in Giri/Haji. Hailed as a star in the making by Olivia Colman​ and others, he discusses the true stories that inspired his new projects behind the camera

    Will Sharpe has only been surfing a couple of times, but he really loved it. “So I’m not a surfer, I’m not very good at it, I’ve been twice,” clarifies the 35-year-old English-Japanese actor, writer and director. “But there’s something about being in this huge, loud, ‘other’ force and I never feel calmer than when I’m underwater in the sea. I just really took to it.”

    Sharpe sees parallels with his work, which has so far included the surreal, darkly funny sitcom Flowers starring Julian Barratt and Olivia Colman that he created for Channel 4, and a magnetic performance as sarcastic, self-destructive Rodney in the BBC drama Giri/Haji, which earned him a Bafta in 2020 for best supporting actor. “When I came back to writing, having been surfing, I found myself reflecting on how there are certain similarities: you have to get everything technically right, but you’re still at the mercy of this much greater power,” he says. “And how 95% of the time you are getting the shit kicked out of you, but the 5% of the time that it works, it’s so exhilarating you just want to do it again straight away.”

    Continue reading...", + "content": "

    The actor-director won a Bafta for his performance in Giri/Haji. Hailed as a star in the making by Olivia Colman​ and others, he discusses the true stories that inspired his new projects behind the camera

    Will Sharpe has only been surfing a couple of times, but he really loved it. “So I’m not a surfer, I’m not very good at it, I’ve been twice,” clarifies the 35-year-old English-Japanese actor, writer and director. “But there’s something about being in this huge, loud, ‘other’ force and I never feel calmer than when I’m underwater in the sea. I just really took to it.”

    Sharpe sees parallels with his work, which has so far included the surreal, darkly funny sitcom Flowers starring Julian Barratt and Olivia Colman that he created for Channel 4, and a magnetic performance as sarcastic, self-destructive Rodney in the BBC drama Giri/Haji, which earned him a Bafta in 2020 for best supporting actor. “When I came back to writing, having been surfing, I found myself reflecting on how there are certain similarities: you have to get everything technically right, but you’re still at the mercy of this much greater power,” he says. “And how 95% of the time you are getting the shit kicked out of you, but the 5% of the time that it works, it’s so exhilarating you just want to do it again straight away.”

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/nov/27/will-sharpe-interview-landscapers-electrical-louis-wain-flowers-giri-haji", + "creator": "Tim Lewis", + "pubDate": "2021-11-27T15:00:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dab63ede33a36ebb9573fefad7567307" + "hash": "e277554f0a9e037d4fbf290fd770a310" }, { - "title": "‘Taste this, it’s salty’: how rising seas are ruining the Gambia’s rice farmers", - "description": "

    The farmers, mostly women, once grew enough but must now buy imported rice as the climate crisis edges them into poverty

    In the sweltering heat of the late-morning west African sun, Aminata Jamba slashes at golden rice stalks with a sickle. “The rice is lovely,” she says, music playing in the background as her son, Sampa, silently harvests the grain. But even if the quality is high, the quantity is not.

    While once Jamba could have expected to harvest enough rice to last the whole year, this year she reckons it will last three to four months. After that, she will have to look elsewhere for a way to feed her family and make enough money to live.

    Continue reading...", - "content": "

    The farmers, mostly women, once grew enough but must now buy imported rice as the climate crisis edges them into poverty

    In the sweltering heat of the late-morning west African sun, Aminata Jamba slashes at golden rice stalks with a sickle. “The rice is lovely,” she says, music playing in the background as her son, Sampa, silently harvests the grain. But even if the quality is high, the quantity is not.

    While once Jamba could have expected to harvest enough rice to last the whole year, this year she reckons it will last three to four months. After that, she will have to look elsewhere for a way to feed her family and make enough money to live.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/27/taste-this-its-salty-how-rising-seas-are-ruining-the-gambias-rice-farmers", - "creator": "Lizzy Davies in Kerewan", - "pubDate": "2021-11-27T07:15:50Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Succession’s plot twist prompts surge of interest in leaving money in wills to Greenpeace", + "description": "

    When Cousin Greg was disinherited by his grandfather in favour of the environmental group, inquiries about such legacies soared

    In one bewildering and painful scene in the hit TV drama Succession, Cousin Greg sees his future of ease and wealth turn to dust. His grandfather, Ewan, announces he is giving away his entire fortune to Greenpeace, depriving Greg of his inheritance.

    Now Greenpeace is hoping to benefit in real life as well as in the fictional world of the media conglomerate Waystar Royco. Thousands of people have looked into leaving money to the environmental group since the darkly comic storyline about Cousin Greg losing his inheritance and then threatening to sue the organisation was broadcast. More than 22,000 people have accessed online advice about making donations in their wills to Greenpeace. The group’s legacy webpage has also seen a tenfold surge in traffic since the episode was first broadcast earlier this month.

    Continue reading...", + "content": "

    When Cousin Greg was disinherited by his grandfather in favour of the environmental group, inquiries about such legacies soared

    In one bewildering and painful scene in the hit TV drama Succession, Cousin Greg sees his future of ease and wealth turn to dust. His grandfather, Ewan, announces he is giving away his entire fortune to Greenpeace, depriving Greg of his inheritance.

    Now Greenpeace is hoping to benefit in real life as well as in the fictional world of the media conglomerate Waystar Royco. Thousands of people have looked into leaving money to the environmental group since the darkly comic storyline about Cousin Greg losing his inheritance and then threatening to sue the organisation was broadcast. More than 22,000 people have accessed online advice about making donations in their wills to Greenpeace. The group’s legacy webpage has also seen a tenfold surge in traffic since the episode was first broadcast earlier this month.

    Continue reading...", + "category": "Greenpeace", + "link": "https://www.theguardian.com/environment/2021/nov/27/successions-plot-twist-prompts-thousands-to-leave-money-to-greenpeace-in-their-wills", + "creator": "Tom Wall", + "pubDate": "2021-11-27T15:00:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3181c0bf9e2897f646662cc05878b19d" + "hash": "0bae7f75661fd32e4777894bd247a290" }, { - "title": "Despite reports of milder symptoms Omicron should not be understimated", - "description": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", - "content": "

    While anecdotal accounts suggest the variant may cause less severe illness and it will take weeks for definitive data

    As the world scrambles to contain the new variant, some are hopefully seizing on anecdotal reports from South Africa that it may cause only mild illness. But although previous variants of the coronavirus have been associated with different symptoms and severity, it would be dangerous to assume that Omicron is a viral pussy cat, experts say.

    At a briefing convened by South Africa’s Department of Health on Monday, Unben Pillay, a GP from practising in Midrand on the outskirts of Johannesburg, said that while “it is still early days” the cases he was seeing were typically mild: “We are seeing patients present with dry cough, fever, night sweats and a lot of body pains. Vaccinated people tend to do much better.”

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/30/despite-reports-of-milder-symptoms-omicron-should-not-be-understimated", - "creator": "Linda Geddes Science correspondent and Nick Dall in Cape Town", - "pubDate": "2021-11-30T05:00:06Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How a writer found himself in a missing person story", + "description": "

    While working on a book about missing persons, Francisco Garcia received a message that turned his life upside down. Here he reflects on love, loss and the enduring promise of reunion

    Despite the cold, it had been a decent day. Late March is sometimes like that in London. More winter than spring, the grass often still frozen half solid underfoot. It’s rarely a time that speaks too loudly of renewal. This year wasn’t any different, as far as I can remember. The occasion that afternoon was a friend’s 30th birthday party, if that’s what you’d call a few faintly desultory beers in a barren Peckham Rye Park.

    Back at home, my partner and I had settled down to watch a florid period drama. About half an hour in, that’s when it happened: the moment my life changed. My phone lit up with an unfamiliar name on Facebook Messenger. “Hello Francisco, this might be a shock. It’s your father’s family in Spain. Twenty years may have passed, but we have always remembered you.”

    Continue reading...", + "content": "

    While working on a book about missing persons, Francisco Garcia received a message that turned his life upside down. Here he reflects on love, loss and the enduring promise of reunion

    Despite the cold, it had been a decent day. Late March is sometimes like that in London. More winter than spring, the grass often still frozen half solid underfoot. It’s rarely a time that speaks too loudly of renewal. This year wasn’t any different, as far as I can remember. The occasion that afternoon was a friend’s 30th birthday party, if that’s what you’d call a few faintly desultory beers in a barren Peckham Rye Park.

    Back at home, my partner and I had settled down to watch a florid period drama. About half an hour in, that’s when it happened: the moment my life changed. My phone lit up with an unfamiliar name on Facebook Messenger. “Hello Francisco, this might be a shock. It’s your father’s family in Spain. Twenty years may have passed, but we have always remembered you.”

    Continue reading...", + "category": "Family", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/27/how-a-writer-found-himself-in-a-missing-person-story", + "creator": "Francisco Garcia", + "pubDate": "2021-11-27T14:00:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "941684e571366a828dba743099960dce" + "hash": "c6d2327d89a40bf10e6a9e85df44fd22" }, { - "title": "Nothing can stop Iran’s World Cup heroes. Except war, of course…", - "description": "

    The ‘Persian Leopards’ are going great guns on the football field, but at nuclear talks in Vienna a far more dangerous game is being played

    There is a strikingly topsy-turvy, Saturnalian feel to recent qualifying matches for the 2022 football World Cup. Saudi Arabia (population 35 million) beat China (population 1.4 billion). Canada lead the US in their group. Four-time winners Italy failed to defeat lowly Northern Ireland.

    Pursuing an unbeaten run full of political symbolism, unfancied Iran are also over the moon after subjugating the neighbourhood, as is their habit. Iraq, Syria, Lebanon and the UAE all succumbed to the soar‑away “Persian Leopards”.

    Continue reading...", - "content": "

    The ‘Persian Leopards’ are going great guns on the football field, but at nuclear talks in Vienna a far more dangerous game is being played

    There is a strikingly topsy-turvy, Saturnalian feel to recent qualifying matches for the 2022 football World Cup. Saudi Arabia (population 35 million) beat China (population 1.4 billion). Canada lead the US in their group. Four-time winners Italy failed to defeat lowly Northern Ireland.

    Pursuing an unbeaten run full of political symbolism, unfancied Iran are also over the moon after subjugating the neighbourhood, as is their habit. Iraq, Syria, Lebanon and the UAE all succumbed to the soar‑away “Persian Leopards”.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/nov/28/nothing-can-stop-irans-world-cup-heroes-except-war-of-course", - "creator": "Simon Tisdall", - "pubDate": "2021-11-28T09:00:22Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "George Orwell: how romantic walks with girlfriends inspired Nineteen Eighty-Four", + "description": "

    Details from 50 newly released letters echo scenes between Winston and Julia in the dystopian novel

    The feeling of longing for a lost love can be powerful, and George Orwell makes full use of it in his work. In Nineteen Eighty-Four, his great dystopian novel, the hero Winston Smith’s memories of walks taken with Julia, the woman he can never have, give the story its humanity.

    Now a stash of largely unseen private correspondence, handed over to an academic archive on Friday by the author’s son, reveal just how large a role romantic nostalgia played in Orwell’s own life. The contents are also proof that the writer was an unlikely but enthusiastic ice-skater.

    Continue reading...", + "content": "

    Details from 50 newly released letters echo scenes between Winston and Julia in the dystopian novel

    The feeling of longing for a lost love can be powerful, and George Orwell makes full use of it in his work. In Nineteen Eighty-Four, his great dystopian novel, the hero Winston Smith’s memories of walks taken with Julia, the woman he can never have, give the story its humanity.

    Now a stash of largely unseen private correspondence, handed over to an academic archive on Friday by the author’s son, reveal just how large a role romantic nostalgia played in Orwell’s own life. The contents are also proof that the writer was an unlikely but enthusiastic ice-skater.

    Continue reading...", + "category": "George Orwell", + "link": "https://www.theguardian.com/books/2021/nov/27/george-orwell-how-romantic-walks-with-girlfriends-inspired-nineteen-eighty-four", + "creator": "Vanessa Thorpe", + "pubDate": "2021-11-27T14:00:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9c4c5de92d019f47104ec149a2f53fd2" + "hash": "46e27e413ef8f3b2dbe796bb66bd59ed" }, { - "title": "Jill Biden decks the White House halls for Christmas – in pictures", - "description": "

    The theme for the 2021 White House holiday season is Gifts from the Heart. According to Jill Biden’s office, about 6,000ft of ribbon, more than 300 candles and more than 10,000 ornaments were used this year to decorate. There are also 41 Christmas trees throughout the White House

    Continue reading...", - "content": "

    The theme for the 2021 White House holiday season is Gifts from the Heart. According to Jill Biden’s office, about 6,000ft of ribbon, more than 300 candles and more than 10,000 ornaments were used this year to decorate. There are also 41 Christmas trees throughout the White House

    Continue reading...", - "category": "Jill Biden", - "link": "https://www.theguardian.com/us-news/gallery/2021/nov/30/white-house-christmas-decorations-pictures-gallery", - "creator": "", - "pubDate": "2021-11-30T06:00:08Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Covid live: suspected German and Czech Omicron cases; UK expert says pandemic ‘reboot’ unlikely", + "description": "

    61 travellers from South Africa test positive for Covid in Netherlands; unequal sharing of Covid vaccines likely to lead to more variants, thinktank warns; travel bans target countries across southern Africa

    The UK should cut the gap between the second dose of a Covid-19 vaccination and the booster jab from six to five months, the Labour party said on Saturday, Reuters reports.

    As the new Omicron variant sparked concern around the world, Alex Norris, Labour’s junior health spokesperson, said:

    This new variant is a wake-up call.

    The pandemic is not over. We need to urgently bolster our defences to keep the virus at bay.

    If you look at where most of the mutations are, they are similar to regions of the spike protein that have been seen with other variants so far and that tells you that despite mutations existing in other variants, the vaccines have continued to prevent very severe disease as we’ve moved through Alpha, Beta, Gamma and Delta.

    At least from a speculative point of view we have some optimism that the vaccine should still work against this variant for severe disease but really we need to wait several weeks to have that confirmed.

    The processes of how one goes about developing a new vaccine are increasingly well oiled.

    So if it’s needed that is something that could be moved very rapidly.

    Continue reading...", + "content": "

    61 travellers from South Africa test positive for Covid in Netherlands; unequal sharing of Covid vaccines likely to lead to more variants, thinktank warns; travel bans target countries across southern Africa

    The UK should cut the gap between the second dose of a Covid-19 vaccination and the booster jab from six to five months, the Labour party said on Saturday, Reuters reports.

    As the new Omicron variant sparked concern around the world, Alex Norris, Labour’s junior health spokesperson, said:

    This new variant is a wake-up call.

    The pandemic is not over. We need to urgently bolster our defences to keep the virus at bay.

    If you look at where most of the mutations are, they are similar to regions of the spike protein that have been seen with other variants so far and that tells you that despite mutations existing in other variants, the vaccines have continued to prevent very severe disease as we’ve moved through Alpha, Beta, Gamma and Delta.

    At least from a speculative point of view we have some optimism that the vaccine should still work against this variant for severe disease but really we need to wait several weeks to have that confirmed.

    The processes of how one goes about developing a new vaccine are increasingly well oiled.

    So if it’s needed that is something that could be moved very rapidly.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/nov/27/covid-news-live-omicron-variant-spreads-to-europe-countries-rush-to-impose-travel-bans-on-southern-africa", + "creator": "Léonie Chao-Fong (now) , Harry Taylor Aamna Mohdin and Samantha Lock (earlier)", + "pubDate": "2021-11-27T13:28:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "761a58582d4f15a1e8f87b221f8204e5" + "hash": "caecbd751e483cb52442a6f35aeaa4ca" }, { - "title": "Trucks overturn and buildings collapse as extreme winds hit Turkey – video", - "description": "

    Four people, including a foreign national, were killed and at least 19 were injured in Istanbul on Monday as extreme winds battered Turkey's biggest city and its surrounding regions, the governor's office said. The wild weather caused at least two lorries to overturn, blocking traffic on a busy highway in Istanbul. The winds have knocked down buildings and lifted concrete slabs off roofs and walls

    Continue reading...", - "content": "

    Four people, including a foreign national, were killed and at least 19 were injured in Istanbul on Monday as extreme winds battered Turkey's biggest city and its surrounding regions, the governor's office said. The wild weather caused at least two lorries to overturn, blocking traffic on a busy highway in Istanbul. The winds have knocked down buildings and lifted concrete slabs off roofs and walls

    Continue reading...", - "category": "Turkey", - "link": "https://www.theguardian.com/world/video/2021/nov/29/trucks-overturn-and-buildings-collapse-as-extreme-winds-hit-turkey-video", - "creator": "", - "pubDate": "2021-11-29T18:49:48Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ilhan Omar: Lauren Boebert’s ‘Jihad Squad’ bigotry is ‘no laughing matter’", + "description": "

    Islamophobic remarks by Lauren Boebert are “no laughing matter”, Ilhan Omar said, demanding action from congressional leaders – after the Colorado Republican said sorry.

    “Saying I am a suicide bomber is no laughing matter,” the Minnesota Democrat tweeted. “[House Republican leader] Kevin McCarthy and [Speaker] Nancy Pelosi need to take appropriate action, normalising this bigotry not only endangers my life but the lives of all Muslims. Anti-Muslim bigotry has no place in Congress.”

    Continue reading...", + "content": "

    Islamophobic remarks by Lauren Boebert are “no laughing matter”, Ilhan Omar said, demanding action from congressional leaders – after the Colorado Republican said sorry.

    “Saying I am a suicide bomber is no laughing matter,” the Minnesota Democrat tweeted. “[House Republican leader] Kevin McCarthy and [Speaker] Nancy Pelosi need to take appropriate action, normalising this bigotry not only endangers my life but the lives of all Muslims. Anti-Muslim bigotry has no place in Congress.”

    Continue reading...", + "category": "Ilhan Omar", + "link": "https://www.theguardian.com/us-news/2021/nov/27/ilhan-omar-lauren-boebert-bigotry-republicans-trump-pelosi-mccarthy", + "creator": "Martin Pengelly in New York", + "pubDate": "2021-11-27T13:09:58Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "f170607ec014ef647b4acf76018ec651" + "hash": "a58f5eaaa3968412fc977337705d659a" }, { - "title": "Sajid Javid outlines changes to Covid vaccine booster programme – video", - "description": "

    Sajid Javid has announced changes to the UK's coronavirus vaccine booster programme, including advising that all adults in the country should be offered third doses from just three months after their second vaccinations. Speaking in the Commons, the health secretary outlined this and other changes aimed at speeding up booster vaccinations as the government scrambles to limit the spread of the new Omicron variant

    Continue reading...", - "content": "

    Sajid Javid has announced changes to the UK's coronavirus vaccine booster programme, including advising that all adults in the country should be offered third doses from just three months after their second vaccinations. Speaking in the Commons, the health secretary outlined this and other changes aimed at speeding up booster vaccinations as the government scrambles to limit the spread of the new Omicron variant

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/29/sajid-javid-outlines-changes-to-covid-vaccine-booster-programme-video", - "creator": "", - "pubDate": "2021-11-29T16:50:45Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What connects Janet Jackson’s ‘wardrobe malfunction’ to Shonda Rhimes and John Singleton?", + "description": "

    From the Super Bowl to groundbreaking cinema: we jump down the rabbit hole, via a detour to Britney Spears

    A new documentary, Malfunction: The Dressing Down of Janet Jackson, has revisited the infamous “wardrobe malfunction” at the 2004 Super Bowl half-time show, when Justin Timberlake exposed one of Janet Jackson’s breasts – and nipple adornment – for about a half a second, causing America to lose its collective mind in a manner that was unfathomable then and remains unfathomable now.

    Continue reading...", + "content": "

    From the Super Bowl to groundbreaking cinema: we jump down the rabbit hole, via a detour to Britney Spears

    A new documentary, Malfunction: The Dressing Down of Janet Jackson, has revisited the infamous “wardrobe malfunction” at the 2004 Super Bowl half-time show, when Justin Timberlake exposed one of Janet Jackson’s breasts – and nipple adornment – for about a half a second, causing America to lose its collective mind in a manner that was unfathomable then and remains unfathomable now.

    Continue reading...", + "category": "Janet Jackson", + "link": "https://www.theguardian.com/culture/2021/nov/27/janet-jackson-wardrobe-malfunction-shonda-rhimes-john-singleton-connection", + "creator": "Larry Ryan", + "pubDate": "2021-11-27T13:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7dd99b9012b4ec917416b3c8e7ef0885" + "hash": "e2779dcb9dc8de51de67c5d0bc1a9d17" }, { - "title": "Omicron Covid variant cases expected to rise, says UK health minister – video", - "description": "

    The UK health minister, Edward Argar, has said he expects cases of the new Omicron Covid variant to rise after a number of infections were confirmed in Britain. New restrictions are being imposed this week in an attempt to limit the spread of the variant, first identified in South Africa, which scientists fear could be highly transmissible and evade some vaccine protections.

    Argar reiterated comments that ministers were hopeful that 'swift, precautionary steps' would mean no extra measures would be needed to combat the new variant.

    Continue reading...", - "content": "

    The UK health minister, Edward Argar, has said he expects cases of the new Omicron Covid variant to rise after a number of infections were confirmed in Britain. New restrictions are being imposed this week in an attempt to limit the spread of the variant, first identified in South Africa, which scientists fear could be highly transmissible and evade some vaccine protections.

    Argar reiterated comments that ministers were hopeful that 'swift, precautionary steps' would mean no extra measures would be needed to combat the new variant.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/29/omicron-covid-variant-cases-expected-to-rise-says-uk-health-minister-video", - "creator": "", - "pubDate": "2021-11-29T11:15:08Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Howardena Pindell: ‘I could have died – that’s when I decided to express my opinion in my work’", + "description": "

    The African American artist has been making powerful, political work since the late 70s. As a new exhibition in Edinburgh shows, she still has plenty to say

    Howardena Pindell’s art can seem as if it were made by two separate people. There are the huge canvases where stencilled dots or tiny, hole-punched discs of paper amass like drifts of leaves, which she began making while working as MoMA’s first African American curator in 1970s New York. And then there’s the work that has challenged social injustice with a gut-punch directness since the 80s.

    It is clear, though, speaking with the 78-year-old ahead of her first UK solo exhibition in a public gallery, that her swirling abstract constellations are not entirely devoid of politics. As a young curator, she’d seen artists with museum day jobs give up their creative lives. Not her. She found time for painting because “the racism [at MoMA at the time] meant I was left out of certain activities. I loved being an artist and I had the stamina to work at night.”

    Continue reading...", + "content": "

    The African American artist has been making powerful, political work since the late 70s. As a new exhibition in Edinburgh shows, she still has plenty to say

    Howardena Pindell’s art can seem as if it were made by two separate people. There are the huge canvases where stencilled dots or tiny, hole-punched discs of paper amass like drifts of leaves, which she began making while working as MoMA’s first African American curator in 1970s New York. And then there’s the work that has challenged social injustice with a gut-punch directness since the 80s.

    It is clear, though, speaking with the 78-year-old ahead of her first UK solo exhibition in a public gallery, that her swirling abstract constellations are not entirely devoid of politics. As a young curator, she’d seen artists with museum day jobs give up their creative lives. Not her. She found time for painting because “the racism [at MoMA at the time] meant I was left out of certain activities. I loved being an artist and I had the stamina to work at night.”

    Continue reading...", + "category": "Art", + "link": "https://www.theguardian.com/artanddesign/2021/nov/27/howardena-pindell-i-could-have-died-thats-when-i-decided-to-express-my-opinion-in-my-work", + "creator": "Skye Sherwin", + "pubDate": "2021-11-27T13:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06e0d1336e7e6908c5007863d0963ad6" + "hash": "ebbcfac8caa1257e92745ff516bf4aec" }, { - "title": "Ghislaine Maxwell was ‘No 2’ in Jeffrey Epstein’s hierarchy, pilot says", - "description": "

    Lawrence Visoski testifies about pair’s relationship and tells court Bill Clinton and Prince Andrew flew on Epstein’s private plane

    As the child sex-trafficking trial of Ghislaine Maxwell entered its second day of testimony in New York City on Tuesday, the prosecution’s first witness put the British socialite in the middle of Jeffrey Epstein’s life – but also said he did not see Epstein engage in wrongdoing with minors on his private planes.

    The names of influential men who flew on Epstein’s planes were raised in court, among them Bill Clinton, Prince Andrew and Donald Trump.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", - "content": "

    Lawrence Visoski testifies about pair’s relationship and tells court Bill Clinton and Prince Andrew flew on Epstein’s private plane

    As the child sex-trafficking trial of Ghislaine Maxwell entered its second day of testimony in New York City on Tuesday, the prosecution’s first witness put the British socialite in the middle of Jeffrey Epstein’s life – but also said he did not see Epstein engage in wrongdoing with minors on his private planes.

    The names of influential men who flew on Epstein’s planes were raised in court, among them Bill Clinton, Prince Andrew and Donald Trump.

    In the US, call or text the Childhelp abuse hotline on 800-422-4453. In the UK, the NSPCC offers support to children on 0800 1111, and adults concerned about a child on 0808 800 5000. The National Association for People Abused in Childhood (Napac) offers support for adult survivors on 0808 801 0331. In Australia, children, young adults, parents and teachers can contact the Kids Helpline on 1800 55 1800, or Bravehearts on 1800 272 831, and adult survivors can contact Blue Knot Foundation on 1300 657 380. Other sources of help can be found at Child Helplines International

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/nov/30/ghislaine-maxwell-trial-second-day-jeffrey-epstein-pilot", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-30T18:56:35Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Storm Arwen: wild weather batters UK – video report", + "description": "

    Two people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight. The extreme conditions led to the closure of roads and forced planes to abort landing

    Continue reading...", + "content": "

    Two people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight. The extreme conditions led to the closure of roads and forced planes to abort landing

    Continue reading...", + "category": "UK weather", + "link": "https://www.theguardian.com/uk-news/video/2021/nov/27/storm-arwen-wild-weather-batters-uk-video-report", + "creator": "", + "pubDate": "2021-11-27T12:50:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85040e12a2fcae6cfd4cf0c034993385" + "hash": "eb56b4ffb0f4112cf778c14cfa312428" }, { - "title": "French police break up camp where Channel tragedy victims stayed", - "description": "

    Shelters outside Dunkirk used by the 27 who died at sea dismantled in latest attempt to disperse refugees

    Armed French police have broken up a makeshift migrant camp outside Dunkirk where the 27 people who died at sea last week stayed before they drowned in the Channel.

    The basic site, by a canal outside the Grand-Smythe suburb, had no toilets or running water, but was nevertheless used by several hundred people, mostly Kurds from Iraq or Iran, hoping to travel illegally to the UK.

    Continue reading...", - "content": "

    Shelters outside Dunkirk used by the 27 who died at sea dismantled in latest attempt to disperse refugees

    Armed French police have broken up a makeshift migrant camp outside Dunkirk where the 27 people who died at sea last week stayed before they drowned in the Channel.

    The basic site, by a canal outside the Grand-Smythe suburb, had no toilets or running water, but was nevertheless used by several hundred people, mostly Kurds from Iraq or Iran, hoping to travel illegally to the UK.

    Continue reading...", - "category": "Refugees", - "link": "https://www.theguardian.com/world/2021/nov/30/french-police-break-up-camp-where-channel-tragedy-victims-stayed", - "creator": "Dan Sabbagh", - "pubDate": "2021-11-30T18:13:15Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Suspected Omicron Covid cases found in Germany and Czech Republic", + "description": "

    Scientists checking for B.1.1.529 variant in two travellers recently returned from southern Africa

    The first suspected cases of the Omicron Covid variant in Germany and the Czech Republic are being investigated, as Dutch authorities scramble to see if 61 passengers from South Africa who tested positive for Covid-19 have the new variant.

    Omicron, first identified in South Africa and known officially as B.1.1.529, has already been detected in travellers in Belgium, Hong Kong and Israel, according to reports.

    Continue reading...", + "content": "

    Scientists checking for B.1.1.529 variant in two travellers recently returned from southern Africa

    The first suspected cases of the Omicron Covid variant in Germany and the Czech Republic are being investigated, as Dutch authorities scramble to see if 61 passengers from South Africa who tested positive for Covid-19 have the new variant.

    Omicron, first identified in South Africa and known officially as B.1.1.529, has already been detected in travellers in Belgium, Hong Kong and Israel, according to reports.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/27/suspected-omicron-covid-cases-found-germany-czech-republic", + "creator": "Tom Ambrose", + "pubDate": "2021-11-27T12:29:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5eca7e76b0eeb26cc6ecf62567c150b6" + "hash": "86a3bf768d2f212885fd6eb4308f64a8" }, { - "title": "‘He fell on my body, then bit me’: what it’s really like to work in TV as a woman", - "description": "

    Continuing our series of exposés about the British TV industry, women remember being assaulted for three years straight, denied work once they became mums and batting off men who are ‘famously handsy’

    ‘My colleagues ignored me for a year’: what it’s really like to work in TV as a disabled person

    The television industry has a problem with the way it treats women. According to a survey by Film + TV Charity, 39% of female employees have experienced sexual harassment at work, while 67% have experienced bullying. Bectu, the union that supports TV and film workers, found that two-thirds of those who had experienced abuse did not report it for fear of being blacklisted.

    Other studies have reported mothers being prevented from working due to childcare issues, and a serious female under-representation in leadership positions, despite Ofcom finding that women make up around 45% of TV roles.

    Continue reading...", - "content": "

    Continuing our series of exposés about the British TV industry, women remember being assaulted for three years straight, denied work once they became mums and batting off men who are ‘famously handsy’

    ‘My colleagues ignored me for a year’: what it’s really like to work in TV as a disabled person

    The television industry has a problem with the way it treats women. According to a survey by Film + TV Charity, 39% of female employees have experienced sexual harassment at work, while 67% have experienced bullying. Bectu, the union that supports TV and film workers, found that two-thirds of those who had experienced abuse did not report it for fear of being blacklisted.

    Other studies have reported mothers being prevented from working due to childcare issues, and a serious female under-representation in leadership positions, despite Ofcom finding that women make up around 45% of TV roles.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/30/he-fell-on-my-body-bit-me-work-tv-woman-britain-childcare", - "creator": "Ruby Lott-Lavigna", - "pubDate": "2021-11-30T13:00:03Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "In the 1950s, rather than integrate some public schools, Virginia closed them", + "description": "

    The state’s policy of ‘Massive Resistance’ exemplifies the incendiary combination of race and education in the US

    Not long after Patricia Turner and a handful of Black students desegregated Norview junior high school in Norfolk, Virginia, she realized a big difference between her new white school and her former Black school. That February of 1959, she didn’t have to wear a coat in class to stay warm, because Norview was heated.

    She hadn’t noticed the difference earlier because of the steady volley of racism directed at her, Turner said. A teacher put her papers in a separate box and returned them wearing rubber gloves. (He later wrote her an apology letter.) And her fellow students spat on her.

    A crowd gathers for an NAACP rally in May 1961 at the Prince Edward county courthouse in Farmville, Virginia, marking the seventh anniversary of the supreme court’s school desegregation ruling.

    Continue reading...", + "content": "

    The state’s policy of ‘Massive Resistance’ exemplifies the incendiary combination of race and education in the US

    Not long after Patricia Turner and a handful of Black students desegregated Norview junior high school in Norfolk, Virginia, she realized a big difference between her new white school and her former Black school. That February of 1959, she didn’t have to wear a coat in class to stay warm, because Norview was heated.

    She hadn’t noticed the difference earlier because of the steady volley of racism directed at her, Turner said. A teacher put her papers in a separate box and returned them wearing rubber gloves. (He later wrote her an apology letter.) And her fellow students spat on her.

    A crowd gathers for an NAACP rally in May 1961 at the Prince Edward county courthouse in Farmville, Virginia, marking the seventh anniversary of the supreme court’s school desegregation ruling.

    Continue reading...", + "category": "Race", + "link": "https://www.theguardian.com/world/2021/nov/27/integration-public-schools-massive-resistance-virginia-1950s", + "creator": "Susan Smith-Richardson and Lauren Burke", + "pubDate": "2021-11-27T11:00:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e22d80610af962f2ed1a1f26d0d3335f" + "hash": "b731beb890d8ff7521549dfb1e76e949" }, { - "title": "The 50 best films of 2021 in the US: 50-41", - "description": "

    Our stateside movie showdown opens, celebrating Emma Seligman’s directorial debut and a powerful Covid doc from Matthew Heineman

    Continue reading...", - "content": "

    Our stateside movie showdown opens, celebrating Emma Seligman’s directorial debut and a powerful Covid doc from Matthew Heineman

    Continue reading...", - "category": "Culture", - "link": "https://www.theguardian.com/film/2021/nov/30/the-50-best-films-of-2021-in-the-us", - "creator": "Guardian Staff", - "pubDate": "2021-11-30T12:00:02Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Omicron variant unlikely to reboot Covid in UK, expert says", + "description": "

    Prof Sir Andrew Pollard cautiously optimistic that widely vaccinated population will avoid serious disease

    The Omicron Covid variant is unlikely to “reboot” the pandemic in a population that has been widely vaccinated, according to a UK expert who voiced cautious optimism that existing vaccines would prevent serious disease.

    Scientists have expressed alarm about the B.1.1.529 variant, first identified in Gauteng in South Africa, over its high number of mutations. Omicron has more than 30 mutations on its spike protein – more than double the number carried by the Delta variant.

    Continue reading...", + "content": "

    Prof Sir Andrew Pollard cautiously optimistic that widely vaccinated population will avoid serious disease

    The Omicron Covid variant is unlikely to “reboot” the pandemic in a population that has been widely vaccinated, according to a UK expert who voiced cautious optimism that existing vaccines would prevent serious disease.

    Scientists have expressed alarm about the B.1.1.529 variant, first identified in Gauteng in South Africa, over its high number of mutations. Omicron has more than 30 mutations on its spike protein – more than double the number carried by the Delta variant.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/27/omicron-variant-unlikely-reboot-covid-uk-expert-says", + "creator": "Clea Skopeliti", + "pubDate": "2021-11-27T10:50:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c35e0a5ecb05068ac01a1bd966888812" + "hash": "c9ca154bc7608aacecbb99115e062535" }, { - "title": "‘Head of propaganda’ for UK neo-Nazi group faces jail after conviction", - "description": "

    Ben Raymond was found guilty of membership of far-right group NS131, which promoted racial hatred

    A man has been convicted of acting as “head of propaganda” for a banned neo-Nazi terror group set up to wage a race war in Britain.

    Ben Raymond, 32, co-founded the “unapologetically racist” organisation National Action in 2013, which promoted ethnic cleansing, as well as attacks on LGBTQ+ people and liberals.

    Continue reading...", - "content": "

    Ben Raymond was found guilty of membership of far-right group NS131, which promoted racial hatred

    A man has been convicted of acting as “head of propaganda” for a banned neo-Nazi terror group set up to wage a race war in Britain.

    Ben Raymond, 32, co-founded the “unapologetically racist” organisation National Action in 2013, which promoted ethnic cleansing, as well as attacks on LGBTQ+ people and liberals.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/nov/30/head-of-propaganda-for-uk-neo-nazi-group-faces-jail-after-conviction", - "creator": "PA Media", - "pubDate": "2021-11-30T17:09:43Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘A core threat to our democracy’: threat of political violence growing across US", + "description": "

    Republicans’ muted response to Paul Gosar’s behavior has intensified fears about where incendiary rhetoric may lead

    Alexandria Ocasio-Cortez stood on the House floor and implored her colleagues to hold Paul Gosar accountable for sharing an altered anime video showing him killing her and attacking Joe Biden.

    “Our work here matters. Our example matters. There is meaning in our service,” Ocasio-Cortez said in her speech last week. “And as leaders in this country, when we incite violence with depictions against our colleagues, that trickles down into violence in this country.”

    Continue reading...", + "content": "

    Republicans’ muted response to Paul Gosar’s behavior has intensified fears about where incendiary rhetoric may lead

    Alexandria Ocasio-Cortez stood on the House floor and implored her colleagues to hold Paul Gosar accountable for sharing an altered anime video showing him killing her and attacking Joe Biden.

    “Our work here matters. Our example matters. There is meaning in our service,” Ocasio-Cortez said in her speech last week. “And as leaders in this country, when we incite violence with depictions against our colleagues, that trickles down into violence in this country.”

    Continue reading...", + "category": "Alexandria Ocasio-Cortez", + "link": "https://www.theguardian.com/us-news/2021/nov/27/political-violence-threats-multiplying-us", + "creator": "Joan E Greve in Washington", + "pubDate": "2021-11-27T10:00:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2677d2cbf827f5cddb95a8368c642e3" + "hash": "c794c179118e2eccf02beeb03d48208c" }, { - "title": "Roaming peacocks plague California city: ‘They’re a nuisance, but they’re beautiful’", - "description": "

    Multiplying birds have become an issue in the city of Tracy, wailing loudly and unleashing poop ‘like soft serve’. Now residents want to relocate them

    Dozens of feral peacocks and peahens are roaming the streets and leaping from the rooftops of Tracy, California. They claw at shingles and defecate on porches. Their calls, especially in mating season, echo through the community. They have no fear of pets nor people.

    Errant peafowl have milled around the city’s Redbridge neighborhood for years -- some believe they originally came from a now-defunct nearby dairy farm – but the numbers have exponentially increased as the birds keep multiplying. Now they’re everywhere, and ruffling some residents’ feathers.

    Continue reading...", - "content": "

    Multiplying birds have become an issue in the city of Tracy, wailing loudly and unleashing poop ‘like soft serve’. Now residents want to relocate them

    Dozens of feral peacocks and peahens are roaming the streets and leaping from the rooftops of Tracy, California. They claw at shingles and defecate on porches. Their calls, especially in mating season, echo through the community. They have no fear of pets nor people.

    Errant peafowl have milled around the city’s Redbridge neighborhood for years -- some believe they originally came from a now-defunct nearby dairy farm – but the numbers have exponentially increased as the birds keep multiplying. Now they’re everywhere, and ruffling some residents’ feathers.

    Continue reading...", - "category": "California", - "link": "https://www.theguardian.com/us-news/2021/nov/30/peacocks-plague-california-city-tracy-birds-relocate", - "creator": "Nick Robins-Early", - "pubDate": "2021-11-30T19:08:14Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Michael Vaughan ‘sorry’ for hurt Azeem Rafiq suffered, denies racism allegations", + "description": "
    • Vaughan tells BBC Rafiq’s treatment by Yorkshire ‘hurts deeply’
    • Former England captain denies having made racist comments

    Michael Vaughan has said he was sorry for the pain his former Yorkshire teammate Azeem Rafiq endured arising from the racism he experienced at the club.

    Yorkshire’s new chairman, Lord Patel, has apologised to Rafiq for what he had been through and the former player told MPs earlier this month of the “inhuman” treatment he suffered during his time at the county, with Vaughan among a number of figures implicated in the case. In an interview with BBC Breakfast shown on Saturday morning, Vaughan denied making racist comments.

    Continue reading...", + "content": "
    • Vaughan tells BBC Rafiq’s treatment by Yorkshire ‘hurts deeply’
    • Former England captain denies having made racist comments

    Michael Vaughan has said he was sorry for the pain his former Yorkshire teammate Azeem Rafiq endured arising from the racism he experienced at the club.

    Yorkshire’s new chairman, Lord Patel, has apologised to Rafiq for what he had been through and the former player told MPs earlier this month of the “inhuman” treatment he suffered during his time at the county, with Vaughan among a number of figures implicated in the case. In an interview with BBC Breakfast shown on Saturday morning, Vaughan denied making racist comments.

    Continue reading...", + "category": "Michael Vaughan", + "link": "https://www.theguardian.com/sport/2021/nov/27/michael-vaughan-azeem-rafiq-yorkshire-cricket-racism-allegations", + "creator": "PA Media", + "pubDate": "2021-11-27T09:08:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0048764a61df056e164673f29bdc4a65" + "hash": "793eac75a7eeed2aeb71eb58c1b12b68" }, { - "title": "Hurrah for Barbados! Can the UK be next? | Brief letters", - "description": "

    The Monarchy | Scott’s Antarctic diary | MPs’ unintelligence contest | Parliamentary role models

    Congratulations to the Republic of Barbados for having the confidence and maturity to dispense with the Ruritanian nonsense of monarchy (Report, 30 November). I live in hope that one day we will see the same thing happen here.
    Tim Barker
    Eastington, Gloucestershire

    • Dr Brigid Purcell is correct: ink freezes in sub-zero temperatures (Letters, 29 November). This is why Edwardian-era Antarctic explorers used pencils for writing records. See the British Library’s website for a photograph of Robert Falcon Scott’s final journal entry, and you will see that those famous last words, “For God’s sake look after our people”, were written in pencil.
    Karen May
    London

    Continue reading...", - "content": "

    The Monarchy | Scott’s Antarctic diary | MPs’ unintelligence contest | Parliamentary role models

    Congratulations to the Republic of Barbados for having the confidence and maturity to dispense with the Ruritanian nonsense of monarchy (Report, 30 November). I live in hope that one day we will see the same thing happen here.
    Tim Barker
    Eastington, Gloucestershire

    • Dr Brigid Purcell is correct: ink freezes in sub-zero temperatures (Letters, 29 November). This is why Edwardian-era Antarctic explorers used pencils for writing records. See the British Library’s website for a photograph of Robert Falcon Scott’s final journal entry, and you will see that those famous last words, “For God’s sake look after our people”, were written in pencil.
    Karen May
    London

    Continue reading...", - "category": "Barbados", - "link": "https://www.theguardian.com/world/2021/nov/30/hurrah-for-barbados-can-the-uk-be-next", - "creator": "Letters", - "pubDate": "2021-11-30T17:21:12Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Inside story: the first pandemic novels have arrived, but are we ready for them?", + "description": "

    Ali Smith, Sally Rooney, Roddy Doyle … is there anything can we learn from the first Covid-19 books?

    ‘It was a call to arms’: Jodi Picoult and Karin Slaughter on writing Covid-19 into novels

    At the start of the second world war, authors asked themselves if they were going to write about their unprecedented times, or if they should be doing something more useful – joining the fire service, becoming an air raid warden. The phoney war, with its uncertainty and dread, proved hard to write about, but the blitz brought new experiences and a new language that demanded to be recorded or imaginatively transformed. Elizabeth Bowen began to write short stories, somewhere between hallucination and documentary, that she described as “the only diary I have kept”. Set in windowless houses populated by feather boa-wearing ghosts, these are stories that take place in evenings “parched, freshening and a little acrid with ruins”.

    When lockdown hit last March, some writers offered their services as delivery drivers or volunteered at Covid test centres. Others attempted to make progress with preexisting projects, blanking out the new world careering into being in front of them. But nothing written in the past 18 months can be entirely free of Covid, with its stark blend of stasis and fear. And now, as we see the work made by writers who confronted it head on, questions emerge. Do we really want to read about the pandemic while it is still unfolding? Do we risk losing sight of the long view in getting too caught up with the contemporary?

    Continue reading...", + "content": "

    Ali Smith, Sally Rooney, Roddy Doyle … is there anything can we learn from the first Covid-19 books?

    ‘It was a call to arms’: Jodi Picoult and Karin Slaughter on writing Covid-19 into novels

    At the start of the second world war, authors asked themselves if they were going to write about their unprecedented times, or if they should be doing something more useful – joining the fire service, becoming an air raid warden. The phoney war, with its uncertainty and dread, proved hard to write about, but the blitz brought new experiences and a new language that demanded to be recorded or imaginatively transformed. Elizabeth Bowen began to write short stories, somewhere between hallucination and documentary, that she described as “the only diary I have kept”. Set in windowless houses populated by feather boa-wearing ghosts, these are stories that take place in evenings “parched, freshening and a little acrid with ruins”.

    When lockdown hit last March, some writers offered their services as delivery drivers or volunteered at Covid test centres. Others attempted to make progress with preexisting projects, blanking out the new world careering into being in front of them. But nothing written in the past 18 months can be entirely free of Covid, with its stark blend of stasis and fear. And now, as we see the work made by writers who confronted it head on, questions emerge. Do we really want to read about the pandemic while it is still unfolding? Do we risk losing sight of the long view in getting too caught up with the contemporary?

    Continue reading...", + "category": "Fiction", + "link": "https://www.theguardian.com/books/2021/nov/27/inside-story-the-first-pandemic-novels-have-arrived-but-are-we-ready-for-them", + "creator": "Lara Feigel", + "pubDate": "2021-11-27T09:00:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f45aa9b07fd48ea005aa288f1984f6a2" + "hash": "eb881cc9b167f582c8ebad21ebd7bc99" }, { - "title": "International border restrictions stop families reuniting at Christmas despite Morrison’s intention", - "description": "

    Australian citizens are unhappy their adult children living overseas don’t count as ‘immediate family’ under travel rules

    Australians with adult sons and daughters living overseas are being told their children don’t count as “immediate family” and don’t warrant exemption for entry into the country in the lead-up to Christmas.

    In October, the prime minister, Scott Morrison, announced changes to allow parents of Australian citizens to be classified as immediate family, allowing them to travel to Australian jurisdictions with 80% double-dose vaccination rates.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Australian citizens are unhappy their adult children living overseas don’t count as ‘immediate family’ under travel rules

    Australians with adult sons and daughters living overseas are being told their children don’t count as “immediate family” and don’t warrant exemption for entry into the country in the lead-up to Christmas.

    In October, the prime minister, Scott Morrison, announced changes to allow parents of Australian citizens to be classified as immediate family, allowing them to travel to Australian jurisdictions with 80% double-dose vaccination rates.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/dec/01/international-border-restrictions-stop-families-reuniting-at-christmas-despite-morrisons-intention", - "creator": "Christopher Knaus", - "pubDate": "2021-11-30T16:30:08Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kurdish village fears the worst for its loved ones after Channel disaster", + "description": "

    Relatives await news on 10 men whose phones have gone silent and a map pin that remains stubbornly stuck halfway between Britain and France

    Very little is known about the 27 people who drowned trying to cross the Channel in an inflatable boat on Wednesday, other than that many are thought to have come from northern Iraq.

    In the Kurdish village of Ranya, families had been waiting for days for news from loved ones they knew were planning to attempt the perilous crossing on Wednesday, but whose phones had gone silent. Some hoped their sons, brothers, daughters and sisters had made it across the Channel and were now in detention centres in the UK. Others feared the worst.

    Continue reading...", + "content": "

    Relatives await news on 10 men whose phones have gone silent and a map pin that remains stubbornly stuck halfway between Britain and France

    Very little is known about the 27 people who drowned trying to cross the Channel in an inflatable boat on Wednesday, other than that many are thought to have come from northern Iraq.

    In the Kurdish village of Ranya, families had been waiting for days for news from loved ones they knew were planning to attempt the perilous crossing on Wednesday, but whose phones had gone silent. Some hoped their sons, brothers, daughters and sisters had made it across the Channel and were now in detention centres in the UK. Others feared the worst.

    Continue reading...", + "category": "Iraq", + "link": "https://www.theguardian.com/world/2021/nov/27/kurdish-village-fears-the-worst-for-its-loved-ones-after-channel-disaster", + "creator": "Martin Chulov and Nechirvan Mando in Ranya, Iraqi Kurdistan", + "pubDate": "2021-11-27T08:00:53Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc86869c753868f2ab0c80126d982360" + "hash": "8538122643744db105c7e26a385ebbf2" }, { - "title": "Omicron variant is vaccine inequality wake-up call, says South Africa's President Ramaphosa – video", - "description": "

    South Africa's president, Cyril Ramaphosa, has expressed disappointment at countries that have imposed travel bans on southern African countries after the emergence of a new Covid-19 variant.

    Omicron, named a 'variant of concern' by the World Health Organization on Friday, saw its first cases in South Africa, Botswana and Hong Kong and is potentially more contagious than previous variants, although experts do not know yet if it will cause more severe illness

    Continue reading...", - "content": "

    South Africa's president, Cyril Ramaphosa, has expressed disappointment at countries that have imposed travel bans on southern African countries after the emergence of a new Covid-19 variant.

    Omicron, named a 'variant of concern' by the World Health Organization on Friday, saw its first cases in South Africa, Botswana and Hong Kong and is potentially more contagious than previous variants, although experts do not know yet if it will cause more severe illness

    Continue reading...", + "title": "The Sicilian town where the Covid vaccination rate hit 104%", + "description": "

    An ‘extraordinary’ campaign is credited for Palazzo Adriano’s stellar uptake – even if topping 100% is a statistical quirk

    While European governments weigh up new mandates and measures to boost the uptake of Covid jabs there is on the slopes of Sicily’s Monte delle Rose a village with a vaccination rate that defies mathematics: 104%.

    The figure is in part a statistical quirk – vaccine rates are calculated by Italian health authorities on a town or village’s official population and can in theory rise above 100% if enough non-residents are jabbed there – but Palazzo Adriano, where the Oscar-winning movie Cinema Paradiso was filmed, is by any standards a well-vaccinated community. A good portion of the population has already taken or booked a third dose and since vaccines were first available it utilised its close-knit relations to protect its people.

    Continue reading...", + "content": "

    An ‘extraordinary’ campaign is credited for Palazzo Adriano’s stellar uptake – even if topping 100% is a statistical quirk

    While European governments weigh up new mandates and measures to boost the uptake of Covid jabs there is on the slopes of Sicily’s Monte delle Rose a village with a vaccination rate that defies mathematics: 104%.

    The figure is in part a statistical quirk – vaccine rates are calculated by Italian health authorities on a town or village’s official population and can in theory rise above 100% if enough non-residents are jabbed there – but Palazzo Adriano, where the Oscar-winning movie Cinema Paradiso was filmed, is by any standards a well-vaccinated community. A good portion of the population has already taken or booked a third dose and since vaccines were first available it utilised its close-knit relations to protect its people.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/28/omicron-variant-is-vaccine-inequality-wake-up-call-says-south-africa-president-ramaphosa-video", - "creator": "", - "pubDate": "2021-11-28T21:05:04Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.theguardian.com/world/2021/nov/27/palazzo-adriano-sicilian-town-covid-vaccination-rate", + "creator": "Lorenzo Tondo in Palazzo Adriano", + "pubDate": "2021-11-27T08:00:53Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5fa785254ac583d9c19792bd9f5c580" + "hash": "af73ee1f8d936211f3b1f113ea53f56b" }, { - "title": "Covid live news: WHO says ‘very high’ global risk from Omicron; Poland announces new restrictions", - "description": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Poland introduces new measures to protect against Omicron

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", - "content": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Poland introduces new measures to protect against Omicron

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/world/live/2021/nov/29/covid-live-news-omicron-variant-detected-in-canada-as-fauci-warns-two-weeks-needed-to-study-new-strain", - "creator": "Lucy Campbell (now); Rachel Hall, Martin Belam, Virginia Harrison and Helen Livingstone (earlier)", - "pubDate": "2021-11-29T16:17:15Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The stars with Down’s syndrome lighting up our screens: ‘People are talking about us instead of hiding us away’", + "description": "

    From Line of Duty to Mare of Easttown, a new generation of performers are breaking through. Meet the actors, models and presenters leading a revolution in representation

    In the middle of last winter’s lockdown, while still adjusting to the news of their newborn son’s Down’s syndrome diagnosis, Matt and Charlotte Court spotted a casting ad from BBC Drama. It called for a baby to star in a Call the Midwife episode depicting the surprising yet joyful arrival of a child with Down’s syndrome in 60s London, when institutionalisation remained horribly common. The resulting shoot would prove a deeply cathartic experience for the young family. “Before that point, I had shut off certain doors for baby Nate in my mind through a lack of knowledge,” Matt remembers. “To then have that opportunity opened my eyes. If he can act one day, which is bloody difficult, then he’s got a fighting chance. He was reborn for us on that TV programme.”

    It’s a fitting metaphor for the larger shift in Down’s syndrome visibility over the past few years. While Call the Midwife has featured a number of disability-focused plotlines in its nearly decade-long run – actor Daniel Laurie, who has Down’s syndrome, is a series regular – the history of the condition’s representation on screen is one largely defined by absence.

    Continue reading...", + "content": "

    From Line of Duty to Mare of Easttown, a new generation of performers are breaking through. Meet the actors, models and presenters leading a revolution in representation

    In the middle of last winter’s lockdown, while still adjusting to the news of their newborn son’s Down’s syndrome diagnosis, Matt and Charlotte Court spotted a casting ad from BBC Drama. It called for a baby to star in a Call the Midwife episode depicting the surprising yet joyful arrival of a child with Down’s syndrome in 60s London, when institutionalisation remained horribly common. The resulting shoot would prove a deeply cathartic experience for the young family. “Before that point, I had shut off certain doors for baby Nate in my mind through a lack of knowledge,” Matt remembers. “To then have that opportunity opened my eyes. If he can act one day, which is bloody difficult, then he’s got a fighting chance. He was reborn for us on that TV programme.”

    It’s a fitting metaphor for the larger shift in Down’s syndrome visibility over the past few years. While Call the Midwife has featured a number of disability-focused plotlines in its nearly decade-long run – actor Daniel Laurie, who has Down’s syndrome, is a series regular – the history of the condition’s representation on screen is one largely defined by absence.

    Continue reading...", + "category": "Down's syndrome", + "link": "https://www.theguardian.com/society/2021/nov/27/the-stars-with-downs-syndrome-lighting-up-our-screens-people-are-talking-about-us-instead-of-hiding-us-away", + "creator": "Hayley Maitland", + "pubDate": "2021-11-27T08:00:52Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "678f1404c8d2c68fa5488b85abd40040" + "hash": "2cf0464b0b86eb636a79c3d66ef6b6cf" }, { - "title": "Jack Dorsey steps down as Twitter chief executive", - "description": "
    • Dorsey co-founded site in 2006 and posted world’s first tweet
    • Parag Agrawal, chief technology officer, to replace Dorsey

    Twitter co-founder Jack Dorsey has stepped down from his executive role at the social media company.

    Dorsey will be replaced by chief technology officer (CTO) Parag Agrawal, the company announced on Monday.

    Continue reading...", - "content": "
    • Dorsey co-founded site in 2006 and posted world’s first tweet
    • Parag Agrawal, chief technology officer, to replace Dorsey

    Twitter co-founder Jack Dorsey has stepped down from his executive role at the social media company.

    Dorsey will be replaced by chief technology officer (CTO) Parag Agrawal, the company announced on Monday.

    Continue reading...", - "category": "Twitter", - "link": "https://www.theguardian.com/technology/2021/nov/29/twitter-chief-executive-jack-dorsey", - "creator": "Dominic Rushe in New York", - "pubDate": "2021-11-29T16:15:40Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "NSW floods: Sydney’s Warragamba Dam spills as warnings issued in Upper Hunter", + "description": "

    Dozens of SES flood rescues as flooding forecast in Singleton and Maitland

    State Emergency Service volunteers staged two dozen flood rescues and responded to almost 600 requests for help across New South Wales over the past 24 hours as residents in Eugowra prepared to evacuate.

    The SES advised river level rises had been observed along the Mandagery Creek upstream of Eugowra.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Dozens of SES flood rescues as flooding forecast in Singleton and Maitland

    State Emergency Service volunteers staged two dozen flood rescues and responded to almost 600 requests for help across New South Wales over the past 24 hours as residents in Eugowra prepared to evacuate.

    The SES advised river level rises had been observed along the Mandagery Creek upstream of Eugowra.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "New South Wales", + "link": "https://www.theguardian.com/australia-news/2021/nov/27/nsw-floods-sydneys-warragamba-dam-spills-as-warnings-issued-in-upper-hunter", + "creator": "Caitlin Cassidy, Peter Hannam and AAP", + "pubDate": "2021-11-27T07:30:07Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23457de1fee6e2a10ed2fd584c89dfce" + "hash": "39ed175fb735b8b7c7e7f6e56fd97652" }, { - "title": "Channel crossings are an English issue, says French minister", - "description": "

    UK accused of having a labour market akin to modern slavery that encourages people to make risky crossings

    Senior French ministers have accused the UK of operating a labour market akin to slavery and called on London to open safe routes for migrants, as the two governments continued to deflect blame for last week’s drownings in the Channel.

    The criticism came hours after France’s interior minister, Gérald Darmanin, held a crisis meeting with European ministers and border agencies to discuss the migrant emergency around the Channel ports.

    Continue reading...", - "content": "

    UK accused of having a labour market akin to modern slavery that encourages people to make risky crossings

    Senior French ministers have accused the UK of operating a labour market akin to slavery and called on London to open safe routes for migrants, as the two governments continued to deflect blame for last week’s drownings in the Channel.

    The criticism came hours after France’s interior minister, Gérald Darmanin, held a crisis meeting with European ministers and border agencies to discuss the migrant emergency around the Channel ports.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/29/channel-crossings-are-an-english-issue-says-french-minister", - "creator": "Kim Willsher in Paris", - "pubDate": "2021-11-29T15:51:41Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Widow of former South Korean dictator Chun Doo-hwan offers ‘deep apology’ for brutal rule", + "description": "

    During the final funeral service Lee Soon-ja says sorry for the pains suffered during her husband’s reign

    The widow of South Korea’s last military dictator has issued a brief apology over the “pains and scars” caused by her husband’s brutal rule as dozens of relatives and former aides gathered at a Seoul hospital to pay their final respects to Chun Doo-hwan.

    Chun, who took power in a 1979 coup and violently crushed pro-democracy protests a year later before being jailed for treason in the 1990s, died at his Seoul home Tuesday at the age of 90.

    Continue reading...", + "content": "

    During the final funeral service Lee Soon-ja says sorry for the pains suffered during her husband’s reign

    The widow of South Korea’s last military dictator has issued a brief apology over the “pains and scars” caused by her husband’s brutal rule as dozens of relatives and former aides gathered at a Seoul hospital to pay their final respects to Chun Doo-hwan.

    Chun, who took power in a 1979 coup and violently crushed pro-democracy protests a year later before being jailed for treason in the 1990s, died at his Seoul home Tuesday at the age of 90.

    Continue reading...", + "category": "South Korea", + "link": "https://www.theguardian.com/world/2021/nov/27/widow-of-former-south-korean-dictator-chun-doo-hwan-offers-deep-apology-for-brutal-rule", + "creator": "Associated Press", + "pubDate": "2021-11-27T07:24:11Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05f9d6105b1e752e9e9a182460cfd75d" + "hash": "fb27314079d8f25f36b5eed316ba1588" }, { - "title": "Huge star atop Sagrada Família rekindles residents’ complaints", - "description": "

    Locals in Barcelona accuse religious foundation in charge of Gaudí‘s masterpiece of highhandedness

    A gigantic 12-pointed star was installed on Monday on one of the main towers of the basilica of the Sagrada Família, Antoni Gaudí’s masterpiece that has been a work in progress since 1882.

    But the star is unlikely to brighten the mood of local residents whose lives have been blighted for years by the city’s biggest tourist attraction, which before the pandemic brought 60,000 visitors a day to the area.

    Continue reading...", - "content": "

    Locals in Barcelona accuse religious foundation in charge of Gaudí‘s masterpiece of highhandedness

    A gigantic 12-pointed star was installed on Monday on one of the main towers of the basilica of the Sagrada Família, Antoni Gaudí’s masterpiece that has been a work in progress since 1882.

    But the star is unlikely to brighten the mood of local residents whose lives have been blighted for years by the city’s biggest tourist attraction, which before the pandemic brought 60,000 visitors a day to the area.

    Continue reading...", - "category": "Barcelona", - "link": "https://www.theguardian.com/world/2021/nov/29/huge-star-atop-sagrada-familia-rekindles-residents-complaints", - "creator": "Stephen Burgen in Barcelona", - "pubDate": "2021-11-29T12:52:09Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Blind date: ‘He was fully on board when I suggested we order champagne’", + "description": "

    Alizée, 25, advertising account manager, meets Rhys, 34, chef

    Alizée on Rhys

    What were you hoping for?
    Good food, meeting someone interesting and that my date would be as tall as me (six-foot gal over here!)

    Continue reading...", + "content": "

    Alizée, 25, advertising account manager, meets Rhys, 34, chef

    Alizée on Rhys

    What were you hoping for?
    Good food, meeting someone interesting and that my date would be as tall as me (six-foot gal over here!)

    Continue reading...", + "category": "Dating", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/27/blind-date-alizee-rhys", + "creator": "", + "pubDate": "2021-11-27T06:00:50Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f986421a5bc32f015ee1eb6b44b40128" + "hash": "2cfba542d75d2f0fb718987396e19474" }, { - "title": "Chinese could hack data for future quantum decryption, report warns", - "description": "

    ‘Threat groups’ could target valuable secrets with aim of unlocking them when computing power allows

    Chinese hackers could target heavily encrypted datasets such as weapon designs or details of undercover intelligence officers with a view to unlocking them at a later date when quantum computing makes decryption possible, a report warns.

    Analysts at Booz Allen Hamilton, a consulting firm, say Chinese hackers could also steal pharmaceutical, chemical and material science research that can be processed by quantum computers – machines capable of crunching through numbers at unprecedented speed.

    Continue reading...", - "content": "

    ‘Threat groups’ could target valuable secrets with aim of unlocking them when computing power allows

    Chinese hackers could target heavily encrypted datasets such as weapon designs or details of undercover intelligence officers with a view to unlocking them at a later date when quantum computing makes decryption possible, a report warns.

    Analysts at Booz Allen Hamilton, a consulting firm, say Chinese hackers could also steal pharmaceutical, chemical and material science research that can be processed by quantum computers – machines capable of crunching through numbers at unprecedented speed.

    Continue reading...", - "category": "Hacking", - "link": "https://www.theguardian.com/technology/2021/nov/29/chinese-could-hack-data-for-future-quantum-decryption-report-warns", - "creator": "Dan Milmo Global technology editor", - "pubDate": "2021-11-29T16:36:42Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Gove-led cabinet committee makes fresh bid for progress on levelling up", + "description": "

    Weekly meetings of ministers chaired by Michael Gove expected to lead to new policies on reducing inequality

    Michael Gove is chairing a new weekly cabinet committee on levelling up, to bang heads together across Whitehall, as the government battles to repair the political damage of the past three weeks and show it is serious about tackling economic inequalities.

    After a tumultuous period that culminated in the prime minister’s fumbled speech to the CBI on Monday, the forthcoming levelling-up white paper, expected to be published in mid-December, is regarded as a key moment to demonstrate the government’s seriousness.

    Continue reading...", + "content": "

    Weekly meetings of ministers chaired by Michael Gove expected to lead to new policies on reducing inequality

    Michael Gove is chairing a new weekly cabinet committee on levelling up, to bang heads together across Whitehall, as the government battles to repair the political damage of the past three weeks and show it is serious about tackling economic inequalities.

    After a tumultuous period that culminated in the prime minister’s fumbled speech to the CBI on Monday, the forthcoming levelling-up white paper, expected to be published in mid-December, is regarded as a key moment to demonstrate the government’s seriousness.

    Continue reading...", + "category": "Inequality", + "link": "https://www.theguardian.com/inequality/2021/nov/27/gove-cabinet-committee-bid-progress-levelling-up", + "creator": "Heather Stewart Political editor", + "pubDate": "2021-11-27T06:00:49Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d56640a7f1c40673e0dd11e839aa635" + "hash": "c7cf0985ae7e6d839560cc2ef9b4fcf7" }, { - "title": "EU border agency deported record number of people in first half of 2021", - "description": "

    Leaked Frontex report sparks concerns about people being sent back to face repression or war

    The EU border agency Frontex deported a record number of people in the first half of the year, according to a leaked document that has sparked concern about people being sent back to countries where they may face war or persecution.

    In a report issued to the EU Council of Ministers, Frontex said it had deported 8,239 non-EU nationals in the first six months of 2021, a record number and a 9% increase on the same period in 2019, before the pandemic hit global travel.

    Continue reading...", - "content": "

    Leaked Frontex report sparks concerns about people being sent back to face repression or war

    The EU border agency Frontex deported a record number of people in the first half of the year, according to a leaked document that has sparked concern about people being sent back to countries where they may face war or persecution.

    In a report issued to the EU Council of Ministers, Frontex said it had deported 8,239 non-EU nationals in the first six months of 2021, a record number and a 9% increase on the same period in 2019, before the pandemic hit global travel.

    Continue reading...", - "category": "European Union", - "link": "https://www.theguardian.com/world/2021/nov/29/eu-border-agency-frontex-deportation-record-number", - "creator": "Jennifer Rankin in Brussels", - "pubDate": "2021-11-29T15:38:17Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australian TV reporter Matt Doran gives lengthy on-air apology after he ‘insulted’ Adele", + "description": "

    Channel Seven reporter says his failure to listen to Adele’s album was a ‘terrible mistake’

    Australian TV reporter Matt Doran has made a lengthy, unreserved apology to Adele for failing to listen to her new album before an exclusive interview with the singer, calling the bungle a “terrible mistake”.

    Doran made international headlines this week for his interview with the singer, which was canned after he conceded he had only heard one track from her latest work, 30. Sony is refusing to release the footage.

    Continue reading...", + "content": "

    Channel Seven reporter says his failure to listen to Adele’s album was a ‘terrible mistake’

    Australian TV reporter Matt Doran has made a lengthy, unreserved apology to Adele for failing to listen to her new album before an exclusive interview with the singer, calling the bungle a “terrible mistake”.

    Doran made international headlines this week for his interview with the singer, which was canned after he conceded he had only heard one track from her latest work, 30. Sony is refusing to release the footage.

    Continue reading...", + "category": "Adele", + "link": "https://www.theguardian.com/music/2021/nov/27/australian-tv-reporter-matt-doran-gives-lengthy-on-air-apology-after-he-insulted-adele", + "creator": "Caitlin Cassidy", + "pubDate": "2021-11-27T04:25:11Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d7d0fd6284778d81e46308364a50842e" + "hash": "282c4e58971f294c401c8c8a53a131d8" }, { - "title": "Ghislaine Maxwell sex-trafficking trial’s opening statements delayed", - "description": "

    Maxwell’s trial poised to go before a jury on Monday but several selected jurors voiced issues with serving

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan was poised to go before a jury on Monday, with opening statements.

    The opening statements were delayed, however, after several selected jurors voiced issues with serving. One cited financial hardship. Another said their spouse had “surprised them with a trip”.

    Continue reading...", - "content": "

    Maxwell’s trial poised to go before a jury on Monday but several selected jurors voiced issues with serving

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan was poised to go before a jury on Monday, with opening statements.

    The opening statements were delayed, however, after several selected jurors voiced issues with serving. One cited financial hardship. Another said their spouse had “surprised them with a trip”.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/nov/29/ghislaine-maxwell-sex-trafficking-trial", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-29T17:35:15Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Archaeologists unearth mummy estimated to be at least 800 years old in Peru", + "description": "

    Remains found inside an underground structure were tied up by ropes and with the hands covering the face

    A team of experts has found a mummy estimated to be at least 800 years old on Peru’s central coast, one of the archaeologists who participated in the excavation said.

    The mummified remains were of a person from the culture that developed between the coast and mountains of the South American country. The mummy, whose gender was not identified, was discovered in the Lima region, said archaeologist Pieter Van Dalen Luna on Friday.

    Continue reading...", + "content": "

    Remains found inside an underground structure were tied up by ropes and with the hands covering the face

    A team of experts has found a mummy estimated to be at least 800 years old on Peru’s central coast, one of the archaeologists who participated in the excavation said.

    The mummified remains were of a person from the culture that developed between the coast and mountains of the South American country. The mummy, whose gender was not identified, was discovered in the Lima region, said archaeologist Pieter Van Dalen Luna on Friday.

    Continue reading...", + "category": "Peru", + "link": "https://www.theguardian.com/world/2021/nov/27/archaeologists-unearth-mummy-estimated-to-be-at-least-800-years-old-in-peru", + "creator": "Reuters", + "pubDate": "2021-11-27T04:16:53Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cfa30cd24b5ede4c83653bb84f38f120" + "hash": "c0448f12a1c94c2f75f88e2dead88e44" }, { - "title": "Eitan Biran: cable car fall survivor must be returned to Italy, Israeli court rules", - "description": "

    Six-year-old boy has been at the centre of a bitter custody battle between relatives in Italy and Israel

    Israel’s top court has ruled that a six-year-old boy who was the sole survivor of a cable car crash in northern Italy must be returned to relatives there within the next couple of weeks.

    Eitan Biran has been at the centre of a bitter custody battle between relatives in Italy and Israel since his parents were killed in the Stresa-Mottarone aerial tramway crash on 23 May.

    Continue reading...", - "content": "

    Six-year-old boy has been at the centre of a bitter custody battle between relatives in Italy and Israel

    Israel’s top court has ruled that a six-year-old boy who was the sole survivor of a cable car crash in northern Italy must be returned to relatives there within the next couple of weeks.

    Eitan Biran has been at the centre of a bitter custody battle between relatives in Italy and Israel since his parents were killed in the Stresa-Mottarone aerial tramway crash on 23 May.

    Continue reading...", - "category": "Italy", - "link": "https://www.theguardian.com/world/2021/nov/29/eitan-biran-cable-car-crash-survivor-must-be-returned-italy-israeli-court-rules", - "creator": "Angela Giuffrida in Rome", - "pubDate": "2021-11-29T17:05:54Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Kurdish woman is first victim of Channel tragedy to be named", + "description": "

    Maryam Nuri Mohamed Amin from northern Iraq was messaging her fiancé when dinghy started sinking

    A Kurdish woman from northern Iraq has become the first victim of this week’s mass drowning in the Channel to be named.

    Maryam Nuri Mohamed Amin was messaging her fiance, who lives in the UK, when the group’s dinghy started deflating on Wednesday.

    Continue reading...", + "content": "

    Maryam Nuri Mohamed Amin from northern Iraq was messaging her fiancé when dinghy started sinking

    A Kurdish woman from northern Iraq has become the first victim of this week’s mass drowning in the Channel to be named.

    Maryam Nuri Mohamed Amin was messaging her fiance, who lives in the UK, when the group’s dinghy started deflating on Wednesday.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/26/kurdish-woman-is-first-victim-of-channel-tragedy-to-be-named", + "creator": "Harry Taylor", + "pubDate": "2021-11-26T23:03:28Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1e69811dffbbcdd464c9782d0876e6a" + "hash": "b0de60fe7ea1b16f61424571744158db" }, { - "title": "Iran hopes to covertly advance its nuclear programme, says Israel", - "description": "

    Israeli foreign minister claims Tehran only agreed to restart talks to get sanctions removed

    Israel’s foreign minister, Yair Lapid, has claimed his country’s arch-enemy, Iran, had only agreed to restart nuclear negotiations to remove sanctions and covertly advance its weapons programme.

    Talks restarted in Vienna on Monday between Iran and the world’s leading powers including Germany, France, the UK, China and Russia after a pause of five months.

    Continue reading...", - "content": "

    Israeli foreign minister claims Tehran only agreed to restart talks to get sanctions removed

    Israel’s foreign minister, Yair Lapid, has claimed his country’s arch-enemy, Iran, had only agreed to restart nuclear negotiations to remove sanctions and covertly advance its weapons programme.

    Talks restarted in Vienna on Monday between Iran and the world’s leading powers including Germany, France, the UK, China and Russia after a pause of five months.

    Continue reading...", - "category": "Israel", - "link": "https://www.theguardian.com/world/2021/nov/29/iran-hopes-to-covertly-advance-its-nuclear-programme-says-israel", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-11-29T15:37:56Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Stephen Sondheim: master craftsman who reinvented the musical dies aged 91", + "description": "

    Scoring his first big hit with West Side Story at 27, the US composer and lyricist raised the art form’s status with moving and funny masterpieces including Follies and Company

    ‘His songs are like a fabulous steak’: an all-star toast to Sondheim

    Stephen Sondheim, the master craftsman of the American musical, has died at the age of 91. His death, at his home in Roxbury, Connecticut, on Friday has prompted tributes throughout the entertainment industry and beyond. Andrew Lloyd Webber called him “the musical theatre giant of our times, an inspiration not just to two but to three generations [whose] contribution to theatre will never be equalled”. Cameron Mackintosh said: “The theatre has lost one of its greatest geniuses and the world has lost one of its greatest and most original writers. Sadly, there is now a giant in the sky. But the brilliance of Stephen Sondheim will still be here as his legendary songs and shows will be performed for evermore.”

    Over the course of a celebrated career spanning more than 60 years, Sondheim co-created Broadway theatre classics such as West Side Story, Gypsy, Sweeney Todd and Into the Woods, all of which also became hit movies. His intricate and dazzlingly clever songs pushed the boundaries of the art form and he made moving and funny masterpieces from unlikely subject matters, including a murderous barber (Sweeney Todd), the Roman comedies of Plautus (A Funny Thing Happened on the Way to the Forum) and a pointillist painting by Georges Seurat (Sunday in the Park With George).

    Continue reading...", + "content": "

    Scoring his first big hit with West Side Story at 27, the US composer and lyricist raised the art form’s status with moving and funny masterpieces including Follies and Company

    ‘His songs are like a fabulous steak’: an all-star toast to Sondheim

    Stephen Sondheim, the master craftsman of the American musical, has died at the age of 91. His death, at his home in Roxbury, Connecticut, on Friday has prompted tributes throughout the entertainment industry and beyond. Andrew Lloyd Webber called him “the musical theatre giant of our times, an inspiration not just to two but to three generations [whose] contribution to theatre will never be equalled”. Cameron Mackintosh said: “The theatre has lost one of its greatest geniuses and the world has lost one of its greatest and most original writers. Sadly, there is now a giant in the sky. But the brilliance of Stephen Sondheim will still be here as his legendary songs and shows will be performed for evermore.”

    Over the course of a celebrated career spanning more than 60 years, Sondheim co-created Broadway theatre classics such as West Side Story, Gypsy, Sweeney Todd and Into the Woods, all of which also became hit movies. His intricate and dazzlingly clever songs pushed the boundaries of the art form and he made moving and funny masterpieces from unlikely subject matters, including a murderous barber (Sweeney Todd), the Roman comedies of Plautus (A Funny Thing Happened on the Way to the Forum) and a pointillist painting by Georges Seurat (Sunday in the Park With George).

    Continue reading...", + "category": "Stephen Sondheim", + "link": "https://www.theguardian.com/stage/2021/nov/26/stephen-sondheim-composer-lyricist-musical-west-side-story-follies-company", + "creator": "Chris Wiegand", + "pubDate": "2021-11-26T22:21:41Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7cbb657744c08be196ae5132bf186f97" + "hash": "22d05b9bb6c2af3327e3f36fc54b0806" }, { - "title": "Merkel’s punk pick for leaving ceremony raises eyebrows", - "description": "

    Outgoing German chancellor’s choice of soundtrack for military tattoo hints at unchartered hinterland

    Angela Merkel has left Germans wondering how well they really know the chancellor who has governed them for 16 years, after picking a song by punk rocker Nina Hagen as the soundtrack for her military leaving ceremony.

    Merkel, whose Social Democrat successor, Olaf Scholz, is expected to be sworn in as chancellor next week, will be given a customary military farewell in the court outside the defence ministry on Thursday evening.

    Continue reading...", - "content": "

    Outgoing German chancellor’s choice of soundtrack for military tattoo hints at unchartered hinterland

    Angela Merkel has left Germans wondering how well they really know the chancellor who has governed them for 16 years, after picking a song by punk rocker Nina Hagen as the soundtrack for her military leaving ceremony.

    Merkel, whose Social Democrat successor, Olaf Scholz, is expected to be sworn in as chancellor next week, will be given a customary military farewell in the court outside the defence ministry on Thursday evening.

    Continue reading...", - "category": "Angela Merkel", - "link": "https://www.theguardian.com/world/2021/nov/29/angela-merkel-punk-pick-for-leaving-ceremony-raises-eyebrows", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-11-29T11:51:11Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "BioNTech says it could tweak Covid vaccine in 100 days if needed", + "description": "

    Company says it will know in two weeks whether current Pfizer jab is effective against Omicron variant

    BioNTech says it could produce and ship an updated version of its vaccine within 100 days if the new Covid variant detected in southern Africa is found to evade existing immunity.

    The German biotechnology company is already investigating whether the vaccine it developed with US drugmaker Pfizer works well against the variant, named Omicron, which has caused concern due to its high number of mutations and initial suggestions that it could be transmitting more quickly.

    Continue reading...", + "content": "

    Company says it will know in two weeks whether current Pfizer jab is effective against Omicron variant

    BioNTech says it could produce and ship an updated version of its vaccine within 100 days if the new Covid variant detected in southern Africa is found to evade existing immunity.

    The German biotechnology company is already investigating whether the vaccine it developed with US drugmaker Pfizer works well against the variant, named Omicron, which has caused concern due to its high number of mutations and initial suggestions that it could be transmitting more quickly.

    Continue reading...", + "category": "Vaccines and immunisation", + "link": "https://www.theguardian.com/society/2021/nov/26/biontech-says-it-could-tweak-covid-vaccine-in-100-days-if-needed", + "creator": "Hannah Devlin and Julia Kollewe", + "pubDate": "2021-11-26T18:30:45Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e8feb2f86047f9f7310eee539e9f809" + "hash": "0e357be229f0d842031a2ad0bbd84cf4" }, { - "title": "South African scientists explore vaccines’ effectiveness against Omicron", - "description": "

    Crucial work will study how well current jabs work and whether they need to be updated to tackle new variant

    Scientists in South Africa have begun crucial work to assess how well Covid vaccines hold up against the Omicron variant that has been detected in more than a dozen countries since it was formally reported last week.

    The variant carries dozens of mutations that are expected to change how the virus behaves, including its ability to cause infection and how well it can hide from immune defences primed by vaccines or previous infection with an older variant.

    Continue reading...", - "content": "

    Crucial work will study how well current jabs work and whether they need to be updated to tackle new variant

    Scientists in South Africa have begun crucial work to assess how well Covid vaccines hold up against the Omicron variant that has been detected in more than a dozen countries since it was formally reported last week.

    The variant carries dozens of mutations that are expected to change how the virus behaves, including its ability to cause infection and how well it can hide from immune defences primed by vaccines or previous infection with an older variant.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/29/south-african-scientists-explore-vaccines-effectiveness-against-omicron", - "creator": "Ian Sample Science editor", - "pubDate": "2021-11-29T17:34:36Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Blowing the house down: life on the frontline of extreme weather in the Gambia", + "description": "

    A storm took the roof off Binta Bah’s house before torrential rain destroyed her family’s belongings, as poverty combines with the climate crisis to wreak havoc on Africa’s smallest mainland country

    The windstorm arrived in Jalambang late in the evening, when Binta Bah and her family were enjoying the evening cool outside. “But when we first heard the wind, the kids started to run and go in the house,” she says.

    First they went in one room but the roof – a sheet of corrugated iron fixed only by a timbere pole – flew off. They ran into another but the roof soon went there too.

    Continue reading...", + "content": "

    A storm took the roof off Binta Bah’s house before torrential rain destroyed her family’s belongings, as poverty combines with the climate crisis to wreak havoc on Africa’s smallest mainland country

    The windstorm arrived in Jalambang late in the evening, when Binta Bah and her family were enjoying the evening cool outside. “But when we first heard the wind, the kids started to run and go in the house,” she says.

    First they went in one room but the roof – a sheet of corrugated iron fixed only by a timbere pole – flew off. They ran into another but the roof soon went there too.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/26/blowing-the-house-down-life-on-the-frontline-of-extreme-weather-in-the-gambia", + "creator": "Lizzy Davies in Jalambang", + "pubDate": "2021-11-26T07:01:21Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "052abed903bdc5d39fe91d34de009653" + "hash": "0a4e40ccf2fab138dc08c0447ea8af02" }, { - "title": "UK’s minimum gap for Covid booster jabs to be halved to three months", - "description": "

    Vaccines watchdog advises speeding up of vaccination scheme to tackle new coronavirus variant

    The UK’s minimum gap for Covid booster jabs will be halved from six months to three, after the government accepted advice from its vaccines watchdog to speed up the programme to limit the spread of the Omicron variant.

    The health secretary, Sajid Javid, confirmed that all adults would be offered the jab, after the Joint Committee on Vaccination and Immunisation (JCVI) announced that the waiting time was being cut for all adults, with priority for booking to be decided by the NHS.

    Continue reading...", - "content": "

    Vaccines watchdog advises speeding up of vaccination scheme to tackle new coronavirus variant

    The UK’s minimum gap for Covid booster jabs will be halved from six months to three, after the government accepted advice from its vaccines watchdog to speed up the programme to limit the spread of the Omicron variant.

    The health secretary, Sajid Javid, confirmed that all adults would be offered the jab, after the Joint Committee on Vaccination and Immunisation (JCVI) announced that the waiting time was being cut for all adults, with priority for booking to be decided by the NHS.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/29/covid-booster-jabs-to-be-offered-to-all-uk-adults-after-three-month-gap", - "creator": "Jamie Grierson, Rowena Mason, Peter Walker, Andrew Gregory and Linda Geddes", - "pubDate": "2021-11-29T16:27:26Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australia news live update: flood warnings for NSW; police and defence personnel fly to Solomon Islands; Victoria records 1,362 Covid cases", + "description": "

    Victoria records 1,362 new Covid cases, NSW records 261; police give update on William Tyrrell search; Australia on track for its wettest spring in a decade; Morrison government sends help to control rioting in Solomon Islands – follow the latest updates live

    Between 1.5m and 2m Australians are only one life shock away from homelessness, new research from the Australian Housing and Urban Research Institute.

    Large numbers of Australia’s renters could fall into homelessness if they go through a relationship breakup, get a serious illness or lose work.

    Continue reading...", + "content": "

    Victoria records 1,362 new Covid cases, NSW records 261; police give update on William Tyrrell search; Australia on track for its wettest spring in a decade; Morrison government sends help to control rioting in Solomon Islands – follow the latest updates live

    Between 1.5m and 2m Australians are only one life shock away from homelessness, new research from the Australian Housing and Urban Research Institute.

    Large numbers of Australia’s renters could fall into homelessness if they go through a relationship breakup, get a serious illness or lose work.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/26/australia-news-live-update-flood-warnings-as-more-heavy-rain-hits-nsw-australian-police-and-defence-personnel-fly-to-solomon-islands-religious-freedom-gay-students-teachers-scott-morrison-covid-south-africa-variant", + "creator": "Cait Kelly", + "pubDate": "2021-11-25T22:43:41Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "69304058f6e2c0e5a75c8daeab2ebed9" + "hash": "2752d9df2307ed2b64e7292c0825b5c7" }, { - "title": "Joe Biden says Omicron Covid variant a ‘cause for concern, not panic’ – live", - "description": "

    “If you are 18 years and older and got fully vaccinated before 1 June go get the get booster shot today,” Joe Biden said today. “They’re free and they’re available at 80,000 locations coast to coast. A fully vaccinated booster person is the most protected against Covid.

    “Do not wait. Go get your booster if it’s time for you to do so. And if you are not vaccinated, now is the time to go get vaccinated and to bring your children to go get vaccinated.”

    Continue reading...", - "content": "

    “If you are 18 years and older and got fully vaccinated before 1 June go get the get booster shot today,” Joe Biden said today. “They’re free and they’re available at 80,000 locations coast to coast. A fully vaccinated booster person is the most protected against Covid.

    “Do not wait. Go get your booster if it’s time for you to do so. And if you are not vaccinated, now is the time to go get vaccinated and to bring your children to go get vaccinated.”

    Continue reading...", + "title": "Action over variant shows government keen to avoid Christmas calamity of 2020", + "description": "

    Analysis: variant provides test of whether relaxation of rules and booster push is effective policy

    Last Christmas, as ministers rashly promised five days of festive family gatherings while a new variant gathered pace, Boris Johnson held out until the final hours until he bowed to the inevitable and cancelled Christmas.

    Despite rising cases in Europe and new restrictions on the continent, ministers had been bullish about going ahead with Christmas gatherings this year. Cabinet ministers have already sent invites for the Christmas drinks dos.

    Continue reading...", + "content": "

    Analysis: variant provides test of whether relaxation of rules and booster push is effective policy

    Last Christmas, as ministers rashly promised five days of festive family gatherings while a new variant gathered pace, Boris Johnson held out until the final hours until he bowed to the inevitable and cancelled Christmas.

    Despite rising cases in Europe and new restrictions on the continent, ministers had been bullish about going ahead with Christmas gatherings this year. Cabinet ministers have already sent invites for the Christmas drinks dos.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/us-news/live/2021/nov/29/joe-biden-coronavirus-covid-omicron-variant-us-politics-live", - "creator": "Vivian Ho", - "pubDate": "2021-11-29T18:34:39Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.theguardian.com/world/2021/nov/25/action-over-variant-shows-government-keen-to-avoid-christmas-calamity-of-2020", + "creator": "Jessica Elgot", + "pubDate": "2021-11-25T21:32:15Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9828b99ce26cd1920b25be680f70c203" + "hash": "6ef288d8073798e6ca28fd0701291675" }, { - "title": "Novak Djokovic likely to skip Australian Open over vaccine mandate, says father", - "description": "
    • Srdjan Djokovic equates vaccine mandate to ‘blackmail’
    • All players at staff at grand slam in Melbourne must be jabbed

    Novak Djokovic is unlikely to play at the Australian Open if rules on Covid-19 vaccinations are not relaxed, the world No 1’s father, Srdjan Djokovic, said.

    Organisers of the year’s first grand slam have said that all players will have to be vaccinated to take part.

    Continue reading...", - "content": "
    • Srdjan Djokovic equates vaccine mandate to ‘blackmail’
    • All players at staff at grand slam in Melbourne must be jabbed

    Novak Djokovic is unlikely to play at the Australian Open if rules on Covid-19 vaccinations are not relaxed, the world No 1’s father, Srdjan Djokovic, said.

    Organisers of the year’s first grand slam have said that all players will have to be vaccinated to take part.

    Continue reading...", - "category": "Australian Open", - "link": "https://www.theguardian.com/sport/2021/nov/29/novak-djokovic-likely-to-skip-australian-open-over-vaccine-mandate-says-father", - "creator": "Reuters", - "pubDate": "2021-11-29T04:23:56Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "South Africa to be put on England’s travel red list over new Covid variant", + "description": "

    Flights from six countries will be banned as officials review travel measures after scientists voice concern over variant

    Flights from southern Africa will be banned, with six countries placed under England’s red list travel restrictions, after scientists raised the alarm over what is feared to be the worst Covid-19 variant yet identified.

    Whitehall sources said the B.1.1.529 variant, which is feared to be more transmissible and has the potential to evade immunity, posed “a potentially significant threat to the vaccine programme which we have to protect at all costs”.

    Continue reading...", + "content": "

    Flights from six countries will be banned as officials review travel measures after scientists voice concern over variant

    Flights from southern Africa will be banned, with six countries placed under England’s red list travel restrictions, after scientists raised the alarm over what is feared to be the worst Covid-19 variant yet identified.

    Whitehall sources said the B.1.1.529 variant, which is feared to be more transmissible and has the potential to evade immunity, posed “a potentially significant threat to the vaccine programme which we have to protect at all costs”.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/25/scientists-call-for-travel-code-red-over-covid-variant-found-in-southern-africa", + "creator": "Hannah Devlin, Ian Sample and Jessica Elgot", + "pubDate": "2021-11-25T21:22:42Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d8384cffbdfed4898e75102e1b8c6c5" + "hash": "96b788688d8311c240ba911b46c1c5e9" }, { - "title": "Nurdles: the worst toxic waste you’ve probably never heard of", - "description": "

    Billions of these tiny plastic pellets are floating in the ocean, causing as much damage as oil spills, yet they are still not classified as hazardous

    When the X-Press Pearl container ship caught fire and sank in the Indian Ocean in May, Sri Lanka was terrified that the vessel’s 350 tonnes of heavy fuel oil would spill into the ocean, causing an environmental disaster for the country’s pristine coral reefs and fishing industry.

    Classified by the UN as Sri Lanka’s “worst maritime disaster”, the biggest impact was not caused by the heavy fuel oil. Nor was it the hazardous chemicals on board, which included nitric acid, caustic soda and methanol. The most “significant” harm, according to the UN, came from the spillage of 87 containers full of lentil-sized plastic pellets: nurdles.

    Continue reading...", - "content": "

    Billions of these tiny plastic pellets are floating in the ocean, causing as much damage as oil spills, yet they are still not classified as hazardous

    When the X-Press Pearl container ship caught fire and sank in the Indian Ocean in May, Sri Lanka was terrified that the vessel’s 350 tonnes of heavy fuel oil would spill into the ocean, causing an environmental disaster for the country’s pristine coral reefs and fishing industry.

    Classified by the UN as Sri Lanka’s “worst maritime disaster”, the biggest impact was not caused by the heavy fuel oil. Nor was it the hazardous chemicals on board, which included nitric acid, caustic soda and methanol. The most “significant” harm, according to the UN, came from the spillage of 87 containers full of lentil-sized plastic pellets: nurdles.

    Continue reading...", - "category": "Plastics", - "link": "https://www.theguardian.com/environment/2021/nov/29/nurdles-plastic-pellets-environmental-ocean-spills-toxic-waste-not-classified-hazardous", - "creator": "Karen McVeigh", - "pubDate": "2021-11-29T07:15:48Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "UK ministers urged to ‘stop playing politics’ over Channel crossings", + "description": "

    Aid groups say more deaths are likely and Britain must allow safe routes for asylum seekers

    More lives will be lost in the Channel unless urgent action is taken to stop “playing politics with people’s lives”, ministers have been warned as desperate refugees vowed to keep attempting the perilous journey.

    The grim prediction came as investigators tried to identify the bodies of at least 27 people, including a pregnant woman and three children and thought to be predominantly Kurds from Iraq, who drowned on Wednesday.

    Continue reading...", + "content": "

    Aid groups say more deaths are likely and Britain must allow safe routes for asylum seekers

    More lives will be lost in the Channel unless urgent action is taken to stop “playing politics with people’s lives”, ministers have been warned as desperate refugees vowed to keep attempting the perilous journey.

    The grim prediction came as investigators tried to identify the bodies of at least 27 people, including a pregnant woman and three children and thought to be predominantly Kurds from Iraq, who drowned on Wednesday.

    Continue reading...", + "category": "Refugees", + "link": "https://www.theguardian.com/world/2021/nov/25/uk-ministers-urged-to-stop-playing-politics-over-channel-crossings", + "creator": "Jamie Grierson, Jon Henley in Calais and Dan Sabbagh in Dunkirk", + "pubDate": "2021-11-25T20:59:59Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c3e6dfe3da1007902450a0bbb774e27" + "hash": "840b6fc9aba1b2775cbe24ed835b6c01" }, { - "title": "‘I wrote it from the perspective of a night light’: How They Might Be Giants made Birdhouse in Your Soul", - "description": "

    ‘I’m completely happy that we fall within the noble tradition of the one-hit wonder in the UK’

    We had played the showcase night at New York’s CBGB, but didn’t stand out, so we tried instead playing alongside performance artists in East Village. People showing up to watch avant garde performance art bought our cassette, and we became part of this groovy little scene of really enthusiastic people.

    Continue reading...", - "content": "

    ‘I’m completely happy that we fall within the noble tradition of the one-hit wonder in the UK’

    We had played the showcase night at New York’s CBGB, but didn’t stand out, so we tried instead playing alongside performance artists in East Village. People showing up to watch avant garde performance art bought our cassette, and we became part of this groovy little scene of really enthusiastic people.

    Continue reading...", - "category": "Music", - "link": "https://www.theguardian.com/music/2021/nov/29/i-wrote-it-from-the-perspective-of-a-night-light-how-they-might-be-giants-made-birdhouse-in-your-soul", - "creator": "Interviews by Dave Simpson", - "pubDate": "2021-11-29T15:52:09Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘We pray for them’: Biden pays tribute to Covid victims in Thanksgiving message", + "description": "

    President wishes Americans a closer-to-normal holiday amid rise in coronavirus infections

    President Joe Biden on Thursday wished Americans a happy and closer-to-normal Thanksgiving, the second celebrated in the shadow of the coronavirus pandemic, in remarks welcoming the resumption of holiday traditions in many homes.

    In his first holiday message as president, Biden and the first lady, Jill Biden, said this year’s celebrations were especially meaningful after last year’s family separations due to the pandemic.

    Continue reading...", + "content": "

    President wishes Americans a closer-to-normal holiday amid rise in coronavirus infections

    President Joe Biden on Thursday wished Americans a happy and closer-to-normal Thanksgiving, the second celebrated in the shadow of the coronavirus pandemic, in remarks welcoming the resumption of holiday traditions in many homes.

    In his first holiday message as president, Biden and the first lady, Jill Biden, said this year’s celebrations were especially meaningful after last year’s family separations due to the pandemic.

    Continue reading...", + "category": "Joe Biden", + "link": "https://www.theguardian.com/us-news/2021/nov/25/joe-biden-thanksgiving-covid-victims-jill-message", + "creator": "Edward Helmore in New York and agency", + "pubDate": "2021-11-25T20:45:09Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "18aa26662fae1202910a58bccea6a40b" + "hash": "db1c239b19fe5e9f18897d75716cbbcc" }, { - "title": "‘He was a god for us’: actors on being side by side with Stephen Sondheim", - "description": "

    Musical theatre stars Jenna Russell, Daniel Evans and Janie Dee remember working with their hero, and the unique demands and rewards of his songs

    So much of his work is about love. People talk about it being cold but as a teenage girl all I could feel from it was warmth. The songs are ridiculously rich. I’d play the original cast recording of Company again and again, in the front room. I remember my mum came in with her rubber gloves on and tears streaming down her face. She said: “Oh my god, I get it!” The song was Being Alive.

    Continue reading...", - "content": "

    Musical theatre stars Jenna Russell, Daniel Evans and Janie Dee remember working with their hero, and the unique demands and rewards of his songs

    So much of his work is about love. People talk about it being cold but as a teenage girl all I could feel from it was warmth. The songs are ridiculously rich. I’d play the original cast recording of Company again and again, in the front room. I remember my mum came in with her rubber gloves on and tears streaming down her face. She said: “Oh my god, I get it!” The song was Being Alive.

    Continue reading...", - "category": "Stephen Sondheim", - "link": "https://www.theguardian.com/stage/2021/nov/29/he-was-a-god-for-us-actors-side-by-side-with-stephen-sondheim", - "creator": "Interviews by Chris Wiegand", - "pubDate": "2021-11-29T16:22:11Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Three appear in court charged with 1996 murder of Scottish schoolgirl", + "description": "

    Robert O’Brien, Andrew Kelly and Donna Brand are accused of killing Caroline Glachan 25 years ago

    Three people have appeared in court in Scotland charged with the murder of the 14-year-old schoolgirl Caroline Glachan in 1996.

    Robert O’Brien, 43, Andrew Kelly and Donna Brand, both 42, appeared in private before Dumbarton sheriff court. Police had confirmed the arrests earlier on Thursday.

    Continue reading...", + "content": "

    Robert O’Brien, Andrew Kelly and Donna Brand are accused of killing Caroline Glachan 25 years ago

    Three people have appeared in court in Scotland charged with the murder of the 14-year-old schoolgirl Caroline Glachan in 1996.

    Robert O’Brien, 43, Andrew Kelly and Donna Brand, both 42, appeared in private before Dumbarton sheriff court. Police had confirmed the arrests earlier on Thursday.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/nov/25/three-appear-court-charged-1996-scottish-schoolgirl-caroline-glachan", + "creator": "Tom Ambrose", + "pubDate": "2021-11-25T20:42:08Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5247a9456d99f66c70f31cd9bdea26b3" + "hash": "16f47057d1ef7ead7b6240307121dec6" }, { - "title": "The big idea: Should we worry about artificial intelligence?", - "description": "

    Could AI turn on us, or is natural stupidity a greater threat to humanity?

    Ever since Garry Kasparov lost his second chess match against IBM’s Deep Blue in 1997, the writing has been on the wall for humanity. Or so some like to think. Advances in artificial intelligence will lead – by some estimates, in only a few decades – to the development of superintelligent, sentient machines. Movies from The Terminator to The Matrix have portrayed this prospect as rather undesirable. But is this anything more than yet another sci-fi “Project Fear”?

    Some confusion is caused by two very different uses of the phrase artificial intelligence. The first sense is, essentially, a marketing one: anything computer software does that seems clever or usefully responsive – like Siri – is said to use “AI”. The second sense, from which the first borrows its glamour, points to a future that does not yet exist, of machines with superhuman intellects. That is sometimes called AGI, for artificial general intelligence.

    Continue reading...", - "content": "

    Could AI turn on us, or is natural stupidity a greater threat to humanity?

    Ever since Garry Kasparov lost his second chess match against IBM’s Deep Blue in 1997, the writing has been on the wall for humanity. Or so some like to think. Advances in artificial intelligence will lead – by some estimates, in only a few decades – to the development of superintelligent, sentient machines. Movies from The Terminator to The Matrix have portrayed this prospect as rather undesirable. But is this anything more than yet another sci-fi “Project Fear”?

    Some confusion is caused by two very different uses of the phrase artificial intelligence. The first sense is, essentially, a marketing one: anything computer software does that seems clever or usefully responsive – like Siri – is said to use “AI”. The second sense, from which the first borrows its glamour, points to a future that does not yet exist, of machines with superhuman intellects. That is sometimes called AGI, for artificial general intelligence.

    Continue reading...", - "category": "Books", - "link": "https://www.theguardian.com/books/2021/nov/29/the-big-idea-should-we-worry-about-artificial-intelligence", - "creator": "Steven Poole", - "pubDate": "2021-11-29T08:00:51Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Interpol’s president: alleged torturer rises as symbol of UAE soft power", + "description": "

    Ahmed Nasser al-Raisi’s election has raised concerns about human rights and the surveillance state

    Maj Gen Ahmed Nasser al-Raisi’s ascent through the ranks of the interior ministry in Abu Dhabi is associated with the United Arab Emirates’ transformation into a hi-tech surveillance state.

    His personal achievements include a diploma in police management from the University of Cambridge, a doctorate in policing, security and community safety from London Metropolitan University and a medal of honour from Italy.

    Continue reading...", + "content": "

    Ahmed Nasser al-Raisi’s election has raised concerns about human rights and the surveillance state

    Maj Gen Ahmed Nasser al-Raisi’s ascent through the ranks of the interior ministry in Abu Dhabi is associated with the United Arab Emirates’ transformation into a hi-tech surveillance state.

    His personal achievements include a diploma in police management from the University of Cambridge, a doctorate in policing, security and community safety from London Metropolitan University and a medal of honour from Italy.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/25/interpols-president-alleged-torturer-rises-as-symbol-of-uae-soft-power", + "creator": "Ruth Michaelson", + "pubDate": "2021-11-25T18:40:39Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a0886196caa21643c00526b54f014d8" + "hash": "3ed4a8d5cddb6b04a232de7f09c6c753" }, { - "title": "Nelson, BLM and new voices: why Barbados is ditching the Queen", - "description": "

    Michael Safi reports from the ground as island nation prepares to declare itself a republic

    The first time, he stumbled on it by accident, after following a dirt track through fields of sugar cane that came to a clearing. There was a sign, Hakeem Ward remembers, beneath which someone had left an offering.

    “The sign said it was a slave burial ground,” he says. “We went and Googled it, and then I realised it was actually one of the biggest slave burial grounds in the western hemisphere.”

    Continue reading...", - "content": "

    Michael Safi reports from the ground as island nation prepares to declare itself a republic

    The first time, he stumbled on it by accident, after following a dirt track through fields of sugar cane that came to a clearing. There was a sign, Hakeem Ward remembers, beneath which someone had left an offering.

    “The sign said it was a slave burial ground,” he says. “We went and Googled it, and then I realised it was actually one of the biggest slave burial grounds in the western hemisphere.”

    Continue reading...", - "category": "Barbados", - "link": "https://www.theguardian.com/world/2021/nov/29/nelson-blm-and-new-voices-how-barbados-came-to-cut-ties-to-crown", - "creator": "Michael Safi in Bridgetown", - "pubDate": "2021-11-29T05:00:46Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Shock and pity mix along UK coast where Channel tragedy played out", + "description": "

    Community reacts to the drowning of 27 people amid sense of resignation that nothing may change

    A UK Border Force perimeter at Dover Marina prevented closer contact with the few dozen men and women waiting late on Thursday morning on a red doubledecker bus marked “private” – yet exhaustion was clearly etched on each one’s face.

    It was unclear if the latest arrivals, who were on boats picked up by a Border Force cutter and a lifeboat in the Channel at 5am had embarked from France knowing 27 people had drowned making the same crossing on Wednesday.

    Continue reading...", + "content": "

    Community reacts to the drowning of 27 people amid sense of resignation that nothing may change

    A UK Border Force perimeter at Dover Marina prevented closer contact with the few dozen men and women waiting late on Thursday morning on a red doubledecker bus marked “private” – yet exhaustion was clearly etched on each one’s face.

    It was unclear if the latest arrivals, who were on boats picked up by a Border Force cutter and a lifeboat in the Channel at 5am had embarked from France knowing 27 people had drowned making the same crossing on Wednesday.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/25/shock-pity-mix-along-coast-where-channel-drowning-tragedy-played-out", + "creator": "Ben Quinn", + "pubDate": "2021-11-25T18:22:18Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9aa65068fa95dbd526db864643c535fa" + "hash": "bc7c7ca9d1fed28bb3555edf72b97d63" }, { - "title": "The 20 best songs of 2021", - "description": "

    We celebrate everything from Lil Nas X’s conservative-baiting Montero to Wet Leg’s instant indie classic – as voted for by 31 of the Guardian’s music writers

    Continue reading...", - "content": "

    We celebrate everything from Lil Nas X’s conservative-baiting Montero to Wet Leg’s instant indie classic – as voted for by 31 of the Guardian’s music writers

    Continue reading...", - "category": "Music", - "link": "https://www.theguardian.com/music/2021/nov/29/the-20-best-songs-of-2021", - "creator": "Ben Beaumont-Thomas and Laura Snapes", - "pubDate": "2021-11-29T06:00:49Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Interpol appoints Emirati general accused of torture as president", + "description": "

    Ahmed Nasser al-Raisi of United Arab Emirates elected despite concerns of human rights groups and MEPs

    A general from the United Arab Emirates accused of complicity in torture has been elected as president of the international policing agency Interpol in the teeth of fierce objections from human rights groups.

    Maj Gen Ahmed Nasser al-Raisi’s victory represents a boost to the growing diplomatic clout of the UAE, where he was appointed inspector general of the interior ministry in 2015, overseeing its prisons and policing.

    Continue reading...", + "content": "

    Ahmed Nasser al-Raisi of United Arab Emirates elected despite concerns of human rights groups and MEPs

    A general from the United Arab Emirates accused of complicity in torture has been elected as president of the international policing agency Interpol in the teeth of fierce objections from human rights groups.

    Maj Gen Ahmed Nasser al-Raisi’s victory represents a boost to the growing diplomatic clout of the UAE, where he was appointed inspector general of the interior ministry in 2015, overseeing its prisons and policing.

    Continue reading...", + "category": "Interpol", + "link": "https://www.theguardian.com/world/2021/nov/25/interpol-appoints-emirati-general-accused-torture-president-ahmed-nasser-al-raisi", + "creator": "Patrick Wintour Diplomatic editor and Ruth Michaelson", + "pubDate": "2021-11-25T17:59:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, - "tags": [], - "hash": "19e8d121beece80ebc13d8013baabfb0" - }, - { - "title": "‘I feel inspired here’: refugees find business success in Naples", - "description": "

    From designing homewares to recording music, many who fled to Europe are building independent lives against the odds

    Pieces of fabric of various vibrant shades fill the Naples studio where Paboy Bojang and his team of four are working around the clock to stitch together 250 cushions for their next customer, The Conran Shop.

    They are not long from dispatching their first orders to Selfridges and Paul Smith, and with requests for the distinctive cotton cushions with ruffled borders flooding in from around the world, they will be busy for months to come.

    Continue reading...", - "content": "

    From designing homewares to recording music, many who fled to Europe are building independent lives against the odds

    Pieces of fabric of various vibrant shades fill the Naples studio where Paboy Bojang and his team of four are working around the clock to stitch together 250 cushions for their next customer, The Conran Shop.

    They are not long from dispatching their first orders to Selfridges and Paul Smith, and with requests for the distinctive cotton cushions with ruffled borders flooding in from around the world, they will be busy for months to come.

    Continue reading...", - "category": "Refugees", - "link": "https://www.theguardian.com/world/2021/nov/29/i-feel-inspired-here-refugees-find-business-success-in-naples", - "creator": "Angela Giuffrida in Naples", - "pubDate": "2021-11-29T11:28:16Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "tags": [], + "hash": "8929afb17d65bae605cb0aef40c00b01" + }, + { + "title": "Google to pay £183m in back taxes to Irish government", + "description": "

    Firm’s subsidiary in Ireland agrees to backdated settlement to be paid in addition to corporation tax for 2020

    Google’s Irish subsidiary has agreed to pay €218m (£183m) in back taxes to the Irish government, according to company filings.

    The US tech company, which had been accused of avoiding hundreds of millions in tax across Europe through loopholes known as the “double Irish, Dutch sandwich”, said it had “agreed to the resolution of certain tax matters relating to prior years”.

    Continue reading...", + "content": "

    Firm’s subsidiary in Ireland agrees to backdated settlement to be paid in addition to corporation tax for 2020

    Google’s Irish subsidiary has agreed to pay €218m (£183m) in back taxes to the Irish government, according to company filings.

    The US tech company, which had been accused of avoiding hundreds of millions in tax across Europe through loopholes known as the “double Irish, Dutch sandwich”, said it had “agreed to the resolution of certain tax matters relating to prior years”.

    Continue reading...", + "category": "Google", + "link": "https://www.theguardian.com/technology/2021/nov/25/google-to-pay-183m-in-back-taxes-to-irish-government", + "creator": "Rupert Neate Wealth correspondent", + "pubDate": "2021-11-25T17:54:48Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22f80ee66a7e73bea345a33912715f81" + "hash": "0c403cc4dd3c7d1a49c2430fb4daee40" }, { - "title": "Storm Arwen: thousands in UK face fourth night without power", - "description": "

    More than 150,000 homes without power on Monday, with damage thought to be worst since 2005

    More than 150,000 homes across the UK were facing a fourth night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines.

    The Energy Networks Association (ENA) said damage caused by Friday’s storm was some of the worst since 2005. More than a million homes lost power with 155,000 nationwide still waiting to be reconnected on Monday afternoon.

    Continue reading...", - "content": "

    More than 150,000 homes without power on Monday, with damage thought to be worst since 2005

    More than 150,000 homes across the UK were facing a fourth night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines.

    The Energy Networks Association (ENA) said damage caused by Friday’s storm was some of the worst since 2005. More than a million homes lost power with 155,000 nationwide still waiting to be reconnected on Monday afternoon.

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/2021/nov/29/storm-arwen-homes-in-north-of-england-without-power-for-third-night", - "creator": "Mark Brown North of England correspondent", - "pubDate": "2021-11-29T16:43:31Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "French fishers to block Channel tunnel in Brexit licences row", + "description": "

    Members of industry association say large number of vehicles will be used to block key artery between nations

    French fishers are threatening to block access to the Channel tunnel and the ferry port in Calais on Friday as part of an ongoing dispute over access to the waters between France and the UK in the wake of Brexit.

    They have branded the UK’s approach as “contemptuous” and “humiliating” and say they have no other option but to block access to the port and tunnel along with two other ports, Saint-Malo and Ouistreham.

    Continue reading...", + "content": "

    Members of industry association say large number of vehicles will be used to block key artery between nations

    French fishers are threatening to block access to the Channel tunnel and the ferry port in Calais on Friday as part of an ongoing dispute over access to the waters between France and the UK in the wake of Brexit.

    They have branded the UK’s approach as “contemptuous” and “humiliating” and say they have no other option but to block access to the port and tunnel along with two other ports, Saint-Malo and Ouistreham.

    Continue reading...", + "category": "Brexit", + "link": "https://www.theguardian.com/politics/2021/nov/25/french-fishers-block-channel-tunnel-brexit-fishing-licences-row", + "creator": "Lisa O'Carroll", + "pubDate": "2021-11-25T17:14:21Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c38d13e956a47f24d4eb6d4c1f0ca963" + "hash": "9e50db3f122479f1f98b79d93f86b81b" }, { - "title": "Xiomara Castro poised to become first female president of Honduras", - "description": "

    Castro, who declared herself the winner in a speech late on Sunday, has vowed to fight corruption and relax abortion laws

    The opposition candidate Xiomara Castro appears poised to become the first female president of Honduras in a landslide victory 12 years after her husband was forced from power in a military-backed coup.

    With results counted from just over half of precincts on Monday, Castro held a commanding 20-point lead over her nearest rival, Nasry Asfura of the ruling National party.

    Continue reading...", - "content": "

    Castro, who declared herself the winner in a speech late on Sunday, has vowed to fight corruption and relax abortion laws

    The opposition candidate Xiomara Castro appears poised to become the first female president of Honduras in a landslide victory 12 years after her husband was forced from power in a military-backed coup.

    With results counted from just over half of precincts on Monday, Castro held a commanding 20-point lead over her nearest rival, Nasry Asfura of the ruling National party.

    Continue reading...", - "category": "Honduras", - "link": "https://www.theguardian.com/world/2021/nov/29/xiomara-castro-declares-victory-in-honduras-presidential-election", - "creator": "Jeff Ernst in Tegucigalpa", - "pubDate": "2021-11-29T18:35:38Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Brisbane company worth just $8 when awarded $385m Nauru offshore processing contract", + "description": "

    Since 2017 the contract – now worth $1.6bn – has been amended seven times without competitive tender

    A Brisbane construction company had $8 in assets and had not commenced trading, when it was awarded a government contract – ultimately worth $1.6bn – to run Australia’s offshore processing on Nauru.

    The contract was awarded after the government ordered a “financial strength assessment” that was actually done on a different company.

    Continue reading...", + "content": "

    Since 2017 the contract – now worth $1.6bn – has been amended seven times without competitive tender

    A Brisbane construction company had $8 in assets and had not commenced trading, when it was awarded a government contract – ultimately worth $1.6bn – to run Australia’s offshore processing on Nauru.

    The contract was awarded after the government ordered a “financial strength assessment” that was actually done on a different company.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/2021/nov/26/brisbane-company-worth-just-8-when-awarded-385m-nauru-offshore-processing-contract", + "creator": "Ben Doherty and Ben Butler", + "pubDate": "2021-11-25T16:30:06Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d19d9db0dd294e0ebe90b6bc8cd4640" + "hash": "13975525c98837e9b0fc78ee093ee6bd" }, { - "title": "Leaked papers link Xinjiang crackdown with China leadership", - "description": "

    Secret documents urge population control, mass round-ups and punishment of Uyghurs

    Excerpts from previously unpublished documents directly linking China’s crackdown on Uyghur Muslims and other minorities in Xinjiang province to speeches by the Chinese leadership in 2014 have been put online.

    The documents – including three speeches by Chinese president Xi Jinping in April 2014 – cover security, population control and the need to punish the Uyghur population. Some are marked top secret. They were leaked to the German academic Adrian Zenz.

    Continue reading...", - "content": "

    Secret documents urge population control, mass round-ups and punishment of Uyghurs

    Excerpts from previously unpublished documents directly linking China’s crackdown on Uyghur Muslims and other minorities in Xinjiang province to speeches by the Chinese leadership in 2014 have been put online.

    The documents – including three speeches by Chinese president Xi Jinping in April 2014 – cover security, population control and the need to punish the Uyghur population. Some are marked top secret. They were leaked to the German academic Adrian Zenz.

    Continue reading...", - "category": "Xinjiang", - "link": "https://www.theguardian.com/world/2021/nov/29/leaked-papers-link-xinjiang-crackdown-with-china-leadership", - "creator": "Patrick Wintour Diplomatic Editor", - "pubDate": "2021-11-29T18:33:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Let’s talk about sex: how Cardi B and Megan Thee Stallion’s WAP sent the world into overdrive", + "description": "

    A cultural ‘cancer’, soft porn … or the height of empowerment? A revealing documentary examines the debates around one of the raunchiest – and most talked about – rap records around

    As winter forces many of us to ditch nights out with friends in favour of nights in on the sofa, Belcalis Alamanzar’s iconic words ring out across the digital ether: “A ho never gets cold!”. In a clip that went viral in 2014, the rapper better known as Cardi B parades up and down a hotel corridor, clad in a plunging, barely-there bralette and tight-fitting skirt. For women who wear little and care about it even less, Megan Thee Stallion has made a name for herself in the same vein. Together, Meg and Cardi would go on to birth a movement with their hit 2020 single, WAP, an ode to female sexuality and “wet ass pussy” which brought a slice of the club to the worlds’ living rooms at the peak of lockdown.

    In three minutes and seven seconds of poetic dirty talk, the pair walk us through the spiciest of bedroom sessions, except – contrary to patriarchal norms – they are firmly in the driver’s seat. From fellatio to make-up sex, Cardi and Megan leave their targets weak. With the video quickly becoming a talking point around the world, their sexual desire (and that of women in general) became the subject of fierce debate. While many praised their cheeky candour, others were unimpressed, with Fox News’s Candace Owens going as far as to call Cardi a “cancer cell” who was destroying culture.

    Continue reading...", + "content": "

    A cultural ‘cancer’, soft porn … or the height of empowerment? A revealing documentary examines the debates around one of the raunchiest – and most talked about – rap records around

    As winter forces many of us to ditch nights out with friends in favour of nights in on the sofa, Belcalis Alamanzar’s iconic words ring out across the digital ether: “A ho never gets cold!”. In a clip that went viral in 2014, the rapper better known as Cardi B parades up and down a hotel corridor, clad in a plunging, barely-there bralette and tight-fitting skirt. For women who wear little and care about it even less, Megan Thee Stallion has made a name for herself in the same vein. Together, Meg and Cardi would go on to birth a movement with their hit 2020 single, WAP, an ode to female sexuality and “wet ass pussy” which brought a slice of the club to the worlds’ living rooms at the peak of lockdown.

    In three minutes and seven seconds of poetic dirty talk, the pair walk us through the spiciest of bedroom sessions, except – contrary to patriarchal norms – they are firmly in the driver’s seat. From fellatio to make-up sex, Cardi and Megan leave their targets weak. With the video quickly becoming a talking point around the world, their sexual desire (and that of women in general) became the subject of fierce debate. While many praised their cheeky candour, others were unimpressed, with Fox News’s Candace Owens going as far as to call Cardi a “cancer cell” who was destroying culture.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/25/queens-of-rap-cardi-b-megan-thee-stallion-wap", + "creator": "Danielle Koku", + "pubDate": "2021-11-25T16:30:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf906095385b901dfbab0c265b807bf5" + "hash": "7ea90019ecea12426d77a1dfcc214e77" }, { - "title": "‘They need an awful lot of help’: why jobseeker isn’t enough when you’re battling cancer", - "description": "

    The AMA has joined a growing push for better welfare for those with incapacitating but ‘unstabilised’ conditions such as cancer or poor mental health

    Since he was diagnosed with cancer in the middle of the year, Tim Hurley has been relying on the support of family and friends to get him to hospital five times a week.

    They’ve also brought him meals and helped cover the cost of medication and other essentials.

    Continue reading...", - "content": "

    The AMA has joined a growing push for better welfare for those with incapacitating but ‘unstabilised’ conditions such as cancer or poor mental health

    Since he was diagnosed with cancer in the middle of the year, Tim Hurley has been relying on the support of family and friends to get him to hospital five times a week.

    They’ve also brought him meals and helped cover the cost of medication and other essentials.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/nov/30/they-need-an-awful-lot-of-help-why-jobseeker-isnt-enough-when-youre-battling-cancer", - "creator": "Luke Henriques-Gomes Social affairs and inequality editor", - "pubDate": "2021-11-29T16:30:07Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "National Geographic green-eyed ‘Afghan Girl’ evacuated to Italy", + "description": "

    Sharbat Gula left Afghanistan after Taliban takeover that followed US departure from country

    National Geographic magazine’s famed green-eyed “Afghan Girl” has arrived in Italy as part of the west’s evacuation of Afghans after the Taliban takeover of the country, the Italian government has said.

    The office of the prime minister, Mario Draghi, said Italy organised the evacuation of Sharbat Gula after she asked to be helped to leave the country. The Italian government would help to get her integrated into life in Italy, the statement said on Thursday.

    Continue reading...", + "content": "

    Sharbat Gula left Afghanistan after Taliban takeover that followed US departure from country

    National Geographic magazine’s famed green-eyed “Afghan Girl” has arrived in Italy as part of the west’s evacuation of Afghans after the Taliban takeover of the country, the Italian government has said.

    The office of the prime minister, Mario Draghi, said Italy organised the evacuation of Sharbat Gula after she asked to be helped to leave the country. The Italian government would help to get her integrated into life in Italy, the statement said on Thursday.

    Continue reading...", + "category": "Afghanistan", + "link": "https://www.theguardian.com/world/2021/nov/25/national-geographic-green-eyed-afghan-girl-evacuated-italy-sharbat-gulla", + "creator": "Associated Press", + "pubDate": "2021-11-25T16:04:30Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d6803bc07e2265cacf61280a40709115" + "hash": "1c9d561b1f4eadff5f1223ee38185179" }, { - "title": "Myanmar junta accused of forcing people to brink of starvation", - "description": "

    Advisory group say military has destroyed supplies, killed livestock and cut off roads used to transport food since February coup

    Myanmar’s military junta has been accused of forcing people to the brink of starvation with repeated offensives since it seized power in a coup earlier this year.

    The Special Advisory Council for Myanmar said the junta had destroyed food supplies and killed livestock while cutting off roads used to bring in food and medicine.

    Continue reading...", - "content": "

    Advisory group say military has destroyed supplies, killed livestock and cut off roads used to transport food since February coup

    Myanmar’s military junta has been accused of forcing people to the brink of starvation with repeated offensives since it seized power in a coup earlier this year.

    The Special Advisory Council for Myanmar said the junta had destroyed food supplies and killed livestock while cutting off roads used to bring in food and medicine.

    Continue reading...", - "category": "Hunger", - "link": "https://www.theguardian.com/global-development/2021/nov/26/myanmar-junta-accused-of-forcing-people-to-brink-of-starvation", - "creator": "Kaamil Ahmed", - "pubDate": "2021-11-26T13:58:52Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Paul Weller’s 30 greatest songs – ranked!", + "description": "

    Drawn from the Jam, the Style Council and his solo work, all of it powered by romance, storytelling and political vim, here is the best of a British songwriter unbounded by genre

    On the B-side of A Solid Bond in Your Heart lurks Weller’s mea culpa take on the sudden demise of the Jam, the arrogance of youth and the perils of becoming the Voice of a Generation. “I was a shit-stained statue / Schoolchildren would stand in awe … I thought I was lord of this crappy jungle.”

    Continue reading...", + "content": "

    Drawn from the Jam, the Style Council and his solo work, all of it powered by romance, storytelling and political vim, here is the best of a British songwriter unbounded by genre

    On the B-side of A Solid Bond in Your Heart lurks Weller’s mea culpa take on the sudden demise of the Jam, the arrogance of youth and the perils of becoming the Voice of a Generation. “I was a shit-stained statue / Schoolchildren would stand in awe … I thought I was lord of this crappy jungle.”

    Continue reading...", + "category": "Paul Weller", + "link": "https://www.theguardian.com/music/2021/nov/25/paul-wellers-30-greatest-songs-ranked", + "creator": "Alexis Petridis", + "pubDate": "2021-11-25T15:29:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0689a0471a3d11d9f4058b0ab5d746a" + "hash": "8841988dacbdd63e3149292988a5e776" }, { - "title": "Early action against Omicron is imperative to avoid devastating consequences | Ewan Birney", - "description": "

    Scientists have sprung into action to identify the new Covid variant. We don’t yet know if it is a major threat - but we should not take any chances

    It was only a matter of time before a new Sars-CoV-2 variant of concern emerged, requiring an urgent global response. It would seem that the Omicron variant, identified by scientists across Africa, including the National Institute for Communicable Diseases (NICD), poses the next major threat in the course of the pandemic. Early evidence from their genomic surveillance suggests that this new variant is a serious cause for concern and it is imperative that we act fast in response to this new information.

    The variant has also been detected in Botswana and Hong Kong, and will undoubtedly continue to arise in other territories in the coming days; travel-related cases have appeared in Belgium and Israel. Two cases of the new variant have been detected in the UK at the time of writing.

    Continue reading...", - "content": "

    Scientists have sprung into action to identify the new Covid variant. We don’t yet know if it is a major threat - but we should not take any chances

    It was only a matter of time before a new Sars-CoV-2 variant of concern emerged, requiring an urgent global response. It would seem that the Omicron variant, identified by scientists across Africa, including the National Institute for Communicable Diseases (NICD), poses the next major threat in the course of the pandemic. Early evidence from their genomic surveillance suggests that this new variant is a serious cause for concern and it is imperative that we act fast in response to this new information.

    The variant has also been detected in Botswana and Hong Kong, and will undoubtedly continue to arise in other territories in the coming days; travel-related cases have appeared in Belgium and Israel. Two cases of the new variant have been detected in the UK at the time of writing.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/27/omicron-covid-variant-early-action-imperative-to-avoid-devastating-consequences", - "creator": "Ewan Birney", - "pubDate": "2021-11-27T19:19:41Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "All options fraught with risk as Biden confronts Putin over Ukraine", + "description": "

    Analysis: Moscow presents Washington with a no-win situation: capitulate on Ukrainian sovereignty or risk all-out war

    Joe Biden is preparing for a virtual summit with Vladimir Putin with the aim of fending off the threat of another Russian invasion of Ukraine.

    The summit has been previewed by the Kremlin. The White House has not confirmed it, but Biden’s press secretary, Jen Psaki, said that “high-level diplomacy is a priority of the president” and pointed to the teleconference meeting with Xi Jinping earlier in November.

    Continue reading...", + "content": "

    Analysis: Moscow presents Washington with a no-win situation: capitulate on Ukrainian sovereignty or risk all-out war

    Joe Biden is preparing for a virtual summit with Vladimir Putin with the aim of fending off the threat of another Russian invasion of Ukraine.

    The summit has been previewed by the Kremlin. The White House has not confirmed it, but Biden’s press secretary, Jen Psaki, said that “high-level diplomacy is a priority of the president” and pointed to the teleconference meeting with Xi Jinping earlier in November.

    Continue reading...", + "category": "US foreign policy", + "link": "https://www.theguardian.com/us-news/2021/nov/25/all-options-fraught-with-risk-as-biden-confronts-putin-over-ukraine", + "creator": "Julian Borger in Washington", + "pubDate": "2021-11-25T15:19:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2908134c4e7291862226a6d03f6bb222" + "hash": "1e9af2cc1b23398a49f407053265043e" }, { - "title": "Priti Patel blames ‘evil’ gangs for Channel crossings but the reality is far more complicated", - "description": "

    Analysis: The UK government’s own experts say many journeys are actually organised directly by desperate families

    The government repeatedly insists that sophisticated criminal networks are driving the Channel crossings by people seeking asylum in Britain. Of all the contested claims advanced by the home secretary on the issue, it remains among the most pervasive.

    True to form, in the aftermath of Wednesday’s drownings, Priti Patel wasted little time reiterating her determination to “smash the criminal gangs” behind such crossings.

    Continue reading...", - "content": "

    Analysis: The UK government’s own experts say many journeys are actually organised directly by desperate families

    The government repeatedly insists that sophisticated criminal networks are driving the Channel crossings by people seeking asylum in Britain. Of all the contested claims advanced by the home secretary on the issue, it remains among the most pervasive.

    True to form, in the aftermath of Wednesday’s drownings, Priti Patel wasted little time reiterating her determination to “smash the criminal gangs” behind such crossings.

    Continue reading...", - "category": "Refugees", - "link": "https://www.theguardian.com/world/2021/nov/27/priti-patel-blames-evil-gangs-for-channel-crossings-but-the-reality-is-far-more-complicated", - "creator": "Mark Townsend", - "pubDate": "2021-11-27T17:02:31Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Warning on tackling HIV as WHO finds rise in resistance to antiretroviral drugs", + "description": "

    Nearly half of newly diagnosed infants in 10 countries have drug-resistant HIV, study finds, underlining need for new alternatives

    HIV drug resistance is on the rise, according to a new report, which found that the number of people with the virus being treated with antiretrovirals had risen to 27.5 million – an annual increase of 2 million.

    Four out of five countries with high rates had seen success in suppressing the virus with antiretroviral treatments, according to the World Health Organization’s HIV drug-resistance report.

    Continue reading...", + "content": "

    Nearly half of newly diagnosed infants in 10 countries have drug-resistant HIV, study finds, underlining need for new alternatives

    HIV drug resistance is on the rise, according to a new report, which found that the number of people with the virus being treated with antiretrovirals had risen to 27.5 million – an annual increase of 2 million.

    Four out of five countries with high rates had seen success in suppressing the virus with antiretroviral treatments, according to the World Health Organization’s HIV drug-resistance report.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/25/warning-hiv-who-finds-rise-resistance-antiretroviral-drugs", + "creator": "Kaamil Ahmed", + "pubDate": "2021-11-25T15:17:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4891f21e9428a32bccc2246113636da" + "hash": "1ab15f6d3aff56b4f7b802ade8bd2d29" }, { - "title": "Sajid Javid: Christmas will be 'great' despite Omicron variant concerns – video", - "description": "

    Speaking on Sky's Trevor Phillips on Sunday programme, the health secretary said the government's measures, including compulsory masks on public transport and in shops, were 'proportionate and balanced'

    Continue reading...", - "content": "

    Speaking on Sky's Trevor Phillips on Sunday programme, the health secretary said the government's measures, including compulsory masks on public transport and in shops, were 'proportionate and balanced'

    Continue reading...", + "title": "Pregnant women urged to get Covid jab as data from England shows it is safe", + "description": "

    Analysis finds vaccinated women no more likely than unvaccinated to suffer stillbirth or premature births

    Health leaders are urging thousands of unvaccinated pregnant women to get vaccinated after the first official data from England found Covid jabs are safe and effective.

    The analysis of more than 350,000 deliveries by the UK Health Security Agency (UKHSA) shows women who have had a Covid vaccine are no more likely than unvaccinated women to suffer stillbirth, premature birth or have babies with low birthweight. It reinforces international evidence that the jabs have a good safety record in pregnant women.

    Continue reading...", + "content": "

    Analysis finds vaccinated women no more likely than unvaccinated to suffer stillbirth or premature births

    Health leaders are urging thousands of unvaccinated pregnant women to get vaccinated after the first official data from England found Covid jabs are safe and effective.

    The analysis of more than 350,000 deliveries by the UK Health Security Agency (UKHSA) shows women who have had a Covid vaccine are no more likely than unvaccinated women to suffer stillbirth, premature birth or have babies with low birthweight. It reinforces international evidence that the jabs have a good safety record in pregnant women.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/28/sajid-javid-christmas-will-be-great-despite-omicron-variant-concerns-video", - "creator": "", - "pubDate": "2021-11-28T12:45:27Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.theguardian.com/world/2021/nov/25/pregnant-women-covid-jab-safe", + "creator": "Andrew Gregory Health editor", + "pubDate": "2021-11-25T15:13:39Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "95a7c2f67b2230c47f816b995c674779" + "hash": "bf818b0c74cc768fb5ac3259b5c911c8" }, { - "title": "Two cases of Omicron Covid variant detected in Britain, says health secretary – video", - "description": "

    The first cases of the new B.1.1.529 Covid variant have been identified in the UK. Two people found to be infected with the Omicron variant are self-isolating, according to the health secretary, Sajid Javid

    Continue reading...", - "content": "

    The first cases of the new B.1.1.529 Covid variant have been identified in the UK. Two people found to be infected with the Omicron variant are self-isolating, according to the health secretary, Sajid Javid

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/27/two-cases-omicron-covid-variant-detected-britain-health-secretary-video", - "creator": "", - "pubDate": "2021-11-27T15:04:34Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Naomi Campbell’s fashion charity investigated over finances", + "description": "

    Regulator examines potential mismanagement at Fashion for Relief and payments to trustee

    The fashion charity established by the supermodel Naomi Campbell has come under formal investigation from the charities watchdog over misconduct concerns relating to its management and finances.

    Campbell created Fashion for Relief in 2005 to raise funds for children living in poverty and adversity around the world, and says it has raised millions over the years for good causes through its annual charity fashion show.

    Continue reading...", + "content": "

    Regulator examines potential mismanagement at Fashion for Relief and payments to trustee

    The fashion charity established by the supermodel Naomi Campbell has come under formal investigation from the charities watchdog over misconduct concerns relating to its management and finances.

    Campbell created Fashion for Relief in 2005 to raise funds for children living in poverty and adversity around the world, and says it has raised millions over the years for good causes through its annual charity fashion show.

    Continue reading...", + "category": "Charities", + "link": "https://www.theguardian.com/society/2021/nov/25/naomi-campbells-fashion-charity-investigated-over-finances", + "creator": "Patrick Butler Social policy editor", + "pubDate": "2021-11-25T15:11:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "017f16d89a5d556bcc15f1dbbb1496b9" + "hash": "d5e268e0e8f9be0731a86c7c5153344d" }, { - "title": "State-affiliated TV purports to show Ethiopian PM on the battlefront against Tigray rebels – video", - "description": "

    Footage purporting to show Abiy Ahmed on the battlefront of the country’s year-long war against Tigray forces has been broadcast, four days after he announced he would direct the army from there. Wearing military uniform, Abiy said: 'The enemy doesn't know our capabilities and our preparations … Instead of sitting in Addis, we made a change and decided to come to the front'

    Continue reading...", - "content": "

    Footage purporting to show Abiy Ahmed on the battlefront of the country’s year-long war against Tigray forces has been broadcast, four days after he announced he would direct the army from there. Wearing military uniform, Abiy said: 'The enemy doesn't know our capabilities and our preparations … Instead of sitting in Addis, we made a change and decided to come to the front'

    Continue reading...", - "category": "Ethiopia", - "link": "https://www.theguardian.com/world/video/2021/nov/26/state-affiliated-tv-ethiopian-pm-on-the-battlefront-video", - "creator": "", - "pubDate": "2021-11-26T17:03:59Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Battery arms race’: how China has monopolised the electric vehicle industry", + "description": "

    Chinese companies dominate mining, battery and manufacturing sectors, and amid human rights concerns, Europe and the US are struggling to keep pace

    Think of an electric car and the first name that comes to mind will probably be Tesla. The California company makes the world’s bestselling electric car and was recently valued at $1tn. But behind this US success story is a tale of China’s manufacturing might.

    Tesla’s factory in Shanghai now produces more cars than its plant in California. Some of the batteries that drive them are Chinese-made and the minerals that power the batteries are largely refined and mined by Chinese companies.

    Continue reading...", + "content": "

    Chinese companies dominate mining, battery and manufacturing sectors, and amid human rights concerns, Europe and the US are struggling to keep pace

    Think of an electric car and the first name that comes to mind will probably be Tesla. The California company makes the world’s bestselling electric car and was recently valued at $1tn. But behind this US success story is a tale of China’s manufacturing might.

    Tesla’s factory in Shanghai now produces more cars than its plant in California. Some of the batteries that drive them are Chinese-made and the minerals that power the batteries are largely refined and mined by Chinese companies.

    Continue reading...", + "category": "Electric, hybrid and low-emission cars", + "link": "https://www.theguardian.com/global-development/2021/nov/25/battery-arms-race-how-china-has-monopolised-the-electric-vehicle-industry", + "creator": "Pete Pattisson", + "pubDate": "2021-11-25T14:03:45Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a035b22a38a927954791fd8b663a2cee" + "hash": "9fd756b5c75d88f988b3aa0c62ffad08" }, { - "title": "Macron attacks Johnson for trying to negotiate migration crisis via tweets – video", - "description": "

    The French president, Emmanuel Macron, has reprimanded Boris Johnson for trying to negotiate with him about stopping people crossing the Channel in public, via Twitter. He said he was 'surprised' by Johnson’s decision to communicate with him in this way, because it was 'not serious'. He added: 'We don’t communicate by tweets'

    Continue reading...", - "content": "

    The French president, Emmanuel Macron, has reprimanded Boris Johnson for trying to negotiate with him about stopping people crossing the Channel in public, via Twitter. He said he was 'surprised' by Johnson’s decision to communicate with him in this way, because it was 'not serious'. He added: 'We don’t communicate by tweets'

    Continue reading...", - "category": "Emmanuel Macron", - "link": "https://www.theguardian.com/australia-news/video/2021/nov/26/macron-attacks-johnson-for-trying-to-negotiate-migration-crisis-via-tweets-video", - "creator": "", - "pubDate": "2021-11-26T12:37:33Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "EU moves to place Covid booster jabs at heart of travel rules", + "description": "

    Commission says unrestricted travel between states should apply to those who get booster nine months after jabs

    People hoping to travel to the European Union next year will have to get a booster jab once their original Covid vaccines are more than nine months old, under new proposals from Brussels.

    On Thursday, the European Commission proposed a nine-month limit for vaccine validity that would apply for travel within and to the EU.

    Continue reading...", + "content": "

    Commission says unrestricted travel between states should apply to those who get booster nine months after jabs

    People hoping to travel to the European Union next year will have to get a booster jab once their original Covid vaccines are more than nine months old, under new proposals from Brussels.

    On Thursday, the European Commission proposed a nine-month limit for vaccine validity that would apply for travel within and to the EU.

    Continue reading...", + "category": "European Union", + "link": "https://www.theguardian.com/world/2021/nov/25/eu-moves-to-place-covid-booster-jabs-at-heart-of-travel-rules", + "creator": "Jennifer Rankin in Brussels", + "pubDate": "2021-11-25T13:47:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e33bfa4e5ff16665cfffd2c753afe2c2" + "hash": "dddad8a70ba6e988330bc17d5b55bd3c" }, { - "title": "Bosnian Serb leader: Putin and China will help if west imposes sanctions", - "description": "

    Exclusive: Milorad Dodik dismisses fears Serb separatists are planning breakup of Bosnia-Herzegovina

    The Bosnian Serb leader accused of risking war by pursuing the breakup of Bosnia-Herzegovina has dismissed the threat of western sanctions and hinted at an imminent summit with Vladimir Putin, saying: “I was not elected to be a coward”.

    In an interview with the Guardian, Milorad Dodik, the Serb member of the tripartite leadership of Bosnia-Herzegovina, said he would not be deterred by the outcry from London, Washington, Berlin and Brussels.

    Continue reading...", - "content": "

    Exclusive: Milorad Dodik dismisses fears Serb separatists are planning breakup of Bosnia-Herzegovina

    The Bosnian Serb leader accused of risking war by pursuing the breakup of Bosnia-Herzegovina has dismissed the threat of western sanctions and hinted at an imminent summit with Vladimir Putin, saying: “I was not elected to be a coward”.

    In an interview with the Guardian, Milorad Dodik, the Serb member of the tripartite leadership of Bosnia-Herzegovina, said he would not be deterred by the outcry from London, Washington, Berlin and Brussels.

    Continue reading...", - "category": "Bosnia-Herzegovina", - "link": "https://www.theguardian.com/world/2021/nov/29/bosnian-serb-leader-putin-and-china-will-help-if-west-imposes-sanctions", - "creator": "Daniel Boffey in Banja Luka, Bosnia-Herzegovina", - "pubDate": "2021-11-29T05:00:46Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Apple tells Thai activists they are targets of ‘state-sponsored attackers’", + "description": "

    At least 17 people including protest leaders have received alerts about devices possibly being compromised

    Thai activists who have called for reform of the monarchy are among at least 17 people in Thailand who say they have been warned by Apple that they have been targeted by “state-sponsored” attackers.

    Warnings were sent to the prominent activists Panusaya Sithijirawattanakul and Arnon Nampa, according to Panusaya’s sister May and the administrator of Arnon’s Facebook page. Panusaya and Arnon are in pre-trial detention after leading demonstrations calling for the power of the monarchy to be curbed.

    Continue reading...", + "content": "

    At least 17 people including protest leaders have received alerts about devices possibly being compromised

    Thai activists who have called for reform of the monarchy are among at least 17 people in Thailand who say they have been warned by Apple that they have been targeted by “state-sponsored” attackers.

    Warnings were sent to the prominent activists Panusaya Sithijirawattanakul and Arnon Nampa, according to Panusaya’s sister May and the administrator of Arnon’s Facebook page. Panusaya and Arnon are in pre-trial detention after leading demonstrations calling for the power of the monarchy to be curbed.

    Continue reading...", + "category": "Thailand", + "link": "https://www.theguardian.com/world/2021/nov/25/apple-tells-thai-activists-they-are-targets-of-state-sponsored-attackers", + "creator": "Rebecca Ratcliffe and Navaon Siradapuvadol", + "pubDate": "2021-11-25T13:42:51Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ef6e57fcee23b800238a46e08f70770b" + "hash": "09c0024692a3f15338d0360d055a109d" }, { - "title": "Ghislaine Maxwell sex-trafficking trial to go before jury on Monday", - "description": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan will finally go before a jury on Monday, with opening statements. The panel of 12 jurors and six alternates that will weigh Maxwell’s fate was decided around 10am local time.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", - "content": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s much-awaited sex trafficking trial in Manhattan will finally go before a jury on Monday, with opening statements. The panel of 12 jurors and six alternates that will weigh Maxwell’s fate was decided around 10am local time.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/nov/29/ghislaine-maxwell-sex-trafficking-trial", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-29T15:16:52Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Dozens killed in Siberia after coalmine explosion – reports", + "description": "

    Russian media reports emergency officials saying 52 miners and rescuers have died in the Listvyazhnaya mine

    A devastating explosion in a Siberian coalmine on Thursday left 52 miners and rescuers dead about 250 meters (820ft) underground, Russian officials have said.

    Hours after a methane gas explosion and fire filled the mine with toxic fumes, rescuers found 14 bodies but then were forced to halt the search for 38 others because of a buildup of methane and carbon monoxide gas from the fire. A total of 239 people were rescued.

    Continue reading...", + "content": "

    Russian media reports emergency officials saying 52 miners and rescuers have died in the Listvyazhnaya mine

    A devastating explosion in a Siberian coalmine on Thursday left 52 miners and rescuers dead about 250 meters (820ft) underground, Russian officials have said.

    Hours after a methane gas explosion and fire filled the mine with toxic fumes, rescuers found 14 bodies but then were forced to halt the search for 38 others because of a buildup of methane and carbon monoxide gas from the fire. A total of 239 people were rescued.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/nov/25/dozens-trapped-underground-in-siberia-after-fatal-coalmine-fire", + "creator": "Associated Press", + "pubDate": "2021-11-25T13:32:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9a5853e331b9a80423c498bc947e8edf" + "hash": "7554b10c935e22970a479892e80ec33f" }, { - "title": "UK Covid live: Sajid Javid makes statement to MPs on Omicron variant and booster vaccines", - "description": "

    Move comes as more cases of Omicron variant identified in UK

    Sturgeon stresses that there is “a huge amount that we do not yet know” about the variant.

    The number of mutations suggest it might be more transmissible. But more data and analysis is required, and if it is more transmissible, they will have to find out by how much.

    Continue reading...", - "content": "

    Move comes as more cases of Omicron variant identified in UK

    Sturgeon stresses that there is “a huge amount that we do not yet know” about the variant.

    The number of mutations suggest it might be more transmissible. But more data and analysis is required, and if it is more transmissible, they will have to find out by how much.

    Continue reading...", - "category": "Politics", - "link": "https://www.theguardian.com/politics/live/2021/nov/29/uk-covid-live-omicron-cases-england-scotland-health-minister-vaccines-coronavirus-latest-update", - "creator": "Andrew Sparrow", - "pubDate": "2021-11-29T16:18:49Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "What is driving Europe's surge in Covid cases? – video explainer", + "description": "

    The continent is now the centre of the global coronavirus pandemic – again. As countries from the Baltic to the Med brace for harsher winter measures, the Guardian's Jon Henley looks at the reasons behind the fourth wave

    Continue reading...", + "content": "

    The continent is now the centre of the global coronavirus pandemic – again. As countries from the Baltic to the Med brace for harsher winter measures, the Guardian's Jon Henley looks at the reasons behind the fourth wave

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/25/what-is-driving-europes-surge-in-covid-cases-video-explainer", + "creator": "Monika Cvorak, Jon Henley and Nikhita Chulani", + "pubDate": "2021-11-25T12:50:29Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ada680a66615d1053e3095fc3879de34" + "hash": "61b6eace8e7f512a26fc166385614b4b" }, { - "title": "Nursing unions around world call for UN action on Covid vaccine patents", - "description": "

    Bodies in 28 countries file appeal for waiver of intellectual property agreement and end to ‘grossly unjust’ distribution of jabs

    Nursing unions in 28 countries have filed a formal appeal with the United Nations over the refusal of the UK, EU and others to temporarily waive patents for Covid vaccines, saying this has cost huge numbers of lives in developing nations.

    The letter, sent on Monday on behalf of unions representing more than 2.5 million healthcare workers, said staff have witnessed at first hand the “staggering numbers of deaths and the immense suffering caused by political inaction”.

    Continue reading...", - "content": "

    Bodies in 28 countries file appeal for waiver of intellectual property agreement and end to ‘grossly unjust’ distribution of jabs

    Nursing unions in 28 countries have filed a formal appeal with the United Nations over the refusal of the UK, EU and others to temporarily waive patents for Covid vaccines, saying this has cost huge numbers of lives in developing nations.

    The letter, sent on Monday on behalf of unions representing more than 2.5 million healthcare workers, said staff have witnessed at first hand the “staggering numbers of deaths and the immense suffering caused by political inaction”.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/29/nursing-unions-around-world-call-for-un-action-on-covid-vaccine-patents", - "creator": "Peter Walker Political correspondent", - "pubDate": "2021-11-29T06:00:47Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Matteo Salvini: ‘I refuse to think of substituting 10m Italians with 10m migrants’", + "description": "

    Exclusive: Far-right politician is in campaign mode and says he has no regrets about draconian policies he introduced when he was interior minister

    Whether they’re camped outside in freezing temperatures or stranded at sea, Matteo Salvini exhibits little sympathy for the asylum seekers blocked at European borders. The Italian far-right leader, who as interior minister attempted to stop NGO rescue boats landing in Italian ports, in one case leading to criminal charges, will travel to Warsaw next month in a show of solidarity with his Polish allies who have deployed hardcore tactics to ward off thousands of refugees trying to enter from Belarus.

    “I think that Europe is realising that illegal immigration is dangerous,” Salvini told the Guardian in an interview conducted before 27 people drowned attempting to cross the Channel in an inflatable boat. “So maybe this shock will be useful.”

    Continue reading...", + "content": "

    Exclusive: Far-right politician is in campaign mode and says he has no regrets about draconian policies he introduced when he was interior minister

    Whether they’re camped outside in freezing temperatures or stranded at sea, Matteo Salvini exhibits little sympathy for the asylum seekers blocked at European borders. The Italian far-right leader, who as interior minister attempted to stop NGO rescue boats landing in Italian ports, in one case leading to criminal charges, will travel to Warsaw next month in a show of solidarity with his Polish allies who have deployed hardcore tactics to ward off thousands of refugees trying to enter from Belarus.

    “I think that Europe is realising that illegal immigration is dangerous,” Salvini told the Guardian in an interview conducted before 27 people drowned attempting to cross the Channel in an inflatable boat. “So maybe this shock will be useful.”

    Continue reading...", + "category": "Matteo Salvini", + "link": "https://www.theguardian.com/world/2021/nov/25/matteo-salvini-interview-far-right-migration", + "creator": "Angela Giuffrida in Rome", + "pubDate": "2021-11-25T12:37:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "72e6064767eec3e533b4648f7d23e5a2" + "hash": "f026a22210a3307b715ae0de2d3b014f" }, { - "title": "Trust in scientists soared in Australia and New Zealand during Covid pandemic, poll finds", - "description": "

    Gallup survey reveals the two countries have the world’s highest levels of trust in scientists, with 62% saying they trust them ‘a lot’

    As the Covid-19 pandemic raged, New Zealanders and Australians developed the world’s highest levels of trust in scientists, newly released survey data has found – and those trust levels soared as the global crisis evolved.

    The Wellcome Global Monitor, conducted by Gallup, surveyed 119,000 people across 113 countries. It found 62% of the two countries’ citizens said they trusted scientists “a lot”, compared with a global average of 41%. While trust in scientists had increased around the world since 2018, the portion who said they trusted scientists a lot jumped 15 percentage points in Australia and New Zealand, compared with nine points elsewhere. In 2018, western Europe had had the highest levels of trust in scientists, but they were overtaken in the past two years.

    Continue reading...", - "content": "

    Gallup survey reveals the two countries have the world’s highest levels of trust in scientists, with 62% saying they trust them ‘a lot’

    As the Covid-19 pandemic raged, New Zealanders and Australians developed the world’s highest levels of trust in scientists, newly released survey data has found – and those trust levels soared as the global crisis evolved.

    The Wellcome Global Monitor, conducted by Gallup, surveyed 119,000 people across 113 countries. It found 62% of the two countries’ citizens said they trusted scientists “a lot”, compared with a global average of 41%. While trust in scientists had increased around the world since 2018, the portion who said they trusted scientists a lot jumped 15 percentage points in Australia and New Zealand, compared with nine points elsewhere. In 2018, western Europe had had the highest levels of trust in scientists, but they were overtaken in the past two years.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/29/trust-in-scientists-soared-in-australia-and-new-zealand-during-covid-pandemic-poll-finds", - "creator": "Tess McClure in Christchurch", - "pubDate": "2021-11-29T11:00:45Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Spanish police recover rare 2,000-year-old Iberian sword", + "description": "

    Double-edged, curved falcata particularly sought after because of the original condition of its blade

    More than 2,000 years after it was last wielded by a warrior somewhere on the Iberian peninsula, a rare, magnificent – and plundered – sword has been recovered by Spanish police, who tracked it down before it was sold online.

    The pre-Roman falcata, a double-edged, curved sword used by the Iberians between the fifth and first centuries BC, was seized along with 202 other archaeological pieces after it appeared on what Policía Nacional officers termed “a well known social media site”.

    Continue reading...", + "content": "

    Double-edged, curved falcata particularly sought after because of the original condition of its blade

    More than 2,000 years after it was last wielded by a warrior somewhere on the Iberian peninsula, a rare, magnificent – and plundered – sword has been recovered by Spanish police, who tracked it down before it was sold online.

    The pre-Roman falcata, a double-edged, curved sword used by the Iberians between the fifth and first centuries BC, was seized along with 202 other archaeological pieces after it appeared on what Policía Nacional officers termed “a well known social media site”.

    Continue reading...", + "category": "Spain", + "link": "https://www.theguardian.com/world/2021/nov/25/spanish-police-recover-rare-2000-year-old-iberian-sword", + "creator": "Sam Jones in Madrid", + "pubDate": "2021-11-25T12:26:09Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "528fa6583cc3d33766060b7f4c6e970f" + "hash": "3bb07a0e73ca06e5e6ef74d4a7ca9f09" }, { - "title": "Sam Mendes on Stephen Sondheim: ‘He was passionate, utterly open and sharp as a knife’", - "description": "

    From their exhilarating collaborations to a supper for two that ended in tears, the director shares his most personal memories of the musicals legend who took theatre to extraordinary new heights

    He kept a selection of grooming utensils in his guest bathroom: nail scissors, implements for trimming nose hair, that sort of thing. He had a slightly shambolic air, and a listing gait, like a grad student impersonating a grownup, or as if his nanny had brushed his hair for him that morning. He would rock his head back when he talked and often spoke with his eyes closed, like someone communing with a higher power, which he probably was. His latest enthusiasms were always near the surface – to hear him speak about Rory Kinnear’s Hamlet, for example, was to make one want to go and see it all over again (he actually flew a group of his New York friends to London to see the production). He was equally expressive in his condemnation of work he didn’t care for. He was passionate, opinionated, uningratiating, sharp as a knife.

    Until his later years, when he chose to spend more time in Connecticut, he was all New York. Steve saw everything: he taught me how to calculate exactly the amount of time it would take to walk to each individual theatre by judging how many blocks east to west (five minutes per block) and north to south (two minutes). For this particular wide-eyed Brit, Steve’s life on East 49th Street was a dream of New York in the 20th century. A beautiful brownstone, wood-panelled, with walls full of framed word games and puzzles. A grand piano looked out on a walled garden filled with vines and flowers.

    Continue reading...", - "content": "

    From their exhilarating collaborations to a supper for two that ended in tears, the director shares his most personal memories of the musicals legend who took theatre to extraordinary new heights

    He kept a selection of grooming utensils in his guest bathroom: nail scissors, implements for trimming nose hair, that sort of thing. He had a slightly shambolic air, and a listing gait, like a grad student impersonating a grownup, or as if his nanny had brushed his hair for him that morning. He would rock his head back when he talked and often spoke with his eyes closed, like someone communing with a higher power, which he probably was. His latest enthusiasms were always near the surface – to hear him speak about Rory Kinnear’s Hamlet, for example, was to make one want to go and see it all over again (he actually flew a group of his New York friends to London to see the production). He was equally expressive in his condemnation of work he didn’t care for. He was passionate, opinionated, uningratiating, sharp as a knife.

    Until his later years, when he chose to spend more time in Connecticut, he was all New York. Steve saw everything: he taught me how to calculate exactly the amount of time it would take to walk to each individual theatre by judging how many blocks east to west (five minutes per block) and north to south (two minutes). For this particular wide-eyed Brit, Steve’s life on East 49th Street was a dream of New York in the 20th century. A beautiful brownstone, wood-panelled, with walls full of framed word games and puzzles. A grand piano looked out on a walled garden filled with vines and flowers.

    Continue reading...", - "category": "Stephen Sondheim", - "link": "https://www.theguardian.com/stage/2021/nov/29/sam-mendes-stephen-sondheim-passionate-sharp-knife-musicals", - "creator": "Sam Mendes", - "pubDate": "2021-11-29T11:39:00Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "HMRC to relocate to Newcastle office owned by Tory donors via tax haven", + "description": "

    Exclusive: Deal is part of north-east regeneration scheme developed by property tycoons David and Simon Reuben

    HM Revenue and Customs has struck a deal to relocate tax officials into a new office complex in Newcastle owned by major Conservative party donors through an offshore company based in a tax haven, the Guardian can reveal.

    The department’s planned new home in the north-east of England is part of a regeneration scheme developed by a British Virgin Islands (BVI) entity controlled by the billionaire property tycoons David and Simon Reuben.

    Continue reading...", + "content": "

    Exclusive: Deal is part of north-east regeneration scheme developed by property tycoons David and Simon Reuben

    HM Revenue and Customs has struck a deal to relocate tax officials into a new office complex in Newcastle owned by major Conservative party donors through an offshore company based in a tax haven, the Guardian can reveal.

    The department’s planned new home in the north-east of England is part of a regeneration scheme developed by a British Virgin Islands (BVI) entity controlled by the billionaire property tycoons David and Simon Reuben.

    Continue reading...", + "category": "HMRC", + "link": "https://www.theguardian.com/politics/2021/nov/25/hmrc-to-relocate-to-newcastle-office-owned-by-tory-donors-via-tax-haven", + "creator": "Harry Davies and Rowena Mason", + "pubDate": "2021-11-25T11:11:21Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d2d2180a2d31cbcd0b274894ba4ff08f" + "hash": "a77ab326b11c5952d9b51f32093bb80c" }, { - "title": "‘I owe an enormous debt to therapy!’ Rita Moreno on West Side Story, dating Brando and joy at 90", - "description": "

    She overcame racism and abuse to break Hollywood, romanced Brando, dated Elvis to make him jealous, fought hard for civil rights and won an Egot. Now in her 10th decade, she is busier and happier than ever

    Rita Moreno pops up on my computer screen in a bright red hat, huge pendant necklace and tortoiseshell glasses. “Well, here I am in my full glory,” she says from her home in Berkeley, California. And glorious she sure is. Moreno is a couple of weeks short of her 90th birthday, but look at her and you would knock off 20 years. Listen to her and you would knock off another 50.

    Can I wish you an advance happy birthday, I ask. “Yes, you can. Isn’t it exciting?” Moreno is one of the acting greats. But she could have been so much greater. She is one of only six women to have bagged the Egot (Emmy, Grammy, Oscar and Tony awards), alongside Helen Hayes, Audrey Hepburn, Barbra Streisand, Whoopi Goldberg and Liza Minnelli. Yet she has spent much of her career battling typecasting or simply not being cast at all.

    Continue reading...", - "content": "

    She overcame racism and abuse to break Hollywood, romanced Brando, dated Elvis to make him jealous, fought hard for civil rights and won an Egot. Now in her 10th decade, she is busier and happier than ever

    Rita Moreno pops up on my computer screen in a bright red hat, huge pendant necklace and tortoiseshell glasses. “Well, here I am in my full glory,” she says from her home in Berkeley, California. And glorious she sure is. Moreno is a couple of weeks short of her 90th birthday, but look at her and you would knock off 20 years. Listen to her and you would knock off another 50.

    Can I wish you an advance happy birthday, I ask. “Yes, you can. Isn’t it exciting?” Moreno is one of the acting greats. But she could have been so much greater. She is one of only six women to have bagged the Egot (Emmy, Grammy, Oscar and Tony awards), alongside Helen Hayes, Audrey Hepburn, Barbra Streisand, Whoopi Goldberg and Liza Minnelli. Yet she has spent much of her career battling typecasting or simply not being cast at all.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/29/i-owe-an-enormous-debt-to-therapy-rita-moreno-on-west-side-story-dating-brando-and-joy-at-90", - "creator": "Simon Hattenstone", - "pubDate": "2021-11-29T06:00:49Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Turkey accused of using Interpol summit to crack down on critics", + "description": "

    Campaigners claim Ankara is abusing its position as host, by pressuring the police body to harass dissidents living abroad

    Human rights activists have accused Turkey of using its role as host of Interpol’s general assembly to push for a crackdown on critics and political opponents who have fled the country.

    The alert came after the Turkish interior minister, Süleyman Soylu, said his government would use the three-day event in Istanbul to persuade the international criminal police organisation’s officials and delegates to find, arrest and extradite Turkish dissident citizens particularly those it labels terroristsabroad.

    Continue reading...", + "content": "

    Campaigners claim Ankara is abusing its position as host, by pressuring the police body to harass dissidents living abroad

    Human rights activists have accused Turkey of using its role as host of Interpol’s general assembly to push for a crackdown on critics and political opponents who have fled the country.

    The alert came after the Turkish interior minister, Süleyman Soylu, said his government would use the three-day event in Istanbul to persuade the international criminal police organisation’s officials and delegates to find, arrest and extradite Turkish dissident citizens particularly those it labels terroristsabroad.

    Continue reading...", + "category": "Interpol", + "link": "https://www.theguardian.com/global-development/2021/nov/25/turkey-accused-of-using-interpol-summit-to-crack-down-on-critics", + "creator": "Kim Willsher", + "pubDate": "2021-11-25T11:09:31Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c397fbc8ef1e7ae57da2d6ed015ffd66" + "hash": "74dce2e1be36c689ac9bd9f886e3720a" }, { - "title": "Arizona students seek Kyle Rittenhouse removal from online nursing classes", - "description": "
    • Group at Arizona State University demand teen be banned
    • Rittenhouse acquitted of murder during Kenosha protests

    A small but vocal alliance of left-leaning students at Arizona State University (ASU) is demanding Kyle Rittenhouse be removed from online classes, despite the teen’s acquittal this month on charges of murdering two men and injuring another during protests for racial justice in Wisconsin last year.

    The 18-year-old has been celebrated in rightwing circles after a jury decided he acted in self-defense when killing and wounding the men in Kenosha in August 2020.

    Continue reading...", - "content": "
    • Group at Arizona State University demand teen be banned
    • Rittenhouse acquitted of murder during Kenosha protests

    A small but vocal alliance of left-leaning students at Arizona State University (ASU) is demanding Kyle Rittenhouse be removed from online classes, despite the teen’s acquittal this month on charges of murdering two men and injuring another during protests for racial justice in Wisconsin last year.

    The 18-year-old has been celebrated in rightwing circles after a jury decided he acted in self-defense when killing and wounding the men in Kenosha in August 2020.

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/2021/nov/29/kyle-rittenhouse-arizona-statue-university-classes", - "creator": "Richard Luscombe", - "pubDate": "2021-11-29T16:12:49Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Justice prevailed in the trial of Ahmaud Arbery’s killers. In America, that’s a shock | Moustafa Bayoumi", + "description": "

    The jury reached the right verdict – even as the criminal justice system did everything it could to exonerate the three men

    It’s shocking that Travis McMichael, Gregory McMichael, and William Bryan were found guilty of murdering Ahmaud Arbery in Brunswick, Georgia. Yet the shock doesn’t stem out of any miscarriage of justice. On the contrary, the jury in Glynn county deliberated and reached the correct decision. Stalking an innocent Black man, chasing him, cornering him, and then killing him must come with criminal consequences in this country, and each of the three murderers now faces the possibility of a life sentence.

    But the shock is that justice was served in a case where it seemed the criminal justice system and substantial portions of media coverage were doing all they could to exonerate these men. In fact, everything about this case illustrates how difficult it is to get justice for Black people in this country, starting with how often Fox News and other media outlets referred to the case as “the Arbery trial”, as if Ahmaud Arbery were the perpetrator here and not the victim.

    Continue reading...", + "content": "

    The jury reached the right verdict – even as the criminal justice system did everything it could to exonerate the three men

    It’s shocking that Travis McMichael, Gregory McMichael, and William Bryan were found guilty of murdering Ahmaud Arbery in Brunswick, Georgia. Yet the shock doesn’t stem out of any miscarriage of justice. On the contrary, the jury in Glynn county deliberated and reached the correct decision. Stalking an innocent Black man, chasing him, cornering him, and then killing him must come with criminal consequences in this country, and each of the three murderers now faces the possibility of a life sentence.

    But the shock is that justice was served in a case where it seemed the criminal justice system and substantial portions of media coverage were doing all they could to exonerate these men. In fact, everything about this case illustrates how difficult it is to get justice for Black people in this country, starting with how often Fox News and other media outlets referred to the case as “the Arbery trial”, as if Ahmaud Arbery were the perpetrator here and not the victim.

    Continue reading...", + "category": "Ahmaud Arbery", + "link": "https://www.theguardian.com/us-news/commentisfree/2021/nov/25/justice-prevailed-in-the-trial-of-ahmaud-arberys-killers-in-america-thats-a-shock", + "creator": "Moustafa Bayoumi", + "pubDate": "2021-11-25T11:00:09Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "83c8f074f1c13c6ff1c31a9ec982efa1" + "hash": "d764272569365921042d1407825390d0" }, { - "title": "The Last Matinee review – giallo-style slasher gets its knives into cinema audience", - "description": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", - "content": "

    Maximiliano Contenti’s horror flick attempts to unpick voyeurism but lacks the sophistication of others in the genre

    Nostalgia for idiosyncratic analogue film style is the simplest explanation for the recent giallo revival – but maybe there’s more to it than that. This most stylised of horror modes is perfect for our over-aestheticised age, so the newcomers – such as Berberian Sound Studio, Censor and Sound of Violence – make artists and viewers accessories to violence, often unleashed through that giallo mainstay, the power of the gaze. Set almost entirely in a tatty Montevideo rep cinema, Uruguayan slasher The Last Matinee joins this voyeuristic club, even if it ends up more in the raw than the refined camp.

    On a rainswept night in 1993, engineering student Ana (Luciana Grasso) insists on taking over projectionist duties for a screening of Frankenstein: Day of the Beast (an in-joke – it was released in 2011 and was directed by Ricardo Islas, who plays the killer here). She shuts herself in the booth, trying to ignore the inane banter of usher Mauricio (Pedro Duarte) – but neither have noticed a heavy-set trenchcoated bogeyman enter the auditorium to size up that night’s film faithful: three teenagers, an awkward couple on a first date, a flat-capped pensioner and a underage kid stowaway (Franco Durán).

    Continue reading...", - "category": "Horror films", - "link": "https://www.theguardian.com/film/2021/nov/29/the-last-matinee-review-maximiliano-contenti-giallo-genre-voyeurism", - "creator": "Phil Hoad", - "pubDate": "2021-11-29T16:00:05Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Many disabled women are assaulted each year. Forgetting my own rape feels impossible", + "description": "

    After the attack, I became preoccupied with the idea that my case would be questioned because of my disability. But what happened continues to haunt me

    I have been a wheelchair user for a number of years, due to a progressive condition. I have been a rape survivor for four. These things are more connected than you might think.

    I first met Alex (not his real name) four years ago. We were at a house party. He was drunk and I was sober; this would become a running theme.

    Continue reading...", + "content": "

    After the attack, I became preoccupied with the idea that my case would be questioned because of my disability. But what happened continues to haunt me

    I have been a wheelchair user for a number of years, due to a progressive condition. I have been a rape survivor for four. These things are more connected than you might think.

    I first met Alex (not his real name) four years ago. We were at a house party. He was drunk and I was sober; this would become a running theme.

    Continue reading...", + "category": "Rape and sexual assault", + "link": "https://www.theguardian.com/society/2021/nov/25/many-disabled-women-are-assaulted-each-year-forgetting-my-own-rape-feels-impossible", + "creator": "Guardian Staff", + "pubDate": "2021-11-25T11:00:08Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be0bcab773fc21c0922c5c7d7ac82f70" + "hash": "4c7f242e4d9e8c5b9163370c0b146a36" }, { - "title": "Disney+ channel launches in Hong Kong, without the Simpsons Tiananmen Square episode", - "description": "

    Streaming channel went live this month, but without an episode in which the family visit China

    An episode of the Simpsons in which the cartoon American family visit Tiananmen Square is absent from Disney’s streaming channel in Hong Kong, at a time when authorities are clamping down on dissent.

    The missing episode adds to concerns that mainland-style censorship is becoming the norm in the international business hub, ensnaring global streaming giants and other major tech companies.

    Continue reading...", - "content": "

    Streaming channel went live this month, but without an episode in which the family visit China

    An episode of the Simpsons in which the cartoon American family visit Tiananmen Square is absent from Disney’s streaming channel in Hong Kong, at a time when authorities are clamping down on dissent.

    The missing episode adds to concerns that mainland-style censorship is becoming the norm in the international business hub, ensnaring global streaming giants and other major tech companies.

    Continue reading...", - "category": "Hong Kong", - "link": "https://www.theguardian.com/world/2021/nov/29/disney-channel-launches-in-hong-kong-without-the-simpsons-tiananmen-square-episode", - "creator": "Agence France-Presse", - "pubDate": "2021-11-29T06:51:29Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australia politics live update: PM targeted on integrity bill in question time; AFP and ADF deployed to Solomon Islands for ‘riot control’", + "description": "

    Scott Morrison announces deployment of personnel to Solomon Islands as protests continue; Labor targets federal integrity commission during question time; George Christensen ‘clarifies’ Hitler, Mao, Stalin comments; Victoria records 1,254 new Covid cases and five deaths; NSW reports 276 cases and no deaths. Follow live updates

    A special Victorian Roy Morgan SMS poll shows 76% of Victorians agree that an employed worker in Victoria should not be allowed to enter their employer’s workplace unless fully vaccinated, compared with only 24% that disagree.

    Agreement with this policy is consistently strong across gender, age and location, although there are significant political differences, the poll found.

    Let’s think about how this works in practice. If a teacher applies to work at a school, whether it’s Christian, or Islamic, or whether it’s Jewish or any other, and they apply to work at a school that’s got a clearly stated policy …

    Look, I think that is something that would depend a great deal upon what that school is prepared to be upfront with the community about now. I’d suggest there would be very few schools that that want to be in a position where they’ve got to say to the community, that this is what we believe and we’re not going to hire people, unless they subscribe to a version of belief that is very, very strict on that front.

    Continue reading...", + "content": "

    Scott Morrison announces deployment of personnel to Solomon Islands as protests continue; Labor targets federal integrity commission during question time; George Christensen ‘clarifies’ Hitler, Mao, Stalin comments; Victoria records 1,254 new Covid cases and five deaths; NSW reports 276 cases and no deaths. Follow live updates

    A special Victorian Roy Morgan SMS poll shows 76% of Victorians agree that an employed worker in Victoria should not be allowed to enter their employer’s workplace unless fully vaccinated, compared with only 24% that disagree.

    Agreement with this policy is consistently strong across gender, age and location, although there are significant political differences, the poll found.

    Let’s think about how this works in practice. If a teacher applies to work at a school, whether it’s Christian, or Islamic, or whether it’s Jewish or any other, and they apply to work at a school that’s got a clearly stated policy …

    Look, I think that is something that would depend a great deal upon what that school is prepared to be upfront with the community about now. I’d suggest there would be very few schools that that want to be in a position where they’ve got to say to the community, that this is what we believe and we’re not going to hire people, unless they subscribe to a version of belief that is very, very strict on that front.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/25/australia-politics-live-update-scott-morrison-religious-discrimination-legislation-vaccine-mandate-gay-students-teachers-covid-coronavirus-anthony-albanese-labor", + "creator": "Josh Taylor (now) and Amy Remeikis (earlier)", + "pubDate": "2021-11-25T08:22:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e88ff5a111d48594f3c00c5ae98e2e5" + "hash": "e3e909f1120103ae073b3993257163f3" }, { - "title": "David Gulpilil, a titanic force in Australian cinema, dies after lung cancer diagnosis", - "description": "

    The Indigenous actor, who was in his late 60s when he died, helped shape the history of Australian film

    Indigenous actor David Gulpilil, one of Australia’s greatest artists, has died four years after he was diagnosed with lung cancer.

    “It is with deep sadness that I share with the people of South Australia the passing of an iconic, once-in-a-generation artist who shaped the history of Australian film and Aboriginal representation on screen – David Gulpilil Ridjimiraril Dalaithngu,” the South Australian premier, Steven Marshall, said in a statement on Monday night.

    Continue reading...", - "content": "

    The Indigenous actor, who was in his late 60s when he died, helped shape the history of Australian film

    Indigenous actor David Gulpilil, one of Australia’s greatest artists, has died four years after he was diagnosed with lung cancer.

    “It is with deep sadness that I share with the people of South Australia the passing of an iconic, once-in-a-generation artist who shaped the history of Australian film and Aboriginal representation on screen – David Gulpilil Ridjimiraril Dalaithngu,” the South Australian premier, Steven Marshall, said in a statement on Monday night.

    Continue reading...", - "category": "Indigenous Australians", - "link": "https://www.theguardian.com/australia-news/2021/nov/29/david-gulpilil-a-titanic-force-in-australian-cinema-dies-after-battle-with-lung-cancer", - "creator": "Guardian staff", - "pubDate": "2021-11-29T11:35:45Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Covid news live: Germany death toll passes 100,000; vaccines giving people ‘false sense of security’, WHO says", + "description": "

    Germany has recorded a total of 100,119 deaths amid a resurgence of the virus and tough new restrictions; WHO officials issue a new warning over social mixing ahead of the holiday season

    Aboriginal elders, health organisations and frontline workers in the Australia’s Northern Territory’s Covid outbreak have lashed out at false information about public health measures on social media, with the NT chief minister blaming the misinformation on “tinfoil hat wearing tossers, sitting in their parents’ basements in Florida”.

    Over the past few days false claims have been circulating online that Aboriginal people from Binjari and Rockhole were being forcibly removed from their homes and taken to enforced quarantine in Howard Springs, and people including children were being forcibly vaccinated.

    Continue reading...", + "content": "

    Germany has recorded a total of 100,119 deaths amid a resurgence of the virus and tough new restrictions; WHO officials issue a new warning over social mixing ahead of the holiday season

    Aboriginal elders, health organisations and frontline workers in the Australia’s Northern Territory’s Covid outbreak have lashed out at false information about public health measures on social media, with the NT chief minister blaming the misinformation on “tinfoil hat wearing tossers, sitting in their parents’ basements in Florida”.

    Over the past few days false claims have been circulating online that Aboriginal people from Binjari and Rockhole were being forcibly removed from their homes and taken to enforced quarantine in Howard Springs, and people including children were being forcibly vaccinated.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/nov/25/covid-news-live-germany-death-toll-passes-100000-vaccines-giving-people-false-sense-of-security-who-says", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-11-25T08:16:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e379e4decde079cf94c7644eb982245f" + "hash": "8d5a9ef3313f93f56f7f8c7ae9031bd1" }, { - "title": "Sajid Javid on latest Covid variant: 'Our scientists are deeply concerned' – video", - "description": "

    The health secretary, Sajid Javid, has announced the UK will temporarily ban flights from several African countries, after the discovery of the B.1.1.529 Covid variant in the region against which vaccines might be less effective.

    Officials characterise the variant, which has double the number of mutations as the currently dominant Delta variant, as the 'worst one yet'.

    Flights from South Africa, Namibia, Botswana, Zimbabwe, Lesotho and Eswatini will be banned from Friday afternoon, and returning British travellers from those destinations will have to quarantine

    Continue reading...", - "content": "

    The health secretary, Sajid Javid, has announced the UK will temporarily ban flights from several African countries, after the discovery of the B.1.1.529 Covid variant in the region against which vaccines might be less effective.

    Officials characterise the variant, which has double the number of mutations as the currently dominant Delta variant, as the 'worst one yet'.

    Flights from South Africa, Namibia, Botswana, Zimbabwe, Lesotho and Eswatini will be banned from Friday afternoon, and returning British travellers from those destinations will have to quarantine

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/26/sajid-javid-our-scientists-are-deeply-concerned-over-latest-covid-variant-video", - "creator": "", - "pubDate": "2021-11-26T10:09:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Australia sends police and troops to Honiara as violent protests continue in Solomon Islands", + "description": "

    Protesters reportedly from neighbouring island, which opposed government’s 2019 decision to switch allegiance from Taiwan to China

    Australia is deploying more than 100 police and defence force personnel to the Solomon Islands amid reports of fresh protests in the capital Honiara.

    The Australian government on Thursday said the deployment would support “riot control” and security at critical infrastructure, a day after demonstrators attempted to storm parliament and topple the prime minister, Manasseh Sogavare.

    Continue reading...", + "content": "

    Protesters reportedly from neighbouring island, which opposed government’s 2019 decision to switch allegiance from Taiwan to China

    Australia is deploying more than 100 police and defence force personnel to the Solomon Islands amid reports of fresh protests in the capital Honiara.

    The Australian government on Thursday said the deployment would support “riot control” and security at critical infrastructure, a day after demonstrators attempted to storm parliament and topple the prime minister, Manasseh Sogavare.

    Continue reading...", + "category": "Solomon Islands", + "link": "https://www.theguardian.com/world/2021/nov/25/honiaras-chinatown-targeted-as-violent-protests-break-out-for-second-day-in-solomon-islands", + "creator": "Daniel Hurst and Agence France-Presse", + "pubDate": "2021-11-25T08:03:40Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47425aa3a99151218408ee63ba6ae3f5" + "hash": "d4557e474f87883c737fd8ac39770515" }, { - "title": "Covid live: WHO says ‘very high’ global risk from new strain; Portugal finds 13 Omicron cases in Lisbon football team", - "description": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Belenenses played match with nine players following outbreak

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", - "content": "

    WHO briefing says mutations ‘concerning for potential impact on pandemic trajectory’; Belenenses played match with nine players following outbreak

    G7 health ministers are to hold an emergency meeting on Monday on the new Omicron Covid-19 strain, as experts race to understand what the variant means for the fight to end the pandemic, AFP reports.

    The meeting was called by G7 chair Britain, which is among a steadily growing number of countries detecting cases of the heavily mutated new strain.

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/world/live/2021/nov/29/covid-live-news-omicron-variant-detected-in-canada-as-fauci-warns-two-weeks-needed-to-study-new-strain", - "creator": "Rachel Hall (now) and Martin Belam , Virginia Harrison and Helen Livingstone (earlier)", - "pubDate": "2021-11-29T12:05:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Dontae Sharpe was exonerated after 24 years in prison. That was not the end of his ordeal", + "description": "

    For many exonerees the struggle for justice carries on long after the prison gates have been flung open

    Every year Dontae Sharpe braces himself for the pardoning of the Thanksgiving turkey.

    It’s not that he objects to turkeys being spared the butcher’s knife. It’s that, from where he’s sitting, there are far more urgent candidates for a reprieve from the governor of North Carolina than a bird.

    Continue reading...", + "content": "

    For many exonerees the struggle for justice carries on long after the prison gates have been flung open

    Every year Dontae Sharpe braces himself for the pardoning of the Thanksgiving turkey.

    It’s not that he objects to turkeys being spared the butcher’s knife. It’s that, from where he’s sitting, there are far more urgent candidates for a reprieve from the governor of North Carolina than a bird.

    Continue reading...", + "category": "US justice system", + "link": "https://www.theguardian.com/us-news/2021/nov/25/dontae-sharpe-exonerated-prison-pardon", + "creator": "Ed Pilkington in Charlotte, North Carolina", + "pubDate": "2021-11-25T07:00:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3e6a3367b0e692a31d4d6aed3f08f14" + "hash": "5c93aebeeea11295dd11fb544bb566b9" }, { - "title": "Claim Prince Charles speculated on grandchildren’s skin colour ‘is fiction’", - "description": "

    Clarence House denies claim in new book that Charles asked about ‘complexion’ of Duke and Duchess of Sussex’s future children

    The private office of the Prince of Wales has dismissed as “fiction” claims in a new book that Prince Charles was the royal who speculated on the skin colour of the Duke and Duchess of Sussex’s future children.

    The American journalist and author Christopher Andersen, a former editor of the US celebrity news magazine People, alleges in the book that Charles made the comment on the day Harry and Meghan’s engagement was announced in November 2017.

    Continue reading...", - "content": "

    Clarence House denies claim in new book that Charles asked about ‘complexion’ of Duke and Duchess of Sussex’s future children

    The private office of the Prince of Wales has dismissed as “fiction” claims in a new book that Prince Charles was the royal who speculated on the skin colour of the Duke and Duchess of Sussex’s future children.

    The American journalist and author Christopher Andersen, a former editor of the US celebrity news magazine People, alleges in the book that Charles made the comment on the day Harry and Meghan’s engagement was announced in November 2017.

    Continue reading...", - "category": "Prince Charles", - "link": "https://www.theguardian.com/uk-news/2021/nov/29/claim-prince-charles-speculated-on-grandchildrens-skin-colour-is-fiction", - "creator": "Jamie Grierson", - "pubDate": "2021-11-29T09:19:55Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Return to the refugee camp: Malawi orders thousands back to ‘congested’ Dzaleka", + "description": "

    People who’ve integrated into society are expected to return to the country’s oldest refugee camp, as cost of living and anti-refugee sentiment rises

    Dzaleka, Malawi’s first refugee camp, is about 25 miles north of the capital Lilongwe. Built 25 years ago in response to a surge of people fleeing genocide and wars in Burundi, Rwanda and the Democratic Republic of the Congo, it was then home to between 10,000 and 14,000 refugees. But the camp now houses more than 48,000 people from east and southern African countries – four times more than its initial capacity.

    Several hundred continue to arrive each month, according to the UN refugee agency (UNHCR), and in August 181 babies were born there. The deteriorating situation in neighbouring Mozambique is swelling the numbers further, as is the government’s recent decree that an estimated 2,000 refugees who had over the years left Dzaleka to integrate into wider Malawian society should go back, citing them as a possible danger to national security.

    Continue reading...", + "content": "

    People who’ve integrated into society are expected to return to the country’s oldest refugee camp, as cost of living and anti-refugee sentiment rises

    Dzaleka, Malawi’s first refugee camp, is about 25 miles north of the capital Lilongwe. Built 25 years ago in response to a surge of people fleeing genocide and wars in Burundi, Rwanda and the Democratic Republic of the Congo, it was then home to between 10,000 and 14,000 refugees. But the camp now houses more than 48,000 people from east and southern African countries – four times more than its initial capacity.

    Several hundred continue to arrive each month, according to the UN refugee agency (UNHCR), and in August 181 babies were born there. The deteriorating situation in neighbouring Mozambique is swelling the numbers further, as is the government’s recent decree that an estimated 2,000 refugees who had over the years left Dzaleka to integrate into wider Malawian society should go back, citing them as a possible danger to national security.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/25/return-to-the-refugee-camp-malawi-orders-thousands-back-to-congested-dzaleka", + "creator": "Benson Kunchezera", + "pubDate": "2021-11-25T07:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7100e726d75ae61a31941326b900eaf4" + "hash": "daea045d3470570b24545b2542983485" }, { - "title": "Victims of sexual violence let down by UK asylum system, report says", - "description": "

    Study calls on Home Office to integrate gender and trauma sensitivity into asylum system

    Victims of sexual violence face further abuse and trauma as a result of the UK asylum process and are systematically let down by authorities, according to a report.

    The research found that gender-insensitive and sometimes inhumane asylum interviews, sexual harassment in unstable asylum accommodation and a lack of access to healthcare and psychological support were just some of the factors compounding the trauma of forced migrants in the UK.

    Continue reading...", - "content": "

    Study calls on Home Office to integrate gender and trauma sensitivity into asylum system

    Victims of sexual violence face further abuse and trauma as a result of the UK asylum process and are systematically let down by authorities, according to a report.

    The research found that gender-insensitive and sometimes inhumane asylum interviews, sexual harassment in unstable asylum accommodation and a lack of access to healthcare and psychological support were just some of the factors compounding the trauma of forced migrants in the UK.

    Continue reading...", - "category": "Violence against women and girls", - "link": "https://www.theguardian.com/society/2021/nov/29/victims-of-sexual-violence-let-down-by-uk-asylum-system-report-says", - "creator": "Jessica Murray Midlands correspondent", - "pubDate": "2021-11-29T10:38:49Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ahmaud Arbery murder: trial laid bare America’s faultlines on race", + "description": "

    Verdict caps almost two years of anguish for the Arbery family, marked by allegations of corruption, bias and racism both inside and outside the courtroom

    As the guilty verdicts were read aloud, one after the other, Ahmaud Arbery’s mother, Wanda Cooper-Jones, could be seen in the courthouse with tears in her eyes.

    The three white men who murdered her son back in February 2020, claiming they had acted in self-defense during an attempted citizen’s arrest, expressed little emotion.

    Continue reading...", + "content": "

    Verdict caps almost two years of anguish for the Arbery family, marked by allegations of corruption, bias and racism both inside and outside the courtroom

    As the guilty verdicts were read aloud, one after the other, Ahmaud Arbery’s mother, Wanda Cooper-Jones, could be seen in the courthouse with tears in her eyes.

    The three white men who murdered her son back in February 2020, claiming they had acted in self-defense during an attempted citizen’s arrest, expressed little emotion.

    Continue reading...", + "category": "Ahmaud Arbery", + "link": "https://www.theguardian.com/us-news/2021/nov/25/ahmaud-arbery-verdict-race", + "creator": "Oliver Laughland", + "pubDate": "2021-11-25T07:00:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f4bc360da63c32e3abb3daa5fdd5ab6a" + "hash": "d672e9e416603cd1311a4c341d3c4fb8" }, { - "title": "UK’s ‘double talk’ on Channel crisis must stop, says French interior minister", - "description": "

    Exclusive: Gérald Darmanin says UK ministers must stop saying one thing in private while insulting his country in public

    The French interior minister, Gérald Darmanin, has said British ministers including his counterpart, Priti Patel, should stop saying one thing in private while insulting his country in public if there is to be a solution to the crisis in the Channel.

    In an interview with the Guardian, Darmanin strongly criticised what he called “double talk” coming out of London and said France was not a “vassal” of the UK.

    Continue reading...", - "content": "

    Exclusive: Gérald Darmanin says UK ministers must stop saying one thing in private while insulting his country in public

    The French interior minister, Gérald Darmanin, has said British ministers including his counterpart, Priti Patel, should stop saying one thing in private while insulting his country in public if there is to be a solution to the crisis in the Channel.

    In an interview with the Guardian, Darmanin strongly criticised what he called “double talk” coming out of London and said France was not a “vassal” of the UK.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/28/uks-double-talk-on-channel-crisis-must-stop-says-french-interior-minister", - "creator": "Kim Willsher in Paris", - "pubDate": "2021-11-28T20:48:59Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "UK public urged to get Covid booster by 11 December if eligible to avoid waning immunity", + "description": "

    New research shows the risk of infection increases significantly six months after a second dose of the Pfizer vaccine

    Ministers are urging millions of Britons to get their Covid booster jab by 11 December to ensure they have “very high protection against Covid by Christmas Day” as new evidence shows the risk of infection increases with the time since the second dose.

    The fresh warning comes after cases broke records in parts of Europe on Wednesday, with the continent once again the centre of a pandemic that has prompted new restrictions.

    Continue reading...", + "content": "

    New research shows the risk of infection increases significantly six months after a second dose of the Pfizer vaccine

    Ministers are urging millions of Britons to get their Covid booster jab by 11 December to ensure they have “very high protection against Covid by Christmas Day” as new evidence shows the risk of infection increases with the time since the second dose.

    The fresh warning comes after cases broke records in parts of Europe on Wednesday, with the continent once again the centre of a pandemic that has prompted new restrictions.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/25/uk-public-urged-to-get-covid-booster-by-11-december-if-eligible-to-avoid-waning-immunity", + "creator": "Andrew Gregory and Hannah Devlin", + "pubDate": "2021-11-25T06:01:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2b0cb718d2354beef418dee8ecb23795" + "hash": "850c20ba589b57ad15481fd14f184f5a" }, { - "title": "Xiomara Castro declares victory in Honduras presidential election", - "description": "

    Castro, expected to be country’s first female president, has vowed to fight corruption and relax abortion laws

    The Honduran presidential candidate Xiomara Castro was heading for a landslide win in Sunday’s election, declaring victory as supporters danced outside her offices to celebrate the left’s return to power 12 years after her husband was ousted in a coup.

    The election, expected to give Honduras its first female president, seemed to have run smoothly, a contrast to four years ago when a close outcome led to a contested result and deadly protests after widespread allegations of irregularities.

    Continue reading...", - "content": "

    Castro, expected to be country’s first female president, has vowed to fight corruption and relax abortion laws

    The Honduran presidential candidate Xiomara Castro was heading for a landslide win in Sunday’s election, declaring victory as supporters danced outside her offices to celebrate the left’s return to power 12 years after her husband was ousted in a coup.

    The election, expected to give Honduras its first female president, seemed to have run smoothly, a contrast to four years ago when a close outcome led to a contested result and deadly protests after widespread allegations of irregularities.

    Continue reading...", - "category": "Honduras", - "link": "https://www.theguardian.com/world/2021/nov/29/xiomara-castro-declares-victory-in-honduras-presidential-election", - "creator": "Reuters in Tegucigalpa", - "pubDate": "2021-11-29T11:19:38Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘The gooey overlay of sweetness over genocide’: the myth of the ‘first Thanksgiving’", + "description": "

    Some members of the Wampanoag Nation mark Thanksgiving as their National Day of Mourning

    In 1970, Massachusetts was preparing to celebrate the 350th anniversary of the arrival of the Pilgrim Fathers on the Mayflower.

    The 53 surviving men, women and children who had left England in search of “religious freedom” are credited with starting America’s first successful colony, in Plymouth, in 1620. Their voyage to the so-called New World is celebrated by many Americans still as a powerful symbol of the birth of the United States.

    Continue reading...", + "content": "

    Some members of the Wampanoag Nation mark Thanksgiving as their National Day of Mourning

    In 1970, Massachusetts was preparing to celebrate the 350th anniversary of the arrival of the Pilgrim Fathers on the Mayflower.

    The 53 surviving men, women and children who had left England in search of “religious freedom” are credited with starting America’s first successful colony, in Plymouth, in 1620. Their voyage to the so-called New World is celebrated by many Americans still as a powerful symbol of the birth of the United States.

    Continue reading...", + "category": "Native Americans", + "link": "https://www.theguardian.com/us-news/2021/nov/25/thanksgiving-myth-wampanoag-native-american-tribe", + "creator": "Alice Hutton", + "pubDate": "2021-11-25T06:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d95cc2ddd57f99994f249dc9107a80a8" + "hash": "db1e08d524427bafcb978eb6b266f12b" }, { - "title": "Michael Flynn appears to have called QAnon ‘total nonsense’ despite his links", - "description": "

    Trump ally reportedly says conspiracy theory a ‘disinformation campaign’ created by CIA and the left, apparent recording reveals

    Michael Flynn, Donald Trump’s first national security adviser, appears to have called QAnon “total nonsense” and a “disinformation campaign” created by the CIA and the political left – despite his own extensive links to the conspiracy theory and seeming eagerness to serve as its hero.

    Flynn’s apparent statement was revealed by Lin Wood, a pro-Trump attorney and QAnon supporter once allied with the disgraced former general.

    Continue reading...", - "content": "

    Trump ally reportedly says conspiracy theory a ‘disinformation campaign’ created by CIA and the left, apparent recording reveals

    Michael Flynn, Donald Trump’s first national security adviser, appears to have called QAnon “total nonsense” and a “disinformation campaign” created by the CIA and the political left – despite his own extensive links to the conspiracy theory and seeming eagerness to serve as its hero.

    Flynn’s apparent statement was revealed by Lin Wood, a pro-Trump attorney and QAnon supporter once allied with the disgraced former general.

    Continue reading...", - "category": "QAnon", - "link": "https://www.theguardian.com/us-news/2021/nov/29/michael-flynn-trump-ally-qanon-cia-left", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-29T06:00:47Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Weatherwatch: Israel hit by torrential rain and flash floods", + "description": "

    Drains blocked by sand after extended dry period are thought to have worsened conditions

    Flash flooding affected some parts of Israel last week with the country hit by frequent storms. Earlier this year, the country experienced an extended period of dry and windy conditions. This is thought to have exacerbated the flooding, with drainage systems blocked by sand and the infrastructure unable to cope with torrential downpours. Vehicles skidded off roads and people became stranded in the flooding. One man found unconscious in the flood waters.

    Somalia is heading for its fourth consecutive drought, with worsening conditions expected over the coming months. So far, more than 100,000 people have fled their homes looking for water and food. Extreme drought conditions can affect 80% of the country of 2 million people. Projected to be one of the most vulnerable countries to climate change, Somalia has been ravaged by natural disasters, with 12 droughts and 19 flooding events since 1990.

    Continue reading...", + "content": "

    Drains blocked by sand after extended dry period are thought to have worsened conditions

    Flash flooding affected some parts of Israel last week with the country hit by frequent storms. Earlier this year, the country experienced an extended period of dry and windy conditions. This is thought to have exacerbated the flooding, with drainage systems blocked by sand and the infrastructure unable to cope with torrential downpours. Vehicles skidded off roads and people became stranded in the flooding. One man found unconscious in the flood waters.

    Somalia is heading for its fourth consecutive drought, with worsening conditions expected over the coming months. So far, more than 100,000 people have fled their homes looking for water and food. Extreme drought conditions can affect 80% of the country of 2 million people. Projected to be one of the most vulnerable countries to climate change, Somalia has been ravaged by natural disasters, with 12 droughts and 19 flooding events since 1990.

    Continue reading...", + "category": "Israel", + "link": "https://www.theguardian.com/weather/2021/nov/25/weatherwatch-israel-hit-by-torrential-rain-and-flash-floods", + "creator": "Jodie Woodcock (metdesk)", + "pubDate": "2021-11-25T06:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb7110af74367df1a5b797d28b4ecefe" + "hash": "a2edb65d8e87b2464cc6e7aac0967dfe" }, { - "title": "Ghislaine Maxwell sex-trafficking trial expected to go before jury", - "description": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s sex-trafficking trial in Manhattan is finally expected to go before a jury on Monday, as opening statements follow finalization of the panel of 12 jurors and six alternates.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", - "content": "

    Maxwell charged with six counts related to her alleged involvement in financier Jeffrey Epstein’s sexual abuse of teen girls

    Ghislaine Maxwell’s sex-trafficking trial in Manhattan is finally expected to go before a jury on Monday, as opening statements follow finalization of the panel of 12 jurors and six alternates.

    Maxwell, 59, has pleaded not guilty on six counts related to her alleged involvement in the late financier Jeffrey Epstein’s sexual abuse of teen girls, some as young as 14.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/nov/29/ghislaine-maxwell-sex-trafficking-trial", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-29T07:00:48Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The seven types of rest: I spent a week trying them all. Could they help end my exhaustion?", + "description": "

    When we feel extreme fatigue most of us focus on sleep problems. But proper relaxation takes many forms. I spent a week exploring what really works

    “Are you the most tired you can ever remember being?” asks a friend. Well, yes. I have it easy – my caring responsibilities are limited and my work is physically undemanding and very low stakes – but I am wrecked. The brain fog, tearful confusion and deep lethargy I feel seems near universal. A viral tweet from February asked: “Just to confirm … everyone feels tired ALL the time no matter how much sleep they get or caffeine they consume?” The 71,000-plus retweets seemed to confirm it’s the case.

    But when we say we are exhausted, or Google “Why am I tired all the time?” (searches were reportedly at an all-time high between July and September this year), what do we mean? Yes, pandemic living is, objectively, exhausting. Existing on high alert is physically and mentally depleting; our sleep has suffered and many of us have lost a sense of basic safety, affecting our capacity to relax. But the circumstances and stresses we face are individual, which means the remedy is probably also individual.

    Continue reading...", + "content": "

    When we feel extreme fatigue most of us focus on sleep problems. But proper relaxation takes many forms. I spent a week exploring what really works

    “Are you the most tired you can ever remember being?” asks a friend. Well, yes. I have it easy – my caring responsibilities are limited and my work is physically undemanding and very low stakes – but I am wrecked. The brain fog, tearful confusion and deep lethargy I feel seems near universal. A viral tweet from February asked: “Just to confirm … everyone feels tired ALL the time no matter how much sleep they get or caffeine they consume?” The 71,000-plus retweets seemed to confirm it’s the case.

    But when we say we are exhausted, or Google “Why am I tired all the time?” (searches were reportedly at an all-time high between July and September this year), what do we mean? Yes, pandemic living is, objectively, exhausting. Existing on high alert is physically and mentally depleting; our sleep has suffered and many of us have lost a sense of basic safety, affecting our capacity to relax. But the circumstances and stresses we face are individual, which means the remedy is probably also individual.

    Continue reading...", + "category": "Sleep", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/25/the-seven-types-of-rest-i-spent-a-week-trying-them-all-could-they-help-end-my-exhaustion", + "creator": "Emma Beddington", + "pubDate": "2021-11-25T06:00:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4abf08cff64d559f0966f4f03e58c18" + "hash": "6b7b3169a9d1cb2a0579636d204728b7" }, { - "title": "Six Omicron cases found in Scotland as ministers resist calls for tougher rules", - "description": "

    UK minister insists no new restrictions should be needed over Christmas despite spread of Covid variant

    Six cases of the Omicron variant of coronavirus have been confirmed in Scotland, Scottish health officials have said. It trebles the number of cases found around the UK, as ministers face calls for tougher rules on mask use and travel tests.

    Four cases were in the Lanarkshire area, with two found in the Greater Glasgow and Clyde area, Scotland’s health department said in a statement. The three cases identified previously had all been in England.

    Continue reading...", - "content": "

    UK minister insists no new restrictions should be needed over Christmas despite spread of Covid variant

    Six cases of the Omicron variant of coronavirus have been confirmed in Scotland, Scottish health officials have said. It trebles the number of cases found around the UK, as ministers face calls for tougher rules on mask use and travel tests.

    Four cases were in the Lanarkshire area, with two found in the Greater Glasgow and Clyde area, Scotland’s health department said in a statement. The three cases identified previously had all been in England.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/29/six-cases-of-covid-omicron-variant-found-in-scotland", - "creator": "Peter Walker Political correspondent", - "pubDate": "2021-11-29T08:54:47Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Is society coming apart? | Jill Lepore", + "description": "

    Reconstruction after Covid: a new series of long reads

    Despite Thatcher and Reagan’s best efforts, there is and has always been such a thing as society. The question is not whether it exists, but what shape it must take in a post-pandemic world

    In March 2020, Boris Johnson, pale and exhausted, self-isolating in his flat on Downing Street, released a video of himself – that he had taken himself – reassuring Britons that they would get through the pandemic, together. “One thing I think the coronavirus crisis has already proved is that there really is such a thing as society,” the prime minister announced, confirming the existence of society while talking to his phone, alone in a room.

    All this was very odd. Johnson seemed at once frantic and weak (not long afterwards, he was admitted to hospital and put in the intensive care unit). Had he, in his feverishness, undergone a political conversion? Because, by announcing the existence of society, Johnson appeared to renounce, publicly, something Margaret Thatcher had said in an interview in 1987, in remarks that are often taken as a definition of modern conservatism. “Too many children and people have been given to understand ‘I have a problem, it is the government’s job to cope with it!’” Thatcher said. “They are casting their problems on society, and who is society? There is no such thing!” She, however, had not contracted Covid-19.

    Continue reading...", + "content": "

    Reconstruction after Covid: a new series of long reads

    Despite Thatcher and Reagan’s best efforts, there is and has always been such a thing as society. The question is not whether it exists, but what shape it must take in a post-pandemic world

    In March 2020, Boris Johnson, pale and exhausted, self-isolating in his flat on Downing Street, released a video of himself – that he had taken himself – reassuring Britons that they would get through the pandemic, together. “One thing I think the coronavirus crisis has already proved is that there really is such a thing as society,” the prime minister announced, confirming the existence of society while talking to his phone, alone in a room.

    All this was very odd. Johnson seemed at once frantic and weak (not long afterwards, he was admitted to hospital and put in the intensive care unit). Had he, in his feverishness, undergone a political conversion? Because, by announcing the existence of society, Johnson appeared to renounce, publicly, something Margaret Thatcher had said in an interview in 1987, in remarks that are often taken as a definition of modern conservatism. “Too many children and people have been given to understand ‘I have a problem, it is the government’s job to cope with it!’” Thatcher said. “They are casting their problems on society, and who is society? There is no such thing!” She, however, had not contracted Covid-19.

    Continue reading...", + "category": "Society", + "link": "https://www.theguardian.com/society/2021/nov/25/society-thatcher-reagan-covid-pandemic", + "creator": "Jill Lepore", + "pubDate": "2021-11-25T06:00:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b6f07b33da16634f32138e42c758504c" + "hash": "65526513db32ccf8262260dbd5339b69" }, { - "title": "‘It is not biology’: Women’s chess hindered by low numbers and sexism", - "description": "

    The governing body is pushing to make the game more welcoming for women – but is change happening fast enough?

    Towards the end of the Queen’s Gambit, the Netflix show that helped supercharge the new chess boom, Beth Harmon crushes a series of top male grandmasters before beating Vasily Borgov, the Russian world champion. Fiction, though, remains sharply separated from fact. As Magnus Carlsen was reminded before starting his world title defence in Dubai last week, there is not a single active woman’s player in the top 100 now that Hou Yifan of China, who is ranked 83rd, is focusing on academia. The lingering question: why?

    For Carlsen, the subject was “way too complicated” to answer in a few sentences, but suggested a number of reasons, particularly cultural, were to blame. Some, though, still believe it is down to biology. As recently as 2015 Nigel Short, vice president of the world chess federation Fide, claimed that “men are hardwired to be better chess players than women, adding, “you have to gracefully accept that.”

    Continue reading...", - "content": "

    The governing body is pushing to make the game more welcoming for women – but is change happening fast enough?

    Towards the end of the Queen’s Gambit, the Netflix show that helped supercharge the new chess boom, Beth Harmon crushes a series of top male grandmasters before beating Vasily Borgov, the Russian world champion. Fiction, though, remains sharply separated from fact. As Magnus Carlsen was reminded before starting his world title defence in Dubai last week, there is not a single active woman’s player in the top 100 now that Hou Yifan of China, who is ranked 83rd, is focusing on academia. The lingering question: why?

    For Carlsen, the subject was “way too complicated” to answer in a few sentences, but suggested a number of reasons, particularly cultural, were to blame. Some, though, still believe it is down to biology. As recently as 2015 Nigel Short, vice president of the world chess federation Fide, claimed that “men are hardwired to be better chess players than women, adding, “you have to gracefully accept that.”

    Continue reading...", - "category": "World Chess Championship 2021", - "link": "https://www.theguardian.com/sport/2021/nov/29/womens-chess-sexism-misogyny", - "creator": "Sean Ingle in Dubai", - "pubDate": "2021-11-29T10:12:23Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "South Korea trials robots in preschools to prepare children for high-tech future", + "description": "

    The 25cm-tall robots that sing, dance and do kung-fu used as teaching aids in 300 childcare centres across Seoul

    Seoul has started trialling pint-sized robots as teaching aids in kindergartens – a pilot project the city government said would help prepare the next generation for a hi-tech future.

    The “Alpha Mini” is just 24.5 centimetres tall and can dance, lead sing-a-longs, recite stories and even teach kung fu moves as children mimic its push-ups and one-legged balances.

    Continue reading...", + "content": "

    The 25cm-tall robots that sing, dance and do kung-fu used as teaching aids in 300 childcare centres across Seoul

    Seoul has started trialling pint-sized robots as teaching aids in kindergartens – a pilot project the city government said would help prepare the next generation for a hi-tech future.

    The “Alpha Mini” is just 24.5 centimetres tall and can dance, lead sing-a-longs, recite stories and even teach kung fu moves as children mimic its push-ups and one-legged balances.

    Continue reading...", + "category": "South Korea", + "link": "https://www.theguardian.com/world/2021/nov/25/south-korea-trials-robots-in-preschools-to-prepare-children-for-high-tech-future", + "creator": "Agence France-Presse", + "pubDate": "2021-11-25T05:10:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2f5a572fb4091b0ed263e43f0ae67221" + "hash": "76dab19b81838ff821dd5588ac1e95cf" }, { - "title": "Storm Arwen: homes in north of England without power for third night", - "description": "

    Parts of northern England had coldest night of autumn with temperatures falling to below zero

    Tens of thousands of homes in the north of England had a third night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines across the UK.

    Parts of northern England had their coldest night of autumn so far with temperatures plummeting to below zero. The Met Office said Shap in Cumbria, north-west England, recorded the lowest temperature of the season so far at -8.7C (16.34F).

    Continue reading...", - "content": "

    Parts of northern England had coldest night of autumn with temperatures falling to below zero

    Tens of thousands of homes in the north of England had a third night without power after Storm Arwen wreaked havoc, bringing down trees and electricity lines across the UK.

    Parts of northern England had their coldest night of autumn so far with temperatures plummeting to below zero. The Met Office said Shap in Cumbria, north-west England, recorded the lowest temperature of the season so far at -8.7C (16.34F).

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/2021/nov/29/storm-arwen-homes-in-north-of-england-without-power-for-third-night", - "creator": "Mark Brown North of England correspondent", - "pubDate": "2021-11-29T11:12:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Channel drownings: UK and France trade accusations after tragedy at sea", + "description": "

    Boris Johnson renews calls for France to agree to joint patrols along its coast, while Emmanuel Macron urges UK not to politicise the flow of migrants

    British and French leaders have traded accusations after at least 27 people died trying to cross the Channel in the deadliest incident since the current migration crisis began.

    In a phone call with Boris Johnson on Wednesday night, French president Emmanuel Macron stressed “the shared responsibility” of France and the UK, and told Johnson he expected full cooperation and that the situation would not be used “for political purposes”, the Élysée said.

    Continue reading...", + "content": "

    Boris Johnson renews calls for France to agree to joint patrols along its coast, while Emmanuel Macron urges UK not to politicise the flow of migrants

    British and French leaders have traded accusations after at least 27 people died trying to cross the Channel in the deadliest incident since the current migration crisis began.

    In a phone call with Boris Johnson on Wednesday night, French president Emmanuel Macron stressed “the shared responsibility” of France and the UK, and told Johnson he expected full cooperation and that the situation would not be used “for political purposes”, the Élysée said.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/25/channel-drownings-uk-and-france-trade-accusations-after-tragedy-at-sea", + "creator": "Virginia Harrison, Rajeev Syal, Angelique Chrisafis, Diane Taylor and agencies", + "pubDate": "2021-11-25T05:10:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ae21000a295dd088bb823eaebab106ae" + "hash": "a6af60679311ab234e260569176112e1" }, { - "title": "Britain and Israel to sign trade and defence deal", - "description": "

    Pact covers Iran as well as cybersecurity, despite controversy over use of Israeli firm NSO Group’s Pegasus spyware in UK

    Britain and Israel will sign a 10-year trade and defence pact in London on Monday, promising cooperation on issues such as cybersecurity and a joint commitment to prevent Iran from obtaining nuclear weapons.

    The agreement was announced by Liz Truss, the foreign secretary, and her Israeli counterpart Yair Lapid, despite evidence that spyware made by Israeli company NSO Group had probably been used to spy on two British lawyers advising the ex-wife of the ruler of Dubai, Princess Haya.

    Continue reading...", - "content": "

    Pact covers Iran as well as cybersecurity, despite controversy over use of Israeli firm NSO Group’s Pegasus spyware in UK

    Britain and Israel will sign a 10-year trade and defence pact in London on Monday, promising cooperation on issues such as cybersecurity and a joint commitment to prevent Iran from obtaining nuclear weapons.

    The agreement was announced by Liz Truss, the foreign secretary, and her Israeli counterpart Yair Lapid, despite evidence that spyware made by Israeli company NSO Group had probably been used to spy on two British lawyers advising the ex-wife of the ruler of Dubai, Princess Haya.

    Continue reading...", - "category": "Trade policy", - "link": "https://www.theguardian.com/politics/2021/nov/28/britain-and-israel-to-sign-trade-and-defence-deal", - "creator": "Dan Sabbagh Defence and security correspondent", - "pubDate": "2021-11-28T23:56:11Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Pakistan orders Monday closure of schools and offices in Lahore to cut smog", + "description": "

    Officials hope three-day weekend will help reduce toxic pollution levels in country’s second largest city

    Pakistan has ordered private offices and schools to remain closed on Mondays in Lahore in the hope that a three-day weekend will help reduce toxic levels of smog in the country’s second-largest city.

    The directive, issued by Punjab relief commissioner Babar Hayat Tarar, aimed to act “as a preventive and speedy remedy” during the winter smog season and will last until 15 January.

    Continue reading...", + "content": "

    Officials hope three-day weekend will help reduce toxic pollution levels in country’s second largest city

    Pakistan has ordered private offices and schools to remain closed on Mondays in Lahore in the hope that a three-day weekend will help reduce toxic levels of smog in the country’s second-largest city.

    The directive, issued by Punjab relief commissioner Babar Hayat Tarar, aimed to act “as a preventive and speedy remedy” during the winter smog season and will last until 15 January.

    Continue reading...", + "category": "Pakistan", + "link": "https://www.theguardian.com/world/2021/nov/25/pakistan-orders-monday-closure-of-schools-and-offices-in-lahore-to-cut-smog", + "creator": "Shah Meer Baloch in Lahore", + "pubDate": "2021-11-25T05:00:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "996aacb71ee962676c328d4b70e938e1" + "hash": "ff9f6b77d7f1186574f29c7453f3132d" }, { - "title": "White rhinos flown from South Africa to Rwanda in largest single translocation", - "description": "

    In a bid to secure the future of the near threatened species, 30 animals have been driven, flown and finally rehomed in Akagera national park

    Getting stuck into the in-flight wine wasn’t an option for the 30 passengers flying overnight from South Africa to Rwanda. Crew members instead worked to keep the first-time air travellers placid and problem-free. The last thing anyone wanted was a 1.5-ton rhino on the rampage aboard a Boeing 747.

    “All the rhinos were slightly sedated to keep them calm and not aggressive or trying to get out of the crates,” said Jes Gruner, of conservation organisation African Parks, who oversaw the largest single rhino translocation in history this weekend. “The rhinos weren’t sedated on the plane in the sense they were totally lying down, as that’s bad for their sternums. But they were partly drugged, so they could still stand up and keep their bodily functions normal, but enough to keep them calm and stable.”

    Continue reading...", - "content": "

    In a bid to secure the future of the near threatened species, 30 animals have been driven, flown and finally rehomed in Akagera national park

    Getting stuck into the in-flight wine wasn’t an option for the 30 passengers flying overnight from South Africa to Rwanda. Crew members instead worked to keep the first-time air travellers placid and problem-free. The last thing anyone wanted was a 1.5-ton rhino on the rampage aboard a Boeing 747.

    “All the rhinos were slightly sedated to keep them calm and not aggressive or trying to get out of the crates,” said Jes Gruner, of conservation organisation African Parks, who oversaw the largest single rhino translocation in history this weekend. “The rhinos weren’t sedated on the plane in the sense they were totally lying down, as that’s bad for their sternums. But they were partly drugged, so they could still stand up and keep their bodily functions normal, but enough to keep them calm and stable.”

    Continue reading...", - "category": "Conservation", - "link": "https://www.theguardian.com/environment/2021/nov/29/white-rhinos-flown-from-south-africa-to-rwanda-in-largest-single-translocation", - "creator": "Graeme Green", - "pubDate": "2021-11-29T11:00:34Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "China seeks to spin Peng Shuai’s #MeToo allegation into an ideological dispute", + "description": "

    Analysis: experts say emphasis on the west and international diplomacy obfuscates the original allegation

    Despite endless speculation from international press in recent weeks, there has been barely a mention of tennis star Peng Shuai’s bombshell allegation against Zhang Gaoli, the country’s former vice-premier, in domestic news coverage. Outside the country, the event was initially referred to by the editor of the official nationalist tabloid Global Times, Hu Xijin, only as “the thing people talked about”.

    “For some years now, China has responded to negative global attention either by giving an unconvincing explanation, or by stoically pretending the criticism isn’t there,” Zhang Ming, a retired professor of politics at Renmin University told Reuters this week.

    Continue reading...", + "content": "

    Analysis: experts say emphasis on the west and international diplomacy obfuscates the original allegation

    Despite endless speculation from international press in recent weeks, there has been barely a mention of tennis star Peng Shuai’s bombshell allegation against Zhang Gaoli, the country’s former vice-premier, in domestic news coverage. Outside the country, the event was initially referred to by the editor of the official nationalist tabloid Global Times, Hu Xijin, only as “the thing people talked about”.

    “For some years now, China has responded to negative global attention either by giving an unconvincing explanation, or by stoically pretending the criticism isn’t there,” Zhang Ming, a retired professor of politics at Renmin University told Reuters this week.

    Continue reading...", + "category": "Peng Shuai", + "link": "https://www.theguardian.com/sport/2021/nov/25/china-seeks-peng-shuai-metoo-allegation-ideological-dispute", + "creator": "Vincent Ni, China affairs correspondent", + "pubDate": "2021-11-25T04:35:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38779f0b1b37ac8d41fc7d0fa797cc77" + "hash": "aca79cdce46cd096f3b0d085b5246489" }, { - "title": "First Thing: US could face ‘fifth wave’ of Covid as Omicron spreads", - "description": "

    Israel seals borders and Morocco bans flights as new variant fears rise plus, tributes pour in for fashion maverick Virgil Abloh

    Good morning.

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates.

    How are other countries reacting to the spread of Omicron? Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks. Many countries, including Brazil, Canada, European Union states, Iran and the UK, have placed restrictions on travel from various southern African countries.

    Epstein, a convicted paedophile, killed himself in a Manhattan federal jail in August 2019, while awaiting trial. Maxwell’s alleged crimes took place from 1994 to 2004, prosecutors have said.

    Authorities arrested the Briton, the daughter of the late press baron Robert Maxwell, on 2 July 2020 at an estate in the small New Hampshire town of Bradford.

    Maxwell has pleaded not guilty to all the charges against her and is expected to challenge claims she groomed underage girls.

    Continue reading...", - "content": "

    Israel seals borders and Morocco bans flights as new variant fears rise plus, tributes pour in for fashion maverick Virgil Abloh

    Good morning.

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates.

    How are other countries reacting to the spread of Omicron? Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks. Many countries, including Brazil, Canada, European Union states, Iran and the UK, have placed restrictions on travel from various southern African countries.

    Epstein, a convicted paedophile, killed himself in a Manhattan federal jail in August 2019, while awaiting trial. Maxwell’s alleged crimes took place from 1994 to 2004, prosecutors have said.

    Authorities arrested the Briton, the daughter of the late press baron Robert Maxwell, on 2 July 2020 at an estate in the small New Hampshire town of Bradford.

    Maxwell has pleaded not guilty to all the charges against her and is expected to challenge claims she groomed underage girls.

    Continue reading...", - "category": "", - "link": "https://www.theguardian.com/us-news/2021/nov/29/first-thing-us-could-face-fifth-wave-of-covid-as-omicron-spreads", - "creator": "Nicola Slawson", - "pubDate": "2021-11-29T11:24:03Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘Bawled my eyes out’: tears and cheers of New Zealanders free to head home", + "description": "

    Lifting of strict isolation rules brings wave of relief – but some say being locked out has soured their view of ‘home’ forever

    New Zealanders stranded overseas and desperate to return home have shed tears of relief they will soon be able to skip the country’s managed isolation system. But for many the news is bittersweet as they still face another summer separated from loved ones, amid anger that a decision did not come sooner.

    The country will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since the prime minister, Jacinda Ardern, announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed to unrestricted travel for more than a year and a half.

    Continue reading...", + "content": "

    Lifting of strict isolation rules brings wave of relief – but some say being locked out has soured their view of ‘home’ forever

    New Zealanders stranded overseas and desperate to return home have shed tears of relief they will soon be able to skip the country’s managed isolation system. But for many the news is bittersweet as they still face another summer separated from loved ones, amid anger that a decision did not come sooner.

    The country will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since the prime minister, Jacinda Ardern, announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed to unrestricted travel for more than a year and a half.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/25/bawled-my-eyes-out-tears-and-cheers-of-new-zealanders-free-to-head-home", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-11-25T04:04:33Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d3fe5fa985173e4a6f1861991816c50" + "hash": "a11db78ae1a31690054b8af79de368a2" }, { - "title": "Covid live news: WHO Africa head urges world to keep borders open; third Omicron case found in UK", - "description": "

    UN agency’s comments follow South Africa’s call to reverse flight bans; G7 health ministers to hold urgent meeting on Omicron variant; large contact tracing operation in Westminster

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", - "content": "

    UN agency’s comments follow South Africa’s call to reverse flight bans; G7 health ministers to hold urgent meeting on Omicron variant; large contact tracing operation in Westminster

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/world/live/2021/nov/28/covid-live-news-uk-germany-and-italy-detect-omicron-cases-israel-bans-all-visitors", - "creator": "Jem Bartholomew (now), Charlie Moloney and Martin Farrer (earlier)", - "pubDate": "2021-11-28T21:12:38Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Sweden’s first female prime minister resigns less than 12 hours into job – video", + "description": "

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed. Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign from the post. 'I have asked the speaker to be relieved of my duties as prime minister,' Andersson said. 'I am ready to be prime minister in a single-party, Social Democrat government.'

    Continue reading...", + "content": "

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed. Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign from the post. 'I have asked the speaker to be relieved of my duties as prime minister,' Andersson said. 'I am ready to be prime minister in a single-party, Social Democrat government.'

    Continue reading...", + "category": "Sweden", + "link": "https://www.theguardian.com/world/video/2021/nov/25/swedens-first-female-prime-minister-resigns-less-than-12-hours-into-job-video", + "creator": "", + "pubDate": "2021-11-25T02:43:44Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "44a20e7bee4edfce33cfc32124fe0204" + "hash": "98c11941b850dfcf076ab85987f63d28" }, { - "title": "Nobel-winning stock market theory used to help save coral reefs", - "description": "

    Portfolio selection rules on evaluating risk used to pick 50 reefs as ‘arks’ best able to survive climate crisis and revive coral elsewhere

    A Nobel prize-winning economic theory used by investors is showing early signs of helping save threatened coral reefs, scientists say.

    Researchers at Australia’s University of Queensland used modern portfolio theory (MPT), a mathematical framework developed by the economist Harry Markowitz in the 1950s to help risk-averse investors maximise returns, to identify the 50 reefs or coral sanctuaries around the world that are most likely to survive the climate crisis and be able to repopulate other reefs, if other threats are absent.

    Continue reading...", - "content": "

    Portfolio selection rules on evaluating risk used to pick 50 reefs as ‘arks’ best able to survive climate crisis and revive coral elsewhere

    A Nobel prize-winning economic theory used by investors is showing early signs of helping save threatened coral reefs, scientists say.

    Researchers at Australia’s University of Queensland used modern portfolio theory (MPT), a mathematical framework developed by the economist Harry Markowitz in the 1950s to help risk-averse investors maximise returns, to identify the 50 reefs or coral sanctuaries around the world that are most likely to survive the climate crisis and be able to repopulate other reefs, if other threats are absent.

    Continue reading...", - "category": "Coral", - "link": "https://www.theguardian.com/environment/2021/nov/28/stock-markets-modern-portfolio-theory-mpt-used-to-pick-coral-reefs-arks-conservation-survive-climate-crisis", - "creator": "Karen McVeigh", - "pubDate": "2021-11-28T15:00:29Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "North American fertilizer shortage sparks fears of higher food prices", + "description": "

    Warning to ‘get your fertilizer now’ as farmers postpone nitrogen purchases, raising threat of rush on supplies before planting season

    A global shortage of nitrogen fertilizer is driving prices to record levels, prompting North America’s farmers to delay purchases and raising the risk of a spring scramble to apply the crop nutrient before planting season.

    Farmers apply nitrogen to boost yields of corn, canola and wheat, and higher fertilizer costs could translate into higher meat and bread prices.

    Continue reading...", + "content": "

    Warning to ‘get your fertilizer now’ as farmers postpone nitrogen purchases, raising threat of rush on supplies before planting season

    A global shortage of nitrogen fertilizer is driving prices to record levels, prompting North America’s farmers to delay purchases and raising the risk of a spring scramble to apply the crop nutrient before planting season.

    Farmers apply nitrogen to boost yields of corn, canola and wheat, and higher fertilizer costs could translate into higher meat and bread prices.

    Continue reading...", + "category": "Farming", + "link": "https://www.theguardian.com/environment/2021/nov/25/fertilizer-shortage-north-america-farmers-food-prices", + "creator": "Reuters", + "pubDate": "2021-11-25T00:54:56Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fb907fbb05fcfe17ba237df0e7cb15ca" + "hash": "8bd34696be7d715bb8a18116731b93e2" }, { - "title": "Virgil Abloh: Off-White designer dies at 41", - "description": "

    The fashion maverick, also creative head at Louis Vuitton, had been suffering from an aggressive form of cancer for two years

    Fashion designer Virgil Abloh has died after suffering from cancer, it has been announced.

    The 41-year-old, who was the creative director for Louis Vuitton and Off-White, had cardiac angiosarcoma, a rare, aggressive form of the disease, according to an announcement on his official Instagram page.

    Continue reading...", - "content": "

    The fashion maverick, also creative head at Louis Vuitton, had been suffering from an aggressive form of cancer for two years

    Fashion designer Virgil Abloh has died after suffering from cancer, it has been announced.

    The 41-year-old, who was the creative director for Louis Vuitton and Off-White, had cardiac angiosarcoma, a rare, aggressive form of the disease, according to an announcement on his official Instagram page.

    Continue reading...", - "category": "Virgil Abloh", - "link": "https://www.theguardian.com/fashion/2021/nov/28/virgil-abloh-off-white-designer-dies-at-41", - "creator": "Priya Elan", - "pubDate": "2021-11-28T19:24:40Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New Zealand opposition leader Judith Collins ousted after move to demote rival backfires", + "description": "

    New National party leader will be chosen next week, with former Air New Zealand boss Chris Luxon a favourite for the job

    Judith Collins, leader of New Zealand’s opposition National party, has been toppled after months of poor polling and a shock move to strip a political rival of his portfolios.

    MPs voted to end Collins’ leadership at a crisis caucus meeting on Thursday. The meeting was prompted after Collins demoted Simon Bridges, a former party leader and one of her rivals. Late on Wednesday night, she stripped Bridges of all of his portfolios, citing an inappropriate comment made by Bridges in 2017 in front of a female colleague– where Bridges says he discussed “old wives tales” about how he and his wife might produce a female child. Collins described the comment as “serious misconduct”.

    Continue reading...", + "content": "

    New National party leader will be chosen next week, with former Air New Zealand boss Chris Luxon a favourite for the job

    Judith Collins, leader of New Zealand’s opposition National party, has been toppled after months of poor polling and a shock move to strip a political rival of his portfolios.

    MPs voted to end Collins’ leadership at a crisis caucus meeting on Thursday. The meeting was prompted after Collins demoted Simon Bridges, a former party leader and one of her rivals. Late on Wednesday night, she stripped Bridges of all of his portfolios, citing an inappropriate comment made by Bridges in 2017 in front of a female colleague– where Bridges says he discussed “old wives tales” about how he and his wife might produce a female child. Collins described the comment as “serious misconduct”.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/25/new-zealand-opposition-leader-judith-collins-ousted-after-move-to-demote-rival-backfires", + "creator": "Eva Corlett in Wellington and Tess McClure in Christchurch", + "pubDate": "2021-11-25T00:28:15Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9dbaf96828b652a3312f4b1dcfac091f" + "hash": "4c1c8f64e202074f2e5ad2a8bf149f3c" }, { - "title": "‘Shocking’ that UK is moving child refugees into hotels", - "description": "

    Children’s Society criticises practice of placing unaccompanied minors in hotels with limited care

    Record numbers of unaccompanied child asylum seekers who arrived in the UK on small boats are being accommodated in four hotels along England’s south coast, a situation that the Children’s Society has described as “shocking”.

    About 250 unaccompanied children who arrived in small boats are thought to be accommodated in hotels, which Ofsted said was an unacceptable practice.

    Continue reading...", - "content": "

    Children’s Society criticises practice of placing unaccompanied minors in hotels with limited care

    Record numbers of unaccompanied child asylum seekers who arrived in the UK on small boats are being accommodated in four hotels along England’s south coast, a situation that the Children’s Society has described as “shocking”.

    About 250 unaccompanied children who arrived in small boats are thought to be accommodated in hotels, which Ofsted said was an unacceptable practice.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/28/uk-child-refugees-hotels-unaccompanied-minors", - "creator": "Diane Taylor", - "pubDate": "2021-11-28T12:28:38Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Dinghy deaths tragedy brings home our hostility to the world’s desperate", + "description": "

    Closing off all safer options forces abject refugees to approach our shores by the most perilous means

    The sheer terror of crossing the busy, dark and freezing cold Channel between France and the UK in a flimsy, unseaworthy boat was best described by 12-year-old Mohammad, who made the journey with his mother and eight-year-old sister in June after fleeing Afghanistan before the Taliban takeover. “It was like a horror movie,” he said. And that was summer – not the depths of November.

    Mohammad and his sister survived the 21-mile journey made through the night. They are among thousands of children thought to have crossed the Channel in small boats this year.

    Continue reading...", + "content": "

    Closing off all safer options forces abject refugees to approach our shores by the most perilous means

    The sheer terror of crossing the busy, dark and freezing cold Channel between France and the UK in a flimsy, unseaworthy boat was best described by 12-year-old Mohammad, who made the journey with his mother and eight-year-old sister in June after fleeing Afghanistan before the Taliban takeover. “It was like a horror movie,” he said. And that was summer – not the depths of November.

    Mohammad and his sister survived the 21-mile journey made through the night. They are among thousands of children thought to have crossed the Channel in small boats this year.

    Continue reading...", + "category": "Refugees", + "link": "https://www.theguardian.com/world/2021/nov/24/dinghy-deaths-tragedy-brings-home-our-hostility-to-the-worlds-desperate", + "creator": "Diane Taylor and Angelique Chrisafis in Paris", + "pubDate": "2021-11-24T22:22:42Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f48fae141696543761abfc771ae40e6f" + "hash": "c3abbf8c6e63c1edc567fdb13a8d1645" }, { - "title": "Iran nuclear talks to resume with world powers after five-month hiatus", - "description": "

    Expectations of salvaging 2015 deal low amid fears Iran is covertly boosting nuclear programme

    Talks between world powers and Iran on salvaging the 2015 nuclear deal will resume in Vienna on Monday after a five-month hiatus, but expectations of a breakthrough are low.

    The talks could liberate Iran from hundreds of western economic sanctions or lead to a tightening of the economic noose and the intensified threat of military attacks by Israel.

    Continue reading...", - "content": "

    Expectations of salvaging 2015 deal low amid fears Iran is covertly boosting nuclear programme

    Talks between world powers and Iran on salvaging the 2015 nuclear deal will resume in Vienna on Monday after a five-month hiatus, but expectations of a breakthrough are low.

    The talks could liberate Iran from hundreds of western economic sanctions or lead to a tightening of the economic noose and the intensified threat of military attacks by Israel.

    Continue reading...", - "category": "Iran nuclear deal", - "link": "https://www.theguardian.com/world/2021/nov/28/iran-nuclear-talks-to-resume-with-world-powers-after-five-month-hiatus", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-11-28T14:28:41Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘A long fight’: relief across the US as men convicted of murdering Ahmaud Arbery", + "description": "

    ‘I never thought this day would come,’ says Ahmaud Arbery’s mother as some say it’s ‘not true justice’

    Relief, emotion and a sense of hope came flooding out in Brunswick, on social media, from the White House and across the US as the nation came to terms with the Ahmaud Arbery verdicts and their place in history.

    Outside the Georgia courthouse, a joyous, flag-waving crowd repeatedly chanted: “Ahmaud Arbery! Say his name!” as the Arbery family, surrounded by their attorneys, emerged to address them.

    Continue reading...", + "content": "

    ‘I never thought this day would come,’ says Ahmaud Arbery’s mother as some say it’s ‘not true justice’

    Relief, emotion and a sense of hope came flooding out in Brunswick, on social media, from the White House and across the US as the nation came to terms with the Ahmaud Arbery verdicts and their place in history.

    Outside the Georgia courthouse, a joyous, flag-waving crowd repeatedly chanted: “Ahmaud Arbery! Say his name!” as the Arbery family, surrounded by their attorneys, emerged to address them.

    Continue reading...", + "category": "Ahmaud Arbery", + "link": "https://www.theguardian.com/us-news/2021/nov/24/ahmaud-arbery-murder-georgia-reaction", + "creator": "Richard Luscombe", + "pubDate": "2021-11-24T21:37:56Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e3b24ab2d242d24fa9241f7f74ce163" + "hash": "952746246da9961c115682260f35ee56" }, { - "title": "Lucian Freud painting denied by artist is authenticated by experts", - "description": "

    The artist insisted he did not paint Standing Male Nude, but three specialists have concluded it is his work

    Almost 25 years ago, a Swiss art collector bought a Lucian Freud painting – a full-length male nude – at auction. He then received a call from the British artist, asking to buy it from him. The two men did not know each other, and the collector politely refused, as he liked the picture.

    Three days later, he claims he received another call from a now furious Freud who told him that, unless he sold it to him, he would deny having painted it.

    Continue reading...", - "content": "

    The artist insisted he did not paint Standing Male Nude, but three specialists have concluded it is his work

    Almost 25 years ago, a Swiss art collector bought a Lucian Freud painting – a full-length male nude – at auction. He then received a call from the British artist, asking to buy it from him. The two men did not know each other, and the collector politely refused, as he liked the picture.

    Three days later, he claims he received another call from a now furious Freud who told him that, unless he sold it to him, he would deny having painted it.

    Continue reading...", - "category": "Lucian Freud", - "link": "https://www.theguardian.com/artanddesign/2021/nov/28/lucian-freud-painting-denied-by-artist-is-authenticated-by-experts", - "creator": "Dalya Alberge", - "pubDate": "2021-11-28T07:00:19Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Bosnia and surrounding region still heading for crisis, says top official", + "description": "

    International community’s high representative calls for diplomatic engagement from US and Europe

    The top international official in Bosnia has said that the Serb separatist threat to re-establish their own army had receded for now, but the country and surrounding region were still heading for crisis without substantial diplomatic engagement from the US and Europe.

    Christian Schmidt, a German former minister serving as the international community’s high representative to Bosnia-Herzegovina, said the Serb separatist leader, Milorad Dodik, had been persuaded by regional leaders to suspend his plans to pull Serb soldiers out of the Bosnian national army and reconstitute a Bosnian Serb force.

    Continue reading...", + "content": "

    International community’s high representative calls for diplomatic engagement from US and Europe

    The top international official in Bosnia has said that the Serb separatist threat to re-establish their own army had receded for now, but the country and surrounding region were still heading for crisis without substantial diplomatic engagement from the US and Europe.

    Christian Schmidt, a German former minister serving as the international community’s high representative to Bosnia-Herzegovina, said the Serb separatist leader, Milorad Dodik, had been persuaded by regional leaders to suspend his plans to pull Serb soldiers out of the Bosnian national army and reconstitute a Bosnian Serb force.

    Continue reading...", + "category": "Bosnia-Herzegovina", + "link": "https://www.theguardian.com/world/2021/nov/24/bosnia-and-surrounding-region-still-heading-for-crisis-says-top-official", + "creator": "Julian Borger in Washington", + "pubDate": "2021-11-24T20:37:29Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f910edc7ccc14a87b430767e7b37962a" + "hash": "87a42e041f764abbeb9ff013d3a58bd1" }, { - "title": "Brexit leaves EU-bound Christmas presents out in the cold", - "description": "

    An increase in red tape and charges means headaches for those sending gifts to Europe

    People preparing to send Christmas parcels to family and friends in Europe face being caught out by post-Brexit red tape and charges that threaten to take some of the joy out of gift-giving.

    A warning has also been sounded that some of those who have sent gifts to the EU this year have encountered problems ranging from delays and unexpected charges to items going missing.

    Continue reading...", - "content": "

    An increase in red tape and charges means headaches for those sending gifts to Europe

    People preparing to send Christmas parcels to family and friends in Europe face being caught out by post-Brexit red tape and charges that threaten to take some of the joy out of gift-giving.

    A warning has also been sounded that some of those who have sent gifts to the EU this year have encountered problems ranging from delays and unexpected charges to items going missing.

    Continue reading...", - "category": "Brexit", - "link": "https://www.theguardian.com/politics/2021/nov/28/brexit-leaves-eu-bound-christmas-presents-out-in-the-cold", - "creator": "Rupert Jones", - "pubDate": "2021-11-28T10:45:24Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Logbooks linked to Antarctic explorers Shackleton and Scott found in storage room", + "description": "

    ‘Priceless’ artefacts recording details of the famed expeditions of the 1910s were discovered in the vaults of New Zealand’s meteorological service

    “Priceless” artefacts linked to Antarctic explorers Ernest Shackleton and Capt Robert Falcon Scott have been unearthed in a surprise discovery within the dark storage room of New Zealand’s meterological service.

    Metservice staff came across a set of logbooks from some of the most famous Antarctic expeditions while preparing to move buildings in Wellington.

    Continue reading...", + "content": "

    ‘Priceless’ artefacts recording details of the famed expeditions of the 1910s were discovered in the vaults of New Zealand’s meteorological service

    “Priceless” artefacts linked to Antarctic explorers Ernest Shackleton and Capt Robert Falcon Scott have been unearthed in a surprise discovery within the dark storage room of New Zealand’s meterological service.

    Metservice staff came across a set of logbooks from some of the most famous Antarctic expeditions while preparing to move buildings in Wellington.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/25/logbooks-linked-to-antarctic-explorers-shackleton-and-scott-found-in-storage-room", + "creator": "Eva Corlett in Wellington", + "pubDate": "2021-11-24T20:07:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ede481d1bae7b9d2deebf613b1cad06" + "hash": "77134c4b539e958c1dc0a673ad6a2a3b" }, { - "title": "Czech president swears in Petr Fiala as PM behind glass screen", - "description": "

    Milos Zeman performs inauguration ceremony from cubicle after testing positive for coronavirus

    The Czech president, Milos Zeman, has appointed the leader of a centre-right alliance, Petr Fiala, as prime minister in a ceremony he performed from a plexiglass cubicle after testing positive for Covid-19.

    Fiala leads a bloc of five centre and centre-right opposition parties that won an election in October, ousting the incumbent Andrej Babiš and his allies.

    Continue reading...", - "content": "

    Milos Zeman performs inauguration ceremony from cubicle after testing positive for coronavirus

    The Czech president, Milos Zeman, has appointed the leader of a centre-right alliance, Petr Fiala, as prime minister in a ceremony he performed from a plexiglass cubicle after testing positive for Covid-19.

    Fiala leads a bloc of five centre and centre-right opposition parties that won an election in October, ousting the incumbent Andrej Babiš and his allies.

    Continue reading...", - "category": "Czech Republic", - "link": "https://www.theguardian.com/world/2021/nov/28/czech-president-swears-in-petr-fiala-as-new-pm-behind-glass-screen", - "creator": "Reuters in Prague", - "pubDate": "2021-11-28T13:50:37Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Ahmaud Arbery: the moment Travis McMichael received guilty verdict – video", + "description": "

    Travis McMichael, Greg McMichael and William Bryan have been found guilty of murdering Ahmaud Arbery.

    The three men pursued Arbery, a 25-year-old Black man, through their neighborhood on 23 February 2020, before Travis McMichael shot and killed him.

    The men were also found guilty on several other charges, including aggravated assault, false imprisonment, and criminal attempt to commit a felony.

    Continue reading...", + "content": "

    Travis McMichael, Greg McMichael and William Bryan have been found guilty of murdering Ahmaud Arbery.

    The three men pursued Arbery, a 25-year-old Black man, through their neighborhood on 23 February 2020, before Travis McMichael shot and killed him.

    The men were also found guilty on several other charges, including aggravated assault, false imprisonment, and criminal attempt to commit a felony.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/video/2021/nov/24/ahmaud-arbery-the-moment-travis-mcmichael-received-guilty-verdict-video", + "creator": "", + "pubDate": "2021-11-24T19:22:25Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5a270c7cb9abd22cffd45338319e24a" + "hash": "b50a3742a3c3200d8aac19c1c1a8b70f" }, { - "title": "A new German era dawns, but collisions lie in wait for coalition", - "description": "

    The ‘traffic light’ parties all want progress but have different ideas about what that means on business and green issues

    In Unterleuten, a bestselling novel by the German novelist Juli Zeh, the inhabitants of a village outside Berlin are shocked to find out that a plot of land on their doorstep has been earmarked for a gigantic wind farm.

    One of the characters, a birdwatcher called Gerhard Fliess, knows what to do: he calls an old friend at the local environment ministry to remind him that the countryside around Unterleuten is the habitat of an endangered species of sandpiper. Surely that will halt the bulldozers.

    Continue reading...", - "content": "

    The ‘traffic light’ parties all want progress but have different ideas about what that means on business and green issues

    In Unterleuten, a bestselling novel by the German novelist Juli Zeh, the inhabitants of a village outside Berlin are shocked to find out that a plot of land on their doorstep has been earmarked for a gigantic wind farm.

    One of the characters, a birdwatcher called Gerhard Fliess, knows what to do: he calls an old friend at the local environment ministry to remind him that the countryside around Unterleuten is the habitat of an endangered species of sandpiper. Surely that will halt the bulldozers.

    Continue reading...", + "title": "From environment to economy: what to expect from new German government", + "description": "

    Analysis: coalition wants Germany to remain Europe’s ‘anchor of stability’ but there will be some changes

    Led by a party that has acted as Angela Merkel’s junior coalition partner for 12 of the last 16 years, and two parties with an energy to do things differently, Germany’s next government represents an odd mix of status quo thinking and reformist instincts.

    The coalition agreement presented by the Social Democratic party (SPD), the Greens and the Free Democratic party (FDP) on Wednesday gives a hint of how German could change – and how it could stay the same.

    Continue reading...", + "content": "

    Analysis: coalition wants Germany to remain Europe’s ‘anchor of stability’ but there will be some changes

    Led by a party that has acted as Angela Merkel’s junior coalition partner for 12 of the last 16 years, and two parties with an energy to do things differently, Germany’s next government represents an odd mix of status quo thinking and reformist instincts.

    The coalition agreement presented by the Social Democratic party (SPD), the Greens and the Free Democratic party (FDP) on Wednesday gives a hint of how German could change – and how it could stay the same.

    Continue reading...", "category": "Germany", - "link": "https://www.theguardian.com/world/2021/nov/28/a-new-german-era-dawns-but-collisions-lie-in-wait-for-coalition", + "link": "https://www.theguardian.com/world/2021/nov/24/from-environment-to-economy-what-to-expect-from-new-german-government", "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-11-28T10:00:23Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "2021-11-24T19:21:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb28e335eba34f3df477c5f18bce6fe2" + "hash": "1b114187e50c8c41ac3f33cda4ca1c41" }, { - "title": "Swiss voters back law behind Covid vaccine certificate", - "description": "

    After tense campaign, early results show about two-thirds in favour of law giving legal basis for Covid pass

    Swiss voters have firmly backed the law behind the country’s Covid pass in a referendum, following a tense campaign that saw unprecedented levels of hostility.

    Early results on Sunday showed about two-thirds of voters supported the law, with market researchers GFS Bern projecting 63% backing.

    Continue reading...", - "content": "

    After tense campaign, early results show about two-thirds in favour of law giving legal basis for Covid pass

    Swiss voters have firmly backed the law behind the country’s Covid pass in a referendum, following a tense campaign that saw unprecedented levels of hostility.

    Early results on Sunday showed about two-thirds of voters supported the law, with market researchers GFS Bern projecting 63% backing.

    Continue reading...", - "category": "Switzerland", - "link": "https://www.theguardian.com/world/2021/nov/28/tensions-swiss-vote-covid-vaccine-certificate-law", - "creator": "Agence France-Presse in Geneva", - "pubDate": "2021-11-28T15:21:17Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Key moments from the Ahmaud Arbery murder trial – video report", + "description": "

    A jury returned guilty verdicts in the trial of three white men accused of murdering Ahmaud Arbery in 2020.

    Allegedly believing him to be a burglar, Travis McMichael, his father Greg McMichael and their neighbour William 'Roddie' Bryan pursued Arbery through a south Georgia neighbourhood in their pickup trucks, before a confrontation in which Travis McMichael shot Arbery dead.

    In a case that has become part of the campaign for racial justice in the US, the defendants have pleaded not guilty to all charges claiming they acted in self-defense.

    Prosecutors have argued the men had no legal right to attempt to detain Arbery, who was unarmed and described by his family as an avid runner.

    The three men face life in prison if found guilty of murder.

    Continue reading...", + "content": "

    A jury returned guilty verdicts in the trial of three white men accused of murdering Ahmaud Arbery in 2020.

    Allegedly believing him to be a burglar, Travis McMichael, his father Greg McMichael and their neighbour William 'Roddie' Bryan pursued Arbery through a south Georgia neighbourhood in their pickup trucks, before a confrontation in which Travis McMichael shot Arbery dead.

    In a case that has become part of the campaign for racial justice in the US, the defendants have pleaded not guilty to all charges claiming they acted in self-defense.

    Prosecutors have argued the men had no legal right to attempt to detain Arbery, who was unarmed and described by his family as an avid runner.

    The three men face life in prison if found guilty of murder.

    Continue reading...", + "category": "Ahmaud Arbery", + "link": "https://www.theguardian.com/us-news/video/2021/nov/24/key-moments-from-the-ahmaud-arbery-trial-video-report", + "creator": "", + "pubDate": "2021-11-24T18:53:41Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "923d6a5eb489e1552cdfc3d1df85da45" + "hash": "0a49acc62dafa4f28cd9c1e458ff08ea" }, { - "title": "How bad will the Omicron Covid variant be in Britain? Three things will tell us | Devi Sridhar", - "description": "

    A new variant identified in southern Africa is causing global panic – but its real impact will be shown by the data scientists are racing to establish

    Omicron, the name of the new Covid-19 variant that is sending worrying signals from southern Africa, sounds like something from Transformers. It has caused panic across the world, among governments, the public and the stock markets. After adding a number of southern African countries to the red list, the UK government has reimposed mandatory masks in England from Tuesday, and will require anyone travelling to the country from abroad to take a PCR test. Omicron is probably the first variant to have scientists worried since Delta became the predominant strain in every country last summer. But how bad it is? What does it mean for future lockdowns – and future deaths?

    Scientists are waiting on three pieces of data before they will be able to tell what effect this new variant will have over the next six to 12 months. The first is how infectious Omicron is. Can it outcompete Delta? Earlier this year we saw another worrying variant, Beta, that luckily faded away as a result of a selective advantage in Delta that allowed it to transmit faster between people. Limited data from South Africa shows that Omicron is very infectious, but whether it will become the predominant strain remains to be seen.

    Prof Devi Sridhar is chair of global public health at the University of Edinburgh

    Continue reading...", - "content": "

    A new variant identified in southern Africa is causing global panic – but its real impact will be shown by the data scientists are racing to establish

    Omicron, the name of the new Covid-19 variant that is sending worrying signals from southern Africa, sounds like something from Transformers. It has caused panic across the world, among governments, the public and the stock markets. After adding a number of southern African countries to the red list, the UK government has reimposed mandatory masks in England from Tuesday, and will require anyone travelling to the country from abroad to take a PCR test. Omicron is probably the first variant to have scientists worried since Delta became the predominant strain in every country last summer. But how bad it is? What does it mean for future lockdowns – and future deaths?

    Scientists are waiting on three pieces of data before they will be able to tell what effect this new variant will have over the next six to 12 months. The first is how infectious Omicron is. Can it outcompete Delta? Earlier this year we saw another worrying variant, Beta, that luckily faded away as a result of a selective advantage in Delta that allowed it to transmit faster between people. Limited data from South Africa shows that Omicron is very infectious, but whether it will become the predominant strain remains to be seen.

    Prof Devi Sridhar is chair of global public health at the University of Edinburgh

    Continue reading...", + "title": "Scientists warn of new Covid variant with high number of mutations", + "description": "

    The B.1.1.529 variant was first spotted in Botswana and six cases have been found in South Africa

    Scientists have said a new Covid variant that carries an “extremely high number” of mutations may drive further waves of disease by evading the body’s defences.

    Only 10 cases in three countries have been confirmed by genomic sequencing, but the variant has sparked serious concern among some researchers because a number of the mutations may help the virus evade immunity.

    Continue reading...", + "content": "

    The B.1.1.529 variant was first spotted in Botswana and six cases have been found in South Africa

    Scientists have said a new Covid variant that carries an “extremely high number” of mutations may drive further waves of disease by evading the body’s defences.

    Only 10 cases in three countries have been confirmed by genomic sequencing, but the variant has sparked serious concern among some researchers because a number of the mutations may help the virus evade immunity.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/commentisfree/2021/nov/28/omicron-covid-variant-britain-southern-africa", - "creator": "Devi Sridhar", - "pubDate": "2021-11-28T15:40:29Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.theguardian.com/world/2021/nov/24/scientists-warn-of-new-covid-variant-with-high-number-of-mutations", + "creator": "Ian Sample Science editor", + "pubDate": "2021-11-24T18:30:16Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8bf2086756572083cfdb40c1918075ca" + "hash": "05d3cc0b707bec59187804cf51dd6c33" }, { - "title": "Travel firms scramble to rearrange holidays amid new Covid measures", - "description": "

    Swiss skiing holidays in doubt as country joins Spain in tightening travel rules to contain Omicron variant

    Tour operators are scrambling to rearrange Swiss skiing holidays after the country joined Spain in tightening travel restrictions amid rising concerns about the spread of the new Omicron Covid variant.

    From Saturday night, Switzerland mandated 10 days of quarantine for all new arrivals, in effect wrecking skiing holidays in the Swiss Alps until further notice. Travel firms are also wrestling with Spain’s ban on non-vaccinated arrivals that will affect British holidaymakers from Wednesday 1 December.

    Continue reading...", - "content": "

    Swiss skiing holidays in doubt as country joins Spain in tightening travel rules to contain Omicron variant

    Tour operators are scrambling to rearrange Swiss skiing holidays after the country joined Spain in tightening travel restrictions amid rising concerns about the spread of the new Omicron Covid variant.

    From Saturday night, Switzerland mandated 10 days of quarantine for all new arrivals, in effect wrecking skiing holidays in the Swiss Alps until further notice. Travel firms are also wrestling with Spain’s ban on non-vaccinated arrivals that will affect British holidaymakers from Wednesday 1 December.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/28/travel-firms-scramble-to-rearrange-holidays-amid-new-covid-measures", - "creator": "Robert Booth, Sam Jones and Lisa O'Carroll", - "pubDate": "2021-11-28T15:29:39Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Sweden’s first female prime minister resigns after less than 12 hours", + "description": "

    Magdalena Andersson quits on day one after the Green party withdraws support for her budget

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed, plunging the country into further political uncertainty.

    Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign. She added that she had told the speaker of parliament she hoped to be appointed prime minister again as the head of a single-party government.

    Continue reading...", + "content": "

    Magdalena Andersson quits on day one after the Green party withdraws support for her budget

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed, plunging the country into further political uncertainty.

    Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign. She added that she had told the speaker of parliament she hoped to be appointed prime minister again as the head of a single-party government.

    Continue reading...", + "category": "Sweden", + "link": "https://www.theguardian.com/world/2021/nov/24/swedens-first-female-prime-minister-resigns-after-less-than-12-hours", + "creator": "Agencies in Stockholm", + "pubDate": "2021-11-24T18:15:16Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "04d4991452b4ff9491d826dba32ffd13" + "hash": "28a3271994e76de9a1722c03619cbbe4" }, { - "title": "Fauci: US could face ‘fifth wave’ of Covid as Omicron variant nears", - "description": "
    • Collins and Fauci emphasise need for vaccines and boosters
    • Warning that variant shows signs of heightened transmissibility
    • Coronavirus: live coverage

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates. He also warned that the newly discovered Omicron variant shows signs of heightened transmissibility.

    As Fauci toured the US political talkshows, countries around the world including the US scrambled to guard against Omicron, which has stoked fears of vaccine resistance.

    Continue reading...", - "content": "
    • Collins and Fauci emphasise need for vaccines and boosters
    • Warning that variant shows signs of heightened transmissibility
    • Coronavirus: live coverage

    Joe Biden’s chief medical adviser, Anthony Fauci, said on Sunday the US has “the potential to go into a fifth wave” of coronavirus infections amid rising cases and stagnating vaccination rates. He also warned that the newly discovered Omicron variant shows signs of heightened transmissibility.

    As Fauci toured the US political talkshows, countries around the world including the US scrambled to guard against Omicron, which has stoked fears of vaccine resistance.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/28/us-covid-omicron-variant-fifth-wave-fauci", - "creator": "Victoria Bekiempis in New York", - "pubDate": "2021-11-28T17:42:47Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Erdoğan gambles on economy amid protests and rocketing inflation", + "description": "

    Analysis: push for interest rate cuts has divided party and left Turkish president in precarious position, say experts

    Turkey’s president is gambling that a strong economic recovery from the pandemic will stay on track despite rocketing inflation that has hit living standards and sparked protests in major cities.

    The $750bn economy is on course to expand by 9% this year following a return of tourism and a surge in demand for exports that has pushed factory output to pre-pandemic levels.

    Continue reading...", + "content": "

    Analysis: push for interest rate cuts has divided party and left Turkish president in precarious position, say experts

    Turkey’s president is gambling that a strong economic recovery from the pandemic will stay on track despite rocketing inflation that has hit living standards and sparked protests in major cities.

    The $750bn economy is on course to expand by 9% this year following a return of tourism and a surge in demand for exports that has pushed factory output to pre-pandemic levels.

    Continue reading...", + "category": "Turkey", + "link": "https://www.theguardian.com/world/2021/nov/24/erdogan-gambles-on-economy-amid-protests-and-rocketing-inflation", + "creator": "Phillip Inman", + "pubDate": "2021-11-24T18:00:18Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02c3261d2666e7e45854af11dd29e634" + "hash": "74d628329f750bd120eab9750534b247" }, { - "title": "The world is watching: TV hits around the globe", - "description": "

    A Spanish trans woman’s memoirs, a Mumbai gangster drama, Israeli sisters in trouble… the Covid era is a rich moment for TV drama. Critics from Spain to South Korea tell us about the biggest shows in their countries

    Continue reading...", - "content": "

    A Spanish trans woman’s memoirs, a Mumbai gangster drama, Israeli sisters in trouble… the Covid era is a rich moment for TV drama. Critics from Spain to South Korea tell us about the biggest shows in their countries

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/28/the-world-is-watching-tv-hits-around-the-globe", - "creator": "Killian Fox", - "pubDate": "2021-11-28T11:00:25Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Battlefield 2042 review – war in the eye of the storm", + "description": "

    PC, Xbox One/Series X/S, PlayStation 4/5; Dice/EA
    In a series known for its scale and spectacle, climate change and technical issues are the new enemies

    They say war is hell, don’t they, and also that hell is other people. So perhaps we should all have seen the chaos coming, when Electronic Arts proudly announced that 128-player matches were coming to Battlefield. We should have learned from trying to board the tube at rush hour what 128 people all vying simultaneously to complete an objective feels like, and it’s not often pleasant. Battlefield 2042 has many problems, but much potential. The ingredients for awe-inspiring war games are here, but don’t always come together – at least, not yet.

    This venerable shooter series’ characteristic bombast and spectacle is alive and well. 2042 is set under the extreme weather conditions that ravage our near future, trigger the dissolution of most nation states, and begin a war fought by stateless “no-pats” what resources are left on Earth. Running headlong into a tornado with 63 other players while another 64 await you on the other side of its vortex will leave you feeling awestruck the first time. But it doesn’t serve a match of Conquest (capture control points) or Breakthrough (capture control points, but this time in order) particularly well.

    Continue reading...", + "content": "

    PC, Xbox One/Series X/S, PlayStation 4/5; Dice/EA
    In a series known for its scale and spectacle, climate change and technical issues are the new enemies

    They say war is hell, don’t they, and also that hell is other people. So perhaps we should all have seen the chaos coming, when Electronic Arts proudly announced that 128-player matches were coming to Battlefield. We should have learned from trying to board the tube at rush hour what 128 people all vying simultaneously to complete an objective feels like, and it’s not often pleasant. Battlefield 2042 has many problems, but much potential. The ingredients for awe-inspiring war games are here, but don’t always come together – at least, not yet.

    This venerable shooter series’ characteristic bombast and spectacle is alive and well. 2042 is set under the extreme weather conditions that ravage our near future, trigger the dissolution of most nation states, and begin a war fought by stateless “no-pats” what resources are left on Earth. Running headlong into a tornado with 63 other players while another 64 await you on the other side of its vortex will leave you feeling awestruck the first time. But it doesn’t serve a match of Conquest (capture control points) or Breakthrough (capture control points, but this time in order) particularly well.

    Continue reading...", + "category": "Games", + "link": "https://www.theguardian.com/games/2021/nov/24/battlefield-2042-review-war-pc-xbox-one-series-x-s-playstation-dice-ea", + "creator": "Phil Iwaniuk", + "pubDate": "2021-11-24T13:28:59Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89e3529aef4d0c666bde562cb1096c8e" + "hash": "4e7ac6b46fb3b2c863751544880c129c" }, { - "title": "‘He’s missing’: anxious wait in Calais camps for news on Channel victims", - "description": "

    In northern France, friends and relatives of those who died in the tragic crossing on Wednesday are desperate for answers

    On Saturday Gharib Ahmed spent five hours outside the police station in Calais, desperately waiting for news. “It was so cold. There was no answer,” he said. Ahmed was seeking confirmation that his brother-in-law Twana Mamand was one of 27 people who died in the Channel on Wednesday after the flimsy dinghy taking them to the UK sank. “I want to see his body. I have to understand,” Ahmed told the Guardian.

    Relatives of the mostly Iraqi Kurds who perished in the world’s busiest shipping lane spent the weekend in a state of anxiety and confusion. Ahmed said he last heard from his brother-in-law at 3am on Wednesday, around the time Twana set off in darkness from a beach near Dunkirk. After two days of silence, Ahmed travelled with his wife, Kale Mamand – Twana’s sister – from their home in London to northern France, arriving on Friday night.

    Continue reading...", - "content": "

    In northern France, friends and relatives of those who died in the tragic crossing on Wednesday are desperate for answers

    On Saturday Gharib Ahmed spent five hours outside the police station in Calais, desperately waiting for news. “It was so cold. There was no answer,” he said. Ahmed was seeking confirmation that his brother-in-law Twana Mamand was one of 27 people who died in the Channel on Wednesday after the flimsy dinghy taking them to the UK sank. “I want to see his body. I have to understand,” Ahmed told the Guardian.

    Relatives of the mostly Iraqi Kurds who perished in the world’s busiest shipping lane spent the weekend in a state of anxiety and confusion. Ahmed said he last heard from his brother-in-law at 3am on Wednesday, around the time Twana set off in darkness from a beach near Dunkirk. After two days of silence, Ahmed travelled with his wife, Kale Mamand – Twana’s sister – from their home in London to northern France, arriving on Friday night.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/28/anxious-wait-in-calais-camps-for-news-on-channel-victims", - "creator": "Luke Harding in Calais", - "pubDate": "2021-11-28T16:56:14Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Belgian court awards damages to couple who had twins after IVF mix-up", + "description": "

    Parents wanted second child to act as bone marrow donor to their son but ended up with three

    A hospital in Belgium has been ordered to compensate a couple for their “shock” and “impoverishment” after they ended up having three children by IVF treatment due to a mistake in its fertility clinic.

    It is the first time the Belgian courts have found that a healthy child can be the cause of loss to parents.

    Continue reading...", + "content": "

    Parents wanted second child to act as bone marrow donor to their son but ended up with three

    A hospital in Belgium has been ordered to compensate a couple for their “shock” and “impoverishment” after they ended up having three children by IVF treatment due to a mistake in its fertility clinic.

    It is the first time the Belgian courts have found that a healthy child can be the cause of loss to parents.

    Continue reading...", + "category": "Belgium", + "link": "https://www.theguardian.com/world/2021/nov/24/belgian-court-awards-damages-to-couple-who-had-twins-after-ivf-mix-up", + "creator": "Daniel Boffey in Brussels", + "pubDate": "2021-11-24T13:28:39Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ceaf412e36212c2cf1906f65d40f8a7b" + "hash": "067886867b9a348f87ceffba2a9a5b3e" }, { - "title": "Dancer, singer … spy: France’s Panthéon to honour Josephine Baker", - "description": "

    The performer will be the first Black woman to enter the mausoleum, in recognition of her wartime work

    In November 1940, two passengers boarded a train in Toulouse headed for Madrid, then onward to Lisbon. One was a striking Black woman in expensive furs; the other purportedly her secretary, a blonde Frenchman with moustache and thick glasses.

    Josephine Baker, toast of Paris, the world’s first Black female superstar, one of its most photographed women and Europe’s highest-paid entertainer, was travelling, openly and in her habitual style, as herself – but she was playing a brand new role.

    Continue reading...", - "content": "

    The performer will be the first Black woman to enter the mausoleum, in recognition of her wartime work

    In November 1940, two passengers boarded a train in Toulouse headed for Madrid, then onward to Lisbon. One was a striking Black woman in expensive furs; the other purportedly her secretary, a blonde Frenchman with moustache and thick glasses.

    Josephine Baker, toast of Paris, the world’s first Black female superstar, one of its most photographed women and Europe’s highest-paid entertainer, was travelling, openly and in her habitual style, as herself – but she was playing a brand new role.

    Continue reading...", - "category": "Espionage", - "link": "https://www.theguardian.com/world/2021/nov/28/dancer-singer-spy-frances-pantheon-to-honour-josephine-baker", - "creator": "Jon Henleyin Paris", - "pubDate": "2021-11-28T14:09:32Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Donald Trump calls Kyle Rittenhouse ‘really a nice young man’ after visit", + "description": "

    The teenager who was acquitted after killing two people in Kenosha visited the former president at his Mar-a-Lago resort

    A teenager acquitted of murdering two men and wounding another last year during racially based protests in Wisconsin reportedly visited Donald Trump at his Florida resort, with the former president describing Kyle Rittenhouse as “really a nice young man”.

    Trump revealed the visit in an interview with the TV show host Sean Hannity that aired on Fox News on Tuesday night. It was accompanied by a photograph of the pair together at Trump’s Mar-a-Lago resort in Palm Beach, where the former president lives.

    Continue reading...", + "content": "

    The teenager who was acquitted after killing two people in Kenosha visited the former president at his Mar-a-Lago resort

    A teenager acquitted of murdering two men and wounding another last year during racially based protests in Wisconsin reportedly visited Donald Trump at his Florida resort, with the former president describing Kyle Rittenhouse as “really a nice young man”.

    Trump revealed the visit in an interview with the TV show host Sean Hannity that aired on Fox News on Tuesday night. It was accompanied by a photograph of the pair together at Trump’s Mar-a-Lago resort in Palm Beach, where the former president lives.

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/2021/nov/24/donald-trump-kyle-rittenhouse-really-a-nice-young-man-after-visit", + "creator": "Richard Luscombe in Miami", + "pubDate": "2021-11-24T13:27:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "41a6fc451b0467e3c93c04b796dbac79" + "hash": "2a589dff9991e6d2d3ae9dc40ec47e73" }, { - "title": "‘Unapologetically truthful and unapologetically Blak’: Australia bows down to Barkaa", - "description": "

    After overcoming personal tragedy, the rapper has clawed her way back – with a politically potent debut EP dedicated to First Nations women

    Baarka didn’t come to mess around. Born Chloe Quayle, the 26-year-old rapper was a former teenage ice addict who did three stints in jail – during her last, five years ago, she gave birth to her third child.

    Now the Malyangapa Barkindji woman has clawed her way back from what she describes as “the pits of hell” and is on the verge of releasing her debut EP, Blak Matriarchy, through Briggs’ Bad Apples Music. She has been celebrated by GQ as “the new matriarch of Australian rap”; and has her face plastered on billboards across New York, Los Angeles and London as part of YouTube’s Black Voices Music Class of 2022. (“I nearly fainted when I saw [pictures of it],” Barkaa says when we meet over Zoom. “The amount of pride that came from my family and my community ... It was a huge honour.”)

    Continue reading...", - "content": "

    After overcoming personal tragedy, the rapper has clawed her way back – with a politically potent debut EP dedicated to First Nations women

    Baarka didn’t come to mess around. Born Chloe Quayle, the 26-year-old rapper was a former teenage ice addict who did three stints in jail – during her last, five years ago, she gave birth to her third child.

    Now the Malyangapa Barkindji woman has clawed her way back from what she describes as “the pits of hell” and is on the verge of releasing her debut EP, Blak Matriarchy, through Briggs’ Bad Apples Music. She has been celebrated by GQ as “the new matriarch of Australian rap”; and has her face plastered on billboards across New York, Los Angeles and London as part of YouTube’s Black Voices Music Class of 2022. (“I nearly fainted when I saw [pictures of it],” Barkaa says when we meet over Zoom. “The amount of pride that came from my family and my community ... It was a huge honour.”)

    Continue reading...", - "category": "Rap", - "link": "https://www.theguardian.com/music/2021/nov/29/unapologetically-truthful-and-unapologetically-blak-australia-bows-down-to-barkaa", - "creator": "Janine Israel", - "pubDate": "2021-11-28T16:30:31Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Covid live: France to announce new measures as cases surge; Italy ‘super green pass’ could restrict unvaccinated", + "description": "

    France is to announce new Covid measures on Thursday; Italy considering plans that would only permit those with proof of jab to get into venues

    The health service in the UK is considering “radical ideas” to help tackle the backlog of care that has built-up over the last few years and been exacerbated by the Covid pandemic. That includes the idea of sending patients to different regions for treatment, the chief executive of NHS Providers has said.

    But Chris Hopson told Times Radio it is more likely that people will be asked to go to neighbouring hospitals rather than different parts of the country. PA Media quote him saying:

    Everybody across the NHS recognises that having patients wait for their care is not an acceptable situation. There is a moral obligation on trusts and their leaders to make sure that they do everything they can, no stone unturned, to get through those care backlogs as quickly as possible.

    What we’re working on at the moment is a really comprehensive plan to get through those backlogs as fast as possible. And some of it will be all the traditional things that we do, which is: we will expand temporary capacity; we will ensure that we use overtime as much as possible; we will ensure that we use the capacity that sits in the independent sector.

    Continue reading...", + "content": "

    France is to announce new Covid measures on Thursday; Italy considering plans that would only permit those with proof of jab to get into venues

    The health service in the UK is considering “radical ideas” to help tackle the backlog of care that has built-up over the last few years and been exacerbated by the Covid pandemic. That includes the idea of sending patients to different regions for treatment, the chief executive of NHS Providers has said.

    But Chris Hopson told Times Radio it is more likely that people will be asked to go to neighbouring hospitals rather than different parts of the country. PA Media quote him saying:

    Everybody across the NHS recognises that having patients wait for their care is not an acceptable situation. There is a moral obligation on trusts and their leaders to make sure that they do everything they can, no stone unturned, to get through those care backlogs as quickly as possible.

    What we’re working on at the moment is a really comprehensive plan to get through those backlogs as fast as possible. And some of it will be all the traditional things that we do, which is: we will expand temporary capacity; we will ensure that we use overtime as much as possible; we will ensure that we use the capacity that sits in the independent sector.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/nov/24/covid-news-live-south-korea-reports-record-daily-cases-us-to-require-vaccination-proof-at-all-border-crossings", + "creator": "Miranda Bryant (now); Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-11-24T13:23:17Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ac3cfa172a2bafcaa1146f81d9f6dfe" + "hash": "36289a6d31c0eec4377787a76e5f0c2c" }, { - "title": "Readers reply: which monarchs would have lived longer if modern medicine had been available?", - "description": "

    The long-running series in which readers answer other readers’ questions on subjects ranging from trivial flights of fancy to profound scientific and philosophical concepts

    Which British monarchs would have survived their illness or wounding if today’s medical knowledge had existed then? (Bonus question: which monarchs would we have had but for illnesses that are now easily preventable?) Jane Shaw

    Send new questions to nq@theguardian.com.

    Continue reading...", - "content": "

    The long-running series in which readers answer other readers’ questions on subjects ranging from trivial flights of fancy to profound scientific and philosophical concepts

    Which British monarchs would have survived their illness or wounding if today’s medical knowledge had existed then? (Bonus question: which monarchs would we have had but for illnesses that are now easily preventable?) Jane Shaw

    Send new questions to nq@theguardian.com.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/28/readers-reply-which-monarchs-would-have-lived-longer-if-modern-medicine-had-been-available", - "creator": "", - "pubDate": "2021-11-28T14:00:28Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "German parties agree coalition deal to make Olaf Scholz chancellor", + "description": "

    Social Democrat, Green and liberal parties agree to form government after two months of talks

    Germany’s Social Democrat, Green and liberal parties have agreed on a deal to form a new government that will see Olaf Scholz, the current finance minister, succeed Angela Merkel as the country’s new leader, local media has reported.

    The three parties, known collectively as the “traffic light coalition” due to their colours – red, green and yellow – are due to present their agreement on Wednesday afternoon in Berlin.

    Continue reading...", + "content": "

    Social Democrat, Green and liberal parties agree to form government after two months of talks

    Germany’s Social Democrat, Green and liberal parties have agreed on a deal to form a new government that will see Olaf Scholz, the current finance minister, succeed Angela Merkel as the country’s new leader, local media has reported.

    The three parties, known collectively as the “traffic light coalition” due to their colours – red, green and yellow – are due to present their agreement on Wednesday afternoon in Berlin.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/nov/24/german-parties-agree-coalition-deal-to-make-olaf-scholz-chancellor", + "creator": "Kate Connolly Berlin", + "pubDate": "2021-11-24T13:06:12Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0594086961347f4f43ce14554308ba1d" + "hash": "080895faa5a86994a5123e5a45a0598c" }, { - "title": "Israel seals borders and Morocco bans flights as Omicron Covid fears rise", - "description": "

    Red-listing of 50 African countries and use of phone monitoring technology among measures approved by Israel

    Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks, in the two most drastic of travel restrictions imposed by countries around the world in an attempt to slow the spread of the new Omicron variant of coronavirus.

    Israel’s coronavirus cabinet has authorised a series of measures including banning entry by foreigners, red-listing travel to 50 African countries, and making quarantine mandatory for all Israelis arriving from abroad. The entry ban is expected to come into effect at midnight local time (10pm GMT) on Sunday.

    Continue reading...", - "content": "

    Red-listing of 50 African countries and use of phone monitoring technology among measures approved by Israel

    Israel is barring entry to all foreign nationals and Morocco is suspending all incoming flights for two weeks, in the two most drastic of travel restrictions imposed by countries around the world in an attempt to slow the spread of the new Omicron variant of coronavirus.

    Israel’s coronavirus cabinet has authorised a series of measures including banning entry by foreigners, red-listing travel to 50 African countries, and making quarantine mandatory for all Israelis arriving from abroad. The entry ban is expected to come into effect at midnight local time (10pm GMT) on Sunday.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/28/coronavirus-new-restrictions-omicron-israel", - "creator": "Jennifer Rankin and agencies", - "pubDate": "2021-11-28T19:13:46Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "UK Covid scheme indirectly discriminated against maternity leave takers, court rules", + "description": "

    But ruling will not allow self-employed women whose income support was hit during pandemic to claim rebates

    Tens of thousands of self-employed women who took maternity leave were indirectly discriminated against by the UK government during the pandemic but will be unable to claim rebates, the court of appeal has ruled.

    The speed at which civil servants had to create a safety net for workers justified their actions, three judges found.

    Continue reading...", + "content": "

    But ruling will not allow self-employed women whose income support was hit during pandemic to claim rebates

    Tens of thousands of self-employed women who took maternity leave were indirectly discriminated against by the UK government during the pandemic but will be unable to claim rebates, the court of appeal has ruled.

    The speed at which civil servants had to create a safety net for workers justified their actions, three judges found.

    Continue reading...", + "category": "Court of appeal", + "link": "https://www.theguardian.com/law/2021/nov/24/uk-covid-scheme-indirectly-discriminated-against-maternity-leave-takers-court-rules", + "creator": "Alexandra Topping", + "pubDate": "2021-11-24T12:45:49Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17166a9d86b9e106a86087f39663d3c6" + "hash": "bee6a51aeec40fd501b2212bd3e39c31" }, { - "title": "Michael Cohen: prosecutors could ‘indict Trump tomorrow’ if they wanted", - "description": "

    New York investigation of Trump Organization is one of a number of sources of legal jeopardy for the former president

    Prosecutors in New York could “indict Donald Trump tomorrow if they really wanted and be successful”, the ex-president’s former lawyer and fixer Michael Cohen said on Sunday, discussing investigations of Trump’s business affairs.

    Asked if he was “confident you did help Donald Trump commit crimes”, Cohen told NBC’s Meet the Press: “I can assure you that Donald Trump is guilty of his own crimes. Was I involved in much of the inflation and deflation of his assets? The answer to that is yes.”

    Continue reading...", - "content": "

    New York investigation of Trump Organization is one of a number of sources of legal jeopardy for the former president

    Prosecutors in New York could “indict Donald Trump tomorrow if they really wanted and be successful”, the ex-president’s former lawyer and fixer Michael Cohen said on Sunday, discussing investigations of Trump’s business affairs.

    Asked if he was “confident you did help Donald Trump commit crimes”, Cohen told NBC’s Meet the Press: “I can assure you that Donald Trump is guilty of his own crimes. Was I involved in much of the inflation and deflation of his assets? The answer to that is yes.”

    Continue reading...", - "category": "Michael Cohen", - "link": "https://www.theguardian.com/us-news/2021/nov/28/michael-cohen-trump-organization-investigations", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-11-28T17:01:13Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "El Salvador rights groups fear repression after raids on seven offices", + "description": "

    NGOs believe raids, officially part of an embezzlement inquiry, are an attempt to ‘criminalise social movements’

    Rights activists in El Salvador said they will not be pressured into silence after prosecutors raided the offices of seven charities and groups in the Central American country.

    “They’re trying to criminalise social movements,” said Morena Herrera, a prominent women’s rights activist. “They can’t accept that they are in support of a better El Salvador.”

    Continue reading...", + "content": "

    NGOs believe raids, officially part of an embezzlement inquiry, are an attempt to ‘criminalise social movements’

    Rights activists in El Salvador said they will not be pressured into silence after prosecutors raided the offices of seven charities and groups in the Central American country.

    “They’re trying to criminalise social movements,” said Morena Herrera, a prominent women’s rights activist. “They can’t accept that they are in support of a better El Salvador.”

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/24/el-salvador-rights-groups-fear-repression-after-raids-on-seven-offices", + "creator": "Joe Parkin Daniels", + "pubDate": "2021-11-24T12:44:58Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22b839ae04c0b29c7df6b94347e65837" + "hash": "e3ac685822e33ec7b27241b7204f7b80" }, { - "title": "Honduras presidential election: a referendum on the nation’s corruption and drugs", - "description": "

    The next congress will have the opportunity to elect a new supreme court, attorney general and state auditors

    Hondurans head to the polls on Sunday in the first general election since US federal prosecutors laid out detailed evidence of intimate ties between drug smugglers and the Honduran state.

    The country’s past three presidents, as well as local mayors, legislators, police and military commanders have been linked to drug trafficking in what US prosecutors have described as a narco-state.

    Continue reading...", - "content": "

    The next congress will have the opportunity to elect a new supreme court, attorney general and state auditors

    Hondurans head to the polls on Sunday in the first general election since US federal prosecutors laid out detailed evidence of intimate ties between drug smugglers and the Honduran state.

    The country’s past three presidents, as well as local mayors, legislators, police and military commanders have been linked to drug trafficking in what US prosecutors have described as a narco-state.

    Continue reading...", - "category": "Honduras", - "link": "https://www.theguardian.com/world/2021/nov/28/honduras-presidential-election-juan-orlando-hernandez", - "creator": "Jeff Ernst in Tegucigalpa", - "pubDate": "2021-11-28T10:00:24Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Boris Johnson accused of flouting request to wear mask at theatre", + "description": "

    Exclusive: Audience member at Almeida theatre says PM was not wearing mask during Macbeth performance

    Boris Johnson once again flouted official requests to wear a mask as he watched a performance of Macbeth at a busy theatre in north London on Tuesday night, witnesses say.

    The prime minister was in the audience to see the Shakespearean tragedy at the Almeida theatre in Islington, after a torrid few days in which backbench Tories have accused him of losing the plot.

    Continue reading...", + "content": "

    Exclusive: Audience member at Almeida theatre says PM was not wearing mask during Macbeth performance

    Boris Johnson once again flouted official requests to wear a mask as he watched a performance of Macbeth at a busy theatre in north London on Tuesday night, witnesses say.

    The prime minister was in the audience to see the Shakespearean tragedy at the Almeida theatre in Islington, after a torrid few days in which backbench Tories have accused him of losing the plot.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/nov/24/boris-johnson-accused-of-flouting-request-to-wear-mask-at-theatre", + "creator": "Rowena Mason Deputy political editor", + "pubDate": "2021-11-24T12:09:24Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3753660330797415af3c4467898be4b7" + "hash": "7df20e51cb02566802cc76986f7ab04e" }, { - "title": "New Zealand’s secondary art market is booming – now artists want a share", - "description": "

    Without a resale royalty scheme, struggling artists are missing out on much needed money for their work

    This month New Zealand artist Ayesha Green watched in surprise as one of her artworks fetched $48,000 at auction – $29,000 more than she sold it for just a year earlier. The hammer price was sizeable for an artist who describes herself as somewhere between emerging and mid-career, and if the country had a resale royalty scheme for artists in place, Green would have taken home a healthy paycheque to put towards her practice.

    But, like all local artists whose work sells at auction, Green gets nothing.

    Continue reading...", - "content": "

    Without a resale royalty scheme, struggling artists are missing out on much needed money for their work

    This month New Zealand artist Ayesha Green watched in surprise as one of her artworks fetched $48,000 at auction – $29,000 more than she sold it for just a year earlier. The hammer price was sizeable for an artist who describes herself as somewhere between emerging and mid-career, and if the country had a resale royalty scheme for artists in place, Green would have taken home a healthy paycheque to put towards her practice.

    But, like all local artists whose work sells at auction, Green gets nothing.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/29/new-zealands-secondary-art-market-is-booming-now-artists-want-a-share", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-11-28T19:00:34Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How to make shortbread – recipe | Felicity Cloake's masterclass", + "description": "

    Christmas shortbread as made by our resident perfectionist, with a few choices of festive flavourings

    The world may have gone mad for spiced speculoos this year, but, for me, Christmas will always be all about two biscuits: gingerbread, for decorations, and shortbread, for actual consumption. Easy to make and a genuine crowdpleaser, shortbread will keep well for several weeks, which makes it the gift that keeps on giving well into the dark days of January. Not that it’ll last that long.

    Prep 15 min
    Chill 20 min
    Cook 30 min-1 hr
    Makes About 24

    Continue reading...", + "content": "

    Christmas shortbread as made by our resident perfectionist, with a few choices of festive flavourings

    The world may have gone mad for spiced speculoos this year, but, for me, Christmas will always be all about two biscuits: gingerbread, for decorations, and shortbread, for actual consumption. Easy to make and a genuine crowdpleaser, shortbread will keep well for several weeks, which makes it the gift that keeps on giving well into the dark days of January. Not that it’ll last that long.

    Prep 15 min
    Chill 20 min
    Cook 30 min-1 hr
    Makes About 24

    Continue reading...", + "category": "Food", + "link": "https://www.theguardian.com/food/2021/nov/24/how-to-make-shortbread-recipe-felicity-cloake-masterclass", + "creator": "Felicity Cloake", + "pubDate": "2021-11-24T12:00:44Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5136c047f075ac028921f47fde2f0201" + "hash": "627973766c8e230c8217f2b42daad00d" }, { - "title": "Australia politics live update: national cabinet to discuss Omicron response as Covid variant detected in NSW; ABC announces new RN Breakfast host", - "description": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", - "content": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/29/australia-news-live-updates-omicron-variant-detected-nsw-states-tighten-border-restrictions-covid-scott-morrison-vaccine-daniel-andrews-victoria-sydney", - "creator": "Amy Remeikis", - "pubDate": "2021-11-28T21:25:11Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "French footballer Karim Benzema guilty in sex tape extortion scandal", + "description": "

    Real Madrid star given suspended jail sentence and €75,000 fine for complicity in attempted blackmail

    The French international footballer Karim Benzema has received a one-year suspended jail sentence and been fined €75,000 (£63,000) for his involvement in a sex tape extortion scandal that shocked French sport.

    A Versailles court on Wednesday found Benzema guilty of complicity in attempted blackmail against his French teammate Mathieu Valbuena over a video thought to have been stolen from Valbuena’s mobile phone.

    Continue reading...", + "content": "

    Real Madrid star given suspended jail sentence and €75,000 fine for complicity in attempted blackmail

    The French international footballer Karim Benzema has received a one-year suspended jail sentence and been fined €75,000 (£63,000) for his involvement in a sex tape extortion scandal that shocked French sport.

    A Versailles court on Wednesday found Benzema guilty of complicity in attempted blackmail against his French teammate Mathieu Valbuena over a video thought to have been stolen from Valbuena’s mobile phone.

    Continue reading...", + "category": "France", + "link": "https://www.theguardian.com/world/2021/nov/24/french-footballer-karim-benzema-guilty-sex-tape-extortion-scandal", + "creator": "Angelique Chrisafis in Paris", + "pubDate": "2021-11-24T11:56:53Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6df9d8565d6a1b43a40497d1dee32de3" + "hash": "a474126ad8edcf85bb2f3eab01a28920" }, { - "title": "Tanzania to lift ban on teenage mothers returning to school", - "description": "

    Girls to have two years in which to return to school after giving birth, but will still be excluded whilst pregnant

    The Tanzanian government has announced it will lift a controversial ban on teenage mothers continuing their education.

    Girls will have two years in which to return to school after giving birth, the ministry of education said. However, the move is not legally binding and girls will continue to be banned from class while pregnant.

    Continue reading...", - "content": "

    Girls to have two years in which to return to school after giving birth, but will still be excluded whilst pregnant

    The Tanzanian government has announced it will lift a controversial ban on teenage mothers continuing their education.

    Girls will have two years in which to return to school after giving birth, the ministry of education said. However, the move is not legally binding and girls will continue to be banned from class while pregnant.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/26/tanzania-to-lift-ban-on-teenage-mothers-returning-to-school", - "creator": "Alice McCool in Kampala", - "pubDate": "2021-11-26T10:10:26Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Brother pays tribute to Bobbi-Anne McLeod after body found", + "description": "

    Lee McLeod describes 18-year-old who went missing in Plymouth as ‘beautiful and talented’

    The brother of an 18-year-old woman whose body was found three days after she went missing near her home in Devon has led tributes to her, describing her as “beautiful and talented”.

    Police in Plymouth launched a murder inquiry after finding a body believed to be that of Bobbi-Anne McLeod. Two men aged 24 and 26 have been arrested.

    Continue reading...", + "content": "

    Lee McLeod describes 18-year-old who went missing in Plymouth as ‘beautiful and talented’

    The brother of an 18-year-old woman whose body was found three days after she went missing near her home in Devon has led tributes to her, describing her as “beautiful and talented”.

    Police in Plymouth launched a murder inquiry after finding a body believed to be that of Bobbi-Anne McLeod. Two men aged 24 and 26 have been arrested.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/nov/24/brother-pays-tribute-to-bobbi-anne-mcleod-after-body-found", + "creator": "Steven Morris", + "pubDate": "2021-11-24T11:48:38Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "337aeb2ec25311d4f6b231616d7da6aa" + "hash": "5800e0249afb49d7ab801f155a1935d0" }, { - "title": "Battery power: five innovations for cleaner, greener electric vehicles", - "description": "

    EVs are seen as key in transition to low-carbon economy, but as their human and environmental costs become clearer, can new tech help?

    While the journey to a low-carbon economy is well under way, the best route to get there remains up for debate. But, amid the slew of “pathways” and “roadmaps”, one broad consensus exists: “clean” technology will play a vital role.

    Nowhere is this truer than for transport. To cut vehicle emissions, an alternative to the combustion engine is required.

    Continue reading...", - "content": "

    EVs are seen as key in transition to low-carbon economy, but as their human and environmental costs become clearer, can new tech help?

    While the journey to a low-carbon economy is well under way, the best route to get there remains up for debate. But, amid the slew of “pathways” and “roadmaps”, one broad consensus exists: “clean” technology will play a vital role.

    Nowhere is this truer than for transport. To cut vehicle emissions, an alternative to the combustion engine is required.

    Continue reading...", - "category": "Recycling", - "link": "https://www.theguardian.com/global-development/2021/nov/26/battery-power-five-innovations-for-cleaner-greener-electric-vehicles", - "creator": "Oliver Balch", - "pubDate": "2021-11-26T09:00:24Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Norwegian journalists reporting on World Cup workers arrested in Qatar", + "description": "

    Pair investigating conditions for labourers detained as they tried to fly home

    Two Norwegian journalists investigating conditions for migrant workers in Qatar ahead of the 2022 Fifa World Cup were arrested and detained for 36 hours as they tried to leave the country, Norwegian media have reported.

    The VG newspaper reported that Halvor Ekeland, a sports journalist for the public broadcaster NRK, and Lokman Ghorbani, an NRK cameraman, were picked up by police late on Sunday as they were preparing to leave for Doha airport.

    Continue reading...", + "content": "

    Pair investigating conditions for labourers detained as they tried to fly home

    Two Norwegian journalists investigating conditions for migrant workers in Qatar ahead of the 2022 Fifa World Cup were arrested and detained for 36 hours as they tried to leave the country, Norwegian media have reported.

    The VG newspaper reported that Halvor Ekeland, a sports journalist for the public broadcaster NRK, and Lokman Ghorbani, an NRK cameraman, were picked up by police late on Sunday as they were preparing to leave for Doha airport.

    Continue reading...", + "category": "Qatar", + "link": "https://www.theguardian.com/world/2021/nov/24/norwegian-journalists-reporting-labourers-qatar-world-cup-arrested", + "creator": "Jon Henley", + "pubDate": "2021-11-24T11:03:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98a27a42666d5d3e658c10b4ccf572a3" + "hash": "3b166d65b643b4ff06f2a4b39b743169" }, { - "title": "What does appearance of Omicron mean for the double-jabbed?", - "description": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", - "content": "

    We find out how much protection Covid vaccines may offer amid speculation new variant could be more resistant

    The emergence of Omicron has prompted widespread speculation that it may be more resistant to Covid-19 vaccines than existing variants, including Delta. But what does that mean for the average double-vaccinated person?

    All the vaccines currently available in the UK work by training the immune system against the coronavirus spike protein – the key it uses to infect cells by binding to the ACE2 receptor. Omicron possesses more than 30 mutations in this protein, including 10 in the so-called “receptor-binding domain” (RBD) – the specific part that latches on to this receptor. Delta has two RBD mutations.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/28/what-does-appearance-of-omicron-mean-for-the-double-jabbed", - "creator": "Linda Geddes", - "pubDate": "2021-11-28T20:15:44Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "George Christensen advocates for civil disobedience as vaccine mandates rock Coalition", + "description": "

    Labor leader calls on Morrison to condemn member for Dawson after he likened mandates to decrees by ‘Hitler and Pol Pot’

    Scott Morrison is continuing to battle insurgencies within his own ranks, with Queensland National George Christensen sanctioning civil disobedience in response to vaccine mandates, and veteran Victorian Liberal Russell Broadbent declaring mandates “without reasonable exemptions are not only unconscionable, they are criminal”.

    Senior ministers on Wednesday persuaded two rebel Liberal senators, Gerard Rennick and Alex Antic, who have threatened to withhold support for government legislation, to support the government on procedural votes during the final sitting fortnight. The government has agreed to a tweak to the vaccine indemnity scheme.

    Continue reading...", + "content": "

    Labor leader calls on Morrison to condemn member for Dawson after he likened mandates to decrees by ‘Hitler and Pol Pot’

    Scott Morrison is continuing to battle insurgencies within his own ranks, with Queensland National George Christensen sanctioning civil disobedience in response to vaccine mandates, and veteran Victorian Liberal Russell Broadbent declaring mandates “without reasonable exemptions are not only unconscionable, they are criminal”.

    Senior ministers on Wednesday persuaded two rebel Liberal senators, Gerard Rennick and Alex Antic, who have threatened to withhold support for government legislation, to support the government on procedural votes during the final sitting fortnight. The government has agreed to a tweak to the vaccine indemnity scheme.

    Continue reading...", + "category": "Coalition", + "link": "https://www.theguardian.com/australia-news/2021/nov/24/george-christensen-advocates-for-civil-disobedience-as-vaccine-mandates-rock-coalition", + "creator": "Katharine Murphy and Paul Karp", + "pubDate": "2021-11-24T10:38:18Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "27a054c057437884b0c0cc3cf8c52f2c" + "hash": "80cb7ae7ed19ed47c3a885df8f19c6eb" }, { - "title": "French coastguard's mayday call after boat capsized – audio", - "description": "

    The French coastguard mayday call emerged on Thursday after 27 people drowned trying to cross the Channel. All ships were alerted in the area about \"approximately\" 15 people being overboard and to report information to Gris-Nez emergency officials.

    An emergency search began at about 2pm on Wednesday when a fishing boat sounded the alarm after spotting several people at sea off the coast of France. The cause of the accident has not been formally established but the boat used was inflatable and when found by rescuers was mostly deflated

    Continue reading...", - "content": "

    The French coastguard mayday call emerged on Thursday after 27 people drowned trying to cross the Channel. All ships were alerted in the area about \"approximately\" 15 people being overboard and to report information to Gris-Nez emergency officials.

    An emergency search began at about 2pm on Wednesday when a fishing boat sounded the alarm after spotting several people at sea off the coast of France. The cause of the accident has not been formally established but the boat used was inflatable and when found by rescuers was mostly deflated

    Continue reading...", - "category": "Migration", - "link": "https://www.theguardian.com/world/video/2021/nov/25/french-coastguards-mayday-call-after-boat-capsized-audio", - "creator": "", - "pubDate": "2021-11-25T20:55:08Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "‘People are nasty as hell on there’: the battle to close Tattle – the most hate-filled corner of the web", + "description": "

    The gossip forum Tattle Life is a trolls’ paradise, created to scrutinise the lives of influencers. It has made a lot of enemies. Will one of them bring it down?

    Abbie Draper was so excited when she heard there was to be a big Tattle reveal that she set a reminder on her phone. On Friday, 1 October, at 7pm, Andy Malone was going to reveal the identity of the founder of the notorious website Tattle Life – the mysterious “Helen”.

    Founded in 2018, Tattle Life is a gossip forum dedicated to dissecting the lives of women in the public eye. Quietly, without mainstream recognition, Tattle has become one of the most-visited – and hate-filled – websites in the UK. There were 43.2m visits to Tattle in the last six months alone, mostly from British users. (Almost all the people discussed on Tattle are British.)

    Continue reading...", + "content": "

    The gossip forum Tattle Life is a trolls’ paradise, created to scrutinise the lives of influencers. It has made a lot of enemies. Will one of them bring it down?

    Abbie Draper was so excited when she heard there was to be a big Tattle reveal that she set a reminder on her phone. On Friday, 1 October, at 7pm, Andy Malone was going to reveal the identity of the founder of the notorious website Tattle Life – the mysterious “Helen”.

    Founded in 2018, Tattle Life is a gossip forum dedicated to dissecting the lives of women in the public eye. Quietly, without mainstream recognition, Tattle has become one of the most-visited – and hate-filled – websites in the UK. There were 43.2m visits to Tattle in the last six months alone, mostly from British users. (Almost all the people discussed on Tattle are British.)

    Continue reading...", + "category": "Cyberbullying", + "link": "https://www.theguardian.com/society/2021/nov/24/people-nasty-as-hell-on-there-battle-close-tattle-most-hate-filled-corner-web", + "creator": "Sirin Kale", + "pubDate": "2021-11-24T10:00:42Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a971f0f6bff875ed9c0ac638a125e9c" + "hash": "b2023119d8d88f26f42c5d2fe0ce83c8" }, { - "title": "Priti Patel says UK will cooperate with France to stop refugees crossing the Channel – video", - "description": "

    The home secretary said it was up to France to stop refugees crossing the Channel in small boats, after 27 people, mostly Kurds from Iraq or Iran, drowned trying to reach the UK in an inflatable boat.

    Making a statement to MPs, Patel said that while there was no rapid solution to the issue of people seeking to make the crossing, she had reiterated a UK offer to send more police to France.

    Patel told the Commons she had just spoken to her French counterpart, Gérald Darmanin, after the disaster in which 17 men, seven women and three adolescents – two boys and a girl – drowned

    Continue reading...", - "content": "

    The home secretary said it was up to France to stop refugees crossing the Channel in small boats, after 27 people, mostly Kurds from Iraq or Iran, drowned trying to reach the UK in an inflatable boat.

    Making a statement to MPs, Patel said that while there was no rapid solution to the issue of people seeking to make the crossing, she had reiterated a UK offer to send more police to France.

    Patel told the Commons she had just spoken to her French counterpart, Gérald Darmanin, after the disaster in which 17 men, seven women and three adolescents – two boys and a girl – drowned

    Continue reading...", - "category": "Migration", - "link": "https://www.theguardian.com/world/video/2021/nov/25/priti-patel-says-uk-will-cooperate-with-france-refugees-channel-video", - "creator": "", - "pubDate": "2021-11-25T16:33:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Readers review Adele’s 30: ‘so powerful’ or a ‘depressive black hole’?", + "description": "

    It’s the biggest album of the year – and Guardian readers are split on whether Adele’s latest magnum mope-us is raw or overdone

    It’s so upfront and honest. You know exactly the story she’s telling, and even if you haven’t experienced divorce yourself, you feel every word of it. Her voice is sounding better than it’s ever done, using so much more of her range – just listen to Love is A Game. Gone are the lofty metaphors that hint at heartbreak, replaced with extremely raw and naked lyrics that welcome you in to her experiences. I think it’s much more poetic than before. Best album so far.

    Continue reading...", + "content": "

    It’s the biggest album of the year – and Guardian readers are split on whether Adele’s latest magnum mope-us is raw or overdone

    It’s so upfront and honest. You know exactly the story she’s telling, and even if you haven’t experienced divorce yourself, you feel every word of it. Her voice is sounding better than it’s ever done, using so much more of her range – just listen to Love is A Game. Gone are the lofty metaphors that hint at heartbreak, replaced with extremely raw and naked lyrics that welcome you in to her experiences. I think it’s much more poetic than before. Best album so far.

    Continue reading...", + "category": "Adele", + "link": "https://www.theguardian.com/music/2021/nov/24/readers-review-adeles-30-so-powerful-or-a-depressive-black-hole", + "creator": "Guardian readers, Rachel Obordo and Alfie Packham", + "pubDate": "2021-11-24T09:30:41Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bcabf77fd211716ffc4130a56fe70d42" + "hash": "12fa66a6cf34d43efaf837248874dad8" }, { - "title": "Australia Covid live update: Omicron detected in NSW, states tighten border restrictions; ABC announces new RN Breakfast host", - "description": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", - "content": "

    Passengers on flight with two passengers who tested positive to the new coronavirus variant told to isolate for two weeks; Patricia Karvelas announced as Fran Kelly’s replacement for RN Breakfast; radical plan to rehome racehorses; last sitting week of 2021. Follow all the news live

    Over on Sydney radio 2GB NSW police minister David Elliott said he met with with premier Dominic Perrottet and health minister Brad Hazzard on Sunday about what NSW would do:

    I’m not panicking at the moment because it appears that this is going to be the new normal.

    We need to prepare and ... make sure that we’re flexible and agile when it comes to variations and we need to be defensive and that defensive mechanism of course, is the vaccination.

    So, we’re taking a risk-balanced approach at the moment and concentrating on those nine southern African countries.

    We have increased our surveillance at the border, and after the border, we’re working very closely with our colleagues in New South Wales and Victoria, particularly, because they’re the ones that have had quarantine-free travel, as well as in the ACT, as to what is the best approach.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/29/australia-news-live-updates-omicron-variant-detected-nsw-states-tighten-border-restrictions-covid-scott-morrison-vaccine-daniel-andrews-victoria-sydney", - "creator": "Amy Remeikis", - "pubDate": "2021-11-28T21:12:25Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Nasa launches spacecraft in first ever mission to deflect asteroid", + "description": "

    Spacecraft heads off on 6.8m-mile journey to crash into moonlet Dimorphos in test to see if asteroids can be diverted from collision with Earth

    A spacecraft that must ultimately crash in order to succeed lifted off late on Tuesday from California on a Nasa mission to demonstrate the world’s first planetary defence system.

    Carried aboard a SpaceX-owned Falcon 9 rocket, the Dart (Double Asteroid Redirection Test) spacecraft soared into the sky at 10.21pm Pacific time from the Vandenberg US Space Force Base, about 150 miles (240km) north-west of Los Angeles.

    Continue reading...", + "content": "

    Spacecraft heads off on 6.8m-mile journey to crash into moonlet Dimorphos in test to see if asteroids can be diverted from collision with Earth

    A spacecraft that must ultimately crash in order to succeed lifted off late on Tuesday from California on a Nasa mission to demonstrate the world’s first planetary defence system.

    Carried aboard a SpaceX-owned Falcon 9 rocket, the Dart (Double Asteroid Redirection Test) spacecraft soared into the sky at 10.21pm Pacific time from the Vandenberg US Space Force Base, about 150 miles (240km) north-west of Los Angeles.

    Continue reading...", + "category": "Asteroids", + "link": "https://www.theguardian.com/science/2021/nov/24/nasa-launches-dart-mission-to-deflect-asteroid-in-planetary-defence-test", + "creator": "Reuters", + "pubDate": "2021-11-24T08:38:21Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca1eddcd509d51c44ec8933bdd229247" + "hash": "f6c273b11ae681668a9cea57adb88f77" }, { - "title": "Omicron’s full impact will be felt in countries where fewer are vaccinated", - "description": "

    Analysis: the new coronavirus variant seems highly transmissible, but the big question is whether it causes severe disease. Either way, poorer nations will be hit hardest

    In early August Gideon Schreiber and a team of virologists at the Weizmann Institute of Science in Israel began playing around with the spike protein of the Sars-CoV-2 virus – the protein that allows the virus to enter our cells – to see if they could predict future mutations that could yield dangerous new variants of Covid-19.

    At the time, Schreiber noted with concern that there were a variety of ways in which the spike protein could evolve. If all of these mutations occurred at once, it could yield a variant that was both extremely transmissible and potentially capable of evading some of the body’s immune defences, blunting the efficacy of the vaccines.

    Continue reading...", - "content": "

    Analysis: the new coronavirus variant seems highly transmissible, but the big question is whether it causes severe disease. Either way, poorer nations will be hit hardest

    In early August Gideon Schreiber and a team of virologists at the Weizmann Institute of Science in Israel began playing around with the spike protein of the Sars-CoV-2 virus – the protein that allows the virus to enter our cells – to see if they could predict future mutations that could yield dangerous new variants of Covid-19.

    At the time, Schreiber noted with concern that there were a variety of ways in which the spike protein could evolve. If all of these mutations occurred at once, it could yield a variant that was both extremely transmissible and potentially capable of evading some of the body’s immune defences, blunting the efficacy of the vaccines.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/27/omicrons-full-impact-will-be-felt-in-countries-where-fewer-are-vaccinated", - "creator": "David Cox", - "pubDate": "2021-11-27T15:04:41Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "The world finally has a malaria vaccine. Now it must invest in it | Ngozi Okonjo-Iweala", + "description": "

    As an economist I know it makes financial as well as ethical sense to get this world-first vaccine to the millions who need it

    I vividly remember the day I learned a harsh lesson in the tragic burden of malaria that too many of us from the African continent have endured. I was 15, living amid the chaos of Nigeria’s Biafran war, when my three-year-old sister fell sick. Her body burning with fever, I tied her on my back and carried her to a medical clinic, a six-mile trek from my home.

    We arrived at the clinic to find a huge crowd trying to break through locked doors. I knew my sister’s condition could not wait. I dropped to the ground and crawled between legs, my sister propped listlessly on my back, until I reached an open window and climbed through. By the time I was inside, my sister was barely moving. The doctor worked rapidly, injecting antimalarial drugs and infusing her with fluids to rehydrate her body. In a few hours, she started to revive. If we had waited any longer, my sister might not have survived.

    Continue reading...", + "content": "

    As an economist I know it makes financial as well as ethical sense to get this world-first vaccine to the millions who need it

    I vividly remember the day I learned a harsh lesson in the tragic burden of malaria that too many of us from the African continent have endured. I was 15, living amid the chaos of Nigeria’s Biafran war, when my three-year-old sister fell sick. Her body burning with fever, I tied her on my back and carried her to a medical clinic, a six-mile trek from my home.

    We arrived at the clinic to find a huge crowd trying to break through locked doors. I knew my sister’s condition could not wait. I dropped to the ground and crawled between legs, my sister propped listlessly on my back, until I reached an open window and climbed through. By the time I was inside, my sister was barely moving. The doctor worked rapidly, injecting antimalarial drugs and infusing her with fluids to rehydrate her body. In a few hours, she started to revive. If we had waited any longer, my sister might not have survived.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/24/the-world-finally-has-a-malaria-vaccine-now-it-must-invest-in-it", + "creator": "Ngozi Okonjo-Iweala", + "pubDate": "2021-11-24T08:00:40Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db31e6d5a5fcc028fc10db1df4c28f45" + "hash": "c1878f9d2a8d4986b51a7d8f9c9639b7" }, { - "title": "Covid live news: Austria reports first case of Omicron as new variant continues to spread", - "description": "

    Austria becomes latest country to detect Omicron; Sajid Javid says UK should still plan for Christmas ‘as normal’; Anthony Fauci says new variant is probably already in the US

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", - "content": "

    Austria becomes latest country to detect Omicron; Sajid Javid says UK should still plan for Christmas ‘as normal’; Anthony Fauci says new variant is probably already in the US

    China could face more than 630,000 Covid-19 infections a day if it dropped its zero-tolerance policies by lifting travel curbs, according to a study by Peking University mathematicians, Reuters reports.

    In the report by the Chinese Centre for Disease Control and Prevention, the mathematicians said China could not afford to lift travel restrictions without more efficient vaccinations or specific treatments.

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/world/live/2021/nov/28/covid-live-news-uk-germany-and-italy-detect-omicron-cases-israel-bans-all-visitors", - "creator": "Charlie Moloney (now), Martin Farrer(earlier)", - "pubDate": "2021-11-28T09:56:35Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Parliament building and police station burned down during protests in Solomon Islands", + "description": "

    Police used tear gas and rubber bullets to disperse protesters demanding the prime minister step down, amid reports of looting

    Police in Solomon Islands have used tear gas and rubber bullets to disperse hundreds of protesters, who allegedly burned down a building in the parliament precinct, a police station and a store in the nation’s capital of Honiara, amid reports of looting.

    The protesters marched on the parliamentary precinct in the east of Honiara, where they allegedly set fire to a leaf hut next to Parliament House where MPs and staffers go to smoke and eat lunch.

    Continue reading...", + "content": "

    Police used tear gas and rubber bullets to disperse protesters demanding the prime minister step down, amid reports of looting

    Police in Solomon Islands have used tear gas and rubber bullets to disperse hundreds of protesters, who allegedly burned down a building in the parliament precinct, a police station and a store in the nation’s capital of Honiara, amid reports of looting.

    The protesters marched on the parliamentary precinct in the east of Honiara, where they allegedly set fire to a leaf hut next to Parliament House where MPs and staffers go to smoke and eat lunch.

    Continue reading...", + "category": "Solomon Islands", + "link": "https://www.theguardian.com/world/2021/nov/24/parliament-building-and-police-station-burned-down-during-protests-in-solomon-islands", + "creator": "Georgina Kekea in Honiara", + "pubDate": "2021-11-24T07:56:56Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05e5973d7a03a17a97365fee4d5de59f" + "hash": "0a80f307b6603072ed3c7298f2a6aa0c" }, { - "title": "Ghislaine Maxwell sex-trafficking trial finally to begin in earnest", - "description": "

    British socialite faces six counts alleging that she helped recruit and groom teenage girls for Jeffrey Epstein to sexually abuse

    Ghislaine Maxwell’s sex-trafficking trial is scheduled to start in earnest in federal court in Manhattan on Monday with opening statements about the eagerly awaited case.

    The first arguments will set the stage for a six-week trial in which the British socialite’s alleged involvement in Jeffrey Epstein’s crimes will be aired in grueling detail, outlining how prosecutors and defense attorneys will approach the proceedings.

    Continue reading...", - "content": "

    British socialite faces six counts alleging that she helped recruit and groom teenage girls for Jeffrey Epstein to sexually abuse

    Ghislaine Maxwell’s sex-trafficking trial is scheduled to start in earnest in federal court in Manhattan on Monday with opening statements about the eagerly awaited case.

    The first arguments will set the stage for a six-week trial in which the British socialite’s alleged involvement in Jeffrey Epstein’s crimes will be aired in grueling detail, outlining how prosecutors and defense attorneys will approach the proceedings.

    Continue reading...", - "category": "Ghislaine Maxwell", - "link": "https://www.theguardian.com/us-news/2021/nov/28/ghislaine-maxwell-sex-trafficking-trial-jeffrey-epstein", - "creator": "Victoria Bekiempis", - "pubDate": "2021-11-28T06:00:19Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "NFT beats cheugy to be Collins Dictionary’s word of the year", + "description": "

    The abbreviation of ‘non-fungible token’ tops a shortlist also including pingdemic, climate anxiety and metaverse

    In a year that has seen the musician Grimes sell a collection of digital artworks for almost $6m (£4.4m), and the original photo behind the 2005 Disaster Girl meme go for $473,000 (£354,000), Collins Dictionary has made NFT its word of the year.

    The abbreviation of non-fungible token has seen a “meteoric” rise in usage over the last year, said Collins, up 11,000% in the last year. Any digital creation can become an NFT, with the term referring to a certificate of ownership, registered on a blockchain, or digital ledger of transactions. The most valuable NFT to date is a collage by digital artist Beeple, which sold for £50.3m at Christie’s in March.

    Continue reading...", + "content": "

    The abbreviation of ‘non-fungible token’ tops a shortlist also including pingdemic, climate anxiety and metaverse

    In a year that has seen the musician Grimes sell a collection of digital artworks for almost $6m (£4.4m), and the original photo behind the 2005 Disaster Girl meme go for $473,000 (£354,000), Collins Dictionary has made NFT its word of the year.

    The abbreviation of non-fungible token has seen a “meteoric” rise in usage over the last year, said Collins, up 11,000% in the last year. Any digital creation can become an NFT, with the term referring to a certificate of ownership, registered on a blockchain, or digital ledger of transactions. The most valuable NFT to date is a collage by digital artist Beeple, which sold for £50.3m at Christie’s in March.

    Continue reading...", + "category": "Books", + "link": "https://www.theguardian.com/books/2021/nov/24/nft-is-collins-dictionary-word-of-the-year", + "creator": "Alison Flood", + "pubDate": "2021-11-24T07:01:38Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "64cfa35832e7f5bd00baa7b5da98b071" + "hash": "0c20921659dc2bf6d4f40af6f0d70f3b" }, { - "title": "Ride on, baby: NZ politician cycles to hospital to give birth – for the second time", - "description": "

    Green party MP Julie Anne Genter set off for the hospital while already in labour, and gave birth an hour later

    New Zealand MP Julie Anne Genter got on her bicycle early on Sunday and headed to the hospital. She was already in labour and she gave birth an hour later.

    “Big news!” the Greens politician posted on her Facebook page a few hours later. “At 3.04am this morning we welcomed the newest member of our family. I genuinely wasn’t planning to cycle in labour, but it did end up happening.”

    Continue reading...", - "content": "

    Green party MP Julie Anne Genter set off for the hospital while already in labour, and gave birth an hour later

    New Zealand MP Julie Anne Genter got on her bicycle early on Sunday and headed to the hospital. She was already in labour and she gave birth an hour later.

    “Big news!” the Greens politician posted on her Facebook page a few hours later. “At 3.04am this morning we welcomed the newest member of our family. I genuinely wasn’t planning to cycle in labour, but it did end up happening.”

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/28/ride-on-baby-nz-politician-cycles-to-hospital-to-give-birth-for-the-second-time", - "creator": "Reuters", - "pubDate": "2021-11-28T03:42:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "How wild turkeys’ rough and rowdy ways are creating havoc in US cities", + "description": "

    Booming populations are a conservation success story, but not all terrorised residents are happy about it

    There’s a violent gang stalking urban America.

    In New Hampshire a motorcyclist crashed after being assaulted. In New Jersey, a terrified postman rang 911 after a dozen members attacked at once. And in Michigan, one town armed public workers with pepper spray.

    Continue reading...", + "content": "

    Booming populations are a conservation success story, but not all terrorised residents are happy about it

    There’s a violent gang stalking urban America.

    In New Hampshire a motorcyclist crashed after being assaulted. In New Jersey, a terrified postman rang 911 after a dozen members attacked at once. And in Michigan, one town armed public workers with pepper spray.

    Continue reading...", + "category": "Birds", + "link": "https://www.theguardian.com/environment/2021/nov/24/wild-turkeys-us-cities-havoc-hunting", + "creator": "Alice Hutton", + "pubDate": "2021-11-24T07:00:40Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "60276bad53a03cea8e101aa2334e6ec8" + "hash": "d3277b7ba7d2eb6b525ee68e67c3b2ff" }, { - "title": "Fury as Nadine Dorries rejects fellow Tory’s groping claim against PM’s father", - "description": "

    Women in Westminster rally to support Tory MP Caroline Nokes after culture secretary’s denial

    Nadine Dorries was embroiled in a row with fellow Tory MP Caroline Nokes this weekend after the culture secretary dismissed her allegations of inappropriate touching against the prime minister’s father.

    Dorries said she had known Stanley Johnson for 15 years and described him as a gentleman. She rejected Nokes’s claim that he had “smacked her on the backside” at the Conservative party conference in 2003. “I don’t believe it happened,” she said in an interview with the Daily Mail. “It never happened to me. Perhaps there is something wrong with me.”

    Continue reading...", - "content": "

    Women in Westminster rally to support Tory MP Caroline Nokes after culture secretary’s denial

    Nadine Dorries was embroiled in a row with fellow Tory MP Caroline Nokes this weekend after the culture secretary dismissed her allegations of inappropriate touching against the prime minister’s father.

    Dorries said she had known Stanley Johnson for 15 years and described him as a gentleman. She rejected Nokes’s claim that he had “smacked her on the backside” at the Conservative party conference in 2003. “I don’t believe it happened,” she said in an interview with the Daily Mail. “It never happened to me. Perhaps there is something wrong with me.”

    Continue reading...", - "category": "Nadine Dorries", - "link": "https://www.theguardian.com/politics/2021/nov/28/fury-as-nadine-dorries-rejects-fellow-torys-groping-claim-against-pms-father", - "creator": "Jon Ungoed-Thomas", - "pubDate": "2021-11-28T09:45:22Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A moment that changed me: The haircut that liberated me as a butch lesbian", + "description": "

    I came out in my late teens, but still felt repressed by my appearance. Almost 10 years after first booking a short back and sides, I finally took the plunge – and immediately felt revitalised

    The hairdresser steadied my head as I sat in the swivel chair, face mask on, staring into the mirror. In December 2020, another lockdown loomed, and nearly 12 months earlier I had made it a New Year’s resolution to get short hair that year. Within 45 minutes, my shoulder-length mop was down to a couple of inches.

    People often get radical haircuts in response to life-changing events, such as a breakup or the loss of a loved one. I got mine because I wanted to embrace how I felt as a butch lesbian.

    Continue reading...", + "content": "

    I came out in my late teens, but still felt repressed by my appearance. Almost 10 years after first booking a short back and sides, I finally took the plunge – and immediately felt revitalised

    The hairdresser steadied my head as I sat in the swivel chair, face mask on, staring into the mirror. In December 2020, another lockdown loomed, and nearly 12 months earlier I had made it a New Year’s resolution to get short hair that year. Within 45 minutes, my shoulder-length mop was down to a couple of inches.

    People often get radical haircuts in response to life-changing events, such as a breakup or the loss of a loved one. I got mine because I wanted to embrace how I felt as a butch lesbian.

    Continue reading...", + "category": "Sexuality", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/24/a-moment-that-changed-me-the-haircut-that-liberated-me-as-a-butch-lesbian", + "creator": "Ella Braidwood", + "pubDate": "2021-11-24T07:00:39Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c62ff786014ecae49f6951df863ca206" + "hash": "c74826ce849d7406588991f512ae1b2a" }, { - "title": "Stowaway survives flight from Guatemala to Miami hidden in plane’s landing gear", - "description": "

    The Guatemalan man was taken to hospital by immigration officials after emerging from the plane on the tarmac

    A stowaway hidden in the landing gear compartment of an American Airlines jet survived a flight from his home country of Guatemala to Miami, where he was turned over to US immigration officials and taken to a hospital for evaluation.

    The US customs and border protection agency confirmed the incident in a statement initially cited by Miami-based television station WTVJ, which posted video taken of the man at Miami international airport shortly after the plane landed on Saturday.

    Continue reading...", - "content": "

    The Guatemalan man was taken to hospital by immigration officials after emerging from the plane on the tarmac

    A stowaway hidden in the landing gear compartment of an American Airlines jet survived a flight from his home country of Guatemala to Miami, where he was turned over to US immigration officials and taken to a hospital for evaluation.

    The US customs and border protection agency confirmed the incident in a statement initially cited by Miami-based television station WTVJ, which posted video taken of the man at Miami international airport shortly after the plane landed on Saturday.

    Continue reading...", - "category": "Miami", - "link": "https://www.theguardian.com/us-news/2021/nov/28/stowaway-survives-flight-from-guatemala-to-miami-hidden-in-planes-landing-gear", - "creator": "Reuters", - "pubDate": "2021-11-28T05:50:43Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Joe Lieberman on Biden, Trump and centrism: ‘It’s a strategy for making democracy work’", + "description": "

    The Democratic ex-senator preaches a deeply unfashionable gospel of compromise in a country paralysed by civil war

    A friend once joked to Joe Lieberman, former senator and vice-presidential nominee, that the Democratic party was like his appendix: it was there but not doing much for him.

    “It’s a funny line,” he says by phone from his law office in New York, “but the truth is that it’s more than that because I feel good physically when the Democrats do well – in my terms – and I do get pain when they go off and do things that I don’t agree with.

    Continue reading...", + "content": "

    The Democratic ex-senator preaches a deeply unfashionable gospel of compromise in a country paralysed by civil war

    A friend once joked to Joe Lieberman, former senator and vice-presidential nominee, that the Democratic party was like his appendix: it was there but not doing much for him.

    “It’s a funny line,” he says by phone from his law office in New York, “but the truth is that it’s more than that because I feel good physically when the Democrats do well – in my terms – and I do get pain when they go off and do things that I don’t agree with.

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/2021/nov/24/joe-lieberman-most-republicans-democrats-centrists", + "creator": "David Smith in Washington", + "pubDate": "2021-11-24T07:00:38Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5cd3eefcd7792edd4e11e0e91551a0ef" + "hash": "b2338571b3d54766cdb639b0904a94c8" }, { - "title": "Bee aware: do you know what is in that cheap jar of honey?", - "description": "

    British beekeepers call for stricter labelling on supermarket blends to identify the countries of origin

    British beekeepers are calling for a requirement on supermarkets and other retailers to label cheap honey imports from China and other nations with the country of origin after claims that part of the global supply is bulked out with sugar syrup.

    The UK is the world’s biggest importer of Chinese honey, which can be one sixth of the price of the honey produced by bees in Britain. Supermarket own-label honey from China can be bought for as little as 69p a jar. Supermarkets say every jar of honey is “100% pure” and can be traced back to the beekeeper, but there is no requirement to identify the countries of origin of honey blended from more than one country. The European Union is now considering new rules to improve consumer information for honey and ensure the country of origin is clearly identified on the jar.

    Continue reading...", - "content": "

    British beekeepers call for stricter labelling on supermarket blends to identify the countries of origin

    British beekeepers are calling for a requirement on supermarkets and other retailers to label cheap honey imports from China and other nations with the country of origin after claims that part of the global supply is bulked out with sugar syrup.

    The UK is the world’s biggest importer of Chinese honey, which can be one sixth of the price of the honey produced by bees in Britain. Supermarket own-label honey from China can be bought for as little as 69p a jar. Supermarkets say every jar of honey is “100% pure” and can be traced back to the beekeeper, but there is no requirement to identify the countries of origin of honey blended from more than one country. The European Union is now considering new rules to improve consumer information for honey and ensure the country of origin is clearly identified on the jar.

    Continue reading...", - "category": "Supermarkets", - "link": "https://www.theguardian.com/business/2021/nov/28/bee-aware-do-you-know-what-is-in-that-cheap-jar-of-honey", - "creator": "Jon Ungoed-Thomas", - "pubDate": "2021-11-28T06:15:18Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Pig patrol: Amsterdam airport’s innovative approach to flight safety", + "description": "

    Farm animals are being used to prevent bird strikes as numbers of geese boom around Schiphol, one of Europe’s busiest flight hubs

    A group of animals has been drafted in to combat a hazard in the skies above the runways of Amsterdam’s Schiphol airport, the Netherlands’ aviation hub.

    A six-week pilot project is studying whether a small herd of pigs can deter flocks of geese and other birds attracted to discarded sugar beet on nearby farmland.

    Continue reading...", + "content": "

    Farm animals are being used to prevent bird strikes as numbers of geese boom around Schiphol, one of Europe’s busiest flight hubs

    A group of animals has been drafted in to combat a hazard in the skies above the runways of Amsterdam’s Schiphol airport, the Netherlands’ aviation hub.

    A six-week pilot project is studying whether a small herd of pigs can deter flocks of geese and other birds attracted to discarded sugar beet on nearby farmland.

    Continue reading...", + "category": "Air transport", + "link": "https://www.theguardian.com/environment/2021/nov/24/pig-patrol-amsterdam-airports-innovative-approach-to-flight-safety", + "creator": "Senay Boztas in Amsterdam", + "pubDate": "2021-11-24T06:30:37Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6aaf233cffb75ca85544018d789cc698" + "hash": "fce00b4717cf1ca466914df06a6da3b0" }, { - "title": "Searches for Gucci label soar after release of murder film starring Lady Gaga", - "description": "

    Designer brand reaps the benefit of Ridley Scott’s movie telling the story of the killing of firm’s ex-boss

    When is murder good for business? When it is made into a Hollywood movie, for one – and when that film stars Lady Gaga. House of Gucci, the Ridley Scott feature released last week to mixed reviews, has sent interest in the Gucci brand soaring.

    Searches for Gucci clothing were up 73% week on week, according to e-commerce aggregator Lovethesales.com on Friday, with a leap of 257% for bags and 75% for sliders. The figures suggest that the luxury brand stands only to gain from Hollywood’s telling of the story ofthe glamorous Patrizia Reggiani, who hired a hitman in 1995 to kill her ex-husband Maurizio Gucci, the former head of the fashion label.

    Continue reading...", - "content": "

    Designer brand reaps the benefit of Ridley Scott’s movie telling the story of the killing of firm’s ex-boss

    When is murder good for business? When it is made into a Hollywood movie, for one – and when that film stars Lady Gaga. House of Gucci, the Ridley Scott feature released last week to mixed reviews, has sent interest in the Gucci brand soaring.

    Searches for Gucci clothing were up 73% week on week, according to e-commerce aggregator Lovethesales.com on Friday, with a leap of 257% for bags and 75% for sliders. The figures suggest that the luxury brand stands only to gain from Hollywood’s telling of the story ofthe glamorous Patrizia Reggiani, who hired a hitman in 1995 to kill her ex-husband Maurizio Gucci, the former head of the fashion label.

    Continue reading...", - "category": "Gucci", - "link": "https://www.theguardian.com/fashion/2021/nov/28/searches-for-gucci-label-soar-after-release-of-film-starring-lady-gaga", - "creator": "Edward Helmore", - "pubDate": "2021-11-28T08:15:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "India’s apple farmers count cost of climate crisis as snow decimates crops", + "description": "

    Kashmiri farmers lose half their harvest to early snows for third year, with fears for future of the region’s orchards

    The homegrown apple is in danger of becoming a rarity in India, as farmers have lost up to half their harvest this year, with predictions that the country’s main orchards could soon be all but wiped out.

    Early snowfalls in Kashmir, where almost 80% of India’s apples are grown, have seen the region’s farmers lose half their crops in the third year of disastrous harvests.

    Continue reading...", + "content": "

    Kashmiri farmers lose half their harvest to early snows for third year, with fears for future of the region’s orchards

    The homegrown apple is in danger of becoming a rarity in India, as farmers have lost up to half their harvest this year, with predictions that the country’s main orchards could soon be all but wiped out.

    Early snowfalls in Kashmir, where almost 80% of India’s apples are grown, have seen the region’s farmers lose half their crops in the third year of disastrous harvests.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/24/india-kashmiri-apple-farmers-climate-crisis-snow-decimates-crops", + "creator": "Aakash Hassan in Ramnagri, Kashmir", + "pubDate": "2021-11-24T06:00:38Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "07eb92dfcb2ec5ddbd5608b86648b04d" + "hash": "58c0274f67513b7ad7f36057538a7803" }, { - "title": "Scientists sharing Omicron data were heroic. Let’s ensure they don’t regret it | Jeffrey Barrett", - "description": "The teams in Africa who detected the new Covid genome moved quickly. Their actions should not result in economic loss
    Coronavirus – latest updates
    See all our coronavirus coverage

    One of the positive experiences during two years of pandemic gloom has been the speed of scientific progress in understanding and treating Covid. Many effective vaccines were launched in less than a year and rapid large-scale trials found a cheap and effective drug, dexamethasone, that saved thousands of lives.

    The global scientific community has also carried out “genomic surveillance” – sequencing the genome of the virus to track how it evolves and spreads at an unprecedented level: the public genome database has more than 5.5m genomes. The great value of that genomic surveillance, underpinned by a commitment to rapid and open sharing of the data by all countries in near-real time, has been seen in the last few days as we’ve learned of the Covid variant called Omicron.

    Continue reading...", - "content": "The teams in Africa who detected the new Covid genome moved quickly. Their actions should not result in economic loss
    Coronavirus – latest updates
    See all our coronavirus coverage

    One of the positive experiences during two years of pandemic gloom has been the speed of scientific progress in understanding and treating Covid. Many effective vaccines were launched in less than a year and rapid large-scale trials found a cheap and effective drug, dexamethasone, that saved thousands of lives.

    The global scientific community has also carried out “genomic surveillance” – sequencing the genome of the virus to track how it evolves and spreads at an unprecedented level: the public genome database has more than 5.5m genomes. The great value of that genomic surveillance, underpinned by a commitment to rapid and open sharing of the data by all countries in near-real time, has been seen in the last few days as we’ve learned of the Covid variant called Omicron.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/commentisfree/2021/nov/28/scientists-sharing-omicron-date-were-heroic-lets-ensure-they-dont-regret-it", - "creator": "Jeffrey Barrett", - "pubDate": "2021-11-28T09:00:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "China accuses US of ‘mistake’ after Biden invites Taiwan to democracy summit", + "description": "

    Beijing urges Washington to stick to the ‘one China’ principle amid rising tensions over Taiwan

    China’s government has accused Joe Biden of “a mistake” in inviting Taiwan to participate in a democracy summit alongside 109 other democratic governments.

    Taiwan was included in a list of participants for next month’s Summit for Democracy, published by the state department on Tuesday. Taiwan is a democracy and self-governing, but Beijing claims it is a province of China and has accused its government of separatism.

    Continue reading...", + "content": "

    Beijing urges Washington to stick to the ‘one China’ principle amid rising tensions over Taiwan

    China’s government has accused Joe Biden of “a mistake” in inviting Taiwan to participate in a democracy summit alongside 109 other democratic governments.

    Taiwan was included in a list of participants for next month’s Summit for Democracy, published by the state department on Tuesday. Taiwan is a democracy and self-governing, but Beijing claims it is a province of China and has accused its government of separatism.

    Continue reading...", + "category": "Taiwan", + "link": "https://www.theguardian.com/world/2021/nov/24/china-accuses-us-of-mistake-after-biden-invites-taiwan-to-democracy-summit", + "creator": "Helen Davidson in Taipei, and agencies", + "pubDate": "2021-11-24T05:58:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b1e9ba8a8845736c74b3e96c98332e1" + "hash": "751834e04cfa525904634c5828bac710" }, { - "title": "Biden and Harris briefed as US braces for arrival of Omicron Covid variant", - "description": "

    US imposes travel restrictions from southern Africa as Anthony Fauci says he would not be surprised if variant were already in US

    Joe Biden and Kamala Harris have been briefed on the latest situation regarding the new Omicron coronavirus variant, the White House said on Saturday, as Britain, Germany and Italy reported detecting cases.

    Biden, who was spending Thanksgiving with family in Nantucket, Massachusetts, told reporters on Friday: “We don’t know a lot about the variant except that it is of great concern [and] seems to spread rapidly.”

    Continue reading...", - "content": "

    US imposes travel restrictions from southern Africa as Anthony Fauci says he would not be surprised if variant were already in US

    Joe Biden and Kamala Harris have been briefed on the latest situation regarding the new Omicron coronavirus variant, the White House said on Saturday, as Britain, Germany and Italy reported detecting cases.

    Biden, who was spending Thanksgiving with family in Nantucket, Massachusetts, told reporters on Friday: “We don’t know a lot about the variant except that it is of great concern [and] seems to spread rapidly.”

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/us-news/2021/nov/27/new-york-governor-covid-coronavirus-omicron-variant", - "creator": "Edward Helmore in New York", - "pubDate": "2021-11-27T20:51:08Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "South Korea Covid cases hit daily record as pressure on hospitals rises", + "description": "

    Prime minister Kim Boo-kyum says emergency measures may be imposed as cases spike just weeks after the country reopened

    South Korea reported a new daily record of 4,116 new coronavirus cases as the country battles to contain a spike in serious cases requiring hospitalisation, health authorities said.

    South Korea this month switched to a “living with Covid-19” plan aimed at lifting rigid distancing rules and ultimately reopening after reaching vaccination goals last month.

    Continue reading...", + "content": "

    Prime minister Kim Boo-kyum says emergency measures may be imposed as cases spike just weeks after the country reopened

    South Korea reported a new daily record of 4,116 new coronavirus cases as the country battles to contain a spike in serious cases requiring hospitalisation, health authorities said.

    South Korea this month switched to a “living with Covid-19” plan aimed at lifting rigid distancing rules and ultimately reopening after reaching vaccination goals last month.

    Continue reading...", + "category": "South Korea", + "link": "https://www.theguardian.com/world/2021/nov/24/south-korea-covid-cases-hit-daily-record-as-pressure-on-hospitals-rises", + "creator": "Reuters", + "pubDate": "2021-11-24T03:02:56Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8f2e6b392cbff2b8c761f72c4d021b36" + "hash": "4383b1a0761b554056bc97fe3eabb2ce" }, { - "title": "Goodbye to job: how the pandemic changed Americans’ attitude to work", - "description": "

    Millions of workers have been leaving jobs that offer long hours and low pay – and for many the release has been exhilarating

    One morning in October, Lynn woke up and decided she would quit her job on the spot that day. The decision to quit was the climax of a reckoning that began at the start of the pandemic when she was first laid off from a job she had been in for three years.

    “I’ve always had the attitude of being a really hard worker,” Lynn said, explaining that she believed her skills made her indispensable to this company. “That really changed for me because I realized you could feel totally capable and really important when, really, you’re expendable.”

    Continue reading...", - "content": "

    Millions of workers have been leaving jobs that offer long hours and low pay – and for many the release has been exhilarating

    One morning in October, Lynn woke up and decided she would quit her job on the spot that day. The decision to quit was the climax of a reckoning that began at the start of the pandemic when she was first laid off from a job she had been in for three years.

    “I’ve always had the attitude of being a really hard worker,” Lynn said, explaining that she believed her skills made her indispensable to this company. “That really changed for me because I realized you could feel totally capable and really important when, really, you’re expendable.”

    Continue reading...", - "category": "US work & careers", - "link": "https://www.theguardian.com/money/2021/nov/28/goodbye-to-job-how-the-pandemic-changed-americans-attitude-to-work", - "creator": "Lauren Aratani", - "pubDate": "2021-11-28T07:00:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New Zealand to reopen borders to vaccinated visitors from new year", + "description": "

    Border will first open to New Zealand citizens coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from April

    New Zealand has announced it will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since prime minister Jacinda Ardern announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed for more than a year and a half.

    The border will initially open to New Zealand citizens and visa holders coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from the end of April. They will still have to self-isolate at home for a week, but will no longer have to pass through the country’s expensive and highly-space limited managed isolation facilities.

    Continue reading...", + "content": "

    Border will first open to New Zealand citizens coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from April

    New Zealand has announced it will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since prime minister Jacinda Ardern announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed for more than a year and a half.

    The border will initially open to New Zealand citizens and visa holders coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from the end of April. They will still have to self-isolate at home for a week, but will no longer have to pass through the country’s expensive and highly-space limited managed isolation facilities.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/24/new-zealand-to-reopen-borders-to-vaccinated-visitors-from-new-year", + "creator": "Tess McClure in Christchurch", + "pubDate": "2021-11-24T01:38:10Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "490f36515e21ff018b2c776381d21171" + "hash": "b33d9193325144c628240849812f2a9d" }, { - "title": "I have fun with my girlfriend, but she has no prospects | Philippa Perry", - "description": "People are more than the job that they do. Don’t let your friends and family decide for you – let this relationship run its course

    The question I’m a 24-year-old guy studying for my masters while working part-time for a management consultancy and I’m also a qualified associate accountant. I recently met a woman on a dating app after being single for a year since the start of the pandemic. She’s a similar age to myself and we’ve been dating for two months. She’s very attractive and nice, and we have a good time together – she can make me laugh.

    There is a red flag, though. Although she is in her mid-20s she still lives at home and seems to have no plans or ambitions to move to living independently. Plus, despite having a part-time job, she doesn’t contribute to the household bills. Now I understand that rent is high and people are staying with their parents for longer, but she isn’t even planning on going to college or progressing further in her career. She spends most of her money on going out with friends, holidays and hobbies.

    Continue reading...", - "content": "People are more than the job that they do. Don’t let your friends and family decide for you – let this relationship run its course

    The question I’m a 24-year-old guy studying for my masters while working part-time for a management consultancy and I’m also a qualified associate accountant. I recently met a woman on a dating app after being single for a year since the start of the pandemic. She’s a similar age to myself and we’ve been dating for two months. She’s very attractive and nice, and we have a good time together – she can make me laugh.

    There is a red flag, though. Although she is in her mid-20s she still lives at home and seems to have no plans or ambitions to move to living independently. Plus, despite having a part-time job, she doesn’t contribute to the household bills. Now I understand that rent is high and people are staying with their parents for longer, but she isn’t even planning on going to college or progressing further in her career. She spends most of her money on going out with friends, holidays and hobbies.

    Continue reading...", - "category": "Relationships", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/28/i-have-fun-with-my-girlfriend-but-she-has-no-prospects", - "creator": "Philippa Perry", - "pubDate": "2021-11-28T06:00:20Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Libya: UN special envoy quits a month before presidential elections", + "description": "

    Ján Kubiš gives no reason for resignation, having only taken post in war-torn country in January

    The UN special envoy for Libya, Ján Kubiš, has quit just a month before crucial presidential elections in the war-torn nation – without giving security council members a clear reason for his sudden departure.

    “Mr Kubiš has tendered his resignation to the secretary general, who has accepted it with regret,” UN spokesman Stéphane Dujarric told reporters, adding that António Guterres was “working on an appropriate replacement”.

    Continue reading...", + "content": "

    Ján Kubiš gives no reason for resignation, having only taken post in war-torn country in January

    The UN special envoy for Libya, Ján Kubiš, has quit just a month before crucial presidential elections in the war-torn nation – without giving security council members a clear reason for his sudden departure.

    “Mr Kubiš has tendered his resignation to the secretary general, who has accepted it with regret,” UN spokesman Stéphane Dujarric told reporters, adding that António Guterres was “working on an appropriate replacement”.

    Continue reading...", + "category": "Libya", + "link": "https://www.theguardian.com/world/2021/nov/23/libya-un-special-envoy-quits-a-month-before-presidential-elections", + "creator": "AFP at the United Nations", + "pubDate": "2021-11-23T23:00:37Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b20ba68e6b78cd174b243d4f78a9ed07" + "hash": "dd51235dc6ff35787a3301cadc709fc1" }, { - "title": "The 20 best gadgets of 2021", - "description": "

    From smartphones to folding skis, the year’s top gizmos selected by tech experts from the Guardian, iNews, TechRadar and Wired

    Cutting-edge tech is often super-expensive, difficult to use and less than slick. Not so for Samsung’s latest folding screen phones. The Z Fold 3 tablet-phone hybrid and Z Flip 3 flip-phone reinventions are smooth, slick and even water-resistant, packing big screens in compact bodies. The Fold might be super-expensive still, but the Flip 3 costs about the same as a regular top smartphone, but is far, far more interesting. Samuel Gibbs

    Continue reading...", - "content": "

    From smartphones to folding skis, the year’s top gizmos selected by tech experts from the Guardian, iNews, TechRadar and Wired

    Cutting-edge tech is often super-expensive, difficult to use and less than slick. Not so for Samsung’s latest folding screen phones. The Z Fold 3 tablet-phone hybrid and Z Flip 3 flip-phone reinventions are smooth, slick and even water-resistant, packing big screens in compact bodies. The Fold might be super-expensive still, but the Flip 3 costs about the same as a regular top smartphone, but is far, far more interesting. Samuel Gibbs

    Continue reading...", - "category": "Smartphones", - "link": "https://www.theguardian.com/technology/2021/nov/28/the-20-best-gadgets-of-2021", - "creator": "Samuel Gibbs, Rhiannon Williams, Cat Ellis, Jeremy White", - "pubDate": "2021-11-28T08:00:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "In a crisis, you want Jacinda Ardern. That’s why her poll numbers will remain robust | Morgan Godfery", + "description": "

    Ardern is imperfect and her government often struggles to implement its agenda – but they excel at crisis management

    “If you want to know me, look at my surface”, Andy Warhol once said, or something along those lines. It’s an invitation to the obvious that should apply in politics, and yet the public regard politicians with – at best – a good deal of suspicion and, at worst, contempt. And who can blame them? In New Zealand the workers’ party (Labour) was responsible for introducing and administering neoliberalism in the 1980s, a dramatic break with their social democratic history that the Australian Labor party was also undertaking in the 1980s, the US Democrats in the 1990s, and UK Labour shortly after. As the old joke goes, capturing the distrust most people feel for left and right, “it doesn’t matter who you vote for, a politician always gets in”.

    But what distinguishes prime minister Jacinda Ardern from the politicians who bite at her heels is that the Warholian doctrine is probably true. At least in her case. In New Zealand’s double disasters – the Christchurch massacre and the Whakaari eruption – Ardern met each tragedy with immediate action, crisp and clear communication, and an extraordinary human care almost entirely absent in modern politics. She met with victims, their families took her into their own homes and at every opportunity she made an invitation to act in solidarity – from the country’s successful gun reforms to the “Christchurch call”, an international bid to stamp out violent extremism online.

    Continue reading...", + "content": "

    Ardern is imperfect and her government often struggles to implement its agenda – but they excel at crisis management

    “If you want to know me, look at my surface”, Andy Warhol once said, or something along those lines. It’s an invitation to the obvious that should apply in politics, and yet the public regard politicians with – at best – a good deal of suspicion and, at worst, contempt. And who can blame them? In New Zealand the workers’ party (Labour) was responsible for introducing and administering neoliberalism in the 1980s, a dramatic break with their social democratic history that the Australian Labor party was also undertaking in the 1980s, the US Democrats in the 1990s, and UK Labour shortly after. As the old joke goes, capturing the distrust most people feel for left and right, “it doesn’t matter who you vote for, a politician always gets in”.

    But what distinguishes prime minister Jacinda Ardern from the politicians who bite at her heels is that the Warholian doctrine is probably true. At least in her case. In New Zealand’s double disasters – the Christchurch massacre and the Whakaari eruption – Ardern met each tragedy with immediate action, crisp and clear communication, and an extraordinary human care almost entirely absent in modern politics. She met with victims, their families took her into their own homes and at every opportunity she made an invitation to act in solidarity – from the country’s successful gun reforms to the “Christchurch call”, an international bid to stamp out violent extremism online.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/commentisfree/2021/nov/24/in-a-crisis-you-want-jacinda-ardern-thats-why-her-poll-numbers-will-remain-robust", + "creator": "Morgan Godfery", + "pubDate": "2021-11-23T19:00:24Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1725e30f11a5ec2d7d1377d9cfedb308" + "hash": "b5a12fba1bc77d55bb46435c4647079c" }, { - "title": "Easy rider? We’ll miss the roar, but electric motorbikes can’t kill our road romance", - "description": "

    For bikers, combustive power is one of the thrills of a long-haul trip. But flat batteries and charging points will just become part of exciting new journeys

    A full tank of gas, a twist of the wrist, the roar of the exhaust as you speed towards the horizon … These are the visceral touchstones of the motorcycling experience, and all are a direct product of petrol-fuelled power, as is much of the biker’s lexicon: “open it up”, “give it some gas”, “go full throttle”. For a motorcycle rider, as opposed to the modern car driver, the journey is a full-body communication game, constantly applying judgment, skill and nerve to control the thousands of explosions that are happening between your thighs in order to transport yourself, upright and in one piece, to your destination.

    Yet the days of the internal combustion engine are numbered. By 2050 the European Commission aims to have cut transport emissions by 90%, and electric vehicle technology is striding ahead for cars, trucks, buses and even aircraft. But where does this leave the motorcycle? Can this romantic form of transport and its subcultures survive the end of the petrol age?

    Continue reading...", - "content": "

    For bikers, combustive power is one of the thrills of a long-haul trip. But flat batteries and charging points will just become part of exciting new journeys

    A full tank of gas, a twist of the wrist, the roar of the exhaust as you speed towards the horizon … These are the visceral touchstones of the motorcycling experience, and all are a direct product of petrol-fuelled power, as is much of the biker’s lexicon: “open it up”, “give it some gas”, “go full throttle”. For a motorcycle rider, as opposed to the modern car driver, the journey is a full-body communication game, constantly applying judgment, skill and nerve to control the thousands of explosions that are happening between your thighs in order to transport yourself, upright and in one piece, to your destination.

    Yet the days of the internal combustion engine are numbered. By 2050 the European Commission aims to have cut transport emissions by 90%, and electric vehicle technology is striding ahead for cars, trucks, buses and even aircraft. But where does this leave the motorcycle? Can this romantic form of transport and its subcultures survive the end of the petrol age?

    Continue reading...", - "category": "Travel", - "link": "https://www.theguardian.com/travel/2021/nov/28/easy-rider-well-miss-the-roar-but-electric-motorbikes-cant-kill-our-road-romance", - "creator": "Lois Pryce", - "pubDate": "2021-11-28T05:30:17Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "A child injured in the Waukesha parade has died, bringing the toll to six", + "description": "

    Driver has been charged with five counts of intentional homicide and more charges are pending

    Prosecutors in Wisconsin on Tuesday charged a man with intentional homicide in the deaths of five people who were killed when an SUV was driven into a Christmas parade earlier this week that also left 62 people injured, including many children.

    Prosecutors say a sixth person, a child, has died and more charges are pending. Several of those injured remain in critical condition.

    Continue reading...", + "content": "

    Driver has been charged with five counts of intentional homicide and more charges are pending

    Prosecutors in Wisconsin on Tuesday charged a man with intentional homicide in the deaths of five people who were killed when an SUV was driven into a Christmas parade earlier this week that also left 62 people injured, including many children.

    Prosecutors say a sixth person, a child, has died and more charges are pending. Several of those injured remain in critical condition.

    Continue reading...", + "category": "Wisconsin", + "link": "https://www.theguardian.com/us-news/2021/nov/23/waukesha-parade-children-injured", + "creator": "Maya Yang and agencies", + "pubDate": "2021-11-23T18:32:43Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc6b8b44d255eaa30cfa8266d8b3f554" + "hash": "3f95105ace12ec645e9b36ac3c0e7373" }, { - "title": "House of Gucci review – Lady Gaga steers a steely path through the madness", - "description": "

    Gaga rules in Ridley Scott’s at times ridiculous drama based on the true-life sagas of the Italian fashion dynasty

    “The most Gucci of them all” is how Patrizia Reggiani described herself in a 2014 interview and, judging by this entertainingly ripe, comedically tinged tragedy, she has a point. Variously known as “Lady Gucci” and “Black Widow”, Reggiani became the centre of a very 1990s scandal involving lust, money, fashion, murder… and a clairvoyant. To that tabloid-friendly cocktail, Ridley Scott’s latest “true story” potboiler adds a dash of pop superstardom, with Lady Gaga (Oscar- nominated for her close-to-home performance in A Star Is Born) relishing the chance to find the human cracks beneath a larger-than-life, femme fatale surface.

    Adapted by screenwriters Becky Johnston and Roberto Bentivegna from the nonfiction book by Sara Gay Forden, House of Gucci charts a crowd-pleasing course from the Milanese party scene of the 1970s to a high-profile, end-of-the-century trial. At its heart is the doomed romance between Patrizia and Maurizio Gucci, the latter played behind stylishly studious glasses by cinema’s sexy nerd de nos jours, Adam Driver. “I want to see how this story goes,” says Patrizia, embarking upon a twisted fairytale romance with the grandson of Guccio Gucci that starts with masked balls and talk of midnight chimes and pumpkins and ends with family back-stabbings, jealous rages and deadly rivalries.

    Continue reading...", - "content": "

    Gaga rules in Ridley Scott’s at times ridiculous drama based on the true-life sagas of the Italian fashion dynasty

    “The most Gucci of them all” is how Patrizia Reggiani described herself in a 2014 interview and, judging by this entertainingly ripe, comedically tinged tragedy, she has a point. Variously known as “Lady Gucci” and “Black Widow”, Reggiani became the centre of a very 1990s scandal involving lust, money, fashion, murder… and a clairvoyant. To that tabloid-friendly cocktail, Ridley Scott’s latest “true story” potboiler adds a dash of pop superstardom, with Lady Gaga (Oscar- nominated for her close-to-home performance in A Star Is Born) relishing the chance to find the human cracks beneath a larger-than-life, femme fatale surface.

    Adapted by screenwriters Becky Johnston and Roberto Bentivegna from the nonfiction book by Sara Gay Forden, House of Gucci charts a crowd-pleasing course from the Milanese party scene of the 1970s to a high-profile, end-of-the-century trial. At its heart is the doomed romance between Patrizia and Maurizio Gucci, the latter played behind stylishly studious glasses by cinema’s sexy nerd de nos jours, Adam Driver. “I want to see how this story goes,” says Patrizia, embarking upon a twisted fairytale romance with the grandson of Guccio Gucci that starts with masked balls and talk of midnight chimes and pumpkins and ends with family back-stabbings, jealous rages and deadly rivalries.

    Continue reading...", - "category": "House of Gucci", - "link": "https://www.theguardian.com/film/2021/nov/28/house-of-gucci-review-ridley-scott-lady-gaga-al-pacino-jared-leto", - "creator": "Mark Kermode, Observer film critic", - "pubDate": "2021-11-28T08:00:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "New York city hall removes Thomas Jefferson statue", + "description": "

    City public design commission voted to send 884lb, 7ft statue to the New York Historical Society because Jefferson enslaved people

    A statue of Thomas Jefferson has been removed from city hall in New York, because the founder and third president enslaved people.

    A work crew spent several hours on Monday freeing the 884lb, 7ft statue from its pedestal in the council chambers and carefully maneuvering it into a padded wooden crate, for the short journey to the New York Historical Society.

    Continue reading...", + "content": "

    City public design commission voted to send 884lb, 7ft statue to the New York Historical Society because Jefferson enslaved people

    A statue of Thomas Jefferson has been removed from city hall in New York, because the founder and third president enslaved people.

    A work crew spent several hours on Monday freeing the 884lb, 7ft statue from its pedestal in the council chambers and carefully maneuvering it into a padded wooden crate, for the short journey to the New York Historical Society.

    Continue reading...", + "category": "New York", + "link": "https://www.theguardian.com/us-news/2021/nov/23/thomas-jefferson-statuue-new-york-city-hall", + "creator": "Richard Luscombe", + "pubDate": "2021-11-23T14:05:40Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8fc2303be48e80d0f63ecc62c7d45952" + "hash": "9e281365fb3c4fbb7140fc1eb18a75b2" }, { - "title": "‘The goal was to silence people’: historian Joanne Freeman on congressional violence", - "description": "

    Paul Gosar was censured for a video depicting a colleague’s murder but physical assaults were a feature of the pre-civil war era

    As the House debated whether the Republican congressman Paul Gosar should be censured for depicting the murder of his colleague, one Democratic leader took a moment to reflect on the chamber’s long history of violence.

    Speaking on the House floor last week, the majority leader, Steny Hoyer, argued that Gosar had grossly violated the chamber’s rules of conduct by sharing an altered anime video showing him killing Congresswoman Alexandria Ocasio-Cortez and attacking President Joe Biden.

    Continue reading...", - "content": "

    Paul Gosar was censured for a video depicting a colleague’s murder but physical assaults were a feature of the pre-civil war era

    As the House debated whether the Republican congressman Paul Gosar should be censured for depicting the murder of his colleague, one Democratic leader took a moment to reflect on the chamber’s long history of violence.

    Speaking on the House floor last week, the majority leader, Steny Hoyer, argued that Gosar had grossly violated the chamber’s rules of conduct by sharing an altered anime video showing him killing Congresswoman Alexandria Ocasio-Cortez and attacking President Joe Biden.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/2021/nov/28/historian-joanne-freeman-congressional-violence-paul-gosar", - "creator": "Joan E Greve in Washington", - "pubDate": "2021-11-28T07:00:21Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Carnival photos add to woe of coach accused of faking Covid pass", + "description": "

    Markus Anfang resigned as Werder Bremen coach after doubts voiced about authenticity of Covid certificate

    A German football coach who resigned over allegations that he forged his vaccine certificate has drawn condemnation and derision after it emerged he attended a carnival party this month that was exclusive to those who had got the jab or recovered from the virus.

    Markus Anfang on Saturday morning announced his resignation as the head coach of German second division club Werder Bremen, after the state prosecutor in the northern city revealed there were doubts about the authenticity of the document supposedly proving the 47-year-old had received two doses of the BioNTech/Pfizer vaccine.

    Continue reading...", + "content": "

    Markus Anfang resigned as Werder Bremen coach after doubts voiced about authenticity of Covid certificate

    A German football coach who resigned over allegations that he forged his vaccine certificate has drawn condemnation and derision after it emerged he attended a carnival party this month that was exclusive to those who had got the jab or recovered from the virus.

    Markus Anfang on Saturday morning announced his resignation as the head coach of German second division club Werder Bremen, after the state prosecutor in the northern city revealed there were doubts about the authenticity of the document supposedly proving the 47-year-old had received two doses of the BioNTech/Pfizer vaccine.

    Continue reading...", + "category": "Germany", + "link": "https://www.theguardian.com/world/2021/nov/23/anger-as-it-emerges-german-football-coach-in-vaccine-pass-scandal-attended-party", + "creator": "Philip Oltermann in Berlin", + "pubDate": "2021-11-23T13:48:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0a9abbb948ad1239d64af713c9488e4" + "hash": "bb675663d083530bc3a70b5ad486353c" }, { - "title": "Every good dog deserves a musical tribute", - "description": "

    Hector, dog of dogs, is the most glorious companion. Simon Tiffin reveals how he came to commission a piece of music that would evoke his spirit when he finally departs this world

    One of the earliest signs of spring in my garden is a ring of snowdrops and winter acconites that encircles the trunk of a medlar tree outside the greenhouse. This yellow-and-white display was planted to complement a collection of elegantly engraved, moss-covered mini-headstones that mark the resting places of the previous owner’s dogs. Each of these markers has a simple but evocative dedication: “Medlar, beloved Border Terrier”; “Otter, a little treasure. Sister of Medlar”; “Skip, grandson of Genghis. Sweet eccentric.” Every time I see this pet cemetery I am reminded that, despite a complex denial structure that involves a sneaking suspicion that he is immortal, there will come a time when I have to face the death of Hector, dog of dogs.

    Hector is a cockapoo and not ashamed to admit it. He sneers at terms such as “designer dog” and “hybrid” and is rightly proud of his spaniel/poodle heritage. Although many people have an origin myth of how their pet chose them, in Hector’s case it is true. When I went with my wife Alexa to see a friend whose working cocker had recently given birth, a blind, chocolate-brown caterpillar of a pup freed himself from the wriggling furry mass of his siblings and crawled his way towards us. Bonding was instant and, on our side, unconditional.

    Continue reading...", - "content": "

    Hector, dog of dogs, is the most glorious companion. Simon Tiffin reveals how he came to commission a piece of music that would evoke his spirit when he finally departs this world

    One of the earliest signs of spring in my garden is a ring of snowdrops and winter acconites that encircles the trunk of a medlar tree outside the greenhouse. This yellow-and-white display was planted to complement a collection of elegantly engraved, moss-covered mini-headstones that mark the resting places of the previous owner’s dogs. Each of these markers has a simple but evocative dedication: “Medlar, beloved Border Terrier”; “Otter, a little treasure. Sister of Medlar”; “Skip, grandson of Genghis. Sweet eccentric.” Every time I see this pet cemetery I am reminded that, despite a complex denial structure that involves a sneaking suspicion that he is immortal, there will come a time when I have to face the death of Hector, dog of dogs.

    Hector is a cockapoo and not ashamed to admit it. He sneers at terms such as “designer dog” and “hybrid” and is rightly proud of his spaniel/poodle heritage. Although many people have an origin myth of how their pet chose them, in Hector’s case it is true. When I went with my wife Alexa to see a friend whose working cocker had recently given birth, a blind, chocolate-brown caterpillar of a pup freed himself from the wriggling furry mass of his siblings and crawled his way towards us. Bonding was instant and, on our side, unconditional.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/28/every-dog-deserves-a-musical-tribute-simon-tiffin-pet-hector-gets-a-hequiem", - "creator": "Simon Tiffin", - "pubDate": "2021-11-28T07:00:19Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Home Office tells councils to take unaccompanied migrant children", + "description": "

    Voluntary scheme, where local authorities accept those arriving without parents, will now become compulsory

    Councils across England will be forced to care for unaccompanied children who have arrived on small boats under new rules put forward by the Home Office.

    The decision follows complaints from Kent county council and others in the south of England that they are being overwhelmed by a growing number of children entering the country.

    Continue reading...", + "content": "

    Voluntary scheme, where local authorities accept those arriving without parents, will now become compulsory

    Councils across England will be forced to care for unaccompanied children who have arrived on small boats under new rules put forward by the Home Office.

    The decision follows complaints from Kent county council and others in the south of England that they are being overwhelmed by a growing number of children entering the country.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/world/2021/nov/23/home-office-tells-councils-to-take-unaccompanied-migrant-children", + "creator": "Rajeev Syal and Libby Brooks", + "pubDate": "2021-11-23T13:46:55Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89f10de82ba5faab8c1a4ec562d69240" + "hash": "92dc32fe33b27a9ab4dbfbec82fecf1e" }, { - "title": "Met police charge man, 19, with six counts of sharing extremist material", - "description": "

    Elias Djelloul was arrested in east London on Friday and will appear in court on Monday

    A 19-year-old man will appear in court next week accused of sharing extremist material.

    Elias Djelloul was arrested at an address in east London on Friday, the Metropolitan police’s counter-terrorism command said.

    Continue reading...", - "content": "

    Elias Djelloul was arrested in east London on Friday and will appear in court on Monday

    A 19-year-old man will appear in court next week accused of sharing extremist material.

    Elias Djelloul was arrested at an address in east London on Friday, the Metropolitan police’s counter-terrorism command said.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/nov/27/met-police-charge-man-19-with-six-counts-of-sharing-extremist-material", - "creator": "PA Media", - "pubDate": "2021-11-27T20:56:37Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Covid deaths in Europe to top 2 million by March, says WHO", + "description": "

    Dr Hans Kluge describes situation as ‘very serious’ with increasing strain on health services

    Total deaths across Europe from Covid-19 are likely to exceed 2 million by March next year, the World Health Organization (WHO) has said, adding that the pandemic had become the number one cause of death in the region.

    Reported deaths have risen to nearly 4,200 a day, double the number being recorded in September, the agency said, while cumulative reported deaths in the region, which includes the UK, have already surpassed 1.5 million.

    Continue reading...", + "content": "

    Dr Hans Kluge describes situation as ‘very serious’ with increasing strain on health services

    Total deaths across Europe from Covid-19 are likely to exceed 2 million by March next year, the World Health Organization (WHO) has said, adding that the pandemic had become the number one cause of death in the region.

    Reported deaths have risen to nearly 4,200 a day, double the number being recorded in September, the agency said, while cumulative reported deaths in the region, which includes the UK, have already surpassed 1.5 million.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/23/covid-deaths-in-europe-to-top-2-million-by-march-says-who", + "creator": "Jon Henley, Europe correspondent", + "pubDate": "2021-11-23T13:38:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "014a2c700f602a6f3d7f1f80fbb3af58" + "hash": "93d97cf0fa8dd9d410e8e6b027403c4e" }, { - "title": "How settler violence is fuelling West Bank tension", - "description": "

    As attacks on Palestinians worsen, we speak to farmers, settlers, Israeli human rights activists, and the mother of a three-year-old boy left injured in a raid

    The assault was already under way when, having hastily collected her youngest child from a neighbour, Baraa Hamamda, 24, ran home to find her three-year-old son, Mohammed, lying in a small pool of blood and apparently lifeless on the bare floor where she had left him asleep. “I thought that’s it, he’s dead,” she says. “He won’t come back.”

    Mohammed wasn’t dead, though he wouldn’t regain consciousness for more than 11 hours, having been struck on the head by a stone thrown through a window by an Israeli settler, one of dozens who had invaded the isolated village of Al Mufakara, in the West Bank’s rocky, arid south Hebron hills.

    Continue reading...", - "content": "

    As attacks on Palestinians worsen, we speak to farmers, settlers, Israeli human rights activists, and the mother of a three-year-old boy left injured in a raid

    The assault was already under way when, having hastily collected her youngest child from a neighbour, Baraa Hamamda, 24, ran home to find her three-year-old son, Mohammed, lying in a small pool of blood and apparently lifeless on the bare floor where she had left him asleep. “I thought that’s it, he’s dead,” she says. “He won’t come back.”

    Mohammed wasn’t dead, though he wouldn’t regain consciousness for more than 11 hours, having been struck on the head by a stone thrown through a window by an Israeli settler, one of dozens who had invaded the isolated village of Al Mufakara, in the West Bank’s rocky, arid south Hebron hills.

    Continue reading...", - "category": "Palestinian territories", - "link": "https://www.theguardian.com/world/2021/nov/28/israel-palestine-west-bank-settler-violence-tension", - "creator": "Donald Macintyre & Quique Kierszenbaum in Al Mufakara", - "pubDate": "2021-11-28T10:00:23Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Jennifer Lawrence defends Leonardo DiCaprio’s higher pay for Don’t Look Up", + "description": "

    Despite their equal billing on the forthcoming Adam McKay disaster comedy, Lawrence says she is ‘extremely fortunate and happy with my deal’

    Jennifer Lawrence has defended the higher salary paid to Leonardo DiCaprio for Don’t Look Up, their forthcoming film for which they receive equal billing.

    Speaking to Vanity Fair, Lawrence said: “Leo brings in more box office than I do. I’m extremely fortunate and happy with my deal.” A recently published report in Variety suggested that DiCaprio will receive $30m (£22.5m) for the movie, and Lawrence will be paid $25m ($18.7m) – meaning DiCaprio’s fee is 20% higher.

    Continue reading...", + "content": "

    Despite their equal billing on the forthcoming Adam McKay disaster comedy, Lawrence says she is ‘extremely fortunate and happy with my deal’

    Jennifer Lawrence has defended the higher salary paid to Leonardo DiCaprio for Don’t Look Up, their forthcoming film for which they receive equal billing.

    Speaking to Vanity Fair, Lawrence said: “Leo brings in more box office than I do. I’m extremely fortunate and happy with my deal.” A recently published report in Variety suggested that DiCaprio will receive $30m (£22.5m) for the movie, and Lawrence will be paid $25m ($18.7m) – meaning DiCaprio’s fee is 20% higher.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/nov/23/jennifer-lawrence-leonardo-dicaprio-higher-pay-for-dont-look-up", + "creator": "Andrew Pulver", + "pubDate": "2021-11-23T13:21:24Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a454b27a8a1971a6e02f4317484d760" + "hash": "3eaebae0bacbb0f4edf061cd332f2ccd" }, { - "title": "Tonga’s drug crisis: Why a tiny Pacific island is struggling with a meth epidemic", - "description": "

    Spike in drug use has caused problems across Tongan society, with arrests doubling in two years and children severely affected

    After more than four decades spent living in New Zealand, Ned Cook knew it was time to return to his home country of Tonga.

    His country was in the grip of a methamphetamine epidemic that was ripping families apart and overrunning the country’s hospitals and jails. Cook, a trained drug and alcohol abuse counsellor, with a history of drug abuse himself, had been preparing for years to return to Tonga to combat it.

    Continue reading...", - "content": "

    Spike in drug use has caused problems across Tongan society, with arrests doubling in two years and children severely affected

    After more than four decades spent living in New Zealand, Ned Cook knew it was time to return to his home country of Tonga.

    His country was in the grip of a methamphetamine epidemic that was ripping families apart and overrunning the country’s hospitals and jails. Cook, a trained drug and alcohol abuse counsellor, with a history of drug abuse himself, had been preparing for years to return to Tonga to combat it.

    Continue reading...", - "category": "Tonga", - "link": "https://www.theguardian.com/world/2021/nov/28/tongas-drug-crisis-why-a-tiny-pacific-island-is-struggling-with-a-meth-epidemic", - "creator": "Joshua Mcdonald", - "pubDate": "2021-11-27T19:00:07Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Hong Kong activist Tony Chung jailed under national security law", + "description": "

    Judge sentences 20-year-old to three years and seven months in prison for secession and money laundering

    A 20-year-old student activist who was arrested while attempting to seek asylum at the US consulate in Hong Kong has become the youngest person sentenced under the city’s draconian national security law.

    Tony Chung was sentenced to three years and seven months in prison after being convicted of secession and money laundering.

    Continue reading...", + "content": "

    Judge sentences 20-year-old to three years and seven months in prison for secession and money laundering

    A 20-year-old student activist who was arrested while attempting to seek asylum at the US consulate in Hong Kong has become the youngest person sentenced under the city’s draconian national security law.

    Tony Chung was sentenced to three years and seven months in prison after being convicted of secession and money laundering.

    Continue reading...", + "category": "Hong Kong", + "link": "https://www.theguardian.com/world/2021/nov/23/hong-kong-activist-tony-chung-jailed-under-national-security-law", + "creator": "Helen Davidson in Taipei", + "pubDate": "2021-11-23T12:28:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8b7eac78ba8c458861ab3dfe67268848" + "hash": "94cf56b26bd39c623cc3ec8688facf33" }, { - "title": "Australian government’s ‘anti-troll’ legislation would allow social media users to sue bullies", - "description": "

    Laws would require companies to reveal users’ identities but experts say focus on defamation will not help curb rates of online bullying

    The Australian government is set to introduce some of the toughest “anti-troll” legislation in the world, but experts say its focus on defamation will not help curb the rates of online bullying or cyberhate.

    On Sunday prime minister, Scott Morrison, announced his government would introduce legislation to parliament this week that would make social media companies reveal the identities of anonymous trolling accounts and offer a pathway to sue those people for defamation.

    Continue reading...", - "content": "

    Laws would require companies to reveal users’ identities but experts say focus on defamation will not help curb rates of online bullying

    The Australian government is set to introduce some of the toughest “anti-troll” legislation in the world, but experts say its focus on defamation will not help curb the rates of online bullying or cyberhate.

    On Sunday prime minister, Scott Morrison, announced his government would introduce legislation to parliament this week that would make social media companies reveal the identities of anonymous trolling accounts and offer a pathway to sue those people for defamation.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/nov/28/coalition-bill-would-force-social-media-companies-to-reveal-identities-of-online-bullies", - "creator": "Cait Kelly", - "pubDate": "2021-11-28T07:30:51Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Neat enough for Pepys: Magdalene college Cambridge’s inventive new library", + "description": "

    The famous diarist’s dedicated building, left to his Cambridge alma mater, could not be altered. So architect Níall McLaughlin created a magical solution

    “My delight is in the neatness of everything,” wrote Samuel Pepys in his diary in 1663, “and so cannot be pleased with anything unless it be very neat, which is a strange folly.”

    He was referring in part to the fastidious organisation of his magnificent collection of books. By the time of his death in 1703 he had amassed 3,000 of them, which he left to his alma mater, Magdalene College, Cambridge, to be housed in a dedicated building with his name above the door. He gave strict instructions that his library be kept intact for posterity, without addition or subtraction, its contents arranged “according to heighth” in the bespoke glass-fronted bookcases he had especially commissioned. The responsibility came with an added threat: if one volume goes missing, he instructed, the whole library must be transferred to Trinity.

    Continue reading...", + "content": "

    The famous diarist’s dedicated building, left to his Cambridge alma mater, could not be altered. So architect Níall McLaughlin created a magical solution

    “My delight is in the neatness of everything,” wrote Samuel Pepys in his diary in 1663, “and so cannot be pleased with anything unless it be very neat, which is a strange folly.”

    He was referring in part to the fastidious organisation of his magnificent collection of books. By the time of his death in 1703 he had amassed 3,000 of them, which he left to his alma mater, Magdalene College, Cambridge, to be housed in a dedicated building with his name above the door. He gave strict instructions that his library be kept intact for posterity, without addition or subtraction, its contents arranged “according to heighth” in the bespoke glass-fronted bookcases he had especially commissioned. The responsibility came with an added threat: if one volume goes missing, he instructed, the whole library must be transferred to Trinity.

    Continue reading...", + "category": "Architecture", + "link": "https://www.theguardian.com/artanddesign/2021/nov/23/magdalene-college-cambridge-library-pepys-niall-mclaughlin", + "creator": "Oliver Wainwright", + "pubDate": "2021-11-23T12:24:19Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58614878615250929ebf1498ca6a2a44" + "hash": "2a0569c045046bbca19853983230411c" }, { - "title": "Omicron: everything you need to know about new Covid variant", - "description": "

    Key questions answered about coronavirus variant first detected in southern Africa

    The variant was initially referred to as B.1.1.529, but on Friday was designated as a variant of concern (VOC) by the World Health Organization because of its “concerning” mutations and because “preliminary evidence suggests an increased risk of reinfection with this variant”. The WHO system assigns such variants a Greek letter, to provide a non-stigmatising label that does not associate new variants with the location where they were first detected. The new variant has been called Omicron.

    Continue reading...", - "content": "

    Key questions answered about coronavirus variant first detected in southern Africa

    The variant was initially referred to as B.1.1.529, but on Friday was designated as a variant of concern (VOC) by the World Health Organization because of its “concerning” mutations and because “preliminary evidence suggests an increased risk of reinfection with this variant”. The WHO system assigns such variants a Greek letter, to provide a non-stigmatising label that does not associate new variants with the location where they were first detected. The new variant has been called Omicron.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/26/vaccine-resistant-what-scientists-know-new-covid-variant", - "creator": "Hannah Devlin Science correspondent", - "pubDate": "2021-11-26T18:52:02Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Post-Brexit scheme to lure Nobel winners to UK fails to attract single applicant", + "description": "

    Programme to allow those with prestigious global prizes to get fast-track visas dismissed as ‘elitist’ and a ‘joke’

    A post-Brexit scheme to draw the world’s most celebrated academics and other leading figures to the UK has failed to attract a single applicant in the six months since it opened, it has been reported.

    The visa route open to Nobel laureates and other prestigious global prize winners in the fields of science, engineering, humanities and medicine – among others – was described as a joke by experts after ministers admitted its failure to garner any interest.

    Continue reading...", + "content": "

    Programme to allow those with prestigious global prizes to get fast-track visas dismissed as ‘elitist’ and a ‘joke’

    A post-Brexit scheme to draw the world’s most celebrated academics and other leading figures to the UK has failed to attract a single applicant in the six months since it opened, it has been reported.

    The visa route open to Nobel laureates and other prestigious global prize winners in the fields of science, engineering, humanities and medicine – among others – was described as a joke by experts after ministers admitted its failure to garner any interest.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/23/post-brexit-scheme-to-lure-nobel-winners-to-uk-fails-to-attract-single-applicant", + "creator": "Kevin Rawlinson", + "pubDate": "2021-11-23T12:04:42Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6064dcbbd21c7acb5c206a13ce8ddb20" + "hash": "291812f9dc54e603a6180099f9c4eee8" }, { - "title": "What should the UK do now? Experts on responses to the new Covid variant", - "description": "

    Analysis: From the red list to winter plan B, scientists consider what tools are best to counter B.1.1.529

    Despite the UK’s much-vaunted vaccination programme, and scientists’ ever-growing understanding of Covid-19, Britain and the rest of the world face the challenge of a new, potentially more transmissible variant just a month before Christmas.

    While Sajid Javid, the health secretary, announced the red-listing of six southern African countries and said “we must act with caution”, he ruled out immediate new Covid measures including triggering winter plan B – which would involve working from home, mask-wearing and Covid passports.

    Continue reading...", - "content": "

    Analysis: From the red list to winter plan B, scientists consider what tools are best to counter B.1.1.529

    Despite the UK’s much-vaunted vaccination programme, and scientists’ ever-growing understanding of Covid-19, Britain and the rest of the world face the challenge of a new, potentially more transmissible variant just a month before Christmas.

    While Sajid Javid, the health secretary, announced the red-listing of six southern African countries and said “we must act with caution”, he ruled out immediate new Covid measures including triggering winter plan B – which would involve working from home, mask-wearing and Covid passports.

    Continue reading...", + "title": "UK will press governments to stick to climate pledges, says Cop26 president", + "description": "

    Alok Sharma says shared goals must be steered to safety by ensuring countries deliver on their promises

    The UK will continue to press governments around the world to cut greenhouse gas emissions urgently in the next year to limit global heating to 1.5C, after the UN climate talks that concluded last week, the president of the summit has pledged.

    Alok Sharma, the cabinet minister who led the Cop26 talks, said the world had shown in Glasgow that countries could work together to establish a framework for climate action but the next year must focus on keeping the promises made there.

    Continue reading...", + "content": "

    Alok Sharma says shared goals must be steered to safety by ensuring countries deliver on their promises

    The UK will continue to press governments around the world to cut greenhouse gas emissions urgently in the next year to limit global heating to 1.5C, after the UN climate talks that concluded last week, the president of the summit has pledged.

    Alok Sharma, the cabinet minister who led the Cop26 talks, said the world had shown in Glasgow that countries could work together to establish a framework for climate action but the next year must focus on keeping the promises made there.

    Continue reading...", + "category": "Climate crisis", + "link": "https://www.theguardian.com/environment/2021/nov/23/uk-governments-climate-pledges-cop26-president-alok-sharma", + "creator": "Fiona Harvey Environment correspondent", + "pubDate": "2021-11-23T12:00:15Z", + "folder": "00.03 News/News - EN", + "feed": "The Guardian", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4abad2cd01d21462d2cbec8f16eeaa59" + }, + { + "title": "AstraZeneca chief links Europe’s Covid surge to rejection of firm’s vaccine", + "description": "

    Pascal Soriot says heightened T-cell immunity from Oxford jab may give more durable protection

    A decision not to use AstraZeneca’s Covid-19 vaccine for elderly people in some European countries could help explain why the virus is currently triggering such high levels of infections in mainland Europe, the company’s chief executive has said.

    Pascal Soriot told BBC Radio 4’s Today programme that heightened T-cell immunity could be giving those who received the Oxford/AstraZeneca jab more durable immune protection against the virus.

    Continue reading...", + "content": "

    Pascal Soriot says heightened T-cell immunity from Oxford jab may give more durable protection

    A decision not to use AstraZeneca’s Covid-19 vaccine for elderly people in some European countries could help explain why the virus is currently triggering such high levels of infections in mainland Europe, the company’s chief executive has said.

    Pascal Soriot told BBC Radio 4’s Today programme that heightened T-cell immunity could be giving those who received the Oxford/AstraZeneca jab more durable immune protection against the virus.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/26/with-so-little-known-about-new-covid-variant-uk-must-act-fast-say-experts", - "creator": "Nicola Davis Science correspondent", - "pubDate": "2021-11-26T16:33:11Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "link": "https://www.theguardian.com/world/2021/nov/23/astrazeneca-chief-links-europes-covid-surge-to-rejection-of-firms-vaccine", + "creator": "Linda Geddes Science correspondent", + "pubDate": "2021-11-23T11:53:34Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "316a97e32985780235f4985274344d25" + "hash": "fd5582699639f518bff02a2080494d21" }, { - "title": "Macron calls for greater cooperation from UK over refugee Channel crossings – video", - "description": "

    Emmanuel Macron has stressed the need to develop 'stronger and responsible' partnerships with Britain and Europe after at least 27 people, including women and children, died on Wednesday trying to cross the Channel on an inflatable boat.

    Speaking on Thursday, the French president said: 'When these men and women reach the shores of the Channel, it is already too late.'

    British and French leaders have traded accusations after the tragedy

    Continue reading...", - "content": "

    Emmanuel Macron has stressed the need to develop 'stronger and responsible' partnerships with Britain and Europe after at least 27 people, including women and children, died on Wednesday trying to cross the Channel on an inflatable boat.

    Speaking on Thursday, the French president said: 'When these men and women reach the shores of the Channel, it is already too late.'

    British and French leaders have traded accusations after the tragedy

    Continue reading...", - "category": "Emmanuel Macron", - "link": "https://www.theguardian.com/world/video/2021/nov/25/emmanuel-macron-calls-greater-cooperation-uk-refugee-channel-crossings-video", - "creator": "", - "pubDate": "2021-11-25T16:01:19Z", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "title": "Crazy Frog returns, like it or not: ‘There will always be a place for novelty songs’", + "description": "

    With genitalia proudly exposed, the amphibian raced up the charts in 2005 and irritated much of the UK. Why has it been allowed a second chance? Its handler explains himself

    For a few months in 2005, you couldn’t move without encountering Crazy Frog. First sold as a ringtone, his nonsensical catchphrase, “Rring ding ding ding baa baa”, entered the national vocabulary. Then it became the most popular – and divisive – single of 2005, coupled with a CGI video of an explicitly naked frog on the lam in a futuristic cityscape. “The frog is irritating to the point of distraction and back again,” wrote BBC News. “And yet at the same, it’s strangely compelling.”

    The craze lasted for five Top 20 hits and then mercifully dwindled. The character was so hated that hackers found success with a virus offering to show users an image of him being killed off. But now the frog is staging a comeback. Next month, the once-ubiquitous amphibian will release a new single – a mash-up of a classic and a more recent song, the details of which the frog’s guardians are keeping under wraps, other than to say that both are popular on TikTok.

    Continue reading...", + "content": "

    With genitalia proudly exposed, the amphibian raced up the charts in 2005 and irritated much of the UK. Why has it been allowed a second chance? Its handler explains himself

    For a few months in 2005, you couldn’t move without encountering Crazy Frog. First sold as a ringtone, his nonsensical catchphrase, “Rring ding ding ding baa baa”, entered the national vocabulary. Then it became the most popular – and divisive – single of 2005, coupled with a CGI video of an explicitly naked frog on the lam in a futuristic cityscape. “The frog is irritating to the point of distraction and back again,” wrote BBC News. “And yet at the same, it’s strangely compelling.”

    The craze lasted for five Top 20 hits and then mercifully dwindled. The character was so hated that hackers found success with a virus offering to show users an image of him being killed off. But now the frog is staging a comeback. Next month, the once-ubiquitous amphibian will release a new single – a mash-up of a classic and a more recent song, the details of which the frog’s guardians are keeping under wraps, other than to say that both are popular on TikTok.

    Continue reading...", + "category": "Music", + "link": "https://www.theguardian.com/music/2021/nov/23/crazy-frog-returns-like-it-or-not-there-will-always-be-a-place-for-novelty-songs", + "creator": "Ralph Jones", + "pubDate": "2021-11-23T11:30:28Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9bf3990ff9eeee934515b5a7e14a92a3" + "hash": "adf18c88e49e633d84b1320eb09d81dc" }, { - "title": "Australia Covid news live: country braces for Omicron as states and territories tighten border restrictions on overseas arrivals", - "description": "

    Concerns new Covid variant is already in NSW and NT; UK, Germany and Italy detect cases. Follow all the day’s news live


    The Nothern Territory has two new Covid-19 cases, including an international traveller from South Africa.

    Our friends at AAP have the story:

    The Northern Territory has two new COVID-19 cases, one an arrival on a repatriation flight from South Africa where the new and heavily mutated Omicron variant has been detected.

    Authorities as yet have no genomic sequencing in relation to the passenger’s infection strain, Health Minister Natasha Fyles says.

    Continue reading...", - "content": "

    Concerns new Covid variant is already in NSW and NT; UK, Germany and Italy detect cases. Follow all the day’s news live


    The Nothern Territory has two new Covid-19 cases, including an international traveller from South Africa.

    Our friends at AAP have the story:

    The Northern Territory has two new COVID-19 cases, one an arrival on a repatriation flight from South Africa where the new and heavily mutated Omicron variant has been detected.

    Authorities as yet have no genomic sequencing in relation to the passenger’s infection strain, Health Minister Natasha Fyles says.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/28/australia-covid-news-omicron-corona-nsw-victoria-nt-uk-europe-politics-canberra-morrison-andrews-perrottet-gunner-africa-", - "creator": "Justine Landis-Hanley", - "pubDate": "2021-11-27T21:55:34Z", + "title": "Call to British Airways might have averted 1990 Kuwait hostage crisis", + "description": "

    Ambassador warned Foreign Office an Iraqi invasion was under way but this was not passed on to airline

    Hundreds of British passengers might have avoided being taken hostage by the Iraqi dictator Saddam Hussein in 1990 if a UK diplomatic call informing Whitehall of Iraq’s invasion of Kuwait had been relayed to British Airways, the Foreign Office has disclosed.

    New papers revealed under the 20-year-rule show that the UK ambassador to Kuwait rang the Foreign Office duty clerk to warn him that an Iraqi invasion of Kuwait was under way. The message was then passed around Whitehall, including to Downing Street and the intelligence services.

    Continue reading...", + "content": "

    Ambassador warned Foreign Office an Iraqi invasion was under way but this was not passed on to airline

    Hundreds of British passengers might have avoided being taken hostage by the Iraqi dictator Saddam Hussein in 1990 if a UK diplomatic call informing Whitehall of Iraq’s invasion of Kuwait had been relayed to British Airways, the Foreign Office has disclosed.

    New papers revealed under the 20-year-rule show that the UK ambassador to Kuwait rang the Foreign Office duty clerk to warn him that an Iraqi invasion of Kuwait was under way. The message was then passed around Whitehall, including to Downing Street and the intelligence services.

    Continue reading...", + "category": "Foreign, Commonwealth and Development Office", + "link": "https://www.theguardian.com/politics/2021/nov/23/call-to-british-airways-might-have-averted-1990-kuwait-hostage-crisis", + "creator": "Patrick Wintour Diplomatic correspondent", + "pubDate": "2021-11-23T11:08:29Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "202bfd06a1f5eb96350ac0266f78bbd0" + "hash": "ea6b95347eb38d738b13f5453e8f5977" }, { - "title": "Niger: two killed and 17 injured in clash with French military convoy", - "description": "

    Force used against protesters who blocked vehicles amid rising anger over France’s presence in former colonies

    At least two people were killed and 18 injured in western Niger on Saturday when protesters clashed with a French military convoy they blocked after it crossed the border from Burkina Faso, Niger’s government said.

    The armoured vehicles and logistics trucks had crossed the border on Friday after being blocked in Burkina Faso for a week by demonstrations there against French forces’ failure to stop mounting violence by Islamist militants.

    Continue reading...", - "content": "

    Force used against protesters who blocked vehicles amid rising anger over France’s presence in former colonies

    At least two people were killed and 18 injured in western Niger on Saturday when protesters clashed with a French military convoy they blocked after it crossed the border from Burkina Faso, Niger’s government said.

    The armoured vehicles and logistics trucks had crossed the border on Friday after being blocked in Burkina Faso for a week by demonstrations there against French forces’ failure to stop mounting violence by Islamist militants.

    Continue reading...", - "category": "Niger", - "link": "https://www.theguardian.com/world/2021/nov/27/niger-two-killed-and-17-injured-in-clash-with-french-military-convoy", - "creator": "Reuters", - "pubDate": "2021-11-27T21:02:13Z", + "title": "Frog back from the dead helps fight plans for mine in Ecuador", + "description": "

    Campaigners say if copper mine gets go-ahead in cloud forest, the longnose harlequin, once thought to be extinct, will be threatened again

    Reports of the longnose harlequin frog’s death appear to have been greatly exaggerated – or, at least, premature. The Mark Twain of the frog world is listed by the International Union for Conservation of Nature (IUCN) as extinct, which may come as a surprise to those alive and well in the cloud forests of Ecuador’s tropical Andes.

    Known for its pointed snout, the longnose harlequin frog (Atelopus longirostris) is about to play a central role in a legal battle to stop a mining project in the Intag valley in Imbabura province, which campaigners say would be a disaster for the highly biodiverse cloud forests.

    Continue reading...", + "content": "

    Campaigners say if copper mine gets go-ahead in cloud forest, the longnose harlequin, once thought to be extinct, will be threatened again

    Reports of the longnose harlequin frog’s death appear to have been greatly exaggerated – or, at least, premature. The Mark Twain of the frog world is listed by the International Union for Conservation of Nature (IUCN) as extinct, which may come as a surprise to those alive and well in the cloud forests of Ecuador’s tropical Andes.

    Known for its pointed snout, the longnose harlequin frog (Atelopus longirostris) is about to play a central role in a legal battle to stop a mining project in the Intag valley in Imbabura province, which campaigners say would be a disaster for the highly biodiverse cloud forests.

    Continue reading...", + "category": "Mining", + "link": "https://www.theguardian.com/environment/2021/nov/23/frog-back-from-the-dead-helps-fight-mine-plans-in-ecuadors-cloud-forest-aoe", + "creator": "Graeme Green", + "pubDate": "2021-11-23T11:00:14Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "64d0103ee3b488c85a38b9182703e5da" + "hash": "e8b2f27d6ef4045d5fe247ebe7349062" }, { - "title": "‘Atmospheric rivers’ threaten new floods in hard-hit Washington state", - "description": "

    Western areas still assessing millions of dollars’ worth of damage from flooding earlier this month

    Residents in Washington state were on Saturday preparing for possible flooding as “atmospheric rivers” once again threatened parts of the US north-west, which saw heavy damage from such extreme weather earlier this month.

    Flood watches were issued for much of western and north-central Washington and the National Weather Service (NWS) warned that flooding was possible through Sunday in north-western Washington.

    Continue reading...", - "content": "

    Western areas still assessing millions of dollars’ worth of damage from flooding earlier this month

    Residents in Washington state were on Saturday preparing for possible flooding as “atmospheric rivers” once again threatened parts of the US north-west, which saw heavy damage from such extreme weather earlier this month.

    Flood watches were issued for much of western and north-central Washington and the National Weather Service (NWS) warned that flooding was possible through Sunday in north-western Washington.

    Continue reading...", - "category": "Washington state", - "link": "https://www.theguardian.com/us-news/2021/nov/26/atmospheric-rivers-floods-washington-state", - "creator": "Associated Press in Bellingham, Washington", - "pubDate": "2021-11-27T20:27:04Z", + "title": "Labor blasts Barnaby Joyce for appointing Tamworth mayor and ‘solid supporter’ for infrastructure role", + "description": "

    Nationals leader accused opposition of being ‘academic snobs’ who lacked commitment to regional Australia

    Labor has blasted Nationals leader Barnaby Joyce for being set to appoint the retiring mayor of Tamworth, Col Murray, as the new chair of Infrastructure Australia.

    Asked on Tuesday by the shadow infrastructure Catherine King whether he could confirm that the Morrison government had decided, but not yet announced, that Murray, “who has described himself as a fairly solid Barnaby supporter” would be the new chair of the infrastructure advisory body, Joyce rounded on the opposition.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Nationals leader accused opposition of being ‘academic snobs’ who lacked commitment to regional Australia

    Labor has blasted Nationals leader Barnaby Joyce for being set to appoint the retiring mayor of Tamworth, Col Murray, as the new chair of Infrastructure Australia.

    Asked on Tuesday by the shadow infrastructure Catherine King whether he could confirm that the Morrison government had decided, but not yet announced, that Murray, “who has described himself as a fairly solid Barnaby supporter” would be the new chair of the infrastructure advisory body, Joyce rounded on the opposition.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Barnaby Joyce", + "link": "https://www.theguardian.com/australia-news/2021/nov/23/labor-blasts-barnaby-joyce-for-appointing-tamworth-mayor-and-solid-supporter-for-infrastructure-role", + "creator": "Katharine Murphy", + "pubDate": "2021-11-23T10:53:37Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87a43bbbb1f1c718d1e27ad2499dffea" + "hash": "e52973b2123f474ac9a5d41a1ee613ce" }, { - "title": "Fundraiser for US man exonerated after 43 years in prison tops $1.4m", - "description": "
    • Kevin Strickland, 62, wrongly convicted of 1978 triple murder
    • Says criminal justice system ‘needs to be torn down and redone’

    By mid-afternoon on Saturday, a fundraiser for a man who spent 43 years in prison before a judge in Missouri this week overturned his conviction in a triple murder had raised more than $1.4m.

    The Midwest Innocence Project set up the GoFundMe page as it fought for the release of Kevin Strickland, 62, noting that he would not receive compensation from the state and would need help paying basic living expenses while struggling with extensive health problems.

    Continue reading...", - "content": "
    • Kevin Strickland, 62, wrongly convicted of 1978 triple murder
    • Says criminal justice system ‘needs to be torn down and redone’

    By mid-afternoon on Saturday, a fundraiser for a man who spent 43 years in prison before a judge in Missouri this week overturned his conviction in a triple murder had raised more than $1.4m.

    The Midwest Innocence Project set up the GoFundMe page as it fought for the release of Kevin Strickland, 62, noting that he would not receive compensation from the state and would need help paying basic living expenses while struggling with extensive health problems.

    Continue reading...", - "category": "US crime", - "link": "https://www.theguardian.com/us-news/2021/nov/27/kevin-strickland-exonerated-murder-wrongful-conviction-gofundme", - "creator": "Edward Helmore and agencies", - "pubDate": "2021-11-27T20:01:05Z", + "title": "China condemns ‘malicious hyping’ over Peng Shuai", + "description": "

    Foreign ministry takes unrepentant stance to concerns in west over wellbeing of tennis player

    China’s foreign ministry has accused unnamed people of “malicious hyping” in the case of the tennis star Peng Shuai, in a hardline and unrepentant response to questions in the west over her wellbeing.

    The whereabouts and wellbeing of Peng, a former doubles world number one, has become a matter of international concern over the past three weeks, after she alleged in a message on the Chinese social media site Weibo that the country’s former vice-premier, Zhang Gaoli, had sexually assaulted her. Peng ceased to be seen in public shortly after she made her allegation on 2 November.

    Continue reading...", + "content": "

    Foreign ministry takes unrepentant stance to concerns in west over wellbeing of tennis player

    China’s foreign ministry has accused unnamed people of “malicious hyping” in the case of the tennis star Peng Shuai, in a hardline and unrepentant response to questions in the west over her wellbeing.

    The whereabouts and wellbeing of Peng, a former doubles world number one, has become a matter of international concern over the past three weeks, after she alleged in a message on the Chinese social media site Weibo that the country’s former vice-premier, Zhang Gaoli, had sexually assaulted her. Peng ceased to be seen in public shortly after she made her allegation on 2 November.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/nov/23/china-peng-shuai-tennis-player-west", + "creator": "Vincent Ni China affairs correspondent", + "pubDate": "2021-11-23T10:40:42Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "65bb9af223df2a5f17832a237a718e2b" + "hash": "0d99befad49b47362ad849f70bd92a66" }, { - "title": "Australia’s spy agency predicted the climate crisis 40 years ago – and fretted about coal exports", - "description": "

    In a taste of things to come, a secret Office of National Assessment report worried the ‘carbon dioxide problem’ would hurt the nation’s coal industry

    The report was stamped CONFIDENTIAL twice on each page, with the customary warning it should “not be released to any other government except Britain, Canada, NZ and US”.

    About 40 years ago this week, the spooks at Australia’s intelligence agency, the Office of National Assessments (ONA), delivered the 17-page report to prime minister Malcolm Fraser.

    Continue reading...", - "content": "

    In a taste of things to come, a secret Office of National Assessment report worried the ‘carbon dioxide problem’ would hurt the nation’s coal industry

    The report was stamped CONFIDENTIAL twice on each page, with the customary warning it should “not be released to any other government except Britain, Canada, NZ and US”.

    About 40 years ago this week, the spooks at Australia’s intelligence agency, the Office of National Assessments (ONA), delivered the 17-page report to prime minister Malcolm Fraser.

    Continue reading...", - "category": "Climate crisis", - "link": "https://www.theguardian.com/environment/2021/nov/28/australias-spy-agency-predicted-the-climate-crisis-40-years-ago-and-fretted-about-coal-exports", - "creator": "Graham Readfearn", - "pubDate": "2021-11-27T19:00:06Z", + "title": "Chinese birthrate falls to lowest since 1978", + "description": "

    Official statistics show 8.5 births per 1,000 people in 2020, the first time under 10 in decades

    China’s birthrate has plummeted to its lowest level since 1978 as the government struggles to stave off a looming demographic crisis.

    Data released by the country’s national bureau of statistics shows there were 8.5 births per 1,000 people in 2020, the first time in decades that the figure has fallen below 10. The statistical yearbook, released at the weekend, said the natural rate of population growth – taking in births and deaths – was at a new low of 1.45.

    Continue reading...", + "content": "

    Official statistics show 8.5 births per 1,000 people in 2020, the first time under 10 in decades

    China’s birthrate has plummeted to its lowest level since 1978 as the government struggles to stave off a looming demographic crisis.

    Data released by the country’s national bureau of statistics shows there were 8.5 births per 1,000 people in 2020, the first time in decades that the figure has fallen below 10. The statistical yearbook, released at the weekend, said the natural rate of population growth – taking in births and deaths – was at a new low of 1.45.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/nov/23/chinese-birthrate-falls-to-lowest-since-1978", + "creator": "Helen Davidson in Taipei", + "pubDate": "2021-11-23T09:37:07Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf59e9697769f8d4f551cd7f0b1446a4" + "hash": "cf3296b73eda1ce72fba134d5b5373bc" }, { - "title": "I write while my children steal cars and rob houses: the awful human cost of racist stereotypes | Thomas Mayor", - "description": "

    Contrary to claims of failed responsibility of Indigenous parents, we in fact are calling for greater responsibility. We want to change this country for the better

    As I write this article, my children are stealing cars and robbing houses, I suppose. I am an Indigenous father – so, doesn’t that tell you everything you need to know about me as a parent, and about my children’s capacity to understand right from wrong?

    I know you sense the sarcasm in this. Well, a great, great majority of Australians would. But there is a certain type of person I am implicating here. The type who have an ignorance so deeply ingrained, that it is a wonder they haven’t wandered off into the dark recesses of our colonial history and followed each other off the edge of a cliff. Shouldn’t they be extinct?

    Proportionately, we are the most incarcerated people on the planet. We are not an innately criminal people. Our children are aliened from their families at unprecedented rates. This cannot be because we have no love for them. And our youth languish in detention in obscene numbers. They should be our hope for the future. These dimensions of our crisis tell plainly the structural nature of our problem. This is the torment of our powerlessness.

    Continue reading...", - "content": "

    Contrary to claims of failed responsibility of Indigenous parents, we in fact are calling for greater responsibility. We want to change this country for the better

    As I write this article, my children are stealing cars and robbing houses, I suppose. I am an Indigenous father – so, doesn’t that tell you everything you need to know about me as a parent, and about my children’s capacity to understand right from wrong?

    I know you sense the sarcasm in this. Well, a great, great majority of Australians would. But there is a certain type of person I am implicating here. The type who have an ignorance so deeply ingrained, that it is a wonder they haven’t wandered off into the dark recesses of our colonial history and followed each other off the edge of a cliff. Shouldn’t they be extinct?

    Proportionately, we are the most incarcerated people on the planet. We are not an innately criminal people. Our children are aliened from their families at unprecedented rates. This cannot be because we have no love for them. And our youth languish in detention in obscene numbers. They should be our hope for the future. These dimensions of our crisis tell plainly the structural nature of our problem. This is the torment of our powerlessness.

    Continue reading...", - "category": "Race", - "link": "https://www.theguardian.com/commentisfree/2021/nov/28/i-write-while-my-children-steal-cars-and-rob-houses-the-awful-human-cost-of-racist-stereotypes", - "creator": "Thomas Mayor", - "pubDate": "2021-11-27T19:00:06Z", + "title": "Samantha Willis was a beloved young pregnant mother. Did bad vaccine advice cost her her life?", + "description": "

    When the UK’s jab programme began, expectant mothers were told to steer clear – so Samantha decided to wait until she had had her baby. Two weeks after giving birth, she died in hospital

    It was typical of Samantha Willis that she bought the food for her baby shower herself. No fuss; she didn’t want other people to be put out. She even bought a cheese board, despite the fact that, because she was pregnant, she couldn’t eat half of it.

    On 1 August, the care worker and mother of three from Derry was eight months pregnant with her third daughter. The weather was beautiful, so Samantha stood out in the sun, ironing clothes and getting everything organised for the baby.

    Continue reading...", + "content": "

    When the UK’s jab programme began, expectant mothers were told to steer clear – so Samantha decided to wait until she had had her baby. Two weeks after giving birth, she died in hospital

    It was typical of Samantha Willis that she bought the food for her baby shower herself. No fuss; she didn’t want other people to be put out. She even bought a cheese board, despite the fact that, because she was pregnant, she couldn’t eat half of it.

    On 1 August, the care worker and mother of three from Derry was eight months pregnant with her third daughter. The weather was beautiful, so Samantha stood out in the sun, ironing clothes and getting everything organised for the baby.

    Continue reading...", + "category": "Pregnancy", + "link": "https://www.theguardian.com/society/2021/nov/23/samantha-willis-was-a-beloved-young-pregnant-mother-did-bad-vaccine-advice-cost-her-her-life", + "creator": "Sirin Kale", + "pubDate": "2021-11-23T08:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d8674d3267b5269802efd3df958e98e" + "hash": "b83e52e836ae5bf08fafcd72ae1c8372" }, { - "title": "A safe haven: refugee builders are being helped to a job by one of their own", - "description": "

    Hedayat Osyun’s construction company is the kind of social enterprise he would have benefited from when he came to Australia to flee the Taliban

    When a group of fellow refugees asked for help navigating the construction industry because they believed they were being exploited, Hedayat Osyun decided to go one step further.

    He started his own construction company as a social enterprise, now known as CommUnity Construction, that solely hires and trains recently arrived refugees and asylum seekers. It’s the kind of safe haven he would have benefited from as a teenager who escaped the Taliban in 2009 and arrived in Australia.

    Continue reading...", - "content": "

    Hedayat Osyun’s construction company is the kind of social enterprise he would have benefited from when he came to Australia to flee the Taliban

    When a group of fellow refugees asked for help navigating the construction industry because they believed they were being exploited, Hedayat Osyun decided to go one step further.

    He started his own construction company as a social enterprise, now known as CommUnity Construction, that solely hires and trains recently arrived refugees and asylum seekers. It’s the kind of safe haven he would have benefited from as a teenager who escaped the Taliban in 2009 and arrived in Australia.

    Continue reading...", - "category": "Australian immigration and asylum", - "link": "https://www.theguardian.com/australia-news/2021/nov/28/a-safe-haven-refugee-builders-are-being-helped-to-a-job-by-one-of-their-own", - "creator": "Mostafa Rachwani", - "pubDate": "2021-11-27T19:00:05Z", + "title": "Covid news live: India records smallest daily rise in cases in 18 months despite festivals", + "description": "

    India’s daily Covid cases saw the slimmest daily rise in one-and-a-half-years despite recent large festivals such as Diwali as vaccination and antibody levels rise

    In the UK, Labour MP and member of the health select committee at parliament Sarah Owen has been on Sky News. She was asked about three things. Firstly on AstraZeneca suggesting they would offer tiered pricing and still offer vaccines not-for-profit to developing nations, and the risk of new variants developing due to vaccine inequality, she said:

    We are in a global pandemic, the clue is in the title and we need an international response. So moves from AstraZeneca that you’re talking about just now are very welcome because we need to ensure that everyone across the world has access to a vaccination.

    We’ve always got to be scanning the horizon. For new variants. For changes. And possible solutions, new solutions for dealing with this pandemic. And we can’t take our eye off the ball particularly as we’re staring down the barrel of winter again.

    Children should just be able to go to school. I think they’ve had a horrible last two years. The last thing they should be doing is being confronted with people who are being aggressive, or who are looking to threaten them, or threaten teaching staff or their parents. It’s completely unacceptable. Children should just be able to go to school.

    Continue reading...", + "content": "

    India’s daily Covid cases saw the slimmest daily rise in one-and-a-half-years despite recent large festivals such as Diwali as vaccination and antibody levels rise

    In the UK, Labour MP and member of the health select committee at parliament Sarah Owen has been on Sky News. She was asked about three things. Firstly on AstraZeneca suggesting they would offer tiered pricing and still offer vaccines not-for-profit to developing nations, and the risk of new variants developing due to vaccine inequality, she said:

    We are in a global pandemic, the clue is in the title and we need an international response. So moves from AstraZeneca that you’re talking about just now are very welcome because we need to ensure that everyone across the world has access to a vaccination.

    We’ve always got to be scanning the horizon. For new variants. For changes. And possible solutions, new solutions for dealing with this pandemic. And we can’t take our eye off the ball particularly as we’re staring down the barrel of winter again.

    Children should just be able to go to school. I think they’ve had a horrible last two years. The last thing they should be doing is being confronted with people who are being aggressive, or who are looking to threaten them, or threaten teaching staff or their parents. It’s completely unacceptable. Children should just be able to go to school.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/nov/23/covid-news-live-india-records-smallest-daily-rise-in-cases-in-18-months-despite-festivals", + "creator": "Martin Belam (now) and Samantha Lock (earlier)", + "pubDate": "2021-11-23T07:28:59Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "67876eb85ea8f538f7c457cafdd70ba3" + "hash": "f1b175a4be13c8df96d314f2d9dc68a5" }, { - "title": "While Americans mark Thanksgiving, Republicans panned over Harris attack", - "description": "

    Criticism of vice-president over French cookware purchase backfires as people point out Donald Trump’s presidential largesse

    An attack on Kamala Harris for buying expensive French cookware rebounded on the Republican party over Thanksgiving, moving social media users to compare the vice-president’s culinary outlay with the cost to taxpayers of Donald Trump’s four years in power.

    On a visit to Paris earlier this month, Harris reportedly spent more than $500 on cookware at E Dehillerin, a shop near the Louvre museum. She told reporters she was making the purchase with Thanksgiving cooking in mind, prompting laughter when she said her husband, Doug Emhoff, was her “apprentice” in the kitchen.

    Continue reading...", - "content": "

    Criticism of vice-president over French cookware purchase backfires as people point out Donald Trump’s presidential largesse

    An attack on Kamala Harris for buying expensive French cookware rebounded on the Republican party over Thanksgiving, moving social media users to compare the vice-president’s culinary outlay with the cost to taxpayers of Donald Trump’s four years in power.

    On a visit to Paris earlier this month, Harris reportedly spent more than $500 on cookware at E Dehillerin, a shop near the Louvre museum. She told reporters she was making the purchase with Thanksgiving cooking in mind, prompting laughter when she said her husband, Doug Emhoff, was her “apprentice” in the kitchen.

    Continue reading...", - "category": "Kamala Harris", - "link": "https://www.theguardian.com/us-news/2021/nov/27/americans-thanksgiving-kamala-harris-cookware", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-11-27T18:41:42Z", + "title": "Camels bearing healthcare deliver hope in Kenya – photo essay", + "description": "

    When the roads are not up to it, a mobile clinic on hooves brings family planning and other medical supplies to remote communities. Photographer Ami Vitale visits Lekiji to see how the villagers have reaped the benefits

    Thirteen camels amble their way across the dusty, drought-stricken landscape, accompanied by seven men in bright yellow T-shirts and three nurses. The camels are loaded with trunks full of medicines, bandages and family planning products. It’s a mobile health clinic on hooves. When the camels arrive at their destination, men, women and children form a line as they wait for the handlers to unload the boxes and set up tables and tents.

    Among those waiting is Jecinta Peresia, who first encountered the health visitors six years ago after she nearly died giving birth to her 11th child, a daughter called Emali.

    No roads, no problem. Communities Health Africa Trust (Chat) delivers health care to hard-to-reach areas of Kenya

    Continue reading...", + "content": "

    When the roads are not up to it, a mobile clinic on hooves brings family planning and other medical supplies to remote communities. Photographer Ami Vitale visits Lekiji to see how the villagers have reaped the benefits

    Thirteen camels amble their way across the dusty, drought-stricken landscape, accompanied by seven men in bright yellow T-shirts and three nurses. The camels are loaded with trunks full of medicines, bandages and family planning products. It’s a mobile health clinic on hooves. When the camels arrive at their destination, men, women and children form a line as they wait for the handlers to unload the boxes and set up tables and tents.

    Among those waiting is Jecinta Peresia, who first encountered the health visitors six years ago after she nearly died giving birth to her 11th child, a daughter called Emali.

    No roads, no problem. Communities Health Africa Trust (Chat) delivers health care to hard-to-reach areas of Kenya

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/23/camels-bearing-healthcare-deliver-hope-in-kenya-photo-essay", + "creator": "Ami Vitale and Wanjiku Kinuthia", + "pubDate": "2021-11-23T07:01:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "16ed4ab9dff1fdad611c6fde813174bf" + "hash": "9272f036ecd1cc5208ec86de521e7630" }, { - "title": "‘Christmas will not be cancelled’ despite tree shortage fears, Americans told", - "description": "

    American Christmas Tree Association, which represents artificial tree industry, makes pledge amid reports of looming problems

    Days after reports of shortages of Thanksgiving turkeys proved premature, the American Christmas Tree Association was moved to promise Americans that “Christmas will not be cancelled”, amid reports of looming problems.

    The statement from ACTA, which represents the artificial tree industry, came amid concern that supplies of both plastic trees and live Noble, Frazer and Balsam firs will be subject to supply chain issues and the effects of the climate crisis.

    Continue reading...", - "content": "

    American Christmas Tree Association, which represents artificial tree industry, makes pledge amid reports of looming problems

    Days after reports of shortages of Thanksgiving turkeys proved premature, the American Christmas Tree Association was moved to promise Americans that “Christmas will not be cancelled”, amid reports of looming problems.

    The statement from ACTA, which represents the artificial tree industry, came amid concern that supplies of both plastic trees and live Noble, Frazer and Balsam firs will be subject to supply chain issues and the effects of the climate crisis.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/nov/27/christmas-trees-shortage-delay-fears-america", - "creator": "Edward Helmore", - "pubDate": "2021-11-27T17:25:18Z", + "title": "Outlander author Diana Gabaldon: ‘I needed Scotsmen because of the kilt factor’", + "description": "

    She secretly wrote the first of her time-travelling novels while her husband slept. Now she’s published the ninth in the smash hit series. She talks explosive sex scenes – and where George RR Martin went wrong

    Writing a novel shouldn’t have been high on Diana Gabaldon’s list of priorities in the late 1980s. She already had two jobs, as a university professor at Arizona State, with an expertise in scientific computation, and as a software reviewer for the computer press. And she had three children under six. But she’d known since she was eight years old that she was “supposed to be a novelist”, so she decided it was time to give it a try.

    With three degrees – a bachelor’s in zoology, a master’s in marine biology, and a PhD in quantitative behavioural ecology (her thesis was on “nest site selection in pinyon jays”) – Gabaldon says she “liked science, I was good at it. But I knew that was not my vocation, that’s not my calling. So when I turned 35, I said to myself, well, you know, Mozart was dead at 36. If you want to be a novelist, maybe you’d better start.”

    Continue reading...", + "content": "

    She secretly wrote the first of her time-travelling novels while her husband slept. Now she’s published the ninth in the smash hit series. She talks explosive sex scenes – and where George RR Martin went wrong

    Writing a novel shouldn’t have been high on Diana Gabaldon’s list of priorities in the late 1980s. She already had two jobs, as a university professor at Arizona State, with an expertise in scientific computation, and as a software reviewer for the computer press. And she had three children under six. But she’d known since she was eight years old that she was “supposed to be a novelist”, so she decided it was time to give it a try.

    With three degrees – a bachelor’s in zoology, a master’s in marine biology, and a PhD in quantitative behavioural ecology (her thesis was on “nest site selection in pinyon jays”) – Gabaldon says she “liked science, I was good at it. But I knew that was not my vocation, that’s not my calling. So when I turned 35, I said to myself, well, you know, Mozart was dead at 36. If you want to be a novelist, maybe you’d better start.”

    Continue reading...", + "category": "Books", + "link": "https://www.theguardian.com/books/2021/nov/23/outlander-tv-series-author-diana-gabaldon", + "creator": "Alison Flood", + "pubDate": "2021-11-23T06:00:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3078e45475728d6778dd28e0ebfbe689" + "hash": "849956fbe920018c40f9607ac71294c9" }, { - "title": "Storm Arwen: three people killed after winds of almost 100mph hit UK", - "description": "

    Tens of thousands of homes left without electricity, with yellow weather warnings still in place for many regions

    Three people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight.

    A headteacher in Northern Ireland died after a tree fell on his car, another man was hit by a falling tree in Cumbria, and a third died after his car was hit in Aberdeenshire.

    Continue reading...", - "content": "

    Tens of thousands of homes left without electricity, with yellow weather warnings still in place for many regions

    Three people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight.

    A headteacher in Northern Ireland died after a tree fell on his car, another man was hit by a falling tree in Cumbria, and a third died after his car was hit in Aberdeenshire.

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/2021/nov/27/storm-arwen-two-people-killed-after-winds-of-almost-100mph-hit-uk", - "creator": "Léonie Chao-Fong", - "pubDate": "2021-11-27T16:57:26Z", + "title": "I got help for postnatal depression that saved me. Most women in India do not | Priyali Sur", + "description": "

    With up to one in five new mothers suffering depression or psychosis, experts say the need for help is ‘overwhelming’ India

    A month after giving birth, Divya tried to suffocate her new daughter with a pillow. “There were moments when I loved my baby; at other times I would try and suffocate her to death,” says the 26-year-old from the southern Indian state of Kerala.

    She sought help from women’s organisations and the women’s police station, staffed by female officers, in her town. But Divya was told that the safest place for a child was with her mother.

    Continue reading...", + "content": "

    With up to one in five new mothers suffering depression or psychosis, experts say the need for help is ‘overwhelming’ India

    A month after giving birth, Divya tried to suffocate her new daughter with a pillow. “There were moments when I loved my baby; at other times I would try and suffocate her to death,” says the 26-year-old from the southern Indian state of Kerala.

    She sought help from women’s organisations and the women’s police station, staffed by female officers, in her town. But Divya was told that the safest place for a child was with her mother.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/23/help-for-postnatal-depression-psychosis-india-mental-health", + "creator": "Priyali Sur in New Delhi", + "pubDate": "2021-11-23T06:00:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f62130930e62e903721435bd63ca1e3" + "hash": "788c7a259249875134982e13f80f12c8" }, { - "title": "WTA still ‘deeply concerned’ over Peng Shuai’s ability to communicate freely", - "description": "

    Statement says Chinese player’s responses to chief of sport body were ‘clearly’ influenced by others

    The Women’s Tennis Association (WTA) has said it remains “deeply concerned” about the Chinese tennis star Peng Shuai, weeks after she disappeared following her allegations against a high-ranking Chinese former politician.

    The WTA said in an email statement on Saturday that its chief executive, Steve Simon, had attempted to contact Peng through “various communication channels” including two emails. It said it was concerned about her welfare and ability to communicate freely and that her responses were “clearly” influenced by others.

    Continue reading...", - "content": "

    Statement says Chinese player’s responses to chief of sport body were ‘clearly’ influenced by others

    The Women’s Tennis Association (WTA) has said it remains “deeply concerned” about the Chinese tennis star Peng Shuai, weeks after she disappeared following her allegations against a high-ranking Chinese former politician.

    The WTA said in an email statement on Saturday that its chief executive, Steve Simon, had attempted to contact Peng through “various communication channels” including two emails. It said it was concerned about her welfare and ability to communicate freely and that her responses were “clearly” influenced by others.

    Continue reading...", - "category": "Peng Shuai", - "link": "https://www.theguardian.com/sport/2021/nov/27/womens-tennis-association-remains-deeply-concerned-over-peng-shuai", - "creator": "Harry Taylor", - "pubDate": "2021-11-27T16:33:11Z", + "title": "Priti Patel put under ‘immense pressure’ by No 10 and Tory MPs over Channel crossings", + "description": "

    Downing Street declines to praise home secretary over attempts to stem record crossings in small boats

    Priti Patel is being put under “immense pressure” from Downing Street and Conservative MPs over government efforts to halt Channel crossings in small boats, with No 10 refusing to say the home secretary had done a good job.

    As figures revealed, the number of people making perilous crossings has tripled since 2020, Boris Johnson’s spokesperson twice declined to praise Patel’s strategy on Monday. He said the prime minister had “confidence in the home secretary” but would only say she has “worked extremely hard and no one can doubt this is a priority for her”.

    Continue reading...", + "content": "

    Downing Street declines to praise home secretary over attempts to stem record crossings in small boats

    Priti Patel is being put under “immense pressure” from Downing Street and Conservative MPs over government efforts to halt Channel crossings in small boats, with No 10 refusing to say the home secretary had done a good job.

    As figures revealed, the number of people making perilous crossings has tripled since 2020, Boris Johnson’s spokesperson twice declined to praise Patel’s strategy on Monday. He said the prime minister had “confidence in the home secretary” but would only say she has “worked extremely hard and no one can doubt this is a priority for her”.

    Continue reading...", + "category": "Immigration and asylum", + "link": "https://www.theguardian.com/uk-news/2021/nov/23/priti-patel-put-under-immense-pressure-by-no-10-and-tory-mps-over-channel-crossings", + "creator": "Rowena Mason, Rajeev Syal and Jessica Elgot", + "pubDate": "2021-11-23T06:00:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "57788169f50a95832e6c7621bddaeb8e" + "hash": "e6286905c9d271c87a5256f3d689e95d" }, { - "title": "Controversial Pegasus spyware faces its day of reckoning | John Naughton", - "description": "

    The infamous hacking tool is now at the centre of international lawsuits thanks to a courageous research lab

    If you were compiling a list of the most toxic tech companies, Facebook – strangely – would not come out on top. First place belongs to NSO, an outfit of which most people have probably never heard. Wikipedia tells us that “NSO Group is an Israeli technology firm primarily known for its proprietary spyware Pegasus, which is capable of remote zero-click surveillance of smartphones”.

    Pause for a moment on that phrase: “remote zero-click surveillance of smartphones”. Most smartphone users assume that the ability of a hacker to penetrate their device relies upon the user doing something careless or naive – clicking on a weblink, or opening an attachment. And in most cases they would be right in that assumption. But Pegasus can get in without the user doing anything untoward. And once in, it turns everything on the device into an open book for whoever deployed the malware.

    Continue reading...", - "content": "

    The infamous hacking tool is now at the centre of international lawsuits thanks to a courageous research lab

    If you were compiling a list of the most toxic tech companies, Facebook – strangely – would not come out on top. First place belongs to NSO, an outfit of which most people have probably never heard. Wikipedia tells us that “NSO Group is an Israeli technology firm primarily known for its proprietary spyware Pegasus, which is capable of remote zero-click surveillance of smartphones”.

    Pause for a moment on that phrase: “remote zero-click surveillance of smartphones”. Most smartphone users assume that the ability of a hacker to penetrate their device relies upon the user doing something careless or naive – clicking on a weblink, or opening an attachment. And in most cases they would be right in that assumption. But Pegasus can get in without the user doing anything untoward. And once in, it turns everything on the device into an open book for whoever deployed the malware.

    Continue reading...", - "category": "Surveillance", - "link": "https://www.theguardian.com/commentisfree/2021/nov/27/notorious-pegasus-spyware-faces-its-day-of-reckoning", - "creator": "John Naughton", - "pubDate": "2021-11-27T16:00:04Z", + "title": "A tale of two pandemics: the true cost of Covid in the global south | Kwame Anthony Appiah", + "description": "

    Reconstruction after Covid: a new series of long reads

    While the rich nations focus on booster jabs and returning to the office, much of the world is facing devastating second-order coronavirus effects. Now is the time to build a fairer, more responsible international system for the future

    For the past year and a half, people everywhere have been in the grip of a pandemic – but not necessarily the same one. In the affluent world, a viral respiratory disease, Covid-19, suddenly became a leading cause of death. In much of the developing world, by contrast, the main engine of destruction wasn’t this new disease, but its second-order effects: measures they took, and we took, in response to the coronavirus. Richer nations and poorer nations differ in their vulnerabilities.

    Whenever I talk with members of my family in Ghana, Nigeria and Namibia, I’m reminded that a global event can also be a profoundly local one. Lives and livelihoods have been affected in these places very differently from the way they have in Europe or the US. That’s true in the economic and educational realm, but it’s true, too, in the realm of public health. And across all these realms, the stakes are often life or death.

    Continue reading...", + "content": "

    Reconstruction after Covid: a new series of long reads

    While the rich nations focus on booster jabs and returning to the office, much of the world is facing devastating second-order coronavirus effects. Now is the time to build a fairer, more responsible international system for the future

    For the past year and a half, people everywhere have been in the grip of a pandemic – but not necessarily the same one. In the affluent world, a viral respiratory disease, Covid-19, suddenly became a leading cause of death. In much of the developing world, by contrast, the main engine of destruction wasn’t this new disease, but its second-order effects: measures they took, and we took, in response to the coronavirus. Richer nations and poorer nations differ in their vulnerabilities.

    Whenever I talk with members of my family in Ghana, Nigeria and Namibia, I’m reminded that a global event can also be a profoundly local one. Lives and livelihoods have been affected in these places very differently from the way they have in Europe or the US. That’s true in the economic and educational realm, but it’s true, too, in the realm of public health. And across all these realms, the stakes are often life or death.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/23/a-tale-of-two-pandemics-the-true-cost-of-covid-in-the-global-south", + "creator": "Kwame Anthony Appiah", + "pubDate": "2021-11-23T06:00:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f4d711e55d2d555f90bb146a74d9a65" + "hash": "89dd997d03a9190529472a508e187feb" }, { - "title": "The James Webb space telescope: in search of the secrets of the Milky Way", - "description": "

    Billions of dollars over budget and years late, the most expensive, complex telescope to be sent into space will launch next month. What will it learn?

    In a few weeks, the most ambitious, costly robot probe ever built, the £6.8bn James Webb space telescope, will be blasted into space on top of a giant European Ariane 5 rocket. The launch of the observatory – which has been plagued by decades of delays and massive cost overruns – promises to be the most nervously watched liftoff in the history of unmanned space exploration.

    The observatory – built by Nasa with European and Canadian space agency collaboration – has been designed to revolutionise our study of the early universe and to pinpoint possible life-supporting planets inside our galaxy. However, its planning and construction have taken more than 30 years, with the project suffering cancellation threats, political controversies and further tribulations. In the process, several other scientific projects had to be cancelled to meet the massive, swelling price tag of the observatory. As the journal Nature put it, this is “the telescope that ate astronomy”.

    Continue reading...", - "content": "

    Billions of dollars over budget and years late, the most expensive, complex telescope to be sent into space will launch next month. What will it learn?

    In a few weeks, the most ambitious, costly robot probe ever built, the £6.8bn James Webb space telescope, will be blasted into space on top of a giant European Ariane 5 rocket. The launch of the observatory – which has been plagued by decades of delays and massive cost overruns – promises to be the most nervously watched liftoff in the history of unmanned space exploration.

    The observatory – built by Nasa with European and Canadian space agency collaboration – has been designed to revolutionise our study of the early universe and to pinpoint possible life-supporting planets inside our galaxy. However, its planning and construction have taken more than 30 years, with the project suffering cancellation threats, political controversies and further tribulations. In the process, several other scientific projects had to be cancelled to meet the massive, swelling price tag of the observatory. As the journal Nature put it, this is “the telescope that ate astronomy”.

    Continue reading...", - "category": "James Webb space telescope", - "link": "https://www.theguardian.com/science/2021/nov/27/james-webb-space-telescope-launch-delays-cost-big-bang", - "creator": "Robin McKie", - "pubDate": "2021-11-27T16:00:03Z", + "title": "UK employers step up demand for workers vaccinated against Covid", + "description": "

    Analysis shows job adverts requiring candidates to be jabbed rose by 189% between August and October

    Employers in the UK are following the lead of their counterparts in the US by stepping up demands for staff to be vaccinated against Covid-19, analysis of recruitment adverts reveals.

    According to figures from the jobs website Adzuna, the number of ads explicitly requiring candidates to be vaccinated rose by 189% between August and October as more firms ask for workers to be jabbed before they start on the job.

    Continue reading...", + "content": "

    Analysis shows job adverts requiring candidates to be jabbed rose by 189% between August and October

    Employers in the UK are following the lead of their counterparts in the US by stepping up demands for staff to be vaccinated against Covid-19, analysis of recruitment adverts reveals.

    According to figures from the jobs website Adzuna, the number of ads explicitly requiring candidates to be vaccinated rose by 189% between August and October as more firms ask for workers to be jabbed before they start on the job.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/23/uk-employers-step-up-demand-for-workers-vaccinated-against-covid", + "creator": "Richard Partington Economics correspondent", + "pubDate": "2021-11-23T06:00:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6d160a8da29b1d65e0e6e8fb2bd6a185" + "hash": "68fd565713815466e74f3d2d55a75265" }, { - "title": "New York governor warns of Covid rise as US braces for Omicron arrival", - "description": "

    Kathy Hochul orders elective operations to be postponed until at least 15 January in state where two-thirds are fully vaccinated

    New York, one of the states hit hardest and earliest by Covid-19, is taking steps to limit a new winter wave of infections as transmission rates approach those of April 2020 and the US braces for the Omicron variant, discovered in southern Africa.

    Late on Friday, Governor Kathy Hochul said: “While the new Omicron variant has yet to be detected in New York state, it’s coming.”

    Continue reading...", - "content": "

    Kathy Hochul orders elective operations to be postponed until at least 15 January in state where two-thirds are fully vaccinated

    New York, one of the states hit hardest and earliest by Covid-19, is taking steps to limit a new winter wave of infections as transmission rates approach those of April 2020 and the US braces for the Omicron variant, discovered in southern Africa.

    Late on Friday, Governor Kathy Hochul said: “While the new Omicron variant has yet to be detected in New York state, it’s coming.”

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/nov/27/new-york-governor-covid-coronavirus-omicron-variant", - "creator": "Edward Helmore in New York", - "pubDate": "2021-11-27T15:21:22Z", + "title": "Bulgaria bus crash kills at least 45 people", + "description": "

    Ministry officials say children are among the dead after a bus from North Macedonia crashed and caught fire on highway

    At least 46 people have died, including 12 children, after a bus caught fire in western Bulgaria on Tuesday.

    “We have an enormous tragedy here,” Bulgarian interim prime minister Stefan Yanev, who travelled to the scene, told reporters. His interior minister, Boyko Rashkov, said: “The picture is terrifying, terrifying. I have never seen anything like that before.”

    Continue reading...", + "content": "

    Ministry officials say children are among the dead after a bus from North Macedonia crashed and caught fire on highway

    At least 46 people have died, including 12 children, after a bus caught fire in western Bulgaria on Tuesday.

    “We have an enormous tragedy here,” Bulgarian interim prime minister Stefan Yanev, who travelled to the scene, told reporters. His interior minister, Boyko Rashkov, said: “The picture is terrifying, terrifying. I have never seen anything like that before.”

    Continue reading...", + "category": "Bulgaria", + "link": "https://www.theguardian.com/world/2021/nov/23/bulgaria-bus-crash-fire-kills-dozens-north-macedonia", + "creator": "Reuters", + "pubDate": "2021-11-23T05:15:53Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "45e09c7a5757abca896a099769f925b7" + "hash": "87d088c023e5e7e9aa15147c3925898c" }, { - "title": "UK officials still blocking Peter Wright’s ‘embarrassing’ Spycatcher files", - "description": "

    A documentary-maker has accused the Cabinet Office of defying the 30-year rule in withholding details of the MI5 exposé

    The Cabinet Office has been accused of “delay and deception” over its blocking of the release of files dating back more than three decades that reveal the inside story of the intelligence agent Peter Wright and the Spycatcher affair.

    Wright revealed an inside account of how MI5 “bugged and burgled” its way across London in his 1987 autobiography Spycatcher. He died aged 78 in 1995.

    Continue reading...", - "content": "

    A documentary-maker has accused the Cabinet Office of defying the 30-year rule in withholding details of the MI5 exposé

    The Cabinet Office has been accused of “delay and deception” over its blocking of the release of files dating back more than three decades that reveal the inside story of the intelligence agent Peter Wright and the Spycatcher affair.

    Wright revealed an inside account of how MI5 “bugged and burgled” its way across London in his 1987 autobiography Spycatcher. He died aged 78 in 1995.

    Continue reading...", - "category": "Espionage", - "link": "https://www.theguardian.com/world/2021/nov/27/inside-story-of-peter-wrights-spycatcher-blocked-by-cabinet-office-delay-and-deception", - "creator": "Jon Ungoed-Thomas", - "pubDate": "2021-11-27T15:18:59Z", + "title": "Former South Korean dictator Chun Doo-hwan dies aged 90", + "description": "

    Chun ruled for eight years after seizing power in a coup in 1979, and presided over the infamous 1980 Gwanju student massacre

    Former South Korean president, Chun Doo-hwan, who presided over the infamous Gwanju massacre during his iron-fisted eight-year rule, has died aged 90.

    Chun had multiple myeloma, a blood cancer which was in remission, and his health had deteriorated recently, his former press secretary Min Chung-ki told reporters. He passed away at his Seoul home early in the morning and his body will be moved to a hospital for a funeral later in the day.

    Continue reading...", + "content": "

    Chun ruled for eight years after seizing power in a coup in 1979, and presided over the infamous 1980 Gwanju student massacre

    Former South Korean president, Chun Doo-hwan, who presided over the infamous Gwanju massacre during his iron-fisted eight-year rule, has died aged 90.

    Chun had multiple myeloma, a blood cancer which was in remission, and his health had deteriorated recently, his former press secretary Min Chung-ki told reporters. He passed away at his Seoul home early in the morning and his body will be moved to a hospital for a funeral later in the day.

    Continue reading...", + "category": "South Korea", + "link": "https://www.theguardian.com/world/2021/nov/23/former-south-korean-dictator-chun-doo-hwan-dies-aged-90", + "creator": "Reuters", + "pubDate": "2021-11-23T05:08:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "43f6a1b7cf244d575773e1aa1b35bd89" + "hash": "a0e376fc422f8f6da277a03c8321347f" }, { - "title": "New UK Covid measures to be announced to tackle Omicron spread", - "description": "

    Prime minister to set out new rules as health officials race to track down those infected with Covid variant

    Boris Johnson is to announce further measures to curb the spread of coronavirus after two cases of the Omicron variant were detected in the UK.

    Four more African countries will be added to the government’s red list with immediate effect from Sunday and Sajid Javid, the health secretary, has ordered targeted testing in two areas in England.

    Continue reading...", - "content": "

    Prime minister to set out new rules as health officials race to track down those infected with Covid variant

    Boris Johnson is to announce further measures to curb the spread of coronavirus after two cases of the Omicron variant were detected in the UK.

    Four more African countries will be added to the government’s red list with immediate effect from Sunday and Sajid Javid, the health secretary, has ordered targeted testing in two areas in England.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/27/two-cases-of-omicron-covid-variant-identified-in-uk", - "creator": "Andrew Gregory, Health Editor", - "pubDate": "2021-11-27T15:14:50Z", + "title": "Thai student accused of mocking king with crop top protest denied bail", + "description": "

    Lawyers say judgment demonstrates increasingly harsh stance taken by authorities over lese-majesty law

    It was last December that Panusaya Sithijirawattanakul, a Thai student activist, and her friends strolled into a shopping mall in Bangkok wearing crop tops. They ate ice cream and carried dog-shaped balloons. Phrases such as “I have only one father” were written in marker pen on their skin.

    Now, four of them are in pre-trial detention over the outing, which royalists say was an insult to the monarchy.

    Continue reading...", + "content": "

    Lawyers say judgment demonstrates increasingly harsh stance taken by authorities over lese-majesty law

    It was last December that Panusaya Sithijirawattanakul, a Thai student activist, and her friends strolled into a shopping mall in Bangkok wearing crop tops. They ate ice cream and carried dog-shaped balloons. Phrases such as “I have only one father” were written in marker pen on their skin.

    Now, four of them are in pre-trial detention over the outing, which royalists say was an insult to the monarchy.

    Continue reading...", + "category": "Thailand", + "link": "https://www.theguardian.com/world/2021/nov/23/thai-student-accused-of-mocking-king-with-crop-top-protest-denied-bail", + "creator": "Rebecca Ratcliffe in Bangkok", + "pubDate": "2021-11-23T05:00:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "578caef70b44d6825ba74397ef1a66f9" + "hash": "951b6dce78ceb64283b6dc2f69f0d433" }, { - "title": "UK minister downplays tensions with France over Channel crossings crisis", - "description": "

    Damian Hinds says PM’s published letter to Emmanuel Macron was ‘exceptionally supportive’ and insists ‘partnership is strong’

    A Home Office minister has downplayed the diplomatic row between France and the UK over the refugee crisis in the Channel, insisting it was time to “draw up new creative solutions”.

    The British prime minister, Boris Johnson, and the French president, Emmanuel Macron, clashed earlier this week over how to deal with people attempting to cross the Channel in small boats as they flee war, poverty and persecution.

    Continue reading...", - "content": "

    Damian Hinds says PM’s published letter to Emmanuel Macron was ‘exceptionally supportive’ and insists ‘partnership is strong’

    A Home Office minister has downplayed the diplomatic row between France and the UK over the refugee crisis in the Channel, insisting it was time to “draw up new creative solutions”.

    The British prime minister, Boris Johnson, and the French president, Emmanuel Macron, clashed earlier this week over how to deal with people attempting to cross the Channel in small boats as they flee war, poverty and persecution.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/27/uk-minister-downplays-tensions-with-france-over-channel-crossings-crisis", - "creator": "Aamna Mohdin", - "pubDate": "2021-11-27T15:10:05Z", + "title": "Pandemic hits mental health of women and young people hardest, survey finds", + "description": "

    Survey also finds adults aged 18-24 and women more concerned about personal finances than other groups

    Young people and women have taken the hardest psychological and financial hit from the pandemic, a YouGov survey has found – but few people anywhere are considering changing their lives as a result of it.

    The annual YouGov-Cambridge Globalism Project found that in many of the 27 countries surveyed, young people were consistently more likely than their elders to feel the Covid crisis had made their financial and mental health concerns worse.

    Continue reading...", + "content": "

    Survey also finds adults aged 18-24 and women more concerned about personal finances than other groups

    Young people and women have taken the hardest psychological and financial hit from the pandemic, a YouGov survey has found – but few people anywhere are considering changing their lives as a result of it.

    The annual YouGov-Cambridge Globalism Project found that in many of the 27 countries surveyed, young people were consistently more likely than their elders to feel the Covid crisis had made their financial and mental health concerns worse.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/23/pandemic-hits-mental-health-of-women-and-young-people-hardest-survey-finds", + "creator": "Jon Henley", + "pubDate": "2021-11-23T05:00:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0f7ab35661cffffb34ea37eb7a95b25" + "hash": "13443b536e9adb82a544435ab9d6a773" }, { - "title": "‘I have an outsider’s perspective’: why Will Sharpe is the A-List’s new favourite director", - "description": "

    The actor-director won a Bafta for his performance in Giri/Haji. Hailed as a star in the making by Olivia Colman​ and others, he discusses the true stories that inspired his new projects behind the camera

    Will Sharpe has only been surfing a couple of times, but he really loved it. “So I’m not a surfer, I’m not very good at it, I’ve been twice,” clarifies the 35-year-old English-Japanese actor, writer and director. “But there’s something about being in this huge, loud, ‘other’ force and I never feel calmer than when I’m underwater in the sea. I just really took to it.”

    Sharpe sees parallels with his work, which has so far included the surreal, darkly funny sitcom Flowers starring Julian Barratt and Olivia Colman that he created for Channel 4, and a magnetic performance as sarcastic, self-destructive Rodney in the BBC drama Giri/Haji, which earned him a Bafta in 2020 for best supporting actor. “When I came back to writing, having been surfing, I found myself reflecting on how there are certain similarities: you have to get everything technically right, but you’re still at the mercy of this much greater power,” he says. “And how 95% of the time you are getting the shit kicked out of you, but the 5% of the time that it works, it’s so exhilarating you just want to do it again straight away.”

    Continue reading...", - "content": "

    The actor-director won a Bafta for his performance in Giri/Haji. Hailed as a star in the making by Olivia Colman​ and others, he discusses the true stories that inspired his new projects behind the camera

    Will Sharpe has only been surfing a couple of times, but he really loved it. “So I’m not a surfer, I’m not very good at it, I’ve been twice,” clarifies the 35-year-old English-Japanese actor, writer and director. “But there’s something about being in this huge, loud, ‘other’ force and I never feel calmer than when I’m underwater in the sea. I just really took to it.”

    Sharpe sees parallels with his work, which has so far included the surreal, darkly funny sitcom Flowers starring Julian Barratt and Olivia Colman that he created for Channel 4, and a magnetic performance as sarcastic, self-destructive Rodney in the BBC drama Giri/Haji, which earned him a Bafta in 2020 for best supporting actor. “When I came back to writing, having been surfing, I found myself reflecting on how there are certain similarities: you have to get everything technically right, but you’re still at the mercy of this much greater power,” he says. “And how 95% of the time you are getting the shit kicked out of you, but the 5% of the time that it works, it’s so exhilarating you just want to do it again straight away.”

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/nov/27/will-sharpe-interview-landscapers-electrical-louis-wain-flowers-giri-haji", - "creator": "Tim Lewis", - "pubDate": "2021-11-27T15:00:01Z", + "title": "Kevin Spacey to pay House of Cards studio more than $30m over alleged misconduct losses", + "description": "

    Court ruling made public on Monday finds Spacey violated his contract’s demands for professional behaviour

    Kevin Spacey and his production companies must pay the studio behind House of Cards more than $30m because of losses brought on by his firing for alleged sexual misconduct, according to an arbitration decision made final on Monday.

    A document filed in Los Angeles superior court requesting a judge’s approval of the ruling says that the arbitrators found that Spacey violated his contract’s demands for professional behaviour by engaging in “certain conduct in connection with several crew members in each of the five seasons that he starred in and executive produced House of Cards”.

    Continue reading...", + "content": "

    Court ruling made public on Monday finds Spacey violated his contract’s demands for professional behaviour

    Kevin Spacey and his production companies must pay the studio behind House of Cards more than $30m because of losses brought on by his firing for alleged sexual misconduct, according to an arbitration decision made final on Monday.

    A document filed in Los Angeles superior court requesting a judge’s approval of the ruling says that the arbitrators found that Spacey violated his contract’s demands for professional behaviour by engaging in “certain conduct in connection with several crew members in each of the five seasons that he starred in and executive produced House of Cards”.

    Continue reading...", + "category": "Kevin Spacey", + "link": "https://www.theguardian.com/culture/2021/nov/23/kevin-spacey-to-pay-house-of-cards-studio-more-than-30m-over-alleged-misconduct-losses", + "creator": "Associated Press", + "pubDate": "2021-11-23T04:19:07Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e277554f0a9e037d4fbf290fd770a310" + "hash": "52ac2f82cbc3234dce2c3b0d87f3227a" }, { - "title": "Succession’s plot twist prompts surge of interest in leaving money in wills to Greenpeace", - "description": "

    When Cousin Greg was disinherited by his grandfather in favour of the environmental group, inquiries about such legacies soared

    In one bewildering and painful scene in the hit TV drama Succession, Cousin Greg sees his future of ease and wealth turn to dust. His grandfather, Ewan, announces he is giving away his entire fortune to Greenpeace, depriving Greg of his inheritance.

    Now Greenpeace is hoping to benefit in real life as well as in the fictional world of the media conglomerate Waystar Royco. Thousands of people have looked into leaving money to the environmental group since the darkly comic storyline about Cousin Greg losing his inheritance and then threatening to sue the organisation was broadcast. More than 22,000 people have accessed online advice about making donations in their wills to Greenpeace. The group’s legacy webpage has also seen a tenfold surge in traffic since the episode was first broadcast earlier this month.

    Continue reading...", - "content": "

    When Cousin Greg was disinherited by his grandfather in favour of the environmental group, inquiries about such legacies soared

    In one bewildering and painful scene in the hit TV drama Succession, Cousin Greg sees his future of ease and wealth turn to dust. His grandfather, Ewan, announces he is giving away his entire fortune to Greenpeace, depriving Greg of his inheritance.

    Now Greenpeace is hoping to benefit in real life as well as in the fictional world of the media conglomerate Waystar Royco. Thousands of people have looked into leaving money to the environmental group since the darkly comic storyline about Cousin Greg losing his inheritance and then threatening to sue the organisation was broadcast. More than 22,000 people have accessed online advice about making donations in their wills to Greenpeace. The group’s legacy webpage has also seen a tenfold surge in traffic since the episode was first broadcast earlier this month.

    Continue reading...", - "category": "Greenpeace", - "link": "https://www.theguardian.com/environment/2021/nov/27/successions-plot-twist-prompts-thousands-to-leave-money-to-greenpeace-in-their-wills", - "creator": "Tom Wall", - "pubDate": "2021-11-27T15:00:00Z", + "title": "South Korean horror Hellbound takes over Squid Game as most popular Netflix series globally", + "description": "

    Violent fantasy series tops streaming ratings in more than 80 countries within 24 hours of its debut

    Another South Korean fantasy horror series from Netflix has become an overnight global phenomenon, with Hellbound toppling Squid Game as the most-watched TV show on the streaming platform.

    According to FlixPatrol analytics, Hellbound became the world’s most watched Netflix television series on 20 November, topping the streaming ratings in more than 80 countries within 24 hours of the show’s debut.

    Continue reading...", + "content": "

    Violent fantasy series tops streaming ratings in more than 80 countries within 24 hours of its debut

    Another South Korean fantasy horror series from Netflix has become an overnight global phenomenon, with Hellbound toppling Squid Game as the most-watched TV show on the streaming platform.

    According to FlixPatrol analytics, Hellbound became the world’s most watched Netflix television series on 20 November, topping the streaming ratings in more than 80 countries within 24 hours of the show’s debut.

    Continue reading...", + "category": "Television", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/23/south-korean-horror-hellbound-takes-over-squid-game-as-most-popular-netflix-series-globally", + "creator": "Kelly Burke", + "pubDate": "2021-11-23T03:56:06Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0bae7f75661fd32e4777894bd247a290" + "hash": "5e368b4abd742f4bd0c18d6a9288cd67" }, { - "title": "How a writer found himself in a missing person story", - "description": "

    While working on a book about missing persons, Francisco Garcia received a message that turned his life upside down. Here he reflects on love, loss and the enduring promise of reunion

    Despite the cold, it had been a decent day. Late March is sometimes like that in London. More winter than spring, the grass often still frozen half solid underfoot. It’s rarely a time that speaks too loudly of renewal. This year wasn’t any different, as far as I can remember. The occasion that afternoon was a friend’s 30th birthday party, if that’s what you’d call a few faintly desultory beers in a barren Peckham Rye Park.

    Back at home, my partner and I had settled down to watch a florid period drama. About half an hour in, that’s when it happened: the moment my life changed. My phone lit up with an unfamiliar name on Facebook Messenger. “Hello Francisco, this might be a shock. It’s your father’s family in Spain. Twenty years may have passed, but we have always remembered you.”

    Continue reading...", - "content": "

    While working on a book about missing persons, Francisco Garcia received a message that turned his life upside down. Here he reflects on love, loss and the enduring promise of reunion

    Despite the cold, it had been a decent day. Late March is sometimes like that in London. More winter than spring, the grass often still frozen half solid underfoot. It’s rarely a time that speaks too loudly of renewal. This year wasn’t any different, as far as I can remember. The occasion that afternoon was a friend’s 30th birthday party, if that’s what you’d call a few faintly desultory beers in a barren Peckham Rye Park.

    Back at home, my partner and I had settled down to watch a florid period drama. About half an hour in, that’s when it happened: the moment my life changed. My phone lit up with an unfamiliar name on Facebook Messenger. “Hello Francisco, this might be a shock. It’s your father’s family in Spain. Twenty years may have passed, but we have always remembered you.”

    Continue reading...", - "category": "Family", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/27/how-a-writer-found-himself-in-a-missing-person-story", - "creator": "Francisco Garcia", - "pubDate": "2021-11-27T14:00:05Z", + "title": "Whey too expensive: New Zealand cheese lovers forced to eke out supplies as prices jump", + "description": "

    Range of issues blamed for spike in cost to $20 a block, including inflation, Covid-related supply issues and high milk prices

    Facing decades-high cheese prices, cheddar-loving New Zealanders are being forced to chase specials, downgrade their flavour expectations, or abandon the blocks entirely in favour of grated substitutes.

    A mixture of inflation, Covid-19 supply pressures and high milk prices was sending prices for hunks of cheddar through the roof, with blocks ranging from $11 to over $20 a block.

    Continue reading...", + "content": "

    Range of issues blamed for spike in cost to $20 a block, including inflation, Covid-related supply issues and high milk prices

    Facing decades-high cheese prices, cheddar-loving New Zealanders are being forced to chase specials, downgrade their flavour expectations, or abandon the blocks entirely in favour of grated substitutes.

    A mixture of inflation, Covid-19 supply pressures and high milk prices was sending prices for hunks of cheddar through the roof, with blocks ranging from $11 to over $20 a block.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/2021/nov/23/new-zealand-cheese-lovers-forced-to-eke-out-supplies-as-prices-jump", + "creator": "Tess McClure in Christchurch", + "pubDate": "2021-11-23T02:51:09Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c6d2327d89a40bf10e6a9e85df44fd22" + "hash": "1e3972dddbcd490aafe8e8bb52313cc2" }, { - "title": "George Orwell: how romantic walks with girlfriends inspired Nineteen Eighty-Four", - "description": "

    Details from 50 newly released letters echo scenes between Winston and Julia in the dystopian novel

    The feeling of longing for a lost love can be powerful, and George Orwell makes full use of it in his work. In Nineteen Eighty-Four, his great dystopian novel, the hero Winston Smith’s memories of walks taken with Julia, the woman he can never have, give the story its humanity.

    Now a stash of largely unseen private correspondence, handed over to an academic archive on Friday by the author’s son, reveal just how large a role romantic nostalgia played in Orwell’s own life. The contents are also proof that the writer was an unlikely but enthusiastic ice-skater.

    Continue reading...", - "content": "

    Details from 50 newly released letters echo scenes between Winston and Julia in the dystopian novel

    The feeling of longing for a lost love can be powerful, and George Orwell makes full use of it in his work. In Nineteen Eighty-Four, his great dystopian novel, the hero Winston Smith’s memories of walks taken with Julia, the woman he can never have, give the story its humanity.

    Now a stash of largely unseen private correspondence, handed over to an academic archive on Friday by the author’s son, reveal just how large a role romantic nostalgia played in Orwell’s own life. The contents are also proof that the writer was an unlikely but enthusiastic ice-skater.

    Continue reading...", - "category": "George Orwell", - "link": "https://www.theguardian.com/books/2021/nov/27/george-orwell-how-romantic-walks-with-girlfriends-inspired-nineteen-eighty-four", - "creator": "Vanessa Thorpe", - "pubDate": "2021-11-27T14:00:05Z", + "title": "As China threat rises, can Aukus alliance recover from rancorous birth?", + "description": "

    Questions mount about pact’s ultimate purpose and implications for other Asean countries

    It was initially seen as an audacious enlistment by Joe Biden of Australia into the 21st-century struggle against China, elevating the country in the process to a significant regional military power and finally giving substance to Global Britain and its tilt to the Indo-Pacific.

    But since then the “ruckus” about Aukus, as Boris Johnson described it, has not stopped. If this was the start of a new “anti-hegemonic coalition” to balance China’s rise, it has not quite blown up on the launchpad, but nor has it taken off as smoothly as intended.

    Continue reading...", + "content": "

    Questions mount about pact’s ultimate purpose and implications for other Asean countries

    It was initially seen as an audacious enlistment by Joe Biden of Australia into the 21st-century struggle against China, elevating the country in the process to a significant regional military power and finally giving substance to Global Britain and its tilt to the Indo-Pacific.

    But since then the “ruckus” about Aukus, as Boris Johnson described it, has not stopped. If this was the start of a new “anti-hegemonic coalition” to balance China’s rise, it has not quite blown up on the launchpad, but nor has it taken off as smoothly as intended.

    Continue reading...", + "category": "Aukus", + "link": "https://www.theguardian.com/world/2021/nov/23/as-china-threat-rises-can-aukus-alliance-recover-from-rancorous-birth", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-11-23T01:47:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "46e27e413ef8f3b2dbe796bb66bd59ed" + "hash": "214efd8ff45c546a4f01d21b61dbc5e4" }, { - "title": "Covid live: suspected German and Czech Omicron cases; UK expert says pandemic ‘reboot’ unlikely", - "description": "

    61 travellers from South Africa test positive for Covid in Netherlands; unequal sharing of Covid vaccines likely to lead to more variants, thinktank warns; travel bans target countries across southern Africa

    The UK should cut the gap between the second dose of a Covid-19 vaccination and the booster jab from six to five months, the Labour party said on Saturday, Reuters reports.

    As the new Omicron variant sparked concern around the world, Alex Norris, Labour’s junior health spokesperson, said:

    This new variant is a wake-up call.

    The pandemic is not over. We need to urgently bolster our defences to keep the virus at bay.

    If you look at where most of the mutations are, they are similar to regions of the spike protein that have been seen with other variants so far and that tells you that despite mutations existing in other variants, the vaccines have continued to prevent very severe disease as we’ve moved through Alpha, Beta, Gamma and Delta.

    At least from a speculative point of view we have some optimism that the vaccine should still work against this variant for severe disease but really we need to wait several weeks to have that confirmed.

    The processes of how one goes about developing a new vaccine are increasingly well oiled.

    So if it’s needed that is something that could be moved very rapidly.

    Continue reading...", - "content": "

    61 travellers from South Africa test positive for Covid in Netherlands; unequal sharing of Covid vaccines likely to lead to more variants, thinktank warns; travel bans target countries across southern Africa

    The UK should cut the gap between the second dose of a Covid-19 vaccination and the booster jab from six to five months, the Labour party said on Saturday, Reuters reports.

    As the new Omicron variant sparked concern around the world, Alex Norris, Labour’s junior health spokesperson, said:

    This new variant is a wake-up call.

    The pandemic is not over. We need to urgently bolster our defences to keep the virus at bay.

    If you look at where most of the mutations are, they are similar to regions of the spike protein that have been seen with other variants so far and that tells you that despite mutations existing in other variants, the vaccines have continued to prevent very severe disease as we’ve moved through Alpha, Beta, Gamma and Delta.

    At least from a speculative point of view we have some optimism that the vaccine should still work against this variant for severe disease but really we need to wait several weeks to have that confirmed.

    The processes of how one goes about developing a new vaccine are increasingly well oiled.

    So if it’s needed that is something that could be moved very rapidly.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/27/covid-news-live-omicron-variant-spreads-to-europe-countries-rush-to-impose-travel-bans-on-southern-africa", - "creator": "Léonie Chao-Fong (now) , Harry Taylor Aamna Mohdin and Samantha Lock (earlier)", - "pubDate": "2021-11-27T13:28:02Z", + "title": "Diego Maradona: Cuban woman alleges footballer raped her when she was 16", + "description": "
    • Mavys Álvarez claims Argentina great had ‘stolen her childhood’
    • Complaint relates to a journey Álvarez took to Argentina in 2001

    Mavys Álvarez, a Cuban woman who had a relationship with the late footballer Diego Maradona two decades ago, has alleged the Argentine player raped her when she was a teenager and “stolen her childhood”.

    Álvarez, now 37, gave testimony last week to an Argentine Ministry of Justice court that is investigating her allegations of trafficking against Maradona’s former entourage, linked to events when she was 16.

    Continue reading...", + "content": "
    • Mavys Álvarez claims Argentina great had ‘stolen her childhood’
    • Complaint relates to a journey Álvarez took to Argentina in 2001

    Mavys Álvarez, a Cuban woman who had a relationship with the late footballer Diego Maradona two decades ago, has alleged the Argentine player raped her when she was a teenager and “stolen her childhood”.

    Álvarez, now 37, gave testimony last week to an Argentine Ministry of Justice court that is investigating her allegations of trafficking against Maradona’s former entourage, linked to events when she was 16.

    Continue reading...", + "category": "Diego Maradona", + "link": "https://www.theguardian.com/football/2021/nov/23/diego-maradona-cuban-woman-alleges-footballer-raped-her-when-she-was-16", + "creator": "Reuters", + "pubDate": "2021-11-23T01:19:14Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "caecbd751e483cb52442a6f35aeaa4ca" + "hash": "3c9517e7991579b0ae80d12cc745ad8e" }, { - "title": "Ilhan Omar: Lauren Boebert’s ‘Jihad Squad’ bigotry is ‘no laughing matter’", - "description": "

    Islamophobic remarks by Lauren Boebert are “no laughing matter”, Ilhan Omar said, demanding action from congressional leaders – after the Colorado Republican said sorry.

    “Saying I am a suicide bomber is no laughing matter,” the Minnesota Democrat tweeted. “[House Republican leader] Kevin McCarthy and [Speaker] Nancy Pelosi need to take appropriate action, normalising this bigotry not only endangers my life but the lives of all Muslims. Anti-Muslim bigotry has no place in Congress.”

    Continue reading...", - "content": "

    Islamophobic remarks by Lauren Boebert are “no laughing matter”, Ilhan Omar said, demanding action from congressional leaders – after the Colorado Republican said sorry.

    “Saying I am a suicide bomber is no laughing matter,” the Minnesota Democrat tweeted. “[House Republican leader] Kevin McCarthy and [Speaker] Nancy Pelosi need to take appropriate action, normalising this bigotry not only endangers my life but the lives of all Muslims. Anti-Muslim bigotry has no place in Congress.”

    Continue reading...", - "category": "Ilhan Omar", - "link": "https://www.theguardian.com/us-news/2021/nov/27/ilhan-omar-lauren-boebert-bigotry-republicans-trump-pelosi-mccarthy", - "creator": "Martin Pengelly in New York", - "pubDate": "2021-11-27T13:09:58Z", + "title": "The Wheel of Time actor Madeleine Madden: ‘As an Aboriginal woman, my life is politicised’", + "description": "

    The star of the new Amazon Prime fantasy series and granddaughter of Charles Perkins discusses her ‘dream role’, multiracial casting and finding freedom outside Australia

    When she walked into the London casting room of The Wheel of Time, Madeleine Madden scanned the faces – a sea of white – and thought, “Yep, standard.”

    To announce her presence, she politely inquired, “The Wheel of Time?”

    Continue reading...", + "content": "

    The star of the new Amazon Prime fantasy series and granddaughter of Charles Perkins discusses her ‘dream role’, multiracial casting and finding freedom outside Australia

    When she walked into the London casting room of The Wheel of Time, Madeleine Madden scanned the faces – a sea of white – and thought, “Yep, standard.”

    To announce her presence, she politely inquired, “The Wheel of Time?”

    Continue reading...", + "category": "Culture", + "link": "https://www.theguardian.com/culture/2021/nov/23/the-wheel-of-time-actor-madeleine-madden-as-an-aboriginal-woman-my-life-is-politicised", + "creator": "Jenny Valentish", + "pubDate": "2021-11-23T01:14:14Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a58f5eaaa3968412fc977337705d659a" + "hash": "ad38ecab75c2a55add8923c35d2c66ba" }, { - "title": "What connects Janet Jackson’s ‘wardrobe malfunction’ to Shonda Rhimes and John Singleton?", - "description": "

    From the Super Bowl to groundbreaking cinema: we jump down the rabbit hole, via a detour to Britney Spears

    A new documentary, Malfunction: The Dressing Down of Janet Jackson, has revisited the infamous “wardrobe malfunction” at the 2004 Super Bowl half-time show, when Justin Timberlake exposed one of Janet Jackson’s breasts – and nipple adornment – for about a half a second, causing America to lose its collective mind in a manner that was unfathomable then and remains unfathomable now.

    Continue reading...", - "content": "

    From the Super Bowl to groundbreaking cinema: we jump down the rabbit hole, via a detour to Britney Spears

    A new documentary, Malfunction: The Dressing Down of Janet Jackson, has revisited the infamous “wardrobe malfunction” at the 2004 Super Bowl half-time show, when Justin Timberlake exposed one of Janet Jackson’s breasts – and nipple adornment – for about a half a second, causing America to lose its collective mind in a manner that was unfathomable then and remains unfathomable now.

    Continue reading...", - "category": "Janet Jackson", - "link": "https://www.theguardian.com/culture/2021/nov/27/janet-jackson-wardrobe-malfunction-shonda-rhimes-john-singleton-connection", - "creator": "Larry Ryan", - "pubDate": "2021-11-27T13:00:04Z", + "title": "The Princes and the Press review – more degrading airing of the royal dirty laundry", + "description": "

    BBC programme is a compelling analysis of the troubled relationship between media and monarchy

    A few days before her wedding, Meghan decided she wanted to wear a particular tiara with emeralds. True, this isn’t the sort of issue that should trouble citizens of a mature democracy but when it comes to royals, Britain is neither mature nor, let’s face it, democratic. Indeed, Amol Rajan, the BBC media editor who presented the Princes and the Press (BBC Two), is a declared republican who once branded the royal family as “absurd” and the media as a “propaganda outlet” for the monarchy. As his measured, compelling analysis of the troubled relationship showed, he may have been right about the former, but the latter? Not so much. The media, we might conclude from his programme, may be driving the monarchy to self-destruct, which would, ironically enough, suit his earlier republican views.

    Back to tiaras. There was a problem: the Duchess of Sussex could not be allowed to wear the emerald tiara because it had some unfortunate history to do with Russia, according to the Sun’s former correspondent Dan Wootton. We never learned what that history was nor why it should matter. What we did learn from Wootton’s report is that Harry reportedly shouted at a royal dresser (who is a person, not a thing) that “whatever Meghan wants, Meghan gets.” This in turn prompted the Queen to tell somebody off.

    Continue reading...", + "content": "

    BBC programme is a compelling analysis of the troubled relationship between media and monarchy

    A few days before her wedding, Meghan decided she wanted to wear a particular tiara with emeralds. True, this isn’t the sort of issue that should trouble citizens of a mature democracy but when it comes to royals, Britain is neither mature nor, let’s face it, democratic. Indeed, Amol Rajan, the BBC media editor who presented the Princes and the Press (BBC Two), is a declared republican who once branded the royal family as “absurd” and the media as a “propaganda outlet” for the monarchy. As his measured, compelling analysis of the troubled relationship showed, he may have been right about the former, but the latter? Not so much. The media, we might conclude from his programme, may be driving the monarchy to self-destruct, which would, ironically enough, suit his earlier republican views.

    Back to tiaras. There was a problem: the Duchess of Sussex could not be allowed to wear the emerald tiara because it had some unfortunate history to do with Russia, according to the Sun’s former correspondent Dan Wootton. We never learned what that history was nor why it should matter. What we did learn from Wootton’s report is that Harry reportedly shouted at a royal dresser (who is a person, not a thing) that “whatever Meghan wants, Meghan gets.” This in turn prompted the Queen to tell somebody off.

    Continue reading...", + "category": "Television & radio", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/23/the-princes-and-the-press-review-more-degrading-airing-of-the-royal-dirty-laundry", + "creator": "Stuart Jeffries", + "pubDate": "2021-11-23T00:22:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e2779dcb9dc8de51de67c5d0bc1a9d17" + "hash": "aff736b772e8e0aabad8795a4e1a6029" }, { - "title": "Howardena Pindell: ‘I could have died – that’s when I decided to express my opinion in my work’", - "description": "

    The African American artist has been making powerful, political work since the late 70s. As a new exhibition in Edinburgh shows, she still has plenty to say

    Howardena Pindell’s art can seem as if it were made by two separate people. There are the huge canvases where stencilled dots or tiny, hole-punched discs of paper amass like drifts of leaves, which she began making while working as MoMA’s first African American curator in 1970s New York. And then there’s the work that has challenged social injustice with a gut-punch directness since the 80s.

    It is clear, though, speaking with the 78-year-old ahead of her first UK solo exhibition in a public gallery, that her swirling abstract constellations are not entirely devoid of politics. As a young curator, she’d seen artists with museum day jobs give up their creative lives. Not her. She found time for painting because “the racism [at MoMA at the time] meant I was left out of certain activities. I loved being an artist and I had the stamina to work at night.”

    Continue reading...", - "content": "

    The African American artist has been making powerful, political work since the late 70s. As a new exhibition in Edinburgh shows, she still has plenty to say

    Howardena Pindell’s art can seem as if it were made by two separate people. There are the huge canvases where stencilled dots or tiny, hole-punched discs of paper amass like drifts of leaves, which she began making while working as MoMA’s first African American curator in 1970s New York. And then there’s the work that has challenged social injustice with a gut-punch directness since the 80s.

    It is clear, though, speaking with the 78-year-old ahead of her first UK solo exhibition in a public gallery, that her swirling abstract constellations are not entirely devoid of politics. As a young curator, she’d seen artists with museum day jobs give up their creative lives. Not her. She found time for painting because “the racism [at MoMA at the time] meant I was left out of certain activities. I loved being an artist and I had the stamina to work at night.”

    Continue reading...", - "category": "Art", - "link": "https://www.theguardian.com/artanddesign/2021/nov/27/howardena-pindell-i-could-have-died-thats-when-i-decided-to-express-my-opinion-in-my-work", - "creator": "Skye Sherwin", - "pubDate": "2021-11-27T13:00:04Z", + "title": "Australia politics live update: Albanese says PM has ‘a problem with just telling the truth’ as Morrison faces growing backbench resistance", + "description": "

    Victoria reports 19 Covid deaths and 827 new cases; NSW two deaths and 173 cases; Chinese foreign ministry responds to Peter Dutton; Labor leader asked about PM’s claims he was informed about 2019 Hawaii trip; Coalition backbenchers threaten legislative agenda; voters endorse ALP’s economic management. Follow all the day’s news live

    Anthony Albanese was also asked about the text Scott Morrison sent him in 2019, ahead of his Hawaiian holiday during the 2019 bushfires.

    For those who need a refresher, Labor, as part of a “let’s remind everyone of all those times the prime minister didn’t tell the truth” campaign in QT, asked why the PMO had misled journalists over the whereabouts of the prime minister as Australia burned.

    I can only speak to what I have said, as the leader of the opposition will know, because I texted him from the plane when I was going on that leave and told him where I was going, and he was fully aware of where I was travelling with my family.

    Where I was going was on leave. That was the importance of the text message sent to the leader of the opposition. He knew I was taking leave. I told him I was taking leave. He chose to politicise that and has done so ever since.

    I wish to add to an answer. I want to confirm what the leader of the opposition said – that, in that text, I did not tell him the destination of where I was going on leave with my family; I simply communicated to him that I was taking leave. When I referred to him knowing where I was going and being fully aware I was travelling with my family, what I meant was that we were going on leave together. I know I didn’t tell him where we were going, because where members take leave is a private matter. I know I didn’t tell him the destination, nor would I, and nor would he expect me to have told him where I was going. I simply told him that I was taking leave with my family, and he was aware of that at that time.

    I just think this is a prime minister who can’t control his own party room, let alone capable of governing us into the future in the way that we need.

    If you can’t govern your party, how can you govern the country?

    Continue reading...", + "content": "

    Victoria reports 19 Covid deaths and 827 new cases; NSW two deaths and 173 cases; Chinese foreign ministry responds to Peter Dutton; Labor leader asked about PM’s claims he was informed about 2019 Hawaii trip; Coalition backbenchers threaten legislative agenda; voters endorse ALP’s economic management. Follow all the day’s news live

    Anthony Albanese was also asked about the text Scott Morrison sent him in 2019, ahead of his Hawaiian holiday during the 2019 bushfires.

    For those who need a refresher, Labor, as part of a “let’s remind everyone of all those times the prime minister didn’t tell the truth” campaign in QT, asked why the PMO had misled journalists over the whereabouts of the prime minister as Australia burned.

    I can only speak to what I have said, as the leader of the opposition will know, because I texted him from the plane when I was going on that leave and told him where I was going, and he was fully aware of where I was travelling with my family.

    Where I was going was on leave. That was the importance of the text message sent to the leader of the opposition. He knew I was taking leave. I told him I was taking leave. He chose to politicise that and has done so ever since.

    I wish to add to an answer. I want to confirm what the leader of the opposition said – that, in that text, I did not tell him the destination of where I was going on leave with my family; I simply communicated to him that I was taking leave. When I referred to him knowing where I was going and being fully aware I was travelling with my family, what I meant was that we were going on leave together. I know I didn’t tell him where we were going, because where members take leave is a private matter. I know I didn’t tell him the destination, nor would I, and nor would he expect me to have told him where I was going. I simply told him that I was taking leave with my family, and he was aware of that at that time.

    I just think this is a prime minister who can’t control his own party room, let alone capable of governing us into the future in the way that we need.

    If you can’t govern your party, how can you govern the country?

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/23/australia-politics-morrison-coalition-labor-corona-poll-parliament-economy-albanese-andrews-canberra-victoria-nsw-act-sa-perrottet-rennick", + "creator": "Amy Remeikis", + "pubDate": "2021-11-22T22:41:06Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ebbcfac8caa1257e92745ff516bf4aec" + "hash": "d6db1ba0a1e049be2714df7385d6a11d" }, { - "title": "Storm Arwen: wild weather batters UK – video report", - "description": "

    Two people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight. The extreme conditions led to the closure of roads and forced planes to abort landing

    Continue reading...", - "content": "

    Two people have died after being hit by falling trees as Storm Arwen brought winds of almost 100mph to parts of the UK overnight. The extreme conditions led to the closure of roads and forced planes to abort landing

    Continue reading...", - "category": "UK weather", - "link": "https://www.theguardian.com/uk-news/video/2021/nov/27/storm-arwen-wild-weather-batters-uk-video-report", - "creator": "", - "pubDate": "2021-11-27T12:50:05Z", + "title": "Biden pushes back against progressive criticism over renominating Powell as Fed chair – live", + "description": "

    America’s democracy will be at “critical risk” if the US Senate fails to pass sweeping voting rights legislation, more than 150 scholars of American democratic systems said in an open letter published Sunday.

    The academics called on the US Senate to get rid of the filibuster, the rule that requires 60 votes to advance most legislation through the upper chamber.

    Continue reading...", + "content": "

    America’s democracy will be at “critical risk” if the US Senate fails to pass sweeping voting rights legislation, more than 150 scholars of American democratic systems said in an open letter published Sunday.

    The academics called on the US Senate to get rid of the filibuster, the rule that requires 60 votes to advance most legislation through the upper chamber.

    Continue reading...", + "category": "US politics", + "link": "https://www.theguardian.com/us-news/live/2021/nov/22/build-back-better-senate-house-joe-biden-us-politics-latest", + "creator": "Abené Clayton (now), Gloria Oladipo and Joan E Greve (earlier)", + "pubDate": "2021-11-22T22:36:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb56b4ffb0f4112cf778c14cfa312428" + "hash": "b870297edbd404f5bdaa62b4fe1544f5" }, { - "title": "Suspected Omicron Covid cases found in Germany and Czech Republic", - "description": "

    Scientists checking for B.1.1.529 variant in two travellers recently returned from southern Africa

    The first suspected cases of the Omicron Covid variant in Germany and the Czech Republic are being investigated, as Dutch authorities scramble to see if 61 passengers from South Africa who tested positive for Covid-19 have the new variant.

    Omicron, first identified in South Africa and known officially as B.1.1.529, has already been detected in travellers in Belgium, Hong Kong and Israel, according to reports.

    Continue reading...", - "content": "

    Scientists checking for B.1.1.529 variant in two travellers recently returned from southern Africa

    The first suspected cases of the Omicron Covid variant in Germany and the Czech Republic are being investigated, as Dutch authorities scramble to see if 61 passengers from South Africa who tested positive for Covid-19 have the new variant.

    Omicron, first identified in South Africa and known officially as B.1.1.529, has already been detected in travellers in Belgium, Hong Kong and Israel, according to reports.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/27/suspected-omicron-covid-cases-found-germany-czech-republic", - "creator": "Tom Ambrose", - "pubDate": "2021-11-27T12:29:22Z", + "title": "China must answer serious questions about tennis star Peng Shuai, Australia says", + "description": "

    Human rights activists step up calls for diplomatic boycott of Beijing Winter Olympics

    Chinese authorities must answer serious concerns about the tennis star Peng Shuai’s welfare, the Australian government has said.

    The intervention comes as human rights activists and an independent senator step up calls for Australia to join a diplomatic boycott of the Beijing Winter Olympics over broader allegations of rights abuses against Uyghur Muslims in Xinjiang.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "content": "

    Human rights activists step up calls for diplomatic boycott of Beijing Winter Olympics

    Chinese authorities must answer serious concerns about the tennis star Peng Shuai’s welfare, the Australian government has said.

    The intervention comes as human rights activists and an independent senator step up calls for Australia to join a diplomatic boycott of the Beijing Winter Olympics over broader allegations of rights abuses against Uyghur Muslims in Xinjiang.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", + "category": "Australian foreign policy", + "link": "https://www.theguardian.com/australia-news/2021/nov/23/china-must-answer-serious-questions-about-tennis-star-peng-shuai-australia-says", + "creator": "Daniel Hurst", + "pubDate": "2021-11-22T21:57:36Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86a3bf768d2f212885fd6eb4308f64a8" + "hash": "79860146c2ff97db1cd0ccf6739426d9" }, { - "title": "In the 1950s, rather than integrate some public schools, Virginia closed them", - "description": "

    The state’s policy of ‘Massive Resistance’ exemplifies the incendiary combination of race and education in the US

    Not long after Patricia Turner and a handful of Black students desegregated Norview junior high school in Norfolk, Virginia, she realized a big difference between her new white school and her former Black school. That February of 1959, she didn’t have to wear a coat in class to stay warm, because Norview was heated.

    She hadn’t noticed the difference earlier because of the steady volley of racism directed at her, Turner said. A teacher put her papers in a separate box and returned them wearing rubber gloves. (He later wrote her an apology letter.) And her fellow students spat on her.

    A crowd gathers for an NAACP rally in May 1961 at the Prince Edward county courthouse in Farmville, Virginia, marking the seventh anniversary of the supreme court’s school desegregation ruling.

    Continue reading...", - "content": "

    The state’s policy of ‘Massive Resistance’ exemplifies the incendiary combination of race and education in the US

    Not long after Patricia Turner and a handful of Black students desegregated Norview junior high school in Norfolk, Virginia, she realized a big difference between her new white school and her former Black school. That February of 1959, she didn’t have to wear a coat in class to stay warm, because Norview was heated.

    She hadn’t noticed the difference earlier because of the steady volley of racism directed at her, Turner said. A teacher put her papers in a separate box and returned them wearing rubber gloves. (He later wrote her an apology letter.) And her fellow students spat on her.

    A crowd gathers for an NAACP rally in May 1961 at the Prince Edward county courthouse in Farmville, Virginia, marking the seventh anniversary of the supreme court’s school desegregation ruling.

    Continue reading...", - "category": "Race", - "link": "https://www.theguardian.com/world/2021/nov/27/integration-public-schools-massive-resistance-virginia-1950s", - "creator": "Susan Smith-Richardson and Lauren Burke", - "pubDate": "2021-11-27T11:00:01Z", + "title": "Australia's Covid pandemic in 60 seconds: Victoria and Melbourne map – video", + "description": "

    The coronavirus pandemic in Australia has caused almost 2,000 deaths and resulted in close to 200,000 cases. In the worst-hit states of New South Wales and Victoria, high vaccination rates have now reduced the rate of hospital admissions. Here we have used an experimental mapping method to show how the outbreak spread across the two states from the start of the pandemic until now. Each dot represents a person who tested positive to Covid-19, and has been placed randomly within their postcode or local government area to visualise the number of cases in a region. It’s important to remember that this is not necessarily where they caught the virus and instead is where they live. Blue dots represent those who probably caught the coronavirus overseas, and red dots are those who caught the coronavirus locally. All dots fade to grey and are removed after two weeks

    ► Subscribe to Guardian Australia on YouTube

    Continue reading...", + "content": "

    The coronavirus pandemic in Australia has caused almost 2,000 deaths and resulted in close to 200,000 cases. In the worst-hit states of New South Wales and Victoria, high vaccination rates have now reduced the rate of hospital admissions. Here we have used an experimental mapping method to show how the outbreak spread across the two states from the start of the pandemic until now. Each dot represents a person who tested positive to Covid-19, and has been placed randomly within their postcode or local government area to visualise the number of cases in a region. It’s important to remember that this is not necessarily where they caught the virus and instead is where they live. Blue dots represent those who probably caught the coronavirus overseas, and red dots are those who caught the coronavirus locally. All dots fade to grey and are removed after two weeks

    ► Subscribe to Guardian Australia on YouTube

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/video/2021/nov/23/australias-covid-pandemic-in-60-seconds-victoria-and-melbourne-map-video", + "creator": "Nick Evershed, David Fanner, Adam Adada", + "pubDate": "2021-11-22T21:53:50Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b731beb890d8ff7521549dfb1e76e949" + "hash": "7eeaef6479aac8bc32d5d55a3d4d8537" }, { - "title": "Omicron variant unlikely to reboot Covid in UK, expert says", - "description": "

    Prof Sir Andrew Pollard cautiously optimistic that widely vaccinated population will avoid serious disease

    The Omicron Covid variant is unlikely to “reboot” the pandemic in a population that has been widely vaccinated, according to a UK expert who voiced cautious optimism that existing vaccines would prevent serious disease.

    Scientists have expressed alarm about the B.1.1.529 variant, first identified in Gauteng in South Africa, over its high number of mutations. Omicron has more than 30 mutations on its spike protein – more than double the number carried by the Delta variant.

    Continue reading...", - "content": "

    Prof Sir Andrew Pollard cautiously optimistic that widely vaccinated population will avoid serious disease

    The Omicron Covid variant is unlikely to “reboot” the pandemic in a population that has been widely vaccinated, according to a UK expert who voiced cautious optimism that existing vaccines would prevent serious disease.

    Scientists have expressed alarm about the B.1.1.529 variant, first identified in Gauteng in South Africa, over its high number of mutations. Omicron has more than 30 mutations on its spike protein – more than double the number carried by the Delta variant.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/27/omicron-variant-unlikely-reboot-covid-uk-expert-says", - "creator": "Clea Skopeliti", - "pubDate": "2021-11-27T10:50:20Z", + "title": "Ethiopian PM vows to lead troops in war against rebels", + "description": "

    Nobel Peace prize winner Abiy Ahmed’s statement came as the Tigray People’s Liberation Front continued to press towards Addis Ababa

    Ethiopia’s prime minister, Abiy Ahmed, has vowed to lead his country’s troops “from the battlefront”, the latest dramatic step by the Nobel Peace prize winner in a devastating year-long war with rebel groups.

    “Starting tomorrow, I will mobilise to the front to lead the defence forces,” Abiy, said in a statement posted on Twitter on Monday.

    Continue reading...", + "content": "

    Nobel Peace prize winner Abiy Ahmed’s statement came as the Tigray People’s Liberation Front continued to press towards Addis Ababa

    Ethiopia’s prime minister, Abiy Ahmed, has vowed to lead his country’s troops “from the battlefront”, the latest dramatic step by the Nobel Peace prize winner in a devastating year-long war with rebel groups.

    “Starting tomorrow, I will mobilise to the front to lead the defence forces,” Abiy, said in a statement posted on Twitter on Monday.

    Continue reading...", + "category": "Ethiopia", + "link": "https://www.theguardian.com/world/2021/nov/22/ethiopian-pm-vows-to-marshal-troops-in-war-against-rebels", + "creator": "Staff and agencies in Addis Ababa", + "pubDate": "2021-11-22T21:49:35Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c9ca154bc7608aacecbb99115e062535" + "hash": "4273f38b0c3a4fe307819c278bec6741" }, { - "title": "‘A core threat to our democracy’: threat of political violence growing across US", - "description": "

    Republicans’ muted response to Paul Gosar’s behavior has intensified fears about where incendiary rhetoric may lead

    Alexandria Ocasio-Cortez stood on the House floor and implored her colleagues to hold Paul Gosar accountable for sharing an altered anime video showing him killing her and attacking Joe Biden.

    “Our work here matters. Our example matters. There is meaning in our service,” Ocasio-Cortez said in her speech last week. “And as leaders in this country, when we incite violence with depictions against our colleagues, that trickles down into violence in this country.”

    Continue reading...", - "content": "

    Republicans’ muted response to Paul Gosar’s behavior has intensified fears about where incendiary rhetoric may lead

    Alexandria Ocasio-Cortez stood on the House floor and implored her colleagues to hold Paul Gosar accountable for sharing an altered anime video showing him killing her and attacking Joe Biden.

    “Our work here matters. Our example matters. There is meaning in our service,” Ocasio-Cortez said in her speech last week. “And as leaders in this country, when we incite violence with depictions against our colleagues, that trickles down into violence in this country.”

    Continue reading...", - "category": "Alexandria Ocasio-Cortez", - "link": "https://www.theguardian.com/us-news/2021/nov/27/political-violence-threats-multiplying-us", - "creator": "Joan E Greve in Washington", - "pubDate": "2021-11-27T10:00:00Z", + "title": "Murder inquiry launched after man and woman die in Somerset village", + "description": "

    Two men aged 34 and 67 have been arrested, as neighbours describe shock in quiet area

    A murder inquiry has been launched after a husband and wife suffered fatal injuries at their home in a Somerset village while their young children were in the house.

    Neighbours said there had previously been rows in the street over parking, and though Avon and Somerset police declined to discuss a possible motive, the force referred itself to the watchdog because of previous contact it had had with those involved.

    Continue reading...", + "content": "

    Two men aged 34 and 67 have been arrested, as neighbours describe shock in quiet area

    A murder inquiry has been launched after a husband and wife suffered fatal injuries at their home in a Somerset village while their young children were in the house.

    Neighbours said there had previously been rows in the street over parking, and though Avon and Somerset police declined to discuss a possible motive, the force referred itself to the watchdog because of previous contact it had had with those involved.

    Continue reading...", + "category": "UK news", + "link": "https://www.theguardian.com/uk-news/2021/nov/22/two-arrests-after-man-and-woman-die-at-house-in-somerset-village", + "creator": "Steven Morris", + "pubDate": "2021-11-22T21:08:17Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c794c179118e2eccf02beeb03d48208c" + "hash": "b03ef056b262fa0a3cc81ba95747cf66" }, { - "title": "Michael Vaughan ‘sorry’ for hurt Azeem Rafiq suffered, denies racism allegations", - "description": "
    • Vaughan tells BBC Rafiq’s treatment by Yorkshire ‘hurts deeply’
    • Former England captain denies having made racist comments

    Michael Vaughan has said he was sorry for the pain his former Yorkshire teammate Azeem Rafiq endured arising from the racism he experienced at the club.

    Yorkshire’s new chairman, Lord Patel, has apologised to Rafiq for what he had been through and the former player told MPs earlier this month of the “inhuman” treatment he suffered during his time at the county, with Vaughan among a number of figures implicated in the case. In an interview with BBC Breakfast shown on Saturday morning, Vaughan denied making racist comments.

    Continue reading...", - "content": "
    • Vaughan tells BBC Rafiq’s treatment by Yorkshire ‘hurts deeply’
    • Former England captain denies having made racist comments

    Michael Vaughan has said he was sorry for the pain his former Yorkshire teammate Azeem Rafiq endured arising from the racism he experienced at the club.

    Yorkshire’s new chairman, Lord Patel, has apologised to Rafiq for what he had been through and the former player told MPs earlier this month of the “inhuman” treatment he suffered during his time at the county, with Vaughan among a number of figures implicated in the case. In an interview with BBC Breakfast shown on Saturday morning, Vaughan denied making racist comments.

    Continue reading...", - "category": "Michael Vaughan", - "link": "https://www.theguardian.com/sport/2021/nov/27/michael-vaughan-azeem-rafiq-yorkshire-cricket-racism-allegations", - "creator": "PA Media", - "pubDate": "2021-11-27T09:08:26Z", + "title": "Johnson ‘losing the confidence’ of Tory party after rambling CBI speech", + "description": "

    Senior party members concerned after chaotic fortnight, with PM said to be losing his grip over key policies

    Conservative MPs are increasingly worried about Boris Johnson’s competence and drive after he gave a rambling speech to business leaders and was accused of losing his grip over a series of key policies from social care to rail.

    Senior members of his own party said they needed Johnson to get the government back on track after a disastrous two weeks amid dismay about his performance at the Confederation of British Industry (CBI) conference, where he lost his place in his speech for about 20 seconds and diverted into a lengthy tangent about Peppa Pig.

    Continue reading...", + "content": "

    Senior party members concerned after chaotic fortnight, with PM said to be losing his grip over key policies

    Conservative MPs are increasingly worried about Boris Johnson’s competence and drive after he gave a rambling speech to business leaders and was accused of losing his grip over a series of key policies from social care to rail.

    Senior members of his own party said they needed Johnson to get the government back on track after a disastrous two weeks amid dismay about his performance at the Confederation of British Industry (CBI) conference, where he lost his place in his speech for about 20 seconds and diverted into a lengthy tangent about Peppa Pig.

    Continue reading...", + "category": "Boris Johnson", + "link": "https://www.theguardian.com/politics/2021/nov/22/johnson-losing-the-confidence-of-tory-party-after-rambling-cbi-speech", + "creator": "Aubrey Allegretti, Rowena Mason, Joanna Partridge and Rob Davies", + "pubDate": "2021-11-22T21:05:13Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "793eac75a7eeed2aeb71eb58c1b12b68" + "hash": "7b9c98e6d7c32b5e23b226d6fac03d72" }, { - "title": "Inside story: the first pandemic novels have arrived, but are we ready for them?", - "description": "

    Ali Smith, Sally Rooney, Roddy Doyle … is there anything can we learn from the first Covid-19 books?

    ‘It was a call to arms’: Jodi Picoult and Karin Slaughter on writing Covid-19 into novels

    At the start of the second world war, authors asked themselves if they were going to write about their unprecedented times, or if they should be doing something more useful – joining the fire service, becoming an air raid warden. The phoney war, with its uncertainty and dread, proved hard to write about, but the blitz brought new experiences and a new language that demanded to be recorded or imaginatively transformed. Elizabeth Bowen began to write short stories, somewhere between hallucination and documentary, that she described as “the only diary I have kept”. Set in windowless houses populated by feather boa-wearing ghosts, these are stories that take place in evenings “parched, freshening and a little acrid with ruins”.

    When lockdown hit last March, some writers offered their services as delivery drivers or volunteered at Covid test centres. Others attempted to make progress with preexisting projects, blanking out the new world careering into being in front of them. But nothing written in the past 18 months can be entirely free of Covid, with its stark blend of stasis and fear. And now, as we see the work made by writers who confronted it head on, questions emerge. Do we really want to read about the pandemic while it is still unfolding? Do we risk losing sight of the long view in getting too caught up with the contemporary?

    Continue reading...", - "content": "

    Ali Smith, Sally Rooney, Roddy Doyle … is there anything can we learn from the first Covid-19 books?

    ‘It was a call to arms’: Jodi Picoult and Karin Slaughter on writing Covid-19 into novels

    At the start of the second world war, authors asked themselves if they were going to write about their unprecedented times, or if they should be doing something more useful – joining the fire service, becoming an air raid warden. The phoney war, with its uncertainty and dread, proved hard to write about, but the blitz brought new experiences and a new language that demanded to be recorded or imaginatively transformed. Elizabeth Bowen began to write short stories, somewhere between hallucination and documentary, that she described as “the only diary I have kept”. Set in windowless houses populated by feather boa-wearing ghosts, these are stories that take place in evenings “parched, freshening and a little acrid with ruins”.

    When lockdown hit last March, some writers offered their services as delivery drivers or volunteered at Covid test centres. Others attempted to make progress with preexisting projects, blanking out the new world careering into being in front of them. But nothing written in the past 18 months can be entirely free of Covid, with its stark blend of stasis and fear. And now, as we see the work made by writers who confronted it head on, questions emerge. Do we really want to read about the pandemic while it is still unfolding? Do we risk losing sight of the long view in getting too caught up with the contemporary?

    Continue reading...", - "category": "Fiction", - "link": "https://www.theguardian.com/books/2021/nov/27/inside-story-the-first-pandemic-novels-have-arrived-but-are-we-ready-for-them", - "creator": "Lara Feigel", - "pubDate": "2021-11-27T09:00:01Z", + "title": "Waukesha Christmas parade: man charged with homicide after five killed", + "description": "

    Darrell E Brooks, 39, in custody as police chief says suspect was involved in a domestic disturbance before the incident

    Authorities in Wisconsin on Monday identified a 39-year-old man as the person who ploughed his vehicle into a Christmas parade on Sunday night, killing five people and injuring another 48, including two children who remained in a critical condition.

    Darrell E Brooks was in custody, charged with five counts of intentional first-degree homicide, Daniel Thompson, police chief of Waukesha, a city 20 miles west of Milwaukee, said at an afternoon press conference.

    Continue reading...", + "content": "

    Darrell E Brooks, 39, in custody as police chief says suspect was involved in a domestic disturbance before the incident

    Authorities in Wisconsin on Monday identified a 39-year-old man as the person who ploughed his vehicle into a Christmas parade on Sunday night, killing five people and injuring another 48, including two children who remained in a critical condition.

    Darrell E Brooks was in custody, charged with five counts of intentional first-degree homicide, Daniel Thompson, police chief of Waukesha, a city 20 miles west of Milwaukee, said at an afternoon press conference.

    Continue reading...", + "category": "Wisconsin", + "link": "https://www.theguardian.com/us-news/2021/nov/22/waukesha-christmas-parade-investigators-suspect-wisconsin", + "creator": "Richard Luscombe", + "pubDate": "2021-11-22T20:13:32Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb881cc9b167f582c8ebad21ebd7bc99" + "hash": "df58642d685c15e1ec771e076b037bea" }, { - "title": "Kurdish village fears the worst for its loved ones after Channel disaster", - "description": "

    Relatives await news on 10 men whose phones have gone silent and a map pin that remains stubbornly stuck halfway between Britain and France

    Very little is known about the 27 people who drowned trying to cross the Channel in an inflatable boat on Wednesday, other than that many are thought to have come from northern Iraq.

    In the Kurdish village of Ranya, families had been waiting for days for news from loved ones they knew were planning to attempt the perilous crossing on Wednesday, but whose phones had gone silent. Some hoped their sons, brothers, daughters and sisters had made it across the Channel and were now in detention centres in the UK. Others feared the worst.

    Continue reading...", - "content": "

    Relatives await news on 10 men whose phones have gone silent and a map pin that remains stubbornly stuck halfway between Britain and France

    Very little is known about the 27 people who drowned trying to cross the Channel in an inflatable boat on Wednesday, other than that many are thought to have come from northern Iraq.

    In the Kurdish village of Ranya, families had been waiting for days for news from loved ones they knew were planning to attempt the perilous crossing on Wednesday, but whose phones had gone silent. Some hoped their sons, brothers, daughters and sisters had made it across the Channel and were now in detention centres in the UK. Others feared the worst.

    Continue reading...", - "category": "Iraq", - "link": "https://www.theguardian.com/world/2021/nov/27/kurdish-village-fears-the-worst-for-its-loved-ones-after-channel-disaster", - "creator": "Martin Chulov and Nechirvan Mando in Ranya, Iraqi Kurdistan", - "pubDate": "2021-11-27T08:00:53Z", + "title": "Covid live: UK records 44,917 new cases; strict restrictions for unvaccinated come into effect in Greece", + "description": "

    UK also reports 45 further Covid-related deaths; from today Greeks barred from all enclosed public spaces if they are unvaccinated

    Here’s some more detail from Agence France-Presse in Vienna on Austria’s move into its fourth Covid lockdown:

    People in Austria are not allowed to leave home except to go to work, shop for essentials and exercise, as the country returned to a Covid-19 lockdown on Monday morning.

    Continue reading...", + "content": "

    UK also reports 45 further Covid-related deaths; from today Greeks barred from all enclosed public spaces if they are unvaccinated

    Here’s some more detail from Agence France-Presse in Vienna on Austria’s move into its fourth Covid lockdown:

    People in Austria are not allowed to leave home except to go to work, shop for essentials and exercise, as the country returned to a Covid-19 lockdown on Monday morning.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/live/2021/nov/22/covid-news-live-austria-enters-nationwide-lockdown-australia-eases-international-border-restrictions", + "creator": "Miranda Bryant (now); Sarah Marsh, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-11-22T19:19:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8538122643744db105c7e26a385ebbf2" + "hash": "0106c5eca1422a563e4e5941be0cee45" }, { - "title": "The Sicilian town where the Covid vaccination rate hit 104%", - "description": "

    An ‘extraordinary’ campaign is credited for Palazzo Adriano’s stellar uptake – even if topping 100% is a statistical quirk

    While European governments weigh up new mandates and measures to boost the uptake of Covid jabs there is on the slopes of Sicily’s Monte delle Rose a village with a vaccination rate that defies mathematics: 104%.

    The figure is in part a statistical quirk – vaccine rates are calculated by Italian health authorities on a town or village’s official population and can in theory rise above 100% if enough non-residents are jabbed there – but Palazzo Adriano, where the Oscar-winning movie Cinema Paradiso was filmed, is by any standards a well-vaccinated community. A good portion of the population has already taken or booked a third dose and since vaccines were first available it utilised its close-knit relations to protect its people.

    Continue reading...", - "content": "

    An ‘extraordinary’ campaign is credited for Palazzo Adriano’s stellar uptake – even if topping 100% is a statistical quirk

    While European governments weigh up new mandates and measures to boost the uptake of Covid jabs there is on the slopes of Sicily’s Monte delle Rose a village with a vaccination rate that defies mathematics: 104%.

    The figure is in part a statistical quirk – vaccine rates are calculated by Italian health authorities on a town or village’s official population and can in theory rise above 100% if enough non-residents are jabbed there – but Palazzo Adriano, where the Oscar-winning movie Cinema Paradiso was filmed, is by any standards a well-vaccinated community. A good portion of the population has already taken or booked a third dose and since vaccines were first available it utilised its close-knit relations to protect its people.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/27/palazzo-adriano-sicilian-town-covid-vaccination-rate", - "creator": "Lorenzo Tondo in Palazzo Adriano", - "pubDate": "2021-11-27T08:00:53Z", + "title": "Kenyan police launch investigation into death of British BBC employee", + "description": "

    Kate Mitchell’s body was found shortly after an emergency alarm was activated in her hotel room

    A murder investigation has been launched in Kenya into the death of a British woman who worked for the BBC’s international development charity.

    The body of Kate Mitchell, a senior manager at BBC Media Action, was found on Friday in the capital Nairobi shortly after an emergency alarm was activated in her room. Police in Kenya said the window to her eighth-floor hotel room had been broken and the body of a man Mitchell had been with earlier was found on the ground below.

    Continue reading...", + "content": "

    Kate Mitchell’s body was found shortly after an emergency alarm was activated in her hotel room

    A murder investigation has been launched in Kenya into the death of a British woman who worked for the BBC’s international development charity.

    The body of Kate Mitchell, a senior manager at BBC Media Action, was found on Friday in the capital Nairobi shortly after an emergency alarm was activated in her room. Police in Kenya said the window to her eighth-floor hotel room had been broken and the body of a man Mitchell had been with earlier was found on the ground below.

    Continue reading...", + "category": "Kenya", + "link": "https://www.theguardian.com/world/2021/nov/22/kenyan-police-launch-investigation-into-death-of-british-bbc-employee", + "creator": "Matthew Weaver", + "pubDate": "2021-11-22T18:48:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "af73ee1f8d936211f3b1f113ea53f56b" + "hash": "630d03ee7cc9b036bc53dd47db63d423" }, { - "title": "The stars with Down’s syndrome lighting up our screens: ‘People are talking about us instead of hiding us away’", - "description": "

    From Line of Duty to Mare of Easttown, a new generation of performers are breaking through. Meet the actors, models and presenters leading a revolution in representation

    In the middle of last winter’s lockdown, while still adjusting to the news of their newborn son’s Down’s syndrome diagnosis, Matt and Charlotte Court spotted a casting ad from BBC Drama. It called for a baby to star in a Call the Midwife episode depicting the surprising yet joyful arrival of a child with Down’s syndrome in 60s London, when institutionalisation remained horribly common. The resulting shoot would prove a deeply cathartic experience for the young family. “Before that point, I had shut off certain doors for baby Nate in my mind through a lack of knowledge,” Matt remembers. “To then have that opportunity opened my eyes. If he can act one day, which is bloody difficult, then he’s got a fighting chance. He was reborn for us on that TV programme.”

    It’s a fitting metaphor for the larger shift in Down’s syndrome visibility over the past few years. While Call the Midwife has featured a number of disability-focused plotlines in its nearly decade-long run – actor Daniel Laurie, who has Down’s syndrome, is a series regular – the history of the condition’s representation on screen is one largely defined by absence.

    Continue reading...", - "content": "

    From Line of Duty to Mare of Easttown, a new generation of performers are breaking through. Meet the actors, models and presenters leading a revolution in representation

    In the middle of last winter’s lockdown, while still adjusting to the news of their newborn son’s Down’s syndrome diagnosis, Matt and Charlotte Court spotted a casting ad from BBC Drama. It called for a baby to star in a Call the Midwife episode depicting the surprising yet joyful arrival of a child with Down’s syndrome in 60s London, when institutionalisation remained horribly common. The resulting shoot would prove a deeply cathartic experience for the young family. “Before that point, I had shut off certain doors for baby Nate in my mind through a lack of knowledge,” Matt remembers. “To then have that opportunity opened my eyes. If he can act one day, which is bloody difficult, then he’s got a fighting chance. He was reborn for us on that TV programme.”

    It’s a fitting metaphor for the larger shift in Down’s syndrome visibility over the past few years. While Call the Midwife has featured a number of disability-focused plotlines in its nearly decade-long run – actor Daniel Laurie, who has Down’s syndrome, is a series regular – the history of the condition’s representation on screen is one largely defined by absence.

    Continue reading...", - "category": "Down's syndrome", - "link": "https://www.theguardian.com/society/2021/nov/27/the-stars-with-downs-syndrome-lighting-up-our-screens-people-are-talking-about-us-instead-of-hiding-us-away", - "creator": "Hayley Maitland", - "pubDate": "2021-11-27T08:00:52Z", + "title": "Germany and Netherlands face tightening Covid rules as Austria enters lockdown", + "description": "

    German foreign minister says most of country will be ‘vaccinated, cured or dead’ by end of winter

    Germany and the Netherlands have been told they should face still tougher Covid restrictions as the German health minister, Jens Spahn, made the startling prediction that most of his compatriots would be “vaccinated, cured or dead” by the end of winter.

    With Europe again the centre of the pandemic, ushering in tighter controls mainly on the unvaccinated across the continent, on Monday Austria became the first west European country to re-enter lockdown since vaccination began earlier this year.

    Continue reading...", + "content": "

    German foreign minister says most of country will be ‘vaccinated, cured or dead’ by end of winter

    Germany and the Netherlands have been told they should face still tougher Covid restrictions as the German health minister, Jens Spahn, made the startling prediction that most of his compatriots would be “vaccinated, cured or dead” by the end of winter.

    With Europe again the centre of the pandemic, ushering in tighter controls mainly on the unvaccinated across the continent, on Monday Austria became the first west European country to re-enter lockdown since vaccination began earlier this year.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/22/germany-and-netherlands-face-fresh-covid-rules-as-austria-enters-lockdown", + "creator": "Jon Henley, Europe correspondent, Kate Connolly in Berlin and Jennifer Rankin in Brussels", + "pubDate": "2021-11-22T18:37:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2cf0464b0b86eb636a79c3d66ef6b6cf" + "hash": "c4e0268ee7e2307a9f1e6c2512c2da8a" }, { - "title": "NSW floods: Sydney’s Warragamba Dam spills as warnings issued in Upper Hunter", - "description": "

    Dozens of SES flood rescues as flooding forecast in Singleton and Maitland

    State Emergency Service volunteers staged two dozen flood rescues and responded to almost 600 requests for help across New South Wales over the past 24 hours as residents in Eugowra prepared to evacuate.

    The SES advised river level rises had been observed along the Mandagery Creek upstream of Eugowra.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Dozens of SES flood rescues as flooding forecast in Singleton and Maitland

    State Emergency Service volunteers staged two dozen flood rescues and responded to almost 600 requests for help across New South Wales over the past 24 hours as residents in Eugowra prepared to evacuate.

    The SES advised river level rises had been observed along the Mandagery Creek upstream of Eugowra.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "New South Wales", - "link": "https://www.theguardian.com/australia-news/2021/nov/27/nsw-floods-sydneys-warragamba-dam-spills-as-warnings-issued-in-upper-hunter", - "creator": "Caitlin Cassidy, Peter Hannam and AAP", - "pubDate": "2021-11-27T07:30:07Z", + "title": "Chile’s right rejoices after pro-Pinochet candidate wins presidential first round", + "description": "

    José Antonio Kast will face progressive former student leader Gabriel Boric in runoff election next month

    Chile’s right wing have claimed a jubilant victory after José Antonio Kast, a former congressman with a history of defending the Pinochet dictatorship, secured a surprise win in the first round of the country’s presidential election.

    Kast, who campaigned on a platform of public order, migration controls and conservative social values, confounded expectations to take 28% of the vote and beat the progressive former student leader Gabriel Boric by two percentage points.

    Continue reading...", + "content": "

    José Antonio Kast will face progressive former student leader Gabriel Boric in runoff election next month

    Chile’s right wing have claimed a jubilant victory after José Antonio Kast, a former congressman with a history of defending the Pinochet dictatorship, secured a surprise win in the first round of the country’s presidential election.

    Kast, who campaigned on a platform of public order, migration controls and conservative social values, confounded expectations to take 28% of the vote and beat the progressive former student leader Gabriel Boric by two percentage points.

    Continue reading...", + "category": "Chile", + "link": "https://www.theguardian.com/world/2021/nov/22/jose-antonio-kast-chile-right-wing-presidential-election", + "creator": "John Bartlett in Santiago", + "pubDate": "2021-11-22T18:18:52Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "39ed175fb735b8b7c7e7f6e56fd97652" + "hash": "a75a1bd310bc63059b5f47b38905140a" }, { - "title": "Widow of former South Korean dictator Chun Doo-hwan offers ‘deep apology’ for brutal rule", - "description": "

    During the final funeral service Lee Soon-ja says sorry for the pains suffered during her husband’s reign

    The widow of South Korea’s last military dictator has issued a brief apology over the “pains and scars” caused by her husband’s brutal rule as dozens of relatives and former aides gathered at a Seoul hospital to pay their final respects to Chun Doo-hwan.

    Chun, who took power in a 1979 coup and violently crushed pro-democracy protests a year later before being jailed for treason in the 1990s, died at his Seoul home Tuesday at the age of 90.

    Continue reading...", - "content": "

    During the final funeral service Lee Soon-ja says sorry for the pains suffered during her husband’s reign

    The widow of South Korea’s last military dictator has issued a brief apology over the “pains and scars” caused by her husband’s brutal rule as dozens of relatives and former aides gathered at a Seoul hospital to pay their final respects to Chun Doo-hwan.

    Chun, who took power in a 1979 coup and violently crushed pro-democracy protests a year later before being jailed for treason in the 1990s, died at his Seoul home Tuesday at the age of 90.

    Continue reading...", - "category": "South Korea", - "link": "https://www.theguardian.com/world/2021/nov/27/widow-of-former-south-korean-dictator-chun-doo-hwan-offers-deep-apology-for-brutal-rule", - "creator": "Associated Press", - "pubDate": "2021-11-27T07:24:11Z", + "title": "Hogging the limelight: how Peppa Pig became a global phenomenon", + "description": "

    Boris Johnson threw spotlight on show that has run for 17 years and been exported to 118 countries

    To many families taking their excited children to Peppa Pig World, the most surreal aspect isn’t the pastel-hued streets or the giant cartoon animals milling around; it’s the soundtrack. Piped from speakers spread around the park, the can’t-get-it-out-of-your-head theme tune plays on a continuous loop, and parents could be forgiven for feeling they’ve entered a nightmare rather than a toddler’s dreamscape.

    Not so for Boris Johnson. The prime minister was so buoyed by his Sunday enjoying delights such an egg-shaped boat ride overlooked by Grampy Rabbit, where he was photographed grinning alongside his one-year-old son Wilfred and wife Carrie, that he was moved to praise the New Forest amusement park effusively in a speech to business leaders on Monday.

    Continue reading...", + "content": "

    Boris Johnson threw spotlight on show that has run for 17 years and been exported to 118 countries

    To many families taking their excited children to Peppa Pig World, the most surreal aspect isn’t the pastel-hued streets or the giant cartoon animals milling around; it’s the soundtrack. Piped from speakers spread around the park, the can’t-get-it-out-of-your-head theme tune plays on a continuous loop, and parents could be forgiven for feeling they’ve entered a nightmare rather than a toddler’s dreamscape.

    Not so for Boris Johnson. The prime minister was so buoyed by his Sunday enjoying delights such an egg-shaped boat ride overlooked by Grampy Rabbit, where he was photographed grinning alongside his one-year-old son Wilfred and wife Carrie, that he was moved to praise the New Forest amusement park effusively in a speech to business leaders on Monday.

    Continue reading...", + "category": "Peppa Pig", + "link": "https://www.theguardian.com/tv-and-radio/2021/nov/22/boris-johnson-hogging-the-limelight-how-peppa-pig-became-a-global-phenomenon", + "creator": "Rachel Hall", + "pubDate": "2021-11-22T17:47:14Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fb27314079d8f25f36b5eed316ba1588" + "hash": "7c498f83674eda61dc6fbe8f523dde0c" }, { - "title": "Blind date: ‘He was fully on board when I suggested we order champagne’", - "description": "

    Alizée, 25, advertising account manager, meets Rhys, 34, chef

    Alizée on Rhys

    What were you hoping for?
    Good food, meeting someone interesting and that my date would be as tall as me (six-foot gal over here!)

    Continue reading...", - "content": "

    Alizée, 25, advertising account manager, meets Rhys, 34, chef

    Alizée on Rhys

    What were you hoping for?
    Good food, meeting someone interesting and that my date would be as tall as me (six-foot gal over here!)

    Continue reading...", - "category": "Dating", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/27/blind-date-alizee-rhys", - "creator": "", - "pubDate": "2021-11-27T06:00:50Z", + "title": "Aid workers say Mediterranean a ‘liquid graveyard’ after 75 feared dead off Libya", + "description": "

    People smugglers are putting hundreds to sea this autumn despite stormy weather

    More than 75 people are feared dead after their boat capsized in stormy seas off the coast of Libya while attempting to reach Europe in one of the deadliest shipwrecks this year, according to the UN.

    Fifteen survivors were rescued by local fishers and brought to the port of Zuwara in north-western Libya. They said there were about 92 people onboard the vessel when the incident took place on 17 November. Most of those who died came from sub-Saharan Africa.

    Continue reading...", + "content": "

    People smugglers are putting hundreds to sea this autumn despite stormy weather

    More than 75 people are feared dead after their boat capsized in stormy seas off the coast of Libya while attempting to reach Europe in one of the deadliest shipwrecks this year, according to the UN.

    Fifteen survivors were rescued by local fishers and brought to the port of Zuwara in north-western Libya. They said there were about 92 people onboard the vessel when the incident took place on 17 November. Most of those who died came from sub-Saharan Africa.

    Continue reading...", + "category": "Migration", + "link": "https://www.theguardian.com/world/2021/nov/22/aid-workers-say-mediterranean-a-liquid-graveyard-after-75-feared-dead-off-libya", + "creator": "Lorenzo Tondo in Palermo", + "pubDate": "2021-11-22T17:41:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2cfba542d75d2f0fb718987396e19474" + "hash": "a2ad7e5f13aa79f02f26383b9a554f51" }, { - "title": "Gove-led cabinet committee makes fresh bid for progress on levelling up", - "description": "

    Weekly meetings of ministers chaired by Michael Gove expected to lead to new policies on reducing inequality

    Michael Gove is chairing a new weekly cabinet committee on levelling up, to bang heads together across Whitehall, as the government battles to repair the political damage of the past three weeks and show it is serious about tackling economic inequalities.

    After a tumultuous period that culminated in the prime minister’s fumbled speech to the CBI on Monday, the forthcoming levelling-up white paper, expected to be published in mid-December, is regarded as a key moment to demonstrate the government’s seriousness.

    Continue reading...", - "content": "

    Weekly meetings of ministers chaired by Michael Gove expected to lead to new policies on reducing inequality

    Michael Gove is chairing a new weekly cabinet committee on levelling up, to bang heads together across Whitehall, as the government battles to repair the political damage of the past three weeks and show it is serious about tackling economic inequalities.

    After a tumultuous period that culminated in the prime minister’s fumbled speech to the CBI on Monday, the forthcoming levelling-up white paper, expected to be published in mid-December, is regarded as a key moment to demonstrate the government’s seriousness.

    Continue reading...", - "category": "Inequality", - "link": "https://www.theguardian.com/inequality/2021/nov/27/gove-cabinet-committee-bid-progress-levelling-up", - "creator": "Heather Stewart Political editor", - "pubDate": "2021-11-27T06:00:49Z", + "title": "Meredith Kercher killer Rudy Guede could be freed within days", + "description": "

    Man convicted of murdering British student asks for sentence, due to end in January, to be reduced

    Rudy Guede, the only person definitively convicted of the murder of the British student Meredith Kercher, could be freed in the coming days after completing 13 years of a 16-year sentence.

    Guede’s sentence is due to end on 4 January, but he has asked magistrates to reduce it by a further 45 days.

    Continue reading...", + "content": "

    Man convicted of murdering British student asks for sentence, due to end in January, to be reduced

    Rudy Guede, the only person definitively convicted of the murder of the British student Meredith Kercher, could be freed in the coming days after completing 13 years of a 16-year sentence.

    Guede’s sentence is due to end on 4 January, but he has asked magistrates to reduce it by a further 45 days.

    Continue reading...", + "category": "Meredith Kercher", + "link": "https://www.theguardian.com/world/2021/nov/22/meredith-kercher-killer-rudy-guede-could-be-freed-within-days", + "creator": "Angela Giuffrida in Rome", + "pubDate": "2021-11-22T17:22:29Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7cf0985ae7e6d839560cc2ef9b4fcf7" + "hash": "a7955fca0286a085c64f73745f429b87" }, { - "title": "Australian TV reporter Matt Doran gives lengthy on-air apology after he ‘insulted’ Adele", - "description": "

    Channel Seven reporter says his failure to listen to Adele’s album was a ‘terrible mistake’

    Australian TV reporter Matt Doran has made a lengthy, unreserved apology to Adele for failing to listen to her new album before an exclusive interview with the singer, calling the bungle a “terrible mistake”.

    Doran made international headlines this week for his interview with the singer, which was canned after he conceded he had only heard one track from her latest work, 30. Sony is refusing to release the footage.

    Continue reading...", - "content": "

    Channel Seven reporter says his failure to listen to Adele’s album was a ‘terrible mistake’

    Australian TV reporter Matt Doran has made a lengthy, unreserved apology to Adele for failing to listen to her new album before an exclusive interview with the singer, calling the bungle a “terrible mistake”.

    Doran made international headlines this week for his interview with the singer, which was canned after he conceded he had only heard one track from her latest work, 30. Sony is refusing to release the footage.

    Continue reading...", - "category": "Adele", - "link": "https://www.theguardian.com/music/2021/nov/27/australian-tv-reporter-matt-doran-gives-lengthy-on-air-apology-after-he-insulted-adele", - "creator": "Caitlin Cassidy", - "pubDate": "2021-11-27T04:25:11Z", + "title": "Improving migrant workers’ lives in Qatar | Letter", + "description": "

    Faha Al-Mana responds to a report on allegations of exploitation and abuse by migrant workers in the run-up to the 2022 World Cup

    Your report (‘We have fallen into a trap’: Qatar’s World Cup dream is a nightmare for hotel staff, 18 November) fails to acknowledge the progress Qatar has made to improve living and working standards for foreign workers, including those in the hospitality sector.

    The impact of Qatar’s reforms is best highlighted through its numbers: over 240,000 workers have successfully changed jobs since barriers were removed in September 2020; more than 400,000 have directly benefited from the new minimum wage; improvements to the wage protection system now protect 96% of eligible workers from wage abuse; and hundreds of thousands of workers have left Qatar and returned without permission from their employer since exit permits were abolished.

    Continue reading...", + "content": "

    Faha Al-Mana responds to a report on allegations of exploitation and abuse by migrant workers in the run-up to the 2022 World Cup

    Your report (‘We have fallen into a trap’: Qatar’s World Cup dream is a nightmare for hotel staff, 18 November) fails to acknowledge the progress Qatar has made to improve living and working standards for foreign workers, including those in the hospitality sector.

    The impact of Qatar’s reforms is best highlighted through its numbers: over 240,000 workers have successfully changed jobs since barriers were removed in September 2020; more than 400,000 have directly benefited from the new minimum wage; improvements to the wage protection system now protect 96% of eligible workers from wage abuse; and hundreds of thousands of workers have left Qatar and returned without permission from their employer since exit permits were abolished.

    Continue reading...", + "category": "Workers' rights", + "link": "https://www.theguardian.com/global-development/2021/nov/22/improving-migrant-workers-lives-in-qatar", + "creator": "Letters", + "pubDate": "2021-11-22T17:19:01Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "282c4e58971f294c401c8c8a53a131d8" + "hash": "b0a80246884b567a5e3e6b99a7b0fa25" }, { - "title": "Archaeologists unearth mummy estimated to be at least 800 years old in Peru", - "description": "

    Remains found inside an underground structure were tied up by ropes and with the hands covering the face

    A team of experts has found a mummy estimated to be at least 800 years old on Peru’s central coast, one of the archaeologists who participated in the excavation said.

    The mummified remains were of a person from the culture that developed between the coast and mountains of the South American country. The mummy, whose gender was not identified, was discovered in the Lima region, said archaeologist Pieter Van Dalen Luna on Friday.

    Continue reading...", - "content": "

    Remains found inside an underground structure were tied up by ropes and with the hands covering the face

    A team of experts has found a mummy estimated to be at least 800 years old on Peru’s central coast, one of the archaeologists who participated in the excavation said.

    The mummified remains were of a person from the culture that developed between the coast and mountains of the South American country. The mummy, whose gender was not identified, was discovered in the Lima region, said archaeologist Pieter Van Dalen Luna on Friday.

    Continue reading...", - "category": "Peru", - "link": "https://www.theguardian.com/world/2021/nov/27/archaeologists-unearth-mummy-estimated-to-be-at-least-800-years-old-in-peru", - "creator": "Reuters", - "pubDate": "2021-11-27T04:16:53Z", + "title": "Priceless Roman mosaic spent 50 years as a coffee table in New York apartment", + "description": "

    Long-lost mosaic commissioned by Emperor Caligula disappeared from Italian museum during second world war

    A priceless Roman mosaic that once decorated a ship used by the emperor Caligula was used for almost 50 years as a coffee table in an apartment in New York City.

    Dario Del Bufalo, an Italian expert on ancient stone and marble, described how he found the mosaic in an interview with CBS’s 60 Minutes on Sunday.

    Continue reading...", + "content": "

    Long-lost mosaic commissioned by Emperor Caligula disappeared from Italian museum during second world war

    A priceless Roman mosaic that once decorated a ship used by the emperor Caligula was used for almost 50 years as a coffee table in an apartment in New York City.

    Dario Del Bufalo, an Italian expert on ancient stone and marble, described how he found the mosaic in an interview with CBS’s 60 Minutes on Sunday.

    Continue reading...", + "category": "Art and design", + "link": "https://www.theguardian.com/artanddesign/2021/nov/22/priceless-roman-mosaic-coffee-table-new-york-apartment", + "creator": "Gloria Oladipo", + "pubDate": "2021-11-22T16:45:43Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c0448f12a1c94c2f75f88e2dead88e44" + "hash": "569923807e3d0574b106bf3526eff25f" }, { - "title": "Kurdish woman is first victim of Channel tragedy to be named", - "description": "

    Maryam Nuri Mohamed Amin from northern Iraq was messaging her fiancé when dinghy started sinking

    A Kurdish woman from northern Iraq has become the first victim of this week’s mass drowning in the Channel to be named.

    Maryam Nuri Mohamed Amin was messaging her fiance, who lives in the UK, when the group’s dinghy started deflating on Wednesday.

    Continue reading...", - "content": "

    Maryam Nuri Mohamed Amin from northern Iraq was messaging her fiancé when dinghy started sinking

    A Kurdish woman from northern Iraq has become the first victim of this week’s mass drowning in the Channel to be named.

    Maryam Nuri Mohamed Amin was messaging her fiance, who lives in the UK, when the group’s dinghy started deflating on Wednesday.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/26/kurdish-woman-is-first-victim-of-channel-tragedy-to-be-named", - "creator": "Harry Taylor", - "pubDate": "2021-11-26T23:03:28Z", + "title": "Peng Shuai backlash leaves IOC facing familiar criticism over human rights", + "description": "

    Analysis: Olympic committee is accused of engaging in a ‘publicity stunt’ by taking part in video call

    As human rights organisations and the world’s media questioned the whereabouts of the Chinese tennis player Peng Shuai, the International Olympic Committee opted for a “quiet diplomacy” approach, arguing that was the most effective way to deal with such a case.

    “Experience shows that quiet diplomacy offers the best opportunity to find a solution for questions of such nature. This explains why the IOC will not comment any further at this stage,” the Lausanne-based organisation said in an emailed statement on Thursday about the case of Peng, who disappeared from public view after she made an accusation of sexual assault against a former senior Chinese official.

    Continue reading...", + "content": "

    Analysis: Olympic committee is accused of engaging in a ‘publicity stunt’ by taking part in video call

    As human rights organisations and the world’s media questioned the whereabouts of the Chinese tennis player Peng Shuai, the International Olympic Committee opted for a “quiet diplomacy” approach, arguing that was the most effective way to deal with such a case.

    “Experience shows that quiet diplomacy offers the best opportunity to find a solution for questions of such nature. This explains why the IOC will not comment any further at this stage,” the Lausanne-based organisation said in an emailed statement on Thursday about the case of Peng, who disappeared from public view after she made an accusation of sexual assault against a former senior Chinese official.

    Continue reading...", + "category": "Peng Shuai", + "link": "https://www.theguardian.com/sport/2021/nov/22/peng-shuai-backlash-ioc-familiar-criticism-human-rights", + "creator": "Vincent Ni China affairs correspondent", + "pubDate": "2021-11-22T16:37:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0de60fe7ea1b16f61424571744158db" + "hash": "5d4b8ebe13452defd15f482ee3bd9d72" }, { - "title": "Stephen Sondheim: master craftsman who reinvented the musical dies aged 91", - "description": "

    Scoring his first big hit with West Side Story at 27, the US composer and lyricist raised the art form’s status with moving and funny masterpieces including Follies and Company

    ‘His songs are like a fabulous steak’: an all-star toast to Sondheim

    Stephen Sondheim, the master craftsman of the American musical, has died at the age of 91. His death, at his home in Roxbury, Connecticut, on Friday has prompted tributes throughout the entertainment industry and beyond. Andrew Lloyd Webber called him “the musical theatre giant of our times, an inspiration not just to two but to three generations [whose] contribution to theatre will never be equalled”. Cameron Mackintosh said: “The theatre has lost one of its greatest geniuses and the world has lost one of its greatest and most original writers. Sadly, there is now a giant in the sky. But the brilliance of Stephen Sondheim will still be here as his legendary songs and shows will be performed for evermore.”

    Over the course of a celebrated career spanning more than 60 years, Sondheim co-created Broadway theatre classics such as West Side Story, Gypsy, Sweeney Todd and Into the Woods, all of which also became hit movies. His intricate and dazzlingly clever songs pushed the boundaries of the art form and he made moving and funny masterpieces from unlikely subject matters, including a murderous barber (Sweeney Todd), the Roman comedies of Plautus (A Funny Thing Happened on the Way to the Forum) and a pointillist painting by Georges Seurat (Sunday in the Park With George).

    Continue reading...", - "content": "

    Scoring his first big hit with West Side Story at 27, the US composer and lyricist raised the art form’s status with moving and funny masterpieces including Follies and Company

    ‘His songs are like a fabulous steak’: an all-star toast to Sondheim

    Stephen Sondheim, the master craftsman of the American musical, has died at the age of 91. His death, at his home in Roxbury, Connecticut, on Friday has prompted tributes throughout the entertainment industry and beyond. Andrew Lloyd Webber called him “the musical theatre giant of our times, an inspiration not just to two but to three generations [whose] contribution to theatre will never be equalled”. Cameron Mackintosh said: “The theatre has lost one of its greatest geniuses and the world has lost one of its greatest and most original writers. Sadly, there is now a giant in the sky. But the brilliance of Stephen Sondheim will still be here as his legendary songs and shows will be performed for evermore.”

    Over the course of a celebrated career spanning more than 60 years, Sondheim co-created Broadway theatre classics such as West Side Story, Gypsy, Sweeney Todd and Into the Woods, all of which also became hit movies. His intricate and dazzlingly clever songs pushed the boundaries of the art form and he made moving and funny masterpieces from unlikely subject matters, including a murderous barber (Sweeney Todd), the Roman comedies of Plautus (A Funny Thing Happened on the Way to the Forum) and a pointillist painting by Georges Seurat (Sunday in the Park With George).

    Continue reading...", - "category": "Stephen Sondheim", - "link": "https://www.theguardian.com/stage/2021/nov/26/stephen-sondheim-composer-lyricist-musical-west-side-story-follies-company", - "creator": "Chris Wiegand", - "pubDate": "2021-11-26T22:21:41Z", + "title": "Base of the iceberg: the tragic cost of concussion in amateur sport | Emma Kemp", + "description": "

    Former footy player Paul Wheatley is serving a prison sentence – the culmination of a chain of events that could be traced back to numerous on-field head knocks

    Paul Wheatley is often in bed by 7.30pm. There is little else to do once locked in his prison cell well before the sun’s light fades. So he reads a bit, then attempts to drift into unconsciousness.

    It is the only sure way to push out the voice which follows him everywhere. The one most familiar and cherished in his world frantically repeating his name, each an anguished attempt to rouse him from a seizure before they were off the road and the tree appeared and it was too late.

    Continue reading...", + "content": "

    Former footy player Paul Wheatley is serving a prison sentence – the culmination of a chain of events that could be traced back to numerous on-field head knocks

    Paul Wheatley is often in bed by 7.30pm. There is little else to do once locked in his prison cell well before the sun’s light fades. So he reads a bit, then attempts to drift into unconsciousness.

    It is the only sure way to push out the voice which follows him everywhere. The one most familiar and cherished in his world frantically repeating his name, each an anguished attempt to rouse him from a seizure before they were off the road and the tree appeared and it was too late.

    Continue reading...", + "category": "Concussion in sport", + "link": "https://www.theguardian.com/sport/2021/nov/23/base-of-the-iceberg-the-tragic-cost-of-concussion-in-amateur-sport", + "creator": "Emma Kemp", + "pubDate": "2021-11-22T16:30:30Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22d05b9bb6c2af3327e3f36fc54b0806" + "hash": "8ec65acbbdc79bd7d7d411ba73b6e89c" }, { - "title": "BioNTech says it could tweak Covid vaccine in 100 days if needed", - "description": "

    Company says it will know in two weeks whether current Pfizer jab is effective against Omicron variant

    BioNTech says it could produce and ship an updated version of its vaccine within 100 days if the new Covid variant detected in southern Africa is found to evade existing immunity.

    The German biotechnology company is already investigating whether the vaccine it developed with US drugmaker Pfizer works well against the variant, named Omicron, which has caused concern due to its high number of mutations and initial suggestions that it could be transmitting more quickly.

    Continue reading...", - "content": "

    Company says it will know in two weeks whether current Pfizer jab is effective against Omicron variant

    BioNTech says it could produce and ship an updated version of its vaccine within 100 days if the new Covid variant detected in southern Africa is found to evade existing immunity.

    The German biotechnology company is already investigating whether the vaccine it developed with US drugmaker Pfizer works well against the variant, named Omicron, which has caused concern due to its high number of mutations and initial suggestions that it could be transmitting more quickly.

    Continue reading...", - "category": "Vaccines and immunisation", - "link": "https://www.theguardian.com/society/2021/nov/26/biontech-says-it-could-tweak-covid-vaccine-in-100-days-if-needed", - "creator": "Hannah Devlin and Julia Kollewe", - "pubDate": "2021-11-26T18:30:45Z", + "title": "Outrage after two journalists detained at Indigenous protest in Canada", + "description": "

    Press organizations condemn arrest of Amber Bracken and Michael Toledano at pipeline protest in British Columbia

    Press organizations in Canada have condemned the arrest of two journalists who were detained while covering Indigenous-led resistance to a controversial pipeline project and remain in custody.

    Amber Bracken, an award-winning photojournalist who has previously worked with the Guardian, and Michael Toledano, a documentary film-maker, were arrested on Friday by Royal Canadian Mounted police officers who were enforcing a court-ordered injunction in British Columbia. More than a dozen protesters were also arrested.

    Continue reading...", + "content": "

    Press organizations condemn arrest of Amber Bracken and Michael Toledano at pipeline protest in British Columbia

    Press organizations in Canada have condemned the arrest of two journalists who were detained while covering Indigenous-led resistance to a controversial pipeline project and remain in custody.

    Amber Bracken, an award-winning photojournalist who has previously worked with the Guardian, and Michael Toledano, a documentary film-maker, were arrested on Friday by Royal Canadian Mounted police officers who were enforcing a court-ordered injunction in British Columbia. More than a dozen protesters were also arrested.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/nov/22/canada-two-journalists-detained-indigenous-pipeline-protest", + "creator": "Leyland Ceccoin Ottawa", + "pubDate": "2021-11-22T16:23:17Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0e357be229f0d842031a2ad0bbd84cf4" + "hash": "9198d8173bd32fff9bc8419c1ddf592e" }, { - "title": "Blowing the house down: life on the frontline of extreme weather in the Gambia", - "description": "

    A storm took the roof off Binta Bah’s house before torrential rain destroyed her family’s belongings, as poverty combines with the climate crisis to wreak havoc on Africa’s smallest mainland country

    The windstorm arrived in Jalambang late in the evening, when Binta Bah and her family were enjoying the evening cool outside. “But when we first heard the wind, the kids started to run and go in the house,” she says.

    First they went in one room but the roof – a sheet of corrugated iron fixed only by a timbere pole – flew off. They ran into another but the roof soon went there too.

    Continue reading...", - "content": "

    A storm took the roof off Binta Bah’s house before torrential rain destroyed her family’s belongings, as poverty combines with the climate crisis to wreak havoc on Africa’s smallest mainland country

    The windstorm arrived in Jalambang late in the evening, when Binta Bah and her family were enjoying the evening cool outside. “But when we first heard the wind, the kids started to run and go in the house,” she says.

    First they went in one room but the roof – a sheet of corrugated iron fixed only by a timbere pole – flew off. They ran into another but the roof soon went there too.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/26/blowing-the-house-down-life-on-the-frontline-of-extreme-weather-in-the-gambia", - "creator": "Lizzy Davies in Jalambang", - "pubDate": "2021-11-26T07:01:21Z", + "title": "West weighs up costs of boycotting China’s Winter Olympics", + "description": "

    Analysis: calls growing amid Xinjiang allegations and Peng Shuai fallout, but Beijing takes slights very seriously

    Boycotting the Beijing Winter Olympics in February may seem a simple, symbolic diplomatic gesture – when put alongside the allegations of labour camps in Xinjiang province and the apparent sexual exploitation of the Chinese tennis star Peng Shuai – but such is the contemporary economic power of China that the step will only be taken after much agonising.

    The threats and economic boycotts that Australia, Canada and more recently Lithuania have suffered at the hands of the Chinese for challenging Beijing’s authority in one way or another are not experiences other countries will want to copy lightly.

    Continue reading...", + "content": "

    Analysis: calls growing amid Xinjiang allegations and Peng Shuai fallout, but Beijing takes slights very seriously

    Boycotting the Beijing Winter Olympics in February may seem a simple, symbolic diplomatic gesture – when put alongside the allegations of labour camps in Xinjiang province and the apparent sexual exploitation of the Chinese tennis star Peng Shuai – but such is the contemporary economic power of China that the step will only be taken after much agonising.

    The threats and economic boycotts that Australia, Canada and more recently Lithuania have suffered at the hands of the Chinese for challenging Beijing’s authority in one way or another are not experiences other countries will want to copy lightly.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/nov/22/west-weighs-up-costs-of-boycotting-china-beijing-winter-olympics", + "creator": "Patrick Wintour Diplomatic editor", + "pubDate": "2021-11-22T16:15:24Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a4e40ccf2fab138dc08c0447ea8af02" + "hash": "3d89216bbb96fff0dcd87edd6d77c065" }, { - "title": "Australia news live update: flood warnings for NSW; police and defence personnel fly to Solomon Islands; Victoria records 1,362 Covid cases", - "description": "

    Victoria records 1,362 new Covid cases, NSW records 261; police give update on William Tyrrell search; Australia on track for its wettest spring in a decade; Morrison government sends help to control rioting in Solomon Islands – follow the latest updates live

    Between 1.5m and 2m Australians are only one life shock away from homelessness, new research from the Australian Housing and Urban Research Institute.

    Large numbers of Australia’s renters could fall into homelessness if they go through a relationship breakup, get a serious illness or lose work.

    Continue reading...", - "content": "

    Victoria records 1,362 new Covid cases, NSW records 261; police give update on William Tyrrell search; Australia on track for its wettest spring in a decade; Morrison government sends help to control rioting in Solomon Islands – follow the latest updates live

    Between 1.5m and 2m Australians are only one life shock away from homelessness, new research from the Australian Housing and Urban Research Institute.

    Large numbers of Australia’s renters could fall into homelessness if they go through a relationship breakup, get a serious illness or lose work.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/26/australia-news-live-update-flood-warnings-as-more-heavy-rain-hits-nsw-australian-police-and-defence-personnel-fly-to-solomon-islands-religious-freedom-gay-students-teachers-scott-morrison-covid-south-africa-variant", - "creator": "Cait Kelly", - "pubDate": "2021-11-25T22:43:41Z", + "title": "Nasa to slam spacecraft into asteroid in mission to avoid future Armaggedon", + "description": "

    Test drive of planetary defence system aims to provide data on how to deflect asteroids away from Earth

    That’s one large rock, one momentous shift in our relationship with space. On Wednesday, Nasa will launch a mission to deliberately slam a spacecraft into an asteroid to try to alter its orbit – the first time humanity has tried to interfere in the gravitational dance of the solar system. The aim is to test drive a planetary defence system that could prevent us from going the same way as the dinosaurs, providing the first real data about what it would take to deflect an Armageddon-inducing asteroid away from Earth.

    Our planet is constantly being bombarded with small pieces of debris, but these are usually burned or broken up long before they hit the ground. Once in a while, however, something large enough to do significant damage hits the ground. About 66m years ago, one such collision is thought to have ended the reign of the dinosaurs, ejecting vast amounts of dust and debris into the upper atmosphere, which obscured the sun and caused food chains to collapse. Someday, something similar could call time on humanity’s reign – unless we can find a way to deflect it.

    Continue reading...", + "content": "

    Test drive of planetary defence system aims to provide data on how to deflect asteroids away from Earth

    That’s one large rock, one momentous shift in our relationship with space. On Wednesday, Nasa will launch a mission to deliberately slam a spacecraft into an asteroid to try to alter its orbit – the first time humanity has tried to interfere in the gravitational dance of the solar system. The aim is to test drive a planetary defence system that could prevent us from going the same way as the dinosaurs, providing the first real data about what it would take to deflect an Armageddon-inducing asteroid away from Earth.

    Our planet is constantly being bombarded with small pieces of debris, but these are usually burned or broken up long before they hit the ground. Once in a while, however, something large enough to do significant damage hits the ground. About 66m years ago, one such collision is thought to have ended the reign of the dinosaurs, ejecting vast amounts of dust and debris into the upper atmosphere, which obscured the sun and caused food chains to collapse. Someday, something similar could call time on humanity’s reign – unless we can find a way to deflect it.

    Continue reading...", + "category": "Asteroids", + "link": "https://www.theguardian.com/science/2021/nov/22/nasa-slam-spacecraft-into-asteroid-to-avoid-armaggedon", + "creator": "Linda Geddes", + "pubDate": "2021-11-22T16:04:03Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2752d9df2307ed2b64e7292c0825b5c7" + "hash": "f914a566f7bb1ce1759520f447e2422f" }, { - "title": "Action over variant shows government keen to avoid Christmas calamity of 2020", - "description": "

    Analysis: variant provides test of whether relaxation of rules and booster push is effective policy

    Last Christmas, as ministers rashly promised five days of festive family gatherings while a new variant gathered pace, Boris Johnson held out until the final hours until he bowed to the inevitable and cancelled Christmas.

    Despite rising cases in Europe and new restrictions on the continent, ministers had been bullish about going ahead with Christmas gatherings this year. Cabinet ministers have already sent invites for the Christmas drinks dos.

    Continue reading...", - "content": "

    Analysis: variant provides test of whether relaxation of rules and booster push is effective policy

    Last Christmas, as ministers rashly promised five days of festive family gatherings while a new variant gathered pace, Boris Johnson held out until the final hours until he bowed to the inevitable and cancelled Christmas.

    Despite rising cases in Europe and new restrictions on the continent, ministers had been bullish about going ahead with Christmas gatherings this year. Cabinet ministers have already sent invites for the Christmas drinks dos.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/25/action-over-variant-shows-government-keen-to-avoid-christmas-calamity-of-2020", - "creator": "Jessica Elgot", - "pubDate": "2021-11-25T21:32:15Z", + "title": "‘She believed in every one of us’: ex-pupils on their inspirational teachers", + "description": "

    After Adele’s tearful reunion with a former teacher, four readers recall their own school memories

    “So bloody cool, so engaging.” That’s how Adele described her English teacher at Chestnut Grove school in Balham, south-west London, Ms McDonald, when asked who had inspired her.

    Answering a question from the actor Emma Thompson during ITV’s An Audience With Adele on Sunday, Adele said: “She really made us care, and we knew that she cared about us and stuff like that.”

    Continue reading...", + "content": "

    After Adele’s tearful reunion with a former teacher, four readers recall their own school memories

    “So bloody cool, so engaging.” That’s how Adele described her English teacher at Chestnut Grove school in Balham, south-west London, Ms McDonald, when asked who had inspired her.

    Answering a question from the actor Emma Thompson during ITV’s An Audience With Adele on Sunday, Adele said: “She really made us care, and we knew that she cared about us and stuff like that.”

    Continue reading...", + "category": "Teaching", + "link": "https://www.theguardian.com/education/2021/nov/22/she-believed-in-us-ex-pupils-on-their-inspirational-teachers-adele", + "creator": "Jamie Grierson", + "pubDate": "2021-11-22T15:50:59Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6ef288d8073798e6ca28fd0701291675" + "hash": "0afdd168d4b51046b8969c8f58553b1a" }, { - "title": "South Africa to be put on England’s travel red list over new Covid variant", - "description": "

    Flights from six countries will be banned as officials review travel measures after scientists voice concern over variant

    Flights from southern Africa will be banned, with six countries placed under England’s red list travel restrictions, after scientists raised the alarm over what is feared to be the worst Covid-19 variant yet identified.

    Whitehall sources said the B.1.1.529 variant, which is feared to be more transmissible and has the potential to evade immunity, posed “a potentially significant threat to the vaccine programme which we have to protect at all costs”.

    Continue reading...", - "content": "

    Flights from six countries will be banned as officials review travel measures after scientists voice concern over variant

    Flights from southern Africa will be banned, with six countries placed under England’s red list travel restrictions, after scientists raised the alarm over what is feared to be the worst Covid-19 variant yet identified.

    Whitehall sources said the B.1.1.529 variant, which is feared to be more transmissible and has the potential to evade immunity, posed “a potentially significant threat to the vaccine programme which we have to protect at all costs”.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/25/scientists-call-for-travel-code-red-over-covid-variant-found-in-southern-africa", - "creator": "Hannah Devlin, Ian Sample and Jessica Elgot", - "pubDate": "2021-11-25T21:22:42Z", + "title": "Russia accuses west of building up forces on its borders", + "description": "

    Moscow, which has nearly 100,000 troops near Ukraine border, also criticises ‘provocative policy’ of US and EU towards Kyiv

    Russia has accused the west of building up forces on its borders as well as those of Belarus in remarks that appeared tailored to mirror recent US warnings about Moscow’s aggressive positioning towards Ukraine.

    The Kremlin, as well as Russian intelligence, security, and diplomatic officials, have all gone on the offensive in the past 48 hours after Vladimir Putin publicly instructed his diplomats that tensions should be maintained with the west as a form of aggressive deterrence.

    Continue reading...", + "content": "

    Moscow, which has nearly 100,000 troops near Ukraine border, also criticises ‘provocative policy’ of US and EU towards Kyiv

    Russia has accused the west of building up forces on its borders as well as those of Belarus in remarks that appeared tailored to mirror recent US warnings about Moscow’s aggressive positioning towards Ukraine.

    The Kremlin, as well as Russian intelligence, security, and diplomatic officials, have all gone on the offensive in the past 48 hours after Vladimir Putin publicly instructed his diplomats that tensions should be maintained with the west as a form of aggressive deterrence.

    Continue reading...", + "category": "Russia", + "link": "https://www.theguardian.com/world/2021/nov/22/russia-accuses-west-of-building-up-forces-on-its-borders", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-11-22T15:28:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "96b788688d8311c240ba911b46c1c5e9" + "hash": "3405232836a7d4ef26bf081b68a37526" }, { - "title": "UK ministers urged to ‘stop playing politics’ over Channel crossings", - "description": "

    Aid groups say more deaths are likely and Britain must allow safe routes for asylum seekers

    More lives will be lost in the Channel unless urgent action is taken to stop “playing politics with people’s lives”, ministers have been warned as desperate refugees vowed to keep attempting the perilous journey.

    The grim prediction came as investigators tried to identify the bodies of at least 27 people, including a pregnant woman and three children and thought to be predominantly Kurds from Iraq, who drowned on Wednesday.

    Continue reading...", - "content": "

    Aid groups say more deaths are likely and Britain must allow safe routes for asylum seekers

    More lives will be lost in the Channel unless urgent action is taken to stop “playing politics with people’s lives”, ministers have been warned as desperate refugees vowed to keep attempting the perilous journey.

    The grim prediction came as investigators tried to identify the bodies of at least 27 people, including a pregnant woman and three children and thought to be predominantly Kurds from Iraq, who drowned on Wednesday.

    Continue reading...", - "category": "Refugees", - "link": "https://www.theguardian.com/world/2021/nov/25/uk-ministers-urged-to-stop-playing-politics-over-channel-crossings", - "creator": "Jamie Grierson, Jon Henley in Calais and Dan Sabbagh in Dunkirk", - "pubDate": "2021-11-25T20:59:59Z", + "title": "After sex and on the toilet: why we can’t put our phones down – but we really, really should", + "description": "

    A new survey has found that nowhere is sacred for a society of phone addicts, not even weddings and funerals

    Age: Fresh out of the poll oven. A new one, of 1,098 American adults by the games website Solitaired, finds we use our phones all the time and everywhere.

    No way! People are addicted to phones? I honestly had no idea … Hey, less of the sarcasm. You might not realise the extent of it. Nowhere or no occasion is sacred.

    Continue reading...", + "content": "

    A new survey has found that nowhere is sacred for a society of phone addicts, not even weddings and funerals

    Age: Fresh out of the poll oven. A new one, of 1,098 American adults by the games website Solitaired, finds we use our phones all the time and everywhere.

    No way! People are addicted to phones? I honestly had no idea … Hey, less of the sarcasm. You might not realise the extent of it. Nowhere or no occasion is sacred.

    Continue reading...", + "category": "Life and style", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/22/after-sex-on-toilet-crossing-road-cant-put-phones-down", + "creator": "", + "pubDate": "2021-11-22T15:06:34Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "840b6fc9aba1b2775cbe24ed835b6c01" + "hash": "33f98da1bfb77dd94ed25355b891eec9" }, { - "title": "‘We pray for them’: Biden pays tribute to Covid victims in Thanksgiving message", - "description": "

    President wishes Americans a closer-to-normal holiday amid rise in coronavirus infections

    President Joe Biden on Thursday wished Americans a happy and closer-to-normal Thanksgiving, the second celebrated in the shadow of the coronavirus pandemic, in remarks welcoming the resumption of holiday traditions in many homes.

    In his first holiday message as president, Biden and the first lady, Jill Biden, said this year’s celebrations were especially meaningful after last year’s family separations due to the pandemic.

    Continue reading...", - "content": "

    President wishes Americans a closer-to-normal holiday amid rise in coronavirus infections

    President Joe Biden on Thursday wished Americans a happy and closer-to-normal Thanksgiving, the second celebrated in the shadow of the coronavirus pandemic, in remarks welcoming the resumption of holiday traditions in many homes.

    In his first holiday message as president, Biden and the first lady, Jill Biden, said this year’s celebrations were especially meaningful after last year’s family separations due to the pandemic.

    Continue reading...", - "category": "Joe Biden", - "link": "https://www.theguardian.com/us-news/2021/nov/25/joe-biden-thanksgiving-covid-victims-jill-message", - "creator": "Edward Helmore in New York and agency", - "pubDate": "2021-11-25T20:45:09Z", + "title": "How a dream coach helped Benedict Cumberbatch and Jane Campion put the unconscious on screen", + "description": "

    Kim Gillingham explains how her work on The Power of the Dog enabled the ‘lioness of an artist’ and her ‘translucent’ star to access their inmost drives

    To access his dreams the surrealist artist Salvador Dalí napped while sitting on a chair, holding keys over an upturned metal plate. After he lost consciousness, the keys dropped onto the plate, jangling him awake so he could paint fresh from his unconscious. Kim Gillingham tells this story to connect her practice to the history of artistic endeavour. She is a Jungian dream coach, based in LA, who combines ideas from psychoanalysis and the method acting of the Actors Studio to, in her words: “access the incredible resource of the unconscious through dreams and through work with the body and to use that material to bring authenticity, truth and aliveness up through whatever discipline the artist is working in”.

    Jane Campion sought Gillingham’s services to help conjure the forces at play in her first film in 12 years, The Power of the Dog. It’s a western adapted from Thomas Savage’s 1967 novel that riffs on themes of masculinity and stars Benedict Cumberbatch as Phil Burbank, a toxic alpha cowboy whose personality is designed to hide a secret that would have made him vulnerable in the story’s setting of 1920s Montana.

    The Power of the Dog is streaming now on Netflix.

    Continue reading...", + "content": "

    Kim Gillingham explains how her work on The Power of the Dog enabled the ‘lioness of an artist’ and her ‘translucent’ star to access their inmost drives

    To access his dreams the surrealist artist Salvador Dalí napped while sitting on a chair, holding keys over an upturned metal plate. After he lost consciousness, the keys dropped onto the plate, jangling him awake so he could paint fresh from his unconscious. Kim Gillingham tells this story to connect her practice to the history of artistic endeavour. She is a Jungian dream coach, based in LA, who combines ideas from psychoanalysis and the method acting of the Actors Studio to, in her words: “access the incredible resource of the unconscious through dreams and through work with the body and to use that material to bring authenticity, truth and aliveness up through whatever discipline the artist is working in”.

    Jane Campion sought Gillingham’s services to help conjure the forces at play in her first film in 12 years, The Power of the Dog. It’s a western adapted from Thomas Savage’s 1967 novel that riffs on themes of masculinity and stars Benedict Cumberbatch as Phil Burbank, a toxic alpha cowboy whose personality is designed to hide a secret that would have made him vulnerable in the story’s setting of 1920s Montana.

    The Power of the Dog is streaming now on Netflix.

    Continue reading...", + "category": "The Power of the Dog", + "link": "https://www.theguardian.com/film/2021/nov/22/dream-coach-benedict-cumberbatch-jane-campion-unconscious-on-screen-the-power-of-the-dog", + "creator": "Sophie Monks Kaufman", + "pubDate": "2021-11-22T15:00:28Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db1c239b19fe5e9f18897d75716cbbcc" + "hash": "549f91f0f04d87f207e3580139ea872e" }, { - "title": "Three appear in court charged with 1996 murder of Scottish schoolgirl", - "description": "

    Robert O’Brien, Andrew Kelly and Donna Brand are accused of killing Caroline Glachan 25 years ago

    Three people have appeared in court in Scotland charged with the murder of the 14-year-old schoolgirl Caroline Glachan in 1996.

    Robert O’Brien, 43, Andrew Kelly and Donna Brand, both 42, appeared in private before Dumbarton sheriff court. Police had confirmed the arrests earlier on Thursday.

    Continue reading...", - "content": "

    Robert O’Brien, Andrew Kelly and Donna Brand are accused of killing Caroline Glachan 25 years ago

    Three people have appeared in court in Scotland charged with the murder of the 14-year-old schoolgirl Caroline Glachan in 1996.

    Robert O’Brien, 43, Andrew Kelly and Donna Brand, both 42, appeared in private before Dumbarton sheriff court. Police had confirmed the arrests earlier on Thursday.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/nov/25/three-appear-court-charged-1996-scottish-schoolgirl-caroline-glachan", - "creator": "Tom Ambrose", - "pubDate": "2021-11-25T20:42:08Z", + "title": "‘Covid has formed the person I am’: young people on how the pandemic changed them", + "description": "

    While some were inspired to make the most of life when they finally could, others say they felt unvalued and overlooked, as well as disappointed by the government

    For the past 12 months, the Guardian has tracked the journey of a group of young people from across the UK, capturing their intimate feelings and experiences as the pandemic upends their lives. Here they tell us how the past year has affected them – and transformed their futures.

    Aadam Patel, 22, lives in Dewsbury, West Yorkshire, with his parents, Musa and Zubeda, and his brother and two sisters

    Continue reading...", + "content": "

    While some were inspired to make the most of life when they finally could, others say they felt unvalued and overlooked, as well as disappointed by the government

    For the past 12 months, the Guardian has tracked the journey of a group of young people from across the UK, capturing their intimate feelings and experiences as the pandemic upends their lives. Here they tell us how the past year has affected them – and transformed their futures.

    Aadam Patel, 22, lives in Dewsbury, West Yorkshire, with his parents, Musa and Zubeda, and his brother and two sisters

    Continue reading...", + "category": "Young people", + "link": "https://www.theguardian.com/society/2021/nov/22/covid-has-formed-the-person-i-am-young-people-on-how-the-pandemic-changed-them", + "creator": "Amelia Hill", + "pubDate": "2021-11-22T14:36:10Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "16f47057d1ef7ead7b6240307121dec6" + "hash": "be3cd09ccf1c70a6e7752197a6c50de8" }, { - "title": "Interpol’s president: alleged torturer rises as symbol of UAE soft power", - "description": "

    Ahmed Nasser al-Raisi’s election has raised concerns about human rights and the surveillance state

    Maj Gen Ahmed Nasser al-Raisi’s ascent through the ranks of the interior ministry in Abu Dhabi is associated with the United Arab Emirates’ transformation into a hi-tech surveillance state.

    His personal achievements include a diploma in police management from the University of Cambridge, a doctorate in policing, security and community safety from London Metropolitan University and a medal of honour from Italy.

    Continue reading...", - "content": "

    Ahmed Nasser al-Raisi’s election has raised concerns about human rights and the surveillance state

    Maj Gen Ahmed Nasser al-Raisi’s ascent through the ranks of the interior ministry in Abu Dhabi is associated with the United Arab Emirates’ transformation into a hi-tech surveillance state.

    His personal achievements include a diploma in police management from the University of Cambridge, a doctorate in policing, security and community safety from London Metropolitan University and a medal of honour from Italy.

    Continue reading...", + "title": "Women bore brunt of social and economic impacts of Covid – Red Cross", + "description": "

    In 82% of countries surveyed, women were disproportionately hit, from loss of income to extra responsibility for caring, report shows

    The social and economic burden of Covid-19 has fallen disproportionately on women around the world, the Red Cross has warned, in a stark analysis of the impact of the pandemic.

    Women were particularly affected by loss of income and education, rises in domestic violence, child marriage and trafficking, and responsibility for caring for children and sick relatives, according to a comprehensive report published by the International Federation of Red Cross and Red Crescent Societies (IFRC) on Monday.

    Continue reading...", + "content": "

    In 82% of countries surveyed, women were disproportionately hit, from loss of income to extra responsibility for caring, report shows

    The social and economic burden of Covid-19 has fallen disproportionately on women around the world, the Red Cross has warned, in a stark analysis of the impact of the pandemic.

    Women were particularly affected by loss of income and education, rises in domestic violence, child marriage and trafficking, and responsibility for caring for children and sick relatives, according to a comprehensive report published by the International Federation of Red Cross and Red Crescent Societies (IFRC) on Monday.

    Continue reading...", "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/25/interpols-president-alleged-torturer-rises-as-symbol-of-uae-soft-power", - "creator": "Ruth Michaelson", - "pubDate": "2021-11-25T18:40:39Z", + "link": "https://www.theguardian.com/global-development/2021/nov/22/women-bore-brunt-of-social-and-economic-impacts-of-covid-red-cross", + "creator": "Jessie McDonald", + "pubDate": "2021-11-22T14:07:21Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ed4a8d5cddb6b04a232de7f09c6c753" + "hash": "a4887c4d3847e727f7041949f357cb1f" }, { - "title": "Shock and pity mix along UK coast where Channel tragedy played out", - "description": "

    Community reacts to the drowning of 27 people amid sense of resignation that nothing may change

    A UK Border Force perimeter at Dover Marina prevented closer contact with the few dozen men and women waiting late on Thursday morning on a red doubledecker bus marked “private” – yet exhaustion was clearly etched on each one’s face.

    It was unclear if the latest arrivals, who were on boats picked up by a Border Force cutter and a lifeboat in the Channel at 5am had embarked from France knowing 27 people had drowned making the same crossing on Wednesday.

    Continue reading...", - "content": "

    Community reacts to the drowning of 27 people amid sense of resignation that nothing may change

    A UK Border Force perimeter at Dover Marina prevented closer contact with the few dozen men and women waiting late on Thursday morning on a red doubledecker bus marked “private” – yet exhaustion was clearly etched on each one’s face.

    It was unclear if the latest arrivals, who were on boats picked up by a Border Force cutter and a lifeboat in the Channel at 5am had embarked from France knowing 27 people had drowned making the same crossing on Wednesday.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/25/shock-pity-mix-along-coast-where-channel-drowning-tragedy-played-out", - "creator": "Ben Quinn", - "pubDate": "2021-11-25T18:22:18Z", + "title": "‘All my friends went home’: a fruit picker on life without EU workers", + "description": "

    With fellow Europeans leaving the UK, and no British workers taking their place, Eleanor Popa’s job harvesting strawberries has gone from tough to tough and lonely. Will the farm survive another year?

    Eleanor Popa used to sleep in a six-berth caravan on the site of Sharrington Strawberries, a 16-hectare (40-acre) strawberry farm in Melton Constable, Norfolk. Now, there are only four people in her caravan: everyone else has left to work in EU countries. “My friends,” she says, “they went home, or to work in Spain and Germany. A lot of them did not come back to work this year.”

    Popa, who is from Bulgaria, has been a fruit picker for two years. “It’s hard work,” she says. “We have to get up early and pick. It’s 6am in the summer. Now we get up at 7.30am. And we work in tunnels. Sometimes it’s cold, sometimes it’s hot. Sometimes it’s windy. It can be boring.” Picking strawberries is skilled work. “It took me a month to learn how to pick the fruit,” she says.

    Continue reading...", + "content": "

    With fellow Europeans leaving the UK, and no British workers taking their place, Eleanor Popa’s job harvesting strawberries has gone from tough to tough and lonely. Will the farm survive another year?

    Eleanor Popa used to sleep in a six-berth caravan on the site of Sharrington Strawberries, a 16-hectare (40-acre) strawberry farm in Melton Constable, Norfolk. Now, there are only four people in her caravan: everyone else has left to work in EU countries. “My friends,” she says, “they went home, or to work in Spain and Germany. A lot of them did not come back to work this year.”

    Popa, who is from Bulgaria, has been a fruit picker for two years. “It’s hard work,” she says. “We have to get up early and pick. It’s 6am in the summer. Now we get up at 7.30am. And we work in tunnels. Sometimes it’s cold, sometimes it’s hot. Sometimes it’s windy. It can be boring.” Picking strawberries is skilled work. “It took me a month to learn how to pick the fruit,” she says.

    Continue reading...", + "category": "Work & careers", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/22/all-my-friends-went-home-a-fruit-picker-on-life-without-eu-workers", + "creator": "Sirin Kale", + "pubDate": "2021-11-22T14:00:27Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bc7c7ca9d1fed28bb3555edf72b97d63" + "hash": "f7e10ef010ca493f13639e1a1fb3c9b5" }, { - "title": "Interpol appoints Emirati general accused of torture as president", - "description": "

    Ahmed Nasser al-Raisi of United Arab Emirates elected despite concerns of human rights groups and MEPs

    A general from the United Arab Emirates accused of complicity in torture has been elected as president of the international policing agency Interpol in the teeth of fierce objections from human rights groups.

    Maj Gen Ahmed Nasser al-Raisi’s victory represents a boost to the growing diplomatic clout of the UAE, where he was appointed inspector general of the interior ministry in 2015, overseeing its prisons and policing.

    Continue reading...", - "content": "

    Ahmed Nasser al-Raisi of United Arab Emirates elected despite concerns of human rights groups and MEPs

    A general from the United Arab Emirates accused of complicity in torture has been elected as president of the international policing agency Interpol in the teeth of fierce objections from human rights groups.

    Maj Gen Ahmed Nasser al-Raisi’s victory represents a boost to the growing diplomatic clout of the UAE, where he was appointed inspector general of the interior ministry in 2015, overseeing its prisons and policing.

    Continue reading...", - "category": "Interpol", - "link": "https://www.theguardian.com/world/2021/nov/25/interpol-appoints-emirati-general-accused-torture-president-ahmed-nasser-al-raisi", - "creator": "Patrick Wintour Diplomatic editor and Ruth Michaelson", - "pubDate": "2021-11-25T17:59:03Z", + "title": "Another Covid Christmas: Britons urged to delay festive plans", + "description": "

    Analysis: scientists say high transmission rates mean caution is critical if people are to stay safe

    As Christmas approached in 2020, it was not a Dickensian spirit but the spectre of Covid that haunted households up and down the UK.

    With cases soaring, government-approved plans to allow three households to mix for five days in England were scrapped within weeks of being made, while scientists urged families to connect over Zoom or host drinks on the pavement rather than meeting for a hug.

    Continue reading...", + "content": "

    Analysis: scientists say high transmission rates mean caution is critical if people are to stay safe

    As Christmas approached in 2020, it was not a Dickensian spirit but the spectre of Covid that haunted households up and down the UK.

    With cases soaring, government-approved plans to allow three households to mix for five days in England were scrapped within weeks of being made, while scientists urged families to connect over Zoom or host drinks on the pavement rather than meeting for a hug.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/22/another-covid-christmas-britons-urged-delay-festive-plans", + "creator": "Nicola Davis Science correspondent", + "pubDate": "2021-11-22T13:35:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8929afb17d65bae605cb0aef40c00b01" + "hash": "994b863c23c885b0a20910aef83beac7" }, { - "title": "Google to pay £183m in back taxes to Irish government", - "description": "

    Firm’s subsidiary in Ireland agrees to backdated settlement to be paid in addition to corporation tax for 2020

    Google’s Irish subsidiary has agreed to pay €218m (£183m) in back taxes to the Irish government, according to company filings.

    The US tech company, which had been accused of avoiding hundreds of millions in tax across Europe through loopholes known as the “double Irish, Dutch sandwich”, said it had “agreed to the resolution of certain tax matters relating to prior years”.

    Continue reading...", - "content": "

    Firm’s subsidiary in Ireland agrees to backdated settlement to be paid in addition to corporation tax for 2020

    Google’s Irish subsidiary has agreed to pay €218m (£183m) in back taxes to the Irish government, according to company filings.

    The US tech company, which had been accused of avoiding hundreds of millions in tax across Europe through loopholes known as the “double Irish, Dutch sandwich”, said it had “agreed to the resolution of certain tax matters relating to prior years”.

    Continue reading...", - "category": "Google", - "link": "https://www.theguardian.com/technology/2021/nov/25/google-to-pay-183m-in-back-taxes-to-irish-government", - "creator": "Rupert Neate Wealth correspondent", - "pubDate": "2021-11-25T17:54:48Z", + "title": "Violence breaks out in Brussels in protests against Covid restrictions – video", + "description": "

    Riot police and protesters clashed in the streets of Brussels on Sunday in demonstrations over government-imposed Covid-19 restrictions, with police firing water cannon and teargas at crowds. Protesters threw smoke bombs, fireworks and rocks at officers. Belgium tightened its coronavirus restrictions on Wednesday, mandating wider use of masks and enforcing working from home, as cases surged in the country

    Continue reading...", + "content": "

    Riot police and protesters clashed in the streets of Brussels on Sunday in demonstrations over government-imposed Covid-19 restrictions, with police firing water cannon and teargas at crowds. Protesters threw smoke bombs, fireworks and rocks at officers. Belgium tightened its coronavirus restrictions on Wednesday, mandating wider use of masks and enforcing working from home, as cases surged in the country

    Continue reading...", + "category": "Belgium", + "link": "https://www.theguardian.com/world/video/2021/nov/22/violence-breaks-out-in-brussels-in-protests-against-covid-restrictions-video", + "creator": "", + "pubDate": "2021-11-22T10:41:47Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c403cc4dd3c7d1a49c2430fb4daee40" + "hash": "b7144d6e2460b384bf8839390f61a315" }, { - "title": "French fishers to block Channel tunnel in Brexit licences row", - "description": "

    Members of industry association say large number of vehicles will be used to block key artery between nations

    French fishers are threatening to block access to the Channel tunnel and the ferry port in Calais on Friday as part of an ongoing dispute over access to the waters between France and the UK in the wake of Brexit.

    They have branded the UK’s approach as “contemptuous” and “humiliating” and say they have no other option but to block access to the port and tunnel along with two other ports, Saint-Malo and Ouistreham.

    Continue reading...", - "content": "

    Members of industry association say large number of vehicles will be used to block key artery between nations

    French fishers are threatening to block access to the Channel tunnel and the ferry port in Calais on Friday as part of an ongoing dispute over access to the waters between France and the UK in the wake of Brexit.

    They have branded the UK’s approach as “contemptuous” and “humiliating” and say they have no other option but to block access to the port and tunnel along with two other ports, Saint-Malo and Ouistreham.

    Continue reading...", - "category": "Brexit", - "link": "https://www.theguardian.com/politics/2021/nov/25/french-fishers-block-channel-tunnel-brexit-fishing-licences-row", - "creator": "Lisa O'Carroll", - "pubDate": "2021-11-25T17:14:21Z", + "title": "The road to reform: have things improved for Qatar’s World Cup migrant workers?", + "description": "

    A year before kick off, workers claim companies are refusing to enforce sweeping new labour laws created to stamp out human rights abuses

    When Qatar won the bid to host the World Cup in 2010, the triumphant Gulf state unveiled plans to host the most spectacular of all World Cup tournaments and began an ambitious building plan of state-of-the-art stadiums, luxury hotels and a sparkling new metro.

    Yet, over the next decade, the brutal conditions in which hundreds of thousands of migrant workers toiled in searing heat to build Qatar’s World Cup vision has been exposed, with investigations into the forced labour , debt bondage and worker death toll causing international outrage.

    Continue reading...", + "content": "

    A year before kick off, workers claim companies are refusing to enforce sweeping new labour laws created to stamp out human rights abuses

    When Qatar won the bid to host the World Cup in 2010, the triumphant Gulf state unveiled plans to host the most spectacular of all World Cup tournaments and began an ambitious building plan of state-of-the-art stadiums, luxury hotels and a sparkling new metro.

    Yet, over the next decade, the brutal conditions in which hundreds of thousands of migrant workers toiled in searing heat to build Qatar’s World Cup vision has been exposed, with investigations into the forced labour , debt bondage and worker death toll causing international outrage.

    Continue reading...", + "category": "Workers' rights", + "link": "https://www.theguardian.com/global-development/2021/nov/22/qatar-labour-rights-reforms-world-cup-legacy", + "creator": "Pete Pattisson in Doha", + "pubDate": "2021-11-22T08:00:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e50db3f122479f1f98b79d93f86b81b" + "hash": "5a90839d2d5f9802a37e34a9a8956aae" }, { - "title": "Brisbane company worth just $8 when awarded $385m Nauru offshore processing contract", - "description": "

    Since 2017 the contract – now worth $1.6bn – has been amended seven times without competitive tender

    A Brisbane construction company had $8 in assets and had not commenced trading, when it was awarded a government contract – ultimately worth $1.6bn – to run Australia’s offshore processing on Nauru.

    The contract was awarded after the government ordered a “financial strength assessment” that was actually done on a different company.

    Continue reading...", - "content": "

    Since 2017 the contract – now worth $1.6bn – has been amended seven times without competitive tender

    A Brisbane construction company had $8 in assets and had not commenced trading, when it was awarded a government contract – ultimately worth $1.6bn – to run Australia’s offshore processing on Nauru.

    The contract was awarded after the government ordered a “financial strength assessment” that was actually done on a different company.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/2021/nov/26/brisbane-company-worth-just-8-when-awarded-385m-nauru-offshore-processing-contract", - "creator": "Ben Doherty and Ben Butler", - "pubDate": "2021-11-25T16:30:06Z", + "title": "Pregnant women at risk in Malawi as drug shortage prevents caesareans", + "description": "

    Patients travelling long distances to find surgery cancelled as lack of anaesthetics shuts operating theatres in half of hospitals

    Almost half of Malawi’s district hospitals have closed their operating theatres due to a dire shortage of anaesthetics.

    Maternity care has been affected by a lack of drugs, said doctors. Surgery, including caesareans, has been cancelled and patients needing emergency care have been moved hundreds of miles around the country.

    Continue reading...", + "content": "

    Patients travelling long distances to find surgery cancelled as lack of anaesthetics shuts operating theatres in half of hospitals

    Almost half of Malawi’s district hospitals have closed their operating theatres due to a dire shortage of anaesthetics.

    Maternity care has been affected by a lack of drugs, said doctors. Surgery, including caesareans, has been cancelled and patients needing emergency care have been moved hundreds of miles around the country.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/22/pregnant-women-at-risk-in-malawi-as-drug-shortage-prevents-caesareans", + "creator": "Charles Pensulo in Lilongwe", + "pubDate": "2021-11-22T07:00:19Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "13975525c98837e9b0fc78ee093ee6bd" + "hash": "ef972daf6fafac4f6693d04d263460b3" }, { - "title": "Let’s talk about sex: how Cardi B and Megan Thee Stallion’s WAP sent the world into overdrive", - "description": "

    A cultural ‘cancer’, soft porn … or the height of empowerment? A revealing documentary examines the debates around one of the raunchiest – and most talked about – rap records around

    As winter forces many of us to ditch nights out with friends in favour of nights in on the sofa, Belcalis Alamanzar’s iconic words ring out across the digital ether: “A ho never gets cold!”. In a clip that went viral in 2014, the rapper better known as Cardi B parades up and down a hotel corridor, clad in a plunging, barely-there bralette and tight-fitting skirt. For women who wear little and care about it even less, Megan Thee Stallion has made a name for herself in the same vein. Together, Meg and Cardi would go on to birth a movement with their hit 2020 single, WAP, an ode to female sexuality and “wet ass pussy” which brought a slice of the club to the worlds’ living rooms at the peak of lockdown.

    In three minutes and seven seconds of poetic dirty talk, the pair walk us through the spiciest of bedroom sessions, except – contrary to patriarchal norms – they are firmly in the driver’s seat. From fellatio to make-up sex, Cardi and Megan leave their targets weak. With the video quickly becoming a talking point around the world, their sexual desire (and that of women in general) became the subject of fierce debate. While many praised their cheeky candour, others were unimpressed, with Fox News’s Candace Owens going as far as to call Cardi a “cancer cell” who was destroying culture.

    Continue reading...", - "content": "

    A cultural ‘cancer’, soft porn … or the height of empowerment? A revealing documentary examines the debates around one of the raunchiest – and most talked about – rap records around

    As winter forces many of us to ditch nights out with friends in favour of nights in on the sofa, Belcalis Alamanzar’s iconic words ring out across the digital ether: “A ho never gets cold!”. In a clip that went viral in 2014, the rapper better known as Cardi B parades up and down a hotel corridor, clad in a plunging, barely-there bralette and tight-fitting skirt. For women who wear little and care about it even less, Megan Thee Stallion has made a name for herself in the same vein. Together, Meg and Cardi would go on to birth a movement with their hit 2020 single, WAP, an ode to female sexuality and “wet ass pussy” which brought a slice of the club to the worlds’ living rooms at the peak of lockdown.

    In three minutes and seven seconds of poetic dirty talk, the pair walk us through the spiciest of bedroom sessions, except – contrary to patriarchal norms – they are firmly in the driver’s seat. From fellatio to make-up sex, Cardi and Megan leave their targets weak. With the video quickly becoming a talking point around the world, their sexual desire (and that of women in general) became the subject of fierce debate. While many praised their cheeky candour, others were unimpressed, with Fox News’s Candace Owens going as far as to call Cardi a “cancer cell” who was destroying culture.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/25/queens-of-rap-cardi-b-megan-thee-stallion-wap", - "creator": "Danielle Koku", - "pubDate": "2021-11-25T16:30:05Z", + "title": "Social media footage shows SUV speeding through Wisconsin Christmas parade – video", + "description": "

    Social media footage shows a SUV speeding through a Christmas parade in Waukesha, Wisconsin, narrowly missing a small child. The red vehicle continued down the road and hit more than 20 people, including children. Waukesha police chief Dan Thompson said a person of interest was in custody and the suspect vehicle had been recovered. 

    Continue reading...", + "content": "

    Social media footage shows a SUV speeding through a Christmas parade in Waukesha, Wisconsin, narrowly missing a small child. The red vehicle continued down the road and hit more than 20 people, including children. Waukesha police chief Dan Thompson said a person of interest was in custody and the suspect vehicle had been recovered. 

    Continue reading...", + "category": "US news", + "link": "https://www.theguardian.com/us-news/video/2021/nov/22/social-media-footage-shows-suv-speeding-through-wisconsin-christmas-parade-video", + "creator": "", + "pubDate": "2021-11-22T03:35:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ea90019ecea12426d77a1dfcc214e77" + "hash": "4803e1ebd72001584a3d78242b3a9e9f" }, { - "title": "National Geographic green-eyed ‘Afghan Girl’ evacuated to Italy", - "description": "

    Sharbat Gula left Afghanistan after Taliban takeover that followed US departure from country

    National Geographic magazine’s famed green-eyed “Afghan Girl” has arrived in Italy as part of the west’s evacuation of Afghans after the Taliban takeover of the country, the Italian government has said.

    The office of the prime minister, Mario Draghi, said Italy organised the evacuation of Sharbat Gula after she asked to be helped to leave the country. The Italian government would help to get her integrated into life in Italy, the statement said on Thursday.

    Continue reading...", - "content": "

    Sharbat Gula left Afghanistan after Taliban takeover that followed US departure from country

    National Geographic magazine’s famed green-eyed “Afghan Girl” has arrived in Italy as part of the west’s evacuation of Afghans after the Taliban takeover of the country, the Italian government has said.

    The office of the prime minister, Mario Draghi, said Italy organised the evacuation of Sharbat Gula after she asked to be helped to leave the country. The Italian government would help to get her integrated into life in Italy, the statement said on Thursday.

    Continue reading...", - "category": "Afghanistan", - "link": "https://www.theguardian.com/world/2021/nov/25/national-geographic-green-eyed-afghan-girl-evacuated-italy-sharbat-gulla", - "creator": "Associated Press", - "pubDate": "2021-11-25T16:04:30Z", + "title": "The Bank of Mum and Dad has allowed New Zealand’s wealthy to become ‘opportunity hoarders’ | Max Rashbrooke", + "description": "

    When people are born into money it’s like they’ve stepped on an up escalator, borne effortlessly upwards while the poor go down

    In the last few decades, an apparently ordinary financial institution has assumed an importance that could hardly have been foreseen. It is not a finance company, a payday lender or even a crypto-currency. It is, rather, the Bank of Mum and Dad. Barely a day goes by without a media story about the struggles of young people to afford a first home, and their experience is rarely free from some kind of parental influence. Even the young grafters who have supposedly pulled themselves up by the bootstraps into homeownership often turn out to have lived rent-free with their parents or received some other kind of family support. Even more often, of course, they have simply relied on a large deposit from mum and dad.

    This is, in one sense, innocuous: parents want to assist their offspring financially, and have surely been doing so for as long as money has existed. But it is also insidious, because it allows some young people a significant – and completely unfair – advantage over others. And because those who can help their children into homeownership are themselves more likely to be homeowners, it ensures that advantage and disadvantage are passed down the generations. The economist Shamubeel Eaqub, with his eye for a well-turned phrase, calls this “the return of the landed gentry”.

    Continue reading...", + "content": "

    When people are born into money it’s like they’ve stepped on an up escalator, borne effortlessly upwards while the poor go down

    In the last few decades, an apparently ordinary financial institution has assumed an importance that could hardly have been foreseen. It is not a finance company, a payday lender or even a crypto-currency. It is, rather, the Bank of Mum and Dad. Barely a day goes by without a media story about the struggles of young people to afford a first home, and their experience is rarely free from some kind of parental influence. Even the young grafters who have supposedly pulled themselves up by the bootstraps into homeownership often turn out to have lived rent-free with their parents or received some other kind of family support. Even more often, of course, they have simply relied on a large deposit from mum and dad.

    This is, in one sense, innocuous: parents want to assist their offspring financially, and have surely been doing so for as long as money has existed. But it is also insidious, because it allows some young people a significant – and completely unfair – advantage over others. And because those who can help their children into homeownership are themselves more likely to be homeowners, it ensures that advantage and disadvantage are passed down the generations. The economist Shamubeel Eaqub, with his eye for a well-turned phrase, calls this “the return of the landed gentry”.

    Continue reading...", + "category": "New Zealand", + "link": "https://www.theguardian.com/world/commentisfree/2021/nov/22/the-bank-of-mum-and-dad-is-allowing-new-zealands-wealthy-to-become-opportunity-hoarders", + "creator": "Max Rashbrooke", + "pubDate": "2021-11-21T19:00:04Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1c9d561b1f4eadff5f1223ee38185179" + "hash": "6654afd7ff48af95a8d84e7169ff8084" }, { - "title": "Paul Weller’s 30 greatest songs – ranked!", - "description": "

    Drawn from the Jam, the Style Council and his solo work, all of it powered by romance, storytelling and political vim, here is the best of a British songwriter unbounded by genre

    On the B-side of A Solid Bond in Your Heart lurks Weller’s mea culpa take on the sudden demise of the Jam, the arrogance of youth and the perils of becoming the Voice of a Generation. “I was a shit-stained statue / Schoolchildren would stand in awe … I thought I was lord of this crappy jungle.”

    Continue reading...", - "content": "

    Drawn from the Jam, the Style Council and his solo work, all of it powered by romance, storytelling and political vim, here is the best of a British songwriter unbounded by genre

    On the B-side of A Solid Bond in Your Heart lurks Weller’s mea culpa take on the sudden demise of the Jam, the arrogance of youth and the perils of becoming the Voice of a Generation. “I was a shit-stained statue / Schoolchildren would stand in awe … I thought I was lord of this crappy jungle.”

    Continue reading...", - "category": "Paul Weller", - "link": "https://www.theguardian.com/music/2021/nov/25/paul-wellers-30-greatest-songs-ranked", - "creator": "Alexis Petridis", - "pubDate": "2021-11-25T15:29:05Z", + "title": "'We need your criticism', Pope tells young people – video", + "description": "

    Speaking at St Peter's Basilica in the Vatican, Pope Francis encourages young people in their efforts to protect the environment, telling them to be 'the critical conscience of society'

    Continue reading...", + "content": "

    Speaking at St Peter's Basilica in the Vatican, Pope Francis encourages young people in their efforts to protect the environment, telling them to be 'the critical conscience of society'

    Continue reading...", + "category": "Pope Francis", + "link": "https://www.theguardian.com/world/video/2021/nov/21/we-need-your-criticism-pope-tells-young-people-video", + "creator": "", + "pubDate": "2021-11-21T16:55:17Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8841988dacbdd63e3149292988a5e776" + "hash": "3a4a2d259aed6d1168e8e0db2ef7f68f" }, { - "title": "All options fraught with risk as Biden confronts Putin over Ukraine", - "description": "

    Analysis: Moscow presents Washington with a no-win situation: capitulate on Ukrainian sovereignty or risk all-out war

    Joe Biden is preparing for a virtual summit with Vladimir Putin with the aim of fending off the threat of another Russian invasion of Ukraine.

    The summit has been previewed by the Kremlin. The White House has not confirmed it, but Biden’s press secretary, Jen Psaki, said that “high-level diplomacy is a priority of the president” and pointed to the teleconference meeting with Xi Jinping earlier in November.

    Continue reading...", - "content": "

    Analysis: Moscow presents Washington with a no-win situation: capitulate on Ukrainian sovereignty or risk all-out war

    Joe Biden is preparing for a virtual summit with Vladimir Putin with the aim of fending off the threat of another Russian invasion of Ukraine.

    The summit has been previewed by the Kremlin. The White House has not confirmed it, but Biden’s press secretary, Jen Psaki, said that “high-level diplomacy is a priority of the president” and pointed to the teleconference meeting with Xi Jinping earlier in November.

    Continue reading...", - "category": "US foreign policy", - "link": "https://www.theguardian.com/us-news/2021/nov/25/all-options-fraught-with-risk-as-biden-confronts-putin-over-ukraine", - "creator": "Julian Borger in Washington", - "pubDate": "2021-11-25T15:19:20Z", + "title": "Sudanese PM’s release is only small step in resolving crisis", + "description": "

    Analysis: deal satisfies some international demands but route to democratic transition after fall of Omar al-Bashir remains unclear

    The deal to secure the release of the detained Sudanese prime minister, Abdalla Hamdok, signed by Hamdok and Gen Abdel Fattah al-Burhan, who seized power in a military coup on 25 October, leaves Sudan in a continuing crisis.

    While the agreement satisfies some of the immediate demands of the international community and mediators from the US and UN – not least securing the release of Hamdok and other political detainees – it leaves many of the country’s most serious issues in its political transition unresolved.

    Continue reading...", + "content": "

    Analysis: deal satisfies some international demands but route to democratic transition after fall of Omar al-Bashir remains unclear

    The deal to secure the release of the detained Sudanese prime minister, Abdalla Hamdok, signed by Hamdok and Gen Abdel Fattah al-Burhan, who seized power in a military coup on 25 October, leaves Sudan in a continuing crisis.

    While the agreement satisfies some of the immediate demands of the international community and mediators from the US and UN – not least securing the release of Hamdok and other political detainees – it leaves many of the country’s most serious issues in its political transition unresolved.

    Continue reading...", + "category": "Sudan", + "link": "https://www.theguardian.com/world/2021/nov/21/sudanese-pms-release-is-only-small-step-in-resolving-crisis", + "creator": "Peter Beaumont", + "pubDate": "2021-11-21T16:25:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e9af2cc1b23398a49f407053265043e" + "hash": "8cda8e2498f4eead05f12a5ed39294d5" }, { - "title": "Warning on tackling HIV as WHO finds rise in resistance to antiretroviral drugs", - "description": "

    Nearly half of newly diagnosed infants in 10 countries have drug-resistant HIV, study finds, underlining need for new alternatives

    HIV drug resistance is on the rise, according to a new report, which found that the number of people with the virus being treated with antiretrovirals had risen to 27.5 million – an annual increase of 2 million.

    Four out of five countries with high rates had seen success in suppressing the virus with antiretroviral treatments, according to the World Health Organization’s HIV drug-resistance report.

    Continue reading...", - "content": "

    Nearly half of newly diagnosed infants in 10 countries have drug-resistant HIV, study finds, underlining need for new alternatives

    HIV drug resistance is on the rise, according to a new report, which found that the number of people with the virus being treated with antiretrovirals had risen to 27.5 million – an annual increase of 2 million.

    Four out of five countries with high rates had seen success in suppressing the virus with antiretroviral treatments, according to the World Health Organization’s HIV drug-resistance report.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/25/warning-hiv-who-finds-rise-resistance-antiretroviral-drugs", - "creator": "Kaamil Ahmed", - "pubDate": "2021-11-25T15:17:02Z", + "title": "People used as 'living shields' in migration crisis, says Polish PM – video", + "description": "

    The Polish prime minister, Mateusz Morawiecki, says people from the Middle East are being used as 'living shields' as his country faces a 'new type of war', in reference to the migration crisis on its border with Belarus.

    Critics in the west have accused Belarus of artificially creating the crisis by bringing in people – mostly from the Middle East – and taking them to the border with promises of an easy crossing into the EU

    Continue reading...", + "content": "

    The Polish prime minister, Mateusz Morawiecki, says people from the Middle East are being used as 'living shields' as his country faces a 'new type of war', in reference to the migration crisis on its border with Belarus.

    Critics in the west have accused Belarus of artificially creating the crisis by bringing in people – mostly from the Middle East – and taking them to the border with promises of an easy crossing into the EU

    Continue reading...", + "category": "Poland", + "link": "https://www.theguardian.com/world/video/2021/nov/21/people-living-shields-migration-polish-pm-video-belarus-morawiecki", + "creator": "", + "pubDate": "2021-11-21T13:41:31Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1ab15f6d3aff56b4f7b802ade8bd2d29" + "hash": "02e051fc55fc23aeb06dfb95a1f2e22c" }, { - "title": "Pregnant women urged to get Covid jab as data from England shows it is safe", - "description": "

    Analysis finds vaccinated women no more likely than unvaccinated to suffer stillbirth or premature births

    Health leaders are urging thousands of unvaccinated pregnant women to get vaccinated after the first official data from England found Covid jabs are safe and effective.

    The analysis of more than 350,000 deliveries by the UK Health Security Agency (UKHSA) shows women who have had a Covid vaccine are no more likely than unvaccinated women to suffer stillbirth, premature birth or have babies with low birthweight. It reinforces international evidence that the jabs have a good safety record in pregnant women.

    Continue reading...", - "content": "

    Analysis finds vaccinated women no more likely than unvaccinated to suffer stillbirth or premature births

    Health leaders are urging thousands of unvaccinated pregnant women to get vaccinated after the first official data from England found Covid jabs are safe and effective.

    The analysis of more than 350,000 deliveries by the UK Health Security Agency (UKHSA) shows women who have had a Covid vaccine are no more likely than unvaccinated women to suffer stillbirth, premature birth or have babies with low birthweight. It reinforces international evidence that the jabs have a good safety record in pregnant women.

    Continue reading...", + "title": "Sajid Javid rules out compulsory Covid vaccinations in UK – video", + "description": "

    The health secretary says the UK 'won't ever look at' mandatory vaccinations for the general public, after Austria announced it would become the first country in Europe to make coronavirus jabs compulsory. This comes as several countries, including Belgium, Germany and Norway, revealed last week they were preparing to beef up measures to tackle low uptake of Covid-19 vaccines

    Continue reading...", + "content": "

    The health secretary says the UK 'won't ever look at' mandatory vaccinations for the general public, after Austria announced it would become the first country in Europe to make coronavirus jabs compulsory. This comes as several countries, including Belgium, Germany and Norway, revealed last week they were preparing to beef up measures to tackle low uptake of Covid-19 vaccines

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/25/pregnant-women-covid-jab-safe", - "creator": "Andrew Gregory Health editor", - "pubDate": "2021-11-25T15:13:39Z", + "link": "https://www.theguardian.com/world/video/2021/nov/21/sajid-javid-rules-out-compulsory-covid-vaccinations-in-uk-video", + "creator": "", + "pubDate": "2021-11-21T11:31:19Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bf818b0c74cc768fb5ac3259b5c911c8" + "hash": "cf0544bb7abfbf830f6c1a6c6fcd8a74" }, { - "title": "Naomi Campbell’s fashion charity investigated over finances", - "description": "

    Regulator examines potential mismanagement at Fashion for Relief and payments to trustee

    The fashion charity established by the supermodel Naomi Campbell has come under formal investigation from the charities watchdog over misconduct concerns relating to its management and finances.

    Campbell created Fashion for Relief in 2005 to raise funds for children living in poverty and adversity around the world, and says it has raised millions over the years for good causes through its annual charity fashion show.

    Continue reading...", - "content": "

    Regulator examines potential mismanagement at Fashion for Relief and payments to trustee

    The fashion charity established by the supermodel Naomi Campbell has come under formal investigation from the charities watchdog over misconduct concerns relating to its management and finances.

    Campbell created Fashion for Relief in 2005 to raise funds for children living in poverty and adversity around the world, and says it has raised millions over the years for good causes through its annual charity fashion show.

    Continue reading...", - "category": "Charities", - "link": "https://www.theguardian.com/society/2021/nov/25/naomi-campbells-fashion-charity-investigated-over-finances", - "creator": "Patrick Butler Social policy editor", - "pubDate": "2021-11-25T15:11:23Z", + "title": "Indigenous community evicted as land clashes over agribusiness rock Paraguay", + "description": "

    Police in riot gear tore down a community’s homes and ripped up crops, highlighting the country’s highly unequal land ownership

    Armed police with water cannons and a low-flying helicopter have faced off against indigenous villagers brandishing sticks and bows in the latest clash over land rights in Paraguay, a country with one of the highest inequalities of land ownership in the world.

    Videos of Thursday’s confrontation showed officers in riot armour jostling members of the Hugua Po’i community – including children and elderly people – out of their homes and into torrential rain.

    Continue reading...", + "content": "

    Police in riot gear tore down a community’s homes and ripped up crops, highlighting the country’s highly unequal land ownership

    Armed police with water cannons and a low-flying helicopter have faced off against indigenous villagers brandishing sticks and bows in the latest clash over land rights in Paraguay, a country with one of the highest inequalities of land ownership in the world.

    Videos of Thursday’s confrontation showed officers in riot armour jostling members of the Hugua Po’i community – including children and elderly people – out of their homes and into torrential rain.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/21/paraguay-evictions-land-indigenous-agribusiness", + "creator": "Laurence Blair in Raúl Arsenio Oviedo", + "pubDate": "2021-11-21T10:30:09Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5e268e0e8f9be0731a86c7c5153344d" + "hash": "b8c06c4bad2beecc1c997059b6d8cd5c" }, { - "title": "‘Battery arms race’: how China has monopolised the electric vehicle industry", - "description": "

    Chinese companies dominate mining, battery and manufacturing sectors, and amid human rights concerns, Europe and the US are struggling to keep pace

    Think of an electric car and the first name that comes to mind will probably be Tesla. The California company makes the world’s bestselling electric car and was recently valued at $1tn. But behind this US success story is a tale of China’s manufacturing might.

    Tesla’s factory in Shanghai now produces more cars than its plant in California. Some of the batteries that drive them are Chinese-made and the minerals that power the batteries are largely refined and mined by Chinese companies.

    Continue reading...", - "content": "

    Chinese companies dominate mining, battery and manufacturing sectors, and amid human rights concerns, Europe and the US are struggling to keep pace

    Think of an electric car and the first name that comes to mind will probably be Tesla. The California company makes the world’s bestselling electric car and was recently valued at $1tn. But behind this US success story is a tale of China’s manufacturing might.

    Tesla’s factory in Shanghai now produces more cars than its plant in California. Some of the batteries that drive them are Chinese-made and the minerals that power the batteries are largely refined and mined by Chinese companies.

    Continue reading...", - "category": "Electric, hybrid and low-emission cars", - "link": "https://www.theguardian.com/global-development/2021/nov/25/battery-arms-race-how-china-has-monopolised-the-electric-vehicle-industry", - "creator": "Pete Pattisson", - "pubDate": "2021-11-25T14:03:45Z", + "title": "ICU is full of the unvaccinated – my patience with them is wearing thin | Anonymous", + "description": "

    Most of the resources the NHS is devoting to Covid in hospital are being spent on people who have not had their jab

    In hospital, Covid-19 has largely become a disease of the unvaccinated. The man in his 20s who had always watched what he ate, worked out in the gym, was too healthy to ever catch Covid badly. The 48-year-old who never got round to making the appointment.

    The person in their 50s whose friend had side-effects. The woman who wanted to wait for more evidence. The young pregnant lady worried about the effect on her baby.

    The writer is an NHS respiratory consultant who works across a number of hospitals

    Continue reading...", + "content": "

    Most of the resources the NHS is devoting to Covid in hospital are being spent on people who have not had their jab

    In hospital, Covid-19 has largely become a disease of the unvaccinated. The man in his 20s who had always watched what he ate, worked out in the gym, was too healthy to ever catch Covid badly. The 48-year-old who never got round to making the appointment.

    The person in their 50s whose friend had side-effects. The woman who wanted to wait for more evidence. The young pregnant lady worried about the effect on her baby.

    The writer is an NHS respiratory consultant who works across a number of hospitals

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/21/icu-is-full-of-the-unvaccinated-my-patience-with-them-is-wearing-thin", + "creator": "Anonymous", + "pubDate": "2021-11-21T09:16:25Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9fd756b5c75d88f988b3aa0c62ffad08" + "hash": "0bd295d10feb765e2552c04ef6902dd4" }, { - "title": "EU moves to place Covid booster jabs at heart of travel rules", - "description": "

    Commission says unrestricted travel between states should apply to those who get booster nine months after jabs

    People hoping to travel to the European Union next year will have to get a booster jab once their original Covid vaccines are more than nine months old, under new proposals from Brussels.

    On Thursday, the European Commission proposed a nine-month limit for vaccine validity that would apply for travel within and to the EU.

    Continue reading...", - "content": "

    Commission says unrestricted travel between states should apply to those who get booster nine months after jabs

    People hoping to travel to the European Union next year will have to get a booster jab once their original Covid vaccines are more than nine months old, under new proposals from Brussels.

    On Thursday, the European Commission proposed a nine-month limit for vaccine validity that would apply for travel within and to the EU.

    Continue reading...", - "category": "European Union", - "link": "https://www.theguardian.com/world/2021/nov/25/eu-moves-to-place-covid-booster-jabs-at-heart-of-travel-rules", - "creator": "Jennifer Rankin in Brussels", - "pubDate": "2021-11-25T13:47:23Z", + "title": "Large fire breaks out near Paris opera – video", + "description": "

    A large fire has broken out in a building on Boulevard des Capucines, near the Place de L’Opéra in central Paris, sending clouds of smoke rising into the air. People were told to avoid the area, which is popular with tourists, as fire crews tackled the blaze

    Continue reading...", + "content": "

    A large fire has broken out in a building on Boulevard des Capucines, near the Place de L’Opéra in central Paris, sending clouds of smoke rising into the air. People were told to avoid the area, which is popular with tourists, as fire crews tackled the blaze

    Continue reading...", + "category": "Paris", + "link": "https://www.theguardian.com/world/video/2021/nov/20/large-fire-breaks-out-near-paris-opera-video", + "creator": "", + "pubDate": "2021-11-20T17:36:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dddad8a70ba6e988330bc17d5b55bd3c" + "hash": "53d96469b0f948c683556575e7ca2242" }, { - "title": "Apple tells Thai activists they are targets of ‘state-sponsored attackers’", - "description": "

    At least 17 people including protest leaders have received alerts about devices possibly being compromised

    Thai activists who have called for reform of the monarchy are among at least 17 people in Thailand who say they have been warned by Apple that they have been targeted by “state-sponsored” attackers.

    Warnings were sent to the prominent activists Panusaya Sithijirawattanakul and Arnon Nampa, according to Panusaya’s sister May and the administrator of Arnon’s Facebook page. Panusaya and Arnon are in pre-trial detention after leading demonstrations calling for the power of the monarchy to be curbed.

    Continue reading...", - "content": "

    At least 17 people including protest leaders have received alerts about devices possibly being compromised

    Thai activists who have called for reform of the monarchy are among at least 17 people in Thailand who say they have been warned by Apple that they have been targeted by “state-sponsored” attackers.

    Warnings were sent to the prominent activists Panusaya Sithijirawattanakul and Arnon Nampa, according to Panusaya’s sister May and the administrator of Arnon’s Facebook page. Panusaya and Arnon are in pre-trial detention after leading demonstrations calling for the power of the monarchy to be curbed.

    Continue reading...", - "category": "Thailand", - "link": "https://www.theguardian.com/world/2021/nov/25/apple-tells-thai-activists-they-are-targets-of-state-sponsored-attackers", - "creator": "Rebecca Ratcliffe and Navaon Siradapuvadol", - "pubDate": "2021-11-25T13:42:51Z", + "title": "Drivers scramble to grab cash that spilled on to California motorway – video", + "description": "

    Drivers in southern California have scrambled to pick up cash after bags of money fell out of an armoured vehicle on a motorway. Several bags broke open, spreading mainly $1 and $20 bills all over the lanes and bringing the motorway to a chaotic halt. Videos posted online showed people laughing and jumping into the air as they held wads of money

    Continue reading...", + "content": "

    Drivers in southern California have scrambled to pick up cash after bags of money fell out of an armoured vehicle on a motorway. Several bags broke open, spreading mainly $1 and $20 bills all over the lanes and bringing the motorway to a chaotic halt. Videos posted online showed people laughing and jumping into the air as they held wads of money

    Continue reading...", + "category": "California", + "link": "https://www.theguardian.com/us-news/video/2021/nov/20/drivers-scramble-to-grab-cash-that-spilled-on-to-california-motorway-video", + "creator": "", + "pubDate": "2021-11-20T16:15:15Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "09c0024692a3f15338d0360d055a109d" + "hash": "efb6249461ca3698cd1305c5433bb69a" }, { - "title": "Dozens killed in Siberia after coalmine explosion – reports", - "description": "

    Russian media reports emergency officials saying 52 miners and rescuers have died in the Listvyazhnaya mine

    A devastating explosion in a Siberian coalmine on Thursday left 52 miners and rescuers dead about 250 meters (820ft) underground, Russian officials have said.

    Hours after a methane gas explosion and fire filled the mine with toxic fumes, rescuers found 14 bodies but then were forced to halt the search for 38 others because of a buildup of methane and carbon monoxide gas from the fire. A total of 239 people were rescued.

    Continue reading...", - "content": "

    Russian media reports emergency officials saying 52 miners and rescuers have died in the Listvyazhnaya mine

    A devastating explosion in a Siberian coalmine on Thursday left 52 miners and rescuers dead about 250 meters (820ft) underground, Russian officials have said.

    Hours after a methane gas explosion and fire filled the mine with toxic fumes, rescuers found 14 bodies but then were forced to halt the search for 38 others because of a buildup of methane and carbon monoxide gas from the fire. A total of 239 people were rescued.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/nov/25/dozens-trapped-underground-in-siberia-after-fatal-coalmine-fire", - "creator": "Associated Press", - "pubDate": "2021-11-25T13:32:03Z", + "title": "Migrant caravan and Qatar’s tarnished World Cup: human rights this fortnight – in pictures", + "description": "

    A roundup of the struggle for human rights and freedoms, from Pakistan to Poland

    Continue reading...", + "content": "

    A roundup of the struggle for human rights and freedoms, from Pakistan to Poland

    Continue reading...", + "category": "World news", + "link": "https://www.theguardian.com/global-development/gallery/2021/nov/20/migrant-caravan-and-qatars-tarnished-world-cup-human-rights-this-fortnight-in-pictures", + "creator": "Sarah Johnson, compiled by Eric Hilaire", + "pubDate": "2021-11-20T07:30:21Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7554b10c935e22970a479892e80ec33f" + "hash": "133a5421376d3835fd8c9274edf52ce4" }, { - "title": "What is driving Europe's surge in Covid cases? – video explainer", - "description": "

    The continent is now the centre of the global coronavirus pandemic – again. As countries from the Baltic to the Med brace for harsher winter measures, the Guardian's Jon Henley looks at the reasons behind the fourth wave

    Continue reading...", - "content": "

    The continent is now the centre of the global coronavirus pandemic – again. As countries from the Baltic to the Med brace for harsher winter measures, the Guardian's Jon Henley looks at the reasons behind the fourth wave

    Continue reading...", + "title": "Covid live: Dutch police open fire at protest; German government not ruling out full lockdown", + "description": "

    Two injured as police in Rotterdam fire warning shots; German health minister says nothing can be ruled out

    A quick snap from Reuters here that the UK government has announced it will add booster shot status to the Covid-19 pass for outbound international travel, though it said they would not be added to the domestic pass at this time.

    The health ministry said that travellers who have had a booster or a third dose would be able to demonstrate their vaccine status through the NHS Covid pass from Friday, adding that a booster was not necessary to travel into England.

    This pandemic has exposed a vulnerability to whole-system emergencies – that is, emergencies that are so broad that they engage the entire system. Although the government had plans for an influenza pandemic, it did not have detailed plans for many non-health consequences and some health consequences of a pandemic like Covid-19. There were lessons from previous simulation exercises that were not fully implemented and would have helped prepare for a pandemic like Covid-19. There was limited oversight and assurance of plans in place, and many pre-pandemic plans were not adequate. In addition, there is variation in capacity, capability and maturity of risk management across government departments.

    Continue reading...", + "content": "

    Two injured as police in Rotterdam fire warning shots; German health minister says nothing can be ruled out

    A quick snap from Reuters here that the UK government has announced it will add booster shot status to the Covid-19 pass for outbound international travel, though it said they would not be added to the domestic pass at this time.

    The health ministry said that travellers who have had a booster or a third dose would be able to demonstrate their vaccine status through the NHS Covid pass from Friday, adding that a booster was not necessary to travel into England.

    This pandemic has exposed a vulnerability to whole-system emergencies – that is, emergencies that are so broad that they engage the entire system. Although the government had plans for an influenza pandemic, it did not have detailed plans for many non-health consequences and some health consequences of a pandemic like Covid-19. There were lessons from previous simulation exercises that were not fully implemented and would have helped prepare for a pandemic like Covid-19. There was limited oversight and assurance of plans in place, and many pre-pandemic plans were not adequate. In addition, there is variation in capacity, capability and maturity of risk management across government departments.

    Continue reading...", "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/25/what-is-driving-europes-surge-in-covid-cases-video-explainer", - "creator": "Monika Cvorak, Jon Henley and Nikhita Chulani", - "pubDate": "2021-11-25T12:50:29Z", + "link": "https://www.theguardian.com/world/live/2021/nov/19/covid-news-live-macron-says-locking-down-frances-unvaccinated-not-necessary", + "creator": "Nadeem Badshah (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", + "pubDate": "2021-11-19T22:49:41Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "61b6eace8e7f512a26fc166385614b4b" + "hash": "08f063fdca9f0d51cd74a48737c107a3" }, { - "title": "Matteo Salvini: ‘I refuse to think of substituting 10m Italians with 10m migrants’", - "description": "

    Exclusive: Far-right politician is in campaign mode and says he has no regrets about draconian policies he introduced when he was interior minister

    Whether they’re camped outside in freezing temperatures or stranded at sea, Matteo Salvini exhibits little sympathy for the asylum seekers blocked at European borders. The Italian far-right leader, who as interior minister attempted to stop NGO rescue boats landing in Italian ports, in one case leading to criminal charges, will travel to Warsaw next month in a show of solidarity with his Polish allies who have deployed hardcore tactics to ward off thousands of refugees trying to enter from Belarus.

    “I think that Europe is realising that illegal immigration is dangerous,” Salvini told the Guardian in an interview conducted before 27 people drowned attempting to cross the Channel in an inflatable boat. “So maybe this shock will be useful.”

    Continue reading...", - "content": "

    Exclusive: Far-right politician is in campaign mode and says he has no regrets about draconian policies he introduced when he was interior minister

    Whether they’re camped outside in freezing temperatures or stranded at sea, Matteo Salvini exhibits little sympathy for the asylum seekers blocked at European borders. The Italian far-right leader, who as interior minister attempted to stop NGO rescue boats landing in Italian ports, in one case leading to criminal charges, will travel to Warsaw next month in a show of solidarity with his Polish allies who have deployed hardcore tactics to ward off thousands of refugees trying to enter from Belarus.

    “I think that Europe is realising that illegal immigration is dangerous,” Salvini told the Guardian in an interview conducted before 27 people drowned attempting to cross the Channel in an inflatable boat. “So maybe this shock will be useful.”

    Continue reading...", - "category": "Matteo Salvini", - "link": "https://www.theguardian.com/world/2021/nov/25/matteo-salvini-interview-far-right-migration", - "creator": "Angela Giuffrida in Rome", - "pubDate": "2021-11-25T12:37:22Z", + "title": "Australia live news updates: Victoria Covid protests expected to escalate; NSW records 182 new cases; William Tyrrell search in sixth day", + "description": "

    Anti-fascist activists vow to counter-rally against another wave of planned ‘freedom rallies’ they claim have been infiltrated by far-right groups

    Asked about whether we can expect to see the introduction of a legislation for a federal anti-corruption commission in parliament in the next couple of weeks, Tim Wilson says it’s important that they “get the legislation right”:

    Because what we’ve had too often is proposals which are designed to establish, kind of, kangaroo courts, and actually would do more to breed distrust in the political conversation. We’ve seen that particularly in the consequence of what’s happening in ICAC in New South Wales.

    We want a process that’s based around integrity, that’s been consulted with the Australian community, and is actually going to do the job we need it to do, which is actually to breed trust and strength in the political system, not simply to create show trials, as I’ve seen it many times.

    I think this is pretty simple. You’ve got a group of people marching down the street with a life-sized execution device. You’ve got people threatening to kill the Premier of Victoria. If you’re any sort of leader, you just condemn that, full stop. You don’t go on and then say, “But I understand why people are frustrated.”

    I think it is legitimate to point out that Scott Morrison has pulled the sheet out of the Trump handbook here. Lie, deny, blame other people, never take responsibility for anything, try and divide the community, pander to the extreme right - this is Trump without the toupee. And, seriously, I think the Australian people deserve better than that.

    Continue reading...", + "content": "

    Anti-fascist activists vow to counter-rally against another wave of planned ‘freedom rallies’ they claim have been infiltrated by far-right groups

    Asked about whether we can expect to see the introduction of a legislation for a federal anti-corruption commission in parliament in the next couple of weeks, Tim Wilson says it’s important that they “get the legislation right”:

    Because what we’ve had too often is proposals which are designed to establish, kind of, kangaroo courts, and actually would do more to breed distrust in the political conversation. We’ve seen that particularly in the consequence of what’s happening in ICAC in New South Wales.

    We want a process that’s based around integrity, that’s been consulted with the Australian community, and is actually going to do the job we need it to do, which is actually to breed trust and strength in the political system, not simply to create show trials, as I’ve seen it many times.

    I think this is pretty simple. You’ve got a group of people marching down the street with a life-sized execution device. You’ve got people threatening to kill the Premier of Victoria. If you’re any sort of leader, you just condemn that, full stop. You don’t go on and then say, “But I understand why people are frustrated.”

    I think it is legitimate to point out that Scott Morrison has pulled the sheet out of the Trump handbook here. Lie, deny, blame other people, never take responsibility for anything, try and divide the community, pander to the extreme right - this is Trump without the toupee. And, seriously, I think the Australian people deserve better than that.

    Continue reading...", + "category": "Australia news", + "link": "https://www.theguardian.com/australia-news/live/2021/nov/20/australia-live-news-updates-victoria-covid-protests-expected-to-escalate-william-tyrrell-search-enters-in-sixth-day", + "creator": "Stephanie Convery", + "pubDate": "2021-11-19T22:49:38Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f026a22210a3307b715ae0de2d3b014f" + "hash": "f5a979fb06cf1d3ebb436dc8000ec15b" }, { - "title": "Spanish police recover rare 2,000-year-old Iberian sword", - "description": "

    Double-edged, curved falcata particularly sought after because of the original condition of its blade

    More than 2,000 years after it was last wielded by a warrior somewhere on the Iberian peninsula, a rare, magnificent – and plundered – sword has been recovered by Spanish police, who tracked it down before it was sold online.

    The pre-Roman falcata, a double-edged, curved sword used by the Iberians between the fifth and first centuries BC, was seized along with 202 other archaeological pieces after it appeared on what Policía Nacional officers termed “a well known social media site”.

    Continue reading...", - "content": "

    Double-edged, curved falcata particularly sought after because of the original condition of its blade

    More than 2,000 years after it was last wielded by a warrior somewhere on the Iberian peninsula, a rare, magnificent – and plundered – sword has been recovered by Spanish police, who tracked it down before it was sold online.

    The pre-Roman falcata, a double-edged, curved sword used by the Iberians between the fifth and first centuries BC, was seized along with 202 other archaeological pieces after it appeared on what Policía Nacional officers termed “a well known social media site”.

    Continue reading...", - "category": "Spain", - "link": "https://www.theguardian.com/world/2021/nov/25/spanish-police-recover-rare-2000-year-old-iberian-sword", - "creator": "Sam Jones in Madrid", - "pubDate": "2021-11-25T12:26:09Z", + "title": "Kyle Rittenhouse: Biden accepts verdict as acquittal sparks outrage – live", + "description": "

    Jerrold Nadler of New York, the Democratic chair of the House judiciary committee, is out with a much stronger statement than President Biden:

    “This heartbreaking verdict is a miscarriage of justice and sets a dangerous precedent which justifies federal review by [the Department of Justice].

    I stand by what the jury has to say. The jury system works.”

    Continue reading...", + "content": "

    Jerrold Nadler of New York, the Democratic chair of the House judiciary committee, is out with a much stronger statement than President Biden:

    “This heartbreaking verdict is a miscarriage of justice and sets a dangerous precedent which justifies federal review by [the Department of Justice].

    I stand by what the jury has to say. The jury system works.”

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/live/2021/nov/19/kyle-rittenhouse-verdict-not-guilty-kenosha-shooting-latest", + "creator": "Kari Paul (now) and Martin Pengelly (earlier)", + "pubDate": "2021-11-19T22:30:24Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3bb07a0e73ca06e5e6ef74d4a7ca9f09" + "hash": "f819285396007403f2c263d950fd630f" }, { - "title": "HMRC to relocate to Newcastle office owned by Tory donors via tax haven", - "description": "

    Exclusive: Deal is part of north-east regeneration scheme developed by property tycoons David and Simon Reuben

    HM Revenue and Customs has struck a deal to relocate tax officials into a new office complex in Newcastle owned by major Conservative party donors through an offshore company based in a tax haven, the Guardian can reveal.

    The department’s planned new home in the north-east of England is part of a regeneration scheme developed by a British Virgin Islands (BVI) entity controlled by the billionaire property tycoons David and Simon Reuben.

    Continue reading...", - "content": "

    Exclusive: Deal is part of north-east regeneration scheme developed by property tycoons David and Simon Reuben

    HM Revenue and Customs has struck a deal to relocate tax officials into a new office complex in Newcastle owned by major Conservative party donors through an offshore company based in a tax haven, the Guardian can reveal.

    The department’s planned new home in the north-east of England is part of a regeneration scheme developed by a British Virgin Islands (BVI) entity controlled by the billionaire property tycoons David and Simon Reuben.

    Continue reading...", - "category": "HMRC", - "link": "https://www.theguardian.com/politics/2021/nov/25/hmrc-to-relocate-to-newcastle-office-owned-by-tory-donors-via-tax-haven", - "creator": "Harry Davies and Rowena Mason", - "pubDate": "2021-11-25T11:11:21Z", + "title": "Omar Souleyman: singer held by Turkey over alleged militant links is freed", + "description": "

    Syrian questioned by police after reports he has ties to banned Kurdish People’s Protection Units

    Celebrated Syrian singer Omar Souleyman, who has performed at festivals around the world, has been released after being detained over alleged links to Kurdish militants.

    Souleyman was freed at 10.30pm (19.30 GMT) after a confusing day during which he was released in the morning before being taken back to a detention centre.

    Continue reading...", + "content": "

    Syrian questioned by police after reports he has ties to banned Kurdish People’s Protection Units

    Celebrated Syrian singer Omar Souleyman, who has performed at festivals around the world, has been released after being detained over alleged links to Kurdish militants.

    Souleyman was freed at 10.30pm (19.30 GMT) after a confusing day during which he was released in the morning before being taken back to a detention centre.

    Continue reading...", + "category": "Turkey", + "link": "https://www.theguardian.com/world/2021/nov/19/singer-omar-souleyman-held-by-turkey-over-alleged-militant-links-is-freed", + "creator": "AFP in Ankara", + "pubDate": "2021-11-19T22:23:28Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a77ab326b11c5952d9b51f32093bb80c" + "hash": "23ccfb1e9231e5b992275d107181b630" }, { - "title": "Turkey accused of using Interpol summit to crack down on critics", - "description": "

    Campaigners claim Ankara is abusing its position as host, by pressuring the police body to harass dissidents living abroad

    Human rights activists have accused Turkey of using its role as host of Interpol’s general assembly to push for a crackdown on critics and political opponents who have fled the country.

    The alert came after the Turkish interior minister, Süleyman Soylu, said his government would use the three-day event in Istanbul to persuade the international criminal police organisation’s officials and delegates to find, arrest and extradite Turkish dissident citizens particularly those it labels terroristsabroad.

    Continue reading...", - "content": "

    Campaigners claim Ankara is abusing its position as host, by pressuring the police body to harass dissidents living abroad

    Human rights activists have accused Turkey of using its role as host of Interpol’s general assembly to push for a crackdown on critics and political opponents who have fled the country.

    The alert came after the Turkish interior minister, Süleyman Soylu, said his government would use the three-day event in Istanbul to persuade the international criminal police organisation’s officials and delegates to find, arrest and extradite Turkish dissident citizens particularly those it labels terroristsabroad.

    Continue reading...", - "category": "Interpol", - "link": "https://www.theguardian.com/global-development/2021/nov/25/turkey-accused-of-using-interpol-summit-to-crack-down-on-critics", - "creator": "Kim Willsher", - "pubDate": "2021-11-25T11:09:31Z", + "title": "Kyle Rittenhouse verdict declares open hunting season on progressive protesters | Cas Mudde", + "description": "

    Demonstrators in the US must fear not only police brutality but also rightwing vigilantes

    Kyle Rittenhouse – the armed white teenager whose mother drove him from Illinois to Wisconsin to allegedly “protect” local businesses from anti-racism protesters in Kenosha, whereupon he shot and killed two people and injured another – has been acquitted of all charges. I don’t think anyone who has followed the trial even casually will be surprised by this verdict. After the various antics by the elected judge, which seemed to indicate where his sympathies lay, and the fact that the prosecution asked the jurors to consider charges lesser than murder, the writing was on the wall.

    I do not want to discuss the legal particulars of the verdict. It is clear that the prosecution made many mistakes and got little to no leeway from the judge, unlike the defense team. Moreover, we know that “self-defense” – often better known as vigilantism – is legally protected and highly racialized in this country. Think of the acquittal of George Zimmerman of the killing of Trayvon Martin in 2013.

    Continue reading...", + "content": "

    Demonstrators in the US must fear not only police brutality but also rightwing vigilantes

    Kyle Rittenhouse – the armed white teenager whose mother drove him from Illinois to Wisconsin to allegedly “protect” local businesses from anti-racism protesters in Kenosha, whereupon he shot and killed two people and injured another – has been acquitted of all charges. I don’t think anyone who has followed the trial even casually will be surprised by this verdict. After the various antics by the elected judge, which seemed to indicate where his sympathies lay, and the fact that the prosecution asked the jurors to consider charges lesser than murder, the writing was on the wall.

    I do not want to discuss the legal particulars of the verdict. It is clear that the prosecution made many mistakes and got little to no leeway from the judge, unlike the defense team. Moreover, we know that “self-defense” – often better known as vigilantism – is legally protected and highly racialized in this country. Think of the acquittal of George Zimmerman of the killing of Trayvon Martin in 2013.

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/commentisfree/2021/nov/19/kyle-rittenhouse-verdict-acquitted-protest", + "creator": "Cas Mudde", + "pubDate": "2021-11-19T21:53:51Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74dce2e1be36c689ac9bd9f886e3720a" + "hash": "a8ab67233377322905e15426fa656389" }, { - "title": "Justice prevailed in the trial of Ahmaud Arbery’s killers. In America, that’s a shock | Moustafa Bayoumi", - "description": "

    The jury reached the right verdict – even as the criminal justice system did everything it could to exonerate the three men

    It’s shocking that Travis McMichael, Gregory McMichael, and William Bryan were found guilty of murdering Ahmaud Arbery in Brunswick, Georgia. Yet the shock doesn’t stem out of any miscarriage of justice. On the contrary, the jury in Glynn county deliberated and reached the correct decision. Stalking an innocent Black man, chasing him, cornering him, and then killing him must come with criminal consequences in this country, and each of the three murderers now faces the possibility of a life sentence.

    But the shock is that justice was served in a case where it seemed the criminal justice system and substantial portions of media coverage were doing all they could to exonerate these men. In fact, everything about this case illustrates how difficult it is to get justice for Black people in this country, starting with how often Fox News and other media outlets referred to the case as “the Arbery trial”, as if Ahmaud Arbery were the perpetrator here and not the victim.

    Continue reading...", - "content": "

    The jury reached the right verdict – even as the criminal justice system did everything it could to exonerate the three men

    It’s shocking that Travis McMichael, Gregory McMichael, and William Bryan were found guilty of murdering Ahmaud Arbery in Brunswick, Georgia. Yet the shock doesn’t stem out of any miscarriage of justice. On the contrary, the jury in Glynn county deliberated and reached the correct decision. Stalking an innocent Black man, chasing him, cornering him, and then killing him must come with criminal consequences in this country, and each of the three murderers now faces the possibility of a life sentence.

    But the shock is that justice was served in a case where it seemed the criminal justice system and substantial portions of media coverage were doing all they could to exonerate these men. In fact, everything about this case illustrates how difficult it is to get justice for Black people in this country, starting with how often Fox News and other media outlets referred to the case as “the Arbery trial”, as if Ahmaud Arbery were the perpetrator here and not the victim.

    Continue reading...", - "category": "Ahmaud Arbery", - "link": "https://www.theguardian.com/us-news/commentisfree/2021/nov/25/justice-prevailed-in-the-trial-of-ahmaud-arberys-killers-in-america-thats-a-shock", - "creator": "Moustafa Bayoumi", - "pubDate": "2021-11-25T11:00:09Z", + "title": "US wildfires have killed nearly 20% of world’s giant sequoias in two years", + "description": "

    Blazes in western US have hit thousands of Earth’s largest trees, once considered almost fire-proof

    Lightning-sparked wildfires killed thousands of giant sequoias this year, adding to a staggering two-year death toll that accounts for up to nearly a fifth of Earth’s largest trees, officials said on Friday.

    Fires in Sequoia national park and the surrounding national forest that also bears the trees’ name tore through more than a third of groves in California and torched an estimated 2,261 to 3,637 sequoias. Fires in the same area last year killed an unprecedented 7,500 to 10,400 of the 75,000 trees.

    Continue reading...", + "content": "

    Blazes in western US have hit thousands of Earth’s largest trees, once considered almost fire-proof

    Lightning-sparked wildfires killed thousands of giant sequoias this year, adding to a staggering two-year death toll that accounts for up to nearly a fifth of Earth’s largest trees, officials said on Friday.

    Fires in Sequoia national park and the surrounding national forest that also bears the trees’ name tore through more than a third of groves in California and torched an estimated 2,261 to 3,637 sequoias. Fires in the same area last year killed an unprecedented 7,500 to 10,400 of the 75,000 trees.

    Continue reading...", + "category": "Climate crisis in the American west", + "link": "https://www.theguardian.com/us-news/2021/nov/19/giant-sequoias-wildfires-killed", + "creator": "Associated Press", + "pubDate": "2021-11-19T21:15:39Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d764272569365921042d1407825390d0" + "hash": "bfb9a52ede1aeb1b2d07cd54d69456bf" }, { - "title": "Many disabled women are assaulted each year. Forgetting my own rape feels impossible", - "description": "

    After the attack, I became preoccupied with the idea that my case would be questioned because of my disability. But what happened continues to haunt me

    I have been a wheelchair user for a number of years, due to a progressive condition. I have been a rape survivor for four. These things are more connected than you might think.

    I first met Alex (not his real name) four years ago. We were at a house party. He was drunk and I was sober; this would become a running theme.

    Continue reading...", - "content": "

    After the attack, I became preoccupied with the idea that my case would be questioned because of my disability. But what happened continues to haunt me

    I have been a wheelchair user for a number of years, due to a progressive condition. I have been a rape survivor for four. These things are more connected than you might think.

    I first met Alex (not his real name) four years ago. We were at a house party. He was drunk and I was sober; this would become a running theme.

    Continue reading...", - "category": "Rape and sexual assault", - "link": "https://www.theguardian.com/society/2021/nov/25/many-disabled-women-are-assaulted-each-year-forgetting-my-own-rape-feels-impossible", - "creator": "Guardian Staff", - "pubDate": "2021-11-25T11:00:08Z", + "title": "'I'm not surprised': mixed reactions outside courthouse after Kyle Rittenhouse verdict – video", + "description": "

    A jury acquitted teenager Kyle Rittenhouse on Friday of murder after the fatal shooting of two men in a trial that highlighted divisions over gun rights and stirred fierce debate about the boundaries of self-defence in the United States. Amid a heavy law enforcement presence, several dozen protesters lined the steps outside the courthouse after the verdict was read, some carrying placards in support of Rittenhouse and others expressing disappointment

    Continue reading...", + "content": "

    A jury acquitted teenager Kyle Rittenhouse on Friday of murder after the fatal shooting of two men in a trial that highlighted divisions over gun rights and stirred fierce debate about the boundaries of self-defence in the United States. Amid a heavy law enforcement presence, several dozen protesters lined the steps outside the courthouse after the verdict was read, some carrying placards in support of Rittenhouse and others expressing disappointment

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/video/2021/nov/19/im-not-surprised-mixed-reaction-outside-courthouse-after-kyle-rittenhouse-verdict-video", + "creator": "", + "pubDate": "2021-11-19T20:54:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c7f242e4d9e8c5b9163370c0b146a36" + "hash": "1e7fd42ccccca4e5855f91231501aa01" }, { - "title": "Australia politics live update: PM targeted on integrity bill in question time; AFP and ADF deployed to Solomon Islands for ‘riot control’", - "description": "

    Scott Morrison announces deployment of personnel to Solomon Islands as protests continue; Labor targets federal integrity commission during question time; George Christensen ‘clarifies’ Hitler, Mao, Stalin comments; Victoria records 1,254 new Covid cases and five deaths; NSW reports 276 cases and no deaths. Follow live updates

    A special Victorian Roy Morgan SMS poll shows 76% of Victorians agree that an employed worker in Victoria should not be allowed to enter their employer’s workplace unless fully vaccinated, compared with only 24% that disagree.

    Agreement with this policy is consistently strong across gender, age and location, although there are significant political differences, the poll found.

    Let’s think about how this works in practice. If a teacher applies to work at a school, whether it’s Christian, or Islamic, or whether it’s Jewish or any other, and they apply to work at a school that’s got a clearly stated policy …

    Look, I think that is something that would depend a great deal upon what that school is prepared to be upfront with the community about now. I’d suggest there would be very few schools that that want to be in a position where they’ve got to say to the community, that this is what we believe and we’re not going to hire people, unless they subscribe to a version of belief that is very, very strict on that front.

    Continue reading...", - "content": "

    Scott Morrison announces deployment of personnel to Solomon Islands as protests continue; Labor targets federal integrity commission during question time; George Christensen ‘clarifies’ Hitler, Mao, Stalin comments; Victoria records 1,254 new Covid cases and five deaths; NSW reports 276 cases and no deaths. Follow live updates

    A special Victorian Roy Morgan SMS poll shows 76% of Victorians agree that an employed worker in Victoria should not be allowed to enter their employer’s workplace unless fully vaccinated, compared with only 24% that disagree.

    Agreement with this policy is consistently strong across gender, age and location, although there are significant political differences, the poll found.

    Let’s think about how this works in practice. If a teacher applies to work at a school, whether it’s Christian, or Islamic, or whether it’s Jewish or any other, and they apply to work at a school that’s got a clearly stated policy …

    Look, I think that is something that would depend a great deal upon what that school is prepared to be upfront with the community about now. I’d suggest there would be very few schools that that want to be in a position where they’ve got to say to the community, that this is what we believe and we’re not going to hire people, unless they subscribe to a version of belief that is very, very strict on that front.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/25/australia-politics-live-update-scott-morrison-religious-discrimination-legislation-vaccine-mandate-gay-students-teachers-covid-coronavirus-anthony-albanese-labor", - "creator": "Josh Taylor (now) and Amy Remeikis (earlier)", - "pubDate": "2021-11-25T08:22:26Z", + "title": "Kyle Rittenhouse found not guilty after fatally shooting two in Kenosha unrest", + "description": "

    Rittenhouse killed two people and injured a third at protests last year after a white officer shot a Black man, Jacob Blake, in the back

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped America.

    Rittenhouse killed Joseph Rosenbaum, 36, and Anthony Huber, 26, and wounded Gaige Grosskreutz, 27, when he shot them with an assault rifle as he roamed the streets of Kenosha with other armed men acting as a self-described militia during protests in August 2020, after a white police officer shot a Black man, Jacob Blake, in the back.

    Continue reading...", + "content": "

    Rittenhouse killed two people and injured a third at protests last year after a white officer shot a Black man, Jacob Blake, in the back

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped America.

    Rittenhouse killed Joseph Rosenbaum, 36, and Anthony Huber, 26, and wounded Gaige Grosskreutz, 27, when he shot them with an assault rifle as he roamed the streets of Kenosha with other armed men acting as a self-described militia during protests in August 2020, after a white police officer shot a Black man, Jacob Blake, in the back.

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/2021/nov/19/kyle-rittenhouse-verdict-kenosha-shooting", + "creator": "Maya Yang and Joanna Walters", + "pubDate": "2021-11-19T20:36:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3e909f1120103ae073b3993257163f3" + "hash": "6abf22ac705d9fdfb9a84436ca0d2ef7" }, { - "title": "Covid news live: Germany death toll passes 100,000; vaccines giving people ‘false sense of security’, WHO says", - "description": "

    Germany has recorded a total of 100,119 deaths amid a resurgence of the virus and tough new restrictions; WHO officials issue a new warning over social mixing ahead of the holiday season

    Aboriginal elders, health organisations and frontline workers in the Australia’s Northern Territory’s Covid outbreak have lashed out at false information about public health measures on social media, with the NT chief minister blaming the misinformation on “tinfoil hat wearing tossers, sitting in their parents’ basements in Florida”.

    Over the past few days false claims have been circulating online that Aboriginal people from Binjari and Rockhole were being forcibly removed from their homes and taken to enforced quarantine in Howard Springs, and people including children were being forcibly vaccinated.

    Continue reading...", - "content": "

    Germany has recorded a total of 100,119 deaths amid a resurgence of the virus and tough new restrictions; WHO officials issue a new warning over social mixing ahead of the holiday season

    Aboriginal elders, health organisations and frontline workers in the Australia’s Northern Territory’s Covid outbreak have lashed out at false information about public health measures on social media, with the NT chief minister blaming the misinformation on “tinfoil hat wearing tossers, sitting in their parents’ basements in Florida”.

    Over the past few days false claims have been circulating online that Aboriginal people from Binjari and Rockhole were being forcibly removed from their homes and taken to enforced quarantine in Howard Springs, and people including children were being forcibly vaccinated.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/25/covid-news-live-germany-death-toll-passes-100000-vaccines-giving-people-false-sense-of-security-who-says", - "creator": "Martin Belam (now) and Samantha Lock (earlier)", - "pubDate": "2021-11-25T08:16:05Z", + "title": "Kiribati’s attempts to keep stranded Australian judge out of the country ruled unconstitutional", + "description": "

    In a landmark ruling, Kiribati’s chief justice ordered the government to allow high court judge David Lambourne to return

    A landmark judgment in the Pacific country of Kiribati has ruled the government’s actions in blocking an Australian, a judge on Kiribati’s high court, from returning to the island were unconstitutional.

    When David Lambourne left Kiribati in February 2020 to attend a conference in Australia, he thought it would be a brief and uneventful trip. Instead, the Australian judge, who has been resident of the Pacific nation for over two decades, found himself stranded after Covid-19 hit.

    Continue reading...", + "content": "

    In a landmark ruling, Kiribati’s chief justice ordered the government to allow high court judge David Lambourne to return

    A landmark judgment in the Pacific country of Kiribati has ruled the government’s actions in blocking an Australian, a judge on Kiribati’s high court, from returning to the island were unconstitutional.

    When David Lambourne left Kiribati in February 2020 to attend a conference in Australia, he thought it would be a brief and uneventful trip. Instead, the Australian judge, who has been resident of the Pacific nation for over two decades, found himself stranded after Covid-19 hit.

    Continue reading...", + "category": "Kiribati", + "link": "https://www.theguardian.com/world/2021/nov/20/kiribatis-attempts-to-keep-stranded-australian-judge-out-of-the-country-ruled-unconstitutional", + "creator": "Kieran Pender", + "pubDate": "2021-11-19T20:00:07Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8d5a9ef3313f93f56f7f8c7ae9031bd1" + "hash": "277ac20ba31b2821ce4da1d8e8865bd1" }, { - "title": "Australia sends police and troops to Honiara as violent protests continue in Solomon Islands", - "description": "

    Protesters reportedly from neighbouring island, which opposed government’s 2019 decision to switch allegiance from Taiwan to China

    Australia is deploying more than 100 police and defence force personnel to the Solomon Islands amid reports of fresh protests in the capital Honiara.

    The Australian government on Thursday said the deployment would support “riot control” and security at critical infrastructure, a day after demonstrators attempted to storm parliament and topple the prime minister, Manasseh Sogavare.

    Continue reading...", - "content": "

    Protesters reportedly from neighbouring island, which opposed government’s 2019 decision to switch allegiance from Taiwan to China

    Australia is deploying more than 100 police and defence force personnel to the Solomon Islands amid reports of fresh protests in the capital Honiara.

    The Australian government on Thursday said the deployment would support “riot control” and security at critical infrastructure, a day after demonstrators attempted to storm parliament and topple the prime minister, Manasseh Sogavare.

    Continue reading...", - "category": "Solomon Islands", - "link": "https://www.theguardian.com/world/2021/nov/25/honiaras-chinatown-targeted-as-violent-protests-break-out-for-second-day-in-solomon-islands", - "creator": "Daniel Hurst and Agence France-Presse", - "pubDate": "2021-11-25T08:03:40Z", + "title": "‘I thought I was a goner’: survivors detail harrowing stories of Canada mudslides", + "description": "

    Emergency crews continue search for victims after flash floods tear through region

    Emergency crews in western Canada continued searching on Friday for victims of flash floods and mudslides which tore through the region this week, as survivors described harrowing escapes from the disaster.

    British Columbia declared its third state of emergency in a year on Wednesday after a month’s worth of rain fell in two days, swamping towns and cities, blocking major highways and leaving much of the province under water.

    Continue reading...", + "content": "

    Emergency crews continue search for victims after flash floods tear through region

    Emergency crews in western Canada continued searching on Friday for victims of flash floods and mudslides which tore through the region this week, as survivors described harrowing escapes from the disaster.

    British Columbia declared its third state of emergency in a year on Wednesday after a month’s worth of rain fell in two days, swamping towns and cities, blocking major highways and leaving much of the province under water.

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/2021/nov/19/canada-floods-mudslides-survivors", + "creator": "Leyland Cecco in Toronto", + "pubDate": "2021-11-19T19:15:10Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4557e474f87883c737fd8ac39770515" + "hash": "10bd85deeb0da412bdf1ca4589084233" }, { - "title": "Dontae Sharpe was exonerated after 24 years in prison. That was not the end of his ordeal", - "description": "

    For many exonerees the struggle for justice carries on long after the prison gates have been flung open

    Every year Dontae Sharpe braces himself for the pardoning of the Thanksgiving turkey.

    It’s not that he objects to turkeys being spared the butcher’s knife. It’s that, from where he’s sitting, there are far more urgent candidates for a reprieve from the governor of North Carolina than a bird.

    Continue reading...", - "content": "

    For many exonerees the struggle for justice carries on long after the prison gates have been flung open

    Every year Dontae Sharpe braces himself for the pardoning of the Thanksgiving turkey.

    It’s not that he objects to turkeys being spared the butcher’s knife. It’s that, from where he’s sitting, there are far more urgent candidates for a reprieve from the governor of North Carolina than a bird.

    Continue reading...", - "category": "US justice system", - "link": "https://www.theguardian.com/us-news/2021/nov/25/dontae-sharpe-exonerated-prison-pardon", - "creator": "Ed Pilkington in Charlotte, North Carolina", - "pubDate": "2021-11-25T07:00:05Z", + "title": "Kenosha shooting: jury finds Kyle Rittenhouse not guilty – video", + "description": "

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped the US

    Continue reading...", + "content": "

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped the US

    Continue reading...", + "category": "Kyle Rittenhouse", + "link": "https://www.theguardian.com/us-news/video/2021/nov/19/kenosha-shooting-jury-finds-kyle-rittenhouse-not-guilty-video", + "creator": "", + "pubDate": "2021-11-19T18:40:17Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5c93aebeeea11295dd11fb544bb566b9" + "hash": "53e6f3427606d1f9ad5987d6bcc566b2" }, { - "title": "Return to the refugee camp: Malawi orders thousands back to ‘congested’ Dzaleka", - "description": "

    People who’ve integrated into society are expected to return to the country’s oldest refugee camp, as cost of living and anti-refugee sentiment rises

    Dzaleka, Malawi’s first refugee camp, is about 25 miles north of the capital Lilongwe. Built 25 years ago in response to a surge of people fleeing genocide and wars in Burundi, Rwanda and the Democratic Republic of the Congo, it was then home to between 10,000 and 14,000 refugees. But the camp now houses more than 48,000 people from east and southern African countries – four times more than its initial capacity.

    Several hundred continue to arrive each month, according to the UN refugee agency (UNHCR), and in August 181 babies were born there. The deteriorating situation in neighbouring Mozambique is swelling the numbers further, as is the government’s recent decree that an estimated 2,000 refugees who had over the years left Dzaleka to integrate into wider Malawian society should go back, citing them as a possible danger to national security.

    Continue reading...", - "content": "

    People who’ve integrated into society are expected to return to the country’s oldest refugee camp, as cost of living and anti-refugee sentiment rises

    Dzaleka, Malawi’s first refugee camp, is about 25 miles north of the capital Lilongwe. Built 25 years ago in response to a surge of people fleeing genocide and wars in Burundi, Rwanda and the Democratic Republic of the Congo, it was then home to between 10,000 and 14,000 refugees. But the camp now houses more than 48,000 people from east and southern African countries – four times more than its initial capacity.

    Several hundred continue to arrive each month, according to the UN refugee agency (UNHCR), and in August 181 babies were born there. The deteriorating situation in neighbouring Mozambique is swelling the numbers further, as is the government’s recent decree that an estimated 2,000 refugees who had over the years left Dzaleka to integrate into wider Malawian society should go back, citing them as a possible danger to national security.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/25/return-to-the-refugee-camp-malawi-orders-thousands-back-to-congested-dzaleka", - "creator": "Benson Kunchezera", - "pubDate": "2021-11-25T07:00:04Z", + "title": "Oxford University identifies 145 artefacts looted in Benin raid", + "description": "

    Plundered items likely to be returned to Nigeria include plaques, bronze figures and musical instruments

    The University of Oxford is holding 145 objects looted by British troops during an assault on the city of Benin in 1897 that are likely to be repatriated to Nigeria, a report has said.

    More than two-thirds of the plundered items are owned by the university’s Pitt Rivers Museum, and 45 are on loan. They include brass plaques, bronze figures, carved ivory tusks, musical instruments, weaving equipment, jewellery, and ceramic and coral objects dating to the 13th century.

    Continue reading...", + "content": "

    Plundered items likely to be returned to Nigeria include plaques, bronze figures and musical instruments

    The University of Oxford is holding 145 objects looted by British troops during an assault on the city of Benin in 1897 that are likely to be repatriated to Nigeria, a report has said.

    More than two-thirds of the plundered items are owned by the university’s Pitt Rivers Museum, and 45 are on loan. They include brass plaques, bronze figures, carved ivory tusks, musical instruments, weaving equipment, jewellery, and ceramic and coral objects dating to the 13th century.

    Continue reading...", + "category": "University of Oxford", + "link": "https://www.theguardian.com/education/2021/nov/19/oxford-university-identifies-145-artefacts-looted-in-benin-raid", + "creator": "Harriet Sherwood Arts and culture correspondent", + "pubDate": "2021-11-19T18:28:23Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "daea045d3470570b24545b2542983485" + "hash": "70b9daac52fc4f03eb36554a3ca62200" }, { - "title": "Ahmaud Arbery murder: trial laid bare America’s faultlines on race", - "description": "

    Verdict caps almost two years of anguish for the Arbery family, marked by allegations of corruption, bias and racism both inside and outside the courtroom

    As the guilty verdicts were read aloud, one after the other, Ahmaud Arbery’s mother, Wanda Cooper-Jones, could be seen in the courthouse with tears in her eyes.

    The three white men who murdered her son back in February 2020, claiming they had acted in self-defense during an attempted citizen’s arrest, expressed little emotion.

    Continue reading...", - "content": "

    Verdict caps almost two years of anguish for the Arbery family, marked by allegations of corruption, bias and racism both inside and outside the courtroom

    As the guilty verdicts were read aloud, one after the other, Ahmaud Arbery’s mother, Wanda Cooper-Jones, could be seen in the courthouse with tears in her eyes.

    The three white men who murdered her son back in February 2020, claiming they had acted in self-defense during an attempted citizen’s arrest, expressed little emotion.

    Continue reading...", - "category": "Ahmaud Arbery", - "link": "https://www.theguardian.com/us-news/2021/nov/25/ahmaud-arbery-verdict-race", - "creator": "Oliver Laughland", - "pubDate": "2021-11-25T07:00:03Z", + "title": "Lewis Hamilton praised after wearing rainbow helmet in Qatar GP practice", + "description": "
    • Hamilton earns praise for LGBTQ+ ‘incredible act of allyship’
    • World champion has criticised Qatar’s human rights record

    Lewis Hamilton has been praised for “an incredible act of allyship” after wearing a rainbow-coloured helmet in practice at the inaugural Qatar Grand Prix.

    The seven-time Formula One world champion’s helmet bore the colours of the Progress Pride flag – a banner which includes the traditional rainbow design with additional colours that recognise the diversity of the LGBTQ+ community.

    Continue reading...", + "content": "
    • Hamilton earns praise for LGBTQ+ ‘incredible act of allyship’
    • World champion has criticised Qatar’s human rights record

    Lewis Hamilton has been praised for “an incredible act of allyship” after wearing a rainbow-coloured helmet in practice at the inaugural Qatar Grand Prix.

    The seven-time Formula One world champion’s helmet bore the colours of the Progress Pride flag – a banner which includes the traditional rainbow design with additional colours that recognise the diversity of the LGBTQ+ community.

    Continue reading...", + "category": "Lewis Hamilton", + "link": "https://www.theguardian.com/sport/2021/nov/19/lewis-hamilton-rainbow-helmet-qatar-grand-prix-formula-one", + "creator": "PA Media", + "pubDate": "2021-11-19T18:23:07Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d672e9e416603cd1311a4c341d3c4fb8" + "hash": "1a7d8baa70ebc59a341cf3a83f8256a5" }, { - "title": "UK public urged to get Covid booster by 11 December if eligible to avoid waning immunity", - "description": "

    New research shows the risk of infection increases significantly six months after a second dose of the Pfizer vaccine

    Ministers are urging millions of Britons to get their Covid booster jab by 11 December to ensure they have “very high protection against Covid by Christmas Day” as new evidence shows the risk of infection increases with the time since the second dose.

    The fresh warning comes after cases broke records in parts of Europe on Wednesday, with the continent once again the centre of a pandemic that has prompted new restrictions.

    Continue reading...", - "content": "

    New research shows the risk of infection increases significantly six months after a second dose of the Pfizer vaccine

    Ministers are urging millions of Britons to get their Covid booster jab by 11 December to ensure they have “very high protection against Covid by Christmas Day” as new evidence shows the risk of infection increases with the time since the second dose.

    The fresh warning comes after cases broke records in parts of Europe on Wednesday, with the continent once again the centre of a pandemic that has prompted new restrictions.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/25/uk-public-urged-to-get-covid-booster-by-11-december-if-eligible-to-avoid-waning-immunity", - "creator": "Andrew Gregory and Hannah Devlin", - "pubDate": "2021-11-25T06:01:02Z", + "title": "York’s anti-terror measures make centre a ‘no go zone’ for disabled people", + "description": "

    Campaigners say removal of blue badge parking to make way for new defences is in breach of Equality Act

    Disability rights campaigners are planning a legal challenge against York council after it voted to ban blue badge parking on key streets in the city centre.

    York Accessibility Action (YAA), an organisation founded by disabled York residents and carers, said the city has become a “no go zone” for many disabled people and there was now no suitable parking within 150 metres of the city centre.

    Continue reading...", + "content": "

    Campaigners say removal of blue badge parking to make way for new defences is in breach of Equality Act

    Disability rights campaigners are planning a legal challenge against York council after it voted to ban blue badge parking on key streets in the city centre.

    York Accessibility Action (YAA), an organisation founded by disabled York residents and carers, said the city has become a “no go zone” for many disabled people and there was now no suitable parking within 150 metres of the city centre.

    Continue reading...", + "category": "York", + "link": "https://www.theguardian.com/uk-news/2021/nov/19/york-anti-terror-measures-disabled-people-blue-badge-parking", + "creator": "Miranda Bryant", + "pubDate": "2021-11-19T18:16:46Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "850c20ba589b57ad15481fd14f184f5a" + "hash": "b14fd059c076d84e5529403ad19c1de3" }, { - "title": "‘The gooey overlay of sweetness over genocide’: the myth of the ‘first Thanksgiving’", - "description": "

    Some members of the Wampanoag Nation mark Thanksgiving as their National Day of Mourning

    In 1970, Massachusetts was preparing to celebrate the 350th anniversary of the arrival of the Pilgrim Fathers on the Mayflower.

    The 53 surviving men, women and children who had left England in search of “religious freedom” are credited with starting America’s first successful colony, in Plymouth, in 1620. Their voyage to the so-called New World is celebrated by many Americans still as a powerful symbol of the birth of the United States.

    Continue reading...", - "content": "

    Some members of the Wampanoag Nation mark Thanksgiving as their National Day of Mourning

    In 1970, Massachusetts was preparing to celebrate the 350th anniversary of the arrival of the Pilgrim Fathers on the Mayflower.

    The 53 surviving men, women and children who had left England in search of “religious freedom” are credited with starting America’s first successful colony, in Plymouth, in 1620. Their voyage to the so-called New World is celebrated by many Americans still as a powerful symbol of the birth of the United States.

    Continue reading...", - "category": "Native Americans", - "link": "https://www.theguardian.com/us-news/2021/nov/25/thanksgiving-myth-wampanoag-native-american-tribe", - "creator": "Alice Hutton", - "pubDate": "2021-11-25T06:00:04Z", + "title": "Work on ‘Chinese military base’ in UAE abandoned after US intervenes – report", + "description": "

    Satellite images reportedly detected construction of secret facility at Khalifa port amid growing US-China rivalry

    US intelligence agencies found evidence this year of construction work on what they believed was a secret Chinese military facility in the United Arab Emirates, which was stopped after Washington’s intervention, according to a report on Friday.

    The Wall Street Journal reported that satellite imagery of the port of Khalifa had revealed suspicious construction work inside a container terminal built and operated by a Chinese shipping corporation, Cosco.

    Continue reading...", + "content": "

    Satellite images reportedly detected construction of secret facility at Khalifa port amid growing US-China rivalry

    US intelligence agencies found evidence this year of construction work on what they believed was a secret Chinese military facility in the United Arab Emirates, which was stopped after Washington’s intervention, according to a report on Friday.

    The Wall Street Journal reported that satellite imagery of the port of Khalifa had revealed suspicious construction work inside a container terminal built and operated by a Chinese shipping corporation, Cosco.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/nov/19/chinese-military-base-uae-construction-abandoned-us-intelligence-report", + "creator": "Julian Borger in Washington", + "pubDate": "2021-11-19T18:13:08Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db1e08d524427bafcb978eb6b266f12b" + "hash": "0b2084d86fce893097ad73f29a402d34" }, { - "title": "Weatherwatch: Israel hit by torrential rain and flash floods", - "description": "

    Drains blocked by sand after extended dry period are thought to have worsened conditions

    Flash flooding affected some parts of Israel last week with the country hit by frequent storms. Earlier this year, the country experienced an extended period of dry and windy conditions. This is thought to have exacerbated the flooding, with drainage systems blocked by sand and the infrastructure unable to cope with torrential downpours. Vehicles skidded off roads and people became stranded in the flooding. One man found unconscious in the flood waters.

    Somalia is heading for its fourth consecutive drought, with worsening conditions expected over the coming months. So far, more than 100,000 people have fled their homes looking for water and food. Extreme drought conditions can affect 80% of the country of 2 million people. Projected to be one of the most vulnerable countries to climate change, Somalia has been ravaged by natural disasters, with 12 droughts and 19 flooding events since 1990.

    Continue reading...", - "content": "

    Drains blocked by sand after extended dry period are thought to have worsened conditions

    Flash flooding affected some parts of Israel last week with the country hit by frequent storms. Earlier this year, the country experienced an extended period of dry and windy conditions. This is thought to have exacerbated the flooding, with drainage systems blocked by sand and the infrastructure unable to cope with torrential downpours. Vehicles skidded off roads and people became stranded in the flooding. One man found unconscious in the flood waters.

    Somalia is heading for its fourth consecutive drought, with worsening conditions expected over the coming months. So far, more than 100,000 people have fled their homes looking for water and food. Extreme drought conditions can affect 80% of the country of 2 million people. Projected to be one of the most vulnerable countries to climate change, Somalia has been ravaged by natural disasters, with 12 droughts and 19 flooding events since 1990.

    Continue reading...", - "category": "Israel", - "link": "https://www.theguardian.com/weather/2021/nov/25/weatherwatch-israel-hit-by-torrential-rain-and-flash-floods", - "creator": "Jodie Woodcock (metdesk)", - "pubDate": "2021-11-25T06:00:04Z", + "title": "House Democrats pass Biden’s expansive Build Back Better policy plan", + "description": "

    Bill now goes back to the Senate, where it faces total opposition from Republicans and an uphill battle against centrist Democrats

    Joe Biden has hailed the US House of Representatives for passing a $1.75tn social and climate spending bill, a central pillar of his agenda that must now go before the Senate.

    The Democratic majority in the House approved the Build Back Better Act on Friday despite fierce opposition from Republicans.

    Continue reading...", + "content": "

    Bill now goes back to the Senate, where it faces total opposition from Republicans and an uphill battle against centrist Democrats

    Joe Biden has hailed the US House of Representatives for passing a $1.75tn social and climate spending bill, a central pillar of his agenda that must now go before the Senate.

    The Democratic majority in the House approved the Build Back Better Act on Friday despite fierce opposition from Republicans.

    Continue reading...", + "category": "House of Representatives", + "link": "https://www.theguardian.com/us-news/2021/nov/19/house-democrats-pass-biden-expansive-build-back-better-policy-plan", + "creator": "Lauren Gambino and David Smith in Washington and Vivian Ho", + "pubDate": "2021-11-19T17:43:16Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a2edb65d8e87b2464cc6e7aac0967dfe" + "hash": "58746ce0800a93f0a0e772ad53b056d6" }, { - "title": "The seven types of rest: I spent a week trying them all. Could they help end my exhaustion?", - "description": "

    When we feel extreme fatigue most of us focus on sleep problems. But proper relaxation takes many forms. I spent a week exploring what really works

    “Are you the most tired you can ever remember being?” asks a friend. Well, yes. I have it easy – my caring responsibilities are limited and my work is physically undemanding and very low stakes – but I am wrecked. The brain fog, tearful confusion and deep lethargy I feel seems near universal. A viral tweet from February asked: “Just to confirm … everyone feels tired ALL the time no matter how much sleep they get or caffeine they consume?” The 71,000-plus retweets seemed to confirm it’s the case.

    But when we say we are exhausted, or Google “Why am I tired all the time?” (searches were reportedly at an all-time high between July and September this year), what do we mean? Yes, pandemic living is, objectively, exhausting. Existing on high alert is physically and mentally depleting; our sleep has suffered and many of us have lost a sense of basic safety, affecting our capacity to relax. But the circumstances and stresses we face are individual, which means the remedy is probably also individual.

    Continue reading...", - "content": "

    When we feel extreme fatigue most of us focus on sleep problems. But proper relaxation takes many forms. I spent a week exploring what really works

    “Are you the most tired you can ever remember being?” asks a friend. Well, yes. I have it easy – my caring responsibilities are limited and my work is physically undemanding and very low stakes – but I am wrecked. The brain fog, tearful confusion and deep lethargy I feel seems near universal. A viral tweet from February asked: “Just to confirm … everyone feels tired ALL the time no matter how much sleep they get or caffeine they consume?” The 71,000-plus retweets seemed to confirm it’s the case.

    But when we say we are exhausted, or Google “Why am I tired all the time?” (searches were reportedly at an all-time high between July and September this year), what do we mean? Yes, pandemic living is, objectively, exhausting. Existing on high alert is physically and mentally depleting; our sleep has suffered and many of us have lost a sense of basic safety, affecting our capacity to relax. But the circumstances and stresses we face are individual, which means the remedy is probably also individual.

    Continue reading...", - "category": "Sleep", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/25/the-seven-types-of-rest-i-spent-a-week-trying-them-all-could-they-help-end-my-exhaustion", - "creator": "Emma Beddington", - "pubDate": "2021-11-25T06:00:03Z", + "title": "David Lacey obituary", + "description": "Guardian sports writer whose wit and talent redefined what a football column could be

    It is not customary to look forward to Monday mornings but, in the heyday of the Guardian’s print sales in the late 1970s and 80s, many readers relished Monday’s paper more than anything else.

    On a features page would be Posy Simmonds’ weekly dissection of middle-class life. And, further back, stretched across the width of the main sports page, David Lacey would offer his weekly dissection of football. Like Posy’s cartoon strip, this was one of the great institutions of British journalism.

    Continue reading...", + "content": "Guardian sports writer whose wit and talent redefined what a football column could be

    It is not customary to look forward to Monday mornings but, in the heyday of the Guardian’s print sales in the late 1970s and 80s, many readers relished Monday’s paper more than anything else.

    On a features page would be Posy Simmonds’ weekly dissection of middle-class life. And, further back, stretched across the width of the main sports page, David Lacey would offer his weekly dissection of football. Like Posy’s cartoon strip, this was one of the great institutions of British journalism.

    Continue reading...", + "category": "Football", + "link": "https://www.theguardian.com/football/2021/nov/19/david-lacey-obituary", + "creator": "Matthew Engel", + "pubDate": "2021-11-19T17:41:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6b7b3169a9d1cb2a0579636d204728b7" + "hash": "3e18aabe01abcf7f8446c64af623ec5f" }, { - "title": "Is society coming apart? | Jill Lepore", - "description": "

    Reconstruction after Covid: a new series of long reads

    Despite Thatcher and Reagan’s best efforts, there is and has always been such a thing as society. The question is not whether it exists, but what shape it must take in a post-pandemic world

    In March 2020, Boris Johnson, pale and exhausted, self-isolating in his flat on Downing Street, released a video of himself – that he had taken himself – reassuring Britons that they would get through the pandemic, together. “One thing I think the coronavirus crisis has already proved is that there really is such a thing as society,” the prime minister announced, confirming the existence of society while talking to his phone, alone in a room.

    All this was very odd. Johnson seemed at once frantic and weak (not long afterwards, he was admitted to hospital and put in the intensive care unit). Had he, in his feverishness, undergone a political conversion? Because, by announcing the existence of society, Johnson appeared to renounce, publicly, something Margaret Thatcher had said in an interview in 1987, in remarks that are often taken as a definition of modern conservatism. “Too many children and people have been given to understand ‘I have a problem, it is the government’s job to cope with it!’” Thatcher said. “They are casting their problems on society, and who is society? There is no such thing!” She, however, had not contracted Covid-19.

    Continue reading...", - "content": "

    Reconstruction after Covid: a new series of long reads

    Despite Thatcher and Reagan’s best efforts, there is and has always been such a thing as society. The question is not whether it exists, but what shape it must take in a post-pandemic world

    In March 2020, Boris Johnson, pale and exhausted, self-isolating in his flat on Downing Street, released a video of himself – that he had taken himself – reassuring Britons that they would get through the pandemic, together. “One thing I think the coronavirus crisis has already proved is that there really is such a thing as society,” the prime minister announced, confirming the existence of society while talking to his phone, alone in a room.

    All this was very odd. Johnson seemed at once frantic and weak (not long afterwards, he was admitted to hospital and put in the intensive care unit). Had he, in his feverishness, undergone a political conversion? Because, by announcing the existence of society, Johnson appeared to renounce, publicly, something Margaret Thatcher had said in an interview in 1987, in remarks that are often taken as a definition of modern conservatism. “Too many children and people have been given to understand ‘I have a problem, it is the government’s job to cope with it!’” Thatcher said. “They are casting their problems on society, and who is society? There is no such thing!” She, however, had not contracted Covid-19.

    Continue reading...", - "category": "Society", - "link": "https://www.theguardian.com/society/2021/nov/25/society-thatcher-reagan-covid-pandemic", - "creator": "Jill Lepore", - "pubDate": "2021-11-25T06:00:02Z", + "title": "England and Wales ‘one step closer to ending child marriage’ after MP vote", + "description": "

    Second reading of bill to ban marriage for under-18s receives cross-party support

    A ban on child marriage in England and Wales came a step closer Friday with cross-party support for a new bill in the House of Commons.

    The marriage and civil partnership (minimum age) bill had its second reading in parliament, with government and opposition MPs supporting the private member’s bill brought by Conservative MP Pauline Latham.

    Continue reading...", + "content": "

    Second reading of bill to ban marriage for under-18s receives cross-party support

    A ban on child marriage in England and Wales came a step closer Friday with cross-party support for a new bill in the House of Commons.

    The marriage and civil partnership (minimum age) bill had its second reading in parliament, with government and opposition MPs supporting the private member’s bill brought by Conservative MP Pauline Latham.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/19/england-and-wales-one-step-closer-to-ending-child-marriage-after-mp-vote", + "creator": "Karen McVeigh", + "pubDate": "2021-11-19T17:33:09Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "65526513db32ccf8262260dbd5339b69" + "hash": "ccce405443bcd3260df67d7c2e79b314" }, { - "title": "South Korea trials robots in preschools to prepare children for high-tech future", - "description": "

    The 25cm-tall robots that sing, dance and do kung-fu used as teaching aids in 300 childcare centres across Seoul

    Seoul has started trialling pint-sized robots as teaching aids in kindergartens – a pilot project the city government said would help prepare the next generation for a hi-tech future.

    The “Alpha Mini” is just 24.5 centimetres tall and can dance, lead sing-a-longs, recite stories and even teach kung fu moves as children mimic its push-ups and one-legged balances.

    Continue reading...", - "content": "

    The 25cm-tall robots that sing, dance and do kung-fu used as teaching aids in 300 childcare centres across Seoul

    Seoul has started trialling pint-sized robots as teaching aids in kindergartens – a pilot project the city government said would help prepare the next generation for a hi-tech future.

    The “Alpha Mini” is just 24.5 centimetres tall and can dance, lead sing-a-longs, recite stories and even teach kung fu moves as children mimic its push-ups and one-legged balances.

    Continue reading...", - "category": "South Korea", - "link": "https://www.theguardian.com/world/2021/nov/25/south-korea-trials-robots-in-preschools-to-prepare-children-for-high-tech-future", - "creator": "Agence France-Presse", - "pubDate": "2021-11-25T05:10:03Z", + "title": "Croatia violated rights of Afghan girl who was killed by train, court rules", + "description": "

    Madina Hussiny, 6, died after police refused to let her family apply for asylum and made them walk back to Serbia

    After four years of legal struggle, the European court of human rights (ECHR) has ruled that Croatian police were responsible for the death of a six-year-old Afghan girl when they forced her family to return to Serbia via train tracks without giving them the opportunity to seek asylum.

    The little girl, named Madina Hussiny, was struck and killed by a train after being pushed back with her family by the Croatian authorities in 2017.

    Continue reading...", + "content": "

    Madina Hussiny, 6, died after police refused to let her family apply for asylum and made them walk back to Serbia

    After four years of legal struggle, the European court of human rights (ECHR) has ruled that Croatian police were responsible for the death of a six-year-old Afghan girl when they forced her family to return to Serbia via train tracks without giving them the opportunity to seek asylum.

    The little girl, named Madina Hussiny, was struck and killed by a train after being pushed back with her family by the Croatian authorities in 2017.

    Continue reading...", + "category": "Serbia", + "link": "https://www.theguardian.com/global-development/2021/nov/19/croatia-violated-rights-of-afghan-girl-who-was-killed-by-train-court-rules", + "creator": "Lorenzo Tondo", + "pubDate": "2021-11-19T17:29:22Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76dab19b81838ff821dd5588ac1e95cf" + "hash": "017194cb7b18a1a73c51388f3beeb676" }, { - "title": "Channel drownings: UK and France trade accusations after tragedy at sea", - "description": "

    Boris Johnson renews calls for France to agree to joint patrols along its coast, while Emmanuel Macron urges UK not to politicise the flow of migrants

    British and French leaders have traded accusations after at least 27 people died trying to cross the Channel in the deadliest incident since the current migration crisis began.

    In a phone call with Boris Johnson on Wednesday night, French president Emmanuel Macron stressed “the shared responsibility” of France and the UK, and told Johnson he expected full cooperation and that the situation would not be used “for political purposes”, the Élysée said.

    Continue reading...", - "content": "

    Boris Johnson renews calls for France to agree to joint patrols along its coast, while Emmanuel Macron urges UK not to politicise the flow of migrants

    British and French leaders have traded accusations after at least 27 people died trying to cross the Channel in the deadliest incident since the current migration crisis began.

    In a phone call with Boris Johnson on Wednesday night, French president Emmanuel Macron stressed “the shared responsibility” of France and the UK, and told Johnson he expected full cooperation and that the situation would not be used “for political purposes”, the Élysée said.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/25/channel-drownings-uk-and-france-trade-accusations-after-tragedy-at-sea", - "creator": "Virginia Harrison, Rajeev Syal, Angelique Chrisafis, Diane Taylor and agencies", - "pubDate": "2021-11-25T05:10:01Z", + "title": "Kamala Harris takes on presidential role – briefly – as Biden has colonoscopy", + "description": "

    The vice-president became the first woman to wield the powers of the US presidency, during Biden’s routine medical procedure

    Kamala Harris on Friday morning became the first woman to wield presidential power in the US – temporarily, when Joe Biden had a colonoscopy under anesthetic.

    In a statement, the White House press secretary, Jen Psaki, said: “This morning, the president will travel to Walter Reed Medical Center for a routine physical. While he is there, the president will undergo a routine colonoscopy.

    Continue reading...", + "content": "

    The vice-president became the first woman to wield the powers of the US presidency, during Biden’s routine medical procedure

    Kamala Harris on Friday morning became the first woman to wield presidential power in the US – temporarily, when Joe Biden had a colonoscopy under anesthetic.

    In a statement, the White House press secretary, Jen Psaki, said: “This morning, the president will travel to Walter Reed Medical Center for a routine physical. While he is there, the president will undergo a routine colonoscopy.

    Continue reading...", + "category": "Kamala Harris", + "link": "https://www.theguardian.com/us-news/2021/nov/19/kamala-harris-presidential-powers-biden-colonoscopy", + "creator": "Martin Pengelly", + "pubDate": "2021-11-19T17:20:20Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a6af60679311ab234e260569176112e1" + "hash": "3a0b1612366942a2158ca659c89740d6" }, { - "title": "Pakistan orders Monday closure of schools and offices in Lahore to cut smog", - "description": "

    Officials hope three-day weekend will help reduce toxic pollution levels in country’s second largest city

    Pakistan has ordered private offices and schools to remain closed on Mondays in Lahore in the hope that a three-day weekend will help reduce toxic levels of smog in the country’s second-largest city.

    The directive, issued by Punjab relief commissioner Babar Hayat Tarar, aimed to act “as a preventive and speedy remedy” during the winter smog season and will last until 15 January.

    Continue reading...", - "content": "

    Officials hope three-day weekend will help reduce toxic pollution levels in country’s second largest city

    Pakistan has ordered private offices and schools to remain closed on Mondays in Lahore in the hope that a three-day weekend will help reduce toxic levels of smog in the country’s second-largest city.

    The directive, issued by Punjab relief commissioner Babar Hayat Tarar, aimed to act “as a preventive and speedy remedy” during the winter smog season and will last until 15 January.

    Continue reading...", - "category": "Pakistan", - "link": "https://www.theguardian.com/world/2021/nov/25/pakistan-orders-monday-closure-of-schools-and-offices-in-lahore-to-cut-smog", - "creator": "Shah Meer Baloch in Lahore", - "pubDate": "2021-11-25T05:00:01Z", + "title": "Lukashenko says Belarusian troops may have helped refugees reach Europe", + "description": "

    Leader acknowledges it was ‘absolutely possible’ his army had a part in creating migrant crisis at Polish border

    The Belarusian leader, Alexander Lukashenko, has acknowledged that his troops probably helped Middle Eastern asylum seekers cross into Europe, in the clearest admission yet that he engineered the new migrant crisis on the border with the EU.

    In an interview with the BBC at his presidential palace in Minsk, he said it was “absolutely possible” that his troops helped migrants across the frontier into Poland.

    Continue reading...", + "content": "

    Leader acknowledges it was ‘absolutely possible’ his army had a part in creating migrant crisis at Polish border

    The Belarusian leader, Alexander Lukashenko, has acknowledged that his troops probably helped Middle Eastern asylum seekers cross into Europe, in the clearest admission yet that he engineered the new migrant crisis on the border with the EU.

    In an interview with the BBC at his presidential palace in Minsk, he said it was “absolutely possible” that his troops helped migrants across the frontier into Poland.

    Continue reading...", + "category": "Alexander Lukashenko", + "link": "https://www.theguardian.com/world/2021/nov/19/lukashenko-says-belarusian-troops-may-have-helped-refugees-reach-europe", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-11-19T17:03:46Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ff9f6b77d7f1186574f29c7453f3132d" + "hash": "9b4a3c4b2a08b97c14b7ea00ad1e2c71" }, { - "title": "China seeks to spin Peng Shuai’s #MeToo allegation into an ideological dispute", - "description": "

    Analysis: experts say emphasis on the west and international diplomacy obfuscates the original allegation

    Despite endless speculation from international press in recent weeks, there has been barely a mention of tennis star Peng Shuai’s bombshell allegation against Zhang Gaoli, the country’s former vice-premier, in domestic news coverage. Outside the country, the event was initially referred to by the editor of the official nationalist tabloid Global Times, Hu Xijin, only as “the thing people talked about”.

    “For some years now, China has responded to negative global attention either by giving an unconvincing explanation, or by stoically pretending the criticism isn’t there,” Zhang Ming, a retired professor of politics at Renmin University told Reuters this week.

    Continue reading...", - "content": "

    Analysis: experts say emphasis on the west and international diplomacy obfuscates the original allegation

    Despite endless speculation from international press in recent weeks, there has been barely a mention of tennis star Peng Shuai’s bombshell allegation against Zhang Gaoli, the country’s former vice-premier, in domestic news coverage. Outside the country, the event was initially referred to by the editor of the official nationalist tabloid Global Times, Hu Xijin, only as “the thing people talked about”.

    “For some years now, China has responded to negative global attention either by giving an unconvincing explanation, or by stoically pretending the criticism isn’t there,” Zhang Ming, a retired professor of politics at Renmin University told Reuters this week.

    Continue reading...", - "category": "Peng Shuai", - "link": "https://www.theguardian.com/sport/2021/nov/25/china-seeks-peng-shuai-metoo-allegation-ideological-dispute", - "creator": "Vincent Ni, China affairs correspondent", - "pubDate": "2021-11-25T04:35:26Z", + "title": "Peng Shuai: UN calls on China to prove tennis star’s whereabouts", + "description": "

    Women’s Tennis Association adds to pressure by saying it is considering pulling its tournaments out of China

    The UN has called on Chinese authorities to give proof of the whereabouts of tennis star Peng Shuai, as the White House said it was “deeply concerned” and the Women’s Tennis Association said it was prepared to pull its tournaments out of China over the matter.

    Peng, a former doubles world No 1, has not been seen in public since she accused the former high-ranking official Zhang Gaoli of sexual assault on 2 November.

    Continue reading...", + "content": "

    Women’s Tennis Association adds to pressure by saying it is considering pulling its tournaments out of China

    The UN has called on Chinese authorities to give proof of the whereabouts of tennis star Peng Shuai, as the White House said it was “deeply concerned” and the Women’s Tennis Association said it was prepared to pull its tournaments out of China over the matter.

    Peng, a former doubles world No 1, has not been seen in public since she accused the former high-ranking official Zhang Gaoli of sexual assault on 2 November.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/nov/19/peng-shuai-wta-prepared-to-pull-out-of-china-over-tennis-stars-disappearance", + "creator": "Helen Davidson in Taipei, Vincent Ni and Tumaini Carayol", + "pubDate": "2021-11-19T16:41:53Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aca79cdce46cd096f3b0d085b5246489" + "hash": "80d0f1a6335f7f59099a54cce4a1f53e" }, { - "title": "‘Bawled my eyes out’: tears and cheers of New Zealanders free to head home", - "description": "

    Lifting of strict isolation rules brings wave of relief – but some say being locked out has soured their view of ‘home’ forever

    New Zealanders stranded overseas and desperate to return home have shed tears of relief they will soon be able to skip the country’s managed isolation system. But for many the news is bittersweet as they still face another summer separated from loved ones, amid anger that a decision did not come sooner.

    The country will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since the prime minister, Jacinda Ardern, announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed to unrestricted travel for more than a year and a half.

    Continue reading...", - "content": "

    Lifting of strict isolation rules brings wave of relief – but some say being locked out has soured their view of ‘home’ forever

    New Zealanders stranded overseas and desperate to return home have shed tears of relief they will soon be able to skip the country’s managed isolation system. But for many the news is bittersweet as they still face another summer separated from loved ones, amid anger that a decision did not come sooner.

    The country will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since the prime minister, Jacinda Ardern, announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed to unrestricted travel for more than a year and a half.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/25/bawled-my-eyes-out-tears-and-cheers-of-new-zealanders-free-to-head-home", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-11-25T04:04:33Z", + "title": "‘The strongman blinks’: why Narendra Modi has backed down to farmers", + "description": "

    Analysis: the authoritarian PM’s first retreat is a much needed triumph of democracy

    “The strongman finally blinks,” was how one commentator put it. On Friday morning, India woke to a surprise announcement by the prime minister, Narendra Modi, that he was repealing the farm laws, which have been at the heart of one of the greatest challenges his government had faced in almost eight years in power.

    It was a significant turning point, not only for the farmers, but for Indian politics and the reputation of the Bharatiya Janata party (BJP) government. Since Modi was first elected in 2014, his modus operandi has been that of a tough, unyielding, authoritarian strongman leader who does not bow to public pressure.

    Continue reading...", + "content": "

    Analysis: the authoritarian PM’s first retreat is a much needed triumph of democracy

    “The strongman finally blinks,” was how one commentator put it. On Friday morning, India woke to a surprise announcement by the prime minister, Narendra Modi, that he was repealing the farm laws, which have been at the heart of one of the greatest challenges his government had faced in almost eight years in power.

    It was a significant turning point, not only for the farmers, but for Indian politics and the reputation of the Bharatiya Janata party (BJP) government. Since Modi was first elected in 2014, his modus operandi has been that of a tough, unyielding, authoritarian strongman leader who does not bow to public pressure.

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/nov/19/the-strongman-blinks-why-narendra-modi-has-backed-down-to-farmers", + "creator": "Hannah Ellis-Petersen South Asia correspondent", + "pubDate": "2021-11-19T16:14:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a11db78ae1a31690054b8af79de368a2" + "hash": "efa56dfd1fbfdfed13225ecd2d294540" }, { - "title": "Sweden’s first female prime minister resigns less than 12 hours into job – video", - "description": "

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed. Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign from the post. 'I have asked the speaker to be relieved of my duties as prime minister,' Andersson said. 'I am ready to be prime minister in a single-party, Social Democrat government.'

    Continue reading...", - "content": "

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed. Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign from the post. 'I have asked the speaker to be relieved of my duties as prime minister,' Andersson said. 'I am ready to be prime minister in a single-party, Social Democrat government.'

    Continue reading...", - "category": "Sweden", - "link": "https://www.theguardian.com/world/video/2021/nov/25/swedens-first-female-prime-minister-resigns-less-than-12-hours-into-job-video", + "title": "'An attack on our health system': Austria's chancellor condemns anti-vaxxers – video", + "description": "

    Austria is to go into a national lockdown to contain a fourth wave of coronavirus cases, the chancellor, Alexander Schallenberg, announced on Friday, as new infections hit a record high amid a pandemic surge across Europe. Despite all the persuasion and campaigns, too few people had decided to get vaccinated, Schallenberg said, leaving the country no other choice but to introduce mandatory vaccinations in February

    Continue reading...", + "content": "

    Austria is to go into a national lockdown to contain a fourth wave of coronavirus cases, the chancellor, Alexander Schallenberg, announced on Friday, as new infections hit a record high amid a pandemic surge across Europe. Despite all the persuasion and campaigns, too few people had decided to get vaccinated, Schallenberg said, leaving the country no other choice but to introduce mandatory vaccinations in February

    Continue reading...", + "category": "Austria", + "link": "https://www.theguardian.com/world/video/2021/nov/19/an-attack-on-our-health-system-austrias-chancellor-condemns-anti-vaxxers-video", "creator": "", - "pubDate": "2021-11-25T02:43:44Z", + "pubDate": "2021-11-19T15:52:18Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98c11941b850dfcf076ab85987f63d28" + "hash": "f1620dae01bdf4e7bbb6047a2669102c" }, { - "title": "North American fertilizer shortage sparks fears of higher food prices", - "description": "

    Warning to ‘get your fertilizer now’ as farmers postpone nitrogen purchases, raising threat of rush on supplies before planting season

    A global shortage of nitrogen fertilizer is driving prices to record levels, prompting North America’s farmers to delay purchases and raising the risk of a spring scramble to apply the crop nutrient before planting season.

    Farmers apply nitrogen to boost yields of corn, canola and wheat, and higher fertilizer costs could translate into higher meat and bread prices.

    Continue reading...", - "content": "

    Warning to ‘get your fertilizer now’ as farmers postpone nitrogen purchases, raising threat of rush on supplies before planting season

    A global shortage of nitrogen fertilizer is driving prices to record levels, prompting North America’s farmers to delay purchases and raising the risk of a spring scramble to apply the crop nutrient before planting season.

    Farmers apply nitrogen to boost yields of corn, canola and wheat, and higher fertilizer costs could translate into higher meat and bread prices.

    Continue reading...", - "category": "Farming", - "link": "https://www.theguardian.com/environment/2021/nov/25/fertilizer-shortage-north-america-farmers-food-prices", - "creator": "Reuters", - "pubDate": "2021-11-25T00:54:56Z", + "title": "WTA’s hardline approach to Peng Shuai presents China with new problem", + "description": "

    Analysis: Up to now sports associations have rapidly backed down from rows with Beijing

    It is perhaps no coincidence that Chinese state media published an email purportedly written by the missing Chinese tennis star Peng Shuai shortly after reports emerged that the Biden administration was considering a “diplomatic boycott” of February’s Winter Olympics in Beijing.

    China says the Games are apolitical and – in the words of its embassy in Washington – “a grand gathering for countries and a fair stage for athletes from all over the world to compete”.

    Continue reading...", + "content": "

    Analysis: Up to now sports associations have rapidly backed down from rows with Beijing

    It is perhaps no coincidence that Chinese state media published an email purportedly written by the missing Chinese tennis star Peng Shuai shortly after reports emerged that the Biden administration was considering a “diplomatic boycott” of February’s Winter Olympics in Beijing.

    China says the Games are apolitical and – in the words of its embassy in Washington – “a grand gathering for countries and a fair stage for athletes from all over the world to compete”.

    Continue reading...", + "category": "China", + "link": "https://www.theguardian.com/world/2021/nov/19/wtas-hardline-approach-to-peng-shuai-presents-china-with-new-problem", + "creator": "Vincent Ni China affairs correspondent", + "pubDate": "2021-11-19T15:10:33Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8bd34696be7d715bb8a18116731b93e2" + "hash": "287932a37469db5fbbefc5ab1cfc3fb3" }, { - "title": "New Zealand opposition leader Judith Collins ousted after move to demote rival backfires", - "description": "

    New National party leader will be chosen next week, with former Air New Zealand boss Chris Luxon a favourite for the job

    Judith Collins, leader of New Zealand’s opposition National party, has been toppled after months of poor polling and a shock move to strip a political rival of his portfolios.

    MPs voted to end Collins’ leadership at a crisis caucus meeting on Thursday. The meeting was prompted after Collins demoted Simon Bridges, a former party leader and one of her rivals. Late on Wednesday night, she stripped Bridges of all of his portfolios, citing an inappropriate comment made by Bridges in 2017 in front of a female colleague– where Bridges says he discussed “old wives tales” about how he and his wife might produce a female child. Collins described the comment as “serious misconduct”.

    Continue reading...", - "content": "

    New National party leader will be chosen next week, with former Air New Zealand boss Chris Luxon a favourite for the job

    Judith Collins, leader of New Zealand’s opposition National party, has been toppled after months of poor polling and a shock move to strip a political rival of his portfolios.

    MPs voted to end Collins’ leadership at a crisis caucus meeting on Thursday. The meeting was prompted after Collins demoted Simon Bridges, a former party leader and one of her rivals. Late on Wednesday night, she stripped Bridges of all of his portfolios, citing an inappropriate comment made by Bridges in 2017 in front of a female colleague– where Bridges says he discussed “old wives tales” about how he and his wife might produce a female child. Collins described the comment as “serious misconduct”.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/25/new-zealand-opposition-leader-judith-collins-ousted-after-move-to-demote-rival-backfires", - "creator": "Eva Corlett in Wellington and Tess McClure in Christchurch", - "pubDate": "2021-11-25T00:28:15Z", + "title": "Do long jail sentences stop crime? We ask the expert", + "description": "

    Penelope Gibbs, former magistrate and founder of Transform Justice, on whether harsher sentences are effective

    Until recently, the subject of criminal punishment hasn’t been a massive concern for the public (putting aside that small demographic committed to a “hang ’em all!” approach). But in the wake of Sarah Everard’s murder, calls for misogyny to become a hate crime have gone from a whisper to a roar. That change would give judges the power to increase sentences when misogyny was found to be an aggravating factor in a crime. But would harsher sentences do much to stop such crimes happening? I asked Penelope Gibbs, former magistrate and founder of Transform Justice, a charity campaigning for a more effective justice system.

    Did you hear about the Thai fraudster who was sentenced to jail for more than 13,000 years? I guess they needed a number to describe ‘throwing away the key’. Are long sentences becoming more common?
    I don’t know about across the world, but I can tell you that in England and Wales sentences have been getting steadily longer over the past decade, by roughly 20%.

    Continue reading...", + "content": "

    Penelope Gibbs, former magistrate and founder of Transform Justice, on whether harsher sentences are effective

    Until recently, the subject of criminal punishment hasn’t been a massive concern for the public (putting aside that small demographic committed to a “hang ’em all!” approach). But in the wake of Sarah Everard’s murder, calls for misogyny to become a hate crime have gone from a whisper to a roar. That change would give judges the power to increase sentences when misogyny was found to be an aggravating factor in a crime. But would harsher sentences do much to stop such crimes happening? I asked Penelope Gibbs, former magistrate and founder of Transform Justice, a charity campaigning for a more effective justice system.

    Did you hear about the Thai fraudster who was sentenced to jail for more than 13,000 years? I guess they needed a number to describe ‘throwing away the key’. Are long sentences becoming more common?
    I don’t know about across the world, but I can tell you that in England and Wales sentences have been getting steadily longer over the past decade, by roughly 20%.

    Continue reading...", + "category": "Social trends", + "link": "https://www.theguardian.com/lifeandstyle/2021/nov/19/do-long-jail-sentences-stop-we-ask-the-expert", + "creator": "Coco Khan", + "pubDate": "2021-11-19T15:00:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4c1c8f64e202074f2e5ad2a8bf149f3c" + "hash": "a5a5a467125facba7845054008386f24" }, { - "title": "Dinghy deaths tragedy brings home our hostility to the world’s desperate", - "description": "

    Closing off all safer options forces abject refugees to approach our shores by the most perilous means

    The sheer terror of crossing the busy, dark and freezing cold Channel between France and the UK in a flimsy, unseaworthy boat was best described by 12-year-old Mohammad, who made the journey with his mother and eight-year-old sister in June after fleeing Afghanistan before the Taliban takeover. “It was like a horror movie,” he said. And that was summer – not the depths of November.

    Mohammad and his sister survived the 21-mile journey made through the night. They are among thousands of children thought to have crossed the Channel in small boats this year.

    Continue reading...", - "content": "

    Closing off all safer options forces abject refugees to approach our shores by the most perilous means

    The sheer terror of crossing the busy, dark and freezing cold Channel between France and the UK in a flimsy, unseaworthy boat was best described by 12-year-old Mohammad, who made the journey with his mother and eight-year-old sister in June after fleeing Afghanistan before the Taliban takeover. “It was like a horror movie,” he said. And that was summer – not the depths of November.

    Mohammad and his sister survived the 21-mile journey made through the night. They are among thousands of children thought to have crossed the Channel in small boats this year.

    Continue reading...", - "category": "Refugees", - "link": "https://www.theguardian.com/world/2021/nov/24/dinghy-deaths-tragedy-brings-home-our-hostility-to-the-worlds-desperate", - "creator": "Diane Taylor and Angelique Chrisafis in Paris", - "pubDate": "2021-11-24T22:22:42Z", + "title": "Abducted Afghan psychiatrist found dead weeks after disappearance", + "description": "

    Family say the body of Dr Nader Alemi, who was taken by armed men in September, showed signs of torture

    One of Afghanistan’s most prominent psychiatrists, who was abducted by armed men in September, has been found dead, his family has confirmed.

    Dr Nader Alemi’s daughter, Manizheh Abreen, said that her father had been tortured before he died.

    Continue reading...", + "content": "

    Family say the body of Dr Nader Alemi, who was taken by armed men in September, showed signs of torture

    One of Afghanistan’s most prominent psychiatrists, who was abducted by armed men in September, has been found dead, his family has confirmed.

    Dr Nader Alemi’s daughter, Manizheh Abreen, said that her father had been tortured before he died.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/19/abducted-afghan-psychiatrist-found-dead-weeks-after-disappearance", + "creator": "Haroon Janjua in Islamabad", + "pubDate": "2021-11-19T14:44:35Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c3abbf8c6e63c1edc567fdb13a8d1645" + "hash": "7553aed7889a0a24079dbb247451bf88" }, { - "title": "‘A long fight’: relief across the US as men convicted of murdering Ahmaud Arbery", - "description": "

    ‘I never thought this day would come,’ says Ahmaud Arbery’s mother as some say it’s ‘not true justice’

    Relief, emotion and a sense of hope came flooding out in Brunswick, on social media, from the White House and across the US as the nation came to terms with the Ahmaud Arbery verdicts and their place in history.

    Outside the Georgia courthouse, a joyous, flag-waving crowd repeatedly chanted: “Ahmaud Arbery! Say his name!” as the Arbery family, surrounded by their attorneys, emerged to address them.

    Continue reading...", - "content": "

    ‘I never thought this day would come,’ says Ahmaud Arbery’s mother as some say it’s ‘not true justice’

    Relief, emotion and a sense of hope came flooding out in Brunswick, on social media, from the White House and across the US as the nation came to terms with the Ahmaud Arbery verdicts and their place in history.

    Outside the Georgia courthouse, a joyous, flag-waving crowd repeatedly chanted: “Ahmaud Arbery! Say his name!” as the Arbery family, surrounded by their attorneys, emerged to address them.

    Continue reading...", - "category": "Ahmaud Arbery", - "link": "https://www.theguardian.com/us-news/2021/nov/24/ahmaud-arbery-murder-georgia-reaction", - "creator": "Richard Luscombe", - "pubDate": "2021-11-24T21:37:56Z", + "title": "Marry Me: do you take the J-Lo/Owen Wilson romcom to be the weirdest film of 2022?", + "description": "

    Jennifer Lopez proposes to Owen Wilson, a maths teacher she’s never met. What was she thinking? How will it end? And does anyone care?

    Nobody really wants it to be 2021, do they? A vicious global pandemic is about to enter its third year, the world is on fire and populist politics threatens to overturn democracy as we know it. Some people have reacted to these terrible times by trying to change things. Others are willing themselves back to a more innocent era.

    By “others”, I mean Jennifer Lopez and Owen Wilson, who are doing their level best to make it 2005 again. How? By making a romcom, that’s how. If this was a decade and a half ago, then Marry Me would automatically be one of the biggest hits of the year, bringing together the unstoppable forces responsible for Maid in Manhattan and Wedding Crashers. But it isn’t 2005, it’s 2021, and the thought of watching Lopez and Wilson shuffle through a romcom together is baffling. Perhaps it’d help to go through the Marry Me trailer beat by beat.

    Continue reading...", + "content": "

    Jennifer Lopez proposes to Owen Wilson, a maths teacher she’s never met. What was she thinking? How will it end? And does anyone care?

    Nobody really wants it to be 2021, do they? A vicious global pandemic is about to enter its third year, the world is on fire and populist politics threatens to overturn democracy as we know it. Some people have reacted to these terrible times by trying to change things. Others are willing themselves back to a more innocent era.

    By “others”, I mean Jennifer Lopez and Owen Wilson, who are doing their level best to make it 2005 again. How? By making a romcom, that’s how. If this was a decade and a half ago, then Marry Me would automatically be one of the biggest hits of the year, bringing together the unstoppable forces responsible for Maid in Manhattan and Wedding Crashers. But it isn’t 2005, it’s 2021, and the thought of watching Lopez and Wilson shuffle through a romcom together is baffling. Perhaps it’d help to go through the Marry Me trailer beat by beat.

    Continue reading...", + "category": "Film", + "link": "https://www.theguardian.com/film/2021/nov/19/marry-me-do-you-take-the-j-loowen-wilson-romcom-to-be-the-weirdest-film-of-2022", + "creator": "Stuart Heritage", + "pubDate": "2021-11-19T14:42:26Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "952746246da9961c115682260f35ee56" + "hash": "6cc82fac7c44ac39ca2917277b358eda" }, { - "title": "Bosnia and surrounding region still heading for crisis, says top official", - "description": "

    International community’s high representative calls for diplomatic engagement from US and Europe

    The top international official in Bosnia has said that the Serb separatist threat to re-establish their own army had receded for now, but the country and surrounding region were still heading for crisis without substantial diplomatic engagement from the US and Europe.

    Christian Schmidt, a German former minister serving as the international community’s high representative to Bosnia-Herzegovina, said the Serb separatist leader, Milorad Dodik, had been persuaded by regional leaders to suspend his plans to pull Serb soldiers out of the Bosnian national army and reconstitute a Bosnian Serb force.

    Continue reading...", - "content": "

    International community’s high representative calls for diplomatic engagement from US and Europe

    The top international official in Bosnia has said that the Serb separatist threat to re-establish their own army had receded for now, but the country and surrounding region were still heading for crisis without substantial diplomatic engagement from the US and Europe.

    Christian Schmidt, a German former minister serving as the international community’s high representative to Bosnia-Herzegovina, said the Serb separatist leader, Milorad Dodik, had been persuaded by regional leaders to suspend his plans to pull Serb soldiers out of the Bosnian national army and reconstitute a Bosnian Serb force.

    Continue reading...", - "category": "Bosnia-Herzegovina", - "link": "https://www.theguardian.com/world/2021/nov/24/bosnia-and-surrounding-region-still-heading-for-crisis-says-top-official", - "creator": "Julian Borger in Washington", - "pubDate": "2021-11-24T20:37:29Z", + "title": "‘Diagnosis is rebirth’: women who found out they were autistic as adults", + "description": "

    Women from around the world describe the life-changing impact of finally receiving a diagnosis

    Less than 20 hours after asking women who had received a late diagnosis of autism, we received 139 replies from around the world.

    There were women whose lives had been scarred by victimisation, from bullying to rape, because without a diagnosis they did not know they were highly vulnerable to manipulation and abuse.

    Continue reading...", + "content": "

    Women from around the world describe the life-changing impact of finally receiving a diagnosis

    Less than 20 hours after asking women who had received a late diagnosis of autism, we received 139 replies from around the world.

    There were women whose lives had been scarred by victimisation, from bullying to rape, because without a diagnosis they did not know they were highly vulnerable to manipulation and abuse.

    Continue reading...", + "category": "Autism", + "link": "https://www.theguardian.com/society/2021/nov/19/diagnosis-women-autism-later-life", + "creator": "Amelia Hill", + "pubDate": "2021-11-19T14:36:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87a42e041f764abbeb9ff013d3a58bd1" + "hash": "218a3c450632fa78fee6bde5ea4aeaaf" }, { - "title": "Logbooks linked to Antarctic explorers Shackleton and Scott found in storage room", - "description": "

    ‘Priceless’ artefacts recording details of the famed expeditions of the 1910s were discovered in the vaults of New Zealand’s meteorological service

    “Priceless” artefacts linked to Antarctic explorers Ernest Shackleton and Capt Robert Falcon Scott have been unearthed in a surprise discovery within the dark storage room of New Zealand’s meterological service.

    Metservice staff came across a set of logbooks from some of the most famous Antarctic expeditions while preparing to move buildings in Wellington.

    Continue reading...", - "content": "

    ‘Priceless’ artefacts recording details of the famed expeditions of the 1910s were discovered in the vaults of New Zealand’s meteorological service

    “Priceless” artefacts linked to Antarctic explorers Ernest Shackleton and Capt Robert Falcon Scott have been unearthed in a surprise discovery within the dark storage room of New Zealand’s meterological service.

    Metservice staff came across a set of logbooks from some of the most famous Antarctic expeditions while preparing to move buildings in Wellington.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/25/logbooks-linked-to-antarctic-explorers-shackleton-and-scott-found-in-storage-room", - "creator": "Eva Corlett in Wellington", - "pubDate": "2021-11-24T20:07:26Z", + "title": "First known Covid case was Wuhan market vendor, says scientist", + "description": "

    Claim will reignite debate about origins of pandemic, a continuing source of tension between US and China

    The first known Covid-19 case was a vendor at the live-animal market in Wuhan, according to a scientist who has scrutinised public accounts of the earliest cases in China.

    The chronology is at odds with a timeline laid out in an influential World Health Organization (WHO) report, which suggested an accountant with no apparent link to the Hunan market was the first known case.

    Continue reading...", + "content": "

    Claim will reignite debate about origins of pandemic, a continuing source of tension between US and China

    The first known Covid-19 case was a vendor at the live-animal market in Wuhan, according to a scientist who has scrutinised public accounts of the earliest cases in China.

    The chronology is at odds with a timeline laid out in an influential World Health Organization (WHO) report, which suggested an accountant with no apparent link to the Hunan market was the first known case.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/19/first-covid-patient-in-wuhan-was-at-animal-market-study-finds", + "creator": "Hannah Devlin Science correspondent", + "pubDate": "2021-11-19T14:08:44Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "77134c4b539e958c1dc0a673ad6a2a3b" + "hash": "2a7d37ff561589a7ff4f96006ba01995" }, { - "title": "Ahmaud Arbery: the moment Travis McMichael received guilty verdict – video", - "description": "

    Travis McMichael, Greg McMichael and William Bryan have been found guilty of murdering Ahmaud Arbery.

    The three men pursued Arbery, a 25-year-old Black man, through their neighborhood on 23 February 2020, before Travis McMichael shot and killed him.

    The men were also found guilty on several other charges, including aggravated assault, false imprisonment, and criminal attempt to commit a felony.

    Continue reading...", - "content": "

    Travis McMichael, Greg McMichael and William Bryan have been found guilty of murdering Ahmaud Arbery.

    The three men pursued Arbery, a 25-year-old Black man, through their neighborhood on 23 February 2020, before Travis McMichael shot and killed him.

    The men were also found guilty on several other charges, including aggravated assault, false imprisonment, and criminal attempt to commit a felony.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/video/2021/nov/24/ahmaud-arbery-the-moment-travis-mcmichael-received-guilty-verdict-video", - "creator": "", - "pubDate": "2021-11-24T19:22:25Z", + "title": "Modi repeals controversial laws in surprise victory for Indian farmers – video report", + "description": "

    Narendra Modi has announced he will repeal three contentious farm laws that prompted a year of protests and unrest in India, in one of the most significant concessions made by his government and a huge victory for India’s farmers. They had fought hard for the repeal of what the farmers called the 'black laws' that put their livelihoods at risk and gave private corporations control over the pricing of their crops

    Continue reading...", + "content": "

    Narendra Modi has announced he will repeal three contentious farm laws that prompted a year of protests and unrest in India, in one of the most significant concessions made by his government and a huge victory for India’s farmers. They had fought hard for the repeal of what the farmers called the 'black laws' that put their livelihoods at risk and gave private corporations control over the pricing of their crops

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/video/2021/nov/19/modi-repeals-controversial-laws-victory-indian-farmers-video-report", + "creator": "Maheen Sadiq", + "pubDate": "2021-11-19T14:07:16Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b50a3742a3c3200d8aac19c1c1a8b70f" + "hash": "4f1255a05b37e156c4f1a0f19c1d1681" }, { - "title": "From environment to economy: what to expect from new German government", - "description": "

    Analysis: coalition wants Germany to remain Europe’s ‘anchor of stability’ but there will be some changes

    Led by a party that has acted as Angela Merkel’s junior coalition partner for 12 of the last 16 years, and two parties with an energy to do things differently, Germany’s next government represents an odd mix of status quo thinking and reformist instincts.

    The coalition agreement presented by the Social Democratic party (SPD), the Greens and the Free Democratic party (FDP) on Wednesday gives a hint of how German could change – and how it could stay the same.

    Continue reading...", - "content": "

    Analysis: coalition wants Germany to remain Europe’s ‘anchor of stability’ but there will be some changes

    Led by a party that has acted as Angela Merkel’s junior coalition partner for 12 of the last 16 years, and two parties with an energy to do things differently, Germany’s next government represents an odd mix of status quo thinking and reformist instincts.

    The coalition agreement presented by the Social Democratic party (SPD), the Greens and the Free Democratic party (FDP) on Wednesday gives a hint of how German could change – and how it could stay the same.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/nov/24/from-environment-to-economy-what-to-expect-from-new-german-government", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-11-24T19:21:23Z", + "title": "‘It was mind-boggling’: Richard Gere on the rescue boat at the heart of Salvini trial", + "description": "

    Exclusive: the Hollywood actor, who lawyers have listed as a key witness, describes scenes of desperation on the Open Arms vessel

    The Hollywood actor Richard Gere has revealed for the first time the full story behind his mercy mission to the NGO rescue boat Open Arms as he prepares to testify as a witness against Italy’s former interior minister and far-right leader, Matteo Salvini, who is on trial for attempting to block the 147 people onboard from landing in Italy.

    In an exclusive interview with the Guardian, Gere, 72, who lawyers have listed as a key witness to the situation aboard the NGO rescue boat Open Arms, described the scenes of desperation he saw when he arrived on the vessel being held off the Italian island of Lampedusa in the summer of 2019 with conditions rapidly deteriorating.

    Continue reading...", + "content": "

    Exclusive: the Hollywood actor, who lawyers have listed as a key witness, describes scenes of desperation on the Open Arms vessel

    The Hollywood actor Richard Gere has revealed for the first time the full story behind his mercy mission to the NGO rescue boat Open Arms as he prepares to testify as a witness against Italy’s former interior minister and far-right leader, Matteo Salvini, who is on trial for attempting to block the 147 people onboard from landing in Italy.

    In an exclusive interview with the Guardian, Gere, 72, who lawyers have listed as a key witness to the situation aboard the NGO rescue boat Open Arms, described the scenes of desperation he saw when he arrived on the vessel being held off the Italian island of Lampedusa in the summer of 2019 with conditions rapidly deteriorating.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/19/richard-gere-open-arms-rescue-boat-heart-of-salvini-trial", + "creator": "Lorenzo Tondo in Palermo", + "pubDate": "2021-11-19T14:00:00Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b114187e50c8c41ac3f33cda4ca1c41" + "hash": "52a01a7e7844b2a3cd4ef8ddc11b8e0a" }, { - "title": "Key moments from the Ahmaud Arbery murder trial – video report", - "description": "

    A jury returned guilty verdicts in the trial of three white men accused of murdering Ahmaud Arbery in 2020.

    Allegedly believing him to be a burglar, Travis McMichael, his father Greg McMichael and their neighbour William 'Roddie' Bryan pursued Arbery through a south Georgia neighbourhood in their pickup trucks, before a confrontation in which Travis McMichael shot Arbery dead.

    In a case that has become part of the campaign for racial justice in the US, the defendants have pleaded not guilty to all charges claiming they acted in self-defense.

    Prosecutors have argued the men had no legal right to attempt to detain Arbery, who was unarmed and described by his family as an avid runner.

    The three men face life in prison if found guilty of murder.

    Continue reading...", - "content": "

    A jury returned guilty verdicts in the trial of three white men accused of murdering Ahmaud Arbery in 2020.

    Allegedly believing him to be a burglar, Travis McMichael, his father Greg McMichael and their neighbour William 'Roddie' Bryan pursued Arbery through a south Georgia neighbourhood in their pickup trucks, before a confrontation in which Travis McMichael shot Arbery dead.

    In a case that has become part of the campaign for racial justice in the US, the defendants have pleaded not guilty to all charges claiming they acted in self-defense.

    Prosecutors have argued the men had no legal right to attempt to detain Arbery, who was unarmed and described by his family as an avid runner.

    The three men face life in prison if found guilty of murder.

    Continue reading...", - "category": "Ahmaud Arbery", - "link": "https://www.theguardian.com/us-news/video/2021/nov/24/key-moments-from-the-ahmaud-arbery-trial-video-report", - "creator": "", - "pubDate": "2021-11-24T18:53:41Z", + "title": "‘We are more powerful than Modi’: Indian farmers celebrate U-turn on laws", + "description": "

    Camp outside Delhi cheers after PM announced revoking of farm laws following a year of protests

    The scent of victory was in the air. As tractors rolled through the protest camp on the outskirts of Delhi set up by farmers almost exactly a year ago, rousing cries of “long live the revolution” and “we defeated Modi” rang out. Old men with trailing silver beards and rainbow turbans danced on tractor roofs and flag-waving children were held up high.

    “For one year we have been at war,” said Ranjeet Singh, 32. “We have suffered, people have died. But today farmers won the war.”

    Continue reading...", + "content": "

    Camp outside Delhi cheers after PM announced revoking of farm laws following a year of protests

    The scent of victory was in the air. As tractors rolled through the protest camp on the outskirts of Delhi set up by farmers almost exactly a year ago, rousing cries of “long live the revolution” and “we defeated Modi” rang out. Old men with trailing silver beards and rainbow turbans danced on tractor roofs and flag-waving children were held up high.

    “For one year we have been at war,” said Ranjeet Singh, 32. “We have suffered, people have died. But today farmers won the war.”

    Continue reading...", + "category": "India", + "link": "https://www.theguardian.com/world/2021/nov/19/we-are-more-powerful-than-modi-indian-farmers-celebrate-laws-repealing", + "creator": "Hannah Ellis-Petersen in Singhu", + "pubDate": "2021-11-19T13:39:57Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a49acc62dafa4f28cd9c1e458ff08ea" + "hash": "9d4d1c0cf54c8da3cb5bc51256e3262e" }, { - "title": "Scientists warn of new Covid variant with high number of mutations", - "description": "

    The B.1.1.529 variant was first spotted in Botswana and six cases have been found in South Africa

    Scientists have said a new Covid variant that carries an “extremely high number” of mutations may drive further waves of disease by evading the body’s defences.

    Only 10 cases in three countries have been confirmed by genomic sequencing, but the variant has sparked serious concern among some researchers because a number of the mutations may help the virus evade immunity.

    Continue reading...", - "content": "

    The B.1.1.529 variant was first spotted in Botswana and six cases have been found in South Africa

    Scientists have said a new Covid variant that carries an “extremely high number” of mutations may drive further waves of disease by evading the body’s defences.

    Only 10 cases in three countries have been confirmed by genomic sequencing, but the variant has sparked serious concern among some researchers because a number of the mutations may help the virus evade immunity.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/24/scientists-warn-of-new-covid-variant-with-high-number-of-mutations", - "creator": "Ian Sample Science editor", - "pubDate": "2021-11-24T18:30:16Z", + "title": "As millions face famine #CongoIsStarving is calling on Joe Biden to help | Vava Tampa", + "description": "

    Only a UN tribunal, sponsored by the US president, can end the culture of impunity fuelling violence and poverty in the DRC

    The numbers are difficult to absorb. According to a new IPC report, a record 27 million Congolese – roughly a quarter of the Democratic Republic of the Congo’s (DRC’s) population – are facing hunger, with 860,000 children under five acutely malnourished. The DRC is home to more starving people than any other country in the world. This could have been prevented.

    Without faith that their own president Félix Tshisekedi will act, people are turning to the US president, hoping that lobbying using the hashtag #CongoIsStarving on Twitter will urge Joe Biden to back the creation of an international criminal tribunal for the DRC to end the impunity fuelling violence and famine risk. Shockingly, it could be that simple to bring an end to this suffering; we are asking for solidarity, not charity, to save lives and end this nightmarish crisis.

    Continue reading...", + "content": "

    Only a UN tribunal, sponsored by the US president, can end the culture of impunity fuelling violence and poverty in the DRC

    The numbers are difficult to absorb. According to a new IPC report, a record 27 million Congolese – roughly a quarter of the Democratic Republic of the Congo’s (DRC’s) population – are facing hunger, with 860,000 children under five acutely malnourished. The DRC is home to more starving people than any other country in the world. This could have been prevented.

    Without faith that their own president Félix Tshisekedi will act, people are turning to the US president, hoping that lobbying using the hashtag #CongoIsStarving on Twitter will urge Joe Biden to back the creation of an international criminal tribunal for the DRC to end the impunity fuelling violence and famine risk. Shockingly, it could be that simple to bring an end to this suffering; we are asking for solidarity, not charity, to save lives and end this nightmarish crisis.

    Continue reading...", + "category": "Global development", + "link": "https://www.theguardian.com/global-development/2021/nov/19/as-millions-face-famine-congo-is-starving-is-calling-on-joe-biden-to-help", + "creator": "Vava Tampa", + "pubDate": "2021-11-19T12:40:13Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "05d3cc0b707bec59187804cf51dd6c33" + "hash": "e13f3aaf53cbb5667dbafb0090a2b89e" }, { - "title": "Sweden’s first female prime minister resigns after less than 12 hours", - "description": "

    Magdalena Andersson quits on day one after the Green party withdraws support for her budget

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed, plunging the country into further political uncertainty.

    Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign. She added that she had told the speaker of parliament she hoped to be appointed prime minister again as the head of a single-party government.

    Continue reading...", - "content": "

    Magdalena Andersson quits on day one after the Green party withdraws support for her budget

    Sweden’s first female prime minister, the Social Democrat Magdalena Andersson, has resigned less than 12 hours into the job when her coalition collapsed, plunging the country into further political uncertainty.

    Andersson said a decision by the Green party, the junior party in the coalition, to quit had forced her to resign. She added that she had told the speaker of parliament she hoped to be appointed prime minister again as the head of a single-party government.

    Continue reading...", - "category": "Sweden", - "link": "https://www.theguardian.com/world/2021/nov/24/swedens-first-female-prime-minister-resigns-after-less-than-12-hours", - "creator": "Agencies in Stockholm", - "pubDate": "2021-11-24T18:15:16Z", + "title": "Good or bad? Top cardiologist gives verdict on chocolate, coffee and wine", + "description": "

    Exclusive: Prof Thomas Lüscher assesses the heart healthiness of some of our favourite treats

    Dark chocolate is a “joy” when it comes to keeping your heart healthy, coffee is likely protective, but wine is at best “neutral”, according to one of the world’s leading cardiologists.

    As editor of the European Heart Journal for more than a decade, Prof Thomas Lüscher led a team that sifted through 3,200 manuscripts from scientists and doctors every year. Only a fraction – those deemed “truly novel” and backed up with “solid data” – would be selected for publication.

    Continue reading...", + "content": "

    Exclusive: Prof Thomas Lüscher assesses the heart healthiness of some of our favourite treats

    Dark chocolate is a “joy” when it comes to keeping your heart healthy, coffee is likely protective, but wine is at best “neutral”, according to one of the world’s leading cardiologists.

    As editor of the European Heart Journal for more than a decade, Prof Thomas Lüscher led a team that sifted through 3,200 manuscripts from scientists and doctors every year. Only a fraction – those deemed “truly novel” and backed up with “solid data” – would be selected for publication.

    Continue reading...", + "category": "Health", + "link": "https://www.theguardian.com/society/2021/nov/19/good-or-bad-top-cardiologist-gives-verdict-chocolate-coffee-wine", + "creator": "Andrew Gregory Health editor", + "pubDate": "2021-11-19T12:29:35Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "28a3271994e76de9a1722c03619cbbe4" + "hash": "3b8d572357562a5712b407d7c98b8f92" }, { - "title": "Erdoğan gambles on economy amid protests and rocketing inflation", - "description": "

    Analysis: push for interest rate cuts has divided party and left Turkish president in precarious position, say experts

    Turkey’s president is gambling that a strong economic recovery from the pandemic will stay on track despite rocketing inflation that has hit living standards and sparked protests in major cities.

    The $750bn economy is on course to expand by 9% this year following a return of tourism and a surge in demand for exports that has pushed factory output to pre-pandemic levels.

    Continue reading...", - "content": "

    Analysis: push for interest rate cuts has divided party and left Turkish president in precarious position, say experts

    Turkey’s president is gambling that a strong economic recovery from the pandemic will stay on track despite rocketing inflation that has hit living standards and sparked protests in major cities.

    The $750bn economy is on course to expand by 9% this year following a return of tourism and a surge in demand for exports that has pushed factory output to pre-pandemic levels.

    Continue reading...", - "category": "Turkey", - "link": "https://www.theguardian.com/world/2021/nov/24/erdogan-gambles-on-economy-amid-protests-and-rocketing-inflation", - "creator": "Phillip Inman", - "pubDate": "2021-11-24T18:00:18Z", + "title": "‘Storm clouds’ over Europe – but UK Covid rates remain high", + "description": "

    Analysis: likes of Slovakia and Austria have worse figures but UK’s have topped EU average for months

    As Covid infection rates surged again across Europe, Boris Johnson spoke this week of “storm clouds gathering” over parts of the continent and said it was unclear when or how badly the latest wave would “wash up on our shores”.

    The situation in some EU member states, particularly those with low vaccination rates, is indeed dramatic. In central and eastern Europe in particular, but also Austria, Belgium and the Netherlands, case numbers are rocketing.

    Continue reading...", + "content": "

    Analysis: likes of Slovakia and Austria have worse figures but UK’s have topped EU average for months

    As Covid infection rates surged again across Europe, Boris Johnson spoke this week of “storm clouds gathering” over parts of the continent and said it was unclear when or how badly the latest wave would “wash up on our shores”.

    The situation in some EU member states, particularly those with low vaccination rates, is indeed dramatic. In central and eastern Europe in particular, but also Austria, Belgium and the Netherlands, case numbers are rocketing.

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/2021/nov/19/storm-clouds-over-europe-but-uk-covid-rates-remain-higher", + "creator": "Jon Henley Europe correspondent", + "pubDate": "2021-11-19T12:25:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74d628329f750bd120eab9750534b247" + "hash": "f1d486951615eb7e842cbbe8d49adae5" }, { - "title": "Battlefield 2042 review – war in the eye of the storm", - "description": "

    PC, Xbox One/Series X/S, PlayStation 4/5; Dice/EA
    In a series known for its scale and spectacle, climate change and technical issues are the new enemies

    They say war is hell, don’t they, and also that hell is other people. So perhaps we should all have seen the chaos coming, when Electronic Arts proudly announced that 128-player matches were coming to Battlefield. We should have learned from trying to board the tube at rush hour what 128 people all vying simultaneously to complete an objective feels like, and it’s not often pleasant. Battlefield 2042 has many problems, but much potential. The ingredients for awe-inspiring war games are here, but don’t always come together – at least, not yet.

    This venerable shooter series’ characteristic bombast and spectacle is alive and well. 2042 is set under the extreme weather conditions that ravage our near future, trigger the dissolution of most nation states, and begin a war fought by stateless “no-pats” what resources are left on Earth. Running headlong into a tornado with 63 other players while another 64 await you on the other side of its vortex will leave you feeling awestruck the first time. But it doesn’t serve a match of Conquest (capture control points) or Breakthrough (capture control points, but this time in order) particularly well.

    Continue reading...", - "content": "

    PC, Xbox One/Series X/S, PlayStation 4/5; Dice/EA
    In a series known for its scale and spectacle, climate change and technical issues are the new enemies

    They say war is hell, don’t they, and also that hell is other people. So perhaps we should all have seen the chaos coming, when Electronic Arts proudly announced that 128-player matches were coming to Battlefield. We should have learned from trying to board the tube at rush hour what 128 people all vying simultaneously to complete an objective feels like, and it’s not often pleasant. Battlefield 2042 has many problems, but much potential. The ingredients for awe-inspiring war games are here, but don’t always come together – at least, not yet.

    This venerable shooter series’ characteristic bombast and spectacle is alive and well. 2042 is set under the extreme weather conditions that ravage our near future, trigger the dissolution of most nation states, and begin a war fought by stateless “no-pats” what resources are left on Earth. Running headlong into a tornado with 63 other players while another 64 await you on the other side of its vortex will leave you feeling awestruck the first time. But it doesn’t serve a match of Conquest (capture control points) or Breakthrough (capture control points, but this time in order) particularly well.

    Continue reading...", - "category": "Games", - "link": "https://www.theguardian.com/games/2021/nov/24/battlefield-2042-review-war-pc-xbox-one-series-x-s-playstation-dice-ea", - "creator": "Phil Iwaniuk", - "pubDate": "2021-11-24T13:28:59Z", + "title": "Rap battles return in Rio’s City of God – in pictures", + "description": "

    Artists in the favela are starting to compete again after the Covid-19 pandemic curtailed public gatherings, a show that signals a return to normality for music lovers

    Continue reading...", + "content": "

    Artists in the favela are starting to compete again after the Covid-19 pandemic curtailed public gatherings, a show that signals a return to normality for music lovers

    Continue reading...", + "category": "Brazil", + "link": "https://www.theguardian.com/world/gallery/2021/nov/19/rap-battles-return-in-rio-city-of-god-in-pictures", + "creator": "Silvia Izquierdo/AP", + "pubDate": "2021-11-19T10:33:46Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4e7ac6b46fb3b2c863751544880c129c" + "hash": "89d1215fd92fef4b87c9db593af0c38a" }, { - "title": "Belgian court awards damages to couple who had twins after IVF mix-up", - "description": "

    Parents wanted second child to act as bone marrow donor to their son but ended up with three

    A hospital in Belgium has been ordered to compensate a couple for their “shock” and “impoverishment” after they ended up having three children by IVF treatment due to a mistake in its fertility clinic.

    It is the first time the Belgian courts have found that a healthy child can be the cause of loss to parents.

    Continue reading...", - "content": "

    Parents wanted second child to act as bone marrow donor to their son but ended up with three

    A hospital in Belgium has been ordered to compensate a couple for their “shock” and “impoverishment” after they ended up having three children by IVF treatment due to a mistake in its fertility clinic.

    It is the first time the Belgian courts have found that a healthy child can be the cause of loss to parents.

    Continue reading...", - "category": "Belgium", - "link": "https://www.theguardian.com/world/2021/nov/24/belgian-court-awards-damages-to-couple-who-had-twins-after-ivf-mix-up", - "creator": "Daniel Boffey in Brussels", - "pubDate": "2021-11-24T13:28:39Z", + "title": "‘No way around it’: Austrians queue for jabs as unvaccinated told to stay home", + "description": "

    In Linz, jab willingness is rising as police check Covid passports – but confusion remains on what is essential travel

    On a street of shops in the Austrian city of Linz, a stone’s throw from the winding Danube river, two police officers in navy-blue uniforms and peaked white caps stop random passersby to check their vaccine passports.

    Elderly shoppers rummage around in their handbags and comply with a smile, but a fortysomething woman with a nose piercing is less forthcoming: she says she left her immunisation certificate on the kitchen table as she had to dash across town to see a dentist.

    Continue reading...", + "content": "

    In Linz, jab willingness is rising as police check Covid passports – but confusion remains on what is essential travel

    On a street of shops in the Austrian city of Linz, a stone’s throw from the winding Danube river, two police officers in navy-blue uniforms and peaked white caps stop random passersby to check their vaccine passports.

    Elderly shoppers rummage around in their handbags and comply with a smile, but a fortysomething woman with a nose piercing is less forthcoming: she says she left her immunisation certificate on the kitchen table as she had to dash across town to see a dentist.

    Continue reading...", + "category": "Austria", + "link": "https://www.theguardian.com/world/2021/nov/19/austrians-queue-for-covid-jabs-as-unvaccinated-told-to-stay-home", + "creator": "Philip Oltermann in Linz", + "pubDate": "2021-11-19T10:30:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "067886867b9a348f87ceffba2a9a5b3e" + "hash": "10c33cdfa9760aecab1df372f9cd119e" }, { - "title": "Donald Trump calls Kyle Rittenhouse ‘really a nice young man’ after visit", - "description": "

    The teenager who was acquitted after killing two people in Kenosha visited the former president at his Mar-a-Lago resort

    A teenager acquitted of murdering two men and wounding another last year during racially based protests in Wisconsin reportedly visited Donald Trump at his Florida resort, with the former president describing Kyle Rittenhouse as “really a nice young man”.

    Trump revealed the visit in an interview with the TV show host Sean Hannity that aired on Fox News on Tuesday night. It was accompanied by a photograph of the pair together at Trump’s Mar-a-Lago resort in Palm Beach, where the former president lives.

    Continue reading...", - "content": "

    The teenager who was acquitted after killing two people in Kenosha visited the former president at his Mar-a-Lago resort

    A teenager acquitted of murdering two men and wounding another last year during racially based protests in Wisconsin reportedly visited Donald Trump at his Florida resort, with the former president describing Kyle Rittenhouse as “really a nice young man”.

    Trump revealed the visit in an interview with the TV show host Sean Hannity that aired on Fox News on Tuesday night. It was accompanied by a photograph of the pair together at Trump’s Mar-a-Lago resort in Palm Beach, where the former president lives.

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/2021/nov/24/donald-trump-kyle-rittenhouse-really-a-nice-young-man-after-visit", - "creator": "Richard Luscombe in Miami", - "pubDate": "2021-11-24T13:27:23Z", + "title": "Has Covid ended the neoliberal era? – podcast", + "description": "

    The year 2020 exposed the risks and weaknesses of the market-driven global system like never before. It’s hard to avoid the sense that a turning point has been reached. By Adam Tooze

    Continue reading...", + "content": "

    The year 2020 exposed the risks and weaknesses of the market-driven global system like never before. It’s hard to avoid the sense that a turning point has been reached. By Adam Tooze

    Continue reading...", + "category": "Coronavirus", + "link": "https://www.theguardian.com/world/audio/2021/nov/19/has-covid-ended-the-neoliberal-era-podcast", + "creator": "Written by Adam Tooze, read by Ben Norris and produced by Esther Opoku-Gyeni", + "pubDate": "2021-11-19T10:00:31Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "2a589dff9991e6d2d3ae9dc40ec47e73" + "hash": "e837a80c2e653b7a0f76923348aeff17" }, { - "title": "Covid live: France to announce new measures as cases surge; Italy ‘super green pass’ could restrict unvaccinated", - "description": "

    France is to announce new Covid measures on Thursday; Italy considering plans that would only permit those with proof of jab to get into venues

    The health service in the UK is considering “radical ideas” to help tackle the backlog of care that has built-up over the last few years and been exacerbated by the Covid pandemic. That includes the idea of sending patients to different regions for treatment, the chief executive of NHS Providers has said.

    But Chris Hopson told Times Radio it is more likely that people will be asked to go to neighbouring hospitals rather than different parts of the country. PA Media quote him saying:

    Everybody across the NHS recognises that having patients wait for their care is not an acceptable situation. There is a moral obligation on trusts and their leaders to make sure that they do everything they can, no stone unturned, to get through those care backlogs as quickly as possible.

    What we’re working on at the moment is a really comprehensive plan to get through those backlogs as fast as possible. And some of it will be all the traditional things that we do, which is: we will expand temporary capacity; we will ensure that we use overtime as much as possible; we will ensure that we use the capacity that sits in the independent sector.

    Continue reading...", - "content": "

    France is to announce new Covid measures on Thursday; Italy considering plans that would only permit those with proof of jab to get into venues

    The health service in the UK is considering “radical ideas” to help tackle the backlog of care that has built-up over the last few years and been exacerbated by the Covid pandemic. That includes the idea of sending patients to different regions for treatment, the chief executive of NHS Providers has said.

    But Chris Hopson told Times Radio it is more likely that people will be asked to go to neighbouring hospitals rather than different parts of the country. PA Media quote him saying:

    Everybody across the NHS recognises that having patients wait for their care is not an acceptable situation. There is a moral obligation on trusts and their leaders to make sure that they do everything they can, no stone unturned, to get through those care backlogs as quickly as possible.

    What we’re working on at the moment is a really comprehensive plan to get through those backlogs as fast as possible. And some of it will be all the traditional things that we do, which is: we will expand temporary capacity; we will ensure that we use overtime as much as possible; we will ensure that we use the capacity that sits in the independent sector.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/24/covid-news-live-south-korea-reports-record-daily-cases-us-to-require-vaccination-proof-at-all-border-crossings", - "creator": "Miranda Bryant (now); Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-11-24T13:23:17Z", + "title": "18,000 people stranded after floods and landslides in British Columbia – video", + "description": "

    Authorities and emergency crews in Canada are trying \nto reach 18,000 people stranded by \nmajor floods and landslides. The province of\nBritish Columbia declared\na state of emergency with concerns over further falls in coming days. Some grocery store shelves\nin affected areas have\nalso been stripped bare while floods and mudslides destroyed\nroads, houses and bridges,\nhampering rescue efforts

    Continue reading...", + "content": "

    Authorities and emergency crews in Canada are trying \nto reach 18,000 people stranded by \nmajor floods and landslides. The province of\nBritish Columbia declared\na state of emergency with concerns over further falls in coming days. Some grocery store shelves\nin affected areas have\nalso been stripped bare while floods and mudslides destroyed\nroads, houses and bridges,\nhampering rescue efforts

    Continue reading...", + "category": "Canada", + "link": "https://www.theguardian.com/world/video/2021/nov/19/18000-people-stranded-after-floods-and-landslides-in-british-columbia-video", + "creator": "", + "pubDate": "2021-11-19T07:38:27Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "36289a6d31c0eec4377787a76e5f0c2c" + "hash": "f51c87c5c30fcf9c8fe7f8646fc431ac" }, { - "title": "German parties agree coalition deal to make Olaf Scholz chancellor", - "description": "

    Social Democrat, Green and liberal parties agree to form government after two months of talks

    Germany’s Social Democrat, Green and liberal parties have agreed on a deal to form a new government that will see Olaf Scholz, the current finance minister, succeed Angela Merkel as the country’s new leader, local media has reported.

    The three parties, known collectively as the “traffic light coalition” due to their colours – red, green and yellow – are due to present their agreement on Wednesday afternoon in Berlin.

    Continue reading...", - "content": "

    Social Democrat, Green and liberal parties agree to form government after two months of talks

    Germany’s Social Democrat, Green and liberal parties have agreed on a deal to form a new government that will see Olaf Scholz, the current finance minister, succeed Angela Merkel as the country’s new leader, local media has reported.

    The three parties, known collectively as the “traffic light coalition” due to their colours – red, green and yellow – are due to present their agreement on Wednesday afternoon in Berlin.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/nov/24/german-parties-agree-coalition-deal-to-make-olaf-scholz-chancellor", - "creator": "Kate Connolly Berlin", - "pubDate": "2021-11-24T13:06:12Z", + "title": "Rio Tinto’s past casts a shadow over Serbia’s hopes of a lithium revolution", + "description": "

    People in the Jadar valley fear environmental catastrophe as Europe presses for self-sufficiency in battery technology

    Photographs by Vladimir Zivojinovic

    A battery sign, flashing dangerously low, appears superimposed over a view of the globe as seen from space. “Green technologies, electric cars, clean air – all of these depend on one of the most significant lithium deposits in the world, which is located right here in Jadar, Serbia,” a gravel-voiced narrator announces. “We completely understand your concerns about the environment. Rio Tinto is carrying out detailed analyses, so as to make all of us sure that we develop the Jadar project in line with the highest environmental, security and health standards.”

    Beamed into the country’s living rooms on the public service channel RTS, the slick television ad, shown just after the evening news, finishes with images of reassuring scientists and a comforted young couple walking into the sunset: “Rio Tinto: Together we have the chance to save the planet.”

    Continue reading...", + "content": "

    People in the Jadar valley fear environmental catastrophe as Europe presses for self-sufficiency in battery technology

    Photographs by Vladimir Zivojinovic

    A battery sign, flashing dangerously low, appears superimposed over a view of the globe as seen from space. “Green technologies, electric cars, clean air – all of these depend on one of the most significant lithium deposits in the world, which is located right here in Jadar, Serbia,” a gravel-voiced narrator announces. “We completely understand your concerns about the environment. Rio Tinto is carrying out detailed analyses, so as to make all of us sure that we develop the Jadar project in line with the highest environmental, security and health standards.”

    Beamed into the country’s living rooms on the public service channel RTS, the slick television ad, shown just after the evening news, finishes with images of reassuring scientists and a comforted young couple walking into the sunset: “Rio Tinto: Together we have the chance to save the planet.”

    Continue reading...", + "category": "Serbia", + "link": "https://www.theguardian.com/global-development/2021/nov/19/rio-tintos-past-casts-a-shadow-over-serbias-hopes-of-a-lithium-revolution", + "creator": "Daniel Boffey in the Jadar valley, Serbia", + "pubDate": "2021-11-19T04:00:24Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "080895faa5a86994a5123e5a45a0598c" + "hash": "8ec657783da6df1834b5118f4f7affd3" }, { - "title": "UK Covid scheme indirectly discriminated against maternity leave takers, court rules", - "description": "

    But ruling will not allow self-employed women whose income support was hit during pandemic to claim rebates

    Tens of thousands of self-employed women who took maternity leave were indirectly discriminated against by the UK government during the pandemic but will be unable to claim rebates, the court of appeal has ruled.

    The speed at which civil servants had to create a safety net for workers justified their actions, three judges found.

    Continue reading...", - "content": "

    But ruling will not allow self-employed women whose income support was hit during pandemic to claim rebates

    Tens of thousands of self-employed women who took maternity leave were indirectly discriminated against by the UK government during the pandemic but will be unable to claim rebates, the court of appeal has ruled.

    The speed at which civil servants had to create a safety net for workers justified their actions, three judges found.

    Continue reading...", - "category": "Court of appeal", - "link": "https://www.theguardian.com/law/2021/nov/24/uk-covid-scheme-indirectly-discriminated-against-maternity-leave-takers-court-rules", - "creator": "Alexandra Topping", - "pubDate": "2021-11-24T12:45:49Z", + "title": "‘We have fallen into a trap’: for hotel staff Qatar’s World Cup dream is a nightmare", + "description": "

    Exclusive: Seduced by salary promises, workers at Fifa-endorsed hotels allege they have been exploited and abused

    When Fifa executives step on to the asphalt in Doha next November for the start of the 2022 World Cup finals, their next stop is likely to be the check-in at one of Qatar’s glittering array of opulent hotels, built to provide the most luxurious possible backdrop to the biggest sporting event on earth.

    Now, with a year to go before the first match, fans who want to emulate the lifestyle of the sporting elite can head to Fifa’s hospitality website to plan their stay in the host nation. There they can scroll through a catalogue of exclusive, Fifa-endorsed accommodation, from boutique hotels to five-star resorts.

    Continue reading...", + "content": "

    Exclusive: Seduced by salary promises, workers at Fifa-endorsed hotels allege they have been exploited and abused

    When Fifa executives step on to the asphalt in Doha next November for the start of the 2022 World Cup finals, their next stop is likely to be the check-in at one of Qatar’s glittering array of opulent hotels, built to provide the most luxurious possible backdrop to the biggest sporting event on earth.

    Now, with a year to go before the first match, fans who want to emulate the lifestyle of the sporting elite can head to Fifa’s hospitality website to plan their stay in the host nation. There they can scroll through a catalogue of exclusive, Fifa-endorsed accommodation, from boutique hotels to five-star resorts.

    Continue reading...", + "category": "Workers' rights", + "link": "https://www.theguardian.com/global-development/2021/nov/18/we-have-fallen-into-a-trap-for-hotel-staff-qatar-world-cup-dream-is-a-nightmare", + "creator": "Pete Pattisson in Doha", + "pubDate": "2021-11-18T12:00:05Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bee6a51aeec40fd501b2212bd3e39c31" + "hash": "573df2281e2c34694e689413f7700282" }, { - "title": "El Salvador rights groups fear repression after raids on seven offices", - "description": "

    NGOs believe raids, officially part of an embezzlement inquiry, are an attempt to ‘criminalise social movements’

    Rights activists in El Salvador said they will not be pressured into silence after prosecutors raided the offices of seven charities and groups in the Central American country.

    “They’re trying to criminalise social movements,” said Morena Herrera, a prominent women’s rights activist. “They can’t accept that they are in support of a better El Salvador.”

    Continue reading...", - "content": "

    NGOs believe raids, officially part of an embezzlement inquiry, are an attempt to ‘criminalise social movements’

    Rights activists in El Salvador said they will not be pressured into silence after prosecutors raided the offices of seven charities and groups in the Central American country.

    “They’re trying to criminalise social movements,” said Morena Herrera, a prominent women’s rights activist. “They can’t accept that they are in support of a better El Salvador.”

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/24/el-salvador-rights-groups-fear-repression-after-raids-on-seven-offices", - "creator": "Joe Parkin Daniels", - "pubDate": "2021-11-24T12:44:58Z", + "title": "Lukashenko has got the ear of the EU at last – but it won’t help him", + "description": "

    The Belarusian leader may have won phone talks with Angela Merkel but Europe remains united against him

    As migrants camped out in the woods prepared for another night of sub-zero temperatures, the Estonian foreign minister, Eva-Maria Liimets, on Tuesday revealed to an evening news programme the gist of what Alexander Lukashenko demanded of Angela Merkel in the first call between a European leader and Belarus’s dictator in more than a year.

    “He wants the sanctions to be halted, [and] to be recognised as head of state so he can continue,” she said he told Merkel.

    Continue reading...", + "content": "

    The Belarusian leader may have won phone talks with Angela Merkel but Europe remains united against him

    As migrants camped out in the woods prepared for another night of sub-zero temperatures, the Estonian foreign minister, Eva-Maria Liimets, on Tuesday revealed to an evening news programme the gist of what Alexander Lukashenko demanded of Angela Merkel in the first call between a European leader and Belarus’s dictator in more than a year.

    “He wants the sanctions to be halted, [and] to be recognised as head of state so he can continue,” she said he told Merkel.

    Continue reading...", + "category": "Alexander Lukashenko", + "link": "https://www.theguardian.com/world/2021/nov/18/lukashenko-has-got-the-ear-of-the-eu-at-last-but-it-wont-help-him", + "creator": "Andrew Roth in Moscow", + "pubDate": "2021-11-18T05:00:02Z", "folder": "00.03 News/News - EN", "feed": "The Guardian", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3ac685822e33ec7b27241b7204f7b80" - }, + "hash": "1e10785fc4e601859f03ebb394ef1eab" + } + ], + "folder": "00.03 News/News - EN", + "name": "The Guardian", + "language": "en", + "hash": "85fc049a0df7fd039d58b9d2bb1dc214" + }, + { + "title": "RSSOpinion", + "subtitle": "", + "link": "http://online.wsj.com/page/2_0006.html", + "image": "http://online.wsj.com/img/wsj_sm_logo.gif", + "description": "RSSOpinion", + "items": [ { - "title": "Boris Johnson accused of flouting request to wear mask at theatre", - "description": "

    Exclusive: Audience member at Almeida theatre says PM was not wearing mask during Macbeth performance

    Boris Johnson once again flouted official requests to wear a mask as he watched a performance of Macbeth at a busy theatre in north London on Tuesday night, witnesses say.

    The prime minister was in the audience to see the Shakespearean tragedy at the Almeida theatre in Islington, after a torrid few days in which backbench Tories have accused him of losing the plot.

    Continue reading...", - "content": "

    Exclusive: Audience member at Almeida theatre says PM was not wearing mask during Macbeth performance

    Boris Johnson once again flouted official requests to wear a mask as he watched a performance of Macbeth at a busy theatre in north London on Tuesday night, witnesses say.

    The prime minister was in the audience to see the Shakespearean tragedy at the Almeida theatre in Islington, after a torrid few days in which backbench Tories have accused him of losing the plot.

    Continue reading...", - "category": "Boris Johnson", - "link": "https://www.theguardian.com/politics/2021/nov/24/boris-johnson-accused-of-flouting-request-to-wear-mask-at-theatre", - "creator": "Rowena Mason Deputy political editor", - "pubDate": "2021-11-24T12:09:24Z", + "title": "How Covid Changed the American Workforce", + "description": "Companies are racing to automate, as older workers and parents work less or quit.", + "content": "Companies are racing to automate, as older workers and parents work less or quit.", + "category": "PAID", + "link": "https://www.wsj.com/articles/how-covid-changed-the-american-workforce-participation-remote-benefits-welfare-inflation-11639496874", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:51:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7df20e51cb02566802cc76986f7ab04e" + "hash": "bbb51783151e6a5563135c4d4f4580ff" }, { - "title": "How to make shortbread – recipe | Felicity Cloake's masterclass", - "description": "

    Christmas shortbread as made by our resident perfectionist, with a few choices of festive flavourings

    The world may have gone mad for spiced speculoos this year, but, for me, Christmas will always be all about two biscuits: gingerbread, for decorations, and shortbread, for actual consumption. Easy to make and a genuine crowdpleaser, shortbread will keep well for several weeks, which makes it the gift that keeps on giving well into the dark days of January. Not that it’ll last that long.

    Prep 15 min
    Chill 20 min
    Cook 30 min-1 hr
    Makes About 24

    Continue reading...", - "content": "

    Christmas shortbread as made by our resident perfectionist, with a few choices of festive flavourings

    The world may have gone mad for spiced speculoos this year, but, for me, Christmas will always be all about two biscuits: gingerbread, for decorations, and shortbread, for actual consumption. Easy to make and a genuine crowdpleaser, shortbread will keep well for several weeks, which makes it the gift that keeps on giving well into the dark days of January. Not that it’ll last that long.

    Prep 15 min
    Chill 20 min
    Cook 30 min-1 hr
    Makes About 24

    Continue reading...", - "category": "Food", - "link": "https://www.theguardian.com/food/2021/nov/24/how-to-make-shortbread-recipe-felicity-cloake-masterclass", - "creator": "Felicity Cloake", - "pubDate": "2021-11-24T12:00:44Z", + "title": "The Internal Revenue Leak Service", + "description": "The tax agency still can’t say how taxpayer files were stolen.", + "content": "The tax agency still can’t say how taxpayer files were stolen.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-internal-revenue-leak-service-propublica-charles-rettig-chuck-grassley-11639437071", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:48:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "627973766c8e230c8217f2b42daad00d" + "hash": "2484cff997ff30c77b9192e8a9e5729a" }, { - "title": "French footballer Karim Benzema guilty in sex tape extortion scandal", - "description": "

    Real Madrid star given suspended jail sentence and €75,000 fine for complicity in attempted blackmail

    The French international footballer Karim Benzema has received a one-year suspended jail sentence and been fined €75,000 (£63,000) for his involvement in a sex tape extortion scandal that shocked French sport.

    A Versailles court on Wednesday found Benzema guilty of complicity in attempted blackmail against his French teammate Mathieu Valbuena over a video thought to have been stolen from Valbuena’s mobile phone.

    Continue reading...", - "content": "

    Real Madrid star given suspended jail sentence and €75,000 fine for complicity in attempted blackmail

    The French international footballer Karim Benzema has received a one-year suspended jail sentence and been fined €75,000 (£63,000) for his involvement in a sex tape extortion scandal that shocked French sport.

    A Versailles court on Wednesday found Benzema guilty of complicity in attempted blackmail against his French teammate Mathieu Valbuena over a video thought to have been stolen from Valbuena’s mobile phone.

    Continue reading...", - "category": "France", - "link": "https://www.theguardian.com/world/2021/nov/24/french-footballer-karim-benzema-guilty-sex-tape-extortion-scandal", - "creator": "Angelique Chrisafis in Paris", - "pubDate": "2021-11-24T11:56:53Z", + "title": "Crisis in Ukraine Is a Winner for Putin", + "description": "He divides European and U.S. opinion, and Russians like that he’s in the world spotlight.", + "content": "He divides European and U.S. opinion, and Russians like that he’s in the world spotlight.", + "category": "PAID", + "link": "https://www.wsj.com/articles/crisis-in-ukraine-is-a-winner-for-putin-vladimir-russia-troops-border-india-biden-invasion-sanctions-11639432837", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:26:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a474126ad8edcf85bb2f3eab01a28920" + "hash": "5d75c1b9f7d9e3aed2abcf7ce4d7d6d9" }, { - "title": "Brother pays tribute to Bobbi-Anne McLeod after body found", - "description": "

    Lee McLeod describes 18-year-old who went missing in Plymouth as ‘beautiful and talented’

    The brother of an 18-year-old woman whose body was found three days after she went missing near her home in Devon has led tributes to her, describing her as “beautiful and talented”.

    Police in Plymouth launched a murder inquiry after finding a body believed to be that of Bobbi-Anne McLeod. Two men aged 24 and 26 have been arrested.

    Continue reading...", - "content": "

    Lee McLeod describes 18-year-old who went missing in Plymouth as ‘beautiful and talented’

    The brother of an 18-year-old woman whose body was found three days after she went missing near her home in Devon has led tributes to her, describing her as “beautiful and talented”.

    Police in Plymouth launched a murder inquiry after finding a body believed to be that of Bobbi-Anne McLeod. Two men aged 24 and 26 have been arrested.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/nov/24/brother-pays-tribute-to-bobbi-anne-mcleod-after-body-found", - "creator": "Steven Morris", - "pubDate": "2021-11-24T11:48:38Z", + "title": "The Fleeing Young of Illinois", + "description": "Fiscal trouble looms for the state as its young adults flee.", + "content": "Fiscal trouble looms for the state as its young adults flee.", + "category": "PAID", + "link": "https://www.wsj.com/articles/puerto-rico-on-lake-michigan-illinois-population-university-of-illinois-extension-zach-kennedy-11639077227", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:46:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5800e0249afb49d7ab801f155a1935d0" + "hash": "bb4c91df9327a30e8800f11212fbca60" }, { - "title": "Norwegian journalists reporting on World Cup workers arrested in Qatar", - "description": "

    Pair investigating conditions for labourers detained as they tried to fly home

    Two Norwegian journalists investigating conditions for migrant workers in Qatar ahead of the 2022 Fifa World Cup were arrested and detained for 36 hours as they tried to leave the country, Norwegian media have reported.

    The VG newspaper reported that Halvor Ekeland, a sports journalist for the public broadcaster NRK, and Lokman Ghorbani, an NRK cameraman, were picked up by police late on Sunday as they were preparing to leave for Doha airport.

    Continue reading...", - "content": "

    Pair investigating conditions for labourers detained as they tried to fly home

    Two Norwegian journalists investigating conditions for migrant workers in Qatar ahead of the 2022 Fifa World Cup were arrested and detained for 36 hours as they tried to leave the country, Norwegian media have reported.

    The VG newspaper reported that Halvor Ekeland, a sports journalist for the public broadcaster NRK, and Lokman Ghorbani, an NRK cameraman, were picked up by police late on Sunday as they were preparing to leave for Doha airport.

    Continue reading...", - "category": "Qatar", - "link": "https://www.theguardian.com/world/2021/nov/24/norwegian-journalists-reporting-labourers-qatar-world-cup-arrested", - "creator": "Jon Henley", - "pubDate": "2021-11-24T11:03:00Z", + "title": "Prison Reform Should Be a Bipartisan Issue", + "description": "America’s correctional institutions are filthy, violent, overcrowded and lack all privacy.", + "content": "America’s correctional institutions are filthy, violent, overcrowded and lack all privacy.", + "category": "PAID", + "link": "https://www.wsj.com/articles/prison-reform-should-be-a-bipartisan-issue-jan-6-washington-greene-jail-injustice-systemic-11639434786", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:28:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b166d65b643b4ff06f2a4b39b743169" + "hash": "51bf2fe180531edd064993dc735552f4" }, { - "title": "George Christensen advocates for civil disobedience as vaccine mandates rock Coalition", - "description": "

    Labor leader calls on Morrison to condemn member for Dawson after he likened mandates to decrees by ‘Hitler and Pol Pot’

    Scott Morrison is continuing to battle insurgencies within his own ranks, with Queensland National George Christensen sanctioning civil disobedience in response to vaccine mandates, and veteran Victorian Liberal Russell Broadbent declaring mandates “without reasonable exemptions are not only unconscionable, they are criminal”.

    Senior ministers on Wednesday persuaded two rebel Liberal senators, Gerard Rennick and Alex Antic, who have threatened to withhold support for government legislation, to support the government on procedural votes during the final sitting fortnight. The government has agreed to a tweak to the vaccine indemnity scheme.

    Continue reading...", - "content": "

    Labor leader calls on Morrison to condemn member for Dawson after he likened mandates to decrees by ‘Hitler and Pol Pot’

    Scott Morrison is continuing to battle insurgencies within his own ranks, with Queensland National George Christensen sanctioning civil disobedience in response to vaccine mandates, and veteran Victorian Liberal Russell Broadbent declaring mandates “without reasonable exemptions are not only unconscionable, they are criminal”.

    Senior ministers on Wednesday persuaded two rebel Liberal senators, Gerard Rennick and Alex Antic, who have threatened to withhold support for government legislation, to support the government on procedural votes during the final sitting fortnight. The government has agreed to a tweak to the vaccine indemnity scheme.

    Continue reading...", - "category": "Coalition", - "link": "https://www.theguardian.com/australia-news/2021/nov/24/george-christensen-advocates-for-civil-disobedience-as-vaccine-mandates-rock-coalition", - "creator": "Katharine Murphy and Paul Karp", - "pubDate": "2021-11-24T10:38:18Z", + "title": "Biden Seems Set on Making 'Transitory' Inflation Last", + "description": "He wants to feed demand while hoping workers get squeezed to avoid a 1970s-style wage-price spiral.", + "content": "He wants to feed demand while hoping workers get squeezed to avoid a 1970s-style wage-price spiral.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-making-transitory-inflation-rising-prices-powell-stagflation-wage-stagnation-carter-bbb-11639409062", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 13:07:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "80cb7ae7ed19ed47c3a885df8f19c6eb" + "hash": "296575f39446f3146b833ea63b932459" }, { - "title": "‘People are nasty as hell on there’: the battle to close Tattle – the most hate-filled corner of the web", - "description": "

    The gossip forum Tattle Life is a trolls’ paradise, created to scrutinise the lives of influencers. It has made a lot of enemies. Will one of them bring it down?

    Abbie Draper was so excited when she heard there was to be a big Tattle reveal that she set a reminder on her phone. On Friday, 1 October, at 7pm, Andy Malone was going to reveal the identity of the founder of the notorious website Tattle Life – the mysterious “Helen”.

    Founded in 2018, Tattle Life is a gossip forum dedicated to dissecting the lives of women in the public eye. Quietly, without mainstream recognition, Tattle has become one of the most-visited – and hate-filled – websites in the UK. There were 43.2m visits to Tattle in the last six months alone, mostly from British users. (Almost all the people discussed on Tattle are British.)

    Continue reading...", - "content": "

    The gossip forum Tattle Life is a trolls’ paradise, created to scrutinise the lives of influencers. It has made a lot of enemies. Will one of them bring it down?

    Abbie Draper was so excited when she heard there was to be a big Tattle reveal that she set a reminder on her phone. On Friday, 1 October, at 7pm, Andy Malone was going to reveal the identity of the founder of the notorious website Tattle Life – the mysterious “Helen”.

    Founded in 2018, Tattle Life is a gossip forum dedicated to dissecting the lives of women in the public eye. Quietly, without mainstream recognition, Tattle has become one of the most-visited – and hate-filled – websites in the UK. There were 43.2m visits to Tattle in the last six months alone, mostly from British users. (Almost all the people discussed on Tattle are British.)

    Continue reading...", - "category": "Cyberbullying", - "link": "https://www.theguardian.com/society/2021/nov/24/people-nasty-as-hell-on-there-battle-close-tattle-most-hate-filled-corner-web", - "creator": "Sirin Kale", - "pubDate": "2021-11-24T10:00:42Z", + "title": "Biden Sticks It to . . . Canada", + "description": "Ottawa says new EV subsidies violate the USMCA trade deal.", + "content": "Ottawa says new EV subsidies violate the USMCA trade deal.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-sticks-it-to-canada-electric-vehicle-credits-build-back-better-mary-ng-chrystia-freeland-11639436064", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:44:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2023119d8d88f26f42c5d2fe0ce83c8" + "hash": "9ea41463919394eb69b5b8ae15c2b079" }, { - "title": "Readers review Adele’s 30: ‘so powerful’ or a ‘depressive black hole’?", - "description": "

    It’s the biggest album of the year – and Guardian readers are split on whether Adele’s latest magnum mope-us is raw or overdone

    It’s so upfront and honest. You know exactly the story she’s telling, and even if you haven’t experienced divorce yourself, you feel every word of it. Her voice is sounding better than it’s ever done, using so much more of her range – just listen to Love is A Game. Gone are the lofty metaphors that hint at heartbreak, replaced with extremely raw and naked lyrics that welcome you in to her experiences. I think it’s much more poetic than before. Best album so far.

    Continue reading...", - "content": "

    It’s the biggest album of the year – and Guardian readers are split on whether Adele’s latest magnum mope-us is raw or overdone

    It’s so upfront and honest. You know exactly the story she’s telling, and even if you haven’t experienced divorce yourself, you feel every word of it. Her voice is sounding better than it’s ever done, using so much more of her range – just listen to Love is A Game. Gone are the lofty metaphors that hint at heartbreak, replaced with extremely raw and naked lyrics that welcome you in to her experiences. I think it’s much more poetic than before. Best album so far.

    Continue reading...", - "category": "Adele", - "link": "https://www.theguardian.com/music/2021/nov/24/readers-review-adeles-30-so-powerful-or-a-depressive-black-hole", - "creator": "Guardian readers, Rachel Obordo and Alfie Packham", - "pubDate": "2021-11-24T09:30:41Z", + "title": "Don't Play Chicken With a Train", + "description": "Boyhood games on the tracks were dangerous but taught us valuable lessons.", + "content": "Boyhood games on the tracks were dangerous but taught us valuable lessons.", + "category": "PAID", + "link": "https://www.wsj.com/articles/do-not-play-chicken-with-a-train-tracks-boyhood-danger-risk-resilience-parenting-childhood-11639433017", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:28:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "12fa66a6cf34d43efaf837248874dad8" + "hash": "802f1be67eef7e5108c49d6f8b9630fd" }, { - "title": "Nasa launches spacecraft in first ever mission to deflect asteroid", - "description": "

    Spacecraft heads off on 6.8m-mile journey to crash into moonlet Dimorphos in test to see if asteroids can be diverted from collision with Earth

    A spacecraft that must ultimately crash in order to succeed lifted off late on Tuesday from California on a Nasa mission to demonstrate the world’s first planetary defence system.

    Carried aboard a SpaceX-owned Falcon 9 rocket, the Dart (Double Asteroid Redirection Test) spacecraft soared into the sky at 10.21pm Pacific time from the Vandenberg US Space Force Base, about 150 miles (240km) north-west of Los Angeles.

    Continue reading...", - "content": "

    Spacecraft heads off on 6.8m-mile journey to crash into moonlet Dimorphos in test to see if asteroids can be diverted from collision with Earth

    A spacecraft that must ultimately crash in order to succeed lifted off late on Tuesday from California on a Nasa mission to demonstrate the world’s first planetary defence system.

    Carried aboard a SpaceX-owned Falcon 9 rocket, the Dart (Double Asteroid Redirection Test) spacecraft soared into the sky at 10.21pm Pacific time from the Vandenberg US Space Force Base, about 150 miles (240km) north-west of Los Angeles.

    Continue reading...", - "category": "Asteroids", - "link": "https://www.theguardian.com/science/2021/nov/24/nasa-launches-dart-mission-to-deflect-asteroid-in-planetary-defence-test", - "creator": "Reuters", - "pubDate": "2021-11-24T08:38:21Z", + "title": "Biden's 'Yes' to Racial Preferences", + "description": "The administration takes Harvard’s side in a case involving Asian-Americans.", + "content": "The administration takes Harvard’s side in a case involving Asian-Americans.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-yes-to-racial-preferences-asian-americans-discrimination-prelogar-racism-trump-harvard-supreme-court-11639436054", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:26:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f6c273b11ae681668a9cea57adb88f77" + "hash": "c6ac63b50a445da450c5bdf17418b803" }, { - "title": "The world finally has a malaria vaccine. Now it must invest in it | Ngozi Okonjo-Iweala", - "description": "

    As an economist I know it makes financial as well as ethical sense to get this world-first vaccine to the millions who need it

    I vividly remember the day I learned a harsh lesson in the tragic burden of malaria that too many of us from the African continent have endured. I was 15, living amid the chaos of Nigeria’s Biafran war, when my three-year-old sister fell sick. Her body burning with fever, I tied her on my back and carried her to a medical clinic, a six-mile trek from my home.

    We arrived at the clinic to find a huge crowd trying to break through locked doors. I knew my sister’s condition could not wait. I dropped to the ground and crawled between legs, my sister propped listlessly on my back, until I reached an open window and climbed through. By the time I was inside, my sister was barely moving. The doctor worked rapidly, injecting antimalarial drugs and infusing her with fluids to rehydrate her body. In a few hours, she started to revive. If we had waited any longer, my sister might not have survived.

    Continue reading...", - "content": "

    As an economist I know it makes financial as well as ethical sense to get this world-first vaccine to the millions who need it

    I vividly remember the day I learned a harsh lesson in the tragic burden of malaria that too many of us from the African continent have endured. I was 15, living amid the chaos of Nigeria’s Biafran war, when my three-year-old sister fell sick. Her body burning with fever, I tied her on my back and carried her to a medical clinic, a six-mile trek from my home.

    We arrived at the clinic to find a huge crowd trying to break through locked doors. I knew my sister’s condition could not wait. I dropped to the ground and crawled between legs, my sister propped listlessly on my back, until I reached an open window and climbed through. By the time I was inside, my sister was barely moving. The doctor worked rapidly, injecting antimalarial drugs and infusing her with fluids to rehydrate her body. In a few hours, she started to revive. If we had waited any longer, my sister might not have survived.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/24/the-world-finally-has-a-malaria-vaccine-now-it-must-invest-in-it", - "creator": "Ngozi Okonjo-Iweala", - "pubDate": "2021-11-24T08:00:40Z", + "title": "Yellen and the Global Tax Stall", + "description": "Other countries aren’t following where Build Back Better would lead.", + "content": "Other countries aren’t following where Build Back Better would lead.", + "category": "PAID", + "link": "https://www.wsj.com/articles/janet-yellen-and-the-global-tax-stall-corporate-tax-increases-build-back-better-democrats-congress-11639419999", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:43:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c1878f9d2a8d4986b51a7d8f9c9639b7" + "hash": "16ad777b68599b4d2f1ae7753bc48b03" }, { - "title": "Parliament building and police station burned down during protests in Solomon Islands", - "description": "

    Police used tear gas and rubber bullets to disperse protesters demanding the prime minister step down, amid reports of looting

    Police in Solomon Islands have used tear gas and rubber bullets to disperse hundreds of protesters, who allegedly burned down a building in the parliament precinct, a police station and a store in the nation’s capital of Honiara, amid reports of looting.

    The protesters marched on the parliamentary precinct in the east of Honiara, where they allegedly set fire to a leaf hut next to Parliament House where MPs and staffers go to smoke and eat lunch.

    Continue reading...", - "content": "

    Police used tear gas and rubber bullets to disperse protesters demanding the prime minister step down, amid reports of looting

    Police in Solomon Islands have used tear gas and rubber bullets to disperse hundreds of protesters, who allegedly burned down a building in the parliament precinct, a police station and a store in the nation’s capital of Honiara, amid reports of looting.

    The protesters marched on the parliamentary precinct in the east of Honiara, where they allegedly set fire to a leaf hut next to Parliament House where MPs and staffers go to smoke and eat lunch.

    Continue reading...", - "category": "Solomon Islands", - "link": "https://www.theguardian.com/world/2021/nov/24/parliament-building-and-police-station-burned-down-during-protests-in-solomon-islands", - "creator": "Georgina Kekea in Honiara", - "pubDate": "2021-11-24T07:56:56Z", + "title": "Top-Notch Dudes", + "description": "The White House announces three remarkable heroes will receive the Medal of Honor.", + "content": "The White House announces three remarkable heroes will receive the Medal of Honor.", + "category": "PAID", + "link": "https://www.wsj.com/articles/top-notch-dudes-11639416345", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 12:25:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a80f307b6603072ed3c7298f2a6aa0c" + "hash": "643f54eaef45986d1e6d6125b739308c" }, { - "title": "NFT beats cheugy to be Collins Dictionary’s word of the year", - "description": "

    The abbreviation of ‘non-fungible token’ tops a shortlist also including pingdemic, climate anxiety and metaverse

    In a year that has seen the musician Grimes sell a collection of digital artworks for almost $6m (£4.4m), and the original photo behind the 2005 Disaster Girl meme go for $473,000 (£354,000), Collins Dictionary has made NFT its word of the year.

    The abbreviation of non-fungible token has seen a “meteoric” rise in usage over the last year, said Collins, up 11,000% in the last year. Any digital creation can become an NFT, with the term referring to a certificate of ownership, registered on a blockchain, or digital ledger of transactions. The most valuable NFT to date is a collage by digital artist Beeple, which sold for £50.3m at Christie’s in March.

    Continue reading...", - "content": "

    The abbreviation of ‘non-fungible token’ tops a shortlist also including pingdemic, climate anxiety and metaverse

    In a year that has seen the musician Grimes sell a collection of digital artworks for almost $6m (£4.4m), and the original photo behind the 2005 Disaster Girl meme go for $473,000 (£354,000), Collins Dictionary has made NFT its word of the year.

    The abbreviation of non-fungible token has seen a “meteoric” rise in usage over the last year, said Collins, up 11,000% in the last year. Any digital creation can become an NFT, with the term referring to a certificate of ownership, registered on a blockchain, or digital ledger of transactions. The most valuable NFT to date is a collage by digital artist Beeple, which sold for £50.3m at Christie’s in March.

    Continue reading...", - "category": "Books", - "link": "https://www.theguardian.com/books/2021/nov/24/nft-is-collins-dictionary-word-of-the-year", - "creator": "Alison Flood", - "pubDate": "2021-11-24T07:01:38Z", + "title": "Russia and China's Dangerous Decline", + "description": "The risk of war arises not because they’re strong but because they foresee their advantages slipping away.", + "content": "The risk of war arises not because they’re strong but because they foresee their advantages slipping away.", + "category": "PAID", + "link": "https://www.wsj.com/articles/russia-and-china-dangerous-population-decline-indo-pacific-pivot-research-development-taiwan-ukraine-11639497466", + "creator": "", + "pubDate": "Tue, 14 Dec 2021 12:54:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c20921659dc2bf6d4f40af6f0d70f3b" + "hash": "db0f028a5dac27fbba9db6d6fe847222" }, { - "title": "How wild turkeys’ rough and rowdy ways are creating havoc in US cities", - "description": "

    Booming populations are a conservation success story, but not all terrorised residents are happy about it

    There’s a violent gang stalking urban America.

    In New Hampshire a motorcyclist crashed after being assaulted. In New Jersey, a terrified postman rang 911 after a dozen members attacked at once. And in Michigan, one town armed public workers with pepper spray.

    Continue reading...", - "content": "

    Booming populations are a conservation success story, but not all terrorised residents are happy about it

    There’s a violent gang stalking urban America.

    In New Hampshire a motorcyclist crashed after being assaulted. In New Jersey, a terrified postman rang 911 after a dozen members attacked at once. And in Michigan, one town armed public workers with pepper spray.

    Continue reading...", - "category": "Birds", - "link": "https://www.theguardian.com/environment/2021/nov/24/wild-turkeys-us-cities-havoc-hunting", - "creator": "Alice Hutton", - "pubDate": "2021-11-24T07:00:40Z", + "title": "The Biden Stagflation Is Coming", + "description": "His approach to the economy is already causing prices to rise. It will soon stifle growth as well.", + "content": "His approach to the economy is already causing prices to rise. It will soon stifle growth as well.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-biden-stagflation-is-coming-regulation-growth-inflation-build-back-better-khan-cordray-gensler-chopra-11639412593", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 13:07:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3277b7ba7d2eb6b525ee68e67c3b2ff" + "hash": "97bfdf2efdc6a6378f71592f62d97a45" }, { - "title": "A moment that changed me: The haircut that liberated me as a butch lesbian", - "description": "

    I came out in my late teens, but still felt repressed by my appearance. Almost 10 years after first booking a short back and sides, I finally took the plunge – and immediately felt revitalised

    The hairdresser steadied my head as I sat in the swivel chair, face mask on, staring into the mirror. In December 2020, another lockdown loomed, and nearly 12 months earlier I had made it a New Year’s resolution to get short hair that year. Within 45 minutes, my shoulder-length mop was down to a couple of inches.

    People often get radical haircuts in response to life-changing events, such as a breakup or the loss of a loved one. I got mine because I wanted to embrace how I felt as a butch lesbian.

    Continue reading...", - "content": "

    I came out in my late teens, but still felt repressed by my appearance. Almost 10 years after first booking a short back and sides, I finally took the plunge – and immediately felt revitalised

    The hairdresser steadied my head as I sat in the swivel chair, face mask on, staring into the mirror. In December 2020, another lockdown loomed, and nearly 12 months earlier I had made it a New Year’s resolution to get short hair that year. Within 45 minutes, my shoulder-length mop was down to a couple of inches.

    People often get radical haircuts in response to life-changing events, such as a breakup or the loss of a loved one. I got mine because I wanted to embrace how I felt as a butch lesbian.

    Continue reading...", - "category": "Sexuality", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/24/a-moment-that-changed-me-the-haircut-that-liberated-me-as-a-butch-lesbian", - "creator": "Ella Braidwood", - "pubDate": "2021-11-24T07:00:39Z", + "title": "Biden Will Pay a High Price for Bread and Circuses", + "description": "Voters aren’t amused by Washington’s political clown show, which is rapidly raising the cost of living.", + "content": "Voters aren’t amused by Washington’s political clown show, which is rapidly raising the cost of living.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-will-pay-a-high-price-for-bread-and-circuses-economy-inflation-services-powell-11639433333", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:31:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c74826ce849d7406588991f512ae1b2a" + "hash": "fcf427f8f9dce1bdc99386534ba9f6eb" }, { - "title": "Joe Lieberman on Biden, Trump and centrism: ‘It’s a strategy for making democracy work’", - "description": "

    The Democratic ex-senator preaches a deeply unfashionable gospel of compromise in a country paralysed by civil war

    A friend once joked to Joe Lieberman, former senator and vice-presidential nominee, that the Democratic party was like his appendix: it was there but not doing much for him.

    “It’s a funny line,” he says by phone from his law office in New York, “but the truth is that it’s more than that because I feel good physically when the Democrats do well – in my terms – and I do get pain when they go off and do things that I don’t agree with.

    Continue reading...", - "content": "

    The Democratic ex-senator preaches a deeply unfashionable gospel of compromise in a country paralysed by civil war

    A friend once joked to Joe Lieberman, former senator and vice-presidential nominee, that the Democratic party was like his appendix: it was there but not doing much for him.

    “It’s a funny line,” he says by phone from his law office in New York, “but the truth is that it’s more than that because I feel good physically when the Democrats do well – in my terms – and I do get pain when they go off and do things that I don’t agree with.

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/2021/nov/24/joe-lieberman-most-republicans-democrats-centrists", - "creator": "David Smith in Washington", - "pubDate": "2021-11-24T07:00:38Z", + "title": "Old Wisdom for Today's Markets", + "description": "My advice is to figure out in which direction the consensus is wrong.", + "content": "My advice is to figure out in which direction the consensus is wrong.", + "category": "PAID", + "link": "https://www.wsj.com/articles/old-wisdom-for-todays-markets-wall-street-meme-stocks-interest-rates-crypto-inflation-bubble-11639323322", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 13:05:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b2338571b3d54766cdb639b0904a94c8" + "hash": "c66fdf8a0a840440acac0dbe3fe0829f" }, { - "title": "Pig patrol: Amsterdam airport’s innovative approach to flight safety", - "description": "

    Farm animals are being used to prevent bird strikes as numbers of geese boom around Schiphol, one of Europe’s busiest flight hubs

    A group of animals has been drafted in to combat a hazard in the skies above the runways of Amsterdam’s Schiphol airport, the Netherlands’ aviation hub.

    A six-week pilot project is studying whether a small herd of pigs can deter flocks of geese and other birds attracted to discarded sugar beet on nearby farmland.

    Continue reading...", - "content": "

    Farm animals are being used to prevent bird strikes as numbers of geese boom around Schiphol, one of Europe’s busiest flight hubs

    A group of animals has been drafted in to combat a hazard in the skies above the runways of Amsterdam’s Schiphol airport, the Netherlands’ aviation hub.

    A six-week pilot project is studying whether a small herd of pigs can deter flocks of geese and other birds attracted to discarded sugar beet on nearby farmland.

    Continue reading...", - "category": "Air transport", - "link": "https://www.theguardian.com/environment/2021/nov/24/pig-patrol-amsterdam-airports-innovative-approach-to-flight-safety", - "creator": "Senay Boztas in Amsterdam", - "pubDate": "2021-11-24T06:30:37Z", + "title": "Chile's High-Stakes Election", + "description": "The country’s left has taken a radical turn and wants to rewrite the constitution.", + "content": "The country’s left has taken a radical turn and wants to rewrite the constitution.", + "category": "PAID", + "link": "https://www.wsj.com/articles/chile-high-stakes-election-economic-stagnation-constitution-jose-kast-gabriel-boric-11639339343", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:47:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fce00b4717cf1ca466914df06a6da3b0" + "hash": "3d611502cf6d893676b4acea4c4a8b42" }, { - "title": "India’s apple farmers count cost of climate crisis as snow decimates crops", - "description": "

    Kashmiri farmers lose half their harvest to early snows for third year, with fears for future of the region’s orchards

    The homegrown apple is in danger of becoming a rarity in India, as farmers have lost up to half their harvest this year, with predictions that the country’s main orchards could soon be all but wiped out.

    Early snowfalls in Kashmir, where almost 80% of India’s apples are grown, have seen the region’s farmers lose half their crops in the third year of disastrous harvests.

    Continue reading...", - "content": "

    Kashmiri farmers lose half their harvest to early snows for third year, with fears for future of the region’s orchards

    The homegrown apple is in danger of becoming a rarity in India, as farmers have lost up to half their harvest this year, with predictions that the country’s main orchards could soon be all but wiped out.

    Early snowfalls in Kashmir, where almost 80% of India’s apples are grown, have seen the region’s farmers lose half their crops in the third year of disastrous harvests.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/24/india-kashmiri-apple-farmers-climate-crisis-snow-decimates-crops", - "creator": "Aakash Hassan in Ramnagri, Kashmir", - "pubDate": "2021-11-24T06:00:38Z", + "title": "Notable & Quotable: Elections", + "description": "‘The fact that Trump won all but one of these bellwether counties again, despite losing nationally, is impressive.’", + "content": "‘The fact that Trump won all but one of these bellwether counties again, despite losing nationally, is impressive.’", + "category": "PAID", + "link": "https://www.wsj.com/articles/notable-quotable-elections-bellwether-counties-vote-hispanic-latino-2020-presidential-race-2022-11639433895", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 18:27:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58c0274f67513b7ad7f36057538a7803" + "hash": "e60bb5bb0a55b42501ae3b0168435110" }, { - "title": "China accuses US of ‘mistake’ after Biden invites Taiwan to democracy summit", - "description": "

    Beijing urges Washington to stick to the ‘one China’ principle amid rising tensions over Taiwan

    China’s government has accused Joe Biden of “a mistake” in inviting Taiwan to participate in a democracy summit alongside 109 other democratic governments.

    Taiwan was included in a list of participants for next month’s Summit for Democracy, published by the state department on Tuesday. Taiwan is a democracy and self-governing, but Beijing claims it is a province of China and has accused its government of separatism.

    Continue reading...", - "content": "

    Beijing urges Washington to stick to the ‘one China’ principle amid rising tensions over Taiwan

    China’s government has accused Joe Biden of “a mistake” in inviting Taiwan to participate in a democracy summit alongside 109 other democratic governments.

    Taiwan was included in a list of participants for next month’s Summit for Democracy, published by the state department on Tuesday. Taiwan is a democracy and self-governing, but Beijing claims it is a province of China and has accused its government of separatism.

    Continue reading...", - "category": "Taiwan", - "link": "https://www.theguardian.com/world/2021/nov/24/china-accuses-us-of-mistake-after-biden-invites-taiwan-to-democracy-summit", - "creator": "Helen Davidson in Taipei, and agencies", - "pubDate": "2021-11-24T05:58:01Z", + "title": "The Real Cost of Biden's Spending Plan", + "description": "CBO comes clean on the price tag if the programs are made permanent.", + "content": "CBO comes clean on the price tag if the programs are made permanent.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-real-cost-of-biden-spending-plan-build-back-better-cbo-reconciliation-graham-pelosi-manchin-11639344374", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 17:34:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "751834e04cfa525904634c5828bac710" + "hash": "5482dc0a9bf56b40e79cfa924270168c" }, { - "title": "South Korea Covid cases hit daily record as pressure on hospitals rises", - "description": "

    Prime minister Kim Boo-kyum says emergency measures may be imposed as cases spike just weeks after the country reopened

    South Korea reported a new daily record of 4,116 new coronavirus cases as the country battles to contain a spike in serious cases requiring hospitalisation, health authorities said.

    South Korea this month switched to a “living with Covid-19” plan aimed at lifting rigid distancing rules and ultimately reopening after reaching vaccination goals last month.

    Continue reading...", - "content": "

    Prime minister Kim Boo-kyum says emergency measures may be imposed as cases spike just weeks after the country reopened

    South Korea reported a new daily record of 4,116 new coronavirus cases as the country battles to contain a spike in serious cases requiring hospitalisation, health authorities said.

    South Korea this month switched to a “living with Covid-19” plan aimed at lifting rigid distancing rules and ultimately reopening after reaching vaccination goals last month.

    Continue reading...", - "category": "South Korea", - "link": "https://www.theguardian.com/world/2021/nov/24/south-korea-covid-cases-hit-daily-record-as-pressure-on-hospitals-rises", - "creator": "Reuters", - "pubDate": "2021-11-24T03:02:56Z", + "title": "Randi Weingarten Says Pass the SALT", + "description": "The teachers union chief wants to give millionaires a tax break.", + "content": "The teachers union chief wants to give millionaires a tax break.", + "category": "PAID", + "link": "https://www.wsj.com/articles/randi-weingarten-says-pass-the-salt-deduction-congress-tom-suozzi-joyce-beatty-11639165724", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 17:29:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4383b1a0761b554056bc97fe3eabb2ce" + "hash": "e5bbf9fab351c60b40693e21d864c305" }, { - "title": "New Zealand to reopen borders to vaccinated visitors from new year", - "description": "

    Border will first open to New Zealand citizens coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from April

    New Zealand has announced it will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since prime minister Jacinda Ardern announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed for more than a year and a half.

    The border will initially open to New Zealand citizens and visa holders coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from the end of April. They will still have to self-isolate at home for a week, but will no longer have to pass through the country’s expensive and highly-space limited managed isolation facilities.

    Continue reading...", - "content": "

    Border will first open to New Zealand citizens coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from April

    New Zealand has announced it will reopen its borders to vaccinated visitors in the opening months of 2022, for the first time since prime minister Jacinda Ardern announced their snap closure in the first month of the Covid-19 pandemic. The country’s borders have been closed for more than a year and a half.

    The border will initially open to New Zealand citizens and visa holders coming from Australia, then from the rest of the world, and finally to all other vaccinated visitors from the end of April. They will still have to self-isolate at home for a week, but will no longer have to pass through the country’s expensive and highly-space limited managed isolation facilities.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/24/new-zealand-to-reopen-borders-to-vaccinated-visitors-from-new-year", - "creator": "Tess McClure in Christchurch", - "pubDate": "2021-11-24T01:38:10Z", + "title": "The Unconstitutional Convictions You Don't Know About", + "description": "Though right to a jury trial is enshrined in the Bill of Rights and Constitution, it’s hardly ever enforced.", + "content": "Though right to a jury trial is enshrined in the Bill of Rights and Constitution, it’s hardly ever enforced.", + "category": "PAID", + "link": "https://www.wsj.com/articles/unconstitutional-convictions-rittenhouse-arbery-smollett-jury-trial-jurors-plea-bargain-injustice-11639339630", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:49:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b33d9193325144c628240849812f2a9d" + "hash": "415c7342a3e34d3610a6131fa765564b" }, { - "title": "Libya: UN special envoy quits a month before presidential elections", - "description": "

    Ján Kubiš gives no reason for resignation, having only taken post in war-torn country in January

    The UN special envoy for Libya, Ján Kubiš, has quit just a month before crucial presidential elections in the war-torn nation – without giving security council members a clear reason for his sudden departure.

    “Mr Kubiš has tendered his resignation to the secretary general, who has accepted it with regret,” UN spokesman Stéphane Dujarric told reporters, adding that António Guterres was “working on an appropriate replacement”.

    Continue reading...", - "content": "

    Ján Kubiš gives no reason for resignation, having only taken post in war-torn country in January

    The UN special envoy for Libya, Ján Kubiš, has quit just a month before crucial presidential elections in the war-torn nation – without giving security council members a clear reason for his sudden departure.

    “Mr Kubiš has tendered his resignation to the secretary general, who has accepted it with regret,” UN spokesman Stéphane Dujarric told reporters, adding that António Guterres was “working on an appropriate replacement”.

    Continue reading...", - "category": "Libya", - "link": "https://www.theguardian.com/world/2021/nov/23/libya-un-special-envoy-quits-a-month-before-presidential-elections", - "creator": "AFP at the United Nations", - "pubDate": "2021-11-23T23:00:37Z", + "title": "Almost Anybody Can Now Vote in New York", + "description": "Democrats on the City Council give 800,000 noncitizens the franchise, as others dissent.", + "content": "Democrats on the City Council give 800,000 noncitizens the franchise, as others dissent.", + "category": "PAID", + "link": "https://www.wsj.com/articles/almost-anybody-can-now-vote-in-new-york-noncitizen-illegal-alien-election-interference-11639331608", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 17:28:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dd51235dc6ff35787a3301cadc709fc1" + "hash": "6785a98f50ca740e967d201b0f5d721f" }, { - "title": "In a crisis, you want Jacinda Ardern. That’s why her poll numbers will remain robust | Morgan Godfery", - "description": "

    Ardern is imperfect and her government often struggles to implement its agenda – but they excel at crisis management

    “If you want to know me, look at my surface”, Andy Warhol once said, or something along those lines. It’s an invitation to the obvious that should apply in politics, and yet the public regard politicians with – at best – a good deal of suspicion and, at worst, contempt. And who can blame them? In New Zealand the workers’ party (Labour) was responsible for introducing and administering neoliberalism in the 1980s, a dramatic break with their social democratic history that the Australian Labor party was also undertaking in the 1980s, the US Democrats in the 1990s, and UK Labour shortly after. As the old joke goes, capturing the distrust most people feel for left and right, “it doesn’t matter who you vote for, a politician always gets in”.

    But what distinguishes prime minister Jacinda Ardern from the politicians who bite at her heels is that the Warholian doctrine is probably true. At least in her case. In New Zealand’s double disasters – the Christchurch massacre and the Whakaari eruption – Ardern met each tragedy with immediate action, crisp and clear communication, and an extraordinary human care almost entirely absent in modern politics. She met with victims, their families took her into their own homes and at every opportunity she made an invitation to act in solidarity – from the country’s successful gun reforms to the “Christchurch call”, an international bid to stamp out violent extremism online.

    Continue reading...", - "content": "

    Ardern is imperfect and her government often struggles to implement its agenda – but they excel at crisis management

    “If you want to know me, look at my surface”, Andy Warhol once said, or something along those lines. It’s an invitation to the obvious that should apply in politics, and yet the public regard politicians with – at best – a good deal of suspicion and, at worst, contempt. And who can blame them? In New Zealand the workers’ party (Labour) was responsible for introducing and administering neoliberalism in the 1980s, a dramatic break with their social democratic history that the Australian Labor party was also undertaking in the 1980s, the US Democrats in the 1990s, and UK Labour shortly after. As the old joke goes, capturing the distrust most people feel for left and right, “it doesn’t matter who you vote for, a politician always gets in”.

    But what distinguishes prime minister Jacinda Ardern from the politicians who bite at her heels is that the Warholian doctrine is probably true. At least in her case. In New Zealand’s double disasters – the Christchurch massacre and the Whakaari eruption – Ardern met each tragedy with immediate action, crisp and clear communication, and an extraordinary human care almost entirely absent in modern politics. She met with victims, their families took her into their own homes and at every opportunity she made an invitation to act in solidarity – from the country’s successful gun reforms to the “Christchurch call”, an international bid to stamp out violent extremism online.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/commentisfree/2021/nov/24/in-a-crisis-you-want-jacinda-ardern-thats-why-her-poll-numbers-will-remain-robust", - "creator": "Morgan Godfery", - "pubDate": "2021-11-23T19:00:24Z", + "title": "A Tribunal Investigates China's Genocide Against the Uyghurs", + "description": "The London-based panel found that torture, sexual violence, persecution and other crimes are proven.", + "content": "The London-based panel found that torture, sexual violence, persecution and other crimes are proven.", + "category": "PAID", + "link": "https://www.wsj.com/articles/tribunal-investigates-china-uyghur-genocide-crimes-against-humanity-rape-torture-beijing-extermination-11639339993", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:38:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5a12fba1bc77d55bb46435c4647079c" + "hash": "e63351ec049c582e9940384da97eae2d" }, { - "title": "A child injured in the Waukesha parade has died, bringing the toll to six", - "description": "

    Driver has been charged with five counts of intentional homicide and more charges are pending

    Prosecutors in Wisconsin on Tuesday charged a man with intentional homicide in the deaths of five people who were killed when an SUV was driven into a Christmas parade earlier this week that also left 62 people injured, including many children.

    Prosecutors say a sixth person, a child, has died and more charges are pending. Several of those injured remain in critical condition.

    Continue reading...", - "content": "

    Driver has been charged with five counts of intentional homicide and more charges are pending

    Prosecutors in Wisconsin on Tuesday charged a man with intentional homicide in the deaths of five people who were killed when an SUV was driven into a Christmas parade earlier this week that also left 62 people injured, including many children.

    Prosecutors say a sixth person, a child, has died and more charges are pending. Several of those injured remain in critical condition.

    Continue reading...", - "category": "Wisconsin", - "link": "https://www.theguardian.com/us-news/2021/nov/23/waukesha-parade-children-injured", - "creator": "Maya Yang and agencies", - "pubDate": "2021-11-23T18:32:43Z", + "title": "Kamala Harris Needs to Get Serious", + "description": "Her shaky standing is a danger to the country given the position she could be called on to fill.", + "content": "Her shaky standing is a danger to the country given the position she could be called on to fill.", + "category": "PAID", + "link": "https://www.wsj.com/articles/kamala-harris-needs-to-get-serious-biden-administration-competency-approval-rating-polling-11639093358", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 19:05:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3f95105ace12ec645e9b36ac3c0e7373" + "hash": "036f3cb1a6a59b3c0fbcd922c852f36e" }, { - "title": "New York city hall removes Thomas Jefferson statue", - "description": "

    City public design commission voted to send 884lb, 7ft statue to the New York Historical Society because Jefferson enslaved people

    A statue of Thomas Jefferson has been removed from city hall in New York, because the founder and third president enslaved people.

    A work crew spent several hours on Monday freeing the 884lb, 7ft statue from its pedestal in the council chambers and carefully maneuvering it into a padded wooden crate, for the short journey to the New York Historical Society.

    Continue reading...", - "content": "

    City public design commission voted to send 884lb, 7ft statue to the New York Historical Society because Jefferson enslaved people

    A statue of Thomas Jefferson has been removed from city hall in New York, because the founder and third president enslaved people.

    A work crew spent several hours on Monday freeing the 884lb, 7ft statue from its pedestal in the council chambers and carefully maneuvering it into a padded wooden crate, for the short journey to the New York Historical Society.

    Continue reading...", - "category": "New York", - "link": "https://www.theguardian.com/us-news/2021/nov/23/thomas-jefferson-statuue-new-york-city-hall", - "creator": "Richard Luscombe", - "pubDate": "2021-11-23T14:05:40Z", + "title": "No Rules for Progressive Radicals", + "description": "Biden appointees try to stage a coup against the director of the FDIC on bank mergers.", + "content": "Biden appointees try to stage a coup against the director of the FDIC on bank mergers.", + "category": "PAID", + "link": "https://www.wsj.com/articles/no-rules-for-progressives-radicals-rohit-chopra-jelena-mcwilliams-cfpb-fdic-richard-cordray-gigi-sohn-biden-11639161917", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 18:05:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e281365fb3c4fbb7140fc1eb18a75b2" + "hash": "442a01a758f8b23c6a44b356bf8cb4cf" }, { - "title": "Carnival photos add to woe of coach accused of faking Covid pass", - "description": "

    Markus Anfang resigned as Werder Bremen coach after doubts voiced about authenticity of Covid certificate

    A German football coach who resigned over allegations that he forged his vaccine certificate has drawn condemnation and derision after it emerged he attended a carnival party this month that was exclusive to those who had got the jab or recovered from the virus.

    Markus Anfang on Saturday morning announced his resignation as the head coach of German second division club Werder Bremen, after the state prosecutor in the northern city revealed there were doubts about the authenticity of the document supposedly proving the 47-year-old had received two doses of the BioNTech/Pfizer vaccine.

    Continue reading...", - "content": "

    Markus Anfang resigned as Werder Bremen coach after doubts voiced about authenticity of Covid certificate

    A German football coach who resigned over allegations that he forged his vaccine certificate has drawn condemnation and derision after it emerged he attended a carnival party this month that was exclusive to those who had got the jab or recovered from the virus.

    Markus Anfang on Saturday morning announced his resignation as the head coach of German second division club Werder Bremen, after the state prosecutor in the northern city revealed there were doubts about the authenticity of the document supposedly proving the 47-year-old had received two doses of the BioNTech/Pfizer vaccine.

    Continue reading...", - "category": "Germany", - "link": "https://www.theguardian.com/world/2021/nov/23/anger-as-it-emerges-german-football-coach-in-vaccine-pass-scandal-attended-party", - "creator": "Philip Oltermann in Berlin", - "pubDate": "2021-11-23T13:48:23Z", + "title": "The Fed Is the Main Inflation Culprit", + "description": "The central bank has enabled price increases that may soon pose a risk to financial stability.", + "content": "The central bank has enabled price increases that may soon pose a risk to financial stability.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-fed-is-the-main-inflation-culprit-economic-upheaval-debt-wages-federal-reserve-powell-11639322957", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 13:04:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb675663d083530bc3a70b5ad486353c" + "hash": "b7135e8e1509dc30091bf45c7f2e1add" }, { - "title": "Home Office tells councils to take unaccompanied migrant children", - "description": "

    Voluntary scheme, where local authorities accept those arriving without parents, will now become compulsory

    Councils across England will be forced to care for unaccompanied children who have arrived on small boats under new rules put forward by the Home Office.

    The decision follows complaints from Kent county council and others in the south of England that they are being overwhelmed by a growing number of children entering the country.

    Continue reading...", - "content": "

    Voluntary scheme, where local authorities accept those arriving without parents, will now become compulsory

    Councils across England will be forced to care for unaccompanied children who have arrived on small boats under new rules put forward by the Home Office.

    The decision follows complaints from Kent county council and others in the south of England that they are being overwhelmed by a growing number of children entering the country.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/world/2021/nov/23/home-office-tells-councils-to-take-unaccompanied-migrant-children", - "creator": "Rajeev Syal and Libby Brooks", - "pubDate": "2021-11-23T13:46:55Z", + "title": "School Choice Saves Money and Helps Kids", + "description": "Evidence builds, as political momentum grows in the states.", + "content": "Evidence builds, as political momentum grows in the states.", + "category": "PAID", + "link": "https://www.wsj.com/articles/school-choice-saves-money-and-helps-kids-education-charter-in-person-learning-remote-covid-11639340381", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:48:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "92dc32fe33b27a9ab4dbfbec82fecf1e" + "hash": "301c753965a212cea640260d8010abc7" }, { - "title": "Covid deaths in Europe to top 2 million by March, says WHO", - "description": "

    Dr Hans Kluge describes situation as ‘very serious’ with increasing strain on health services

    Total deaths across Europe from Covid-19 are likely to exceed 2 million by March next year, the World Health Organization (WHO) has said, adding that the pandemic had become the number one cause of death in the region.

    Reported deaths have risen to nearly 4,200 a day, double the number being recorded in September, the agency said, while cumulative reported deaths in the region, which includes the UK, have already surpassed 1.5 million.

    Continue reading...", - "content": "

    Dr Hans Kluge describes situation as ‘very serious’ with increasing strain on health services

    Total deaths across Europe from Covid-19 are likely to exceed 2 million by March next year, the World Health Organization (WHO) has said, adding that the pandemic had become the number one cause of death in the region.

    Reported deaths have risen to nearly 4,200 a day, double the number being recorded in September, the agency said, while cumulative reported deaths in the region, which includes the UK, have already surpassed 1.5 million.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/23/covid-deaths-in-europe-to-top-2-million-by-march-says-who", - "creator": "Jon Henley, Europe correspondent", - "pubDate": "2021-11-23T13:38:20Z", + "title": "The U.S. Sanctions Everybody but Putin", + "description": "Western governments still shrink from truth-telling because it might destabilize his regime.", + "content": "Western governments still shrink from truth-telling because it might destabilize his regime.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-us-sanctions-everybody-but-putin-russia-ukraine-threat-allies-domestic-approval-11639175749", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 17:48:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "93d97cf0fa8dd9d410e8e6b027403c4e" + "hash": "502bd550551bb779d3a06288792993c0" }, { - "title": "Jennifer Lawrence defends Leonardo DiCaprio’s higher pay for Don’t Look Up", - "description": "

    Despite their equal billing on the forthcoming Adam McKay disaster comedy, Lawrence says she is ‘extremely fortunate and happy with my deal’

    Jennifer Lawrence has defended the higher salary paid to Leonardo DiCaprio for Don’t Look Up, their forthcoming film for which they receive equal billing.

    Speaking to Vanity Fair, Lawrence said: “Leo brings in more box office than I do. I’m extremely fortunate and happy with my deal.” A recently published report in Variety suggested that DiCaprio will receive $30m (£22.5m) for the movie, and Lawrence will be paid $25m ($18.7m) – meaning DiCaprio’s fee is 20% higher.

    Continue reading...", - "content": "

    Despite their equal billing on the forthcoming Adam McKay disaster comedy, Lawrence says she is ‘extremely fortunate and happy with my deal’

    Jennifer Lawrence has defended the higher salary paid to Leonardo DiCaprio for Don’t Look Up, their forthcoming film for which they receive equal billing.

    Speaking to Vanity Fair, Lawrence said: “Leo brings in more box office than I do. I’m extremely fortunate and happy with my deal.” A recently published report in Variety suggested that DiCaprio will receive $30m (£22.5m) for the movie, and Lawrence will be paid $25m ($18.7m) – meaning DiCaprio’s fee is 20% higher.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/nov/23/jennifer-lawrence-leonardo-dicaprio-higher-pay-for-dont-look-up", - "creator": "Andrew Pulver", - "pubDate": "2021-11-23T13:21:24Z", + "title": "Republicans Can Embrace Much of Biden's Anticorruption Plan", + "description": "The president hasn’t been tough enough on Russia and China, but in general terms his strategy is good.", + "content": "The president hasn’t been tough enough on Russia and China, but in general terms his strategy is good.", + "category": "PAID", + "link": "https://www.wsj.com/articles/republicans-can-embrace-much-of-biden-anticorruption-plan-kleptocracy-russia-china-corruption-11639339155", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 16:51:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3eaebae0bacbb0f4edf061cd332f2ccd" + "hash": "45e00d07b6dc4da523fe0efa59398e7f" }, { - "title": "Hong Kong activist Tony Chung jailed under national security law", - "description": "

    Judge sentences 20-year-old to three years and seven months in prison for secession and money laundering

    A 20-year-old student activist who was arrested while attempting to seek asylum at the US consulate in Hong Kong has become the youngest person sentenced under the city’s draconian national security law.

    Tony Chung was sentenced to three years and seven months in prison after being convicted of secession and money laundering.

    Continue reading...", - "content": "

    Judge sentences 20-year-old to three years and seven months in prison for secession and money laundering

    A 20-year-old student activist who was arrested while attempting to seek asylum at the US consulate in Hong Kong has become the youngest person sentenced under the city’s draconian national security law.

    Tony Chung was sentenced to three years and seven months in prison after being convicted of secession and money laundering.

    Continue reading...", - "category": "Hong Kong", - "link": "https://www.theguardian.com/world/2021/nov/23/hong-kong-activist-tony-chung-jailed-under-national-security-law", - "creator": "Helen Davidson in Taipei", - "pubDate": "2021-11-23T12:28:22Z", + "title": "At the Democracy Summit, Biden Bungles Again", + "description": "How did Pakistan and Congo pass muster when Singapore and Hungary were found wanting?", + "content": "How did Pakistan and Congo pass muster when Singapore and Hungary were found wanting?", + "category": "PAID", + "link": "https://www.wsj.com/articles/at-the-democracy-summit-biden-bungles-again-activists-human-rights-realism-china-xi-pakistan-11639083688", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:18:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "94cf56b26bd39c623cc3ec8688facf33" + "hash": "0d72edad1ba0d2e7cde4090f0829f565" }, { - "title": "Neat enough for Pepys: Magdalene college Cambridge’s inventive new library", - "description": "

    The famous diarist’s dedicated building, left to his Cambridge alma mater, could not be altered. So architect Níall McLaughlin created a magical solution

    “My delight is in the neatness of everything,” wrote Samuel Pepys in his diary in 1663, “and so cannot be pleased with anything unless it be very neat, which is a strange folly.”

    He was referring in part to the fastidious organisation of his magnificent collection of books. By the time of his death in 1703 he had amassed 3,000 of them, which he left to his alma mater, Magdalene College, Cambridge, to be housed in a dedicated building with his name above the door. He gave strict instructions that his library be kept intact for posterity, without addition or subtraction, its contents arranged “according to heighth” in the bespoke glass-fronted bookcases he had especially commissioned. The responsibility came with an added threat: if one volume goes missing, he instructed, the whole library must be transferred to Trinity.

    Continue reading...", - "content": "

    The famous diarist’s dedicated building, left to his Cambridge alma mater, could not be altered. So architect Níall McLaughlin created a magical solution

    “My delight is in the neatness of everything,” wrote Samuel Pepys in his diary in 1663, “and so cannot be pleased with anything unless it be very neat, which is a strange folly.”

    He was referring in part to the fastidious organisation of his magnificent collection of books. By the time of his death in 1703 he had amassed 3,000 of them, which he left to his alma mater, Magdalene College, Cambridge, to be housed in a dedicated building with his name above the door. He gave strict instructions that his library be kept intact for posterity, without addition or subtraction, its contents arranged “according to heighth” in the bespoke glass-fronted bookcases he had especially commissioned. The responsibility came with an added threat: if one volume goes missing, he instructed, the whole library must be transferred to Trinity.

    Continue reading...", - "category": "Architecture", - "link": "https://www.theguardian.com/artanddesign/2021/nov/23/magdalene-college-cambridge-library-pepys-niall-mclaughlin", - "creator": "Oliver Wainwright", - "pubDate": "2021-11-23T12:24:19Z", + "title": "Building Back Bitter", + "description": "Inflation hits a 39-year high as Biden continues to demand another federal spending surge.", + "content": "Inflation hits a 39-year high as Biden continues to demand another federal spending surge.", + "category": "PAID", + "link": "https://www.wsj.com/articles/building-back-bitter-11639171577", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 16:26:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a0569c045046bbca19853983230411c" + "hash": "6b048c13f552a042e6d4d71df0dad9ef" }, { - "title": "Post-Brexit scheme to lure Nobel winners to UK fails to attract single applicant", - "description": "

    Programme to allow those with prestigious global prizes to get fast-track visas dismissed as ‘elitist’ and a ‘joke’

    A post-Brexit scheme to draw the world’s most celebrated academics and other leading figures to the UK has failed to attract a single applicant in the six months since it opened, it has been reported.

    The visa route open to Nobel laureates and other prestigious global prize winners in the fields of science, engineering, humanities and medicine – among others – was described as a joke by experts after ministers admitted its failure to garner any interest.

    Continue reading...", - "content": "

    Programme to allow those with prestigious global prizes to get fast-track visas dismissed as ‘elitist’ and a ‘joke’

    A post-Brexit scheme to draw the world’s most celebrated academics and other leading figures to the UK has failed to attract a single applicant in the six months since it opened, it has been reported.

    The visa route open to Nobel laureates and other prestigious global prize winners in the fields of science, engineering, humanities and medicine – among others – was described as a joke by experts after ministers admitted its failure to garner any interest.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/23/post-brexit-scheme-to-lure-nobel-winners-to-uk-fails-to-attract-single-applicant", - "creator": "Kevin Rawlinson", - "pubDate": "2021-11-23T12:04:42Z", + "title": "Joe Manchin's Inflation Vindication", + "description": "Prices rise 6.8% in a year, ample reason to shelve the Biden tax and spending blowout.", + "content": "Prices rise 6.8% in a year, ample reason to shelve the Biden tax and spending blowout.", + "category": "PAID", + "link": "https://www.wsj.com/articles/joe-manchins-inflation-vindication-consumer-prices-rise-build-back-better-joe-biden-11639171900", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 18:06:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "291812f9dc54e603a6180099f9c4eee8" + "hash": "7e0639eaf4908c49008ffba4ac3f1812" }, { - "title": "UK will press governments to stick to climate pledges, says Cop26 president", - "description": "

    Alok Sharma says shared goals must be steered to safety by ensuring countries deliver on their promises

    The UK will continue to press governments around the world to cut greenhouse gas emissions urgently in the next year to limit global heating to 1.5C, after the UN climate talks that concluded last week, the president of the summit has pledged.

    Alok Sharma, the cabinet minister who led the Cop26 talks, said the world had shown in Glasgow that countries could work together to establish a framework for climate action but the next year must focus on keeping the promises made there.

    Continue reading...", - "content": "

    Alok Sharma says shared goals must be steered to safety by ensuring countries deliver on their promises

    The UK will continue to press governments around the world to cut greenhouse gas emissions urgently in the next year to limit global heating to 1.5C, after the UN climate talks that concluded last week, the president of the summit has pledged.

    Alok Sharma, the cabinet minister who led the Cop26 talks, said the world had shown in Glasgow that countries could work together to establish a framework for climate action but the next year must focus on keeping the promises made there.

    Continue reading...", - "category": "Climate crisis", - "link": "https://www.theguardian.com/environment/2021/nov/23/uk-governments-climate-pledges-cop26-president-alok-sharma", - "creator": "Fiona Harvey Environment correspondent", - "pubDate": "2021-11-23T12:00:15Z", + "title": "The Supreme Court's Abortion Standing", + "description": "The merits of the Texas law weren’t at issue, and the majority is right to block most pre-enforcement federal lawsuits.", + "content": "The merits of the Texas law weren’t at issue, and the majority is right to block most pre-enforcement federal lawsuits.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-supreme-courts-abortion-standing-texas-law-neil-gorsuch-11639175695", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 18:03:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4abad2cd01d21462d2cbec8f16eeaa59" + "hash": "bd808e6de29b41dff8c7dfd0ede614a1" }, { - "title": "AstraZeneca chief links Europe’s Covid surge to rejection of firm’s vaccine", - "description": "

    Pascal Soriot says heightened T-cell immunity from Oxford jab may give more durable protection

    A decision not to use AstraZeneca’s Covid-19 vaccine for elderly people in some European countries could help explain why the virus is currently triggering such high levels of infections in mainland Europe, the company’s chief executive has said.

    Pascal Soriot told BBC Radio 4’s Today programme that heightened T-cell immunity could be giving those who received the Oxford/AstraZeneca jab more durable immune protection against the virus.

    Continue reading...", - "content": "

    Pascal Soriot says heightened T-cell immunity from Oxford jab may give more durable protection

    A decision not to use AstraZeneca’s Covid-19 vaccine for elderly people in some European countries could help explain why the virus is currently triggering such high levels of infections in mainland Europe, the company’s chief executive has said.

    Pascal Soriot told BBC Radio 4’s Today programme that heightened T-cell immunity could be giving those who received the Oxford/AstraZeneca jab more durable immune protection against the virus.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/23/astrazeneca-chief-links-europes-covid-surge-to-rejection-of-firms-vaccine", - "creator": "Linda Geddes Science correspondent", - "pubDate": "2021-11-23T11:53:34Z", + "title": "Congress's Message to Biden on Defense", + "description": "The House overrules the Pentagon’s after-inflation budget cut.", + "content": "The House overrules the Pentagon’s after-inflation budget cut.", + "category": "PAID", + "link": "https://www.wsj.com/articles/congresss-message-to-biden-on-defense-national-defense-authorization-act-budget-11639082990", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 17:58:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fd5582699639f518bff02a2080494d21" + "hash": "56a33db0e1b463eeb20e7ca7b76382be" }, { - "title": "Crazy Frog returns, like it or not: ‘There will always be a place for novelty songs’", - "description": "

    With genitalia proudly exposed, the amphibian raced up the charts in 2005 and irritated much of the UK. Why has it been allowed a second chance? Its handler explains himself

    For a few months in 2005, you couldn’t move without encountering Crazy Frog. First sold as a ringtone, his nonsensical catchphrase, “Rring ding ding ding baa baa”, entered the national vocabulary. Then it became the most popular – and divisive – single of 2005, coupled with a CGI video of an explicitly naked frog on the lam in a futuristic cityscape. “The frog is irritating to the point of distraction and back again,” wrote BBC News. “And yet at the same, it’s strangely compelling.”

    The craze lasted for five Top 20 hits and then mercifully dwindled. The character was so hated that hackers found success with a virus offering to show users an image of him being killed off. But now the frog is staging a comeback. Next month, the once-ubiquitous amphibian will release a new single – a mash-up of a classic and a more recent song, the details of which the frog’s guardians are keeping under wraps, other than to say that both are popular on TikTok.

    Continue reading...", - "content": "

    With genitalia proudly exposed, the amphibian raced up the charts in 2005 and irritated much of the UK. Why has it been allowed a second chance? Its handler explains himself

    For a few months in 2005, you couldn’t move without encountering Crazy Frog. First sold as a ringtone, his nonsensical catchphrase, “Rring ding ding ding baa baa”, entered the national vocabulary. Then it became the most popular – and divisive – single of 2005, coupled with a CGI video of an explicitly naked frog on the lam in a futuristic cityscape. “The frog is irritating to the point of distraction and back again,” wrote BBC News. “And yet at the same, it’s strangely compelling.”

    The craze lasted for five Top 20 hits and then mercifully dwindled. The character was so hated that hackers found success with a virus offering to show users an image of him being killed off. But now the frog is staging a comeback. Next month, the once-ubiquitous amphibian will release a new single – a mash-up of a classic and a more recent song, the details of which the frog’s guardians are keeping under wraps, other than to say that both are popular on TikTok.

    Continue reading...", - "category": "Music", - "link": "https://www.theguardian.com/music/2021/nov/23/crazy-frog-returns-like-it-or-not-there-will-always-be-a-place-for-novelty-songs", - "creator": "Ralph Jones", - "pubDate": "2021-11-23T11:30:28Z", + "title": "Invading Ukraine Is a Trap for Vladimir Putin", + "description": "Russia can’t be an empire without it, but it can’t even be a great power if it overreaches.", + "content": "Russia can’t be an empire without it, but it can’t even be a great power if it overreaches.", + "category": "PAID", + "link": "https://www.wsj.com/articles/ukraine-is-a-trap-for-vladimir-putin-donbas-invasion-russia-crimea-biden-germany-covid-11639171903", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 17:49:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "adf18c88e49e633d84b1320eb09d81dc" + "hash": "354c77dc04dfee7787cf38c8b9c5b8b5" }, { - "title": "Call to British Airways might have averted 1990 Kuwait hostage crisis", - "description": "

    Ambassador warned Foreign Office an Iraqi invasion was under way but this was not passed on to airline

    Hundreds of British passengers might have avoided being taken hostage by the Iraqi dictator Saddam Hussein in 1990 if a UK diplomatic call informing Whitehall of Iraq’s invasion of Kuwait had been relayed to British Airways, the Foreign Office has disclosed.

    New papers revealed under the 20-year-rule show that the UK ambassador to Kuwait rang the Foreign Office duty clerk to warn him that an Iraqi invasion of Kuwait was under way. The message was then passed around Whitehall, including to Downing Street and the intelligence services.

    Continue reading...", - "content": "

    Ambassador warned Foreign Office an Iraqi invasion was under way but this was not passed on to airline

    Hundreds of British passengers might have avoided being taken hostage by the Iraqi dictator Saddam Hussein in 1990 if a UK diplomatic call informing Whitehall of Iraq’s invasion of Kuwait had been relayed to British Airways, the Foreign Office has disclosed.

    New papers revealed under the 20-year-rule show that the UK ambassador to Kuwait rang the Foreign Office duty clerk to warn him that an Iraqi invasion of Kuwait was under way. The message was then passed around Whitehall, including to Downing Street and the intelligence services.

    Continue reading...", - "category": "Foreign, Commonwealth and Development Office", - "link": "https://www.theguardian.com/politics/2021/nov/23/call-to-british-airways-might-have-averted-1990-kuwait-hostage-crisis", - "creator": "Patrick Wintour Diplomatic correspondent", - "pubDate": "2021-11-23T11:08:29Z", + "title": "Is MIT's Research Helping the Chinese Military?", + "description": "My concerns about how Beijing might be using our findings were dismissed as racist and political.", + "content": "My concerns about how Beijing might be using our findings were dismissed as racist and political.", + "category": "PAID", + "link": "https://www.wsj.com/articles/is-mit-research-helping-the-chinese-military-pla-genocide-mcgovern-institute-partnerships-repression-11639149202", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 11:23:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea6b95347eb38d738b13f5453e8f5977" + "hash": "edb47cb19f62385561f042a83e97bf07" }, { - "title": "Frog back from the dead helps fight plans for mine in Ecuador", - "description": "

    Campaigners say if copper mine gets go-ahead in cloud forest, the longnose harlequin, once thought to be extinct, will be threatened again

    Reports of the longnose harlequin frog’s death appear to have been greatly exaggerated – or, at least, premature. The Mark Twain of the frog world is listed by the International Union for Conservation of Nature (IUCN) as extinct, which may come as a surprise to those alive and well in the cloud forests of Ecuador’s tropical Andes.

    Known for its pointed snout, the longnose harlequin frog (Atelopus longirostris) is about to play a central role in a legal battle to stop a mining project in the Intag valley in Imbabura province, which campaigners say would be a disaster for the highly biodiverse cloud forests.

    Continue reading...", - "content": "

    Campaigners say if copper mine gets go-ahead in cloud forest, the longnose harlequin, once thought to be extinct, will be threatened again

    Reports of the longnose harlequin frog’s death appear to have been greatly exaggerated – or, at least, premature. The Mark Twain of the frog world is listed by the International Union for Conservation of Nature (IUCN) as extinct, which may come as a surprise to those alive and well in the cloud forests of Ecuador’s tropical Andes.

    Known for its pointed snout, the longnose harlequin frog (Atelopus longirostris) is about to play a central role in a legal battle to stop a mining project in the Intag valley in Imbabura province, which campaigners say would be a disaster for the highly biodiverse cloud forests.

    Continue reading...", - "category": "Mining", - "link": "https://www.theguardian.com/environment/2021/nov/23/frog-back-from-the-dead-helps-fight-mine-plans-in-ecuadors-cloud-forest-aoe", - "creator": "Graeme Green", - "pubDate": "2021-11-23T11:00:14Z", + "title": "Merrick Garland One-Ups Eric Holder", + "description": "The Justice Department is pursuing an even more partisan agenda than it did in the Obama years.", + "content": "The Justice Department is pursuing an even more partisan agenda than it did in the Obama years.", + "category": "PAID", + "link": "https://www.wsj.com/articles/merrick-garland-one-ups-eric-holder-biden-obama-texas-redistricting-voting-repression-strassel-11639092297", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:39:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e8b2f27d6ef4045d5fe247ebe7349062" + "hash": "0255147c44072af7a7b835ceaa7714ec" }, { - "title": "Labor blasts Barnaby Joyce for appointing Tamworth mayor and ‘solid supporter’ for infrastructure role", - "description": "

    Nationals leader accused opposition of being ‘academic snobs’ who lacked commitment to regional Australia

    Labor has blasted Nationals leader Barnaby Joyce for being set to appoint the retiring mayor of Tamworth, Col Murray, as the new chair of Infrastructure Australia.

    Asked on Tuesday by the shadow infrastructure Catherine King whether he could confirm that the Morrison government had decided, but not yet announced, that Murray, “who has described himself as a fairly solid Barnaby supporter” would be the new chair of the infrastructure advisory body, Joyce rounded on the opposition.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Nationals leader accused opposition of being ‘academic snobs’ who lacked commitment to regional Australia

    Labor has blasted Nationals leader Barnaby Joyce for being set to appoint the retiring mayor of Tamworth, Col Murray, as the new chair of Infrastructure Australia.

    Asked on Tuesday by the shadow infrastructure Catherine King whether he could confirm that the Morrison government had decided, but not yet announced, that Murray, “who has described himself as a fairly solid Barnaby supporter” would be the new chair of the infrastructure advisory body, Joyce rounded on the opposition.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Barnaby Joyce", - "link": "https://www.theguardian.com/australia-news/2021/nov/23/labor-blasts-barnaby-joyce-for-appointing-tamworth-mayor-and-solid-supporter-for-infrastructure-role", - "creator": "Katharine Murphy", - "pubDate": "2021-11-23T10:53:37Z", + "title": "Norman Podhoretz on the Spiritual War for America", + "description": "The left wants to win, he says, but ‘I’m not sure anymore what our side wants.’ That’s a big part of what drew him to Trump.", + "content": "The left wants to win, he says, but ‘I’m not sure anymore what our side wants.’ That’s a big part of what drew him to Trump.", + "category": "PAID", + "link": "https://www.wsj.com/articles/norman-podhoretz-spiritual-war-for-america-conservatism-republican-trump-youngkin-carlson-11639149560", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 11:24:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e52973b2123f474ac9a5d41a1ee613ce" + "hash": "92787c97f40bf401dec057cbe29a0bcd" }, { - "title": "China condemns ‘malicious hyping’ over Peng Shuai", - "description": "

    Foreign ministry takes unrepentant stance to concerns in west over wellbeing of tennis player

    China’s foreign ministry has accused unnamed people of “malicious hyping” in the case of the tennis star Peng Shuai, in a hardline and unrepentant response to questions in the west over her wellbeing.

    The whereabouts and wellbeing of Peng, a former doubles world number one, has become a matter of international concern over the past three weeks, after she alleged in a message on the Chinese social media site Weibo that the country’s former vice-premier, Zhang Gaoli, had sexually assaulted her. Peng ceased to be seen in public shortly after she made her allegation on 2 November.

    Continue reading...", - "content": "

    Foreign ministry takes unrepentant stance to concerns in west over wellbeing of tennis player

    China’s foreign ministry has accused unnamed people of “malicious hyping” in the case of the tennis star Peng Shuai, in a hardline and unrepentant response to questions in the west over her wellbeing.

    The whereabouts and wellbeing of Peng, a former doubles world number one, has become a matter of international concern over the past three weeks, after she alleged in a message on the Chinese social media site Weibo that the country’s former vice-premier, Zhang Gaoli, had sexually assaulted her. Peng ceased to be seen in public shortly after she made her allegation on 2 November.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/nov/23/china-peng-shuai-tennis-player-west", - "creator": "Vincent Ni China affairs correspondent", - "pubDate": "2021-11-23T10:40:42Z", + "title": "The Bourbon Boom Puts Rural Kentucky Back on the Map", + "description": "A revival of interest in ‘America’s native spirit’ is undoing Prohibition’s economic damage.", + "content": "A revival of interest in ‘America’s native spirit’ is undoing Prohibition’s economic damage.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-bourbon-boom-puts-rural-kentucky-back-on-the-map-rural-south-whiskey-prohibition-alcohol-11639160532", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 17:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d99befad49b47362ad849f70bd92a66" + "hash": "f9a2a10c748fb3c92b80e5e7536e02db" }, { - "title": "Chinese birthrate falls to lowest since 1978", - "description": "

    Official statistics show 8.5 births per 1,000 people in 2020, the first time under 10 in decades

    China’s birthrate has plummeted to its lowest level since 1978 as the government struggles to stave off a looming demographic crisis.

    Data released by the country’s national bureau of statistics shows there were 8.5 births per 1,000 people in 2020, the first time in decades that the figure has fallen below 10. The statistical yearbook, released at the weekend, said the natural rate of population growth – taking in births and deaths – was at a new low of 1.45.

    Continue reading...", - "content": "

    Official statistics show 8.5 births per 1,000 people in 2020, the first time under 10 in decades

    China’s birthrate has plummeted to its lowest level since 1978 as the government struggles to stave off a looming demographic crisis.

    Data released by the country’s national bureau of statistics shows there were 8.5 births per 1,000 people in 2020, the first time in decades that the figure has fallen below 10. The statistical yearbook, released at the weekend, said the natural rate of population growth – taking in births and deaths – was at a new low of 1.45.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/nov/23/chinese-birthrate-falls-to-lowest-since-1978", - "creator": "Helen Davidson in Taipei", - "pubDate": "2021-11-23T09:37:07Z", + "title": "If the Supreme Court Overturns Roe v. Wade", + "description": "Yes, the end of Roe would disrupt U.S. politics and the idea that no liberal policy can ever change.", + "content": "Yes, the end of Roe would disrupt U.S. politics and the idea that no liberal policy can ever change.", + "category": "PAID", + "link": "https://www.wsj.com/articles/if-the-supreme-court-overturns-roe-v-wade-dobbs-jackson-mississippi-federalism-abortion-biden-11638995447", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:48:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf3296b73eda1ce72fba134d5b5373bc" + "hash": "e892997d7c8f1f0be5ed9b574f282b8a" }, { - "title": "Samantha Willis was a beloved young pregnant mother. Did bad vaccine advice cost her her life?", - "description": "

    When the UK’s jab programme began, expectant mothers were told to steer clear – so Samantha decided to wait until she had had her baby. Two weeks after giving birth, she died in hospital

    It was typical of Samantha Willis that she bought the food for her baby shower herself. No fuss; she didn’t want other people to be put out. She even bought a cheese board, despite the fact that, because she was pregnant, she couldn’t eat half of it.

    On 1 August, the care worker and mother of three from Derry was eight months pregnant with her third daughter. The weather was beautiful, so Samantha stood out in the sun, ironing clothes and getting everything organised for the baby.

    Continue reading...", - "content": "

    When the UK’s jab programme began, expectant mothers were told to steer clear – so Samantha decided to wait until she had had her baby. Two weeks after giving birth, she died in hospital

    It was typical of Samantha Willis that she bought the food for her baby shower herself. No fuss; she didn’t want other people to be put out. She even bought a cheese board, despite the fact that, because she was pregnant, she couldn’t eat half of it.

    On 1 August, the care worker and mother of three from Derry was eight months pregnant with her third daughter. The weather was beautiful, so Samantha stood out in the sun, ironing clothes and getting everything organised for the baby.

    Continue reading...", - "category": "Pregnancy", - "link": "https://www.theguardian.com/society/2021/nov/23/samantha-willis-was-a-beloved-young-pregnant-mother-did-bad-vaccine-advice-cost-her-her-life", - "creator": "Sirin Kale", - "pubDate": "2021-11-23T08:00:04Z", + "title": "Notable & Quotable: Checking Covid 'Facts'", + "description": "‘Claims that the 1963 movie ‘Omicron’ predicted the evolution of the latest variant strain of SARS-CoV-2 are false.’", + "content": "‘Claims that the 1963 movie ‘Omicron’ predicted the evolution of the latest variant strain of SARS-CoV-2 are false.’", + "category": "PAID", + "link": "https://www.wsj.com/articles/notable-quotable-checking-covid-fact-checking-omicron-misinformation-disinformation-reuters-11639160847", + "creator": "", + "pubDate": "Fri, 10 Dec 2021 17:41:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b83e52e836ae5bf08fafcd72ae1c8372" + "hash": "2e3c1ce0999b5113a2fa3f87cffdca05" }, { - "title": "Covid news live: India records smallest daily rise in cases in 18 months despite festivals", - "description": "

    India’s daily Covid cases saw the slimmest daily rise in one-and-a-half-years despite recent large festivals such as Diwali as vaccination and antibody levels rise

    In the UK, Labour MP and member of the health select committee at parliament Sarah Owen has been on Sky News. She was asked about three things. Firstly on AstraZeneca suggesting they would offer tiered pricing and still offer vaccines not-for-profit to developing nations, and the risk of new variants developing due to vaccine inequality, she said:

    We are in a global pandemic, the clue is in the title and we need an international response. So moves from AstraZeneca that you’re talking about just now are very welcome because we need to ensure that everyone across the world has access to a vaccination.

    We’ve always got to be scanning the horizon. For new variants. For changes. And possible solutions, new solutions for dealing with this pandemic. And we can’t take our eye off the ball particularly as we’re staring down the barrel of winter again.

    Children should just be able to go to school. I think they’ve had a horrible last two years. The last thing they should be doing is being confronted with people who are being aggressive, or who are looking to threaten them, or threaten teaching staff or their parents. It’s completely unacceptable. Children should just be able to go to school.

    Continue reading...", - "content": "

    India’s daily Covid cases saw the slimmest daily rise in one-and-a-half-years despite recent large festivals such as Diwali as vaccination and antibody levels rise

    In the UK, Labour MP and member of the health select committee at parliament Sarah Owen has been on Sky News. She was asked about three things. Firstly on AstraZeneca suggesting they would offer tiered pricing and still offer vaccines not-for-profit to developing nations, and the risk of new variants developing due to vaccine inequality, she said:

    We are in a global pandemic, the clue is in the title and we need an international response. So moves from AstraZeneca that you’re talking about just now are very welcome because we need to ensure that everyone across the world has access to a vaccination.

    We’ve always got to be scanning the horizon. For new variants. For changes. And possible solutions, new solutions for dealing with this pandemic. And we can’t take our eye off the ball particularly as we’re staring down the barrel of winter again.

    Children should just be able to go to school. I think they’ve had a horrible last two years. The last thing they should be doing is being confronted with people who are being aggressive, or who are looking to threaten them, or threaten teaching staff or their parents. It’s completely unacceptable. Children should just be able to go to school.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/23/covid-news-live-india-records-smallest-daily-rise-in-cases-in-18-months-despite-festivals", - "creator": "Martin Belam (now) and Samantha Lock (earlier)", - "pubDate": "2021-11-23T07:28:59Z", + "title": "Biden's Federal Vaccine Mandate Wipeout", + "description": "The Administration ignored the law. It is getting crushed in court.", + "content": "The Administration ignored the law. It is getting crushed in court.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bidens-covid-vaccine-mandate-wipeout-courts-11639076342", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 19:25:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1b175a4be13c8df96d314f2d9dc68a5" + "hash": "27271c1a3e43656f322a34047c320698" }, { - "title": "Camels bearing healthcare deliver hope in Kenya – photo essay", - "description": "

    When the roads are not up to it, a mobile clinic on hooves brings family planning and other medical supplies to remote communities. Photographer Ami Vitale visits Lekiji to see how the villagers have reaped the benefits

    Thirteen camels amble their way across the dusty, drought-stricken landscape, accompanied by seven men in bright yellow T-shirts and three nurses. The camels are loaded with trunks full of medicines, bandages and family planning products. It’s a mobile health clinic on hooves. When the camels arrive at their destination, men, women and children form a line as they wait for the handlers to unload the boxes and set up tables and tents.

    Among those waiting is Jecinta Peresia, who first encountered the health visitors six years ago after she nearly died giving birth to her 11th child, a daughter called Emali.

    No roads, no problem. Communities Health Africa Trust (Chat) delivers health care to hard-to-reach areas of Kenya

    Continue reading...", - "content": "

    When the roads are not up to it, a mobile clinic on hooves brings family planning and other medical supplies to remote communities. Photographer Ami Vitale visits Lekiji to see how the villagers have reaped the benefits

    Thirteen camels amble their way across the dusty, drought-stricken landscape, accompanied by seven men in bright yellow T-shirts and three nurses. The camels are loaded with trunks full of medicines, bandages and family planning products. It’s a mobile health clinic on hooves. When the camels arrive at their destination, men, women and children form a line as they wait for the handlers to unload the boxes and set up tables and tents.

    Among those waiting is Jecinta Peresia, who first encountered the health visitors six years ago after she nearly died giving birth to her 11th child, a daughter called Emali.

    No roads, no problem. Communities Health Africa Trust (Chat) delivers health care to hard-to-reach areas of Kenya

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/23/camels-bearing-healthcare-deliver-hope-in-kenya-photo-essay", - "creator": "Ami Vitale and Wanjiku Kinuthia", - "pubDate": "2021-11-23T07:01:03Z", + "title": "The Ayatollahs' Twitter Trolls", + "description": "How social-media companies help Iran’s regime suppress the democracy movement.", + "content": "How social-media companies help Iran’s regime suppress the democracy movement.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-ayatollahs-twitter-trolls-protest-censorship-free-speech-iran-social-media-content-moderation-11639083078", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:45:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9272f036ecd1cc5208ec86de521e7630" + "hash": "696e276268cb0f4aadd8a57dfeb83f32" }, { - "title": "Outlander author Diana Gabaldon: ‘I needed Scotsmen because of the kilt factor’", - "description": "

    She secretly wrote the first of her time-travelling novels while her husband slept. Now she’s published the ninth in the smash hit series. She talks explosive sex scenes – and where George RR Martin went wrong

    Writing a novel shouldn’t have been high on Diana Gabaldon’s list of priorities in the late 1980s. She already had two jobs, as a university professor at Arizona State, with an expertise in scientific computation, and as a software reviewer for the computer press. And she had three children under six. But she’d known since she was eight years old that she was “supposed to be a novelist”, so she decided it was time to give it a try.

    With three degrees – a bachelor’s in zoology, a master’s in marine biology, and a PhD in quantitative behavioural ecology (her thesis was on “nest site selection in pinyon jays”) – Gabaldon says she “liked science, I was good at it. But I knew that was not my vocation, that’s not my calling. So when I turned 35, I said to myself, well, you know, Mozart was dead at 36. If you want to be a novelist, maybe you’d better start.”

    Continue reading...", - "content": "

    She secretly wrote the first of her time-travelling novels while her husband slept. Now she’s published the ninth in the smash hit series. She talks explosive sex scenes – and where George RR Martin went wrong

    Writing a novel shouldn’t have been high on Diana Gabaldon’s list of priorities in the late 1980s. She already had two jobs, as a university professor at Arizona State, with an expertise in scientific computation, and as a software reviewer for the computer press. And she had three children under six. But she’d known since she was eight years old that she was “supposed to be a novelist”, so she decided it was time to give it a try.

    With three degrees – a bachelor’s in zoology, a master’s in marine biology, and a PhD in quantitative behavioural ecology (her thesis was on “nest site selection in pinyon jays”) – Gabaldon says she “liked science, I was good at it. But I knew that was not my vocation, that’s not my calling. So when I turned 35, I said to myself, well, you know, Mozart was dead at 36. If you want to be a novelist, maybe you’d better start.”

    Continue reading...", - "category": "Books", - "link": "https://www.theguardian.com/books/2021/nov/23/outlander-tv-series-author-diana-gabaldon", - "creator": "Alison Flood", - "pubDate": "2021-11-23T06:00:03Z", + "title": "Who's Afraid of Nathan Law? China", + "description": "Biden’s democracy summit gets the right kind of criticism.", + "content": "Biden’s democracy summit gets the right kind of criticism.", + "category": "PAID", + "link": "https://www.wsj.com/articles/whos-afraid-of-nathan-law-china-chris-tang-biden-summit-for-democracy-11639090755", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 19:01:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "849956fbe920018c40f9607ac71294c9" + "hash": "7e7344d198c7e63928d890bf3b9aa3ed" }, { - "title": "I got help for postnatal depression that saved me. Most women in India do not | Priyali Sur", - "description": "

    With up to one in five new mothers suffering depression or psychosis, experts say the need for help is ‘overwhelming’ India

    A month after giving birth, Divya tried to suffocate her new daughter with a pillow. “There were moments when I loved my baby; at other times I would try and suffocate her to death,” says the 26-year-old from the southern Indian state of Kerala.

    She sought help from women’s organisations and the women’s police station, staffed by female officers, in her town. But Divya was told that the safest place for a child was with her mother.

    Continue reading...", - "content": "

    With up to one in five new mothers suffering depression or psychosis, experts say the need for help is ‘overwhelming’ India

    A month after giving birth, Divya tried to suffocate her new daughter with a pillow. “There were moments when I loved my baby; at other times I would try and suffocate her to death,” says the 26-year-old from the southern Indian state of Kerala.

    She sought help from women’s organisations and the women’s police station, staffed by female officers, in her town. But Divya was told that the safest place for a child was with her mother.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/23/help-for-postnatal-depression-psychosis-india-mental-health", - "creator": "Priyali Sur in New Delhi", - "pubDate": "2021-11-23T06:00:03Z", + "title": "The Stealth Gas-Heating Tax", + "description": "The House methane ‘fee’ is a tax on consumers who use natural gas.", + "content": "The House methane ‘fee’ is a tax on consumers who use natural gas.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-stealth-home-heating-tax-methane-fee-house-democrats-spending-bill-joe-manchin-biden-11637963624", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 19:24:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "788c7a259249875134982e13f80f12c8" + "hash": "c7d034e69eb8dbce9ff2eb12ef2ac1da" }, { - "title": "Priti Patel put under ‘immense pressure’ by No 10 and Tory MPs over Channel crossings", - "description": "

    Downing Street declines to praise home secretary over attempts to stem record crossings in small boats

    Priti Patel is being put under “immense pressure” from Downing Street and Conservative MPs over government efforts to halt Channel crossings in small boats, with No 10 refusing to say the home secretary had done a good job.

    As figures revealed, the number of people making perilous crossings has tripled since 2020, Boris Johnson’s spokesperson twice declined to praise Patel’s strategy on Monday. He said the prime minister had “confidence in the home secretary” but would only say she has “worked extremely hard and no one can doubt this is a priority for her”.

    Continue reading...", - "content": "

    Downing Street declines to praise home secretary over attempts to stem record crossings in small boats

    Priti Patel is being put under “immense pressure” from Downing Street and Conservative MPs over government efforts to halt Channel crossings in small boats, with No 10 refusing to say the home secretary had done a good job.

    As figures revealed, the number of people making perilous crossings has tripled since 2020, Boris Johnson’s spokesperson twice declined to praise Patel’s strategy on Monday. He said the prime minister had “confidence in the home secretary” but would only say she has “worked extremely hard and no one can doubt this is a priority for her”.

    Continue reading...", - "category": "Immigration and asylum", - "link": "https://www.theguardian.com/uk-news/2021/nov/23/priti-patel-put-under-immense-pressure-by-no-10-and-tory-mps-over-channel-crossings", - "creator": "Rowena Mason, Rajeev Syal and Jessica Elgot", - "pubDate": "2021-11-23T06:00:02Z", + "title": "America Needs Saudi Self-Defense", + "description": "Without interceptors for Riyadh, America risks making Iran stronger and driving oil prices up.", + "content": "Without interceptors for Riyadh, America risks making Iran stronger and driving oil prices up.", + "category": "PAID", + "link": "https://www.wsj.com/articles/us-needs-saudi-arabia-arms-patriot-interceptors-drone-missile-houthis-oil-prices-biden-human-rights-11639064928", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 12:29:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e6286905c9d271c87a5256f3d689e95d" + "hash": "02e39fff3e45f8507925c6354cb7114f" }, { - "title": "A tale of two pandemics: the true cost of Covid in the global south | Kwame Anthony Appiah", - "description": "

    Reconstruction after Covid: a new series of long reads

    While the rich nations focus on booster jabs and returning to the office, much of the world is facing devastating second-order coronavirus effects. Now is the time to build a fairer, more responsible international system for the future

    For the past year and a half, people everywhere have been in the grip of a pandemic – but not necessarily the same one. In the affluent world, a viral respiratory disease, Covid-19, suddenly became a leading cause of death. In much of the developing world, by contrast, the main engine of destruction wasn’t this new disease, but its second-order effects: measures they took, and we took, in response to the coronavirus. Richer nations and poorer nations differ in their vulnerabilities.

    Whenever I talk with members of my family in Ghana, Nigeria and Namibia, I’m reminded that a global event can also be a profoundly local one. Lives and livelihoods have been affected in these places very differently from the way they have in Europe or the US. That’s true in the economic and educational realm, but it’s true, too, in the realm of public health. And across all these realms, the stakes are often life or death.

    Continue reading...", - "content": "

    Reconstruction after Covid: a new series of long reads

    While the rich nations focus on booster jabs and returning to the office, much of the world is facing devastating second-order coronavirus effects. Now is the time to build a fairer, more responsible international system for the future

    For the past year and a half, people everywhere have been in the grip of a pandemic – but not necessarily the same one. In the affluent world, a viral respiratory disease, Covid-19, suddenly became a leading cause of death. In much of the developing world, by contrast, the main engine of destruction wasn’t this new disease, but its second-order effects: measures they took, and we took, in response to the coronavirus. Richer nations and poorer nations differ in their vulnerabilities.

    Whenever I talk with members of my family in Ghana, Nigeria and Namibia, I’m reminded that a global event can also be a profoundly local one. Lives and livelihoods have been affected in these places very differently from the way they have in Europe or the US. That’s true in the economic and educational realm, but it’s true, too, in the realm of public health. And across all these realms, the stakes are often life or death.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/23/a-tale-of-two-pandemics-the-true-cost-of-covid-in-the-global-south", - "creator": "Kwame Anthony Appiah", - "pubDate": "2021-11-23T06:00:02Z", + "title": "Iran's Increasingly Short Path to a Bomb", + "description": "The 2015 deal’s lax rules made it easy for Tehran to advance its program.", + "content": "The 2015 deal’s lax rules made it easy for Tehran to advance its program.", + "category": "PAID", + "link": "https://www.wsj.com/articles/irans-increasingly-short-path-to-a-bomb-nuclear-deal-biden-trump-jcpoa-11638887488", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:52:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89dd997d03a9190529472a508e187feb" + "hash": "8583f8a241fa3c306380d43d6c881009" }, { - "title": "UK employers step up demand for workers vaccinated against Covid", - "description": "

    Analysis shows job adverts requiring candidates to be jabbed rose by 189% between August and October

    Employers in the UK are following the lead of their counterparts in the US by stepping up demands for staff to be vaccinated against Covid-19, analysis of recruitment adverts reveals.

    According to figures from the jobs website Adzuna, the number of ads explicitly requiring candidates to be vaccinated rose by 189% between August and October as more firms ask for workers to be jabbed before they start on the job.

    Continue reading...", - "content": "

    Analysis shows job adverts requiring candidates to be jabbed rose by 189% between August and October

    Employers in the UK are following the lead of their counterparts in the US by stepping up demands for staff to be vaccinated against Covid-19, analysis of recruitment adverts reveals.

    According to figures from the jobs website Adzuna, the number of ads explicitly requiring candidates to be vaccinated rose by 189% between August and October as more firms ask for workers to be jabbed before they start on the job.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/23/uk-employers-step-up-demand-for-workers-vaccinated-against-covid", - "creator": "Richard Partington Economics correspondent", - "pubDate": "2021-11-23T06:00:01Z", + "title": "Let's Pump the Brakes on Big Tech", + "description": "Smartphones exist to distract us. Cars require the opposite.", + "content": "Smartphones exist to distract us. Cars require the opposite.", + "category": "PAID", + "link": "https://www.wsj.com/articles/lets-pump-the-brakes-on-big-tech-car-distracted-driving-accidents-auto-maker-apple-google-11639064616", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 13:34:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "68fd565713815466e74f3d2d55a75265" + "hash": "b1788370d7d0fe26a8a0fe3308b59fe1" }, { - "title": "Bulgaria bus crash kills at least 45 people", - "description": "

    Ministry officials say children are among the dead after a bus from North Macedonia crashed and caught fire on highway

    At least 46 people have died, including 12 children, after a bus caught fire in western Bulgaria on Tuesday.

    “We have an enormous tragedy here,” Bulgarian interim prime minister Stefan Yanev, who travelled to the scene, told reporters. His interior minister, Boyko Rashkov, said: “The picture is terrifying, terrifying. I have never seen anything like that before.”

    Continue reading...", - "content": "

    Ministry officials say children are among the dead after a bus from North Macedonia crashed and caught fire on highway

    At least 46 people have died, including 12 children, after a bus caught fire in western Bulgaria on Tuesday.

    “We have an enormous tragedy here,” Bulgarian interim prime minister Stefan Yanev, who travelled to the scene, told reporters. His interior minister, Boyko Rashkov, said: “The picture is terrifying, terrifying. I have never seen anything like that before.”

    Continue reading...", - "category": "Bulgaria", - "link": "https://www.theguardian.com/world/2021/nov/23/bulgaria-bus-crash-fire-kills-dozens-north-macedonia", - "creator": "Reuters", - "pubDate": "2021-11-23T05:15:53Z", + "title": "Biden Would Make Daycare Even More Expensive", + "description": "The Build Back Better bill would act like a $20,000 to $30,000 annual tax on middle-income families.", + "content": "The Build Back Better bill would act like a $20,000 to $30,000 annual tax on middle-income families.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-would-make-daycare-even-pricier-child-care-cost-quality-regulation-build-back-better-11639084122", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:47:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87d088c023e5e7e9aa15147c3925898c" + "hash": "d505c7b55bab9208544d9d1c5bc1006a" }, { - "title": "Former South Korean dictator Chun Doo-hwan dies aged 90", - "description": "

    Chun ruled for eight years after seizing power in a coup in 1979, and presided over the infamous 1980 Gwanju student massacre

    Former South Korean president, Chun Doo-hwan, who presided over the infamous Gwanju massacre during his iron-fisted eight-year rule, has died aged 90.

    Chun had multiple myeloma, a blood cancer which was in remission, and his health had deteriorated recently, his former press secretary Min Chung-ki told reporters. He passed away at his Seoul home early in the morning and his body will be moved to a hospital for a funeral later in the day.

    Continue reading...", - "content": "

    Chun ruled for eight years after seizing power in a coup in 1979, and presided over the infamous 1980 Gwanju student massacre

    Former South Korean president, Chun Doo-hwan, who presided over the infamous Gwanju massacre during his iron-fisted eight-year rule, has died aged 90.

    Chun had multiple myeloma, a blood cancer which was in remission, and his health had deteriorated recently, his former press secretary Min Chung-ki told reporters. He passed away at his Seoul home early in the morning and his body will be moved to a hospital for a funeral later in the day.

    Continue reading...", - "category": "South Korea", - "link": "https://www.theguardian.com/world/2021/nov/23/former-south-korean-dictator-chun-doo-hwan-dies-aged-90", - "creator": "Reuters", - "pubDate": "2021-11-23T05:08:04Z", + "title": "Court Packing Is Discreditable as Ever", + "description": "Judicial independence is too important to sacrifice for a majority’s temporary political advantage.", + "content": "Judicial independence is too important to sacrifice for a majority’s temporary political advantage.", + "category": "PAID", + "link": "https://www.wsj.com/articles/court-packing-is-discreditable-as-ever-supreme-court-expansion-biden-progressives-constitution-11639083365", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:50:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a0e376fc422f8f6da277a03c8321347f" + "hash": "85298a4be84985d65d3568cd7b292620" }, { - "title": "Thai student accused of mocking king with crop top protest denied bail", - "description": "

    Lawyers say judgment demonstrates increasingly harsh stance taken by authorities over lese-majesty law

    It was last December that Panusaya Sithijirawattanakul, a Thai student activist, and her friends strolled into a shopping mall in Bangkok wearing crop tops. They ate ice cream and carried dog-shaped balloons. Phrases such as “I have only one father” were written in marker pen on their skin.

    Now, four of them are in pre-trial detention over the outing, which royalists say was an insult to the monarchy.

    Continue reading...", - "content": "

    Lawyers say judgment demonstrates increasingly harsh stance taken by authorities over lese-majesty law

    It was last December that Panusaya Sithijirawattanakul, a Thai student activist, and her friends strolled into a shopping mall in Bangkok wearing crop tops. They ate ice cream and carried dog-shaped balloons. Phrases such as “I have only one father” were written in marker pen on their skin.

    Now, four of them are in pre-trial detention over the outing, which royalists say was an insult to the monarchy.

    Continue reading...", - "category": "Thailand", - "link": "https://www.theguardian.com/world/2021/nov/23/thai-student-accused-of-mocking-king-with-crop-top-protest-denied-bail", - "creator": "Rebecca Ratcliffe in Bangkok", - "pubDate": "2021-11-23T05:00:01Z", + "title": "What Hillary Might Have Said", + "description": "American greatness does not depend on a particular partisan outcome.", + "content": "American greatness does not depend on a particular partisan outcome.", + "category": "PAID", + "link": "https://www.wsj.com/articles/what-hillary-might-have-said-11639098094", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 20:01:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "951b6dce78ceb64283b6dc2f69f0d433" + "hash": "e50b0bbac0f011a6fe46918de73d5a97" }, { - "title": "Pandemic hits mental health of women and young people hardest, survey finds", - "description": "

    Survey also finds adults aged 18-24 and women more concerned about personal finances than other groups

    Young people and women have taken the hardest psychological and financial hit from the pandemic, a YouGov survey has found – but few people anywhere are considering changing their lives as a result of it.

    The annual YouGov-Cambridge Globalism Project found that in many of the 27 countries surveyed, young people were consistently more likely than their elders to feel the Covid crisis had made their financial and mental health concerns worse.

    Continue reading...", - "content": "

    Survey also finds adults aged 18-24 and women more concerned about personal finances than other groups

    Young people and women have taken the hardest psychological and financial hit from the pandemic, a YouGov survey has found – but few people anywhere are considering changing their lives as a result of it.

    The annual YouGov-Cambridge Globalism Project found that in many of the 27 countries surveyed, young people were consistently more likely than their elders to feel the Covid crisis had made their financial and mental health concerns worse.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/23/pandemic-hits-mental-health-of-women-and-young-people-hardest-survey-finds", - "creator": "Jon Henley", - "pubDate": "2021-11-23T05:00:00Z", + "title": "Christendom's Greatest Satirist", + "description": "In Martin Luther’s age, Erasmus tried to bridge the Catholic-Protestant divide.", + "content": "In Martin Luther’s age, Erasmus tried to bridge the Catholic-Protestant divide.", + "category": "PAID", + "link": "https://www.wsj.com/articles/christendoms-greatest-satirist-desiderius-erasmus-martin-luther-reformation-catholic-polarization-11639083987", + "creator": "", + "pubDate": "Thu, 09 Dec 2021 18:41:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "13443b536e9adb82a544435ab9d6a773" + "hash": "1f64cac6fc4a58fd512cf8dfc3a5fa06" }, { - "title": "Kevin Spacey to pay House of Cards studio more than $30m over alleged misconduct losses", - "description": "

    Court ruling made public on Monday finds Spacey violated his contract’s demands for professional behaviour

    Kevin Spacey and his production companies must pay the studio behind House of Cards more than $30m because of losses brought on by his firing for alleged sexual misconduct, according to an arbitration decision made final on Monday.

    A document filed in Los Angeles superior court requesting a judge’s approval of the ruling says that the arbitrators found that Spacey violated his contract’s demands for professional behaviour by engaging in “certain conduct in connection with several crew members in each of the five seasons that he starred in and executive produced House of Cards”.

    Continue reading...", - "content": "

    Court ruling made public on Monday finds Spacey violated his contract’s demands for professional behaviour

    Kevin Spacey and his production companies must pay the studio behind House of Cards more than $30m because of losses brought on by his firing for alleged sexual misconduct, according to an arbitration decision made final on Monday.

    A document filed in Los Angeles superior court requesting a judge’s approval of the ruling says that the arbitrators found that Spacey violated his contract’s demands for professional behaviour by engaging in “certain conduct in connection with several crew members in each of the five seasons that he starred in and executive produced House of Cards”.

    Continue reading...", - "category": "Kevin Spacey", - "link": "https://www.theguardian.com/culture/2021/nov/23/kevin-spacey-to-pay-house-of-cards-studio-more-than-30m-over-alleged-misconduct-losses", - "creator": "Associated Press", - "pubDate": "2021-11-23T04:19:07Z", + "title": "Stupid Inflation Tricks, Round 2", + "description": "An energy executive instructs Sen. Warren on natural gas prices and CO2 emissions.", + "content": "An energy executive instructs Sen. Warren on natural gas prices and CO2 emissions.", + "category": "PAID", + "link": "https://www.wsj.com/articles/stupid-inflation-tricks-round-2-elizabeth-warren-toby-rice-eqt-energy-prices-natural-gas-11638990465", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 17:17:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52ac2f82cbc3234dce2c3b0d87f3227a" + "hash": "8eb8600254628a6dfa528effb5dd12a4" }, { - "title": "South Korean horror Hellbound takes over Squid Game as most popular Netflix series globally", - "description": "

    Violent fantasy series tops streaming ratings in more than 80 countries within 24 hours of its debut

    Another South Korean fantasy horror series from Netflix has become an overnight global phenomenon, with Hellbound toppling Squid Game as the most-watched TV show on the streaming platform.

    According to FlixPatrol analytics, Hellbound became the world’s most watched Netflix television series on 20 November, topping the streaming ratings in more than 80 countries within 24 hours of the show’s debut.

    Continue reading...", - "content": "

    Violent fantasy series tops streaming ratings in more than 80 countries within 24 hours of its debut

    Another South Korean fantasy horror series from Netflix has become an overnight global phenomenon, with Hellbound toppling Squid Game as the most-watched TV show on the streaming platform.

    According to FlixPatrol analytics, Hellbound became the world’s most watched Netflix television series on 20 November, topping the streaming ratings in more than 80 countries within 24 hours of the show’s debut.

    Continue reading...", - "category": "Television", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/23/south-korean-horror-hellbound-takes-over-squid-game-as-most-popular-netflix-series-globally", - "creator": "Kelly Burke", - "pubDate": "2021-11-23T03:56:06Z", + "title": "Inflation Isn't 'Transitory' on My Farm", + "description": "My shipment of flowerpots is floating in the Pacific, and my fertilizer costs could triple this year.", + "content": "My shipment of flowerpots is floating in the Pacific, and my fertilizer costs could triple this year.", + "category": "PAID", + "link": "https://www.wsj.com/articles/inflation-isnt-transitory-on-my-farm-supply-chain-shipping-small-business-trade-fertilizer-hawley-rubio-11638980824", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 12:33:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e368b4abd742f4bd0c18d6a9288cd67" + "hash": "6fc01e147b1176a2aeb23a55ab2097d8" }, { - "title": "Whey too expensive: New Zealand cheese lovers forced to eke out supplies as prices jump", - "description": "

    Range of issues blamed for spike in cost to $20 a block, including inflation, Covid-related supply issues and high milk prices

    Facing decades-high cheese prices, cheddar-loving New Zealanders are being forced to chase specials, downgrade their flavour expectations, or abandon the blocks entirely in favour of grated substitutes.

    A mixture of inflation, Covid-19 supply pressures and high milk prices was sending prices for hunks of cheddar through the roof, with blocks ranging from $11 to over $20 a block.

    Continue reading...", - "content": "

    Range of issues blamed for spike in cost to $20 a block, including inflation, Covid-related supply issues and high milk prices

    Facing decades-high cheese prices, cheddar-loving New Zealanders are being forced to chase specials, downgrade their flavour expectations, or abandon the blocks entirely in favour of grated substitutes.

    A mixture of inflation, Covid-19 supply pressures and high milk prices was sending prices for hunks of cheddar through the roof, with blocks ranging from $11 to over $20 a block.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/2021/nov/23/new-zealand-cheese-lovers-forced-to-eke-out-supplies-as-prices-jump", - "creator": "Tess McClure in Christchurch", - "pubDate": "2021-11-23T02:51:09Z", + "title": "Their Friends the Americans", + "description": "The Saudis are running out of ammo to defend against the Houthis.", + "content": "The Saudis are running out of ammo to defend against the Houthis.", + "category": "PAID", + "link": "https://www.wsj.com/articles/their-friends-the-americans-saudi-arabia-houthis-iran-ammunition-senate-resolution-11638975527", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 17:04:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e3972dddbcd490aafe8e8bb52313cc2" + "hash": "c2735e11713f274c28b1a661f826e93f" }, { - "title": "As China threat rises, can Aukus alliance recover from rancorous birth?", - "description": "

    Questions mount about pact’s ultimate purpose and implications for other Asean countries

    It was initially seen as an audacious enlistment by Joe Biden of Australia into the 21st-century struggle against China, elevating the country in the process to a significant regional military power and finally giving substance to Global Britain and its tilt to the Indo-Pacific.

    But since then the “ruckus” about Aukus, as Boris Johnson described it, has not stopped. If this was the start of a new “anti-hegemonic coalition” to balance China’s rise, it has not quite blown up on the launchpad, but nor has it taken off as smoothly as intended.

    Continue reading...", - "content": "

    Questions mount about pact’s ultimate purpose and implications for other Asean countries

    It was initially seen as an audacious enlistment by Joe Biden of Australia into the 21st-century struggle against China, elevating the country in the process to a significant regional military power and finally giving substance to Global Britain and its tilt to the Indo-Pacific.

    But since then the “ruckus” about Aukus, as Boris Johnson described it, has not stopped. If this was the start of a new “anti-hegemonic coalition” to balance China’s rise, it has not quite blown up on the launchpad, but nor has it taken off as smoothly as intended.

    Continue reading...", - "category": "Aukus", - "link": "https://www.theguardian.com/world/2021/nov/23/as-china-threat-rises-can-aukus-alliance-recover-from-rancorous-birth", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-11-23T01:47:04Z", + "title": "Deter Russia by Arming NATO Allies", + "description": "Moscow is challenging Europe’s postwar security system, and not only by threatening Ukraine.", + "content": "Moscow is challenging Europe’s postwar security system, and not only by threatening Ukraine.", + "category": "PAID", + "link": "https://www.wsj.com/articles/deter-russia-by-arming-nato-allies-ukraine-putin-invasion-poland-lithuania-belarus-biden-11638980893", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 12:34:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "214efd8ff45c546a4f01d21b61dbc5e4" + "hash": "73e93d2b979873d10a88af97aca2ebce" }, { - "title": "Diego Maradona: Cuban woman alleges footballer raped her when she was 16", - "description": "
    • Mavys Álvarez claims Argentina great had ‘stolen her childhood’
    • Complaint relates to a journey Álvarez took to Argentina in 2001

    Mavys Álvarez, a Cuban woman who had a relationship with the late footballer Diego Maradona two decades ago, has alleged the Argentine player raped her when she was a teenager and “stolen her childhood”.

    Álvarez, now 37, gave testimony last week to an Argentine Ministry of Justice court that is investigating her allegations of trafficking against Maradona’s former entourage, linked to events when she was 16.

    Continue reading...", - "content": "
    • Mavys Álvarez claims Argentina great had ‘stolen her childhood’
    • Complaint relates to a journey Álvarez took to Argentina in 2001

    Mavys Álvarez, a Cuban woman who had a relationship with the late footballer Diego Maradona two decades ago, has alleged the Argentine player raped her when she was a teenager and “stolen her childhood”.

    Álvarez, now 37, gave testimony last week to an Argentine Ministry of Justice court that is investigating her allegations of trafficking against Maradona’s former entourage, linked to events when she was 16.

    Continue reading...", - "category": "Diego Maradona", - "link": "https://www.theguardian.com/football/2021/nov/23/diego-maradona-cuban-woman-alleges-footballer-raped-her-when-she-was-16", - "creator": "Reuters", - "pubDate": "2021-11-23T01:19:14Z", + "title": "The Predictable Consequences of 'Defund the Police'", + "description": "It took a spate of murders for the mayor of Oakland, Calif., to abandon the destructive slogan.", + "content": "It took a spate of murders for the mayor of Oakland, Calif., to abandon the destructive slogan.", + "category": "PAID", + "link": "https://www.wsj.com/articles/consequences-of-defunding-the-police-libby-schaaf-violent-crime-rate-murder-public-safety-11638915238", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:24:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3c9517e7991579b0ae80d12cc745ad8e" + "hash": "ad072c64ace4127ac75a7e181e68d45d" }, { - "title": "The Wheel of Time actor Madeleine Madden: ‘As an Aboriginal woman, my life is politicised’", - "description": "

    The star of the new Amazon Prime fantasy series and granddaughter of Charles Perkins discusses her ‘dream role’, multiracial casting and finding freedom outside Australia

    When she walked into the London casting room of The Wheel of Time, Madeleine Madden scanned the faces – a sea of white – and thought, “Yep, standard.”

    To announce her presence, she politely inquired, “The Wheel of Time?”

    Continue reading...", - "content": "

    The star of the new Amazon Prime fantasy series and granddaughter of Charles Perkins discusses her ‘dream role’, multiracial casting and finding freedom outside Australia

    When she walked into the London casting room of The Wheel of Time, Madeleine Madden scanned the faces – a sea of white – and thought, “Yep, standard.”

    To announce her presence, she politely inquired, “The Wheel of Time?”

    Continue reading...", - "category": "Culture", - "link": "https://www.theguardian.com/culture/2021/nov/23/the-wheel-of-time-actor-madeleine-madden-as-an-aboriginal-woman-my-life-is-politicised", - "creator": "Jenny Valentish", - "pubDate": "2021-11-23T01:14:14Z", + "title": "About All Those Pandemic Billionaires", + "description": "Thomas Piketty shows how government stoked wealth inequality.", + "content": "Thomas Piketty shows how government stoked wealth inequality.", + "category": "PAID", + "link": "https://www.wsj.com/articles/about-all-those-pandemic-billionaires-world-inequality-report-thomas-piketty-11638991033", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 17:02:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ad38ecab75c2a55add8923c35d2c66ba" + "hash": "5b00c63f65d7306f2591f03e2a599f10" }, { - "title": "The Princes and the Press review – more degrading airing of the royal dirty laundry", - "description": "

    BBC programme is a compelling analysis of the troubled relationship between media and monarchy

    A few days before her wedding, Meghan decided she wanted to wear a particular tiara with emeralds. True, this isn’t the sort of issue that should trouble citizens of a mature democracy but when it comes to royals, Britain is neither mature nor, let’s face it, democratic. Indeed, Amol Rajan, the BBC media editor who presented the Princes and the Press (BBC Two), is a declared republican who once branded the royal family as “absurd” and the media as a “propaganda outlet” for the monarchy. As his measured, compelling analysis of the troubled relationship showed, he may have been right about the former, but the latter? Not so much. The media, we might conclude from his programme, may be driving the monarchy to self-destruct, which would, ironically enough, suit his earlier republican views.

    Back to tiaras. There was a problem: the Duchess of Sussex could not be allowed to wear the emerald tiara because it had some unfortunate history to do with Russia, according to the Sun’s former correspondent Dan Wootton. We never learned what that history was nor why it should matter. What we did learn from Wootton’s report is that Harry reportedly shouted at a royal dresser (who is a person, not a thing) that “whatever Meghan wants, Meghan gets.” This in turn prompted the Queen to tell somebody off.

    Continue reading...", - "content": "

    BBC programme is a compelling analysis of the troubled relationship between media and monarchy

    A few days before her wedding, Meghan decided she wanted to wear a particular tiara with emeralds. True, this isn’t the sort of issue that should trouble citizens of a mature democracy but when it comes to royals, Britain is neither mature nor, let’s face it, democratic. Indeed, Amol Rajan, the BBC media editor who presented the Princes and the Press (BBC Two), is a declared republican who once branded the royal family as “absurd” and the media as a “propaganda outlet” for the monarchy. As his measured, compelling analysis of the troubled relationship showed, he may have been right about the former, but the latter? Not so much. The media, we might conclude from his programme, may be driving the monarchy to self-destruct, which would, ironically enough, suit his earlier republican views.

    Back to tiaras. There was a problem: the Duchess of Sussex could not be allowed to wear the emerald tiara because it had some unfortunate history to do with Russia, according to the Sun’s former correspondent Dan Wootton. We never learned what that history was nor why it should matter. What we did learn from Wootton’s report is that Harry reportedly shouted at a royal dresser (who is a person, not a thing) that “whatever Meghan wants, Meghan gets.” This in turn prompted the Queen to tell somebody off.

    Continue reading...", - "category": "Television & radio", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/23/the-princes-and-the-press-review-more-degrading-airing-of-the-royal-dirty-laundry", - "creator": "Stuart Jeffries", - "pubDate": "2021-11-23T00:22:03Z", + "title": "How I Reached the Tipping Point", + "description": "Another customer gave a Whole Foods cashier a hard time. I gave her a $20 bill.", + "content": "Another customer gave a Whole Foods cashier a hard time. I gave her a $20 bill.", + "category": "PAID", + "link": "https://www.wsj.com/articles/how-i-reached-the-tipping-point-charity-kindness-giving-covid-19-masks-11638988631", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:46:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aff736b772e8e0aabad8795a4e1a6029" + "hash": "941214bd8e42d101f32b4e6326c29402" }, { - "title": "Australia politics live update: Albanese says PM has ‘a problem with just telling the truth’ as Morrison faces growing backbench resistance", - "description": "

    Victoria reports 19 Covid deaths and 827 new cases; NSW two deaths and 173 cases; Chinese foreign ministry responds to Peter Dutton; Labor leader asked about PM’s claims he was informed about 2019 Hawaii trip; Coalition backbenchers threaten legislative agenda; voters endorse ALP’s economic management. Follow all the day’s news live

    Anthony Albanese was also asked about the text Scott Morrison sent him in 2019, ahead of his Hawaiian holiday during the 2019 bushfires.

    For those who need a refresher, Labor, as part of a “let’s remind everyone of all those times the prime minister didn’t tell the truth” campaign in QT, asked why the PMO had misled journalists over the whereabouts of the prime minister as Australia burned.

    I can only speak to what I have said, as the leader of the opposition will know, because I texted him from the plane when I was going on that leave and told him where I was going, and he was fully aware of where I was travelling with my family.

    Where I was going was on leave. That was the importance of the text message sent to the leader of the opposition. He knew I was taking leave. I told him I was taking leave. He chose to politicise that and has done so ever since.

    I wish to add to an answer. I want to confirm what the leader of the opposition said – that, in that text, I did not tell him the destination of where I was going on leave with my family; I simply communicated to him that I was taking leave. When I referred to him knowing where I was going and being fully aware I was travelling with my family, what I meant was that we were going on leave together. I know I didn’t tell him where we were going, because where members take leave is a private matter. I know I didn’t tell him the destination, nor would I, and nor would he expect me to have told him where I was going. I simply told him that I was taking leave with my family, and he was aware of that at that time.

    I just think this is a prime minister who can’t control his own party room, let alone capable of governing us into the future in the way that we need.

    If you can’t govern your party, how can you govern the country?

    Continue reading...", - "content": "

    Victoria reports 19 Covid deaths and 827 new cases; NSW two deaths and 173 cases; Chinese foreign ministry responds to Peter Dutton; Labor leader asked about PM’s claims he was informed about 2019 Hawaii trip; Coalition backbenchers threaten legislative agenda; voters endorse ALP’s economic management. Follow all the day’s news live

    Anthony Albanese was also asked about the text Scott Morrison sent him in 2019, ahead of his Hawaiian holiday during the 2019 bushfires.

    For those who need a refresher, Labor, as part of a “let’s remind everyone of all those times the prime minister didn’t tell the truth” campaign in QT, asked why the PMO had misled journalists over the whereabouts of the prime minister as Australia burned.

    I can only speak to what I have said, as the leader of the opposition will know, because I texted him from the plane when I was going on that leave and told him where I was going, and he was fully aware of where I was travelling with my family.

    Where I was going was on leave. That was the importance of the text message sent to the leader of the opposition. He knew I was taking leave. I told him I was taking leave. He chose to politicise that and has done so ever since.

    I wish to add to an answer. I want to confirm what the leader of the opposition said – that, in that text, I did not tell him the destination of where I was going on leave with my family; I simply communicated to him that I was taking leave. When I referred to him knowing where I was going and being fully aware I was travelling with my family, what I meant was that we were going on leave together. I know I didn’t tell him where we were going, because where members take leave is a private matter. I know I didn’t tell him the destination, nor would I, and nor would he expect me to have told him where I was going. I simply told him that I was taking leave with my family, and he was aware of that at that time.

    I just think this is a prime minister who can’t control his own party room, let alone capable of governing us into the future in the way that we need.

    If you can’t govern your party, how can you govern the country?

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/23/australia-politics-morrison-coalition-labor-corona-poll-parliament-economy-albanese-andrews-canberra-victoria-nsw-act-sa-perrottet-rennick", - "creator": "Amy Remeikis", - "pubDate": "2021-11-22T22:41:06Z", + "title": "The Unbreakable Elizabeth Holmes", + "description": "Like the sitcom heroine, she’s innocent, more or less, and ready to move on.", + "content": "Like the sitcom heroine, she’s innocent, more or less, and ready to move on.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-unbreakable-elizabeth-holmes-trial-theranos-lab-reports-fraud-silicon-valley-venture-capital-11638916935", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:19:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d6db1ba0a1e049be2714df7385d6a11d" + "hash": "3d54ddf3cd69eff0f959ca609ab9ff18" }, { - "title": "Biden pushes back against progressive criticism over renominating Powell as Fed chair – live", - "description": "

    America’s democracy will be at “critical risk” if the US Senate fails to pass sweeping voting rights legislation, more than 150 scholars of American democratic systems said in an open letter published Sunday.

    The academics called on the US Senate to get rid of the filibuster, the rule that requires 60 votes to advance most legislation through the upper chamber.

    Continue reading...", - "content": "

    America’s democracy will be at “critical risk” if the US Senate fails to pass sweeping voting rights legislation, more than 150 scholars of American democratic systems said in an open letter published Sunday.

    The academics called on the US Senate to get rid of the filibuster, the rule that requires 60 votes to advance most legislation through the upper chamber.

    Continue reading...", - "category": "US politics", - "link": "https://www.theguardian.com/us-news/live/2021/nov/22/build-back-better-senate-house-joe-biden-us-politics-latest", - "creator": "Abené Clayton (now), Gloria Oladipo and Joan E Greve (earlier)", - "pubDate": "2021-11-22T22:36:20Z", + "title": "Capitalism---the People's Choice", + "description": "Gallup finds that most Americans prefer capitalism.", + "content": "Gallup finds that most Americans prefer capitalism.", + "category": "PAID", + "link": "https://www.wsj.com/articles/capitalismthe-peoples-choice-11639000741", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:59:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b870297edbd404f5bdaa62b4fe1544f5" + "hash": "4ac4c64504669403091c285a26a20abb" }, { - "title": "China must answer serious questions about tennis star Peng Shuai, Australia says", - "description": "

    Human rights activists step up calls for diplomatic boycott of Beijing Winter Olympics

    Chinese authorities must answer serious concerns about the tennis star Peng Shuai’s welfare, the Australian government has said.

    The intervention comes as human rights activists and an independent senator step up calls for Australia to join a diplomatic boycott of the Beijing Winter Olympics over broader allegations of rights abuses against Uyghur Muslims in Xinjiang.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "content": "

    Human rights activists step up calls for diplomatic boycott of Beijing Winter Olympics

    Chinese authorities must answer serious concerns about the tennis star Peng Shuai’s welfare, the Australian government has said.

    The intervention comes as human rights activists and an independent senator step up calls for Australia to join a diplomatic boycott of the Beijing Winter Olympics over broader allegations of rights abuses against Uyghur Muslims in Xinjiang.

    Sign up to receive an email with the top stories from Guardian Australia every morning

    Continue reading...", - "category": "Australian foreign policy", - "link": "https://www.theguardian.com/australia-news/2021/nov/23/china-must-answer-serious-questions-about-tennis-star-peng-shuai-australia-says", - "creator": "Daniel Hurst", - "pubDate": "2021-11-22T21:57:36Z", + "title": "Hong Kong Listing Means More Trouble for Didi", + "description": "‘National security’ laws allow Beijing to operate with impunity, free from foreign regulatory scrutiny.", + "content": "‘National security’ laws allow Beijing to operate with impunity, free from foreign regulatory scrutiny.", + "category": "PAID", + "link": "https://www.wsj.com/articles/hong-kong-listing-means-trouble-for-didi-chuxing-hkex-nyse-xi-national-security-emerging-markets-11638988934", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:50:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "79860146c2ff97db1cd0ccf6739426d9" + "hash": "31d24d36a05a5f7bb17f94e4756065e9" }, { - "title": "Australia's Covid pandemic in 60 seconds: Victoria and Melbourne map – video", - "description": "

    The coronavirus pandemic in Australia has caused almost 2,000 deaths and resulted in close to 200,000 cases. In the worst-hit states of New South Wales and Victoria, high vaccination rates have now reduced the rate of hospital admissions. Here we have used an experimental mapping method to show how the outbreak spread across the two states from the start of the pandemic until now. Each dot represents a person who tested positive to Covid-19, and has been placed randomly within their postcode or local government area to visualise the number of cases in a region. It’s important to remember that this is not necessarily where they caught the virus and instead is where they live. Blue dots represent those who probably caught the coronavirus overseas, and red dots are those who caught the coronavirus locally. All dots fade to grey and are removed after two weeks

    ► Subscribe to Guardian Australia on YouTube

    Continue reading...", - "content": "

    The coronavirus pandemic in Australia has caused almost 2,000 deaths and resulted in close to 200,000 cases. In the worst-hit states of New South Wales and Victoria, high vaccination rates have now reduced the rate of hospital admissions. Here we have used an experimental mapping method to show how the outbreak spread across the two states from the start of the pandemic until now. Each dot represents a person who tested positive to Covid-19, and has been placed randomly within their postcode or local government area to visualise the number of cases in a region. It’s important to remember that this is not necessarily where they caught the virus and instead is where they live. Blue dots represent those who probably caught the coronavirus overseas, and red dots are those who caught the coronavirus locally. All dots fade to grey and are removed after two weeks

    ► Subscribe to Guardian Australia on YouTube

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/23/australias-covid-pandemic-in-60-seconds-victoria-and-melbourne-map-video", - "creator": "Nick Evershed, David Fanner, Adam Adada", - "pubDate": "2021-11-22T21:53:50Z", + "title": "Yes, the Crime Wave is as Bad as You Think", + "description": "Progressives gaslight the public by claiming things used to be worse.", + "content": "Progressives gaslight the public by claiming things used to be worse.", + "category": "PAID", + "link": "https://www.wsj.com/articles/yes-the-crime-wave-is-as-bad-as-you-think-murder-rate-violent-killings-shootings-defund-police-11638988699", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:51:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7eeaef6479aac8bc32d5d55a3d4d8537" + "hash": "ebc10e0ee36566f2672be17b8a92fa69" }, { - "title": "Ethiopian PM vows to lead troops in war against rebels", - "description": "

    Nobel Peace prize winner Abiy Ahmed’s statement came as the Tigray People’s Liberation Front continued to press towards Addis Ababa

    Ethiopia’s prime minister, Abiy Ahmed, has vowed to lead his country’s troops “from the battlefront”, the latest dramatic step by the Nobel Peace prize winner in a devastating year-long war with rebel groups.

    “Starting tomorrow, I will mobilise to the front to lead the defence forces,” Abiy, said in a statement posted on Twitter on Monday.

    Continue reading...", - "content": "

    Nobel Peace prize winner Abiy Ahmed’s statement came as the Tigray People’s Liberation Front continued to press towards Addis Ababa

    Ethiopia’s prime minister, Abiy Ahmed, has vowed to lead his country’s troops “from the battlefront”, the latest dramatic step by the Nobel Peace prize winner in a devastating year-long war with rebel groups.

    “Starting tomorrow, I will mobilise to the front to lead the defence forces,” Abiy, said in a statement posted on Twitter on Monday.

    Continue reading...", - "category": "Ethiopia", - "link": "https://www.theguardian.com/world/2021/nov/22/ethiopian-pm-vows-to-marshal-troops-in-war-against-rebels", - "creator": "Staff and agencies in Addis Ababa", - "pubDate": "2021-11-22T21:49:35Z", + "title": "Children and the Burden of Covid Policy", + "description": "A mandate deadline approaches at one of America’s largest school systems.", + "content": "A mandate deadline approaches at one of America’s largest school systems.", + "category": "PAID", + "link": "https://www.wsj.com/articles/children-and-the-burden-of-covid-policy-11638995783", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 15:36:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4273f38b0c3a4fe307819c278bec6741" + "hash": "b28261a5ef8639c840ea61f13b9944cb" }, { - "title": "Murder inquiry launched after man and woman die in Somerset village", - "description": "

    Two men aged 34 and 67 have been arrested, as neighbours describe shock in quiet area

    A murder inquiry has been launched after a husband and wife suffered fatal injuries at their home in a Somerset village while their young children were in the house.

    Neighbours said there had previously been rows in the street over parking, and though Avon and Somerset police declined to discuss a possible motive, the force referred itself to the watchdog because of previous contact it had had with those involved.

    Continue reading...", - "content": "

    Two men aged 34 and 67 have been arrested, as neighbours describe shock in quiet area

    A murder inquiry has been launched after a husband and wife suffered fatal injuries at their home in a Somerset village while their young children were in the house.

    Neighbours said there had previously been rows in the street over parking, and though Avon and Somerset police declined to discuss a possible motive, the force referred itself to the watchdog because of previous contact it had had with those involved.

    Continue reading...", - "category": "UK news", - "link": "https://www.theguardian.com/uk-news/2021/nov/22/two-arrests-after-man-and-woman-die-at-house-in-somerset-village", - "creator": "Steven Morris", - "pubDate": "2021-11-22T21:08:17Z", + "title": "Those Who Campaign, Teach My Students", + "description": "In a semester at UT Austin, I tried to show how to hook voters and rise in politics.", + "content": "In a semester at UT Austin, I tried to show how to hook voters and rise in politics.", + "category": "PAID", + "link": "https://www.wsj.com/articles/those-who-campaign-teach-my-students-bush-trump-obama-carville-axelrod-baker-mckinnon-11638988456", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:56:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b03ef056b262fa0a3cc81ba95747cf66" + "hash": "f93350ea4ba49eb863535fc521b9b8ed" }, { - "title": "Johnson ‘losing the confidence’ of Tory party after rambling CBI speech", - "description": "

    Senior party members concerned after chaotic fortnight, with PM said to be losing his grip over key policies

    Conservative MPs are increasingly worried about Boris Johnson’s competence and drive after he gave a rambling speech to business leaders and was accused of losing his grip over a series of key policies from social care to rail.

    Senior members of his own party said they needed Johnson to get the government back on track after a disastrous two weeks amid dismay about his performance at the Confederation of British Industry (CBI) conference, where he lost his place in his speech for about 20 seconds and diverted into a lengthy tangent about Peppa Pig.

    Continue reading...", - "content": "

    Senior party members concerned after chaotic fortnight, with PM said to be losing his grip over key policies

    Conservative MPs are increasingly worried about Boris Johnson’s competence and drive after he gave a rambling speech to business leaders and was accused of losing his grip over a series of key policies from social care to rail.

    Senior members of his own party said they needed Johnson to get the government back on track after a disastrous two weeks amid dismay about his performance at the Confederation of British Industry (CBI) conference, where he lost his place in his speech for about 20 seconds and diverted into a lengthy tangent about Peppa Pig.

    Continue reading...", - "category": "Boris Johnson", - "link": "https://www.theguardian.com/politics/2021/nov/22/johnson-losing-the-confidence-of-tory-party-after-rambling-cbi-speech", - "creator": "Aubrey Allegretti, Rowena Mason, Joanna Partridge and Rob Davies", - "pubDate": "2021-11-22T21:05:13Z", + "title": "Federal Courts Aren't Royal Ones", + "description": "The judiciary should make it harder for judges to influence the selection of their successors.", + "content": "The judiciary should make it harder for judges to influence the selection of their successors.", + "category": "PAID", + "link": "https://www.wsj.com/articles/federal-courts-arent-royal-ones-separation-of-powers-judicial-successor-appointee-biden-king-11638988111", + "creator": "", + "pubDate": "Wed, 08 Dec 2021 16:54:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7b9c98e6d7c32b5e23b226d6fac03d72" + "hash": "cb8545231e771a3a1f5db910b3c7e621" }, { - "title": "Waukesha Christmas parade: man charged with homicide after five killed", - "description": "

    Darrell E Brooks, 39, in custody as police chief says suspect was involved in a domestic disturbance before the incident

    Authorities in Wisconsin on Monday identified a 39-year-old man as the person who ploughed his vehicle into a Christmas parade on Sunday night, killing five people and injuring another 48, including two children who remained in a critical condition.

    Darrell E Brooks was in custody, charged with five counts of intentional first-degree homicide, Daniel Thompson, police chief of Waukesha, a city 20 miles west of Milwaukee, said at an afternoon press conference.

    Continue reading...", - "content": "

    Darrell E Brooks, 39, in custody as police chief says suspect was involved in a domestic disturbance before the incident

    Authorities in Wisconsin on Monday identified a 39-year-old man as the person who ploughed his vehicle into a Christmas parade on Sunday night, killing five people and injuring another 48, including two children who remained in a critical condition.

    Darrell E Brooks was in custody, charged with five counts of intentional first-degree homicide, Daniel Thompson, police chief of Waukesha, a city 20 miles west of Milwaukee, said at an afternoon press conference.

    Continue reading...", - "category": "Wisconsin", - "link": "https://www.theguardian.com/us-news/2021/nov/22/waukesha-christmas-parade-investigators-suspect-wisconsin", - "creator": "Richard Luscombe", - "pubDate": "2021-11-22T20:13:32Z", + "title": "Biden's Supreme Court Packers Pack Up", + "description": "Their report on adding Justices puts the issue in the President’s court.", + "content": "Their report on adding Justices puts the issue in the President’s court.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bidens-supreme-court-packers-pack-up-advisory-commission-report-11638918665", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:54:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "df58642d685c15e1ec771e076b037bea" + "hash": "8a2e4173366b4426186abb8d9b9e3fb5" }, { - "title": "Covid live: UK records 44,917 new cases; strict restrictions for unvaccinated come into effect in Greece", - "description": "

    UK also reports 45 further Covid-related deaths; from today Greeks barred from all enclosed public spaces if they are unvaccinated

    Here’s some more detail from Agence France-Presse in Vienna on Austria’s move into its fourth Covid lockdown:

    People in Austria are not allowed to leave home except to go to work, shop for essentials and exercise, as the country returned to a Covid-19 lockdown on Monday morning.

    Continue reading...", - "content": "

    UK also reports 45 further Covid-related deaths; from today Greeks barred from all enclosed public spaces if they are unvaccinated

    Here’s some more detail from Agence France-Presse in Vienna on Austria’s move into its fourth Covid lockdown:

    People in Austria are not allowed to leave home except to go to work, shop for essentials and exercise, as the country returned to a Covid-19 lockdown on Monday morning.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/22/covid-news-live-austria-enters-nationwide-lockdown-australia-eases-international-border-restrictions", - "creator": "Miranda Bryant (now); Sarah Marsh, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-11-22T19:19:23Z", + "title": "The Fight for Ukraine From Putin's View", + "description": "He sees Russia’s loss of the country as a historic injustice. So how far will he go?", + "content": "He sees Russia’s loss of the country as a historic injustice. So how far will he go?", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-fight-for-ukraine-from-putin-view-vladimir-biden-talks-russia-unity-ussr-crimea-invasion-11638889320", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 15:26:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0106c5eca1422a563e4e5941be0cee45" + "hash": "f07808e2c340683658a113bd0c961ff6" }, { - "title": "Kenyan police launch investigation into death of British BBC employee", - "description": "

    Kate Mitchell’s body was found shortly after an emergency alarm was activated in her hotel room

    A murder investigation has been launched in Kenya into the death of a British woman who worked for the BBC’s international development charity.

    The body of Kate Mitchell, a senior manager at BBC Media Action, was found on Friday in the capital Nairobi shortly after an emergency alarm was activated in her room. Police in Kenya said the window to her eighth-floor hotel room had been broken and the body of a man Mitchell had been with earlier was found on the ground below.

    Continue reading...", - "content": "

    Kate Mitchell’s body was found shortly after an emergency alarm was activated in her hotel room

    A murder investigation has been launched in Kenya into the death of a British woman who worked for the BBC’s international development charity.

    The body of Kate Mitchell, a senior manager at BBC Media Action, was found on Friday in the capital Nairobi shortly after an emergency alarm was activated in her room. Police in Kenya said the window to her eighth-floor hotel room had been broken and the body of a man Mitchell had been with earlier was found on the ground below.

    Continue reading...", - "category": "Kenya", - "link": "https://www.theguardian.com/world/2021/nov/22/kenyan-police-launch-investigation-into-death-of-british-bbc-employee", - "creator": "Matthew Weaver", - "pubDate": "2021-11-22T18:48:23Z", + "title": "Trump's Georgia Vendetta", + "description": "He stokes a GOP primary fight that may elect Stacey Abrams.", + "content": "He stokes a GOP primary fight that may elect Stacey Abrams.", + "category": "PAID", + "link": "https://www.wsj.com/articles/donald-trumps-georgia-vendetta-stacey-abrams-david-perdue-brian-kemp-11638835818", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:54:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "630d03ee7cc9b036bc53dd47db63d423" + "hash": "c48581e12ba81a20fc65e70b24d23fdd" }, { - "title": "Germany and Netherlands face tightening Covid rules as Austria enters lockdown", - "description": "

    German foreign minister says most of country will be ‘vaccinated, cured or dead’ by end of winter

    Germany and the Netherlands have been told they should face still tougher Covid restrictions as the German health minister, Jens Spahn, made the startling prediction that most of his compatriots would be “vaccinated, cured or dead” by the end of winter.

    With Europe again the centre of the pandemic, ushering in tighter controls mainly on the unvaccinated across the continent, on Monday Austria became the first west European country to re-enter lockdown since vaccination began earlier this year.

    Continue reading...", - "content": "

    German foreign minister says most of country will be ‘vaccinated, cured or dead’ by end of winter

    Germany and the Netherlands have been told they should face still tougher Covid restrictions as the German health minister, Jens Spahn, made the startling prediction that most of his compatriots would be “vaccinated, cured or dead” by the end of winter.

    With Europe again the centre of the pandemic, ushering in tighter controls mainly on the unvaccinated across the continent, on Monday Austria became the first west European country to re-enter lockdown since vaccination began earlier this year.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/22/germany-and-netherlands-face-fresh-covid-rules-as-austria-enters-lockdown", - "creator": "Jon Henley, Europe correspondent, Kate Connolly in Berlin and Jennifer Rankin in Brussels", - "pubDate": "2021-11-22T18:37:04Z", + "title": "Biden Finds a Culprit for America's Crime Wave: Covid-19", + "description": "The White House calls the virus a ‘root cause’ in an effort to shift blame from perpetrators and policies.", + "content": "The White House calls the virus a ‘root cause’ in an effort to shift blame from perpetrators and policies.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-tries-to-blame-covid-19-for-crime-shoplifting-looting-bail-reform-california-defund-police-11638802657", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 13:15:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4e0268ee7e2307a9f1e6c2512c2da8a" + "hash": "95cb3a9928401b3323bdcfe03bb9c45f" }, { - "title": "Chile’s right rejoices after pro-Pinochet candidate wins presidential first round", - "description": "

    José Antonio Kast will face progressive former student leader Gabriel Boric in runoff election next month

    Chile’s right wing have claimed a jubilant victory after José Antonio Kast, a former congressman with a history of defending the Pinochet dictatorship, secured a surprise win in the first round of the country’s presidential election.

    Kast, who campaigned on a platform of public order, migration controls and conservative social values, confounded expectations to take 28% of the vote and beat the progressive former student leader Gabriel Boric by two percentage points.

    Continue reading...", - "content": "

    José Antonio Kast will face progressive former student leader Gabriel Boric in runoff election next month

    Chile’s right wing have claimed a jubilant victory after José Antonio Kast, a former congressman with a history of defending the Pinochet dictatorship, secured a surprise win in the first round of the country’s presidential election.

    Kast, who campaigned on a platform of public order, migration controls and conservative social values, confounded expectations to take 28% of the vote and beat the progressive former student leader Gabriel Boric by two percentage points.

    Continue reading...", - "category": "Chile", - "link": "https://www.theguardian.com/world/2021/nov/22/jose-antonio-kast-chile-right-wing-presidential-election", - "creator": "John Bartlett in Santiago", - "pubDate": "2021-11-22T18:18:52Z", + "title": "Religious Schools and the Constitution", + "description": "The Supreme Court could extend a landmark school-choice case.", + "content": "The Supreme Court could extend a landmark school-choice case.", + "category": "PAID", + "link": "https://www.wsj.com/articles/religious-schools-and-the-constitution-supreme-court-carson-v-makin-maine-11638836528", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:53:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a75a1bd310bc63059b5f47b38905140a" + "hash": "ea8e6b2f119dde0054568bafdac34d87" }, { - "title": "Hogging the limelight: how Peppa Pig became a global phenomenon", - "description": "

    Boris Johnson threw spotlight on show that has run for 17 years and been exported to 118 countries

    To many families taking their excited children to Peppa Pig World, the most surreal aspect isn’t the pastel-hued streets or the giant cartoon animals milling around; it’s the soundtrack. Piped from speakers spread around the park, the can’t-get-it-out-of-your-head theme tune plays on a continuous loop, and parents could be forgiven for feeling they’ve entered a nightmare rather than a toddler’s dreamscape.

    Not so for Boris Johnson. The prime minister was so buoyed by his Sunday enjoying delights such an egg-shaped boat ride overlooked by Grampy Rabbit, where he was photographed grinning alongside his one-year-old son Wilfred and wife Carrie, that he was moved to praise the New Forest amusement park effusively in a speech to business leaders on Monday.

    Continue reading...", - "content": "

    Boris Johnson threw spotlight on show that has run for 17 years and been exported to 118 countries

    To many families taking their excited children to Peppa Pig World, the most surreal aspect isn’t the pastel-hued streets or the giant cartoon animals milling around; it’s the soundtrack. Piped from speakers spread around the park, the can’t-get-it-out-of-your-head theme tune plays on a continuous loop, and parents could be forgiven for feeling they’ve entered a nightmare rather than a toddler’s dreamscape.

    Not so for Boris Johnson. The prime minister was so buoyed by his Sunday enjoying delights such an egg-shaped boat ride overlooked by Grampy Rabbit, where he was photographed grinning alongside his one-year-old son Wilfred and wife Carrie, that he was moved to praise the New Forest amusement park effusively in a speech to business leaders on Monday.

    Continue reading...", - "category": "Peppa Pig", - "link": "https://www.theguardian.com/tv-and-radio/2021/nov/22/boris-johnson-hogging-the-limelight-how-peppa-pig-became-a-global-phenomenon", - "creator": "Rachel Hall", - "pubDate": "2021-11-22T17:47:14Z", + "title": "The Supreme Court's Chance to Rein In the Regulatory State", + "description": "The doctrine of Chevron deference is at stake in an otherwise obscure case the justices heard last week.", + "content": "The doctrine of Chevron deference is at stake in an otherwise obscure case the justices heard last week.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-supreme-court-chance-to-rein-in-federal-agency-power-chevron-deference-gorsuch-barrett-11638888240", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 15:11:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c498f83674eda61dc6fbe8f523dde0c" + "hash": "9204847fee9c5749cfc4f5692966feb2" }, { - "title": "Aid workers say Mediterranean a ‘liquid graveyard’ after 75 feared dead off Libya", - "description": "

    People smugglers are putting hundreds to sea this autumn despite stormy weather

    More than 75 people are feared dead after their boat capsized in stormy seas off the coast of Libya while attempting to reach Europe in one of the deadliest shipwrecks this year, according to the UN.

    Fifteen survivors were rescued by local fishers and brought to the port of Zuwara in north-western Libya. They said there were about 92 people onboard the vessel when the incident took place on 17 November. Most of those who died came from sub-Saharan Africa.

    Continue reading...", - "content": "

    People smugglers are putting hundreds to sea this autumn despite stormy weather

    More than 75 people are feared dead after their boat capsized in stormy seas off the coast of Libya while attempting to reach Europe in one of the deadliest shipwrecks this year, according to the UN.

    Fifteen survivors were rescued by local fishers and brought to the port of Zuwara in north-western Libya. They said there were about 92 people onboard the vessel when the incident took place on 17 November. Most of those who died came from sub-Saharan Africa.

    Continue reading...", - "category": "Migration", - "link": "https://www.theguardian.com/world/2021/nov/22/aid-workers-say-mediterranean-a-liquid-graveyard-after-75-feared-dead-off-libya", - "creator": "Lorenzo Tondo in Palermo", - "pubDate": "2021-11-22T17:41:00Z", + "title": "Systemic Bias Against Asians", + "description": "To the San Francisco school board, some minorities are more equal than others.", + "content": "To the San Francisco school board, some minorities are more equal than others.", + "category": "PAID", + "link": "https://www.wsj.com/articles/systemic-anti-asian-bias-san-francisco-merit-test-sat-harvard-california-minorities-racism-11638830364", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:27:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a2ad7e5f13aa79f02f26383b9a554f51" + "hash": "47425719eacf2bf17345562039ee887c" }, { - "title": "Meredith Kercher killer Rudy Guede could be freed within days", - "description": "

    Man convicted of murdering British student asks for sentence, due to end in January, to be reduced

    Rudy Guede, the only person definitively convicted of the murder of the British student Meredith Kercher, could be freed in the coming days after completing 13 years of a 16-year sentence.

    Guede’s sentence is due to end on 4 January, but he has asked magistrates to reduce it by a further 45 days.

    Continue reading...", - "content": "

    Man convicted of murdering British student asks for sentence, due to end in January, to be reduced

    Rudy Guede, the only person definitively convicted of the murder of the British student Meredith Kercher, could be freed in the coming days after completing 13 years of a 16-year sentence.

    Guede’s sentence is due to end on 4 January, but he has asked magistrates to reduce it by a further 45 days.

    Continue reading...", - "category": "Meredith Kercher", - "link": "https://www.theguardian.com/world/2021/nov/22/meredith-kercher-killer-rudy-guede-could-be-freed-within-days", - "creator": "Angela Giuffrida in Rome", - "pubDate": "2021-11-22T17:22:29Z", + "title": "Saule Omarova Withdraws", + "description": "The White House lost on her nomination because it is bowing to Elizabeth Warren on financial regulation.", + "content": "The White House lost on her nomination because it is bowing to Elizabeth Warren on financial regulation.", + "category": "PAID", + "link": "https://www.wsj.com/articles/saule-omarova-withdraws-comptroller-of-the-currency-biden-elizabeth-warren-11638919303", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 21:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a7955fca0286a085c64f73745f429b87" + "hash": "3ca8dd438a0f9f09ade577c2936c3490" }, { - "title": "Improving migrant workers’ lives in Qatar | Letter", - "description": "

    Faha Al-Mana responds to a report on allegations of exploitation and abuse by migrant workers in the run-up to the 2022 World Cup

    Your report (‘We have fallen into a trap’: Qatar’s World Cup dream is a nightmare for hotel staff, 18 November) fails to acknowledge the progress Qatar has made to improve living and working standards for foreign workers, including those in the hospitality sector.

    The impact of Qatar’s reforms is best highlighted through its numbers: over 240,000 workers have successfully changed jobs since barriers were removed in September 2020; more than 400,000 have directly benefited from the new minimum wage; improvements to the wage protection system now protect 96% of eligible workers from wage abuse; and hundreds of thousands of workers have left Qatar and returned without permission from their employer since exit permits were abolished.

    Continue reading...", - "content": "

    Faha Al-Mana responds to a report on allegations of exploitation and abuse by migrant workers in the run-up to the 2022 World Cup

    Your report (‘We have fallen into a trap’: Qatar’s World Cup dream is a nightmare for hotel staff, 18 November) fails to acknowledge the progress Qatar has made to improve living and working standards for foreign workers, including those in the hospitality sector.

    The impact of Qatar’s reforms is best highlighted through its numbers: over 240,000 workers have successfully changed jobs since barriers were removed in September 2020; more than 400,000 have directly benefited from the new minimum wage; improvements to the wage protection system now protect 96% of eligible workers from wage abuse; and hundreds of thousands of workers have left Qatar and returned without permission from their employer since exit permits were abolished.

    Continue reading...", - "category": "Workers' rights", - "link": "https://www.theguardian.com/global-development/2021/nov/22/improving-migrant-workers-lives-in-qatar", - "creator": "Letters", - "pubDate": "2021-11-22T17:19:01Z", + "title": "California Shoplifting 'With Relative Ease'", + "description": "But at least for the moment cops are still welcome in restaurants.", + "content": "But at least for the moment cops are still welcome in restaurants.", + "category": "PAID", + "link": "https://www.wsj.com/articles/california-shoplifting-with-relative-ease-11638919761", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:29:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0a80246884b567a5e3e6b99a7b0fa25" + "hash": "dba4ed4f3cd217ac8022c3ae77889f54" }, { - "title": "Priceless Roman mosaic spent 50 years as a coffee table in New York apartment", - "description": "

    Long-lost mosaic commissioned by Emperor Caligula disappeared from Italian museum during second world war

    A priceless Roman mosaic that once decorated a ship used by the emperor Caligula was used for almost 50 years as a coffee table in an apartment in New York City.

    Dario Del Bufalo, an Italian expert on ancient stone and marble, described how he found the mosaic in an interview with CBS’s 60 Minutes on Sunday.

    Continue reading...", - "content": "

    Long-lost mosaic commissioned by Emperor Caligula disappeared from Italian museum during second world war

    A priceless Roman mosaic that once decorated a ship used by the emperor Caligula was used for almost 50 years as a coffee table in an apartment in New York City.

    Dario Del Bufalo, an Italian expert on ancient stone and marble, described how he found the mosaic in an interview with CBS’s 60 Minutes on Sunday.

    Continue reading...", - "category": "Art and design", - "link": "https://www.theguardian.com/artanddesign/2021/nov/22/priceless-roman-mosaic-coffee-table-new-york-apartment", - "creator": "Gloria Oladipo", - "pubDate": "2021-11-22T16:45:43Z", + "title": "China Will Soon Lead the U.S. in Tech", + "description": "Beijing pulls ahead in 5G and artificial intelligence, while catching up in semiconductors.", + "content": "Beijing pulls ahead in 5G and artificial intelligence, while catching up in semiconductors.", + "category": "PAID", + "link": "https://www.wsj.com/articles/china-will-soon-lead-the-us-in-tech-global-leader-semiconductors-5g-wireless-green-energy-11638915759", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:26:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "569923807e3d0574b106bf3526eff25f" + "hash": "ce2b514996e488fb65388b479110797e" }, { - "title": "Peng Shuai backlash leaves IOC facing familiar criticism over human rights", - "description": "

    Analysis: Olympic committee is accused of engaging in a ‘publicity stunt’ by taking part in video call

    As human rights organisations and the world’s media questioned the whereabouts of the Chinese tennis player Peng Shuai, the International Olympic Committee opted for a “quiet diplomacy” approach, arguing that was the most effective way to deal with such a case.

    “Experience shows that quiet diplomacy offers the best opportunity to find a solution for questions of such nature. This explains why the IOC will not comment any further at this stage,” the Lausanne-based organisation said in an emailed statement on Thursday about the case of Peng, who disappeared from public view after she made an accusation of sexual assault against a former senior Chinese official.

    Continue reading...", - "content": "

    Analysis: Olympic committee is accused of engaging in a ‘publicity stunt’ by taking part in video call

    As human rights organisations and the world’s media questioned the whereabouts of the Chinese tennis player Peng Shuai, the International Olympic Committee opted for a “quiet diplomacy” approach, arguing that was the most effective way to deal with such a case.

    “Experience shows that quiet diplomacy offers the best opportunity to find a solution for questions of such nature. This explains why the IOC will not comment any further at this stage,” the Lausanne-based organisation said in an emailed statement on Thursday about the case of Peng, who disappeared from public view after she made an accusation of sexual assault against a former senior Chinese official.

    Continue reading...", - "category": "Peng Shuai", - "link": "https://www.theguardian.com/sport/2021/nov/22/peng-shuai-backlash-ioc-familiar-criticism-human-rights", - "creator": "Vincent Ni China affairs correspondent", - "pubDate": "2021-11-22T16:37:05Z", + "title": "Notable & Quotable: Masking My 6-Year-Old", + "description": "‘It’s the entire system, starting at the top with elected leadership, that is failing our children.’", + "content": "‘It’s the entire system, starting at the top with elected leadership, that is failing our children.’", + "category": "PAID", + "link": "https://www.wsj.com/articles/notable-quotable-masking-my-6-year-old-education-mandates-schooling-covid-19-hochul-11638916196", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:18:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5d4b8ebe13452defd15f482ee3bd9d72" + "hash": "39ed59ece58d6c3cbd3ef3dde8eca2d3" }, { - "title": "Base of the iceberg: the tragic cost of concussion in amateur sport | Emma Kemp", - "description": "

    Former footy player Paul Wheatley is serving a prison sentence – the culmination of a chain of events that could be traced back to numerous on-field head knocks

    Paul Wheatley is often in bed by 7.30pm. There is little else to do once locked in his prison cell well before the sun’s light fades. So he reads a bit, then attempts to drift into unconsciousness.

    It is the only sure way to push out the voice which follows him everywhere. The one most familiar and cherished in his world frantically repeating his name, each an anguished attempt to rouse him from a seizure before they were off the road and the tree appeared and it was too late.

    Continue reading...", - "content": "

    Former footy player Paul Wheatley is serving a prison sentence – the culmination of a chain of events that could be traced back to numerous on-field head knocks

    Paul Wheatley is often in bed by 7.30pm. There is little else to do once locked in his prison cell well before the sun’s light fades. So he reads a bit, then attempts to drift into unconsciousness.

    It is the only sure way to push out the voice which follows him everywhere. The one most familiar and cherished in his world frantically repeating his name, each an anguished attempt to rouse him from a seizure before they were off the road and the tree appeared and it was too late.

    Continue reading...", - "category": "Concussion in sport", - "link": "https://www.theguardian.com/sport/2021/nov/23/base-of-the-iceberg-the-tragic-cost-of-concussion-in-amateur-sport", - "creator": "Emma Kemp", - "pubDate": "2021-11-22T16:30:30Z", + "title": "De Blasio's Vaccine Mandate Looks Unlawful", + "description": "The Supreme Court has approved only far milder measures.", + "content": "The Supreme Court has approved only far milder measures.", + "category": "PAID", + "link": "https://www.wsj.com/articles/de-blasio-vaccine-mandate-looks-unlawful-shots-covid-19-private-employees-new-york-bill-11638916746", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:25:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ec65acbbdc79bd7d7d411ba73b6e89c" + "hash": "b315dffc2c580450ca40c303affecfb8" }, { - "title": "Outrage after two journalists detained at Indigenous protest in Canada", - "description": "

    Press organizations condemn arrest of Amber Bracken and Michael Toledano at pipeline protest in British Columbia

    Press organizations in Canada have condemned the arrest of two journalists who were detained while covering Indigenous-led resistance to a controversial pipeline project and remain in custody.

    Amber Bracken, an award-winning photojournalist who has previously worked with the Guardian, and Michael Toledano, a documentary film-maker, were arrested on Friday by Royal Canadian Mounted police officers who were enforcing a court-ordered injunction in British Columbia. More than a dozen protesters were also arrested.

    Continue reading...", - "content": "

    Press organizations condemn arrest of Amber Bracken and Michael Toledano at pipeline protest in British Columbia

    Press organizations in Canada have condemned the arrest of two journalists who were detained while covering Indigenous-led resistance to a controversial pipeline project and remain in custody.

    Amber Bracken, an award-winning photojournalist who has previously worked with the Guardian, and Michael Toledano, a documentary film-maker, were arrested on Friday by Royal Canadian Mounted police officers who were enforcing a court-ordered injunction in British Columbia. More than a dozen protesters were also arrested.

    Continue reading...", - "category": "Canada", - "link": "https://www.theguardian.com/world/2021/nov/22/canada-two-journalists-detained-indigenous-pipeline-protest", - "creator": "Leyland Ceccoin Ottawa", - "pubDate": "2021-11-22T16:23:17Z", + "title": "Tax the Rich: Good or Bad Idea?", + "description": "Students discuss raising rates.", + "content": "Students discuss raising rates.", + "category": "PAID", + "link": "https://www.wsj.com/articles/tax-the-rich-good-or-bad-wealth-rate-unrealized-capital-gains-investment-build-back-better-11638916192", + "creator": "", + "pubDate": "Tue, 07 Dec 2021 18:55:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9198d8173bd32fff9bc8419c1ddf592e" + "hash": "5a199466e356ee794b86ae5656c2e648" }, { - "title": "West weighs up costs of boycotting China’s Winter Olympics", - "description": "

    Analysis: calls growing amid Xinjiang allegations and Peng Shuai fallout, but Beijing takes slights very seriously

    Boycotting the Beijing Winter Olympics in February may seem a simple, symbolic diplomatic gesture – when put alongside the allegations of labour camps in Xinjiang province and the apparent sexual exploitation of the Chinese tennis star Peng Shuai – but such is the contemporary economic power of China that the step will only be taken after much agonising.

    The threats and economic boycotts that Australia, Canada and more recently Lithuania have suffered at the hands of the Chinese for challenging Beijing’s authority in one way or another are not experiences other countries will want to copy lightly.

    Continue reading...", - "content": "

    Analysis: calls growing amid Xinjiang allegations and Peng Shuai fallout, but Beijing takes slights very seriously

    Boycotting the Beijing Winter Olympics in February may seem a simple, symbolic diplomatic gesture – when put alongside the allegations of labour camps in Xinjiang province and the apparent sexual exploitation of the Chinese tennis star Peng Shuai – but such is the contemporary economic power of China that the step will only be taken after much agonising.

    The threats and economic boycotts that Australia, Canada and more recently Lithuania have suffered at the hands of the Chinese for challenging Beijing’s authority in one way or another are not experiences other countries will want to copy lightly.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/nov/22/west-weighs-up-costs-of-boycotting-china-beijing-winter-olympics", - "creator": "Patrick Wintour Diplomatic editor", - "pubDate": "2021-11-22T16:15:24Z", + "title": "Gigi Sohn's Strange Bedfellows", + "description": "OAN and Newsmax push a left-wing nominee who targets conservatives.", + "content": "OAN and Newsmax push a left-wing nominee who targets conservatives.", + "category": "PAID", + "link": "https://www.wsj.com/articles/gigi-sohns-strange-bedfellows-newsmax-media-oan-fox-confirmation-censorship-net-neutraility-11638722334", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:57:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3d89216bbb96fff0dcd87edd6d77c065" + "hash": "9e235cd980517d3cca174e0c16257c1a" }, { - "title": "Nasa to slam spacecraft into asteroid in mission to avoid future Armaggedon", - "description": "

    Test drive of planetary defence system aims to provide data on how to deflect asteroids away from Earth

    That’s one large rock, one momentous shift in our relationship with space. On Wednesday, Nasa will launch a mission to deliberately slam a spacecraft into an asteroid to try to alter its orbit – the first time humanity has tried to interfere in the gravitational dance of the solar system. The aim is to test drive a planetary defence system that could prevent us from going the same way as the dinosaurs, providing the first real data about what it would take to deflect an Armageddon-inducing asteroid away from Earth.

    Our planet is constantly being bombarded with small pieces of debris, but these are usually burned or broken up long before they hit the ground. Once in a while, however, something large enough to do significant damage hits the ground. About 66m years ago, one such collision is thought to have ended the reign of the dinosaurs, ejecting vast amounts of dust and debris into the upper atmosphere, which obscured the sun and caused food chains to collapse. Someday, something similar could call time on humanity’s reign – unless we can find a way to deflect it.

    Continue reading...", - "content": "

    Test drive of planetary defence system aims to provide data on how to deflect asteroids away from Earth

    That’s one large rock, one momentous shift in our relationship with space. On Wednesday, Nasa will launch a mission to deliberately slam a spacecraft into an asteroid to try to alter its orbit – the first time humanity has tried to interfere in the gravitational dance of the solar system. The aim is to test drive a planetary defence system that could prevent us from going the same way as the dinosaurs, providing the first real data about what it would take to deflect an Armageddon-inducing asteroid away from Earth.

    Our planet is constantly being bombarded with small pieces of debris, but these are usually burned or broken up long before they hit the ground. Once in a while, however, something large enough to do significant damage hits the ground. About 66m years ago, one such collision is thought to have ended the reign of the dinosaurs, ejecting vast amounts of dust and debris into the upper atmosphere, which obscured the sun and caused food chains to collapse. Someday, something similar could call time on humanity’s reign – unless we can find a way to deflect it.

    Continue reading...", - "category": "Asteroids", - "link": "https://www.theguardian.com/science/2021/nov/22/nasa-slam-spacecraft-into-asteroid-to-avoid-armaggedon", - "creator": "Linda Geddes", - "pubDate": "2021-11-22T16:04:03Z", + "title": "The U.S. Needs a Hypersonic Capability Now", + "description": "Washington mothballed its program just as Beijing made developing the technology a priority.", + "content": "Washington mothballed its program just as Beijing made developing the technology a priority.", + "category": "PAID", + "link": "https://www.wsj.com/articles/america-needs-a-hypersonic-capability-china-xi-beijing-missile-weapons-attack-defense-budget-11638827597", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f914a566f7bb1ce1759520f447e2422f" + "hash": "948f21d499e9cd756f76a688de71f97f" }, { - "title": "‘She believed in every one of us’: ex-pupils on their inspirational teachers", - "description": "

    After Adele’s tearful reunion with a former teacher, four readers recall their own school memories

    “So bloody cool, so engaging.” That’s how Adele described her English teacher at Chestnut Grove school in Balham, south-west London, Ms McDonald, when asked who had inspired her.

    Answering a question from the actor Emma Thompson during ITV’s An Audience With Adele on Sunday, Adele said: “She really made us care, and we knew that she cared about us and stuff like that.”

    Continue reading...", - "content": "

    After Adele’s tearful reunion with a former teacher, four readers recall their own school memories

    “So bloody cool, so engaging.” That’s how Adele described her English teacher at Chestnut Grove school in Balham, south-west London, Ms McDonald, when asked who had inspired her.

    Answering a question from the actor Emma Thompson during ITV’s An Audience With Adele on Sunday, Adele said: “She really made us care, and we knew that she cared about us and stuff like that.”

    Continue reading...", - "category": "Teaching", - "link": "https://www.theguardian.com/education/2021/nov/22/she-believed-in-us-ex-pupils-on-their-inspirational-teachers-adele", - "creator": "Jamie Grierson", - "pubDate": "2021-11-22T15:50:59Z", + "title": "Biden's Only Honorable Course on Ukraine and Russia", + "description": "If the U.S. wavers, Moscow will benefit and Iran and China will capitalize.", + "content": "If the U.S. wavers, Moscow will benefit and Iran and China will capitalize.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-only-honorable-course-on-ukraine-russia-putin-border-troops-amass-iran-china-afghanistan-11638825314", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:28:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0afdd168d4b51046b8969c8f58553b1a" + "hash": "fc1c01f41529eceecfa508a8380b3efe" }, { - "title": "Russia accuses west of building up forces on its borders", - "description": "

    Moscow, which has nearly 100,000 troops near Ukraine border, also criticises ‘provocative policy’ of US and EU towards Kyiv

    Russia has accused the west of building up forces on its borders as well as those of Belarus in remarks that appeared tailored to mirror recent US warnings about Moscow’s aggressive positioning towards Ukraine.

    The Kremlin, as well as Russian intelligence, security, and diplomatic officials, have all gone on the offensive in the past 48 hours after Vladimir Putin publicly instructed his diplomats that tensions should be maintained with the west as a form of aggressive deterrence.

    Continue reading...", - "content": "

    Moscow, which has nearly 100,000 troops near Ukraine border, also criticises ‘provocative policy’ of US and EU towards Kyiv

    Russia has accused the west of building up forces on its borders as well as those of Belarus in remarks that appeared tailored to mirror recent US warnings about Moscow’s aggressive positioning towards Ukraine.

    The Kremlin, as well as Russian intelligence, security, and diplomatic officials, have all gone on the offensive in the past 48 hours after Vladimir Putin publicly instructed his diplomats that tensions should be maintained with the west as a form of aggressive deterrence.

    Continue reading...", - "category": "Russia", - "link": "https://www.theguardian.com/world/2021/nov/22/russia-accuses-west-of-building-up-forces-on-its-borders", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-11-22T15:28:22Z", + "title": "Remote Learning Fails the Test", + "description": "New research finds student scores fell more sharply where virtual learning was prevalent.", + "content": "New research finds student scores fell more sharply where virtual learning was prevalent.", + "category": "PAID", + "link": "https://www.wsj.com/articles/remote-learning-fails-the-test-nber-study-schools-11638463245", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:53:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3405232836a7d4ef26bf081b68a37526" + "hash": "97f2fbaa3fe2a4d93baf57f46a122695" }, { - "title": "After sex and on the toilet: why we can’t put our phones down – but we really, really should", - "description": "

    A new survey has found that nowhere is sacred for a society of phone addicts, not even weddings and funerals

    Age: Fresh out of the poll oven. A new one, of 1,098 American adults by the games website Solitaired, finds we use our phones all the time and everywhere.

    No way! People are addicted to phones? I honestly had no idea … Hey, less of the sarcasm. You might not realise the extent of it. Nowhere or no occasion is sacred.

    Continue reading...", - "content": "

    A new survey has found that nowhere is sacred for a society of phone addicts, not even weddings and funerals

    Age: Fresh out of the poll oven. A new one, of 1,098 American adults by the games website Solitaired, finds we use our phones all the time and everywhere.

    No way! People are addicted to phones? I honestly had no idea … Hey, less of the sarcasm. You might not realise the extent of it. Nowhere or no occasion is sacred.

    Continue reading...", - "category": "Life and style", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/22/after-sex-on-toilet-crossing-road-cant-put-phones-down", + "title": "This Debt-Ceiling Crisis Threatens Democracy as Well as Solvency", + "description": "A ‘suspension’ rather than an increase would hand an unconstitutional blank check to the president.", + "content": "A ‘suspension’ rather than an increase would hand an unconstitutional blank check to the president.", + "category": "PAID", + "link": "https://www.wsj.com/articles/debt-ceiling-crisis-threatens-democracy-budget-limit-build-back-better-mcconnell-schumer-11638718728", "creator": "", - "pubDate": "2021-11-22T15:06:34Z", + "pubDate": "Mon, 06 Dec 2021 18:40:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "33f98da1bfb77dd94ed25355b891eec9" + "hash": "5e9b77f5b015f68beb2dce08b76b524c" }, { - "title": "How a dream coach helped Benedict Cumberbatch and Jane Campion put the unconscious on screen", - "description": "

    Kim Gillingham explains how her work on The Power of the Dog enabled the ‘lioness of an artist’ and her ‘translucent’ star to access their inmost drives

    To access his dreams the surrealist artist Salvador Dalí napped while sitting on a chair, holding keys over an upturned metal plate. After he lost consciousness, the keys dropped onto the plate, jangling him awake so he could paint fresh from his unconscious. Kim Gillingham tells this story to connect her practice to the history of artistic endeavour. She is a Jungian dream coach, based in LA, who combines ideas from psychoanalysis and the method acting of the Actors Studio to, in her words: “access the incredible resource of the unconscious through dreams and through work with the body and to use that material to bring authenticity, truth and aliveness up through whatever discipline the artist is working in”.

    Jane Campion sought Gillingham’s services to help conjure the forces at play in her first film in 12 years, The Power of the Dog. It’s a western adapted from Thomas Savage’s 1967 novel that riffs on themes of masculinity and stars Benedict Cumberbatch as Phil Burbank, a toxic alpha cowboy whose personality is designed to hide a secret that would have made him vulnerable in the story’s setting of 1920s Montana.

    The Power of the Dog is streaming now on Netflix.

    Continue reading...", - "content": "

    Kim Gillingham explains how her work on The Power of the Dog enabled the ‘lioness of an artist’ and her ‘translucent’ star to access their inmost drives

    To access his dreams the surrealist artist Salvador Dalí napped while sitting on a chair, holding keys over an upturned metal plate. After he lost consciousness, the keys dropped onto the plate, jangling him awake so he could paint fresh from his unconscious. Kim Gillingham tells this story to connect her practice to the history of artistic endeavour. She is a Jungian dream coach, based in LA, who combines ideas from psychoanalysis and the method acting of the Actors Studio to, in her words: “access the incredible resource of the unconscious through dreams and through work with the body and to use that material to bring authenticity, truth and aliveness up through whatever discipline the artist is working in”.

    Jane Campion sought Gillingham’s services to help conjure the forces at play in her first film in 12 years, The Power of the Dog. It’s a western adapted from Thomas Savage’s 1967 novel that riffs on themes of masculinity and stars Benedict Cumberbatch as Phil Burbank, a toxic alpha cowboy whose personality is designed to hide a secret that would have made him vulnerable in the story’s setting of 1920s Montana.

    The Power of the Dog is streaming now on Netflix.

    Continue reading...", - "category": "The Power of the Dog", - "link": "https://www.theguardian.com/film/2021/nov/22/dream-coach-benedict-cumberbatch-jane-campion-unconscious-on-screen-the-power-of-the-dog", - "creator": "Sophie Monks Kaufman", - "pubDate": "2021-11-22T15:00:28Z", + "title": "Bill de Blasio's Parting Insult", + "description": "He mandates vaccines for all workers in one last swipe at New York.", + "content": "He mandates vaccines for all workers in one last swipe at New York.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bill-de-blasios-parting-insult-covid-vaccine-mandate-workers-11638830767", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:50:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "549f91f0f04d87f207e3580139ea872e" + "hash": "dc86cf16e7df2eff1a9c4c2d976d631c" }, { - "title": "‘Covid has formed the person I am’: young people on how the pandemic changed them", - "description": "

    While some were inspired to make the most of life when they finally could, others say they felt unvalued and overlooked, as well as disappointed by the government

    For the past 12 months, the Guardian has tracked the journey of a group of young people from across the UK, capturing their intimate feelings and experiences as the pandemic upends their lives. Here they tell us how the past year has affected them – and transformed their futures.

    Aadam Patel, 22, lives in Dewsbury, West Yorkshire, with his parents, Musa and Zubeda, and his brother and two sisters

    Continue reading...", - "content": "

    While some were inspired to make the most of life when they finally could, others say they felt unvalued and overlooked, as well as disappointed by the government

    For the past 12 months, the Guardian has tracked the journey of a group of young people from across the UK, capturing their intimate feelings and experiences as the pandemic upends their lives. Here they tell us how the past year has affected them – and transformed their futures.

    Aadam Patel, 22, lives in Dewsbury, West Yorkshire, with his parents, Musa and Zubeda, and his brother and two sisters

    Continue reading...", - "category": "Young people", - "link": "https://www.theguardian.com/society/2021/nov/22/covid-has-formed-the-person-i-am-young-people-on-how-the-pandemic-changed-them", - "creator": "Amelia Hill", - "pubDate": "2021-11-22T14:36:10Z", + "title": "Xi Jinping Sails China's Economy Into a Shoal", + "description": "A real-estate correction proves harder to stage-manage than hoped.", + "content": "A real-estate correction proves harder to stage-manage than hoped.", + "category": "PAID", + "link": "https://www.wsj.com/articles/xi-jinping-sails-into-an-economic-shoal-china-beijing-evergrande-real-estate-11638821003", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 23:22:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "be3cd09ccf1c70a6e7752197a6c50de8" + "hash": "5003897e860bf8ebf632d6c87c4a4964" }, { - "title": "Women bore brunt of social and economic impacts of Covid – Red Cross", - "description": "

    In 82% of countries surveyed, women were disproportionately hit, from loss of income to extra responsibility for caring, report shows

    The social and economic burden of Covid-19 has fallen disproportionately on women around the world, the Red Cross has warned, in a stark analysis of the impact of the pandemic.

    Women were particularly affected by loss of income and education, rises in domestic violence, child marriage and trafficking, and responsibility for caring for children and sick relatives, according to a comprehensive report published by the International Federation of Red Cross and Red Crescent Societies (IFRC) on Monday.

    Continue reading...", - "content": "

    In 82% of countries surveyed, women were disproportionately hit, from loss of income to extra responsibility for caring, report shows

    The social and economic burden of Covid-19 has fallen disproportionately on women around the world, the Red Cross has warned, in a stark analysis of the impact of the pandemic.

    Women were particularly affected by loss of income and education, rises in domestic violence, child marriage and trafficking, and responsibility for caring for children and sick relatives, according to a comprehensive report published by the International Federation of Red Cross and Red Crescent Societies (IFRC) on Monday.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/22/women-bore-brunt-of-social-and-economic-impacts-of-covid-red-cross", - "creator": "Jessie McDonald", - "pubDate": "2021-11-22T14:07:21Z", + "title": "Biden, Trump and CNN", + "description": "Coverage of a dubious claim by a Washington Post columnist shows the cable network at a crossroads.", + "content": "Coverage of a dubious claim by a Washington Post columnist shows the cable network at a crossroads.", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-trump-and-cnn-11638827798", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 16:56:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a4887c4d3847e727f7041949f357cb1f" + "hash": "1c5445a4da38acce0c8e9df84b594dbd" }, { - "title": "‘All my friends went home’: a fruit picker on life without EU workers", - "description": "

    With fellow Europeans leaving the UK, and no British workers taking their place, Eleanor Popa’s job harvesting strawberries has gone from tough to tough and lonely. Will the farm survive another year?

    Eleanor Popa used to sleep in a six-berth caravan on the site of Sharrington Strawberries, a 16-hectare (40-acre) strawberry farm in Melton Constable, Norfolk. Now, there are only four people in her caravan: everyone else has left to work in EU countries. “My friends,” she says, “they went home, or to work in Spain and Germany. A lot of them did not come back to work this year.”

    Popa, who is from Bulgaria, has been a fruit picker for two years. “It’s hard work,” she says. “We have to get up early and pick. It’s 6am in the summer. Now we get up at 7.30am. And we work in tunnels. Sometimes it’s cold, sometimes it’s hot. Sometimes it’s windy. It can be boring.” Picking strawberries is skilled work. “It took me a month to learn how to pick the fruit,” she says.

    Continue reading...", - "content": "

    With fellow Europeans leaving the UK, and no British workers taking their place, Eleanor Popa’s job harvesting strawberries has gone from tough to tough and lonely. Will the farm survive another year?

    Eleanor Popa used to sleep in a six-berth caravan on the site of Sharrington Strawberries, a 16-hectare (40-acre) strawberry farm in Melton Constable, Norfolk. Now, there are only four people in her caravan: everyone else has left to work in EU countries. “My friends,” she says, “they went home, or to work in Spain and Germany. A lot of them did not come back to work this year.”

    Popa, who is from Bulgaria, has been a fruit picker for two years. “It’s hard work,” she says. “We have to get up early and pick. It’s 6am in the summer. Now we get up at 7.30am. And we work in tunnels. Sometimes it’s cold, sometimes it’s hot. Sometimes it’s windy. It can be boring.” Picking strawberries is skilled work. “It took me a month to learn how to pick the fruit,” she says.

    Continue reading...", - "category": "Work & careers", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/22/all-my-friends-went-home-a-fruit-picker-on-life-without-eu-workers", - "creator": "Sirin Kale", - "pubDate": "2021-11-22T14:00:27Z", + "title": "Bob Knew How to Dole Out the Jokes", + "description": "He was a tough partisan, but the senator’s humor was warmly regarded on both sides of the aisle.", + "content": "He was a tough partisan, but the senator’s humor was warmly regarded on both sides of the aisle.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bob-knew-how-to-dole-out-the-jokes-wit-funny-remembrance-death-robert-al-gore-bill-clinton-11638825084", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:39:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f7e10ef010ca493f13639e1a1fb3c9b5" + "hash": "a160354e33a409134c21b74b515531c3" }, { - "title": "Another Covid Christmas: Britons urged to delay festive plans", - "description": "

    Analysis: scientists say high transmission rates mean caution is critical if people are to stay safe

    As Christmas approached in 2020, it was not a Dickensian spirit but the spectre of Covid that haunted households up and down the UK.

    With cases soaring, government-approved plans to allow three households to mix for five days in England were scrapped within weeks of being made, while scientists urged families to connect over Zoom or host drinks on the pavement rather than meeting for a hug.

    Continue reading...", - "content": "

    Analysis: scientists say high transmission rates mean caution is critical if people are to stay safe

    As Christmas approached in 2020, it was not a Dickensian spirit but the spectre of Covid that haunted households up and down the UK.

    With cases soaring, government-approved plans to allow three households to mix for five days in England were scrapped within weeks of being made, while scientists urged families to connect over Zoom or host drinks on the pavement rather than meeting for a hug.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/22/another-covid-christmas-britons-urged-delay-festive-plans", - "creator": "Nicola Davis Science correspondent", - "pubDate": "2021-11-22T13:35:00Z", + "title": "Omicron: Keep Calm and Carry On", + "description": "‘Mutation’ sounds scary, but mutations can make a pathogen less dangerous.", + "content": "‘Mutation’ sounds scary, but mutations can make a pathogen less dangerous.", + "category": "PAID", + "link": "https://www.wsj.com/articles/omicron-keep-calm-and-carry-on-variant-mutation-immunity-hospitalization-vaccines-covid-19-11638802758", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 13:14:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "994b863c23c885b0a20910aef83beac7" + "hash": "575ca5b9f7e715c564d2b1a5bb53429a" }, { - "title": "Violence breaks out in Brussels in protests against Covid restrictions – video", - "description": "

    Riot police and protesters clashed in the streets of Brussels on Sunday in demonstrations over government-imposed Covid-19 restrictions, with police firing water cannon and teargas at crowds. Protesters threw smoke bombs, fireworks and rocks at officers. Belgium tightened its coronavirus restrictions on Wednesday, mandating wider use of masks and enforcing working from home, as cases surged in the country

    Continue reading...", - "content": "

    Riot police and protesters clashed in the streets of Brussels on Sunday in demonstrations over government-imposed Covid-19 restrictions, with police firing water cannon and teargas at crowds. Protesters threw smoke bombs, fireworks and rocks at officers. Belgium tightened its coronavirus restrictions on Wednesday, mandating wider use of masks and enforcing working from home, as cases surged in the country

    Continue reading...", - "category": "Belgium", - "link": "https://www.theguardian.com/world/video/2021/nov/22/violence-breaks-out-in-brussels-in-protests-against-covid-restrictions-video", + "title": "How Fintech Became a Hit in Brazil", + "description": "The heroes are central-bank technocrats who opened the market to financial competition.", + "content": "The heroes are central-bank technocrats who opened the market to financial competition.", + "category": "PAID", + "link": "https://www.wsj.com/articles/how-fintech-became-a-hit-in-brazil-nubank-innovation-credit-cards-banking-accessibility-11638714533", "creator": "", - "pubDate": "2021-11-22T10:41:47Z", + "pubDate": "Sun, 05 Dec 2021 15:39:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", - "read": false, + "feed": "Wall Street Journal", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "b7144d6e2460b384bf8839390f61a315" + "hash": "baca2dc3460b060354b87768b5263a78" }, { - "title": "The road to reform: have things improved for Qatar’s World Cup migrant workers?", - "description": "

    A year before kick off, workers claim companies are refusing to enforce sweeping new labour laws created to stamp out human rights abuses

    When Qatar won the bid to host the World Cup in 2010, the triumphant Gulf state unveiled plans to host the most spectacular of all World Cup tournaments and began an ambitious building plan of state-of-the-art stadiums, luxury hotels and a sparkling new metro.

    Yet, over the next decade, the brutal conditions in which hundreds of thousands of migrant workers toiled in searing heat to build Qatar’s World Cup vision has been exposed, with investigations into the forced labour , debt bondage and worker death toll causing international outrage.

    Continue reading...", - "content": "

    A year before kick off, workers claim companies are refusing to enforce sweeping new labour laws created to stamp out human rights abuses

    When Qatar won the bid to host the World Cup in 2010, the triumphant Gulf state unveiled plans to host the most spectacular of all World Cup tournaments and began an ambitious building plan of state-of-the-art stadiums, luxury hotels and a sparkling new metro.

    Yet, over the next decade, the brutal conditions in which hundreds of thousands of migrant workers toiled in searing heat to build Qatar’s World Cup vision has been exposed, with investigations into the forced labour , debt bondage and worker death toll causing international outrage.

    Continue reading...", - "category": "Workers' rights", - "link": "https://www.theguardian.com/global-development/2021/nov/22/qatar-labour-rights-reforms-world-cup-legacy", - "creator": "Pete Pattisson in Doha", - "pubDate": "2021-11-22T08:00:20Z", + "title": "James Bond's License to Kill Fun", + "description": "The Daniel Craig movies have taken a dark turn like too many films these days.", + "content": "The Daniel Craig movies have taken a dark turn like too many films these days.", + "category": "PAID", + "link": "https://www.wsj.com/articles/james-bond-license-to-kill-fun-daniel-craig-no-time-to-die-sean-connery-media-hollywood-11638713465", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 13:51:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5a90839d2d5f9802a37e34a9a8956aae" + "hash": "afff2ed222a7a92c64cd85ebfe6cd3b3" }, { - "title": "Pregnant women at risk in Malawi as drug shortage prevents caesareans", - "description": "

    Patients travelling long distances to find surgery cancelled as lack of anaesthetics shuts operating theatres in half of hospitals

    Almost half of Malawi’s district hospitals have closed their operating theatres due to a dire shortage of anaesthetics.

    Maternity care has been affected by a lack of drugs, said doctors. Surgery, including caesareans, has been cancelled and patients needing emergency care have been moved hundreds of miles around the country.

    Continue reading...", - "content": "

    Patients travelling long distances to find surgery cancelled as lack of anaesthetics shuts operating theatres in half of hospitals

    Almost half of Malawi’s district hospitals have closed their operating theatres due to a dire shortage of anaesthetics.

    Maternity care has been affected by a lack of drugs, said doctors. Surgery, including caesareans, has been cancelled and patients needing emergency care have been moved hundreds of miles around the country.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/22/pregnant-women-at-risk-in-malawi-as-drug-shortage-prevents-caesareans", - "creator": "Charles Pensulo in Lilongwe", - "pubDate": "2021-11-22T07:00:19Z", + "title": "Notable & Quotable: Teachers and Their Unions", + "description": "‘I tried to volunteer to teach kids with severe disabilities in person. But my district and union would not allow it.’", + "content": "‘I tried to volunteer to teach kids with severe disabilities in person. But my district and union would not allow it.’", + "category": "PAID", + "link": "https://www.wsj.com/articles/notable-quotable-teachers-and-their-unions-covid-closures-schools-special-needs-11638829344", + "creator": "", + "pubDate": "Mon, 06 Dec 2021 18:23:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ef972daf6fafac4f6693d04d263460b3" + "hash": "79d04cae2fe3f6d32051ca35def6bc81" }, { - "title": "Social media footage shows SUV speeding through Wisconsin Christmas parade – video", - "description": "

    Social media footage shows a SUV speeding through a Christmas parade in Waukesha, Wisconsin, narrowly missing a small child. The red vehicle continued down the road and hit more than 20 people, including children. Waukesha police chief Dan Thompson said a person of interest was in custody and the suspect vehicle had been recovered. 

    Continue reading...", - "content": "

    Social media footage shows a SUV speeding through a Christmas parade in Waukesha, Wisconsin, narrowly missing a small child. The red vehicle continued down the road and hit more than 20 people, including children. Waukesha police chief Dan Thompson said a person of interest was in custody and the suspect vehicle had been recovered. 

    Continue reading...", - "category": "US news", - "link": "https://www.theguardian.com/us-news/video/2021/nov/22/social-media-footage-shows-suv-speeding-through-wisconsin-christmas-parade-video", + "title": "Xi Jinping Sails Into an Economic Shoal", + "description": "A Chinese real-estate correction proves harder to stage-manage than hoped.", + "content": "A Chinese real-estate correction proves harder to stage-manage than hoped.", + "category": "PAID", + "link": "https://www.wsj.com/articles/xi-jinping-sails-into-an-economic-shoal-china-beijing-evergrande-real-estate-11638821003", "creator": "", - "pubDate": "2021-11-22T03:35:00Z", + "pubDate": "Mon, 06 Dec 2021 18:46:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4803e1ebd72001584a3d78242b3a9e9f" + "hash": "a8f76021799c57abd90cb70135b1dfe8" }, { - "title": "The Bank of Mum and Dad has allowed New Zealand’s wealthy to become ‘opportunity hoarders’ | Max Rashbrooke", - "description": "

    When people are born into money it’s like they’ve stepped on an up escalator, borne effortlessly upwards while the poor go down

    In the last few decades, an apparently ordinary financial institution has assumed an importance that could hardly have been foreseen. It is not a finance company, a payday lender or even a crypto-currency. It is, rather, the Bank of Mum and Dad. Barely a day goes by without a media story about the struggles of young people to afford a first home, and their experience is rarely free from some kind of parental influence. Even the young grafters who have supposedly pulled themselves up by the bootstraps into homeownership often turn out to have lived rent-free with their parents or received some other kind of family support. Even more often, of course, they have simply relied on a large deposit from mum and dad.

    This is, in one sense, innocuous: parents want to assist their offspring financially, and have surely been doing so for as long as money has existed. But it is also insidious, because it allows some young people a significant – and completely unfair – advantage over others. And because those who can help their children into homeownership are themselves more likely to be homeowners, it ensures that advantage and disadvantage are passed down the generations. The economist Shamubeel Eaqub, with his eye for a well-turned phrase, calls this “the return of the landed gentry”.

    Continue reading...", - "content": "

    When people are born into money it’s like they’ve stepped on an up escalator, borne effortlessly upwards while the poor go down

    In the last few decades, an apparently ordinary financial institution has assumed an importance that could hardly have been foreseen. It is not a finance company, a payday lender or even a crypto-currency. It is, rather, the Bank of Mum and Dad. Barely a day goes by without a media story about the struggles of young people to afford a first home, and their experience is rarely free from some kind of parental influence. Even the young grafters who have supposedly pulled themselves up by the bootstraps into homeownership often turn out to have lived rent-free with their parents or received some other kind of family support. Even more often, of course, they have simply relied on a large deposit from mum and dad.

    This is, in one sense, innocuous: parents want to assist their offspring financially, and have surely been doing so for as long as money has existed. But it is also insidious, because it allows some young people a significant – and completely unfair – advantage over others. And because those who can help their children into homeownership are themselves more likely to be homeowners, it ensures that advantage and disadvantage are passed down the generations. The economist Shamubeel Eaqub, with his eye for a well-turned phrase, calls this “the return of the landed gentry”.

    Continue reading...", - "category": "New Zealand", - "link": "https://www.theguardian.com/world/commentisfree/2021/nov/22/the-bank-of-mum-and-dad-is-allowing-new-zealands-wealthy-to-become-opportunity-hoarders", - "creator": "Max Rashbrooke", - "pubDate": "2021-11-21T19:00:04Z", + "title": "Rogues Are on the March Around the World", + "description": "Iran and Russia give every sign they don’t take President Biden seriously.", + "content": "Iran and Russia give every sign they don’t take President Biden seriously.", + "category": "PAID", + "link": "https://www.wsj.com/articles/rogues-are-on-the-march-russia-kremlin-ukraine-putin-iran-nuclear-putin-xi-china-biden-11638724476", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 15:47:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6654afd7ff48af95a8d84e7169ff8084" + "hash": "a1209f0fa53a2b2935f3a79becc48e6f" }, { - "title": "'We need your criticism', Pope tells young people – video", - "description": "

    Speaking at St Peter's Basilica in the Vatican, Pope Francis encourages young people in their efforts to protect the environment, telling them to be 'the critical conscience of society'

    Continue reading...", - "content": "

    Speaking at St Peter's Basilica in the Vatican, Pope Francis encourages young people in their efforts to protect the environment, telling them to be 'the critical conscience of society'

    Continue reading...", - "category": "Pope Francis", - "link": "https://www.theguardian.com/world/video/2021/nov/21/we-need-your-criticism-pope-tells-young-people-video", + "title": "Bob Dole Loved Kansas and America", + "description": "‘Let’s go see the soldiers,’ he said in 2016. Getting around wasn’t easy, but paying tribute was worth it.", + "content": "‘Let’s go see the soldiers,’ he said in 2016. Getting around wasn’t easy, but paying tribute was worth it.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bob-dole-loved-kansas-and-america-senator-representative-county-attorney-11638732165", "creator": "", - "pubDate": "2021-11-21T16:55:17Z", + "pubDate": "Sun, 05 Dec 2021 15:44:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a4a2d259aed6d1168e8e0db2ef7f68f" + "hash": "d7478c9b34cf9b1b6efb60c74b8e934a" }, { - "title": "Sudanese PM’s release is only small step in resolving crisis", - "description": "

    Analysis: deal satisfies some international demands but route to democratic transition after fall of Omar al-Bashir remains unclear

    The deal to secure the release of the detained Sudanese prime minister, Abdalla Hamdok, signed by Hamdok and Gen Abdel Fattah al-Burhan, who seized power in a military coup on 25 October, leaves Sudan in a continuing crisis.

    While the agreement satisfies some of the immediate demands of the international community and mediators from the US and UN – not least securing the release of Hamdok and other political detainees – it leaves many of the country’s most serious issues in its political transition unresolved.

    Continue reading...", - "content": "

    Analysis: deal satisfies some international demands but route to democratic transition after fall of Omar al-Bashir remains unclear

    The deal to secure the release of the detained Sudanese prime minister, Abdalla Hamdok, signed by Hamdok and Gen Abdel Fattah al-Burhan, who seized power in a military coup on 25 October, leaves Sudan in a continuing crisis.

    While the agreement satisfies some of the immediate demands of the international community and mediators from the US and UN – not least securing the release of Hamdok and other political detainees – it leaves many of the country’s most serious issues in its political transition unresolved.

    Continue reading...", - "category": "Sudan", - "link": "https://www.theguardian.com/world/2021/nov/21/sudanese-pms-release-is-only-small-step-in-resolving-crisis", - "creator": "Peter Beaumont", - "pubDate": "2021-11-21T16:25:05Z", + "title": "Eric Zemmour Is No Donald Trump", + "description": "The French far-right candidate is presenting his vision in a manner that is attuned to the French elite.", + "content": "The French far-right candidate is presenting his vision in a manner that is attuned to the French elite.", + "category": "PAID", + "link": "https://www.wsj.com/articles/eric-zemmour-trump-french-presidential-election-populism-immigration-northern-africa-11638714147", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 15:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", - "read": false, + "feed": "Wall Street Journal", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "8cda8e2498f4eead05f12a5ed39294d5" + "hash": "e14d3f2c0d01c62401689fa3f2d5b66a" }, { - "title": "People used as 'living shields' in migration crisis, says Polish PM – video", - "description": "

    The Polish prime minister, Mateusz Morawiecki, says people from the Middle East are being used as 'living shields' as his country faces a 'new type of war', in reference to the migration crisis on its border with Belarus.

    Critics in the west have accused Belarus of artificially creating the crisis by bringing in people – mostly from the Middle East – and taking them to the border with promises of an easy crossing into the EU

    Continue reading...", - "content": "

    The Polish prime minister, Mateusz Morawiecki, says people from the Middle East are being used as 'living shields' as his country faces a 'new type of war', in reference to the migration crisis on its border with Belarus.

    Critics in the west have accused Belarus of artificially creating the crisis by bringing in people – mostly from the Middle East – and taking them to the border with promises of an easy crossing into the EU

    Continue reading...", - "category": "Poland", - "link": "https://www.theguardian.com/world/video/2021/nov/21/people-living-shields-migration-polish-pm-video-belarus-morawiecki", + "title": "Robert Dole Dies at Age 98", + "description": "The Kansan overcame grievous war wounds to twice lead the Senate.", + "content": "The Kansan overcame grievous war wounds to twice lead the Senate.", + "category": "PAID", + "link": "https://www.wsj.com/articles/robert-bob-dole-dies-at-age-98-clinton-campaign-1996-world-war-ii-veteran-senate-leader-11638726702", "creator": "", - "pubDate": "2021-11-21T13:41:31Z", + "pubDate": "Sun, 05 Dec 2021 13:48:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02e051fc55fc23aeb06dfb95a1f2e22c" + "hash": "c98ad2a2101fc0d9f481609b4fb5c520" }, { - "title": "Sajid Javid rules out compulsory Covid vaccinations in UK – video", - "description": "

    The health secretary says the UK 'won't ever look at' mandatory vaccinations for the general public, after Austria announced it would become the first country in Europe to make coronavirus jabs compulsory. This comes as several countries, including Belgium, Germany and Norway, revealed last week they were preparing to beef up measures to tackle low uptake of Covid-19 vaccines

    Continue reading...", - "content": "

    The health secretary says the UK 'won't ever look at' mandatory vaccinations for the general public, after Austria announced it would become the first country in Europe to make coronavirus jabs compulsory. This comes as several countries, including Belgium, Germany and Norway, revealed last week they were preparing to beef up measures to tackle low uptake of Covid-19 vaccines

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/video/2021/nov/21/sajid-javid-rules-out-compulsory-covid-vaccinations-in-uk-video", + "title": "Squaring Up to Defend Mathematics", + "description": "America’s top scientists warn about the political erosion of education standards.", + "content": "America’s top scientists warn about the political erosion of education standards.", + "category": "PAID", + "link": "https://www.wsj.com/articles/defending-mathematics-science-stem-equity-education-california-k12-math-matters-11638728196", "creator": "", - "pubDate": "2021-11-21T11:31:19Z", + "pubDate": "Sun, 05 Dec 2021 15:45:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf0544bb7abfbf830f6c1a6c6fcd8a74" + "hash": "17e516b5d6d8805c99250010227bc2cb" }, { - "title": "Indigenous community evicted as land clashes over agribusiness rock Paraguay", - "description": "

    Police in riot gear tore down a community’s homes and ripped up crops, highlighting the country’s highly unequal land ownership

    Armed police with water cannons and a low-flying helicopter have faced off against indigenous villagers brandishing sticks and bows in the latest clash over land rights in Paraguay, a country with one of the highest inequalities of land ownership in the world.

    Videos of Thursday’s confrontation showed officers in riot armour jostling members of the Hugua Po’i community – including children and elderly people – out of their homes and into torrential rain.

    Continue reading...", - "content": "

    Police in riot gear tore down a community’s homes and ripped up crops, highlighting the country’s highly unequal land ownership

    Armed police with water cannons and a low-flying helicopter have faced off against indigenous villagers brandishing sticks and bows in the latest clash over land rights in Paraguay, a country with one of the highest inequalities of land ownership in the world.

    Videos of Thursday’s confrontation showed officers in riot armour jostling members of the Hugua Po’i community – including children and elderly people – out of their homes and into torrential rain.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/21/paraguay-evictions-land-indigenous-agribusiness", - "creator": "Laurence Blair in Raúl Arsenio Oviedo", - "pubDate": "2021-11-21T10:30:09Z", + "title": "Labor Pains and Opportunities in Baseball", + "description": "A joint venture and the business promise of betting add up to a promising future.", + "content": "A joint venture and the business promise of betting add up to a promising future.", + "category": "PAID", + "link": "https://www.wsj.com/articles/labor-pains-and-opportunities-in-baseball-lockout-strike-free-agent-trading-cards-mlb-11638713802", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 15:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b8c06c4bad2beecc1c997059b6d8cd5c" + "hash": "0c89e856ed223a4c45347f0297d96647" }, { - "title": "ICU is full of the unvaccinated – my patience with them is wearing thin | Anonymous", - "description": "

    Most of the resources the NHS is devoting to Covid in hospital are being spent on people who have not had their jab

    In hospital, Covid-19 has largely become a disease of the unvaccinated. The man in his 20s who had always watched what he ate, worked out in the gym, was too healthy to ever catch Covid badly. The 48-year-old who never got round to making the appointment.

    The person in their 50s whose friend had side-effects. The woman who wanted to wait for more evidence. The young pregnant lady worried about the effect on her baby.

    The writer is an NHS respiratory consultant who works across a number of hospitals

    Continue reading...", - "content": "

    Most of the resources the NHS is devoting to Covid in hospital are being spent on people who have not had their jab

    In hospital, Covid-19 has largely become a disease of the unvaccinated. The man in his 20s who had always watched what he ate, worked out in the gym, was too healthy to ever catch Covid badly. The 48-year-old who never got round to making the appointment.

    The person in their 50s whose friend had side-effects. The woman who wanted to wait for more evidence. The young pregnant lady worried about the effect on her baby.

    The writer is an NHS respiratory consultant who works across a number of hospitals

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/21/icu-is-full-of-the-unvaccinated-my-patience-with-them-is-wearing-thin", - "creator": "Anonymous", - "pubDate": "2021-11-21T09:16:25Z", + "title": "What Spreads Faster Than Covid? Vaccination.", + "description": "Our last pointless ideological fight may be over whether the vaccinated are spreaders.", + "content": "Our last pointless ideological fight may be over whether the vaccinated are spreaders.", + "category": "PAID", + "link": "https://www.wsj.com/articles/what-spreads-faster-than-covid-19-vaccination-distribution-breakthrough-infection-omicron-11638570230", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:14:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0bd295d10feb765e2552c04ef6902dd4" + "hash": "4d19320ea97fe81ac3cc83865d2a640f" }, { - "title": "Large fire breaks out near Paris opera – video", - "description": "

    A large fire has broken out in a building on Boulevard des Capucines, near the Place de L’Opéra in central Paris, sending clouds of smoke rising into the air. People were told to avoid the area, which is popular with tourists, as fire crews tackled the blaze

    Continue reading...", - "content": "

    A large fire has broken out in a building on Boulevard des Capucines, near the Place de L’Opéra in central Paris, sending clouds of smoke rising into the air. People were told to avoid the area, which is popular with tourists, as fire crews tackled the blaze

    Continue reading...", - "category": "Paris", - "link": "https://www.theguardian.com/world/video/2021/nov/20/large-fire-breaks-out-near-paris-opera-video", + "title": "Murder and Mandates in Chicago", + "description": "Violence in the city soars as Mayor Lightfoot feuds with police.", + "content": "Violence in the city soars as Mayor Lightfoot feuds with police.", + "category": "PAID", + "link": "https://www.wsj.com/articles/murder-and-vaccine-mandates-in-chicago-lori-lightfoot-foxx-murder-homicide-violent-crime-11638723397", "creator": "", - "pubDate": "2021-11-20T17:36:22Z", + "pubDate": "Sun, 05 Dec 2021 15:46:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53d96469b0f948c683556575e7ca2242" + "hash": "f1b4eb084bba0763327f37ab12388ae5" }, { - "title": "Drivers scramble to grab cash that spilled on to California motorway – video", - "description": "

    Drivers in southern California have scrambled to pick up cash after bags of money fell out of an armoured vehicle on a motorway. Several bags broke open, spreading mainly $1 and $20 bills all over the lanes and bringing the motorway to a chaotic halt. Videos posted online showed people laughing and jumping into the air as they held wads of money

    Continue reading...", - "content": "

    Drivers in southern California have scrambled to pick up cash after bags of money fell out of an armoured vehicle on a motorway. Several bags broke open, spreading mainly $1 and $20 bills all over the lanes and bringing the motorway to a chaotic halt. Videos posted online showed people laughing and jumping into the air as they held wads of money

    Continue reading...", - "category": "California", - "link": "https://www.theguardian.com/us-news/video/2021/nov/20/drivers-scramble-to-grab-cash-that-spilled-on-to-california-motorway-video", + "title": "The Vast Promise of mRNA Technology", + "description": "The Covid vaccine platform offers real hope for treating many other diseases, including cancer. How an immigrant from Hungary played a prominent scientific role.", + "content": "The Covid vaccine platform offers real hope for treating many other diseases, including cancer. How an immigrant from Hungary played a prominent scientific role.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-vast-promise-of-mrna-vaccines-covid-19-omicron-shots-pfizer-biontech-ms-cancer-11638554419", "creator": "", - "pubDate": "2021-11-20T16:15:15Z", + "pubDate": "Fri, 03 Dec 2021 18:31:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "efb6249461ca3698cd1305c5433bb69a" + "hash": "17c312378e15a13e2d5cc6cc997d9167" }, { - "title": "Migrant caravan and Qatar’s tarnished World Cup: human rights this fortnight – in pictures", - "description": "

    A roundup of the struggle for human rights and freedoms, from Pakistan to Poland

    Continue reading...", - "content": "

    A roundup of the struggle for human rights and freedoms, from Pakistan to Poland

    Continue reading...", - "category": "World news", - "link": "https://www.theguardian.com/global-development/gallery/2021/nov/20/migrant-caravan-and-qatars-tarnished-world-cup-human-rights-this-fortnight-in-pictures", - "creator": "Sarah Johnson, compiled by Eric Hilaire", - "pubDate": "2021-11-20T07:30:21Z", + "title": "The Media Stonewalls on the Steele Dossier", + "description": "News companies are even more reluctant than other businesses to come clean about their misbehavior.", + "content": "News companies are even more reluctant than other businesses to come clean about their misbehavior.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-media-stonewalls-steele-dossier-disinformation-trump-nyt-washington-post-trump-11638718026", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 13:50:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "133a5421376d3835fd8c9274edf52ce4" + "hash": "25d9eb03c3d2d067f66ab5f40955b977" }, { - "title": "Covid live: Dutch police open fire at protest; German government not ruling out full lockdown", - "description": "

    Two injured as police in Rotterdam fire warning shots; German health minister says nothing can be ruled out

    A quick snap from Reuters here that the UK government has announced it will add booster shot status to the Covid-19 pass for outbound international travel, though it said they would not be added to the domestic pass at this time.

    The health ministry said that travellers who have had a booster or a third dose would be able to demonstrate their vaccine status through the NHS Covid pass from Friday, adding that a booster was not necessary to travel into England.

    This pandemic has exposed a vulnerability to whole-system emergencies – that is, emergencies that are so broad that they engage the entire system. Although the government had plans for an influenza pandemic, it did not have detailed plans for many non-health consequences and some health consequences of a pandemic like Covid-19. There were lessons from previous simulation exercises that were not fully implemented and would have helped prepare for a pandemic like Covid-19. There was limited oversight and assurance of plans in place, and many pre-pandemic plans were not adequate. In addition, there is variation in capacity, capability and maturity of risk management across government departments.

    Continue reading...", - "content": "

    Two injured as police in Rotterdam fire warning shots; German health minister says nothing can be ruled out

    A quick snap from Reuters here that the UK government has announced it will add booster shot status to the Covid-19 pass for outbound international travel, though it said they would not be added to the domestic pass at this time.

    The health ministry said that travellers who have had a booster or a third dose would be able to demonstrate their vaccine status through the NHS Covid pass from Friday, adding that a booster was not necessary to travel into England.

    This pandemic has exposed a vulnerability to whole-system emergencies – that is, emergencies that are so broad that they engage the entire system. Although the government had plans for an influenza pandemic, it did not have detailed plans for many non-health consequences and some health consequences of a pandemic like Covid-19. There were lessons from previous simulation exercises that were not fully implemented and would have helped prepare for a pandemic like Covid-19. There was limited oversight and assurance of plans in place, and many pre-pandemic plans were not adequate. In addition, there is variation in capacity, capability and maturity of risk management across government departments.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/live/2021/nov/19/covid-news-live-macron-says-locking-down-frances-unvaccinated-not-necessary", - "creator": "Nadeem Badshah (now); Lucy Campbell, Martin Belam and Samantha Lock (earlier)", - "pubDate": "2021-11-19T22:49:41Z", + "title": "Fly Me to the Swamp", + "description": "Washington is the hot destination for ‘protest tourism.’", + "content": "Washington is the hot destination for ‘protest tourism.’", + "category": "PAID", + "link": "https://www.wsj.com/articles/fly-me-to-the-swamp-11638568888", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 17:01:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", - "read": true, + "feed": "Wall Street Journal", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "08f063fdca9f0d51cd74a48737c107a3" + "hash": "1a7ee6f14aa199f9bf59ab7cdaf5d70c" }, { - "title": "Australia live news updates: Victoria Covid protests expected to escalate; NSW records 182 new cases; William Tyrrell search in sixth day", - "description": "

    Anti-fascist activists vow to counter-rally against another wave of planned ‘freedom rallies’ they claim have been infiltrated by far-right groups

    Asked about whether we can expect to see the introduction of a legislation for a federal anti-corruption commission in parliament in the next couple of weeks, Tim Wilson says it’s important that they “get the legislation right”:

    Because what we’ve had too often is proposals which are designed to establish, kind of, kangaroo courts, and actually would do more to breed distrust in the political conversation. We’ve seen that particularly in the consequence of what’s happening in ICAC in New South Wales.

    We want a process that’s based around integrity, that’s been consulted with the Australian community, and is actually going to do the job we need it to do, which is actually to breed trust and strength in the political system, not simply to create show trials, as I’ve seen it many times.

    I think this is pretty simple. You’ve got a group of people marching down the street with a life-sized execution device. You’ve got people threatening to kill the Premier of Victoria. If you’re any sort of leader, you just condemn that, full stop. You don’t go on and then say, “But I understand why people are frustrated.”

    I think it is legitimate to point out that Scott Morrison has pulled the sheet out of the Trump handbook here. Lie, deny, blame other people, never take responsibility for anything, try and divide the community, pander to the extreme right - this is Trump without the toupee. And, seriously, I think the Australian people deserve better than that.

    Continue reading...", - "content": "

    Anti-fascist activists vow to counter-rally against another wave of planned ‘freedom rallies’ they claim have been infiltrated by far-right groups

    Asked about whether we can expect to see the introduction of a legislation for a federal anti-corruption commission in parliament in the next couple of weeks, Tim Wilson says it’s important that they “get the legislation right”:

    Because what we’ve had too often is proposals which are designed to establish, kind of, kangaroo courts, and actually would do more to breed distrust in the political conversation. We’ve seen that particularly in the consequence of what’s happening in ICAC in New South Wales.

    We want a process that’s based around integrity, that’s been consulted with the Australian community, and is actually going to do the job we need it to do, which is actually to breed trust and strength in the political system, not simply to create show trials, as I’ve seen it many times.

    I think this is pretty simple. You’ve got a group of people marching down the street with a life-sized execution device. You’ve got people threatening to kill the Premier of Victoria. If you’re any sort of leader, you just condemn that, full stop. You don’t go on and then say, “But I understand why people are frustrated.”

    I think it is legitimate to point out that Scott Morrison has pulled the sheet out of the Trump handbook here. Lie, deny, blame other people, never take responsibility for anything, try and divide the community, pander to the extreme right - this is Trump without the toupee. And, seriously, I think the Australian people deserve better than that.

    Continue reading...", - "category": "Australia news", - "link": "https://www.theguardian.com/australia-news/live/2021/nov/20/australia-live-news-updates-victoria-covid-protests-expected-to-escalate-william-tyrrell-search-enters-in-sixth-day", - "creator": "Stephanie Convery", - "pubDate": "2021-11-19T22:49:38Z", + "title": "Look at Build Back Better's Benefits, Not Its Price Tag", + "description": "The media loves to focus on a big number, but the bill is paid for and delivers for the American people.", + "content": "The media loves to focus on a big number, but the bill is paid for and delivers for the American people.", + "category": "PAID", + "link": "https://www.wsj.com/articles/look-at-build-back-betters-benefits-not-price-tag-federal-budget-bbb-reconciliation-debt-cbo-11638718325", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 15:43:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f5a979fb06cf1d3ebb436dc8000ec15b" + "hash": "1406a867078a9634bedc84e0c4f274f8" }, { - "title": "Kyle Rittenhouse: Biden accepts verdict as acquittal sparks outrage – live", - "description": "

    Jerrold Nadler of New York, the Democratic chair of the House judiciary committee, is out with a much stronger statement than President Biden:

    “This heartbreaking verdict is a miscarriage of justice and sets a dangerous precedent which justifies federal review by [the Department of Justice].

    I stand by what the jury has to say. The jury system works.”

    Continue reading...", - "content": "

    Jerrold Nadler of New York, the Democratic chair of the House judiciary committee, is out with a much stronger statement than President Biden:

    “This heartbreaking verdict is a miscarriage of justice and sets a dangerous precedent which justifies federal review by [the Department of Justice].

    I stand by what the jury has to say. The jury system works.”

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/live/2021/nov/19/kyle-rittenhouse-verdict-not-guilty-kenosha-shooting-latest", - "creator": "Kari Paul (now) and Martin Pengelly (earlier)", - "pubDate": "2021-11-19T22:30:24Z", + "title": "I Finished Second in the Cheapskate Sweepstakes", + "description": "Tommy, Greg and I turned my 50th-birthday getaway into a competition to see who could be most frugal.", + "content": "Tommy, Greg and I turned my 50th-birthday getaway into a competition to see who could be most frugal.", + "category": "PAID", + "link": "https://www.wsj.com/articles/i-finished-second-in-the-cheapskate-sweepstakes-competition-friendship-budget-travel-11638731895", + "creator": "", + "pubDate": "Sun, 05 Dec 2021 15:40:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f819285396007403f2c263d950fd630f" + "hash": "b8706b59ba85d5019a1637487784ffa9" }, { - "title": "Omar Souleyman: singer held by Turkey over alleged militant links is freed", - "description": "

    Syrian questioned by police after reports he has ties to banned Kurdish People’s Protection Units

    Celebrated Syrian singer Omar Souleyman, who has performed at festivals around the world, has been released after being detained over alleged links to Kurdish militants.

    Souleyman was freed at 10.30pm (19.30 GMT) after a confusing day during which he was released in the morning before being taken back to a detention centre.

    Continue reading...", - "content": "

    Syrian questioned by police after reports he has ties to banned Kurdish People’s Protection Units

    Celebrated Syrian singer Omar Souleyman, who has performed at festivals around the world, has been released after being detained over alleged links to Kurdish militants.

    Souleyman was freed at 10.30pm (19.30 GMT) after a confusing day during which he was released in the morning before being taken back to a detention centre.

    Continue reading...", - "category": "Turkey", - "link": "https://www.theguardian.com/world/2021/nov/19/singer-omar-souleyman-held-by-turkey-over-alleged-militant-links-is-freed", - "creator": "AFP in Ankara", - "pubDate": "2021-11-19T22:23:28Z", + "title": "Yes, Justice Sotomayor, the Court Will 'Survive'", + "description": "The abortion case is about life and liberty, not her and her colleagues.", + "content": "The abortion case is about life and liberty, not her and her colleagues.", + "category": "PAID", + "link": "https://www.wsj.com/articles/justice-sotomayor-supreme-court-abortion-politicization-mississippi-dobbs-jackson-15-weeks-11638554054", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:31:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "23ccfb1e9231e5b992275d107181b630" + "hash": "d3801841deb9ee6a951176d7863aa153" }, { - "title": "Kyle Rittenhouse verdict declares open hunting season on progressive protesters | Cas Mudde", - "description": "

    Demonstrators in the US must fear not only police brutality but also rightwing vigilantes

    Kyle Rittenhouse – the armed white teenager whose mother drove him from Illinois to Wisconsin to allegedly “protect” local businesses from anti-racism protesters in Kenosha, whereupon he shot and killed two people and injured another – has been acquitted of all charges. I don’t think anyone who has followed the trial even casually will be surprised by this verdict. After the various antics by the elected judge, which seemed to indicate where his sympathies lay, and the fact that the prosecution asked the jurors to consider charges lesser than murder, the writing was on the wall.

    I do not want to discuss the legal particulars of the verdict. It is clear that the prosecution made many mistakes and got little to no leeway from the judge, unlike the defense team. Moreover, we know that “self-defense” – often better known as vigilantism – is legally protected and highly racialized in this country. Think of the acquittal of George Zimmerman of the killing of Trayvon Martin in 2013.

    Continue reading...", - "content": "

    Demonstrators in the US must fear not only police brutality but also rightwing vigilantes

    Kyle Rittenhouse – the armed white teenager whose mother drove him from Illinois to Wisconsin to allegedly “protect” local businesses from anti-racism protesters in Kenosha, whereupon he shot and killed two people and injured another – has been acquitted of all charges. I don’t think anyone who has followed the trial even casually will be surprised by this verdict. After the various antics by the elected judge, which seemed to indicate where his sympathies lay, and the fact that the prosecution asked the jurors to consider charges lesser than murder, the writing was on the wall.

    I do not want to discuss the legal particulars of the verdict. It is clear that the prosecution made many mistakes and got little to no leeway from the judge, unlike the defense team. Moreover, we know that “self-defense” – often better known as vigilantism – is legally protected and highly racialized in this country. Think of the acquittal of George Zimmerman of the killing of Trayvon Martin in 2013.

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/commentisfree/2021/nov/19/kyle-rittenhouse-verdict-acquitted-protest", - "creator": "Cas Mudde", - "pubDate": "2021-11-19T21:53:51Z", + "title": "How to Get Away With Manslaughter", + "description": "The Supreme Court’s McGirt ruling opened a bizarre loophole for Oklahoma criminals.", + "content": "The Supreme Court’s McGirt ruling opened a bizarre loophole for Oklahoma criminals.", + "category": "PAID", + "link": "https://www.wsj.com/articles/how-to-get-away-with-manslaughter-mcgirt-oklahoma-neil-gorsuch-supreme-court-11638484034", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:48:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8ab67233377322905e15426fa656389" + "hash": "15b0024c1cd7f60b3c4575bf043281cc" }, { - "title": "US wildfires have killed nearly 20% of world’s giant sequoias in two years", - "description": "

    Blazes in western US have hit thousands of Earth’s largest trees, once considered almost fire-proof

    Lightning-sparked wildfires killed thousands of giant sequoias this year, adding to a staggering two-year death toll that accounts for up to nearly a fifth of Earth’s largest trees, officials said on Friday.

    Fires in Sequoia national park and the surrounding national forest that also bears the trees’ name tore through more than a third of groves in California and torched an estimated 2,261 to 3,637 sequoias. Fires in the same area last year killed an unprecedented 7,500 to 10,400 of the 75,000 trees.

    Continue reading...", - "content": "

    Blazes in western US have hit thousands of Earth’s largest trees, once considered almost fire-proof

    Lightning-sparked wildfires killed thousands of giant sequoias this year, adding to a staggering two-year death toll that accounts for up to nearly a fifth of Earth’s largest trees, officials said on Friday.

    Fires in Sequoia national park and the surrounding national forest that also bears the trees’ name tore through more than a third of groves in California and torched an estimated 2,261 to 3,637 sequoias. Fires in the same area last year killed an unprecedented 7,500 to 10,400 of the 75,000 trees.

    Continue reading...", - "category": "Climate crisis in the American west", - "link": "https://www.theguardian.com/us-news/2021/nov/19/giant-sequoias-wildfires-killed", - "creator": "Associated Press", - "pubDate": "2021-11-19T21:15:39Z", + "title": "Hawaii Is No Paradise if You Need Medical Care", + "description": "High taxes contribute to a shortage of doctors while certificate-of-need laws crimp capacity.", + "content": "High taxes contribute to a shortage of doctors while certificate-of-need laws crimp capacity.", + "category": "PAID", + "link": "https://www.wsj.com/articles/hawaii-no-paradise-medical-care-covid-hospitals-honolulu-certificate-of-need-general-excise-tax-11638569759", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:12:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bfb9a52ede1aeb1b2d07cd54d69456bf" + "hash": "ed7f06c5b8dfc366263310858a0a85d2" }, { - "title": "'I'm not surprised': mixed reactions outside courthouse after Kyle Rittenhouse verdict – video", - "description": "

    A jury acquitted teenager Kyle Rittenhouse on Friday of murder after the fatal shooting of two men in a trial that highlighted divisions over gun rights and stirred fierce debate about the boundaries of self-defence in the United States. Amid a heavy law enforcement presence, several dozen protesters lined the steps outside the courthouse after the verdict was read, some carrying placards in support of Rittenhouse and others expressing disappointment

    Continue reading...", - "content": "

    A jury acquitted teenager Kyle Rittenhouse on Friday of murder after the fatal shooting of two men in a trial that highlighted divisions over gun rights and stirred fierce debate about the boundaries of self-defence in the United States. Amid a heavy law enforcement presence, several dozen protesters lined the steps outside the courthouse after the verdict was read, some carrying placards in support of Rittenhouse and others expressing disappointment

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/video/2021/nov/19/im-not-surprised-mixed-reaction-outside-courthouse-after-kyle-rittenhouse-verdict-video", + "title": "Biden's Covid Quagmire", + "description": "He can’t keep his promise to ‘beat’ the virus. Can he escape it before it’s too late?", + "content": "He can’t keep his promise to ‘beat’ the virus. Can he escape it before it’s too late?", + "category": "PAID", + "link": "https://www.wsj.com/articles/biden-covid-19-quagmire-omicron-variant-testing-vaccines-travel-restrictions-mask-approval-rating-11638485778", "creator": "", - "pubDate": "2021-11-19T20:54:26Z", + "pubDate": "Thu, 02 Dec 2021 18:25:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e7fd42ccccca4e5855f91231501aa01" + "hash": "270999591a05eef8ad1bfc8f2c4fea34" }, { - "title": "Kyle Rittenhouse found not guilty after fatally shooting two in Kenosha unrest", - "description": "

    Rittenhouse killed two people and injured a third at protests last year after a white officer shot a Black man, Jacob Blake, in the back

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped America.

    Rittenhouse killed Joseph Rosenbaum, 36, and Anthony Huber, 26, and wounded Gaige Grosskreutz, 27, when he shot them with an assault rifle as he roamed the streets of Kenosha with other armed men acting as a self-described militia during protests in August 2020, after a white police officer shot a Black man, Jacob Blake, in the back.

    Continue reading...", - "content": "

    Rittenhouse killed two people and injured a third at protests last year after a white officer shot a Black man, Jacob Blake, in the back

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped America.

    Rittenhouse killed Joseph Rosenbaum, 36, and Anthony Huber, 26, and wounded Gaige Grosskreutz, 27, when he shot them with an assault rifle as he roamed the streets of Kenosha with other armed men acting as a self-described militia during protests in August 2020, after a white police officer shot a Black man, Jacob Blake, in the back.

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/2021/nov/19/kyle-rittenhouse-verdict-kenosha-shooting", - "creator": "Maya Yang and Joanna Walters", - "pubDate": "2021-11-19T20:36:20Z", + "title": "Build Back Better vs. Small Business", + "description": "Wage mandates for green subsidies will squeeze nonunion shops.", + "content": "Wage mandates for green subsidies will squeeze nonunion shops.", + "category": "PAID", + "link": "https://www.wsj.com/articles/build-back-better-vs-small-business-house-spending-bill-congress-prevailing-wage-unions-contractors-11638572386", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:47:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6abf22ac705d9fdfb9a84436ca0d2ef7" + "hash": "d1cc1f296f102692af1c31c38ec3e1a1" }, { - "title": "Kiribati’s attempts to keep stranded Australian judge out of the country ruled unconstitutional", - "description": "

    In a landmark ruling, Kiribati’s chief justice ordered the government to allow high court judge David Lambourne to return

    A landmark judgment in the Pacific country of Kiribati has ruled the government’s actions in blocking an Australian, a judge on Kiribati’s high court, from returning to the island were unconstitutional.

    When David Lambourne left Kiribati in February 2020 to attend a conference in Australia, he thought it would be a brief and uneventful trip. Instead, the Australian judge, who has been resident of the Pacific nation for over two decades, found himself stranded after Covid-19 hit.

    Continue reading...", - "content": "

    In a landmark ruling, Kiribati’s chief justice ordered the government to allow high court judge David Lambourne to return

    A landmark judgment in the Pacific country of Kiribati has ruled the government’s actions in blocking an Australian, a judge on Kiribati’s high court, from returning to the island were unconstitutional.

    When David Lambourne left Kiribati in February 2020 to attend a conference in Australia, he thought it would be a brief and uneventful trip. Instead, the Australian judge, who has been resident of the Pacific nation for over two decades, found himself stranded after Covid-19 hit.

    Continue reading...", - "category": "Kiribati", - "link": "https://www.theguardian.com/world/2021/nov/20/kiribatis-attempts-to-keep-stranded-australian-judge-out-of-the-country-ruled-unconstitutional", - "creator": "Kieran Pender", - "pubDate": "2021-11-19T20:00:07Z", + "title": "A Young Boy Found Older Brothers in the Beatles", + "description": "Joe Peppercorn turned his gratitude for the band into an annual marathon of their music.", + "content": "Joe Peppercorn turned his gratitude for the band into an annual marathon of their music.", + "category": "PAID", + "link": "https://www.wsj.com/articles/peppercorn-brothers-john-lennon-paul-mccartney-george-harrison-ringo-starr-beatles-11638569898", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:10:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "277ac20ba31b2821ce4da1d8e8865bd1" + "hash": "bbe647c7814b0027f26f9115dc2406ec" }, { - "title": "‘I thought I was a goner’: survivors detail harrowing stories of Canada mudslides", - "description": "

    Emergency crews continue search for victims after flash floods tear through region

    Emergency crews in western Canada continued searching on Friday for victims of flash floods and mudslides which tore through the region this week, as survivors described harrowing escapes from the disaster.

    British Columbia declared its third state of emergency in a year on Wednesday after a month’s worth of rain fell in two days, swamping towns and cities, blocking major highways and leaving much of the province under water.

    Continue reading...", - "content": "

    Emergency crews continue search for victims after flash floods tear through region

    Emergency crews in western Canada continued searching on Friday for victims of flash floods and mudslides which tore through the region this week, as survivors described harrowing escapes from the disaster.

    British Columbia declared its third state of emergency in a year on Wednesday after a month’s worth of rain fell in two days, swamping towns and cities, blocking major highways and leaving much of the province under water.

    Continue reading...", - "category": "Canada", - "link": "https://www.theguardian.com/world/2021/nov/19/canada-floods-mudslides-survivors", - "creator": "Leyland Cecco in Toronto", - "pubDate": "2021-11-19T19:15:10Z", + "title": "What Jerome Powell Couldn't Say in His Speech, and Doesn't Know", + "description": "The Fed chief sticks to untested new policy tools while inflation transforms the American economy.", + "content": "The Fed chief sticks to untested new policy tools while inflation transforms the American economy.", + "category": "PAID", + "link": "https://www.wsj.com/articles/jerome-powell-doesnt-know-federal-reserve-chairman-inflation-transitory-average-target-11638457724", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 13:13:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10bd85deeb0da412bdf1ca4589084233" + "hash": "06959f10ee9546e6367fcbe5cff7eb6f" }, { - "title": "Kenosha shooting: jury finds Kyle Rittenhouse not guilty – video", - "description": "

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped the US

    Continue reading...", - "content": "

    A jury on Friday found Kyle Rittenhouse not guilty on charges related to his shooting dead two people at an anti-racism protest and injuring a third in Kenosha, Wisconsin, last year, after a tumultuous trial that gripped the US

    Continue reading...", - "category": "Kyle Rittenhouse", - "link": "https://www.theguardian.com/us-news/video/2021/nov/19/kenosha-shooting-jury-finds-kyle-rittenhouse-not-guilty-video", + "title": "Seattle Defunds the Police Again", + "description": "Voters have rejected lawlessness, but the City Council isn’t listening.", + "content": "Voters have rejected lawlessness, but the City Council isn’t listening.", + "category": "PAID", + "link": "https://www.wsj.com/articles/seattle-city-council-defunds-the-police-again-11638572886", "creator": "", - "pubDate": "2021-11-19T18:40:17Z", + "pubDate": "Fri, 03 Dec 2021 18:34:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53e6f3427606d1f9ad5987d6bcc566b2" + "hash": "2d3427149882b95b4bb0b30a83626c09" }, { - "title": "Oxford University identifies 145 artefacts looted in Benin raid", - "description": "

    Plundered items likely to be returned to Nigeria include plaques, bronze figures and musical instruments

    The University of Oxford is holding 145 objects looted by British troops during an assault on the city of Benin in 1897 that are likely to be repatriated to Nigeria, a report has said.

    More than two-thirds of the plundered items are owned by the university’s Pitt Rivers Museum, and 45 are on loan. They include brass plaques, bronze figures, carved ivory tusks, musical instruments, weaving equipment, jewellery, and ceramic and coral objects dating to the 13th century.

    Continue reading...", - "content": "

    Plundered items likely to be returned to Nigeria include plaques, bronze figures and musical instruments

    The University of Oxford is holding 145 objects looted by British troops during an assault on the city of Benin in 1897 that are likely to be repatriated to Nigeria, a report has said.

    More than two-thirds of the plundered items are owned by the university’s Pitt Rivers Museum, and 45 are on loan. They include brass plaques, bronze figures, carved ivory tusks, musical instruments, weaving equipment, jewellery, and ceramic and coral objects dating to the 13th century.

    Continue reading...", - "category": "University of Oxford", - "link": "https://www.theguardian.com/education/2021/nov/19/oxford-university-identifies-145-artefacts-looted-in-benin-raid", - "creator": "Harriet Sherwood Arts and culture correspondent", - "pubDate": "2021-11-19T18:28:23Z", + "title": "Will the Justices Let Go of Abortion?", + "description": "Overturning Roe v. Wade wouldn’t settle the issue, but it would create the possibility of a settlement.", + "content": "Overturning Roe v. Wade wouldn’t settle the issue, but it would create the possibility of a settlement.", + "category": "PAID", + "link": "https://www.wsj.com/articles/will-the-justices-let-go-of-abortion-roe-wade-jackson-mississipi-fifteen-weeks-dobbs-11638487513", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:51:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "70b9daac52fc4f03eb36554a3ca62200" + "hash": "e65932ee5aa900001bb45b9dab0ca4ff" }, { - "title": "Lewis Hamilton praised after wearing rainbow helmet in Qatar GP practice", - "description": "
    • Hamilton earns praise for LGBTQ+ ‘incredible act of allyship’
    • World champion has criticised Qatar’s human rights record

    Lewis Hamilton has been praised for “an incredible act of allyship” after wearing a rainbow-coloured helmet in practice at the inaugural Qatar Grand Prix.

    The seven-time Formula One world champion’s helmet bore the colours of the Progress Pride flag – a banner which includes the traditional rainbow design with additional colours that recognise the diversity of the LGBTQ+ community.

    Continue reading...", - "content": "
    • Hamilton earns praise for LGBTQ+ ‘incredible act of allyship’
    • World champion has criticised Qatar’s human rights record

    Lewis Hamilton has been praised for “an incredible act of allyship” after wearing a rainbow-coloured helmet in practice at the inaugural Qatar Grand Prix.

    The seven-time Formula One world champion’s helmet bore the colours of the Progress Pride flag – a banner which includes the traditional rainbow design with additional colours that recognise the diversity of the LGBTQ+ community.

    Continue reading...", - "category": "Lewis Hamilton", - "link": "https://www.theguardian.com/sport/2021/nov/19/lewis-hamilton-rainbow-helmet-qatar-grand-prix-formula-one", - "creator": "PA Media", - "pubDate": "2021-11-19T18:23:07Z", + "title": "November's Jobs Message to the Federal Reserve", + "description": "The labor market is healthy enough to take higher interest rates.", + "content": "The labor market is healthy enough to take higher interest rates.", + "category": "PAID", + "link": "https://www.wsj.com/articles/novembers-message-to-the-fed-jobs-report-unemployment-interest-rates-11638570571", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:37:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a7d8baa70ebc59a341cf3a83f8256a5" + "hash": "b0a7fe1c0cdcb18954ec0a0e62d7a55d" }, { - "title": "York’s anti-terror measures make centre a ‘no go zone’ for disabled people", - "description": "

    Campaigners say removal of blue badge parking to make way for new defences is in breach of Equality Act

    Disability rights campaigners are planning a legal challenge against York council after it voted to ban blue badge parking on key streets in the city centre.

    York Accessibility Action (YAA), an organisation founded by disabled York residents and carers, said the city has become a “no go zone” for many disabled people and there was now no suitable parking within 150 metres of the city centre.

    Continue reading...", - "content": "

    Campaigners say removal of blue badge parking to make way for new defences is in breach of Equality Act

    Disability rights campaigners are planning a legal challenge against York council after it voted to ban blue badge parking on key streets in the city centre.

    York Accessibility Action (YAA), an organisation founded by disabled York residents and carers, said the city has become a “no go zone” for many disabled people and there was now no suitable parking within 150 metres of the city centre.

    Continue reading...", - "category": "York", - "link": "https://www.theguardian.com/uk-news/2021/nov/19/york-anti-terror-measures-disabled-people-blue-badge-parking", - "creator": "Miranda Bryant", - "pubDate": "2021-11-19T18:16:46Z", + "title": "Omicron Reinfects Government", + "description": "Covid strategy needs a midcourse correction. It got Joe Biden’s vaccine mandate.", + "content": "Covid strategy needs a midcourse correction. It got Joe Biden’s vaccine mandate.", + "category": "PAID", + "link": "https://www.wsj.com/articles/omicron-reinfects-government-vaccines-mandates-inflexibility-crime-adapt-biden-fauci-11638394059", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:17:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b14fd059c076d84e5529403ad19c1de3" + "hash": "ae6d9a0575f0a736c8273bb531ab39af" }, { - "title": "Work on ‘Chinese military base’ in UAE abandoned after US intervenes – report", - "description": "

    Satellite images reportedly detected construction of secret facility at Khalifa port amid growing US-China rivalry

    US intelligence agencies found evidence this year of construction work on what they believed was a secret Chinese military facility in the United Arab Emirates, which was stopped after Washington’s intervention, according to a report on Friday.

    The Wall Street Journal reported that satellite imagery of the port of Khalifa had revealed suspicious construction work inside a container terminal built and operated by a Chinese shipping corporation, Cosco.

    Continue reading...", - "content": "

    Satellite images reportedly detected construction of secret facility at Khalifa port amid growing US-China rivalry

    US intelligence agencies found evidence this year of construction work on what they believed was a secret Chinese military facility in the United Arab Emirates, which was stopped after Washington’s intervention, according to a report on Friday.

    The Wall Street Journal reported that satellite imagery of the port of Khalifa had revealed suspicious construction work inside a container terminal built and operated by a Chinese shipping corporation, Cosco.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/nov/19/chinese-military-base-uae-construction-abandoned-us-intelligence-report", - "creator": "Julian Borger in Washington", - "pubDate": "2021-11-19T18:13:08Z", + "title": "Notable & Quotable: Stacey Abrams Says 'I Did Not Challenge' the Election", + "description": "‘When I acknowledged I would not become governor, that he had won the election, I did not challenge the outcome of the election.'", + "content": "‘When I acknowledged I would not become governor, that he had won the election, I did not challenge the outcome of the election.'", + "category": "PAID", + "link": "https://www.wsj.com/articles/notable-i-did-not-challenge-stacey-abrams-maddow-challenge-election-results-trump-11638569987", + "creator": "", + "pubDate": "Fri, 03 Dec 2021 18:11:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0b2084d86fce893097ad73f29a402d34" + "hash": "f9856e4c65632d30b45daf7c5e3d209d" }, { - "title": "House Democrats pass Biden’s expansive Build Back Better policy plan", - "description": "

    Bill now goes back to the Senate, where it faces total opposition from Republicans and an uphill battle against centrist Democrats

    Joe Biden has hailed the US House of Representatives for passing a $1.75tn social and climate spending bill, a central pillar of his agenda that must now go before the Senate.

    The Democratic majority in the House approved the Build Back Better Act on Friday despite fierce opposition from Republicans.

    Continue reading...", - "content": "

    Bill now goes back to the Senate, where it faces total opposition from Republicans and an uphill battle against centrist Democrats

    Joe Biden has hailed the US House of Representatives for passing a $1.75tn social and climate spending bill, a central pillar of his agenda that must now go before the Senate.

    The Democratic majority in the House approved the Build Back Better Act on Friday despite fierce opposition from Republicans.

    Continue reading...", - "category": "House of Representatives", - "link": "https://www.theguardian.com/us-news/2021/nov/19/house-democrats-pass-biden-expansive-build-back-better-policy-plan", - "creator": "Lauren Gambino and David Smith in Washington and Vivian Ho", - "pubDate": "2021-11-19T17:43:16Z", + "title": "America's Two-Track Jobs Recovery", + "description": "Memo to Ron Klain: Here are the pandemic policies that worked.", + "content": "Memo to Ron Klain: Here are the pandemic policies that worked.", + "category": "PAID", + "link": "https://www.wsj.com/articles/americas-two-track-jobs-recovery-republican-democrat-governors-lockdowns-covid-11638486433", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:46:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58746ce0800a93f0a0e772ad53b056d6" + "hash": "ac768b0eb4761b2da2d62393a7c3c255" }, { - "title": "David Lacey obituary", - "description": "Guardian sports writer whose wit and talent redefined what a football column could be

    It is not customary to look forward to Monday mornings but, in the heyday of the Guardian’s print sales in the late 1970s and 80s, many readers relished Monday’s paper more than anything else.

    On a features page would be Posy Simmonds’ weekly dissection of middle-class life. And, further back, stretched across the width of the main sports page, David Lacey would offer his weekly dissection of football. Like Posy’s cartoon strip, this was one of the great institutions of British journalism.

    Continue reading...", - "content": "Guardian sports writer whose wit and talent redefined what a football column could be

    It is not customary to look forward to Monday mornings but, in the heyday of the Guardian’s print sales in the late 1970s and 80s, many readers relished Monday’s paper more than anything else.

    On a features page would be Posy Simmonds’ weekly dissection of middle-class life. And, further back, stretched across the width of the main sports page, David Lacey would offer his weekly dissection of football. Like Posy’s cartoon strip, this was one of the great institutions of British journalism.

    Continue reading...", - "category": "Football", - "link": "https://www.theguardian.com/football/2021/nov/19/david-lacey-obituary", - "creator": "Matthew Engel", - "pubDate": "2021-11-19T17:41:00Z", + "title": "Ray Dalio's China Equivalence", + "description": "The investor’s comments show why so many Americans dislike Wall Street.", + "content": "The investor’s comments show why so many Americans dislike Wall Street.", + "category": "PAID", + "link": "https://www.wsj.com/articles/ray-dalios-china-equivalence-bridgewater-xi-jinping-wall-street-america-11638486891", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e18aabe01abcf7f8446c64af623ec5f" + "hash": "34d009471e41d40ac76c35492dbae60d" }, { - "title": "England and Wales ‘one step closer to ending child marriage’ after MP vote", - "description": "

    Second reading of bill to ban marriage for under-18s receives cross-party support

    A ban on child marriage in England and Wales came a step closer Friday with cross-party support for a new bill in the House of Commons.

    The marriage and civil partnership (minimum age) bill had its second reading in parliament, with government and opposition MPs supporting the private member’s bill brought by Conservative MP Pauline Latham.

    Continue reading...", - "content": "

    Second reading of bill to ban marriage for under-18s receives cross-party support

    A ban on child marriage in England and Wales came a step closer Friday with cross-party support for a new bill in the House of Commons.

    The marriage and civil partnership (minimum age) bill had its second reading in parliament, with government and opposition MPs supporting the private member’s bill brought by Conservative MP Pauline Latham.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/19/england-and-wales-one-step-closer-to-ending-child-marriage-after-mp-vote", - "creator": "Karen McVeigh", - "pubDate": "2021-11-19T17:33:09Z", + "title": "The Supreme Court Takes Up Religious Liberty---Again", + "description": "Organizations that get state money shouldn’t have to disavow their faith.", + "content": "Organizations that get state money shouldn’t have to disavow their faith.", + "category": "PAID", + "link": "https://www.wsj.com/articles/justices-take-up-religious-liberty-freedom-funding-schools-vaccines-supreme-court-comer-11638475065", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:25:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ccce405443bcd3260df67d7c2e79b314" + "hash": "2d29dec942c772b16a02a0ca29c0b066" }, { - "title": "Croatia violated rights of Afghan girl who was killed by train, court rules", - "description": "

    Madina Hussiny, 6, died after police refused to let her family apply for asylum and made them walk back to Serbia

    After four years of legal struggle, the European court of human rights (ECHR) has ruled that Croatian police were responsible for the death of a six-year-old Afghan girl when they forced her family to return to Serbia via train tracks without giving them the opportunity to seek asylum.

    The little girl, named Madina Hussiny, was struck and killed by a train after being pushed back with her family by the Croatian authorities in 2017.

    Continue reading...", - "content": "

    Madina Hussiny, 6, died after police refused to let her family apply for asylum and made them walk back to Serbia

    After four years of legal struggle, the European court of human rights (ECHR) has ruled that Croatian police were responsible for the death of a six-year-old Afghan girl when they forced her family to return to Serbia via train tracks without giving them the opportunity to seek asylum.

    The little girl, named Madina Hussiny, was struck and killed by a train after being pushed back with her family by the Croatian authorities in 2017.

    Continue reading...", - "category": "Serbia", - "link": "https://www.theguardian.com/global-development/2021/nov/19/croatia-violated-rights-of-afghan-girl-who-was-killed-by-train-court-rules", - "creator": "Lorenzo Tondo", - "pubDate": "2021-11-19T17:29:22Z", + "title": "Pete Buttigieg's Highway to Green Heaven", + "description": "The spending bill gives him new power to force CO2 cuts on states.", + "content": "The spending bill gives him new power to force CO2 cuts on states.", + "category": "PAID", + "link": "https://www.wsj.com/articles/pete-buttigiegs-highway-to-green-heaven-biden-administration-house-spending-bill-emissions-epa-11638481930", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:42:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "017194cb7b18a1a73c51388f3beeb676" + "hash": "32e34f745f2ff72d7cfeb075eff7047e" }, { - "title": "Kamala Harris takes on presidential role – briefly – as Biden has colonoscopy", - "description": "

    The vice-president became the first woman to wield the powers of the US presidency, during Biden’s routine medical procedure

    Kamala Harris on Friday morning became the first woman to wield presidential power in the US – temporarily, when Joe Biden had a colonoscopy under anesthetic.

    In a statement, the White House press secretary, Jen Psaki, said: “This morning, the president will travel to Walter Reed Medical Center for a routine physical. While he is there, the president will undergo a routine colonoscopy.

    Continue reading...", - "content": "

    The vice-president became the first woman to wield the powers of the US presidency, during Biden’s routine medical procedure

    Kamala Harris on Friday morning became the first woman to wield presidential power in the US – temporarily, when Joe Biden had a colonoscopy under anesthetic.

    In a statement, the White House press secretary, Jen Psaki, said: “This morning, the president will travel to Walter Reed Medical Center for a routine physical. While he is there, the president will undergo a routine colonoscopy.

    Continue reading...", - "category": "Kamala Harris", - "link": "https://www.theguardian.com/us-news/2021/nov/19/kamala-harris-presidential-powers-biden-colonoscopy", - "creator": "Martin Pengelly", - "pubDate": "2021-11-19T17:20:20Z", + "title": "Covid-19 and the Right to Travel", + "description": "Bans and quarantines are constitutionally suspect when applied against U.S. citizens.", + "content": "Bans and quarantines are constitutionally suspect when applied against U.S. citizens.", + "category": "PAID", + "link": "https://www.wsj.com/articles/covid-19-and-travel-ban-restrictions-unconstitutional-international-abroad-omicron-biden-11638458140", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 13:13:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3a0b1612366942a2158ca659c89740d6" + "hash": "4a89b59c3c13bba48619d7ab60fededd" }, { - "title": "Lukashenko says Belarusian troops may have helped refugees reach Europe", - "description": "

    Leader acknowledges it was ‘absolutely possible’ his army had a part in creating migrant crisis at Polish border

    The Belarusian leader, Alexander Lukashenko, has acknowledged that his troops probably helped Middle Eastern asylum seekers cross into Europe, in the clearest admission yet that he engineered the new migrant crisis on the border with the EU.

    In an interview with the BBC at his presidential palace in Minsk, he said it was “absolutely possible” that his troops helped migrants across the frontier into Poland.

    Continue reading...", - "content": "

    Leader acknowledges it was ‘absolutely possible’ his army had a part in creating migrant crisis at Polish border

    The Belarusian leader, Alexander Lukashenko, has acknowledged that his troops probably helped Middle Eastern asylum seekers cross into Europe, in the clearest admission yet that he engineered the new migrant crisis on the border with the EU.

    In an interview with the BBC at his presidential palace in Minsk, he said it was “absolutely possible” that his troops helped migrants across the frontier into Poland.

    Continue reading...", - "category": "Alexander Lukashenko", - "link": "https://www.theguardian.com/world/2021/nov/19/lukashenko-says-belarusian-troops-may-have-helped-refugees-reach-europe", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-11-19T17:03:46Z", + "title": "Boston's Eviction Ban Overreach", + "description": "A Massachusetts judge issues a scathing reprimand to the city.", + "content": "A Massachusetts judge issues a scathing reprimand to the city.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bostons-eviction-ban-overreach-massachusetts-judge-irene-bagdoian-11638476194", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:41:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9b4a3c4b2a08b97c14b7ea00ad1e2c71" + "hash": "2e52a17e404920d6360924434f6e2848" }, { - "title": "Peng Shuai: UN calls on China to prove tennis star’s whereabouts", - "description": "

    Women’s Tennis Association adds to pressure by saying it is considering pulling its tournaments out of China

    The UN has called on Chinese authorities to give proof of the whereabouts of tennis star Peng Shuai, as the White House said it was “deeply concerned” and the Women’s Tennis Association said it was prepared to pull its tournaments out of China over the matter.

    Peng, a former doubles world No 1, has not been seen in public since she accused the former high-ranking official Zhang Gaoli of sexual assault on 2 November.

    Continue reading...", - "content": "

    Women’s Tennis Association adds to pressure by saying it is considering pulling its tournaments out of China

    The UN has called on Chinese authorities to give proof of the whereabouts of tennis star Peng Shuai, as the White House said it was “deeply concerned” and the Women’s Tennis Association said it was prepared to pull its tournaments out of China over the matter.

    Peng, a former doubles world No 1, has not been seen in public since she accused the former high-ranking official Zhang Gaoli of sexual assault on 2 November.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/nov/19/peng-shuai-wta-prepared-to-pull-out-of-china-over-tennis-stars-disappearance", - "creator": "Helen Davidson in Taipei, Vincent Ni and Tumaini Carayol", - "pubDate": "2021-11-19T16:41:53Z", + "title": "Businesses Offer Higher Wages, but Who Will Accept Them?", + "description": "Latest NFIB employment survey shows a continuing labor shortage.", + "content": "Latest NFIB employment survey shows a continuing labor shortage.", + "category": "PAID", + "link": "https://www.wsj.com/articles/businesses-offer-higher-wages-but-who-will-accept-them-11638467214", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 12:46:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "80d0f1a6335f7f59099a54cce4a1f53e" + "hash": "b5e5fa5ada0515dfee94bc54bbbb6a7d" }, { - "title": "‘The strongman blinks’: why Narendra Modi has backed down to farmers", - "description": "

    Analysis: the authoritarian PM’s first retreat is a much needed triumph of democracy

    “The strongman finally blinks,” was how one commentator put it. On Friday morning, India woke to a surprise announcement by the prime minister, Narendra Modi, that he was repealing the farm laws, which have been at the heart of one of the greatest challenges his government had faced in almost eight years in power.

    It was a significant turning point, not only for the farmers, but for Indian politics and the reputation of the Bharatiya Janata party (BJP) government. Since Modi was first elected in 2014, his modus operandi has been that of a tough, unyielding, authoritarian strongman leader who does not bow to public pressure.

    Continue reading...", - "content": "

    Analysis: the authoritarian PM’s first retreat is a much needed triumph of democracy

    “The strongman finally blinks,” was how one commentator put it. On Friday morning, India woke to a surprise announcement by the prime minister, Narendra Modi, that he was repealing the farm laws, which have been at the heart of one of the greatest challenges his government had faced in almost eight years in power.

    It was a significant turning point, not only for the farmers, but for Indian politics and the reputation of the Bharatiya Janata party (BJP) government. Since Modi was first elected in 2014, his modus operandi has been that of a tough, unyielding, authoritarian strongman leader who does not bow to public pressure.

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/nov/19/the-strongman-blinks-why-narendra-modi-has-backed-down-to-farmers", - "creator": "Hannah Ellis-Petersen South Asia correspondent", - "pubDate": "2021-11-19T16:14:05Z", + "title": "Madrid, the City That Wouldn't Lock Down", + "description": "Isabel Díaz Ayuso called for freedom, kept the regional economy going, and won big at the polls.", + "content": "Isabel Díaz Ayuso called for freedom, kept the regional economy going, and won big at the polls.", + "category": "PAID", + "link": "https://www.wsj.com/articles/madrid-the-city-that-wouldnt-lockdown-isabel-diaz-ayuso-freedom-covid-19-coronavirus-11638475346", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 19:17:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "efa56dfd1fbfdfed13225ecd2d294540" + "hash": "5ab478a61e3f76284817a400aa08d81f" }, { - "title": "'An attack on our health system': Austria's chancellor condemns anti-vaxxers – video", - "description": "

    Austria is to go into a national lockdown to contain a fourth wave of coronavirus cases, the chancellor, Alexander Schallenberg, announced on Friday, as new infections hit a record high amid a pandemic surge across Europe. Despite all the persuasion and campaigns, too few people had decided to get vaccinated, Schallenberg said, leaving the country no other choice but to introduce mandatory vaccinations in February

    Continue reading...", - "content": "

    Austria is to go into a national lockdown to contain a fourth wave of coronavirus cases, the chancellor, Alexander Schallenberg, announced on Friday, as new infections hit a record high amid a pandemic surge across Europe. Despite all the persuasion and campaigns, too few people had decided to get vaccinated, Schallenberg said, leaving the country no other choice but to introduce mandatory vaccinations in February

    Continue reading...", - "category": "Austria", - "link": "https://www.theguardian.com/world/video/2021/nov/19/an-attack-on-our-health-system-austrias-chancellor-condemns-anti-vaxxers-video", + "title": "Notable & Quotable: School Money for Adults", + "description": "‘Spending on curriculum, textbooks, supplies and sundries is a small portion of school budgets.’", + "content": "‘Spending on curriculum, textbooks, supplies and sundries is a small portion of school budgets.’", + "category": "PAID", + "link": "https://www.wsj.com/articles/notable-quotable-school-money-education-spending-teachers-union-big-labor-nyc-little-rock-11638476038", "creator": "", - "pubDate": "2021-11-19T15:52:18Z", + "pubDate": "Thu, 02 Dec 2021 18:21:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1620dae01bdf4e7bbb6047a2669102c" + "hash": "0096effb8c6611cbddcb1280b23b186d" }, { - "title": "WTA’s hardline approach to Peng Shuai presents China with new problem", - "description": "

    Analysis: Up to now sports associations have rapidly backed down from rows with Beijing

    It is perhaps no coincidence that Chinese state media published an email purportedly written by the missing Chinese tennis star Peng Shuai shortly after reports emerged that the Biden administration was considering a “diplomatic boycott” of February’s Winter Olympics in Beijing.

    China says the Games are apolitical and – in the words of its embassy in Washington – “a grand gathering for countries and a fair stage for athletes from all over the world to compete”.

    Continue reading...", - "content": "

    Analysis: Up to now sports associations have rapidly backed down from rows with Beijing

    It is perhaps no coincidence that Chinese state media published an email purportedly written by the missing Chinese tennis star Peng Shuai shortly after reports emerged that the Biden administration was considering a “diplomatic boycott” of February’s Winter Olympics in Beijing.

    China says the Games are apolitical and – in the words of its embassy in Washington – “a grand gathering for countries and a fair stage for athletes from all over the world to compete”.

    Continue reading...", - "category": "China", - "link": "https://www.theguardian.com/world/2021/nov/19/wtas-hardline-approach-to-peng-shuai-presents-china-with-new-problem", - "creator": "Vincent Ni China affairs correspondent", - "pubDate": "2021-11-19T15:10:33Z", + "title": "Good Reasons to Go Slow on Abortion Precedents", + "description": "Overturning them all at once poses risks to legal and political stability. Gradualism is a better way.", + "content": "Overturning them all at once poses risks to legal and political stability. Gradualism is a better way.", + "category": "PAID", + "link": "https://www.wsj.com/articles/supreme-court-go-slow-roe-v-wade-abortion-precedents-gradualism-mississippi-dobbs-11638475763", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:28:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "287932a37469db5fbbefc5ab1cfc3fb3" + "hash": "ef2d50ff469155d80d9caaaf3fe94a2f" }, { - "title": "Do long jail sentences stop crime? We ask the expert", - "description": "

    Penelope Gibbs, former magistrate and founder of Transform Justice, on whether harsher sentences are effective

    Until recently, the subject of criminal punishment hasn’t been a massive concern for the public (putting aside that small demographic committed to a “hang ’em all!” approach). But in the wake of Sarah Everard’s murder, calls for misogyny to become a hate crime have gone from a whisper to a roar. That change would give judges the power to increase sentences when misogyny was found to be an aggravating factor in a crime. But would harsher sentences do much to stop such crimes happening? I asked Penelope Gibbs, former magistrate and founder of Transform Justice, a charity campaigning for a more effective justice system.

    Did you hear about the Thai fraudster who was sentenced to jail for more than 13,000 years? I guess they needed a number to describe ‘throwing away the key’. Are long sentences becoming more common?
    I don’t know about across the world, but I can tell you that in England and Wales sentences have been getting steadily longer over the past decade, by roughly 20%.

    Continue reading...", - "content": "

    Penelope Gibbs, former magistrate and founder of Transform Justice, on whether harsher sentences are effective

    Until recently, the subject of criminal punishment hasn’t been a massive concern for the public (putting aside that small demographic committed to a “hang ’em all!” approach). But in the wake of Sarah Everard’s murder, calls for misogyny to become a hate crime have gone from a whisper to a roar. That change would give judges the power to increase sentences when misogyny was found to be an aggravating factor in a crime. But would harsher sentences do much to stop such crimes happening? I asked Penelope Gibbs, former magistrate and founder of Transform Justice, a charity campaigning for a more effective justice system.

    Did you hear about the Thai fraudster who was sentenced to jail for more than 13,000 years? I guess they needed a number to describe ‘throwing away the key’. Are long sentences becoming more common?
    I don’t know about across the world, but I can tell you that in England and Wales sentences have been getting steadily longer over the past decade, by roughly 20%.

    Continue reading...", - "category": "Social trends", - "link": "https://www.theguardian.com/lifeandstyle/2021/nov/19/do-long-jail-sentences-stop-we-ask-the-expert", - "creator": "Coco Khan", - "pubDate": "2021-11-19T15:00:02Z", + "title": "On Health Policy, Donald Trump Beats Joe Biden Hands Down", + "description": "Operation Warp Speed achieved a breakthrough at low cost. Build Back Better would spend huge sums to encourage failure.", + "content": "Operation Warp Speed achieved a breakthrough at low cost. Build Back Better would spend huge sums to encourage failure.", + "category": "PAID", + "link": "https://www.wsj.com/articles/health-policy-donald-trump-beats-joe-biden-operation-warp-speed-covid-19-build-back-better-11638475736", + "creator": "", + "pubDate": "Thu, 02 Dec 2021 18:28:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a5a5a467125facba7845054008386f24" + "hash": "1a9bbc371cf385daed230e3fd4624215" }, { - "title": "Abducted Afghan psychiatrist found dead weeks after disappearance", - "description": "

    Family say the body of Dr Nader Alemi, who was taken by armed men in September, showed signs of torture

    One of Afghanistan’s most prominent psychiatrists, who was abducted by armed men in September, has been found dead, his family has confirmed.

    Dr Nader Alemi’s daughter, Manizheh Abreen, said that her father had been tortured before he died.

    Continue reading...", - "content": "

    Family say the body of Dr Nader Alemi, who was taken by armed men in September, showed signs of torture

    One of Afghanistan’s most prominent psychiatrists, who was abducted by armed men in September, has been found dead, his family has confirmed.

    Dr Nader Alemi’s daughter, Manizheh Abreen, said that her father had been tortured before he died.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/19/abducted-afghan-psychiatrist-found-dead-weeks-after-disappearance", - "creator": "Haroon Janjua in Islamabad", - "pubDate": "2021-11-19T14:44:35Z", + "title": "Deterring Russia in Ukraine", + "description": "Vladimir Putin is probing to see if the U.S. really would push back.", + "content": "Vladimir Putin is probing to see if the U.S. really would push back.", + "category": "PAID", + "link": "https://www.wsj.com/articles/deterring-vladimir-putin-in-ukraine-antony-blinken-joe-biden-russia-11638398219", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 19:09:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7553aed7889a0a24079dbb247451bf88" + "hash": "497bf9aded1ff62b7f3621b9f320622f" }, { - "title": "Marry Me: do you take the J-Lo/Owen Wilson romcom to be the weirdest film of 2022?", - "description": "

    Jennifer Lopez proposes to Owen Wilson, a maths teacher she’s never met. What was she thinking? How will it end? And does anyone care?

    Nobody really wants it to be 2021, do they? A vicious global pandemic is about to enter its third year, the world is on fire and populist politics threatens to overturn democracy as we know it. Some people have reacted to these terrible times by trying to change things. Others are willing themselves back to a more innocent era.

    By “others”, I mean Jennifer Lopez and Owen Wilson, who are doing their level best to make it 2005 again. How? By making a romcom, that’s how. If this was a decade and a half ago, then Marry Me would automatically be one of the biggest hits of the year, bringing together the unstoppable forces responsible for Maid in Manhattan and Wedding Crashers. But it isn’t 2005, it’s 2021, and the thought of watching Lopez and Wilson shuffle through a romcom together is baffling. Perhaps it’d help to go through the Marry Me trailer beat by beat.

    Continue reading...", - "content": "

    Jennifer Lopez proposes to Owen Wilson, a maths teacher she’s never met. What was she thinking? How will it end? And does anyone care?

    Nobody really wants it to be 2021, do they? A vicious global pandemic is about to enter its third year, the world is on fire and populist politics threatens to overturn democracy as we know it. Some people have reacted to these terrible times by trying to change things. Others are willing themselves back to a more innocent era.

    By “others”, I mean Jennifer Lopez and Owen Wilson, who are doing their level best to make it 2005 again. How? By making a romcom, that’s how. If this was a decade and a half ago, then Marry Me would automatically be one of the biggest hits of the year, bringing together the unstoppable forces responsible for Maid in Manhattan and Wedding Crashers. But it isn’t 2005, it’s 2021, and the thought of watching Lopez and Wilson shuffle through a romcom together is baffling. Perhaps it’d help to go through the Marry Me trailer beat by beat.

    Continue reading...", - "category": "Film", - "link": "https://www.theguardian.com/film/2021/nov/19/marry-me-do-you-take-the-j-loowen-wilson-romcom-to-be-the-weirdest-film-of-2022", - "creator": "Stuart Heritage", - "pubDate": "2021-11-19T14:42:26Z", + "title": "Will Santa Claus Visit Chuck Schumer?", + "description": "Traveling in a flying sleigh may be easier than passing what he wants by Christmas.", + "content": "Traveling in a flying sleigh may be easier than passing what he wants by Christmas.", + "category": "PAID", + "link": "https://www.wsj.com/articles/will-santa-claus-visit-chuck-schumer-senate-debt-limit-budget-build-back-better-ndaa-11638392522", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:41:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6cc82fac7c44ac39ca2917277b358eda" + "hash": "e33e44fc3719ba90777424f5b517dd01" }, { - "title": "‘Diagnosis is rebirth’: women who found out they were autistic as adults", - "description": "

    Women from around the world describe the life-changing impact of finally receiving a diagnosis

    Less than 20 hours after asking women who had received a late diagnosis of autism, we received 139 replies from around the world.

    There were women whose lives had been scarred by victimisation, from bullying to rape, because without a diagnosis they did not know they were highly vulnerable to manipulation and abuse.

    Continue reading...", - "content": "

    Women from around the world describe the life-changing impact of finally receiving a diagnosis

    Less than 20 hours after asking women who had received a late diagnosis of autism, we received 139 replies from around the world.

    There were women whose lives had been scarred by victimisation, from bullying to rape, because without a diagnosis they did not know they were highly vulnerable to manipulation and abuse.

    Continue reading...", - "category": "Autism", - "link": "https://www.theguardian.com/society/2021/nov/19/diagnosis-women-autism-later-life", - "creator": "Amelia Hill", - "pubDate": "2021-11-19T14:36:02Z", + "title": "Advantage, Women's Tennis Association", + "description": "The WTA announces it is suspending all tournaments in China.", + "content": "The WTA announces it is suspending all tournaments in China.", + "category": "PAID", + "link": "https://www.wsj.com/articles/advantage-womens-tennis-association-steve-simon-peng-shuai-china-beijing-11638400900", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:54:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "218a3c450632fa78fee6bde5ea4aeaaf" + "hash": "b9ad2c6eb2e29ca1c4c727b77d64bfe6" }, { - "title": "First known Covid case was Wuhan market vendor, says scientist", - "description": "

    Claim will reignite debate about origins of pandemic, a continuing source of tension between US and China

    The first known Covid-19 case was a vendor at the live-animal market in Wuhan, according to a scientist who has scrutinised public accounts of the earliest cases in China.

    The chronology is at odds with a timeline laid out in an influential World Health Organization (WHO) report, which suggested an accountant with no apparent link to the Hunan market was the first known case.

    Continue reading...", - "content": "

    Claim will reignite debate about origins of pandemic, a continuing source of tension between US and China

    The first known Covid-19 case was a vendor at the live-animal market in Wuhan, according to a scientist who has scrutinised public accounts of the earliest cases in China.

    The chronology is at odds with a timeline laid out in an influential World Health Organization (WHO) report, which suggested an accountant with no apparent link to the Hunan market was the first known case.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/19/first-covid-patient-in-wuhan-was-at-animal-market-study-finds", - "creator": "Hannah Devlin Science correspondent", - "pubDate": "2021-11-19T14:08:44Z", + "title": "A Biden Vaccine Mandate Puts Patients at Risk", + "description": "Washington’s threat to withhold Medicare and Medicaid funding is likely to do more harm than good.", + "content": "Washington’s threat to withhold Medicare and Medicaid funding is likely to do more harm than good.", + "category": "PAID", + "link": "https://www.wsj.com/articles/a-vaccine-mandate-puts-patients-at-risk-cms-healthcare-worker-shortage-covid-omicron-11638371830", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 17:41:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2a7d37ff561589a7ff4f96006ba01995" + "hash": "145d9846dd1083d9aacfb084cee736b0" }, { - "title": "Modi repeals controversial laws in surprise victory for Indian farmers – video report", - "description": "

    Narendra Modi has announced he will repeal three contentious farm laws that prompted a year of protests and unrest in India, in one of the most significant concessions made by his government and a huge victory for India’s farmers. They had fought hard for the repeal of what the farmers called the 'black laws' that put their livelihoods at risk and gave private corporations control over the pricing of their crops

    Continue reading...", - "content": "

    Narendra Modi has announced he will repeal three contentious farm laws that prompted a year of protests and unrest in India, in one of the most significant concessions made by his government and a huge victory for India’s farmers. They had fought hard for the repeal of what the farmers called the 'black laws' that put their livelihoods at risk and gave private corporations control over the pricing of their crops

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/video/2021/nov/19/modi-repeals-controversial-laws-victory-indian-farmers-video-report", - "creator": "Maheen Sadiq", - "pubDate": "2021-11-19T14:07:16Z", + "title": "Justice Sotomayor Gets Political on Abortion", + "description": "She loses her cool during the Supreme Court’s oral argument.", + "content": "She loses her cool during the Supreme Court’s oral argument.", + "category": "PAID", + "link": "https://www.wsj.com/articles/sonia-sotomayor-gets-political-supreme-court-dobbs-v-jackson-abortion-roe-casey-11638400452", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 19:08:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f1255a05b37e156c4f1a0f19c1d1681" + "hash": "5259dc03ef78821e7eb15460f4d7a409" }, { - "title": "‘It was mind-boggling’: Richard Gere on the rescue boat at the heart of Salvini trial", - "description": "

    Exclusive: the Hollywood actor, who lawyers have listed as a key witness, describes scenes of desperation on the Open Arms vessel

    The Hollywood actor Richard Gere has revealed for the first time the full story behind his mercy mission to the NGO rescue boat Open Arms as he prepares to testify as a witness against Italy’s former interior minister and far-right leader, Matteo Salvini, who is on trial for attempting to block the 147 people onboard from landing in Italy.

    In an exclusive interview with the Guardian, Gere, 72, who lawyers have listed as a key witness to the situation aboard the NGO rescue boat Open Arms, described the scenes of desperation he saw when he arrived on the vessel being held off the Italian island of Lampedusa in the summer of 2019 with conditions rapidly deteriorating.

    Continue reading...", - "content": "

    Exclusive: the Hollywood actor, who lawyers have listed as a key witness, describes scenes of desperation on the Open Arms vessel

    The Hollywood actor Richard Gere has revealed for the first time the full story behind his mercy mission to the NGO rescue boat Open Arms as he prepares to testify as a witness against Italy’s former interior minister and far-right leader, Matteo Salvini, who is on trial for attempting to block the 147 people onboard from landing in Italy.

    In an exclusive interview with the Guardian, Gere, 72, who lawyers have listed as a key witness to the situation aboard the NGO rescue boat Open Arms, described the scenes of desperation he saw when he arrived on the vessel being held off the Italian island of Lampedusa in the summer of 2019 with conditions rapidly deteriorating.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/19/richard-gere-open-arms-rescue-boat-heart-of-salvini-trial", - "creator": "Lorenzo Tondo in Palermo", - "pubDate": "2021-11-19T14:00:00Z", + "title": "China's Environmental Threat to Antarctica", + "description": "Beijing appears intent on exploiting the continent militarily and commercially.", + "content": "Beijing appears intent on exploiting the continent militarily and commercially.", + "category": "PAID", + "link": "https://www.wsj.com/articles/china-environmental-threat-to-antarctica-research-mining-satellites-telescopes-11638394184", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:40:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "52a01a7e7844b2a3cd4ef8ddc11b8e0a" + "hash": "cf35a90b06c28248fce4e0310af3bd83" }, { - "title": "‘We are more powerful than Modi’: Indian farmers celebrate U-turn on laws", - "description": "

    Camp outside Delhi cheers after PM announced revoking of farm laws following a year of protests

    The scent of victory was in the air. As tractors rolled through the protest camp on the outskirts of Delhi set up by farmers almost exactly a year ago, rousing cries of “long live the revolution” and “we defeated Modi” rang out. Old men with trailing silver beards and rainbow turbans danced on tractor roofs and flag-waving children were held up high.

    “For one year we have been at war,” said Ranjeet Singh, 32. “We have suffered, people have died. But today farmers won the war.”

    Continue reading...", - "content": "

    Camp outside Delhi cheers after PM announced revoking of farm laws following a year of protests

    The scent of victory was in the air. As tractors rolled through the protest camp on the outskirts of Delhi set up by farmers almost exactly a year ago, rousing cries of “long live the revolution” and “we defeated Modi” rang out. Old men with trailing silver beards and rainbow turbans danced on tractor roofs and flag-waving children were held up high.

    “For one year we have been at war,” said Ranjeet Singh, 32. “We have suffered, people have died. But today farmers won the war.”

    Continue reading...", - "category": "India", - "link": "https://www.theguardian.com/world/2021/nov/19/we-are-more-powerful-than-modi-indian-farmers-celebrate-laws-repealing", - "creator": "Hannah Ellis-Petersen in Singhu", - "pubDate": "2021-11-19T13:39:57Z", + "title": "Waukesha Killings Make the Media Colorblind Again", + "description": "The contrast with the Kyle Rittenhouse case illustrates the double standard.", + "content": "The contrast with the Kyle Rittenhouse case illustrates the double standard.", + "category": "PAID", + "link": "https://www.wsj.com/articles/waukesha-killings-make-the-media-colorblind-again-postracial-america-race-agenda-11638310613", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:21:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9d4d1c0cf54c8da3cb5bc51256e3262e" + "hash": "b305dbba754f16b212897919cc20344f" }, { - "title": "As millions face famine #CongoIsStarving is calling on Joe Biden to help | Vava Tampa", - "description": "

    Only a UN tribunal, sponsored by the US president, can end the culture of impunity fuelling violence and poverty in the DRC

    The numbers are difficult to absorb. According to a new IPC report, a record 27 million Congolese – roughly a quarter of the Democratic Republic of the Congo’s (DRC’s) population – are facing hunger, with 860,000 children under five acutely malnourished. The DRC is home to more starving people than any other country in the world. This could have been prevented.

    Without faith that their own president Félix Tshisekedi will act, people are turning to the US president, hoping that lobbying using the hashtag #CongoIsStarving on Twitter will urge Joe Biden to back the creation of an international criminal tribunal for the DRC to end the impunity fuelling violence and famine risk. Shockingly, it could be that simple to bring an end to this suffering; we are asking for solidarity, not charity, to save lives and end this nightmarish crisis.

    Continue reading...", - "content": "

    Only a UN tribunal, sponsored by the US president, can end the culture of impunity fuelling violence and poverty in the DRC

    The numbers are difficult to absorb. According to a new IPC report, a record 27 million Congolese – roughly a quarter of the Democratic Republic of the Congo’s (DRC’s) population – are facing hunger, with 860,000 children under five acutely malnourished. The DRC is home to more starving people than any other country in the world. This could have been prevented.

    Without faith that their own president Félix Tshisekedi will act, people are turning to the US president, hoping that lobbying using the hashtag #CongoIsStarving on Twitter will urge Joe Biden to back the creation of an international criminal tribunal for the DRC to end the impunity fuelling violence and famine risk. Shockingly, it could be that simple to bring an end to this suffering; we are asking for solidarity, not charity, to save lives and end this nightmarish crisis.

    Continue reading...", - "category": "Global development", - "link": "https://www.theguardian.com/global-development/2021/nov/19/as-millions-face-famine-congo-is-starving-is-calling-on-joe-biden-to-help", - "creator": "Vava Tampa", - "pubDate": "2021-11-19T12:40:13Z", + "title": "The Pentagon's Bureaucratic Posture Review", + "description": "A 10-month study reflects little strategic urgency about growing global threats.", + "content": "A 10-month study reflects little strategic urgency about growing global threats.", + "category": "PAID", + "link": "https://www.wsj.com/articles/bureaucratic-global-posture-review-pentagon-defense-biden-china-11638380029", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 19:05:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e13f3aaf53cbb5667dbafb0090a2b89e" + "hash": "34e50710106c2d082466a41b6c9ab753" }, { - "title": "Good or bad? Top cardiologist gives verdict on chocolate, coffee and wine", - "description": "

    Exclusive: Prof Thomas Lüscher assesses the heart healthiness of some of our favourite treats

    Dark chocolate is a “joy” when it comes to keeping your heart healthy, coffee is likely protective, but wine is at best “neutral”, according to one of the world’s leading cardiologists.

    As editor of the European Heart Journal for more than a decade, Prof Thomas Lüscher led a team that sifted through 3,200 manuscripts from scientists and doctors every year. Only a fraction – those deemed “truly novel” and backed up with “solid data” – would be selected for publication.

    Continue reading...", - "content": "

    Exclusive: Prof Thomas Lüscher assesses the heart healthiness of some of our favourite treats

    Dark chocolate is a “joy” when it comes to keeping your heart healthy, coffee is likely protective, but wine is at best “neutral”, according to one of the world’s leading cardiologists.

    As editor of the European Heart Journal for more than a decade, Prof Thomas Lüscher led a team that sifted through 3,200 manuscripts from scientists and doctors every year. Only a fraction – those deemed “truly novel” and backed up with “solid data” – would be selected for publication.

    Continue reading...", - "category": "Health", - "link": "https://www.theguardian.com/society/2021/nov/19/good-or-bad-top-cardiologist-gives-verdict-chocolate-coffee-wine", - "creator": "Andrew Gregory Health editor", - "pubDate": "2021-11-19T12:29:35Z", + "title": "'No' on Fed Chairman Jerome Powell", + "description": "He’s failed in his main mission, to keep the currency sound.", + "content": "He’s failed in his main mission, to keep the currency sound.", + "category": "PAID", + "link": "https://www.wsj.com/articles/no-on-jerome-powell-at-the-federal-reserve-nomination-brainard-lael-tom-cotton-inflation-11638392277", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 18:40:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3b8d572357562a5712b407d7c98b8f92" + "hash": "472bcb6cac2cddec42f988bb8614ed12" }, { - "title": "‘Storm clouds’ over Europe – but UK Covid rates remain high", - "description": "

    Analysis: likes of Slovakia and Austria have worse figures but UK’s have topped EU average for months

    As Covid infection rates surged again across Europe, Boris Johnson spoke this week of “storm clouds gathering” over parts of the continent and said it was unclear when or how badly the latest wave would “wash up on our shores”.

    The situation in some EU member states, particularly those with low vaccination rates, is indeed dramatic. In central and eastern Europe in particular, but also Austria, Belgium and the Netherlands, case numbers are rocketing.

    Continue reading...", - "content": "

    Analysis: likes of Slovakia and Austria have worse figures but UK’s have topped EU average for months

    As Covid infection rates surged again across Europe, Boris Johnson spoke this week of “storm clouds gathering” over parts of the continent and said it was unclear when or how badly the latest wave would “wash up on our shores”.

    The situation in some EU member states, particularly those with low vaccination rates, is indeed dramatic. In central and eastern Europe in particular, but also Austria, Belgium and the Netherlands, case numbers are rocketing.

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/2021/nov/19/storm-clouds-over-europe-but-uk-covid-rates-remain-higher", - "creator": "Jon Henley Europe correspondent", - "pubDate": "2021-11-19T12:25:02Z", + "title": "Michael Bloomberg: Why I'm Backing Charter Schools", + "description": "The public school system is failing. My philanthropy will give $750 million to a proven alternative.", + "content": "The public school system is failing. My philanthropy will give $750 million to a proven alternative.", + "category": "PAID", + "link": "https://www.wsj.com/articles/michael-bloomberg-why-im-backing-charter-schools-covid-19-learning-loss-teachers-union-11638371324", + "creator": "", + "pubDate": "Wed, 01 Dec 2021 11:00:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1d486951615eb7e842cbbe8d49adae5" + "hash": "cae3270b9e4596207863b18121f78412" }, { - "title": "Rap battles return in Rio’s City of God – in pictures", - "description": "

    Artists in the favela are starting to compete again after the Covid-19 pandemic curtailed public gatherings, a show that signals a return to normality for music lovers

    Continue reading...", - "content": "

    Artists in the favela are starting to compete again after the Covid-19 pandemic curtailed public gatherings, a show that signals a return to normality for music lovers

    Continue reading...", - "category": "Brazil", - "link": "https://www.theguardian.com/world/gallery/2021/nov/19/rap-battles-return-in-rio-city-of-god-in-pictures", - "creator": "Silvia Izquierdo/AP", - "pubDate": "2021-11-19T10:33:46Z", + "title": "An Abortion Crossroads at the Supreme Court", + "description": "The Court must consider the Constitution and long-time precedent.", + "content": "The Court must consider the Constitution and long-time precedent.", + "category": "PAID", + "link": "https://www.wsj.com/articles/an-abortion-crossroads-at-the-supreme-court-dobbs-jackson-mississippi-john-roberts-11638311038", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:54:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "89d1215fd92fef4b87c9db593af0c38a" + "hash": "034dbffece393a4e3be71d4d33586e8d" }, { - "title": "‘No way around it’: Austrians queue for jabs as unvaccinated told to stay home", - "description": "

    In Linz, jab willingness is rising as police check Covid passports – but confusion remains on what is essential travel

    On a street of shops in the Austrian city of Linz, a stone’s throw from the winding Danube river, two police officers in navy-blue uniforms and peaked white caps stop random passersby to check their vaccine passports.

    Elderly shoppers rummage around in their handbags and comply with a smile, but a fortysomething woman with a nose piercing is less forthcoming: she says she left her immunisation certificate on the kitchen table as she had to dash across town to see a dentist.

    Continue reading...", - "content": "

    In Linz, jab willingness is rising as police check Covid passports – but confusion remains on what is essential travel

    On a street of shops in the Austrian city of Linz, a stone’s throw from the winding Danube river, two police officers in navy-blue uniforms and peaked white caps stop random passersby to check their vaccine passports.

    Elderly shoppers rummage around in their handbags and comply with a smile, but a fortysomething woman with a nose piercing is less forthcoming: she says she left her immunisation certificate on the kitchen table as she had to dash across town to see a dentist.

    Continue reading...", - "category": "Austria", - "link": "https://www.theguardian.com/world/2021/nov/19/austrians-queue-for-covid-jabs-as-unvaccinated-told-to-stay-home", - "creator": "Philip Oltermann in Linz", - "pubDate": "2021-11-19T10:30:02Z", + "title": "Should We Be Adverse to the Metaverse?", + "description": "Students discuss a world in which business and personal interactions take place in an ever more realistic virtual reality.", + "content": "Students discuss a world in which business and personal interactions take place in an ever more realistic virtual reality.", + "category": "PAID", + "link": "https://www.wsj.com/articles/should-we-be-adverse-to-the-metaverse-zuckerberg-social-media-college-students-11638310340", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:39:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "10c33cdfa9760aecab1df372f9cd119e" + "hash": "0d5941b0bfaa772cf3f2cd21b520b323" }, { - "title": "Has Covid ended the neoliberal era? – podcast", - "description": "

    The year 2020 exposed the risks and weaknesses of the market-driven global system like never before. It’s hard to avoid the sense that a turning point has been reached. By Adam Tooze

    Continue reading...", - "content": "

    The year 2020 exposed the risks and weaknesses of the market-driven global system like never before. It’s hard to avoid the sense that a turning point has been reached. By Adam Tooze

    Continue reading...", - "category": "Coronavirus", - "link": "https://www.theguardian.com/world/audio/2021/nov/19/has-covid-ended-the-neoliberal-era-podcast", - "creator": "Written by Adam Tooze, read by Ben Norris and produced by Esther Opoku-Gyeni", - "pubDate": "2021-11-19T10:00:31Z", + "title": "Decoding the Omicron Panic", + "description": "Covid overkill is bad for everybody except the politicians.", + "content": "Covid overkill is bad for everybody except the politicians.", + "category": "PAID", + "link": "https://www.wsj.com/articles/decoding-the-omicron-panic-covid-vaccines-politics-lockdowns-variant-11638309070", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:22:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", - "read": true, + "feed": "Wall Street Journal", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e837a80c2e653b7a0f76923348aeff17" + "hash": "bea8abc79e70e441e7acee5dfd83c2dc" }, { - "title": "18,000 people stranded after floods and landslides in British Columbia – video", - "description": "

    Authorities and emergency crews in Canada are trying \nto reach 18,000 people stranded by \nmajor floods and landslides. The province of\nBritish Columbia declared\na state of emergency with concerns over further falls in coming days. Some grocery store shelves\nin affected areas have\nalso been stripped bare while floods and mudslides destroyed\nroads, houses and bridges,\nhampering rescue efforts

    Continue reading...", - "content": "

    Authorities and emergency crews in Canada are trying \nto reach 18,000 people stranded by \nmajor floods and landslides. The province of\nBritish Columbia declared\na state of emergency with concerns over further falls in coming days. Some grocery store shelves\nin affected areas have\nalso been stripped bare while floods and mudslides destroyed\nroads, houses and bridges,\nhampering rescue efforts

    Continue reading...", - "category": "Canada", - "link": "https://www.theguardian.com/world/video/2021/nov/19/18000-people-stranded-after-floods-and-landslides-in-british-columbia-video", + "title": "Sic 'Transitory' Gloria Fed", + "description": "Federal Reserve Chairman Jerome Powell finally abandons the word to describe 6% annual inflation over the last year.", + "content": "Federal Reserve Chairman Jerome Powell finally abandons the word to describe 6% annual inflation over the last year.", + "category": "PAID", + "link": "https://www.wsj.com/articles/sic-transitory-gloria-inflation-transitory-jerome-powell-pat-toomey-11638314379", "creator": "", - "pubDate": "2021-11-19T07:38:27Z", + "pubDate": "Tue, 30 Nov 2021 19:13:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", - "read": true, + "feed": "Wall Street Journal", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f51c87c5c30fcf9c8fe7f8646fc431ac" + "hash": "7cdeae8771120eb6f499549e8465b820" }, { - "title": "Rio Tinto’s past casts a shadow over Serbia’s hopes of a lithium revolution", - "description": "

    People in the Jadar valley fear environmental catastrophe as Europe presses for self-sufficiency in battery technology

    Photographs by Vladimir Zivojinovic

    A battery sign, flashing dangerously low, appears superimposed over a view of the globe as seen from space. “Green technologies, electric cars, clean air – all of these depend on one of the most significant lithium deposits in the world, which is located right here in Jadar, Serbia,” a gravel-voiced narrator announces. “We completely understand your concerns about the environment. Rio Tinto is carrying out detailed analyses, so as to make all of us sure that we develop the Jadar project in line with the highest environmental, security and health standards.”

    Beamed into the country’s living rooms on the public service channel RTS, the slick television ad, shown just after the evening news, finishes with images of reassuring scientists and a comforted young couple walking into the sunset: “Rio Tinto: Together we have the chance to save the planet.”

    Continue reading...", - "content": "

    People in the Jadar valley fear environmental catastrophe as Europe presses for self-sufficiency in battery technology

    Photographs by Vladimir Zivojinovic

    A battery sign, flashing dangerously low, appears superimposed over a view of the globe as seen from space. “Green technologies, electric cars, clean air – all of these depend on one of the most significant lithium deposits in the world, which is located right here in Jadar, Serbia,” a gravel-voiced narrator announces. “We completely understand your concerns about the environment. Rio Tinto is carrying out detailed analyses, so as to make all of us sure that we develop the Jadar project in line with the highest environmental, security and health standards.”

    Beamed into the country’s living rooms on the public service channel RTS, the slick television ad, shown just after the evening news, finishes with images of reassuring scientists and a comforted young couple walking into the sunset: “Rio Tinto: Together we have the chance to save the planet.”

    Continue reading...", - "category": "Serbia", - "link": "https://www.theguardian.com/global-development/2021/nov/19/rio-tintos-past-casts-a-shadow-over-serbias-hopes-of-a-lithium-revolution", - "creator": "Daniel Boffey in the Jadar valley, Serbia", - "pubDate": "2021-11-19T04:00:24Z", + "title": "A Playbook to Revive the Biden Presidency", + "description": "He’ll need to appeal to the center of the country, not his party, on, say, immigration.", + "content": "He’ll need to appeal to the center of the country, not his party, on, say, immigration.", + "category": "PAID", + "link": "https://www.wsj.com/articles/a-playbook-to-revive-the-biden-presidency-approval-ratings-losses-immigration-11638284975", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 12:26:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8ec657783da6df1834b5118f4f7affd3" + "hash": "ce868f863629418a454e85fe95aae2e8" }, { - "title": "‘We have fallen into a trap’: for hotel staff Qatar’s World Cup dream is a nightmare", - "description": "

    Exclusive: Seduced by salary promises, workers at Fifa-endorsed hotels allege they have been exploited and abused

    When Fifa executives step on to the asphalt in Doha next November for the start of the 2022 World Cup finals, their next stop is likely to be the check-in at one of Qatar’s glittering array of opulent hotels, built to provide the most luxurious possible backdrop to the biggest sporting event on earth.

    Now, with a year to go before the first match, fans who want to emulate the lifestyle of the sporting elite can head to Fifa’s hospitality website to plan their stay in the host nation. There they can scroll through a catalogue of exclusive, Fifa-endorsed accommodation, from boutique hotels to five-star resorts.

    Continue reading...", - "content": "

    Exclusive: Seduced by salary promises, workers at Fifa-endorsed hotels allege they have been exploited and abused

    When Fifa executives step on to the asphalt in Doha next November for the start of the 2022 World Cup finals, their next stop is likely to be the check-in at one of Qatar’s glittering array of opulent hotels, built to provide the most luxurious possible backdrop to the biggest sporting event on earth.

    Now, with a year to go before the first match, fans who want to emulate the lifestyle of the sporting elite can head to Fifa’s hospitality website to plan their stay in the host nation. There they can scroll through a catalogue of exclusive, Fifa-endorsed accommodation, from boutique hotels to five-star resorts.

    Continue reading...", - "category": "Workers' rights", - "link": "https://www.theguardian.com/global-development/2021/nov/18/we-have-fallen-into-a-trap-for-hotel-staff-qatar-world-cup-dream-is-a-nightmare", - "creator": "Pete Pattisson in Doha", - "pubDate": "2021-11-18T12:00:05Z", + "title": "A Dubious Union Revote at Amazon", + "description": "An NLRB ruling puts Big Labor’s interests above employees’ will.", + "content": "An NLRB ruling puts Big Labor’s interests above employees’ will.", + "category": "PAID", + "link": "https://www.wsj.com/articles/a-dubious-union-revote-at-amazon-alabama-nlrb-lisa-henderson-11638313026", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:52:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "573df2281e2c34694e689413f7700282" + "hash": "aefc0f17663150d2eecc30202adcb863" }, { - "title": "Lukashenko has got the ear of the EU at last – but it won’t help him", - "description": "

    The Belarusian leader may have won phone talks with Angela Merkel but Europe remains united against him

    As migrants camped out in the woods prepared for another night of sub-zero temperatures, the Estonian foreign minister, Eva-Maria Liimets, on Tuesday revealed to an evening news programme the gist of what Alexander Lukashenko demanded of Angela Merkel in the first call between a European leader and Belarus’s dictator in more than a year.

    “He wants the sanctions to be halted, [and] to be recognised as head of state so he can continue,” she said he told Merkel.

    Continue reading...", - "content": "

    The Belarusian leader may have won phone talks with Angela Merkel but Europe remains united against him

    As migrants camped out in the woods prepared for another night of sub-zero temperatures, the Estonian foreign minister, Eva-Maria Liimets, on Tuesday revealed to an evening news programme the gist of what Alexander Lukashenko demanded of Angela Merkel in the first call between a European leader and Belarus’s dictator in more than a year.

    “He wants the sanctions to be halted, [and] to be recognised as head of state so he can continue,” she said he told Merkel.

    Continue reading...", - "category": "Alexander Lukashenko", - "link": "https://www.theguardian.com/world/2021/nov/18/lukashenko-has-got-the-ear-of-the-eu-at-last-but-it-wont-help-him", - "creator": "Andrew Roth in Moscow", - "pubDate": "2021-11-18T05:00:02Z", + "title": "The Fed Battles Wyoming on Cryptocurrency", + "description": "Powell and Brainard stand in the way of sensible regulation.", + "content": "Powell and Brainard stand in the way of sensible regulation.", + "category": "PAID", + "link": "https://www.wsj.com/articles/the-fed-battles-wyoming-cryptocurrency-powell-brainard-bitcoin-digital-assets-spdi-fintech-11638308314", + "creator": "", + "pubDate": "Tue, 30 Nov 2021 18:24:00 -0500", + "enclosure": "", + "enclosureType": "", + "image": "", + "language": "en", "folder": "00.03 News/News - EN", - "feed": "The Guardian", + "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e10785fc4e601859f03ebb394ef1eab" - } - ], - "folder": "00.03 News/News - EN", - "name": "The Guardian", - "language": "en", - "hash": "85fc049a0df7fd039d58b9d2bb1dc214" - }, - { - "title": "RSSOpinion", - "subtitle": "", - "link": "http://online.wsj.com/page/2_0006.html", - "image": "http://online.wsj.com/img/wsj_sm_logo.gif", - "description": "RSSOpinion", - "items": [ + "hash": "bbb604335cf199f14f13fca2ead9aacb" + }, { - "title": "Joe Manchin's Inflation Vindication", - "description": "Prices rise 6.8% in a year, ample reason to shelve the Biden tax and spending blowout.", - "content": "Prices rise 6.8% in a year, ample reason to shelve the Biden tax and spending blowout.", + "title": "What Pro-Lifers Want From the Supreme Court", + "description": "It’s the job of the American people, not the justices, to decide abortion.", + "content": "It’s the job of the American people, not the justices, to decide abortion.", "category": "PAID", - "link": "https://www.wsj.com/articles/joe-manchins-inflation-vindication-consumer-prices-rise-build-back-better-joe-biden-11639171900", + "link": "https://www.wsj.com/articles/what-pro-lifers-want-supreme-court-casey-roe-undue-burden-dobbs-jackson-womens-health-11638222045", "creator": "", - "pubDate": "Fri, 10 Dec 2021 18:06:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:18:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -137926,20 +164422,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e0639eaf4908c49008ffba4ac3f1812" + "hash": "0fe01a3ec1a293bcbbf78a47b7758b1b" }, { - "title": "The U.S. Sanctions Everybody but Putin", - "description": "Western governments still shrink from truth-telling because it might destabilize his regime.", - "content": "Western governments still shrink from truth-telling because it might destabilize his regime.", + "title": "Richard Cordray to the Fed?", + "description": "Biden considers another protege of Elizabeth Warren to supervise banks.", + "content": "Biden considers another protege of Elizabeth Warren to supervise banks.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-us-sanctions-everybody-but-putin-russia-ukraine-threat-allies-domestic-approval-11639175749", + "link": "https://www.wsj.com/articles/richard-cordray-to-the-fed-joe-biden-cfpb-11638315333", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:48:00 -0500", + "pubDate": "Tue, 30 Nov 2021 18:51:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -137947,20 +164442,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "502bd550551bb779d3a06288792993c0" + "hash": "d1e6a5101b80518f407515761b32aa6b" }, { - "title": "Merrick Garland One-Ups Eric Holder", - "description": "The Justice Department is pursuing an even more partisan agenda than it did in the Obama years.", - "content": "The Justice Department is pursuing an even more partisan agenda than it did in the Obama years.", + "title": "How Many Cuomo Brothers Work at CNN?", + "description": "News outlets treated the politician like family.", + "content": "News outlets treated the politician like family.", "category": "PAID", - "link": "https://www.wsj.com/articles/merrick-garland-one-ups-eric-holder-biden-obama-texas-redistricting-voting-repression-strassel-11639092297", + "link": "https://www.wsj.com/articles/how-many-cuomo-brothers-work-at-cnn-11638313632", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:39:00 -0500", + "pubDate": "Tue, 30 Nov 2021 18:07:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -137968,20 +164462,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "0255147c44072af7a7b835ceaa7714ec" + "hash": "8b0b9b6dc7fb98621c04192af42c154b" }, { - "title": "No Rules for Progressive Radicals", - "description": "Biden appointees try to stage a coup against the director of the FDIC on bank mergers.", - "content": "Biden appointees try to stage a coup against the director of the FDIC on bank mergers.", + "title": "Notable & Quotable: Gordon Wood on Slavery", + "description": "‘The New York Times has the history completely backwards.’", + "content": "‘The New York Times has the history completely backwards.’", "category": "PAID", - "link": "https://www.wsj.com/articles/no-rules-for-progressives-radicals-rohit-chopra-jelena-mcwilliams-cfpb-fdic-richard-cordray-gigi-sohn-biden-11639161917", + "link": "https://www.wsj.com/articles/notable-quotable-gordon-wood-slavery-1619-project-nikole-hannah-jones-systemic-racism-11638308854", "creator": "", - "pubDate": "Fri, 10 Dec 2021 18:05:00 -0500", + "pubDate": "Tue, 30 Nov 2021 18:20:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -137989,20 +164482,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "442a01a758f8b23c6a44b356bf8cb4cf" + "hash": "15b19e632ac677c66211b4315a9e4702" }, { - "title": "The Bourbon Boom Puts Rural Kentucky Back on the Map", - "description": "A revival of interest in ‘America’s native spirit’ is undoing Prohibition’s economic damage.", - "content": "A revival of interest in ‘America’s native spirit’ is undoing Prohibition’s economic damage.", + "title": "John Roberts and the Abortion Precedents", + "description": "The chief justice has a chance to protect the Supreme Court, strike a blow for democracy, and overturn bad decisions.", + "content": "The chief justice has a chance to protect the Supreme Court, strike a blow for democracy, and overturn bad decisions.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-bourbon-boom-puts-rural-kentucky-back-on-the-map-rural-south-whiskey-prohibition-alcohol-11639160532", + "link": "https://www.wsj.com/articles/two-generations-of-roe-is-enough-abortion-law-overturn-11638286403", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:42:00 -0500", + "pubDate": "Tue, 30 Nov 2021 12:26:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138010,20 +164502,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "f9a2a10c748fb3c92b80e5e7536e02db" + "hash": "daab2c4ab25cbcf51a4adf06e819083d" }, { - "title": "At the Democracy Summit, Biden Bungles Again", - "description": "How did Pakistan and Congo pass muster when Singapore and Hungary were found wanting?", - "content": "How did Pakistan and Congo pass muster when Singapore and Hungary were found wanting?", + "title": "Hyperpartisan Gigi Sohn Doesn't Belong at the FCC", + "description": "Biden’s nominee has suggested regulators use their power to suppress the speech of conservatives.", + "content": "Biden’s nominee has suggested regulators use their power to suppress the speech of conservatives.", "category": "PAID", - "link": "https://www.wsj.com/articles/at-the-democracy-summit-biden-bungles-again-activists-human-rights-realism-china-xi-pakistan-11639083688", + "link": "https://www.wsj.com/articles/hyperpartisan-gigi-sohn-doesnt-belong-at-the-fcc-politicization-tweets-11638309404", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:18:00 -0500", + "pubDate": "Tue, 30 Nov 2021 18:24:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138031,20 +164522,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "0d72edad1ba0d2e7cde4090f0829f565" + "hash": "7fe5a3fffa701474467a8b49b652f3db" }, { - "title": "The Supreme Court's Abortion Standing", - "description": "The merits of the Texas law weren’t at issue, and the majority is right to block most pre-enforcement federal lawsuits.", - "content": "The merits of the Texas law weren’t at issue, and the majority is right to block most pre-enforcement federal lawsuits.", + "title": "The Omicron Non-Emergency", + "description": "Vaccine mandates are hurting hospitals, as a judge blocks Biden’s on health care workers.", + "content": "Vaccine mandates are hurting hospitals, as a judge blocks Biden’s on health care workers.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-supreme-courts-abortion-standing-texas-law-neil-gorsuch-11639175695", + "link": "https://www.wsj.com/articles/the-omicron-non-emergency-joe-biden-south-africa-kathy-hochul-11638225480", "creator": "", - "pubDate": "Fri, 10 Dec 2021 18:03:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:39:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138052,20 +164542,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "bd808e6de29b41dff8c7dfd0ede614a1" + "hash": "d8cf5fd3730c9c6bb636f7e60e343163" }, { - "title": "Kamala Harris Needs to Get Serious", - "description": "Her shaky standing is a danger to the country given the position she could be called on to fill.", - "content": "Her shaky standing is a danger to the country given the position she could be called on to fill.", + "title": "Where Did That IMF Covid Money Go?", + "description": "Iran got $5 billion, but the world’s poor countries aren’t benefitting from ‘special drawing rights.’", + "content": "Iran got $5 billion, but the world’s poor countries aren’t benefitting from ‘special drawing rights.’", "category": "PAID", - "link": "https://www.wsj.com/articles/kamala-harris-needs-to-get-serious-biden-administration-competency-approval-rating-polling-11639093358", + "link": "https://www.wsj.com/articles/where-did-that-imf-covid-cash-go-special-drawing-rights-11638223617", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:05:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:23:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138073,20 +164562,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "036f3cb1a6a59b3c0fbcd922c852f36e" + "hash": "b430984ac8919d4ea5f50d2e59f9bf8b" }, { - "title": "If the Supreme Court Overturns Roe v. Wade", - "description": "Yes, the end of Roe would disrupt U.S. politics and the idea that no liberal policy can ever change.", - "content": "Yes, the end of Roe would disrupt U.S. politics and the idea that no liberal policy can ever change.", + "title": "Hong Kong Says Vote---or Else", + "description": "China fears a boycott of the sham vote it will hold next month.", + "content": "China fears a boycott of the sham vote it will hold next month.", "category": "PAID", - "link": "https://www.wsj.com/articles/if-the-supreme-court-overturns-roe-v-wade-dobbs-jackson-mississippi-federalism-abortion-biden-11638995447", + "link": "https://www.wsj.com/articles/hong-kongs-rigged-election-china-legislative-council-11638224614", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:48:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:36:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138094,20 +164582,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "e892997d7c8f1f0be5ed9b574f282b8a" + "hash": "2817f70f1e201ab1849888e4a8d83d8c" }, { - "title": "Congress's Message to Biden on Defense", - "description": "The House overrules the Pentagon’s after-inflation budget cut.", - "content": "The House overrules the Pentagon’s after-inflation budget cut.", + "title": "The WTO's Fast Track to Irrelevance", + "description": "China and others try to exploit the pact, while Western nations burden it with irrelevant goals.", + "content": "China and others try to exploit the pact, while Western nations burden it with irrelevant goals.", "category": "PAID", - "link": "https://www.wsj.com/articles/congresss-message-to-biden-on-defense-national-defense-authorization-act-budget-11639082990", + "link": "https://www.wsj.com/articles/world-trade-organization-fast-track-irrelevance-tpp-cptpp-china-ministerial-conference-omicron-11638201072", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:58:00 -0500", + "pubDate": "Mon, 29 Nov 2021 13:02:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138115,20 +164602,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "56a33db0e1b463eeb20e7ca7b76382be" + "hash": "c2b7cc203292d5944eeb2dd9be71902c" }, { - "title": "Building Back Bitter", - "description": "Inflation hits a 39-year high as Biden continues to demand another federal spending surge.", - "content": "Inflation hits a 39-year high as Biden continues to demand another federal spending surge.", + "title": "Biden Joins the Lumber Trade Wars", + "description": "How not to fight inflation: raise home building costs by doubling tariffs.", + "content": "How not to fight inflation: raise home building costs by doubling tariffs.", "category": "PAID", - "link": "https://www.wsj.com/articles/building-back-bitter-11639171577", + "link": "https://www.wsj.com/articles/biden-joins-the-lumber-wars-commerce-department-tariffs-canada-11638226400", "creator": "", - "pubDate": "Fri, 10 Dec 2021 16:26:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:34:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138136,20 +164622,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "6b048c13f552a042e6d4d71df0dad9ef" + "hash": "931e6ddfe0c5ece161db466b7054f59c" }, { - "title": "Notable & Quotable: Checking Covid 'Facts'", - "description": "‘Claims that the 1963 movie ‘Omicron’ predicted the evolution of the latest variant strain of SARS-CoV-2 are false.’", - "content": "‘Claims that the 1963 movie ‘Omicron’ predicted the evolution of the latest variant strain of SARS-CoV-2 are false.’", + "title": "This Abortion Case 'Feels Different'", + "description": "The law before the high court this week focuses on protecting the unborn, not restricting women.", + "content": "The law before the high court this week focuses on protecting the unborn, not restricting women.", "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-checking-covid-fact-checking-omicron-misinformation-disinformation-reuters-11639160847", + "link": "https://www.wsj.com/articles/this-abortion-case-feels-different-supreme-court-unborn-dobbs-jackson-womens-health-11638223308", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:41:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:22:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138157,20 +164642,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "2e3c1ce0999b5113a2fa3f87cffdca05" + "hash": "5aef7750ca7098dfcdaae0b469f9e595" }, { - "title": "Norman Podhoretz on the Spiritual War for America", - "description": "The left wants to win, he says, but ‘I’m not sure anymore what our side wants.’ That’s a big part of what drew him to Trump.", - "content": "The left wants to win, he says, but ‘I’m not sure anymore what our side wants.’ That’s a big part of what drew him to Trump.", + "title": "Global Free Trade Is in Crisis", + "description": "Western leaders have failed to deal with economic dislocation and China’s cheating.", + "content": "Western leaders have failed to deal with economic dislocation and China’s cheating.", "category": "PAID", - "link": "https://www.wsj.com/articles/norman-podhoretz-spiritual-war-for-america-conservatism-republican-trump-youngkin-carlson-11639149560", + "link": "https://www.wsj.com/articles/the-world-free-trade-system-is-in-crisis-organization-meeting-omicron-tariffs-sanctions-11638220676", "creator": "", - "pubDate": "Fri, 10 Dec 2021 11:24:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:18:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138178,20 +164662,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "92787c97f40bf401dec057cbe29a0bcd" + "hash": "87787c2fa87a30fdce84fe66de3cc872" }, { - "title": "Invading Ukraine Is a Trap for Vladimir Putin", - "description": "Russia can’t be an empire without it, but it can’t even be a great power if it overreaches.", - "content": "Russia can’t be an empire without it, but it can’t even be a great power if it overreaches.", + "title": "The Erdogan Lira Crisis", + "description": "Turkey’s currency burns while its president fiddles with rates.", + "content": "Turkey’s currency burns while its president fiddles with rates.", "category": "PAID", - "link": "https://www.wsj.com/articles/ukraine-is-a-trap-for-vladimir-putin-donbas-invasion-russia-crimea-biden-germany-covid-11639171903", + "link": "https://www.wsj.com/articles/the-erdogan-lira-crisis-turkey-11638219071", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:49:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:32:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138199,20 +164682,19 @@ "favorite": false, "created": false, "tags": [], - "hash": "354c77dc04dfee7787cf38c8b9c5b8b5" + "hash": "6dc866141d70a032fd9e4f744ea69f36" }, { - "title": "Is MIT's Research Helping the Chinese Military?", - "description": "My concerns about how Beijing might be using our findings were dismissed as racist and political.", - "content": "My concerns about how Beijing might be using our findings were dismissed as racist and political.", + "title": "Biden's Partisan Pandemic History", + "description": "The President wastes another opportunity to lead on Covid.", + "content": "The President wastes another opportunity to lead on Covid.", "category": "PAID", - "link": "https://www.wsj.com/articles/is-mit-research-helping-the-chinese-military-pla-genocide-mcgovern-institute-partnerships-repression-11639149202", + "link": "https://www.wsj.com/articles/bidens-partisan-pandemic-history-11638224460", "creator": "", - "pubDate": "Fri, 10 Dec 2021 11:23:00 -0500", + "pubDate": "Mon, 29 Nov 2021 17:21:00 -0500", "enclosure": "", "enclosureType": "", "image": "", - "id": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", @@ -138220,16 +164702,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "edb47cb19f62385561f042a83e97bf07" + "hash": "38bf9aac1ddec5621e44177a971865aa" }, { - "title": "Biden's Federal Vaccine Mandate Wipeout", - "description": "The Administration ignored the law. It is getting crushed in court.", - "content": "The Administration ignored the law. It is getting crushed in court.", + "title": "The Left, the Ahmaud Arbery Verdict and 'Felony Murder'", + "description": "If the charge is unjust, the jury should have convicted only one of the defendants.", + "content": "If the charge is unjust, the jury should have convicted only one of the defendants.", "category": "PAID", - "link": "https://www.wsj.com/articles/bidens-covid-vaccine-mandate-wipeout-courts-11639076342", + "link": "https://www.wsj.com/articles/the-left-ahmaud-arbery-and-felony-murder-racial-discrimination-justice-ahmaud-arbery-11638222968", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:25:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:21:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138240,16 +164722,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "27271c1a3e43656f322a34047c320698" + "hash": "daf1370ba1437130d73bbd0a4a957c00" }, { - "title": "The Ayatollahs' Twitter Trolls", - "description": "How social-media companies help Iran’s regime suppress the democracy movement.", - "content": "How social-media companies help Iran’s regime suppress the democracy movement.", + "title": "'Leadership' and Dirty Tricks at Harvard", + "description": "The student council’s extreme measures to stave off a ‘vote of no confidence.’", + "content": "The student council’s extreme measures to stave off a ‘vote of no confidence.’", "category": "PAID", - "link": "https://www.wsj.com/articles/the-ayatollahs-twitter-trolls-protest-censorship-free-speech-iran-social-media-content-moderation-11639083078", + "link": "https://www.wsj.com/articles/leadership-and-dirty-tricks-at-harvard-election-votes-university-11638220916", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:45:00 -0500", + "pubDate": "Mon, 29 Nov 2021 18:19:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138260,16 +164742,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "696e276268cb0f4aadd8a57dfeb83f32" + "hash": "da0cf47f976b5c08650fd91b2e3a07c6" }, { - "title": "Who's Afraid of Nathan Law? China", - "description": "Biden’s democracy summit gets the right kind of criticism.", - "content": "Biden’s democracy summit gets the right kind of criticism.", + "title": "Courts and the Regulatory State", + "description": "The Supreme Court has a chance to revisit its Chevron deference to runaway bureaucracies.", + "content": "The Supreme Court has a chance to revisit its Chevron deference to runaway bureaucracies.", "category": "PAID", - "link": "https://www.wsj.com/articles/whos-afraid-of-nathan-law-china-chris-tang-biden-summit-for-democracy-11639090755", + "link": "https://www.wsj.com/articles/courts-and-the-regulatory-state-american-hospital-association-agencies-chevron-rulings-11638123948", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:01:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:17:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138280,16 +164762,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "7e7344d198c7e63928d890bf3b9aa3ed" + "hash": "ff378ebb4cf59c71581383437d0212c6" }, { - "title": "The Stealth Gas-Heating Tax", - "description": "The House methane ‘fee’ is a tax on consumers who use natural gas.", - "content": "The House methane ‘fee’ is a tax on consumers who use natural gas.", + "title": "Does Abortion Promote Equality for Women?", + "description": "No, says Mississippi’s Attorney General Lynn Fitch, as her office defends the state’s restrictions.", + "content": "No, says Mississippi’s Attorney General Lynn Fitch, as her office defends the state’s restrictions.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-stealth-home-heating-tax-methane-fee-house-democrats-spending-bill-joe-manchin-biden-11637963624", + "link": "https://www.wsj.com/articles/does-abortion-promote-equality-for-women-childbearing-law-11638115972", "creator": "", - "pubDate": "Thu, 09 Dec 2021 19:24:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:06:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138300,16 +164782,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c7d034e69eb8dbce9ff2eb12ef2ac1da" + "hash": "c739e270785697a2d7760cc4d26c4806" }, { - "title": "America Needs Saudi Self-Defense", - "description": "Without interceptors for Riyadh, America risks making Iran stronger and driving oil prices up.", - "content": "Without interceptors for Riyadh, America risks making Iran stronger and driving oil prices up.", + "title": "A California Attempt to Repair the Crumbling Pillar of U.S. Education", + "description": "A proposed ballot measure would make good schools a constitutional right.", + "content": "A proposed ballot measure would make good schools a constitutional right.", "category": "PAID", - "link": "https://www.wsj.com/articles/us-needs-saudi-arabia-arms-patriot-interceptors-drone-missile-houthis-oil-prices-biden-human-rights-11639064928", + "link": "https://www.wsj.com/articles/the-crumbling-pillar-of-education-california-dave-welch-vergara-school-choice-charter-11638115242", "creator": "", - "pubDate": "Thu, 09 Dec 2021 12:29:00 -0500", + "pubDate": "Sun, 28 Nov 2021 15:26:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138320,16 +164802,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "02e39fff3e45f8507925c6354cb7114f" + "hash": "8e42b87fe153be975513287e2e8a1aa3" }, { - "title": "Iran's Increasingly Short Path to a Bomb", - "description": "The 2015 deal’s lax rules made it easy for Tehran to advance its program.", - "content": "The 2015 deal’s lax rules made it easy for Tehran to advance its program.", + "title": "Stupid Inflation Tricks", + "description": "Democrats keep coming up with new culprits to blame for rising prices.", + "content": "Democrats keep coming up with new culprits to blame for rising prices.", "category": "PAID", - "link": "https://www.wsj.com/articles/irans-increasingly-short-path-to-a-bomb-nuclear-deal-biden-trump-jcpoa-11638887488", + "link": "https://www.wsj.com/articles/stupid-inflation-tricks-elizabeth-warren-inflation-poultry-cartel-11638129322", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:52:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:15:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138340,16 +164822,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8583f8a241fa3c306380d43d6c881009" + "hash": "3fc2c99c65cd2e3dc8e2a0624ff97979" }, { - "title": "Let's Pump the Brakes on Big Tech", - "description": "Smartphones exist to distract us. Cars require the opposite.", - "content": "Smartphones exist to distract us. Cars require the opposite.", + "title": "López Obrador Courts the Mexican Military", + "description": "The president tries a sweeping power grab in the name of ‘national security.’", + "content": "The president tries a sweeping power grab in the name of ‘national security.’", "category": "PAID", - "link": "https://www.wsj.com/articles/lets-pump-the-brakes-on-big-tech-car-distracted-driving-accidents-auto-maker-apple-google-11639064616", + "link": "https://www.wsj.com/articles/lopez-obrador-courts-the-mexican-military-amlo-national-security-powers-tariffs-trump-11638121942", "creator": "", - "pubDate": "Thu, 09 Dec 2021 13:34:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:03:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138360,16 +164842,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b1788370d7d0fe26a8a0fe3308b59fe1" + "hash": "4b27ad20b6acaefedc6b9a098dee1708" }, { - "title": "Biden Would Make Daycare Even More Expensive", - "description": "The Build Back Better bill would act like a $20,000 to $30,000 annual tax on middle-income families.", - "content": "The Build Back Better bill would act like a $20,000 to $30,000 annual tax on middle-income families.", + "title": "At Home in the Retirement Center", + "description": "My husband and I found convenience, camaraderie and the ability to relax.", + "content": "My husband and I found convenience, camaraderie and the ability to relax.", "category": "PAID", - "link": "https://www.wsj.com/articles/biden-would-make-daycare-even-pricier-child-care-cost-quality-regulation-build-back-better-11639084122", + "link": "https://www.wsj.com/articles/at-home-in-the-retirement-center-complex-neighbors-11638115526", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:47:00 -0500", + "pubDate": "Sun, 28 Nov 2021 16:59:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138380,16 +164862,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "d505c7b55bab9208544d9d1c5bc1006a" + "hash": "9328f04adbe92af1829b99be1530f67a" }, { - "title": "Court Packing Is Discreditable as Ever", - "description": "Judicial independence is too important to sacrifice for a majority’s temporary political advantage.", - "content": "Judicial independence is too important to sacrifice for a majority’s temporary political advantage.", + "title": "Iran Has Biden's Nuclear Number", + "description": "Tehran wants a ‘less for more’ deal that would be weaker than Obama’s.", + "content": "Tehran wants a ‘less for more’ deal that would be weaker than Obama’s.", "category": "PAID", - "link": "https://www.wsj.com/articles/court-packing-is-discreditable-as-ever-supreme-court-expansion-biden-progressives-constitution-11639083365", + "link": "https://www.wsj.com/articles/iran-has-biden-nuclear-number-antony-blinken-robert-malley-jake-sullivan-bomb-jcpoa-deal-11636487314", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:50:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:13:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138400,16 +164882,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "85298a4be84985d65d3568cd7b292620" + "hash": "5f57f3f8b708a9b228d6ac5f38a8f54c" }, { - "title": "What Hillary Might Have Said", - "description": "American greatness does not depend on a particular partisan outcome.", - "content": "American greatness does not depend on a particular partisan outcome.", + "title": "South Korea Wants to Declare Peace---Without Peace", + "description": "Seoul’s government wants Biden to sign onto empty words that won’t deter Pyongyang’s aggression.", + "content": "Seoul’s government wants Biden to sign onto empty words that won’t deter Pyongyang’s aggression.", "category": "PAID", - "link": "https://www.wsj.com/articles/what-hillary-might-have-said-11639098094", + "link": "https://www.wsj.com/articles/south-korea-wants-peace-without-peace-kim-jong-un-war-moon-jae-in-biden-north-korea-11638114856", "creator": "", - "pubDate": "Thu, 09 Dec 2021 20:01:00 -0500", + "pubDate": "Sun, 28 Nov 2021 15:27:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138420,16 +164902,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "e50b0bbac0f011a6fe46918de73d5a97" + "hash": "65f774d7a6dbc83859c862908ebfa764" }, { - "title": "Christendom's Greatest Satirist", - "description": "In Martin Luther’s age, Erasmus tried to bridge the Catholic-Protestant divide.", - "content": "In Martin Luther’s age, Erasmus tried to bridge the Catholic-Protestant divide.", + "title": "Is This a 'Normal' Covid Winter?", + "description": "Today’s surge would be worse if individuals and states hadn’t ignored Biden’s restrictions on booster shots.", + "content": "Today’s surge would be worse if individuals and states hadn’t ignored Biden’s restrictions on booster shots.", "category": "PAID", - "link": "https://www.wsj.com/articles/christendoms-greatest-satirist-desiderius-erasmus-martin-luther-reformation-catholic-polarization-11639083987", + "link": "https://www.wsj.com/articles/is-this-a-normal-covid-winter-aaron-rodgers-covid-natural-immunity-vaccines-11637960718", "creator": "", - "pubDate": "Thu, 09 Dec 2021 18:41:00 -0500", + "pubDate": "Fri, 26 Nov 2021 17:38:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138440,16 +164922,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "1f64cac6fc4a58fd512cf8dfc3a5fa06" + "hash": "de51b5f0395a9ab7fc767ea8488c76bc" }, { - "title": "Stupid Inflation Tricks, Round 2", - "description": "An energy executive instructs Sen. Warren on natural gas prices and CO2 emissions.", - "content": "An energy executive instructs Sen. Warren on natural gas prices and CO2 emissions.", + "title": "Financial Climate Risks Are Minimal", + "description": "A new Fed study finds that banks aren’t threatened, contrary to Biden regulatory claims.", + "content": "A new Fed study finds that banks aren’t threatened, contrary to Biden regulatory claims.", "category": "PAID", - "link": "https://www.wsj.com/articles/stupid-inflation-tricks-round-2-elizabeth-warren-toby-rice-eqt-energy-prices-natural-gas-11638990465", + "link": "https://www.wsj.com/articles/financial-climate-risks-are-minimal-federal-reserve-study-banks-11637270186", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:17:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:11:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138460,36 +164942,36 @@ "favorite": false, "created": false, "tags": [], - "hash": "8eb8600254628a6dfa528effb5dd12a4" + "hash": "895fd11f4fde32bc21b69e4f48dafe34" }, { - "title": "Inflation Isn't 'Transitory' on My Farm", - "description": "My shipment of flowerpots is floating in the Pacific, and my fertilizer costs could triple this year.", - "content": "My shipment of flowerpots is floating in the Pacific, and my fertilizer costs could triple this year.", + "title": "The Omicron Variant Panic", + "description": "Markets fall, but the biggest danger is more government lockdowns.", + "content": "Markets fall, but the biggest danger is more government lockdowns.", "category": "PAID", - "link": "https://www.wsj.com/articles/inflation-isnt-transitory-on-my-farm-supply-chain-shipping-small-business-trade-fertilizer-hawley-rubio-11638980824", + "link": "https://www.wsj.com/articles/the-omicron-variant-panic-covid-south-africa-markets-biden-administration-11637964316", "creator": "", - "pubDate": "Wed, 08 Dec 2021 12:33:00 -0500", + "pubDate": "Fri, 26 Nov 2021 18:16:00 -0500", "enclosure": "", "enclosureType": "", "image": "", "language": "en", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "6fc01e147b1176a2aeb23a55ab2097d8" + "hash": "5aa2f6c82189a9f4d026a0d4e281db55" }, { - "title": "Their Friends the Americans", - "description": "The Saudis are running out of ammo to defend against the Houthis.", - "content": "The Saudis are running out of ammo to defend against the Houthis.", + "title": "Jamie Dimon's China Joke Is on JPMorgan's 'Stakeholders'", + "description": "His kowtow shows that investor value is still paramount—and maybe in this case it shouldn’t be.", + "content": "His kowtow shows that investor value is still paramount—and maybe in this case it shouldn’t be.", "category": "PAID", - "link": "https://www.wsj.com/articles/their-friends-the-americans-saudi-arabia-houthis-iran-ammunition-senate-resolution-11638975527", + "link": "https://www.wsj.com/articles/jamie-dimon-joke-is-on-jpmorgan-chase-stakeholder-capitalism-china-communist-xi-esg-11638201619", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:04:00 -0500", + "pubDate": "Mon, 29 Nov 2021 13:02:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138500,16 +164982,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c2735e11713f274c28b1a661f826e93f" + "hash": "1e855e73bc6771dd4772b0495b8e1e52" }, { - "title": "Deter Russia by Arming NATO Allies", - "description": "Moscow is challenging Europe’s postwar security system, and not only by threatening Ukraine.", - "content": "Moscow is challenging Europe’s postwar security system, and not only by threatening Ukraine.", + "title": "School Closures Aren't Just for Covid Anymore", + "description": "Remote learning turns out to be an easy fix for other problems—never mind the huge educational costs.", + "content": "Remote learning turns out to be an easy fix for other problems—never mind the huge educational costs.", "category": "PAID", - "link": "https://www.wsj.com/articles/deter-russia-by-arming-nato-allies-ukraine-putin-invasion-poland-lithuania-belarus-biden-11638980893", + "link": "https://www.wsj.com/articles/school-closures-arent-just-for-covid-anymore-education-children-shutdown-remote-learning-11638116323", "creator": "", - "pubDate": "Wed, 08 Dec 2021 12:34:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:08:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138520,16 +165002,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "73e93d2b979873d10a88af97aca2ebce" + "hash": "cad884a7f4a35cd1453028e6e0587c03" }, { - "title": "The Predictable Consequences of 'Defund the Police'", - "description": "It took a spate of murders for the mayor of Oakland, Calif., to abandon the destructive slogan.", - "content": "It took a spate of murders for the mayor of Oakland, Calif., to abandon the destructive slogan.", + "title": "The Biden Era of Greed?", + "description": "Democrats’ inflation excuses lead to inconvenient conclusions.", + "content": "Democrats’ inflation excuses lead to inconvenient conclusions.", "category": "PAID", - "link": "https://www.wsj.com/articles/consequences-of-defunding-the-police-libby-schaaf-violent-crime-rate-murder-public-safety-11638915238", + "link": "https://www.wsj.com/articles/the-biden-era-of-greed-11637965598", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:24:00 -0500", + "pubDate": "Fri, 26 Nov 2021 17:26:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138540,16 +165022,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ad072c64ace4127ac75a7e181e68d45d" + "hash": "1da406554e572ecae8ca0e14b4d1f0ee" }, { - "title": "About All Those Pandemic Billionaires", - "description": "Thomas Piketty shows how government stoked wealth inequality.", - "content": "Thomas Piketty shows how government stoked wealth inequality.", + "title": "Iran's Nuclear Negotiators Make the U.S. Sit at the Kiddie Table", + "description": "The Islamic Republic relishes humiliating Americans while granting no concessions.", + "content": "The Islamic Republic relishes humiliating Americans while granting no concessions.", "category": "PAID", - "link": "https://www.wsj.com/articles/about-all-those-pandemic-billionaires-world-inequality-report-thomas-piketty-11638991033", + "link": "https://www.wsj.com/articles/iran-nuclear-jcpoa-tehran-enrichment-islamic-republic-11638129541", "creator": "", - "pubDate": "Wed, 08 Dec 2021 17:02:00 -0500", + "pubDate": "Sun, 28 Nov 2021 17:23:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138560,16 +165042,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "5b00c63f65d7306f2591f03e2a599f10" + "hash": "1da6301147c25eb3b044259b02a1cb4d" }, { - "title": "How I Reached the Tipping Point", - "description": "Another customer gave a Whole Foods cashier a hard time. I gave her a $20 bill.", - "content": "Another customer gave a Whole Foods cashier a hard time. I gave her a $20 bill.", + "title": "Narendra Modi Surrenders to the Farmers", + "description": "The repeal of three market-friendly agricultural laws will prevent India’s workers from moving to factories from farms.", + "content": "The repeal of three market-friendly agricultural laws will prevent India’s workers from moving to factories from farms.", "category": "PAID", - "link": "https://www.wsj.com/articles/how-i-reached-the-tipping-point-charity-kindness-giving-covid-19-masks-11638988631", + "link": "https://www.wsj.com/articles/modi-surrenders-to-the-farmers-narendra-laws-revoke-government-protests-11637810356", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:46:00 -0500", + "pubDate": "Fri, 26 Nov 2021 11:07:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138580,16 +165062,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "941214bd8e42d101f32b4e6326c29402" + "hash": "99852ba1746cebf8466697c8e89899d9" }, { - "title": "The Unbreakable Elizabeth Holmes", - "description": "Like the sitcom heroine, she’s innocent, more or less, and ready to move on.", - "content": "Like the sitcom heroine, she’s innocent, more or less, and ready to move on.", + "title": "San Franciscans Get What They Voted for With Chesa Boudin", + "description": "The Weather Underground scion isn’t the first district attorney they’ve elected on a soft-on-crime platform.", + "content": "The Weather Underground scion isn’t the first district attorney they’ve elected on a soft-on-crime platform.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-unbreakable-elizabeth-holmes-trial-theranos-lab-reports-fraud-silicon-valley-venture-capital-11638916935", + "link": "https://www.wsj.com/articles/san-francisco-crime-chesa-boudin-progressive-prosecutor-11637961667", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:19:00 -0500", + "pubDate": "Fri, 26 Nov 2021 17:45:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138600,16 +165082,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "3d54ddf3cd69eff0f959ca609ab9ff18" + "hash": "4f9e9275b96ab2be369edeeb6c878896" }, { - "title": "Capitalism---the People's Choice", - "description": "Gallup finds that most Americans prefer capitalism.", - "content": "Gallup finds that most Americans prefer capitalism.", + "title": "A Black Path to the Middle Class", + "description": "New research on the upward mobility of HBCU graduates.", + "content": "New research on the upward mobility of HBCU graduates.", "category": "PAID", - "link": "https://www.wsj.com/articles/capitalismthe-peoples-choice-11639000741", + "link": "https://www.wsj.com/articles/a-black-path-to-the-middle-class-hbcu-report-uncf-11637798974", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:59:00 -0500", + "pubDate": "Fri, 26 Nov 2021 18:14:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138620,16 +165102,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "4ac4c64504669403091c285a26a20abb" + "hash": "f2d5aa886f7f063999b89591e1dbf505" }, { - "title": "Hong Kong Listing Means More Trouble for Didi", - "description": "‘National security’ laws allow Beijing to operate with impunity, free from foreign regulatory scrutiny.", - "content": "‘National security’ laws allow Beijing to operate with impunity, free from foreign regulatory scrutiny.", + "title": "When Federal Employees Telecommute, Why Are Agencies in D.C.?", + "description": "The idea of moving offices to the heartland has been floated for years. It’s never been more relevant.", + "content": "The idea of moving offices to the heartland has been floated for years. It’s never been more relevant.", "category": "PAID", - "link": "https://www.wsj.com/articles/hong-kong-listing-means-trouble-for-didi-chuxing-hkex-nyse-xi-national-security-emerging-markets-11638988934", + "link": "https://www.wsj.com/articles/when-federal-employees-telecommute-why-are-agencies-in-d-c-pandemic-relocate-11637963307", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:50:00 -0500", + "pubDate": "Fri, 26 Nov 2021 17:42:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138640,16 +165122,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "31d24d36a05a5f7bb17f94e4756065e9" + "hash": "60b5f42126f31351e961ffd44f808760" }, { - "title": "Yes, the Crime Wave is as Bad as You Think", - "description": "Progressives gaslight the public by claiming things used to be worse.", - "content": "Progressives gaslight the public by claiming things used to be worse.", + "title": "Democrats Have a Waukesha Problem", + "description": "The massacre at a Christmas parade reveals the dangers of their crime policies.", + "content": "The massacre at a Christmas parade reveals the dangers of their crime policies.", "category": "PAID", - "link": "https://www.wsj.com/articles/yes-the-crime-wave-is-as-bad-as-you-think-murder-rate-violent-killings-shootings-defund-police-11638988699", + "link": "https://www.wsj.com/articles/democrats-waukesha-aoc-progressive-prosecutors-crime-wisconsin-bail-reform-11637796347", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:51:00 -0500", + "pubDate": "Thu, 25 Nov 2021 16:34:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138660,16 +165142,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "ebc10e0ee36566f2672be17b8a92fa69" + "hash": "157bcefc42b88f31380245eefae2d4fb" }, { - "title": "Children and the Burden of Covid Policy", - "description": "A mandate deadline approaches at one of America’s largest school systems.", - "content": "A mandate deadline approaches at one of America’s largest school systems.", + "title": "Will Noncitizens Pick New York's Mayors?", + "description": "The City Council wants to let some 800,000 vote in local elections.", + "content": "The City Council wants to let some 800,000 vote in local elections.", "category": "PAID", - "link": "https://www.wsj.com/articles/children-and-the-burden-of-covid-policy-11638995783", + "link": "https://www.wsj.com/articles/will-noncitizens-pick-new-yorks-mayors-11637968529", "creator": "", - "pubDate": "Wed, 08 Dec 2021 15:36:00 -0500", + "pubDate": "Fri, 26 Nov 2021 18:15:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138680,16 +165162,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "b28261a5ef8639c840ea61f13b9944cb" + "hash": "0db0b1572fa45fcb2dbcb90833722c8c" }, { - "title": "Those Who Campaign, Teach My Students", - "description": "In a semester at UT Austin, I tried to show how to hook voters and rise in politics.", - "content": "In a semester at UT Austin, I tried to show how to hook voters and rise in politics.", + "title": "The Kippahs on the Yeshiva University Basketball Court", + "description": "Its star player wants to be the first Orthodox Jew in the NBA.", + "content": "Its star player wants to be the first Orthodox Jew in the NBA.", "category": "PAID", - "link": "https://www.wsj.com/articles/those-who-campaign-teach-my-students-bush-trump-obama-carville-axelrod-baker-mckinnon-11638988456", + "link": "https://www.wsj.com/articles/the-kippahs-on-the-basketball-court-ryan-turell-yeshiva-university-winning-streak-11637943263", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:56:00 -0500", + "pubDate": "Fri, 26 Nov 2021 13:23:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138700,16 +165182,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f93350ea4ba49eb863535fc521b9b8ed" + "hash": "11fa57b8735b9618be26e897f5b1100c" }, { - "title": "Federal Courts Aren't Royal Ones", - "description": "The judiciary should make it harder for judges to influence the selection of their successors.", - "content": "The judiciary should make it harder for judges to influence the selection of their successors.", + "title": "An Honest Score for the Spending Bill", + "description": "Sen. John Cornyn wants CBO to report the true cost of the House entitlement blowout.", + "content": "Sen. John Cornyn wants CBO to report the true cost of the House entitlement blowout.", "category": "PAID", - "link": "https://www.wsj.com/articles/federal-courts-arent-royal-ones-separation-of-powers-judicial-successor-appointee-biden-king-11638988111", + "link": "https://www.wsj.com/articles/an-honest-score-for-the-spending-bill-cbo-house-congress-senator-john-cornyn-11637786112", "creator": "", - "pubDate": "Wed, 08 Dec 2021 16:54:00 -0500", + "pubDate": "Fri, 26 Nov 2021 18:12:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138720,16 +165202,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "cb8545231e771a3a1f5db910b3c7e621" + "hash": "1b7050c209c09843a08ff6422c8342a9" }, { - "title": "Biden's Supreme Court Packers Pack Up", - "description": "Their report on adding Justices puts the issue in the President’s court.", - "content": "Their report on adding Justices puts the issue in the President’s court.", + "title": "Social Distancing Was a Problem Before Covid", + "description": "Marriage and childbirth rates, declining for years, reached new lows during the pandemic.", + "content": "Marriage and childbirth rates, declining for years, reached new lows during the pandemic.", "category": "PAID", - "link": "https://www.wsj.com/articles/bidens-supreme-court-packers-pack-up-advisory-commission-report-11638918665", + "link": "https://www.wsj.com/articles/social-distancing-was-a-problem-before-covid-family-marriage-pandemic-religion-11637795685", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:54:00 -0500", + "pubDate": "Thu, 25 Nov 2021 15:00:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138740,16 +165222,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "8a2e4173366b4426186abb8d9b9e3fb5" + "hash": "d7bc46f00e2a0dd44d91394100d4ab85" }, { - "title": "The Fight for Ukraine From Putin's View", - "description": "He sees Russia’s loss of the country as a historic injustice. So how far will he go?", - "content": "He sees Russia’s loss of the country as a historic injustice. So how far will he go?", + "title": "Walter Kirn Is Middle America's Defiant Defender", + "description": "The novelist discusses the Kyle Rittenhouse verdict and urban elites’ illiberal attitudes toward those who live between the East and West coasts.", + "content": "The novelist discusses the Kyle Rittenhouse verdict and urban elites’ illiberal attitudes toward those who live between the East and West coasts.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-fight-for-ukraine-from-putin-view-vladimir-biden-talks-russia-unity-ussr-crimea-invasion-11638889320", + "link": "https://www.wsj.com/articles/walter-kirn-is-middle-america-indignant-defender-clooney-coastal-elites-liberals-11637945028", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:26:00 -0500", + "pubDate": "Fri, 26 Nov 2021 13:24:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138760,16 +165242,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "f07808e2c340683658a113bd0c961ff6" + "hash": "9baab3c5f2b142bc43fff39172f1753b" }, { - "title": "Trump's Georgia Vendetta", - "description": "He stokes a GOP primary fight that may elect Stacey Abrams.", - "content": "He stokes a GOP primary fight that may elect Stacey Abrams.", + "title": "10 Letters to Read: November's Most Notable Letters to the Editor", + "description": "A selection of contributions from our readers, including a famed military adviser, a former Fed official, a commercial pilot and more.", + "content": "A selection of contributions from our readers, including a famed military adviser, a former Fed official, a commercial pilot and more.", "category": "PAID", - "link": "https://www.wsj.com/articles/donald-trumps-georgia-vendetta-stacey-abrams-david-perdue-brian-kemp-11638835818", + "link": "https://www.wsj.com/articles/10-letters-to-read-november-editor-luttwak-cia-vaccine-mandate-children-books-retire-inflation-11637617738", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:54:00 -0500", + "pubDate": "Thu, 25 Nov 2021 13:35:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138780,16 +165262,16 @@ "favorite": false, "created": false, "tags": [], - "hash": "c48581e12ba81a20fc65e70b24d23fdd" + "hash": "610f0f70d4ce48c1d65c9e4df5c9ec27" }, { - "title": "Biden Finds a Culprit for America's Crime Wave: Covid-19", - "description": "The White House calls the virus a ‘root cause’ in an effort to shift blame from perpetrators and policies.", - "content": "The White House calls the virus a ‘root cause’ in an effort to shift blame from perpetrators and policies.", + "title": "The COP26 Plan to Keep Africa Poor", + "description": "We want to help with climate change, but our lives and economies depend on fossil fuels.", + "content": "We want to help with climate change, but our lives and economies depend on fossil fuels.", "category": "PAID", - "link": "https://www.wsj.com/articles/biden-tries-to-blame-covid-19-for-crime-shoplifting-looting-bail-reform-california-defund-police-11638802657", + "link": "https://www.wsj.com/articles/the-cop26-plan-to-keep-africa-poor-climate-change-clean-energy-11637964581", "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:15:00 -0500", + "pubDate": "Fri, 26 Nov 2021 17:40:00 -0500", "enclosure": "", "enclosureType": "", "image": "", @@ -138800,5420 +165282,5582 @@ "favorite": false, "created": false, "tags": [], - "hash": "95cb3a9928401b3323bdcfe03bb9c45f" + "hash": "074adbeeba25fb8c6ba55e2e2613aab4" }, { - "title": "Religious Schools and the Constitution", - "description": "The Supreme Court could extend a landmark school-choice case.", - "content": "The Supreme Court could extend a landmark school-choice case.", + "title": "Biden's Covid Death Milestone", + "description": "More Americans have died of the virus in 2021 than in all of 2020.", + "content": "More Americans have died of the virus in 2021 than in all of 2020.", "category": "PAID", - "link": "https://www.wsj.com/articles/religious-schools-and-the-constitution-supreme-court-carson-v-makin-maine-11638836528", + "link": "https://www.wsj.com/articles/bidens-covid-death-milestone-biden-administration-trump-11637708781", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:53:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:44:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea8e6b2f119dde0054568bafdac34d87" + "hash": "5dafb28ac7fc8a35c4331ef09529b690" }, { - "title": "The Supreme Court's Chance to Rein In the Regulatory State", - "description": "The doctrine of Chevron deference is at stake in an otherwise obscure case the justices heard last week.", - "content": "The doctrine of Chevron deference is at stake in an otherwise obscure case the justices heard last week.", + "title": "A Tax Break for Union Dues", + "description": "The House budget bill includes a $250 per worker write-off.", + "content": "The House budget bill includes a $250 per worker write-off.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-supreme-court-chance-to-rein-in-federal-agency-power-chevron-deference-gorsuch-barrett-11638888240", + "link": "https://www.wsj.com/articles/a-tax-break-for-union-dues-labor-house-democrats-budget-bill-11637689873", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:11:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:43:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9204847fee9c5749cfc4f5692966feb2" + "hash": "ad78323da0279333c7647edf2a529f64" }, { - "title": "Systemic Bias Against Asians", - "description": "To the San Francisco school board, some minorities are more equal than others.", - "content": "To the San Francisco school board, some minorities are more equal than others.", + "title": "Did Jamie Dimon Hit a Nerve?", + "description": "Jokes about Communist Party longevity are no laughing matter in China.", + "content": "Jokes about Communist Party longevity are no laughing matter in China.", "category": "PAID", - "link": "https://www.wsj.com/articles/systemic-anti-asian-bias-san-francisco-merit-test-sat-harvard-california-minorities-racism-11638830364", + "link": "https://www.wsj.com/articles/did-jamie-dimon-hit-a-nerve-china-communist-party-11637862914", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:27:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:42:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47425719eacf2bf17345562039ee887c" + "hash": "631c9b0527403825120b408e2e2aea83" }, { - "title": "Saule Omarova Withdraws", - "description": "The White House lost on her nomination because it is bowing to Elizabeth Warren on financial regulation.", - "content": "The White House lost on her nomination because it is bowing to Elizabeth Warren on financial regulation.", + "title": "How Did Activision Pass the ESG Test?", + "description": "Asset managers seem willing to include any company paying lip service to progressive priorities.", + "content": "Asset managers seem willing to include any company paying lip service to progressive priorities.", "category": "PAID", - "link": "https://www.wsj.com/articles/saule-omarova-withdraws-comptroller-of-the-currency-biden-elizabeth-warren-11638919303", + "link": "https://www.wsj.com/articles/activision-esg-vanguard-blackrock-fidelity-woke-gaming-investing-sexual-misconduct-11637794901", "creator": "", - "pubDate": "Tue, 07 Dec 2021 21:42:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:33:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3ca8dd438a0f9f09ade577c2936c3490" + "hash": "825d9e2abe157480e57ef0fff6568aeb" }, { - "title": "California Shoplifting 'With Relative Ease'", - "description": "But at least for the moment cops are still welcome in restaurants.", - "content": "But at least for the moment cops are still welcome in restaurants.", + "title": "The Housing Gang Is Getting Back Together for Another Bust", + "description": "Fan and Fred will buy mortgages up to $1 million, repeating the mistakes that led to the 2008 crash.", + "content": "Fan and Fred will buy mortgages up to $1 million, repeating the mistakes that led to the 2008 crash.", "category": "PAID", - "link": "https://www.wsj.com/articles/california-shoplifting-with-relative-ease-11638919761", + "link": "https://www.wsj.com/articles/the-housing-gang-is-getting-back-together-for-another-bust-inflation-mortgage-rates-11637794694", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:29:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:31:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dba4ed4f3cd217ac8022c3ae77889f54" + "hash": "078bd99978e71dbda296d58e2651e7e0" }, { - "title": "China Will Soon Lead the U.S. in Tech", - "description": "Beijing pulls ahead in 5G and artificial intelligence, while catching up in semiconductors.", - "content": "Beijing pulls ahead in 5G and artificial intelligence, while catching up in semiconductors.", + "title": "The Film That Taught Me to 'Let It Be'", + "description": "The Beatles start to say goodbye in the 1970 documentary.", + "content": "The Beatles start to say goodbye in the 1970 documentary.", "category": "PAID", - "link": "https://www.wsj.com/articles/china-will-soon-lead-the-us-in-tech-global-leader-semiconductors-5g-wireless-green-energy-11638915759", + "link": "https://www.wsj.com/articles/the-beatles-let-it-be-peter-jackson-john-paul-george-ringo-friendship-1970-11637795405", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:26:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:29:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ce2b514996e488fb65388b479110797e" + "hash": "94bfb30f6faf102cce6c9e927ce5c709" }, { - "title": "Notable & Quotable: Masking My 6-Year-Old", - "description": "‘It’s the entire system, starting at the top with elected leadership, that is failing our children.’", - "content": "‘It’s the entire system, starting at the top with elected leadership, that is failing our children.’", + "title": "Why My Church Grew During the Pandemic", + "description": "Our priests had no intention of limiting access to the Lord.", + "content": "Our priests had no intention of limiting access to the Lord.", "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-masking-my-6-year-old-education-mandates-schooling-covid-19-hochul-11638916196", + "link": "https://www.wsj.com/articles/why-my-church-grew-during-the-pandemic-mass-service-catholic-adoration-eucharist-11637795847", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:18:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 16:27:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "39ed59ece58d6c3cbd3ef3dde8eca2d3" + "hash": "9093c193b186b07482d03ea227e4e7ad" }, { - "title": "De Blasio's Vaccine Mandate Looks Unlawful", - "description": "The Supreme Court has approved only far milder measures.", - "content": "The Supreme Court has approved only far milder measures.", + "title": "Breaking News From 1795: Jane Austen Falls in Love", + "description": "A poem in the author’s irresistible novel ‘Emma’ may reveal the Irishman who captured her heart.", + "content": "A poem in the author’s irresistible novel ‘Emma’ may reveal the Irishman who captured her heart.", "category": "PAID", - "link": "https://www.wsj.com/articles/de-blasio-vaccine-mandate-looks-unlawful-shots-covid-19-private-employees-new-york-bill-11638916746", + "link": "https://www.wsj.com/articles/jane-austen-tom-lefroy-kipling-emma-persuasion-love-decoding-pride-prejudice-11637794443", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:25:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 25 Nov 2021 14:59:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b315dffc2c580450ca40c303affecfb8" + "hash": "8edc2c5488ce84209ab6f01860f08148" }, { - "title": "Tax the Rich: Good or Bad Idea?", - "description": "Students discuss raising rates.", - "content": "Students discuss raising rates.", + "title": "The Leadership Germans Wanted", + "description": "A more-of-the-same government emerges from a muddled vote.", + "content": "A more-of-the-same government emerges from a muddled vote.", "category": "PAID", - "link": "https://www.wsj.com/articles/tax-the-rich-good-or-bad-wealth-rate-unrealized-capital-gains-investment-build-back-better-11638916192", + "link": "https://www.wsj.com/articles/the-leadership-germans-wanted-olaf-scholz-angela-merkel-christian-lindner-11637773238", "creator": "", - "pubDate": "Tue, 07 Dec 2021 18:55:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Wed, 24 Nov 2021 19:42:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5a199466e356ee794b86ae5656c2e648" + "hash": "aef9b84e8548c9c440ebc35540d63a06" }, { - "title": "Gigi Sohn's Strange Bedfellows", - "description": "OAN and Newsmax push a left-wing nominee who targets conservatives.", - "content": "OAN and Newsmax push a left-wing nominee who targets conservatives.", + "title": "The Ahmaud Arbery Verdict", + "description": "A Georgia jury rejects a citizen’s-arrest defense in the 2020 killing.", + "content": "A Georgia jury rejects a citizen’s-arrest defense in the 2020 killing.", "category": "PAID", - "link": "https://www.wsj.com/articles/gigi-sohns-strange-bedfellows-newsmax-media-oan-fox-confirmation-censorship-net-neutraility-11638722334", + "link": "https://www.wsj.com/articles/the-ahmaud-arbery-verdict-travis-greg-mcmichael-william-bryan-11637800000", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:57:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Wed, 24 Nov 2021 19:41:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9e235cd980517d3cca174e0c16257c1a" + "hash": "4f8458432217a5cd69717ec45431d795" }, { - "title": "The U.S. Needs a Hypersonic Capability Now", - "description": "Washington mothballed its program just as Beijing made developing the technology a priority.", - "content": "Washington mothballed its program just as Beijing made developing the technology a priority.", + "title": "'One More at the Table'", + "description": "High prices and shortages challenge consumers and food pantries, but the joy of Thanksgiving remains in abundance.", + "content": "High prices and shortages challenge consumers and food pantries, but the joy of Thanksgiving remains in abundance.", "category": "PAID", - "link": "https://www.wsj.com/articles/america-needs-a-hypersonic-capability-china-xi-beijing-missile-weapons-attack-defense-budget-11638827597", + "link": "https://www.wsj.com/articles/one-more-at-the-table-11637783628", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:42:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Wed, 24 Nov 2021 14:53:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "948f21d499e9cd756f76a688de71f97f" + "hash": "f4198adc09e40a2be28258bab3bd279e" }, { - "title": "Biden's Only Honorable Course on Ukraine and Russia", - "description": "If the U.S. wavers, Moscow will benefit and Iran and China will capitalize.", - "content": "If the U.S. wavers, Moscow will benefit and Iran and China will capitalize.", + "title": "What the Kyle Rittenhouse Trial Says About America", + "description": "Students weigh in on American culture and the criminal-justice system.", + "content": "Students weigh in on American culture and the criminal-justice system.", "category": "PAID", - "link": "https://www.wsj.com/articles/biden-only-honorable-course-on-ukraine-russia-putin-border-troops-amass-iran-china-afghanistan-11638825314", + "link": "https://www.wsj.com/articles/what-the-kyle-rittenhouse-trial-says-about-america-kenosha-shooting-acquitted-riots-11637706467", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:28:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:44:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fc1c01f41529eceecfa508a8380b3efe" + "hash": "5a49c7baf57df74bc4551e601d81e4ff" }, { - "title": "Remote Learning Fails the Test", - "description": "New research finds student scores fell more sharply where virtual learning was prevalent.", - "content": "New research finds student scores fell more sharply where virtual learning was prevalent.", + "title": "The Desolate Wilderness", + "description": "An account of the Pilgrims’ journey to Plymouth in 1620, as recorded by Nathaniel Morton.", + "content": "An account of the Pilgrims’ journey to Plymouth in 1620, as recorded by Nathaniel Morton.", "category": "PAID", - "link": "https://www.wsj.com/articles/remote-learning-fails-the-test-nber-study-schools-11638463245", + "link": "https://www.wsj.com/articles/the-desolate-wilderness-william-bradford-nathaniel-morton-plymouth-pilgrims-11637708909", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:53:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:41:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "97f2fbaa3fe2a4d93baf57f46a122695" + "hash": "ec25a43c4efa55285e26bfcbb368e73c" }, { - "title": "This Debt-Ceiling Crisis Threatens Democracy as Well as Solvency", - "description": "A ‘suspension’ rather than an increase would hand an unconstitutional blank check to the president.", - "content": "A ‘suspension’ rather than an increase would hand an unconstitutional blank check to the president.", + "title": "And the Fair Land", + "description": "For all our social discord we yet remain the longest enduring society of free men governing themselves without benefit of kings or dictators.", + "content": "For all our social discord we yet remain the longest enduring society of free men governing themselves without benefit of kings or dictators.", "category": "PAID", - "link": "https://www.wsj.com/articles/debt-ceiling-crisis-threatens-democracy-budget-limit-build-back-better-mcconnell-schumer-11638718728", + "link": "https://www.wsj.com/articles/and-the-fair-land-11637710823", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:40:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:40:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5e9b77f5b015f68beb2dce08b76b524c" + "hash": "1f6b85ea6c5ddab5492bbc8d69216772" }, { - "title": "Bill de Blasio's Parting Insult", - "description": "He mandates vaccines for all workers in one last swipe at New York.", - "content": "He mandates vaccines for all workers in one last swipe at New York.", + "title": "Strategic Political Oil Reserve", + "description": "Biden taps the U.S. emergency supply but prices still rise.", + "content": "Biden taps the U.S. emergency supply but prices still rise.", "category": "PAID", - "link": "https://www.wsj.com/articles/bill-de-blasios-parting-insult-covid-vaccine-mandate-workers-11638830767", + "link": "https://www.wsj.com/articles/strategic-political-oil-reserve-opec-biden-11637701493", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:50:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:36:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc86cf16e7df2eff1a9c4c2d976d631c" + "hash": "f10b5c7c37ed1f3bedd12adc4c2e91e6" }, { - "title": "Xi Jinping Sails China's Economy Into a Shoal", - "description": "A real-estate correction proves harder to stage-manage than hoped.", - "content": "A real-estate correction proves harder to stage-manage than hoped.", + "title": "The Great Ohio Opioid Stick-Up", + "description": "A jury verdict against pharmacies distorts product liability law.", + "content": "A jury verdict against pharmacies distorts product liability law.", "category": "PAID", - "link": "https://www.wsj.com/articles/xi-jinping-sails-into-an-economic-shoal-china-beijing-evergrande-real-estate-11638821003", + "link": "https://www.wsj.com/articles/the-great-ohio-opioid-stick-up-dan-polster-cvs-walmart-walgreens-jury-11637709510", "creator": "", - "pubDate": "Mon, 06 Dec 2021 23:22:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:33:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5003897e860bf8ebf632d6c87c4a4964" + "hash": "8c515b973614a0b180c93a519151fcda" }, { - "title": "Biden, Trump and CNN", - "description": "Coverage of a dubious claim by a Washington Post columnist shows the cable network at a crossroads.", - "content": "Coverage of a dubious claim by a Washington Post columnist shows the cable network at a crossroads.", + "title": "College Testing Bait-and-Switch", + "description": "After dropping the SAT, the University of California kills plans for a new test.", + "content": "After dropping the SAT, the University of California kills plans for a new test.", "category": "PAID", - "link": "https://www.wsj.com/articles/biden-trump-and-cnn-11638827798", + "link": "https://www.wsj.com/articles/college-testing-bait-and-switch-university-of-california-sat-janet-napolitano-11637689492", "creator": "", - "pubDate": "Mon, 06 Dec 2021 16:56:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:30:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1c5445a4da38acce0c8e9df84b594dbd" + "hash": "e9d26ebdb373f19c8ef3e15220652c2c" }, { - "title": "Bob Knew How to Dole Out the Jokes", - "description": "He was a tough partisan, but the senator’s humor was warmly regarded on both sides of the aisle.", - "content": "He was a tough partisan, but the senator’s humor was warmly regarded on both sides of the aisle.", + "title": "America Repeated Vietnam's Mistakes in Afghanistan", + "description": "Lessons from both conflicts should become part of the military’s education requirements.", + "content": "Lessons from both conflicts should become part of the military’s education requirements.", "category": "PAID", - "link": "https://www.wsj.com/articles/bob-knew-how-to-dole-out-the-jokes-wit-funny-remembrance-death-robert-al-gore-bill-clinton-11638825084", + "link": "https://www.wsj.com/articles/america-vietnam-mistakes-afghanistan-quagmire-binladen-strategy-11637705112", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:39:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:19:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a160354e33a409134c21b74b515531c3" + "hash": "644a81ab956cba52297bcf1be192d8a5" }, { - "title": "Omicron: Keep Calm and Carry On", - "description": "‘Mutation’ sounds scary, but mutations can make a pathogen less dangerous.", - "content": "‘Mutation’ sounds scary, but mutations can make a pathogen less dangerous.", + "title": "How to Protect Your Brain From Injury", + "description": "A direct blow isn’t the only source of trauma, and it’s crucial to know the symptoms.", + "content": "A direct blow isn’t the only source of trauma, and it’s crucial to know the symptoms.", "category": "PAID", - "link": "https://www.wsj.com/articles/omicron-keep-calm-and-carry-on-variant-mutation-immunity-hospitalization-vaccines-covid-19-11638802758", + "link": "https://www.wsj.com/articles/how-to-protect-your-brain-from-injury-abbott-test-concussion-football-nfl-11637703934", "creator": "", - "pubDate": "Mon, 06 Dec 2021 13:14:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:18:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "575ca5b9f7e715c564d2b1a5bb53429a" + "hash": "b25092f67d6bca615e2be3d4d895e534" }, { - "title": "How Fintech Became a Hit in Brazil", - "description": "The heroes are central-bank technocrats who opened the market to financial competition.", - "content": "The heroes are central-bank technocrats who opened the market to financial competition.", + "title": "Notable & Quotable: Ruy Teixeira on Voter Turnout", + "description": "‘No myth is stronger in progressive circles than the magical, wonderworking powers of voter turnout.’", + "content": "‘No myth is stronger in progressive circles than the magical, wonderworking powers of voter turnout.’", "category": "PAID", - "link": "https://www.wsj.com/articles/how-fintech-became-a-hit-in-brazil-nubank-innovation-credit-cards-banking-accessibility-11638714533", + "link": "https://www.wsj.com/articles/notable-quotable-ruy-teixeira-on-voter-turnout-elections-voting-democrats-11637706161", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:39:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:16:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "baca2dc3460b060354b87768b5263a78" + "hash": "2007ce520ad77bcb34354b677c6c1f76" }, { - "title": "James Bond's License to Kill Fun", - "description": "The Daniel Craig movies have taken a dark turn like too many films these days.", - "content": "The Daniel Craig movies have taken a dark turn like too many films these days.", + "title": "Justice, Not Revenge, for Ahmaud Arbery and Kyle Rittenhouse", + "description": "The purpose of a trial is to assess the facts in each case, not to settle scores between identity groups.", + "content": "The purpose of a trial is to assess the facts in each case, not to settle scores between identity groups.", "category": "PAID", - "link": "https://www.wsj.com/articles/james-bond-license-to-kill-fun-daniel-craig-no-time-to-die-sean-connery-media-hollywood-11638713465", + "link": "https://www.wsj.com/articles/justice-ahmaud-arbery-kyle-rittenhouse-kenosha-riots-11637704695", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:51:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:16:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "afff2ed222a7a92c64cd85ebfe6cd3b3" + "hash": "0a9a1bc22e649935a219f0b5b59610c3" }, { - "title": "Notable & Quotable: Teachers and Their Unions", - "description": "‘I tried to volunteer to teach kids with severe disabilities in person. But my district and union would not allow it.’", - "content": "‘I tried to volunteer to teach kids with severe disabilities in person. But my district and union would not allow it.’", + "title": "After COP26, Electric Vehicles Galore!", + "description": "What surging stocks say about a favorite climate non-solution.", + "content": "What surging stocks say about a favorite climate non-solution.", "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-teachers-and-their-unions-covid-closures-schools-special-needs-11638829344", + "link": "https://www.wsj.com/articles/after-cop26-electric-vehicles-galore-rivian-tesla-subsidies-emissions-passenger-batteries-11637704766", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:23:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 18:15:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "79d04cae2fe3f6d32051ca35def6bc81" + "hash": "402020d7d3362e828249ef0ade0f8b96" }, { - "title": "Xi Jinping Sails Into an Economic Shoal", - "description": "A Chinese real-estate correction proves harder to stage-manage than hoped.", - "content": "A Chinese real-estate correction proves harder to stage-manage than hoped.", + "title": "Do Not Talk About Flight Club", + "description": "Coastal columnists still don’t like explaining why Californians are fleeing to Texas.", + "content": "Coastal columnists still don’t like explaining why Californians are fleeing to Texas.", "category": "PAID", - "link": "https://www.wsj.com/articles/xi-jinping-sails-into-an-economic-shoal-china-beijing-evergrande-real-estate-11638821003", + "link": "https://www.wsj.com/articles/do-not-talk-about-flight-club-11637706285", "creator": "", - "pubDate": "Mon, 06 Dec 2021 18:46:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 17:24:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a8f76021799c57abd90cb70135b1dfe8" + "hash": "bb8f6ebdf8c73c24e82ed6ff85ec4815" }, { - "title": "Rogues Are on the March Around the World", - "description": "Iran and Russia give every sign they don’t take President Biden seriously.", - "content": "Iran and Russia give every sign they don’t take President Biden seriously.", + "title": "Can Biden Come Back? Many Others Have", + "description": "After GOP midterm losses in the House, Reagan’s approval was 35% as 1983 began.", + "content": "After GOP midterm losses in the House, Reagan’s approval was 35% as 1983 began.", "category": "PAID", - "link": "https://www.wsj.com/articles/rogues-are-on-the-march-russia-kremlin-ukraine-putin-iran-nuclear-putin-xi-china-biden-11638724476", + "link": "https://www.wsj.com/articles/can-biden-come-back-many-others-have-clinton-reagan-obama-approval-poll-popularity-11637684716", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:47:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 12:59:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a1209f0fa53a2b2935f3a79becc48e6f" + "hash": "76149e12248ba95bcfec4da7f2354325" }, { - "title": "Bob Dole Loved Kansas and America", - "description": "‘Let’s go see the soldiers,’ he said in 2016. Getting around wasn’t easy, but paying tribute was worth it.", - "content": "‘Let’s go see the soldiers,’ he said in 2016. Getting around wasn’t easy, but paying tribute was worth it.", + "title": "Don't Let Ideologues Steal Thanksgiving", + "description": "For the left, it’s become an occasion to air grievances ranging from ‘colonialism’ to ‘carbon footprints.’", + "content": "For the left, it’s become an occasion to air grievances ranging from ‘colonialism’ to ‘carbon footprints.’", "category": "PAID", - "link": "https://www.wsj.com/articles/bob-dole-loved-kansas-and-america-senator-representative-county-attorney-11638732165", + "link": "https://www.wsj.com/articles/dont-let-ideologues-steal-thanksgiving-cancel-culture-native-americans-holiday-11637684786", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:44:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Tue, 23 Nov 2021 12:58:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d7478c9b34cf9b1b6efb60c74b8e934a" + "hash": "22a2210b28ca482fcc985064720da4f7" }, { - "title": "Eric Zemmour Is No Donald Trump", - "description": "The French far-right candidate is presenting his vision in a manner that is attuned to the French elite.", - "content": "The French far-right candidate is presenting his vision in a manner that is attuned to the French elite.", + "title": "Biden Signs Up for Powell's Inflation", + "description": "Republicans are under no obligation to endorse his Fed nominees.", + "content": "Republicans are under no obligation to endorse his Fed nominees.", "category": "PAID", - "link": "https://www.wsj.com/articles/eric-zemmour-trump-french-presidential-election-populism-immigration-northern-africa-11638714147", + "link": "https://www.wsj.com/articles/biden-and-the-jerome-powell-inflation-lael-brainard-federal-reserve-11637613794", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:42:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:53:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e14d3f2c0d01c62401689fa3f2d5b66a" + "hash": "7f239bfda2a6fc91b106869e4ca21dc0" }, { - "title": "Robert Dole Dies at Age 98", - "description": "The Kansan overcame grievous war wounds to twice lead the Senate.", - "content": "The Kansan overcame grievous war wounds to twice lead the Senate.", + "title": "The Waukesha Rampage", + "description": "The suspected assailant was free on a $1,000 bond despite recent charges of violence.", + "content": "The suspected assailant was free on a $1,000 bond despite recent charges of violence.", "category": "PAID", - "link": "https://www.wsj.com/articles/robert-bob-dole-dies-at-age-98-clinton-campaign-1996-world-war-ii-veteran-senate-leader-11638726702", + "link": "https://www.wsj.com/articles/the-waukesha-rampage-darrell-brooks-wisconsin-john-chisholm-11637622563", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:48:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:49:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c98ad2a2101fc0d9f481609b4fb5c520" + "hash": "14aaef7ce7500a2980e15ef0f7a28c16" }, { - "title": "Squaring Up to Defend Mathematics", - "description": "America’s top scientists warn about the political erosion of education standards.", - "content": "America’s top scientists warn about the political erosion of education standards.", + "title": "Censoring the Pilgrims", + "description": "The left wants to cancel the WSJ’s annual Thanksgiving editorials.", + "content": "The left wants to cancel the WSJ’s annual Thanksgiving editorials.", "category": "PAID", - "link": "https://www.wsj.com/articles/defending-mathematics-science-stem-equity-education-california-k12-math-matters-11638728196", + "link": "https://www.wsj.com/articles/censoring-the-pilgrims-thanksgiving-editorials-vermont-royster-cancel-culture-11637617548", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:45:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:45:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17e516b5d6d8805c99250010227bc2cb" + "hash": "f56bf9bb99613f27314d2c11fd351ab4" }, { - "title": "Labor Pains and Opportunities in Baseball", - "description": "A joint venture and the business promise of betting add up to a promising future.", - "content": "A joint venture and the business promise of betting add up to a promising future.", + "title": "Piling on the Business Fines", + "description": "The House spending bill targets employers with huge new penalties.", + "content": "The House spending bill targets employers with huge new penalties.", "category": "PAID", - "link": "https://www.wsj.com/articles/labor-pains-and-opportunities-in-baseball-lockout-strike-free-agent-trading-cards-mlb-11638713802", + "link": "https://www.wsj.com/articles/piling-on-the-business-fines-osha-build-back-better-house-spending-bill-penalities-11637518976", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:42:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:43:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0c89e856ed223a4c45347f0297d96647" + "hash": "e8fc52827403bf78c1844ce18f2fccdb" }, { - "title": "What Spreads Faster Than Covid? Vaccination.", - "description": "Our last pointless ideological fight may be over whether the vaccinated are spreaders.", - "content": "Our last pointless ideological fight may be over whether the vaccinated are spreaders.", + "title": "On ObamaCare, Democrats Defy the Supreme Court", + "description": "The justices said in 2012 that Congress couldn’t punish states that refuse the Medicaid expansion.", + "content": "The justices said in 2012 that Congress couldn’t punish states that refuse the Medicaid expansion.", "category": "PAID", - "link": "https://www.wsj.com/articles/what-spreads-faster-than-covid-19-vaccination-distribution-breakthrough-infection-omicron-11638570230", + "link": "https://www.wsj.com/articles/on-obamacare-democrats-defy-the-supreme-court-hospitals-uninsured-patients-bill-11637619017", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:14:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:41:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d19320ea97fe81ac3cc83865d2a640f" + "hash": "9094d426859184b72deb10b21e856ad9" }, { - "title": "Murder and Mandates in Chicago", - "description": "Violence in the city soars as Mayor Lightfoot feuds with police.", - "content": "Violence in the city soars as Mayor Lightfoot feuds with police.", + "title": "Yes, You Should Get a Covid Booster", + "description": "Vaccine effectiveness is waning. A third shot restores it with few side effects.", + "content": "Vaccine effectiveness is waning. A third shot restores it with few side effects.", "category": "PAID", - "link": "https://www.wsj.com/articles/murder-and-vaccine-mandates-in-chicago-lori-lightfoot-foxx-murder-homicide-violent-crime-11638723397", + "link": "https://www.wsj.com/articles/yes-get-a-covid-booster-vaccine-third-dose-shot-safe-effective-side-effects-11637617768", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:46:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:40:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f1b4eb084bba0763327f37ab12388ae5" + "hash": "7c0008ea8db66f4181fc02e93c227b48" }, { - "title": "The Vast Promise of mRNA Technology", - "description": "The Covid vaccine platform offers real hope for treating many other diseases, including cancer. How an immigrant from Hungary played a prominent scientific role.", - "content": "The Covid vaccine platform offers real hope for treating many other diseases, including cancer. How an immigrant from Hungary played a prominent scientific role.", + "title": "A Ping-Pong Table and a Lifetime of Memories", + "description": "Steve Fortuna paid $15 for it half a century ago. When his father died, he kept the paddles.", + "content": "Steve Fortuna paid $15 for it half a century ago. When his father died, he kept the paddles.", "category": "PAID", - "link": "https://www.wsj.com/articles/the-vast-promise-of-mrna-vaccines-covid-19-omicron-shots-pfizer-biontech-ms-cancer-11638554419", + "link": "https://www.wsj.com/articles/a-ping-pong-table-and-a-lifetime-of-memories-table-tennis-play-11637619379", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:31:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:39:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "17c312378e15a13e2d5cc6cc997d9167" + "hash": "813d31104ab5978749c1520c7cfd2f9a" }, { - "title": "The Media Stonewalls on the Steele Dossier", - "description": "News companies are even more reluctant than other businesses to come clean about their misbehavior.", - "content": "News companies are even more reluctant than other businesses to come clean about their misbehavior.", + "title": "Notable & Quotable: 76 Years After the A-Bomb", + "description": "‘Hirohito made the surrender official Aug. 15. I was spared my date with death, 2½ months later.’", + "content": "‘Hirohito made the surrender official Aug. 15. I was spared my date with death, 2½ months later.’", "category": "PAID", - "link": "https://www.wsj.com/articles/the-media-stonewalls-steele-dossier-disinformation-trump-nyt-washington-post-trump-11638718026", + "link": "https://www.wsj.com/articles/notable-quotable-76-years-after-the-atomic-bomb-world-war-two-japan-invasion-11637618711", "creator": "", - "pubDate": "Sun, 05 Dec 2021 13:50:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:36:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "25d9eb03c3d2d067f66ab5f40955b977" + "hash": "87b79f1fc4ec696fd58ba563c28bd7ee" }, { - "title": "Fly Me to the Swamp", - "description": "Washington is the hot destination for ‘protest tourism.’", - "content": "Washington is the hot destination for ‘protest tourism.’", + "title": "The Campaign to Distract Biden From Asia", + "description": "China and Russia form an entente to hobble America, with a little help from Iran.", + "content": "China and Russia form an entente to hobble America, with a little help from Iran.", "category": "PAID", - "link": "https://www.wsj.com/articles/fly-me-to-the-swamp-11638568888", + "link": "https://www.wsj.com/articles/the-campaign-to-distract-biden-from-asia-russia-china-xi-putin-foreign-policy-allies-11637617569", "creator": "", - "pubDate": "Fri, 03 Dec 2021 17:01:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:35:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a7ee6f14aa199f9bf59ab7cdaf5d70c" + "hash": "7cd977eb579c1acf7d1903e5e32f1d24" }, { - "title": "Look at Build Back Better's Benefits, Not Its Price Tag", - "description": "The media loves to focus on a big number, but the bill is paid for and delivers for the American people.", - "content": "The media loves to focus on a big number, but the bill is paid for and delivers for the American people.", + "title": "China's Peng Shuai Goes 'Missing'", + "description": "The tennis star accused a top Communist of sexual assault. Beijing can’t deal with it.", + "content": "The tennis star accused a top Communist of sexual assault. Beijing can’t deal with it.", "category": "PAID", - "link": "https://www.wsj.com/articles/look-at-build-back-betters-benefits-not-price-tag-federal-budget-bbb-reconciliation-debt-cbo-11638718325", + "link": "https://www.wsj.com/articles/china-missing-tennis-star-peng-shuai-australia-foreign-policy-trade-assault-11637620780", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:43:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 18:33:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1406a867078a9634bedc84e0c4f274f8" + "hash": "d5a1349d97a66224111d98b3173926b2" }, { - "title": "I Finished Second in the Cheapskate Sweepstakes", - "description": "Tommy, Greg and I turned my 50th-birthday getaway into a competition to see who could be most frugal.", - "content": "Tommy, Greg and I turned my 50th-birthday getaway into a competition to see who could be most frugal.", + "title": "President Biden and American Gratitude", + "description": "Why hasn’t the White House announced a posthumous Medal of Honor for Alwyn Cashe yet?", + "content": "Why hasn’t the White House announced a posthumous Medal of Honor for Alwyn Cashe yet?", "category": "PAID", - "link": "https://www.wsj.com/articles/i-finished-second-in-the-cheapskate-sweepstakes-competition-friendship-budget-travel-11638731895", + "link": "https://www.wsj.com/articles/president-biden-and-american-gratitude-11637617891", "creator": "", - "pubDate": "Sun, 05 Dec 2021 15:40:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 16:51:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b8706b59ba85d5019a1637487784ffa9" + "hash": "4358aa78ff2008e215cddd596a425c25" }, { - "title": "Yes, Justice Sotomayor, the Court Will 'Survive'", - "description": "The abortion case is about life and liberty, not her and her colleagues.", - "content": "The abortion case is about life and liberty, not her and her colleagues.", + "title": "Woke Imperialism Harms U.S. Interests", + "description": "The Biden Administration promotes an avant-garde concept of ‘rights’ that isolates America.", + "content": "The Biden Administration promotes an avant-garde concept of ‘rights’ that isolates America.", "category": "PAID", - "link": "https://www.wsj.com/articles/justice-sotomayor-supreme-court-abortion-politicization-mississippi-dobbs-jackson-15-weeks-11638554054", + "link": "https://www.wsj.com/articles/woke-imperialism-harms-u-s-interests-china-russia-equity-worldview-11637596572", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:31:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 13:04:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d3801841deb9ee6a951176d7863aa153" + "hash": "8476dbd2f59559faeff5cf8b29ffb7e6" }, { - "title": "How to Get Away With Manslaughter", - "description": "The Supreme Court’s McGirt ruling opened a bizarre loophole for Oklahoma criminals.", - "content": "The Supreme Court’s McGirt ruling opened a bizarre loophole for Oklahoma criminals.", + "title": "Kyle Rittenhouse and the Left's Terrifying Assault on Due Process", + "description": "They want revolutionary justice. The legal system’s verdict will be supplanted by the people’s judgment.", + "content": "They want revolutionary justice. The legal system’s verdict will be supplanted by the people’s judgment.", "category": "PAID", - "link": "https://www.wsj.com/articles/how-to-get-away-with-manslaughter-mcgirt-oklahoma-neil-gorsuch-supreme-court-11638484034", + "link": "https://www.wsj.com/articles/kyle-rittenhouse-and-the-lefts-terrifying-assault-on-due-process-trial-verdict-not-guilty-11637597046", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:48:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Mon, 22 Nov 2021 13:01:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "15b0024c1cd7f60b3c4575bf043281cc" + "hash": "f0fae7ed82f34c4e3951cceae98dcbd3" }, { - "title": "Hawaii Is No Paradise if You Need Medical Care", - "description": "High taxes contribute to a shortage of doctors while certificate-of-need laws crimp capacity.", - "content": "High taxes contribute to a shortage of doctors while certificate-of-need laws crimp capacity.", + "title": "COP26 Prepared the World to Beat Climate Change", + "description": "We can bemoan that there is still a gap between our ambitions and actions. Or we can work to close it.", + "content": "We can bemoan that there is still a gap between our ambitions and actions. Or we can work to close it.", "category": "PAID", - "link": "https://www.wsj.com/articles/hawaii-no-paradise-medical-care-covid-hospitals-honolulu-certificate-of-need-general-excise-tax-11638569759", + "link": "https://www.wsj.com/articles/cop26-prepared-the-world-to-beat-climate-change-global-warming-emissions-glasgow-11637526170", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:12:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 17:18:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ed7f06c5b8dfc366263310858a0a85d2" + "hash": "ff76360621de83921e0043d023086ae9" }, { - "title": "Biden's Covid Quagmire", - "description": "He can’t keep his promise to ‘beat’ the virus. Can he escape it before it’s too late?", - "content": "He can’t keep his promise to ‘beat’ the virus. Can he escape it before it’s too late?", + "title": "The Coddling of American Children Is a Boon to Beijing", + "description": "In China, my son had to study hard. Here in the U.S., he just needs to bring a ‘healthy snack’ to school.", + "content": "In China, my son had to study hard. Here in the U.S., he just needs to bring a ‘healthy snack’ to school.", "category": "PAID", - "link": "https://www.wsj.com/articles/biden-covid-19-quagmire-omicron-variant-testing-vaccines-travel-restrictions-mask-approval-rating-11638485778", + "link": "https://www.wsj.com/articles/the-coddling-of-american-children-is-a-boon-to-beijing-china-education-college-victim-11637525811", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:25:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 17:17:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "270999591a05eef8ad1bfc8f2c4fea34" + "hash": "6e30a2a407fd64139ea7f728aa498c74" }, { - "title": "Build Back Better vs. Small Business", - "description": "Wage mandates for green subsidies will squeeze nonunion shops.", - "content": "Wage mandates for green subsidies will squeeze nonunion shops.", + "title": "Honduras and the Clinton Legacy", + "description": "Will the country follow the undemocratic paths of El Salvador and Nicaragua?", + "content": "Will the country follow the undemocratic paths of El Salvador and Nicaragua?", "category": "PAID", - "link": "https://www.wsj.com/articles/build-back-better-vs-small-business-house-spending-bill-congress-prevailing-wage-unions-contractors-11638572386", + "link": "https://www.wsj.com/articles/honduras-and-the-clinton-legacy-democracy-socialism-national-security-imperialism-11637526692", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:47:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 16:47:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1cc1f296f102692af1c31c38ec3e1a1" + "hash": "656e3e3ef25d124c80ad1b55f0cadc26" }, { - "title": "A Young Boy Found Older Brothers in the Beatles", - "description": "Joe Peppercorn turned his gratitude for the band into an annual marathon of their music.", - "content": "Joe Peppercorn turned his gratitude for the band into an annual marathon of their music.", + "title": "The Kamikaze Democrats", + "description": "Pelosi and Biden march swing-district House Members to the end of their careers.", + "content": "Pelosi and Biden march swing-district House Members to the end of their careers.", "category": "PAID", - "link": "https://www.wsj.com/articles/peppercorn-brothers-john-lennon-paul-mccartney-george-harrison-ringo-starr-beatles-11638569898", + "link": "https://www.wsj.com/articles/the-kamikaze-democrats-nancy-pelosi-joe-biden-build-back-better-house-welfare-2022-11637362201", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:10:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 16:34:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbe647c7814b0027f26f9115dc2406ec" + "hash": "158ad46ad3153964978635327d0f34ff" }, { - "title": "What Jerome Powell Couldn't Say in His Speech, and Doesn't Know", - "description": "The Fed chief sticks to untested new policy tools while inflation transforms the American economy.", - "content": "The Fed chief sticks to untested new policy tools while inflation transforms the American economy.", + "title": "'Cuba Libre' at the Latin Grammys", + "description": "The patriotic protest anthem ‘Patria y Vida’ wins song of the year.", + "content": "The patriotic protest anthem ‘Patria y Vida’ wins song of the year.", "category": "PAID", - "link": "https://www.wsj.com/articles/jerome-powell-doesnt-know-federal-reserve-chairman-inflation-transitory-average-target-11638457724", + "link": "https://www.wsj.com/articles/cuba-libre-latin-grammys-patria-y-vida-osorbo-yotuel-gente-de-zona-el-funky-descemer-bueno-11637366048", "creator": "", - "pubDate": "Thu, 02 Dec 2021 13:13:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 16:33:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "06959f10ee9546e6367fcbe5cff7eb6f" + "hash": "a29e9e9d4f06801f67435ccd2ed55554" }, { - "title": "Seattle Defunds the Police Again", - "description": "Voters have rejected lawlessness, but the City Council isn’t listening.", - "content": "Voters have rejected lawlessness, but the City Council isn’t listening.", + "title": "A Tax Cut for the Tarheel State", + "description": "Democratic Gov. Roy Cooper heeds the message from Virginia.", + "content": "Democratic Gov. Roy Cooper heeds the message from Virginia.", "category": "PAID", - "link": "https://www.wsj.com/articles/seattle-city-council-defunds-the-police-again-11638572886", + "link": "https://www.wsj.com/articles/a-tax-cut-for-the-tarheel-state-north-carolina-cooper-personal-income-virginia-youngkin-11637516606", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:34:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 16:33:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d3427149882b95b4bb0b30a83626c09" + "hash": "7ab2d3e2724ea1f95843d360c2ae78cb" }, { - "title": "Will the Justices Let Go of Abortion?", - "description": "Overturning Roe v. Wade wouldn’t settle the issue, but it would create the possibility of a settlement.", - "content": "Overturning Roe v. Wade wouldn’t settle the issue, but it would create the possibility of a settlement.", + "title": "Losing by Five, With 1,400 Votes Rejected", + "description": "In a squeaker House race, bad mail votes are 275 times the margin.", + "content": "In a squeaker House race, bad mail votes are 275 times the margin.", "category": "PAID", - "link": "https://www.wsj.com/articles/will-the-justices-let-go-of-abortion-roe-wade-jackson-mississipi-fifteen-weeks-dobbs-11638487513", + "link": "https://www.wsj.com/articles/losing-by-five-with-1-400-votes-rejected-florida-primary-election-voting-by-mail-usps-11637159981", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:51:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 16:32:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e65932ee5aa900001bb45b9dab0ca4ff" + "hash": "eb00e2de7875c8a8ca651f73857ecf48" }, { - "title": "November's Jobs Message to the Federal Reserve", - "description": "The labor market is healthy enough to take higher interest rates.", - "content": "The labor market is healthy enough to take higher interest rates.", + "title": "Politicians Have Earned Your Distrust", + "description": "Our leaders care more about putting ‘points on the board’ than doing what’s right.", + "content": "Our leaders care more about putting ‘points on the board’ than doing what’s right.", "category": "PAID", - "link": "https://www.wsj.com/articles/novembers-message-to-the-fed-jobs-report-unemployment-interest-rates-11638570571", + "link": "https://www.wsj.com/articles/politicos-earned-distrust-biden-inflation-reconciliation-cuomo-covid-deaths-nursing-homes-11637504680", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:37:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 13:45:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b0a7fe1c0cdcb18954ec0a0e62d7a55d" + "hash": "065aa308167a27ec8c38c725341a91ef" }, { - "title": "Omicron Reinfects Government", - "description": "Covid strategy needs a midcourse correction. It got Joe Biden’s vaccine mandate.", - "content": "Covid strategy needs a midcourse correction. It got Joe Biden’s vaccine mandate.", + "title": "The Left Betrays the Working Class on Covid Mandates", + "description": "Some unions are even siding with management against employees who resist vaccination.", + "content": "Some unions are even siding with management against employees who resist vaccination.", "category": "PAID", - "link": "https://www.wsj.com/articles/omicron-reinfects-government-vaccines-mandates-inflexibility-crime-adapt-biden-fauci-11638394059", + "link": "https://www.wsj.com/articles/left-betrays-working-class-covid-mandates-vaccine-religious-approval-exemption-nyc-osha-11637505203", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:17:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sun, 21 Nov 2021 13:44:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ae6d9a0575f0a736c8273bb531ab39af" + "hash": "3e84d40e9abc2595260ad575c1ea4dcd" }, { - "title": "Notable & Quotable: Stacey Abrams Says 'I Did Not Challenge' the Election", - "description": "‘When I acknowledged I would not become governor, that he had won the election, I did not challenge the outcome of the election.'", - "content": "‘When I acknowledged I would not become governor, that he had won the election, I did not challenge the outcome of the election.'", + "title": "Enes Kanter: Move the Olympics for Peng Shuai's Sake", + "description": "The IOC shockingly echoes Beijing’s rhetoric on the tennis star’s disappearance.", + "content": "The IOC shockingly echoes Beijing’s rhetoric on the tennis star’s disappearance.", "category": "PAID", - "link": "https://www.wsj.com/articles/notable-i-did-not-challenge-stacey-abrams-maddow-challenge-election-results-trump-11638569987", + "link": "https://www.wsj.com/articles/enes-kanter-move-the-olympics-for-peng-shuais-sake-11637444316", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:11:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Sat, 20 Nov 2021 16:38:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f9856e4c65632d30b45daf7c5e3d209d" + "hash": "1454a31374fc9c9989558963006efddd" }, { - "title": "America's Two-Track Jobs Recovery", - "description": "Memo to Ron Klain: Here are the pandemic policies that worked.", - "content": "Memo to Ron Klain: Here are the pandemic policies that worked.", + "title": "As Joe Biden Turns 79, a Panic Over Kamala Harris", + "description": "He’s unlikely to run in 2024, and his VP is deeply unpopular.", + "content": "He’s unlikely to run in 2024, and his VP is deeply unpopular.", "category": "PAID", - "link": "https://www.wsj.com/articles/americas-two-track-jobs-recovery-republican-democrat-governors-lockdowns-covid-11638486433", + "link": "https://www.wsj.com/articles/as-biden-turns-79-a-panic-over-kamala-harris-11637362818", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:46:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Fri, 19 Nov 2021 19:03:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ac768b0eb4761b2da2d62393a7c3c255" + "hash": "ddaf9316e51dda112d9d968456d8aed5" }, { - "title": "Ray Dalio's China Equivalence", - "description": "The investor’s comments show why so many Americans dislike Wall Street.", - "content": "The investor’s comments show why so many Americans dislike Wall Street.", + "title": "CNN's Modified Limited Steele Climbdown", + "description": "We are right even when we are wrong, says the network about its part in the collusion hoax.", + "content": "We are right even when we are wrong, says the network about its part in the collusion hoax.", "category": "PAID", - "link": "https://www.wsj.com/articles/ray-dalios-china-equivalence-bridgewater-xi-jinping-wall-street-america-11638486891", + "link": "https://www.wsj.com/articles/the-media-steele-climbdown-cnn-dossier-trump-russia-collusion-durham-clinton-2016-election-11637354774", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:42:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Fri, 19 Nov 2021 18:25:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "34d009471e41d40ac76c35492dbae60d" + "hash": "03ba9fb7f8485c76be6debbbf645a4ec" }, { - "title": "The Supreme Court Takes Up Religious Liberty---Again", - "description": "Organizations that get state money shouldn’t have to disavow their faith.", - "content": "Organizations that get state money shouldn’t have to disavow their faith.", + "title": "Comrade Omarova vs. Margaret Thatcher", + "description": "Some aspiring apparatchiks will say anything to seize power.", + "content": "Some aspiring apparatchiks will say anything to seize power.", "category": "PAID", - "link": "https://www.wsj.com/articles/justices-take-up-religious-liberty-freedom-funding-schools-vaccines-supreme-court-comer-11638475065", + "link": "https://www.wsj.com/articles/comrade-omarova-vs-margaret-thatcher-11637352783", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:25:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Fri, 19 Nov 2021 15:13:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2d29dec942c772b16a02a0ca29c0b066" + "hash": "a7c9603b37f2661a972317a4fb6dd287" }, { - "title": "Pete Buttigieg's Highway to Green Heaven", - "description": "The spending bill gives him new power to force CO2 cuts on states.", - "content": "The spending bill gives him new power to force CO2 cuts on states.", + "title": "The Impossible Insurrection of January 6", + "description": "The right couldn’t stage a coup because liberals dominate nearly every institution of American politics and culture. Yet liberals refuse to see it.", + "content": "The right couldn’t stage a coup because liberals dominate nearly every institution of American politics and culture. Yet liberals refuse to see it.", "category": "PAID", - "link": "https://www.wsj.com/articles/pete-buttigiegs-highway-to-green-heaven-biden-administration-house-spending-bill-emissions-epa-11638481930", + "link": "https://www.wsj.com/articles/impossible-insurrection-jan-6-capitol-hill-riot-conservative-liberalism-colleges-media-trump-11637344629", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:42:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Fri, 19 Nov 2021 14:25:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "32e34f745f2ff72d7cfeb075eff7047e" + "hash": "16feb61fb271668e3c13a24ae9c99d33" }, { - "title": "Covid-19 and the Right to Travel", - "description": "Bans and quarantines are constitutionally suspect when applied against U.S. citizens.", - "content": "Bans and quarantines are constitutionally suspect when applied against U.S. citizens.", + "title": "Democrats Turn a Blind Eye to Connecticut's Juvenile Crime Wave", + "description": "The state desperately needs a special session of the Legislature to address it, but Gov. Lamont refuses.", + "content": "The state desperately needs a special session of the Legislature to address it, but Gov. Lamont refuses.", "category": "PAID", - "link": "https://www.wsj.com/articles/covid-19-and-travel-ban-restrictions-unconstitutional-international-abroad-omicron-biden-11638458140", + "link": "https://www.wsj.com/articles/democrats-connecticut-juvenile-crime-gun-violence-homicide-shootings-murder-lamont-11637345153", "creator": "", - "pubDate": "Thu, 02 Dec 2021 13:13:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Fri, 19 Nov 2021 14:24:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4a89b59c3c13bba48619d7ab60fededd" + "hash": "c27199e001efb88c9c7ef6d1e86a0601" }, { - "title": "Boston's Eviction Ban Overreach", - "description": "A Massachusetts judge issues a scathing reprimand to the city.", - "content": "A Massachusetts judge issues a scathing reprimand to the city.", + "title": "The Real Biden Bill: At Least $4.6 Trillion", + "description": "Program by program, here’s how Democrats disguise the real cost of their entitlement blowout.", + "content": "Program by program, here’s how Democrats disguise the real cost of their entitlement blowout.", "category": "PAID", - "link": "https://www.wsj.com/articles/bostons-eviction-ban-overreach-massachusetts-judge-irene-bagdoian-11638476194", + "link": "https://www.wsj.com/articles/the-real-biden-bill-at-least-4-6-trillion-congressional-budget-office-score-congress-democrats-11637275848", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:41:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 21:50:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2e52a17e404920d6360924434f6e2848" + "hash": "42689585a54eafffda9c14cb3ac3dd58" }, { - "title": "Businesses Offer Higher Wages, but Who Will Accept Them?", - "description": "Latest NFIB employment survey shows a continuing labor shortage.", - "content": "Latest NFIB employment survey shows a continuing labor shortage.", + "title": "America Slowly Learns to Live With Covid", + "description": "Shots are an achievement but not a miracle, and other realities with which we’re coming to terms.", + "content": "Shots are an achievement but not a miracle, and other realities with which we’re coming to terms.", "category": "PAID", - "link": "https://www.wsj.com/articles/businesses-offer-higher-wages-but-who-will-accept-them-11638467214", + "link": "https://www.wsj.com/articles/america-slowly-learns-to-live-with-covid-vaccines-shots-flu-fauci-antivax-infection-11637275001", "creator": "", - "pubDate": "Thu, 02 Dec 2021 12:46:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:43:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b5e5fa5ada0515dfee94bc54bbbb6a7d" + "hash": "7107f4759889425b7fca6d438e2116df" }, { - "title": "Madrid, the City That Wouldn't Lock Down", - "description": "Isabel Díaz Ayuso called for freedom, kept the regional economy going, and won big at the polls.", - "content": "Isabel Díaz Ayuso called for freedom, kept the regional economy going, and won big at the polls.", + "title": "John Deere, Inflation Bellwether", + "description": "The company’s union workers win automatic cost-of-living increases, which should raise alarms at the Federal Reserve.", + "content": "The company’s union workers win automatic cost-of-living increases, which should raise alarms at the Federal Reserve.", "category": "PAID", - "link": "https://www.wsj.com/articles/madrid-the-city-that-wouldnt-lockdown-isabel-diaz-ayuso-freedom-covid-19-coronavirus-11638475346", + "link": "https://www.wsj.com/articles/john-deere-inflation-bellwether-united-auto-workers-union-wages-11637276050", "creator": "", - "pubDate": "Thu, 02 Dec 2021 19:17:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:39:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5ab478a61e3f76284817a400aa08d81f" + "hash": "e78c2ae56ebd9dc231b45b910d09e850" }, { - "title": "Notable & Quotable: School Money for Adults", - "description": "‘Spending on curriculum, textbooks, supplies and sundries is a small portion of school budgets.’", - "content": "‘Spending on curriculum, textbooks, supplies and sundries is a small portion of school budgets.’", + "title": "On China, Women's Tennis Beats the NBA", + "description": "The WTA calls for an investigation into a charge of sexual assault.", + "content": "The WTA calls for an investigation into a charge of sexual assault.", "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-school-money-education-spending-teachers-union-big-labor-nyc-little-rock-11638476038", + "link": "https://www.wsj.com/articles/on-china-womens-tennis-association-beats-the-nba-peng-shuai-steve-simon-11637191294", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:21:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:38:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0096effb8c6611cbddcb1280b23b186d" + "hash": "863fbead638a9c5dbfcf7003c5404c07" }, { - "title": "Good Reasons to Go Slow on Abortion Precedents", - "description": "Overturning them all at once poses risks to legal and political stability. Gradualism is a better way.", - "content": "Overturning them all at once poses risks to legal and political stability. Gradualism is a better way.", + "title": "The FBI's Raid on James O'Keefe", + "description": "Justice had better have good reason for seizing a journalist’s records.", + "content": "Justice had better have good reason for seizing a journalist’s records.", "category": "PAID", - "link": "https://www.wsj.com/articles/supreme-court-go-slow-roe-v-wade-abortion-precedents-gradualism-mississippi-dobbs-11638475763", + "link": "https://www.wsj.com/articles/the-fbis-raid-on-james-okeefe-project-veritas-department-of-justice-merrick-garland-11637091882", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:28:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:34:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ef2d50ff469155d80d9caaaf3fe94a2f" + "hash": "794dac340c98d9b4f2cb976d92098a6e" }, { - "title": "On Health Policy, Donald Trump Beats Joe Biden Hands Down", - "description": "Operation Warp Speed achieved a breakthrough at low cost. Build Back Better would spend huge sums to encourage failure.", - "content": "Operation Warp Speed achieved a breakthrough at low cost. Build Back Better would spend huge sums to encourage failure.", + "title": "Congress Needs to Get Back to Regular Order", + "description": "Reconciliation wasn’t meant to be the vehicle for social change.", + "content": "Reconciliation wasn’t meant to be the vehicle for social change.", "category": "PAID", - "link": "https://www.wsj.com/articles/health-policy-donald-trump-beats-joe-biden-operation-warp-speed-covid-19-build-back-better-11638475736", + "link": "https://www.wsj.com/articles/congress-needs-order-filibuster-reconciliation-spending-build-back-better-cbo-byrd-rule-11637270597", "creator": "", - "pubDate": "Thu, 02 Dec 2021 18:28:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:29:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1a9bbc371cf385daed230e3fd4624215" + "hash": "cb92b8911bfb9147a9f0d97292765777" }, { - "title": "Deterring Russia in Ukraine", - "description": "Vladimir Putin is probing to see if the U.S. really would push back.", - "content": "Vladimir Putin is probing to see if the U.S. really would push back.", + "title": "Xi Jinping's War on Tibetan Buddhism", + "description": "Beijing wants future lamas and monks to learn the faith only in Mandarin.", + "content": "Beijing wants future lamas and monks to learn the faith only in Mandarin.", "category": "PAID", - "link": "https://www.wsj.com/articles/deterring-vladimir-putin-in-ukraine-antony-blinken-joe-biden-russia-11638398219", + "link": "https://www.wsj.com/articles/xi-jinping-war-on-tibetan-buddhism-lanugage-china-monks-education-unity-sixth-plenum-11637269866", "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:09:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:27:00 -0500", + "folder": "00.03 News/News - EN", + "feed": "Wall Street Journal", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5681de0363fbf963e5715b4cf03755db" + }, + { + "title": "On Reconciliation Bill, Senate Moderates Hide Behind Joe Manchin and Kyrsten Sinema", + "description": "Sens. Maggie Hassan, Mark Kelly and Catherine Cortez Masto have been awfully quiet. All are up for re-election in 2022.", + "content": "Sens. Maggie Hassan, Mark Kelly and Catherine Cortez Masto have been awfully quiet. All are up for re-election in 2022.", + "category": "PAID", + "link": "https://www.wsj.com/articles/reconciliation-bill-moderates-let-joe-manchin-kyrsten-sinema-hassan-kelly-build-back-better-11637276328", + "creator": "", + "pubDate": "Thu, 18 Nov 2021 18:25:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "497bf9aded1ff62b7f3621b9f320622f" + "hash": "4d70e533eb05650f6073a37c37ad2174" }, { - "title": "Will Santa Claus Visit Chuck Schumer?", - "description": "Traveling in a flying sleigh may be easier than passing what he wants by Christmas.", - "content": "Traveling in a flying sleigh may be easier than passing what he wants by Christmas.", + "title": "The Toshiba Split: A Farewell to Poor Japanese Management?", + "description": "Having shed inefficiencies since the 1990s, the corporate environment may be ready for reform.", + "content": "Having shed inefficiencies since the 1990s, the corporate environment may be ready for reform.", "category": "PAID", - "link": "https://www.wsj.com/articles/will-santa-claus-visit-chuck-schumer-senate-debt-limit-budget-build-back-better-ndaa-11638392522", + "link": "https://www.wsj.com/articles/toshiba-split-japan-management-division-keiretsu-cross-shareholding-foreign-activist-investor-11637272011", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:41:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 18:06:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e33e44fc3719ba90777424f5b517dd01" + "hash": "fbd3fd75a66cec6413676a0b32ac6e42" }, { - "title": "Advantage, Women's Tennis Association", - "description": "The WTA announces it is suspending all tournaments in China.", - "content": "The WTA announces it is suspending all tournaments in China.", + "title": "Will Joe Manchin Stand His Ground on Inflation?", + "description": "Federal spending is its biggest driver. He has demanded an honest accounting, due this week.", + "content": "Federal spending is its biggest driver. He has demanded an honest accounting, due this week.", "category": "PAID", - "link": "https://www.wsj.com/articles/advantage-womens-tennis-association-steve-simon-peng-shuai-china-beijing-11638400900", + "link": "https://www.wsj.com/articles/joe-manchin-stand-his-ground-on-inflation-budget-debt-economy-build-back-better-cbo-11637248788", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:54:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 12:05:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9ad2c6eb2e29ca1c4c727b77d64bfe6" + "hash": "b1e423d41303996b7485ce9bf24d4ea3" }, { - "title": "A Biden Vaccine Mandate Puts Patients at Risk", - "description": "Washington’s threat to withhold Medicare and Medicaid funding is likely to do more harm than good.", - "content": "Washington’s threat to withhold Medicare and Medicaid funding is likely to do more harm than good.", + "title": "The U.S. Navy's Range Has Diminished Dangerously", + "description": "Carrier air wings aren’t prepared to overcome weapons that push U.S. ships away from shore.", + "content": "Carrier air wings aren’t prepared to overcome weapons that push U.S. ships away from shore.", "category": "PAID", - "link": "https://www.wsj.com/articles/a-vaccine-mandate-puts-patients-at-risk-cms-healthcare-worker-shortage-covid-omicron-11638371830", + "link": "https://www.wsj.com/articles/the-navy-range-has-diminished-dangerously-missile-aircraft-carrier-killer-china-ngad-air-dominance-11637248615", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:41:00 -0500", - "enclosure": "", - "enclosureType": "", - "image": "", - "language": "en", + "pubDate": "Thu, 18 Nov 2021 12:03:00 -0500", "folder": "00.03 News/News - EN", "feed": "Wall Street Journal", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "145d9846dd1083d9aacfb084cee736b0" - }, + "hash": "55a64d9e5dd6875f443b4f373ba5ef0d" + } + ], + "folder": "00.03 News/News - EN", + "name": "Wall Street Journal", + "language": "en", + "hash": "2a586801a94f5dc610fe74f8e2a23629" + }, + { + "title": "Courrier international - Actualités France et Monde", + "subtitle": "", + "link": "https://www.courrierinternational.com/", + "image": "https://www.courrierinternational.com/sites/ci_master/themes/ci/images/courrier-logo-default-rss.png", + "description": "Derniers articles parus sur Courrier international", + "items": [ { - "title": "Justice Sotomayor Gets Political on Abortion", - "description": "She loses her cool during the Supreme Court’s oral argument.", - "content": "She loses her cool during the Supreme Court’s oral argument.", - "category": "PAID", - "link": "https://www.wsj.com/articles/sonia-sotomayor-gets-political-supreme-court-dobbs-v-jackson-abortion-roe-casey-11638400452", + "title": "L’interminable dégringolade de la livre libanaise", + "description": "Enregistrant un nouveau record à la baisse, la monnaie libanaise s’enfonce dans une dépréciation vertigineuse qui semble sans fin. Et qui s’accompagne d’une inflation à trois chiffres.", + "content": "Enregistrant un nouveau record à la baisse, la monnaie libanaise s’enfonce dans une dépréciation vertigineuse qui semble sans fin. Et qui s’accompagne d’une inflation à trois chiffres.", + "category": "", + "link": "https://www.courrierinternational.com/article/devaluation-linterminable-degringolade-de-la-livre-libanaise", "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:08:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 14 Dec 2021 16:08:31 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxdc089.jpg?itok=pkbahsh-", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5259dc03ef78821e7eb15460f4d7a409" + "hash": "29603eaed468f01856f7060ed54e1591" }, { - "title": "China's Environmental Threat to Antarctica", - "description": "Beijing appears intent on exploiting the continent militarily and commercially.", - "content": "Beijing appears intent on exploiting the continent militarily and commercially.", - "category": "PAID", - "link": "https://www.wsj.com/articles/china-environmental-threat-to-antarctica-research-mining-satellites-telescopes-11638394184", + "title": "Le procès d’UBS, un raté historique de la justice française", + "description": "En condamnant UBS à payer 1,8 milliard d’euros, la cour d’appel de Paris a largement réduit la sanction contre le géant suisse de la gestion de fortune. Selon les titres de la presse suisse, il s’agit d’un rendez-vous manqué avec le secret bancaire ou bien d’une justice d’équilibre.", + "content": "En condamnant UBS à payer 1,8 milliard d’euros, la cour d’appel de Paris a largement réduit la sanction contre le géant suisse de la gestion de fortune. Selon les titres de la presse suisse, il s’agit d’un rendez-vous manqué avec le secret bancaire ou bien d’une justice d’équilibre.", + "category": "", + "link": "https://www.courrierinternational.com/article/vu-de-suisse-le-proces-dubs-un-rate-historique-de-la-justice-francaise", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:40:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 14 Dec 2021 14:53:17 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9uk3ud_0.jpg?itok=j72ooRmG", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cf35a90b06c28248fce4e0310af3bd83" + "hash": "1fe82d048c950a51cdc14664b852e178" }, { - "title": "Waukesha Killings Make the Media Colorblind Again", - "description": "The contrast with the Kyle Rittenhouse case illustrates the double standard.", - "content": "The contrast with the Kyle Rittenhouse case illustrates the double standard.", - "category": "PAID", - "link": "https://www.wsj.com/articles/waukesha-killings-make-the-media-colorblind-again-postracial-america-race-agenda-11638310613", + "title": "Les aléas de Nord Stream 2 font à nouveau flamber les prix du gaz européen", + "description": "La ministre des Affaires étrangères allemande, Annalena Baerbock, en affirmant que son pays ne peut autoriser l’exploitation du gazoduc controversé entre la Russie et l’Europe, a entraîné lundi 13 décembre une hausse de 10 % des prix du gaz en Europe.", + "content": "La ministre des Affaires étrangères allemande, Annalena Baerbock, en affirmant que son pays ne peut autoriser l’exploitation du gazoduc controversé entre la Russie et l’Europe, a entraîné lundi 13 décembre une hausse de 10 % des prix du gaz en Europe.", + "category": "", + "link": "https://www.courrierinternational.com/article/energie-les-aleas-de-nord-stream-2-font-nouveau-flamber-les-prix-du-gaz-europeen", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:21:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 14 Dec 2021 14:00:01 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9um29p.jpg?itok=6GMcS4-q", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b305dbba754f16b212897919cc20344f" + "hash": "fb5b66d4555a5e48db702c46c17b64bd" }, { - "title": "The Pentagon's Bureaucratic Posture Review", - "description": "A 10-month study reflects little strategic urgency about growing global threats.", - "content": "A 10-month study reflects little strategic urgency about growing global threats.", - "category": "PAID", - "link": "https://www.wsj.com/articles/bureaucratic-global-posture-review-pentagon-defense-biden-china-11638380029", + "title": "L’Argentine sous pression pour la renégociation de sa dette auprès du FMI", + "description": "Ce 18 décembre, Buenos Aires devrait réussir à rembourser près de deux milliards de dollars dus au FMI. Mais d’âpres négociations sont en cours au sujet des échéances de remboursement pour 2022 et 2023, qui paraissent impossibles à tenir pour un pays en pleine crise économique.", + "content": "Ce 18 décembre, Buenos Aires devrait réussir à rembourser près de deux milliards de dollars dus au FMI. Mais d’âpres négociations sont en cours au sujet des échéances de remboursement pour 2022 et 2023, qui paraissent impossibles à tenir pour un pays en pleine crise économique.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/milliards-largentine-sous-pression-pour-la-renegociation-de-sa-dette-aupres-du-fmi", "creator": "", - "pubDate": "Wed, 01 Dec 2021 19:05:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 14 Dec 2021 10:54:32 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rts3njd1.jpg?itok=qGzzEPWy", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "34e50710106c2d082466a41b6c9ab753" + "hash": "f00c3616bfbc771054d96d8b19ba3ed2" }, { - "title": "'No' on Fed Chairman Jerome Powell", - "description": "He’s failed in his main mission, to keep the currency sound.", - "content": "He’s failed in his main mission, to keep the currency sound.", - "category": "PAID", - "link": "https://www.wsj.com/articles/no-on-jerome-powell-at-the-federal-reserve-nomination-brainard-lael-tom-cotton-inflation-11638392277", + "title": "Un monde sans Amazon, l’hôtel du bon cobalt et l’embauche asynchrone", + "description": "Bon, personne n’en est mort, et l’incident reste une broutille, comparé aux grandes coupures d’électricité survenues dans le passé aux États-Unis. Mais la panne, pendant toute la journée du 7 décembre, d’Amazon Web Services (AWS), la filiale de l’empire Amazon qui assure le tiers du réseau dans le nuage des entreprises américaines, a au moins révélé l’emprise de la Big Tech. Au siège de l’ONU, à New York, les traductions simultanées dans les six langues officielles ont été stoppées net, faute de cloud, en plein débat à l’Assemblée...", + "content": "Bon, personne n’en est mort, et l’incident reste une broutille, comparé aux grandes coupures d’électricité survenues dans le passé aux États-Unis. Mais la panne, pendant toute la journée du 7 décembre, d’Amazon Web Services (AWS), la filiale de l’empire Amazon qui assure le tiers du réseau dans le nuage des entreprises américaines, a au moins révélé l’emprise de la Big Tech. Au siège de l’ONU, à New York, les traductions simultanées dans les six langues officielles ont été stoppées net, faute de cloud, en plein débat à l’Assemblée...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-un-monde-sans-amazon-lhotel-du-bon-cobalt-et-lembauche-asynchrone", "creator": "", - "pubDate": "Wed, 01 Dec 2021 18:40:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 14 Dec 2021 09:32:42 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_18.png?itok=OsIY90I7", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "472bcb6cac2cddec42f988bb8614ed12" + "hash": "56328b024ded9978c4e40d1ded2f1f6e" }, { - "title": "Michael Bloomberg: Why I'm Backing Charter Schools", - "description": "The public school system is failing. My philanthropy will give $750 million to a proven alternative.", - "content": "The public school system is failing. My philanthropy will give $750 million to a proven alternative.", - "category": "PAID", - "link": "https://www.wsj.com/articles/michael-bloomberg-why-im-backing-charter-schools-covid-19-learning-loss-teachers-union-11638371324", + "title": "Elon Musk sacré personnalité de l’année par le magazine “Time”", + "description": "Pour son célèbre titre annuel, le journal américain a opté pour le richissime fondateur de l’entreprise de véhicules électriques Tesla. Passionné d’aérospatial, l’entrepreneur sud-africain entend résoudre les problèmes de notre temps à l’aide de la technologie, ce qui fait de lui un pur produit de notre époque.", + "content": "Pour son célèbre titre annuel, le journal américain a opté pour le richissime fondateur de l’entreprise de véhicules électriques Tesla. Passionné d’aérospatial, l’entrepreneur sud-africain entend résoudre les problèmes de notre temps à l’aide de la technologie, ce qui fait de lui un pur produit de notre époque.", + "category": "", + "link": "https://www.courrierinternational.com/article/influence-elon-musk-sacre-personnalite-de-lannee-par-le-magazine-time", "creator": "", - "pubDate": "Wed, 01 Dec 2021 11:00:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 13 Dec 2021 19:53:39 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/sans_titre_6.png?itok=1AuW-3YK", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cae3270b9e4596207863b18121f78412" + "hash": "72a8433d34c1b0ff64cc16d0bf331bbc" }, { - "title": "An Abortion Crossroads at the Supreme Court", - "description": "The Court must consider the Constitution and long-time precedent.", - "content": "The Court must consider the Constitution and long-time precedent.", - "category": "PAID", - "link": "https://www.wsj.com/articles/an-abortion-crossroads-at-the-supreme-court-dobbs-jackson-mississippi-john-roberts-11638311038", + "title": "Le chinois SenseTime, sur liste noire américaine, reporte son entrée en Bourse", + "description": "Le spécialiste chinois de la reconnaissance faciale est contraint de suspendre sa levée de fonds à Hong Kong après avoir été placé par Washington sur la liste des entreprises du “complexe militaro-industriel chinois”, accusé de violations des droits humains envers les Ouïgours.", + "content": "Le spécialiste chinois de la reconnaissance faciale est contraint de suspendre sa levée de fonds à Hong Kong après avoir été placé par Washington sur la liste des entreprises du “complexe militaro-industriel chinois”, accusé de violations des droits humains envers les Ouïgours.", + "category": "", + "link": "https://www.courrierinternational.com/article/surveillance-le-chinois-sensetime-sur-liste-noire-americaine-reporte-son-entree-en-bourse", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:54:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 13 Dec 2021 14:00:11 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtx6uy15.jpg?itok=RN-_ima6", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "034dbffece393a4e3be71d4d33586e8d" + "hash": "67da82694593bffb828eee746d6ff3ec" }, { - "title": "Should We Be Adverse to the Metaverse?", - "description": "Students discuss a world in which business and personal interactions take place in an ever more realistic virtual reality.", - "content": "Students discuss a world in which business and personal interactions take place in an ever more realistic virtual reality.", - "category": "PAID", - "link": "https://www.wsj.com/articles/should-we-be-adverse-to-the-metaverse-zuckerberg-social-media-college-students-11638310340", + "title": "Les petits arrangements climatiques de l’industrie automobile en Europe ", + "description": "Les voitures sont responsables de 13 % des émissions de CO2 dans l’Union européenne. Malgré un renforcement des règles, les constructeurs minimisent leurs émissions et retardent la transition vers l’électrique, accuse une ONG environnementale.", + "content": "Les voitures sont responsables de 13 % des émissions de CO2 dans l’Union européenne. Malgré un renforcement des règles, les constructeurs minimisent leurs émissions et retardent la transition vers l’électrique, accuse une ONG environnementale.", + "category": "", + "link": "https://www.courrierinternational.com/article/pollution-les-petits-arrangements-climatiques-de-lindustrie-automobile-en-europe", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:39:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 13 Dec 2021 06:01:55 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-43-ammer.w.jpg?itok=sBtbn_sM", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0d5941b0bfaa772cf3f2cd21b520b323" + "hash": "3410b762079bf26382c74916b518cae0" }, { - "title": "Decoding the Omicron Panic", - "description": "Covid overkill is bad for everybody except the politicians.", - "content": "Covid overkill is bad for everybody except the politicians.", - "category": "PAID", - "link": "https://www.wsj.com/articles/decoding-the-omicron-panic-covid-vaccines-politics-lockdowns-variant-11638309070", + "title": "Le promoteur chinois Evergrande au bord de la faillite, et alors  ?", + "description": "L’agence de notation Fitch a sonné l’alarme jeudi 9 décembre : le géant chinois surendetté est en défaut de paiement. La menace d’une crise financière majeure est toujours là, mais n’a pas semblé émouvoir les marchés vendredi.", + "content": "L’agence de notation Fitch a sonné l’alarme jeudi 9 décembre : le géant chinois surendetté est en défaut de paiement. La menace d’une crise financière majeure est toujours là, mais n’a pas semblé émouvoir les marchés vendredi.", + "category": "", + "link": "https://www.courrierinternational.com/article/immobilier-le-promoteur-chinois-evergrande-au-bord-de-la-faillite-et-alors", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:22:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 10 Dec 2021 20:00:34 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1347287397.jpg?itok=H6gYLoIH", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bea8abc79e70e441e7acee5dfd83c2dc" + "hash": "c4905a8bfdcc01df3a05ad910b2ee04b" }, { - "title": "Sic 'Transitory' Gloria Fed", - "description": "Federal Reserve Chairman Jerome Powell finally abandons the word to describe 6% annual inflation over the last year.", - "content": "Federal Reserve Chairman Jerome Powell finally abandons the word to describe 6% annual inflation over the last year.", - "category": "PAID", - "link": "https://www.wsj.com/articles/sic-transitory-gloria-inflation-transitory-jerome-powell-pat-toomey-11638314379", + "title": "Un café Starbucks à Buffalo sera le premier à se doter d’un syndicat", + "description": "En votant, jeudi 9 décembre, pour la création d’une section syndicale, les salariés du Starbucks de l’avenue Elmwood, à Buffalo, remportent une victoire symbolique. Elle est le signe des nouveaux rapports de force dans le monde du travail, selon le Wall Street Journal. ", + "content": "En votant, jeudi 9 décembre, pour la création d’une section syndicale, les salariés du Starbucks de l’avenue Elmwood, à Buffalo, remportent une victoire symbolique. Elle est le signe des nouveaux rapports de force dans le monde du travail, selon le Wall Street Journal. ", + "category": "", + "link": "https://www.courrierinternational.com/article/etats-unis-un-cafe-starbucks-buffalo-sera-le-premier-se-doter-dun-syndicat", "creator": "", - "pubDate": "Tue, 30 Nov 2021 19:13:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 10 Dec 2021 17:39:11 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxlg5vx.jpg?itok=BZwpso3e", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7cdeae8771120eb6f499549e8465b820" + "hash": "ba198995e7d164b54ca026f33cd09a05" }, { - "title": "A Playbook to Revive the Biden Presidency", - "description": "He’ll need to appeal to the center of the country, not his party, on, say, immigration.", - "content": "He’ll need to appeal to the center of the country, not his party, on, say, immigration.", - "category": "PAID", - "link": "https://www.wsj.com/articles/a-playbook-to-revive-the-biden-presidency-approval-ratings-losses-immigration-11638284975", + "title": "Record de commandes de yachts : qu’importe la pandémie, les plus riches se font plaisir", + "description": "Comme après la crise financière de 2008, les carnets de commandes des constructeurs de superyachts sont plus remplis que jamais, avec 1 200 ventes conclues en 2021. Les super-riches jouissent ainsi de la consolidation de leur fortune lors des mois de pandémie, explique le quotidien britannique The Times.", + "content": "Comme après la crise financière de 2008, les carnets de commandes des constructeurs de superyachts sont plus remplis que jamais, avec 1 200 ventes conclues en 2021. Les super-riches jouissent ainsi de la consolidation de leur fortune lors des mois de pandémie, explique le quotidien britannique The Times.", + "category": "", + "link": "https://www.courrierinternational.com/article/luxe-record-de-commandes-de-yachts-quimporte-la-pandemie-les-plus-riches-se-font-plaisir", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:26:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Thu, 09 Dec 2021 15:26:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_dpa-pa_201108-99-259128_dpai.jpg?itok=PU--v-1Z", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ce868f863629418a454e85fe95aae2e8" + "hash": "d23a10f9918b5f5fd183d3655b248a23" }, { - "title": "A Dubious Union Revote at Amazon", - "description": "An NLRB ruling puts Big Labor’s interests above employees’ will.", - "content": "An NLRB ruling puts Big Labor’s interests above employees’ will.", - "category": "PAID", - "link": "https://www.wsj.com/articles/a-dubious-union-revote-at-amazon-alabama-nlrb-lisa-henderson-11638313026", + "title": "Le variant Omicron reporte la fin du télétravail chez Google, Uber et Ford", + "description": "De nombreuses grandes entreprises avaient décidé d’un retour en présentiel au début de 2022. Avec l’apparition du nouveau variant, certaines jouent la prudence et maintiennent le travail à domicile.", + "content": "De nombreuses grandes entreprises avaient décidé d’un retour en présentiel au début de 2022. Avec l’apparition du nouveau variant, certaines jouent la prudence et maintiennent le travail à domicile.", + "category": "", + "link": "https://www.courrierinternational.com/article/etats-unis-le-variant-omicron-reporte-la-fin-du-teletravail-chez-google-uber-et-ford", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:52:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Thu, 09 Dec 2021 14:45:25 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxk6kqd.jpg?itok=nwxxFH4y", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aefc0f17663150d2eecc30202adcb863" + "hash": "d1cf55e01c3b767d88b10dca3513398e" }, { - "title": "The Fed Battles Wyoming on Cryptocurrency", - "description": "Powell and Brainard stand in the way of sensible regulation.", - "content": "Powell and Brainard stand in the way of sensible regulation.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-fed-battles-wyoming-cryptocurrency-powell-brainard-bitcoin-digital-assets-spdi-fintech-11638308314", + "title": "Weibo, le Twitter chinois, chute à son entrée en Bourse à Hong Kong", + "description": "Les actions du grand réseau social chinois ont perdu plus de 6 % à leur introduction sur le marché à Hong Kong, ce 8 décembre. Signe de la méfiance des investisseurs pour les valeurs de la tech chinoise, qui subit la pression de Pékin.", + "content": "Les actions du grand réseau social chinois ont perdu plus de 6 % à leur introduction sur le marché à Hong Kong, ce 8 décembre. Signe de la méfiance des investisseurs pour les valeurs de la tech chinoise, qui subit la pression de Pékin.", + "category": "", + "link": "https://www.courrierinternational.com/article/reseaux-sociaux-weibo-le-twitter-chinois-chute-son-entree-en-bourse-hong-kong", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:24:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 08 Dec 2021 14:03:45 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/weibocapture.jpg?itok=LqXBG_s6", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bbb604335cf199f14f13fca2ead9aacb" + "hash": "1e2e7e01ca7bdde389a4ffc7266ab7ab" }, { - "title": "What Pro-Lifers Want From the Supreme Court", - "description": "It’s the job of the American people, not the justices, to decide abortion.", - "content": "It’s the job of the American people, not the justices, to decide abortion.", - "category": "PAID", - "link": "https://www.wsj.com/articles/what-pro-lifers-want-supreme-court-casey-roe-undue-burden-dobbs-jackson-womens-health-11638222045", + "title": "2 750 milliardaires contrôlent 3,5 % de la richesse mondiale", + "description": "Selon le rapport 2022 du Laboratoire sur les inégalités mondiales, codirigé par Thomas Piketty, 3,5 % du patrimoine mondial est détenu par quelque 2 750 ultrariches, tandis que les 50 % les plus pauvres se partagent 2 % des richesses de la planète, note Bloomberg.", + "content": "Selon le rapport 2022 du Laboratoire sur les inégalités mondiales, codirigé par Thomas Piketty, 3,5 % du patrimoine mondial est détenu par quelque 2 750 ultrariches, tandis que les 50 % les plus pauvres se partagent 2 % des richesses de la planète, note Bloomberg.", + "category": "", + "link": "https://www.courrierinternational.com/article/fosse-2-750-milliardaires-controlent-35-de-la-richesse-mondiale", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:18:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 07 Dec 2021 16:41:04 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxelvg4.jpg?itok=pC-FqHfP", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0fe01a3ec1a293bcbbf78a47b7758b1b" + "hash": "48a6f4406c62b72b7159a8e263c80a70" }, { - "title": "Richard Cordray to the Fed?", - "description": "Biden considers another protege of Elizabeth Warren to supervise banks.", - "content": "Biden considers another protege of Elizabeth Warren to supervise banks.", - "category": "PAID", - "link": "https://www.wsj.com/articles/richard-cordray-to-the-fed-joe-biden-cfpb-11638315333", + "title": "Le fonds d’investissement Blackstone, plus grand propriétaire d’entrepôts au monde", + "description": "Le géant américain Blackstone s’est lancé dans une course à l’achat d’entrepôts depuis une dizaine d’années. L’explosion de l’e-commerce en est la principale raison : avec le flux continu des marchandises, les vendeurs sont obligés de recourir à ces espaces de stockage.", + "content": "Le géant américain Blackstone s’est lancé dans une course à l’achat d’entrepôts depuis une dizaine d’années. L’explosion de l’e-commerce en est la principale raison : avec le flux continu des marchandises, les vendeurs sont obligés de recourir à ces espaces de stockage.", + "category": "", + "link": "https://www.courrierinternational.com/article/economie-le-fonds-dinvestissement-blackstone-plus-grand-proprietaire-dentrepots-au-monde", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:51:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 07 Dec 2021 15:03:09 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/035_pbu473833_07_0_0.jpg?itok=520GZb4H", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1e6a5101b80518f407515761b32aa6b" + "hash": "5bed53e1dbb768af33f0210e34c01d50" }, { - "title": "How Many Cuomo Brothers Work at CNN?", - "description": "News outlets treated the politician like family.", - "content": "News outlets treated the politician like family.", - "category": "PAID", - "link": "https://www.wsj.com/articles/how-many-cuomo-brothers-work-at-cnn-11638313632", + "title": "Hauts et bas du BOO, le récif de Jeff Bezos et les sceptiques du molnupiravir", + "description": "Les photos et les vidéos sont apparues vers le mois de mai sur les réseaux sociaux, raconte NBC. Elles montraient des gens souriants en train d’avaler des pots de liquide noir, de s’en enduire ou d’y baigner leurs bébés et leurs chiens. Dans l’univers parallèle de Facebook, des groupes forts de dizaines de milliers d’internautes échangeaient sur leurs récents usages miraculeux de BOO, le produit phare du site...", + "content": "Les photos et les vidéos sont apparues vers le mois de mai sur les réseaux sociaux, raconte NBC. Elles montraient des gens souriants en train d’avaler des pots de liquide noir, de s’en enduire ou d’y baigner leurs bébés et leurs chiens. Dans l’univers parallèle de Facebook, des groupes forts de dizaines de milliers d’internautes échangeaient sur leurs récents usages miraculeux de BOO, le produit phare du site...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-hauts-et-bas-du-boo-le-recif-de-jeff-bezos-et-les-sceptiques-du-molnupiravir", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:07:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 07 Dec 2021 11:38:46 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_17.png?itok=fgZu2-aq", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "8b0b9b6dc7fb98621c04192af42c154b" + "hash": "c70cf8f2be14aef427cab589bdf00654" }, { - "title": "Notable & Quotable: Gordon Wood on Slavery", - "description": "‘The New York Times has the history completely backwards.’", - "content": "‘The New York Times has the history completely backwards.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-gordon-wood-slavery-1619-project-nikole-hannah-jones-systemic-racism-11638308854", + "title": "Le patron d’une fintech licencie 900 salariés par Zoom", + "description": "Vishal Garg, PDG de la société américaine de crédit hypothécaire Better.com, a convoqué une réunion pour annoncer une réduction de 9 % des effectifs, apprenant du même coup aux participants leur licenciement avant les fêtes.", + "content": "Vishal Garg, PDG de la société américaine de crédit hypothécaire Better.com, a convoqué une réunion pour annoncer une réduction de 9 % des effectifs, apprenant du même coup aux participants leur licenciement avant les fêtes.", + "category": "", + "link": "https://www.courrierinternational.com/article/telelicenciement-le-patron-dune-fintech-licencie-900-salaries-par-zoom", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:20:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 06 Dec 2021 12:40:55 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-12-06_a_12.10.00.png?itok=ZXIrQlKx", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "15b19e632ac677c66211b4315a9e4702" + "hash": "0ec811202780493d0f48d59dce3fc82c" }, { - "title": "John Roberts and the Abortion Precedents", - "description": "The chief justice has a chance to protect the Supreme Court, strike a blow for democracy, and overturn bad decisions.", - "content": "The chief justice has a chance to protect the Supreme Court, strike a blow for democracy, and overturn bad decisions.", - "category": "PAID", - "link": "https://www.wsj.com/articles/two-generations-of-roe-is-enough-abortion-law-overturn-11638286403", + "title": "En Turquie, la monnaie chute et le peuple trinque", + "description": "La forte dépréciation de la livre turque a provoqué une flambée généralisée des prix dont souffrent les classes défavorisées et moyennes, rapporte le site Middle East Eye.", + "content": "La forte dépréciation de la livre turque a provoqué une flambée généralisée des prix dont souffrent les classes défavorisées et moyennes, rapporte le site Middle East Eye.", + "category": "", + "link": "https://www.courrierinternational.com/article/crise-en-turquie-la-monnaie-chute-et-le-peuple-trinque", "creator": "", - "pubDate": "Tue, 30 Nov 2021 12:26:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 06 Dec 2021 10:16:31 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-28-ares_w_0.jpg?itok=OUjx4jlT", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "daab2c4ab25cbcf51a4adf06e819083d" + "hash": "e656e13d48859b2c897537167348f803" }, { - "title": "Hyperpartisan Gigi Sohn Doesn't Belong at the FCC", - "description": "Biden’s nominee has suggested regulators use their power to suppress the speech of conservatives.", - "content": "Biden’s nominee has suggested regulators use their power to suppress the speech of conservatives.", - "category": "PAID", - "link": "https://www.wsj.com/articles/hyperpartisan-gigi-sohn-doesnt-belong-at-the-fcc-politicization-tweets-11638309404", + "title": "Trop cher, le fer rouille en Algérie ", + "description": "Chantiers au ralenti, chômage et dépôts de bilan : le BTP algérien est à la peine. En cause, la flambée des prix du fer à béton, essentiel à la structure des bâtiments.", + "content": "Chantiers au ralenti, chômage et dépôts de bilan : le BTP algérien est à la peine. En cause, la flambée des prix du fer à béton, essentiel à la structure des bâtiments.", + "category": "", + "link": "https://www.courrierinternational.com/article/construction-trop-cher-le-fer-rouille-en-algerie", "creator": "", - "pubDate": "Tue, 30 Nov 2021 18:24:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 06 Dec 2021 06:04:09 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/otto-web_2.jpg?itok=RLPsU8yH", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7fe5a3fffa701474467a8b49b652f3db" + "hash": "a3f30b3520998922179f628b4d05458f" }, { - "title": "The Omicron Non-Emergency", - "description": "Vaccine mandates are hurting hospitals, as a judge blocks Biden’s on health care workers.", - "content": "Vaccine mandates are hurting hospitals, as a judge blocks Biden’s on health care workers.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-omicron-non-emergency-joe-biden-south-africa-kathy-hochul-11638225480", + "title": "Un projet de production d’hydrogène vert à échelle industrielle en Espagne", + "description": "La compagnie d’électricité espagnole Iberdrola s’associe à la société suédoise H2 Green Steel dans un plan à 2,3 milliards d’euros pour produire de l’hydrogène renouvelable sur le territoire espagnol à l’horizon 2025 ou 2026.", + "content": "La compagnie d’électricité espagnole Iberdrola s’associe à la société suédoise H2 Green Steel dans un plan à 2,3 milliards d’euros pour produire de l’hydrogène renouvelable sur le territoire espagnol à l’horizon 2025 ou 2026.", + "category": "", + "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-un-projet-de-production-dhydrogene-vert-echelle-industrielle-en-espagne", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:39:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 03 Dec 2021 21:07:26 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_245.png?itok=o1VTmoFZ", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d8cf5fd3730c9c6bb636f7e60e343163" + "hash": "afbff5136adea0916fb9492d8b7d56e1" }, { - "title": "Where Did That IMF Covid Money Go?", - "description": "Iran got $5 billion, but the world’s poor countries aren’t benefitting from ‘special drawing rights.’", - "content": "Iran got $5 billion, but the world’s poor countries aren’t benefitting from ‘special drawing rights.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/where-did-that-imf-covid-cash-go-special-drawing-rights-11638223617", + "title": "Uber paie 9 millions de dollars dans l’affaire des plaintes pour harcèlement sexuel", + "description": "La plateforme de chauffeurs privés avait été condamnée en Californie à payer 59 millions de dollars pour refus de coopérer sur des plaintes pour agressions sexuelles. L’accord réduit l’amende mais oblige Uber à transmettre les données anonymisées.", + "content": "La plateforme de chauffeurs privés avait été condamnée en Californie à payer 59 millions de dollars pour refus de coopérer sur des plaintes pour agressions sexuelles. L’accord réduit l’amende mais oblige Uber à transmettre les données anonymisées.", + "category": "", + "link": "https://www.courrierinternational.com/article/etats-unis-uber-paie-9-millions-de-dollars-dans-laffaire-des-plaintes-pour-harcelement", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:23:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 03 Dec 2021 19:36:14 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxk6krx.jpg?itok=fG_qNz7R", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b430984ac8919d4ea5f50d2e59f9bf8b" + "hash": "4f2bdb893c976dc21ff98bab4f9fed7b" }, { - "title": "Hong Kong Says Vote---or Else", - "description": "China fears a boycott of the sham vote it will hold next month.", - "content": "China fears a boycott of the sham vote it will hold next month.", - "category": "PAID", - "link": "https://www.wsj.com/articles/hong-kongs-rigged-election-china-legislative-council-11638224614", + "title": "Les femmes les plus influentes de 2021, selon le “Financial Times”", + "description": "Le quotidien économique et financier britannique a dévoilé sa liste des femmes les plus influentes de l’année 2021. Des “dirigeantes”, des “héroïnes” et des “créatrices”.", + "content": "Le quotidien économique et financier britannique a dévoilé sa liste des femmes les plus influentes de l’année 2021. Des “dirigeantes”, des “héroïnes” et des “créatrices”.", + "category": "", + "link": "https://www.courrierinternational.com/article/liste-les-femmes-les-plus-influentes-de-2021-selon-le-financial-times", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:36:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 03 Dec 2021 18:07:37 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_par8092659.jpg?itok=Fclycl3G", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "2817f70f1e201ab1849888e4a8d83d8c" + "hash": "f029b7c935d01da3d5670f2c7e54ceba" }, { - "title": "The WTO's Fast Track to Irrelevance", - "description": "China and others try to exploit the pact, while Western nations burden it with irrelevant goals.", - "content": "China and others try to exploit the pact, while Western nations burden it with irrelevant goals.", - "category": "PAID", - "link": "https://www.wsj.com/articles/world-trade-organization-fast-track-irrelevance-tpp-cptpp-china-ministerial-conference-omicron-11638201072", + "title": "Macron dans le Golfe, une tournée au menu économique et diplomatique copieux", + "description": "En visite express dans la péninsule arabique, le président français a signé une vente de Rafale avec les Émirats. Au même moment, au Liban, un ministre qui avait tenu des propos jugés hostiles par l’Arabie Saoudite, où le chef de l’État doit se rendre samedi 4 décembre, quittait ses fonctions.", + "content": "En visite express dans la péninsule arabique, le président français a signé une vente de Rafale avec les Émirats. Au même moment, au Liban, un ministre qui avait tenu des propos jugés hostiles par l’Arabie Saoudite, où le chef de l’État doit se rendre samedi 4 décembre, quittait ses fonctions.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/visite-macron-dans-le-golfe-une-tournee-au-menu-economique-et-diplomatique-copieux", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:02:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 03 Dec 2021 16:04:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9tw2tp.jpg?itok=Gcx_TuYy", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c2b7cc203292d5944eeb2dd9be71902c" + "hash": "d07265dcd16316491f84a5c2ec599fba" }, { - "title": "Biden Joins the Lumber Trade Wars", - "description": "How not to fight inflation: raise home building costs by doubling tariffs.", - "content": "How not to fight inflation: raise home building costs by doubling tariffs.", - "category": "PAID", - "link": "https://www.wsj.com/articles/biden-joins-the-lumber-wars-commerce-department-tariffs-canada-11638226400", + "title": "Le train de la chance pour le Laos ?", + "description": "L’inauguration, ce 3 décembre, de la ligne de train traversant le Laos du nord au sud marque le succès d’un chantier financé en partie par la Chine. Entre surendettement et développement du commerce avec ses voisins, les enjeux sont de taille pour le pays enclavé.", + "content": "L’inauguration, ce 3 décembre, de la ligne de train traversant le Laos du nord au sud marque le succès d’un chantier financé en partie par la Chine. Entre surendettement et développement du commerce avec ses voisins, les enjeux sont de taille pour le pays enclavé.", + "category": "", + "link": "https://www.courrierinternational.com/article/infrastructure-le-train-de-la-chance-pour-le-laos", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:34:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 03 Dec 2021 06:00:24 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-12-01_a_11.51.56.png?itok=SU41xlA4", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "931e6ddfe0c5ece161db466b7054f59c" + "hash": "86df45861e94f562915e3d71498206eb" }, { - "title": "This Abortion Case 'Feels Different'", - "description": "The law before the high court this week focuses on protecting the unborn, not restricting women.", - "content": "The law before the high court this week focuses on protecting the unborn, not restricting women.", - "category": "PAID", - "link": "https://www.wsj.com/articles/this-abortion-case-feels-different-supreme-court-unborn-dobbs-jackson-womens-health-11638223308", + "title": "Susan Arnold, première présidente de Disney", + "description": "Susan Arnold prendra ses fonctions à la fin de l’année à la tête du conseil d’administration du géant du divertissement. Une première depuis la création de Walt Disney, il y a quatre-vingt-dix-huit ans, qui marque aussi la fin d’une époque.", + "content": "Susan Arnold prendra ses fonctions à la fin de l’année à la tête du conseil d’administration du géant du divertissement. Une première depuis la création de Walt Disney, il y a quatre-vingt-dix-huit ans, qui marque aussi la fin d’une époque.", + "category": "", + "link": "https://www.courrierinternational.com/article/divertissement-susan-arnold-premiere-presidente-de-disney", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:22:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Thu, 02 Dec 2021 16:32:44 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_serrano-notitle211125_npfq6.jpg?itok=BHUuFIqo", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5aef7750ca7098dfcdaae0b469f9e595" + "hash": "cda3c0bdb45cd7a31c2dc109eb3ce781" }, { - "title": "Global Free Trade Is in Crisis", - "description": "Western leaders have failed to deal with economic dislocation and China’s cheating.", - "content": "Western leaders have failed to deal with economic dislocation and China’s cheating.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-world-free-trade-system-is-in-crisis-organization-meeting-omicron-tariffs-sanctions-11638220676", + "title": "Bruxelles veut concurrencer les nouvelles routes de la soie chinoises", + "description": "La Commission européenne a présenté, mercredi 1er décembre, Global Gateway, une stratégie d’investissements de 300 milliards d’euros en faveur des pays en développement. Pour la presse espagnole, nul doute, l’UE cherche à s’affirmer sur la scène géopolitique face à la Chine.", + "content": "La Commission européenne a présenté, mercredi 1er décembre, Global Gateway, une stratégie d’investissements de 300 milliards d’euros en faveur des pays en développement. Pour la presse espagnole, nul doute, l’UE cherche à s’affirmer sur la scène géopolitique face à la Chine.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/vu-despagne-bruxelles-veut-concurrencer-les-nouvelles-routes-de-la-soie-chinoises", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:18:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Thu, 02 Dec 2021 15:57:48 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxkwpuo.jpg?itok=o7UUsUvN", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87787c2fa87a30fdce84fe66de3cc872" + "hash": "3c6e73b4ea10ba3989b99ac941c02ed1" }, { - "title": "The Erdogan Lira Crisis", - "description": "Turkey’s currency burns while its president fiddles with rates.", - "content": "Turkey’s currency burns while its president fiddles with rates.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-erdogan-lira-crisis-turkey-11638219071", + "title": "Les Américains, champions du monde des déchets plastiques", + "description": "Chaque Américain jette, en moyenne, 130 kilos de plastique par an. Selon un rapport commandé par le Congrès, le pays est le premier producteur mondial de déchets plastiques.", + "content": "Chaque Américain jette, en moyenne, 130 kilos de plastique par an. Selon un rapport commandé par le Congrès, le pays est le premier producteur mondial de déchets plastiques.", + "category": "", + "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-les-americains-champions-du-monde-des-dechets-plastiques", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:32:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Thu, 02 Dec 2021 15:01:08 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_6_24.png?itok=9xuXw6o5", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6dc866141d70a032fd9e4f744ea69f36" + "hash": "d256c4310dc24e6003e3a81d5cf9b912" }, { - "title": "Biden's Partisan Pandemic History", - "description": "The President wastes another opportunity to lead on Covid.", - "content": "The President wastes another opportunity to lead on Covid.", - "category": "PAID", - "link": "https://www.wsj.com/articles/bidens-partisan-pandemic-history-11638224460", + "title": "Le variant Omicron menace la reprise économique mondiale, selon l’OCDE", + "description": "Dans son rapport semestriel présenté mercredi, l’organisation internationale révise à la hausse ses prévisions pour l’inflation en 2022, qui s’établirait à 4,4 % dans les pays développés, mais ne touche pas aux perspectives de croissance mondiale.", + "content": "Dans son rapport semestriel présenté mercredi, l’organisation internationale révise à la hausse ses prévisions pour l’inflation en 2022, qui s’établirait à 4,4 % dans les pays développés, mais ne touche pas aux perspectives de croissance mondiale.", + "category": "", + "link": "https://www.courrierinternational.com/article/croissance-le-variant-omicron-menace-la-reprise-economique-mondiale-selon-locde", "creator": "", - "pubDate": "Mon, 29 Nov 2021 17:21:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 01 Dec 2021 17:33:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1346534514.jpg?itok=KBrffgmM", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "38bf9aac1ddec5621e44177a971865aa" + "hash": "8640d2fcd3bbf285e3b38fd2d60dd983" }, { - "title": "The Left, the Ahmaud Arbery Verdict and 'Felony Murder'", - "description": "If the charge is unjust, the jury should have convicted only one of the defendants.", - "content": "If the charge is unjust, the jury should have convicted only one of the defendants.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-left-ahmaud-arbery-and-felony-murder-racial-discrimination-justice-ahmaud-arbery-11638222968", + "title": "Encore une année record pour les énergies renouvelables", + "description": "Quelque 290 gigawatts de capacités nouvelles auront été installés en 2021, affirme l’Agence internationale de l’énergie. L’éolien et le solaire devraient fournir 95 % de la croissance de la production mondiale d’électricité d’ici à la fin 2026.", + "content": "Quelque 290 gigawatts de capacités nouvelles auront été installés en 2021, affirme l’Agence internationale de l’énergie. L’éolien et le solaire devraient fournir 95 % de la croissance de la production mondiale d’électricité d’ici à la fin 2026.", + "category": "", + "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-encore-une-annee-record-pour-les-energies-renouvelables", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:21:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 01 Dec 2021 12:28:39 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_241.png?itok=ndSNcHgF", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "daf1370ba1437130d73bbd0a4a957c00" + "hash": "435681cf5c9758f7b56d39091bf1778a" }, { - "title": "'Leadership' and Dirty Tricks at Harvard", - "description": "The student council’s extreme measures to stave off a ‘vote of no confidence.’", - "content": "The student council’s extreme measures to stave off a ‘vote of no confidence.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/leadership-and-dirty-tricks-at-harvard-election-votes-university-11638220916", + "title": "L’inflation dans la zone euro s’emballe à 4,9 %", + "description": "La hausse des prix dans la zone euro, portée par la crise de l’énergie, a atteint en novembre son niveau le plus élevé depuis l’introduction de la monnaie unique. Mais selon la Banque centrale européenne, cette flambée devrait s’atténuer dès le mois prochain.", + "content": "La hausse des prix dans la zone euro, portée par la crise de l’énergie, a atteint en novembre son niveau le plus élevé depuis l’introduction de la monnaie unique. Mais selon la Banque centrale européenne, cette flambée devrait s’atténuer dès le mois prochain.", + "category": "", + "link": "https://www.courrierinternational.com/article/conjoncture-linflation-dans-la-zone-euro-semballe-49", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:19:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 30 Nov 2021 16:27:30 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_dpa-pa_210929-99-410128_dpai.jpg?itok=6Kj7cfXX", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "da0cf47f976b5c08650fd91b2e3a07c6" + "hash": "c7935f65e45229157b83d3039ede9e0e" }, { - "title": "Courts and the Regulatory State", - "description": "The Supreme Court has a chance to revisit its Chevron deference to runaway bureaucracies.", - "content": "The Supreme Court has a chance to revisit its Chevron deference to runaway bureaucracies.", - "category": "PAID", - "link": "https://www.wsj.com/articles/courts-and-the-regulatory-state-american-hospital-association-agencies-chevron-rulings-11638123948", + "title": "Lego offre trois jours de congé à ses salariés après une année “extraordinaire”", + "description": "L’entreprise danoise, qui affiche des bénéfices en hausse de 140 % au premier semestre, remercie ses 20 400 employés dans le monde avec une prime et des vacances supplémentaires.", + "content": "L’entreprise danoise, qui affiche des bénéfices en hausse de 140 % au premier semestre, remercie ses 20 400 employés dans le monde avec une prime et des vacances supplémentaires.", + "category": "", + "link": "https://www.courrierinternational.com/article/social-lego-offre-trois-jours-de-conge-ses-salaries-apres-une-annee-extraordinaire", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:17:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 30 Nov 2021 14:34:04 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1311193228.jpg?itok=tn64aP90", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ff378ebb4cf59c71581383437d0212c6" + "hash": "087850ec674c4c3da8c48b1c47d9fc65" }, { - "title": "Does Abortion Promote Equality for Women?", - "description": "No, says Mississippi’s Attorney General Lynn Fitch, as her office defends the state’s restrictions.", - "content": "No, says Mississippi’s Attorney General Lynn Fitch, as her office defends the state’s restrictions.", - "category": "PAID", - "link": "https://www.wsj.com/articles/does-abortion-promote-equality-for-women-childbearing-law-11638115972", + "title": "L’ami Covid, la guerre froide chez McDo et les narcos high-tech", + "description": "Comme toute la planète, les États-Unis se préparent avec inquiétude à l’arrivée du variant Omicron, découvert en Afrique du Sud. Mais le New York Times Magazine a tout de même décidé de consacrer cette semaine sa une aux conséquences positives de deux ans de pandémie de Covid-19. Depuis janvier 2020, le gouvernement a injecté plus de 4 000 milliards de dollars de fonds publics dans l’économie, l’équivalent du budget annuel du pays, destinés autant à la survie du citoyen lambda qu’à...", + "content": "Comme toute la planète, les États-Unis se préparent avec inquiétude à l’arrivée du variant Omicron, découvert en Afrique du Sud. Mais le New York Times Magazine a tout de même décidé de consacrer cette semaine sa une aux conséquences positives de deux ans de pandémie de Covid-19. Depuis janvier 2020, le gouvernement a injecté plus de 4 000 milliards de dollars de fonds publics dans l’économie, l’équivalent du budget annuel du pays, destinés autant à la survie du citoyen lambda qu’à...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-lami-covid-la-guerre-froide-chez-mcdo-et-les-narcos-high-tech", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:06:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 30 Nov 2021 09:05:35 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_16.png?itok=jpLm1rCo", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c739e270785697a2d7760cc4d26c4806" + "hash": "93002caafde43f0e0c68f6e50b6d4170" }, { - "title": "A California Attempt to Repair the Crumbling Pillar of U.S. Education", - "description": "A proposed ballot measure would make good schools a constitutional right.", - "content": "A proposed ballot measure would make good schools a constitutional right.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-crumbling-pillar-of-education-california-dave-welch-vergara-school-choice-charter-11638115242", + "title": "Espagne : à Cadix, la “dernière génération” d’ouvriers de la métallurgie ?", + "description": "La jeunesse de Cadix est inquiète pour son avenir. Dans cette région de l’Andalousie, marquée par un taux de chômage parmi les plus élevés du pays, la nouvelle génération du secteur de la métallurgie craint le pire.", + "content": "La jeunesse de Cadix est inquiète pour son avenir. Dans cette région de l’Andalousie, marquée par un taux de chômage parmi les plus élevés du pays, la nouvelle génération du secteur de la métallurgie craint le pire.", + "category": "", + "link": "https://www.courrierinternational.com/article/video-espagne-cadix-la-derniere-generation-douvriers-de-la-metallurgie", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:26:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 29 Nov 2021 18:07:43 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-29_a_15.18.06.png?itok=alchZv2T", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8e42b87fe153be975513287e2e8a1aa3" + "hash": "e85638535f5ce4f61be05817c9c19ee9" }, { - "title": "Stupid Inflation Tricks", - "description": "Democrats keep coming up with new culprits to blame for rising prices.", - "content": "Democrats keep coming up with new culprits to blame for rising prices.", - "category": "PAID", - "link": "https://www.wsj.com/articles/stupid-inflation-tricks-elizabeth-warren-inflation-poultry-cartel-11638129322", + "title": "La France a-t-elle raison de déréférencer Wish ?", + "description": "La France a frappé fort en décidant d’interdire aux moteurs de recherche de référencer le site de vente en ligne Wish. Mais c’est peut-être un acte avant tout symbolique, estime ce quotidien de Genève.", + "content": "La France a frappé fort en décidant d’interdire aux moteurs de recherche de référencer le site de vente en ligne Wish. Mais c’est peut-être un acte avant tout symbolique, estime ce quotidien de Genève.", + "category": "", + "link": "https://www.courrierinternational.com/article/vu-de-suisse-la-france-t-elle-raison-de-dereferencer-wish", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:15:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 29 Nov 2021 12:30:23 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_porzycki-shopifya210826_nplzo.jpg?itok=N3EOfkbJ", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3fc2c99c65cd2e3dc8e2a0624ff97979" + "hash": "c319fdf3696c008e7f389153117062c4" }, { - "title": "López Obrador Courts the Mexican Military", - "description": "The president tries a sweeping power grab in the name of ‘national security.’", - "content": "The president tries a sweeping power grab in the name of ‘national security.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/lopez-obrador-courts-the-mexican-military-amlo-national-security-powers-tariffs-trump-11638121942", + "title": "Tout le monde paie cher ses courses", + "description": "L’indice mondial du prix des denrées alimentaires grimpe en flèche, dépassant les pics de 2008 et 2011. La note n’est cependant pas aussi salée au Nord qu’au Sud, note le Financial Times.", + "content": "L’indice mondial du prix des denrées alimentaires grimpe en flèche, dépassant les pics de 2008 et 2011. La note n’est cependant pas aussi salée au Nord qu’au Sud, note le Financial Times.", + "category": "", + "link": "https://www.courrierinternational.com/article/consommation-tout-le-monde-paie-cher-ses-courses", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:03:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 29 Nov 2021 05:52:35 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/kazanevsky_1.jpg?itok=GJsJv9Nm", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "4b27ad20b6acaefedc6b9a098dee1708" + "hash": "822ee5101ed6028dd3ad54dc9c1cb525" }, { - "title": "At Home in the Retirement Center", - "description": "My husband and I found convenience, camaraderie and the ability to relax.", - "content": "My husband and I found convenience, camaraderie and the ability to relax.", - "category": "PAID", - "link": "https://www.wsj.com/articles/at-home-in-the-retirement-center-complex-neighbors-11638115526", + "title": "Voyage dans l’enfer de la bureaucratie post-Brexit", + "description": "L’accord sur le Brexit a compliqué les relations commerciales entre l’Union européenne et le Royaume-Uni, selon la Neue Zürcher Zeitung​. Même l’importation de vin, pourtant exemptée de droits de douane, s’est considérablement complexifiée.", + "content": "L’accord sur le Brexit a compliqué les relations commerciales entre l’Union européenne et le Royaume-Uni, selon la Neue Zürcher Zeitung​. Même l’importation de vin, pourtant exemptée de droits de douane, s’est considérablement complexifiée.", + "category": "", + "link": "https://www.courrierinternational.com/article/economie-voyage-dans-lenfer-de-la-bureaucratie-post-brexit", "creator": "", - "pubDate": "Sun, 28 Nov 2021 16:59:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Sun, 28 Nov 2021 10:36:26 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/tom_2016-11-03-5399-w.jpg?itok=15IPa2ta", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9328f04adbe92af1829b99be1530f67a" + "hash": "3344baee4dd638539bfa49cf0c275143" }, { - "title": "Iran Has Biden's Nuclear Number", - "description": "Tehran wants a ‘less for more’ deal that would be weaker than Obama’s.", - "content": "Tehran wants a ‘less for more’ deal that would be weaker than Obama’s.", - "category": "PAID", - "link": "https://www.wsj.com/articles/iran-has-biden-nuclear-number-antony-blinken-robert-malley-jake-sullivan-bomb-jcpoa-deal-11636487314", + "title": "Une journée avec un “cow-boy” indonésien collecteur de dettes", + "description": "Un journaliste indonésien a suivi pendant une journée un collecteur de dettes qui arpente les rues de Jakarta à moto. Depuis le début de la pandémie, les prêts en ligne légaux et illégaux se multiplient. Des milliers d’Indonésiens seraient concernés.", + "content": "Un journaliste indonésien a suivi pendant une journée un collecteur de dettes qui arpente les rues de Jakarta à moto. Depuis le début de la pandémie, les prêts en ligne légaux et illégaux se multiplient. Des milliers d’Indonésiens seraient concernés.", + "category": "", + "link": "https://www.courrierinternational.com/article/societe-une-journee-avec-un-cow-boy-indonesien-collecteur-de-dettes", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:13:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Sat, 27 Nov 2021 13:51:14 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/clone-martirena_2016-04-08-1419.jpg?itok=xLkT2g7B", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "5f57f3f8b708a9b228d6ac5f38a8f54c" + "hash": "85b9769642a525b342f829a7498e240f" }, { - "title": "South Korea Wants to Declare Peace---Without Peace", - "description": "Seoul’s government wants Biden to sign onto empty words that won’t deter Pyongyang’s aggression.", - "content": "Seoul’s government wants Biden to sign onto empty words that won’t deter Pyongyang’s aggression.", - "category": "PAID", - "link": "https://www.wsj.com/articles/south-korea-wants-peace-without-peace-kim-jong-un-war-moon-jae-in-biden-north-korea-11638114856", + "title": "Costa Rica : les zones d’ombres du “paradis” d’Amérique centrale", + "description": "Le pays, de loin le plus stable et démocratique de la région, est désormais de plus en plus fracturé par les inégalités, la crise économique et les coupes budgétaires. Il reste cependant un exemple pour la zone. Un reportage du site nicaraguayen Divergentes.", + "content": "Le pays, de loin le plus stable et démocratique de la région, est désormais de plus en plus fracturé par les inégalités, la crise économique et les coupes budgétaires. Il reste cependant un exemple pour la zone. Un reportage du site nicaraguayen Divergentes.", + "category": "", + "link": "https://www.courrierinternational.com/article/revers-costa-rica-les-zones-dombres-du-paradis-damerique-centrale", "creator": "", - "pubDate": "Sun, 28 Nov 2021 15:27:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Sat, 27 Nov 2021 06:04:50 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-39-kazanevsky_0.jpg?itok=YsiKyB2z", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "65f774d7a6dbc83859c862908ebfa764" + "hash": "477794094b2c5c73e8c45f83a7c57910" }, { - "title": "Is This a 'Normal' Covid Winter?", - "description": "Today’s surge would be worse if individuals and states hadn’t ignored Biden’s restrictions on booster shots.", - "content": "Today’s surge would be worse if individuals and states hadn’t ignored Biden’s restrictions on booster shots.", - "category": "PAID", - "link": "https://www.wsj.com/articles/is-this-a-normal-covid-winter-aaron-rodgers-covid-natural-immunity-vaccines-11637960718", + "title": "Un Black Friday de manifestations contre Amazon", + "description": "Des salariés du géant du commerce en ligne, à l’appel du mouvement international Make Amazon Pay, ont choisi cette journée au chiffre d’affaires exceptionnel pour protester contre leurs conditions de travail. Des entrepôts ont aussi été bloqués par Extinction Rebellion au Royaume-Uni, en Allemagne et aux Pays-Bas.", + "content": "Des salariés du géant du commerce en ligne, à l’appel du mouvement international Make Amazon Pay, ont choisi cette journée au chiffre d’affaires exceptionnel pour protester contre leurs conditions de travail. Des entrepôts ont aussi été bloqués par Extinction Rebellion au Royaume-Uni, en Allemagne et aux Pays-Bas.", + "category": "", + "link": "https://www.courrierinternational.com/article/social-un-black-friday-de-manifestations-contre-amazon", "creator": "", - "pubDate": "Fri, 26 Nov 2021 17:38:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 26 Nov 2021 19:57:27 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9tf8nk.jpg?itok=dOXTEsou", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "de51b5f0395a9ab7fc767ea8488c76bc" + "hash": "0025b20e0cd71982b819eda351e6fe5e" }, { - "title": "Financial Climate Risks Are Minimal", - "description": "A new Fed study finds that banks aren’t threatened, contrary to Biden regulatory claims.", - "content": "A new Fed study finds that banks aren’t threatened, contrary to Biden regulatory claims.", - "category": "PAID", - "link": "https://www.wsj.com/articles/financial-climate-risks-are-minimal-federal-reserve-study-banks-11637270186", + "title": "L’Europe et l’Asie se barricadent face au nouveau variant d’Afrique du Sud", + "description": "Après le Royaume-Uni le 25 novembre au soir, de plus en plus de pays décident d’interdire les vols en provenance d’Afrique australe, où une nouvelle souche potentiellement plus contagieuse du Covid-19 a été détectée. L’OMS appelle pourtant à ne pas aller trop vite.", + "content": "Après le Royaume-Uni le 25 novembre au soir, de plus en plus de pays décident d’interdire les vols en provenance d’Afrique australe, où une nouvelle souche potentiellement plus contagieuse du Covid-19 a été détectée. L’OMS appelle pourtant à ne pas aller trop vite.", + "category": "", + "link": "https://www.courrierinternational.com/article/contagion-leurope-et-lasie-se-barricadent-face-au-nouveau-variant-dafrique-du-sud", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:11:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 26 Nov 2021 17:02:52 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxkm36h.jpg?itok=fvGjOQlS", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "895fd11f4fde32bc21b69e4f48dafe34" + "hash": "b9129c7300d6c77faa193660997b59f2" }, { - "title": "The Omicron Variant Panic", - "description": "Markets fall, but the biggest danger is more government lockdowns.", - "content": "Markets fall, but the biggest danger is more government lockdowns.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-omicron-variant-panic-covid-south-africa-markets-biden-administration-11637964316", + "title": "Des cochons patrouillent pour protéger le principal aéroport des Pays-Bas", + "description": "Pour lutter contre la présence d’oiseaux autour de l’aéroport international de Schiphol, aux Pays-Bas, les autorités ont décidé de déployer une armée de… cochons. Le projet doit notamment permettre d’éviter des accidents.\n ", + "content": "Pour lutter contre la présence d’oiseaux autour de l’aéroport international de Schiphol, aux Pays-Bas, les autorités ont décidé de déployer une armée de… cochons. Le projet doit notamment permettre d’éviter des accidents.\n ", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/securite-des-cochons-patrouillent-pour-proteger-le-principal-aeroport-des-pays-bas", "creator": "", - "pubDate": "Fri, 26 Nov 2021 18:16:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Fri, 26 Nov 2021 11:58:03 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-26_a_11.54.53.png?itok=GlyJdUW6", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": true, "favorite": false, "created": false, "tags": [], - "hash": "5aa2f6c82189a9f4d026a0d4e281db55" + "hash": "95d2e549b878039ad3bd75f67435b0b0" }, { - "title": "Jamie Dimon's China Joke Is on JPMorgan's 'Stakeholders'", - "description": "His kowtow shows that investor value is still paramount—and maybe in this case it shouldn’t be.", - "content": "His kowtow shows that investor value is still paramount—and maybe in this case it shouldn’t be.", - "category": "PAID", - "link": "https://www.wsj.com/articles/jamie-dimon-joke-is-on-jpmorgan-chase-stakeholder-capitalism-china-communist-xi-esg-11638201619", + "title": "Le chantier de la gare de Stuttgart entaché de soupçons de pots-de-vin", + "description": "La Deutsche Bahn est accusée par deux lanceurs d’alerte d’avoir ignoré leurs signalements répétés de fraudes et de détournements de fonds dans le projet d’infrastructures le plus coûteux d’Allemagne, la gare souterraine de Stuttgart.", + "content": "La Deutsche Bahn est accusée par deux lanceurs d’alerte d’avoir ignoré leurs signalements répétés de fraudes et de détournements de fonds dans le projet d’infrastructures le plus coûteux d’Allemagne, la gare souterraine de Stuttgart.", + "category": "", + "link": "https://www.courrierinternational.com/article/grands-travaux-le-chantier-de-la-gare-de-stuttgart-entache-de-soupcons-de-pots-de-vin", "creator": "", - "pubDate": "Mon, 29 Nov 2021 13:02:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Thu, 25 Nov 2021 15:42:10 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9kv7dz.jpg?itok=ZMie9Jrf", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e855e73bc6771dd4772b0495b8e1e52" + "hash": "b1c21bf012620f6c211e47c035c311cb" }, { - "title": "School Closures Aren't Just for Covid Anymore", - "description": "Remote learning turns out to be an easy fix for other problems—never mind the huge educational costs.", - "content": "Remote learning turns out to be an easy fix for other problems—never mind the huge educational costs.", - "category": "PAID", - "link": "https://www.wsj.com/articles/school-closures-arent-just-for-covid-anymore-education-children-shutdown-remote-learning-11638116323", + "title": "Biden puise dans les réserves stratégiques pour lutter contre la crise de l’énergie", + "description": "Les États-Unis ont convaincu la Chine, l’Inde, le Royaume-Uni, le Japon et la Corée du Sud de libérer une partie de leurs réserves nationales de pétrole afin de faire baisser les prix du baril. Un effet d’annonce qui risque de faire flop.", + "content": "Les États-Unis ont convaincu la Chine, l’Inde, le Royaume-Uni, le Japon et la Corée du Sud de libérer une partie de leurs réserves nationales de pétrole afin de faire baisser les prix du baril. Un effet d’annonce qui risque de faire flop.", + "category": "", + "link": "https://www.courrierinternational.com/article/petrole-biden-puise-dans-les-reserves-strategiques-pour-lutter-contre-la-crise-de-lenergie", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:08:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 24 Nov 2021 18:01:29 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/063_1355172566.jpg?itok=oQinPrU9", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cad884a7f4a35cd1453028e6e0587c03" + "hash": "fe7c25a4b87267ec51814459d6139fff" }, { - "title": "The Biden Era of Greed?", - "description": "Democrats’ inflation excuses lead to inconvenient conclusions.", - "content": "Democrats’ inflation excuses lead to inconvenient conclusions.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-biden-era-of-greed-11637965598", + "title": "La marque Tolkien met fin à l’aventure de la cryptomonnaie JRR Token", + "description": "Une nouvelle monnaie numérique avait fait parler d’elle en abusant des clins d’œil à l’univers du Seigneur des anneaux. Elle jouait notamment sur la proximité du mot “token” (“jeton”) avec le nom “Tolkien”. Les ayants droit du célèbre écrivain ont obtenu sa suppression.", + "content": "Une nouvelle monnaie numérique avait fait parler d’elle en abusant des clins d’œil à l’univers du Seigneur des anneaux. Elle jouait notamment sur la proximité du mot “token” (“jeton”) avec le nom “Tolkien”. Les ayants droit du célèbre écrivain ont obtenu sa suppression.", + "category": "", + "link": "https://www.courrierinternational.com/article/epilogue-la-marque-tolkien-met-fin-laventure-de-la-cryptomonnaie-jrr-token", "creator": "", - "pubDate": "Fri, 26 Nov 2021 17:26:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 24 Nov 2021 15:27:03 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_porzycki-cryptocu210928_npcwk_0.jpg?itok=NdbLcLf9", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1da406554e572ecae8ca0e14b4d1f0ee" + "hash": "2adeb0f8fe77aae792b44e1ddea30bb8" }, { - "title": "Iran's Nuclear Negotiators Make the U.S. Sit at the Kiddie Table", - "description": "The Islamic Republic relishes humiliating Americans while granting no concessions.", - "content": "The Islamic Republic relishes humiliating Americans while granting no concessions.", - "category": "PAID", - "link": "https://www.wsj.com/articles/iran-nuclear-jcpoa-tehran-enrichment-islamic-republic-11638129541", + "title": "En Hongrie, la monnaie nationale plombée par l’inflation et la pandémie", + "description": "Le forint enregistre une perte de valeur record. Plus largement, relève le journal Népszava, “l’économie hongroise est malade”.", + "content": "Le forint enregistre une perte de valeur record. Plus largement, relève le journal Népszava, “l’économie hongroise est malade”.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/economie-en-hongrie-la-monnaie-nationale-plombee-par-linflation-et-la-pandemie", "creator": "", - "pubDate": "Sun, 28 Nov 2021 17:23:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 24 Nov 2021 15:06:37 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtx2ea23.jpg?itok=-2yprspa", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1da6301147c25eb3b044259b02a1cb4d" + "hash": "985f46ac8998870f06444bedc6c9fa16" }, { - "title": "Narendra Modi Surrenders to the Farmers", - "description": "The repeal of three market-friendly agricultural laws will prevent India’s workers from moving to factories from farms.", - "content": "The repeal of three market-friendly agricultural laws will prevent India’s workers from moving to factories from farms.", - "category": "PAID", - "link": "https://www.wsj.com/articles/modi-surrenders-to-the-farmers-narendra-laws-revoke-government-protests-11637810356", + "title": "La folie des grandeurs agricoles du président Joko Widodo", + "description": "Pour anticiper une crise alimentaire majeure annoncée par les Nations unies, le gouvernement indonésien a lancé en 2020 un programme de gigantesques domaines agricoles à Kalimantan et Sumatra. Il est plus que jamais dénoncé par les organisations environnementales, souligne Koran Tempo.\n \n \n\n   ", + "content": "Pour anticiper une crise alimentaire majeure annoncée par les Nations unies, le gouvernement indonésien a lancé en 2020 un programme de gigantesques domaines agricoles à Kalimantan et Sumatra. Il est plus que jamais dénoncé par les organisations environnementales, souligne Koran Tempo.\n \n \n\n   ", + "category": "", + "link": "https://www.courrierinternational.com/article/indonesie-la-folie-des-grandeurs-agricoles-du-president-joko-widodo", "creator": "", - "pubDate": "Fri, 26 Nov 2021 11:07:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 24 Nov 2021 14:35:54 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-24_a_13.46.39.png?itok=93M5-WpW", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "99852ba1746cebf8466697c8e89899d9" + "hash": "137d54d5c27b7917280677ca71a73277" }, { - "title": "San Franciscans Get What They Voted for With Chesa Boudin", - "description": "The Weather Underground scion isn’t the first district attorney they’ve elected on a soft-on-crime platform.", - "content": "The Weather Underground scion isn’t the first district attorney they’ve elected on a soft-on-crime platform.", - "category": "PAID", - "link": "https://www.wsj.com/articles/san-francisco-crime-chesa-boudin-progressive-prosecutor-11637961667", + "title": "Apple poursuit le concepteur israélien du logiciel espion Pegasus", + "description": "La marque à la pomme voudrait interdire d’accès à ses iPhones le programme de surveillance de NSO, qu’elle accuse de “violation flagrante de la loi”.", + "content": "La marque à la pomme voudrait interdire d’accès à ses iPhones le programme de surveillance de NSO, qu’elle accuse de “violation flagrante de la loi”.", + "category": "", + "link": "https://www.courrierinternational.com/article/surveillance-apple-poursuit-le-concepteur-israelien-du-logiciel-espion-pegasus", "creator": "", - "pubDate": "Fri, 26 Nov 2021 17:45:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Wed, 24 Nov 2021 14:23:48 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxjgjwq.jpg?itok=cPB_RVST", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f9e9275b96ab2be369edeeb6c878896" + "hash": "9194246260072321ca97d03199b6f98b" }, { - "title": "A Black Path to the Middle Class", - "description": "New research on the upward mobility of HBCU graduates.", - "content": "New research on the upward mobility of HBCU graduates.", - "category": "PAID", - "link": "https://www.wsj.com/articles/a-black-path-to-the-middle-class-hbcu-report-uncf-11637798974", + "title": "Comment les ouvriers vietnamiens ont sauvé la production d’Apple et de Samsung", + "description": "Le Covid-19 a fortement perturbé l’activité des sous-traitants électroniques implantés au Vietnam. Grâce à l’installation de campements au sein même des complexes industriels, les ouvriers vietnamiens ont maintenu le rythme de production au prix de leur santé, raconte Rest of World.", + "content": "Le Covid-19 a fortement perturbé l’activité des sous-traitants électroniques implantés au Vietnam. Grâce à l’installation de campements au sein même des complexes industriels, les ouvriers vietnamiens ont maintenu le rythme de production au prix de leur santé, raconte Rest of World.", + "category": "", + "link": "https://www.courrierinternational.com/article/exploitation-comment-les-ouvriers-vietnamiens-ont-sauve-la-production-dapple-et-de-samsung", "creator": "", - "pubDate": "Fri, 26 Nov 2021 18:14:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 23 Nov 2021 16:51:59 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtss0e3.jpg?itok=oWenNerE", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f2d5aa886f7f063999b89591e1dbf505" + "hash": "a146aa80bc4f4ab7232b5a0a97b72420" }, { - "title": "When Federal Employees Telecommute, Why Are Agencies in D.C.?", - "description": "The idea of moving offices to the heartland has been floated for years. It’s never been more relevant.", - "content": "The idea of moving offices to the heartland has been floated for years. It’s never been more relevant.", - "category": "PAID", - "link": "https://www.wsj.com/articles/when-federal-employees-telecommute-why-are-agencies-in-d-c-pandemic-relocate-11637963307", + "title": "Samsung investit 17 milliards de dollars dans une usine de puces au Texas", + "description": "Le numéro deux mondial des semi-conducteurs installera ses nouvelles lignes de production à Austin. Il répond ainsi à la pression de l’administration Biden pour relocaliser la fabrication des composants électroniques, dont la pénurie pénalise l’économie mondiale.", + "content": "Le numéro deux mondial des semi-conducteurs installera ses nouvelles lignes de production à Austin. Il répond ainsi à la pression de l’administration Biden pour relocaliser la fabrication des composants électroniques, dont la pénurie pénalise l’économie mondiale.", + "category": "", + "link": "https://www.courrierinternational.com/article/electronique-samsung-investit-17-milliards-de-dollars-dans-une-usine-de-puces-au-texas", "creator": "", - "pubDate": "Fri, 26 Nov 2021 17:42:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 23 Nov 2021 15:32:34 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_jung-sedex202201027_npurh.jpg?itok=HKQmc00_", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "60b5f42126f31351e961ffd44f808760" + "hash": "58df0a26a8d2ccd08720f165881e3968" }, { - "title": "Democrats Have a Waukesha Problem", - "description": "The massacre at a Christmas parade reveals the dangers of their crime policies.", - "content": "The massacre at a Christmas parade reveals the dangers of their crime policies.", - "category": "PAID", - "link": "https://www.wsj.com/articles/democrats-waukesha-aoc-progressive-prosecutors-crime-wisconsin-bail-reform-11637796347", + "title": "“Au revoir Hong Kong” : la capitale financière ne se remet pas du Covid-19", + "description": "Nikkei Asia constate la désaffection des milieux d’affaires pour la ville à cause des interminables restrictions liées au Covid-19. Une remise en cause du statut de Hong Kong sur le marché financier, note le magazine économique japonais.", + "content": "Nikkei Asia constate la désaffection des milieux d’affaires pour la ville à cause des interminables restrictions liées au Covid-19. Une remise en cause du statut de Hong Kong sur le marché financier, note le magazine économique japonais.", + "category": "", + "link": "https://www.courrierinternational.com/une/contrecoup-au-revoir-hong-kong-la-capitale-financiere-ne-se-remet-pas-du-covid-19", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:34:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 23 Nov 2021 12:43:15 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/https3a2f2fs3-ap-northeast-1.amazonaws.com2fpsh-ex-ftnikkei-3937bb42fimages2f22f72f22f62f37446272-1-eng-gb2f2021111820cover20large.jpg?itok=df_Teu9J", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "157bcefc42b88f31380245eefae2d4fb" + "hash": "87e6536ad82ca49a2a14fd6a0b86f1b6" }, { - "title": "Will Noncitizens Pick New York's Mayors?", - "description": "The City Council wants to let some 800,000 vote in local elections.", - "content": "The City Council wants to let some 800,000 vote in local elections.", - "category": "PAID", - "link": "https://www.wsj.com/articles/will-noncitizens-pick-new-yorks-mayors-11637968529", + "title": "Les brise-fer de l’espace, les bricoleurs d’Apple, l’improbable TGV et les nouveaux détecteurs de mensonge", + "description": "“‘Désolé de vous réveiller si tôt’, dit la voix dans le haut-parleur, ‘mais un satellite s’est fragmenté et vous allez devoir commencer les procédures pour vous mettre en lieu sûr’”, raconte Space.com. La bande-son de la conversation entre la base de Houston et les astronautes de la Station spatiale internationale, le 15 novembre, rappelle de manière saisissante celle des personnages du film Gravity, quelques minutes avant la destruction de...", + "content": "“‘Désolé de vous réveiller si tôt’, dit la voix dans le haut-parleur, ‘mais un satellite s’est fragmenté et vous allez devoir commencer les procédures pour vous mettre en lieu sûr’”, raconte Space.com. La bande-son de la conversation entre la base de Houston et les astronautes de la Station spatiale internationale, le 15 novembre, rappelle de manière saisissante celle des personnages du film Gravity, quelques minutes avant la destruction de...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-les-brise-fer-de-lespace-les-bricoleurs-dapple-limprobable-tgv-et-les", "creator": "", - "pubDate": "Fri, 26 Nov 2021 18:15:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 23 Nov 2021 09:14:06 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_1.png?itok=WUzjortT", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0db0b1572fa45fcb2dbcb90833722c8c" + "hash": "4ddbf801dae312dd89c73ec999e2f0c2" }, { - "title": "The Kippahs on the Yeshiva University Basketball Court", - "description": "Its star player wants to be the first Orthodox Jew in the NBA.", - "content": "Its star player wants to be the first Orthodox Jew in the NBA.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-kippahs-on-the-basketball-court-ryan-turell-yeshiva-university-winning-streak-11637943263", + "title": "Le patron de la banque centrale américaine reconduit pour un second mandat", + "description": "Jerome Powell, le patron de la Fed, la banque centrale américaine, sera reconduit pour un second mandat de quatre ans, a annoncé lundi Joe Biden, qui mise sur “la stabilité et l’indépendance” de l’institution. M. Powell aura la lourde tâche de dompter l’inflation sans mettre en péril la reprise économique.", + "content": "Jerome Powell, le patron de la Fed, la banque centrale américaine, sera reconduit pour un second mandat de quatre ans, a annoncé lundi Joe Biden, qui mise sur “la stabilité et l’indépendance” de l’institution. M. Powell aura la lourde tâche de dompter l’inflation sans mettre en péril la reprise économique.", + "category": "", + "link": "https://www.courrierinternational.com/article/economie-le-patron-de-la-banque-centrale-americaine-reconduit-pour-un-second-mandat", "creator": "", - "pubDate": "Fri, 26 Nov 2021 13:23:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 23 Nov 2021 05:51:33 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/jerome_powell.png?itok=jcihT0V-", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "11fa57b8735b9618be26e897f5b1100c" + "hash": "7cd80a433a22c7b62d2fa56be552ab84" }, { - "title": "An Honest Score for the Spending Bill", - "description": "Sen. John Cornyn wants CBO to report the true cost of the House entitlement blowout.", - "content": "Sen. John Cornyn wants CBO to report the true cost of the House entitlement blowout.", - "category": "PAID", - "link": "https://www.wsj.com/articles/an-honest-score-for-the-spending-bill-cbo-house-congress-senator-john-cornyn-11637786112", + "title": "Et si la pénurie de main-d’œuvre était une chance pour les travailleurs ? ", + "description": "De la “grande démission” cet été à la vague de grèves cet automne, la grogne sociale des Américains marque une inversion du rapport de forces dans l’entreprise et leur donne plus de poids pour réclamer de meilleures conditions de travail.\n ", + "content": "De la “grande démission” cet été à la vague de grèves cet automne, la grogne sociale des Américains marque une inversion du rapport de forces dans l’entreprise et leur donne plus de poids pour réclamer de meilleures conditions de travail.\n ", + "category": "", + "link": "https://www.courrierinternational.com/article/etats-unis-et-si-la-penurie-de-main-doeuvre-etait-une-chance-pour-les-travailleurs", "creator": "", - "pubDate": "Fri, 26 Nov 2021 18:12:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Tue, 23 Nov 2021 05:51:33 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-34-cost-w.jpg?itok=BHm15Krs", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1b7050c209c09843a08ff6422c8342a9" + "hash": "373393ced4b875478aeadc2fbfb8f353" }, { - "title": "Social Distancing Was a Problem Before Covid", - "description": "Marriage and childbirth rates, declining for years, reached new lows during the pandemic.", - "content": "Marriage and childbirth rates, declining for years, reached new lows during the pandemic.", - "category": "PAID", - "link": "https://www.wsj.com/articles/social-distancing-was-a-problem-before-covid-family-marriage-pandemic-religion-11637795685", + "title": "Dans sa guerre contre les taux d’intérêt, Erdogan fait s’effondrer la monnaie nationale", + "description": "La politique monétaire voulue par le président turc, centrée sur la réduction des taux d’intérêt, affecte sévèrement le pouvoir d’achat de la population. Surtout, elle déconcerte les économistes, qui critiquent l’obstination d’Erdogan.", + "content": "La politique monétaire voulue par le président turc, centrée sur la réduction des taux d’intérêt, affecte sévèrement le pouvoir d’achat de la population. Surtout, elle déconcerte les économistes, qui critiquent l’obstination d’Erdogan.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/inflation-dans-sa-guerre-contre-les-taux-dinteret-erdogan-fait-seffondrer-la-monnaie", "creator": "", - "pubDate": "Thu, 25 Nov 2021 15:00:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 22 Nov 2021 16:59:29 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_picture-596e7831-427c-11e8-876b-000000000001.jpg?itok=tWO1y09S", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "d7bc46f00e2a0dd44d91394100d4ab85" + "hash": "99f437d7727b4e18adaa198ccc8d36da" }, { - "title": "Walter Kirn Is Middle America's Defiant Defender", - "description": "The novelist discusses the Kyle Rittenhouse verdict and urban elites’ illiberal attitudes toward those who live between the East and West coasts.", - "content": "The novelist discusses the Kyle Rittenhouse verdict and urban elites’ illiberal attitudes toward those who live between the East and West coasts.", - "category": "PAID", - "link": "https://www.wsj.com/articles/walter-kirn-is-middle-america-indignant-defender-clooney-coastal-elites-liberals-11637945028", + "title": "Le pire est passé pour les chaînes d’approvisionnement", + "description": "Les ports sont encore saturés mais le coût du fret maritime baisse. La reprise de la demande de biens de consommation, la recrudescence du Covid-19 et les aléas climatiques entravent encore le retour à la normale. Qui devrait intervenir au début de 2022.", + "content": "Les ports sont encore saturés mais le coût du fret maritime baisse. La reprise de la demande de biens de consommation, la recrudescence du Covid-19 et les aléas climatiques entravent encore le retour à la normale. Qui devrait intervenir au début de 2022.", + "category": "", + "link": "https://www.courrierinternational.com/article/commerce-le-pire-est-passe-pour-les-chaines-dapprovisionnement", "creator": "", - "pubDate": "Fri, 26 Nov 2021 13:24:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 22 Nov 2021 15:21:11 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9rv62k.jpg?itok=gxvzPfQu", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9baab3c5f2b142bc43fff39172f1753b" + "hash": "bd6cf2b37fb0dd1abf6e3b726f557fb9" }, { - "title": "10 Letters to Read: November's Most Notable Letters to the Editor", - "description": "A selection of contributions from our readers, including a famed military adviser, a former Fed official, a commercial pilot and more.", - "content": "A selection of contributions from our readers, including a famed military adviser, a former Fed official, a commercial pilot and more.", - "category": "PAID", - "link": "https://www.wsj.com/articles/10-letters-to-read-november-editor-luttwak-cia-vaccine-mandate-children-books-retire-inflation-11637617738", + "title": "Faut-il avoir peur de ce “monstre” qu’est l’inflation ?", + "description": "Économistes et banques centrales avaient anticipé une hausse des prix après le ralentissement de l’économie imposé par la pandémie. Mais ces derniers mois, des doutes ont émergé sur le caractère “transitoire” de la poussée inflationniste actuelle, observe Bloomberg Businessweek.", + "content": "Économistes et banques centrales avaient anticipé une hausse des prix après le ralentissement de l’économie imposé par la pandémie. Mais ces derniers mois, des doutes ont émergé sur le caractère “transitoire” de la poussée inflationniste actuelle, observe Bloomberg Businessweek.", + "category": "", + "link": "https://www.courrierinternational.com/une/economie-faut-il-avoir-peur-de-ce-monstre-quest-linflation", "creator": "", - "pubDate": "Thu, 25 Nov 2021 13:35:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 22 Nov 2021 13:04:58 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-22_a_11.58.03.png?itok=w5wK6FXB", + "enclosureType": "image/png", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "610f0f70d4ce48c1d65c9e4df5c9ec27" + "hash": "0090d231acb5362e7707ade1be3ced74" }, { - "title": "The COP26 Plan to Keep Africa Poor", - "description": "We want to help with climate change, but our lives and economies depend on fossil fuels.", - "content": "We want to help with climate change, but our lives and economies depend on fossil fuels.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-cop26-plan-to-keep-africa-poor-climate-change-clean-energy-11637964581", + "title": "L’Espagne testera la semaine de quatre jours en 2022 ", + "description": "L’année prochaine, 200 entreprises volontaires, de différents secteurs et tailles, expérimenteront les 32 heures de travail hebdomadaires, conformément à une proposition du parti de gauche radicale Más País.", + "content": "L’année prochaine, 200 entreprises volontaires, de différents secteurs et tailles, expérimenteront les 32 heures de travail hebdomadaires, conformément à une proposition du parti de gauche radicale Más País.", + "category": "", + "link": "https://www.courrierinternational.com/article/travail-lespagne-testera-la-semaine-de-quatre-jours-en-2022", "creator": "", - "pubDate": "Fri, 26 Nov 2021 17:40:00 -0500", - "enclosure": "", - "enclosureType": "", + "pubDate": "Mon, 22 Nov 2021 06:22:04 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-32-otto-w.jpg?itok=qos5_ptL", + "enclosureType": "image/jpeg", "image": "", - "language": "en", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "074adbeeba25fb8c6ba55e2e2613aab4" + "hash": "db1a61dcb7cc13549d4820e8089b5ab3" }, { - "title": "Biden's Covid Death Milestone", - "description": "More Americans have died of the virus in 2021 than in all of 2020.", - "content": "More Americans have died of the virus in 2021 than in all of 2020.", - "category": "PAID", - "link": "https://www.wsj.com/articles/bidens-covid-death-milestone-biden-administration-trump-11637708781", + "title": "Le Japon en passe d’accorder un titre de séjour illimité aux travailleurs étrangers qualifiés", + "description": "La mesure, dont le Nihon Keizai Shimbun se fait l’écho, est un tournant pour le Japon qui a toujours rechigné à accueillir un grand nombre d’immigrés. Face à la pression démographique, les autorités ont décidé d’assouplir les règles de délivrance des visas aux travailleurs qualifiés et d’autoriser le regroupement familial.", + "content": "La mesure, dont le Nihon Keizai Shimbun se fait l’écho, est un tournant pour le Japon qui a toujours rechigné à accueillir un grand nombre d’immigrés. Face à la pression démographique, les autorités ont décidé d’assouplir les règles de délivrance des visas aux travailleurs qualifiés et d’autoriser le regroupement familial.", + "category": "", + "link": "https://www.courrierinternational.com/article/demographie-le-japon-en-passe-daccorder-un-titre-de-sejour-illimite-aux-travailleurs", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:44:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Sat, 20 Nov 2021 16:59:35 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/053_ar-211015gaikokujin001.jpg?itok=LnvZmJQ8", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5dafb28ac7fc8a35c4331ef09529b690" + "hash": "a23e553032bc39da74a945fb6d8f6756" }, { - "title": "A Tax Break for Union Dues", - "description": "The House budget bill includes a $250 per worker write-off.", - "content": "The House budget bill includes a $250 per worker write-off.", - "category": "PAID", - "link": "https://www.wsj.com/articles/a-tax-break-for-union-dues-labor-house-democrats-budget-bill-11637689873", + "title": "Un nouveau plan de relance massif au Japon", + "description": "Le Premier ministre japonais Fumio Kishida a dévoilé un plan de relance d’une ampleur historique afin de renouer avec la croissance et rétablir une économie moribonde.", + "content": "Le Premier ministre japonais Fumio Kishida a dévoilé un plan de relance d’une ampleur historique afin de renouer avec la croissance et rétablir une économie moribonde.", + "category": "", + "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-un-nouveau-plan-de-relance-massif-au-japon", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:43:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "pubDate": "Fri, 19 Nov 2021 14:27:05 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_2_54.png?itok=K3ALs1EU", + "enclosureType": "image/png", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "ad78323da0279333c7647edf2a529f64" + "hash": "c322a18ec4409e42eb740f7f59cf8a6f" }, { - "title": "Did Jamie Dimon Hit a Nerve?", - "description": "Jokes about Communist Party longevity are no laughing matter in China.", - "content": "Jokes about Communist Party longevity are no laughing matter in China.", - "category": "PAID", - "link": "https://www.wsj.com/articles/did-jamie-dimon-hit-a-nerve-china-communist-party-11637862914", + "title": "L’inflation peut-elle couler la présidence de Joe Biden ?", + "description": "La hausse des prix s’accélère un peu partout dans le monde, en particulier aux États-Unis, où le président Biden risque d’en payer le prix politique, comme Jimmy Carter avant lui. Cette hausse est-elle temporaire ou faut-il s’en alarmer ?", + "content": "La hausse des prix s’accélère un peu partout dans le monde, en particulier aux États-Unis, où le président Biden risque d’en payer le prix politique, comme Jimmy Carter avant lui. Cette hausse est-elle temporaire ou faut-il s’en alarmer ?", + "category": "", + "link": "https://www.courrierinternational.com/article/economie-linflation-peut-elle-couler-la-presidence-de-joe-biden", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:42:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 18 Nov 2021 17:24:05 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxjrntp.jpg?itok=f7gpxw5f", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "631c9b0527403825120b408e2e2aea83" + "hash": "fb0d36b77c0fc592a0c198ad43c5bc9a" }, { - "title": "How Did Activision Pass the ESG Test?", - "description": "Asset managers seem willing to include any company paying lip service to progressive priorities.", - "content": "Asset managers seem willing to include any company paying lip service to progressive priorities.", - "category": "PAID", - "link": "https://www.wsj.com/articles/activision-esg-vanguard-blackrock-fidelity-woke-gaming-investing-sexual-misconduct-11637794901", + "title": "Amazon interdit Visa à ses clients britanniques", + "description": "Le géant du commerce électronique n’acceptera plus de paiement avec une carte de crédit Visa sur sa plateforme au Royaume-Uni à partir du 19 janvier. Une manière d’obliger le réseau mondial à réduire ses frais de transactions.", + "content": "Le géant du commerce électronique n’acceptera plus de paiement avec une carte de crédit Visa sur sa plateforme au Royaume-Uni à partir du 19 janvier. Une manière d’obliger le réseau mondial à réduire ses frais de transactions.", + "category": "", + "link": "https://www.courrierinternational.com/article/e-commerce-amazon-interdit-visa-ses-clients-britanniques", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:33:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 18 Nov 2021 17:03:05 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtx3f00e.jpg?itok=uBsVwFi0", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, + "favorite": false, + "created": false, + "tags": [], + "hash": "a24c84dcd1e3ab9e3a10af67b98eabd1" + }, + { + "title": "Fin de la grève “historique” chez John Deere aux États-Unis", + "description": "Les grévistes du fabricant de matériel agricole américain ont voté la reprise du travail après avoir obtenu de substantielles hausses de salaire. Le conflit, qui durait depuis un mois, symbolisait la résurgence du mouvement social après deux ans de pandémie.", + "content": "Les grévistes du fabricant de matériel agricole américain ont voté la reprise du travail après avoir obtenu de substantielles hausses de salaire. Le conflit, qui durait depuis un mois, symbolisait la résurgence du mouvement social après deux ans de pandémie.", + "category": "", + "link": "https://www.courrierinternational.com/article/social-fin-de-la-greve-historique-chez-john-deere-aux-etats-unis", + "creator": "", + "pubDate": "Thu, 18 Nov 2021 14:15:50 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/063_1346752039.jpg?itok=AF0opGIB", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "825d9e2abe157480e57ef0fff6568aeb" + "hash": "a43082d71fe8fa154f0784ae4209861f" }, { - "title": "The Housing Gang Is Getting Back Together for Another Bust", - "description": "Fan and Fred will buy mortgages up to $1 million, repeating the mistakes that led to the 2008 crash.", - "content": "Fan and Fred will buy mortgages up to $1 million, repeating the mistakes that led to the 2008 crash.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-housing-gang-is-getting-back-together-for-another-bust-inflation-mortgage-rates-11637794694", + "title": "Shell file à l’anglaise, les Pays-Bas accusent le coup", + "description": "La compagnie énergétique anglo-néerlandaise a annoncé lundi 15 novembre sa décision de s’installer fiscalement au Royaume-Uni. Pour une partie des Pays-Bas, et en particulier pour le Premier ministre de droite libérale Mark Rutte, la nouvelle a beaucoup de mal à passer.", + "content": "La compagnie énergétique anglo-néerlandaise a annoncé lundi 15 novembre sa décision de s’installer fiscalement au Royaume-Uni. Pour une partie des Pays-Bas, et en particulier pour le Premier ministre de droite libérale Mark Rutte, la nouvelle a beaucoup de mal à passer.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/fiscalite-shell-file-langlaise-les-pays-bas-accusent-le-coup", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:31:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 18 Nov 2021 10:27:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9rn9wu_1.jpg?itok=T9smgoJ9", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "078bd99978e71dbda296d58e2651e7e0" + "hash": "36f08cf4eefff29e8fb87cf9e10e9ff5" }, { - "title": "The Film That Taught Me to 'Let It Be'", - "description": "The Beatles start to say goodbye in the 1970 documentary.", - "content": "The Beatles start to say goodbye in the 1970 documentary.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-beatles-let-it-be-peter-jackson-john-paul-george-ringo-friendship-1970-11637795405", + "title": "La semaine de quatre jours, c’est bon pour la planète", + "description": "Diminuer le temps de travail permet de réduire les déplacements, la production et la consommation. Et donc les émissions polluantes, plaide le quotidien de la City.", + "content": "Diminuer le temps de travail permet de réduire les déplacements, la production et la consommation. Et donc les émissions polluantes, plaide le quotidien de la City.", + "category": "", + "link": "https://www.courrierinternational.com/article/boulot-la-semaine-de-quatre-jours-cest-bon-pour-la-planete", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:29:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 18 Nov 2021 06:06:22 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/trabajo_martasevilla_courrierinternatinal_cmyk_nov2021-w.jpg?itok=iVSuF6z9", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "94bfb30f6faf102cce6c9e927ce5c709" + "hash": "3608c5018eea654e5326ed6b548a16e7" }, { - "title": "Why My Church Grew During the Pandemic", - "description": "Our priests had no intention of limiting access to the Lord.", - "content": "Our priests had no intention of limiting access to the Lord.", - "category": "PAID", - "link": "https://www.wsj.com/articles/why-my-church-grew-during-the-pandemic-mass-service-catholic-adoration-eucharist-11637795847", + "title": "Le patron d’Activision Blizzard mis en cause pour sa gestion du harcèlement sexuel", + "description": "Contrairement à ses affirmations, Bobby Kotick aurait eu une parfaite connaissance du sexisme ambiant au sein du géant américain des jeux vidéo qu’il dirige. Les appels à sa démission se multiplient après les révélations d’une retentissante enquête parue dans le Wall Street Journal.", + "content": "Contrairement à ses affirmations, Bobby Kotick aurait eu une parfaite connaissance du sexisme ambiant au sein du géant américain des jeux vidéo qu’il dirige. Les appels à sa démission se multiplient après les révélations d’une retentissante enquête parue dans le Wall Street Journal.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/jeux-video-le-patron-dactivision-blizzard-mis-en-cause-pour-sa-gestion-du", "creator": "", - "pubDate": "Thu, 25 Nov 2021 16:27:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 17 Nov 2021 17:58:58 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/bobby_kotick.jpg?itok=QbJ3cl7P", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9093c193b186b07482d03ea227e4e7ad" + "hash": "34ae771bec0b983b53ee24e2a0ea49e3" }, { - "title": "Breaking News From 1795: Jane Austen Falls in Love", - "description": "A poem in the author’s irresistible novel ‘Emma’ may reveal the Irishman who captured her heart.", - "content": "A poem in the author’s irresistible novel ‘Emma’ may reveal the Irishman who captured her heart.", - "category": "PAID", - "link": "https://www.wsj.com/articles/jane-austen-tom-lefroy-kipling-emma-persuasion-love-decoding-pride-prejudice-11637794443", + "title": "Le bitcoin à la peine après les nouvelles attaques de la Chine contre le minage", + "description": "La principale agence de planification chinoise a annoncé, le mardi 16 novembre, le détail des mesures de répression des cryptomonnaies. Les deux principales monnaies virtuelles, le bitcoin et l’ether, ont aussitôt dévissé.", + "content": "La principale agence de planification chinoise a annoncé, le mardi 16 novembre, le détail des mesures de répression des cryptomonnaies. Les deux principales monnaies virtuelles, le bitcoin et l’ether, ont aussitôt dévissé.", + "category": "", + "link": "https://www.courrierinternational.com/article/cryptomonnaie-le-bitcoin-la-peine-apres-les-nouvelles-attaques-de-la-chine-contre-le-minage", "creator": "", - "pubDate": "Thu, 25 Nov 2021 14:59:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 17 Nov 2021 17:21:03 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxjspr2.jpg?itok=IU8GAWa7", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8edc2c5488ce84209ab6f01860f08148" + "hash": "3460c52d80dad192a4a80a8f469e58b3" }, { - "title": "The Leadership Germans Wanted", - "description": "A more-of-the-same government emerges from a muddled vote.", - "content": "A more-of-the-same government emerges from a muddled vote.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-leadership-germans-wanted-olaf-scholz-angela-merkel-christian-lindner-11637773238", + "title": "La première mini-centrale nucléaire de Bill Gates en fonction d’ici sept ans aux États-Unis", + "description": "Porté par le milliardaire américain via sa start-up TerraPower depuis 2006, le premier petit réacteur nucléaire Natrium sera implanté à Kemmerer, dans le Wyoming, et serait opérationnel d’ici sept ans. Sa construction sera financée pour moitié par le plan d’infrastructures de Joe Biden.", + "content": "Porté par le milliardaire américain via sa start-up TerraPower depuis 2006, le premier petit réacteur nucléaire Natrium sera implanté à Kemmerer, dans le Wyoming, et serait opérationnel d’ici sept ans. Sa construction sera financée pour moitié par le plan d’infrastructures de Joe Biden.", + "category": "", + "link": "https://www.courrierinternational.com/article/energie-la-premiere-mini-centrale-nucleaire-de-bill-gates-en-fonction-dici-sept-ans-aux", "creator": "", - "pubDate": "Wed, 24 Nov 2021 19:42:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 17 Nov 2021 13:01:18 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1236298089.jpg?itok=9jWHyYvb", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "aef9b84e8548c9c440ebc35540d63a06" + "hash": "ea3ba8902f0bb48fec4eb8b9227bc677" }, { - "title": "The Ahmaud Arbery Verdict", - "description": "A Georgia jury rejects a citizen’s-arrest defense in the 2020 killing.", - "content": "A Georgia jury rejects a citizen’s-arrest defense in the 2020 killing.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-ahmaud-arbery-verdict-travis-greg-mcmichael-william-bryan-11637800000", + "title": "Remettre le travail à sa place", + "description": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous nous interrogeons sur notre rapport au travail. Aux États-Unis, le rapport de force s’inverse dans les entreprises. Après l’Islande, l’Espagne et l’Irlande testent la semaine de quatre jours. Comment rééquilibrer nos vies ? En travaillant moins ? Les décryptages de la presse étrangère.", + "content": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous nous interrogeons sur notre rapport au travail. Aux États-Unis, le rapport de force s’inverse dans les entreprises. Après l’Islande, l’Espagne et l’Irlande testent la semaine de quatre jours. Comment rééquilibrer nos vies ? En travaillant moins ? Les décryptages de la presse étrangère.", + "category": "", + "link": "https://www.courrierinternational.com/article/la-une-de-lhebdo-remettre-le-travail-sa-place", "creator": "", - "pubDate": "Wed, 24 Nov 2021 19:41:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 17 Nov 2021 09:19:17 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/couv-.jpg?itok=pjPus9lp", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f8458432217a5cd69717ec45431d795" + "hash": "c572d4615ce2119f69e901b46f81da37" }, { - "title": "'One More at the Table'", - "description": "High prices and shortages challenge consumers and food pantries, but the joy of Thanksgiving remains in abundance.", - "content": "High prices and shortages challenge consumers and food pantries, but the joy of Thanksgiving remains in abundance.", - "category": "PAID", - "link": "https://www.wsj.com/articles/one-more-at-the-table-11637783628", + "title": "Le plan stratégique de Google à 650 millions d’euros pour l’Australie", + "description": "Changement de ton entre le géant américain et le pouvoir australien. Alors qu’en janvier Google menaçait de couper l’accès à son moteur de recherche, ce mardi, son PDG a lancé le projet Digital Future, qui prévoit 6 000 emplois directs d’ici cinq ans, en présence du Premier ministre.", + "content": "Changement de ton entre le géant américain et le pouvoir australien. Alors qu’en janvier Google menaçait de couper l’accès à son moteur de recherche, ce mardi, son PDG a lancé le projet Digital Future, qui prévoit 6 000 emplois directs d’ici cinq ans, en présence du Premier ministre.", + "category": "", + "link": "https://www.courrierinternational.com/article/big-tech-le-plan-strategique-de-google-650-millions-deuros-pour-laustralie", "creator": "", - "pubDate": "Wed, 24 Nov 2021 14:53:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 16 Nov 2021 17:51:39 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_1o052q.jpg?itok=Pv_qG98-", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f4198adc09e40a2be28258bab3bd279e" + "hash": "e3c97b4b499e230d2fb652ba553b550a" }, { - "title": "What the Kyle Rittenhouse Trial Says About America", - "description": "Students weigh in on American culture and the criminal-justice system.", - "content": "Students weigh in on American culture and the criminal-justice system.", - "category": "PAID", - "link": "https://www.wsj.com/articles/what-the-kyle-rittenhouse-trial-says-about-america-kenosha-shooting-acquitted-riots-11637706467", + "title": "La tour de Babel du streaming, les chauffards d’Amazon et le malheur des hackeurs", + "description": "Grâce à Netflix, Hulu et aux autres géants du streaming, nos écrans sont devenus des kaléidoscopes bigarrés, pleins de petites merveilles danoises, coréennes, indiennes ou brésiliennes. Après le succès planétaire de la série coréenne Squid Game, une enquête du magazine Rest of World révèle une conséquence méconnue de cette nouvelle tour de Babel culturelle : la pénurie de traducteurs...", + "content": "Grâce à Netflix, Hulu et aux autres géants du streaming, nos écrans sont devenus des kaléidoscopes bigarrés, pleins de petites merveilles danoises, coréennes, indiennes ou brésiliennes. Après le succès planétaire de la série coréenne Squid Game, une enquête du magazine Rest of World révèle une conséquence méconnue de cette nouvelle tour de Babel culturelle : la pénurie de traducteurs...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-la-tour-de-babel-du-streaming-les-chauffards-damazon-et-le-malheur-des", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:44:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 16 Nov 2021 10:49:01 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_15.png?itok=TyWsAy00", + "enclosureType": "image/png", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5a49c7baf57df74bc4551e601d81e4ff" + "hash": "d125fa793a103c2a67a99b4a5eb41842" }, { - "title": "The Desolate Wilderness", - "description": "An account of the Pilgrims’ journey to Plymouth in 1620, as recorded by Nathaniel Morton.", - "content": "An account of the Pilgrims’ journey to Plymouth in 1620, as recorded by Nathaniel Morton.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-desolate-wilderness-william-bradford-nathaniel-morton-plymouth-pilgrims-11637708909", + "title": "De Barcelone à Paris, l’offensive anti-Airbnb", + "description": "La pandémie a permis de le mesurer : Airbnb participe à l’inflation des loyers et des prix à la vente dans les grandes métropoles. Beaucoup d’entre elles déploient désormais un arsenal contre la plateforme de location.", + "content": "La pandémie a permis de le mesurer : Airbnb participe à l’inflation des loyers et des prix à la vente dans les grandes métropoles. Beaucoup d’entre elles déploient désormais un arsenal contre la plateforme de location.", + "category": "", + "link": "https://www.courrierinternational.com/article/immobilier-de-barcelone-paris-loffensive-anti-airbnb", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:41:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 16 Nov 2021 06:37:50 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/vlahovic_2.jpg?itok=gLtmSHWp", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ec25a43c4efa55285e26bfcbb368e73c" + "hash": "a6e6450c4e58f4153b29cbef3ffbbeda" }, { - "title": "And the Fair Land", - "description": "For all our social discord we yet remain the longest enduring society of free men governing themselves without benefit of kings or dictators.", - "content": "For all our social discord we yet remain the longest enduring society of free men governing themselves without benefit of kings or dictators.", - "category": "PAID", - "link": "https://www.wsj.com/articles/and-the-fair-land-11637710823", + "title": "Airbus décroche un mégacontrat de 255 avions", + "description": "Au salon aéronautique de Dubaï, l’avionneur européen a annoncé un contrat estimé à 30 milliards de dollars avec le fonds d’investissement Indigo Partners, représentant des compagnies aériennes low cost. Et veut y voir le signe du retour à la normale post-pandémie.", + "content": "Au salon aéronautique de Dubaï, l’avionneur européen a annoncé un contrat estimé à 30 milliards de dollars avec le fonds d’investissement Indigo Partners, représentant des compagnies aériennes low cost. Et veut y voir le signe du retour à la normale post-pandémie.", + "category": "", + "link": "https://www.courrierinternational.com/article/aviation-airbus-decroche-un-megacontrat-de-255-avions", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:40:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 15 Nov 2021 18:16:17 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9rm6eh.jpg?itok=HBMo99Va", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1f6b85ea6c5ddab5492bbc8d69216772" + "hash": "4d68e2c6d2a666208e1c4badc62021ae" }, { - "title": "Strategic Political Oil Reserve", - "description": "Biden taps the U.S. emergency supply but prices still rise.", - "content": "Biden taps the U.S. emergency supply but prices still rise.", - "category": "PAID", - "link": "https://www.wsj.com/articles/strategic-political-oil-reserve-opec-biden-11637701493", + "title": "Les semaines de 75 heures des sous-traitants du géant de la mode Shein", + "description": "Une enquête de l’ONG Public Eye dénonce les conditions de travail de certains fournisseurs de la marque d’ultrafast fashion chinoise. Pour tenir le rythme, certains multiplient les heures supplémentaires en violation du droit du travail.", + "content": "Une enquête de l’ONG Public Eye dénonce les conditions de travail de certains fournisseurs de la marque d’ultrafast fashion chinoise. Pour tenir le rythme, certains multiplient les heures supplémentaires en violation du droit du travail.", + "category": "", + "link": "https://www.courrierinternational.com/article/social-les-semaines-de-75-heures-des-sous-traitants-du-geant-de-la-mode-shein", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:36:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 15 Nov 2021 17:43:11 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/063_1315928691.jpg?itok=O97hFYeK", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f10b5c7c37ed1f3bedd12adc4c2e91e6" + "hash": "a9619035521a4e55352e9a229e66d99d" }, { - "title": "The Great Ohio Opioid Stick-Up", - "description": "A jury verdict against pharmacies distorts product liability law.", - "content": "A jury verdict against pharmacies distorts product liability law.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-great-ohio-opioid-stick-up-dan-polster-cvs-walmart-walgreens-jury-11637709510", + "title": "La gomme arabique, moisson dorée du Soudan", + "description": "La récolte ancestrale de la sève d’acacia fait du Soudan le premier producteur mondial de cet ingrédient essentiel à l’industrie mondiale, depuis le chewing-gum jusqu’aux médicaments. Mais les paysans ne perçoivent qu’une petite fraction des profits engendrés par cette ressource. \n \n ", + "content": "La récolte ancestrale de la sève d’acacia fait du Soudan le premier producteur mondial de cet ingrédient essentiel à l’industrie mondiale, depuis le chewing-gum jusqu’aux médicaments. Mais les paysans ne perçoivent qu’une petite fraction des profits engendrés par cette ressource. \n \n ", + "category": "", + "link": "https://www.courrierinternational.com/long-format/reportage-la-gomme-arabique-moisson-doree-du-soudan", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:33:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Sun, 14 Nov 2021 06:52:54 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/gum-8.jpg?itok=csB9ld3-", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8c515b973614a0b180c93a519151fcda" + "hash": "02f03e2feb55b78320f97404c33f0239" }, { - "title": "College Testing Bait-and-Switch", - "description": "After dropping the SAT, the University of California kills plans for a new test.", - "content": "After dropping the SAT, the University of California kills plans for a new test.", - "category": "PAID", - "link": "https://www.wsj.com/articles/college-testing-bait-and-switch-university-of-california-sat-janet-napolitano-11637689492", + "title": "AstraZeneca veut tirer des bénéfices de son vaccin contre le Covid-19", + "description": "Le géant pharmaceutique s’était engagé à ne pas gagner d’argent avant la fin de la pandémie, en vendant à prix coûtant ses doses contre le Covid-19. Mais l’entreprise suédo-britannique estime que la maladie est devenue endémique. Et signe des contrats aux marges bénéficiaires “modestes” pour 2022.", + "content": "Le géant pharmaceutique s’était engagé à ne pas gagner d’argent avant la fin de la pandémie, en vendant à prix coûtant ses doses contre le Covid-19. Mais l’entreprise suédo-britannique estime que la maladie est devenue endémique. Et signe des contrats aux marges bénéficiaires “modestes” pour 2022.", + "category": "", + "link": "https://www.courrierinternational.com/article/industrie-astrazeneca-veut-tirer-des-benefices-de-son-vaccin-contre-le-covid-19", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:30:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Fri, 12 Nov 2021 19:48:03 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/widak-covid19v211021.jpg?itok=lGFut0cA", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e9d26ebdb373f19c8ef3e15220652c2c" + "hash": "7c9e4c19a4acab3bd23fa6a3ba508db2" }, { - "title": "America Repeated Vietnam's Mistakes in Afghanistan", - "description": "Lessons from both conflicts should become part of the military’s education requirements.", - "content": "Lessons from both conflicts should become part of the military’s education requirements.", - "category": "PAID", - "link": "https://www.wsj.com/articles/america-vietnam-mistakes-afghanistan-quagmire-binladen-strategy-11637705112", + "title": "Quand Adele, Ed Sheeran et Abba embouteillent l’industrie du vinyle", + "description": "Le retour en force du vinyle atteint de tels sommets que le secteur est en forte tension, peu aidé par des sorties pop attendues et des problèmes de chaîne d’approvisionnement.", + "content": "Le retour en force du vinyle atteint de tels sommets que le secteur est en forte tension, peu aidé par des sorties pop attendues et des problèmes de chaîne d’approvisionnement.", + "category": "", + "link": "https://www.courrierinternational.com/article/musique-quand-adele-ed-sheeran-et-abba-embouteillent-lindustrie-du-vinyle", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:19:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Fri, 12 Nov 2021 06:02:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/vinylrecordsadv241.jpg?itok=eGKgwzuX", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "644a81ab956cba52297bcf1be192d8a5" + "hash": "af9d369b9b4531a7a81bc1dde31af80a" }, { - "title": "How to Protect Your Brain From Injury", - "description": "A direct blow isn’t the only source of trauma, and it’s crucial to know the symptoms.", - "content": "A direct blow isn’t the only source of trauma, and it’s crucial to know the symptoms.", - "category": "PAID", - "link": "https://www.wsj.com/articles/how-to-protect-your-brain-from-injury-abbott-test-concussion-football-nfl-11637703934", + "title": "Tremblez, chers Français, le vin anglais sort de sa cave", + "description": "À la faveur du réchauffement climatique et d’investissements importants, y compris de la part de maisons françaises, la production et la qualité du pétillant britannique explosent, s’enthousiasme ce journal londonien. Les vins tranquilles, quant à eux, signent une percée remarquée.", + "content": "À la faveur du réchauffement climatique et d’investissements importants, y compris de la part de maisons françaises, la production et la qualité du pétillant britannique explosent, s’enthousiasme ce journal londonien. Les vins tranquilles, quant à eux, signent une percée remarquée.", + "category": "", + "link": "https://www.courrierinternational.com/article/boom-tremblez-chers-francais-le-vin-anglais-sort-de-sa-cave", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:18:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Fri, 12 Nov 2021 06:02:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_614163490.jpg?itok=bycSc_3i", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b25092f67d6bca615e2be3d4d895e534" + "hash": "95660142b75b34738f1365b3db5fa3e1" }, { - "title": "Notable & Quotable: Ruy Teixeira on Voter Turnout", - "description": "‘No myth is stronger in progressive circles than the magical, wonderworking powers of voter turnout.’", - "content": "‘No myth is stronger in progressive circles than the magical, wonderworking powers of voter turnout.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-ruy-teixeira-on-voter-turnout-elections-voting-democrats-11637706161", + "title": "Aux quatre coins du globe, le marché du logement est devenu fou", + "description": "Prix galopants, loyers exorbitants pour des surfaces sans cesse réduites, jeunes professionnels contraints de retourner vivre chez leurs parents… De Buenos Aires à Melbourne, en passant par Berlin ou Dublin, le marché de l’immobilier s’emballe et rien ne semble pouvoir le freiner.", + "content": "Prix galopants, loyers exorbitants pour des surfaces sans cesse réduites, jeunes professionnels contraints de retourner vivre chez leurs parents… De Buenos Aires à Melbourne, en passant par Berlin ou Dublin, le marché de l’immobilier s’emballe et rien ne semble pouvoir le freiner.", + "category": "", + "link": "https://www.courrierinternational.com/article/immobilier-aux-quatre-coins-du-globe-le-marche-du-logement-est-devenu-fou", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:16:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 11 Nov 2021 06:19:27 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/sjoed.jpg?itok=mHvCZeUr", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2007ce520ad77bcb34354b677c6c1f76" + "hash": "f0581457e24218d4a6937c06371bb4bc" }, { - "title": "Justice, Not Revenge, for Ahmaud Arbery and Kyle Rittenhouse", - "description": "The purpose of a trial is to assess the facts in each case, not to settle scores between identity groups.", - "content": "The purpose of a trial is to assess the facts in each case, not to settle scores between identity groups.", - "category": "PAID", - "link": "https://www.wsj.com/articles/justice-ahmaud-arbery-kyle-rittenhouse-kenosha-riots-11637704695", + "title": "Les États-Unis enregistrent la plus forte hausse des prix depuis trente ans", + "description": "Outre-Atlantique, en octobre, une augmentation de 6,2 % des prix a été enregistrée par rapport au même mois en 2020. Un record qui inquiète les ménages américains et leur président.\n ", + "content": "Outre-Atlantique, en octobre, une augmentation de 6,2 % des prix a été enregistrée par rapport au même mois en 2020. Un record qui inquiète les ménages américains et leur président.\n ", + "category": "", + "link": "https://www.courrierinternational.com/article/inflation-les-etats-unis-enregistrent-la-plus-forte-hausse-des-prix-depuis-trente-ans", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:16:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 10 Nov 2021 19:44:21 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxje5fs.jpg?itok=3dt2TKM5", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0a9a1bc22e649935a219f0b5b59610c3" + "hash": "ee516e4e2a516a5c646394737250fa4c" }, { - "title": "After COP26, Electric Vehicles Galore!", - "description": "What surging stocks say about a favorite climate non-solution.", - "content": "What surging stocks say about a favorite climate non-solution.", - "category": "PAID", - "link": "https://www.wsj.com/articles/after-cop26-electric-vehicles-galore-rivian-tesla-subsidies-emissions-passenger-batteries-11637704766", + "title": "Le “South China Morning Post” bientôt absorbé par Pékin ?", + "description": "Le grand quotidien anglophone de Hong Kong semble être sur le point de changer de propriétaire. Alors que son rapprochement avec Pékin était de plus en plus visible, le journal pourrait cette fois passer directement sous le contrôle de l’État chinois.", + "content": "Le grand quotidien anglophone de Hong Kong semble être sur le point de changer de propriétaire. Alors que son rapprochement avec Pékin était de plus en plus visible, le journal pourrait cette fois passer directement sous le contrôle de l’État chinois.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/hong-kong-le-south-china-morning-post-bientot-absorbe-par-pekin", "creator": "", - "pubDate": "Tue, 23 Nov 2021 18:15:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 10 Nov 2021 17:27:08 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/scmp.jpg?itok=jQtLIQyO", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "402020d7d3362e828249ef0ade0f8b96" + "hash": "ffce9bc271f59f66137e5a3070ffd8ba" }, { - "title": "Do Not Talk About Flight Club", - "description": "Coastal columnists still don’t like explaining why Californians are fleeing to Texas.", - "content": "Coastal columnists still don’t like explaining why Californians are fleeing to Texas.", - "category": "PAID", - "link": "https://www.wsj.com/articles/do-not-talk-about-flight-club-11637706285", + "title": "Logement : la loi du plus riche", + "description": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous décryptons la surchauffe de l’immobilier, de Buenos Aires à Singapour en passant par Dublin et Melbourne. Une bombe à retardement pour l’économie mondiale, qui risque d’alimenter la colère des classes moyennes.", + "content": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous décryptons la surchauffe de l’immobilier, de Buenos Aires à Singapour en passant par Dublin et Melbourne. Une bombe à retardement pour l’économie mondiale, qui risque d’alimenter la colère des classes moyennes.", + "category": "", + "link": "https://www.courrierinternational.com/article/la-une-de-lhebdo-logement-la-loi-du-plus-riche", "creator": "", - "pubDate": "Tue, 23 Nov 2021 17:24:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 10 Nov 2021 10:07:40 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/1619-ok.jpg?itok=MiYj-fz0", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bb8f6ebdf8c73c24e82ed6ff85ec4815" + "hash": "852b928404589fde2a6c61eb85e29ce9" }, { - "title": "Can Biden Come Back? Many Others Have", - "description": "After GOP midterm losses in the House, Reagan’s approval was 35% as 1983 began.", - "content": "After GOP midterm losses in the House, Reagan’s approval was 35% as 1983 began.", - "category": "PAID", - "link": "https://www.wsj.com/articles/can-biden-come-back-many-others-have-clinton-reagan-obama-approval-poll-popularity-11637684716", + "title": "Alibaba installe sa plateforme logistique européenne à Liège sans tambour ni trompette", + "description": "Depuis cet été, trois avions par jour transportent des tonnes de marchandises du géant du e-commerce chinois à destination de l’Europe. Annoncée depuis 2018, l’arrivée du groupe chinois suscite toujours l’inquiétude des riverains.", + "content": "Depuis cet été, trois avions par jour transportent des tonnes de marchandises du géant du e-commerce chinois à destination de l’Europe. Annoncée depuis 2018, l’arrivée du groupe chinois suscite toujours l’inquiétude des riverains.", + "category": "", + "link": "https://www.courrierinternational.com/article/belgique-alibaba-installe-sa-plateforme-logistique-europeenne-liege-sans-tambour-ni", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:59:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 09 Nov 2021 17:28:37 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_3133350.jpg?itok=0p-rLjU8", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "76149e12248ba95bcfec4da7f2354325" + "hash": "92e37a16bcb33997a0f3524a45e9bc89" }, { - "title": "Don't Let Ideologues Steal Thanksgiving", - "description": "For the left, it’s become an occasion to air grievances ranging from ‘colonialism’ to ‘carbon footprints.’", - "content": "For the left, it’s become an occasion to air grievances ranging from ‘colonialism’ to ‘carbon footprints.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/dont-let-ideologues-steal-thanksgiving-cancel-culture-native-americans-holiday-11637684786", + "title": "Le retour de Greg LeMond, le nouvel empire d’Amazon et le métavers au boulot", + "description": "Qui pourrait oublier Greg LeMond, trois fois vainqueur du Tour de France ? Wired est allé le traquer au fond du Tennessee, à Knoxville, où l’ancien champion et légendaire grande gueule du sport international, aujourd’hui âgé de 60 ans et un peu grassouillet, s’acharne à révolutionner le vélo. Le vélo électrique. Lemond n’en est pas à sa première entreprise de ce genre, et ses premiers essais de reconversion dans la tech sportive avaient failli être compromis par l’opprobre des annonceurs...", + "content": "Qui pourrait oublier Greg LeMond, trois fois vainqueur du Tour de France ? Wired est allé le traquer au fond du Tennessee, à Knoxville, où l’ancien champion et légendaire grande gueule du sport international, aujourd’hui âgé de 60 ans et un peu grassouillet, s’acharne à révolutionner le vélo. Le vélo électrique. Lemond n’en est pas à sa première entreprise de ce genre, et ses premiers essais de reconversion dans la tech sportive avaient failli être compromis par l’opprobre des annonceurs...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-le-retour-de-greg-lemond-le-nouvel-empire-damazon-et-le-metavers-au-boulot", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:58:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 09 Nov 2021 09:25:52 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_14.png?itok=M3MRq2a0", + "enclosureType": "image/png", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "22a2210b28ca482fcc985064720da4f7" + "hash": "47de012bcd88118a93bfa7cd17cc8d08" }, { - "title": "Biden Signs Up for Powell's Inflation", - "description": "Republicans are under no obligation to endorse his Fed nominees.", - "content": "Republicans are under no obligation to endorse his Fed nominees.", - "category": "PAID", - "link": "https://www.wsj.com/articles/biden-and-the-jerome-powell-inflation-lael-brainard-federal-reserve-11637613794", + "title": "Paytm vise le record d’introduction en Bourse en Inde", + "description": "Le pionnier du paiement en ligne espère lever 2,46 milliards de dollars à partir de ce lundi 8 novembre sur la place boursière de Bombay. Le grand quotidien de la capitale économique du pays met en garde contre les mirages de la fintech.", + "content": "Le pionnier du paiement en ligne espère lever 2,46 milliards de dollars à partir de ce lundi 8 novembre sur la place boursière de Bombay. Le grand quotidien de la capitale économique du pays met en garde contre les mirages de la fintech.", + "category": "", + "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-paytm-vise-le-record-dintroduction-en-bourse-en-inde", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:53:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 08 Nov 2021 17:55:49 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_236.png?itok=G1TNRZrz", + "enclosureType": "image/png", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7f239bfda2a6fc91b106869e4ca21dc0" + "hash": "c23033a53cb19d05a0002535095a01bc" }, { - "title": "The Waukesha Rampage", - "description": "The suspected assailant was free on a $1,000 bond despite recent charges of violence.", - "content": "The suspected assailant was free on a $1,000 bond despite recent charges of violence.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-waukesha-rampage-darrell-brooks-wisconsin-john-chisholm-11637622563", + "title": "Face à la pénurie de routiers, le Royaume-Uni s’en remet aux trains", + "description": "Pour éviter les rayons vides à Noël, le gestionnaire du réseau ferré britannique consacre un nombre croissant de sillons aux trains de marchandise, constate la presse. Certains espèrent un virage durable en direction du rail, sur fond de transition écologique.", + "content": "Pour éviter les rayons vides à Noël, le gestionnaire du réseau ferré britannique consacre un nombre croissant de sillons aux trains de marchandise, constate la presse. Certains espèrent un virage durable en direction du rail, sur fond de transition écologique.", + "category": "", + "link": "https://www.courrierinternational.com/article/logistique-face-la-penurie-de-routiers-le-royaume-uni-sen-remet-aux-trains", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:49:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 08 Nov 2021 16:42:13 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_nicholson-notitle141127_nppem.jpg?itok=VdadGR0U", + "enclosureType": "image/jpeg", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "14aaef7ce7500a2980e15ef0f7a28c16" + "hash": "851e2065aed69dd84eed04165fecc21f" }, { - "title": "Censoring the Pilgrims", - "description": "The left wants to cancel the WSJ’s annual Thanksgiving editorials.", - "content": "The left wants to cancel the WSJ’s annual Thanksgiving editorials.", - "category": "PAID", - "link": "https://www.wsj.com/articles/censoring-the-pilgrims-thanksgiving-editorials-vermont-royster-cancel-culture-11637617548", + "title": "Elon Musk a-t-il gagné son coup de poker contre la taxe des milliardaires ?", + "description": "En lançant sur Twitter samedi un sondage pour décider s’il devait vendre 10 % des actions de Tesla, l’entrepreneur américain s’opposait au projet démocrate de taxation des plus-values. Ce lundi, l’action du constructeur automobile dégringole.", + "content": "En lançant sur Twitter samedi un sondage pour décider s’il devait vendre 10 % des actions de Tesla, l’entrepreneur américain s’opposait au projet démocrate de taxation des plus-values. Ce lundi, l’action du constructeur automobile dégringole.", + "category": "", + "link": "https://www.courrierinternational.com/article/bourse-elon-musk-t-il-gagne-son-coup-de-poker-contre-la-taxe-des-milliardaires", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:45:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 08 Nov 2021 16:31:17 +0100", + "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/musk.png?itok=L3zWu3Ys", + "enclosureType": "image/png", + "image": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f56bf9bb99613f27314d2c11fd351ab4" + "hash": "3963ce16cbd8164924836b249dd6d636" }, { - "title": "Piling on the Business Fines", - "description": "The House spending bill targets employers with huge new penalties.", - "content": "The House spending bill targets employers with huge new penalties.", - "category": "PAID", - "link": "https://www.wsj.com/articles/piling-on-the-business-fines-osha-build-back-better-house-spending-bill-penalities-11637518976", + "title": "Les petits boulots les plus bizarres d’Allemagne", + "description": "Le travail à temps partiel concerne 3,4 millions de personnes, principalement des étudiants et des retraités. Des journalistes de Die Zeit ont raconté leurs expériences les plus étranges.", + "content": "Le travail à temps partiel concerne 3,4 millions de personnes, principalement des étudiants et des retraités. Des journalistes de Die Zeit ont raconté leurs expériences les plus étranges.", + "category": "", + "link": "https://www.courrierinternational.com/article/travail-les-petits-boulots-les-plus-bizarres-dallemagne", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:43:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 08 Nov 2021 09:20:08 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e8fc52827403bf78c1844ce18f2fccdb" + "hash": "e063d279e4393d26815eade6ef001515" }, { - "title": "On ObamaCare, Democrats Defy the Supreme Court", - "description": "The justices said in 2012 that Congress couldn’t punish states that refuse the Medicaid expansion.", - "content": "The justices said in 2012 that Congress couldn’t punish states that refuse the Medicaid expansion.", - "category": "PAID", - "link": "https://www.wsj.com/articles/on-obamacare-democrats-defy-the-supreme-court-hospitals-uninsured-patients-bill-11637619017", + "title": "Ces abattoirs européens qui exploitent les ouvriers étrangers", + "description": "S’il y a de la viande bon marché en Europe, c’est aussi parce que les industriels du secteur ont externalisé une partie de la main-d’œuvre. Des milliers d’étrangers, employés par des intermédiaires, sont sous-payés et travaillent dans des conditions déplorables, explique cette enquête du Guardian.", + "content": "S’il y a de la viande bon marché en Europe, c’est aussi parce que les industriels du secteur ont externalisé une partie de la main-d’œuvre. Des milliers d’étrangers, employés par des intermédiaires, sont sous-payés et travaillent dans des conditions déplorables, explique cette enquête du Guardian.", + "category": "", + "link": "https://www.courrierinternational.com/article/agroalimentaire-ces-abattoirs-europeens-qui-exploitent-les-ouvriers-etrangers", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:41:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 08 Nov 2021 05:57:22 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9094d426859184b72deb10b21e856ad9" + "hash": "663cd91d56dad5d2c8a8ed7c4c0d6422" }, { - "title": "Yes, You Should Get a Covid Booster", - "description": "Vaccine effectiveness is waning. A third shot restores it with few side effects.", - "content": "Vaccine effectiveness is waning. A third shot restores it with few side effects.", - "category": "PAID", - "link": "https://www.wsj.com/articles/yes-get-a-covid-booster-vaccine-third-dose-shot-safe-effective-side-effects-11637617768", + "title": "La cocotte-minute de la livraison express", + "description": "À Londres comme à Paris, une nouvelle génération de start-up tente de mettre la main sur le marché déjà concurrentiel du quick commerce, les livraisons de courses ultrarapides, en moins de dix minutes. Le Wall Street Journal décrypte ce phénomène en plein essor.", + "content": "À Londres comme à Paris, une nouvelle génération de start-up tente de mettre la main sur le marché déjà concurrentiel du quick commerce, les livraisons de courses ultrarapides, en moins de dix minutes. Le Wall Street Journal décrypte ce phénomène en plein essor.", + "category": "", + "link": "https://www.courrierinternational.com/article/concurrence-la-cocotte-minute-de-la-livraison-express", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:40:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Sat, 06 Nov 2021 14:35:11 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c0008ea8db66f4181fc02e93c227b48" + "hash": "a3aefd635ba134c339b9c41b51444cfa" }, { - "title": "A Ping-Pong Table and a Lifetime of Memories", - "description": "Steve Fortuna paid $15 for it half a century ago. When his father died, he kept the paddles.", - "content": "Steve Fortuna paid $15 for it half a century ago. When his father died, he kept the paddles.", - "category": "PAID", - "link": "https://www.wsj.com/articles/a-ping-pong-table-and-a-lifetime-of-memories-table-tennis-play-11637619379", + "title": "La France, détrônée par l’Espagne, n’est plus le deuxième plus gros producteur de vin", + "description": "Même si elle n’a pas été épargnée par les intempéries cette année, l’Espagne a ravi sa deuxième place à la France dans le classement des plus gros producteurs de vin, constate le quotidien barcelonais La Vanguardia.", + "content": "Même si elle n’a pas été épargnée par les intempéries cette année, l’Espagne a ravi sa deuxième place à la France dans le classement des plus gros producteurs de vin, constate le quotidien barcelonais La Vanguardia.", + "category": "", + "link": "https://www.courrierinternational.com/article/classement-la-france-detronee-par-lespagne-nest-plus-le-deuxieme-plus-gros-producteur-de-vin", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:39:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Fri, 05 Nov 2021 16:59:49 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "813d31104ab5978749c1520c7cfd2f9a" + "hash": "dc5201850533de7ef882167b777c5810" }, { - "title": "Notable & Quotable: 76 Years After the A-Bomb", - "description": "‘Hirohito made the surrender official Aug. 15. I was spared my date with death, 2½ months later.’", - "content": "‘Hirohito made the surrender official Aug. 15. I was spared my date with death, 2½ months later.’", - "category": "PAID", - "link": "https://www.wsj.com/articles/notable-quotable-76-years-after-the-atomic-bomb-world-war-two-japan-invasion-11637618711", + "title": "Des engagements encourageants pour délaisser les énergies fossiles", + "description": "Plusieurs pays promettent de ne plus financer les énergies fossiles ou de mettre fin aux projets de centrale à charbon, explique le New Scientist.", + "content": "Plusieurs pays promettent de ne plus financer les énergies fossiles ou de mettre fin aux projets de centrale à charbon, explique le New Scientist.", + "category": "", + "link": "https://www.courrierinternational.com/article/cop26-des-engagements-encourageants-pour-delaisser-les-energies-fossiles", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:36:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Fri, 05 Nov 2021 15:44:45 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87b79f1fc4ec696fd58ba563c28bd7ee" + "hash": "2ecd6b06aeb024421c502e471132a336" }, { - "title": "The Campaign to Distract Biden From Asia", - "description": "China and Russia form an entente to hobble America, with a little help from Iran.", - "content": "China and Russia form an entente to hobble America, with a little help from Iran.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-campaign-to-distract-biden-from-asia-russia-china-xi-putin-foreign-policy-allies-11637617569", + "title": "Vaccination quasi obligatoire pour plus de 100 millions de salariés américains", + "description": "À compter du 4 janvier prochain, les employés non vaccinés des entreprises de plus de 100 salariés devront se soumettre à un test de dépistage Covid hebdomadaire, à leurs frais. La décision, qui vise à faire “sortir définitivement” les États-Unis de la pandémie, se heurte à l’opposition des républicains.", + "content": "À compter du 4 janvier prochain, les employés non vaccinés des entreprises de plus de 100 salariés devront se soumettre à un test de dépistage Covid hebdomadaire, à leurs frais. La décision, qui vise à faire “sortir définitivement” les États-Unis de la pandémie, se heurte à l’opposition des républicains.", + "category": "", + "link": "https://www.courrierinternational.com/article/pandemie-vaccination-quasi-obligatoire-pour-plus-de-100-millions-de-salaries-americains", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:35:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Fri, 05 Nov 2021 05:55:22 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7cd977eb579c1acf7d1903e5e32f1d24" + "hash": "74a2f42552ae2548ccecdc4300676b5f" }, { - "title": "China's Peng Shuai Goes 'Missing'", - "description": "The tennis star accused a top Communist of sexual assault. Beijing can’t deal with it.", - "content": "The tennis star accused a top Communist of sexual assault. Beijing can’t deal with it.", - "category": "PAID", - "link": "https://www.wsj.com/articles/china-missing-tennis-star-peng-shuai-australia-foreign-policy-trade-assault-11637620780", + "title": "La Banque centrale américaine ralentit son soutien à l’économie", + "description": "La Fed a annoncé mercredi 3 novembre qu’elle allait progressivement cesser d’injecter des liquidités sur les marchés aux États-Unis, repoussant l’éventualité d’une hausse des taux d’intérêt.", + "content": "La Fed a annoncé mercredi 3 novembre qu’elle allait progressivement cesser d’injecter des liquidités sur les marchés aux États-Unis, repoussant l’éventualité d’une hausse des taux d’intérêt.", + "category": "", + "link": "https://www.courrierinternational.com/article/monnaie-la-banque-centrale-americaine-ralentit-son-soutien-leconomie", "creator": "", - "pubDate": "Mon, 22 Nov 2021 18:33:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 04 Nov 2021 16:31:25 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d5a1349d97a66224111d98b3173926b2" + "hash": "0395ac8fa006434ff62a6ce7d6cfe14a" }, { - "title": "President Biden and American Gratitude", - "description": "Why hasn’t the White House announced a posthumous Medal of Honor for Alwyn Cashe yet?", - "content": "Why hasn’t the White House announced a posthumous Medal of Honor for Alwyn Cashe yet?", - "category": "PAID", - "link": "https://www.wsj.com/articles/president-biden-and-american-gratitude-11637617891", + "title": "L’économie argentine vire au cauchemar avec ses multiples taux de change en dollars", + "description": "Il existe au moins sept taux de change en devises différents en Argentine. Un symptôme d’une économie qui se noie depuis longtemps entre dette, inflation et dévaluation, comme une véritable malédiction.", + "content": "Il existe au moins sept taux de change en devises différents en Argentine. Un symptôme d’une économie qui se noie depuis longtemps entre dette, inflation et dévaluation, comme une véritable malédiction.", + "category": "", + "link": "https://www.courrierinternational.com/article/monnaie-leconomie-argentine-vire-au-cauchemar-avec-ses-multiples-taux-de-change-en-dollars", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:51:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Thu, 04 Nov 2021 11:58:03 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4358aa78ff2008e215cddd596a425c25" + "hash": "48ed7c6973ab14259c9eca419ec01106" }, { - "title": "Woke Imperialism Harms U.S. Interests", - "description": "The Biden Administration promotes an avant-garde concept of ‘rights’ that isolates America.", - "content": "The Biden Administration promotes an avant-garde concept of ‘rights’ that isolates America.", - "category": "PAID", - "link": "https://www.wsj.com/articles/woke-imperialism-harms-u-s-interests-china-russia-equity-worldview-11637596572", + "title": "Les pays du Nord engagent 8,5 milliards de dollars pour décarboner l’Afrique du Sud", + "description": "Réunis à Glasgow pour la 26e Conférence des Nations unies pour le climat, les États-Unis, le Royaume-Uni, l’Union européenne, mais aussi la France et l’Allemagne, ont annoncé, le mardi 2 novembre, avoir conclu un accord avec Johannesburg pour soutenir la “transition énergétique juste” de l’Afrique du Sud, très dépendante du charbon.", + "content": "Réunis à Glasgow pour la 26e Conférence des Nations unies pour le climat, les États-Unis, le Royaume-Uni, l’Union européenne, mais aussi la France et l’Allemagne, ont annoncé, le mardi 2 novembre, avoir conclu un accord avec Johannesburg pour soutenir la “transition énergétique juste” de l’Afrique du Sud, très dépendante du charbon.", + "category": "", + "link": "https://www.courrierinternational.com/article/cop26-les-pays-du-nord-engagent-85-milliards-de-dollars-pour-decarboner-lafrique-du-sud", "creator": "", - "pubDate": "Mon, 22 Nov 2021 13:04:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 03 Nov 2021 17:48:37 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8476dbd2f59559faeff5cf8b29ffb7e6" + "hash": "29e78f21ffa6bacc1c66418ab8f25cd2" }, { - "title": "Kyle Rittenhouse and the Left's Terrifying Assault on Due Process", - "description": "They want revolutionary justice. The legal system’s verdict will be supplanted by the people’s judgment.", - "content": "They want revolutionary justice. The legal system’s verdict will be supplanted by the people’s judgment.", - "category": "PAID", - "link": "https://www.wsj.com/articles/kyle-rittenhouse-and-the-lefts-terrifying-assault-on-due-process-trial-verdict-not-guilty-11637597046", + "title": "Des salaires en hausse de 10 % ? Pas assez, selon les grévistes de John Deere aux États-Unis", + "description": "La direction avait doublé la mise, mais les 10 000 salariés du fabricant de matériel agricole Deere & Company ont rejeté mardi l’accord et poursuivent leur grève. Alimentant le mouvement social qui enfle face à la pénurie de main-d’œuvre.", + "content": "La direction avait doublé la mise, mais les 10 000 salariés du fabricant de matériel agricole Deere & Company ont rejeté mardi l’accord et poursuivent leur grève. Alimentant le mouvement social qui enfle face à la pénurie de main-d’œuvre.", + "category": "", + "link": "https://www.courrierinternational.com/article/social-des-salaires-en-hausse-de-10-pas-assez-selon-les-grevistes-de-john-deere-aux-etats", "creator": "", - "pubDate": "Mon, 22 Nov 2021 13:01:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Wed, 03 Nov 2021 12:34:19 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0fae7ed82f34c4e3951cceae98dcbd3" + "hash": "53bafb6a71231a73d7ceb2f9fef2e7cd" }, { - "title": "COP26 Prepared the World to Beat Climate Change", - "description": "We can bemoan that there is still a gap between our ambitions and actions. Or we can work to close it.", - "content": "We can bemoan that there is still a gap between our ambitions and actions. Or we can work to close it.", - "category": "PAID", - "link": "https://www.wsj.com/articles/cop26-prepared-the-world-to-beat-climate-change-global-warming-emissions-glasgow-11637526170", + "title": "Facebook cesse d’utiliser son système de reconnaissance faciale", + "description": "Invoquant des “inquiétudes sociétales”, la maison-mère de Facebook, Meta, a annoncé qu’elle n’utiliserait plus la reconnaissance faciale pour proposer un “tag” automatiquement sur les photos. Les données sur plus d’un milliard d’utilisateurs devraient être effacées.", + "content": "Invoquant des “inquiétudes sociétales”, la maison-mère de Facebook, Meta, a annoncé qu’elle n’utiliserait plus la reconnaissance faciale pour proposer un “tag” automatiquement sur les photos. Les données sur plus d’un milliard d’utilisateurs devraient être effacées.", + "category": "", + "link": "https://www.courrierinternational.com/article/technologie-facebook-cesse-dutiliser-son-systeme-de-reconnaissance-faciale", "creator": "", - "pubDate": "Sun, 21 Nov 2021 17:18:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 21:24:54 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ff76360621de83921e0043d023086ae9" + "hash": "f054c7aa604220fe898ca75620532c40" }, { - "title": "The Coddling of American Children Is a Boon to Beijing", - "description": "In China, my son had to study hard. Here in the U.S., he just needs to bring a ‘healthy snack’ to school.", - "content": "In China, my son had to study hard. Here in the U.S., he just needs to bring a ‘healthy snack’ to school.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-coddling-of-american-children-is-a-boon-to-beijing-china-education-college-victim-11637525811", + "title": "La Chine suscite des peurs en demandant à ses habitants de stocker des provisions", + "description": "Le gouvernement de Pékin a appelé les foyers à faire des réserves de produits de base, en prévision, d’après les autorités, de nouveaux confinements locaux.", + "content": "Le gouvernement de Pékin a appelé les foyers à faire des réserves de produits de base, en prévision, d’après les autorités, de nouveaux confinements locaux.", + "category": "", + "link": "https://www.courrierinternational.com/article/asie-la-chine-suscite-des-peurs-en-demandant-ses-habitants-de-stocker-des-provisions", "creator": "", - "pubDate": "Sun, 21 Nov 2021 17:17:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 19:42:26 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "6e30a2a407fd64139ea7f728aa498c74" + "hash": "ca884d385d52330772cab0d058ccd285" }, { - "title": "Honduras and the Clinton Legacy", - "description": "Will the country follow the undemocratic paths of El Salvador and Nicaragua?", - "content": "Will the country follow the undemocratic paths of El Salvador and Nicaragua?", - "category": "PAID", - "link": "https://www.wsj.com/articles/honduras-and-the-clinton-legacy-democracy-socialism-national-security-imperialism-11637526692", + "title": "Epic Games met fin à la version chinoise du jeu Fortnite", + "description": "L’éditeur américain du très populaire jeu en ligne, qui avait fait alliance avec le géant numérique local Tencent pour pénétrer le marché chinois, a annoncé la fermeture définitive de Fortress Night.", + "content": "L’éditeur américain du très populaire jeu en ligne, qui avait fait alliance avec le géant numérique local Tencent pour pénétrer le marché chinois, a annoncé la fermeture définitive de Fortress Night.", + "category": "", + "link": "https://www.courrierinternational.com/article/game-over-epic-games-met-fin-la-version-chinoise-du-jeu-fortnite", "creator": "", - "pubDate": "Sun, 21 Nov 2021 16:47:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 17:09:10 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "656e3e3ef25d124c80ad1b55f0cadc26" + "hash": "416c3cabd6a7cf9383093c66f17f2037" }, { - "title": "The Kamikaze Democrats", - "description": "Pelosi and Biden march swing-district House Members to the end of their careers.", - "content": "Pelosi and Biden march swing-district House Members to the end of their careers.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-kamikaze-democrats-nancy-pelosi-joe-biden-build-back-better-house-welfare-2022-11637362201", + "title": "L’Espagne, victime collatérale de l’arrêt de l’activité du gazoduc Maghreb-Europe", + "description": "Madrid est pris au piège par les tensions entre l’Algérie et le Maroc, qui ont conduit à la suspension de l’activité du gazoduc Maghreb-Europe. La pénurie de gaz devrait être évitée, rassure la presse espagnole, mais les coûts d’approvisionnement vont augmenter.", + "content": "Madrid est pris au piège par les tensions entre l’Algérie et le Maroc, qui ont conduit à la suspension de l’activité du gazoduc Maghreb-Europe. La pénurie de gaz devrait être évitée, rassure la presse espagnole, mais les coûts d’approvisionnement vont augmenter.", + "category": "", + "link": "https://www.courrierinternational.com/revue-de-presse/energie-lespagne-victime-collaterale-de-larret-de-lactivite-du-gazoduc-maghreb", "creator": "", - "pubDate": "Sun, 21 Nov 2021 16:34:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 17:06:45 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "158ad46ad3153964978635327d0f34ff" + "hash": "98891e4bfb857391be7893c6ea9733b3" }, { - "title": "'Cuba Libre' at the Latin Grammys", - "description": "The patriotic protest anthem ‘Patria y Vida’ wins song of the year.", - "content": "The patriotic protest anthem ‘Patria y Vida’ wins song of the year.", - "category": "PAID", - "link": "https://www.wsj.com/articles/cuba-libre-latin-grammys-patria-y-vida-osorbo-yotuel-gente-de-zona-el-funky-descemer-bueno-11637366048", + "title": "Le premier accord de la COP26 engage plus de cent pays à inverser la déforestation", + "description": "Au deuxième jour du sommet sur le climat à Glasgow, les chefs d’États qui abritent plus de 85 % des forêts mondiales s’accordent à mettre fin à la déforestation d’ici 2030 et promettent d’allouer à cet effet 16,5 milliards d’euros de fonds publics et privés.", + "content": "Au deuxième jour du sommet sur le climat à Glasgow, les chefs d’États qui abritent plus de 85 % des forêts mondiales s’accordent à mettre fin à la déforestation d’ici 2030 et promettent d’allouer à cet effet 16,5 milliards d’euros de fonds publics et privés.", + "category": "", + "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-le-premier-accord-de-la-cop26-engage-plus-de-cent-pays-inverser-la", "creator": "", - "pubDate": "Sun, 21 Nov 2021 16:33:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 14:26:32 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a29e9e9d4f06801f67435ccd2ed55554" + "hash": "91f4370ccedd67c49be4ffaa45940b6e" }, { - "title": "A Tax Cut for the Tarheel State", - "description": "Democratic Gov. Roy Cooper heeds the message from Virginia.", - "content": "Democratic Gov. Roy Cooper heeds the message from Virginia.", - "category": "PAID", - "link": "https://www.wsj.com/articles/a-tax-cut-for-the-tarheel-state-north-carolina-cooper-personal-income-virginia-youngkin-11637516606", + "title": "Parole de baleine, le dernier des poumons d’acier, le secret des pénuries et les fous du tungstène", + "description": "On devrait lire plus souvent Hakai Magazine, une publication canadienne de Victoria, en Colombie-Britannique, consacrée à la vie scientifique et culturelle des régions côtières. L’un des articles décrit magistralement le nouveau projet d’un groupe international de biologistes et de spécialistes de l’intelligence artificielle, formé en 2017 au hasard d’un séminaire à l’université Harvard, qui tente de décrypter le langage des baleines dans l’espoir d’engager un jour la...", + "content": "On devrait lire plus souvent Hakai Magazine, une publication canadienne de Victoria, en Colombie-Britannique, consacrée à la vie scientifique et culturelle des régions côtières. L’un des articles décrit magistralement le nouveau projet d’un groupe international de biologistes et de spécialistes de l’intelligence artificielle, formé en 2017 au hasard d’un séminaire à l’université Harvard, qui tente de décrypter le langage des baleines dans l’espoir d’engager un jour la...", + "category": "", + "link": "https://www.courrierinternational.com/article/la-lettre-tech-parole-de-baleine-le-dernier-des-poumons-dacier-le-secret-des-penuries-et-les", "creator": "", - "pubDate": "Sun, 21 Nov 2021 16:33:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 12:19:04 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7ab2d3e2724ea1f95843d360c2ae78cb" + "hash": "ada8d22c39e2496e1d925d2fb126774b" }, { - "title": "Losing by Five, With 1,400 Votes Rejected", - "description": "In a squeaker House race, bad mail votes are 275 times the margin.", - "content": "In a squeaker House race, bad mail votes are 275 times the margin.", - "category": "PAID", - "link": "https://www.wsj.com/articles/losing-by-five-with-1-400-votes-rejected-florida-primary-election-voting-by-mail-usps-11637159981", + "title": "Dans la plus grande usine du monde de séquestration du CO2", + "description": "Retirer le dioxyde de carbone de l’air. Le pétrifier sous terre pour accélérer la décarbonation. Cette méthode, utilisée par un nouveau site pilote en Islande, est-elle vraiment la solution à l’urgence climatique ?", + "content": "Retirer le dioxyde de carbone de l’air. Le pétrifier sous terre pour accélérer la décarbonation. Cette méthode, utilisée par un nouveau site pilote en Islande, est-elle vraiment la solution à l’urgence climatique ?", + "category": "", + "link": "https://www.courrierinternational.com/article/technologie-dans-la-plus-grande-usine-du-monde-de-sequestration-du-co2", "creator": "", - "pubDate": "Sun, 21 Nov 2021 16:32:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 02 Nov 2021 06:03:30 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "eb00e2de7875c8a8ca651f73857ecf48" + "hash": "e0712775f4f57282d00e445435cc9261" }, { - "title": "Politicians Have Earned Your Distrust", - "description": "Our leaders care more about putting ‘points on the board’ than doing what’s right.", - "content": "Our leaders care more about putting ‘points on the board’ than doing what’s right.", - "category": "PAID", - "link": "https://www.wsj.com/articles/politicos-earned-distrust-biden-inflation-reconciliation-cuomo-covid-deaths-nursing-homes-11637504680", + "title": "Le Japon dit enfin adieu à la disquette", + "description": "Sony n’en produit plus, elles sont difficiles à trouver en magasin. Et pourtant, les bonnes vieilles disquettes sont toujours utilisées par certaines entreprises et collectivités territoriales du Japon. Qui, en 2021, lancent enfin leur modernisation numérique. Les explications de la presse japonaise.", + "content": "Sony n’en produit plus, elles sont difficiles à trouver en magasin. Et pourtant, les bonnes vieilles disquettes sont toujours utilisées par certaines entreprises et collectivités territoriales du Japon. Qui, en 2021, lancent enfin leur modernisation numérique. Les explications de la presse japonaise.", + "category": "", + "link": "https://www.courrierinternational.com/article/anachronisme-le-japon-dit-enfin-adieu-la-disquette", "creator": "", - "pubDate": "Sun, 21 Nov 2021 13:45:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 01 Nov 2021 17:26:58 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "065aa308167a27ec8c38c725341a91ef" + "hash": "78193263d5e86c07c0444c6ab6dcbb4a" }, { - "title": "The Left Betrays the Working Class on Covid Mandates", - "description": "Some unions are even siding with management against employees who resist vaccination.", - "content": "Some unions are even siding with management against employees who resist vaccination.", - "category": "PAID", - "link": "https://www.wsj.com/articles/left-betrays-working-class-covid-mandates-vaccine-religious-approval-exemption-nyc-osha-11637505203", + "title": "Après le burger sans viande, les œufs végétaux", + "description": "Vendredi 29 octobre, une entreprise suisse a dit avoir conçu le premier œuf dur végétal au monde. Le journal Le Temps raconte comment ce marché représente le nouveau terrain de chasse des géants de l’agroalimentaire.", + "content": "Vendredi 29 octobre, une entreprise suisse a dit avoir conçu le premier œuf dur végétal au monde. Le journal Le Temps raconte comment ce marché représente le nouveau terrain de chasse des géants de l’agroalimentaire.", + "category": "", + "link": "https://www.courrierinternational.com/article/veganisme-apres-le-burger-sans-viande-les-oeufs-vegetaux", "creator": "", - "pubDate": "Sun, 21 Nov 2021 13:44:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 01 Nov 2021 17:21:08 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3e84d40e9abc2595260ad575c1ea4dcd" + "hash": "2f74cacf2ca42e9daba341c031199d24" }, { - "title": "Enes Kanter: Move the Olympics for Peng Shuai's Sake", - "description": "The IOC shockingly echoes Beijing’s rhetoric on the tennis star’s disappearance.", - "content": "The IOC shockingly echoes Beijing’s rhetoric on the tennis star’s disappearance.", - "category": "PAID", - "link": "https://www.wsj.com/articles/enes-kanter-move-the-olympics-for-peng-shuais-sake-11637444316", + "title": "On taxe bien l’alcool, pourquoi pas le carbone ?", + "description": "Et si la meilleure politique pour le climat consistait à prélever un impôt sur la pollution ? L’histoire de la taxe sur l’alcool aux États-Unis est à cet égard édifiante.", + "content": "Et si la meilleure politique pour le climat consistait à prélever un impôt sur la pollution ? L’histoire de la taxe sur l’alcool aux États-Unis est à cet égard édifiante.", + "category": "", + "link": "https://www.courrierinternational.com/article/crise-climatique-taxe-bien-lalcool-pourquoi-pas-le-carbone", "creator": "", - "pubDate": "Sat, 20 Nov 2021 16:38:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Mon, 01 Nov 2021 05:44:48 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1454a31374fc9c9989558963006efddd" + "hash": "a485c04b096a5f8a6ac93567a5b0a0f0" }, { - "title": "As Joe Biden Turns 79, a Panic Over Kamala Harris", - "description": "He’s unlikely to run in 2024, and his VP is deeply unpopular.", - "content": "He’s unlikely to run in 2024, and his VP is deeply unpopular.", - "category": "PAID", - "link": "https://www.wsj.com/articles/as-biden-turns-79-a-panic-over-kamala-harris-11637362818", + "title": "À Miami, les riches Latino-Américains se ruent sur l’immobilier", + "description": "Les crises sociales, les bouleversements politiques, la pandémie de Covid-19 ont provoqué un important afflux d’investisseurs des pays d’Amérique latine dans des biens immobiliers de la capitale de la Floride. Nouveauté : ils achètent souvent pour en faire leur résidence principale et télétravailler.", + "content": "Les crises sociales, les bouleversements politiques, la pandémie de Covid-19 ont provoqué un important afflux d’investisseurs des pays d’Amérique latine dans des biens immobiliers de la capitale de la Floride. Nouveauté : ils achètent souvent pour en faire leur résidence principale et télétravailler.", + "category": "", + "link": "https://www.courrierinternational.com/article/tendance-miami-les-riches-latino-americains-se-ruent-sur-limmobilier", "creator": "", - "pubDate": "Fri, 19 Nov 2021 19:03:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Sun, 31 Oct 2021 13:49:12 +0100", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ddaf9316e51dda112d9d968456d8aed5" + "hash": "9c2dd9a8dfcdf03c150c4a886767e776" }, { - "title": "CNN's Modified Limited Steele Climbdown", - "description": "We are right even when we are wrong, says the network about its part in the collusion hoax.", - "content": "We are right even when we are wrong, says the network about its part in the collusion hoax.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-media-steele-climbdown-cnn-dossier-trump-russia-collusion-durham-clinton-2016-election-11637354774", + "title": "À Rome, le G20 approuve une taxation des multinationales “qui bénéficiera aux pays riches”", + "description": "En ouvrant le sommet du G20 ce 30 octobre, le chef du gouvernement italien Mario Draghi a invité à relancer le multilatéralisme pour répondre aux défis mondiaux. Dans la foulée, les dirigeants ont donné leur “bénédiction” à un taux d’imposition minimal des grandes entreprises. Ce dernier représente une victoire pour Joe Biden et pour les pays riches, observe la presse étrangère.\n\n\n ", + "content": "En ouvrant le sommet du G20 ce 30 octobre, le chef du gouvernement italien Mario Draghi a invité à relancer le multilatéralisme pour répondre aux défis mondiaux. Dans la foulée, les dirigeants ont donné leur “bénédiction” à un taux d’imposition minimal des grandes entreprises. Ce dernier représente une victoire pour Joe Biden et pour les pays riches, observe la presse étrangère.\n\n\n ", + "category": "", + "link": "https://www.courrierinternational.com/article/fiscalite-rome-le-g20-approuve-une-taxation-des-multinationales-qui-beneficiera-aux-pays", "creator": "", - "pubDate": "Fri, 19 Nov 2021 18:25:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", - "read": false, + "pubDate": "Sat, 30 Oct 2021 16:19:38 +0200", + "folder": "00.03 News/News - FR", + "feed": "Courier International - Eco", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "03ba9fb7f8485c76be6debbbf645a4ec" - }, + "hash": "1876bb9ea7892631487e94cc38970a5f" + } + ], + "folder": "00.03 News/News - FR", + "name": "Courier International - Eco", + "language": "fr", + "hash": "438887e02b156a2cf6ade5792e509a25" + }, + { + "title": "Le Monde.fr - Actualités et Infos en France et dans le monde", + "subtitle": "", + "link": "https://www.lemonde.fr/rss/en_continu.xml", + "image": null, + "description": "Le Monde.fr - 1er site d’information. Les articles du journal et toute l’actualité en continu : International, France, Société, Economie, Culture, Environnement, Blogs ...", + "items": [ { - "title": "Comrade Omarova vs. Margaret Thatcher", - "description": "Some aspiring apparatchiks will say anything to seize power.", - "content": "Some aspiring apparatchiks will say anything to seize power.", - "category": "PAID", - "link": "https://www.wsj.com/articles/comrade-omarova-vs-margaret-thatcher-11637352783", + "title": "Variant Omicron : les mesures du gouvernement britannique adoptées, malgré la large rébellion des conservateurs", + "description": "Il s’agit d’une victoire en demi-teinte pour le conservateur Boris Johnson, qui n’avait encore jamais été confronté à autant de dissidences au sein de son propre parti.", + "content": "Le premier ministre britannique, Boris Johnson, lors d’une allocution télévisée, dimanche 12 décembre.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/14/variant-omicron-les-mesures-du-gouvernement-britannique-adoptees-malgre-la-large-rebellion-des-conservateurs_6106060_3210.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 15:13:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 22:40:37 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a7c9603b37f2661a972317a4fb6dd287" + "hash": "115fe10979b3ace0cb53e3698a64938b" }, { - "title": "The Impossible Insurrection of January 6", - "description": "The right couldn’t stage a coup because liberals dominate nearly every institution of American politics and culture. Yet liberals refuse to see it.", - "content": "The right couldn’t stage a coup because liberals dominate nearly every institution of American politics and culture. Yet liberals refuse to see it.", - "category": "PAID", - "link": "https://www.wsj.com/articles/impossible-insurrection-jan-6-capitol-hill-riot-conservative-liberalism-colleges-media-trump-11637344629", + "title": "Ligue 1 : Pascal Dupraz devient le nouvel entraîneur de Saint-Etienne", + "description": "Il succède à Claude Puel, limogé après une énième déroute contre Rennes (0-5) en Ligue 1 le 5 décembre.", + "content": "Pascal Dupraz lors du match de Coupe de France entre Montpellier et Caen, au stade de la Mosson, à Montpellier, le 19 janvier 2020.", + "category": "", + "link": "https://www.lemonde.fr/sport/article/2021/12/14/ligue-1-pascal-dupraz-devient-le-nouvel-entraineur-de-saint-etienne_6106059_3242.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 14:25:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 22:05:49 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "16feb61fb271668e3c13a24ae9c99d33" + "hash": "9b91aac791898d83143098905e445e38" }, { - "title": "Democrats Turn a Blind Eye to Connecticut's Juvenile Crime Wave", - "description": "The state desperately needs a special session of the Legislature to address it, but Gov. Lamont refuses.", - "content": "The state desperately needs a special session of the Legislature to address it, but Gov. Lamont refuses.", - "category": "PAID", - "link": "https://www.wsj.com/articles/democrats-connecticut-juvenile-crime-gun-violence-homicide-shootings-murder-lamont-11637345153", + "title": "Yannick Jadot tend la main à Anne Hidalgo et affirme qu’elle pourrait « évidemment » être sa première ministre", + "description": "Réitérant son refus d’une primaire à gauche en vue de l’élection présidentielle de 2022, le candidat écologiste a appelé, mardi, la candidate socialiste à se ranger derrière lui.", + "content": "Yannick Jadot lors de son premier meeting de campagne, le 11 decembre 2021, à Laon (Aisne).", + "category": "", + "link": "https://www.lemonde.fr/election-presidentielle-2022/article/2021/12/14/yannick-jadot-tend-la-main-a-anne-hidalgo-et-affirme-qu-elle-pourrait-evidemment-etre-sa-premiere-ministre_6106058_6059010.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 14:24:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 21:53:00 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c27199e001efb88c9c7ef6d1e86a0601" + "hash": "672629f3c45a966b1531f64257c562b9" }, { - "title": "The Real Biden Bill: At Least $4.6 Trillion", - "description": "Program by program, here’s how Democrats disguise the real cost of their entitlement blowout.", - "content": "Program by program, here’s how Democrats disguise the real cost of their entitlement blowout.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-real-biden-bill-at-least-4-6-trillion-congressional-budget-office-score-congress-democrats-11637275848", + "title": "Violences au meeting d’Eric Zemmour : le leader présumé des Zouaves Paris interpellé", + "description": "Marc de Cacqueray-Valmenier a été arrêté par la brigade de recherche et d’intervention de la Préfecture de police de Paris.", + "content": "Lors du premier meeting de la campagne présidentielle d’Eric Zemmour, à Villepinte, le 5 décembre 2021.", + "category": "", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/violences-au-meeting-d-eric-zemmour-le-leader-presume-des-zouaves-paris-interpelle_6106054_3224.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 21:50:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 20:46:55 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "42689585a54eafffda9c14cb3ac3dd58" + "hash": "7fc4770504a6f997cc7b5b2030bc9b6d" }, { - "title": "America Slowly Learns to Live With Covid", - "description": "Shots are an achievement but not a miracle, and other realities with which we’re coming to terms.", - "content": "Shots are an achievement but not a miracle, and other realities with which we’re coming to terms.", - "category": "PAID", - "link": "https://www.wsj.com/articles/america-slowly-learns-to-live-with-covid-vaccines-shots-flu-fauci-antivax-infection-11637275001", + "title": "Assaut du Capitole : la ville de Washington porte plainte contre des groupes d’extrême droite", + "description": "Cette action au civil vise à décourager de futurs actes de violence et à dédommager les victimes, dont font partie les agents de police qui gardaient le bâtiment le 6 janvier.", + "content": "Des partisans du président américain Donald Trump envahissent le Capitole, à Washington, DC, aux États-Unis, le 6 janvier 2021.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/14/la-ville-de-washington-porte-plainte-contre-des-groupes-d-extreme-droite-pour-l-assaut-du-capitole_6106052_3210.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:43:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 20:16:36 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7107f4759889425b7fca6d438e2116df" + "hash": "9a82aa7b0b7d482cad4c235ac64d7e31" }, { - "title": "John Deere, Inflation Bellwether", - "description": "The company’s union workers win automatic cost-of-living increases, which should raise alarms at the Federal Reserve.", - "content": "The company’s union workers win automatic cost-of-living increases, which should raise alarms at the Federal Reserve.", - "category": "PAID", - "link": "https://www.wsj.com/articles/john-deere-inflation-bellwether-united-auto-workers-union-wages-11637276050", + "title": "Veolia autorisé à racheter son rival Suez par la Commission européenne", + "description": "Veolia a notamment dû s’engager à céder l’essentiel des activités de Suez en France afin d’obtenir l’autorisation européenne.", + "content": "Veolia détient actuellement 29,9 % du capital de Suez.", + "category": "", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/bruxelles-autorise-veolia-a-racheter-son-rival-suez_6106051_3234.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:39:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 20:15:44 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e78c2ae56ebd9dc231b45b910d09e850" + "hash": "e1c86317e315ae4c31b456055829d88f" }, { - "title": "On China, Women's Tennis Beats the NBA", - "description": "The WTA calls for an investigation into a charge of sexual assault.", - "content": "The WTA calls for an investigation into a charge of sexual assault.", - "category": "PAID", - "link": "https://www.wsj.com/articles/on-china-womens-tennis-association-beats-the-nba-peng-shuai-steve-simon-11637191294", + "title": "Comment la Chine conteste la suprématie du cinéma hollywoodien", + "description": "Un plan quinquennal vise à renforcer le septième art chinois, en matière d’influence mondiale, de nombre de films et de salles, tout en marginalisant sur son marché les films américains.", + "content": "L’affiche du film « The Battle at Lake Changjin », dans un cinéma de Pékin (Chine), le 30 septembre 2021.", + "category": "", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/pekin-s-attaque-a-la-suprematie-du-cinema-hollywoodien_6105926_3234.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:38:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 00:44:23 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "863fbead638a9c5dbfcf7003c5404c07" + "hash": "1286140fc056f7fac7d43b3ce676b65f" }, { - "title": "The FBI's Raid on James O'Keefe", - "description": "Justice had better have good reason for seizing a journalist’s records.", - "content": "Justice had better have good reason for seizing a journalist’s records.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-fbis-raid-on-james-okeefe-project-veritas-department-of-justice-merrick-garland-11637091882", + "title": "Ligue 1 : match diffusé en clair, garanties financières… les recommandations d’un rapport parlementaire pour « sécuriser et consolider » le football français", + "description": "La mission parlementaire sur les droits télévisuels, créée après le fiasco Mediapro, soutient notamment la création par la Ligue de football professionnel d’une société commerciale ouverte aux capitaux privés pour exploiter et gérer les droits télévisuels.", + "content": "Pour diffuser 80 % des matchs de la Ligue 1, Amazon a offert que 250 millions d’euros par an.", + "category": "", + "link": "https://www.lemonde.fr/sport/article/2021/12/14/ligue-1-match-diffuse-en-clair-garanties-financieres-les-recommandations-d-un-rapport-parlementaire-pour-securiser-et-consolider-le-football-francais_6106047_3242.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:34:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 19:14:41 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "794dac340c98d9b4f2cb976d92098a6e" + "hash": "3edada1d09dfd58d0b967f53241bb692" }, { - "title": "Congress Needs to Get Back to Regular Order", - "description": "Reconciliation wasn’t meant to be the vehicle for social change.", - "content": "Reconciliation wasn’t meant to be the vehicle for social change.", - "category": "PAID", - "link": "https://www.wsj.com/articles/congress-needs-order-filibuster-reconciliation-spending-build-back-better-cbo-byrd-rule-11637270597", + "title": "La majorité des migrants noyés dans la Manche à la fin de novembre est désormais identifiée", + "description": "Ce naufrage est le plus meurtrier depuis que les migrants tentent de rejoindre l’Angleterre par la mer. Quatre arrestations avaient été annoncées par les autorités françaises à la suite de ce drame.", + "content": "Ce naufrage est le plus meurtrier depuis que les migrants tentent de rejoindre l’Angleterre par la mer. Quatre arrestations avaient été annoncées par les autorités françaises à la suite de ce drame.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/14/la-majorite-des-migrants-noyes-dans-la-manche-a-la-fin-de-novembre-est-desormais-identifiee_6106042_3210.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:29:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 18:51:54 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cb92b8911bfb9147a9f0d97292765777" + "hash": "62a5fa0cfeaedf81ce482f0dc13c3f87" }, { - "title": "Xi Jinping's War on Tibetan Buddhism", - "description": "Beijing wants future lamas and monks to learn the faith only in Mandarin.", - "content": "Beijing wants future lamas and monks to learn the faith only in Mandarin.", - "category": "PAID", - "link": "https://www.wsj.com/articles/xi-jinping-war-on-tibetan-buddhism-lanugage-china-monks-education-unity-sixth-plenum-11637269866", + "title": "Prison ferme pour l’ex-ministre de l’immigration danoise", + "description": "Inger Stojberg, qui a incarné de 2015 à 2019 le durcissement de la politique migratoire de Copenhague, jusqu’à l’outrance, a été condamnée à soixante jours d’incarcération pour avoir illégalement ordonné la séparation de couples de demandeurs d’asile.", + "content": "L’ancienne ministre danoise de l’immigration, Inger Stojberg, à Copenhague, le 2 septembre 2021.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/14/prison-ferme-pour-l-ex-ministre-danoise-de-l-immigration_6106041_3210.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:27:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 18:46:37 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5681de0363fbf963e5715b4cf03755db" + "hash": "85e9d1c93ce659aa408d3e2a1b4d62af" }, { - "title": "On Reconciliation Bill, Senate Moderates Hide Behind Joe Manchin and Kyrsten Sinema", - "description": "Sens. Maggie Hassan, Mark Kelly and Catherine Cortez Masto have been awfully quiet. All are up for re-election in 2022.", - "content": "Sens. Maggie Hassan, Mark Kelly and Catherine Cortez Masto have been awfully quiet. All are up for re-election in 2022.", - "category": "PAID", - "link": "https://www.wsj.com/articles/reconciliation-bill-moderates-let-joe-manchin-kyrsten-sinema-hassan-kelly-build-back-better-11637276328", + "title": "La compagnie G7 met à l’arrêt ses taxis électriques Model 3 de Tesla après un accident mortel survenu samedi à Paris", + "description": "L’accident a fait un mort et vingt blessés, dont trois sont dans un état grave, a rapporté le parquet de Paris, mardi soir. La compagnie de taxis parisiens a fait savoir que ses trente-sept Model 3 de Tesla resteraient au garage le temps de l’enquête.", + "content": "Le constructeur automobile Tesla n’a pas souhaité faire de commentaire au sujet de cet accident.", + "category": "", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/la-compagnie-g7-met-a-l-arret-ses-taxis-electriques-tesla-apres-un-accident-grave-survenu-samedi-a-paris_6106038_3234.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:25:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 18:22:52 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d70e533eb05650f6073a37c37ad2174" + "hash": "dce6046760835f5214a3d9ab500aba1c" }, { - "title": "The Toshiba Split: A Farewell to Poor Japanese Management?", - "description": "Having shed inefficiencies since the 1990s, the corporate environment may be ready for reform.", - "content": "Having shed inefficiencies since the 1990s, the corporate environment may be ready for reform.", - "category": "PAID", - "link": "https://www.wsj.com/articles/toshiba-split-japan-management-division-keiretsu-cross-shareholding-foreign-activist-investor-11637272011", + "title": "En Biélorussie, le mari de Svetlana Tsikhanovskaïa condamné à dix-huit ans de prison", + "description": "Très critique envers le régime, le blogueur Sergueï Tsikhanovski avait été arrêté en mai 2020 alors qu’il menait campagne pour l’élection présidentielle.", + "content": "Une manifestante montre le portrait du blogueur emprisonné Sergueï Tsikhanovsky, opposant politique du président Loukachenko, sous lequel on peut lire « Liberté pour les prisonniers politiques », le 12 octobre 2020 à Minsk.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/14/en-bielorussie-le-mari-de-svetlana-tsikhanovskaia-condamne-a-dix-huit-ans-de-prison_6106037_3210.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 18:06:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 18:19:22 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fbd3fd75a66cec6413676a0b32ac6e42" + "hash": "802f8c13da078857bdff282ca5fb9d6e" }, { - "title": "Will Joe Manchin Stand His Ground on Inflation?", - "description": "Federal spending is its biggest driver. He has demanded an honest accounting, due this week.", - "content": "Federal spending is its biggest driver. He has demanded an honest accounting, due this week.", - "category": "PAID", - "link": "https://www.wsj.com/articles/joe-manchin-stand-his-ground-on-inflation-budget-debt-economy-build-back-better-cbo-11637248788", + "title": "En Haïti, l’explosion d’un camion-citerne fait au moins soixante-deux morts", + "description": "Une quarantaine d’habitations autour du lieu de l’explosion ont également pris feu à la suite de la déflagration, laissant craindre un bilan plus lourd.", + "content": "Des pompiers se tiennent à côté de l’incendie provoqué par le camion-citerne, à Cap-Haïtien, en Haïti, mardi 14 décembre 2021.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/14/en-haiti-l-explosion-d-un-camion-citerne-fait-au-moins-soixante-morts_6106036_3210.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 12:05:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 18:17:48 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1e423d41303996b7485ce9bf24d4ea3" + "hash": "737b8232b3315aa481a3944b89d84103" }, { - "title": "The U.S. Navy's Range Has Diminished Dangerously", - "description": "Carrier air wings aren’t prepared to overcome weapons that push U.S. ships away from shore.", - "content": "Carrier air wings aren’t prepared to overcome weapons that push U.S. ships away from shore.", - "category": "PAID", - "link": "https://www.wsj.com/articles/the-navy-range-has-diminished-dangerously-missile-aircraft-carrier-killer-china-ngad-air-dominance-11637248615", + "title": "La rumba congolaise, patrimoine culturel immatériel de l’humanité", + "description": "L’Unesco a annoncé mardi l’admission sur sa liste de cette musique phare des deux Congo.", + "content": "Le chanteur congolais Papa Wemba, surnommé le « roi de la rumba », lors d’un concert au New Morning à Paris en février 2006.", + "category": "", + "link": "https://www.lemonde.fr/afrique/article/2021/12/14/la-rumba-congolaise-patrimoine-culturel-immateriel-de-l-humanite_6106034_3212.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 12:03:00 -0500", - "folder": "00.03 News/News - EN", - "feed": "Wall Street Journal", + "pubDate": "Tue, 14 Dec 2021 18:15:12 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "55a64d9e5dd6875f443b4f373ba5ef0d" - } - ], - "folder": "00.03 News/News - EN", - "name": "Wall Street Journal", - "language": "en", - "hash": "2a586801a94f5dc610fe74f8e2a23629" - }, - { - "title": "Courrier international - Actualités France et Monde", - "subtitle": "", - "link": "https://www.courrierinternational.com/", - "image": "https://www.courrierinternational.com/sites/ci_master/themes/ci/images/courrier-logo-default-rss.png", - "description": "Derniers articles parus sur Courrier international", - "items": [ + "hash": "55407a5c0d8fee63d22b39b1dc0d4f5b" + }, { - "title": "Le promoteur chinois Evergrande au bord de la faillite, et alors  ?", - "description": "L’agence de notation Fitch a sonné l’alarme jeudi 9 décembre : le géant chinois surendetté est en défaut de paiement. La menace d’une crise financière majeure est toujours là, mais n’a pas semblé émouvoir les marchés vendredi.", - "content": "L’agence de notation Fitch a sonné l’alarme jeudi 9 décembre : le géant chinois surendetté est en défaut de paiement. La menace d’une crise financière majeure est toujours là, mais n’a pas semblé émouvoir les marchés vendredi.", + "title": "En Allemagne, la vague du Covid-19 reporte encore la reprise", + "description": "L’institut IFO a baissé sa prévision de croissance pour 2022. « L’hiver sera dur », prévient le ministère de l’économie, qui note toutefois que le chômage baisse.", + "content": "La centrale électrique du siège de Volkswagen, à Wolfsburg, en Basse-Saxe, en mars 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/immobilier-le-promoteur-chinois-evergrande-au-bord-de-la-faillite-et-alors", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/en-allemagne-la-vague-du-covid-19-reporte-encore-la-reprise_6106033_3234.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 20:00:34 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1347287397.jpg?itok=H6gYLoIH", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 18:05:07 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c4905a8bfdcc01df3a05ad910b2ee04b" + "hash": "aa548efeb2a556523cff2f5ddad904e9" }, { - "title": "Un café Starbucks à Buffalo sera le premier à se doter d’un syndicat", - "description": "En votant, jeudi 9 décembre, pour la création d’une section syndicale, les salariés du Starbucks de l’avenue Elmwood, à Buffalo, remportent une victoire symbolique. Elle est le signe des nouveaux rapports de force dans le monde du travail, selon le Wall Street Journal. ", - "content": "En votant, jeudi 9 décembre, pour la création d’une section syndicale, les salariés du Starbucks de l’avenue Elmwood, à Buffalo, remportent une victoire symbolique. Elle est le signe des nouveaux rapports de force dans le monde du travail, selon le Wall Street Journal. ", + "title": "L’Insee anticipe une baisse du pouvoir d’achat en France au premier semestre 2022", + "description": "Dans une note de conjoncture publiée mardi, l’institut national de statistiques chiffre à − 0,5 % cette évolution sur les six prochains mois en raison de la hausse des prix. La croissance du produit intérieur brut devrait, elle, atteindre 6,7 % sur l’année 2021 et 3 % sur le premier semestre 2022.", + "content": "Une station-service, à Paris, le 20 octobre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/etats-unis-un-cafe-starbucks-buffalo-sera-le-premier-se-doter-dun-syndicat", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/l-insee-anticipe-une-baisse-du-pouvoir-d-achat-en-france-au-premier-semestre-2022_6106031_3234.html", "creator": "", - "pubDate": "Fri, 10 Dec 2021 17:39:11 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxlg5vx.jpg?itok=BZwpso3e", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 18:00:29 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ba198995e7d164b54ca026f33cd09a05" + "hash": "9a35fdc1f9dbe99af25f92d57736dbce" }, { - "title": "Record de commandes de yachts : qu’importe la pandémie, les plus riches se font plaisir", - "description": "Comme après la crise financière de 2008, les carnets de commandes des constructeurs de superyachts sont plus remplis que jamais, avec 1 200 ventes conclues en 2021. Les super-riches jouissent ainsi de la consolidation de leur fortune lors des mois de pandémie, explique le quotidien britannique The Times.", - "content": "Comme après la crise financière de 2008, les carnets de commandes des constructeurs de superyachts sont plus remplis que jamais, avec 1 200 ventes conclues en 2021. Les super-riches jouissent ainsi de la consolidation de leur fortune lors des mois de pandémie, explique le quotidien britannique The Times.", + "title": "Outre-mer : Marine Le Pen souhaite un grand ministère d’Etat ; Jean-Luc Mélenchon en visite à la Guadeloupe et à la Martinique", + "description": "Après le troisième référendum en Nouvelle-Calédonie, et le conflit social à la Guadeloupe et à la Martinique, de nombreux candidats à l’élection présidentielle se rendent en outre-mer ces prochains jours.", + "content": "Marine Le Pen au cours d’une conférence de presse, le 2 décembre 2021, à Paris.", "category": "", - "link": "https://www.courrierinternational.com/article/luxe-record-de-commandes-de-yachts-quimporte-la-pandemie-les-plus-riches-se-font-plaisir", + "link": "https://www.lemonde.fr/election-presidentielle-2022/article/2021/12/14/outre-mer-marine-le-pen-souhaite-un-grand-ministere-d-etat-jean-luc-melenchon-en-visite-a-la-guadeloupe-et-a-la-martinique_6106029_6059010.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 15:26:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_dpa-pa_201108-99-259128_dpai.jpg?itok=PU--v-1Z", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 17:49:43 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d23a10f9918b5f5fd183d3655b248a23" + "hash": "4e951f2e3dcbba7779ab25dfbf37adc6" }, { - "title": "Le variant Omicron reporte la fin du télétravail chez Google, Uber et Ford", - "description": "De nombreuses grandes entreprises avaient décidé d’un retour en présentiel au début de 2022. Avec l’apparition du nouveau variant, certaines jouent la prudence et maintiennent le travail à domicile.", - "content": "De nombreuses grandes entreprises avaient décidé d’un retour en présentiel au début de 2022. Avec l’apparition du nouveau variant, certaines jouent la prudence et maintiennent le travail à domicile.", + "title": "La faille « Log4Shell » laisse entrevoir quelques semaines agitées, préviennent les experts en sécurité informatique", + "description": "Selon le directeur général de l’Agence nationale de la sécurité des systèmes d’information, la faille de sécurité est « grave ».", + "content": "La vulnérabilité est présente dans Log4j, un petit module de code utilisé dans de multiples logiciels et applications à travers le monde.", "category": "", - "link": "https://www.courrierinternational.com/article/etats-unis-le-variant-omicron-reporte-la-fin-du-teletravail-chez-google-uber-et-ford", + "link": "https://www.lemonde.fr/pixels/article/2021/12/14/la-faille-log4shell-laisse-entrevoir-quelques-semaines-agitees-previennent-les-experts-en-securite-informatique_6106028_4408996.html", "creator": "", - "pubDate": "Thu, 09 Dec 2021 14:45:25 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxk6kqd.jpg?itok=nwxxFH4y", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 17:43:34 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d1cf55e01c3b767d88b10dca3513398e" + "hash": "0546ba7c26270983882a42a572553789" }, { - "title": "Weibo, le Twitter chinois, chute à son entrée en Bourse à Hong Kong", - "description": "Les actions du grand réseau social chinois ont perdu plus de 6 % à leur introduction sur le marché à Hong Kong, ce 8 décembre. Signe de la méfiance des investisseurs pour les valeurs de la tech chinoise, qui subit la pression de Pékin.", - "content": "Les actions du grand réseau social chinois ont perdu plus de 6 % à leur introduction sur le marché à Hong Kong, ce 8 décembre. Signe de la méfiance des investisseurs pour les valeurs de la tech chinoise, qui subit la pression de Pékin.", + "title": "En Chine, LinkedIn remplacé par une version simplifiée", + "description": "Baptisée « InCareer », cette nouvelle plate-forme remplace désormais le réseau social de Microsoft. Cette nouvelle version n’inclut ni flux social ni options de partage.", + "content": "Baptisée « InCareer », cette nouvelle plate-forme remplace désormais le réseau social de Microsoft. Cette nouvelle version n’inclut ni flux social ni options de partage.", "category": "", - "link": "https://www.courrierinternational.com/article/reseaux-sociaux-weibo-le-twitter-chinois-chute-son-entree-en-bourse-hong-kong", + "link": "https://www.lemonde.fr/pixels/article/2021/12/14/en-chine-linkedin-remplace-par-une-version-simplifiee_6106025_4408996.html", "creator": "", - "pubDate": "Wed, 08 Dec 2021 14:03:45 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/weibocapture.jpg?itok=LqXBG_s6", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 16:15:39 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1e2e7e01ca7bdde389a4ffc7266ab7ab" + "hash": "55056796c7f34b6ebe131d5e50a62375" }, { - "title": "2 750 milliardaires contrôlent 3,5 % de la richesse mondiale", - "description": "Selon le rapport 2022 du Laboratoire sur les inégalités mondiales, codirigé par Thomas Piketty, 3,5 % du patrimoine mondial est détenu par quelque 2 750 ultrariches, tandis que les 50 % les plus pauvres se partagent 2 % des richesses de la planète, note Bloomberg.", - "content": "Selon le rapport 2022 du Laboratoire sur les inégalités mondiales, codirigé par Thomas Piketty, 3,5 % du patrimoine mondial est détenu par quelque 2 750 ultrariches, tandis que les 50 % les plus pauvres se partagent 2 % des richesses de la planète, note Bloomberg.", + "title": "Brigitte Barèges, déchue de son mandat de maire de Montauban en première instance, relaxée en appel", + "description": "En février, elle avait été condamnée à cinq ans d’inéligibilité avec effet immédiat par le tribunal judiciaire de Toulouse, qui estimait que sa « communication politique » avait été financée avec des « deniers publics ».", + "content": "L’ancienne maire de Montauban Brigitte Barèges, accompagnée de son ancien adjoint Thierry Deville, au palais de justice de Toulouse, le 10 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/fosse-2-750-milliardaires-controlent-35-de-la-richesse-mondiale", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/brigitte-bareges-ex-maire-de-montauban-relaxee-en-appel-apres-avoir-ete-dechue-de-son-mandat_6106024_3224.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 16:41:04 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxelvg4.jpg?itok=pC-FqHfP", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 16:03:34 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "48a6f4406c62b72b7159a8e263c80a70" + "hash": "546427f6853d172b5c5ce4b9d51ced79" }, { - "title": "Le fonds d’investissement Blackstone, plus grand propriétaire d’entrepôts au monde", - "description": "Le géant américain Blackstone s’est lancé dans une course à l’achat d’entrepôts depuis une dizaine d’années. L’explosion de l’e-commerce en est la principale raison : avec le flux continu des marchandises, les vendeurs sont obligés de recourir à ces espaces de stockage.", - "content": "Le géant américain Blackstone s’est lancé dans une course à l’achat d’entrepôts depuis une dizaine d’années. L’explosion de l’e-commerce en est la principale raison : avec le flux continu des marchandises, les vendeurs sont obligés de recourir à ces espaces de stockage.", + "title": "Premier démantèlement d’une usine de cigarettes clandestine en France", + "description": "Les douanes ont mis au jour un hangar situé près de Meaux où se trouvait tout le nécessaire à la fabrication de contrefaçons.", + "content": "Sur cette photo fournie par les douanes françaises, on peut voir les machines outils utilisées par les trafficants et saisies lors du démantèlement de l’usine de fabrication de cigarettes de contrefaçon à Poincy (Seine-et-Marne), le 9 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/economie-le-fonds-dinvestissement-blackstone-plus-grand-proprietaire-dentrepots-au-monde", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/premier-demantelement-d-une-usine-de-cigarettes-clandestine-en-france_6106023_3224.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 15:03:09 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/035_pbu473833_07_0_0.jpg?itok=520GZb4H", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 15:56:39 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "5bed53e1dbb768af33f0210e34c01d50" + "hash": "a465c48cd6ad4828099b803eef446c35" }, { - "title": "Hauts et bas du BOO, le récif de Jeff Bezos et les sceptiques du molnupiravir", - "description": "Les photos et les vidéos sont apparues vers le mois de mai sur les réseaux sociaux, raconte NBC. Elles montraient des gens souriants en train d’avaler des pots de liquide noir, de s’en enduire ou d’y baigner leurs bébés et leurs chiens. Dans l’univers parallèle de Facebook, des groupes forts de dizaines de milliers d’internautes échangeaient sur leurs récents usages miraculeux de BOO, le produit phare du site...", - "content": "Les photos et les vidéos sont apparues vers le mois de mai sur les réseaux sociaux, raconte NBC. Elles montraient des gens souriants en train d’avaler des pots de liquide noir, de s’en enduire ou d’y baigner leurs bébés et leurs chiens. Dans l’univers parallèle de Facebook, des groupes forts de dizaines de milliers d’internautes échangeaient sur leurs récents usages miraculeux de BOO, le produit phare du site...", + "title": "Au Danemark, une entreprise condamnée pour avoir vendu du kérosène utilisé par l’armée russe en Syrie", + "description": "La justice danoise a estimé que l’entreprise et son dirigeant auraient dû être conscients de la probable utilisation de leur carburant en Syrie. Ces derniers ont été condamnés pour violation de l’embargo occidental frappant le pays.", + "content": "Des membres de la Défense civile syrienne, appelés les « casques blancs », à la recherche de victimes après la destruction d’un immeuble par un bombardement sur Alep, en octobre 2016.", "category": "", - "link": "https://www.courrierinternational.com/article/la-lettre-tech-hauts-et-bas-du-boo-le-recif-de-jeff-bezos-et-les-sceptiques-du-molnupiravir", + "link": "https://www.lemonde.fr/police-justice/article/2021/12/14/au-danemark-une-entreprise-condamnee-pour-avoir-vendu-du-kerosene-utilise-par-l-armee-russe-en-syrie_6106022_1653578.html", "creator": "", - "pubDate": "Tue, 07 Dec 2021 11:38:46 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_17.png?itok=fgZu2-aq", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 15:54:50 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c70cf8f2be14aef427cab589bdf00654" + "hash": "01811d990b548f538dc2e0bc4a3a4f30" }, { - "title": "Le patron d’une fintech licencie 900 salariés par Zoom", - "description": "Vishal Garg, PDG de la société américaine de crédit hypothécaire Better.com, a convoqué une réunion pour annoncer une réduction de 9 % des effectifs, apprenant du même coup aux participants leur licenciement avant les fêtes.", - "content": "Vishal Garg, PDG de la société américaine de crédit hypothécaire Better.com, a convoqué une réunion pour annoncer une réduction de 9 % des effectifs, apprenant du même coup aux participants leur licenciement avant les fêtes.", + "title": "Pilule anti-Covid-19 : Pfizer confirme que son nouveau traitement est très efficace", + "description": "La comprimé du laboratoire, qui sera commercialisé sous le nom de Paxlovid, réduit d’environ 89 % les hospitalisations chez les personnes à risque, selon les essais cliniques.", + "content": "Comprimés de Paxlovid, dans l’usine Pfizer d’Ascoli Piceno, en Italie (photo non datée).", "category": "", - "link": "https://www.courrierinternational.com/article/telelicenciement-le-patron-dune-fintech-licencie-900-salaries-par-zoom", + "link": "https://www.lemonde.fr/sciences/article/2021/12/14/covid-19-pfizer-confirme-que-son-nouveau-traitement-est-tres-efficace_6106017_1650684.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 12:40:55 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-12-06_a_12.10.00.png?itok=ZXIrQlKx", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 15:14:52 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0ec811202780493d0f48d59dce3fc82c" + "hash": "5d4e417b624070334f791152b5545c65" }, { - "title": "En Turquie, la monnaie chute et le peuple trinque", - "description": "La forte dépréciation de la livre turque a provoqué une flambée généralisée des prix dont souffrent les classes défavorisées et moyennes, rapporte le site Middle East Eye.", - "content": "La forte dépréciation de la livre turque a provoqué une flambée généralisée des prix dont souffrent les classes défavorisées et moyennes, rapporte le site Middle East Eye.", + "title": "Biélorussie : plusieurs opposants condamnés à des peines allant jusqu’à dix-huit ans de prison", + "description": "Sergueï Tsikhanovski, le mari de l’opposante exilée Svetlana Tsikhanovskaïa, a notamment écopé de la peine la plus lourde.", + "content": "Des Biélorusses manifestent pour demander la libération des prisonniers politiques, dont Sergueï Tsikhanovski (sur la photo), en octobre 2020.", "category": "", - "link": "https://www.courrierinternational.com/article/crise-en-turquie-la-monnaie-chute-et-le-peuple-trinque", + "link": "https://www.lemonde.fr/international/article/2021/12/14/bielorussie-plusieurs-opposants-condamnes-a-des-peines-allant-jusqu-a-dix-huit-ans-de-prison_6106013_3210.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 10:16:31 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-28-ares_w_0.jpg?itok=OUjx4jlT", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 14:51:18 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e656e13d48859b2c897537167348f803" + "hash": "863af6d43ad6b172388e3735bea930ef" }, { - "title": "Trop cher, le fer rouille en Algérie ", - "description": "Chantiers au ralenti, chômage et dépôts de bilan : le BTP algérien est à la peine. En cause, la flambée des prix du fer à béton, essentiel à la structure des bâtiments.", - "content": "Chantiers au ralenti, chômage et dépôts de bilan : le BTP algérien est à la peine. En cause, la flambée des prix du fer à béton, essentiel à la structure des bâtiments.", + "title": "FIFA : l’enquête pénale visant Gianni Infantino reprend en Suisse", + "description": "Deux procureurs extraordinaires doivent être élus, mercredi, par le Parlement suisse. Ils sont censés faire la lumière sur les rencontres secrètes entre le président de la Fédération internationale de football et l’ex-procureur général suisse Michael Lauber.", + "content": "Gianni Infantino à Caracas (Venezuela), le 15 octobre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/construction-trop-cher-le-fer-rouille-en-algerie", + "link": "https://www.lemonde.fr/sport/article/2021/12/14/fifa-l-enquete-penale-visant-gianni-infantino-reprend-en-suisse_6106008_3242.html", "creator": "", - "pubDate": "Mon, 06 Dec 2021 06:04:09 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/otto-web_2.jpg?itok=RLPsU8yH", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 13:33:08 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3f30b3520998922179f628b4d05458f" + "hash": "750214dd1ca22a972e44efd0bc04e000" }, { - "title": "Un projet de production d’hydrogène vert à échelle industrielle en Espagne", - "description": "La compagnie d’électricité espagnole Iberdrola s’associe à la société suédoise H2 Green Steel dans un plan à 2,3 milliards d’euros pour produire de l’hydrogène renouvelable sur le territoire espagnol à l’horizon 2025 ou 2026.", - "content": "La compagnie d’électricité espagnole Iberdrola s’associe à la société suédoise H2 Green Steel dans un plan à 2,3 milliards d’euros pour produire de l’hydrogène renouvelable sur le territoire espagnol à l’horizon 2025 ou 2026.", + "title": "Alexandre Benalla en garde à vue pour des soupçons de corruption autour d’un contrat de sécurité avec un oligarque russe", + "description": "L’ancien conseiller d’Emmanuel Macron et son épouse sont entendus actuellement dans le cadre d’une enquête préliminaire du Parquet national financier.", + "content": "Alexandre Benalla, le 19 septembre 2018.", "category": "", - "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-un-projet-de-production-dhydrogene-vert-echelle-industrielle-en-espagne", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/alexandre-benalla-en-garde-a-vue-pour-des-soupcons-de-corruption-autour-d-un-contrat-de-securite-avec-un-oligarque-russe_6106006_3224.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 21:07:26 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_245.png?itok=o1VTmoFZ", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 13:12:16 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "afbff5136adea0916fb9492d8b7d56e1" + "hash": "89dc916a8aa79613da8626f8c3bb6295" }, { - "title": "Uber paie 9 millions de dollars dans l’affaire des plaintes pour harcèlement sexuel", - "description": "La plateforme de chauffeurs privés avait été condamnée en Californie à payer 59 millions de dollars pour refus de coopérer sur des plaintes pour agressions sexuelles. L’accord réduit l’amende mais oblige Uber à transmettre les données anonymisées.", - "content": "La plateforme de chauffeurs privés avait été condamnée en Californie à payer 59 millions de dollars pour refus de coopérer sur des plaintes pour agressions sexuelles. L’accord réduit l’amende mais oblige Uber à transmettre les données anonymisées.", + "title": "Emmanuel Macron sur TF1 et LCI : les oppositions dénoncent un manque d’équité dans la répartition du temps de parole", + "description": "Valérie Pécresse et Yannick Jadot ont dit vouloir saisir le Conseil supérieur de l’audiovisuel pour contester le décompte du temps de parole du chef de l’Etat, qui n’est pas encore candidat.", + "content": "Lors d’une allocution du président de la République, Emmanuel Macron, à Paris, le 31 mars 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/etats-unis-uber-paie-9-millions-de-dollars-dans-laffaire-des-plaintes-pour-harcelement", + "link": "https://www.lemonde.fr/politique/article/2021/12/14/emmanuel-macron-sur-tf1-et-lci-les-oppositions-denoncent-un-manque-d-equite-dans-la-repartition-du-temps-de-parole_6106005_823448.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 19:36:14 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxk6krx.jpg?itok=fG_qNz7R", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 13:01:39 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4f2bdb893c976dc21ff98bab4f9fed7b" + "hash": "f13e02fb6e336255b35492e07a6bdd5d" }, { - "title": "Les femmes les plus influentes de 2021, selon le “Financial Times”", - "description": "Le quotidien économique et financier britannique a dévoilé sa liste des femmes les plus influentes de l’année 2021. Des “dirigeantes”, des “héroïnes” et des “créatrices”.", - "content": "Le quotidien économique et financier britannique a dévoilé sa liste des femmes les plus influentes de l’année 2021. Des “dirigeantes”, des “héroïnes” et des “créatrices”.", + "title": "Exactions minières et prédations : la méthode de la milice Wagner en Afrique", + "description": "Des documents sécuritaires consultés par « Le Monde » dressent un tableau des activités de la société de mercenaires russe en Centrafrique, au Mozambique et en Libye. Au Mali, l’implantation du groupe est par ailleurs en train de se formaliser sur une zone aurifère.", + "content": "Des mercenaires russes du groupe de sécurité privée Wagner montent la garde lors d’un défilé à Bangui (République centrafricaine), en mai 2019.", "category": "", - "link": "https://www.courrierinternational.com/article/liste-les-femmes-les-plus-influentes-de-2021-selon-le-financial-times", + "link": "https://www.lemonde.fr/afrique/article/2021/12/14/exactions-et-predations-la-methode-de-la-milice-wagner-en-afrique_6105992_3212.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 18:07:37 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_par8092659.jpg?itok=Fclycl3G", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 11:35:52 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f029b7c935d01da3d5670f2c7e54ceba" + "hash": "4d821d1ce9a8a622e6f3d6f65ddd3595" }, { - "title": "Macron dans le Golfe, une tournée au menu économique et diplomatique copieux", - "description": "En visite express dans la péninsule arabique, le président français a signé une vente de Rafale avec les Émirats. Au même moment, au Liban, un ministre qui avait tenu des propos jugés hostiles par l’Arabie Saoudite, où le chef de l’État doit se rendre samedi 4 décembre, quittait ses fonctions.", - "content": "En visite express dans la péninsule arabique, le président français a signé une vente de Rafale avec les Émirats. Au même moment, au Liban, un ministre qui avait tenu des propos jugés hostiles par l’Arabie Saoudite, où le chef de l’État doit se rendre samedi 4 décembre, quittait ses fonctions.", + "title": "La France a recensé près de 1 400 actes antireligieux en 2021", + "description": "Les actes antireligieux ont diminué de plus de 17 % par rapport à la même période en 2019, selon le dernier bilan du ministère de l’intérieur.", + "content": "Le carré musulman du cimetière de Thiais, au sud de Paris.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/visite-macron-dans-le-golfe-une-tournee-au-menu-economique-et-diplomatique-copieux", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/la-france-a-recense-pres-de-1-400-actes-antireligieux-en-2021_6106002_3224.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 16:04:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9tw2tp.jpg?itok=Gcx_TuYy", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 12:45:59 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d07265dcd16316491f84a5c2ec599fba" + "hash": "ef3cada5f709b3100e44bed42c66117e" }, { - "title": "Le train de la chance pour le Laos ?", - "description": "L’inauguration, ce 3 décembre, de la ligne de train traversant le Laos du nord au sud marque le succès d’un chantier financé en partie par la Chine. Entre surendettement et développement du commerce avec ses voisins, les enjeux sont de taille pour le pays enclavé.", - "content": "L’inauguration, ce 3 décembre, de la ligne de train traversant le Laos du nord au sud marque le succès d’un chantier financé en partie par la Chine. Entre surendettement et développement du commerce avec ses voisins, les enjeux sont de taille pour le pays enclavé.", + "title": "SNCF : des syndicats appellent à la grève pour le premier week-end des vacances de Noël", + "description": "Ces appels concernent notamment les TGV Sud-Ouest et Sud-Est, et sont respectivement valables de vendredi à dimanche, et les vendredis, samedis et dimanches des trois week-ends des vacances scolaires.", + "content": "Des voyageurs dans la gare de Lyon, à Paris, lors d’une grève pendant les vacances de fin d’année, le 22 décembre 2019.", "category": "", - "link": "https://www.courrierinternational.com/article/infrastructure-le-train-de-la-chance-pour-le-laos", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/sncf-des-syndicats-appellent-a-la-greve-pour-le-premier-week-end-des-vacances-de-noel_6105996_3234.html", "creator": "", - "pubDate": "Fri, 03 Dec 2021 06:00:24 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-12-01_a_11.51.56.png?itok=SU41xlA4", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 12:11:13 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "86df45861e94f562915e3d71498206eb" + "hash": "cdcb344446fc105537b5a58f491a86eb" }, { - "title": "Susan Arnold, première présidente de Disney", - "description": "Susan Arnold prendra ses fonctions à la fin de l’année à la tête du conseil d’administration du géant du divertissement. Une première depuis la création de Walt Disney, il y a quatre-vingt-dix-huit ans, qui marque aussi la fin d’une époque.", - "content": "Susan Arnold prendra ses fonctions à la fin de l’année à la tête du conseil d’administration du géant du divertissement. Une première depuis la création de Walt Disney, il y a quatre-vingt-dix-huit ans, qui marque aussi la fin d’une époque.", + "title": "L’archevêque de Paris démissionnaire dément toute liaison avec une femme", + "description": "Monseigneur Michel Aupetit, dans un entretien au « Parisien » mardi, se dit « victime d’une cabale ».", + "content": "L’archevêque de Paris, Mgr Michel Aupetit, à Paris, le 15 juin 2019.", "category": "", - "link": "https://www.courrierinternational.com/article/divertissement-susan-arnold-premiere-presidente-de-disney", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/l-archeveque-de-paris-demissionnaire-dement-toute-liaison-avec-une-femme_6105993_3224.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 16:32:44 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_serrano-notitle211125_npfq6.jpg?itok=BHUuFIqo", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 11:44:20 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "cda3c0bdb45cd7a31c2dc109eb3ce781" + "hash": "61acea12b5077c104d128ae4ff75965d" }, { - "title": "Bruxelles veut concurrencer les nouvelles routes de la soie chinoises", - "description": "La Commission européenne a présenté, mercredi 1er décembre, Global Gateway, une stratégie d’investissements de 300 milliards d’euros en faveur des pays en développement. Pour la presse espagnole, nul doute, l’UE cherche à s’affirmer sur la scène géopolitique face à la Chine.", - "content": "La Commission européenne a présenté, mercredi 1er décembre, Global Gateway, une stratégie d’investissements de 300 milliards d’euros en faveur des pays en développement. Pour la presse espagnole, nul doute, l’UE cherche à s’affirmer sur la scène géopolitique face à la Chine.", + "title": "Violences sexuelles dans l’Eglise : les évêques français affirment que le pape soutient leurs décisions après le rapport Sauvé", + "description": "Le président et les vice-présidents de la Conférence des évêques de France ont été reçus par le pape François, lundi 13 décembre, notamment pour évoquer les suites de l’enquête de la Commission indépendante sur les abus sexuels dans l’Eglise.", + "content": "Le pape François, en audience avec le président et les vice-présidents de la Conférence des évêques de France, au Vatican, le 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/vu-despagne-bruxelles-veut-concurrencer-les-nouvelles-routes-de-la-soie-chinoises", + "link": "https://www.lemonde.fr/societe/article/2021/12/14/violences-sexuelles-dans-l-eglise-les-eveques-francais-affirment-que-le-pape-soutient-leurs-decisions-apres-le-rapport-sauve_6105935_3224.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:57:48 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxkwpuo.jpg?itok=o7UUsUvN", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 03:39:27 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3c6e73b4ea10ba3989b99ac941c02ed1" + "hash": "6aa331f1186f0bc1006e3e284c961a0b" }, { - "title": "Les Américains, champions du monde des déchets plastiques", - "description": "Chaque Américain jette, en moyenne, 130 kilos de plastique par an. Selon un rapport commandé par le Congrès, le pays est le premier producteur mondial de déchets plastiques.", - "content": "Chaque Américain jette, en moyenne, 130 kilos de plastique par an. Selon un rapport commandé par le Congrès, le pays est le premier producteur mondial de déchets plastiques.", + "title": "En Afghanistan, l’ONU accuse les talibans d’exécutions extrajudiciaires", + "description": "L’Organisation des Nations unies dénonce plus de cent exécutions d’anciens membres des forces de sécurité afghanes et de personnes associées à l’ancien gouvernement, renversé à la mi-août.", + "content": "Des soldats talibans patrouillent à Kaboul, le 19 août 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-les-americains-champions-du-monde-des-dechets-plastiques", + "link": "https://www.lemonde.fr/international/article/2021/12/14/en-afghanistan-l-onu-accuse-les-talibans-d-executions-extrajudiciaires_6105987_3210.html", "creator": "", - "pubDate": "Thu, 02 Dec 2021 15:01:08 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_6_24.png?itok=9xuXw6o5", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 11:13:48 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d256c4310dc24e6003e3a81d5cf9b912" + "hash": "707c7dffdce61b730173af5f93f04558" }, { - "title": "Le variant Omicron menace la reprise économique mondiale, selon l’OCDE", - "description": "Dans son rapport semestriel présenté mercredi, l’organisation internationale révise à la hausse ses prévisions pour l’inflation en 2022, qui s’établirait à 4,4 % dans les pays développés, mais ne touche pas aux perspectives de croissance mondiale.", - "content": "Dans son rapport semestriel présenté mercredi, l’organisation internationale révise à la hausse ses prévisions pour l’inflation en 2022, qui s’établirait à 4,4 % dans les pays développés, mais ne touche pas aux perspectives de croissance mondiale.", + "title": "Politique industrielle : la Cour des comptes critique l’empilement des dispositifs", + "description": "L’efficacité des mesures de politique industrielle engagées depuis dix ans demeure difficile à évaluer, malgré la mobilisation de sommes d’argent public considérables.", + "content": "Emmanuel Macron, sur le chantier de construction de l’autoroute A79 près de Moulins, le 8 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/croissance-le-variant-omicron-menace-la-reprise-economique-mondiale-selon-locde", + "link": "https://www.lemonde.fr/politique/article/2021/12/14/politique-industrielle-la-cour-des-comptes-critique-l-empilement-des-dispositifs_6105974_823448.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 17:33:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1346534514.jpg?itok=KBrffgmM", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 10:43:40 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "8640d2fcd3bbf285e3b38fd2d60dd983" + "hash": "eea83a9052f2bb1a22bdea3f4df45b0b" }, { - "title": "Encore une année record pour les énergies renouvelables", - "description": "Quelque 290 gigawatts de capacités nouvelles auront été installés en 2021, affirme l’Agence internationale de l’énergie. L’éolien et le solaire devraient fournir 95 % de la croissance de la production mondiale d’électricité d’ici à la fin 2026.", - "content": "Quelque 290 gigawatts de capacités nouvelles auront été installés en 2021, affirme l’Agence internationale de l’énergie. L’éolien et le solaire devraient fournir 95 % de la croissance de la production mondiale d’électricité d’ici à la fin 2026.", + "title": "« Le Monde » organise son salon des masters le 29 janvier 2022 à Paris", + "description": "Cet événement dédié aux formations de niveau master rassemblera des grandes écoles et des universités, qui présenteront leurs programmes et répondront aux questions des visiteurs. Des conférences seront également organisées.", + "content": "Cet événement dédié aux formations de niveau master rassemblera des grandes écoles et des universités, qui présenteront leurs programmes et répondront aux questions des visiteurs. Des conférences seront également organisées.", "category": "", - "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-encore-une-annee-record-pour-les-energies-renouvelables", + "link": "https://www.lemonde.fr/campus/article/2021/12/14/le-monde-organise-son-salon-des-masters-le-29-janvier-2022-a-paris_6105972_4401467.html", "creator": "", - "pubDate": "Wed, 01 Dec 2021 12:28:39 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_241.png?itok=ndSNcHgF", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 10:40:46 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "435681cf5c9758f7b56d39091bf1778a" + "hash": "9f3be22e55060d45c7d63f75f74b78ff" }, { - "title": "L’inflation dans la zone euro s’emballe à 4,9 %", - "description": "La hausse des prix dans la zone euro, portée par la crise de l’énergie, a atteint en novembre son niveau le plus élevé depuis l’introduction de la monnaie unique. Mais selon la Banque centrale européenne, cette flambée devrait s’atténuer dès le mois prochain.", - "content": "La hausse des prix dans la zone euro, portée par la crise de l’énergie, a atteint en novembre son niveau le plus élevé depuis l’introduction de la monnaie unique. Mais selon la Banque centrale européenne, cette flambée devrait s’atténuer dès le mois prochain.", + "title": "Le variant Omicron se propage à un rythme inédit, juge l’OMS", + "description": "On dénombre « un peu plus de 130 cas du variant Omicron » en France, a déclaré le porte-parole du gouvernement, Gabriel Attal, mardi.", + "content": "Un test Covid-19 à Providence (Etats-Unis), le 7 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/conjoncture-linflation-dans-la-zone-euro-semballe-49", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/variant-omicron-il-faut-se-preparer-selon-castex-sans-nouvelles-mesures-a-ce-stade_6105966_3244.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 16:27:30 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_dpa-pa_210929-99-410128_dpai.jpg?itok=6Kj7cfXX", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 10:05:50 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c7935f65e45229157b83d3039ede9e0e" + "hash": "7386c1adf108a58e37009c6cfec7d6b3" }, { - "title": "Lego offre trois jours de congé à ses salariés après une année “extraordinaire”", - "description": "L’entreprise danoise, qui affiche des bénéfices en hausse de 140 % au premier semestre, remercie ses 20 400 employés dans le monde avec une prime et des vacances supplémentaires.", - "content": "L’entreprise danoise, qui affiche des bénéfices en hausse de 140 % au premier semestre, remercie ses 20 400 employés dans le monde avec une prime et des vacances supplémentaires.", + "title": "Covid : redoubler de prudence à l’approche des fêtes, le remède amer du conseil scientifique", + "description": "Pour endiguer la vague Delta et la menace Omicron, le conseil scientifique plaide pour un renforcement des mesures de contrôle, doublé d’une accélération des rappels.", + "content": "Des affiches rappelant les passants à respecter les gestes barrières, sur le marché de Noël de Strasbourg, le 26 novembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/social-lego-offre-trois-jours-de-conge-ses-salaries-apres-une-annee-extraordinaire", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/redoubler-de-prudence-a-l-approche-des-fetes-le-remede-amer-du-conseil-scientifique_6105964_3244.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 14:34:04 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1311193228.jpg?itok=tn64aP90", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 10:05:13 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "087850ec674c4c3da8c48b1c47d9fc65" + "hash": "678e172c735a8bc39e89639beae10ee0" }, { - "title": "L’ami Covid, la guerre froide chez McDo et les narcos high-tech", - "description": "Comme toute la planète, les États-Unis se préparent avec inquiétude à l’arrivée du variant Omicron, découvert en Afrique du Sud. Mais le New York Times Magazine a tout de même décidé de consacrer cette semaine sa une aux conséquences positives de deux ans de pandémie de Covid-19. Depuis janvier 2020, le gouvernement a injecté plus de 4 000 milliards de dollars de fonds publics dans l’économie, l’équivalent du budget annuel du pays, destinés autant à la survie du citoyen lambda qu’à...", - "content": "Comme toute la planète, les États-Unis se préparent avec inquiétude à l’arrivée du variant Omicron, découvert en Afrique du Sud. Mais le New York Times Magazine a tout de même décidé de consacrer cette semaine sa une aux conséquences positives de deux ans de pandémie de Covid-19. Depuis janvier 2020, le gouvernement a injecté plus de 4 000 milliards de dollars de fonds publics dans l’économie, l’équivalent du budget annuel du pays, destinés autant à la survie du citoyen lambda qu’à...", + "title": "Le record de température de 38 °C enregistré en juin 2020 dans l’Arctique a été validé par l’ONU", + "description": "La ville de Verkhoïansk se situe au-delà du cercle polaire, en Sibérie, et a connu une température record à l’été 2020.", + "content": "Verkhoïansk se trouve à environ 115 kilomètres au nord du cercle polaire et les températures y sont mesurées depuis 1885.", "category": "", - "link": "https://www.courrierinternational.com/article/la-lettre-tech-lami-covid-la-guerre-froide-chez-mcdo-et-les-narcos-high-tech", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/le-record-de-temperature-de-38-c-enregistre-en-juin-2020-dans-l-arctique-a-ete-valide-par-l-onu_6105962_3244.html", "creator": "", - "pubDate": "Tue, 30 Nov 2021 09:05:35 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_16.png?itok=jpLm1rCo", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 09:26:44 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "93002caafde43f0e0c68f6e50b6d4170" + "hash": "cfb04cf0daef98f9c3afa268ee85162a" }, { - "title": "Espagne : à Cadix, la “dernière génération” d’ouvriers de la métallurgie ?", - "description": "La jeunesse de Cadix est inquiète pour son avenir. Dans cette région de l’Andalousie, marquée par un taux de chômage parmi les plus élevés du pays, la nouvelle génération du secteur de la métallurgie craint le pire.", - "content": "La jeunesse de Cadix est inquiète pour son avenir. Dans cette région de l’Andalousie, marquée par un taux de chômage parmi les plus élevés du pays, la nouvelle génération du secteur de la métallurgie craint le pire.", + "title": "Les opérateurs télécoms tentés d’augmenter le prix des forfaits fixes et mobiles", + "description": "Alors que les revenus du secteur stagnent depuis de nombreuses années, les opérateurs veulent répercuter la hausse de leurs charges sur les forfaits.", + "content": "Une boutique Orange, à Bordeaux (Gironde), le 23 février 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/video-espagne-cadix-la-derniere-generation-douvriers-de-la-metallurgie", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/les-operateurs-telecoms-tentes-d-augmenter-le-prix-des-forfaits-fixes-et-mobiles_6105961_3234.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 18:07:43 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-29_a_15.18.06.png?itok=alchZv2T", - "enclosureType": "image/png", + "pubDate": "Tue, 14 Dec 2021 09:00:10 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e85638535f5ce4f61be05817c9c19ee9" + "hash": "a94ea052bb5bba3a180cf1f4401384f8" }, { - "title": "La France a-t-elle raison de déréférencer Wish ?", - "description": "La France a frappé fort en décidant d’interdire aux moteurs de recherche de référencer le site de vente en ligne Wish. Mais c’est peut-être un acte avant tout symbolique, estime ce quotidien de Genève.", - "content": "La France a frappé fort en décidant d’interdire aux moteurs de recherche de référencer le site de vente en ligne Wish. Mais c’est peut-être un acte avant tout symbolique, estime ce quotidien de Genève.", + "title": "Covid-19 : l’Anses préconise d’éviter les masques FFP2 au graphène, par précaution", + "description": "L’agence de sécurité sanitaire a estimé que les données faisaient défaut quant à la toxicité de ce matériau synthétique utilisé dans la fabrication de certains masques FFP2.", + "content": "En avril, le Canada avait été le premier pays à mettre en évidence les risques potentiels des masques FFP2 (ou KN95, l’équivalent nord-américain) contenant du graphène.", "category": "", - "link": "https://www.courrierinternational.com/article/vu-de-suisse-la-france-t-elle-raison-de-dereferencer-wish", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/covid-19-l-anses-preconise-d-eviter-les-masques-ffp2-au-graphene-par-precaution_6105958_3244.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 12:30:23 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_porzycki-shopifya210826_nplzo.jpg?itok=N3EOfkbJ", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 08:30:40 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c319fdf3696c008e7f389153117062c4" + "hash": "c7af053d412ff766c46039897f34837d" }, { - "title": "Tout le monde paie cher ses courses", - "description": "L’indice mondial du prix des denrées alimentaires grimpe en flèche, dépassant les pics de 2008 et 2011. La note n’est cependant pas aussi salée au Nord qu’au Sud, note le Financial Times.", - "content": "L’indice mondial du prix des denrées alimentaires grimpe en flèche, dépassant les pics de 2008 et 2011. La note n’est cependant pas aussi salée au Nord qu’au Sud, note le Financial Times.", + "title": "UFC-Que choisir demande la réforme de l’indice de réparabilité", + "description": "Défauts d’affichage sur les sites de vente en ligne, mode de calcul inefficace… L’association de consommateurs pointe les manquements de l’outil mis en place en janvier 2021 pour encourager l’achat de produits réparables et lutter contre le gaspillage.", + "content": "Les smartphones font partie des cinq types d’équipements choisis par les pouvoirs publics comme produits pilotes de l’indice de réparabilité.", "category": "", - "link": "https://www.courrierinternational.com/article/consommation-tout-le-monde-paie-cher-ses-courses", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/ufc-que-choisir-demande-la-reforme-de-l-indice-de-reparabilite_6105954_3234.html", "creator": "", - "pubDate": "Mon, 29 Nov 2021 05:52:35 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/kazanevsky_1.jpg?itok=GJsJv9Nm", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 06:37:24 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "822ee5101ed6028dd3ad54dc9c1cb525" + "hash": "51847955ca4cbdad4c489ba69a97e96f" }, { - "title": "Voyage dans l’enfer de la bureaucratie post-Brexit", - "description": "L’accord sur le Brexit a compliqué les relations commerciales entre l’Union européenne et le Royaume-Uni, selon la Neue Zürcher Zeitung​. Même l’importation de vin, pourtant exemptée de droits de douane, s’est considérablement complexifiée.", - "content": "L’accord sur le Brexit a compliqué les relations commerciales entre l’Union européenne et le Royaume-Uni, selon la Neue Zürcher Zeitung​. Même l’importation de vin, pourtant exemptée de droits de douane, s’est considérablement complexifiée.", + "title": "Covid-19 : avec 90 % de la population éligible ayant reçu au moins une dose, la France a-t-elle atteint son plafond vaccinal ?", + "description": "Le rythme des primo-injections stagne à son plus bas niveau depuis presque un an et les marges de manœuvre pour convaincre les 6 millions d’adultes non vaccinés apparaissent désormais limitées.", + "content": "Le rythme des primo-injections stagne à son plus bas niveau depuis presque un an et les marges de manœuvre pour convaincre les 6 millions d’adultes non vaccinés apparaissent désormais limitées.", "category": "", - "link": "https://www.courrierinternational.com/article/economie-voyage-dans-lenfer-de-la-bureaucratie-post-brexit", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/covid-19-avec-90-de-la-population-eligible-ayant-recu-au-moins-une-dose-la-france-a-t-elle-atteint-son-plafond-vaccinal_6105943_3244.html", "creator": "", - "pubDate": "Sun, 28 Nov 2021 10:36:26 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/tom_2016-11-03-5399-w.jpg?itok=15IPa2ta", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 05:41:49 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3344baee4dd638539bfa49cf0c275143" + "hash": "c7ed5d41423090a338ed36b436826036" }, { - "title": "Une journée avec un “cow-boy” indonésien collecteur de dettes", - "description": "Un journaliste indonésien a suivi pendant une journée un collecteur de dettes qui arpente les rues de Jakarta à moto. Depuis le début de la pandémie, les prêts en ligne légaux et illégaux se multiplient. Des milliers d’Indonésiens seraient concernés.", - "content": "Un journaliste indonésien a suivi pendant une journée un collecteur de dettes qui arpente les rues de Jakarta à moto. Depuis le début de la pandémie, les prêts en ligne légaux et illégaux se multiplient. Des milliers d’Indonésiens seraient concernés.", + "title": "Assaut du Capitole : l’ancien chef de cabinet de Donald Trump pourrait être poursuivi pénalement", + "description": "Mark Meadows est accusé d’entraver l’enquête du Congrès sur l’attaque survenue le 6 janvier à Washington par des partisans de l’ancien président américain.", + "content": "Mark Meadows (à gauche) aux côtés de Donald Trump, à la Maison Blanche, à Washington, le 21 octobre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/societe-une-journee-avec-un-cow-boy-indonesien-collecteur-de-dettes", + "link": "https://www.lemonde.fr/international/article/2021/12/14/assaut-du-capitole-l-ancien-chef-du-cabinet-de-donald-trump-pourrait-etre-poursuivi-penalement_6105934_3210.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 13:51:14 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/clone-martirena_2016-04-08-1419.jpg?itok=xLkT2g7B", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 03:25:50 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "85b9769642a525b342f829a7498e240f" + "hash": "e0e49352faeed09807e83fbf7fdd2d57" }, { - "title": "Costa Rica : les zones d’ombres du “paradis” d’Amérique centrale", - "description": "Le pays, de loin le plus stable et démocratique de la région, est désormais de plus en plus fracturé par les inégalités, la crise économique et les coupes budgétaires. Il reste cependant un exemple pour la zone. Un reportage du site nicaraguayen Divergentes.", - "content": "Le pays, de loin le plus stable et démocratique de la région, est désormais de plus en plus fracturé par les inégalités, la crise économique et les coupes budgétaires. Il reste cependant un exemple pour la zone. Un reportage du site nicaraguayen Divergentes.", + "title": "Le groupe France Loisirs trouve un repreneur, mais va perdre 90 % de ses employés", + "description": "Seuls 47 postes seront préservés par Financière Trésor du patrimoine sur les 516 que comptait le club de livres en France. Quatorze boutiques seront conservées sur les 122 actuelles.", + "content": "Une librairie France Loisirs, à Paris, en novembre 2020.", "category": "", - "link": "https://www.courrierinternational.com/article/revers-costa-rica-les-zones-dombres-du-paradis-damerique-centrale", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/le-groupe-france-loisirs-trouve-un-repreneur-mais-va-perdre-plus-de-600-emplois_6105932_3234.html", "creator": "", - "pubDate": "Sat, 27 Nov 2021 06:04:50 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-39-kazanevsky_0.jpg?itok=YsiKyB2z", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 02:52:59 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "477794094b2c5c73e8c45f83a7c57910" + "hash": "ce049a21dc904789d7304e229fc939d3" }, { - "title": "Un Black Friday de manifestations contre Amazon", - "description": "Des salariés du géant du commerce en ligne, à l’appel du mouvement international Make Amazon Pay, ont choisi cette journée au chiffre d’affaires exceptionnel pour protester contre leurs conditions de travail. Des entrepôts ont aussi été bloqués par Extinction Rebellion au Royaume-Uni, en Allemagne et aux Pays-Bas.", - "content": "Des salariés du géant du commerce en ligne, à l’appel du mouvement international Make Amazon Pay, ont choisi cette journée au chiffre d’affaires exceptionnel pour protester contre leurs conditions de travail. Des entrepôts ont aussi été bloqués par Extinction Rebellion au Royaume-Uni, en Allemagne et aux Pays-Bas.", + "title": "Alerte sur les substances toxiques disséminées par les plastiques", + "description": "Deux études internationales relèvent la présence d’additifs dangereux pour la santé et l’environnement dans les granulés servant de base à la production du plastique, jusqu’à son recyclage.", + "content": "Des bouchons de bouteilles en plastique dans la cour d’une usine de recyclage de déchets de MP Industries à Gardanne, près de Marseille, le 23 novembre 2018.", "category": "", - "link": "https://www.courrierinternational.com/article/social-un-black-friday-de-manifestations-contre-amazon", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/alerte-sur-les-substances-toxiques-disseminees-par-les-plastiques_6105930_3244.html", "creator": "", - "pubDate": "Fri, 26 Nov 2021 19:57:27 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9tf8nk.jpg?itok=dOXTEsou", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 02:00:07 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0025b20e0cd71982b819eda351e6fe5e" + "hash": "70afeeb2df07e04389184e2c28285040" }, { - "title": "L’Europe et l’Asie se barricadent face au nouveau variant d’Afrique du Sud", - "description": "Après le Royaume-Uni le 25 novembre au soir, de plus en plus de pays décident d’interdire les vols en provenance d’Afrique australe, où une nouvelle souche potentiellement plus contagieuse du Covid-19 a été détectée. L’OMS appelle pourtant à ne pas aller trop vite.", - "content": "Après le Royaume-Uni le 25 novembre au soir, de plus en plus de pays décident d’interdire les vols en provenance d’Afrique australe, où une nouvelle souche potentiellement plus contagieuse du Covid-19 a été détectée. L’OMS appelle pourtant à ne pas aller trop vite.", + "title": "A Vienne, les négociations sur le nucléaire iranien restent au point mort", + "description": "L’Iran a fait des propositions qui sont « incompatibles » avec l’accord de Vienne, ont déclaré les trois pays européens, dont la France, impliqués dans les discussions entamées en Autriche depuis le 29 novembre.", + "content": "L’Iran a fait des propositions qui sont « incompatibles » avec l’accord de Vienne, ont déclaré les trois pays européens, dont la France, impliqués dans les discussions entamées en Autriche depuis le 29 novembre.", "category": "", - "link": "https://www.courrierinternational.com/article/contagion-leurope-et-lasie-se-barricadent-face-au-nouveau-variant-dafrique-du-sud", + "link": "https://www.lemonde.fr/international/article/2021/12/14/a-vienne-les-negociations-sur-le-nucleaire-iranien-restent-au-point-mort_6105929_3210.html", "creator": "", - "pubDate": "Fri, 26 Nov 2021 17:02:52 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxkm36h.jpg?itok=fvGjOQlS", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 01:59:35 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b9129c7300d6c77faa193660997b59f2" + "hash": "08af2e5aec5dcca5e6ae5de95d3a4e84" }, { - "title": "Des cochons patrouillent pour protéger le principal aéroport des Pays-Bas", - "description": "Pour lutter contre la présence d’oiseaux autour de l’aéroport international de Schiphol, aux Pays-Bas, les autorités ont décidé de déployer une armée de… cochons. Le projet doit notamment permettre d’éviter des accidents.\n ", - "content": "Pour lutter contre la présence d’oiseaux autour de l’aéroport international de Schiphol, aux Pays-Bas, les autorités ont décidé de déployer une armée de… cochons. Le projet doit notamment permettre d’éviter des accidents.\n ", + "title": "Mondial féminin de handball : en battant la Russie, la France hérite de la Suède en quarts de finale", + "description": "Les championnes olympiques ont étouffé, lundi, l’équipe russe (33-28) grâce à une Allison Pineau des grands soirs. Elles retrouveront l’équipe scandinave qu’elles avaient éliminée en demi-finales aux derniers JO.", + "content": "La joueuse française Coralie Lassource en action entre deux adversaires russes, le 13 décembre 2021, à Granollers (Espagne).", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/securite-des-cochons-patrouillent-pour-proteger-le-principal-aeroport-des-pays-bas", + "link": "https://www.lemonde.fr/sport/article/2021/12/13/mondial-feminin-de-handball-en-battant-la-russie-la-france-herite-de-la-suede-en-quart-de-finale_6105925_3242.html", "creator": "", - "pubDate": "Fri, 26 Nov 2021 11:58:03 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-26_a_11.54.53.png?itok=GlyJdUW6", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 23:52:16 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "95d2e549b878039ad3bd75f67435b0b0" + "hash": "c8eb7953ba148b04c6f934d9e25e5942" }, { - "title": "Le chantier de la gare de Stuttgart entaché de soupçons de pots-de-vin", - "description": "La Deutsche Bahn est accusée par deux lanceurs d’alerte d’avoir ignoré leurs signalements répétés de fraudes et de détournements de fonds dans le projet d’infrastructures le plus coûteux d’Allemagne, la gare souterraine de Stuttgart.", - "content": "La Deutsche Bahn est accusée par deux lanceurs d’alerte d’avoir ignoré leurs signalements répétés de fraudes et de détournements de fonds dans le projet d’infrastructures le plus coûteux d’Allemagne, la gare souterraine de Stuttgart.", + "title": "Les militaires américains responsables de la frappe de drone à Kaboul ne seront pas poursuivis", + "description": "Cette frappe, qui avait tué dix civils afghans, avait été menée la veille du retrait américain d’Afghanistan, intervenu le 30 août, après vingt ans de présence dans le pays.", + "content": "Des chaussures partiellement brûlées dans les décombres de la maison endommagée le 29 août par une frappe de drone de l’armée américaine, à Kaboul.", "category": "", - "link": "https://www.courrierinternational.com/article/grands-travaux-le-chantier-de-la-gare-de-stuttgart-entache-de-soupcons-de-pots-de-vin", + "link": "https://www.lemonde.fr/international/article/2021/12/13/les-militaires-americains-responsables-de-la-frappe-de-drone-a-kaboul-ne-seront-pas-poursuivis_6105923_3210.html", "creator": "", - "pubDate": "Thu, 25 Nov 2021 15:42:10 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9kv7dz.jpg?itok=ZMie9Jrf", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 23:09:28 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "b1c21bf012620f6c211e47c035c311cb" + "hash": "067d722b6d400703b0b2974ee09932f1" }, { - "title": "Biden puise dans les réserves stratégiques pour lutter contre la crise de l’énergie", - "description": "Les États-Unis ont convaincu la Chine, l’Inde, le Royaume-Uni, le Japon et la Corée du Sud de libérer une partie de leurs réserves nationales de pétrole afin de faire baisser les prix du baril. Un effet d’annonce qui risque de faire flop.", - "content": "Les États-Unis ont convaincu la Chine, l’Inde, le Royaume-Uni, le Japon et la Corée du Sud de libérer une partie de leurs réserves nationales de pétrole afin de faire baisser les prix du baril. Un effet d’annonce qui risque de faire flop.", + "title": "Pays-Bas : accord de coalition pour former un gouvernement au terme de neuf mois de discussions", + "description": "Le pacte gouvernemental devrait être présenté mercredi et Mark Rutte formera ensuite son nouveau gouvernement, qui entrera en fonctions au début de 2022.", + "content": "Bien que le VVD ait remporté les élections législatives, Mark Rutte a besoin du soutien du D66, des chrétiens-démocrates de la CDA et de l’Union chrétienne pour obtenir la majorité au Parlement.", "category": "", - "link": "https://www.courrierinternational.com/article/petrole-biden-puise-dans-les-reserves-strategiques-pour-lutter-contre-la-crise-de-lenergie", + "link": "https://www.lemonde.fr/international/article/2021/12/13/pays-bas-accord-de-coalition-pour-former-un-gouvernement-au-terme-de-neuf-mois-de-discussions_6105922_3210.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 18:01:29 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/063_1355172566.jpg?itok=oQinPrU9", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 22:57:14 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fe7c25a4b87267ec51814459d6139fff" + "hash": "b85d0c9e6f0da8a398b41dc101fb1e6b" }, { - "title": "La marque Tolkien met fin à l’aventure de la cryptomonnaie JRR Token", - "description": "Une nouvelle monnaie numérique avait fait parler d’elle en abusant des clins d’œil à l’univers du Seigneur des anneaux. Elle jouait notamment sur la proximité du mot “token” (“jeton”) avec le nom “Tolkien”. Les ayants droit du célèbre écrivain ont obtenu sa suppression.", - "content": "Une nouvelle monnaie numérique avait fait parler d’elle en abusant des clins d’œil à l’univers du Seigneur des anneaux. Elle jouait notamment sur la proximité du mot “token” (“jeton”) avec le nom “Tolkien”. Les ayants droit du célèbre écrivain ont obtenu sa suppression.", + "title": "Tunisie : le président prolonge le gel du Parlement, annonce un référendum et des législatives", + "description": "Une réforme de la Constitution sera élaborée à la suite d’une consultation en ligne, puis seront organisés un référendum en juillet et des élections législatives en décembre.", + "content": "« Les réformes constitutionnelles et autres seront soumis à référendum le 25 juillet 2022, jour anniversaire de la proclamation de la République », a déclaré le président tunisien, Kaïs Saïed, lundi 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/epilogue-la-marque-tolkien-met-fin-laventure-de-la-cryptomonnaie-jrr-token", + "link": "https://www.lemonde.fr/afrique/article/2021/12/13/tunisie-le-president-prolonge-le-gel-du-parlement-annonce-un-referendum-et-des-legislatives_6105921_3212.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 15:27:03 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_porzycki-cryptocu210928_npcwk_0.jpg?itok=NdbLcLf9", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 22:14:22 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2adeb0f8fe77aae792b44e1ddea30bb8" + "hash": "6e896c53481cba2069459e073e05e52f" }, { - "title": "En Hongrie, la monnaie nationale plombée par l’inflation et la pandémie", - "description": "Le forint enregistre une perte de valeur record. Plus largement, relève le journal Népszava, “l’économie hongroise est malade”.", - "content": "Le forint enregistre une perte de valeur record. Plus largement, relève le journal Népszava, “l’économie hongroise est malade”.", + "title": "Agressions sexuelles : les victimes de Larry Nassar concluent un accord d’indemnisation avec les autorités sportives américaines", + "description": "Les centaines de victimes recevront 380 millions de dollars. Condamné en 2017 et 2018, l’ancien médecin de l’équipe féminine américaine de gymnastique purge une peine de prison à vie.", + "content": "Le docteur Larry Nassar lors de l’audience au cours de laquelle la durée de sa peine d’emprisonnement a été fixée, à Lansing, dans le Michigan, le 16 janvier 2018.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/economie-en-hongrie-la-monnaie-nationale-plombee-par-linflation-et-la-pandemie", + "link": "https://www.lemonde.fr/sport/article/2021/12/13/agressions-sexuelles-les-victimes-de-larry-nassar-concluent-un-accord-d-indemnisation-avec-les-autorites-sportives-americaines_6105919_3242.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 15:06:37 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtx2ea23.jpg?itok=-2yprspa", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 21:52:47 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "985f46ac8998870f06444bedc6c9fa16" + "hash": "5e8d75f2c8f3da79961da94f43232e71" }, { - "title": "La folie des grandeurs agricoles du président Joko Widodo", - "description": "Pour anticiper une crise alimentaire majeure annoncée par les Nations unies, le gouvernement indonésien a lancé en 2020 un programme de gigantesques domaines agricoles à Kalimantan et Sumatra. Il est plus que jamais dénoncé par les organisations environnementales, souligne Koran Tempo.\n \n \n\n   ", - "content": "Pour anticiper une crise alimentaire majeure annoncée par les Nations unies, le gouvernement indonésien a lancé en 2020 un programme de gigantesques domaines agricoles à Kalimantan et Sumatra. Il est plus que jamais dénoncé par les organisations environnementales, souligne Koran Tempo.\n \n \n\n   ", + "title": "Airbnb annonce avoir reversé 93 millions d’euros de taxe de séjour aux communes françaises", + "description": "La plate-forme ne publie pas le nombre de logements proposés dans l’Hexagone ni ce que les locations ont rapporté aux hôtes.", + "content": "Au niveau fiscal, Airbnb France a payé 204 662 euros d’impôt sur les sociétés au titre de 2020, contre 193 398 euros pour 2019.", "category": "", - "link": "https://www.courrierinternational.com/article/indonesie-la-folie-des-grandeurs-agricoles-du-president-joko-widodo", + "link": "https://www.lemonde.fr/economie/article/2021/12/13/airbnb-annonce-avoir-verse-93-millions-d-euros-de-taxe-de-sejour-reverses-aux-communes-francaises_6105914_3234.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 14:35:54 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-24_a_13.46.39.png?itok=93M5-WpW", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 20:16:21 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "137d54d5c27b7917280677ca71a73277" + "hash": "6d9af88055193ae7cfa59cef4181d009" }, { - "title": "Apple poursuit le concepteur israélien du logiciel espion Pegasus", - "description": "La marque à la pomme voudrait interdire d’accès à ses iPhones le programme de surveillance de NSO, qu’elle accuse de “violation flagrante de la loi”.", - "content": "La marque à la pomme voudrait interdire d’accès à ses iPhones le programme de surveillance de NSO, qu’elle accuse de “violation flagrante de la loi”.", + "title": "Veronica Forqué, l’actrice espagnole qui a tenu le rôle de Kika pour Pedro Almodovar, est morte", + "description": "L’actrice de 66 ans, l’une des plus populaires du cinéma espagnol des années 1980 et 1990, avait joué dans plusieurs films d’Almodovar.", + "content": "Veronica Forqué adresse un baiser à la foule, qu’elle va poser sur le tapis rouge de la 35e cérémonie des Goya, à Malaga, le 6 mars 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/surveillance-apple-poursuit-le-concepteur-israelien-du-logiciel-espion-pegasus", + "link": "https://www.lemonde.fr/disparitions/article/2021/12/13/mort-de-l-actrice-espagnole-veronica-forque-qui-a-tenu-le-role-de-kika-pour-pedro-almodovar_6105912_3382.html", "creator": "", - "pubDate": "Wed, 24 Nov 2021 14:23:48 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxjgjwq.jpg?itok=cPB_RVST", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 19:57:07 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9194246260072321ca97d03199b6f98b" + "hash": "58e97da13b9c8e735af0d2aa98cd149c" }, { - "title": "Comment les ouvriers vietnamiens ont sauvé la production d’Apple et de Samsung", - "description": "Le Covid-19 a fortement perturbé l’activité des sous-traitants électroniques implantés au Vietnam. Grâce à l’installation de campements au sein même des complexes industriels, les ouvriers vietnamiens ont maintenu le rythme de production au prix de leur santé, raconte Rest of World.", - "content": "Le Covid-19 a fortement perturbé l’activité des sous-traitants électroniques implantés au Vietnam. Grâce à l’installation de campements au sein même des complexes industriels, les ouvriers vietnamiens ont maintenu le rythme de production au prix de leur santé, raconte Rest of World.", + "title": "Elon Musk désigné personnalité de l’année par le magazine « Time »", + "description": "Tesla est devenu le constructeur automobile le mieux valorisé du monde et SpaceX a envoyé une fusée à la frontière de l’espace avec un équipage entièrement civil.", + "content": "Le PDG de Tesla, Elon Musk, sur le site de construction de la Gigafactory de Tesla à Gruenheide près de Berlin, en Allemagne, le 13 août 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/exploitation-comment-les-ouvriers-vietnamiens-ont-sauve-la-production-dapple-et-de-samsung", + "link": "https://www.lemonde.fr/actualite-medias/article/2021/12/13/elon-musk-designe-personnalite-de-l-annee-par-le-magazine-time_6105910_3236.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 16:51:59 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtss0e3.jpg?itok=oWenNerE", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 19:25:53 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a146aa80bc4f4ab7232b5a0a97b72420" + "hash": "1965c47ee12c19533e15342a2fda9ef4" }, { - "title": "Samsung investit 17 milliards de dollars dans une usine de puces au Texas", - "description": "Le numéro deux mondial des semi-conducteurs installera ses nouvelles lignes de production à Austin. Il répond ainsi à la pression de l’administration Biden pour relocaliser la fabrication des composants électroniques, dont la pénurie pénalise l’économie mondiale.", - "content": "Le numéro deux mondial des semi-conducteurs installera ses nouvelles lignes de production à Austin. Il répond ainsi à la pression de l’administration Biden pour relocaliser la fabrication des composants électroniques, dont la pénurie pénalise l’économie mondiale.", + "title": "Cinq sites pornographiques sommés par le CSA d’empêcher l’accès des mineurs à leurs contenus", + "description": "Pornhub, Tukif, XHamster, XVideos et XNXX s’exposent à un blocage total en France s’ils ne respectent pas cette obligation dans les quinze jours.", + "content": "LAS VEGAS, NV - JANUARY 24: A Pornhub logo is displayed at the company's booth at the 2018 AVN Adult Entertainment Expo at the Hard Rock Hotel & Casino on January 24, 2018 in Las Vegas, Nevada. Ethan Miller/Getty Images/AFP (Photo by Ethan Miller / GETTY IMAGES NORTH AMERICA / Getty Images via AFP)", "category": "", - "link": "https://www.courrierinternational.com/article/electronique-samsung-investit-17-milliards-de-dollars-dans-une-usine-de-puces-au-texas", + "link": "https://www.lemonde.fr/pixels/article/2021/12/13/cinq-sites-pornographiques-sommes-par-le-csa-d-empecher-l-acces-des-mineurs-a-leurs-contenus_6105909_4408996.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 15:32:34 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_jung-sedex202201027_npurh.jpg?itok=HKQmc00_", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 19:08:56 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "58df0a26a8d2ccd08720f165881e3968" + "hash": "a90a067cea001a4d695c215db9a469b1" }, { - "title": "“Au revoir Hong Kong” : la capitale financière ne se remet pas du Covid-19", - "description": "Nikkei Asia constate la désaffection des milieux d’affaires pour la ville à cause des interminables restrictions liées au Covid-19. Une remise en cause du statut de Hong Kong sur le marché financier, note le magazine économique japonais.", - "content": "Nikkei Asia constate la désaffection des milieux d’affaires pour la ville à cause des interminables restrictions liées au Covid-19. Une remise en cause du statut de Hong Kong sur le marché financier, note le magazine économique japonais.", + "title": "« Log4Shell », la faille de sécurité qui sème la panique sur Internet", + "description": "Une bibliothèque utilisée par le langage de programmation Java, baptisée Log4j, peut être détournée pour faire fonctionner du code non autorisé sur un serveur. De nombreuses entreprises ou administrations sont potentiellement concernées.", + "content": "Une bibliothèque utilisée par le langage de programmation Java, baptisée Log4j, peut être détournée pour faire fonctionner du code non autorisé sur un serveur. De nombreuses entreprises ou administrations sont potentiellement concernées.", "category": "", - "link": "https://www.courrierinternational.com/une/contrecoup-au-revoir-hong-kong-la-capitale-financiere-ne-se-remet-pas-du-covid-19", + "link": "https://www.lemonde.fr/pixels/article/2021/12/13/log4shell-la-faille-de-securite-qui-seme-la-panique-sur-internet_6105907_4408996.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 12:43:15 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/https3a2f2fs3-ap-northeast-1.amazonaws.com2fpsh-ex-ftnikkei-3937bb42fimages2f22f72f22f62f37446272-1-eng-gb2f2021111820cover20large.jpg?itok=df_Teu9J", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 18:44:13 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "87e6536ad82ca49a2a14fd6a0b86f1b6" + "hash": "d8fd827f1f5a0fd77ab7ca6eb8caaad1" }, { - "title": "Les brise-fer de l’espace, les bricoleurs d’Apple, l’improbable TGV et les nouveaux détecteurs de mensonge", - "description": "“‘Désolé de vous réveiller si tôt’, dit la voix dans le haut-parleur, ‘mais un satellite s’est fragmenté et vous allez devoir commencer les procédures pour vous mettre en lieu sûr’”, raconte Space.com. La bande-son de la conversation entre la base de Houston et les astronautes de la Station spatiale internationale, le 15 novembre, rappelle de manière saisissante celle des personnages du film Gravity, quelques minutes avant la destruction de...", - "content": "“‘Désolé de vous réveiller si tôt’, dit la voix dans le haut-parleur, ‘mais un satellite s’est fragmenté et vous allez devoir commencer les procédures pour vous mettre en lieu sûr’”, raconte Space.com. La bande-son de la conversation entre la base de Houston et les astronautes de la Station spatiale internationale, le 15 novembre, rappelle de manière saisissante celle des personnages du film Gravity, quelques minutes avant la destruction de...", + "title": "Valérie Pécresse saisit le CSA après l’annonce de l’interview d’Emmanuel Macron sur TF1", + "description": "Alors que TF1 et LCI diffuseront, mercredi soir, une interview du président de la République, la candidate des Républicains à l’élection présidentielle devait être interrogée au même moment sur BFM-TV. Mais l’émission a été annulée.", + "content": "Les Republicains (LR) right-wing party's candidate for the 2022 presidential election Valerie Pecresse speaks to supporters during a public meeting in La Madeleine, near Lille, on December 10, 2021. (Photo by FRANCOIS LO PRESTI / AFP)", "category": "", - "link": "https://www.courrierinternational.com/article/la-lettre-tech-les-brise-fer-de-lespace-les-bricoleurs-dapple-limprobable-tgv-et-les", + "link": "https://www.lemonde.fr/election-presidentielle-2022/article/2021/12/13/valerie-pecresse-saisit-le-csa-apres-l-annonce-de-l-interview-d-emmanuel-macron-sur-tf1_6105906_6059010.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 09:14:06 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_1.png?itok=WUzjortT", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 18:36:31 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4ddbf801dae312dd89c73ec999e2f0c2" + "hash": "a0ca8063c7d0533e27302c29b0bda572" }, { - "title": "Le patron de la banque centrale américaine reconduit pour un second mandat", - "description": "Jerome Powell, le patron de la Fed, la banque centrale américaine, sera reconduit pour un second mandat de quatre ans, a annoncé lundi Joe Biden, qui mise sur “la stabilité et l’indépendance” de l’institution. M. Powell aura la lourde tâche de dompter l’inflation sans mettre en péril la reprise économique.", - "content": "Jerome Powell, le patron de la Fed, la banque centrale américaine, sera reconduit pour un second mandat de quatre ans, a annoncé lundi Joe Biden, qui mise sur “la stabilité et l’indépendance” de l’institution. M. Powell aura la lourde tâche de dompter l’inflation sans mettre en péril la reprise économique.", + "title": "JO Paris 2024 : la Seine sera le théâtre de la cérémonie d’ouverture des Jeux, devant 600 000 personnes", + "description": "Les organisateurs ont dévoilé, lundi 13 décembre, leur concept de « Seine olympique » : les 10 500 athlètes défileront, le 26 juillet 2024, sur des bateaux, devant les spectateurs massés sur les quais du fleuve parisien.", + "content": "Vue d’artiste du défilé sur la Seine lors de la cérémonie d’ouverture des JO 2024 à Paris.", "category": "", - "link": "https://www.courrierinternational.com/article/economie-le-patron-de-la-banque-centrale-americaine-reconduit-pour-un-second-mandat", + "link": "https://www.lemonde.fr/sport/article/2021/12/13/jo-paris-2024-la-seine-sera-le-theatre-de-la-ceremonie-d-ouverture-des-jeux-devant-600-000-personnes_6105905_3242.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 05:51:33 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/jerome_powell.png?itok=jcihT0V-", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 18:17:02 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7cd80a433a22c7b62d2fa56be552ab84" + "hash": "78a59aa5c975209e643a5bd214dca7e0" }, { - "title": "Et si la pénurie de main-d’œuvre était une chance pour les travailleurs ? ", - "description": "De la “grande démission” cet été à la vague de grèves cet automne, la grogne sociale des Américains marque une inversion du rapport de forces dans l’entreprise et leur donne plus de poids pour réclamer de meilleures conditions de travail.\n ", - "content": "De la “grande démission” cet été à la vague de grèves cet automne, la grogne sociale des Américains marque une inversion du rapport de forces dans l’entreprise et leur donne plus de poids pour réclamer de meilleures conditions de travail.\n ", + "title": "Le groupe Wagner sanctionné par l’Union européenne", + "description": "Les Vingt-Sept reprochent à ce groupe de mercenaires, qui a recours principalement à d’anciens militaires russes, des violations des droits humains et des opérations clandestines menées dans ces pays au bénéfice du Kremlin.", + "content": "Un camion du groupe militaire privé russe Wagner dans la base de l’armée centrafricaine (FACA) de Bangassou, attaquée et pillée le 3 janvier par les rebelles. Photo prise le 3 février 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/etats-unis-et-si-la-penurie-de-main-doeuvre-etait-une-chance-pour-les-travailleurs", + "link": "https://www.lemonde.fr/international/article/2021/12/13/l-union-europeenne-sanctionne-les-mercenaires-russes-du-groupe-wagner_6105904_3210.html", "creator": "", - "pubDate": "Tue, 23 Nov 2021 05:51:33 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-34-cost-w.jpg?itok=BHm15Krs", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 18:13:38 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "373393ced4b875478aeadc2fbfb8f353" + "hash": "316450c0558447c9cc1612df147b8d0c" }, { - "title": "Dans sa guerre contre les taux d’intérêt, Erdogan fait s’effondrer la monnaie nationale", - "description": "La politique monétaire voulue par le président turc, centrée sur la réduction des taux d’intérêt, affecte sévèrement le pouvoir d’achat de la population. Surtout, elle déconcerte les économistes, qui critiquent l’obstination d’Erdogan.", - "content": "La politique monétaire voulue par le président turc, centrée sur la réduction des taux d’intérêt, affecte sévèrement le pouvoir d’achat de la population. Surtout, elle déconcerte les économistes, qui critiquent l’obstination d’Erdogan.", + "title": "Militaires renversés à Levallois-Perret en 2017 : trente ans de réclusion pour le conducteur", + "description": "Hamou Benlatreche avait blessé six soldats de l’opération Sentinelle avant de prendre la fuite. Il a été condamné, lundi 13 décembre, pour « tentative d’assassinat terroriste ».", + "content": "La voiture endommagée d’Hamou Benlatreche lors de son arrestation à côté de Marquise, près de Calais, le 9 août 2017.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/inflation-dans-sa-guerre-contre-les-taux-dinteret-erdogan-fait-seffondrer-la-monnaie", + "link": "https://www.lemonde.fr/societe/article/2021/12/13/militaires-renverses-a-levallois-perret-en-2017-trente-ans-de-reclusion-pour-le-conducteur_6105883_3224.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 16:59:29 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_picture-596e7831-427c-11e8-876b-000000000001.jpg?itok=tWO1y09S", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 16:34:02 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "99f437d7727b4e18adaa198ccc8d36da" + "hash": "7ac95e80d0be99b3c2f33806e83c5475" }, { - "title": "Le pire est passé pour les chaînes d’approvisionnement", - "description": "Les ports sont encore saturés mais le coût du fret maritime baisse. La reprise de la demande de biens de consommation, la recrudescence du Covid-19 et les aléas climatiques entravent encore le retour à la normale. Qui devrait intervenir au début de 2022.", - "content": "Les ports sont encore saturés mais le coût du fret maritime baisse. La reprise de la demande de biens de consommation, la recrudescence du Covid-19 et les aléas climatiques entravent encore le retour à la normale. Qui devrait intervenir au début de 2022.", + "title": "Variant Omicron : « Il faut se préparer » selon Jean Castex, sans nouvelles mesures à ce stade", + "description": "On dénombre « un peu plus de 130 cas du variant Omicron » en France, a déclaré le porte-parole du gouvernement, Gabriel Attal, mardi.", + "content": "Jean Castex, en visite au centre de vaccination du parc Chanot, à Marseille, lundi 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/commerce-le-pire-est-passe-pour-les-chaines-dapprovisionnement", + "link": "https://www.lemonde.fr/planete/article/2021/12/14/variant-omicron-il-faut-se-preparer-selon-castex-sans-nouvelles-mesures-a-ce-stade_6105966_3244.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 15:21:11 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9rv62k.jpg?itok=gxvzPfQu", - "enclosureType": "image/jpeg", + "pubDate": "Tue, 14 Dec 2021 10:05:50 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "bd6cf2b37fb0dd1abf6e3b726f557fb9" + "hash": "b0572af18a0e1bd43303597b8ecb77d5" }, { - "title": "Faut-il avoir peur de ce “monstre” qu’est l’inflation ?", - "description": "Économistes et banques centrales avaient anticipé une hausse des prix après le ralentissement de l’économie imposé par la pandémie. Mais ces derniers mois, des doutes ont émergé sur le caractère “transitoire” de la poussée inflationniste actuelle, observe Bloomberg Businessweek.", - "content": "Économistes et banques centrales avaient anticipé une hausse des prix après le ralentissement de l’économie imposé par la pandémie. Mais ces derniers mois, des doutes ont émergé sur le caractère “transitoire” de la poussée inflationniste actuelle, observe Bloomberg Businessweek.", + "title": "Le président français s’est rendu en Hongrie, lundi. Les désaccords avec le premier ministre hongrois sont profonds, mais il reste susceptible d’être un allié sur des sujets comme les investissements, le nucléaire ou la défense européenne.", + "description": "Le président français s’est rendu en Hongrie, lundi. Les désaccords avec le premier ministre hongrois sont profonds, mais il reste susceptible d’être un allié sur des sujets comme les investissements, le nucléaire ou la défense européenne.", + "content": "Le président français, Emmanuel Macron, et le premier ministre hongrois, Viktor Orban, à l’issue d’une conférence de presse commune, à Budapest, le 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/une/economie-faut-il-avoir-peur-de-ce-monstre-quest-linflation", + "link": "https://www.lemonde.fr/international/article/2021/12/13/emmanuel-macron-en-visite-en-hongrie-chez-viktor-orban-un-adversaire-politique-mais-un-partenaire-europeen_6105807_3210.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 13:04:58 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/capture_decran_2021-11-22_a_11.58.03.png?itok=w5wK6FXB", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 04:39:46 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0090d231acb5362e7707ade1be3ced74" + "hash": "4864b4f126722678ca52e99b93faee8e" }, { - "title": "L’Espagne testera la semaine de quatre jours en 2022 ", - "description": "L’année prochaine, 200 entreprises volontaires, de différents secteurs et tailles, expérimenteront les 32 heures de travail hebdomadaires, conformément à une proposition du parti de gauche radicale Más País.", - "content": "L’année prochaine, 200 entreprises volontaires, de différents secteurs et tailles, expérimenteront les 32 heures de travail hebdomadaires, conformément à une proposition du parti de gauche radicale Más País.", + "title": "Variant Omicron : face au « raz-de-marée » au Royaume-Uni, la presse bat le rappel", + "description": "Si les lignes éditoriales divergent, les médias britanniques ont tous fait de l’urgence de la vaccination contre le Covid-19 leur « une » après l’intervention du premier ministre, Boris Johnson, dimanche.", + "content": "Une longue file d’attente s’est formée aux abords de la pharmacie de Sevenoaks (Angleterre), dans l’espoir de recevoir une dose de rappel du vaccin contre le Covid-19, le 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/travail-lespagne-testera-la-semaine-de-quatre-jours-en-2022", + "link": "https://www.lemonde.fr/international/article/2021/12/13/variant-omicron-face-au-raz-de-maree-au-royaume-uni-la-presse-britannique-bat-le-rappel_6105882_3210.html", "creator": "", - "pubDate": "Mon, 22 Nov 2021 06:22:04 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/p-32-otto-w.jpg?itok=qos5_ptL", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 16:22:09 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "db1a61dcb7cc13549d4820e8089b5ab3" + "hash": "22af9f44c2ac10b146d8d3b18b987a4d" }, { - "title": "Le Japon en passe d’accorder un titre de séjour illimité aux travailleurs étrangers qualifiés", - "description": "La mesure, dont le Nihon Keizai Shimbun se fait l’écho, est un tournant pour le Japon qui a toujours rechigné à accueillir un grand nombre d’immigrés. Face à la pression démographique, les autorités ont décidé d’assouplir les règles de délivrance des visas aux travailleurs qualifiés et d’autoriser le regroupement familial.", - "content": "La mesure, dont le Nihon Keizai Shimbun se fait l’écho, est un tournant pour le Japon qui a toujours rechigné à accueillir un grand nombre d’immigrés. Face à la pression démographique, les autorités ont décidé d’assouplir les règles de délivrance des visas aux travailleurs qualifiés et d’autoriser le regroupement familial.", + "title": "Derrière Eric Zemmour, les cinquante lieutenants d’une campagne d’extrême droite", + "description": "Grognards du RN, « Maréchal connexion », transfuges des Républicains, orphelins de la droite catholique et de La Manif pour tous, membres de l’ultradroite, réseaux d’influence intellectuelle… « Le Monde » a enquêté sur les multiples familles des principaux soutiens du candidat à l’élection présidentielle.", + "content": "Grognards du RN, « Maréchal connexion », transfuges des Républicains, orphelins de la droite catholique et de La Manif pour tous, membres de l’ultradroite, réseaux d’influence intellectuelle… « Le Monde » a enquêté sur les multiples familles des principaux soutiens du candidat à l’élection présidentielle.", "category": "", - "link": "https://www.courrierinternational.com/article/demographie-le-japon-en-passe-daccorder-un-titre-de-sejour-illimite-aux-travailleurs", + "link": "https://www.lemonde.fr/les-decodeurs/article/2021/12/12/derriere-eric-zemmour-les-cinquante-lieutenants-d-une-campagne-d-extreme-droite_6105788_4355770.html", "creator": "", - "pubDate": "Sat, 20 Nov 2021 16:59:35 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/053_ar-211015gaikokujin001.jpg?itok=LnvZmJQ8", - "enclosureType": "image/jpeg", + "pubDate": "Sun, 12 Dec 2021 19:28:28 +0100", + "enclosure": "", + "enclosureType": "", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a23e553032bc39da74a945fb6d8f6756" + "hash": "7e9ddc89a7a2e75405dbe30eb30f2f55" }, { - "title": "Un nouveau plan de relance massif au Japon", - "description": "Le Premier ministre japonais Fumio Kishida a dévoilé un plan de relance d’une ampleur historique afin de renouer avec la croissance et rétablir une économie moribonde.", - "content": "Le Premier ministre japonais Fumio Kishida a dévoilé un plan de relance d’une ampleur historique afin de renouer avec la croissance et rétablir une économie moribonde.", + "title": "Aux Canaries, la longue éruption du volcan Cumbre Vieja oblige à confiner 33 000 habitants", + "description": "Les habitants de plusieurs communes de l’île espagnole de La Palma, dans l’archipel, ont reçu l’ordre de se confiner en raison des gaz toxiques émanant du volcan entré en éruption il y a près de trois mois.", + "content": "Un membre de l’Unité militaire d’urgence espagnole (UME), nettoie les cendres des maisons, suite à l’éruption du volcan Cumbre Vieja sur l’île canarienne de La Palma, le 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-un-nouveau-plan-de-relance-massif-au-japon", + "link": "https://www.lemonde.fr/international/article/2021/12/13/aux-canaries-la-longue-eruption-du-volcan-cumbre-vieja-oblige-a-confiner-33-000-habitants_6105878_3210.html", "creator": "", - "pubDate": "Fri, 19 Nov 2021 14:27:05 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_2_54.png?itok=K3ALs1EU", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 16:01:24 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c322a18ec4409e42eb740f7f59cf8a6f" + "hash": "1698a1bf01e043625a380d191435505e" }, { - "title": "L’inflation peut-elle couler la présidence de Joe Biden ?", - "description": "La hausse des prix s’accélère un peu partout dans le monde, en particulier aux États-Unis, où le président Biden risque d’en payer le prix politique, comme Jimmy Carter avant lui. Cette hausse est-elle temporaire ou faut-il s’en alarmer ?", - "content": "La hausse des prix s’accélère un peu partout dans le monde, en particulier aux États-Unis, où le président Biden risque d’en payer le prix politique, comme Jimmy Carter avant lui. Cette hausse est-elle temporaire ou faut-il s’en alarmer ?", + "title": "Koffi Olomidé, star de la rumba congolaise, condamné pour la séquestration de quatre de ses ex-danseuses", + "description": "Le chanteur a été relaxé d’agressions sexuelles « au bénéfice du doute », a expliqué, lundi, la présidente de la 7e chambre correctionnelle de la cour d’appel de Versailles.", + "content": "Koffi Olomidé aux All Africa Music Awards, à Lagos, au Nigeria, le 21 novembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/economie-linflation-peut-elle-couler-la-presidence-de-joe-biden", + "link": "https://www.lemonde.fr/afrique/article/2021/12/13/koffi-olomide-star-de-la-rumba-congolaise-condamne-pour-la-sequestration-de-quatre-de-ses-ex-danseuses_6105875_3212.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 17:24:05 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxjrntp.jpg?itok=f7gpxw5f", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 15:41:04 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "fb0d36b77c0fc592a0c198ad43c5bc9a" + "hash": "5c5b9df98f0a913466d2af3fd7126608" }, { - "title": "Amazon interdit Visa à ses clients britanniques", - "description": "Le géant du commerce électronique n’acceptera plus de paiement avec une carte de crédit Visa sur sa plateforme au Royaume-Uni à partir du 19 janvier. Une manière d’obliger le réseau mondial à réduire ses frais de transactions.", - "content": "Le géant du commerce électronique n’acceptera plus de paiement avec une carte de crédit Visa sur sa plateforme au Royaume-Uni à partir du 19 janvier. Une manière d’obliger le réseau mondial à réduire ses frais de transactions.", + "title": "Ligue des champions : le PSG affrontera finalement le Real Madrid et Lille défiera Chelsea en huitièmes de finale", + "description": "Un premier tirage au sort, plus tôt dans la journée, avait été annulé en raison d’une « erreur matérielle » et d’une réclamation de l’Atlético de Madrid.", + "content": "L’ancien attaquant international russe Andrey Arshavin lors du tirage au sort des huitièmes de finale de la Ligue des champions au siège de l’UEFA à Nyon, le 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/e-commerce-amazon-interdit-visa-ses-clients-britanniques", + "link": "https://www.lemonde.fr/sport/article/2021/12/13/ligue-des-champions-le-psg-affrontera-manchester-united-et-lille-rencontrera-chelsea-en-huitiemes-de-finale-de-la-competition_6105859_3242.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 17:03:05 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtx3f00e.jpg?itok=uBsVwFi0", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 12:26:42 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a24c84dcd1e3ab9e3a10af67b98eabd1" + "hash": "bb3471c9302ee9ff9cfa85bbe7bccf3a" }, { - "title": "Fin de la grève “historique” chez John Deere aux États-Unis", - "description": "Les grévistes du fabricant de matériel agricole américain ont voté la reprise du travail après avoir obtenu de substantielles hausses de salaire. Le conflit, qui durait depuis un mois, symbolisait la résurgence du mouvement social après deux ans de pandémie.", - "content": "Les grévistes du fabricant de matériel agricole américain ont voté la reprise du travail après avoir obtenu de substantielles hausses de salaire. Le conflit, qui durait depuis un mois, symbolisait la résurgence du mouvement social après deux ans de pandémie.", + "title": "Fraude fiscale : UBS condamnée en appel à 1,8 milliard d’euros en amende, confiscation et dommages et intérêts", + "description": "UBS était poursuivie pour avoir envoyé des commerciaux suisses en France pour « chasser » les riches clients de sa filiale française. Cette peine est largement inférieure à celle prononcée en première instance.", + "content": "UBS était poursuivie pour avoir envoyé des commerciaux suisses en France pour « chasser » les riches clients de sa filiale française. Cette peine est largement inférieure à celle prononcée en première instance.", "category": "", - "link": "https://www.courrierinternational.com/article/social-fin-de-la-greve-historique-chez-john-deere-aux-etats-unis", + "link": "https://www.lemonde.fr/evasion-fiscale/article/2021/12/13/fraude-fiscale-ubs-condamnee-en-appel-a-1-8-milliard-d-euros-en-amende-confiscation-et-dommages-et-interets_6105872_4862750.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 14:15:50 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/063_1346752039.jpg?itok=AF0opGIB", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 14:46:29 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a43082d71fe8fa154f0784ae4209861f" + "hash": "0524cc465cee6e4801895db3b89b570d" }, { - "title": "Shell file à l’anglaise, les Pays-Bas accusent le coup", - "description": "La compagnie énergétique anglo-néerlandaise a annoncé lundi 15 novembre sa décision de s’installer fiscalement au Royaume-Uni. Pour une partie des Pays-Bas, et en particulier pour le Premier ministre de droite libérale Mark Rutte, la nouvelle a beaucoup de mal à passer.", - "content": "La compagnie énergétique anglo-néerlandaise a annoncé lundi 15 novembre sa décision de s’installer fiscalement au Royaume-Uni. Pour une partie des Pays-Bas, et en particulier pour le Premier ministre de droite libérale Mark Rutte, la nouvelle a beaucoup de mal à passer.", + "title": "Variant Omicron : l’OMS alerte sur une « potentielle » résistance aux vaccins", + "description": "Identifié dans plus de soixante pays, le variant Omicron se propage à une « vitesse phénoménale », a souligné le ministre de la santé britannique lundi, estimant qu’il représentait quelque 40 % des infections à Londres.", + "content": "Des personnes font la queue pour se faire vacciner, à Sevenoaks, en Angleterre, le 13 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/fiscalite-shell-file-langlaise-les-pays-bas-accusent-le-coup", + "link": "https://www.lemonde.fr/planete/article/2021/12/13/variant-omicron-l-oms-alerte-sur-une-potentielle-resistance-aux-vaccins_6105870_3244.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 10:27:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9rn9wu_1.jpg?itok=T9smgoJ9", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 14:29:44 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "36f08cf4eefff29e8fb87cf9e10e9ff5" + "hash": "781713d7d4889bbbc71d01b40ab6cda5" }, { - "title": "La semaine de quatre jours, c’est bon pour la planète", - "description": "Diminuer le temps de travail permet de réduire les déplacements, la production et la consommation. Et donc les émissions polluantes, plaide le quotidien de la City.", - "content": "Diminuer le temps de travail permet de réduire les déplacements, la production et la consommation. Et donc les émissions polluantes, plaide le quotidien de la City.", + "title": "Au Soudan, la police tire des lacrymogènes pour éloigner des centaines de manifestants du palais présidentiel", + "description": "De nombreux Soudanais sortent régulièrement dans la rue pour dénoncer le coup d’Etat mené le 25 octobre par le chef de l’armée, le général Abdel Fattah Al-Bourhane, exigeant la remise du pouvoir aux civils.", + "content": "Manifestation contre le coup d’Etat militaire, à Khartoum, le 9 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/boulot-la-semaine-de-quatre-jours-cest-bon-pour-la-planete", + "link": "https://www.lemonde.fr/afrique/article/2021/12/13/au-soudan-la-police-tire-des-lacrymogenes-pour-eloigner-des-centaines-de-manifestants-du-palais-presidentiel_6105869_3212.html", "creator": "", - "pubDate": "Thu, 18 Nov 2021 06:06:22 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/trabajo_martasevilla_courrierinternatinal_cmyk_nov2021-w.jpg?itok=iVSuF6z9", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 14:23:10 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3608c5018eea654e5326ed6b548a16e7" + "hash": "2ca61716613c8d25ea9d80c108eb5c94" }, { - "title": "Le patron d’Activision Blizzard mis en cause pour sa gestion du harcèlement sexuel", - "description": "Contrairement à ses affirmations, Bobby Kotick aurait eu une parfaite connaissance du sexisme ambiant au sein du géant américain des jeux vidéo qu’il dirige. Les appels à sa démission se multiplient après les révélations d’une retentissante enquête parue dans le Wall Street Journal.", - "content": "Contrairement à ses affirmations, Bobby Kotick aurait eu une parfaite connaissance du sexisme ambiant au sein du géant américain des jeux vidéo qu’il dirige. Les appels à sa démission se multiplient après les révélations d’une retentissante enquête parue dans le Wall Street Journal.", + "title": "Masayuki Uemura, le père de la première console de jeux de Nintendo, est mort", + "description": "Cet ingénieur de formation, mort le 6 décembre à l’âge de 78 ans, a conçu la première console de jeux de la société japonaise, en 1983, la Famicom, plus connue sous le nom de NES dans le reste du monde.", + "content": "Masayuki Uemura, le 10 juillet 2013.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/jeux-video-le-patron-dactivision-blizzard-mis-en-cause-pour-sa-gestion-du", + "link": "https://www.lemonde.fr/pixels/article/2021/12/13/masayuki-uemura-le-pere-de-la-premiere-console-de-jeux-de-nintendo-est-mort_6105866_4408996.html", "creator": "", - "pubDate": "Wed, 17 Nov 2021 17:58:58 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/bobby_kotick.jpg?itok=QbJ3cl7P", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 13:37:15 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "34ae771bec0b983b53ee24e2a0ea49e3" + "hash": "1dfa4f680db52f6bee67ee9ea8dbdb75" }, { - "title": "Le bitcoin à la peine après les nouvelles attaques de la Chine contre le minage", - "description": "La principale agence de planification chinoise a annoncé, le mardi 16 novembre, le détail des mesures de répression des cryptomonnaies. Les deux principales monnaies virtuelles, le bitcoin et l’ether, ont aussitôt dévissé.", - "content": "La principale agence de planification chinoise a annoncé, le mardi 16 novembre, le détail des mesures de répression des cryptomonnaies. Les deux principales monnaies virtuelles, le bitcoin et l’ether, ont aussitôt dévissé.", + "title": "Etats-Unis : les dégâts des tornades en images", + "description": "Des tornades ont touché plusieurs Etats du Midwest américain le 10 décembre. Le bilan dépasse les 90 morts.", + "content": "Vue aérienne de Mayfield, aux Etats-Unis, le 11 décembre 2021, après le passage d’un tornade.", "category": "", - "link": "https://www.courrierinternational.com/article/cryptomonnaie-le-bitcoin-la-peine-apres-les-nouvelles-attaques-de-la-chine-contre-le-minage", + "link": "https://www.lemonde.fr/planete/video/2021/12/13/etats-unis-les-degats-des-tornades-en-images_6105863_3244.html", "creator": "", - "pubDate": "Wed, 17 Nov 2021 17:21:03 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxjspr2.jpg?itok=IU8GAWa7", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 13:21:25 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3460c52d80dad192a4a80a8f469e58b3" + "hash": "3972982456d0a0d0892ca1e8ced8c489" }, { - "title": "La première mini-centrale nucléaire de Bill Gates en fonction d’ici sept ans aux États-Unis", - "description": "Porté par le milliardaire américain via sa start-up TerraPower depuis 2006, le premier petit réacteur nucléaire Natrium sera implanté à Kemmerer, dans le Wyoming, et serait opérationnel d’ici sept ans. Sa construction sera financée pour moitié par le plan d’infrastructures de Joe Biden.", - "content": "Porté par le milliardaire américain via sa start-up TerraPower depuis 2006, le premier petit réacteur nucléaire Natrium sera implanté à Kemmerer, dans le Wyoming, et serait opérationnel d’ici sept ans. Sa construction sera financée pour moitié par le plan d’infrastructures de Joe Biden.", + "title": "Dans les écoles, la ventilation, parent pauvre de la lutte contre le Covid-19", + "description": "Des capteurs de CO2 et purificateurs d’air arrivent doucement dans les établissements, alors que le nombre de cas positifs en milieu scolaire augmente.", + "content": "Des capteurs de CO2 et purificateurs d’air arrivent doucement dans les établissements, alors que le nombre de cas positifs en milieu scolaire augmente.", "category": "", - "link": "https://www.courrierinternational.com/article/energie-la-premiere-mini-centrale-nucleaire-de-bill-gates-en-fonction-dici-sept-ans-aux", + "link": "https://www.lemonde.fr/education/article/2021/12/13/la-ventilation-parent-pauvre-de-la-lutte-contre-le-covid-19-a-l-ecole_6105801_1473685.html", "creator": "", - "pubDate": "Wed, 17 Nov 2021 13:01:18 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_1236298089.jpg?itok=9jWHyYvb", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 02:33:22 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ea3ba8902f0bb48fec4eb8b9227bc677" + "hash": "ffab4de7dd31e66a2c55c4bea0f0cb47" }, { - "title": "Remettre le travail à sa place", - "description": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous nous interrogeons sur notre rapport au travail. Aux États-Unis, le rapport de force s’inverse dans les entreprises. Après l’Islande, l’Espagne et l’Irlande testent la semaine de quatre jours. Comment rééquilibrer nos vies ? En travaillant moins ? Les décryptages de la presse étrangère.", - "content": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous nous interrogeons sur notre rapport au travail. Aux États-Unis, le rapport de force s’inverse dans les entreprises. Après l’Islande, l’Espagne et l’Irlande testent la semaine de quatre jours. Comment rééquilibrer nos vies ? En travaillant moins ? Les décryptages de la presse étrangère.", + "title": "Yannick Agnel, poursuivi pour viol sur mineure, « reconnaît la matérialité des faits »", + "description": "L’ancien champion olympique français de natation, placé sous contrôle judiciaire, a été mis en examen samedi pour « viol et agression sexuelle sur mineure de 15 ans ».", + "content": "Yannick Agnel aux Jeux olympiques de Rio, au Brésil, le 7 août 2016.", "category": "", - "link": "https://www.courrierinternational.com/article/la-une-de-lhebdo-remettre-le-travail-sa-place", + "link": "https://www.lemonde.fr/sport/article/2021/12/13/l-ex-nageur-yannick-agnel-poursuivi-pour-viol-sur-mineure-reconnait-la-materialite-des-faits_6105855_3242.html", "creator": "", - "pubDate": "Wed, 17 Nov 2021 09:19:17 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/couv-.jpg?itok=pjPus9lp", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 12:08:56 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c572d4615ce2119f69e901b46f81da37" + "hash": "7d3eb418b74d0d915c5c799ae98c7b46" }, { - "title": "Le plan stratégique de Google à 650 millions d’euros pour l’Australie", - "description": "Changement de ton entre le géant américain et le pouvoir australien. Alors qu’en janvier Google menaçait de couper l’accès à son moteur de recherche, ce mardi, son PDG a lancé le projet Digital Future, qui prévoit 6 000 emplois directs d’ici cinq ans, en présence du Premier ministre.", - "content": "Changement de ton entre le géant américain et le pouvoir australien. Alors qu’en janvier Google menaçait de couper l’accès à son moteur de recherche, ce mardi, son PDG a lancé le projet Digital Future, qui prévoit 6 000 emplois directs d’ici cinq ans, en présence du Premier ministre.", + "title": "A Abou Dhabi, Naftali Bennett scelle le rapprochement d’Israël avec les Emirats", + "description": "Pour la première fois, un premier ministre israélien peut effectuer ce déplacement, fruit de la normalisation des relations de l’Etat hébreu avec plusieurs pays arabes.", + "content": "Lors de la première visite d’un dirigeant israélien aux Emirats arabes unis, le premier ministre Naftali Bennett est accueilli par le prince héritier, Mohammed Ben Zayed Al-Nahyane, à Abou Dhabi, le 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/big-tech-le-plan-strategique-de-google-650-millions-deuros-pour-laustralie", + "link": "https://www.lemonde.fr/international/article/2021/12/13/a-abou-dhabi-naftali-bennett-scelle-le-rapprochement-d-israel-avec-les-emirats_6105853_3210.html", "creator": "", - "pubDate": "Tue, 16 Nov 2021 17:51:39 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_1o052q.jpg?itok=Pv_qG98-", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 12:00:12 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e3c97b4b499e230d2fb652ba553b550a" + "hash": "5688b19f2964a6743d9d102146ac4e7d" }, { - "title": "La tour de Babel du streaming, les chauffards d’Amazon et le malheur des hackeurs", - "description": "Grâce à Netflix, Hulu et aux autres géants du streaming, nos écrans sont devenus des kaléidoscopes bigarrés, pleins de petites merveilles danoises, coréennes, indiennes ou brésiliennes. Après le succès planétaire de la série coréenne Squid Game, une enquête du magazine Rest of World révèle une conséquence méconnue de cette nouvelle tour de Babel culturelle : la pénurie de traducteurs...", - "content": "Grâce à Netflix, Hulu et aux autres géants du streaming, nos écrans sont devenus des kaléidoscopes bigarrés, pleins de petites merveilles danoises, coréennes, indiennes ou brésiliennes. Après le succès planétaire de la série coréenne Squid Game, une enquête du magazine Rest of World révèle une conséquence méconnue de cette nouvelle tour de Babel culturelle : la pénurie de traducteurs...", + "title": "Le mémorial du Mont-Valérien vandalisé par une inscription anti-passe sanitaire", + "description": "Le Mémorial de la France combattante, inauguré par le général de Gaulle en 1960 à Suresnes (Hauts-de-Seine), a été vandalisé dans la nuit de dimanche à lundi.", + "content": "Le Mémorial du Mont-Valérien, à Suresnes,  le 16 mars 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/la-lettre-tech-la-tour-de-babel-du-streaming-les-chauffards-damazon-et-le-malheur-des", + "link": "https://www.lemonde.fr/societe/article/2021/12/13/le-memorial-du-mont-valerien-vandalise-par-une-inscription-anti-passe-sanitaire_6105850_3224.html", "creator": "", - "pubDate": "Tue, 16 Nov 2021 10:49:01 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_15.png?itok=TyWsAy00", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 11:25:55 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d125fa793a103c2a67a99b4a5eb41842" + "hash": "ee0628ffec27486031c83b9723b2d034" }, { - "title": "De Barcelone à Paris, l’offensive anti-Airbnb", - "description": "La pandémie a permis de le mesurer : Airbnb participe à l’inflation des loyers et des prix à la vente dans les grandes métropoles. Beaucoup d’entre elles déploient désormais un arsenal contre la plateforme de location.", - "content": "La pandémie a permis de le mesurer : Airbnb participe à l’inflation des loyers et des prix à la vente dans les grandes métropoles. Beaucoup d’entre elles déploient désormais un arsenal contre la plateforme de location.", + "title": "Un incendie d’ampleur inégalée fait au moins cinq morts à La Réunion", + "description": "Le feu a touché un immeuble appartenant à un bailleur social. La phase de reconnaissance des bâtiments par les sapeurs-pompiers se poursuit dans des conditions difficiles. Le bilan n’est donc pas définitif.", + "content": "Le feu a touché un immeuble appartenant à un bailleur social. La phase de reconnaissance des bâtiments par les sapeurs-pompiers se poursuit dans des conditions difficiles. Le bilan n’est donc pas définitif.", "category": "", - "link": "https://www.courrierinternational.com/article/immobilier-de-barcelone-paris-loffensive-anti-airbnb", + "link": "https://www.lemonde.fr/societe/article/2021/12/13/un-incendie-d-ampleur-inegalee-fait-au-moins-cinq-morts-a-la-reunion_6105849_3224.html", "creator": "", - "pubDate": "Tue, 16 Nov 2021 06:37:50 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/vlahovic_2.jpg?itok=gLtmSHWp", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 11:15:39 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a6e6450c4e58f4153b29cbef3ffbbeda" + "hash": "2c19b6e82eb6cbd47f594a628905133a" }, { - "title": "Airbus décroche un mégacontrat de 255 avions", - "description": "Au salon aéronautique de Dubaï, l’avionneur européen a annoncé un contrat estimé à 30 milliards de dollars avec le fonds d’investissement Indigo Partners, représentant des compagnies aériennes low cost. Et veut y voir le signe du retour à la normale post-pandémie.", - "content": "Au salon aéronautique de Dubaï, l’avionneur européen a annoncé un contrat estimé à 30 milliards de dollars avec le fonds d’investissement Indigo Partners, représentant des compagnies aériennes low cost. Et veut y voir le signe du retour à la normale post-pandémie.", + "title": "Claude Guéant incarcéré en application de sa peine dans l’affaire des primes en liquide du ministère de l’intérieur", + "description": "Il avait été condamné en 2017 à deux ans de prison, dont un avec sursis, dans cette affaire de détournement de fonds publics survenue alors qu’il était directeur de cabinet de Nicolas Sarkozy au ministère de l’intérieur.", + "content": "Le 5 décembre 2018, Claude Guéant, ancien ministre de l’intérieur français, mis en examen pour recel, arrive pour son procès à Paris.", "category": "", - "link": "https://www.courrierinternational.com/article/aviation-airbus-decroche-un-megacontrat-de-255-avions", + "link": "https://www.lemonde.fr/societe/article/2021/12/13/claude-gueant-incarcere-en-application-de-sa-peine-dans-l-affaire-des-primes-en-liquide-du-ministere-de-l-interieur_6105846_3224.html", "creator": "", - "pubDate": "Mon, 15 Nov 2021 18:16:17 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/000_9rm6eh.jpg?itok=HBMo99Va", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 11:13:17 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "4d68e2c6d2a666208e1c4badc62021ae" + "hash": "ca736df701437d99d7a96df357b957a1" }, { - "title": "Les semaines de 75 heures des sous-traitants du géant de la mode Shein", - "description": "Une enquête de l’ONG Public Eye dénonce les conditions de travail de certains fournisseurs de la marque d’ultrafast fashion chinoise. Pour tenir le rythme, certains multiplient les heures supplémentaires en violation du droit du travail.", - "content": "Une enquête de l’ONG Public Eye dénonce les conditions de travail de certains fournisseurs de la marque d’ultrafast fashion chinoise. Pour tenir le rythme, certains multiplient les heures supplémentaires en violation du droit du travail.", + "title": "Salariés ou chefs d’entreprise, comment organisez-vous le télétravail à l’approche des fêtes de fin d’année ? Témoignez", + "description": "Face à la cinquième vague de Covid-19, un nouveau protocole sanitaire a-t-il été mis en place sur votre lieu de travail ? Concrètement, comment votre entreprise appréhende-t-elle la reprise épidémique à quinze jours de Noël ? Racontez-nous.", + "content": "Lauryn Morley, enseignante suppléante à l’école Washington Waldorf de Bethesda, dans le Maryland, travaille depuis son domicile en raison de l’épidémie due au coronavirus, le 1er avril 2020 à Arlington, en Virginie.", "category": "", - "link": "https://www.courrierinternational.com/article/social-les-semaines-de-75-heures-des-sous-traitants-du-geant-de-la-mode-shein", + "link": "https://www.lemonde.fr/societe/appel-temoignages/2021/12/13/salaries-ou-chefs-d-entreprise-comment-organisez-vous-le-teletravail-a-l-approche-des-fetes-de-fin-d-annee-temoignez_6105845_3224.html", "creator": "", - "pubDate": "Mon, 15 Nov 2021 17:43:11 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/063_1315928691.jpg?itok=O97hFYeK", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 11:11:19 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a9619035521a4e55352e9a229e66d99d" + "hash": "843426c1ff4d85d21fa63de7617b4ce1" }, { - "title": "La gomme arabique, moisson dorée du Soudan", - "description": "La récolte ancestrale de la sève d’acacia fait du Soudan le premier producteur mondial de cet ingrédient essentiel à l’industrie mondiale, depuis le chewing-gum jusqu’aux médicaments. Mais les paysans ne perçoivent qu’une petite fraction des profits engendrés par cette ressource. \n \n ", - "content": "La récolte ancestrale de la sève d’acacia fait du Soudan le premier producteur mondial de cet ingrédient essentiel à l’industrie mondiale, depuis le chewing-gum jusqu’aux médicaments. Mais les paysans ne perçoivent qu’une petite fraction des profits engendrés par cette ressource. \n \n ", + "title": "Présidentielle 2022 : La France insoumise tente de convaincre le Parti communiste de se rallier", + "description": "La France insoumise multiplie les demandes de ralliement des communistes. Malgré des soutiens ponctuels, Fabien Roussel promet qu’il maintiendra sa candidature jusqu’au bout.", + "content": "Jean-Luc Mélenchon, candidat La France insoumise à la présidentielle 2022, durant son meeting de campagne à la Défense, près de Paris, le 5 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/long-format/reportage-la-gomme-arabique-moisson-doree-du-soudan", + "link": "https://www.lemonde.fr/politique/article/2021/12/13/presidentielle-2022-la-france-insoumise-tente-de-convaincre-le-parti-communiste-de-se-rallier_6105843_823448.html", "creator": "", - "pubDate": "Sun, 14 Nov 2021 06:52:54 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/gum-8.jpg?itok=csB9ld3-", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 10:45:13 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "02f03e2feb55b78320f97404c33f0239" + "hash": "0c8043fd0af69e9c7cc7f99c34435b6d" }, { - "title": "AstraZeneca veut tirer des bénéfices de son vaccin contre le Covid-19", - "description": "Le géant pharmaceutique s’était engagé à ne pas gagner d’argent avant la fin de la pandémie, en vendant à prix coûtant ses doses contre le Covid-19. Mais l’entreprise suédo-britannique estime que la maladie est devenue endémique. Et signe des contrats aux marges bénéficiaires “modestes” pour 2022.", - "content": "Le géant pharmaceutique s’était engagé à ne pas gagner d’argent avant la fin de la pandémie, en vendant à prix coûtant ses doses contre le Covid-19. Mais l’entreprise suédo-britannique estime que la maladie est devenue endémique. Et signe des contrats aux marges bénéficiaires “modestes” pour 2022.", + "title": "Election présidentielle 2022 : Anne Hidalgo continue de faire valoir son projet en attendant une primaire de la gauche", + "description": "En meeting à Perpignan dimanche, la candidate socialiste, qui a lancé un appel à l’union de la gauche pour l’élection présidentielle, s’est attaquée à l’extrême droite et a affirmé vouloir « réunifier » les Français.", + "content": "Meeting d’Anne Hidalgo à Perpignan, le 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/industrie-astrazeneca-veut-tirer-des-benefices-de-son-vaccin-contre-le-covid-19", + "link": "https://www.lemonde.fr/election-presidentielle-2022/article/2021/12/13/election-presidentielle-2022-en-attendant-une-primaire-de-la-gauche-anne-hidalgo-continue-de-faire-valoir-son-projet_6105838_6059010.html", "creator": "", - "pubDate": "Fri, 12 Nov 2021 19:48:03 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/widak-covid19v211021.jpg?itok=lGFut0cA", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 10:33:12 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "7c9e4c19a4acab3bd23fa6a3ba508db2" + "hash": "f2af583e3d44130d94ab010a8f2f8e5e" }, { - "title": "Quand Adele, Ed Sheeran et Abba embouteillent l’industrie du vinyle", - "description": "Le retour en force du vinyle atteint de tels sommets que le secteur est en forte tension, peu aidé par des sorties pop attendues et des problèmes de chaîne d’approvisionnement.", - "content": "Le retour en force du vinyle atteint de tels sommets que le secteur est en forte tension, peu aidé par des sorties pop attendues et des problèmes de chaîne d’approvisionnement.", + "title": "Le taux du Livret A augmentera en début d’année 2022, annonce Bruno Le Maire", + "description": "Le montant n’a pas été précisé, mais l’augmentation du taux de ce placement refuge sera proposée par le gouvernement en janvier et interviendra le 1er février.", + "content": "Le montant n’a pas été précisé, mais l’augmentation du taux de ce placement refuge sera proposée par le gouvernement en janvier et interviendra le 1er février.", "category": "", - "link": "https://www.courrierinternational.com/article/musique-quand-adele-ed-sheeran-et-abba-embouteillent-lindustrie-du-vinyle", + "link": "https://www.lemonde.fr/argent/article/2021/12/13/le-taux-du-livret-a-augmentera-en-debut-d-annee-2022-annonce-bruno-le-maire_6105836_1657007.html", "creator": "", - "pubDate": "Fri, 12 Nov 2021 06:02:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/vinylrecordsadv241.jpg?itok=eGKgwzuX", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 10:28:28 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "af9d369b9b4531a7a81bc1dde31af80a" + "hash": "1b8ceaab3115bb6280386816fb4ebd44" }, { - "title": "Tremblez, chers Français, le vin anglais sort de sa cave", - "description": "À la faveur du réchauffement climatique et d’investissements importants, y compris de la part de maisons françaises, la production et la qualité du pétillant britannique explosent, s’enthousiasme ce journal londonien. Les vins tranquilles, quant à eux, signent une percée remarquée.", - "content": "À la faveur du réchauffement climatique et d’investissements importants, y compris de la part de maisons françaises, la production et la qualité du pétillant britannique explosent, s’enthousiasme ce journal londonien. Les vins tranquilles, quant à eux, signent une percée remarquée.", + "title": "En Nouvelle-Calédonie, les indépendantistes « ne reconnaissent pas la légitimité » du référendum", + "description": "« Ce référendum n’est pas conforme à l’esprit et à la lettre de l’accord de Nouméa, en 1998 », ont-ils expliqué lundi dans un communiqué.", + "content": "A Nouméa, dans un bureau de vote, dimanche 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/boom-tremblez-chers-francais-le-vin-anglais-sort-de-sa-cave", + "link": "https://www.lemonde.fr/politique/article/2021/12/13/en-nouvelle-caledonie-les-independantistes-ne-reconnaissent-pas-la-legitimite-du-referendum_6105834_823448.html", "creator": "", - "pubDate": "Fri, 12 Nov 2021 06:02:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/020_614163490.jpg?itok=bycSc_3i", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 10:23:53 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "95660142b75b34738f1365b3db5fa3e1" + "hash": "81ed1ea4b42e0f53d4e4440abe0d0547" }, { - "title": "Aux quatre coins du globe, le marché du logement est devenu fou", - "description": "Prix galopants, loyers exorbitants pour des surfaces sans cesse réduites, jeunes professionnels contraints de retourner vivre chez leurs parents… De Buenos Aires à Melbourne, en passant par Berlin ou Dublin, le marché de l’immobilier s’emballe et rien ne semble pouvoir le freiner.", - "content": "Prix galopants, loyers exorbitants pour des surfaces sans cesse réduites, jeunes professionnels contraints de retourner vivre chez leurs parents… De Buenos Aires à Melbourne, en passant par Berlin ou Dublin, le marché de l’immobilier s’emballe et rien ne semble pouvoir le freiner.", + "title": "Hongkong : Jimmy Lai et sept autres militants condamnés à des peines de prison ferme, à la suite de la veillée interdite du 4 juin", + "description": "Lundi, le tribunal de district de Wan Chai a condamné huit militants à des peines de prison ferme pour leur participation à la veillée du souvenir de Tiananmen du 4 juin 2020 qui avait été interdite pour raisons sanitaires.", + "content": "Le 9 février 2021, Jimmy Lai quitte la cour d’appel final de Hongkong. Il a été condamné le 9 décembre 2021 pour l’organisation d’une veillée interdite à Tiananmen le 4 juin 2020.", "category": "", - "link": "https://www.courrierinternational.com/article/immobilier-aux-quatre-coins-du-globe-le-marche-du-logement-est-devenu-fou", + "link": "https://www.lemonde.fr/international/article/2021/12/13/de-nouvelles-peines-de-prison-ferme-pour-jimmy-lai-et-sept-autres-militants-a-la-suite-de-la-veillee-interdite-du-4-juin_6105823_3210.html", "creator": "", - "pubDate": "Thu, 11 Nov 2021 06:19:27 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/sjoed.jpg?itok=mHvCZeUr", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 09:31:02 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f0581457e24218d4a6937c06371bb4bc" + "hash": "4d505d759c9b96a1862dea7d6e295458" }, { - "title": "Les États-Unis enregistrent la plus forte hausse des prix depuis trente ans", - "description": "Outre-Atlantique, en octobre, une augmentation de 6,2 % des prix a été enregistrée par rapport au même mois en 2020. Un record qui inquiète les ménages américains et leur président.\n ", - "content": "Outre-Atlantique, en octobre, une augmentation de 6,2 % des prix a été enregistrée par rapport au même mois en 2020. Un record qui inquiète les ménages américains et leur président.\n ", + "title": "Enquête | Dans les prisons secrètes des renseignements maliens", + "description": "Les méthodes des services de la sécurité d’Etat sont dénoncées par les défenseurs des droits humains. « Le Monde » a recueilli le témoignage d’anciens détenus rapportant des actes de torture dans des lieux sans existence juridique.", + "content": "Dossiers des personnes enlevées ou portées disparues, à la Commission nationale des droits de l’homme (CNDH) du Mali, à Bamako, le 10 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/inflation-les-etats-unis-enregistrent-la-plus-forte-hausse-des-prix-depuis-trente-ans", + "link": "https://www.lemonde.fr/afrique/article/2021/12/13/dans-les-prisons-secretes-des-renseignements-maliens-il-n-y-a-pas-de-loi-la-justice-c-est-nous_6105797_3212.html", "creator": "", - "pubDate": "Wed, 10 Nov 2021 19:44:21 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/rtxje5fs.jpg?itok=3dt2TKM5", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 01:29:23 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ee516e4e2a516a5c646394737250fa4c" + "hash": "89853786168db21a228eeb2a99e49813" }, { - "title": "Le “South China Morning Post” bientôt absorbé par Pékin ?", - "description": "Le grand quotidien anglophone de Hong Kong semble être sur le point de changer de propriétaire. Alors que son rapprochement avec Pékin était de plus en plus visible, le journal pourrait cette fois passer directement sous le contrôle de l’État chinois.", - "content": "Le grand quotidien anglophone de Hong Kong semble être sur le point de changer de propriétaire. Alors que son rapprochement avec Pékin était de plus en plus visible, le journal pourrait cette fois passer directement sous le contrôle de l’État chinois.", + "title": "Vicente Fernandez, idole de la chanson populaire au Mexique, est mort", + "description": "Le crooner aux sombreros et aux romances, qui était hospitalisé depuis une chute en août, s’est éteint, dimanche, à l’âge de 81 ans. Environ 7 000 admirateurs ont défilé devant son cercueil.", + "content": "Vicente Fernandez lors des Latin Grammy Awards, le 14 novembre 2019, à las Vegas.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/hong-kong-le-south-china-morning-post-bientot-absorbe-par-pekin", + "link": "https://www.lemonde.fr/disparitions/article/2021/12/13/au-mexique-la-mort-de-vicente-fernandez-idole-de-la-chanson-populaire-bouleverse-le-pays_6105820_3382.html", "creator": "", - "pubDate": "Wed, 10 Nov 2021 17:27:08 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/scmp.jpg?itok=jQtLIQyO", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 07:03:18 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ffce9bc271f59f66137e5a3070ffd8ba" + "hash": "492945ce6bf8e09ecac15a721089117a" }, { - "title": "Logement : la loi du plus riche", - "description": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous décryptons la surchauffe de l’immobilier, de Buenos Aires à Singapour en passant par Dublin et Melbourne. Une bombe à retardement pour l’économie mondiale, qui risque d’alimenter la colère des classes moyennes.", - "content": "Chaque semaine, Courrier international explique ses choix éditoriaux et les débats qu’ils suscitent parfois au sein de la rédaction. Dans ce numéro, nous décryptons la surchauffe de l’immobilier, de Buenos Aires à Singapour en passant par Dublin et Melbourne. Une bombe à retardement pour l’économie mondiale, qui risque d’alimenter la colère des classes moyennes.", + "title": "A quatre mois de la présidentielle, la confusion règne à gauche", + "description": "La proposition de primaire lancée, mercredi, par Anne Hidalgo n’a toujours reçu aucune réponse positive de la part de ses principaux concurrents, tandis que Christiane Taubira hésite à se lancer. L’union semble hors de portée.", + "content": "La candidate du Parti Socialiste à la présidentielle, Anne Hidalgo, en meeting à Perpignan, le 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/la-une-de-lhebdo-logement-la-loi-du-plus-riche", + "link": "https://www.lemonde.fr/politique/article/2021/12/13/election-presidentielle-2022-la-confusion-regne-a-gauche_6105812_823448.html", "creator": "", - "pubDate": "Wed, 10 Nov 2021 10:07:40 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/1619-ok.jpg?itok=MiYj-fz0", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 05:45:50 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "852b928404589fde2a6c61eb85e29ce9" + "hash": "3feaa68ef5dbafc1b3cd584084220cbf" }, { - "title": "Alibaba installe sa plateforme logistique européenne à Liège sans tambour ni trompette", - "description": "Depuis cet été, trois avions par jour transportent des tonnes de marchandises du géant du e-commerce chinois à destination de l’Europe. Annoncée depuis 2018, l’arrivée du groupe chinois suscite toujours l’inquiétude des riverains.", - "content": "Depuis cet été, trois avions par jour transportent des tonnes de marchandises du géant du e-commerce chinois à destination de l’Europe. Annoncée depuis 2018, l’arrivée du groupe chinois suscite toujours l’inquiétude des riverains.", + "title": "Covid-19 : en Ardèche, une cohabitation forcée et parfois électrique entre vaccinés et non-vaccinés", + "description": "Dans ce département, où le taux d’incidence est le double de la moyenne nationale, le taux de vaccination est aussi plus faible. La lassitude envers les contraintes liées au virus est palpable.", + "content": "Le marchés de Noël est annulé à Les Vans de nuit (Ardèche), 7 Décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/belgique-alibaba-installe-sa-plateforme-logistique-europeenne-liege-sans-tambour-ni", + "link": "https://www.lemonde.fr/planete/article/2021/12/13/covid-19-en-ardeche-une-cohabitation-forcee-et-parfois-electrique-entre-vaccines-et-non-vaccines_6105803_3244.html", "creator": "", - "pubDate": "Tue, 09 Nov 2021 17:28:37 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/043_3133350.jpg?itok=0p-rLjU8", - "enclosureType": "image/jpeg", + "pubDate": "Mon, 13 Dec 2021 03:22:18 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "92e37a16bcb33997a0f3524a45e9bc89" + "hash": "6527fb48c3e64c265c2f3ad21bd534a7" }, { - "title": "Le retour de Greg LeMond, le nouvel empire d’Amazon et le métavers au boulot", - "description": "Qui pourrait oublier Greg LeMond, trois fois vainqueur du Tour de France ? Wired est allé le traquer au fond du Tennessee, à Knoxville, où l’ancien champion et légendaire grande gueule du sport international, aujourd’hui âgé de 60 ans et un peu grassouillet, s’acharne à révolutionner le vélo. Le vélo électrique. Lemond n’en est pas à sa première entreprise de ce genre, et ses premiers essais de reconversion dans la tech sportive avaient failli être compromis par l’opprobre des annonceurs...", - "content": "Qui pourrait oublier Greg LeMond, trois fois vainqueur du Tour de France ? Wired est allé le traquer au fond du Tennessee, à Knoxville, où l’ancien champion et légendaire grande gueule du sport international, aujourd’hui âgé de 60 ans et un peu grassouillet, s’acharne à révolutionner le vélo. Le vélo électrique. Lemond n’en est pas à sa première entreprise de ce genre, et ses premiers essais de reconversion dans la tech sportive avaient failli être compromis par l’opprobre des annonceurs...", + "title": "Le président sud-africain, Cyril Ramaphosa, positif au Covid-19", + "description": "Le chef d’Etat, entièrement vacciné, souffre de symptômes légers et s’est mis à l’isolement dimanche. Pour l’instant, aucune information ne précise s’il a été contaminé par le nouveau variant Omicron, détecté en novembre dans le pays.", + "content": "Le chef d’Etat, entièrement vacciné, souffre de symptômes légers et s’est mis à l’isolement dimanche. Pour l’instant, aucune information ne précise s’il a été contaminé par le nouveau variant Omicron, détecté en novembre dans le pays.", "category": "", - "link": "https://www.courrierinternational.com/article/la-lettre-tech-le-retour-de-greg-lemond-le-nouvel-empire-damazon-et-le-metavers-au-boulot", + "link": "https://www.lemonde.fr/planete/article/2021/12/13/le-president-sud-africain-cyril-ramaphosa-positif-au-covid-19_6105802_3244.html", "creator": "", - "pubDate": "Tue, 09 Nov 2021 09:25:52 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/lettre_tech_1_0_0_14.png?itok=M3MRq2a0", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 03:13:58 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "47de012bcd88118a93bfa7cd17cc8d08" + "hash": "d903b8c281f4b06734224798a1394efd" }, { - "title": "Paytm vise le record d’introduction en Bourse en Inde", - "description": "Le pionnier du paiement en ligne espère lever 2,46 milliards de dollars à partir de ce lundi 8 novembre sur la place boursière de Bombay. Le grand quotidien de la capitale économique du pays met en garde contre les mirages de la fintech.", - "content": "Le pionnier du paiement en ligne espère lever 2,46 milliards de dollars à partir de ce lundi 8 novembre sur la place boursière de Bombay. Le grand quotidien de la capitale économique du pays met en garde contre les mirages de la fintech.", + "title": "Environnement : un rapport dénonce l’impact toujours plus néfaste de grandes entreprises européennes de la viande et des produits laitiers", + "description": "Selon l’Institute for Agriculture and Trade Policy, trente-cinq des plus grandes sociétés de ces secteurs ont été responsables, en 2018, de 7 % des émissions de l’Union européenne. L’ONG appelle les gouvernements à « réglementer l’agrobusiness ».", + "content": "Selon l’Institute for Agriculture and Trade Policy, trente-cinq des plus grandes sociétés de ces secteurs ont été responsables, en 2018, de 7 % des émissions de l’Union européenne. L’ONG appelle les gouvernements à « réglementer l’agrobusiness ».", "category": "", - "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-paytm-vise-le-record-dintroduction-en-bourse-en-inde", + "link": "https://www.lemonde.fr/planete/article/2021/12/13/environnement-un-rapport-denonce-l-impact-toujours-plus-nefaste-de-grandes-entreprises-europeennes-de-la-viande-et-des-produits-laitiers_6105796_3244.html", "creator": "", - "pubDate": "Mon, 08 Nov 2021 17:55:49 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/image_236.png?itok=G1TNRZrz", - "enclosureType": "image/png", + "pubDate": "Mon, 13 Dec 2021 01:21:48 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "c23033a53cb19d05a0002535095a01bc" + "hash": "c0919060784a0efacf8ceb776acef65f" }, { - "title": "Face à la pénurie de routiers, le Royaume-Uni s’en remet aux trains", - "description": "Pour éviter les rayons vides à Noël, le gestionnaire du réseau ferré britannique consacre un nombre croissant de sillons aux trains de marchandise, constate la presse. Certains espèrent un virage durable en direction du rail, sur fond de transition écologique.", - "content": "Pour éviter les rayons vides à Noël, le gestionnaire du réseau ferré britannique consacre un nombre croissant de sillons aux trains de marchandise, constate la presse. Certains espèrent un virage durable en direction du rail, sur fond de transition écologique.", + "title": "Ligue 1 : Paris et Mbappé cliniques, Bamba Dieng acrobatique, Nantes euphorique", + "description": "Ce qu’il faut retenir de la 18e journée, disputée ce week-end.", + "content": "Bamba Dieng a ouvert la marque face à Strasbourg d’un splendide retourné acrobatique.", "category": "", - "link": "https://www.courrierinternational.com/article/logistique-face-la-penurie-de-routiers-le-royaume-uni-sen-remet-aux-trains", + "link": "https://www.lemonde.fr/sport/article/2021/12/12/ligue-1-paris-et-mbappe-cliniques-bamba-dieng-acrobatique-nantes-euphorique_6105794_3242.html", "creator": "", - "pubDate": "Mon, 08 Nov 2021 16:42:13 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/075_nicholson-notitle141127_nppem.jpg?itok=VdadGR0U", - "enclosureType": "image/jpeg", + "pubDate": "Sun, 12 Dec 2021 23:00:12 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "851e2065aed69dd84eed04165fecc21f" + "hash": "02061e35a3b994fbbd7981bf3275c233" }, { - "title": "Elon Musk a-t-il gagné son coup de poker contre la taxe des milliardaires ?", - "description": "En lançant sur Twitter samedi un sondage pour décider s’il devait vendre 10 % des actions de Tesla, l’entrepreneur américain s’opposait au projet démocrate de taxation des plus-values. Ce lundi, l’action du constructeur automobile dégringole.", - "content": "En lançant sur Twitter samedi un sondage pour décider s’il devait vendre 10 % des actions de Tesla, l’entrepreneur américain s’opposait au projet démocrate de taxation des plus-values. Ce lundi, l’action du constructeur automobile dégringole.", + "title": "Aux Etats-Unis, une tornade historique a semé la désolation sur son passage", + "description": "Le phénomène météorologique hors-norme a déjoué le système d’alertes à la population. Le bilan devrait dépasser la centaine de morts, pour la plupart dans le Kentucky.", + "content": "Des secours autour d’une église dévastée à Mayfield, Kentucky, le 12 décembre REUTERS/Adrees Latif", "category": "", - "link": "https://www.courrierinternational.com/article/bourse-elon-musk-t-il-gagne-son-coup-de-poker-contre-la-taxe-des-milliardaires", + "link": "https://www.lemonde.fr/planete/article/2021/12/12/aux-etats-unis-une-tornade-historique-a-seme-la-desolation-sur-son-passage_6105792_3244.html", "creator": "", - "pubDate": "Mon, 08 Nov 2021 16:31:17 +0100", - "enclosure": "https://www.courrierinternational.com/sites/ci_master/files/styles/image_940/public/illustrations/thumbnails/musk.png?itok=L3zWu3Ys", - "enclosureType": "image/png", + "pubDate": "Sun, 12 Dec 2021 20:46:38 +0100", + "enclosure": "", + "enclosureType": "", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "3963ce16cbd8164924836b249dd6d636" + "hash": "462fff3c58316fb10ad9d9ea4cec05b9" }, { - "title": "Les petits boulots les plus bizarres d’Allemagne", - "description": "Le travail à temps partiel concerne 3,4 millions de personnes, principalement des étudiants et des retraités. Des journalistes de Die Zeit ont raconté leurs expériences les plus étranges.", - "content": "Le travail à temps partiel concerne 3,4 millions de personnes, principalement des étudiants et des retraités. Des journalistes de Die Zeit ont raconté leurs expériences les plus étranges.", + "title": "Variant Omicron : un « raz-de-marée arrive » au Royaume-Uni, Boris Johnson prend une série de nouvelles mesures", + "description": "Le premier ministre britannique s’est adressé dimanche soir à la nation dans une allocution, annonçant que tous les plus de 18 ans en Angleterre pourraient recevoir une troisième dose de vaccin d’ici fin décembre.", + "content": "Boris Johnson, à Downing Street, à Londres, le 11 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/travail-les-petits-boulots-les-plus-bizarres-dallemagne", + "link": "https://www.lemonde.fr/international/article/2021/12/12/face-a-la-progression-du-variant-omicron-le-niveau-d-alerte-covid-releve-au-royaume-uni_6105791_3210.html", "creator": "", - "pubDate": "Mon, 08 Nov 2021 09:20:08 +0100", + "pubDate": "Sun, 12 Dec 2021 20:03:08 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e063d279e4393d26815eade6ef001515" + "hash": "1fbb502de126feca8c31b80ebb395ce7" }, { - "title": "Ces abattoirs européens qui exploitent les ouvriers étrangers", - "description": "S’il y a de la viande bon marché en Europe, c’est aussi parce que les industriels du secteur ont externalisé une partie de la main-d’œuvre. Des milliers d’étrangers, employés par des intermédiaires, sont sous-payés et travaillent dans des conditions déplorables, explique cette enquête du Guardian.", - "content": "S’il y a de la viande bon marché en Europe, c’est aussi parce que les industriels du secteur ont externalisé une partie de la main-d’œuvre. Des milliers d’étrangers, employés par des intermédiaires, sont sous-payés et travaillent dans des conditions déplorables, explique cette enquête du Guardian.", + "title": "En Alsace, la quête d’un lithium produit en France et durable", + "description": "Le lithium contenu dans les eaux souterraines du fossé rhénan attise les convoitises. Au nord de Strasbourg, plusieurs sociétés tentent d’extraire cet or blanc, indispensable à la construction des batteries électriques.", + "content": "A l’intérieur de la centrale géothermique de Rittershoffen (Bas-Rhin), qui fait partie du programme EuGeLi, le 18 novembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/agroalimentaire-ces-abattoirs-europeens-qui-exploitent-les-ouvriers-etrangers", + "link": "https://www.lemonde.fr/planete/article/2021/12/12/en-alsace-la-quete-d-un-lithium-produit-en-france-et-responsable_6105786_3244.html", "creator": "", - "pubDate": "Mon, 08 Nov 2021 05:57:22 +0100", + "pubDate": "Sun, 12 Dec 2021 19:10:38 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "663cd91d56dad5d2c8a8ed7c4c0d6422" + "hash": "b47334974984aa0debdd0ac1cb497a5f" }, { - "title": "La cocotte-minute de la livraison express", - "description": "À Londres comme à Paris, une nouvelle génération de start-up tente de mettre la main sur le marché déjà concurrentiel du quick commerce, les livraisons de courses ultrarapides, en moins de dix minutes. Le Wall Street Journal décrypte ce phénomène en plein essor.", - "content": "À Londres comme à Paris, une nouvelle génération de start-up tente de mettre la main sur le marché déjà concurrentiel du quick commerce, les livraisons de courses ultrarapides, en moins de dix minutes. Le Wall Street Journal décrypte ce phénomène en plein essor.", + "title": "Le rappeur Ninho, à l’AccorHotels Arena de Paris, entre brio et impréparation", + "description": "Après deux reports liés à la crise sanitaire, le rappeur francilien s’est produit, samedi 11 décembre, dans un concert avec de nombreux invités surprises.", + "content": "Ninho en concert à l’AccorHotels Arena, à Paris, le 11 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/concurrence-la-cocotte-minute-de-la-livraison-express", + "link": "https://www.lemonde.fr/culture/article/2021/12/12/le-rappeur-ninho-a-l-accorhotels-arena-de-paris-entre-brio-et-impreparation_6105785_3246.html", "creator": "", - "pubDate": "Sat, 06 Nov 2021 14:35:11 +0100", + "pubDate": "Sun, 12 Dec 2021 19:03:13 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a3aefd635ba134c339b9c41b51444cfa" + "hash": "affcf641bb68e6e29aba022e43061d98" }, { - "title": "La France, détrônée par l’Espagne, n’est plus le deuxième plus gros producteur de vin", - "description": "Même si elle n’a pas été épargnée par les intempéries cette année, l’Espagne a ravi sa deuxième place à la France dans le classement des plus gros producteurs de vin, constate le quotidien barcelonais La Vanguardia.", - "content": "Même si elle n’a pas été épargnée par les intempéries cette année, l’Espagne a ravi sa deuxième place à la France dans le classement des plus gros producteurs de vin, constate le quotidien barcelonais La Vanguardia.", + "title": "Nouvelle-Calédonie, tornades aux Etats-Unis, suites du Brexit… Les informations à retenir ce week-end", + "description": "Si vous n’avez pas suivi l’actualité de ce week-end des 11 et 12 décembre, voici ce qu’il faut retenir des dernières quarante-huit heures.", + "content": "Si vous n’avez pas suivi l’actualité de ce week-end des 11 et 12 décembre, voici ce qu’il faut retenir des dernières quarante-huit heures.", "category": "", - "link": "https://www.courrierinternational.com/article/classement-la-france-detronee-par-lespagne-nest-plus-le-deuxieme-plus-gros-producteur-de-vin", + "link": "https://www.lemonde.fr/les-decodeurs/article/2021/12/12/nouvelle-caledonie-tornades-aux-etats-unis-suites-du-brexit-les-informations-a-retenir-ce-week-end_6105784_4355770.html", "creator": "", - "pubDate": "Fri, 05 Nov 2021 16:59:49 +0100", + "pubDate": "Sun, 12 Dec 2021 19:00:14 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "dc5201850533de7ef882167b777c5810" + "hash": "03fdccc15c6d0bac0c5e8bd17c5c55af" }, { - "title": "Des engagements encourageants pour délaisser les énergies fossiles", - "description": "Plusieurs pays promettent de ne plus financer les énergies fossiles ou de mettre fin aux projets de centrale à charbon, explique le New Scientist.", - "content": "Plusieurs pays promettent de ne plus financer les énergies fossiles ou de mettre fin aux projets de centrale à charbon, explique le New Scientist.", + "title": "Le groupe France Loisirs trouve un repreneur mais va perdre plus de 600 emplois", + "description": "Seuls 138 postes seront préservés par la SAS Financière Trésor du Patrimoine sur les 750 que comptait le club de livres en France. Quatorze boutiques seront conservées sur les 122 actuelles.", + "content": "Une librairie France Loisirs, à Paris, en novembre 2020.", "category": "", - "link": "https://www.courrierinternational.com/article/cop26-des-engagements-encourageants-pour-delaisser-les-energies-fossiles", + "link": "https://www.lemonde.fr/economie/article/2021/12/14/le-groupe-france-loisirs-trouve-un-repreneur-mais-va-perdre-plus-de-600-emplois_6105932_3234.html", "creator": "", - "pubDate": "Fri, 05 Nov 2021 15:44:45 +0100", + "pubDate": "Tue, 14 Dec 2021 02:52:59 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2ecd6b06aeb024421c502e471132a336" + "hash": "228d656e376f1ccc8fe5723dd389962d" }, { - "title": "Vaccination quasi obligatoire pour plus de 100 millions de salariés américains", - "description": "À compter du 4 janvier prochain, les employés non vaccinés des entreprises de plus de 100 salariés devront se soumettre à un test de dépistage Covid hebdomadaire, à leurs frais. La décision, qui vise à faire “sortir définitivement” les États-Unis de la pandémie, se heurte à l’opposition des républicains.", - "content": "À compter du 4 janvier prochain, les employés non vaccinés des entreprises de plus de 100 salariés devront se soumettre à un test de dépistage Covid hebdomadaire, à leurs frais. La décision, qui vise à faire “sortir définitivement” les États-Unis de la pandémie, se heurte à l’opposition des républicains.", + "title": "Max Verstappen, nouveau roi de la formule 1", + "description": "Dimanche 12 décembre, le pilote néerlandais de 24 ans a détrôné le septuple champion du monde, le Britannique Lewis Hamilton, lors du dernier tour du dernier Grand Prix de la saison à Abou Dhabi.", + "content": "Max Verstappen (à gauche) est le nouveau champion du monde de F1, devant Lewis Hamilton (à droite).", "category": "", - "link": "https://www.courrierinternational.com/article/pandemie-vaccination-quasi-obligatoire-pour-plus-de-100-millions-de-salaries-americains", + "link": "https://www.lemonde.fr/sport/article/2021/12/12/max-verstappen-nouveau-roi-de-la-formule-1_6105777_3242.html", "creator": "", - "pubDate": "Fri, 05 Nov 2021 05:55:22 +0100", + "pubDate": "Sun, 12 Dec 2021 17:57:56 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "74a2f42552ae2548ccecdc4300676b5f" + "hash": "67943b8736423564e170079f62f219e0" }, { - "title": "La Banque centrale américaine ralentit son soutien à l’économie", - "description": "La Fed a annoncé mercredi 3 novembre qu’elle allait progressivement cesser d’injecter des liquidités sur les marchés aux États-Unis, repoussant l’éventualité d’une hausse des taux d’intérêt.", - "content": "La Fed a annoncé mercredi 3 novembre qu’elle allait progressivement cesser d’injecter des liquidités sur les marchés aux États-Unis, repoussant l’éventualité d’une hausse des taux d’intérêt.", + "title": "Covid-19 : 400 enquêtes en cours sur des réseaux de faux passes sanitaires, « nécessité » de vacciner les plus de 5 ans selon Castex", + "description": "Au total, près de 14 000 patients sont hospitalisés en France en raison du Covid, dont 2 500 en soins critiques.", + "content": "Dans une unité Covid de l’hôpital marseillais La Timone, le 10 décembre.", "category": "", - "link": "https://www.courrierinternational.com/article/monnaie-la-banque-centrale-americaine-ralentit-son-soutien-leconomie", + "link": "https://www.lemonde.fr/planete/article/2021/12/12/covid-19-400-enquetes-en-cours-sur-des-reseaux-de-faux-passes-sanitaires-necessite-de-vacciner-les-plus-de-5-ans-selon-castex_6105776_3244.html", "creator": "", - "pubDate": "Thu, 04 Nov 2021 16:31:25 +0100", + "pubDate": "Sun, 12 Dec 2021 17:39:19 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "0395ac8fa006434ff62a6ce7d6cfe14a" + "hash": "0e0d8e46d60e1bea255c9fdf5b02928c" }, { - "title": "L’économie argentine vire au cauchemar avec ses multiples taux de change en dollars", - "description": "Il existe au moins sept taux de change en devises différents en Argentine. Un symptôme d’une économie qui se noie depuis longtemps entre dette, inflation et dévaluation, comme une véritable malédiction.", - "content": "Il existe au moins sept taux de change en devises différents en Argentine. Un symptôme d’une économie qui se noie depuis longtemps entre dette, inflation et dévaluation, comme une véritable malédiction.", + "title": "Formule 1 : vainqueur de l’ultime Grand Prix de la saison, Max Verstappen décroche son premier titre mondial", + "description": "Le pilote néerlandais a devancé, dimanche, son rival britannique Lewis Hamilton dans le dernier tour du dernier Grand Prix d’une saison de formule 1 qui aura été très accrochée entre les deux pilotes.", + "content": "Max Verstappen a remporté la course à Abou Dhabi et le championnat du monde.", "category": "", - "link": "https://www.courrierinternational.com/article/monnaie-leconomie-argentine-vire-au-cauchemar-avec-ses-multiples-taux-de-change-en-dollars", + "link": "https://www.lemonde.fr/sport/live/2021/12/12/formule-1-verstappen-ou-hamilton-suivez-l-ultime-grand-prix-et-le-denouement-du-championnat-du-monde_6105755_3242.html", "creator": "", - "pubDate": "Thu, 04 Nov 2021 11:58:03 +0100", + "pubDate": "Sun, 12 Dec 2021 12:00:17 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "48ed7c6973ab14259c9eca419ec01106" + "hash": "b4461eab3e9163676734a982e7cd59f9" }, { - "title": "Les pays du Nord engagent 8,5 milliards de dollars pour décarboner l’Afrique du Sud", - "description": "Réunis à Glasgow pour la 26e Conférence des Nations unies pour le climat, les États-Unis, le Royaume-Uni, l’Union européenne, mais aussi la France et l’Allemagne, ont annoncé, le mardi 2 novembre, avoir conclu un accord avec Johannesburg pour soutenir la “transition énergétique juste” de l’Afrique du Sud, très dépendante du charbon.", - "content": "Réunis à Glasgow pour la 26e Conférence des Nations unies pour le climat, les États-Unis, le Royaume-Uni, l’Union européenne, mais aussi la France et l’Allemagne, ont annoncé, le mardi 2 novembre, avoir conclu un accord avec Johannesburg pour soutenir la “transition énergétique juste” de l’Afrique du Sud, très dépendante du charbon.", + "title": "Le skieur français a remporté les deux manches de l’épreuve. Alexis Pinturault, l’autre étoile française du ski alpin, a été éliminé lors de la première manche.", + "description": "Le skieur français a remporté les deux manches de l’épreuve. Alexis Pinturault, l’autre étoile française du ski alpin, a été éliminé lors de la première manche.", + "content": "Clément Noël lors de la première manche de l’épreuve de slalom masculin de la Coupe du monde de ski alpin à Val-d’Isère, le 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/cop26-les-pays-du-nord-engagent-85-milliards-de-dollars-pour-decarboner-lafrique-du-sud", + "link": "https://www.lemonde.fr/sport/article/2021/12/12/ski-alpin-clement-noel-realise-le-meilleur-temps-de-la-premiere-manche-du-slalom_6105758_3242.html", "creator": "", - "pubDate": "Wed, 03 Nov 2021 17:48:37 +0100", + "pubDate": "Sun, 12 Dec 2021 12:41:22 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "29e78f21ffa6bacc1c66418ab8f25cd2" + "hash": "4ab182fd342e427973f4a20fe15844e6" }, { - "title": "Des salaires en hausse de 10 % ? Pas assez, selon les grévistes de John Deere aux États-Unis", - "description": "La direction avait doublé la mise, mais les 10 000 salariés du fabricant de matériel agricole Deere & Company ont rejeté mardi l’accord et poursuivent leur grève. Alimentant le mouvement social qui enfle face à la pénurie de main-d’œuvre.", - "content": "La direction avait doublé la mise, mais les 10 000 salariés du fabricant de matériel agricole Deere & Company ont rejeté mardi l’accord et poursuivent leur grève. Alimentant le mouvement social qui enfle face à la pénurie de main-d’œuvre.", + "title": "« La Nouvelle-Calédonie restera donc française », déclare Macron après la large victoire du « non » au référendum sur l’indépendance", + "description": "Le président de la République s’est exprimé à l’issue du troisième et dernier référendum d’autodétermination organisé en Nouvelle-Calédonie, boycotté par les indépendantistes. « Je prends acte solennellement du résultat de ces trois scrutins qui confirment la volonté exprimée par la majorité des Calédoniens de rester dans la République et la nation française », a-t-il déclaré, reconnaissant que « le corps électoral est resté profondément divisé ».", + "content": "Le président de la République s’est exprimé à l’issue du troisième et dernier référendum d’autodétermination organisé en Nouvelle-Calédonie, boycotté par les indépendantistes. « Je prends acte solennellement du résultat de ces trois scrutins qui confirment la volonté exprimée par la majorité des Calédoniens de rester dans la République et la nation française », a-t-il déclaré, reconnaissant que « le corps électoral est resté profondément divisé ».", "category": "", - "link": "https://www.courrierinternational.com/article/social-des-salaires-en-hausse-de-10-pas-assez-selon-les-grevistes-de-john-deere-aux-etats", + "link": "https://www.lemonde.fr/politique/live/2021/12/12/referendum-en-nouvelle-caledonie-quelle-suite-apres-la-troisieme-victoire-du-non-a-l-independance_6105742_823448.html", "creator": "", - "pubDate": "Wed, 03 Nov 2021 12:34:19 +0100", + "pubDate": "Sun, 12 Dec 2021 09:46:24 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "53bafb6a71231a73d7ceb2f9fef2e7cd" + "hash": "4c6a535e19065ae2a3ffad87d97bbd04" }, { - "title": "Facebook cesse d’utiliser son système de reconnaissance faciale", - "description": "Invoquant des “inquiétudes sociétales”, la maison-mère de Facebook, Meta, a annoncé qu’elle n’utiliserait plus la reconnaissance faciale pour proposer un “tag” automatiquement sur les photos. Les données sur plus d’un milliard d’utilisateurs devraient être effacées.", - "content": "Invoquant des “inquiétudes sociétales”, la maison-mère de Facebook, Meta, a annoncé qu’elle n’utiliserait plus la reconnaissance faciale pour proposer un “tag” automatiquement sur les photos. Les données sur plus d’un milliard d’utilisateurs devraient être effacées.", + "title": "Aux Etats-Unis, des paysages dévastés après le passage de tornades meurtrières dans le centre et le sud du pays", + "description": "Des dizaines de personnes ont été tuées aux Etats-Unis par des tornades, parmi « les pires » de l’histoire des Etats-Unis, selon le président, Joe Biden.", + "content": "La tornade a arraché une bonne partie du toit et des murs de cette maison située à Mayfield, ici le 11 décembre.", "category": "", - "link": "https://www.courrierinternational.com/article/technologie-facebook-cesse-dutiliser-son-systeme-de-reconnaissance-faciale", + "link": "https://www.lemonde.fr/international/article/2021/12/12/aux-etats-unis-la-recherche-de-survivants-apres-le-passage-de-tornades-meurtrieres-dans-le-centre-et-le-sud-du-pays_6105759_3210.html", "creator": "", - "pubDate": "Tue, 02 Nov 2021 21:24:54 +0100", + "pubDate": "Sun, 12 Dec 2021 12:43:53 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "f054c7aa604220fe898ca75620532c40" + "hash": "142d3040ffa7313a4f2d838e5b69c51a" }, { - "title": "La Chine suscite des peurs en demandant à ses habitants de stocker des provisions", - "description": "Le gouvernement de Pékin a appelé les foyers à faire des réserves de produits de base, en prévision, d’après les autorités, de nouveaux confinements locaux.", - "content": "Le gouvernement de Pékin a appelé les foyers à faire des réserves de produits de base, en prévision, d’après les autorités, de nouveaux confinements locaux.", + "title": "La romancière Anne Rice, autrice des « Chroniques des vampires », est morte", + "description": "Ecrivaine aux plus de 100 millions de livres vendus, elle a consacré son œuvre à refaçonner la figure mythologique du vampire, devenu sous sa plume un être sensuel, tourmenté et érotique. Elle est morte le 11 décembre, à l’âge de 80 ans", + "content": "Anne Rice au salon Entertainment Weekly’s PopFest at The Reef, à Los Angeles, le 29 octobre 2016.", "category": "", - "link": "https://www.courrierinternational.com/article/asie-la-chine-suscite-des-peurs-en-demandant-ses-habitants-de-stocker-des-provisions", + "link": "https://www.lemonde.fr/disparitions/article/2021/12/12/la-romanciere-anne-rice-autrice-des-chroniques-des-vampires-est-morte_6105749_3382.html", "creator": "", - "pubDate": "Tue, 02 Nov 2021 19:42:26 +0100", + "pubDate": "Sun, 12 Dec 2021 10:38:48 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ca884d385d52330772cab0d058ccd285" + "hash": "9f3d787bc3f103215d1fa6ee70d603e9" }, { - "title": "Epic Games met fin à la version chinoise du jeu Fortnite", - "description": "L’éditeur américain du très populaire jeu en ligne, qui avait fait alliance avec le géant numérique local Tencent pour pénétrer le marché chinois, a annoncé la fermeture définitive de Fortress Night.", - "content": "L’éditeur américain du très populaire jeu en ligne, qui avait fait alliance avec le géant numérique local Tencent pour pénétrer le marché chinois, a annoncé la fermeture définitive de Fortress Night.", + "title": "Education, santé, libertés : le lourd tribut payé par l’Afrique à la pandémie de Covid-19", + "description": "Un rapport de la Fondation Mo Ibrahim pointe les défis que devra relever le continent pour faire face aux conséquences de la crise sanitaire.", + "content": "Vaccination contre le Covid-19 dans une clinique de Johannesburg, en Afrique du Sud, le 8 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/game-over-epic-games-met-fin-la-version-chinoise-du-jeu-fortnite", + "link": "https://www.lemonde.fr/afrique/article/2021/12/12/education-sante-libertes-le-lourd-tribut-paye-par-l-afrique-a-la-pandemie-de-covid-19_6105738_3212.html", "creator": "", - "pubDate": "Tue, 02 Nov 2021 17:09:10 +0100", + "pubDate": "Sun, 12 Dec 2021 08:00:14 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "416c3cabd6a7cf9383093c66f17f2037" + "hash": "714deeb7b659b502a66291d4ea3aeb18" }, { - "title": "L’Espagne, victime collatérale de l’arrêt de l’activité du gazoduc Maghreb-Europe", - "description": "Madrid est pris au piège par les tensions entre l’Algérie et le Maroc, qui ont conduit à la suspension de l’activité du gazoduc Maghreb-Europe. La pénurie de gaz devrait être évitée, rassure la presse espagnole, mais les coûts d’approvisionnement vont augmenter.", - "content": "Madrid est pris au piège par les tensions entre l’Algérie et le Maroc, qui ont conduit à la suspension de l’activité du gazoduc Maghreb-Europe. La pénurie de gaz devrait être évitée, rassure la presse espagnole, mais les coûts d’approvisionnement vont augmenter.", + "title": "Le taux de participation s’élevait à 17 heures à 41,60 %, selon le Haut-Commissariat, en très forte baisse par rapport aux deux précédents référendums, conséquence de l’appel à bouder le scrutin des indépendantistes.", + "description": "A 84 % du dépouillement des bulletins de vote, le « non » à l’indépendance de cet archipel français stratégique du Pacifique-Sud l’emporte à 96 %, selon la chaîne de télévision NC la 1ère.", + "content": "A 84 % du dépouillement des bulletins de vote, le « non » à l’indépendance de cet archipel français stratégique du Pacifique-Sud l’emporte à 96 %, selon la chaîne de télévision NC la 1ère.", "category": "", - "link": "https://www.courrierinternational.com/revue-de-presse/energie-lespagne-victime-collaterale-de-larret-de-lactivite-du-gazoduc-maghreb", + "link": "https://www.lemonde.fr/politique/article/2021/12/12/les-bureaux-de-vote-pour-le-referendum-sur-l-independance-de-la-nouvelle-caledonie-ont-ouvert_6105720_823448.html", "creator": "", - "pubDate": "Tue, 02 Nov 2021 17:06:45 +0100", + "pubDate": "Sun, 12 Dec 2021 00:46:48 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "98891e4bfb857391be7893c6ea9733b3" + "hash": "6cb057d459132de8bee85ebb36210427" }, { - "title": "Le premier accord de la COP26 engage plus de cent pays à inverser la déforestation", - "description": "Au deuxième jour du sommet sur le climat à Glasgow, les chefs d’États qui abritent plus de 85 % des forêts mondiales s’accordent à mettre fin à la déforestation d’ici 2030 et promettent d’allouer à cet effet 16,5 milliards d’euros de fonds publics et privés.", - "content": "Au deuxième jour du sommet sur le climat à Glasgow, les chefs d’États qui abritent plus de 85 % des forêts mondiales s’accordent à mettre fin à la déforestation d’ici 2030 et promettent d’allouer à cet effet 16,5 milliards d’euros de fonds publics et privés.", + "title": "Peut-on faire la paix au Moyen-Orient en résidant à Genève ?", + "description": "C’est à Genève que vivent les envoyés spéciaux de l’ONU pour la Syrie, le Yémen et la Libye. L’un d’eux, Jan Kubis, vient d’ailleurs de démissionner pour ne pas avoir à résider à Tripoli, remarque l’historien Jean-Pierre Filiu.", + "content": "L’envoyé spécial des Nations Unies, Jan Kubis, à Berlin (Allemagne), le 18 mars 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/le-chiffre-du-jour-le-premier-accord-de-la-cop26-engage-plus-de-cent-pays-inverser-la", + "link": "https://www.lemonde.fr/blog/filiu/2021/12/12/peut-on-faire-la-paix-au-moyen-orient-en-residant-a-geneve/", "creator": "", - "pubDate": "Tue, 02 Nov 2021 14:26:32 +0100", + "pubDate": "Sun, 12 Dec 2021 07:32:36 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "91f4370ccedd67c49be4ffaa45940b6e" + "hash": "56e1332e190d37cb9a7710860c744a82" }, { - "title": "Parole de baleine, le dernier des poumons d’acier, le secret des pénuries et les fous du tungstène", - "description": "On devrait lire plus souvent Hakai Magazine, une publication canadienne de Victoria, en Colombie-Britannique, consacrée à la vie scientifique et culturelle des régions côtières. L’un des articles décrit magistralement le nouveau projet d’un groupe international de biologistes et de spécialistes de l’intelligence artificielle, formé en 2017 au hasard d’un séminaire à l’université Harvard, qui tente de décrypter le langage des baleines dans l’espoir d’engager un jour la...", - "content": "On devrait lire plus souvent Hakai Magazine, une publication canadienne de Victoria, en Colombie-Britannique, consacrée à la vie scientifique et culturelle des régions côtières. L’un des articles décrit magistralement le nouveau projet d’un groupe international de biologistes et de spécialistes de l’intelligence artificielle, formé en 2017 au hasard d’un séminaire à l’université Harvard, qui tente de décrypter le langage des baleines dans l’espoir d’engager un jour la...", + "title": "Laurent Wauquiez assure Valérie Pécresse de « son soutien total »", + "description": "Le président de la région Auvergne-Rhône-Alpes affirme, dans le « JDD », qu’il ne veut pas s’attarder sur les désaccords qu’il a connus avec la candidate LR à la présidentielle, notamment quand elle avait quitté le parti qu’il présidait en 2019.", + "content": "Laurent Wauquiez, aux Estables (Haute-Loire), en août 2018.", "category": "", - "link": "https://www.courrierinternational.com/article/la-lettre-tech-parole-de-baleine-le-dernier-des-poumons-dacier-le-secret-des-penuries-et-les", + "link": "https://www.lemonde.fr/politique/article/2021/12/12/laurent-wauquiez-assure-valerie-pecresse-de-son-soutien-total_6105731_823448.html", "creator": "", - "pubDate": "Tue, 02 Nov 2021 12:19:04 +0100", + "pubDate": "Sun, 12 Dec 2021 06:16:09 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "ada8d22c39e2496e1d925d2fb126774b" + "hash": "4e5e254e9db09811f334377f523449fb" }, { - "title": "Dans la plus grande usine du monde de séquestration du CO2", - "description": "Retirer le dioxyde de carbone de l’air. Le pétrifier sous terre pour accélérer la décarbonation. Cette méthode, utilisée par un nouveau site pilote en Islande, est-elle vraiment la solution à l’urgence climatique ?", - "content": "Retirer le dioxyde de carbone de l’air. Le pétrifier sous terre pour accélérer la décarbonation. Cette méthode, utilisée par un nouveau site pilote en Islande, est-elle vraiment la solution à l’urgence climatique ?", + "title": "Un Français arrêté au Niger en marge de la célébration de la Journée internationale des droits de l’homme", + "description": "Mathieu Pourchier, un salarié de l’organisation Agir ensemble pour les droits humains, fait partie des cinq personnes interpellées vendredi à Niamey. Des ONG y voient un lien avec les manifestations contre le passage d’un convoi militaire français dans le pays, il y a deux semaines.", + "content": "Des officiers de police dans les rues de Niamey, le 23 avril 2020.", "category": "", - "link": "https://www.courrierinternational.com/article/technologie-dans-la-plus-grande-usine-du-monde-de-sequestration-du-co2", + "link": "https://www.lemonde.fr/afrique/article/2021/12/12/un-francais-arrete-au-niger-en-marge-de-la-celebration-de-la-journee-internationale-des-droits-de-l-homme_6105728_3212.html", "creator": "", - "pubDate": "Tue, 02 Nov 2021 06:03:30 +0100", + "pubDate": "Sun, 12 Dec 2021 04:02:29 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "e0712775f4f57282d00e445435cc9261" + "hash": "facaf1485a5ffb4e3efe34df128d18b7" }, { - "title": "Le Japon dit enfin adieu à la disquette", - "description": "Sony n’en produit plus, elles sont difficiles à trouver en magasin. Et pourtant, les bonnes vieilles disquettes sont toujours utilisées par certaines entreprises et collectivités territoriales du Japon. Qui, en 2021, lancent enfin leur modernisation numérique. Les explications de la presse japonaise.", - "content": "Sony n’en produit plus, elles sont difficiles à trouver en magasin. Et pourtant, les bonnes vieilles disquettes sont toujours utilisées par certaines entreprises et collectivités territoriales du Japon. Qui, en 2021, lancent enfin leur modernisation numérique. Les explications de la presse japonaise.", + "title": "La Francilienne Diane Leyre élue Miss France 2022, dans un contexte qui pousse à élargir l’accès au concours", + "description": "Cette diplômée de commerce international âgée de 24 ans a devancé Miss Martinique, première dauphine, et Miss Alsace, deuxième dauphine. La compétition, réservée notamment aux femmes célibataires, fait l’objet d’un nombre croissant de critiques.", + "content": "Diane Leyre, élue Miss France, reçoit sa couronne des mains d’Amandine Petit, à Caen, le 12 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/anachronisme-le-japon-dit-enfin-adieu-la-disquette", + "link": "https://www.lemonde.fr/societe/article/2021/12/12/diane-leyre-ile-de-france-elue-miss-france-2022-dans-un-contexte-qui-pousse-a-elargir-l-acces-au-concours_6105722_3224.html", "creator": "", - "pubDate": "Mon, 01 Nov 2021 17:26:58 +0100", + "pubDate": "Sun, 12 Dec 2021 01:17:08 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "78193263d5e86c07c0444c6ab6dcbb4a" + "hash": "57942f10057099d5cb03a58ae50c400c" }, { - "title": "Après le burger sans viande, les œufs végétaux", - "description": "Vendredi 29 octobre, une entreprise suisse a dit avoir conçu le premier œuf dur végétal au monde. Le journal Le Temps raconte comment ce marché représente le nouveau terrain de chasse des géants de l’agroalimentaire.", - "content": "Vendredi 29 octobre, une entreprise suisse a dit avoir conçu le premier œuf dur végétal au monde. Le journal Le Temps raconte comment ce marché représente le nouveau terrain de chasse des géants de l’agroalimentaire.", + "title": "Troisième vol habité réussi pour la fusée de Blue Origin, avec six passagers, dont la fille du pionnier de l’espace américain Alan Shepard", + "description": "A bord se trouvait Laura Shepard Churchley, la fille du premier Américain à avoir franchi, en 1961, l’ultime frontière.", + "content": "Les six passagers, dont Laura Shepard Churchley à gauche, après leur vol dans l’espace, le 11 décembre.", "category": "", - "link": "https://www.courrierinternational.com/article/veganisme-apres-le-burger-sans-viande-les-oeufs-vegetaux", + "link": "https://www.lemonde.fr/sciences/article/2021/12/11/troisieme-vol-habite-reussi-pour-la-fusee-de-blue-origin-avec-six-passagers-dont-la-fille-du-pionnier-de-l-espace-americain-alan-shepard_6105718_1650684.html", "creator": "", - "pubDate": "Mon, 01 Nov 2021 17:21:08 +0100", + "pubDate": "Sat, 11 Dec 2021 22:19:00 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "2f74cacf2ca42e9daba341c031199d24" + "hash": "84a7f71e9ce4942c0a9f61d4f201c80a" }, { - "title": "On taxe bien l’alcool, pourquoi pas le carbone ?", - "description": "Et si la meilleure politique pour le climat consistait à prélever un impôt sur la pollution ? L’histoire de la taxe sur l’alcool aux États-Unis est à cet égard édifiante.", - "content": "Et si la meilleure politique pour le climat consistait à prélever un impôt sur la pollution ? L’histoire de la taxe sur l’alcool aux États-Unis est à cet égard édifiante.", + "title": "Yannick Agnel, ancien champion olympique de natation, mis en examen pour « viol et agression sexuelle sur mineure de 15 ans »", + "description": "L’ancien sportif de haut niveau, âgé de 29 ans, a été placé sous contrôle judiciaire, malgré les réquisitions de placement en détention provisoire formulées par le parquet et le juge d’instruction.", + "content": "Yannick Agnel le 30 mars 2016 avant une compétition, à Montpellier.", "category": "", - "link": "https://www.courrierinternational.com/article/crise-climatique-taxe-bien-lalcool-pourquoi-pas-le-carbone", + "link": "https://www.lemonde.fr/societe/article/2021/12/11/yannick-agnel-ancien-champion-olympique-de-natation-mis-en-examen-pour-viol-et-agression-sexuelle-sur-mineure-de-15-ans_6105716_3224.html", "creator": "", - "pubDate": "Mon, 01 Nov 2021 05:44:48 +0100", + "pubDate": "Sat, 11 Dec 2021 20:27:09 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "a485c04b096a5f8a6ac93567a5b0a0f0" + "hash": "3590b6388a9760c6c70f9666f73ebf76" }, { - "title": "À Miami, les riches Latino-Américains se ruent sur l’immobilier", - "description": "Les crises sociales, les bouleversements politiques, la pandémie de Covid-19 ont provoqué un important afflux d’investisseurs des pays d’Amérique latine dans des biens immobiliers de la capitale de la Floride. Nouveauté : ils achètent souvent pour en faire leur résidence principale et télétravailler.", - "content": "Les crises sociales, les bouleversements politiques, la pandémie de Covid-19 ont provoqué un important afflux d’investisseurs des pays d’Amérique latine dans des biens immobiliers de la capitale de la Floride. Nouveauté : ils achètent souvent pour en faire leur résidence principale et télétravailler.", + "title": "Mondial de handball : bousculées, mais victorieuses des Serbes, les Bleues qualifiées pour les quarts de finale", + "description": "La France a battu, samedi, la Serbie au bout du suspense (22-19). Lundi, l’issue du dernier match du tour principal, lors duquel elle affrontera la Russie, déterminera qui occupera la première place du groupe.", + "content": "La demi-centre serbe Tamara Radojevic et le pivot français Béatrice Edwige face à face au cours du match France-Serbie du tour principal du Mondial de handball, en Espagne, samedi 11 décembre 2021.", "category": "", - "link": "https://www.courrierinternational.com/article/tendance-miami-les-riches-latino-americains-se-ruent-sur-limmobilier", + "link": "https://www.lemonde.fr/sport/article/2021/12/11/mondial-de-handball-bousculees-mais-victorieuses-des-serbes-les-bleues-qualifiees-pour-les-quarts-de-finale_6105714_3242.html", "creator": "", - "pubDate": "Sun, 31 Oct 2021 13:49:12 +0100", + "pubDate": "Sat, 11 Dec 2021 20:04:30 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", + "feed": "Le Monde", "read": false, "favorite": false, "created": false, "tags": [], - "hash": "9c2dd9a8dfcdf03c150c4a886767e776" + "hash": "d23e9a979874bfac1f9794b5b6cdb173" }, { - "title": "À Rome, le G20 approuve une taxation des multinationales “qui bénéficiera aux pays riches”", - "description": "En ouvrant le sommet du G20 ce 30 octobre, le chef du gouvernement italien Mario Draghi a invité à relancer le multilatéralisme pour répondre aux défis mondiaux. Dans la foulée, les dirigeants ont donné leur “bénédiction” à un taux d’imposition minimal des grandes entreprises. Ce dernier représente une victoire pour Joe Biden et pour les pays riches, observe la presse étrangère.\n\n\n ", - "content": "En ouvrant le sommet du G20 ce 30 octobre, le chef du gouvernement italien Mario Draghi a invité à relancer le multilatéralisme pour répondre aux défis mondiaux. Dans la foulée, les dirigeants ont donné leur “bénédiction” à un taux d’imposition minimal des grandes entreprises. Ce dernier représente une victoire pour Joe Biden et pour les pays riches, observe la presse étrangère.\n\n\n ", + "title": "Avec des prix qui flambent depuis dix ans, l’automobile redevient un produit de luxe", + "description": "A croire qu’il faudrait réinventer la 4CV ou la 2CV du milieu du siècle dernier, pour permettre à plus de ménages de s’offrir un véhicule. D’ailleurs, en France, l’acheteur se situe désormais au seuil de la soixantaine.", + "content": "Sur le stand DS, au salon de l’automobile de Toulouse, le 12 novembre.", "category": "", - "link": "https://www.courrierinternational.com/article/fiscalite-rome-le-g20-approuve-une-taxation-des-multinationales-qui-beneficiera-aux-pays", + "link": "https://www.lemonde.fr/economie/article/2021/12/13/avec-des-prix-qui-flambent-depuis-dix-ans-l-automobile-redevient-un-produit-de-luxe_6105885_3234.html", "creator": "", - "pubDate": "Sat, 30 Oct 2021 16:19:38 +0200", + "pubDate": "Mon, 13 Dec 2021 17:00:12 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", "folder": "00.03 News/News - FR", - "feed": "Courier International - Eco", - "read": true, + "feed": "Le Monde", + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "1876bb9ea7892631487e94cc38970a5f" - } - ], - "folder": "00.03 News/News - FR", - "name": "Courier International - Eco", - "language": "fr", - "hash": "438887e02b156a2cf6ade5792e509a25" - }, - { - "title": "Le Monde.fr - Actualités et Infos en France et dans le monde", - "subtitle": "", - "link": "https://www.lemonde.fr/rss/en_continu.xml", - "image": null, - "description": "Le Monde.fr - 1er site d’information. Les articles du journal et toute l’actualité en continu : International, France, Société, Economie, Culture, Environnement, Blogs ...", - "items": [ + "hash": "257812aab21a9a8dbb0f621127487e53" + }, { "title": "Référendum en Nouvelle-Calédonie : une drôle de non-campagne", "description": "Cette troisième consultation, organisée dimanche 12 décembre, se déroule dans un climat étrange : les indépendantistes ont appelé à la boycotter à cause de la crise sanitaire, et les loyalistes font campagne sans adversaire sur le terrain.", @@ -144320,8 +170964,29 @@ "hash": "468d3f4c649ae8922d87a60db77f9616" }, { - "title": "Pêche post-Brexit : le Royaume-Uni accorde 23 licences supplémentaires aux Français", - "description": "Ce nombre reste très en deçà des 104 licences que réclamait Paris ces derniers jours, en menaçant d’aller au contentieux en l’absence, avant vendredi, de « geste de bonne volonté » de la part de Londres.", + "title": "Variant Omicron : face au « raz-de-marée » au Royaume-Uni, la presse britannique bat le rappel", + "description": "Si les lignes éditoriales divergent, les médias britanniques ont tous fait de l’urgence de la vaccination contre le Covid-19 leur « une » après l’intervention du premier ministre, Boris Johnson, la veille.", + "content": "Une longue file d’attente s’est formée devant la pharmacie de Sevenoaks (Angleterre), dans l’espoir de recevoir une dose de rappel du vaccin contre le Covid-19, le 13 décembre 2021", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/13/variant-omicron-face-au-raz-de-maree-au-royaume-uni-la-presse-britannique-bat-le-rappel_6105882_3210.html", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 16:22:09 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cc3dfa960f6e425067d4d907bd7ec0d6" + }, + { + "title": "Pêche post-Brexit : le Royaume-Uni accorde 23 licences supplémentaires aux Français, des actions prévues", + "description": "Ce nombre reste très en deçà des 104 licences que réclamait Paris ces derniers jours en menaçant d’aller au contentieux en l’absence, avant vendredi, de « geste de bonne volonté » de la part de Londres.", "content": "Des pêcheurs français bloquent le port de Saint-Malo pour dénoncer le manque de licences accordées par le Royaume-Uni, le 26 novembre 2021.", "category": "", "link": "https://www.lemonde.fr/international/article/2021/12/11/peche-post-brexit-le-royaume-uni-accorde-23-licences-supplementaires-aux-francais_6105696_3210.html", @@ -144338,7 +171003,7 @@ "favorite": false, "created": false, "tags": [], - "hash": "9fc482ba3c16b73f6f96c7067951962a" + "hash": "d8fe1ddf7e5c2fbc3adc5f295aa8a9da" }, { "title": "Thomas Piketty : « Plus que jamais, la planète va devoir prendre en compte les multiples fractures inégalitaires qui la traversent »", @@ -144382,6 +171047,48 @@ "tags": [], "hash": "410c630e737747722341f68ed87f56b1" }, + { + "title": "Emmanuel Macron en visite en Hongrie chez Viktor Orban, « un adversaire politique mais un partenaire européen »", + "description": "Le président français rencontre, lundi, le premier ministre hongrois, avec qui les divergences sont nombreuses, mais susceptible d’être un allié sur des sujets comme les investissements, le nucléaire ou la défense européenne.", + "content": "Le premier ministre hongrois, Viktor Orban, le 10 décembre 2020, à Bruxelles.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/13/emmanuel-macron-en-visite-en-hongrie-chez-viktor-orban-un-adversaire-politique-mais-un-partenaire-europeen_6105807_3210.html", + "creator": "", + "pubDate": "Mon, 13 Dec 2021 04:39:46 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0db110d46f95100b3f8c556725c1a8e4" + }, + { + "title": "Variant Omicron : un « raz-de-marée arrive » au Royaume-Uni, Boris Johnson prend une série de nouvelles mesures", + "description": "Le premier ministre britannique s’est adressé dimanche soir à la nation dans une allocution, annonçant que tous les plus de 18 ans en Angleterre pourraient recevoir une troisième de vaccin d’ici fin décembre.", + "content": "Boris Johnson, le 11 décembre à Downing Street.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/12/face-a-la-progression-du-variant-omicron-le-niveau-d-alerte-covid-releve-au-royaume-uni_6105791_3210.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 20:03:08 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0d0800aa1d3015e2bb15f3ff5a6f4d94" + }, { "title": "Le G7 affiche son unité contre les régimes autoritaires", "description": "Les ministres des affaires étrangères réunis à Liverpool visent implicitement la Chine et la Russie. Les Européens accusent Moscou de se préparer à envahir l’Ukraine.", @@ -144865,6 +171572,69 @@ "tags": [], "hash": "bd8c83daf325e35b0052e02041b4c69b" }, + { + "title": "Ligue 1 : Paris et Mbappé cliniques, Bamba Dieng acrobatique, Nantes euphorique", + "description": "Ce qu’il faut retenir de la 18e journée de Ligue 1, disputée ce week-end.", + "content": "Bamba Dieng a ouvert la marque face à Strasbourg d’un splendide retourné acrobatique.", + "category": "", + "link": "https://www.lemonde.fr/sport/article/2021/12/12/ligue-1-paris-et-mbappe-cliniques-bamba-dieng-acrobatique-nantes-euphorique_6105794_3242.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 23:00:12 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9967e07c52f1d616fceaaafec76ccfb0" + }, + { + "title": "Le rappeur Ninho à l’AccorHotels Arena de Paris : entre brio et impréparation", + "description": "Après deux reports liés à la crise sanitaire, le rappeur francilien s’est produit samedi 11 décembre dans la salle parisienne. Un concert avec de nombreux invités surprises.", + "content": "Ninho en concert à l’AccorHotels Arena, à Paris, le 11 décembre 2021.", + "category": "", + "link": "https://www.lemonde.fr/culture/article/2021/12/12/le-rappeur-ninho-a-l-accorhotels-arena-de-paris-entre-brio-et-impreparation_6105785_3246.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 19:03:13 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c43ea463884af81e4a8c7a628cbcba0e" + }, + { + "title": "Max Verstappen, nouveau roi de la formule 1", + "description": "Dimanche 12 décembre, le pilote néerlandais de 24 ans a détrôné le septuple champion du monde, le Britannique Lewis Hamilton, lors du dernier tour du dernier Grand Prix de la saison à Abou Dhabi.", + "content": "Max Verstappen brandit le drapeau néerlandais sur le podium à Abou Dhabi.", + "category": "", + "link": "https://www.lemonde.fr/sport/article/2021/12/12/max-verstappen-nouveau-roi-de-la-formule-1_6105777_3242.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 17:57:56 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f2a7bbd89dc0658b508d9d650b6c79c" + }, { "title": "Un professeur d’un lycée d’Angers renvoyé en correctionnelle pour « discrimination raciale ou religieuse »", "description": "Cet enseignant d’un lycée professionnel privé catholique, également maire LR d’une commune de Maine-et-Loire, aurait « invité » les élèves musulmans à changer de religion. Il plaide le second degré et estime avoir été mal compris.", @@ -145033,6 +171803,48 @@ "tags": [], "hash": "f825900f79a0c94b40c2c014fe0e2064" }, + { + "title": "Suivez l’émission « Questions politiques », dont l’invité est Jean-Luc Mélenchon", + "description": "Le candidat à l’élection présidentielle et chef de file des Insoumis est l’invité de France Inter, de France Télévisions et du « Monde » dimanche.", + "content": "French leftist movement La France Insoumise (LFI)'s presidential candidate Jean-Luc Melenchon gestures on stage during a campaign rally in the business district of La Defense, west of Paris on December 5, 2021. (Photo by Anne-Christine POUJOULAT / AFP)", + "category": "", + "link": "https://www.lemonde.fr/politique/video/2021/12/12/suivez-l-emission-questions-politiques-dont-l-invite-est-jean-luc-melenchon_6105756_823448.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 12:01:04 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9defa793507c81fe825fdb993f58fedc" + }, + { + "title": "Référendum en Nouvelle-Calédonie : le « non » à l’indépendance largement en tête, selon des résultats partiels", + "description": "Les habitants de Nouvelle-Calédonie étaient appelés à voter dimanche pour un troisième et dernier référendum d’autodétermination, censé clore un processus de décolonisation entamé en 1998 avec l’accord de Nouméa. L’issue du vote ne faisait guère de doute, les indépendantistes ayant décidé de boycotter le scrutin après avoir échoué à obtenir son report, estimant que l’épidémie de Covid-19 ne leur permettait pas de « mener une campagne équitable ».", + "content": "Les habitants de Nouvelle-Calédonie étaient appelés à voter dimanche pour un troisième et dernier référendum d’autodétermination, censé clore un processus de décolonisation entamé en 1998 avec l’accord de Nouméa. L’issue du vote ne faisait guère de doute, les indépendantistes ayant décidé de boycotter le scrutin après avoir échoué à obtenir son report, estimant que l’épidémie de Covid-19 ne leur permettait pas de « mener une campagne équitable ».", + "category": "", + "link": "https://www.lemonde.fr/politique/live/2021/12/12/referendum-sur-l-independance-de-la-nouvelle-caledonie-suivez-les-resultats-en-direct_6105742_823448.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 09:46:31 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f26cec48b26d8ba5b577b3e6286dbd8e" + }, { "title": "L’avocat Alex Ursulet mis en examen pour viol", "description": "Le pénaliste parisien, âgé de 64 ans, est poursuivi pour « viol par personne ayant autorité », jeudi 9 décembre à la suite de la plainte d’une avocate ayant été stagiaire à son cabinet.", @@ -145222,6 +172034,27 @@ "tags": [], "hash": "b0d161682220971b3f7401aa47fceecd" }, + { + "title": "Les bureaux de vote pour le référendum sur l’indépendance de la Nouvelle-Calédonie ont ouvert", + "description": "Cette troisième et dernière consultation du territoire français clôt un processus de décolonisation entamé il y a plus de trente ans. Le boycottage des partis indépendantistes favorise la victoire du non à l’autodétermination.", + "content": "Le vote sur l’indépendance de la Nouvelle-Calédonie a débuté, dimanche 12 décembre, notamment à Nouméa.", + "category": "", + "link": "https://www.lemonde.fr/politique/article/2021/12/12/les-bureaux-de-vote-pour-le-referendum-sur-l-independance-de-la-nouvelle-caledonie-ont-ouvert_6105720_823448.html", + "creator": "", + "pubDate": "Sun, 12 Dec 2021 00:46:48 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5f30a1f9c61bc235cb9ea297f25fea38" + }, { "title": "Antoine Dupont désigné meilleur joueur mondial de rugby de l’année", "description": "Il est le troisième Français à obtenir cette distinction créée en 2001 par World Rugby, après l’ancien demi de mêlée et actuel sélectionneur de l’équipe de France Fabien Galthié, en 2002, et l’ancien troisième ligne Thierry Dusautoir, en 2011.", @@ -145390,6 +172223,27 @@ "tags": [], "hash": "8bd0d11cc8aedde3edd78072fed8f7b6" }, + { + "title": "Pêche post-Brexit : le Royaume-Uni accorde 23 licences supplémentaires aux Français", + "description": "Ce nombre reste très en deçà des 104 licences que réclamait Paris ces derniers jours, en menaçant d’aller au contentieux en l’absence, avant vendredi, de « geste de bonne volonté » de la part de Londres.", + "content": "Des pêcheurs français bloquent le port de Saint-Malo pour dénoncer le manque de licences accordées par le Royaume-Uni, le 26 novembre 2021.", + "category": "", + "link": "https://www.lemonde.fr/international/article/2021/12/11/peche-post-brexit-le-royaume-uni-accorde-23-licences-supplementaires-aux-francais_6105696_3210.html", + "creator": "", + "pubDate": "Sat, 11 Dec 2021 14:26:43 +0100", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Le Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9fc482ba3c16b73f6f96c7067951962a" + }, { "title": "Valérie Pécresse et Xavier Bertrand promettent une campagne présidentielle « main dans la main »", "description": "Après avoir rendu visite à tous ses autres concurrents battus au congrès, la candidate des Républicains à l’élection présidentielle 2022 est aux côtés de Xavier Bertrand, vendredi, pour une visite de terrain dans les Hauts-de-France.", @@ -163691,6 +190545,69 @@ "image": null, "description": "Toute l'info économique, financière et boursière sur la France", "items": [ + { + "title": "Le maintien d'une inflation élevée va peser sur le pouvoir d'achat en 2022", + "description": "L'indemnité inflation va doper les revenus disponibles des Français au quatrième trimestre, souligne l'Insee dans sa note de conjoncture publiée ce mardi. Mais le pouvoir d'achat sera sous pression au premier semestre 2022 en raison d'une inflation toujours élevée.", + "content": "L'indemnité inflation va doper les revenus disponibles des Français au quatrième trimestre, souligne l'Insee dans sa note de conjoncture publiée ce mardi. Mais le pouvoir d'achat sera sous pression au premier semestre 2022 en raison d'une inflation toujours élevée.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700539325465-le-maintien-dune-inflation-elevee-va-peser-sur-le-pouvoir-dachat-en-2022-2447042.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Tue, 14 Dec 2021 19:00:41 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/14/2447042_le-maintien-dune-inflation-elevee-va-peser-sur-le-pouvoir-dachat-en-2022-web-tete-070539481683_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e6e22f6224c8475a3c787ed7f257384a" + }, + { + "title": "Croissance : l'Insee table sur un atterrissage en douceur malgré les vents contraires", + "description": "Dans ses projections dévoilées ce mardi, l'Insee maintient sa prévision d'une hausse du PIB de 6,7 % en 2021, malgré la reprise de l'épidémie et les pénuries. Le rythme devrait marquer un peu le pas au premier semestre 2022, tout en garantissant un acquis de croissance de 3 % à l'été.", + "content": "Dans ses projections dévoilées ce mardi, l'Insee maintient sa prévision d'une hausse du PIB de 6,7 % en 2021, malgré la reprise de l'épidémie et les pénuries. Le rythme devrait marquer un peu le pas au premier semestre 2022, tout en garantissant un acquis de croissance de 3 % à l'été.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700538048841-croissance-linsee-table-sur-un-atterrissage-en-douceur-malgre-les-vents-contraires-2447030.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Tue, 14 Dec 2021 18:00:39 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/14/2447030_croissance-linsee-table-sur-un-atterrissage-en-douceur-malgre-les-vents-contraires-web-tete-070539309881.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd61dfc7d58416bfb9cafa6df3056f44" + }, + { + "title": "Le plan de Bercy pour aider les entreprises à surmonter leurs difficultés d'approvisionnement", + "description": "Le gouvernement a annoncé, ce lundi, une série de mesures afin d'aider les secteurs les plus touchés par les problèmes d'approvisionnement en matières premières ou en composants. Un nouveau prêt pour l'industrie, sur dix ans, va apporter un bol d'air aux PME.", + "content": "Le gouvernement a annoncé, ce lundi, une série de mesures afin d'aider les secteurs les plus touchés par les problèmes d'approvisionnement en matières premières ou en composants. Un nouveau prêt pour l'industrie, sur dix ans, va apporter un bol d'air aux PME.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700532066143-un-plan-daide-pour-les-entreprises-confrontees-a-des-difficultes-dapprovisionnement-2446780.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Mon, 13 Dec 2021 18:49:18 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/13/2446780_le-plan-de-bercy-pour-aider-les-entreprises-a-surmonter-leurs-difficultes-dapprovisionnement-web-070532143125_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f626e936e9b6f3f10356d8c1cdfcc450" + }, { "title": "SONDAGE EXCLUSIF - Les Français inquiets pour leur situation financière malgré l'embellie de l'économie", "description": "Si l'inquiétude des Français quant à l'état économique du pays régresse, celle pour leur propre situation grimpe et concerne 62 % d'entre eux, selon un sondage Elabe pour « Les Echos ». Un mouvement nourri par une insatisfaction croissante autour de la question du pouvoir d'achat.", @@ -163748,21 +190665,168 @@ "language": "fr", "folder": "00.03 News/News - FR", "feed": "Les Echos", - "read": false, + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e1b3febd5893d6bad9cc1d7f9aa6ab44" + }, + { + "title": "Commerce extérieur : comment la France a perdu pied en vingt ans", + "description": "Dans une étude publiée ce mardi, le Haut-Commissariat au Plan livre une radiographie détaillée des raisons du déficit commercial français, passant au crible plus de 900 postes sur lesquels la France affiche un déficit supérieur à 50 millions d'euros. En octobre, le déficit extérieur s'est encore aggravé, à 7,5 milliards.", + "content": "Dans une étude publiée ce mardi, le Haut-Commissariat au Plan livre une radiographie détaillée des raisons du déficit commercial français, passant au crible plus de 900 postes sur lesquels la France affiche un déficit supérieur à 50 millions d'euros. En octobre, le déficit extérieur s'est encore aggravé, à 7,5 milliards.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700482379423-commerce-exterieur-comment-la-france-a-perdu-pied-en-vingt-ans-2445575.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Tue, 07 Dec 2021 06:35:44 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/07/2445575_commerce-exterieur-comment-la-france-a-perdu-pied-en-vingt-ans-web-tete-070482953293_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6e94adf9e97e5c2d8a406070f4e443ac" + }, + { + "title": "François Bayrou : « Dans nombre de secteurs, la France a une économie de pays sous-développé »", + "description": "Le Haut-commissaire au Plan, tire la sonnette d'alarme sur la situation du commerce extérieur français et fait plusieurs propositions concrètes pour tenter de renverser la vapeur.", + "content": "Le Haut-commissaire au Plan, tire la sonnette d'alarme sur la situation du commerce extérieur français et fait plusieurs propositions concrètes pour tenter de renverser la vapeur.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700482333510-francois-bayrou-dans-nombre-de-secteurs-la-france-a-une-economie-de-pays-sous-developpe-2445574.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Tue, 07 Dec 2021 06:30:27 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/07/2445574_francois-bayrou-dans-nombre-de-secteurs-la-france-a-une-economie-de-pays-sous-developpe-web-tete-070485210536_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3fb63dac2c6cb456b0bd1a67fc0ce628" + }, + { + "title": "L'inflation continue de grimper en France", + "description": "En novembre, les prix à la consommation ont augmenté de 2,8 %, sur douze mois glissants dans l'Hexagone, selon les données publiées ce mardi par l'Insee. Au troisième trimestre, le pouvoir d'achat des ménages est resté stable.", + "content": "En novembre, les prix à la consommation ont augmenté de 2,8 %, sur douze mois glissants dans l'Hexagone, selon les données publiées ce mardi par l'Insee. Au troisième trimestre, le pouvoir d'achat des ménages est resté stable.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700431134285-linflation-continue-de-grimper-en-france-2444240.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Tue, 30 Nov 2021 10:35:58 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/11/30/2444240_linflation-continue-de-grimper-en-france-web-070433824403_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c1d0163428876598e5eaa9392f3a5c9" + }, + { + "title": "Covid : les territoires en France où la natalité a le plus baissé", + "description": "Dans son dernier « portrait social », publié ce jeudi, l'Insee montre que la baisse des naissances liée au Covid a surtout touché les départements où l'épidémie et la crise économique sévissaient en même temps.", + "content": "Dans son dernier « portrait social », publié ce jeudi, l'Insee montre que la baisse des naissances liée au Covid a surtout touché les départements où l'épidémie et la crise économique sévissaient en même temps.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700407000569-covid-les-territoires-en-france-ou-la-natalite-a-le-plus-baisse-2443512.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Thu, 25 Nov 2021 18:00:33 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/11/25/2443512_covid-les-territoires-en-france-ou-la-natalite-a-le-plus-baisse-web-070407000989_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b4e9c1495cfe755d2272454d44fb27cf" + }, + { + "title": "Quatre questions sur la prime de Noël, bientôt versée à 2,3 millions de Français", + "description": "Les bénéficiaires du RSA ou de l'allocation de solidarité spécifique (ASS) recevront, à partir du 15 décembre, une prime exceptionnelle de fin d'année dite « prime de Noël ». Montant, conditions d'éligibilité, démarches à faire… ce qu'il faut savoir.", + "content": "Les bénéficiaires du RSA ou de l'allocation de solidarité spécifique (ASS) recevront, à partir du 15 décembre, une prime exceptionnelle de fin d'année dite « prime de Noël ». Montant, conditions d'éligibilité, démarches à faire… ce qu'il faut savoir.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/social/0700490775812-quatre-questions-sur-la-prime-de-noel-bientot-versee-a-23-millions-de-francais-2446955.php#xtor=RSS-71", + "creator": "Les Echos", + "pubDate": "Tue, 14 Dec 2021 10:01:14 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/14/2446955_quatre-questions-sur-la-prime-de-noel-bientot-versee-a-23-millions-de-francais-web-tete-070490860299.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fcc75f125e9fdb5928e66d25714cd84e" + }, + { + "title": "Insertion des jeunes : la Cour des comptes met les pieds dans le plat", + "description": "Les dispositifs d'insertion produisent des résultats modestes malgré un gros investissement financier, constatent les magistrats financiers dans un rapport publié ce mardi. Ils préconisent une profonde redistribution des rôles, notamment entre l'Etat et les régions.", + "content": "Les dispositifs d'insertion produisent des résultats modestes malgré un gros investissement financier, constatent les magistrats financiers dans un rapport publié ce mardi. Ils préconisent une profonde redistribution des rôles, notamment entre l'Etat et les régions.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/social/0700533186411-insertion-des-jeunes-la-cour-des-comptes-met-les-pieds-dans-le-plat-2446959.php#xtor=RSS-71", + "creator": "Alain Ruello", + "pubDate": "Tue, 14 Dec 2021 10:00:10 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/14/2446959_insertion-des-jeunes-la-cour-des-comptes-met-les-pieds-dans-le-plat-web-tete-070533625963_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f9e3ea47e5deed025fdbfd8c871f41f5" + }, + { + "title": "Les chefs d'entreprise abordent la cinquième vague de Covid avec un moral d'acier", + "description": "L'indice du climat des affaires a encore gagné 2 points en novembre, a indiqué ce mercredi l'Insee. L'enquête mensuelle a toutefois été réalisée avant la récente dégradation de la situation sanitaire.", + "content": "L'indice du climat des affaires a encore gagné 2 points en novembre, a indiqué ce mercredi l'Insee. L'enquête mensuelle a toutefois été réalisée avant la récente dégradation de la situation sanitaire.", + "category": "Économie France", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700397197267-les-chefs-dentreprise-abordent-la-cinquieme-vague-avec-un-moral-de-fer-2443151.php#xtor=RSS-71", + "creator": "Nathalie Silbert", + "pubDate": "Wed, 24 Nov 2021 11:58:34 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/11/24/2443151_les-chefs-dentreprise-abordent-la-cinquieme-vague-de-covid-avec-un-moral-dacier-web-070397333002_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos", + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "e1b3febd5893d6bad9cc1d7f9aa6ab44" + "hash": "923bf2ea156346c07f0159bc8ec0aeb6" }, { - "title": "Commerce extérieur : comment la France a perdu pied en vingt ans", - "description": "Dans une étude publiée ce mardi, le Haut-Commissariat au Plan livre une radiographie détaillée des raisons du déficit commercial français, passant au crible plus de 900 postes sur lesquels la France affiche un déficit supérieur à 50 millions d'euros. En octobre, le déficit extérieur s'est encore aggravé, à 7,5 milliards.", - "content": "Dans une étude publiée ce mardi, le Haut-Commissariat au Plan livre une radiographie détaillée des raisons du déficit commercial français, passant au crible plus de 900 postes sur lesquels la France affiche un déficit supérieur à 50 millions d'euros. En octobre, le déficit extérieur s'est encore aggravé, à 7,5 milliards.", + "title": "Fonction publique : le télétravail progresse malgré les obstacles", + "description": "Plus de quatre fonctionnaires sur dix télétravaillent au moins occasionnellement. C'est toujours moins que dans le privé, mais c'est près du double d'avant l'épidémie de Covid, selon la deuxième édition du baromètre Wimi-Ipsos publié ce mardi. Les freins au développement du télétravail restent importants, en particulier le « manque d'outils adéquats ».", + "content": "Plus de quatre fonctionnaires sur dix télétravaillent au moins occasionnellement. C'est toujours moins que dans le privé, mais c'est près du double d'avant l'épidémie de Covid, selon la deuxième édition du baromètre Wimi-Ipsos publié ce mardi. Les freins au développement du télétravail restent importants, en particulier le « manque d'outils adéquats ».", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700482379423-commerce-exterieur-comment-la-france-a-perdu-pied-en-vingt-ans-2445575.php#xtor=RSS-71", - "creator": "Nathalie Silbert", - "pubDate": "Tue, 07 Dec 2021 06:35:44 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/12/07/2445575_commerce-exterieur-comment-la-france-a-perdu-pied-en-vingt-ans-web-tete-070482953293_300x160.jpg", + "link": "https://www.lesechos.fr/economie-france/social/0700531340516-fonction-publique-le-teletravail-progresse-malgre-les-obstacles-2446918.php#xtor=RSS-71", + "creator": "Leïla de Comarmond", + "pubDate": "Tue, 14 Dec 2021 06:00:18 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/14/2446918_fonction-publique-le-teletravail-progresse-malgre-les-obstacles-web-070531471269_300x160.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -163773,38 +190837,38 @@ "favorite": false, "created": false, "tags": [], - "hash": "6e94adf9e97e5c2d8a406070f4e443ac" + "hash": "4ae0142cd1e2f010aae44f31288a04c3" }, { - "title": "François Bayrou : « Dans nombre de secteurs, la France a une économie de pays sous-développé »", - "description": "Le Haut-commissaire au Plan, tire la sonnette d'alarme sur la situation du commerce extérieur français et fait plusieurs propositions concrètes pour tenter de renverser la vapeur.", - "content": "Le Haut-commissaire au Plan, tire la sonnette d'alarme sur la situation du commerce extérieur français et fait plusieurs propositions concrètes pour tenter de renverser la vapeur.", + "title": "Retraites, éducation, emploi : l'OCDE exhorte la France à relancer les réformes", + "description": "Dans un rapport publié ce jeudi, l'organisation internationale appelle l'Hexagone à relancer son programme de réformes engagé en 2017 pour assurer une reprise pérenne. Parmi ses recommandations : la retraite à 64 ans à partir de 2025. Elle a aussi relevé sa prévision de croissance pour la France à 6,8% cette année et à 4,2% l'an prochain.", + "content": "Dans un rapport publié ce jeudi, l'organisation internationale appelle l'Hexagone à relancer son programme de réformes engagé en 2017 pour assurer une reprise pérenne. Parmi ses recommandations : la retraite à 64 ans à partir de 2025. Elle a aussi relevé sa prévision de croissance pour la France à 6,8% cette année et à 4,2% l'an prochain.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700482333510-francois-bayrou-dans-nombre-de-secteurs-la-france-a-une-economie-de-pays-sous-developpe-2445574.php#xtor=RSS-71", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700350674254-locde-fixe-sa-feuille-de-route-a-la-france-pour-le-prochain-quinquennat-2442034.php#xtor=RSS-71", "creator": "Nathalie Silbert", - "pubDate": "Tue, 07 Dec 2021 06:30:27 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/12/07/2445574_francois-bayrou-dans-nombre-de-secteurs-la-france-a-une-economie-de-pays-sous-developpe-web-tete-070485210536_300x160.jpg", + "pubDate": "Thu, 18 Nov 2021 11:45:17 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/11/18/2442034_retraites-education-emploi-locde-exhorte-la-france-a-relancer-les-reformes-web-070357716562_300x160.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", "feed": "Les Echos", - "read": false, + "read": true, "favorite": false, "created": false, "tags": [], - "hash": "3fb63dac2c6cb456b0bd1a67fc0ce628" + "hash": "d4c183c4bb860a6983e2863b3a4f7b12" }, { - "title": "L'inflation continue de grimper en France", - "description": "En novembre, les prix à la consommation ont augmenté de 2,8 %, sur douze mois glissants dans l'Hexagone, selon les données publiées ce mardi par l'Insee. Au troisième trimestre, le pouvoir d'achat des ménages est resté stable.", - "content": "En novembre, les prix à la consommation ont augmenté de 2,8 %, sur douze mois glissants dans l'Hexagone, selon les données publiées ce mardi par l'Insee. Au troisième trimestre, le pouvoir d'achat des ménages est resté stable.", + "title": "Discothèques, événementiel, tourisme : le détail des nouvelles aides", + "description": "Le ministre de l'Economie, Bruno Le Maire, a précisé ce lundi les mesures pour venir en aide aux entreprises touchées par la cinquième vague de Covid. La prise en charge totale de l'activité partielle va être prolongée d'un mois, jusqu'au 31 janvier 2022. Le seuil de baisse d'activité pris en compte passe de 80 % à 65 %.", + "content": "Le ministre de l'Economie, Bruno Le Maire, a précisé ce lundi les mesures pour venir en aide aux entreprises touchées par la cinquième vague de Covid. La prise en charge totale de l'activité partielle va être prolongée d'un mois, jusqu'au 31 janvier 2022. Le seuil de baisse d'activité pris en compte passe de 80 % à 65 %.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700431134285-linflation-continue-de-grimper-en-france-2444240.php#xtor=RSS-71", - "creator": "Nathalie Silbert", - "pubDate": "Tue, 30 Nov 2021 10:35:58 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/11/30/2444240_linflation-continue-de-grimper-en-france-web-070433824403_300x160.jpg", + "link": "https://www.lesechos.fr/economie-france/social/0700532088253-discotheques-evenementiel-tourisme-le-detail-des-nouvelles-mesures-daides-2446733.php#xtor=RSS-71", + "creator": "Alain Ruello", + "pubDate": "Mon, 13 Dec 2021 14:20:17 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/13/2446733_discotheques-evenementiel-tourisme-le-detail-des-nouvelles-aides-web-070532551483_300x160.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -163815,17 +190879,17 @@ "favorite": false, "created": false, "tags": [], - "hash": "0c1d0163428876598e5eaa9392f3a5c9" + "hash": "19a1c9d5b688261545fabeee22031a21" }, { - "title": "Covid : les territoires en France où la natalité a le plus baissé", - "description": "Dans son dernier « portrait social », publié ce jeudi, l'Insee montre que la baisse des naissances liée au Covid a surtout touché les départements où l'épidémie et la crise économique sévissaient en même temps.", - "content": "Dans son dernier « portrait social », publié ce jeudi, l'Insee montre que la baisse des naissances liée au Covid a surtout touché les départements où l'épidémie et la crise économique sévissaient en même temps.", + "title": "Les baisses d'impôts devraient soutenir la croissance française", + "description": "Le PIB par tête devrait augmenter de 1,35 % par an entre 2017 et 2025, contre 1,2 % en moyenne entre 2009 et 2017, selon une étude réalisée par le Cepremap et l'IPP. Cette accélération serait notamment la résultante des allégements fiscaux consentis sur le quinquennat.", + "content": "Le PIB par tête devrait augmenter de 1,35 % par an entre 2017 et 2025, contre 1,2 % en moyenne entre 2009 et 2017, selon une étude réalisée par le Cepremap et l'IPP. Cette accélération serait notamment la résultante des allégements fiscaux consentis sur le quinquennat.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700407000569-covid-les-territoires-en-france-ou-la-natalite-a-le-plus-baisse-2443512.php#xtor=RSS-71", + "link": "https://www.lesechos.fr/economie-france/conjoncture/0700340019617-les-baisses-dimpots-devraient-soutenir-la-croissance-francaise-2441559.php#xtor=RSS-71", "creator": "Nathalie Silbert", - "pubDate": "Thu, 25 Nov 2021 18:00:33 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/11/25/2443512_covid-les-territoires-en-france-ou-la-natalite-a-le-plus-baisse-web-070407000989_300x160.jpg", + "pubDate": "Tue, 16 Nov 2021 17:16:10 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/11/16/2441559_les-baisses-dimpots-devraient-soutenir-la-croissance-francaise-web-070340970113_300x160.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -163836,59 +190900,59 @@ "favorite": false, "created": false, "tags": [], - "hash": "b4e9c1495cfe755d2272454d44fb27cf" + "hash": "02f03f10125d15f92b8f3ec19c7efea5" }, { - "title": "Les chefs d'entreprise abordent la cinquième vague de Covid avec un moral d'acier", - "description": "L'indice du climat des affaires a encore gagné 2 points en novembre, a indiqué ce mercredi l'Insee. L'enquête mensuelle a toutefois été réalisée avant la récente dégradation de la situation sanitaire.", - "content": "L'indice du climat des affaires a encore gagné 2 points en novembre, a indiqué ce mercredi l'Insee. L'enquête mensuelle a toutefois été réalisée avant la récente dégradation de la situation sanitaire.", + "title": "Début des versements de « l'indemnité inflation » de 100 euros", + "description": "Annoncée en octobre pour compenser la flambée des prix du carburant, cette indemnité doit bénéficier à 38 millions de Français. Les versements débuteront lundi pour les étudiants boursiers, et s'étaleront jusqu'à fin février.", + "content": "Annoncée en octobre pour compenser la flambée des prix du carburant, cette indemnité doit bénéficier à 38 millions de Français. Les versements débuteront lundi pour les étudiants boursiers, et s'étaleront jusqu'à fin février.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700397197267-les-chefs-dentreprise-abordent-la-cinquieme-vague-avec-un-moral-de-fer-2443151.php#xtor=RSS-71", - "creator": "Nathalie Silbert", - "pubDate": "Wed, 24 Nov 2021 11:58:34 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/11/24/2443151_les-chefs-dentreprise-abordent-la-cinquieme-vague-de-covid-avec-un-moral-dacier-web-070397333002_300x160.jpg", + "link": "https://www.lesechos.fr/economie-france/social/0700528403965-debut-des-versements-de-lindemnite-inflation-de-100-euros-2446574.php#xtor=RSS-71", + "creator": "Les Echos", + "pubDate": "Sun, 12 Dec 2021 20:46:06 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/12/2446574_debut-des-versements-de-lindemnite-inflation-de-100-euros-web-070528435711_300x160.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", "feed": "Les Echos", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "923bf2ea156346c07f0159bc8ec0aeb6" + "hash": "f75ec80fc349a3521dd472a430e0013a" }, { - "title": "Retraites, éducation, emploi : l'OCDE exhorte la France à relancer les réformes", - "description": "Dans un rapport publié ce jeudi, l'organisation internationale appelle l'Hexagone à relancer son programme de réformes engagé en 2017 pour assurer une reprise pérenne. Parmi ses recommandations : la retraite à 64 ans à partir de 2025. Elle a aussi relevé sa prévision de croissance pour la France à 6,8% cette année et à 4,2% l'an prochain.", - "content": "Dans un rapport publié ce jeudi, l'organisation internationale appelle l'Hexagone à relancer son programme de réformes engagé en 2017 pour assurer une reprise pérenne. Parmi ses recommandations : la retraite à 64 ans à partir de 2025. Elle a aussi relevé sa prévision de croissance pour la France à 6,8% cette année et à 4,2% l'an prochain.", + "title": "Covid : le pic pourrait être atteint, selon Olivier Véran", + "description": "Le ralentissement de la progression de l'épidémie laisse espérer que son pic n'est pas loin, estime le ministre de la Santé dans une interview ce dimanche au « Parisien ». Mais il se garde de tout triomphalisme, estimant qu'il est « trop tôt pour […] dire » si l'épidémie va entamer une décrue rapidement ou se maintenir sur un plateau haut. Il annonce l'ouverture d'un à cinq centres par département pour vacciner les enfants, en plus des hôpitaux pédiatriques.", + "content": "Le ralentissement de la progression de l'épidémie laisse espérer que son pic n'est pas loin, estime le ministre de la Santé dans une interview ce dimanche au « Parisien ». Mais il se garde de tout triomphalisme, estimant qu'il est « trop tôt pour […] dire » si l'épidémie va entamer une décrue rapidement ou se maintenir sur un plateau haut. Il annonce l'ouverture d'un à cinq centres par département pour vacciner les enfants, en plus des hôpitaux pédiatriques.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700350674254-locde-fixe-sa-feuille-de-route-a-la-france-pour-le-prochain-quinquennat-2442034.php#xtor=RSS-71", - "creator": "Nathalie Silbert", - "pubDate": "Thu, 18 Nov 2021 11:45:17 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/11/18/2442034_retraites-education-emploi-locde-exhorte-la-france-a-relancer-les-reformes-web-070357716562_300x160.jpg", + "link": "https://www.lesechos.fr/economie-france/social/0700526786731-covid-le-pic-pourrait-etre-atteint-selon-olivier-veran-2446556.php#xtor=RSS-71", + "creator": "Leïla de Comarmond", + "pubDate": "Sun, 12 Dec 2021 13:39:00 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/12/2446556_covid-le-pic-pourrait-etre-atteint-selon-olivier-veran-web-070526907893.jpg", "enclosureType": "image/jpg", "image": "", "id": "", "language": "fr", "folder": "00.03 News/News - FR", "feed": "Les Echos", - "read": true, + "read": false, "favorite": false, "created": false, "tags": [], - "hash": "d4c183c4bb860a6983e2863b3a4f7b12" + "hash": "d0396b5c0b912b1c8021c40355173da1" }, { - "title": "Le gouvernement fait le minimum pour les salaires des fonctionnaires", - "description": "La ministre de la Fonction publique a annoncé, ce jeudi, un alignement du minimum de rémunération des fonctionnaires sur le SMIC mais pas de mesure générale, au grand dam des fédérations de fonctionnaires. La CFDT et l'Unsa sont prêtes malgré tout à participer aux discussions qui vont s'ouvrir sur une évolution du système de rémunération des agents.", - "content": "La ministre de la Fonction publique a annoncé, ce jeudi, un alignement du minimum de rémunération des fonctionnaires sur le SMIC mais pas de mesure générale, au grand dam des fédérations de fonctionnaires. La CFDT et l'Unsa sont prêtes malgré tout à participer aux discussions qui vont s'ouvrir sur une évolution du système de rémunération des agents.", + "title": "Jeunes : dernière ligne droite pour le Contrat d'engagement de Macron", + "description": "La mise en oeuvre au 1er mars de ce dispositif d'aide intensive pour les jeunes précaires nécessite de lever un grand nombre de points bloquants. Une réunion est prévue ce jeudi avec la ministre du Travail, Elisabeth Borne, notamment, et les acteurs concernés. Dans un avis publié ce lundi, le Conseil d'orientation des politiques de jeunesse (COJ) énonce les conditions de réussite du dispositif.", + "content": "La mise en oeuvre au 1er mars de ce dispositif d'aide intensive pour les jeunes précaires nécessite de lever un grand nombre de points bloquants. Une réunion est prévue ce jeudi avec la ministre du Travail, Elisabeth Borne, notamment, et les acteurs concernés. Dans un avis publié ce lundi, le Conseil d'orientation des politiques de jeunesse (COJ) énonce les conditions de réussite du dispositif.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/social/0700507624220-le-gouvernement-fait-le-service-minimum-sur-les-salaires-des-fonctionnaires-2446247.php#xtor=RSS-71", - "creator": "Leïla de Comarmond", - "pubDate": "Thu, 09 Dec 2021 18:32:15 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/12/09/2446247_le-gouvernement-fait-le-minimum-pour-les-salaires-des-fonctionnaires-web-070510293072_300x160.jpg", + "link": "https://www.lesechos.fr/economie-france/social/0700516845728-jeunes-derniere-ligne-droite-pour-le-contrat-dengagement-de-macron-2446544.php#xtor=RSS-71", + "creator": "Alain Ruello", + "pubDate": "Sat, 11 Dec 2021 23:16:09 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/11/2446544_jeunes-derniere-ligne-droite-pour-le-contrat-dengagement-de-macron-web-tete-070516974882.jpg", "enclosureType": "image/jpg", "image": "", "id": "", @@ -163899,19 +190963,20 @@ "favorite": false, "created": false, "tags": [], - "hash": "73c4cd41c46dc727f54807c077fcc81f" + "hash": "14922b84a88240b0fb137f9c5501b67e" }, { - "title": "Les baisses d'impôts devraient soutenir la croissance française", - "description": "Le PIB par tête devrait augmenter de 1,35 % par an entre 2017 et 2025, contre 1,2 % en moyenne entre 2009 et 2017, selon une étude réalisée par le Cepremap et l'IPP. Cette accélération serait notamment la résultante des allégements fiscaux consentis sur le quinquennat.", - "content": "Le PIB par tête devrait augmenter de 1,35 % par an entre 2017 et 2025, contre 1,2 % en moyenne entre 2009 et 2017, selon une étude réalisée par le Cepremap et l'IPP. Cette accélération serait notamment la résultante des allégements fiscaux consentis sur le quinquennat.", + "title": "Le gouvernement fait le minimum pour les salaires des fonctionnaires", + "description": "La ministre de la Fonction publique a annoncé, ce jeudi, un alignement du minimum de rémunération des fonctionnaires sur le SMIC mais pas de mesure générale, au grand dam des fédérations de fonctionnaires. La CFDT et l'Unsa sont prêtes malgré tout à participer aux discussions qui vont s'ouvrir sur une évolution du système de rémunération des agents.", + "content": "La ministre de la Fonction publique a annoncé, ce jeudi, un alignement du minimum de rémunération des fonctionnaires sur le SMIC mais pas de mesure générale, au grand dam des fédérations de fonctionnaires. La CFDT et l'Unsa sont prêtes malgré tout à participer aux discussions qui vont s'ouvrir sur une évolution du système de rémunération des agents.", "category": "Économie France", - "link": "https://www.lesechos.fr/economie-france/conjoncture/0700340019617-les-baisses-dimpots-devraient-soutenir-la-croissance-francaise-2441559.php#xtor=RSS-71", - "creator": "Nathalie Silbert", - "pubDate": "Tue, 16 Nov 2021 17:16:10 +0200", - "enclosure": "https://externals.lesechos.fr/medias/2021/11/16/2441559_les-baisses-dimpots-devraient-soutenir-la-croissance-francaise-web-070340970113_300x160.jpg", + "link": "https://www.lesechos.fr/economie-france/social/0700507624220-le-gouvernement-fait-le-service-minimum-sur-les-salaires-des-fonctionnaires-2446247.php#xtor=RSS-71", + "creator": "Leïla de Comarmond", + "pubDate": "Thu, 09 Dec 2021 18:32:15 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/09/2446247_le-gouvernement-fait-le-minimum-pour-les-salaires-des-fonctionnaires-web-070510293072_300x160.jpg", "enclosureType": "image/jpg", "image": "", + "id": "", "language": "fr", "folder": "00.03 News/News - FR", "feed": "Les Echos", @@ -163919,7 +190984,7 @@ "favorite": false, "created": false, "tags": [], - "hash": "02f03f10125d15f92b8f3ec19c7efea5" + "hash": "73c4cd41c46dc727f54807c077fcc81f" }, { "title": "Déserts médicaux : les incitations financières à l'installation donnent peu de résultats", @@ -164762,6 +191827,48 @@ "image": null, "description": "Toute l'info politique en France et à l'étranger", "items": [ + { + "title": "Claude Guéant incarcéré à la prison de la Santé", + "description": "L'ancien ministre de Nicolas Sarkozy a été incarcéré ce lundi matin, en application de sa condamnation en 2017 dans l'affaire des primes de cabinet, pour des faits commis entre 2002 et 2004 au ministère de l'Intérieur. La cour d'appel de Paris a révoqué une partie de son sursis et de sa liberté conditionnelle.", + "content": "L'ancien ministre de Nicolas Sarkozy a été incarcéré ce lundi matin, en application de sa condamnation en 2017 dans l'affaire des primes de cabinet, pour des faits commis entre 2002 et 2004 au ministère de l'Intérieur. La cour d'appel de Paris a révoqué une partie de son sursis et de sa liberté conditionnelle.", + "category": "Politique - Société", + "link": "https://www.lesechos.fr/politique-societe/politique/0700531791489-claude-gueant-incarcere-a-la-prison-de-la-sante-2446713.php#xtor=RSS-70", + "creator": "Les Echos", + "pubDate": "Mon, 13 Dec 2021 11:50:49 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/13/2446713_claude-gueant-incarcere-a-la-prison-de-la-sante-web-070531870775_300x160.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos - Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e441a8015b6e114293cb85de5962a362" + }, + { + "title": "Eric Ciotti lance un appel aux électeurs d'Eric Zemmour", + "description": "Invité de l'émission politique Le Grand Rendez-Vous Europe 1 - CNews - « Les Echos », Eric Ciotti a renouvelé son soutien à Valérie Pécresse, candidate de la droite désignée à l'issue du congrès des Républicains. Selon lui, voter pour Eric Zemmour à la présidentielle reviendrait à perdre l'élection.", + "content": "Invité de l'émission politique Le Grand Rendez-Vous Europe 1 - CNews - « Les Echos », Eric Ciotti a renouvelé son soutien à Valérie Pécresse, candidate de la droite désignée à l'issue du congrès des Républicains. Selon lui, voter pour Eric Zemmour à la présidentielle reviendrait à perdre l'élection.", + "category": "Politique - Société", + "link": "https://www.lesechos.fr/politique-societe/politique/0700526872701-eric-ciotti-lance-un-appel-aux-electeurs-deric-zemmour-2446561.php#xtor=RSS-70", + "creator": "Florence Renard-Gourdon", + "pubDate": "Sun, 12 Dec 2021 16:18:42 +0200", + "enclosure": "https://externals.lesechos.fr/medias/2021/12/12/2446561_eric-ciotti-lance-un-appel-aux-electeurs-deric-zemmour-web-070527128957.jpg", + "enclosureType": "image/jpg", + "image": "", + "id": "", + "language": "fr", + "folder": "00.03 News/News - FR", + "feed": "Les Echos - Monde", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c8501fb95f3948768c42078ceb632a01" + }, { "title": "Guerre d'Algérie : la France fait un nouveau pas pour la réconciliation mémorielle", "description": "Les archives sur les enquêtes judiciaires liées à la guerre d'Algérie s'apprêtent à s'ouvrir « avec quinze ans d'avance », a annoncé Roselyne Bachelot. La ministre de la Culture a évoqué la nécessité de « construire une autre Histoire, une réconciliation ».", @@ -165265,6 +192372,1245 @@ "image": null, "description": "Engadget is a web magazine with obsessive daily coverage of everything new in gadgets and consumer electronics", "items": [ + { + "title": "Microsoft Teams adds end-to-end encryption for one-on-one calls", + "description": "

    You can now place some Microsoft Teams calls with the confidence they'll be reasonably secure. The Vergenotes Microsoft has made end-to-end encryption widely available for one-on-one calls after publicly testing the feature since October. If your company's IT administrator enables E2EE and both ends of the call choose to use the feature, it should be that much harder for intruders to spy on conversations.

    Microsoft cautioned that you'll lose several significant features if you use the stricter encryption, including recording, call transfers, expanding to group calls and live captions. You'll have to disable E2EE to regain those options.

    This could still be important. While Teams was already using encryption both in transit and at rest, it still offered a window for decrypting content so that approved services could honor data retention records. End-to-end encryption prevents anyone beyond the intended recipients from decrypting call data — that's great for privacy, but not so hot for companies, governments and law enforcement agencies that want backdoors. It won't be surprising if authorities bristle at Microsoft's move.

    ", + "content": "

    You can now place some Microsoft Teams calls with the confidence they'll be reasonably secure. The Vergenotes Microsoft has made end-to-end encryption widely available for one-on-one calls after publicly testing the feature since October. If your company's IT administrator enables E2EE and both ends of the call choose to use the feature, it should be that much harder for intruders to spy on conversations.

    Microsoft cautioned that you'll lose several significant features if you use the stricter encryption, including recording, call transfers, expanding to group calls and live captions. You'll have to disable E2EE to regain those options.

    This could still be important. While Teams was already using encryption both in transit and at rest, it still offered a window for decrypting content so that approved services could honor data retention records. End-to-end encryption prevents anyone beyond the intended recipients from decrypting call data — that's great for privacy, but not so hot for companies, governments and law enforcement agencies that want backdoors. It won't be surprising if authorities bristle at Microsoft's move.

    ", + "category": "Technology & Electronics", + "link": "https://www.engadget.com/microsoft-teams-end-to-end-encryption-release-date-221831798.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Tue, 14 Dec 2021 22:18:31 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "74db02acba5b2e9523ec4415edd565c5" + }, + { + "title": "Six more women sue Tesla over workplace sexual harassment", + "description": "

    In the wake of Jessica Barraza’s lawsuit last month, six more current and former female employees have come forward to accuse Tesla of fostering a culture of rampant sexual harassment at its Fremont factory in California. In separate complaints filed on Tuesday with the Superior Court in Alameda County, the women said they were consistently subjected to catcalling, unwanted advances, physical contact and discrimination while at work.

    Jessica Brooks, one of the women who sued Tesla, alleges she was harassed on her first day of orientation at the automaker. She claims a supervisor told his male subordinates to “check out the new girl.” Brooks says the harassment was so constant she eventually stacked boxes around her workstation to deter her coworkers from whistling at her. Brooks also claims she complained of the situation to Tesla’s HR department. The company allegedly responded by moving Brooks to a different part of the factory instead of addressing the situation directly.

    “I was so tired of the unwanted attention and the males gawking at me I proceeded to create barriers around me just so I could get some relief,” Brooks told The Washington Post. “That was something I felt necessary just so I can do my job.”

    When Jessica Barraza sued Tesla last month, she said she was subjected to “nightmarish” working conditions at the company’s Fremont plant. Barraza’s lawsuit described a factory floor that looked more like “a crude, archaic construction site or frat house” than the site of one of the most advanced EV makers in the country. Most of the seven women who have sued Tesla have linked the abuse they experienced to the behavior of CEO Elon Musk. “He would make 69 or 420 jokes … which caused the technicians to be even worse,” said one of the complaints.

    The suit comes on the same day five former SpaceX employees accused Musk’s other company of doing little to stop sexual harassment. We’ve reached out to Tesla for comment. The automaker does not operate a public relations department. When a federal court recently ordered Tesla to pay $137 million to a Black worker who said they were subjected to daily racist abuse at the company’s Fremont factory, the company said: “We continue to grow and improve in how we address employee concerns. Occasionally, we’ll get it wrong, and when that happens we should be held accountable.”

    ", + "content": "

    In the wake of Jessica Barraza’s lawsuit last month, six more current and former female employees have come forward to accuse Tesla of fostering a culture of rampant sexual harassment at its Fremont factory in California. In separate complaints filed on Tuesday with the Superior Court in Alameda County, the women said they were consistently subjected to catcalling, unwanted advances, physical contact and discrimination while at work.

    Jessica Brooks, one of the women who sued Tesla, alleges she was harassed on her first day of orientation at the automaker. She claims a supervisor told his male subordinates to “check out the new girl.” Brooks says the harassment was so constant she eventually stacked boxes around her workstation to deter her coworkers from whistling at her. Brooks also claims she complained of the situation to Tesla’s HR department. The company allegedly responded by moving Brooks to a different part of the factory instead of addressing the situation directly.

    “I was so tired of the unwanted attention and the males gawking at me I proceeded to create barriers around me just so I could get some relief,” Brooks told The Washington Post. “That was something I felt necessary just so I can do my job.”

    When Jessica Barraza sued Tesla last month, she said she was subjected to “nightmarish” working conditions at the company’s Fremont plant. Barraza’s lawsuit described a factory floor that looked more like “a crude, archaic construction site or frat house” than the site of one of the most advanced EV makers in the country. Most of the seven women who have sued Tesla have linked the abuse they experienced to the behavior of CEO Elon Musk. “He would make 69 or 420 jokes … which caused the technicians to be even worse,” said one of the complaints.

    The suit comes on the same day five former SpaceX employees accused Musk’s other company of doing little to stop sexual harassment. We’ve reached out to Tesla for comment. The automaker does not operate a public relations department. When a federal court recently ordered Tesla to pay $137 million to a Black worker who said they were subjected to daily racist abuse at the company’s Fremont factory, the company said: “We continue to grow and improve in how we address employee concerns. Occasionally, we’ll get it wrong, and when that happens we should be held accountable.”

    ", + "category": "Business", + "link": "https://www.engadget.com/tesla-fremont-factory-sexual-harassment-complaints-212738930.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Tue, 14 Dec 2021 21:27:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b82fc01ff9c3a5bf65ceeded31a5d03b" + }, + { + "title": "Former SpaceX workers say company has a culture of sexual harassment", + "description": "

    Tesla isn't the only company in Elon Musk's portfolio to have issues with sexual harassment. Women who previously worked at SpaceX, including mission engineer Ashley Kosak and four others speaking to The Verge, have accused the company of doing little to stop sexual harassment. Male staff reportedly made numerous unwanted advances, lewd comments and physical contact. Kosak claimed one coworker went so far as to visit her house and insist on touching her, while former intern Julia CrowleyFarenga (who sued SpaceX in 2020) said a male employee blocked her from getting hired after she reported his controlling behavior.

    SpaceX was allegedly reluctant to take significant action. While the women did report incidents to SpaceX's human resources, the company appeared to be more interested in keeping the company's plans on track than on dealing with harassment. HR asked Kosak to propose solutions to sexual harassment, but there was no follow-up — and both HR lead Brian Bjelde as well as company president Gwynne Shotwell were apparently unaware of her allegations when she met them.

    We've asked SpaceX for comment. In an email The Verge obtained, however, Shotwell was aware of Kosak's web essay on the matter and said HR would conduct both in-house and independent audits of its practices. She also reiterated SpaceX's "no A-hole" policy and that targets of harassment should still report incidents to HR or managers. Shotwell didn't touch on concerns of retaliation, though, and the news came just as six more Tesla workers sued over sexual harassment claims.

    All of the affected women pinned the problems on a leadership and company culture that prioritized the mission over workers' wellbeing. Elon Musk sees engineers as a "resource to be mined," Kosak said, rather than people to be cared for. Throw in an overwhelmingly male workforce that leaves women isolated (one complainant likened it to a "boys' club") and women may have little chance of meaningfully addressing harassment. If that's the case, any long-term solutions may require management and policy changes, not just better enforcement of the policies that exist.

    ", + "content": "

    Tesla isn't the only company in Elon Musk's portfolio to have issues with sexual harassment. Women who previously worked at SpaceX, including mission engineer Ashley Kosak and four others speaking to The Verge, have accused the company of doing little to stop sexual harassment. Male staff reportedly made numerous unwanted advances, lewd comments and physical contact. Kosak claimed one coworker went so far as to visit her house and insist on touching her, while former intern Julia CrowleyFarenga (who sued SpaceX in 2020) said a male employee blocked her from getting hired after she reported his controlling behavior.

    SpaceX was allegedly reluctant to take significant action. While the women did report incidents to SpaceX's human resources, the company appeared to be more interested in keeping the company's plans on track than on dealing with harassment. HR asked Kosak to propose solutions to sexual harassment, but there was no follow-up — and both HR lead Brian Bjelde as well as company president Gwynne Shotwell were apparently unaware of her allegations when she met them.

    We've asked SpaceX for comment. In an email The Verge obtained, however, Shotwell was aware of Kosak's web essay on the matter and said HR would conduct both in-house and independent audits of its practices. She also reiterated SpaceX's "no A-hole" policy and that targets of harassment should still report incidents to HR or managers. Shotwell didn't touch on concerns of retaliation, though, and the news came just as six more Tesla workers sued over sexual harassment claims.

    All of the affected women pinned the problems on a leadership and company culture that prioritized the mission over workers' wellbeing. Elon Musk sees engineers as a "resource to be mined," Kosak said, rather than people to be cared for. Throw in an overwhelmingly male workforce that leaves women isolated (one complainant likened it to a "boys' club") and women may have little chance of meaningfully addressing harassment. If that's the case, any long-term solutions may require management and policy changes, not just better enforcement of the policies that exist.

    ", + "category": "Society & Culture", + "link": "https://www.engadget.com/spacex-sexual-harassment-claims-204712046.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Tue, 14 Dec 2021 20:47:12 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "71ebc7e70af54fc8c84ab8817ed5f316" + }, + { + "title": "Amazon's IMDb streaming app comes to PS5", + "description": "

    If you've managed to beat the bots and score a PlayStation 5 over the last 13 months, you now have another way to watch movies and TV for free. Amazon's IMDb TV is now available on the console in the US. The app landed on Xbox Series X/S and PS4 earlier this year.

    You'll be able to check out Amazon Originals, including shows like Alex Rider and Top Class: The Life and Times of the Sierra Canyon Trailblazers. There's a growing ad-supported library of licensed shows and movies too, such as Chicago Fire, All in the Family and that classic family holiday favorite, Die Hard. Amazon and Universal also reached an agreement earlier this year to bring many of the studio's movies to IMDb TV, including The Invisible Man, F9, Despicable Me 2 and Shrek 2.

    Along with gaming consoles, IMDb TV is available on smart TVs, phones and tablets and streaming platforms, including Amazon's own devices. The service expanded to the UK in September

    ", + "content": "

    If you've managed to beat the bots and score a PlayStation 5 over the last 13 months, you now have another way to watch movies and TV for free. Amazon's IMDb TV is now available on the console in the US. The app landed on Xbox Series X/S and PS4 earlier this year.

    You'll be able to check out Amazon Originals, including shows like Alex Rider and Top Class: The Life and Times of the Sierra Canyon Trailblazers. There's a growing ad-supported library of licensed shows and movies too, such as Chicago Fire, All in the Family and that classic family holiday favorite, Die Hard. Amazon and Universal also reached an agreement earlier this year to bring many of the studio's movies to IMDb TV, including The Invisible Man, F9, Despicable Me 2 and Shrek 2.

    Along with gaming consoles, IMDb TV is available on smart TVs, phones and tablets and streaming platforms, including Amazon's own devices. The service expanded to the UK in September

    ", + "category": "Personal Finance - Lifestyle", + "link": "https://www.engadget.com/imdb-tv-app-ps5-amazon-playstation-201657390.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Tue, 14 Dec 2021 20:16:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ec566f1fb299b926d7bee62e923d51fe" + }, + { + "title": "Apple reinstates mask requirements across all US stores", + "description": "

    Amid a resurgence of COVID-19 cases in the US, Apple will now require all customers to wear a mask when they visit its stores across the country. The company said it would also enforce occupancy limits. The move comes after Apple recently lifted mask requirements at more than 100 of its stores nationwide ahead of the Thanksgiving weekend. “Amid rising cases in many communities, we now require that all customers join our team members in wearing masks while visiting our stores,” Apple said in a statement to Bloomberg.

    In a memo obtained by the outlet, Apple said it made the decision “after reviewing the latest trends in COVID-19 case counts across the US.” The recently sequenced omicron variant is causing new concerns about the direction of the pandemic. Per CNBC, the World Health Organization said on Tuesday the new variant is spreading faster than any previous strain of COVID-19. 

    “Even if omicron does cause less severe disease, the sheer number of cases could once again overwhelm unprepared health systems,” WHO Director-General Tedros Adhanom Ghebreyesus warned. As of Tuesday, the omicron strain represents approximately 3.0 percent of all COVID-19 cases in the US, up from 0.4 percent the week prior.

    The unpredictable nature of the pandemic has forced Apple to frequently change its retail policies as the situation has evolved. The timing of this latest surge could affect the company’s bottom line as it looks to close out another busy holiday season.

    ", + "content": "

    Amid a resurgence of COVID-19 cases in the US, Apple will now require all customers to wear a mask when they visit its stores across the country. The company said it would also enforce occupancy limits. The move comes after Apple recently lifted mask requirements at more than 100 of its stores nationwide ahead of the Thanksgiving weekend. “Amid rising cases in many communities, we now require that all customers join our team members in wearing masks while visiting our stores,” Apple said in a statement to Bloomberg.

    In a memo obtained by the outlet, Apple said it made the decision “after reviewing the latest trends in COVID-19 case counts across the US.” The recently sequenced omicron variant is causing new concerns about the direction of the pandemic. Per CNBC, the World Health Organization said on Tuesday the new variant is spreading faster than any previous strain of COVID-19. 

    “Even if omicron does cause less severe disease, the sheer number of cases could once again overwhelm unprepared health systems,” WHO Director-General Tedros Adhanom Ghebreyesus warned. As of Tuesday, the omicron strain represents approximately 3.0 percent of all COVID-19 cases in the US, up from 0.4 percent the week prior.

    The unpredictable nature of the pandemic has forced Apple to frequently change its retail policies as the situation has evolved. The timing of this latest surge could affect the company’s bottom line as it looks to close out another busy holiday season.

    ", + "category": "Health", + "link": "https://www.engadget.com/apple-reinstates-mask-requirements-us-195629617.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Tue, 14 Dec 2021 19:56:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "608e7f6b74f03a00033250a111bcd669" + }, + { + "title": "Nintendo's year in review recounts your most-played Switch games of 2021", + "description": "

    There may be almost three weeks before the end of the year, but that’s not stopping Nintendo from getting in on the year-in-review action. As in 2020 and 2019, the company has a tool you can use to see how much time you spent playing your Switch throughout the last 12 months.

    The 2021 iteration isn’t widely different from what Nintendo has offered in years past. You’ll once again see the total number of hours you put in throughout the year and a count of the all games you played. There’s also a breakdown of how many hours you played each month, in addition to a look back at your most active day. 

    Since this is the Switch we’re talking about, you’ll see how much time you spent between handheld and docked modes, as well. At each stage, the tool will tell you how your 2021 stats compare to the ones you put up last year. You can see your year-in-review by logging into the company’s official website with your Nintendo Account. However, the tool is only available to people in the US, Canada and Latin America.

    ", + "content": "

    There may be almost three weeks before the end of the year, but that’s not stopping Nintendo from getting in on the year-in-review action. As in 2020 and 2019, the company has a tool you can use to see how much time you spent playing your Switch throughout the last 12 months.

    The 2021 iteration isn’t widely different from what Nintendo has offered in years past. You’ll once again see the total number of hours you put in throughout the year and a count of the all games you played. There’s also a breakdown of how many hours you played each month, in addition to a look back at your most active day. 

    Since this is the Switch we’re talking about, you’ll see how much time you spent between handheld and docked modes, as well. At each stage, the tool will tell you how your 2021 stats compare to the ones you put up last year. You can see your year-in-review by logging into the company’s official website with your Nintendo Account. However, the tool is only available to people in the US, Canada and Latin America.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/nintendo-switch-year-in-review-2021-184807804.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Tue, 14 Dec 2021 18:48:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fa33abdb885c73cf335d1fa4477be3b7" + }, + { + "title": "Fender's newest Acoustasonic guitar is cheaper, but not cheap enough", + "description": "

    When I tested out the Fender Acoustasonic Jazzmaster earlier this year, I was admittedly skeptical. One of the biggest reasons was the price. I just couldn’t justify $2,000 for something so niche. But I said if the price ever fell below $1,000 I’d consider it. Well, the new Acoustasonic Player Telecaster doesn’t quite hit that benchmark, but at $1,200 it is a lot more affordable.

    Obviously, something had to give for the company to shave $800 off the price, but from a pure build quality perspective it doesn’t seem like you’re losing much. The made-in-Mexico Player Acoustasonic is nearly indistinguishable from the made-in-America models. The body and neck have a similar satin finish on a combination of mahogany and spruce. And the components, from the tuners to the knobs, are exactly the same. This certainly doesn’t feel like an entry-level guitar.

    \"Fender
    Terrence O'Brien / Engadget

    There are some physical differences, though. The most notable being the fretboard, which was ebony on the original, but is made of rosewood here. Even so, I wouldn’t say ebony is better; it’s just a slightly different experience. The rosewood fretboard, combined with the lower action out of the box, makes the new Acoustasonic Telecaster play more like an electric than an acoustic – a stark contrast to the Jazzmaster version, in my experience.

    The biggest differences here are in the electronics. Where the pricier Acoustasonics have three pickups and a five-way switch for a total of 10 different guitar sounds, the Player model has just two pickups and a three-way switch with six sound options.

    The Player Acoustasonic also loses the rechargeable battery and replaces it with a standard 9V. I’ll say this: The guitar chews through 9V batteries surprisingly fast, but being able to just swap in a new one (rather than wait for it to charge) is a nice convenience.

    \"Fender
    Terrence O'Brien / Engadget

    Just like the other entries in the Acoustasonic series, the main controls are basic, but a little different than your typical guitar. There’s a volume knob, but the selector doesn’t just switch pickups (though, it does that too); it switches between pairs of “voices”, while the second knob blends between the two.

    Moving from back to front, the voice pairs found on the three-way switch here are Noiseless Tele and Fat Noiseless Tele, Lo-Fi Clean and Lo-Fi Crunch, Mahogany Small Body Short Scale and Rosewood Dreadnought. What’s immediately noticeable is that there are a lot fewer acoustic simulations than on the other Acoustasonics. The two models here, the Rosewood Dreadnought and Mahogany Small Body, cover a decent amount of ground. It’s very satisfying to play a simple chord loop on the Rosewood and turn the blend knob forward to the Mahogany to play leads over it.

    The two acoustic voices here are good but not as convincing as they are on the Jazzmaster Acoustasonic. I attribute that to the missing third pickup: Fishman’s Acoustasonic Enhancer. The two pickups here – Fender’s Acoustasonic Noiseless and Fishman’s Under-Saddle Transducer – do an admirable job delivering electric and piezo acoustic sounds, but they’re not quite as good at delivering the variety and nuance of the Enhancer system it seems.

    \"Fender
    Terrence O'Brien / Engadget

    That being said, I actually prefer the electric sounds on the Telecaster to the Jazzmaster. It sounds a bit more like the guitar that inspired it to my ears, and plays better with pedals. The “Fat” Tele sound has just the right amount of bite for my taste. The “lo-fi” voices are basically just the same piezo sounds you’d find in your average acoustic / electric. That’s not a bad thing, to be clear. I love the crunch of a slightly overdriven piezo pickup. If you’re banging out Neutral Milk Hotel covers or playing along with Nirvana’s Unplugged, this is the setting for you.

    The dreadnought and small body voices are still more convincingly acoustic than what you’d get on your average acoustic / electric. They have depth and character that your average piezo alone can’t quite match. But those two voices alone aren’t necessarily worth the premium you’re paying here.

    In fact, price remains the biggest obstacle for the Acoustasonic line. $1,200 isn’t exactly cheap for a guitar. Sure, it’s better than $2,000, but even many avid players will live their entire lives never spending more than $1,000 on a guitar. A standard made-in-Mexico Player Telecaster will set you back $800, and you can pick up a decent acoustic / electric from Fender for about $400 – and arguably those two as separate instruments are more versatile than the hybrid Acoustasonic. And the value gets even muddier when you consider that the American-made Acoustasonic Telecaster is currently on sale for $1,600.

    The Acoustasonic Player Telecaster remains an almost perfect couch guitar and it’s exciting to see Fender bringing its hybrid guitar tech down to a more affordable instrument. But it’s still too expensive for most.

    ", + "content": "

    When I tested out the Fender Acoustasonic Jazzmaster earlier this year, I was admittedly skeptical. One of the biggest reasons was the price. I just couldn’t justify $2,000 for something so niche. But I said if the price ever fell below $1,000 I’d consider it. Well, the new Acoustasonic Player Telecaster doesn’t quite hit that benchmark, but at $1,200 it is a lot more affordable.

    Obviously, something had to give for the company to shave $800 off the price, but from a pure build quality perspective it doesn’t seem like you’re losing much. The made-in-Mexico Player Acoustasonic is nearly indistinguishable from the made-in-America models. The body and neck have a similar satin finish on a combination of mahogany and spruce. And the components, from the tuners to the knobs, are exactly the same. This certainly doesn’t feel like an entry-level guitar.

    \"Fender
    Terrence O'Brien / Engadget

    There are some physical differences, though. The most notable being the fretboard, which was ebony on the original, but is made of rosewood here. Even so, I wouldn’t say ebony is better; it’s just a slightly different experience. The rosewood fretboard, combined with the lower action out of the box, makes the new Acoustasonic Telecaster play more like an electric than an acoustic – a stark contrast to the Jazzmaster version, in my experience.

    The biggest differences here are in the electronics. Where the pricier Acoustasonics have three pickups and a five-way switch for a total of 10 different guitar sounds, the Player model has just two pickups and a three-way switch with six sound options.

    The Player Acoustasonic also loses the rechargeable battery and replaces it with a standard 9V. I’ll say this: The guitar chews through 9V batteries surprisingly fast, but being able to just swap in a new one (rather than wait for it to charge) is a nice convenience.

    \"Fender
    Terrence O'Brien / Engadget

    Just like the other entries in the Acoustasonic series, the main controls are basic, but a little different than your typical guitar. There’s a volume knob, but the selector doesn’t just switch pickups (though, it does that too); it switches between pairs of “voices”, while the second knob blends between the two.

    Moving from back to front, the voice pairs found on the three-way switch here are Noiseless Tele and Fat Noiseless Tele, Lo-Fi Clean and Lo-Fi Crunch, Mahogany Small Body Short Scale and Rosewood Dreadnought. What’s immediately noticeable is that there are a lot fewer acoustic simulations than on the other Acoustasonics. The two models here, the Rosewood Dreadnought and Mahogany Small Body, cover a decent amount of ground. It’s very satisfying to play a simple chord loop on the Rosewood and turn the blend knob forward to the Mahogany to play leads over it.

    The two acoustic voices here are good but not as convincing as they are on the Jazzmaster Acoustasonic. I attribute that to the missing third pickup: Fishman’s Acoustasonic Enhancer. The two pickups here – Fender’s Acoustasonic Noiseless and Fishman’s Under-Saddle Transducer – do an admirable job delivering electric and piezo acoustic sounds, but they’re not quite as good at delivering the variety and nuance of the Enhancer system it seems.

    \"Fender
    Terrence O'Brien / Engadget

    That being said, I actually prefer the electric sounds on the Telecaster to the Jazzmaster. It sounds a bit more like the guitar that inspired it to my ears, and plays better with pedals. The “Fat” Tele sound has just the right amount of bite for my taste. The “lo-fi” voices are basically just the same piezo sounds you’d find in your average acoustic / electric. That’s not a bad thing, to be clear. I love the crunch of a slightly overdriven piezo pickup. If you’re banging out Neutral Milk Hotel covers or playing along with Nirvana’s Unplugged, this is the setting for you.

    The dreadnought and small body voices are still more convincingly acoustic than what you’d get on your average acoustic / electric. They have depth and character that your average piezo alone can’t quite match. But those two voices alone aren’t necessarily worth the premium you’re paying here.

    In fact, price remains the biggest obstacle for the Acoustasonic line. $1,200 isn’t exactly cheap for a guitar. Sure, it’s better than $2,000, but even many avid players will live their entire lives never spending more than $1,000 on a guitar. A standard made-in-Mexico Player Telecaster will set you back $800, and you can pick up a decent acoustic / electric from Fender for about $400 – and arguably those two as separate instruments are more versatile than the hybrid Acoustasonic. And the value gets even muddier when you consider that the American-made Acoustasonic Telecaster is currently on sale for $1,600.

    The Acoustasonic Player Telecaster remains an almost perfect couch guitar and it’s exciting to see Fender bringing its hybrid guitar tech down to a more affordable instrument. But it’s still too expensive for most.

    ", + "category": "Hobbies & Personal Activities", + "link": "https://www.engadget.com/fender-acoustasonic-player-telecaster-hybrid-guitar-hands-on-183045383.html?src=rss", + "creator": "Terrence O'Brien,Terrence O'Brien", + "pubDate": "Tue, 14 Dec 2021 18:30:45 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4bc29036ecfaf5b3fba98a1cad1f4a7b" + }, + { + "title": "Android 12 Go Edition will make cheap phones faster and more efficient", + "description": "

    Now that Android 12 is making its way to more devices, Google has announced Android 12 Go Edition. When it arrives on devices in 2022, the OS for low-cost phones will make your device up to 30 percent faster, according to the company. That adds to the 20 percent improvement Google pulled off previously with Android 11 Go Edition. The company says it has also smoothed out launch animations.

    \"Android
    Google

    If space is an issue, a new feature allows the operating system to conserve both battery life and storage by hibernating apps you don’t use frequently. Additionally, you can use Files Go to safely delete something and then recover it after 30 days. Meanwhile, an update to Nearby Share allows you to save data by transferring apps between devices. Separately, if you ever need to translate a webpage, you can now do so quickly thanks to a newly added shortcut found on the recent apps interface.

    \"Android
    Google

    In addition to performance tweaks, Android 12 Go Edition is all about privacy enhancements. Android 12’s privacy dashboard is making the jump to Go Edition. You can use it to review all the permissions your apps have access to and revoke them as needed. Additionally, you’ll see if your phone’s microphone or camera is active thanks to new privacy indicators located on the status bar. The update will also allow you to limit apps to accessing only your approximate location instead of your exact one. And if you ever want to let someone use your device, you can now open a temporary guest account directly from the lock screen. Android Go Edition 12 will automatically reset your phone once they’re done.

    With today’s announcement, Google also shared that more than 200 million people globally use an Android Go Edition device daily. That’s not bad when you consider Go Edition has only been around since 2017.

    ", + "content": "

    Now that Android 12 is making its way to more devices, Google has announced Android 12 Go Edition. When it arrives on devices in 2022, the OS for low-cost phones will make your device up to 30 percent faster, according to the company. That adds to the 20 percent improvement Google pulled off previously with Android 11 Go Edition. The company says it has also smoothed out launch animations.

    \"Android
    Google

    If space is an issue, a new feature allows the operating system to conserve both battery life and storage by hibernating apps you don’t use frequently. Additionally, you can use Files Go to safely delete something and then recover it after 30 days. Meanwhile, an update to Nearby Share allows you to save data by transferring apps between devices. Separately, if you ever need to translate a webpage, you can now do so quickly thanks to a newly added shortcut found on the recent apps interface.

    \"Android
    Google

    In addition to performance tweaks, Android 12 Go Edition is all about privacy enhancements. Android 12’s privacy dashboard is making the jump to Go Edition. You can use it to review all the permissions your apps have access to and revoke them as needed. Additionally, you’ll see if your phone’s microphone or camera is active thanks to new privacy indicators located on the status bar. The update will also allow you to limit apps to accessing only your approximate location instead of your exact one. And if you ever want to let someone use your device, you can now open a temporary guest account directly from the lock screen. Android Go Edition 12 will automatically reset your phone once they’re done.

    With today’s announcement, Google also shared that more than 200 million people globally use an Android Go Edition device daily. That’s not bad when you consider Go Edition has only been around since 2017.

    ", + "category": "Software", + "link": "https://www.engadget.com/android-12-go-edition-annoucement-180049295.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Tue, 14 Dec 2021 18:00:49 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "90973d243f763e9b78f747d5ee4771ae" + }, + { + "title": "Apple's second-generation AirPods drop to $90 at Amazon", + "description": "

    While they're slated to arrive after Christmas, Apple's second-generation AirPods have returned to a record-low price. Amazon has the earbuds for $90, which is only one dollar more than they were on Black Friday. If you can wait until after December 25th to get them, you'll get one of the best deals on these earbuds that we've seen all year.

    Buy AirPods (2nd gen) at Amazon - $90

    These are the classic AirPods most people are familiar with by now. They have a similar design to Apple's old EarPods and they have the H1 chip inside that helps them quickly pair with iOS devices as well as switch in between devices like iPhones, iPads and Macs. While you can get better sounding earbuds at a similar price, AirPods remain one of the best options for those who primarily use Apple devices because they conveniently pair and switch between them. You'll also be able to monitor each buds' battery life, as well as the case's charge, from your iPhone. You'll get roughly five hours of use before needing to power up again, and the case provides more than 24 hours of total listening time.

    While they don't have many of the new features that the latest, 3rd-generation AirPods have, the second-gen models remain a good option if you're on a budget and want those signature Apple perks. The latest AirPods are on sale for $150 right now, or about $30 off their normal price, and we'd recommend springing for those if you have the extra cash. We gave them a score of 88 for their more comfortable design, improved audio quality and longer battery life.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    While they're slated to arrive after Christmas, Apple's second-generation AirPods have returned to a record-low price. Amazon has the earbuds for $90, which is only one dollar more than they were on Black Friday. If you can wait until after December 25th to get them, you'll get one of the best deals on these earbuds that we've seen all year.

    Buy AirPods (2nd gen) at Amazon - $90

    These are the classic AirPods most people are familiar with by now. They have a similar design to Apple's old EarPods and they have the H1 chip inside that helps them quickly pair with iOS devices as well as switch in between devices like iPhones, iPads and Macs. While you can get better sounding earbuds at a similar price, AirPods remain one of the best options for those who primarily use Apple devices because they conveniently pair and switch between them. You'll also be able to monitor each buds' battery life, as well as the case's charge, from your iPhone. You'll get roughly five hours of use before needing to power up again, and the case provides more than 24 hours of total listening time.

    While they don't have many of the new features that the latest, 3rd-generation AirPods have, the second-gen models remain a good option if you're on a budget and want those signature Apple perks. The latest AirPods are on sale for $150 right now, or about $30 off their normal price, and we'd recommend springing for those if you have the extra cash. We gave them a score of 88 for their more comfortable design, improved audio quality and longer battery life.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/apples-second-generation-airpods-drop-to-90-at-amazon-174029032.html?src=rss", + "creator": "Valentina Palladino", + "pubDate": "Tue, 14 Dec 2021 17:40:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a776c6ffc4cc6790f50d94d826584079" + }, + { + "title": "'Windjammers 2' will arrive on January 20th", + "description": "

    Twenty-eight years after the original Windjammers hit the Neo Geo, the sequel will finally arrive on modern platforms. Windjammers 2 will land on PC, PlayStation 4, Xbox One, Nintendo Switch and Stadia on January 20th. It'll be available on Xbox Game Pass and the newly renamed PC Game Pass, as well as PS5 and Xbox Series X/S via backward compatibility.

    Windjammers is a souped-up take on Pong in which you try to send a disc past your opponent to score. But as well as simply tossing the disc along a predictable path toward the goal, you can harness curved shots, lobs and character-specific power moves — there's a reason the original was called Flying Power Disc in Japan.

    We got some hands-on time with Windjammers 2 a couple of years back and it promises more of the same, albeit modernized for a current-day audience. Developer Dotemu has freshened up the graphics and peppered in some extra mechanics, including dropshots and slapshots. It's the kind of game that'll be easy to pick up and difficult to master.

    It's probably just as well that Elden Ring has been delayed from its original release date of January 22nd. I'm not sure how it would be able to compete with the mighty Windjammers 2.

    ", + "content": "

    Twenty-eight years after the original Windjammers hit the Neo Geo, the sequel will finally arrive on modern platforms. Windjammers 2 will land on PC, PlayStation 4, Xbox One, Nintendo Switch and Stadia on January 20th. It'll be available on Xbox Game Pass and the newly renamed PC Game Pass, as well as PS5 and Xbox Series X/S via backward compatibility.

    Windjammers is a souped-up take on Pong in which you try to send a disc past your opponent to score. But as well as simply tossing the disc along a predictable path toward the goal, you can harness curved shots, lobs and character-specific power moves — there's a reason the original was called Flying Power Disc in Japan.

    We got some hands-on time with Windjammers 2 a couple of years back and it promises more of the same, albeit modernized for a current-day audience. Developer Dotemu has freshened up the graphics and peppered in some extra mechanics, including dropshots and slapshots. It's the kind of game that'll be easy to pick up and difficult to master.

    It's probably just as well that Elden Ring has been delayed from its original release date of January 22nd. I'm not sure how it would be able to compete with the mighty Windjammers 2.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/windjammers-2-release-date-console-pc-stadia-171802744.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Tue, 14 Dec 2021 17:18:02 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c5c5077f5f617d86d6c68cbf71c3756a" + }, + { + "title": "FCC aims to make emergency alerts more accessible for the hard of hearing", + "description": "

    The US' Emergency Alert System often relies on audio to grab your attention, but what if you have hearing issues? The FCC hopes to fix that. The Commission has proposed rules that would make the alerts more accessible to the deaf and hard of hearing. Most notably, the move would require partners to use internet-based alerts when possible — this would offer "superior" visuals to the old version meant for over-the-air TV.

    Another potential rule would demand clearer, more descriptive TV alerts. The FCC is also exploring ways to upgrade the legacy emergency alert system to display "more visual information" alongside the warning message.

    Chairwoman Rosenworcel and all FCC commissioners support the three proposals. In that light, it's less a question of whether they'll move forward as how well they'll work. Ideally, you won't have to worry about missing useful information in an alert if you can't listen in. It's just not certain how the system will evolve, or how well online messaging will hold up in the event of crises that disrupt internet access.

    ", + "content": "

    The US' Emergency Alert System often relies on audio to grab your attention, but what if you have hearing issues? The FCC hopes to fix that. The Commission has proposed rules that would make the alerts more accessible to the deaf and hard of hearing. Most notably, the move would require partners to use internet-based alerts when possible — this would offer "superior" visuals to the old version meant for over-the-air TV.

    Another potential rule would demand clearer, more descriptive TV alerts. The FCC is also exploring ways to upgrade the legacy emergency alert system to display "more visual information" alongside the warning message.

    Chairwoman Rosenworcel and all FCC commissioners support the three proposals. In that light, it's less a question of whether they'll move forward as how well they'll work. Ideally, you won't have to worry about missing useful information in an alert if you can't listen in. It's just not certain how the system will evolve, or how well online messaging will hold up in the event of crises that disrupt internet access.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/fcc-emergency-alert-system-deaf-accessibility-171239252.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Tue, 14 Dec 2021 17:12:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "746a2d67242f21b87852be3943014595" + }, + { + "title": "iFixit partners with Microsoft on official repair tools", + "description": "

    iFixit announced today it will join forces with Microsoft to manufacture and sell official repair tools for some Surface models. The partnership will kick off with a display debonder, a display rebonder, and a battery cover.

    The models these Microsoft-sanctioned tools are designed for aren't the friendliest to at-home tinkering. Many — like the Surface Laptop Go and Surface Pro 7+ — have neither guides nor repairability scores from the iFixit. This might explain why, at least for now, these pro-grade tools aren't being offered to consumers. 

    "iFixit Pro independent repairers, Microsoft Authorized Service Providers, Microsoft Experience Centers, and Microsoft Commercial customers," will be the only entities allowed to use these new devices, according to iFixit. "While not necessary to complete a DIY repair, these new tools are designed to prevent damage and will help technicians performing a high volume of repairs, and assist in improving accuracy and matching factory-level adhesion."

    According to The Verge, it was Microsoft that approached iFixit about joining forces, despite (and because of) iFixit's vocal criticism of the Surface line's poor repairability. Wider availability of official repair tools, and the development of new ones, could be on the horizon if both companies see positive results.

    Microsoft is the latest company to partner with iFixit. Previously the right-to-repair advocate has worked with HTC and Motorola as an official parts source for Vive headsets and smartphones, respectively. 

    ", + "content": "

    iFixit announced today it will join forces with Microsoft to manufacture and sell official repair tools for some Surface models. The partnership will kick off with a display debonder, a display rebonder, and a battery cover.

    The models these Microsoft-sanctioned tools are designed for aren't the friendliest to at-home tinkering. Many — like the Surface Laptop Go and Surface Pro 7+ — have neither guides nor repairability scores from the iFixit. This might explain why, at least for now, these pro-grade tools aren't being offered to consumers. 

    "iFixit Pro independent repairers, Microsoft Authorized Service Providers, Microsoft Experience Centers, and Microsoft Commercial customers," will be the only entities allowed to use these new devices, according to iFixit. "While not necessary to complete a DIY repair, these new tools are designed to prevent damage and will help technicians performing a high volume of repairs, and assist in improving accuracy and matching factory-level adhesion."

    According to The Verge, it was Microsoft that approached iFixit about joining forces, despite (and because of) iFixit's vocal criticism of the Surface line's poor repairability. Wider availability of official repair tools, and the development of new ones, could be on the horizon if both companies see positive results.

    Microsoft is the latest company to partner with iFixit. Previously the right-to-repair advocate has worked with HTC and Motorola as an official parts source for Vive headsets and smartphones, respectively. 

    ", + "category": "Oil, Gas, & Consumable Fuels", + "link": "https://www.engadget.com/ifixit-microsoft-repair-tools-partnership-170115725.html?src=rss", + "creator": "Bryan Menegus", + "pubDate": "Tue, 14 Dec 2021 17:01:15 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8da88a75e0110f6ae70142be9b31c65a" + }, + { + "title": "Arturia’s free Pigments 3.5 upgrade adds M1 support and a distortion module", + "description": "

    Arturia has been relentless over the last few year with updating and improving its instruments. Whether that's firmware upgrades for its hardware or feature dumps for its plugins. Pigments, the company's all original virtual synth (as opposed to its meticulous emulations of classic hardware), has been one of the biggest benefactors of these free updates. Today the company is launching Pigments 3.5 another significant upgrade to what I have said repeatedly is my favorite soft synth at the moment. 

    While this isn't quite as large an update as 3.0, it still brings a lot of new features to the table. One of the one most important is that Pigments 3.5 adds compatibility with Apple's M1 chips. This isn't exactly a flashy new feature, but it will make many producers very happy who have already jumped on the hype train for the latest MacBooks.

    The biggest change to the synth engine itself is probably the addition of a cross modulation feature. You can use either engine one or two as the mod source and dial in results that range from subtle weirdness to full on sonic freak outs. Arturia also fleshed out its comb filter which has three new modes (LP6, BP6 and HP6) that cleans up certain frequencies excelling at plucks and bowed sounds. 

    Arturia also added a new distortion module to the effects section. While there have been options for adding dirt in Pigments before, this is a lot more versatile of an option. It has 16 different modes with built-in filtering for creating everything from the germanium fuzz of classic guitar pedals, to extreme digital wavefolding or even the soft saturation you'd get from a vintage preamp. 

    And if that's not enough new sound design options for you, there are dozens of new wavetables being added too, plus over 150 new presets that show off the power of the new features.

    Lastly, Arturia made some tweaks to the UI that should streamline the workflow, including one-click sample preview. 

    Pigments 3.5 is available now as a free upgrade for current owners. If you haven't picked up Pigments yet, now is a pretty good time to, since it's on sale for $99 until January 6th. And Arturia is even including three new sound banks for free — Bass Thermal, Trap Chemical and EDM Kinetic.

    ", + "content": "

    Arturia has been relentless over the last few year with updating and improving its instruments. Whether that's firmware upgrades for its hardware or feature dumps for its plugins. Pigments, the company's all original virtual synth (as opposed to its meticulous emulations of classic hardware), has been one of the biggest benefactors of these free updates. Today the company is launching Pigments 3.5 another significant upgrade to what I have said repeatedly is my favorite soft synth at the moment. 

    While this isn't quite as large an update as 3.0, it still brings a lot of new features to the table. One of the one most important is that Pigments 3.5 adds compatibility with Apple's M1 chips. This isn't exactly a flashy new feature, but it will make many producers very happy who have already jumped on the hype train for the latest MacBooks.

    The biggest change to the synth engine itself is probably the addition of a cross modulation feature. You can use either engine one or two as the mod source and dial in results that range from subtle weirdness to full on sonic freak outs. Arturia also fleshed out its comb filter which has three new modes (LP6, BP6 and HP6) that cleans up certain frequencies excelling at plucks and bowed sounds. 

    Arturia also added a new distortion module to the effects section. While there have been options for adding dirt in Pigments before, this is a lot more versatile of an option. It has 16 different modes with built-in filtering for creating everything from the germanium fuzz of classic guitar pedals, to extreme digital wavefolding or even the soft saturation you'd get from a vintage preamp. 

    And if that's not enough new sound design options for you, there are dozens of new wavetables being added too, plus over 150 new presets that show off the power of the new features.

    Lastly, Arturia made some tweaks to the UI that should streamline the workflow, including one-click sample preview. 

    Pigments 3.5 is available now as a free upgrade for current owners. If you haven't picked up Pigments yet, now is a pretty good time to, since it's on sale for $99 until January 6th. And Arturia is even including three new sound banks for free — Bass Thermal, Trap Chemical and EDM Kinetic.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/arturia-pigments-free-upgrade-soft-synth-35-m1-support-161634255.html?src=rss", + "creator": "Terrence O'Brien", + "pubDate": "Tue, 14 Dec 2021 16:16:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "34c6071725cfdbc7886707ba96a3dce0" + }, + { + "title": "The US Postal Service secretly tested a blockchain mobile voting system", + "description": "

    Mobile voting hasn't had much traction in the US, but that apparently isn't for a lack of trying. The US Postal Service has confirmed to The Washington Post that it secretly developed and tested a blockchain-based mobile voting system ahead of the 2020 election. The project was purely "exploratory" and was abandoned in 2019 after University of Colorado researchers discovered security flaws, including the risks of impersonation, denial of service attacks and "techniques" that compromised privacy.

    However, it might be the lack of transparency that raises the most concern. The USPS didn't coordinate with other federal agencies, and it asked the university to sign a non-disclosure deal that prevented them from naming the institution involved. Election security officials just learning of the blockchain voting project were worried it might erode trust in the democratic system already hurt by unsupported claims of significant fraud during the 2020 vote.

    The Postal Service has considered electronic voting before, but centered its attention on those who can't easily vote, such as soldiers and people with disabilities. This was a practical exercise that could have applied to a large swath of voters, not just a small group that can't realistically use mail or in-person balloting.

    The end result was the same with or without the test: the 2020 election continued to rely on paper ballots, and federal agencies focused more on establishing a paper trail to reduce the chances of Russia and other actors from tampering with the vote. The revelation shows there wasn't a completely united front, though, and suggests vote-by-smartphone efforts aren't about to take off any time soon.

    ", + "content": "

    Mobile voting hasn't had much traction in the US, but that apparently isn't for a lack of trying. The US Postal Service has confirmed to The Washington Post that it secretly developed and tested a blockchain-based mobile voting system ahead of the 2020 election. The project was purely "exploratory" and was abandoned in 2019 after University of Colorado researchers discovered security flaws, including the risks of impersonation, denial of service attacks and "techniques" that compromised privacy.

    However, it might be the lack of transparency that raises the most concern. The USPS didn't coordinate with other federal agencies, and it asked the university to sign a non-disclosure deal that prevented them from naming the institution involved. Election security officials just learning of the blockchain voting project were worried it might erode trust in the democratic system already hurt by unsupported claims of significant fraud during the 2020 vote.

    The Postal Service has considered electronic voting before, but centered its attention on those who can't easily vote, such as soldiers and people with disabilities. This was a practical exercise that could have applied to a large swath of voters, not just a small group that can't realistically use mail or in-person balloting.

    The end result was the same with or without the test: the 2020 election continued to rely on paper ballots, and federal agencies focused more on establishing a paper trail to reduce the chances of Russia and other actors from tampering with the vote. The revelation shows there wasn't a completely united front, though, and suggests vote-by-smartphone efforts aren't about to take off any time soon.

    ", + "category": "Professional Services", + "link": "https://www.engadget.com/us-postal-service-blockchain-mobile-voting-test-160914015.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Tue, 14 Dec 2021 16:09:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f3b90c86683309cc5578f6a158889bee" + }, + { + "title": "Dell's Concept Luna shows how future laptops could be easier to repair and recycle", + "description": "

    Working with Intel, Dell has created a new laptop called Concept Luna with the aim of making future PCs easier to repair, reuse and recycle. Dell said that if it incorporated all the design ideas, it could reduce a computer's carbon footprint by up to 50 percent compared to current laptop models.

    A key feature of Concept Luna is the redesigned components and a new, more efficient layout. To start with, the motherboard is 75 percent smaller at just 5,580 square millimeters and has a 20 percent lower component count. Everything is rearranged, with the motherboard close to the top cover to expose it to a larger cooling area. It's also separated from the battery charging unit in the base, allowing better passive cooling that could eliminate the need for a fan. 

    \"Dell
    Dell

    The extra efficiencies also reduce power requirements, allowing the designers to use a smaller battery with deep-cycle cells that offer a "long charge that can be maintained across many years of use, increasing refurbishment and reuse beyond the first product life it services," Dell said. 

    On top of making the design more power efficient, Dell designers used less energy-intensive materials that are easier to recycle. The aluminum body, for instance, was processed using hydro power and a more efficient stamped construction. Dell also reduced the number of screws by tenfold, "with just four needed to access internal components." That not only reduces material count, but repair time (to disassemble, repair and reassemble key components) by around 1.5 hours. 

    \"Dell's
    Dell

    Other features include a palm rest that's easy to repair and reuse, a keyboard mechanism that can be easily separated for replacement and recycling, and a bio-based printed circuit board (PCB) made with flax fiber in the base and water-soluble polymer as glue. "What's notable here is that the flax fiber replaces traditional plastic laminates... [and] the water-soluble polymer can 'dissolve,'" making for easier recycling. 

    Concept Luna is far from the first green laptop concept. Framework, for example, recently demonstrated an easy-to-repair laptop with features like removable ports and components that are labeled so you can repair it yourself. 

    Dell might not be the most-loved PC company in terms of customer service, but it frequently tops corporate charts for environmentally-friendly initiatives. Creating a concept that points the way to easy-to-fix, more recyclable PCs is a solid step toward reducing plastic waste and pollution in the PC industry. Now, Dell plans to take the best ideas from Concept Luna "and evaluate which have the greatest potential to scale across our product portfolio," the company wrote. 

    ", + "content": "

    Working with Intel, Dell has created a new laptop called Concept Luna with the aim of making future PCs easier to repair, reuse and recycle. Dell said that if it incorporated all the design ideas, it could reduce a computer's carbon footprint by up to 50 percent compared to current laptop models.

    A key feature of Concept Luna is the redesigned components and a new, more efficient layout. To start with, the motherboard is 75 percent smaller at just 5,580 square millimeters and has a 20 percent lower component count. Everything is rearranged, with the motherboard close to the top cover to expose it to a larger cooling area. It's also separated from the battery charging unit in the base, allowing better passive cooling that could eliminate the need for a fan. 

    \"Dell
    Dell

    The extra efficiencies also reduce power requirements, allowing the designers to use a smaller battery with deep-cycle cells that offer a "long charge that can be maintained across many years of use, increasing refurbishment and reuse beyond the first product life it services," Dell said. 

    On top of making the design more power efficient, Dell designers used less energy-intensive materials that are easier to recycle. The aluminum body, for instance, was processed using hydro power and a more efficient stamped construction. Dell also reduced the number of screws by tenfold, "with just four needed to access internal components." That not only reduces material count, but repair time (to disassemble, repair and reassemble key components) by around 1.5 hours. 

    \"Dell's
    Dell

    Other features include a palm rest that's easy to repair and reuse, a keyboard mechanism that can be easily separated for replacement and recycling, and a bio-based printed circuit board (PCB) made with flax fiber in the base and water-soluble polymer as glue. "What's notable here is that the flax fiber replaces traditional plastic laminates... [and] the water-soluble polymer can 'dissolve,'" making for easier recycling. 

    Concept Luna is far from the first green laptop concept. Framework, for example, recently demonstrated an easy-to-repair laptop with features like removable ports and components that are labeled so you can repair it yourself. 

    Dell might not be the most-loved PC company in terms of customer service, but it frequently tops corporate charts for environmentally-friendly initiatives. Creating a concept that points the way to easy-to-fix, more recyclable PCs is a solid step toward reducing plastic waste and pollution in the PC industry. Now, Dell plans to take the best ideas from Concept Luna "and evaluate which have the greatest potential to scale across our product portfolio," the company wrote. 

    ", + "category": "Computing", + "link": "https://www.engadget.com/dell-project-luna-pc-easier-to-repair-and-recycle-160056898.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Tue, 14 Dec 2021 16:00:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "54ea20f0d3d8ed80546a26176ca79065" + }, + { + "title": "Nintendo will host an indie game showcase at 12PM ET on December 15th", + "description": "

    Nintendo is squeezing in one more indie game showcase before the end of the year. The next Indie World Showcase will take place on December 15th at noon ET.

    As has been the case for the last fewof these events, the stream will run for around 20 minutes. Given what we've seen from these showcases in the past, you can probably expect to learn about indie hits from other platforms that are coming to Nintendo Switch. After a couple of years without much news about the game, here's hoping for more details about Hollow Knight: Silksong too.

    You can watch Nintendo's December Indie World Showcase below.

    ", + "content": "

    Nintendo is squeezing in one more indie game showcase before the end of the year. The next Indie World Showcase will take place on December 15th at noon ET.

    As has been the case for the last fewof these events, the stream will run for around 20 minutes. Given what we've seen from these showcases in the past, you can probably expect to learn about indie hits from other platforms that are coming to Nintendo Switch. After a couple of years without much news about the game, here's hoping for more details about Hollow Knight: Silksong too.

    You can watch Nintendo's December Indie World Showcase below.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/nintendo-indie-game-showcase-how-to-watch-155651019.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Tue, 14 Dec 2021 15:56:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bc85fe5bdb52904861ac30d20a2f751b" + }, + { + "title": "Toyota’s latest EV concepts include sports cars and a pickup", + "description": "

    Toyota now aims to roll out 30 electric vehicles by 2030, expanding on its plan to sell 15 fully electric models by 2025. It gave a taste of the future by previewing a broad range of EV concepts during a presentation.

    Among those is a pickup, which could compete with the likes of Ford's F-150 Lightning and Rivian's R1T. As Autoblog notes, the Toyota Pickup EV looks very much like the Toyota Tacoma. As such, there could be an electric option for the next version of that pickup.

    \"Toyota's
    Toyota

    Other models include a Sports EV and an FJ Cruiser-style Compact Cruiser EV. There are commercial models too, such as the Micro Box and Mid Box. Toyota once again showed off the self-driving e-Palette, which was used to transport athletes during this year's Summer Olympic and Paralympic games. The company pulled them from use at the Paralympics after the EV hit a visually impaired athlete

    At the higher end of the spectrum, Toyota also revealed a lineup of Lexus electric EV concepts. It said the Electrified Sport should be able to go from 0-60 MPH in just over two seconds and have a range of about 435 miles. The brand also showed off an Electrified Sedan and Electrified SUV.

    \"Lexus
    Toyota

    Although Toyota has now committed to spend around $70 billion on electrifying its vehicles, its medium-term projections for EVs are relatively conservative. It expects to sell around 3.5 million EVs per year by 2030, which is around a third of its current volume of vehicle sales. 

    By contrast, Volkswagen estimates that, by that time, half of its vehicle sales will be electric models, and by 2040, the majority of its sales in major markets will be EVs. After becoming an early leader in hybrid vehicle tech, Toyota is playing catchup with other automakers in the EV market, so making comparatively muted projections shouldn't come as too much of a surprise.

    Meanwhile, Toyota recently announced plans to build a $1.29 billion EV battery factory in North Carolina by 2025. The company last month declined to join other automakers, including GM and Ford, in pledging to phase out fossil fuel-powered cars by 2040. However, Lexus plans to only sell EVs by 2035.

    ", + "content": "

    Toyota now aims to roll out 30 electric vehicles by 2030, expanding on its plan to sell 15 fully electric models by 2025. It gave a taste of the future by previewing a broad range of EV concepts during a presentation.

    Among those is a pickup, which could compete with the likes of Ford's F-150 Lightning and Rivian's R1T. As Autoblog notes, the Toyota Pickup EV looks very much like the Toyota Tacoma. As such, there could be an electric option for the next version of that pickup.

    \"Toyota's
    Toyota

    Other models include a Sports EV and an FJ Cruiser-style Compact Cruiser EV. There are commercial models too, such as the Micro Box and Mid Box. Toyota once again showed off the self-driving e-Palette, which was used to transport athletes during this year's Summer Olympic and Paralympic games. The company pulled them from use at the Paralympics after the EV hit a visually impaired athlete

    At the higher end of the spectrum, Toyota also revealed a lineup of Lexus electric EV concepts. It said the Electrified Sport should be able to go from 0-60 MPH in just over two seconds and have a range of about 435 miles. The brand also showed off an Electrified Sedan and Electrified SUV.

    \"Lexus
    Toyota

    Although Toyota has now committed to spend around $70 billion on electrifying its vehicles, its medium-term projections for EVs are relatively conservative. It expects to sell around 3.5 million EVs per year by 2030, which is around a third of its current volume of vehicle sales. 

    By contrast, Volkswagen estimates that, by that time, half of its vehicle sales will be electric models, and by 2040, the majority of its sales in major markets will be EVs. After becoming an early leader in hybrid vehicle tech, Toyota is playing catchup with other automakers in the EV market, so making comparatively muted projections shouldn't come as too much of a surprise.

    Meanwhile, Toyota recently announced plans to build a $1.29 billion EV battery factory in North Carolina by 2025. The company last month declined to join other automakers, including GM and Ford, in pledging to phase out fossil fuel-powered cars by 2040. However, Lexus plans to only sell EVs by 2035.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/toyota-ev-concepts-pickup-sports-cars-lexus-153032133.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Tue, 14 Dec 2021 15:30:32 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4bba2459b2c5bb617da3296bb1c36f23" + }, + { + "title": "LastPass will launch new features faster after becoming independent", + "description": "

    LastPass has been sitting under LogMeIn's wing for six years, but it won't be for much longer. LogMeIn has revealed plans to once again make LastPass a standalone company. The move is meant to "accelerate" growth in password management and secure sign-ins by providing more dedicated resources to LastPass. That includes a faster rollout of 2022 features, LogMeIn said.

    The full extent of those features wasn't clear, but LastPass hinted at "faster, seamless" password filling, an improved mobile app and more third-party tie-ins for corporate customers. You should also see more support channels and a website redesign.

    LogMeIn saw itself taking advantage of good timing. Its entire brand has thrived during the pandemic, with LastPass in particular seeing "tremendous" growth from its mostly business-focused audience. Ideally, this helps LastPass preserve that momentum and compete against rivals like Dashlane, AgileBits' 1Password and Zoho. Whatever happens, it's safe to say LastPass is headed in a new direction that could affect how you use it.

    ", + "content": "

    LastPass has been sitting under LogMeIn's wing for six years, but it won't be for much longer. LogMeIn has revealed plans to once again make LastPass a standalone company. The move is meant to "accelerate" growth in password management and secure sign-ins by providing more dedicated resources to LastPass. That includes a faster rollout of 2022 features, LogMeIn said.

    The full extent of those features wasn't clear, but LastPass hinted at "faster, seamless" password filling, an improved mobile app and more third-party tie-ins for corporate customers. You should also see more support channels and a website redesign.

    LogMeIn saw itself taking advantage of good timing. Its entire brand has thrived during the pandemic, with LastPass in particular seeing "tremendous" growth from its mostly business-focused audience. Ideally, this helps LastPass preserve that momentum and compete against rivals like Dashlane, AgileBits' 1Password and Zoho. Whatever happens, it's safe to say LastPass is headed in a new direction that could affect how you use it.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/lastpass-standalone-company-151024253.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Tue, 14 Dec 2021 15:10:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ccee551394a8f1414fe62b2b653f440a" + }, + { + "title": "Ford pilot uses self-driving shuttles to deliver food to Detroit seniors", + "description": "

    Ford's autonomous delivery experiments now include potentially vital services. The automaker is launching a six-month pilot project that will have self-driving shuttles bring fresh food to residents of a Detroit senior living center, the Rio Vista Detroit Co-Op Apartments, that might otherwise have challenges fetching groceries. The free-of-charge offering will have the "low-speed" vehicle drive a fixed route between a Ford facility and Rio Vista, with a safety driver and a remote team ready to take over if necessary.

    Notably, the shuttle doesn't involve Ford's partner Argo — this is a distinct effort between Ford's in-house autonomy team and the company's Quantum Signal AI subsidiary. The two have modified the shuttle to help with packing and unloading food, but it's otherwise a stock machine (as far as autonomous shuttles go, at least).

    There's certainly a degree of publicity grabbing involved — Ford is conducting a pilot that doubles as a goodwill campaign. This will help Ford study slower self-driving technology and remote control, though. It also hints at a future where driverless vehicles help seniors maintain their quality of life when travel is impractical.

    ", + "content": "

    Ford's autonomous delivery experiments now include potentially vital services. The automaker is launching a six-month pilot project that will have self-driving shuttles bring fresh food to residents of a Detroit senior living center, the Rio Vista Detroit Co-Op Apartments, that might otherwise have challenges fetching groceries. The free-of-charge offering will have the "low-speed" vehicle drive a fixed route between a Ford facility and Rio Vista, with a safety driver and a remote team ready to take over if necessary.

    Notably, the shuttle doesn't involve Ford's partner Argo — this is a distinct effort between Ford's in-house autonomy team and the company's Quantum Signal AI subsidiary. The two have modified the shuttle to help with packing and unloading food, but it's otherwise a stock machine (as far as autonomous shuttles go, at least).

    There's certainly a degree of publicity grabbing involved — Ford is conducting a pilot that doubles as a goodwill campaign. This will help Ford study slower self-driving technology and remote control, though. It also hints at a future where driverless vehicles help seniors maintain their quality of life when travel is impractical.

    ", + "category": "Automotive Industry", + "link": "https://www.engadget.com/ford-self-driving-shuttle-pilot-142907017.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Tue, 14 Dec 2021 14:29:07 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d954f3a2e44cbb8f868c06a1f5b4dd41" + }, + { + "title": "Honda is piloting a road-monitoring system to spot faded lane markers", + "description": "

    Staying in your lane is a lot easier when you know how much of the road is yours to use. Unfortunately, America’s decades-long love affair with performing the absolute bare minimum of basic infrastructure maintenance has left many stretches of the nation’s highway lane markers faded, damaged and obscured. A new pilot program from Honda Research Institute USA could one day help local highway and traffic departments keep a closer eye on the state of the roads in their care, using the cars travelling upon them.

    The Honda Road Condition Monitoring System leverages the cameras and GPS navigation systems already found in many of today’s automobiles to monitor the real-time conditions of roads and detect potential hazards. The onboard system will evaluate each stretch of lane marker as green, yellow, grey and red. Green and yellow denote ideal or good quality lane markers, while red indicates markers in need of repair and grey means that there are no markers present at all (like on city streets or rural roads).

    The system captures road conditions using the vehicle’s cameras and other sensors, coordinating that feed with the onboard GPS to provide exact locations of any hazards or damage and then uploads that data to a secure server. Once the data is in the cloud, local highway and transportation departments will be able to access it through a web portal to see which stretches of roadway need to be repaired or repainted most urgently.

    “We regularly inspect our roadways throughout Ohio and act quickly to address any issues, like faded or damaged pavement markings, that are identified. It’s a labor-intensive process. Good pavement markings are important to the drivers of today and the vehicles of tomorrow,” Ohio Department of Transportation Director Jack Marchbanks said in a statement Monday. “We’re excited to work with Honda to improve the process.”

    Honda is working with the Ohio Department of Transportation for its upcoming pilot program, which is slated to begin early next year. During that study, obviously only select Honda vehicles will be recording datam, “to help enhance the efficiency of the road maintenance operation in Ohio,” according to a Monday press release. The research institute is looking to eventually connect entire fleets of Honda and Acura vehicles, allowing them to share data via V2V (vehicle-to-vehicle) networks and provide real-time updates to their ADA systems.

    ", + "content": "

    Staying in your lane is a lot easier when you know how much of the road is yours to use. Unfortunately, America’s decades-long love affair with performing the absolute bare minimum of basic infrastructure maintenance has left many stretches of the nation’s highway lane markers faded, damaged and obscured. A new pilot program from Honda Research Institute USA could one day help local highway and traffic departments keep a closer eye on the state of the roads in their care, using the cars travelling upon them.

    The Honda Road Condition Monitoring System leverages the cameras and GPS navigation systems already found in many of today’s automobiles to monitor the real-time conditions of roads and detect potential hazards. The onboard system will evaluate each stretch of lane marker as green, yellow, grey and red. Green and yellow denote ideal or good quality lane markers, while red indicates markers in need of repair and grey means that there are no markers present at all (like on city streets or rural roads).

    The system captures road conditions using the vehicle’s cameras and other sensors, coordinating that feed with the onboard GPS to provide exact locations of any hazards or damage and then uploads that data to a secure server. Once the data is in the cloud, local highway and transportation departments will be able to access it through a web portal to see which stretches of roadway need to be repaired or repainted most urgently.

    “We regularly inspect our roadways throughout Ohio and act quickly to address any issues, like faded or damaged pavement markings, that are identified. It’s a labor-intensive process. Good pavement markings are important to the drivers of today and the vehicles of tomorrow,” Ohio Department of Transportation Director Jack Marchbanks said in a statement Monday. “We’re excited to work with Honda to improve the process.”

    Honda is working with the Ohio Department of Transportation for its upcoming pilot program, which is slated to begin early next year. During that study, obviously only select Honda vehicles will be recording datam, “to help enhance the efficiency of the road maintenance operation in Ohio,” according to a Monday press release. The research institute is looking to eventually connect entire fleets of Honda and Acura vehicles, allowing them to share data via V2V (vehicle-to-vehicle) networks and provide real-time updates to their ADA systems.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/honda-is-piloting-a-road-monitoring-system-to-spot-faded-lane-markers-141527660.html?src=rss", + "creator": "Andrew Tarantola", + "pubDate": "Tue, 14 Dec 2021 14:15:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f32dc9d2c4b4b46a23bc5dce2c9ab7ec" + }, + { + "title": "Anker wireless chargers are up to 36 percent off in Amazon's one-day sale", + "description": "

    If you're still struggling to come up with gift ideas for the holidays, you can't go wrong with mobile accessories. With so much of our lives driven by our devices, gadgets that help keep smartphones and tablets going will be useful to almost anyone. Anker makes some of our favorite mobile accessories and Amazon has a one-day-only sale going on that knocks up to 36 percent off some of the company's latest devices. A bunch of gadgets in the new MagGo lineup have been discounted, including the gray 5,000mAh magnetic battery pack, which is 25 percent off and down to $45, and the magnetic desktop charging station, which is also 25 percent off and on sale for $75.

    Shop Anker one-day sale at AmazonBuy MagGo battery pack at Amazon - $45Buy MagGo desktop charging station at Amazon - $75

    All of the accessories in the MagGo collection work with the latest iPhones that have MagSafe, meaning they'll snap onto the back of the handsets to provide power, extra grip and more. The 5,000mAh battery pack will come in handy for those constantly on the go as it snaps to the back of iPhone 13s and provides up to 17 hours of additional juice. It also has a built-in kickstand, so you can prop up your iPhone while it's wirelessly charging. We also appreciate that it doesn't add much heft to the iPhone, measuring just 12.8mm thick, and that you can use it with MagSafe-compatible phone cases, too.

    If you know someone who could stand to clean up their nightstand a bit, Anker's MagGo desktop charging station could do the trick. It looks similar to Amazon's now-discontinued Echo Spot, but with a powerful magnetic pad instead of a smart display. The orb magnetically holds on to your iPhone, positioning it at an angle that makes it easy to see and use the screen. On its back, it has a bunch of ports: three AC outlets, two USB-C ports and two USB-A ports. That lets you plug in almost any other gadget you have lying around like a tablet or your smartwatch, and it keeps all of your cables mostly out of the way. Its small size and cute design make it a good choice as a catch-all charging device for your nightstand or the desk in your home office.

    While the sale mostly includes magnetic accessories, there are a few standard charging gadgets included, too. Anker's new Nano Pro 20W USB-C charger is 25 percent off, bringing it down to $15, while a pack of 3-, 6- and 10-foot Powerline II USB-C to Lightning cables is 36 percent off, knocking it down to just under $30. Depending on when you place your order, you could still get these accessories before Christmas, too.

    Buy Nano Pro 20W charger at Amazon - $15Buy USB-C to Lightning cables (3 pack) at Amazon - $30

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    If you're still struggling to come up with gift ideas for the holidays, you can't go wrong with mobile accessories. With so much of our lives driven by our devices, gadgets that help keep smartphones and tablets going will be useful to almost anyone. Anker makes some of our favorite mobile accessories and Amazon has a one-day-only sale going on that knocks up to 36 percent off some of the company's latest devices. A bunch of gadgets in the new MagGo lineup have been discounted, including the gray 5,000mAh magnetic battery pack, which is 25 percent off and down to $45, and the magnetic desktop charging station, which is also 25 percent off and on sale for $75.

    Shop Anker one-day sale at AmazonBuy MagGo battery pack at Amazon - $45Buy MagGo desktop charging station at Amazon - $75

    All of the accessories in the MagGo collection work with the latest iPhones that have MagSafe, meaning they'll snap onto the back of the handsets to provide power, extra grip and more. The 5,000mAh battery pack will come in handy for those constantly on the go as it snaps to the back of iPhone 13s and provides up to 17 hours of additional juice. It also has a built-in kickstand, so you can prop up your iPhone while it's wirelessly charging. We also appreciate that it doesn't add much heft to the iPhone, measuring just 12.8mm thick, and that you can use it with MagSafe-compatible phone cases, too.

    If you know someone who could stand to clean up their nightstand a bit, Anker's MagGo desktop charging station could do the trick. It looks similar to Amazon's now-discontinued Echo Spot, but with a powerful magnetic pad instead of a smart display. The orb magnetically holds on to your iPhone, positioning it at an angle that makes it easy to see and use the screen. On its back, it has a bunch of ports: three AC outlets, two USB-C ports and two USB-A ports. That lets you plug in almost any other gadget you have lying around like a tablet or your smartwatch, and it keeps all of your cables mostly out of the way. Its small size and cute design make it a good choice as a catch-all charging device for your nightstand or the desk in your home office.

    While the sale mostly includes magnetic accessories, there are a few standard charging gadgets included, too. Anker's new Nano Pro 20W USB-C charger is 25 percent off, bringing it down to $15, while a pack of 3-, 6- and 10-foot Powerline II USB-C to Lightning cables is 36 percent off, knocking it down to just under $30. Depending on when you place your order, you could still get these accessories before Christmas, too.

    Buy Nano Pro 20W charger at Amazon - $15Buy USB-C to Lightning cables (3 pack) at Amazon - $30

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/anker-wireless-chargers-are-up-to-36-percent-off-in-amazons-one-day-sale-134516653.html?src=rss", + "creator": "Valentina Palladino", + "pubDate": "Tue, 14 Dec 2021 13:45:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "67897aa35aa0e1eb7c79105293ecd49c" + }, + { + "title": "California suspends Toyota-backed Pony.ai's driverless testing permit", + "description": "

    Pony.ai, a Chinese autonomous driving company backed by Toyota, can no longer test fully self driving vehicles in California, for now at least. According to Reuters, the DMV suspended its driverless testing permit on November 19th, a few weeks after a reported collision in Fremont. Based on the report filed with the state's DMV, a Pony.ai vehicle operating autonomously hit a road center divider and a traffic sign on October 28th. 

    It was a single vehicle incident, and there were no injuries and other vehicles involved. As Reuters said, it's unclear what aspect of the accident prompted the DMV to suspend Pony.ai's permit, but the company said it immediately launched an investigation and is working with the agency to figure out what caused the collision. 

    While Pony.ai won't be able to test fully autonomous vehicles in California anymore, it can continue its trials with safety drivers behind the wheel. The company has 10 Hyundai Motor Kona electric vehicles registered for testing and only secured its driverless testing permit six months ago for three cities in the state. It's the eighth company to receive that kind of permit in California, following the likes of Waymo, Cruise and Baidu. Under the terms of the permit, Pony.ai was given permission to conduct driverless tests in Fremont, Milpitas and Irvine on open roads and with a speed limit of 45 miles per hour. Further, the vehicles could only operate in clear weather and light precipitation.

    Pony.ai recently received approval to run paid autonomous taxi services in Beijing, which it was also hoping to achieve in California by 2022. It remains to be seen whether this suspension will delay those plans considerably. 

    ", + "content": "

    Pony.ai, a Chinese autonomous driving company backed by Toyota, can no longer test fully self driving vehicles in California, for now at least. According to Reuters, the DMV suspended its driverless testing permit on November 19th, a few weeks after a reported collision in Fremont. Based on the report filed with the state's DMV, a Pony.ai vehicle operating autonomously hit a road center divider and a traffic sign on October 28th. 

    It was a single vehicle incident, and there were no injuries and other vehicles involved. As Reuters said, it's unclear what aspect of the accident prompted the DMV to suspend Pony.ai's permit, but the company said it immediately launched an investigation and is working with the agency to figure out what caused the collision. 

    While Pony.ai won't be able to test fully autonomous vehicles in California anymore, it can continue its trials with safety drivers behind the wheel. The company has 10 Hyundai Motor Kona electric vehicles registered for testing and only secured its driverless testing permit six months ago for three cities in the state. It's the eighth company to receive that kind of permit in California, following the likes of Waymo, Cruise and Baidu. Under the terms of the permit, Pony.ai was given permission to conduct driverless tests in Fremont, Milpitas and Irvine on open roads and with a speed limit of 45 miles per hour. Further, the vehicles could only operate in clear weather and light precipitation.

    Pony.ai recently received approval to run paid autonomous taxi services in Beijing, which it was also hoping to achieve in California by 2022. It remains to be seen whether this suspension will delay those plans considerably. 

    ", + "category": "Transportation", + "link": "https://www.engadget.com/california-suspends-ponyai-driverless-testing-permit-122914859.html?src=rss", + "creator": "Mariella Moon", + "pubDate": "Tue, 14 Dec 2021 12:29:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "69e703f63e55bf6d3dd7af75676432c8" + }, + { + "title": "The Morning After: The Analogue Pocket could be the definitive retro handheld", + "description": "

    After teasing, delaying and just generally riling up retro gamers, Analogue’s Pocket is almost here. Engadget’s James Trew — one of those aforementioned riled-up types — is currently testing one out. So while he racks up enough hours of play for a full review, we get a few first impressions. Tetris, the Game Boy OG, is pretty much exactly how you remember it, with the original pixel grid, motion blur and even the sound. There’s even a link port for some very old-school multiplayer. 

    Analogue has announced that orders for the Pocket open again today. If you want this surprisingly authentic taste of handheld gaming’s past, it’ll set you back $220. 

    — Mat Smith

    Apple’s Tracker Detect app will help protect Android users from AirTag stalkers

    No Apple account needed.

    Apple has released Tracker Detect, an Android app to help you if you don’t have an iOS device to find out if someone is using an AirTag or other Find My-compatible device to snoop on your location. When the app finds a nearby AirTag, it flags it as an Unknown AirTag. If it follows you for 10 minutes, you can use the app to tell the tracker to play a sound, making it easier to find. You can tap the device with your NFC-compatible phone for instructions on how to disable it.

    Continue reading.

    Dremel announces its first smart tool

    Naturally, it has Bluetooth.

    \"TMA\"
    Dremel

    Dremel is the standard when it comes to rotary tools and the new 8260 features firsts for the company. Not only does it feature a Bluetooth connection, it’s got a more powerful brushless motor. The former means it can connect to Dremel's mobile app, which has an interactive guide that tells you what accessory and RPM you need to use to cut through specific materials.

    Continue reading.

    Universal Music is bringing Rihanna and Migos into the metaverse

    Oh and there are NFTs.

    Universal Music Group is working with avatar company Genies to create digital versions of its artists, as well as non-fungible token (NFT) outfits and accessories, for use in virtual worlds. In the coming months, through an NFT marketplace run by Genies, fans will be able to buy and sell virtual merchandise. Universal Music is fascinated by NFTs. Last month, it announced a virtual band comprising four characters from the Bored Ape Yacht Club NFT collection.

    Continue reading.

    Square Enix’s ‘Forspoken’ mixes magical parkour with an unforgiving world

    And magical nail art upgrades.

    \"TMA\"
    Square Enix

    Judging by all the teaser videos released so far, Forspoken is promising a swathe of visually stunning elemental spells and a hero that can dash, glide and traverse a fantasy world quicker than any Assassin’s Creed protagonist. It’s from an entirely new game studio — under Square Enix’s wing — running on a proprietary games engine. While we didn’t get to play it, we do have a better idea of exactly how Forspoken will play.

    Continue reading.

    Sony will begin selling official $55 PlayStation 5 covers next month

    Matching DualSense wireless controllers are coming, too.

    \"TMA\"
    Sony

    After shutting down third-party PS5 console covers with legal threats, Sony has launched its own official $55 PlayStation five colors. And they’re pretty bright! And 55 bucks!

    Continue reading.

     

     

    The biggest news stories you might have missed


    MGM lets potential employees try out jobs in VR

    Apple Music's Siri-only plan is now available as iOS 15.2 rolls out

    Apple's 24-inch 8-core iMac M1 falls to a new all-time low at Amazon

    GOG offers steep discounts on ‘Disco Elysium,’ ‘Cyberpunk 2077’ and more

    Nike acquires virtual sneakers and crypto-collectibles startup RTFKT

    Apple delays macOS Universal Control until spring 2022

    ", + "content": "

    After teasing, delaying and just generally riling up retro gamers, Analogue’s Pocket is almost here. Engadget’s James Trew — one of those aforementioned riled-up types — is currently testing one out. So while he racks up enough hours of play for a full review, we get a few first impressions. Tetris, the Game Boy OG, is pretty much exactly how you remember it, with the original pixel grid, motion blur and even the sound. There’s even a link port for some very old-school multiplayer. 

    Analogue has announced that orders for the Pocket open again today. If you want this surprisingly authentic taste of handheld gaming’s past, it’ll set you back $220. 

    — Mat Smith

    Apple’s Tracker Detect app will help protect Android users from AirTag stalkers

    No Apple account needed.

    Apple has released Tracker Detect, an Android app to help you if you don’t have an iOS device to find out if someone is using an AirTag or other Find My-compatible device to snoop on your location. When the app finds a nearby AirTag, it flags it as an Unknown AirTag. If it follows you for 10 minutes, you can use the app to tell the tracker to play a sound, making it easier to find. You can tap the device with your NFC-compatible phone for instructions on how to disable it.

    Continue reading.

    Dremel announces its first smart tool

    Naturally, it has Bluetooth.

    \"TMA\"
    Dremel

    Dremel is the standard when it comes to rotary tools and the new 8260 features firsts for the company. Not only does it feature a Bluetooth connection, it’s got a more powerful brushless motor. The former means it can connect to Dremel's mobile app, which has an interactive guide that tells you what accessory and RPM you need to use to cut through specific materials.

    Continue reading.

    Universal Music is bringing Rihanna and Migos into the metaverse

    Oh and there are NFTs.

    Universal Music Group is working with avatar company Genies to create digital versions of its artists, as well as non-fungible token (NFT) outfits and accessories, for use in virtual worlds. In the coming months, through an NFT marketplace run by Genies, fans will be able to buy and sell virtual merchandise. Universal Music is fascinated by NFTs. Last month, it announced a virtual band comprising four characters from the Bored Ape Yacht Club NFT collection.

    Continue reading.

    Square Enix’s ‘Forspoken’ mixes magical parkour with an unforgiving world

    And magical nail art upgrades.

    \"TMA\"
    Square Enix

    Judging by all the teaser videos released so far, Forspoken is promising a swathe of visually stunning elemental spells and a hero that can dash, glide and traverse a fantasy world quicker than any Assassin’s Creed protagonist. It’s from an entirely new game studio — under Square Enix’s wing — running on a proprietary games engine. While we didn’t get to play it, we do have a better idea of exactly how Forspoken will play.

    Continue reading.

    Sony will begin selling official $55 PlayStation 5 covers next month

    Matching DualSense wireless controllers are coming, too.

    \"TMA\"
    Sony

    After shutting down third-party PS5 console covers with legal threats, Sony has launched its own official $55 PlayStation five colors. And they’re pretty bright! And 55 bucks!

    Continue reading.

     

     

    The biggest news stories you might have missed


    MGM lets potential employees try out jobs in VR

    Apple Music's Siri-only plan is now available as iOS 15.2 rolls out

    Apple's 24-inch 8-core iMac M1 falls to a new all-time low at Amazon

    GOG offers steep discounts on ‘Disco Elysium,’ ‘Cyberpunk 2077’ and more

    Nike acquires virtual sneakers and crypto-collectibles startup RTFKT

    Apple delays macOS Universal Control until spring 2022

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/the-morning-after-the-analogue-pocket-could-be-the-definitive-retro-handheld-121543620.html?src=rss", + "creator": "Mat Smith", + "pubDate": "Tue, 14 Dec 2021 12:15:43 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3c832f0445af5ce25e9e63f1da5cd0bf" + }, + { + "title": "Toyota's remote start key fob feature requires an $8 monthly subscription", + "description": "

    To the consternation of some owners, Toyota's remote start key fob functionality requires a paid $8 per month subscription service, The Drive has discovered. The issue only applies to 2018 and later models, but recently came to light as the free trials of Toyota's Remote Connect subscription started to expire. 

    Toyota lets you start vehicles like the RAV 4 PHEV remotely in two ways. One is over WiFi/LTE using its Remote Connect apps that cost $8 per month or $80 per year. The other is by using the key fob, which requires that you be relatively close to the vehicle.

    Unless they read the fine print, however, owners may not have known that the key fob method was also part of the Remote Connect subscription. Toyota confirmed to The Drive that you'll need a paid subscription on every 2018 and newer Toyota model to use the function.

    Complicating the situation is that most buyers received a free three-year or 10-year Remote Connect trial depending on whether they had the Audio Plus or Premium Audio trim options. So for at least the first three years of ownership, the remote key fob start method would have worked without a hitch — but it's now expiring for 2018 models.

    The issue was originally spotted by car shopping site CoPilot last summer. Owners are particularly irked that Toyota has linked the key fob remote start function to Remote Connect, since the key fob doesn't require an app in any way. What might be extra galling is that the limitation doesn't apply to pre-2018 cars, because Toyota didn't want to update them from 3G to LTE networks. 

    Toyota isn't the first automaker to charge for key features on top of the price of the car. Mercedes also requires a subscription in Europe for rear-wheel steering in its new EQS electric car. And after charging buyers a monthly fee for Apple CarPlay, BMW backtracked and included the feature for free.

    ", + "content": "

    To the consternation of some owners, Toyota's remote start key fob functionality requires a paid $8 per month subscription service, The Drive has discovered. The issue only applies to 2018 and later models, but recently came to light as the free trials of Toyota's Remote Connect subscription started to expire. 

    Toyota lets you start vehicles like the RAV 4 PHEV remotely in two ways. One is over WiFi/LTE using its Remote Connect apps that cost $8 per month or $80 per year. The other is by using the key fob, which requires that you be relatively close to the vehicle.

    Unless they read the fine print, however, owners may not have known that the key fob method was also part of the Remote Connect subscription. Toyota confirmed to The Drive that you'll need a paid subscription on every 2018 and newer Toyota model to use the function.

    Complicating the situation is that most buyers received a free three-year or 10-year Remote Connect trial depending on whether they had the Audio Plus or Premium Audio trim options. So for at least the first three years of ownership, the remote key fob start method would have worked without a hitch — but it's now expiring for 2018 models.

    The issue was originally spotted by car shopping site CoPilot last summer. Owners are particularly irked that Toyota has linked the key fob remote start function to Remote Connect, since the key fob doesn't require an app in any way. What might be extra galling is that the limitation doesn't apply to pre-2018 cars, because Toyota didn't want to update them from 3G to LTE networks. 

    Toyota isn't the first automaker to charge for key features on top of the price of the car. Mercedes also requires a subscription in Europe for rear-wheel steering in its new EQS electric car. And after charging buyers a monthly fee for Apple CarPlay, BMW backtracked and included the feature for free.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/toyota-key-fob-remote-start-function-requires-subscription-111606852.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Tue, 14 Dec 2021 11:16:06 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "432001b16387a14178cf65196550da64" + }, + { + "title": "LG’s StanbyME is a wireless TV on wheels", + "description": "

    LG is slated to showcase two lifestyle TVs with unusual designs at CES 2022, one of which is the recently announced premium OLED Evo TV with motorized cover. The other? It's a smaller wireless TV with built-in battery called StanbyME that you can roll in and out of any room in your home. The 27-inch display is mounted on a moveable stand with concealed wheels, and you can adjust its height to customize its position for whatever you're using it for. You can also swivel and rotate its screen to either portrait or landscape orientation. 

    In its announcement, LG said that since you can adjust its position as needed, you can use it in your kitchen while cooking or in your bedroom or the sofa while lounging. And you can, unless you're planning on not getting up for hours to binge on your favorite series — the TV only lasts for three hours of viewing before it needs a recharge. 

    Despite that limitation, you can use the StanbyME to view whatever content you want using the apps it supports, which include Netflix, YouTube and Prime Video. You can also take advantage of its mobile screen mirroring capability with your Android or iOS phone and NFC. The model has a removable mobile cradle on top, so you can use it to take video calls or attend online classes. Plus, you can use it as a screen for your laptop or PC via wireless connection or by using USB or HDMI.

    The model will come with a remote control you can use for navigation, but it'll also be able to recognize touch and gesture commands. LG also says that it has a unique US that's "tailored to the viewer's personal viewing experience." The manufacturer didn't explain what it meant by that, but we'll find out for sure in January at CES.

    ", + "content": "

    LG is slated to showcase two lifestyle TVs with unusual designs at CES 2022, one of which is the recently announced premium OLED Evo TV with motorized cover. The other? It's a smaller wireless TV with built-in battery called StanbyME that you can roll in and out of any room in your home. The 27-inch display is mounted on a moveable stand with concealed wheels, and you can adjust its height to customize its position for whatever you're using it for. You can also swivel and rotate its screen to either portrait or landscape orientation. 

    In its announcement, LG said that since you can adjust its position as needed, you can use it in your kitchen while cooking or in your bedroom or the sofa while lounging. And you can, unless you're planning on not getting up for hours to binge on your favorite series — the TV only lasts for three hours of viewing before it needs a recharge. 

    Despite that limitation, you can use the StanbyME to view whatever content you want using the apps it supports, which include Netflix, YouTube and Prime Video. You can also take advantage of its mobile screen mirroring capability with your Android or iOS phone and NFC. The model has a removable mobile cradle on top, so you can use it to take video calls or attend online classes. Plus, you can use it as a screen for your laptop or PC via wireless connection or by using USB or HDMI.

    The model will come with a remote control you can use for navigation, but it'll also be able to recognize touch and gesture commands. LG also says that it has a unique US that's "tailored to the viewer's personal viewing experience." The manufacturer didn't explain what it meant by that, but we'll find out for sure in January at CES.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/l-gs-stanbyme-wireless-tv-101519278.html?src=rss", + "creator": "Mariella Moon", + "pubDate": "Tue, 14 Dec 2021 10:15:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6b77bffeded633b58159d600ae14ef2c" + }, + { + "title": "YouTube TV may lose ESPN, ABC, FX and other Disney channels this week", + "description": "

    YouTube TV has warned viewers that channels including ABC, ESPN, FX and others may disappear by 11:59 PM on December 17th if it can't come to terms with Disney over carriage fees. If that happens, YouTube TV will lower its price by $15 (from $65 to $50) while Disney content remains off the service. 

    "Disney is an important partner for us. We are in active conversations with them and are working hard to keep their content on YouTube TV," it said in a press release. "Our ask of Disney, as with all of our partners, is to treat YouTube TV like any other TV provider — by offering us the same rates that services of a similar size pay, across Disney’s channels for as long as we carry them. If Disney offers us equitable terms, we’ll renew our agreement with them." 

    The Google-owned platform said that it's "optimistic" it can reach a deal with Disney and that it has a "highly successful track record of negotiating such agreements with providers." That said, YouTube TV has also seen some failed negotiations, such as when it disappeared off new Roku devices in April 2021 before finally returning in December.

    Google came to terms with Roku just before the main YouTube app disappeared, so there's some hope that it can reach a deal with Disney ahead of the December 17 deadline. Just in case, though, YouTube TV said that users might want to sign up for the $14 Disney Bundle to keep access to ABC and other channels. 

    YouTube TV launched only recently in April of 2017, but with four million subscribers, it's become one of the top cord-cutting services along with Disney's Hulu, according to The Hollywood Reporter. If the parties can't come to terms, some 25 channels could disappear. 

    ", + "content": "

    YouTube TV has warned viewers that channels including ABC, ESPN, FX and others may disappear by 11:59 PM on December 17th if it can't come to terms with Disney over carriage fees. If that happens, YouTube TV will lower its price by $15 (from $65 to $50) while Disney content remains off the service. 

    "Disney is an important partner for us. We are in active conversations with them and are working hard to keep their content on YouTube TV," it said in a press release. "Our ask of Disney, as with all of our partners, is to treat YouTube TV like any other TV provider — by offering us the same rates that services of a similar size pay, across Disney’s channels for as long as we carry them. If Disney offers us equitable terms, we’ll renew our agreement with them." 

    The Google-owned platform said that it's "optimistic" it can reach a deal with Disney and that it has a "highly successful track record of negotiating such agreements with providers." That said, YouTube TV has also seen some failed negotiations, such as when it disappeared off new Roku devices in April 2021 before finally returning in December.

    Google came to terms with Roku just before the main YouTube app disappeared, so there's some hope that it can reach a deal with Disney ahead of the December 17 deadline. Just in case, though, YouTube TV said that users might want to sign up for the $14 Disney Bundle to keep access to ABC and other channels. 

    YouTube TV launched only recently in April of 2017, but with four million subscribers, it's become one of the top cord-cutting services along with Disney's Hulu, according to The Hollywood Reporter. If the parties can't come to terms, some 25 channels could disappear. 

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/you-tube-tv-may-lose-espn-abc-fx-and-other-disney-channels-this-week-090746003.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Tue, 14 Dec 2021 09:07:46 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2d5d5c82555374b171eba6d98b2a312d" + }, + { + "title": "Nike acquires virtual sneakers and crypto collectibles startup RTFKT", + "description": "

    In October, Nike filed trademark applications as part of its preparations to sell virtual sneakers and apparel, according to CNBC. Now, the footwear and sports apparel giant has acquired a startup called RTFKT (pronounced "artifact") that will help the company accelerate its "digital transformation." RTFKT was founded in early 2020 and has since made a name for itself designing and creating what it calls "Metaverse-ready sneakers and collectibles" — all digital goods people pay very real money for. 

    The market for virtual goods is booming, and it's expected to continue growing as we move towards the metaverse, the future vision for the internet wherein people can interact in a virtual world with digital avatars. To that end, Nike seems to have big plans for RTFKT and its team, which will be joining the company. John Donahoe, Nike's President and CEO, said: "We're acquiring a very talented team of creators with an authentic and connected brand. Our plan is to invest in the RTFKT brand, serve and grow their innovative and creative community and extend Nike’s digital footprint and capabilities." On Twitter, the startup said that it "will continue to evolve [its] brand, innovations, products and community with Nike resources and talents."

    Earlier this year, RTFKT teamed up with 18-year-old artist Fewocious to release three NFT sneakers for $3,000, $5,000 and $10,000. Within just seven minutes, over 600 people purchased their own virtual pairs for a total of US$3.1 million. More recently, the startup introduced its avatar-like project called CloneX, a joint effort with Japanese artist Takashi Murakami. RTFKT calls CloneX its "most ambitious project yet," as it marks the beginning of an ecosystem for its Metaverse-ready avatars. 

    RTFKT is now a part of the NIKE, Inc. family. 🌐👁‍🗨 pic.twitter.com/5egNk9d8wA

    — RTFKT Studios (@RTFKTstudios) December 13, 2021

    ", + "content": "

    In October, Nike filed trademark applications as part of its preparations to sell virtual sneakers and apparel, according to CNBC. Now, the footwear and sports apparel giant has acquired a startup called RTFKT (pronounced "artifact") that will help the company accelerate its "digital transformation." RTFKT was founded in early 2020 and has since made a name for itself designing and creating what it calls "Metaverse-ready sneakers and collectibles" — all digital goods people pay very real money for. 

    The market for virtual goods is booming, and it's expected to continue growing as we move towards the metaverse, the future vision for the internet wherein people can interact in a virtual world with digital avatars. To that end, Nike seems to have big plans for RTFKT and its team, which will be joining the company. John Donahoe, Nike's President and CEO, said: "We're acquiring a very talented team of creators with an authentic and connected brand. Our plan is to invest in the RTFKT brand, serve and grow their innovative and creative community and extend Nike’s digital footprint and capabilities." On Twitter, the startup said that it "will continue to evolve [its] brand, innovations, products and community with Nike resources and talents."

    Earlier this year, RTFKT teamed up with 18-year-old artist Fewocious to release three NFT sneakers for $3,000, $5,000 and $10,000. Within just seven minutes, over 600 people purchased their own virtual pairs for a total of US$3.1 million. More recently, the startup introduced its avatar-like project called CloneX, a joint effort with Japanese artist Takashi Murakami. RTFKT calls CloneX its "most ambitious project yet," as it marks the beginning of an ecosystem for its Metaverse-ready avatars. 

    RTFKT is now a part of the NIKE, Inc. family. 🌐👁‍🗨 pic.twitter.com/5egNk9d8wA

    — RTFKT Studios (@RTFKTstudios) December 13, 2021

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/nike-acquires-virtual-sneaker-crypto-collectibles-startup-rtfkt-064837247.html?src=rss", + "creator": "Mariella Moon", + "pubDate": "Tue, 14 Dec 2021 06:48:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15ec4fc14ab79214e4351730b1d29ae1" + }, + { + "title": "Amazon reportedly plans to expand its grocery delivery business", + "description": "

    Amazon may soon more directly compete with Instacart. According to The Information, the company has spent much of the last year trialing a product known internally as Amazon Fresh Marketplace. The service allows UK Prime subscribers to order groceries from two major supermarket brands, with same-day delivery fulfilled by the company’s Flex drivers. In 2022, Amazon reportedly plans to bring the service to the US and the majority of Europe.

    Amazon declined to comment on the specifics of its plans but did share a statement with Engadget. “Our focus is on providing Amazon customers the best possible experience when it comes to grocery delivery whether that is from Amazon Fresh, Whole Foods Market, or one of our local stores like Bartell’s in Seattle, Morrison’s in London, or Monoprix in Paris,” a spokesperson for the company said. “Partnerships with other grocers enable more customers to shop online and allow us to provide Amazon Prime members with more choice, value and convenience while our partners benefit from increased visibility for their selection and service.”

    If the service does come to the US, it wouldn’t be Amazon’s first foray into the grocery delivery market. Since 2020, the company has offered a Whole Foods delivery service through its Flex program. The company has also more broadly experimented with food delivery. The most notable example was in 2015 when it launched Amazon Restaurants, allowing Prime members to order food from their favorite local spots. In 2019, Amazon shut down both its Restaurants business and Daily Dish, a workplace lunch delivery service it had operated for two years.

    ", + "content": "

    Amazon may soon more directly compete with Instacart. According to The Information, the company has spent much of the last year trialing a product known internally as Amazon Fresh Marketplace. The service allows UK Prime subscribers to order groceries from two major supermarket brands, with same-day delivery fulfilled by the company’s Flex drivers. In 2022, Amazon reportedly plans to bring the service to the US and the majority of Europe.

    Amazon declined to comment on the specifics of its plans but did share a statement with Engadget. “Our focus is on providing Amazon customers the best possible experience when it comes to grocery delivery whether that is from Amazon Fresh, Whole Foods Market, or one of our local stores like Bartell’s in Seattle, Morrison’s in London, or Monoprix in Paris,” a spokesperson for the company said. “Partnerships with other grocers enable more customers to shop online and allow us to provide Amazon Prime members with more choice, value and convenience while our partners benefit from increased visibility for their selection and service.”

    If the service does come to the US, it wouldn’t be Amazon’s first foray into the grocery delivery market. Since 2020, the company has offered a Whole Foods delivery service through its Flex program. The company has also more broadly experimented with food delivery. The most notable example was in 2015 when it launched Amazon Restaurants, allowing Prime members to order food from their favorite local spots. In 2019, Amazon shut down both its Restaurants business and Daily Dish, a workplace lunch delivery service it had operated for two years.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/amazon-grocery-expansion-report-001357636.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Tue, 14 Dec 2021 00:13:57 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dcd5a63bb91d2d1bc674c70ab376333c" + }, + { + "title": "Hyundai's Ioniq 5 EV crossover will start at $39,700 when it arrives", + "description": "

    Hyundai finally announced pricing for its hotly anticipated Ioniq 5 crossover EV, which is scheduled to hit select dealer show floors later this month. Depending on the battery size and drive type, prospective buyers should expect to pay between $39,700 and $54,500 for one of their own.

    The Ioniq 5 will be available in three trim levels — SE, SEL, and Limited — and come with either a 77.4kWh pack, which is rated for 303 miles of range using RWD (256 miles with AWD), or a smaller 58-kWh battery with 220 miles of range. 

    Don't expect to see any of the smaller battery models on US roads to start. Hyundai is initially focusing on producing units with the larger battery pack and saving the 220 mile, 168 HP SE Standard Range until spring 2022. The 303-mile, 225HP rear motor SE starts at $43,650 ($47,150 for the 320 HP, AWD version, the RWD SEL will cost $45,900 ($49,500 for AWD) and the top of the line Limited will go for $50,600 as an RWD ($54,500 for AWD). Optional features and a $1,225 freight charges are of course extra. 

    Hyundai's pricing point puts the Ioniq 5 on par with the 2021 Kia Niro EV, which starts at $39,090, and the 2021 Volkswagen ID.4 with its $39,995 MSRP — even if you splurge for the Ioniq's higher trim levels, you'll only begin to stray into, say, the Mach-E's introductory price range ($42,895 for the base, $48,100 for Premium, and a smooth $60k for a GT). 

    Will the Ioniq 5's performance live up to the hype? Will its features overdeliver given its surprisingly affordable price tag? Find out later this week when our First Look at Hyundai's newest EV goes live. Stay tuned!  

     

    ", + "content": "

    Hyundai finally announced pricing for its hotly anticipated Ioniq 5 crossover EV, which is scheduled to hit select dealer show floors later this month. Depending on the battery size and drive type, prospective buyers should expect to pay between $39,700 and $54,500 for one of their own.

    The Ioniq 5 will be available in three trim levels — SE, SEL, and Limited — and come with either a 77.4kWh pack, which is rated for 303 miles of range using RWD (256 miles with AWD), or a smaller 58-kWh battery with 220 miles of range. 

    Don't expect to see any of the smaller battery models on US roads to start. Hyundai is initially focusing on producing units with the larger battery pack and saving the 220 mile, 168 HP SE Standard Range until spring 2022. The 303-mile, 225HP rear motor SE starts at $43,650 ($47,150 for the 320 HP, AWD version, the RWD SEL will cost $45,900 ($49,500 for AWD) and the top of the line Limited will go for $50,600 as an RWD ($54,500 for AWD). Optional features and a $1,225 freight charges are of course extra. 

    Hyundai's pricing point puts the Ioniq 5 on par with the 2021 Kia Niro EV, which starts at $39,090, and the 2021 Volkswagen ID.4 with its $39,995 MSRP — even if you splurge for the Ioniq's higher trim levels, you'll only begin to stray into, say, the Mach-E's introductory price range ($42,895 for the base, $48,100 for Premium, and a smooth $60k for a GT). 

    Will the Ioniq 5's performance live up to the hype? Will its features overdeliver given its surprisingly affordable price tag? Find out later this week when our First Look at Hyundai's newest EV goes live. Stay tuned!  

     

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/hyundais-ioniq-5-ev-crossover-will-start-at-39700-when-it-arrives-231519210.html?src=rss", + "creator": "Andrew Tarantola", + "pubDate": "Mon, 13 Dec 2021 23:15:19 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c907e72278985d20046bfd20c8719798" + }, + { + "title": "Assassin's Creed crossover brings together two characters separated by 1,300 years", + "description": "

    With a narrative that has spanned the course of history, Ubisoft’s Assassin’s Creed franchise has frequently seen some of its characters overlap with one another. In Assassin’s Creed Rogue, for instance, we saw protagonist Shay Cormac run into Adéwalé of Assassin’s Creed IV: Black Flag and Haytham Kenway of Assassin’s Creed III. But those characters were all contemporaries of one another, and Ubisoft is now doing something different.

    As part of the franchise’s first crossover event, the publisher is adding new story missions to Odyssey and Valhalla that will see protagonists Kassandra and Eivor come face-to-face. What’s an ancient Greek doing in 9th century England? We don’t know, but presumably, the Animus has something to do with it, and the event may even be a hint of what we can expect from the franchise's rumored online entry. The first story, “Those Who Are Treasured,” will take place in Odyssey, while the second, “A Fated Encounter,” will debut in Valhalla. Both will be available once the 1.4.1 and 1.5.6 title updates for their respective games launch on December 14th. By completing the stories, you’ll earn new equipment for your character.

    On Monday, Ubisoft also announced Dawn of Ragnarök, the newest DLC for Valhalla. The publisher is billing the release as its most ambitious Assassin’s Creed expansion to date. It will add approximately 35 hours of additional gameplay that will explore more of Eivor’s connection to Odin. Ubisoft plans to release the DLC on March 10th, 2022.

    ", + "content": "

    With a narrative that has spanned the course of history, Ubisoft’s Assassin’s Creed franchise has frequently seen some of its characters overlap with one another. In Assassin’s Creed Rogue, for instance, we saw protagonist Shay Cormac run into Adéwalé of Assassin’s Creed IV: Black Flag and Haytham Kenway of Assassin’s Creed III. But those characters were all contemporaries of one another, and Ubisoft is now doing something different.

    As part of the franchise’s first crossover event, the publisher is adding new story missions to Odyssey and Valhalla that will see protagonists Kassandra and Eivor come face-to-face. What’s an ancient Greek doing in 9th century England? We don’t know, but presumably, the Animus has something to do with it, and the event may even be a hint of what we can expect from the franchise's rumored online entry. The first story, “Those Who Are Treasured,” will take place in Odyssey, while the second, “A Fated Encounter,” will debut in Valhalla. Both will be available once the 1.4.1 and 1.5.6 title updates for their respective games launch on December 14th. By completing the stories, you’ll earn new equipment for your character.

    On Monday, Ubisoft also announced Dawn of Ragnarök, the newest DLC for Valhalla. The publisher is billing the release as its most ambitious Assassin’s Creed expansion to date. It will add approximately 35 hours of additional gameplay that will explore more of Eivor’s connection to Odin. Ubisoft plans to release the DLC on March 10th, 2022.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/assassins-creed-crossover-stories-223559260.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Mon, 13 Dec 2021 22:35:59 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ffee8c65f53672bddeb45b4902e98eda" + }, + { + "title": "Amazon's casualties in Illinois aren't an isolated incident", + "description": "

    Tornadoes ripped through six states on Friday, killing dozens. Among the dead were six workers at an Amazon warehouse in Edwardsville, IL, which collapsed while they sheltered inside. The incident is now the subject of an OSHA investigation.

    The mass casualty event is likely Kentucky's "deadliest tornado system in state history," according to ABC. The twisters also touched down in December, well outside the normal tornado season. While this may have been an unusually extreme weather event for many reasons, Amazon's decision to schedule its workers during potentially deadly conditions isn't. Reportedly, at the time the cyclone touched down in warehouse's parking lot — producing winds estimated at 155 mph — the facility was not only operating, but undergoing a shift change

    Amazon operates a staggering number of fulfillment, sortation, and delivery centers across the country, and as a result some of them are bound to be taken by surprise by the forces of nature. Excessive snow on the roof of one warehouse in Pennsylvania resulted in an evacuation when workers noticed the it buckling. Two contractors were killed by a collapsing wall when a tornado touched down without warning in Baltimore. 

    But the National Weather Service had been warning of possible tornadoes 36 hours ahead of the deaths in Edwardsville; the morning before the storms it cautioned of the "likely threat" of "damaging winds in excess of 60 mph." Edwardsville is in what FEMA categorizes as Wind Zone IV, the part of the country at the greatest risk of tornadoes. 

    Amazon is perhaps best known across the pages of newspapers and websites for its punishing productivitygoals. But its operating standards have produced a pattern of incidents where workers were expected to clock in during extreme weather events. Warehouses stayed open during tropical depression Ida in September, the torrential rains of which caused widespread flooding and led to 14 deaths in New York. Some of Amazon's drivers told me they were delivering packages through the floodwaters of hurricane Irma back in 2017.

    The Camp Fire of 2018 was the deadliest and costliest wildfire in California's history. Smoke from the destruction also briefly made Sacramento the most polluted city on earth. Despite air quality warnings being issued for the city on November 8th, an Amazon warehouse there did not send its workers home until the afternoon of the 10th

    By far, however, the most pervasive issue across Amazon's warehouses has been extreme heat. Workers in the Pacific Northwest were expected to report for duty during a historic heatwave this past summer which was eventually deemed a mass casualty event. Specifically a worker complained that some areas of a warehouse in Kent lacked fans, and estimated temperature inside hit 90 degrees. New York warehouse workers also reported fainting and excessive heat around the same time. In May of this year, excessive heat led to a death inside the company's Bessemer, Alabama warehouse. 

    These are only some of the most recent examples. Workers have been lodging similar complaints for at least a decade about dangerous temperatures inside Amazon's facilities in Chicago, Portland and Pennsylvania's Lehigh Valley, among others. Even when immediate symptoms like fainting, vomiting or heat stroke are not present, long term heat exposure can exacerbate existing health problems such as heart conditions and asthma. 

    None of this speaks to criticisms of Amazon's safety measures related to COVID-19, or its objectively sky-high injury rate compared to other warehousing operations.

    What's concerning is that severe winds, rain and heat — according to the overwhelming majority of the scientific community — are likely to get worse due to man-made climate change. Amazon, however, has not offered a satisfactory explanation for why it continues to schedule shifts during potentially deadly weather, nor would it provide Engadget with any details of the extreme weather plan in effect at the Edwardsville facility. 

    “We’re deeply saddened by the news that members of our Amazon family passed away as a result of the storm in Edwardsville, IL," an Amazon spokesperson told Engadget. "Our thoughts and prayers are with the victims, their loved ones, and everyone impacted by the tornado. We also want to thank all the first responders for their ongoing efforts on scene. We’re continuing to provide support to our employees and partners in the area.”

    ", + "content": "

    Tornadoes ripped through six states on Friday, killing dozens. Among the dead were six workers at an Amazon warehouse in Edwardsville, IL, which collapsed while they sheltered inside. The incident is now the subject of an OSHA investigation.

    The mass casualty event is likely Kentucky's "deadliest tornado system in state history," according to ABC. The twisters also touched down in December, well outside the normal tornado season. While this may have been an unusually extreme weather event for many reasons, Amazon's decision to schedule its workers during potentially deadly conditions isn't. Reportedly, at the time the cyclone touched down in warehouse's parking lot — producing winds estimated at 155 mph — the facility was not only operating, but undergoing a shift change

    Amazon operates a staggering number of fulfillment, sortation, and delivery centers across the country, and as a result some of them are bound to be taken by surprise by the forces of nature. Excessive snow on the roof of one warehouse in Pennsylvania resulted in an evacuation when workers noticed the it buckling. Two contractors were killed by a collapsing wall when a tornado touched down without warning in Baltimore. 

    But the National Weather Service had been warning of possible tornadoes 36 hours ahead of the deaths in Edwardsville; the morning before the storms it cautioned of the "likely threat" of "damaging winds in excess of 60 mph." Edwardsville is in what FEMA categorizes as Wind Zone IV, the part of the country at the greatest risk of tornadoes. 

    Amazon is perhaps best known across the pages of newspapers and websites for its punishing productivitygoals. But its operating standards have produced a pattern of incidents where workers were expected to clock in during extreme weather events. Warehouses stayed open during tropical depression Ida in September, the torrential rains of which caused widespread flooding and led to 14 deaths in New York. Some of Amazon's drivers told me they were delivering packages through the floodwaters of hurricane Irma back in 2017.

    The Camp Fire of 2018 was the deadliest and costliest wildfire in California's history. Smoke from the destruction also briefly made Sacramento the most polluted city on earth. Despite air quality warnings being issued for the city on November 8th, an Amazon warehouse there did not send its workers home until the afternoon of the 10th

    By far, however, the most pervasive issue across Amazon's warehouses has been extreme heat. Workers in the Pacific Northwest were expected to report for duty during a historic heatwave this past summer which was eventually deemed a mass casualty event. Specifically a worker complained that some areas of a warehouse in Kent lacked fans, and estimated temperature inside hit 90 degrees. New York warehouse workers also reported fainting and excessive heat around the same time. In May of this year, excessive heat led to a death inside the company's Bessemer, Alabama warehouse. 

    These are only some of the most recent examples. Workers have been lodging similar complaints for at least a decade about dangerous temperatures inside Amazon's facilities in Chicago, Portland and Pennsylvania's Lehigh Valley, among others. Even when immediate symptoms like fainting, vomiting or heat stroke are not present, long term heat exposure can exacerbate existing health problems such as heart conditions and asthma. 

    None of this speaks to criticisms of Amazon's safety measures related to COVID-19, or its objectively sky-high injury rate compared to other warehousing operations.

    What's concerning is that severe winds, rain and heat — according to the overwhelming majority of the scientific community — are likely to get worse due to man-made climate change. Amazon, however, has not offered a satisfactory explanation for why it continues to schedule shifts during potentially deadly weather, nor would it provide Engadget with any details of the extreme weather plan in effect at the Edwardsville facility. 

    “We’re deeply saddened by the news that members of our Amazon family passed away as a result of the storm in Edwardsville, IL," an Amazon spokesperson told Engadget. "Our thoughts and prayers are with the victims, their loved ones, and everyone impacted by the tornado. We also want to thank all the first responders for their ongoing efforts on scene. We’re continuing to provide support to our employees and partners in the area.”

    ", + "category": "Weather", + "link": "https://www.engadget.com/amazon-tornado-edwardsville-illinois-deaths-climate-220437155.html?src=rss", + "creator": "Bryan Menegus", + "pubDate": "Mon, 13 Dec 2021 22:04:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "55b47e3966186363cff993d0eff03cdc" + }, + { + "title": "Poland is investigating Apple's cross-app tracking policy over antitrust concerns", + "description": "

    Poland's Office of Competition and Consumer Protection (UOKiK) has opened an investigation into Apple's App Tracking Transparency feature. Introduced with iOS 14.5, it's a prompt developers had to add to their apps to ask iOS users for their permission to track them across apps. Apple announced the feature at WWDC 2020. It was initially scheduled to launch alongside iOS 14, but the company subsequently delayed it to give developers more time for implementation.

    The feature was almost immediately controversial with advertisers. In particular, Meta, then known as Facebook, said it would have potentially dire effects on its ad network. Now, Poland's competition watchdog is investigating ATT, in part due to antitrust concerns. The regulator contends it "does not mean that users' information is no longer being collected and that they do not receive personalized ads." At the same time, it says it has concerns Apple may have introduced the feature to promote Apple Search Ads.

    "During the course of our investigation, we want to examine whether Apple's actions may be aimed at eliminating competitors in the market for personalized advertising services, the objective being to better sell their own service," said Tomasz Chróstny, the President of UOKiK.

    We've reached out to Apple for comment.

    As noted by TechCrunch, the probe follows a recent study from adblocker Lockdown Privacy that questioned the effectiveness of the App Tracking Transparency feature. The study claims the feature only creates "the illusion of privacy." While the vast majority of iPhone owners have used the feature to opt out of app tracking, researchers found ATT "made no difference" in the total number of active third-party trackers.

    ", + "content": "

    Poland's Office of Competition and Consumer Protection (UOKiK) has opened an investigation into Apple's App Tracking Transparency feature. Introduced with iOS 14.5, it's a prompt developers had to add to their apps to ask iOS users for their permission to track them across apps. Apple announced the feature at WWDC 2020. It was initially scheduled to launch alongside iOS 14, but the company subsequently delayed it to give developers more time for implementation.

    The feature was almost immediately controversial with advertisers. In particular, Meta, then known as Facebook, said it would have potentially dire effects on its ad network. Now, Poland's competition watchdog is investigating ATT, in part due to antitrust concerns. The regulator contends it "does not mean that users' information is no longer being collected and that they do not receive personalized ads." At the same time, it says it has concerns Apple may have introduced the feature to promote Apple Search Ads.

    "During the course of our investigation, we want to examine whether Apple's actions may be aimed at eliminating competitors in the market for personalized advertising services, the objective being to better sell their own service," said Tomasz Chróstny, the President of UOKiK.

    We've reached out to Apple for comment.

    As noted by TechCrunch, the probe follows a recent study from adblocker Lockdown Privacy that questioned the effectiveness of the App Tracking Transparency feature. The study claims the feature only creates "the illusion of privacy." While the vast majority of iPhone owners have used the feature to opt out of app tracking, researchers found ATT "made no difference" in the total number of active third-party trackers.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/poland-investigating-app-tracking-transparency-feature-205834827.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Mon, 13 Dec 2021 20:58:34 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9e0ba6b032f18636d028747b6431562a" + }, + { + "title": "Apple delays macOS Universal Control until spring 2022", + "description": "

    All the way back at WWDC, Apple showed off a feature called Universal Control, which will let users control multiple Macs and iPads with a single mouse and keyboard or trackpad. When it released macOS Monterey in October, Apple said that feature and SharePlay would arrive on Macs later in the fall. Although SharePlay is now available on Mac, you'll need to wait a bit longer for Universal Control.

    Apple quietly updated its website to state that Universal Control won't be available until spring 2022. The delay, which was spotted by 9to5 Mac, might come as a disappointment to those who were hoping for more seamless connectivity between their devices in the near future. Still, it's better to make sure the feature is working correctly instead of releasing a potentially buggy version.

    When it does arrive, the feature will be available on MacBook and Macbook Pro (2016 and later), the 2019 Mac Pro, MacBook Air (2018 and later), iMac (2017 and later) and the 5K Retina 27-inch iMac from late 2015. As for supported tablets, you'll be able to use iPad Pro, iPad Air (3rd generation and later), iPad (6th generation and later) and iPad mini (5th generation and later) with Universal Control.

    You'll need to be logged into iCloud with the same Apple ID on all devices. You can connect them over USB, or you can use Universal Control wirelessly as long as the devices are within 30 feet of each other.

    ", + "content": "

    All the way back at WWDC, Apple showed off a feature called Universal Control, which will let users control multiple Macs and iPads with a single mouse and keyboard or trackpad. When it released macOS Monterey in October, Apple said that feature and SharePlay would arrive on Macs later in the fall. Although SharePlay is now available on Mac, you'll need to wait a bit longer for Universal Control.

    Apple quietly updated its website to state that Universal Control won't be available until spring 2022. The delay, which was spotted by 9to5 Mac, might come as a disappointment to those who were hoping for more seamless connectivity between their devices in the near future. Still, it's better to make sure the feature is working correctly instead of releasing a potentially buggy version.

    When it does arrive, the feature will be available on MacBook and Macbook Pro (2016 and later), the 2019 Mac Pro, MacBook Air (2018 and later), iMac (2017 and later) and the 5K Retina 27-inch iMac from late 2015. As for supported tablets, you'll be able to use iPad Pro, iPad Air (3rd generation and later), iPad (6th generation and later) and iPad mini (5th generation and later) with Universal Control.

    You'll need to be logged into iCloud with the same Apple ID on all devices. You can connect them over USB, or you can use Universal Control wirelessly as long as the devices are within 30 feet of each other.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/apple-universal-control-feature-mac-ipad-delayed-202744636.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Mon, 13 Dec 2021 20:27:44 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38ad8bb0a141b8bba9000d3418b377da" + }, + { + "title": "Apple releases Tracker Detect to protect Android users from AirTags stalkers", + "description": "

    Apple has released Tracker Detect, a new Android app designed to help those without an iOS device to find out if someone is using an AirTag or other Find My-compatible device to snoop their location. When the software finds a nearby AirTag that’s been separated from its owner, it will flag it as an “Unknown AirTag.” If it then follows you for 10 minutes, you can use the app to tell the tracker to play a sound, making it easier to find. At that point, you can tap the device with your NFC-compatible phone and you’ll get instructions on how to remove its battery or otherwise disable it.

    You don’t need an Apple account to use the app. As mentioned above, it can also detect Find My-compatible trackers like the Chipolo One Spot. “AirTag provides industry-leading privacy and security features and today we are extending new capabilities to Android devices. Tracker Detect gives Android users the ability to scan for an AirTag or supported Find My enabled item trackers that might be traveling with them without their knowledge,” an Apple spokesperson told Engadget. “We are raising the bar on privacy for our users and the industry, and hope others will follow.”

    The release of Tracker Detect comes following multiple incidents of bad actors abusing AirTags to stalk people. In Canada, for example, police recently warned of thieves using the $29 device to steal expensive cars. In June, Apple, in a separate effort to limit abuse, updated its trackers to play a sound between eight and 24 hours after they’re separated from their owner, instead of after three days as was the case at launch.

    How much good Tracker Detect does to protect people will depend on how many people download it. Unlike with iOS, which sends proactive warnings when it detects errant AirTags, this is an app you need to install to your Android device. Its protections aren't built into Android, at least not yet. 

    ", + "content": "

    Apple has released Tracker Detect, a new Android app designed to help those without an iOS device to find out if someone is using an AirTag or other Find My-compatible device to snoop their location. When the software finds a nearby AirTag that’s been separated from its owner, it will flag it as an “Unknown AirTag.” If it then follows you for 10 minutes, you can use the app to tell the tracker to play a sound, making it easier to find. At that point, you can tap the device with your NFC-compatible phone and you’ll get instructions on how to remove its battery or otherwise disable it.

    You don’t need an Apple account to use the app. As mentioned above, it can also detect Find My-compatible trackers like the Chipolo One Spot. “AirTag provides industry-leading privacy and security features and today we are extending new capabilities to Android devices. Tracker Detect gives Android users the ability to scan for an AirTag or supported Find My enabled item trackers that might be traveling with them without their knowledge,” an Apple spokesperson told Engadget. “We are raising the bar on privacy for our users and the industry, and hope others will follow.”

    The release of Tracker Detect comes following multiple incidents of bad actors abusing AirTags to stalk people. In Canada, for example, police recently warned of thieves using the $29 device to steal expensive cars. In June, Apple, in a separate effort to limit abuse, updated its trackers to play a sound between eight and 24 hours after they’re separated from their owner, instead of after three days as was the case at launch.

    How much good Tracker Detect does to protect people will depend on how many people download it. Unlike with iOS, which sends proactive warnings when it detects errant AirTags, this is an app you need to install to your Android device. Its protections aren't built into Android, at least not yet. 

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/apple-detect-tracker-android-release-193850566.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Mon, 13 Dec 2021 19:38:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4d1b69f994150dfc62d1873f8503c671" + }, + { + "title": "Apple brings SharePlay to macOS Monterey", + "description": "

    It's a big firmware day for Apple. Not only is the company rolling out updates for iPhone, iPad and HomePod, macOS Monterey‌ 12.1 is now available. Perhaps the most notable new feature is SharePlay, which allows up to 32 people to enjoy the same TV shows, movies, music and livestreams and more in sync with each other on FaceTime calls.

    Along with Apple services like TV+, Apple Music and Fitness+, a bunch of third-party apps support SharePlay, including Paramount+, TikTok, Twitch and NBA. Anyone on the call can pause, play, fast forward or rewind the content and Apple will automatically lower the volume of the music or video when someone speaks. You'll be able to share your screen through SharePlay as well.

    Apple released SharePlay on iPhone and iPad in October. The company rolled out macOS Monterey on the same day, and said it would bring SharePlay to desktops later in the fall.

    Many features Apple brought to iPhone and iPad today have landed on macOS Monterey too. They include support for the $5 per month voice-only plan for Apple Music and a safety setting that warns children when they send or receive an image containing nudity in Messages. The Digital Legacy program lets users denote a trusted contact who can access their iCloud account and personal information when they die, while iCloud+ subscribers can generate unique, random email addresses with the Hide My Email feature in the Mail app.

    Elsewhere, Apple has redesigned the memories feature in the Photos app with a new interface, fresh transitions and animations and "multiple image collages." There are more memory types as well, such as extra international holidays, trends over time, ones centered around kids and improved memories for pets.

    The company also squished some bugs in macOS Monterey 15.2. It said that, previously, "HDR video playback on YouTube.com could cause 2021 MacBook Pro computers to panic." That shouldn't be a problem anymore. An issue that prevented external displays from charging some MacBook Pro and MacBook Air systems via a Thunderbolt or USB-C connection should be resolved too, while some menu bar options will no longer be obscured by the dreaded notch on the latest MacBook Pro.

    ", + "content": "

    It's a big firmware day for Apple. Not only is the company rolling out updates for iPhone, iPad and HomePod, macOS Monterey‌ 12.1 is now available. Perhaps the most notable new feature is SharePlay, which allows up to 32 people to enjoy the same TV shows, movies, music and livestreams and more in sync with each other on FaceTime calls.

    Along with Apple services like TV+, Apple Music and Fitness+, a bunch of third-party apps support SharePlay, including Paramount+, TikTok, Twitch and NBA. Anyone on the call can pause, play, fast forward or rewind the content and Apple will automatically lower the volume of the music or video when someone speaks. You'll be able to share your screen through SharePlay as well.

    Apple released SharePlay on iPhone and iPad in October. The company rolled out macOS Monterey on the same day, and said it would bring SharePlay to desktops later in the fall.

    Many features Apple brought to iPhone and iPad today have landed on macOS Monterey too. They include support for the $5 per month voice-only plan for Apple Music and a safety setting that warns children when they send or receive an image containing nudity in Messages. The Digital Legacy program lets users denote a trusted contact who can access their iCloud account and personal information when they die, while iCloud+ subscribers can generate unique, random email addresses with the Hide My Email feature in the Mail app.

    Elsewhere, Apple has redesigned the memories feature in the Photos app with a new interface, fresh transitions and animations and "multiple image collages." There are more memory types as well, such as extra international holidays, trends over time, ones centered around kids and improved memories for pets.

    The company also squished some bugs in macOS Monterey 15.2. It said that, previously, "HDR video playback on YouTube.com could cause 2021 MacBook Pro computers to panic." That shouldn't be a problem anymore. An issue that prevented external displays from charging some MacBook Pro and MacBook Air systems via a Thunderbolt or USB-C connection should be resolved too, while some menu bar options will no longer be obscured by the dreaded notch on the latest MacBook Pro.

    ", + "category": "Software", + "link": "https://www.engadget.com/mac-os-monterey-shareplay-apple-music-voice-plan-youtube-192127598.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Mon, 13 Dec 2021 19:21:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e70e5973a4877663f9f48c84a52de9a1" + }, + { + "title": "Apple Music's Siri-only plan is now available as iOS 15.2 rolls out", + "description": "

    Apple has released its latest firmware updates for iPhone and iPad. One of the more notable features Apple is adding in iOS 15.2 and iPadOS 15.2 is the Voice Plan for Apple Music. For $5 per month, subscribers can access the full library of songs, playlists and radio stations via Siri

    On iPhone and iPad, you'll be able to access an App Privacy Report, which provides details of the data that Apple and third-party apps accessed during the previous seven days. The report shows how often apps use things like location, photos, camera, microphone and contacts, as well as their network activity.

    Also new is Apple's Digital Legacy feature. You can designate contacts who can access your personal information and your iCloud account when you die.

    Elsewhere, there's another safety setting for Messages. It will provide children with warnings and helpful resources when they receive or send photos containing nudity. Apple announced this feature alongside CSAM (Child Sexual Abuse Material) detection tools in August. It planned to release the updates as part of iOS 15, but delayed them following a backlash.

    Other iPhone and iPad updates include a way to browse, buy, and rent movies and TV shows in one place in the TV app; a macro photo option for the ultra wide lens on iPhone 13 Pro and iPhone 13 Pro Max; an enhanced city map in Apple Maps on CarPlay; and the Hide My Email tool for iCloud+ subscribers in the Mail app.

    HomePod OS 15.2 is rolling out too. The original HomePod and HomePod mini now support the Apple Music Voice plan, as well as Siri voice recognition for additional languages. 

    Apple also released macOS Monterey today. Along with the new Apple Music plan, SharePlay is available on supported Macs.

    ", + "content": "

    Apple has released its latest firmware updates for iPhone and iPad. One of the more notable features Apple is adding in iOS 15.2 and iPadOS 15.2 is the Voice Plan for Apple Music. For $5 per month, subscribers can access the full library of songs, playlists and radio stations via Siri

    On iPhone and iPad, you'll be able to access an App Privacy Report, which provides details of the data that Apple and third-party apps accessed during the previous seven days. The report shows how often apps use things like location, photos, camera, microphone and contacts, as well as their network activity.

    Also new is Apple's Digital Legacy feature. You can designate contacts who can access your personal information and your iCloud account when you die.

    Elsewhere, there's another safety setting for Messages. It will provide children with warnings and helpful resources when they receive or send photos containing nudity. Apple announced this feature alongside CSAM (Child Sexual Abuse Material) detection tools in August. It planned to release the updates as part of iOS 15, but delayed them following a backlash.

    Other iPhone and iPad updates include a way to browse, buy, and rent movies and TV shows in one place in the TV app; a macro photo option for the ultra wide lens on iPhone 13 Pro and iPhone 13 Pro Max; an enhanced city map in Apple Maps on CarPlay; and the Hide My Email tool for iCloud+ subscribers in the Mail app.

    HomePod OS 15.2 is rolling out too. The original HomePod and HomePod mini now support the Apple Music Voice plan, as well as Siri voice recognition for additional languages. 

    Apple also released macOS Monterey today. Along with the new Apple Music plan, SharePlay is available on supported Macs.

    ", + "category": "Technology & Electronics", + "link": "https://www.engadget.com/apple-music-voice-only-siri-only-plan-ios-15-2-183416178.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Mon, 13 Dec 2021 18:34:16 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "58b5a3b992494fa9ab23f3a5de9aa2a9" + }, + { + "title": "GTA Online's next update will add a music station hosted by Latin Grammy winner Rosalía", + "description": "

    When Grand Theft Auto Online’sThe Contract” expansion arrives later this week, Dr. Dre won’t be the only musician joining the game. The DLC will also add a new station hosted by Rosalía and Arca, Rockstar Games announced on Monday. Motomami Los Santos will see the frequent collaborators play music from the likes of Popcaan, Daddy Yankee and Caroline Polachek of Chairlift fame.

    The station will also play “La Fama,” the first single off of Rosalía’s upcoming third album, Motomami. While they’re not household names, both Rosalía and Arca have found a lot of success in their respective genres. Rosalía, in particular, has won eight Latin Grammy Awards, including an album of the year award for her sophomore release, El Mal Querer.

    In addition to Motomami Los Santos, The Contract will include updates for two existing in-game stations. Radio Los Santos will add new tracks from Hit-Boy, Freddie Gibbs, Future and Tyler, The Creator, while West Coast Classics will host a new segment dedicated to Dr. Dre. It will feature career-defining collaborations the rapper recorded with 2Pac, Snoop Dogg, Mary J. Blige, Nas and others.

    Rockstar Games will release The Contract on December 15th. After the 16th, GTA Online will only be available on PlayStation 4, PS5, Xbox One, Xbox Series X/S and PC.

    ", + "content": "

    When Grand Theft Auto Online’sThe Contract” expansion arrives later this week, Dr. Dre won’t be the only musician joining the game. The DLC will also add a new station hosted by Rosalía and Arca, Rockstar Games announced on Monday. Motomami Los Santos will see the frequent collaborators play music from the likes of Popcaan, Daddy Yankee and Caroline Polachek of Chairlift fame.

    The station will also play “La Fama,” the first single off of Rosalía’s upcoming third album, Motomami. While they’re not household names, both Rosalía and Arca have found a lot of success in their respective genres. Rosalía, in particular, has won eight Latin Grammy Awards, including an album of the year award for her sophomore release, El Mal Querer.

    In addition to Motomami Los Santos, The Contract will include updates for two existing in-game stations. Radio Los Santos will add new tracks from Hit-Boy, Freddie Gibbs, Future and Tyler, The Creator, while West Coast Classics will host a new segment dedicated to Dr. Dre. It will feature career-defining collaborations the rapper recorded with 2Pac, Snoop Dogg, Mary J. Blige, Nas and others.

    Rockstar Games will release The Contract on December 15th. After the 16th, GTA Online will only be available on PlayStation 4, PS5, Xbox One, Xbox Series X/S and PC.

    ", + "category": "Media", + "link": "https://www.engadget.com/gta-online-the-contract-arca-rosalia-station-180335615.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Mon, 13 Dec 2021 18:03:35 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "006f3227bff14a0178eaa70a6a342bf4" + }, + { + "title": "Adobe's Creative Cloud Express is a multimedia creation suite for web and mobile", + "description": "

    Adobe has rebranded its Spark multimedia creation suite as Creative Cloud Express and created a standalone version. The idea is to help folks create rich visual content like social media posts, stories, flyers and banners using a straightforward drag-and-drop interface. Along with a fairly generous free plan, there's a $10 per month or $99 a year premium option.

    The free version includes thousands of templates, fonts and design assets as well as some royalty-free photos. You'll have access to some basic editing tools and photo effects on the web and mobile, including background removal and animation. You'll get 2 GB of cloud storage too.

    While that might be enough for more casual users, professionals might find the premium plan more suitable. Along with everything from the free tier, they'll get access to all premium design assets and templates (around 50,000, according to a demo), more than 20,000 fonts and all of Adobe's 160 million+ royalty-free stock images.

    A brand manager will allow paid users to include their logo, branding, colors and fonts with a single tap, which could be a major time saver and help maintain a consistent design language. There are more in-depth editing features, such as graphic groups, resizing and refine cutout. You'll be able to import and export PDFs and other file types.

    There's integration with Creative Cloud Libraries. All Express assets and templates can be edited and managed across other Creative Cloud apps. You'll also get 100 GB of storage. In addition, the premium plan includes access to features from other Adobe apps. They include video capture and editing on mobile and desktop (Premiere Rush); combining photos and creating collages (Photoshop Express); video slideshows (Spark Video); and building web pages from text and images (Spark Page).

    Creative Cloud Express uses Adobe Sensei, the same artificial intelligence and machine learning tech behind the company's core apps, such as Photoshop and Premiere. The framework powers features like the ability to turn videos into GIFs and merging videos. There are also plans to integrate ContentCal, which automates social media publishing and reporting, into Express. Adobe announced an agreement to buy ContentCal last week.

    Until now, Express had only been available with Creative Cloud plans. A standalone version could help Adobe better compete with the likes of Canva, Prezi and Picsart, especially given that there's a free option.

    Express is included with Creative Cloud All Apps and flagship single-app plans costing at least $20. The suite is free for K-12 as well. Creative Cloud Express is available now on the web and as an app from the Microsoft Store, Google Play Store and Apple App Store. Versions for Enterprise and Teams will arrive next year.

    ", + "content": "

    Adobe has rebranded its Spark multimedia creation suite as Creative Cloud Express and created a standalone version. The idea is to help folks create rich visual content like social media posts, stories, flyers and banners using a straightforward drag-and-drop interface. Along with a fairly generous free plan, there's a $10 per month or $99 a year premium option.

    The free version includes thousands of templates, fonts and design assets as well as some royalty-free photos. You'll have access to some basic editing tools and photo effects on the web and mobile, including background removal and animation. You'll get 2 GB of cloud storage too.

    While that might be enough for more casual users, professionals might find the premium plan more suitable. Along with everything from the free tier, they'll get access to all premium design assets and templates (around 50,000, according to a demo), more than 20,000 fonts and all of Adobe's 160 million+ royalty-free stock images.

    A brand manager will allow paid users to include their logo, branding, colors and fonts with a single tap, which could be a major time saver and help maintain a consistent design language. There are more in-depth editing features, such as graphic groups, resizing and refine cutout. You'll be able to import and export PDFs and other file types.

    There's integration with Creative Cloud Libraries. All Express assets and templates can be edited and managed across other Creative Cloud apps. You'll also get 100 GB of storage. In addition, the premium plan includes access to features from other Adobe apps. They include video capture and editing on mobile and desktop (Premiere Rush); combining photos and creating collages (Photoshop Express); video slideshows (Spark Video); and building web pages from text and images (Spark Page).

    Creative Cloud Express uses Adobe Sensei, the same artificial intelligence and machine learning tech behind the company's core apps, such as Photoshop and Premiere. The framework powers features like the ability to turn videos into GIFs and merging videos. There are also plans to integrate ContentCal, which automates social media publishing and reporting, into Express. Adobe announced an agreement to buy ContentCal last week.

    Until now, Express had only been available with Creative Cloud plans. A standalone version could help Adobe better compete with the likes of Canva, Prezi and Picsart, especially given that there's a free option.

    Express is included with Creative Cloud All Apps and flagship single-app plans costing at least $20. The suite is free for K-12 as well. Creative Cloud Express is available now on the web and as an app from the Microsoft Store, Google Play Store and Apple App Store. Versions for Enterprise and Teams will arrive next year.

    ", + "category": "Software", + "link": "https://www.engadget.com/adobe-creative-cloud-express-spark-multimedia-creation-174256501.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Mon, 13 Dec 2021 17:42:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cc4fc61af45cf769057c7b3ad5f4a724" + }, + { + "title": "Dremel's first smart rotary tool comes with Bluetooth and a brushless motor", + "description": "

    Dremel is the standard when it comes to rotary tools. DIY enthusiasts use them for everything from standing down a dog's nails to cutting through steel. If you fall into that category, the company's latest release, the 8260, is interesting for a few reasons. 

    To start, it's Dremel's first brushless rotary tool. Thanks to its more modern motor design, Dremel claims the 8260 outputs 20 percent more power than the 4300, its most powerful corded model. Moreover, it features double the battery life of the 8220, its previous flagship cordless model. It's also 20 percent faster than the 8220.  

    It's also Dremel's first smart tool. The addition of Bluetooth connectivity allows you to connect the 8260 to your phone through Dremel's mobile app. One of the niftier features here is an interactive guide that will tell you what accessory and RPM you need to use to cut through specific materials. It will also send you battery notifications and warnings if the tool is about to stall or overheat. An LED light on the 8260 will also warn you if you're about to run into those problems.  

    The 8260 is available today through the Home Depot for $169. The kit comes with three wheels for cutting metal and one designed for plastic, a battery, charger and a carrying case.    

    ", + "content": "

    Dremel is the standard when it comes to rotary tools. DIY enthusiasts use them for everything from standing down a dog's nails to cutting through steel. If you fall into that category, the company's latest release, the 8260, is interesting for a few reasons. 

    To start, it's Dremel's first brushless rotary tool. Thanks to its more modern motor design, Dremel claims the 8260 outputs 20 percent more power than the 4300, its most powerful corded model. Moreover, it features double the battery life of the 8220, its previous flagship cordless model. It's also 20 percent faster than the 8220.  

    It's also Dremel's first smart tool. The addition of Bluetooth connectivity allows you to connect the 8260 to your phone through Dremel's mobile app. One of the niftier features here is an interactive guide that will tell you what accessory and RPM you need to use to cut through specific materials. It will also send you battery notifications and warnings if the tool is about to stall or overheat. An LED light on the 8260 will also warn you if you're about to run into those problems.  

    The 8260 is available today through the Home Depot for $169. The kit comes with three wheels for cutting metal and one designed for plastic, a battery, charger and a carrying case.    

    ", + "category": "Technology & Electronics", + "link": "https://www.engadget.com/dremmel-8260-smart-tool-annoucement-170327828.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Mon, 13 Dec 2021 17:03:27 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ca141dfbcb3b4f03081a3cb79a07a060" + }, + { + "title": "Analogue Pocket first look: Handheld gaming as good as it ever was", + "description": "

    Far too long ago (for our impatient souls), boutique console maker, Analogue, teased something exciting. A retro handheld that mimicked multiple classic systems, including: All the Game Boys, the Sega Game Gear, the Neo Geo Pocket and the Atari Lynx. Oh and more recently announced: the TurboExpress, too. In other good news, Analogue also just announced that orders for the Pocket will open again on December 14th (tomorrow). The slightly less good news is that at $220, it'll cost $20 more than originally planned, but you can blame the virus for that and its impact on supply chains.

    Finally, it’s here and it’s… still just as exciting. So much so that the short time I've had with the Pocket isn't enough to give it the deep dive review it deserves. You have to remember, this thing not only plays old games from original cartridges. It does so using a party trick called field-programmable gate arrays (or FPGA). All you need to know is that FPGAs effectively mimic old consoles at the hardware level. When you plug in a game, it thinks it’s in an original Game Boy (or whichever system for the relevant adapter you might be using). Couple that with a display custom-designed to replicate vintage screens, quirks and all, and this has all the ingredients to be the most authentic retro handheld you can find. Our early testing with Game Boy (original) and Game Boy Advance games indicates this really is one of the most authentic experiences you can find.

    Pretty much the moment you pick this thing up you know you’re in for a treat. If the original Game Boy had been released today with a Scandinavian design, this is what it would look like. The clean lines and monochrome aesthetic tell you this is all about the game; there are no garish colors of cliche nods to the '90s here. Just one dash of color on the left-hand side for the power button and that’s as flashy as things get.

    The general layout broadly matches the first-gen and Game Boy color, with the screen up top and controls underneath. Though there are four thumb buttons instead of two as you’ll be able to create games for this yourself either with GB Studio or via the spare FPGA core Analogue added just for developers. There are shoulder buttons, too, as per the Game Boy advance.

    Fortunately, the display is thoroughly modern and not like the squinty, if much loved, one from back in 1989. It’s also handily 10 times the resolution on both axes so it can serve up pixel-perfect renditions of your favorite original Game Boy titles. The way it reproduces original Game Boy games is quite remarkable.

    Turn the Pocket on and the minimalist interface leads you straight to the good stuff: Playing games.

    I won’t lie, firing up Tetris for the first time and changing the Pockets display mode to the original green-and-black game boy mode was quite the dash of nostalgia. I’ve played Game Boy games on several “modern” handhelds and none of them looked like this. Even the pixel grid of the original is here, the motion blur (if you want it), the sound. Everything felt just as it did all those years ago.

    The same goes for Game Boy Advance games. If you ever owned the first model of GBA, you’ll (painfully) remember that it still didn’t have a lit screen. The Pocket does, but everything else matches, including a preset for that slight washed-out look that comes with just colors on a non-illuminated LCD. You can, of course, choose a more modern display mode if you like, but purists are going to love the attention to detail here.

    The authenticity doesn’t stop at the fidelity of the games. The “link” port on the Pocket happens to be the same as the one found on the Game Boy Color and onwards. That means if you have the original hardware (or another Pocket) you can play with friends just like you would have back in the proverbial day. I do have the original hardware, and we’re testing those features right now which you’ll see in our full review.

    In terms of compatibility, so far the only glitch we've had is with a very unofficial Game Boy Advance multicart, everything else has worked a charm — including fund stuff like the Game Boy Camera. The same goes for Game Gear titles, which is the only other platform we can try right now.

    There’s so much more to cover here we kinda can’t wait to show you it all. There’s the dock accessory for playing on a TV with real controllers, there’s the aforementioned music-making app, there’s Analogue’s own operating system which hides more than a few perks and then there are the adapters for all the other consoles.

    For now, we’re excited to say that the Pocket appears to deliver on its key promises. The hardware feels fantastic and we keep going back for more Tetris even when it's way past our bedtime. You’ll just have to wait a few more days for our comprehensive review.

    ", + "content": "

    Far too long ago (for our impatient souls), boutique console maker, Analogue, teased something exciting. A retro handheld that mimicked multiple classic systems, including: All the Game Boys, the Sega Game Gear, the Neo Geo Pocket and the Atari Lynx. Oh and more recently announced: the TurboExpress, too. In other good news, Analogue also just announced that orders for the Pocket will open again on December 14th (tomorrow). The slightly less good news is that at $220, it'll cost $20 more than originally planned, but you can blame the virus for that and its impact on supply chains.

    Finally, it’s here and it’s… still just as exciting. So much so that the short time I've had with the Pocket isn't enough to give it the deep dive review it deserves. You have to remember, this thing not only plays old games from original cartridges. It does so using a party trick called field-programmable gate arrays (or FPGA). All you need to know is that FPGAs effectively mimic old consoles at the hardware level. When you plug in a game, it thinks it’s in an original Game Boy (or whichever system for the relevant adapter you might be using). Couple that with a display custom-designed to replicate vintage screens, quirks and all, and this has all the ingredients to be the most authentic retro handheld you can find. Our early testing with Game Boy (original) and Game Boy Advance games indicates this really is one of the most authentic experiences you can find.

    Pretty much the moment you pick this thing up you know you’re in for a treat. If the original Game Boy had been released today with a Scandinavian design, this is what it would look like. The clean lines and monochrome aesthetic tell you this is all about the game; there are no garish colors of cliche nods to the '90s here. Just one dash of color on the left-hand side for the power button and that’s as flashy as things get.

    The general layout broadly matches the first-gen and Game Boy color, with the screen up top and controls underneath. Though there are four thumb buttons instead of two as you’ll be able to create games for this yourself either with GB Studio or via the spare FPGA core Analogue added just for developers. There are shoulder buttons, too, as per the Game Boy advance.

    Fortunately, the display is thoroughly modern and not like the squinty, if much loved, one from back in 1989. It’s also handily 10 times the resolution on both axes so it can serve up pixel-perfect renditions of your favorite original Game Boy titles. The way it reproduces original Game Boy games is quite remarkable.

    Turn the Pocket on and the minimalist interface leads you straight to the good stuff: Playing games.

    I won’t lie, firing up Tetris for the first time and changing the Pockets display mode to the original green-and-black game boy mode was quite the dash of nostalgia. I’ve played Game Boy games on several “modern” handhelds and none of them looked like this. Even the pixel grid of the original is here, the motion blur (if you want it), the sound. Everything felt just as it did all those years ago.

    The same goes for Game Boy Advance games. If you ever owned the first model of GBA, you’ll (painfully) remember that it still didn’t have a lit screen. The Pocket does, but everything else matches, including a preset for that slight washed-out look that comes with just colors on a non-illuminated LCD. You can, of course, choose a more modern display mode if you like, but purists are going to love the attention to detail here.

    The authenticity doesn’t stop at the fidelity of the games. The “link” port on the Pocket happens to be the same as the one found on the Game Boy Color and onwards. That means if you have the original hardware (or another Pocket) you can play with friends just like you would have back in the proverbial day. I do have the original hardware, and we’re testing those features right now which you’ll see in our full review.

    In terms of compatibility, so far the only glitch we've had is with a very unofficial Game Boy Advance multicart, everything else has worked a charm — including fund stuff like the Game Boy Camera. The same goes for Game Gear titles, which is the only other platform we can try right now.

    There’s so much more to cover here we kinda can’t wait to show you it all. There’s the dock accessory for playing on a TV with real controllers, there’s the aforementioned music-making app, there’s Analogue’s own operating system which hides more than a few perks and then there are the adapters for all the other consoles.

    For now, we’re excited to say that the Pocket appears to deliver on its key promises. The hardware feels fantastic and we keep going back for more Tetris even when it's way past our bedtime. You’ll just have to wait a few more days for our comprehensive review.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/analogue-pocket-first-look-handheld-gaming-as-good-as-it-ever-was-160050430.html?src=rss", + "creator": "James Trew", + "pubDate": "Mon, 13 Dec 2021 16:00:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7a0914c4f3a36cac8d9f017bd6d9b1b8" + }, + { + "title": "Rihanna, Migos and more are getting official metaverse avatars", + "description": "

    Universal Music Group is hitching its wagon more firmly to the metaverse hype train. The record company teamed up with avatar company Genies to create digital versions of its artists, as well as non-fungible token (NFT) outfits and accessories, for use in virtual worlds.

    The idea is to give Universal's artists official virtual identities for the metaverse. Some of the roster, including Justin Bieber and Shawn Mendes, had already asked Genies to make avatars of them. Now, the plan is for Rihanna, Migos et al to be able to take those facsimiles into various metaverses, or use the avatars across social platforms. In the coming months, through an NFT marketplace run by Genies, fans will be able to buy and sell virtual merchandise for the avatars.

    This isn't Universal Music Group's first foray into the metaverse. Last month, it announced a virtual band comprising four characters from the Bored Ape Yacht Club NFT collection, a bit like Gorillaz.

    Other prominent brands are looking to make waves in the metaverse, including Adidas, which seems to be working on its own NFTs, and Nike, which built a virtual playspace and a store for digital goods inside Roblox. That platform is one of several in the gaming space (including Fortnite) that helped pave the way for other companies and brands to venture into the metaverse.

    ", + "content": "

    Universal Music Group is hitching its wagon more firmly to the metaverse hype train. The record company teamed up with avatar company Genies to create digital versions of its artists, as well as non-fungible token (NFT) outfits and accessories, for use in virtual worlds.

    The idea is to give Universal's artists official virtual identities for the metaverse. Some of the roster, including Justin Bieber and Shawn Mendes, had already asked Genies to make avatars of them. Now, the plan is for Rihanna, Migos et al to be able to take those facsimiles into various metaverses, or use the avatars across social platforms. In the coming months, through an NFT marketplace run by Genies, fans will be able to buy and sell virtual merchandise for the avatars.

    This isn't Universal Music Group's first foray into the metaverse. Last month, it announced a virtual band comprising four characters from the Bored Ape Yacht Club NFT collection, a bit like Gorillaz.

    Other prominent brands are looking to make waves in the metaverse, including Adidas, which seems to be working on its own NFTs, and Nike, which built a virtual playspace and a store for digital goods inside Roblox. That platform is one of several in the gaming space (including Fortnite) that helped pave the way for other companies and brands to venture into the metaverse.

    ", + "category": "Media", + "link": "https://www.engadget.com/universal-music-group-artists-avatars-metaverse-nfts-155853381.html?src=rss", + "creator": "Kris Holt", + "pubDate": "Mon, 13 Dec 2021 15:58:53 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fcc4ca2976c3e61930b7f55a9fe9910e" + }, + { + "title": "GOG offers steep discounts on Disco Elysium, Cyberpunk 2077 and more", + "description": "

    CD Projekt's GOG storefront has launched its Winter Sale with big savings on popular PC games. Starting today, you can pick up titles like Disco Elysium - The Final Cut, Cyberpunk 2077 and The Witcher 3 GOTY and get savings of up to 80 percent. 

    A couple of deals in particular stand out. Disco Elysium - The Final Cut is marked down 55 percent from its regular $40 price to just $18. That's a good choice if you have an older computers, as developer ZA/UM introduced an update last year that lets you run it on decade old PCs. A couple of other solid picks include Cyberpunk 2077, which is just $30 for a savings of 50 percent, and Metro Exodus - Gold Edition — now on sale for a mere $14.80, or 63 percent off. 

    You can also pick up Kingdom Come: Deliverance Royal Edition for just $13.59, for a savings of 66 percent over the regular price. As a reminder, that title is an RPG similar to series like The Witcher and Elder Scrolls, but grounded in “historical accuracy” rather than fantasy. Another good option is Control Ultimate Edition, a supernatural action game about forces overtaking a secretive government building called the Federal Bureau of Control. That game can now be found for $12, or 70 percent off the regular $40 price. 

    That's far from all, as GOG also has Divinity: Original Sin 2, The Riftbreaker, Pathfinder Wrath of the Righteous, Blade Runner, Mortal Shell and other titles at big savings. For a complete list, check out GOG's Winter Sale right here

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    CD Projekt's GOG storefront has launched its Winter Sale with big savings on popular PC games. Starting today, you can pick up titles like Disco Elysium - The Final Cut, Cyberpunk 2077 and The Witcher 3 GOTY and get savings of up to 80 percent. 

    A couple of deals in particular stand out. Disco Elysium - The Final Cut is marked down 55 percent from its regular $40 price to just $18. That's a good choice if you have an older computers, as developer ZA/UM introduced an update last year that lets you run it on decade old PCs. A couple of other solid picks include Cyberpunk 2077, which is just $30 for a savings of 50 percent, and Metro Exodus - Gold Edition — now on sale for a mere $14.80, or 63 percent off. 

    You can also pick up Kingdom Come: Deliverance Royal Edition for just $13.59, for a savings of 66 percent over the regular price. As a reminder, that title is an RPG similar to series like The Witcher and Elder Scrolls, but grounded in “historical accuracy” rather than fantasy. Another good option is Control Ultimate Edition, a supernatural action game about forces overtaking a secretive government building called the Federal Bureau of Control. That game can now be found for $12, or 70 percent off the regular $40 price. 

    That's far from all, as GOG also has Divinity: Original Sin 2, The Riftbreaker, Pathfinder Wrath of the Righteous, Blade Runner, Mortal Shell and other titles at big savings. For a complete list, check out GOG's Winter Sale right here

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "Personal Finance - Lifestyle", + "link": "https://www.engadget.com/gog-winter-sale-discounts-disco-elysium-cyberpunk-2077-more-142338852.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Mon, 13 Dec 2021 14:23:38 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4de3b9dbd788d62d813a4903a9dca787" + }, + { + "title": "Square Enix’s ‘Forspoken’ mixes magical parkour with an unforgiving world", + "description": "

    Judging from all the teaser videos released so far, Forspoken is promising a swathe of visually stunning elemental spells and a heroine that can dash, glide and traverse a fantasy world quicker than any Assassin’s Creed protagonist.

    But aside from magic parkour, what else is Forspoken’s Frey Holland capable of? How is the rest of the game shaping up?

    At a hands-off briefing, Square Enix offered a closer look at the characters, world-building and capabilities of the bangle-wielding Frey, who fell through a magical portal from New York to the land of Athia. We also got to see a lot more of the battle systems and spells you'll be able to wield, all running on an early version of the game.

    This is the first title from Square Enix’s new studio, Luminous Productions. Forspoken runs on the studio’s proprietary graphics engine, Luminous Engine. A streamed video call on Zoom isn’t the best place to marvel at graphics, but judging from the higher-resolution trailers, there seems to be a focus on fluidity. And flinging around a lot of spells.

    Beyond elemental attacks of varying scales, magical powers include the aforementioned magic parkour, where the hero can dash at speed, jump again mid-air, dodge attacks and more. Running on the studio’s proprietary Luminous Engine, the team is aiming to run the game at 2K 60 FPS and 4K 30 FPS, with ray-tracing graphical options too.

    \"Forspoken\"

    The new studio is taking different approaches to the story, too. Instead of in-house writers, Luminous Productions tapped Allison Rymer (who wrote for the TV series Shadowhunters) and Todd Stashwick as lead writers. The development team, which had last worked on the divisive Final Fantasy XV, said they were looking to create a game with more “universal appeal”, promising a narrative-led action-adventure RPG. However, judging by this early look, Forspoken may not stray too far from the video-game trope of messianic-outsider-saves-mystical-lands.

    There is a focus on both the female lead, voiced and mo-capped by actor Ella Balinsk, and several female antagonists – mad sorceresses called Tantas. The world of Athia has a matriarchal society, ensuring, rightly, that the most important players are women. Still, the preview didn’t really help us get much of a bead on where the story of Forspoken will take Frey. The team is also promising post-launch DLC content, called In Tanta We Trust, which will function as a prequel to the main title.

    We do know that encroaching darkness has trapped what’s left of humanity within the walls of a single city, Cipaul. The rest of the world is now covered in this sinister fog, “The Break”, that warps and absorbs life.

    Some of the citizens of Cipaul view Frey as a demon – a threat – because she’s able to survive the Break outside of the city, not to mention the magical freerunning and elemental arsenal that comes with her cuff of magical bangles. There are RPG-style upgrades to unlock, too. Frey will be able to upgrade her cloak and nail art (!) to improve stamina and increase spell strength, which is a modern twist on magical jewels and runes.

    In the tradition of Destiny’s Ghost, and er, Ratchet and Clank’s Clank, the cuff has a British accent and a sassy disposition. It will banter with Frey and respond to how she fights. It’s hard to tell from the early preview, but it seems like the cuffs (called Cuff?) will even offer up battle insights and fight-style advice. A Square Enix spokesperson said the team was “still in the process of adjusting the exact frequency, content and volume” of their interactions. That’s a good sign, because Frey seems to cuss a lot and there are diminishing returns to exclaiming “Shit!” every time a monster attacks. See: Devil May Cry.

    The preview teased stealth spells, magical land mines and using your cloak as a sort-of grappling hook. Even while moving at a high pace, Forspoken will slow things down when you’re aiming at crucial ledges, which seems like a thankfully forgiving touch.

    I’m most interested in how Forspoken will actually play and how fights will feel. With battle spells, Frey can choose different effects and spells from rings, holding several in as shortcut spots for easy (repeated) use, but it’s hard to tell how intuitive this will feel.

    \"Forspoken\"
    Square Enix, Luminous Productions

    At the end of my 30-minute briefing, the developers show off Breakstorms, random supernatural events that spawn monsters and a bigger beast, a skeletal giraffe kind of thing with one eye that shoots energy beams. Frey casts multiple high-level spells, stacking effects and mixing up strategies for both crowd control and escaping the wrath of the boss monster at the center of it all. In this instance, she doesn’t quite make it, falling to the monster’s attacks, but the first thing I thought was – I want to play this myself, and best this cyclops giraffe. Hopefully, Square Enix is able to ensure these fights feel as fluid as Frey’s magical parkour dashes.

    Forspoken launches on ​​PS5 and PC on May 24th, 2022.

    ", + "content": "

    Judging from all the teaser videos released so far, Forspoken is promising a swathe of visually stunning elemental spells and a heroine that can dash, glide and traverse a fantasy world quicker than any Assassin’s Creed protagonist.

    But aside from magic parkour, what else is Forspoken’s Frey Holland capable of? How is the rest of the game shaping up?

    At a hands-off briefing, Square Enix offered a closer look at the characters, world-building and capabilities of the bangle-wielding Frey, who fell through a magical portal from New York to the land of Athia. We also got to see a lot more of the battle systems and spells you'll be able to wield, all running on an early version of the game.

    This is the first title from Square Enix’s new studio, Luminous Productions. Forspoken runs on the studio’s proprietary graphics engine, Luminous Engine. A streamed video call on Zoom isn’t the best place to marvel at graphics, but judging from the higher-resolution trailers, there seems to be a focus on fluidity. And flinging around a lot of spells.

    Beyond elemental attacks of varying scales, magical powers include the aforementioned magic parkour, where the hero can dash at speed, jump again mid-air, dodge attacks and more. Running on the studio’s proprietary Luminous Engine, the team is aiming to run the game at 2K 60 FPS and 4K 30 FPS, with ray-tracing graphical options too.

    \"Forspoken\"

    The new studio is taking different approaches to the story, too. Instead of in-house writers, Luminous Productions tapped Allison Rymer (who wrote for the TV series Shadowhunters) and Todd Stashwick as lead writers. The development team, which had last worked on the divisive Final Fantasy XV, said they were looking to create a game with more “universal appeal”, promising a narrative-led action-adventure RPG. However, judging by this early look, Forspoken may not stray too far from the video-game trope of messianic-outsider-saves-mystical-lands.

    There is a focus on both the female lead, voiced and mo-capped by actor Ella Balinsk, and several female antagonists – mad sorceresses called Tantas. The world of Athia has a matriarchal society, ensuring, rightly, that the most important players are women. Still, the preview didn’t really help us get much of a bead on where the story of Forspoken will take Frey. The team is also promising post-launch DLC content, called In Tanta We Trust, which will function as a prequel to the main title.

    We do know that encroaching darkness has trapped what’s left of humanity within the walls of a single city, Cipaul. The rest of the world is now covered in this sinister fog, “The Break”, that warps and absorbs life.

    Some of the citizens of Cipaul view Frey as a demon – a threat – because she’s able to survive the Break outside of the city, not to mention the magical freerunning and elemental arsenal that comes with her cuff of magical bangles. There are RPG-style upgrades to unlock, too. Frey will be able to upgrade her cloak and nail art (!) to improve stamina and increase spell strength, which is a modern twist on magical jewels and runes.

    In the tradition of Destiny’s Ghost, and er, Ratchet and Clank’s Clank, the cuff has a British accent and a sassy disposition. It will banter with Frey and respond to how she fights. It’s hard to tell from the early preview, but it seems like the cuffs (called Cuff?) will even offer up battle insights and fight-style advice. A Square Enix spokesperson said the team was “still in the process of adjusting the exact frequency, content and volume” of their interactions. That’s a good sign, because Frey seems to cuss a lot and there are diminishing returns to exclaiming “Shit!” every time a monster attacks. See: Devil May Cry.

    The preview teased stealth spells, magical land mines and using your cloak as a sort-of grappling hook. Even while moving at a high pace, Forspoken will slow things down when you’re aiming at crucial ledges, which seems like a thankfully forgiving touch.

    I’m most interested in how Forspoken will actually play and how fights will feel. With battle spells, Frey can choose different effects and spells from rings, holding several in as shortcut spots for easy (repeated) use, but it’s hard to tell how intuitive this will feel.

    \"Forspoken\"
    Square Enix, Luminous Productions

    At the end of my 30-minute briefing, the developers show off Breakstorms, random supernatural events that spawn monsters and a bigger beast, a skeletal giraffe kind of thing with one eye that shoots energy beams. Frey casts multiple high-level spells, stacking effects and mixing up strategies for both crowd control and escaping the wrath of the boss monster at the center of it all. In this instance, she doesn’t quite make it, falling to the monster’s attacks, but the first thing I thought was – I want to play this myself, and best this cyclops giraffe. Hopefully, Square Enix is able to ensure these fights feel as fluid as Frey’s magical parkour dashes.

    Forspoken launches on ​​PS5 and PC on May 24th, 2022.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/square-enix-forspoken-magical-parkour-spells-rpg-140017421.html?src=rss", + "creator": "Mat Smith", + "pubDate": "Mon, 13 Dec 2021 14:00:17 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8e0380be28c532cca2b6a8c3b3d87dc4" + }, + { + "title": "Apple's Mac Mini M1 hits new low of $570 on Amazon", + "description": "

    Apple's latest Mac Mini is the most cost-effective way to get an M1 machine, and now you can get the desktop for even less. The base 256GB model is going for $570 on Amazon right now, which is a new record low. You'll get this price thanks to a $50 discount plus an additional coupon that knocks another $79 off at checkout. The 512GB version has also been discounted to $750, which is a price we've seen a handful of times in the past but remains a good deal.

    Buy Mac Mini M1 (256GB) at Amazon - $570Buy Mac Mini M1 (512GB) at Amazon - $750

    The Mac Mini is the best option if a desktop fits better into your lifestyle than a laptop, and if you don't have a ton to spare a new computer. It packs a good amount of power into a compact device thanks to Apple's M1 chipset. While we haven't put the Mac Mini through its paces, we have tested out the MacBook Air M1 and the previous MacBook Pro M1 — both of which impressed us with their overall smooth performance and remarkable speed. It sports an eight-core CPU and an eight-core GPU, plus a 16-core Neural Engine that handles machine learning tasks. While the 256GB model is probably sufficient for most people, you'll future-proof the device a bit if you spring for the version with extra storage because you won't run out of space as quickly.

    With all of the improvements being internal, the latest Mac Mini looks much the same as the previous version. The silver box has a seamless appearance on most sides, save for its back edge which holds all of its connectivity options including two Thunderbolt ports, two USB-A connectors, an HDMI port, an Ethernet port and a 3.5mm headphone jack. Since we didn't get an updated Mac Mini this fall, there's currently no telling when Apple may introduce a new version of its small desktop. That makes a sale like this one a great opportunity to upgrade your home's computer without spending too much money. If you plan on gifting the device, just keep in mind that it may arrive after Christmas depending on which model you choose.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    Apple's latest Mac Mini is the most cost-effective way to get an M1 machine, and now you can get the desktop for even less. The base 256GB model is going for $570 on Amazon right now, which is a new record low. You'll get this price thanks to a $50 discount plus an additional coupon that knocks another $79 off at checkout. The 512GB version has also been discounted to $750, which is a price we've seen a handful of times in the past but remains a good deal.

    Buy Mac Mini M1 (256GB) at Amazon - $570Buy Mac Mini M1 (512GB) at Amazon - $750

    The Mac Mini is the best option if a desktop fits better into your lifestyle than a laptop, and if you don't have a ton to spare a new computer. It packs a good amount of power into a compact device thanks to Apple's M1 chipset. While we haven't put the Mac Mini through its paces, we have tested out the MacBook Air M1 and the previous MacBook Pro M1 — both of which impressed us with their overall smooth performance and remarkable speed. It sports an eight-core CPU and an eight-core GPU, plus a 16-core Neural Engine that handles machine learning tasks. While the 256GB model is probably sufficient for most people, you'll future-proof the device a bit if you spring for the version with extra storage because you won't run out of space as quickly.

    With all of the improvements being internal, the latest Mac Mini looks much the same as the previous version. The silver box has a seamless appearance on most sides, save for its back edge which holds all of its connectivity options including two Thunderbolt ports, two USB-A connectors, an HDMI port, an Ethernet port and a 3.5mm headphone jack. Since we didn't get an updated Mac Mini this fall, there's currently no telling when Apple may introduce a new version of its small desktop. That makes a sale like this one a great opportunity to upgrade your home's computer without spending too much money. If you plan on gifting the device, just keep in mind that it may arrive after Christmas depending on which model you choose.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/apples-mac-mini-m1-hits-new-low-of-570-on-amazon-135537997.html?src=rss", + "creator": "Valentina Palladino", + "pubDate": "Mon, 13 Dec 2021 13:55:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1379f71078e78c30e022a771beabff79" + }, + { + "title": "Sony will begin selling official PlayStation 5 covers next month", + "description": "

    After shutting down third-party PS5 console covers with legal threats, Sony has launched its own official $55 PlayStation five colors, the company announced. Those will go along with the DualSense controls it launched earlier this year, and introduce three new colors in the same galaxy-inspired theme.

    The console covers (and matching controllers) will come in Midnight Black, Cosmic Red, Nova Pink, Starlight Blue and Galactic Purple. "Simply remove your original white PS5 console covers and click your new ones into place," the company said. "The PS5 console covers will be available for both the PS5 with the Ultra HD Blu-ray disc drive and the PS5 Digital Edition." 

    The Midnight Black and Cosmic Red PS5 console covers will be available starting in January 2022 in specific regions, including the USA, Canada, UK, France, Australia and China. The Nova Pink, Galactic Purple, and Starlight Blue models will launch in those same locations during the first half of 2022.

    As you may remember, Sony recently launched new DualSense wireless controllers in Cosmic Red and Midnight Black. Now, it will also release new controllers in the other three colors (Nova Pink, Starlight Blue, and Galactic Purple) for $75 globally in January 2022 at participating retailers. 

    As a reminder, last year a company called PlateStation unveiled replacement PS5 covers in colors like cherry red, black and jungle camo. However, the company subsequently announced on Twitter that it would be canceling all orders and processing refunds "due to patent and intellectual property issues" with Sony.

    Now we can see why Sony asserted its IP rights so strongly. Given that it can't sell as many PS5 consoles as it would like due to semiconductor shortages, accessories like this will provide another revenue stream. Yes, console color and design aren't that important, but the new covers are a good option for the many folks who aren't that keen on white. Pre-orders are now open for the new controller colors ($75) and first two console covers ($55) — if you're planning to get one, let us know below. 

    ", + "content": "

    After shutting down third-party PS5 console covers with legal threats, Sony has launched its own official $55 PlayStation five colors, the company announced. Those will go along with the DualSense controls it launched earlier this year, and introduce three new colors in the same galaxy-inspired theme.

    The console covers (and matching controllers) will come in Midnight Black, Cosmic Red, Nova Pink, Starlight Blue and Galactic Purple. "Simply remove your original white PS5 console covers and click your new ones into place," the company said. "The PS5 console covers will be available for both the PS5 with the Ultra HD Blu-ray disc drive and the PS5 Digital Edition." 

    The Midnight Black and Cosmic Red PS5 console covers will be available starting in January 2022 in specific regions, including the USA, Canada, UK, France, Australia and China. The Nova Pink, Galactic Purple, and Starlight Blue models will launch in those same locations during the first half of 2022.

    As you may remember, Sony recently launched new DualSense wireless controllers in Cosmic Red and Midnight Black. Now, it will also release new controllers in the other three colors (Nova Pink, Starlight Blue, and Galactic Purple) for $75 globally in January 2022 at participating retailers. 

    As a reminder, last year a company called PlateStation unveiled replacement PS5 covers in colors like cherry red, black and jungle camo. However, the company subsequently announced on Twitter that it would be canceling all orders and processing refunds "due to patent and intellectual property issues" with Sony.

    Now we can see why Sony asserted its IP rights so strongly. Given that it can't sell as many PS5 consoles as it would like due to semiconductor shortages, accessories like this will provide another revenue stream. Yes, console color and design aren't that important, but the new covers are a good option for the many folks who aren't that keen on white. Pre-orders are now open for the new controller colors ($75) and first two console covers ($55) — if you're planning to get one, let us know below. 

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/sony-is-introducing-its-own-ps-5-console-covers-134356786.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Mon, 13 Dec 2021 13:43:56 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8433f5a916a73b4106da7927e2f083ff" + }, + { + "title": "The Morning After: Peloton's unfortunate cameo in the 'Sex and the City' reboot", + "description": "

    Warning: If you’re planning to watch the Sex and the City revival, And Just Like That, avert your eyes for this intro — spoilers are incoming. Peloton probably wished everyone did just that.

    Yes, the ubiquitous, expensive exercise bike featured in a major plotline in the first episode of the new series, which itself isn’t particularly shocking. The shock came when Carrie's husband, Mr. Big, died of a heart attack after he finished a 45-minute Peloton class on the company's Bike (with real instructor Jess King in a fictional role as… a Peloton instructor).

    The plotline hit Peloton’s stock price over the weekend — something the company has seen over the last year as many folks head back to their gyms or perhaps, like me, just don’t want to stay in their homes to exercise anymore.

    Peloton was also caught unawares — the company knew HBO would feature a Peloton in the episode and that King would portray an instructor, but "confidentiality reasons" prevented it from learning it would kill off a character.

    It released a statement saying that Big’s death was probably due to his “extravagant lifestyle” — the guy was smoking a cigar earlier in the episode and had previously suffered a heart attack.

    I doubt the result of Peloton’s appearance on the show will be a net negative — it’s arguably the most talked-about twist from the premiere of a highly anticipated TV show. It’s definitely a test of the adage: Is any publicity good publicity?

    — Mat Smith


    NASA's new sleeping bags could prevent eyeball 'squashing' on the ISS

    It sucks fluid out of astronaut's heads and toward their feet.

    More than half of NASA astronauts that went to the International Space Station (ISS) for more than six months have developed vision problems. Researchers from UT Southwestern Medical Center have developed a sleeping bag that could prevent or reduce those problems.

    Fluids tend to accumulate in the head when you sleep, but on Earth, gravity pulls them back down into the body when you get up. In the low gravity of space, though, that fluid collects, applying pressure on the eyeball, leading to vision impairment. The researchers have made a sleeping bag that effectively sucks fluid out of astronauts' heads.

    Continue reading.

    Someone 'briefly compromised' the Indian prime minister's Twitter account

    It's the latest attempt to hijack a major politician's social media profile.

    An intruder temporarily seized control of Indian Prime Minister Narendra Modi's Twitter account over the weekend. The attacker tweeted a claim that India had adopted Bitcoin as legal tender and pointed users to a (broken) scam website. For followers of Modi’s account — or anyone familiar with his stance on cryptocurrency — it was obvious something had gone wrong.

    Continue reading.

    Amazon explains outage that took out a large chunk of the internet

    The company also promised an easier way to track failures in the future.

    Amazon has explained the Web Services outage that knocked parts of the internet offline last week. As CNBC reports, Amazon revealed an automated capacity scaling feature led to "unexpected behavior" from internal network clients. Devices connecting that internal network to AWS were swamped, stalling communications. The AWS division has temporarily disabled the scaling that led to the problem and won't switch it back on until there are solutions in place. A fix for the glitch is coming within two weeks, Amazon said.

    Continue reading.

    How a VR startup took users’ money and ran to the metaverse

    And it’s still going on.

    The tech word of 2021 is definitely “metaverse,” crowbarred into the collective conscious when Mark Zuckerberg revealed Facebook’s new name, Meta.

    Metaworld founder Dedric Reid has been selling his interpretation of the metaverse for the past five years. His vision is a decentralized space, a “10,000-square-mile vast-scale simulation, owned by community and run by community,” according to Reid.

    But the story of Metaworld is one of patchy crowdfunding, communication silence, fake promotional assets and some understandably angry backers. To borrow from The Matrix, read Senior Editor Jessica Conditt’s full report to see how deep the rabbit hole goes.

    Continue reading.

    LG's design-focused OLED Evo TV has a motorized cover

    It's meant to blend in with high-end furniture and works of art. 

    \"TMA\"
    LG

    I mean, I like how it looks, but I’d prefer the Bang and Olufsen set with wings

    Continue reading.

    The biggest news stories you might have missed


    New IBM and Samsung transistors could be key to super-efficient chips

    'Halo Infinite' adds a dedicated Slayer playlist on December 14th

    Recommended Reading: The real cost of the global chip shortage

    The FAA will give Bezos and Branson its last astronaut wings

    Sony reportedly planned to bring PlayStation Now to phones

    ", + "content": "

    Warning: If you’re planning to watch the Sex and the City revival, And Just Like That, avert your eyes for this intro — spoilers are incoming. Peloton probably wished everyone did just that.

    Yes, the ubiquitous, expensive exercise bike featured in a major plotline in the first episode of the new series, which itself isn’t particularly shocking. The shock came when Carrie's husband, Mr. Big, died of a heart attack after he finished a 45-minute Peloton class on the company's Bike (with real instructor Jess King in a fictional role as… a Peloton instructor).

    The plotline hit Peloton’s stock price over the weekend — something the company has seen over the last year as many folks head back to their gyms or perhaps, like me, just don’t want to stay in their homes to exercise anymore.

    Peloton was also caught unawares — the company knew HBO would feature a Peloton in the episode and that King would portray an instructor, but "confidentiality reasons" prevented it from learning it would kill off a character.

    It released a statement saying that Big’s death was probably due to his “extravagant lifestyle” — the guy was smoking a cigar earlier in the episode and had previously suffered a heart attack.

    I doubt the result of Peloton’s appearance on the show will be a net negative — it’s arguably the most talked-about twist from the premiere of a highly anticipated TV show. It’s definitely a test of the adage: Is any publicity good publicity?

    — Mat Smith


    NASA's new sleeping bags could prevent eyeball 'squashing' on the ISS

    It sucks fluid out of astronaut's heads and toward their feet.

    More than half of NASA astronauts that went to the International Space Station (ISS) for more than six months have developed vision problems. Researchers from UT Southwestern Medical Center have developed a sleeping bag that could prevent or reduce those problems.

    Fluids tend to accumulate in the head when you sleep, but on Earth, gravity pulls them back down into the body when you get up. In the low gravity of space, though, that fluid collects, applying pressure on the eyeball, leading to vision impairment. The researchers have made a sleeping bag that effectively sucks fluid out of astronauts' heads.

    Continue reading.

    Someone 'briefly compromised' the Indian prime minister's Twitter account

    It's the latest attempt to hijack a major politician's social media profile.

    An intruder temporarily seized control of Indian Prime Minister Narendra Modi's Twitter account over the weekend. The attacker tweeted a claim that India had adopted Bitcoin as legal tender and pointed users to a (broken) scam website. For followers of Modi’s account — or anyone familiar with his stance on cryptocurrency — it was obvious something had gone wrong.

    Continue reading.

    Amazon explains outage that took out a large chunk of the internet

    The company also promised an easier way to track failures in the future.

    Amazon has explained the Web Services outage that knocked parts of the internet offline last week. As CNBC reports, Amazon revealed an automated capacity scaling feature led to "unexpected behavior" from internal network clients. Devices connecting that internal network to AWS were swamped, stalling communications. The AWS division has temporarily disabled the scaling that led to the problem and won't switch it back on until there are solutions in place. A fix for the glitch is coming within two weeks, Amazon said.

    Continue reading.

    How a VR startup took users’ money and ran to the metaverse

    And it’s still going on.

    The tech word of 2021 is definitely “metaverse,” crowbarred into the collective conscious when Mark Zuckerberg revealed Facebook’s new name, Meta.

    Metaworld founder Dedric Reid has been selling his interpretation of the metaverse for the past five years. His vision is a decentralized space, a “10,000-square-mile vast-scale simulation, owned by community and run by community,” according to Reid.

    But the story of Metaworld is one of patchy crowdfunding, communication silence, fake promotional assets and some understandably angry backers. To borrow from The Matrix, read Senior Editor Jessica Conditt’s full report to see how deep the rabbit hole goes.

    Continue reading.

    LG's design-focused OLED Evo TV has a motorized cover

    It's meant to blend in with high-end furniture and works of art. 

    \"TMA\"
    LG

    I mean, I like how it looks, but I’d prefer the Bang and Olufsen set with wings

    Continue reading.

    The biggest news stories you might have missed


    New IBM and Samsung transistors could be key to super-efficient chips

    'Halo Infinite' adds a dedicated Slayer playlist on December 14th

    Recommended Reading: The real cost of the global chip shortage

    The FAA will give Bezos and Branson its last astronaut wings

    Sony reportedly planned to bring PlayStation Now to phones

    ", + "category": "Media", + "link": "https://www.engadget.com/the-morning-after-pelotons-unfortunate-cameo-in-the-sex-and-the-city-reboot-121514275.html?src=rss", + "creator": "Mat Smith", + "pubDate": "Mon, 13 Dec 2021 12:15:14 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0343b8dcc085c8f176dc1f15c92e5e58" + }, + { + "title": "NVIDIA's Shield TV Pro streamer drops back to $180", + "description": "

    NVIDIA’s Shield TV Pro is a multi-talented Android TV device that can not just stream Netflix, but also work as a Plex Server and run NVIDIA’s GeForce Now cloud gaming service. The biggest drawback is the $200 price, and it rarely goes on sale. Luckily, you can pick one up today for $180 at Amazon and Best Buy, matching one of the lowest prices we've ever seen. 

    Buy NVIDIA Shield TV Pro at Amazon - $180Buy NVIDIA Shield TV Pro at Best Buy - $180

    The Shield TV Pro is one of the best streaming devices out there, with support for Chromecast streaming, 4K HDR Dolby Vision and Dolby Atmos audio support. You also get the fast Tegra X1+ processor that can do 4K upscaling while ensuring that GeForce Now gaming works smoothly. It also comes with a comfortable triangular remote with support for voice control via Google Assistant and other services. Finally, it comes with 16GB of expandable storage so that you can stream your own content. 

    If the Shield TV Pro is still too much, NVIDIA's regular Shield TV is also on sale for $130 at both Best Buy and Amazon. That model can't work as a Plex server, but it otherwise offers the same features as the Shield TV Pro, like 4K HDR Dolby Vision and Dolby Atmos, along with the voice-controlled remote. Other features include a gigabit ethernet port and a microSD card slot for storage expansion.

    Buy NVIDIA Shield TV at Amazon - $130Buy NVIDIA Shield TV at Best Buy - $130

    Both of those products are great all-around streamers, but if you're in the Apple ecosystem, the 2021 Apple TV 4K is still on sale for $150. As mentioned before, it's one of the best high-end streaming boxes available thanks to the A12 Bionic processor that delivers faster performance than ever. It also supports Dolby Atmos sound, 60 fps Dolby Vision, AirPlay 3, screen mirroring and HomeKit.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    NVIDIA’s Shield TV Pro is a multi-talented Android TV device that can not just stream Netflix, but also work as a Plex Server and run NVIDIA’s GeForce Now cloud gaming service. The biggest drawback is the $200 price, and it rarely goes on sale. Luckily, you can pick one up today for $180 at Amazon and Best Buy, matching one of the lowest prices we've ever seen. 

    Buy NVIDIA Shield TV Pro at Amazon - $180Buy NVIDIA Shield TV Pro at Best Buy - $180

    The Shield TV Pro is one of the best streaming devices out there, with support for Chromecast streaming, 4K HDR Dolby Vision and Dolby Atmos audio support. You also get the fast Tegra X1+ processor that can do 4K upscaling while ensuring that GeForce Now gaming works smoothly. It also comes with a comfortable triangular remote with support for voice control via Google Assistant and other services. Finally, it comes with 16GB of expandable storage so that you can stream your own content. 

    If the Shield TV Pro is still too much, NVIDIA's regular Shield TV is also on sale for $130 at both Best Buy and Amazon. That model can't work as a Plex server, but it otherwise offers the same features as the Shield TV Pro, like 4K HDR Dolby Vision and Dolby Atmos, along with the voice-controlled remote. Other features include a gigabit ethernet port and a microSD card slot for storage expansion.

    Buy NVIDIA Shield TV at Amazon - $130Buy NVIDIA Shield TV at Best Buy - $130

    Both of those products are great all-around streamers, but if you're in the Apple ecosystem, the 2021 Apple TV 4K is still on sale for $150. As mentioned before, it's one of the best high-end streaming boxes available thanks to the A12 Bionic processor that delivers faster performance than ever. It also supports Dolby Atmos sound, 60 fps Dolby Vision, AirPlay 3, screen mirroring and HomeKit.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/nvidia-shield-tv-pro-fall-back-to-180-best-buy-115721133.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Mon, 13 Dec 2021 11:57:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a52a7d2ee021f2d4bf21d6d909595118" + }, + { + "title": "Apple's 24-inch 8-core iMac M1 falls to a new all-time low at Amazon", + "description": "

    Apple brought some design chops back to the iMac lineup with the 24-inch 2021 M1 models, and a pretty good dose of extra performance, too. If you've been looking at getting an 8-core model for productivity or creative chores but found the $1,500 price a tad much, there's good news. The 8GB version with 256GB of storage is now available at Amazon for $1,400, the lowest price we've seen yet. 

    Buy Apple iMac M1 at Amazon - $1,400

    The 2021 iMac M1 received an excellent Engadget review score for a variety of reason. With a new M1 chip also found on Apple's MacBooks, it delivers formidable performance for activities ranging from spreadsheets to video editing to gaming. It even loads quickly, waking up almost instantly from sleep mode and getting to the desktop in around 25 seconds from a cold start. On top of that, it's 50 percent quieter than past models.

    It's also got a fresh new design, with slimmer bezels and a more refined look. The new 24-inch, 4.5K Retina display is also excellent, thanks to the full DCI-P3 color gamut coverage and 500-nit brightness. Another nice upgrade is the new 1080p FaceTime Camera with larger image sensors and AI tricks that improve exposure, color and noise levels. 

    The drawbacks are few, but they include a lack of HDR on the display, a port selection limited to USB-C and the Magic Mouse and Keyboard that can be uncomfortable to use. Also, if you were hoping to pick up a colorful version of the iMac, only the silver model is on sale, alas. Still, it's a nice little saving for deal hunters on a model we haven't seen discounted very often. 

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    Apple brought some design chops back to the iMac lineup with the 24-inch 2021 M1 models, and a pretty good dose of extra performance, too. If you've been looking at getting an 8-core model for productivity or creative chores but found the $1,500 price a tad much, there's good news. The 8GB version with 256GB of storage is now available at Amazon for $1,400, the lowest price we've seen yet. 

    Buy Apple iMac M1 at Amazon - $1,400

    The 2021 iMac M1 received an excellent Engadget review score for a variety of reason. With a new M1 chip also found on Apple's MacBooks, it delivers formidable performance for activities ranging from spreadsheets to video editing to gaming. It even loads quickly, waking up almost instantly from sleep mode and getting to the desktop in around 25 seconds from a cold start. On top of that, it's 50 percent quieter than past models.

    It's also got a fresh new design, with slimmer bezels and a more refined look. The new 24-inch, 4.5K Retina display is also excellent, thanks to the full DCI-P3 color gamut coverage and 500-nit brightness. Another nice upgrade is the new 1080p FaceTime Camera with larger image sensors and AI tricks that improve exposure, color and noise levels. 

    The drawbacks are few, but they include a lack of HDR on the display, a port selection limited to USB-C and the Magic Mouse and Keyboard that can be uncomfortable to use. Also, if you were hoping to pick up a colorful version of the iMac, only the silver model is on sale, alas. Still, it's a nice little saving for deal hunters on a model we haven't seen discounted very often. 

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/apple-8-core-24-inch-imac-all-time-low-amazon-111824240.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Mon, 13 Dec 2021 11:18:24 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f0705ec834bf31204b39b0115544ec87" + }, + { + "title": "MGM lets potential employees try out jobs in VR before signing on", + "description": "

    MGM Resorts is letting applicants try out casino and hotel jobs in virtual reality (VR) before signing on, Business Insider has reported. It's part of a new effort to reduce employee attrition during the "great resignation" that has caused labor shortages in the US and elsewhere during the COVID-19 pandemic. 

    The casino and resort group is using headsets from a VR company called Strivr that specializes in virtual training for industry health and safety, customer service and more. The idea is to let employees experience typical job activities so that they know what to expect. "It can be very difficult just to verbally explain the types of positions or show a video," MGM Resorts' chief HR officer Laura Lee told BI. Using VR, by contrast, lets applicants "throw a headset on and really experience the job."

    MGM plans to use the headsets at its offices and possibly career fairs, starting in January. The idea is to let potential customer service employees experience key aspects of the job, both positive and negative. For instance, the MGM Resorts VR module would include interactions with difficult guests, something that has reportedly become more common with COVID.

    The negative interactions could discourage some candidates, but MGM expects that it would also allow for better hiring decisions. The use of the tech "might've resolved some turnover we experienced when people accepted positions and then realized it wasn't quite what they thought it would be," said Lee.

    MGM plans to use the tech for its proposed $9.1 billion hotel, resort and casino in Osaka, Japan. It would be the first casino in the nation, so potential employees may not be familiar with typical jobs. As such, the VR option could be offered to candidates (it won't be required) to show them customer-oriented functions like hotel check-ins and gaming operations.

    VR might not be the hit everyone expected in the consumer space, but it's certainly caught on with enterprises, particularly for training. MGM also uses Strivr's tech for customer-interaction training with new employees, saying it allows them to fail without consequences while learning a role. "Virtual Reality gives employees the opportunity to think and correct themselves without getting stressed or worried that they did something wrong," Lee said in a Strivr webinar

    ", + "content": "

    MGM Resorts is letting applicants try out casino and hotel jobs in virtual reality (VR) before signing on, Business Insider has reported. It's part of a new effort to reduce employee attrition during the "great resignation" that has caused labor shortages in the US and elsewhere during the COVID-19 pandemic. 

    The casino and resort group is using headsets from a VR company called Strivr that specializes in virtual training for industry health and safety, customer service and more. The idea is to let employees experience typical job activities so that they know what to expect. "It can be very difficult just to verbally explain the types of positions or show a video," MGM Resorts' chief HR officer Laura Lee told BI. Using VR, by contrast, lets applicants "throw a headset on and really experience the job."

    MGM plans to use the headsets at its offices and possibly career fairs, starting in January. The idea is to let potential customer service employees experience key aspects of the job, both positive and negative. For instance, the MGM Resorts VR module would include interactions with difficult guests, something that has reportedly become more common with COVID.

    The negative interactions could discourage some candidates, but MGM expects that it would also allow for better hiring decisions. The use of the tech "might've resolved some turnover we experienced when people accepted positions and then realized it wasn't quite what they thought it would be," said Lee.

    MGM plans to use the tech for its proposed $9.1 billion hotel, resort and casino in Osaka, Japan. It would be the first casino in the nation, so potential employees may not be familiar with typical jobs. As such, the VR option could be offered to candidates (it won't be required) to show them customer-oriented functions like hotel check-ins and gaming operations.

    VR might not be the hit everyone expected in the consumer space, but it's certainly caught on with enterprises, particularly for training. MGM also uses Strivr's tech for customer-interaction training with new employees, saying it allows them to fail without consequences while learning a role. "Virtual Reality gives employees the opportunity to think and correct themselves without getting stressed or worried that they did something wrong," Lee said in a Strivr webinar

    ", + "category": "Professional Services", + "link": "https://www.engadget.com/mgm-is-letting-potential-employees-try-out-jobs-in-vr-before-signing-on-101720483.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Mon, 13 Dec 2021 10:17:20 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "937ef9bd654621ef48b697f59b8affdc" + }, + { + "title": "NASA's new sleeping bags could prevent eyeball 'squashing' on the ISS", + "description": "

    Becoming an astronaut requires perfect 20/20 vision, but unfortunately, the effects of space can cause astronauts to return to Earth with degraded eyesight. Now, researchers from UT Southwestern Medical Center have developed a sleeping bag that that could prevent or reduce those problems by effectively sucking fluid out of astronauts' heads.

    More than half of NASA astronauts that went to the International Space Station (ISS) for more than six months have developed vision problems to varying degrees. In one case, astronaut John Philips returned from a six month stint about the ISS in 2005 with his vision reduced from 20/20 to 20/100, as the BBC reported. 

    For multi-year trips to Mars, for example, this could become an issue. "It would be a disaster if astronauts had such severe impairments that they couldn't see what they're doing and it compromised the mission," lead researcher Dr. Benjamin Levine told the BBC.

    \"Optical
    UT Southwestern/NASA

    Fluids tend to accumulate in the head when you sleep, but on Earth, gravity pulls them back down into the body when you get up. In the low gravity of space, though, more than a half gallon of fluid collects in the head. That in turn applies pressure to the eyeball, causing flattening that can lead to vision impairment — a disorder called spaceflight-associated neuro-ocular syndrome, or SANS. (Dr. Levine discovered SANS by flying cancer patients aboard zero-G parabolic flights. They still had ports in their heads to receive chemotherapy, which gave researchers an access point to measure pressure within their brains.)

    To combat SANS, researchers collaborated with outdoor gear manufacturer REI to develop a sleeping bag that fits around the waist, enclosing the lower body. A vacuum cleaner-like suction device is then activated that draws fluid toward the feet, preventing it from accumulating in the head.  

    Around a dozen people volunteered to test the technology, and the results were positive. Some questions need to be answered before NASA brings the technology aboard the ISS, including the optimal amount of time astronauts should spend in the sleeping bag each day. They also need to determine if every astronaut should use one, or just those at risk of developing SANS.

    Still, Dr. Levine is hopeful that SANS will no longer be an issue by the time NASA is ready to go to Mars. "This is perhaps one of the most mission-critical medical issues that has been discovered in the last decade for the space program," he said in a statement. 

    ", + "content": "

    Becoming an astronaut requires perfect 20/20 vision, but unfortunately, the effects of space can cause astronauts to return to Earth with degraded eyesight. Now, researchers from UT Southwestern Medical Center have developed a sleeping bag that that could prevent or reduce those problems by effectively sucking fluid out of astronauts' heads.

    More than half of NASA astronauts that went to the International Space Station (ISS) for more than six months have developed vision problems to varying degrees. In one case, astronaut John Philips returned from a six month stint about the ISS in 2005 with his vision reduced from 20/20 to 20/100, as the BBC reported. 

    For multi-year trips to Mars, for example, this could become an issue. "It would be a disaster if astronauts had such severe impairments that they couldn't see what they're doing and it compromised the mission," lead researcher Dr. Benjamin Levine told the BBC.

    \"Optical
    UT Southwestern/NASA

    Fluids tend to accumulate in the head when you sleep, but on Earth, gravity pulls them back down into the body when you get up. In the low gravity of space, though, more than a half gallon of fluid collects in the head. That in turn applies pressure to the eyeball, causing flattening that can lead to vision impairment — a disorder called spaceflight-associated neuro-ocular syndrome, or SANS. (Dr. Levine discovered SANS by flying cancer patients aboard zero-G parabolic flights. They still had ports in their heads to receive chemotherapy, which gave researchers an access point to measure pressure within their brains.)

    To combat SANS, researchers collaborated with outdoor gear manufacturer REI to develop a sleeping bag that fits around the waist, enclosing the lower body. A vacuum cleaner-like suction device is then activated that draws fluid toward the feet, preventing it from accumulating in the head.  

    Around a dozen people volunteered to test the technology, and the results were positive. Some questions need to be answered before NASA brings the technology aboard the ISS, including the optimal amount of time astronauts should spend in the sleeping bag each day. They also need to determine if every astronaut should use one, or just those at risk of developing SANS.

    Still, Dr. Levine is hopeful that SANS will no longer be an issue by the time NASA is ready to go to Mars. "This is perhaps one of the most mission-critical medical issues that has been discovered in the last decade for the space program," he said in a statement. 

    ", + "category": "Science", + "link": "https://www.engadget.com/nasa-sleeping-bag-prevent-eyeball-squashing-083937316.html?src=rss", + "creator": "Steve Dent", + "pubDate": "Mon, 13 Dec 2021 08:39:37 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "44da018efde15cd85e6a6fdfabcbcc01" + }, + { + "title": "Apple's AirTag drops to $25 for Amazon Prime members at Woot", + "description": "

    It's now that much more affordable to scoop up an AirTag and track your keys or bag from your iPhone. Woot is selling single units of Apple's item tracker for $25 to Amazon Prime Members, and $27 for everyone else. The sale runs either until the end of 2021 or supplies run out, so this might be ideal for last-minute gifts or post-holiday splurging. Just be aware that Woot's return policy isn't the same as Amazon's, although you will have until January 31st to return anything purchased by December 31st.

    Buy AirTag on Woot - $25

    The AirTag has a handful of tricks to help it stand out from other find-my-stuff devices. The NFC-based pairing makes it easy to set up with iPhones, but the real star of the show is ultra-wideband support that helps you find tags with high precision. So long as you have a UWB-equipped Apple handset (the iPhone 11 or newer), you may know the exact spot where you lost your goods — helpful if something fell between the couch cushions.

    The main catch, as is often the case with Apple gear, revolves around the ecosystem. While you can use an Android phone to help return an AirTag-equipped device or (soon) spot nearby tags, you'll need an iPhone to set up those tags and track them from afar. You'll also need accessories if you want to clip a tag to a keychain or backpack. The batteries are replaceable, though, and the simple design might be appealing if you think the alternatives are unwieldy or dull.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    It's now that much more affordable to scoop up an AirTag and track your keys or bag from your iPhone. Woot is selling single units of Apple's item tracker for $25 to Amazon Prime Members, and $27 for everyone else. The sale runs either until the end of 2021 or supplies run out, so this might be ideal for last-minute gifts or post-holiday splurging. Just be aware that Woot's return policy isn't the same as Amazon's, although you will have until January 31st to return anything purchased by December 31st.

    Buy AirTag on Woot - $25

    The AirTag has a handful of tricks to help it stand out from other find-my-stuff devices. The NFC-based pairing makes it easy to set up with iPhones, but the real star of the show is ultra-wideband support that helps you find tags with high precision. So long as you have a UWB-equipped Apple handset (the iPhone 11 or newer), you may know the exact spot where you lost your goods — helpful if something fell between the couch cushions.

    The main catch, as is often the case with Apple gear, revolves around the ecosystem. While you can use an Android phone to help return an AirTag-equipped device or (soon) spot nearby tags, you'll need an iPhone to set up those tags and track them from afar. You'll also need accessories if you want to clip a tag to a keychain or backpack. The batteries are replaceable, though, and the simple design might be appealing if you think the alternatives are unwieldy or dull.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/apple-airtag-woot-sale-215900496.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sun, 12 Dec 2021 21:59:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8dbfc1be41d127a8f88f28b0ee2df845" + }, + { + "title": "Someone 'briefly compromised' the Indian Prime Minister's Twitter account", + "description": "

    People aren't done hijacking major politicians' Twitter accounts for financial gain. TechCrunch reports an intruder temporarily seized control of Indian Prime Minister Narendra Modi's Twitter account on December 12th in local time. The attacker tweeted a bogus claim that India had adopted Bitcoin as legal tender and pointed users to a (thankfully broken) scam website. The post was at odds with India's well-known disdain for cryptocurrency.

    The Prime Minister's office didn't say much about the incident. It acknowledged that Modi's account had been "briefly compromised," but that it contacted Twitter and "immediately secured" the politician's profile. Twitter told TechCrunch something similar.

    It's not certain just who's responsible, or how they hijacked the account (some speculated the attackers exploited a website flaw). This wasn't a large-scale campaign like the one that defaced the Twitter accounts of Joe Biden, Elon Musk and other major figures, though. It's chiefly concerning that someone breached Modi's account in the first place — world leaders are expected to have strict security, and Twitter even has a system for protecting high-profile users against attacks. While those measures aren't foolproof, they theoretically reduce the chances of incidents like this.

    Was the Twitter account of the Hon'ble PM shri #NarendraModi ji hacked? And promise of #Bitcoin !! pic.twitter.com/uz1U2IAJaZ

    — Tehseen Poonawalla Official 🇮🇳 (@tehseenp) December 11, 2021

    ", + "content": "

    People aren't done hijacking major politicians' Twitter accounts for financial gain. TechCrunch reports an intruder temporarily seized control of Indian Prime Minister Narendra Modi's Twitter account on December 12th in local time. The attacker tweeted a bogus claim that India had adopted Bitcoin as legal tender and pointed users to a (thankfully broken) scam website. The post was at odds with India's well-known disdain for cryptocurrency.

    The Prime Minister's office didn't say much about the incident. It acknowledged that Modi's account had been "briefly compromised," but that it contacted Twitter and "immediately secured" the politician's profile. Twitter told TechCrunch something similar.

    It's not certain just who's responsible, or how they hijacked the account (some speculated the attackers exploited a website flaw). This wasn't a large-scale campaign like the one that defaced the Twitter accounts of Joe Biden, Elon Musk and other major figures, though. It's chiefly concerning that someone breached Modi's account in the first place — world leaders are expected to have strict security, and Twitter even has a system for protecting high-profile users against attacks. While those measures aren't foolproof, they theoretically reduce the chances of incidents like this.

    Was the Twitter account of the Hon'ble PM shri #NarendraModi ji hacked? And promise of #Bitcoin !! pic.twitter.com/uz1U2IAJaZ

    — Tehseen Poonawalla Official 🇮🇳 (@tehseenp) December 11, 2021

    ", + "category": "Media", + "link": "https://www.engadget.com/india-prime-minister-modi-twitter-compromised-205939729.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sun, 12 Dec 2021 20:59:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f06f850c1667d3a9fe191a11a2e4cffc" + }, + { + "title": "Amazon's Fire TV Cube drops to an all-time low price of $75", + "description": "

    Amazon just made it easier to rationalize the Fire TV Cube as a do-it-all speaker and streaming hub. The internet retailer has put the Fire TV Cube on sale for $75, or $45 off. That's a record low price for the media device, and even better than the Black Friday pricing from just two weeks earlier. You may want to act quickly.

    Buy Fire TV Cube at Amazon - $75

    The Fire TV Cube is still a very capable box two years after its introduction. It can play the latest 4K HDR video (including in Dolby Vision and HDR10+) from virtually every major video service, complete with Dolby Atmos sound. As a smart speaker, meanwhile, it offers hands-free Alexa that can help you control your smart home or get answers whether or not the TV is turned on.

    If there's a reason for pause, it's Amazon's own lineup. The company recently introduced a Fire TV Stick 4K Max that, at a $55 normal price, may be a better value if you're more interested in streaming than Alexa chats. At this sale price, though, the Cube makes plenty of sense if you're looking for a single Amazon device to handle your living room tech duties, whether it's checking the weather or catching up on Wheel of Time.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    Amazon just made it easier to rationalize the Fire TV Cube as a do-it-all speaker and streaming hub. The internet retailer has put the Fire TV Cube on sale for $75, or $45 off. That's a record low price for the media device, and even better than the Black Friday pricing from just two weeks earlier. You may want to act quickly.

    Buy Fire TV Cube at Amazon - $75

    The Fire TV Cube is still a very capable box two years after its introduction. It can play the latest 4K HDR video (including in Dolby Vision and HDR10+) from virtually every major video service, complete with Dolby Atmos sound. As a smart speaker, meanwhile, it offers hands-free Alexa that can help you control your smart home or get answers whether or not the TV is turned on.

    If there's a reason for pause, it's Amazon's own lineup. The company recently introduced a Fire TV Stick 4K Max that, at a $55 normal price, may be a better value if you're more interested in streaming than Alexa chats. At this sale price, though, the Cube makes plenty of sense if you're looking for a single Amazon device to handle your living room tech duties, whether it's checking the weather or catching up on Wheel of Time.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/amazon-fire-tv-cube-sale-lowest-price-185241566.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sun, 12 Dec 2021 18:52:41 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "11b2f7adfdbac3a098c420cf81aaf8da" + }, + { + "title": "Chris Wallace leaves Fox News to join CNN's new streaming service", + "description": "

    CNN just landed a big name for its upcoming streaming video service. The network has revealed that Fox News host Chris Wallace is leaving his TV home of 18 years for CNN+ ahead of that service's early 2022 launch. The departing Fox News Sunday anchor said he was eager for the "freedom and flexibility" streaming would allow for interviewing major figures.

    In his last Fox News Sunday show, Wallace said he wanted to both "try something new" and to "go beyond politics." He didn't indicate where he was heading next during that broadcast, however. Wallace is believed to be jumping ship as his contract expires. Fox, meanwhile, said it was "extremely proud" of Wallace's team and would fill his role with a rotating cast of journalists until it named a permanent replacement.

    WarnerMedia, meanwhile, wasn't shy about touting its coup. The Wallace hire showed CNN's "commitment" to both CNN+ and journalism as a whole, CNN Worldwide President Jeff Zucker said.

    It's too soon to say if CNN's move will prompt a talent war among streaming news outlets like CBSN. Fox News Sundayhasn't always fared well against comparable shows, like Face the Nation. Regardless, Wallace represents a big bet — CNN is clearly hoping his name will draw viewers to its internet-only service and provide an edge over competitors that might only see streaming as a nice-to-have extra.

    ", + "content": "

    CNN just landed a big name for its upcoming streaming video service. The network has revealed that Fox News host Chris Wallace is leaving his TV home of 18 years for CNN+ ahead of that service's early 2022 launch. The departing Fox News Sunday anchor said he was eager for the "freedom and flexibility" streaming would allow for interviewing major figures.

    In his last Fox News Sunday show, Wallace said he wanted to both "try something new" and to "go beyond politics." He didn't indicate where he was heading next during that broadcast, however. Wallace is believed to be jumping ship as his contract expires. Fox, meanwhile, said it was "extremely proud" of Wallace's team and would fill his role with a rotating cast of journalists until it named a permanent replacement.

    WarnerMedia, meanwhile, wasn't shy about touting its coup. The Wallace hire showed CNN's "commitment" to both CNN+ and journalism as a whole, CNN Worldwide President Jeff Zucker said.

    It's too soon to say if CNN's move will prompt a talent war among streaming news outlets like CBSN. Fox News Sundayhasn't always fared well against comparable shows, like Face the Nation. Regardless, Wallace represents a big bet — CNN is clearly hoping his name will draw viewers to its internet-only service and provide an edge over competitors that might only see streaming as a nice-to-have extra.

    ", + "category": "Media", + "link": "https://www.engadget.com/chris-wallace-leaves-fox-news-for-cnn-plus-181128835.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sun, 12 Dec 2021 18:11:28 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "393bee6c9652e3d33c4a78f596481afa" + }, + { + "title": "'Halo Infinite' adds a dedicated Slayer playlist on December 14th", + "description": "

    One of the Halo series' best-known multiplayer modes is coming to Halo Infinite sooner than you might have expected. As Windows Centralnotes, 343 Industries community lead Brian Jarrard has confirmed a dedicated Slayer playlist is coming as part of an update on December 14th. This will be a "basic" mode rather than the variants 343 wanted to release after the holidays, but the developers planned to "bolster and expand" it in the future.

    The Slayer playlist is coming alongside three already-promised options that include Fiesta, FFA and Tactical Slayer (SWAT). The December 14th update will also remove or ease the requirements for existing challenges while adding more to accompany the new playlists. There's a new challenge category based on player score that should better reflect your in-game performance, although it's only billed as an "initial step" toward true performance-based experience points.

    This addition won't satisfy fans still waiting for promised features like campaign co-op or Forge, which won't arrive until mid-2022 at the earliest. However, the Slayer playlist release shows that 343 is eager to court those enthusiasts as quickly as it can, even if it means stripping out some extras.

    ", + "content": "

    One of the Halo series' best-known multiplayer modes is coming to Halo Infinite sooner than you might have expected. As Windows Centralnotes, 343 Industries community lead Brian Jarrard has confirmed a dedicated Slayer playlist is coming as part of an update on December 14th. This will be a "basic" mode rather than the variants 343 wanted to release after the holidays, but the developers planned to "bolster and expand" it in the future.

    The Slayer playlist is coming alongside three already-promised options that include Fiesta, FFA and Tactical Slayer (SWAT). The December 14th update will also remove or ease the requirements for existing challenges while adding more to accompany the new playlists. There's a new challenge category based on player score that should better reflect your in-game performance, although it's only billed as an "initial step" toward true performance-based experience points.

    This addition won't satisfy fans still waiting for promised features like campaign co-op or Forge, which won't arrive until mid-2022 at the earliest. However, the Slayer playlist release shows that 343 is eager to court those enthusiasts as quickly as it can, even if it means stripping out some extras.

    ", + "category": "site|engadget", + "link": "https://www.engadget.com/halo-infinite-slayer-update-release-date-170729198.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sun, 12 Dec 2021 17:07:29 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "538506c7dccf1468535f245274da4f9a" + }, + { + "title": "Apple Watch Series 7 drops to $350 at Amazon", + "description": "

    Now's a good moment to buy if you've been chasing down the Apple Watch Series 7 as a gift — or as a treat for yourself. Amazon is selling the 41mm GPS model in blue aluminum for $350, a sizeable $50 below the usual price. Green and red models are also down to $380 if they're more your style. And if you'd rather save money with the Apple Watch SE, the gray 40mm model is down to $230 versus its usual $279.

    Buy Apple Watch Series 7 at Amazon - $350Buy Apple Watch SE at Amazon - $230

    The Apple Watch Series 7 is a subtle iteration of a familiar design, but that's not necessarily a bad thing. The large screen (even on the 41mm model) makes a big difference for readability, not to mention control. Dust resistance and a more crack-resistant screen will help for venturing outdoors, while the fast charging should keep you going if sleep tracking or a lengthy workout has chewed through the battery. Add a strong app ecosystem and solid health features and the Series 7 is strong both as a first-time watch and a solid upgrade for anyone coming from Series 4 or earlier.

    There are a few catches beyond the usual iPhone requirement. Apple's built-in sleep tracking won't compare to what you get from rivals like Fitbit and Samsung, and the S7 chip isn't a breakthrough in performance. There's not much to tempt an upgrade if you're using a Series 5 or 6. Beyond that, however, t's an easy choice at this reduced price.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "content": "

    Now's a good moment to buy if you've been chasing down the Apple Watch Series 7 as a gift — or as a treat for yourself. Amazon is selling the 41mm GPS model in blue aluminum for $350, a sizeable $50 below the usual price. Green and red models are also down to $380 if they're more your style. And if you'd rather save money with the Apple Watch SE, the gray 40mm model is down to $230 versus its usual $279.

    Buy Apple Watch Series 7 at Amazon - $350Buy Apple Watch SE at Amazon - $230

    The Apple Watch Series 7 is a subtle iteration of a familiar design, but that's not necessarily a bad thing. The large screen (even on the 41mm model) makes a big difference for readability, not to mention control. Dust resistance and a more crack-resistant screen will help for venturing outdoors, while the fast charging should keep you going if sleep tracking or a lengthy workout has chewed through the battery. Add a strong app ecosystem and solid health features and the Series 7 is strong both as a first-time watch and a solid upgrade for anyone coming from Series 4 or earlier.

    There are a few catches beyond the usual iPhone requirement. Apple's built-in sleep tracking won't compare to what you get from rivals like Fitbit and Samsung, and the S7 chip isn't a breakthrough in performance. There's not much to tempt an upgrade if you're using a Series 5 or 6. Beyond that, however, t's an easy choice at this reduced price.

    Follow @EngadgetDeals on Twitter for the latest tech deals and buying advice.

    ", + "category": "Information Technology", + "link": "https://www.engadget.com/apple-watch-series-7-amazon-sale-blue-152250870.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sun, 12 Dec 2021 15:22:50 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6d37ae896fb856001aa76206996b3d2c" + }, + { + "title": "Amazon explains outage that took out a large chunk of the internet", + "description": "

    Amazon has explained the Web Services outage that knocked parts of the internet offline for several hours on December 7th — and promised more clarity if this happens in the future. As CNBCreports, Amazon revealed an automated capacity scaling feature led to "unexpected behavior" from internal network clients. Devices connecting that internal network to AWS were swamped, stalling communications.

    The nature of the failure prevented teams from pinpointing and fixing the problem, Amazon added. They had to use logs to find out what happened, and internal tools were also affected. The rescuers were "extremely deliberate" in restoring service to avoid breaking still-functional workloads, and had to contend with a "latent issue" that prevented networking clients from backing off and giving systems a chance to recover.

    The AWS division has temporarily disabled the scaling that led to the problem, and won't switch it back on until there are solutions in place. A fix for the latent glitch is coming within two weeks, Amazon said. There's also an extra network configuration to shield devices in the event of a repeat failure.

    You might have an easier time understanding crises the next time around. A new version of AWS' service status dashboard is due in early 2022 to provide a clearer view of any outages, and a multi-region support system will help Amazon get in touch with customers that much sooner. These won't bring AWS back any faster during an incident, but they may eliminate some of the mystery when services go dark — important when victims include everything from Disney+ to Roomba vacuums.

    ", + "content": "

    Amazon has explained the Web Services outage that knocked parts of the internet offline for several hours on December 7th — and promised more clarity if this happens in the future. As CNBCreports, Amazon revealed an automated capacity scaling feature led to "unexpected behavior" from internal network clients. Devices connecting that internal network to AWS were swamped, stalling communications.

    The nature of the failure prevented teams from pinpointing and fixing the problem, Amazon added. They had to use logs to find out what happened, and internal tools were also affected. The rescuers were "extremely deliberate" in restoring service to avoid breaking still-functional workloads, and had to contend with a "latent issue" that prevented networking clients from backing off and giving systems a chance to recover.

    The AWS division has temporarily disabled the scaling that led to the problem, and won't switch it back on until there are solutions in place. A fix for the latent glitch is coming within two weeks, Amazon said. There's also an extra network configuration to shield devices in the event of a repeat failure.

    You might have an easier time understanding crises the next time around. A new version of AWS' service status dashboard is due in early 2022 to provide a clearer view of any outages, and a multi-region support system will help Amazon get in touch with customers that much sooner. These won't bring AWS back any faster during an incident, but they may eliminate some of the mystery when services go dark — important when victims include everything from Disney+ to Roomba vacuums.

    ", + "category": "Internet & Networking Technology", + "link": "https://www.engadget.com/amazon-aws-outage-explanation-214151710.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sat, 11 Dec 2021 21:41:51 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bb35ec2c77873ca1731c6c973afba371" + }, + { + "title": "New IBM and Samsung transistors could be key to super-efficient chips (updated)", + "description": "

    IBM and Samsung claim they’ve made a breakthrough in semiconductor design. On day one of the IEDM conference in San Francisco, the two companies unveiled a new design for stacking transistors vertically on a chip. With current processors and SoCs, transistors lie flat on the surface of the silicon, and then electric current flows from side-to-side. By contrast, Vertical Transport Field Effect Transistors (VTFET) sit perpendicular to one another and current flows vertically.

    According to IBM and Samsung, this design has two advantages. First, it will allow them to bypass many performance limitations to extend Moore’s Law beyond IBM's current nanosheet technology. More importantly, the design leads to less wasted energy thanks to greater current flow. They estimate VTFET will lead to processors that are either twice as fast or use 85 percent less power than chips designed with FinFET transistors. IBM and Samsung claim the process may one day allow for phones that go a full week on a single charge. They say it could also make certain energy-intensive tasks, including cryptomining, more power-efficient and therefore less impactful on the environment.

    IBM and Samsung haven’t said when they plan to commercialize the design. They’re not the only companies attempting to push beyond the 1-nanometer barrier. In July, Intel said it aims to finalize the design for angstrom-scale chips by 2024. The company plans to accomplish the feat using its new “Intel 20A” node and RibbonFET transistors.

    Update 12/12 12:20PM ET: IBM has clarified that VTFET will help it expand beyond its existing nanosheet technology, not necessarily to chips denser than 1nm. It also noted that you can have extreme improvements in performance or battery life, but not both. We've updated the article accordingly and apologize for the error.

    ", + "content": "

    IBM and Samsung claim they’ve made a breakthrough in semiconductor design. On day one of the IEDM conference in San Francisco, the two companies unveiled a new design for stacking transistors vertically on a chip. With current processors and SoCs, transistors lie flat on the surface of the silicon, and then electric current flows from side-to-side. By contrast, Vertical Transport Field Effect Transistors (VTFET) sit perpendicular to one another and current flows vertically.

    According to IBM and Samsung, this design has two advantages. First, it will allow them to bypass many performance limitations to extend Moore’s Law beyond IBM's current nanosheet technology. More importantly, the design leads to less wasted energy thanks to greater current flow. They estimate VTFET will lead to processors that are either twice as fast or use 85 percent less power than chips designed with FinFET transistors. IBM and Samsung claim the process may one day allow for phones that go a full week on a single charge. They say it could also make certain energy-intensive tasks, including cryptomining, more power-efficient and therefore less impactful on the environment.

    IBM and Samsung haven’t said when they plan to commercialize the design. They’re not the only companies attempting to push beyond the 1-nanometer barrier. In July, Intel said it aims to finalize the design for angstrom-scale chips by 2024. The company plans to accomplish the feat using its new “Intel 20A” node and RibbonFET transistors.

    Update 12/12 12:20PM ET: IBM has clarified that VTFET will help it expand beyond its existing nanosheet technology, not necessarily to chips denser than 1nm. It also noted that you can have extreme improvements in performance or battery life, but not both. We've updated the article accordingly and apologize for the error.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/ibm-samsung-vtfet-semiconductor-design-announcement-213018254.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Sat, 11 Dec 2021 21:30:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b4e71e205a7840c93fdfd3175e9a02d6" + }, + { + "title": "Microsoft fixed a Teams bug that prevented 911 calls on Android", + "description": "

    You'll want to quickly update Microsoft Teams if you're an Android phone user. According to former XDA editor-in-chief Mishaal Rahman, Microsoft has fixed a Teams bug that led to failed 911 calls on devices using Android 10 or later. Reddit user KitchenPicture5849 discovered that having Teams installed, but not signed in, would prevent emergency calls from going through. The phone would say a call was active and ring once, but never properly initiate the connection — call logs would show nothing.

    Rahman and friend Kuba Wojciechowski pinpointed the cause. While all Android calling apps will try to create a PhoneAccount class instance in the operating system, Teams was creating instances every time a user started the app "cold" — that increased the chances of a sorting problem that stopped calls from going through.

    Google talked to the Reddit user and revealed that both the company and Microsoft were planning fixes. In addition to the Microsoft patch, Google is delivering an Android platform update on January 4th that should address its side of the problem. You can delete and reinstall Teams to clear any excess PhoneAccount instances, and staying logged in should prevent any mishaps.

    Google said this only affected a "small number of devices." The issue, however, was the severity. This could have blocked someone from making a life-saving call through no fault of their own.

    ", + "content": "

    You'll want to quickly update Microsoft Teams if you're an Android phone user. According to former XDA editor-in-chief Mishaal Rahman, Microsoft has fixed a Teams bug that led to failed 911 calls on devices using Android 10 or later. Reddit user KitchenPicture5849 discovered that having Teams installed, but not signed in, would prevent emergency calls from going through. The phone would say a call was active and ring once, but never properly initiate the connection — call logs would show nothing.

    Rahman and friend Kuba Wojciechowski pinpointed the cause. While all Android calling apps will try to create a PhoneAccount class instance in the operating system, Teams was creating instances every time a user started the app "cold" — that increased the chances of a sorting problem that stopped calls from going through.

    Google talked to the Reddit user and revealed that both the company and Microsoft were planning fixes. In addition to the Microsoft patch, Google is delivering an Android platform update on January 4th that should address its side of the problem. You can delete and reinstall Teams to clear any excess PhoneAccount instances, and staying logged in should prevent any mishaps.

    Google said this only affected a "small number of devices." The issue, however, was the severity. This could have blocked someone from making a life-saving call through no fault of their own.

    ", + "category": "Technology & Electronics", + "link": "https://www.engadget.com/microsoft-teams-911-call-android-bug-fix-201139753.html?src=rss", + "creator": "Jon Fingas", + "pubDate": "Sat, 11 Dec 2021 20:11:39 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e8e4312768060d338b478b8bf8f93ad0" + }, { "title": "Sony reportedly planned to bring PlayStation Now to phones", "description": "

    Microsoft wasn't the only big console maker hoping to bring its games to phones. The Verge said it has obtained a document from Epic Games' lawsuit against Apple indicating the iPhone maker had learned Sony was planning a "mobile extension" of PlayStation Now in 2017. The service would stream over 450 PS3 games at first, and follow up with PS4 titles.

    Apple mentioned the PlayStation Now expansion as it was in the early stages of developing Apple Arcade, its answer to Sony's service as well as Xbox Game Pass. While Arcade didn't launch until 2019 and still doesn't include streaming, Apple saw PlayStation Now as indicative of a broader shift toward gaming subscriptions.

    Provided Apple's scoop was accurate, it's unclear why Sony still isn't streaming games to smartphone owners. A hybrid of PlayStation Now and PlayStation Plus is reportedly due in spring 2022, but the relevant rumor didn't make mention of mobile access. Sony has already declined to comment.

    There may have been a few factors at work. Sony might not have wanted to test Apple policies effectively blocking cloud gaming apps — Microsoft had to use the web to get around that limitation. There are also familiar technical challenges, such as adapting gamepad-focused titles to touchscreens or ensuring reliable streams on cellular connections. Either way, this suggests Sony was at least considering a more ambitious version of PlayStation Now than the service you see today.

    ", @@ -165622,6 +193968,27 @@ "tags": [], "hash": "bc745d753be7c9839206099602aa532f" }, + { + "title": "New IBM and Samsung transistors could be key to sub-1nm chips", + "description": "

    IBM and Samsung claim they’ve made a breakthrough in semiconductor design. On day one of the IEDM conference in San Francisco, the two companies unveiled a new design for stacking transistors vertically on a chip. With current processors and SoCs, transistors lie flat on the surface of the silicon, and then electric current flows from side-to-side. By contrast, Vertical Transport Field Effect Transistors (VTFET) sit perpendicular to one another and current flows vertically.

    According to IBM and Samsung, this design has two advantages. First, it will allow them to bypass many performance limitations to extend Moore’s Law beyond the 1-nanometer threshold. More importantly, the design leads to less wasted energy thanks to greater current flow. They estimate VTFET will lead to processors that are twice as fast and use 85 percent less power than chips designed with FinFET transistors. IBM and Samsung claim the process may one day allow for phones that go a full week on a single charge. They say it could also make certain energy-intensive tasks, including cryptomining, more power-efficient and therefore less impactful on the environment.

    IBM and Samsung haven’t said when they plan to commercialize the design. They’re not the only companies attempting to push beyond the 1-nanometer barrier. In July, Intel said it aims to finalize the design for angstrom-scale chips by 2024. The company plans to accomplish the feat using its new “Intel 20A” node and RibbonFET transistors.

    ", + "content": "

    IBM and Samsung claim they’ve made a breakthrough in semiconductor design. On day one of the IEDM conference in San Francisco, the two companies unveiled a new design for stacking transistors vertically on a chip. With current processors and SoCs, transistors lie flat on the surface of the silicon, and then electric current flows from side-to-side. By contrast, Vertical Transport Field Effect Transistors (VTFET) sit perpendicular to one another and current flows vertically.

    According to IBM and Samsung, this design has two advantages. First, it will allow them to bypass many performance limitations to extend Moore’s Law beyond the 1-nanometer threshold. More importantly, the design leads to less wasted energy thanks to greater current flow. They estimate VTFET will lead to processors that are twice as fast and use 85 percent less power than chips designed with FinFET transistors. IBM and Samsung claim the process may one day allow for phones that go a full week on a single charge. They say it could also make certain energy-intensive tasks, including cryptomining, more power-efficient and therefore less impactful on the environment.

    IBM and Samsung haven’t said when they plan to commercialize the design. They’re not the only companies attempting to push beyond the 1-nanometer barrier. In July, Intel said it aims to finalize the design for angstrom-scale chips by 2024. The company plans to accomplish the feat using its new “Intel 20A” node and RibbonFET transistors.

    ", + "category": "Consumer Discretionary", + "link": "https://www.engadget.com/ibm-samsung-vtfet-semiconductor-design-announcement-213018254.html?src=rss", + "creator": "Igor Bonifacic", + "pubDate": "Sat, 11 Dec 2021 21:30:18 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "EndGadget", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "97ed499e818c22f231a7cf874afdea33" + }, { "title": "Marvel's 'Eternals' will hit Disney+ on January 12th", "description": "

    You won't have to wait too much longer to catch Marvel Studios' Eternals on Disney+. The movie will be available to stream on January 12th. That's just over two months after the most recent Marvel Cinematic Universe film, which received lukewarm reviews, arrived in theaters.

    Marvel Studios' #Eternals arrives to @DisneyPlus on January 12 ✨ pic.twitter.com/wUdAg7kVO9

    — Marvel Studios (@MarvelStudios) December 10, 2021

    In September, Disney announced that its remaining slate of theatrical releases would get at least a 45-day run in theaters before they were available to stream — save for Encanto, which will hit Disney+ on December 24th, just 30 days after it landed in cinemas. Eternals was one of those movies, but Disney evidently decided to keep the movie exclusively in theaters beyond that minimum timeframe of 45 days.

    Starting with Mulan last September, Disney experimented with allowing Disney+ subscribers to stream theatrical releases at home on the same day they debuted in cinemas for an extra fee. However, Scarlet Johansson sued the company, claiming that the streaming strategy cost her up to $50 million in lost earnings from Black Widow. Disney settled the suit.

    ", @@ -173868,6 +202235,48 @@ "image": "https://nakedsecurity.sophos.com/wp-content/uploads/sites/2/2020/03/cropped-sophos.png?w=32", "description": "Computer Security News, Advice and Research", "items": [ + { + "title": "Apple security updates are out – and not a Log4Shell mention in sight", + "description": "Get 'em while they're hot!", + "content": "Get 'em while they're hot!", + "category": "Apple", + "link": "https://nakedsecurity.sophos.com/2021/12/14/apple-security-updates-are-out-and-not-a-log4shell-mention-in-sight/", + "creator": "Paul Ducklin", + "pubDate": "Tue, 14 Dec 2021 12:55:30 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Naked Security", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "fdc816adfb6686ac2d3f7af96f270f42" + }, + { + "title": "Log4Shell explained – how it works, why you need to know, and how to fix it", + "description": "Find out how to deal with the Log2Shell vulnerability right across your estate. Yes, you need to patch, but that helps everyone else along with you!", + "content": "Find out how to deal with the Log2Shell vulnerability right across your estate. Yes, you need to patch, but that helps everyone else along with you!", + "category": "Vulnerability", + "link": "https://nakedsecurity.sophos.com/2021/12/13/log4shell-explained-how-it-works-why-you-need-to-know-and-how-to-fix-it/", + "creator": "Paul Ducklin", + "pubDate": "Mon, 13 Dec 2021 00:41:01 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Naked Security", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dc52516f7fee99574828aa2155860622" + }, { "title": "“Log4Shell” Java vulnerability – how to safeguard your servers", "description": "Just when you thought it was safe to relax for the weekend... a critical bug showed up in Apache's Log4j product", @@ -174387,6 +202796,1245 @@ "image": null, "description": "News for nerds, stuff that matters", "items": [ + { + "title": "What Is Web3 and Why Should You Care?", + "description": "Gizmodo's David Nield explains what Web3 is, what it will mean for the future, and how exactly the third-generation internet differs from the first two. An anonymous reader shares an excerpt from his report: Let's cut to the chase: For Web3 evangelists, it's a revolution; for skeptics, it's an overhyped house of cards that doesn't stand up to much scrutiny. [...] As you might remember if you're of a certain age, Web 1.0 was the era of static webpages. Sites displayed news and information, and maybe you had your own little corner of the World Wide Web to show off your personal interests and hobbies. Images were discouraged -- they took up too much bandwidth -- and video was out of the question. With the dawn of the 21st century, Web 1.0 gave way to Web 2.0 -- a more dynamic, editable, user-driven internet. Static was out and webpages became more interactive and app-like (see Gmail, for example). Many of us signed up for social media accounts and blogs that we used to put our own content on the web in vast amounts. Images and video no longer reduced sites to a crawl, and we started sharing them in huge numbers. And now the dawn of Web3 is upon us. People define it in a few different ways, but at its core is the idea of decentralization, which we've seen with cryptocurrencies (key drivers of Web3). Rather than Google, Apple, Microsoft, Amazon, and Facebook (sorry, Meta) hoarding everything, the internet will supposedly become more democratized.\n \nKey to this decentralization is blockchain technology, which creates publicly visible and verifiable ledgers of record that can be accessed by anyone, anywhere. The blockchain already underpins Bitcoin and other cryptocurrencies, as well as a number of fledging technologies, and it's tightly interwoven into the future vision of everything that Web3 promises. The idea is that everything you do, from shopping to social media, is handled through the sane secure processes, with both more privacy and more transparency baked in. In some ways, Web3 is a mix of the two eras that came before it: The advanced, dynamic, app-like tech of the modern web, combined with the decentralized, user-driven philosophy that was around at the start of the internet, before billion- and trillion-dollar corporations owned everything. Web3 shifts the power dynamic from the giant tech entities back to the users -- or at least that's the theory.\n \nIn its current form, Web3 rewards users with tokens, which will eventually be used in a variety of ways, including currency or as votes to influence the future of technology. In this brave new world, the value generated by the web will be shared out between many more users and more companies and more services, with much-improved interoperability. NFTs are closely linked to the Web3 vision. [...] For our purposes here, the link between cryptocurrencies, NFTs, and Web3 is the foundation: the blockchain. Throw in some artificial intelligence and some machine learning to do everything from filter out unnecessary data to spot security threats, and you've got just about every emerging digital technology covered with Web3. Right now Ethereum is the blockchain attracting the most Web3 interest (it supports both a cryptocurrency and an NFT system, and you can do everything from make a payment through it to build an app on it).

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Gizmodo's David Nield explains what Web3 is, what it will mean for the future, and how exactly the third-generation internet differs from the first two. An anonymous reader shares an excerpt from his report: Let's cut to the chase: For Web3 evangelists, it's a revolution; for skeptics, it's an overhyped house of cards that doesn't stand up to much scrutiny. [...] As you might remember if you're of a certain age, Web 1.0 was the era of static webpages. Sites displayed news and information, and maybe you had your own little corner of the World Wide Web to show off your personal interests and hobbies. Images were discouraged -- they took up too much bandwidth -- and video was out of the question. With the dawn of the 21st century, Web 1.0 gave way to Web 2.0 -- a more dynamic, editable, user-driven internet. Static was out and webpages became more interactive and app-like (see Gmail, for example). Many of us signed up for social media accounts and blogs that we used to put our own content on the web in vast amounts. Images and video no longer reduced sites to a crawl, and we started sharing them in huge numbers. And now the dawn of Web3 is upon us. People define it in a few different ways, but at its core is the idea of decentralization, which we've seen with cryptocurrencies (key drivers of Web3). Rather than Google, Apple, Microsoft, Amazon, and Facebook (sorry, Meta) hoarding everything, the internet will supposedly become more democratized.\n \nKey to this decentralization is blockchain technology, which creates publicly visible and verifiable ledgers of record that can be accessed by anyone, anywhere. The blockchain already underpins Bitcoin and other cryptocurrencies, as well as a number of fledging technologies, and it's tightly interwoven into the future vision of everything that Web3 promises. The idea is that everything you do, from shopping to social media, is handled through the sane secure processes, with both more privacy and more transparency baked in. In some ways, Web3 is a mix of the two eras that came before it: The advanced, dynamic, app-like tech of the modern web, combined with the decentralized, user-driven philosophy that was around at the start of the internet, before billion- and trillion-dollar corporations owned everything. Web3 shifts the power dynamic from the giant tech entities back to the users -- or at least that's the theory.\n \nIn its current form, Web3 rewards users with tokens, which will eventually be used in a variety of ways, including currency or as votes to influence the future of technology. In this brave new world, the value generated by the web will be shared out between many more users and more companies and more services, with much-improved interoperability. NFTs are closely linked to the Web3 vision. [...] For our purposes here, the link between cryptocurrencies, NFTs, and Web3 is the foundation: the blockchain. Throw in some artificial intelligence and some machine learning to do everything from filter out unnecessary data to spot security threats, and you've got just about every emerging digital technology covered with Web3. Right now Ethereum is the blockchain attracting the most Web3 interest (it supports both a cryptocurrency and an NFT system, and you can do everything from make a payment through it to build an app on it).

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/14/2132259/what-is-web3-and-why-should-you-care?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T22:02:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "18ae0fbd67b1cd6fd9a5d8cadeb25b1c" + }, + { + "title": "Intel's Mystery Linux Muckabout is a Dangerous Ploy at a Dangerous Time", + "description": "Open source is no place for secrets. From a report: This is a critical time for the Good Chip Intel. After the vessel driftied through the Straits of Lateness towards the Rocks of Irrelevance, Captain Pat parachuted into the bridge to grab the helm and bark \"Full steam ahead!\" Its first berth at Alder Lake is generally seen as a return to competitive form, but that design started well before Gelsinger's return and there's still zero room for navigational errors in the expeditions ahead. At least one of the course corrections looks a bit rum. Intel has long realised the importance of supporting open source to keep its chips dancing with Linux. Unlike the halcyon days of Wintel dominance, though, this means being somewhat more open about the down-and-dirty details of exactly how its chips do their thing. You can't sign an NDA with the Linux kernel. \n\nChipmakers are notoriously paranoid: Silicon Valley was born in intrigue and suspicion. Despite Intel's iconic CEO Andy Grove making paranoia a corporate mantra, Intel became relatively relaxed. Qualcomm and Apple would throw you into their piranha pools merely for asking questions if they could, while Intel has learned to give as well as take. But it may be going back to bad habits. One of the new things not open to discussion is something called Software Defined Silicon (SDSi), about which Intel has nothing to say. Which is odd because it has just submitted supporting code for it to the Linux kernel. The code itself doesn't say anything about SDSi, instead adding a mechanism to control whatever it is via some authorised secure token. It basically unlocks hardware features when the right licence is applied. That's not new. Higher performance or extra features in electronic test equipment often comes present but disabled on the base models, and the punter can pay to play later. But what might it mean in SDSi and the Intel architecture? \n\nIt is expensive for Intel and OEMs alike to have multiple physical variants of anything; much better if you make one thing that does everything and charge for unlocking it. It's a variant of a trick discovered by hackish school kids in the late 1970s, where cheaper Casio scientific calculators used exactly the same hardware as the more expensive model. Casio just didn't print all the functions on the keyboards of the pleb kit. Future Intel chips will doubtless have cores and cache disabled until magic numbers appear, and with the SoC future beckoning that can extend to all manner of IO, acceleration, and co-processing features. It might even be there already. From engineering, marketing, and revenue perspectives, this is great. Intel could make an M1-like SoC that can be configured on the fly for different platforms, getting the design, performance, and fab efficiencies that Apple enjoys while making sense for multiple OEMs. There could be further revenue from software upgrades, or even subscription models.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Open source is no place for secrets. From a report: This is a critical time for the Good Chip Intel. After the vessel driftied through the Straits of Lateness towards the Rocks of Irrelevance, Captain Pat parachuted into the bridge to grab the helm and bark \"Full steam ahead!\" Its first berth at Alder Lake is generally seen as a return to competitive form, but that design started well before Gelsinger's return and there's still zero room for navigational errors in the expeditions ahead. At least one of the course corrections looks a bit rum. Intel has long realised the importance of supporting open source to keep its chips dancing with Linux. Unlike the halcyon days of Wintel dominance, though, this means being somewhat more open about the down-and-dirty details of exactly how its chips do their thing. You can't sign an NDA with the Linux kernel. \n\nChipmakers are notoriously paranoid: Silicon Valley was born in intrigue and suspicion. Despite Intel's iconic CEO Andy Grove making paranoia a corporate mantra, Intel became relatively relaxed. Qualcomm and Apple would throw you into their piranha pools merely for asking questions if they could, while Intel has learned to give as well as take. But it may be going back to bad habits. One of the new things not open to discussion is something called Software Defined Silicon (SDSi), about which Intel has nothing to say. Which is odd because it has just submitted supporting code for it to the Linux kernel. The code itself doesn't say anything about SDSi, instead adding a mechanism to control whatever it is via some authorised secure token. It basically unlocks hardware features when the right licence is applied. That's not new. Higher performance or extra features in electronic test equipment often comes present but disabled on the base models, and the punter can pay to play later. But what might it mean in SDSi and the Intel architecture? \n\nIt is expensive for Intel and OEMs alike to have multiple physical variants of anything; much better if you make one thing that does everything and charge for unlocking it. It's a variant of a trick discovered by hackish school kids in the late 1970s, where cheaper Casio scientific calculators used exactly the same hardware as the more expensive model. Casio just didn't print all the functions on the keyboards of the pleb kit. Future Intel chips will doubtless have cores and cache disabled until magic numbers appear, and with the SoC future beckoning that can extend to all manner of IO, acceleration, and co-processing features. It might even be there already. From engineering, marketing, and revenue perspectives, this is great. Intel could make an M1-like SoC that can be configured on the fly for different platforms, getting the design, performance, and fab efficiencies that Apple enjoys while making sense for multiple OEMs. There could be further revenue from software upgrades, or even subscription models.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/14/2046209/intels-mystery-linux-muckabout-is-a-dangerous-ploy-at-a-dangerous-time?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T21:25:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2408164c853fb2b343800d8946c913d2" + }, + { + "title": "Bugs Across Globe Are Evolving To Eat Plastic, Study Finds", + "description": "Microbes in oceans and soils across the globe are evolving to eat plastic, according to a study. The research scanned more than 200m genes found in DNA samples taken from the environment and found 30,000 different enzymes that could degrade 10 different types of plastic. From a report: The study is the first large-scale global assessment of the plastic-degrading potential of bacteria and found that one in four of the organisms analysed carried a suitable enzyme. The researchers found that the number and type of enzymes they discovered matched the amount and type of plastic pollution in different locations. The results \"provide evidence of a measurable effect of plastic pollution on the global microbial ecology,\" the scientists said. \n\nMillions of tonnes of plastic are dumped in the environment every year, and the pollution now pervades the planet, from the summit of Mount Everest to the deepest oceans. Reducing the amount of plastic used is vital, as is the proper collection and treatment of waste. But many plastics are currently hard to degrade and recycle. Using enzymes to rapidly break down plastics into their building blocks would enable new products to be made from old ones, cutting the need for virgin plastic production. The new research provides many new enzymes to be investigated and adapted for industrial use.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Microbes in oceans and soils across the globe are evolving to eat plastic, according to a study. The research scanned more than 200m genes found in DNA samples taken from the environment and found 30,000 different enzymes that could degrade 10 different types of plastic. From a report: The study is the first large-scale global assessment of the plastic-degrading potential of bacteria and found that one in four of the organisms analysed carried a suitable enzyme. The researchers found that the number and type of enzymes they discovered matched the amount and type of plastic pollution in different locations. The results \"provide evidence of a measurable effect of plastic pollution on the global microbial ecology,\" the scientists said. \n\nMillions of tonnes of plastic are dumped in the environment every year, and the pollution now pervades the planet, from the summit of Mount Everest to the deepest oceans. Reducing the amount of plastic used is vital, as is the proper collection and treatment of waste. But many plastics are currently hard to degrade and recycle. Using enzymes to rapidly break down plastics into their building blocks would enable new products to be made from old ones, cutting the need for virgin plastic production. The new research provides many new enzymes to be investigated and adapted for industrial use.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/14/2042231/bugs-across-globe-are-evolving-to-eat-plastic-study-finds?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T20:45:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "ad672abd37fa1ce4c7630245a0f65214" + }, + { + "title": "New NASA Tool Helps Visualize Asteroids' Paths Through Solar System ", + "description": "NASA is constantly tracking potentially dangerous asteroids in Earth's vicinity, and now a new tool allows anyone to explore their paths through the solar system. From a report: There are about 28,000 near-Earth asteroids and comets tracked by astronomers to make sure they don't pose a risk to our planet. The interactive tool allows anyone using it to zoom in on specific asteroids of interest in order to learn more about the objects and their orbits. Another feature of the tool allows users to see the next five close approaches of asteroids to Earth. \"We were keen to include this feature, as asteroid close approaches often generate a lot of interest,\" Jason Craig, one of the developers of the tool, said in a statement. \"The headlines often depict these close approaches as 'dangerously' close, but users will see by using Eyes just how distant most of these encounters really are.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "NASA is constantly tracking potentially dangerous asteroids in Earth's vicinity, and now a new tool allows anyone to explore their paths through the solar system. From a report: There are about 28,000 near-Earth asteroids and comets tracked by astronomers to make sure they don't pose a risk to our planet. The interactive tool allows anyone using it to zoom in on specific asteroids of interest in order to learn more about the objects and their orbits. Another feature of the tool allows users to see the next five close approaches of asteroids to Earth. \"We were keen to include this feature, as asteroid close approaches often generate a lot of interest,\" Jason Craig, one of the developers of the tool, said in a statement. \"The headlines often depict these close approaches as 'dangerously' close, but users will see by using Eyes just how distant most of these encounters really are.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/14/1949256/new-nasa-tool-helps-visualize-asteroids-paths-through-solar-system?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T20:04:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "56dd03904f06c35c2a44ee662cea85b1" + }, + { + "title": "Her Instagram Handle Was 'Metaverse.' Last Month, It Vanished.", + "description": "Five days after Facebook changed its name to Meta, an Australian artist found herself blocked, with seemingly no recourse, from an account documenting nearly a decade of her life and work. From a report: In October, Thea-Mai Baumann, an Australian artist and technologist, found herself sitting on prime internet real estate. In 2012, she had started an Instagram account with the handle @metaverse, a name she used in her creative work. On the account, she documented her life in Brisbane, where she studied fine art, and her travels to Shanghai, where she built an augmented reality company called Metaverse Makeovers. She had fewer than 1,000 followers when Facebook, the parent company of Instagram, announced on Oct. 28 that it was changing its name. Henceforth, Facebook would be known as Meta, a reflection of its focus on the metaverse, a virtual world it sees as the future of the internet. In the days before, as word leaked out, Ms. Baumann began receiving messages from strangers offering to buy her Instagram handle. \"You are now a millionaire,\" one person wrote on her account. Another warned: \"fb isn't gonna buy it, they're gonna take it.\" On Nov. 2, exactly that happened. \n\nEarly that morning, when she tried to log in to Instagram, she found that the account had been disabled. A message on the screen read: \"Your account has been blocked for pretending to be someone else.\" Whom, she wondered, was she now supposedly impersonating after nine years? She tried to verify her identity with Instagram, but weeks passed with no response, she said. She talked to an intellectual property lawyer but could afford only a review of Instagram's terms of service. \"This account is a decade of my life and work. I didn't want my contribution to the metaverse to be wiped from the internet,\" she said. \"That happens to women in tech, to women of color in tech, all the time,\" added Ms. Baumann, who has Vietnamese heritage.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Five days after Facebook changed its name to Meta, an Australian artist found herself blocked, with seemingly no recourse, from an account documenting nearly a decade of her life and work. From a report: In October, Thea-Mai Baumann, an Australian artist and technologist, found herself sitting on prime internet real estate. In 2012, she had started an Instagram account with the handle @metaverse, a name she used in her creative work. On the account, she documented her life in Brisbane, where she studied fine art, and her travels to Shanghai, where she built an augmented reality company called Metaverse Makeovers. She had fewer than 1,000 followers when Facebook, the parent company of Instagram, announced on Oct. 28 that it was changing its name. Henceforth, Facebook would be known as Meta, a reflection of its focus on the metaverse, a virtual world it sees as the future of the internet. In the days before, as word leaked out, Ms. Baumann began receiving messages from strangers offering to buy her Instagram handle. \"You are now a millionaire,\" one person wrote on her account. Another warned: \"fb isn't gonna buy it, they're gonna take it.\" On Nov. 2, exactly that happened. \n\nEarly that morning, when she tried to log in to Instagram, she found that the account had been disabled. A message on the screen read: \"Your account has been blocked for pretending to be someone else.\" Whom, she wondered, was she now supposedly impersonating after nine years? She tried to verify her identity with Instagram, but weeks passed with no response, she said. She talked to an intellectual property lawyer but could afford only a review of Instagram's terms of service. \"This account is a decade of my life and work. I didn't want my contribution to the metaverse to be wiped from the internet,\" she said. \"That happens to women in tech, to women of color in tech, all the time,\" added Ms. Baumann, who has Vietnamese heritage.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/14/1918216/her-instagram-handle-was-metaverse-last-month-it-vanished?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T19:25:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b24ce8778e0f00bb08a39697aee92cdd" + }, + { + "title": "Android 12 Go Edition Brings New Speed, Battery, Privacy Features To Lower-end Phones", + "description": "Google's Pixel 6 line may have served as Android 12's big debut for higher-end phones, but Android 12 (Go edition) plans to bring many of the enhancements and features of Android 12 to lower-end phones, too. Google on Tuesday unveiled a host of new features for the Go edition that are set to roll out to devices in 2022. From a report: Google says that in addition to speed enhancements that'll help apps launch up to 30% faster, Android 12 (Go edition) will include a feature that'll save battery life and storage by automatically \"hibernating apps that haven't been used for extended periods of time.\" And with the Files Go app, you'll be able to recover files within 30 days of deletion. Android 12 (Go edition) will also help you easily translate any content, listen to the news and share apps with nearby devices offline to save data, Google says. The company said Android Go has amassed 200 million users.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Google's Pixel 6 line may have served as Android 12's big debut for higher-end phones, but Android 12 (Go edition) plans to bring many of the enhancements and features of Android 12 to lower-end phones, too. Google on Tuesday unveiled a host of new features for the Go edition that are set to roll out to devices in 2022. From a report: Google says that in addition to speed enhancements that'll help apps launch up to 30% faster, Android 12 (Go edition) will include a feature that'll save battery life and storage by automatically \"hibernating apps that haven't been used for extended periods of time.\" And with the Files Go app, you'll be able to recover files within 30 days of deletion. Android 12 (Go edition) will also help you easily translate any content, listen to the news and share apps with nearby devices offline to save data, Google says. The company said Android Go has amassed 200 million users.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://mobile.slashdot.org/story/21/12/14/1848213/android-12-go-edition-brings-new-speed-battery-privacy-features-to-lower-end-phones?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T18:44:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15c4c30cc57b49db1b214d8c8d1ae32a" + }, + { + "title": "CISA Tells Federal Agencies To Patch Log4Shell Before Christmas", + "description": "The US Cybersecurity and Infrastructure Security Agency has told federal civilian agencies to patch systems affected by the Log4Shell vulnerability by Christmas Eve. From a report: The agency has added yesterday the Log4Shell bug (CVE-2021-44228) to its catalog of actively-exploited vulnerabilities, along with 12 other security flaws. According to this catalog, federal agencies have ten days at their disposal to test which of their internal apps and servers utilize the Log4j Java library, check if systems are vulnerable to the Log4Shell exploit, and patch affected servers. All of this must be done by December 24, according to a timeline provided in the catalog. In addition, CISA has also launched yesterday a dedicated web page providing guidance to the US public and private sector regarding the Log4Shell vulnerability.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The US Cybersecurity and Infrastructure Security Agency has told federal civilian agencies to patch systems affected by the Log4Shell vulnerability by Christmas Eve. From a report: The agency has added yesterday the Log4Shell bug (CVE-2021-44228) to its catalog of actively-exploited vulnerabilities, along with 12 other security flaws. According to this catalog, federal agencies have ten days at their disposal to test which of their internal apps and servers utilize the Log4j Java library, check if systems are vulnerable to the Log4Shell exploit, and patch affected servers. All of this must be done by December 24, according to a timeline provided in the catalog. In addition, CISA has also launched yesterday a dedicated web page providing guidance to the US public and private sector regarding the Log4Shell vulnerability.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/14/1818219/cisa-tells-federal-agencies-to-patch-log4shell-before-christmas?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T18:05:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a74ba6190700c56fc588812ab38ff481" + }, + { + "title": "Apple and Google's Mobile Duopoly Likely To Face UK Antitrust Action", + "description": "The U.K.'s antitrust watchdog has given the clearest signal yet that interventions under an upcoming reform of the country's competition rules will target tech giants Apple and Google -- including their duopolistic command of the mobile market, via iOS and Android; their respective app stores; and the browsers and services bundled with mobile devices running their OSes. From a report: So it could mean good news for third-party developers trying to get oxygen for alternatives to dominant Apple and Google apps and services down the line. Publishing the first part of a wide-ranging mobile ecosystem market study -- which was announced this summer -- the Competition and Markets Authority (CMA) said today that it has \"provisionally\" found Apple and Google have been able to leverage their market power to create \"largely self-contained ecosystems\"; and that the degree of lock-in they wield is damaging competition by making it \"extremely difficult for any other firm to enter and compete meaningfully with a new system.\" \"The CMA is concerned that this is leading to less competition and meaningful choice for customers,\" the watchdog writes in a press release. \"People also appear to be missing out on the full benefit of innovative new products and services -- such as so-called 'web apps' and new ways to play games through cloud services on iOS devices.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The U.K.'s antitrust watchdog has given the clearest signal yet that interventions under an upcoming reform of the country's competition rules will target tech giants Apple and Google -- including their duopolistic command of the mobile market, via iOS and Android; their respective app stores; and the browsers and services bundled with mobile devices running their OSes. From a report: So it could mean good news for third-party developers trying to get oxygen for alternatives to dominant Apple and Google apps and services down the line. Publishing the first part of a wide-ranging mobile ecosystem market study -- which was announced this summer -- the Competition and Markets Authority (CMA) said today that it has \"provisionally\" found Apple and Google have been able to leverage their market power to create \"largely self-contained ecosystems\"; and that the degree of lock-in they wield is damaging competition by making it \"extremely difficult for any other firm to enter and compete meaningfully with a new system.\" \"The CMA is concerned that this is leading to less competition and meaningful choice for customers,\" the watchdog writes in a press release. \"People also appear to be missing out on the full benefit of innovative new products and services -- such as so-called 'web apps' and new ways to play games through cloud services on iOS devices.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/14/1733245/apple-and-googles-mobile-duopoly-likely-to-face-uk-antitrust-action?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T17:23:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3d8635033f888d551b834678f94de602" + }, + { + "title": "US Opens Probe Into Amazon Warehouse Fatal Collapse in Illinois", + "description": "The U.S. workplace safety watchdog is investigating the circumstances around the collapse during Friday night's storm of an Amazon.com building in Illinois in which six workers died, an official at the U.S. Department of Labor said on Monday. From a report: The U.S. Occupational Safety and Health Administration (OSHA) has six months to complete its investigation, issue citations, and propose monetary penalties if violations of workplace safety and/or health regulations are found, Scott Allen, a U.S. Department of Labor regional director for public affairs, said via email. He added that compliance officers have been on site since Saturday. Six workers were killed when the Amazon warehouse in Edwardsville, Illinois, buckled under the force of a devastating storm, police said. A barrage of tornadoes ripped through six U.S. states, leaving a trail of death and destruction at homes and businesses stretching more than 200 miles (322 km).

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The U.S. workplace safety watchdog is investigating the circumstances around the collapse during Friday night's storm of an Amazon.com building in Illinois in which six workers died, an official at the U.S. Department of Labor said on Monday. From a report: The U.S. Occupational Safety and Health Administration (OSHA) has six months to complete its investigation, issue citations, and propose monetary penalties if violations of workplace safety and/or health regulations are found, Scott Allen, a U.S. Department of Labor regional director for public affairs, said via email. He added that compliance officers have been on site since Saturday. Six workers were killed when the Amazon warehouse in Edwardsville, Illinois, buckled under the force of a devastating storm, police said. A barrage of tornadoes ripped through six U.S. states, leaving a trail of death and destruction at homes and businesses stretching more than 200 miles (322 km).

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/14/1646240/us-opens-probe-into-amazon-warehouse-fatal-collapse-in-illinois?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T16:46:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "586ed0893c2cf9b4dfe9d9a9ae9be28a" + }, + { + "title": "Struggling To Win Subscribers, Netflix Cuts Prices in India", + "description": "Nearly six years after Netflix launched its service in India, the global streaming giant is still struggling to find customers willing to pay for what is already its cheapest subscription globally. From a report: The American firm on Tuesday further lowered the subscription price in India, cutting each monthly subscription tier's cost by at least 18% and up to 60.1%. The Netflix Basic plan, which permits streaming on any device but caps the resolution at 480p, now costs 199 Indian rupees ($2.6) in India, down from 499 Indian rupees ($6.6). Netflix Standard, which improves the video resolution to HD (720p) and permits two simultaneous views, now costs 499 Indian rupees, down from 649 Indian rupees ($8.5). Netflix Premium, which offers four simultaneous views and streams in UltraHD (4K) video quality, now costs 649 Indian rupees, down from â799 ($10.5).

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Nearly six years after Netflix launched its service in India, the global streaming giant is still struggling to find customers willing to pay for what is already its cheapest subscription globally. From a report: The American firm on Tuesday further lowered the subscription price in India, cutting each monthly subscription tier's cost by at least 18% and up to 60.1%. The Netflix Basic plan, which permits streaming on any device but caps the resolution at 480p, now costs 199 Indian rupees ($2.6) in India, down from 499 Indian rupees ($6.6). Netflix Standard, which improves the video resolution to HD (720p) and permits two simultaneous views, now costs 499 Indian rupees, down from 649 Indian rupees ($8.5). Netflix Premium, which offers four simultaneous views and streams in UltraHD (4K) video quality, now costs 649 Indian rupees, down from â799 ($10.5).

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://entertainment.slashdot.org/story/21/12/14/164224/struggling-to-win-subscribers-netflix-cuts-prices-in-india?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T16:04:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d5a08f2b74507623ffa2502bf87ef30b" + }, + { + "title": "The Antarctic is Signaling Big Climate Trouble", + "description": "Around the frozen continent, a vast current circles the world. New science is revealing the power it holds over the future. Ice shelves are in retreat, and researchers are alarmed at what they're learning. From a report: The immense and forbidding Southern Ocean is famous for howling gales and devilish swells that have tested mariners for centuries. But its true strength lies beneath the waves. The ocean's dominant feature, extending up to two miles deep and as much as 1,200 miles wide, is the Antarctic Circumpolar Current, by far the largest current in the world. It is the world's climate engine, and it has kept the world from warming even more by drawing deep water from the Atlantic, Pacific and Indian oceans, much of which has been submerged for hundreds of years, and pulling it to the surface. There, it exchanges heat and carbon dioxide with the atmosphere before being dispatched again on its eternal round trip. Without this action, which scientists call upwelling, the world would be even hotter than it has become as a result of human-caused emissions of carbon dioxide and other heat-trapping gases. \"From no perspective is there any place more important than the Southern Ocean,\" said Joellen L. Russell, an oceanographer at the University of Arizona. \"There's nothing like it on Planet Earth.\" \n\nFor centuries this ocean was largely unknown, its conditions so extreme that only a relative handful of sailors plied its iceberg-infested waters. What fragmentary scientific knowledge was available came from measurements taken by explorers, naval ships, the occasional research expeditions or whaling vessels. But more recently, a new generation of floating, autonomous probes that can collect temperature, density and other data for years -- diving deep underwater, and even exploring beneath the Antarctic sea ice, before rising to the surface to phone home -- has enabled scientists to learn much more. They have discovered that global warming is affecting the Antarctic current in complex ways, and these shifts could complicate the ability to fight climate change in the future. As the world warms, Dr. Russell and others say, the unceasing winds that drive the upwelling are getting stronger. That could have the effect of releasing more carbon dioxide into the atmosphere, by bringing to the surface more of the deep water that has held this carbon locked away for centuries.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Around the frozen continent, a vast current circles the world. New science is revealing the power it holds over the future. Ice shelves are in retreat, and researchers are alarmed at what they're learning. From a report: The immense and forbidding Southern Ocean is famous for howling gales and devilish swells that have tested mariners for centuries. But its true strength lies beneath the waves. The ocean's dominant feature, extending up to two miles deep and as much as 1,200 miles wide, is the Antarctic Circumpolar Current, by far the largest current in the world. It is the world's climate engine, and it has kept the world from warming even more by drawing deep water from the Atlantic, Pacific and Indian oceans, much of which has been submerged for hundreds of years, and pulling it to the surface. There, it exchanges heat and carbon dioxide with the atmosphere before being dispatched again on its eternal round trip. Without this action, which scientists call upwelling, the world would be even hotter than it has become as a result of human-caused emissions of carbon dioxide and other heat-trapping gases. \"From no perspective is there any place more important than the Southern Ocean,\" said Joellen L. Russell, an oceanographer at the University of Arizona. \"There's nothing like it on Planet Earth.\" \n\nFor centuries this ocean was largely unknown, its conditions so extreme that only a relative handful of sailors plied its iceberg-infested waters. What fragmentary scientific knowledge was available came from measurements taken by explorers, naval ships, the occasional research expeditions or whaling vessels. But more recently, a new generation of floating, autonomous probes that can collect temperature, density and other data for years -- diving deep underwater, and even exploring beneath the Antarctic sea ice, before rising to the surface to phone home -- has enabled scientists to learn much more. They have discovered that global warming is affecting the Antarctic current in complex ways, and these shifts could complicate the ability to fight climate change in the future. As the world warms, Dr. Russell and others say, the unceasing winds that drive the upwelling are getting stronger. That could have the effect of releasing more carbon dioxide into the atmosphere, by bringing to the surface more of the deep water that has held this carbon locked away for centuries.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/14/1526218/the-antarctic-is-signaling-big-climate-trouble?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T15:26:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2a4a0b7cadcd25544ae49a5d96c0bec9" + }, + { + "title": "Don't Buy a Monitor or TV Just for HDMI 2.1 -- Read the Fine Print or You Might Get Fooled", + "description": "An anonymous reader shares a report: Four years running, we've been jazzed by the potential of HDMI 2.1 -- the relatively new video connector standard that can provide variable refresh rates (VRR), automatic low latency connections (ALLM), and of course, a giant pipe with 48Gbps of bandwidth (and fixed rate signaling) to deliver up to 10K resolution and up to a 120Hz refresh rate depending on your cable and compression. But today, I'm learning that not only are all of those features technically optional, but that the HDMI standards body owner actually encourages TV and monitor manufacturers that have none of those things -- zip, zilch, zero -- to effectively lie and call them \"HDMI 2.1\" anyhow. That's the word from TFTCentral, which confronted the HDMI Licensing Administrator with the news that Xiaomi was selling an \"HDMI 2.1\" monitor that supported no HDMI 2.1 features, and was told this was a perfectly reasonable state of affairs. It's infuriating. \n\nIt means countless people, some of whom we've encouraged in our reviews to seek out HDMI 2.1 products, may get fooled into fake futureproofing if they don't look at the fine print to see whether features like ALLM, VRR, or even high refresh rates are possible. Worse, they'll get fooled for no particularly good reason: there was a perfectly good version of HDMI without those features called HDMI 2.0, but the HDMI Licensing Administrator decided to kill off that brand when it introduced the new one. Very little of this is actually news, I'm seeing -- we technically should have known that HDMI 2.1's marquee features would be optional for a while now, and here at The Verge we've seen many a TV ship without full support. In one story about shopping for the best gaming TV for PS5 and Xbox Series X, we characterized it as \"early growing pains.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "An anonymous reader shares a report: Four years running, we've been jazzed by the potential of HDMI 2.1 -- the relatively new video connector standard that can provide variable refresh rates (VRR), automatic low latency connections (ALLM), and of course, a giant pipe with 48Gbps of bandwidth (and fixed rate signaling) to deliver up to 10K resolution and up to a 120Hz refresh rate depending on your cable and compression. But today, I'm learning that not only are all of those features technically optional, but that the HDMI standards body owner actually encourages TV and monitor manufacturers that have none of those things -- zip, zilch, zero -- to effectively lie and call them \"HDMI 2.1\" anyhow. That's the word from TFTCentral, which confronted the HDMI Licensing Administrator with the news that Xiaomi was selling an \"HDMI 2.1\" monitor that supported no HDMI 2.1 features, and was told this was a perfectly reasonable state of affairs. It's infuriating. \n\nIt means countless people, some of whom we've encouraged in our reviews to seek out HDMI 2.1 products, may get fooled into fake futureproofing if they don't look at the fine print to see whether features like ALLM, VRR, or even high refresh rates are possible. Worse, they'll get fooled for no particularly good reason: there was a perfectly good version of HDMI without those features called HDMI 2.0, but the HDMI Licensing Administrator decided to kill off that brand when it introduced the new one. Very little of this is actually news, I'm seeing -- we technically should have known that HDMI 2.1's marquee features would be optional for a while now, and here at The Verge we've seen many a TV ship without full support. In one story about shopping for the best gaming TV for PS5 and Xbox Series X, we characterized it as \"early growing pains.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://entertainment.slashdot.org/story/21/12/14/1444238/dont-buy-a-monitor-or-tv-just-for-hdmi-21----read-the-fine-print-or-you-might-get-fooled?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T14:44:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "38b9d2ddce4b5fe16ed7f0ad97964c1d" + }, + { + "title": "Private Equity Firms To Spin Out Password Manager LastPass", + "description": "Elliott Management's private equity arm and Francesco Partners will spin out the popular password manager LastPass after taking its owner Boston-based software group LogMeIn private for $4.3 billion. From a report: LastPass faced a backlash from its users in March after the free version of the service, which generates, and securely stores long, complex passwords, was hobbled to only work on either a smartphone, or a computer. Millions of users of LastPass' free service were effectively forced to pay up to $36 a year in order to continue using the password tool on more than one device. LogMeIn CEO Bill Wagner says the plan to spinout LastPass wasn't connected with the backlash over the paywall, and 75% of revenues for the password manager now came from corporate clients. \"It's all about unlocking the value of this company,\" says Wagner. \"We are balancing investments across different products and by splitting it out this brings real focus, a dedicated management team and added investment and I think this will be a very valuable company in the years to come.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Elliott Management's private equity arm and Francesco Partners will spin out the popular password manager LastPass after taking its owner Boston-based software group LogMeIn private for $4.3 billion. From a report: LastPass faced a backlash from its users in March after the free version of the service, which generates, and securely stores long, complex passwords, was hobbled to only work on either a smartphone, or a computer. Millions of users of LastPass' free service were effectively forced to pay up to $36 a year in order to continue using the password tool on more than one device. LogMeIn CEO Bill Wagner says the plan to spinout LastPass wasn't connected with the backlash over the paywall, and 75% of revenues for the password manager now came from corporate clients. \"It's all about unlocking the value of this company,\" says Wagner. \"We are balancing investments across different products and by splitting it out this brings real focus, a dedicated management team and added investment and I think this will be a very valuable company in the years to come.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/14/1413252/private-equity-firms-to-spin-out-password-manager-lastpass?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-14T14:03:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d36060d52a6376851a74b09809c03703" + }, + { + "title": "Birds Aren't Real, or Are They? Inside a Gen Z Conspiracy Theory", + "description": "Thelasko shares a report from The New York Times: In Pittsburgh, Memphis and Los Angeles, massive billboards recently popped up declaring, \"Birds Aren't Real.\" On Instagram and TikTok, Birds Aren't Real accounts have racked up hundreds of thousands of followers, and YouTube videos about it have gone viral. Last month, Birds Aren't Real adherents even protested outside Twitter's headquarters in San Francisco to demand that the company change its bird logo. The events were all connected by a Gen Z-fueled conspiracy theory, which posits that birds don't exist and are really drone replicas installed by the U.S. government to spy on Americans. Hundreds of thousands of young people have joined the movement, wearing Birds Aren't Real T-shirts, swarming rallies and spreading the slogan.\n \nIt might smack of QAnon, the conspiracy theory that the world is controlled by an elite cabal of child-trafficking Democrats. Except that the creator of Birds Aren't Real and the movement's followers are in on a joke: They know that birds are, in fact, real and that their theory is made up. What Birds Aren't Real truly is, they say, is a parody social movement with a purpose. In a post-truth world dominated by online conspiracy theories, young people have coalesced around the effort to thumb their nose at, fight and poke fun at misinformation. It's Gen Z's attempt to upend the rabbit hole with absurdism. [...] At the center of the movement is Peter McIndoe, 23, a floppy-haired college dropout in Memphis who created Birds Aren't Real on a whim in 2017. For years, he stayed in character as the conspiracy theory's chief believer, commanding acolytes to rage against those who challenged his dogma. But now, Mr. McIndoe said in an interview, he is ready to reveal the parody lest people think birds really are drones. \"Dealing in the world of misinformation for the past few years, we've been really conscious of the line we walk,\" he said. \"The idea is meant to be so preposterous, but we make sure nothing we're saying is too realistic. That's a consideration with coming out of character.\" [...]\n \nMr. McIndoe now has big plans for 2022. Breaking character is necessary to help Birds Aren't Real leap to the next level and forswear actual conspiracy theorists, he said. He added that he hoped to collaborate with major content creators and independent media like Channel 5 News, which is aimed at helping people make sense of America's current state and the internet. \"I have a lot of excitement for what the future of this could be as an actual force for good,\" he said. \"Yes, we have been intentionally spreading misinformation for the past four years, but it's with a purpose. It's about holding up a mirror to America in the internet age.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Thelasko shares a report from The New York Times: In Pittsburgh, Memphis and Los Angeles, massive billboards recently popped up declaring, \"Birds Aren't Real.\" On Instagram and TikTok, Birds Aren't Real accounts have racked up hundreds of thousands of followers, and YouTube videos about it have gone viral. Last month, Birds Aren't Real adherents even protested outside Twitter's headquarters in San Francisco to demand that the company change its bird logo. The events were all connected by a Gen Z-fueled conspiracy theory, which posits that birds don't exist and are really drone replicas installed by the U.S. government to spy on Americans. Hundreds of thousands of young people have joined the movement, wearing Birds Aren't Real T-shirts, swarming rallies and spreading the slogan.\n \nIt might smack of QAnon, the conspiracy theory that the world is controlled by an elite cabal of child-trafficking Democrats. Except that the creator of Birds Aren't Real and the movement's followers are in on a joke: They know that birds are, in fact, real and that their theory is made up. What Birds Aren't Real truly is, they say, is a parody social movement with a purpose. In a post-truth world dominated by online conspiracy theories, young people have coalesced around the effort to thumb their nose at, fight and poke fun at misinformation. It's Gen Z's attempt to upend the rabbit hole with absurdism. [...] At the center of the movement is Peter McIndoe, 23, a floppy-haired college dropout in Memphis who created Birds Aren't Real on a whim in 2017. For years, he stayed in character as the conspiracy theory's chief believer, commanding acolytes to rage against those who challenged his dogma. But now, Mr. McIndoe said in an interview, he is ready to reveal the parody lest people think birds really are drones. \"Dealing in the world of misinformation for the past few years, we've been really conscious of the line we walk,\" he said. \"The idea is meant to be so preposterous, but we make sure nothing we're saying is too realistic. That's a consideration with coming out of character.\" [...]\n \nMr. McIndoe now has big plans for 2022. Breaking character is necessary to help Birds Aren't Real leap to the next level and forswear actual conspiracy theorists, he said. He added that he hoped to collaborate with major content creators and independent media like Channel 5 News, which is aimed at helping people make sense of America's current state and the internet. \"I have a lot of excitement for what the future of this could be as an actual force for good,\" he said. \"Yes, we have been intentionally spreading misinformation for the past four years, but it's with a purpose. It's about holding up a mirror to America in the internet age.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/14/0034232/birds-arent-real-or-are-they-inside-a-gen-z-conspiracy-theory?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T13:00:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b66eae4eaaf041e33cd5a4f30dce1485" + }, + { + "title": "NASA's New Sleeping Bags Could Prevent Eyeball 'Squashing' On the ISS", + "description": "fahrbot-bot shares a report from Engadget: Becoming an astronaut requires perfect 20/20 vision, but unfortunately, the effects of space can cause astronauts to return to Earth with degraded eyesight. Now, researchers from UT Southwestern Medical Center have developed a sleeping bag that that could prevent or reduce those problems by effectively sucking fluid out of astronauts' heads. More than half of NASA astronauts that went to the International Space Station (ISS) for more than six months have developed vision problems to varying degrees. In one case, astronaut John Philips returned from a six month stint about the ISS in 2005 with his vision reduced from 20/20 to 20/100, as the BBC reported.\n \nFluids tend to accumulate in the head when you sleep, but on Earth, gravity pulls them back down into the body when you get up. In the low gravity of space, though, more than a half gallon of fluid collects in the head. That in turn applies pressure to the eyeball, causing flattening that can lead to vision impairment -- a disorder called spaceflight-associated neuro-ocular syndrome, or SANS. To combat SANS, researchers collaborated with outdoor gear manufacturer REI to develop a sleeping bag that fits around the waist, enclosing the lower body. A vacuum cleaner-like suction device is then activated that draws fluid toward the feet, preventing it from accumulating in the head. Around a dozen people volunteered to test the technology, and the results were positive.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "fahrbot-bot shares a report from Engadget: Becoming an astronaut requires perfect 20/20 vision, but unfortunately, the effects of space can cause astronauts to return to Earth with degraded eyesight. Now, researchers from UT Southwestern Medical Center have developed a sleeping bag that that could prevent or reduce those problems by effectively sucking fluid out of astronauts' heads. More than half of NASA astronauts that went to the International Space Station (ISS) for more than six months have developed vision problems to varying degrees. In one case, astronaut John Philips returned from a six month stint about the ISS in 2005 with his vision reduced from 20/20 to 20/100, as the BBC reported.\n \nFluids tend to accumulate in the head when you sleep, but on Earth, gravity pulls them back down into the body when you get up. In the low gravity of space, though, more than a half gallon of fluid collects in the head. That in turn applies pressure to the eyeball, causing flattening that can lead to vision impairment -- a disorder called spaceflight-associated neuro-ocular syndrome, or SANS. To combat SANS, researchers collaborated with outdoor gear manufacturer REI to develop a sleeping bag that fits around the waist, enclosing the lower body. A vacuum cleaner-like suction device is then activated that draws fluid toward the feet, preventing it from accumulating in the head. Around a dozen people volunteered to test the technology, and the results were positive.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/14/0023207/nasas-new-sleeping-bags-could-prevent-eyeball-squashing-on-the-iss?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T10:00:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "61f8db53056be77b63252e17d142f19e" + }, + { + "title": "First UK Death Recorded With Omicron Variant", + "description": "Thelasko shares a report from the BBC: At least one person in the UK has died with the Omicron coronavirus variant, the prime minister has said. Boris Johnson said the new variant was also resulting in hospital admissions, and the \"best thing\" people could do was get their booster jab. Health Secretary Sajid Javid told MPs Omicron now represented 20% of cases in England. The PM has set a new target for all adults in England to be offered a booster by the end of the month. Mr Johnson said on Monday that people needed to recognize \"the sheer pace at which [Omicron] accelerates through the population\" and that they should set aside the idea that Omicron was a milder variant.\n \nThe UK recorded 54,661 new coronavirus cases on Monday, as well as 38 deaths within 28 days of a positive test. There are 4,713 confirmed cases of the Omicron variant but Mr Javid said the UK Health Security Agency (UKHSA) estimated the current number of daily infections was around 200,000. Omicron has risen to more than 44% of cases in London and is expected to become the dominant variant in the city in the next 48 hours, he said.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Thelasko shares a report from the BBC: At least one person in the UK has died with the Omicron coronavirus variant, the prime minister has said. Boris Johnson said the new variant was also resulting in hospital admissions, and the \"best thing\" people could do was get their booster jab. Health Secretary Sajid Javid told MPs Omicron now represented 20% of cases in England. The PM has set a new target for all adults in England to be offered a booster by the end of the month. Mr Johnson said on Monday that people needed to recognize \"the sheer pace at which [Omicron] accelerates through the population\" and that they should set aside the idea that Omicron was a milder variant.\n \nThe UK recorded 54,661 new coronavirus cases on Monday, as well as 38 deaths within 28 days of a positive test. There are 4,713 confirmed cases of the Omicron variant but Mr Javid said the UK Health Security Agency (UKHSA) estimated the current number of daily infections was around 200,000. Omicron has risen to more than 44% of cases in London and is expected to become the dominant variant in the city in the next 48 hours, he said.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/14/0026229/first-uk-death-recorded-with-omicron-variant?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T07:00:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8fad9886469ba2868fb683e6b5b17475" + }, + { + "title": "Researchers Are Hoping To 'Hear' Dark Matter Using a Super-Cooled Experiment", + "description": "An anonymous reader shares an excerpt from a report by Gizmodo, written by Isaac Schultz: The Dark Matter Radio project is attempting to detect hidden photons in a specific frequency range by methodically turning the dial, in what amounts to a patient, sweeping search of the wavelengths where such a particle could sound off. Later generations of the radio will hunt axions. [...] The current Dark Matter Radio experiment is the prototype, or Pathfinder, for larger projects down the line. It consists of a liter-volume cylinder made of superconducting niobium metal, around which is tightly wound niobium wire. It looks a bit like someone wound guitar string on a spool's vertical axis instead of its horizontal axis. That's the Pathfinder's inductor. If a hidden photon resonating at the frequency the Pathfinder was tuned to passed through it, the change in magnetic field would induce a voltage around the contraption's inductor. \"The null hypothesis is that there shouldn't be any radio waves inside of that box unless, in this case, hidden photons, which are our particular flavor of dark matter,\" said Stephen Kuenstner, a physicist at Stanford University and a member of the DM Radio team. Hidden photons \"can pass through the box and they have some probability of interacting with the circuit in the same way that a radio wave would,\" Kuenstner said.\n \nTo amplify any signal the Pathfinder picks up, there's a hexagonal shield of niobium plates sheathing the aforesaid components that acts as a capacitor. That amplified signal is then transported to a quantum sensor called a SQUID (a Superconducting QUantum Interference Device), a technology invented by the Ford Motor Company in the 1960s. The SQUID lives on the bottom of the radio and measures and records any signals picked up. The smaller the expected mass for the axion becomes, the more elusive the particle is, as its interactions with ordinary matter are proportional to its mass. So it's important that the next generation of DM Radio becomes more sensitive. The way the experiment is set up, \"the frequency on the dial is the mass of the axion,\" [said Kent Irwin, a physicist at Stanford University and SLAC and the principal investigator of Dark Matter Radio]. Convenient! The mass of these particles doesn't even compare to the smallest things you might think of, like atoms or quarks. These particles would be somewhere between a trillionth and a millionth of an electronvolt, and an electronvolt is about a billionth of a proton's mass.\n \nThe helium Pathfinder uses is gaseous, and remains a relatively warm 4 kelvin (in other words, four degrees above absolute zero), but the next experiment -- Dark Matter Radio 50L -- will use liquified helium, cooled to less than one degree above absolute zero. All the better for hearing dark matter with. DM Radio 50L sits in the corner of a large room in the Hansen Experimental Physics Lab at Stanford. The room looks a little bit like the TV room in Willy Wonka's factory; it has high ceilings, lots of inscrutable equipment, and is glaringly white. Two 6-foot-tall dilution refrigerators on one side, abutting a deep closet, are the radio. The two machines are fed gaseous helium sitting in tanks in the next room, which they then cool down into liquid helium of a frigid 2 kelvin. Magnets inside gold-plated copper and aluminum sheathes will do the job of converting any detected axions into radio waves for physicists to interpret. \"The particle physics community is -- the analogy is often said -- just like a battleship. It takes a while to turn and it has a lot of momentum,\" Irwin said. \"So even though I think that there's a lot of reasons to believe that these radio-like dark matter signals are more attractive -- the axionic signals -- than [Weakly Interactinv Massive Particles (WIMPs)], there's still a lot of giant experiments searching for little things, which is good.\" The team behind the Dark Matter Radio is \"currently working with the Department of Energy on a next-next-generation experiment that will look for axions in a cubic meter, hence its name of DM Radio-m3,\" adds Gizmodo. \"In the more distant future, Irwin and his team have aspirations for a project called DM Radio-GUT, which would be closer to the scale of some of the largest physics experiments on the planet.\"\n \n\"All told, Irwin said, the favored area for axion mass could be searched in the next couple of decades using larger experiments -- though the team could simply find an axion before then, potentially ending the hunt for dark matter in its entirety. With enough listening, we might have an entirely new particle for the textbooks. Or maybe there'll be radio silence.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "An anonymous reader shares an excerpt from a report by Gizmodo, written by Isaac Schultz: The Dark Matter Radio project is attempting to detect hidden photons in a specific frequency range by methodically turning the dial, in what amounts to a patient, sweeping search of the wavelengths where such a particle could sound off. Later generations of the radio will hunt axions. [...] The current Dark Matter Radio experiment is the prototype, or Pathfinder, for larger projects down the line. It consists of a liter-volume cylinder made of superconducting niobium metal, around which is tightly wound niobium wire. It looks a bit like someone wound guitar string on a spool's vertical axis instead of its horizontal axis. That's the Pathfinder's inductor. If a hidden photon resonating at the frequency the Pathfinder was tuned to passed through it, the change in magnetic field would induce a voltage around the contraption's inductor. \"The null hypothesis is that there shouldn't be any radio waves inside of that box unless, in this case, hidden photons, which are our particular flavor of dark matter,\" said Stephen Kuenstner, a physicist at Stanford University and a member of the DM Radio team. Hidden photons \"can pass through the box and they have some probability of interacting with the circuit in the same way that a radio wave would,\" Kuenstner said.\n \nTo amplify any signal the Pathfinder picks up, there's a hexagonal shield of niobium plates sheathing the aforesaid components that acts as a capacitor. That amplified signal is then transported to a quantum sensor called a SQUID (a Superconducting QUantum Interference Device), a technology invented by the Ford Motor Company in the 1960s. The SQUID lives on the bottom of the radio and measures and records any signals picked up. The smaller the expected mass for the axion becomes, the more elusive the particle is, as its interactions with ordinary matter are proportional to its mass. So it's important that the next generation of DM Radio becomes more sensitive. The way the experiment is set up, \"the frequency on the dial is the mass of the axion,\" [said Kent Irwin, a physicist at Stanford University and SLAC and the principal investigator of Dark Matter Radio]. Convenient! The mass of these particles doesn't even compare to the smallest things you might think of, like atoms or quarks. These particles would be somewhere between a trillionth and a millionth of an electronvolt, and an electronvolt is about a billionth of a proton's mass.\n \nThe helium Pathfinder uses is gaseous, and remains a relatively warm 4 kelvin (in other words, four degrees above absolute zero), but the next experiment -- Dark Matter Radio 50L -- will use liquified helium, cooled to less than one degree above absolute zero. All the better for hearing dark matter with. DM Radio 50L sits in the corner of a large room in the Hansen Experimental Physics Lab at Stanford. The room looks a little bit like the TV room in Willy Wonka's factory; it has high ceilings, lots of inscrutable equipment, and is glaringly white. Two 6-foot-tall dilution refrigerators on one side, abutting a deep closet, are the radio. The two machines are fed gaseous helium sitting in tanks in the next room, which they then cool down into liquid helium of a frigid 2 kelvin. Magnets inside gold-plated copper and aluminum sheathes will do the job of converting any detected axions into radio waves for physicists to interpret. \"The particle physics community is -- the analogy is often said -- just like a battleship. It takes a while to turn and it has a lot of momentum,\" Irwin said. \"So even though I think that there's a lot of reasons to believe that these radio-like dark matter signals are more attractive -- the axionic signals -- than [Weakly Interactinv Massive Particles (WIMPs)], there's still a lot of giant experiments searching for little things, which is good.\" The team behind the Dark Matter Radio is \"currently working with the Department of Energy on a next-next-generation experiment that will look for axions in a cubic meter, hence its name of DM Radio-m3,\" adds Gizmodo. \"In the more distant future, Irwin and his team have aspirations for a project called DM Radio-GUT, which would be closer to the scale of some of the largest physics experiments on the planet.\"\n \n\"All told, Irwin said, the favored area for axion mass could be searched in the next couple of decades using larger experiments -- though the team could simply find an axion before then, potentially ending the hunt for dark matter in its entirety. With enough listening, we might have an entirely new particle for the textbooks. Or maybe there'll be radio silence.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/14/0014211/researchers-are-hoping-to-hear-dark-matter-using-a-super-cooled-experiment?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T03:30:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "62decdb035692ffa6c1176595fd85efc" + }, + { + "title": "Apple Launches AirTags and Find My Detector App For Android, In Effort To Boost Privacy", + "description": "Apple has released a new Android app called Tracker Detect, designed to help people who don't own iPhones or iPads to identify unexpected AirTags and other Find My network-equipped sensors that may be nearby. CNET reports: The new app, which Apple released on the Google Play store Monday, is intended to help people look for item trackers compatible with Apple's Find My network. \"If you think someone is using AirTag or another device to track your location,\" the app says, \"you can scan to try to find it.\" If the Tracker Detector app finds an unexpected AirTag that's away from its owner, for example, it will be marked in the app as \"Unknown AirTag.\" The Android app can then play a sound within 10 minutes of identifying the tracker. It may take up to 15 minutes after a tracker is separated from its owner before it shows up in the app, Apple said.\n \nIf the tracker identified is an AirTag, Apple will offer instructions within the app to remove its battery. Apple also warns within the app that if the person feels their safety is at risk because of the item tracker, they should contact law enforcement. [...] The Tracker Detect app, which Apple first discussed in June, requires users to actively scan for a device before it'll be identified. Apple doesn't require users have an Apple account in order to use the detecting app. If the AirTag is in \"lost mode,\" anyone with an NFC-capable device can tap it and receive instructions for how to return it to its owner. Apple said all communication is encrypted so that no one, including Apple, knows the location or identity of people or their devices.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Apple has released a new Android app called Tracker Detect, designed to help people who don't own iPhones or iPads to identify unexpected AirTags and other Find My network-equipped sensors that may be nearby. CNET reports: The new app, which Apple released on the Google Play store Monday, is intended to help people look for item trackers compatible with Apple's Find My network. \"If you think someone is using AirTag or another device to track your location,\" the app says, \"you can scan to try to find it.\" If the Tracker Detector app finds an unexpected AirTag that's away from its owner, for example, it will be marked in the app as \"Unknown AirTag.\" The Android app can then play a sound within 10 minutes of identifying the tracker. It may take up to 15 minutes after a tracker is separated from its owner before it shows up in the app, Apple said.\n \nIf the tracker identified is an AirTag, Apple will offer instructions within the app to remove its battery. Apple also warns within the app that if the person feels their safety is at risk because of the item tracker, they should contact law enforcement. [...] The Tracker Detect app, which Apple first discussed in June, requires users to actively scan for a device before it'll be identified. Apple doesn't require users have an Apple account in order to use the detecting app. If the AirTag is in \"lost mode,\" anyone with an NFC-capable device can tap it and receive instructions for how to return it to its owner. Apple said all communication is encrypted so that no one, including Apple, knows the location or identity of people or their devices.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://apple.slashdot.org/story/21/12/13/2356231/apple-launches-airtags-and-find-my-detector-app-for-android-in-effort-to-boost-privacy?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T02:02:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "89d7e474c04680aa217716286a139eeb" + }, + { + "title": "Cable News Talent Wars Are Shifting To Streaming Platforms", + "description": "The vacancies at cable news companies are piling up as networks and journalists begin to eye streaming alternatives. Axios reports: Why it matters: Primetime cable slots and the Sunday shows are no longer the most opportunistic placements for major TV talent.\n \nDriving the news: Long-time \"Fox News Sunday\" host Chris Wallace is leaving the network after nearly two decades, he announced Sunday. He will be joining CNN as an anchor for its new streaming service, CNN+. Wallace will anchor a new weekday show and will contribute to the network's daily live programming, per CNN. It was his decision not to renew his contract with the network, which expired this year, CNN's Brian Stelter reported.\n \nThe big picture: Wallace marks the latest in a string of cable news host departures and shakeups in the past few weeks and months. There are now several holes cable bosses will need to fill in coming weeks. [...] Major networks are investing heavily to lure talent to streaming alternatives in light of the decline of linear television. CNN hired NBC News veteran Kasie Hunt as an anchor and analyst for CNN+, reportedly for a salary of over $1 million. It's hiring hundreds of new roles for the streaming service, set to launch next quarter. NBC News has already hired the majority of the 200+ new jobs it announced over the summer for its new streaming service and digital team, a top executive confirmed to Axios last month. One of its linear TV anchors, Joshua Johnson, moved full-time to host a primetime streaming show for NBC News Now. Fox News launched a new weather-focused streaming service in October. A Fox executive said last week the company is prepared to migrate Fox News to a streaming platform when the time is right. CBS News changed the name of its streaming service recently from CBSN to \"CBS News\" to represent a new streamlined vision for streaming. \"TV networks won't stop seriously investing in linear news programs until sports move out of the cable bundle, and that won't be for another few years,\" adds Axios.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The vacancies at cable news companies are piling up as networks and journalists begin to eye streaming alternatives. Axios reports: Why it matters: Primetime cable slots and the Sunday shows are no longer the most opportunistic placements for major TV talent.\n \nDriving the news: Long-time \"Fox News Sunday\" host Chris Wallace is leaving the network after nearly two decades, he announced Sunday. He will be joining CNN as an anchor for its new streaming service, CNN+. Wallace will anchor a new weekday show and will contribute to the network's daily live programming, per CNN. It was his decision not to renew his contract with the network, which expired this year, CNN's Brian Stelter reported.\n \nThe big picture: Wallace marks the latest in a string of cable news host departures and shakeups in the past few weeks and months. There are now several holes cable bosses will need to fill in coming weeks. [...] Major networks are investing heavily to lure talent to streaming alternatives in light of the decline of linear television. CNN hired NBC News veteran Kasie Hunt as an anchor and analyst for CNN+, reportedly for a salary of over $1 million. It's hiring hundreds of new roles for the streaming service, set to launch next quarter. NBC News has already hired the majority of the 200+ new jobs it announced over the summer for its new streaming service and digital team, a top executive confirmed to Axios last month. One of its linear TV anchors, Joshua Johnson, moved full-time to host a primetime streaming show for NBC News Now. Fox News launched a new weather-focused streaming service in October. A Fox executive said last week the company is prepared to migrate Fox News to a streaming platform when the time is right. CBS News changed the name of its streaming service recently from CBSN to \"CBS News\" to represent a new streamlined vision for streaming. \"TV networks won't stop seriously investing in linear news programs until sports move out of the cable bundle, and that won't be for another few years,\" adds Axios.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://entertainment.slashdot.org/story/21/12/13/222259/cable-news-talent-wars-are-shifting-to-streaming-platforms?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T01:25:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c5779e68eac0c2a3cefc9431e4a6d854" + }, + { + "title": "South Korea To Test AI-Powered Facial Recognition To Track COVID-19 Cases", + "description": "South Korea will soon roll out a pilot project to use artificial intelligence, facial recognition and thousands of CCTV cameras to track the movement of people infected with the coronavirus, despite concerns about the invasion of privacy. Reuters reports: The nationally funded project in Bucheon, one of the country's most densely populated cities on the outskirts of Seoul, is due to become operational in January, a city official told Reuters. The system uses an AI algorithms and facial recognition technology to analyze footage gathered by more than 10,820 CCTV cameras and track an infected person's movements, anyone they had close contact with, and whether they were wearing a mask, according to a 110-page business plan from the city submitted to the Ministry of Science and ICT (Information and Communications Technology), and provided to Reuters by a parliamentary lawmaker critical of the project.\n \nThe Bucheon official said the system should reduce the strain on overworked tracing teams in a city with a population of more than 800,000 people, and help use the teams more efficiently and accurately. [...] The Ministry of Science and ICT said it has no current plans to expand the project to the national level. It said the purpose of the system was to digitize some of the manual labour that contact tracers currently have to carry out. The Bucheon system can simultaneously track up to ten people in five to ten minutes, cutting the time spent on manual work that takes around half an hour to one hour to trace one person, the plan said.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "South Korea will soon roll out a pilot project to use artificial intelligence, facial recognition and thousands of CCTV cameras to track the movement of people infected with the coronavirus, despite concerns about the invasion of privacy. Reuters reports: The nationally funded project in Bucheon, one of the country's most densely populated cities on the outskirts of Seoul, is due to become operational in January, a city official told Reuters. The system uses an AI algorithms and facial recognition technology to analyze footage gathered by more than 10,820 CCTV cameras and track an infected person's movements, anyone they had close contact with, and whether they were wearing a mask, according to a 110-page business plan from the city submitted to the Ministry of Science and ICT (Information and Communications Technology), and provided to Reuters by a parliamentary lawmaker critical of the project.\n \nThe Bucheon official said the system should reduce the strain on overworked tracing teams in a city with a population of more than 800,000 people, and help use the teams more efficiently and accurately. [...] The Ministry of Science and ICT said it has no current plans to expand the project to the national level. It said the purpose of the system was to digitize some of the manual labour that contact tracers currently have to carry out. The Bucheon system can simultaneously track up to ten people in five to ten minutes, cutting the time spent on manual work that takes around half an hour to one hour to trace one person, the plan said.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/13/2157205/south-korea-to-test-ai-powered-facial-recognition-to-track-covid-19-cases?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T00:45:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6d20c28bc4d73507a30994709df2a508" + }, + { + "title": "Apple Is About To Become the World's First $3 Trillion Company", + "description": "An anonymous reader quotes a report from CNN: Apple is on the verge of yet another major milestone. The iPhone maker is close to topping a market value of more than $3 trillion -- the first publicly traded company ever to be worth that much. Shares of Apple were up about 1% in premarket trading Monday to around $181.75. The stock needs to hit $182.85 for Apple to surpass the $3 trillion mark. Apple's market value first crossed the $1 trillion threshold in August 2018 and passed $2 trillion in August 2020. [...] But before long, Apple may have some company in the $3 trillion club. Microsoft is now worth about $2.6 trillion and Google owner Alphabet's market value is right around $2 trillion. Still giant but further behind are Amazon, which has a market cap of $1.7 trillion, and Elon Musk's Tesla, worth $1 trillion.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "An anonymous reader quotes a report from CNN: Apple is on the verge of yet another major milestone. The iPhone maker is close to topping a market value of more than $3 trillion -- the first publicly traded company ever to be worth that much. Shares of Apple were up about 1% in premarket trading Monday to around $181.75. The stock needs to hit $182.85 for Apple to surpass the $3 trillion mark. Apple's market value first crossed the $1 trillion threshold in August 2018 and passed $2 trillion in August 2020. [...] But before long, Apple may have some company in the $3 trillion club. Microsoft is now worth about $2.6 trillion and Google owner Alphabet's market value is right around $2 trillion. Still giant but further behind are Amazon, which has a market cap of $1.7 trillion, and Elon Musk's Tesla, worth $1 trillion.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://apple.slashdot.org/story/21/12/13/2147222/apple-is-about-to-become-the-worlds-first-3-trillion-company?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-14T00:02:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "60ecd0255c918399869f1566e3d4468d" + }, + { + "title": "Universal Control Feature For Mac and iPad Delayed Until Spring 2022", + "description": "Universal Control, a feature unveiled at Apple's WWDC event earlier this year, won't be available until spring 2022. Originally planned for a fall release, the feature aims to let users control multiple Macs and iPads with a single mouse and keyboard or trackpad. 9to5Mac reports: Now Apple has changed the launch date for Universal Control from sometime before the winter solstice to \"available this spring\" as updated on its website. Apple first showed off Universal Control during an on-stage demo at WWDC 21 and it ended up proving to be too ambitious to ship this year. Here's how it describes the feature: \"A single keyboard and mouse or trackpad now work seamlessly between your Mac and iPad -- they'll even connect to more than one Mac or iPad. Move your cursor from your Mac to your iPad, type on your Mac and watch the words show up on your iPad, or even drag and drop content from one Mac to another.\" The good news is that Apple SharePlay is now available on Mac. According to Engadget, SharePlay \"allows up to 32 people to enjoy the same TV shows, movies, music and livestreams and more in sync with each other on FaceTime calls.\" This feature was slated to arrive in the fall just like Universal Control.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Universal Control, a feature unveiled at Apple's WWDC event earlier this year, won't be available until spring 2022. Originally planned for a fall release, the feature aims to let users control multiple Macs and iPads with a single mouse and keyboard or trackpad. 9to5Mac reports: Now Apple has changed the launch date for Universal Control from sometime before the winter solstice to \"available this spring\" as updated on its website. Apple first showed off Universal Control during an on-stage demo at WWDC 21 and it ended up proving to be too ambitious to ship this year. Here's how it describes the feature: \"A single keyboard and mouse or trackpad now work seamlessly between your Mac and iPad -- they'll even connect to more than one Mac or iPad. Move your cursor from your Mac to your iPad, type on your Mac and watch the words show up on your iPad, or even drag and drop content from one Mac to another.\" The good news is that Apple SharePlay is now available on Mac. According to Engadget, SharePlay \"allows up to 32 people to enjoy the same TV shows, movies, music and livestreams and more in sync with each other on FaceTime calls.\" This feature was slated to arrive in the fall just like Universal Control.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://apple.slashdot.org/story/21/12/13/2142239/universal-control-feature-for-mac-and-ipad-delayed-until-spring-2022?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-13T23:20:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "bd7087107bb6226e80c30e1df91896df" + }, + { + "title": "Ukraine Arrests 51 For Selling Data of 300 Million People In US, EU", + "description": "Ukrainian law enforcement arrested 51 suspects believed to have been selling stolen personal data on hacking forums belonging to hundreds of millions worldwide, including Ukraine, the US, and Europe. BleepingComputer reports: \"As a result of the operation, about 100 databases of personal data relevant for 2020-2021 were seized,\" the Cyberpolice Department of the National Police of Ukraine said. \"The seized databases contained information on more than 300 million citizens of Ukraine, Europe and the United States.\"\n \nFollowing this large-scale operation, Ukrainian police also shut down one of the largest sites used to sell personal information stolen from both Ukrainians and foreigners (the site's name was not revealed in the press release). On the now shutdown illegal marketplace, suspects were selling a wide range of stolen personal data, including telephone numbers, surnames, names, addresses, and, in some cases, vehicle registration info. \"A total of 117 searches were conducted in different regions of Ukraine. As a result, more than 90,000 gigabytes of information were removed.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Ukrainian law enforcement arrested 51 suspects believed to have been selling stolen personal data on hacking forums belonging to hundreds of millions worldwide, including Ukraine, the US, and Europe. BleepingComputer reports: \"As a result of the operation, about 100 databases of personal data relevant for 2020-2021 were seized,\" the Cyberpolice Department of the National Police of Ukraine said. \"The seized databases contained information on more than 300 million citizens of Ukraine, Europe and the United States.\"\n \nFollowing this large-scale operation, Ukrainian police also shut down one of the largest sites used to sell personal information stolen from both Ukrainians and foreigners (the site's name was not revealed in the press release). On the now shutdown illegal marketplace, suspects were selling a wide range of stolen personal data, including telephone numbers, surnames, names, addresses, and, in some cases, vehicle registration info. \"A total of 117 searches were conducted in different regions of Ukraine. As a result, more than 90,000 gigabytes of information were removed.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/13/2128259/ukraine-arrests-51-for-selling-data-of-300-million-people-in-us-eu?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-13T22:40:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "904a20fbad6f1359ec8416d9e3c9807f" + }, + { + "title": "One Space Trip Emits a Lifetime's Worth of Carbon Footprint", + "description": "An anonymous reader quotes a report from Futurism: In a revelation that will surprise almost no one, the 2022 World Inequality Report found that one space flight emits more carbon dioxide than most of the world's population will create in their entire lifetime. While other parts of the report focus on labor, income and economic inequality, the researchers also included a statistic -- spotted by folks on social media and highlighted by Gizmodo -- that perfectly sums up the relationship between those who create greenhouse gases versus those who suffer most from them.\n \n\"Perhaps the most conspicuous illustration of extreme pollution associated with wealth inequality in recent years is the development of space travel,\" the report states. \"An 11-minute flight emits no fewer than 75 tonnes of carbon per passenger About one billion individuals emit less than one tonne per person per year. Over their lifetime, this group of one billion individuals does not emit more than 75 tonnes of carbon per person.\" If you're wondering which space flight the World Inequality Report is addressing, well, the team didn't call anyone out by name. But Jeff Bezos' much-publicized space flight back in July was about that length of time, as Gizmodo pointed out. Bezos, the Amazon founder currently wrapped up in Blue Origin's space tourism junket, effectively puts out more carbon than most humans could create in their lifetime each time he sends up a rocket.\n \nThe World Inequality Report argues that to hold the biggest greenhouse gas emitters responsible, we need to better track global emission numbers. \"Large inequalities in emissions suggest that climate policies should target wealthy polluters more,\" the authors write. \"So far, climate policies such as carbon taxes have often disproportionately impacted low and middle income groups.\" It's the equivalent of being told to recycle your cardboard and pay for municipal recycling pickup, in other words -- it's a nice gesture, but no matter how hard you try, you'll never offset a single Bezos space journey. \"The report also noted that the top 1% wealthiest individuals emit about 110 tons of carbon emissions per year, an extreme number dwarf by the top .1% (467 tons) and the top .01% (2,530 tons),\" notes Gizmodo.\n \nWhat's absent from the report, however, are the everyday benefits of space exploration, such as scientific discoveries and the creation of scientific and technical jobs, among other things. The tradeoff between the negative carbon emissions and positive benefits of space travel remains to be seen.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "An anonymous reader quotes a report from Futurism: In a revelation that will surprise almost no one, the 2022 World Inequality Report found that one space flight emits more carbon dioxide than most of the world's population will create in their entire lifetime. While other parts of the report focus on labor, income and economic inequality, the researchers also included a statistic -- spotted by folks on social media and highlighted by Gizmodo -- that perfectly sums up the relationship between those who create greenhouse gases versus those who suffer most from them.\n \n\"Perhaps the most conspicuous illustration of extreme pollution associated with wealth inequality in recent years is the development of space travel,\" the report states. \"An 11-minute flight emits no fewer than 75 tonnes of carbon per passenger About one billion individuals emit less than one tonne per person per year. Over their lifetime, this group of one billion individuals does not emit more than 75 tonnes of carbon per person.\" If you're wondering which space flight the World Inequality Report is addressing, well, the team didn't call anyone out by name. But Jeff Bezos' much-publicized space flight back in July was about that length of time, as Gizmodo pointed out. Bezos, the Amazon founder currently wrapped up in Blue Origin's space tourism junket, effectively puts out more carbon than most humans could create in their lifetime each time he sends up a rocket.\n \nThe World Inequality Report argues that to hold the biggest greenhouse gas emitters responsible, we need to better track global emission numbers. \"Large inequalities in emissions suggest that climate policies should target wealthy polluters more,\" the authors write. \"So far, climate policies such as carbon taxes have often disproportionately impacted low and middle income groups.\" It's the equivalent of being told to recycle your cardboard and pay for municipal recycling pickup, in other words -- it's a nice gesture, but no matter how hard you try, you'll never offset a single Bezos space journey. \"The report also noted that the top 1% wealthiest individuals emit about 110 tons of carbon emissions per year, an extreme number dwarf by the top .1% (467 tons) and the top .01% (2,530 tons),\" notes Gizmodo.\n \nWhat's absent from the report, however, are the everyday benefits of space exploration, such as scientific discoveries and the creation of scientific and technical jobs, among other things. The tradeoff between the negative carbon emissions and positive benefits of space travel remains to be seen.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/13/2122217/one-space-trip-emits-a-lifetimes-worth-of-carbon-footprint?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "BeauHD", + "pubDate": "2021-12-13T22:02:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "758030450e7e35bc68234ea66adbc73b" + }, + { + "title": "Intel To Spend $7 Billion on Big Malaysia Chipmaking Expansion", + "description": "Intel is spending $7 billion to build a new chip packaging facility in Malaysia, a major Asian investment intended to address endemic global semiconductor shortages at a time Washington is advocating domestic production. From a report: The U.S. chipmaker intends to invest 30 billion ringgit on shoring up its advanced chip packaging capabilities in the island state of Penang, Malaysia's main investment promotion agency said in a press invitation distributed Monday. It will elaborate on its plans for the Asian country during a press briefing Wednesday in conjunction with Trade Minister Azmin Ali and Malaysian Investment Development Authority Chief Executive Officer Arham Abdul Rahman, according to the invite. \n\nThe event coincides with Secretary of State Antony Blinken's first visit to Southeast Asia. CEO Pat Gelsinger took the helm of the largest American chipmaker in February with a mandate to take back leadership of the industry from Asian giants such as Taiwan Semiconductor Manufacturing Co. Investors want Gelsinger to staunch market share losses and customer defections stemming in part from stumbles in upgrading technology. At the same time, years of global industry under-investment and a surge in Covid-era demand for computing devices have created an unprecedented shortage of the semiconductors needed in everything from cars to smartphones.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Intel is spending $7 billion to build a new chip packaging facility in Malaysia, a major Asian investment intended to address endemic global semiconductor shortages at a time Washington is advocating domestic production. From a report: The U.S. chipmaker intends to invest 30 billion ringgit on shoring up its advanced chip packaging capabilities in the island state of Penang, Malaysia's main investment promotion agency said in a press invitation distributed Monday. It will elaborate on its plans for the Asian country during a press briefing Wednesday in conjunction with Trade Minister Azmin Ali and Malaysian Investment Development Authority Chief Executive Officer Arham Abdul Rahman, according to the invite. \n\nThe event coincides with Secretary of State Antony Blinken's first visit to Southeast Asia. CEO Pat Gelsinger took the helm of the largest American chipmaker in February with a mandate to take back leadership of the industry from Asian giants such as Taiwan Semiconductor Manufacturing Co. Investors want Gelsinger to staunch market share losses and customer defections stemming in part from stumbles in upgrading technology. At the same time, years of global industry under-investment and a surge in Covid-era demand for computing devices have created an unprecedented shortage of the semiconductors needed in everything from cars to smartphones.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/13/209212/intel-to-spend-7-billion-on-big-malaysia-chipmaking-expansion?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T21:26:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30a5d95bb6e3045ce7018a0bf2c3a1a7" + }, + { + "title": "Hackers Steal $140 Million From Users of Crypto Gaming Company", + "description": "In the latest hack targeting cryptocurrency investors, hackers stole around $135 million from users of the blockchain gaming company VulcanForge, according to the company. From a report: The hackers stole the private keys to access 96 wallets, siphoning off 4.5 million PYR, which is VulcanForge's token that can be used across its ecosystem, the company said in a series of tweets on Sunday and Monday. VulcanForge's main business involves creating games such as VulcanVerse, which it describes as an \"MMORPG,\" and a card game called Berserk. Both titles, like pretty much all blockchain games, appear chiefly designed as vehicles to buy and sell in-game items linked to NFTs using PYR. In crypto, compromising someone's private key is a definitive \"game over,\" because it gives complete control over the funds held by the corresponding address on a blockchain.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "In the latest hack targeting cryptocurrency investors, hackers stole around $135 million from users of the blockchain gaming company VulcanForge, according to the company. From a report: The hackers stole the private keys to access 96 wallets, siphoning off 4.5 million PYR, which is VulcanForge's token that can be used across its ecosystem, the company said in a series of tweets on Sunday and Monday. VulcanForge's main business involves creating games such as VulcanVerse, which it describes as an \"MMORPG,\" and a card game called Berserk. Both titles, like pretty much all blockchain games, appear chiefly designed as vehicles to buy and sell in-game items linked to NFTs using PYR. In crypto, compromising someone's private key is a definitive \"game over,\" because it gives complete control over the funds held by the corresponding address on a blockchain.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://it.slashdot.org/story/21/12/13/1958250/hackers-steal-140-million-from-users-of-crypto-gaming-company?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T20:46:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c7220ac2244a4bed13593d70eb276451" + }, + { + "title": "Spyware Firm NSO Mulls Shutdown of Pegasus Unit, Sale of Company", + "description": "NSO Group, the scandal-plagued spyware company that's in danger of defaulting on its debts, is exploring options that include shutting its controversial Pegasus unit and selling the entire company, Bloomberg News reported Monday, citing people familiar with the matter. From the report: Talks have been held with several investment funds about moves that include a refinancing or outright sale, said the people, who asked not to be identified as the discussions are private. The company has brought in advisers from Moelis & Co. to assist, and lenders are getting advice from lawyers at Willkie Farr & Gallagher, the people said. The prospective new owners include two American funds that have discussed taking control and closing Pegasus, one of the people said. Under that scenario, the funds would then inject about $200 million in fresh capital to turn the know-how behind Pegasus into strictly defensive cyber security services, and perhaps develop the Israeli companys drone technology, one of the people said. Pegasus software can track a user's mobile phone, and its misuse has landed NSO at the center of high-profile privacy abuse cases. The product allegedly was supplied to governments that used it to spy on political dissidents, journalists and human right activists.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "NSO Group, the scandal-plagued spyware company that's in danger of defaulting on its debts, is exploring options that include shutting its controversial Pegasus unit and selling the entire company, Bloomberg News reported Monday, citing people familiar with the matter. From the report: Talks have been held with several investment funds about moves that include a refinancing or outright sale, said the people, who asked not to be identified as the discussions are private. The company has brought in advisers from Moelis & Co. to assist, and lenders are getting advice from lawyers at Willkie Farr & Gallagher, the people said. The prospective new owners include two American funds that have discussed taking control and closing Pegasus, one of the people said. Under that scenario, the funds would then inject about $200 million in fresh capital to turn the know-how behind Pegasus into strictly defensive cyber security services, and perhaps develop the Israeli companys drone technology, one of the people said. Pegasus software can track a user's mobile phone, and its misuse has landed NSO at the center of high-profile privacy abuse cases. The product allegedly was supplied to governments that used it to spy on political dissidents, journalists and human right activists.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://it.slashdot.org/story/21/12/13/1952207/spyware-firm-nso-mulls-shutdown-of-pegasus-unit-sale-of-company?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T20:05:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "90ea45f9adf224efb170d6a785b8a45c" + }, + { + "title": "Software Flaw Sparks Global Race To Patch Bug", + "description": "Companies and governments around the world rushed over the weekend to fend off cyberattacks looking to exploit a serious flaw in a widely used piece of Internet software that security experts warn could give hackers sweeping access to networks. From a report: Cybersecurity researchers said the bug, hidden in an obscure piece of server software called Log4j, represents one of the biggest risks seen in recent years because the code is so widely used on corporate networks. The Department of Homeland Security's Cybersecurity and Infrastructure Security Agency issued an urgent alert about the vulnerability and urged companies to take action. CISA Director Jen Easterly said on Saturday, \"To be clear, this vulnerability poses a severe risk. We will only minimize potential impacts through collaborative efforts between government and the private sector.\" Germany's cybersecurity organization over the weekend issued a \"red alert\" about the bug. Australia called the issue \"critical.\" \n\nSecurity experts warned that it could take weeks or more to assess the extent of the damage and that hackers exploiting the vulnerability could access sensitive data on networks and install back doors they could use to maintain access to servers even after the flawed software has been patched. \"It is one of the most significant vulnerabilities that I've seen in a long time,\" said Aaron Portnoy, principal scientist with the security firm Randori. Security experts noted that many companies have other processes in place that would prevent a malicious hacker from running software and breaking into these companies, potentially limiting the fallout from the bug. Microsoft, in an alert to customers, said \"attackers are probing all endpoints for vulnerability.\" Amazon.com, Twitter and Cisco were among the companies that have said they were carrying out investigations into the depth of the problem. Amazon, the world's biggest cloud computing company, said in a security alert, \"We are actively monitoring this issue, and are working on addressing it.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Companies and governments around the world rushed over the weekend to fend off cyberattacks looking to exploit a serious flaw in a widely used piece of Internet software that security experts warn could give hackers sweeping access to networks. From a report: Cybersecurity researchers said the bug, hidden in an obscure piece of server software called Log4j, represents one of the biggest risks seen in recent years because the code is so widely used on corporate networks. The Department of Homeland Security's Cybersecurity and Infrastructure Security Agency issued an urgent alert about the vulnerability and urged companies to take action. CISA Director Jen Easterly said on Saturday, \"To be clear, this vulnerability poses a severe risk. We will only minimize potential impacts through collaborative efforts between government and the private sector.\" Germany's cybersecurity organization over the weekend issued a \"red alert\" about the bug. Australia called the issue \"critical.\" \n\nSecurity experts warned that it could take weeks or more to assess the extent of the damage and that hackers exploiting the vulnerability could access sensitive data on networks and install back doors they could use to maintain access to servers even after the flawed software has been patched. \"It is one of the most significant vulnerabilities that I've seen in a long time,\" said Aaron Portnoy, principal scientist with the security firm Randori. Security experts noted that many companies have other processes in place that would prevent a malicious hacker from running software and breaking into these companies, potentially limiting the fallout from the bug. Microsoft, in an alert to customers, said \"attackers are probing all endpoints for vulnerability.\" Amazon.com, Twitter and Cisco were among the companies that have said they were carrying out investigations into the depth of the problem. Amazon, the world's biggest cloud computing company, said in a security alert, \"We are actively monitoring this issue, and are working on addressing it.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://it.slashdot.org/story/21/12/13/1927244/software-flaw-sparks-global-race-to-patch-bug?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T19:27:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d4515c5df4a43b133bd99d76d6da9d09" + }, + { + "title": "Biden Will Sign an Executive Order To Move Government Services Online", + "description": "The White House is hoping to spur a major technological overhaul of government services with a new executive order President Biden will sign Monday. From a report: The order directs 17 government agencies to modernize the way they deliver critical services to Americans, including by bringing more of those services online. \"We looked at the points of greatest friction for people with their government -- filing taxes, applying for social security benefits, waiting in TSA lines -- and focused on ways to reduce that friction,\" Neera Tanden, senior adviser to the president, said on a call with reporters Monday. Tanden said the administration is focused on reducing the \"time tax\" on Americans. \n\nThe executive order focuses on agencies that have the most interactions with individuals and lays out more than 30 specific updates they need to make, from allowing Americans to renew their passports online to allowing disaster victims to submit photos of damage via their mobile phones. \"All of these actions are near term in nature, meaning that they will generally be completed in the coming months, within one year,\" said Jason Miller, deputy director of management at the Office of Management and Budget.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The White House is hoping to spur a major technological overhaul of government services with a new executive order President Biden will sign Monday. From a report: The order directs 17 government agencies to modernize the way they deliver critical services to Americans, including by bringing more of those services online. \"We looked at the points of greatest friction for people with their government -- filing taxes, applying for social security benefits, waiting in TSA lines -- and focused on ways to reduce that friction,\" Neera Tanden, senior adviser to the president, said on a call with reporters Monday. Tanden said the administration is focused on reducing the \"time tax\" on Americans. \n\nThe executive order focuses on agencies that have the most interactions with individuals and lays out more than 30 specific updates they need to make, from allowing Americans to renew their passports online to allowing disaster victims to submit photos of damage via their mobile phones. \"All of these actions are near term in nature, meaning that they will generally be completed in the coming months, within one year,\" said Jason Miller, deputy director of management at the Office of Management and Budget.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/13/1853223/biden-will-sign-an-executive-order-to-move-government-services-online?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T18:43:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "587887d44fde52129bcd6fea526b5784" + }, + { + "title": "Time Person of the Year: Elon Musk", + "description": "Time magazine has named CEO of Tesla and SpaceX Elon Musk as Person of the Year. From a report: \"Person of the Year is a marker of influence, and few individuals have had more influence than Musk on life on Earth, and potentially life off Earth too,\" Time editor-in-chief Edward Felsenthal wrote. \"In 2021, Musk emerged not just as the world's richest person but also as perhaps the richest example of a massive shift in our society.\" It was indeed a banner year for Musk, who garnered attention for becoming the richest person in the world in part due to the rise in Tesla's stock price. With SpaceX, Musk launched the first-ever mission to Earth's orbit with a crew of only tourists and no professional astronauts.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Time magazine has named CEO of Tesla and SpaceX Elon Musk as Person of the Year. From a report: \"Person of the Year is a marker of influence, and few individuals have had more influence than Musk on life on Earth, and potentially life off Earth too,\" Time editor-in-chief Edward Felsenthal wrote. \"In 2021, Musk emerged not just as the world's richest person but also as perhaps the richest example of a massive shift in our society.\" It was indeed a banner year for Musk, who garnered attention for becoming the richest person in the world in part due to the rise in Tesla's stock price. With SpaceX, Musk launched the first-ever mission to Earth's orbit with a crew of only tourists and no professional astronauts.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/13/1741251/time-person-of-the-year-elon-musk?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T18:01:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9f1c4585818a55eddceb60032d3fffaf" + }, + { + "title": "Adobe Takes on Canva With Freemium Offering", + "description": "Adobe unveiled its first comprehensive package of design software for non-professionals on Monday, taking direct aim at a booming market that has turned Australian start-up Canva into one of the world's most valuable private tech companies. From a report: The service includes versions of widely used professional design tools such as the Photoshop picture editor, Illustrator graphics tool and video-editing service Premiere, behind a simpler interface that analysts said bore a striking resemblance to Canva. The move follows a leap in the valuation of companies that have extended the market for design software with tools aimed at non-expert users. Canva's fundraising round in September valued it at $40bn, more than double what it was judged to be worth five months before. Figma, which makes software for product designers and more general business users, saw its value rise fivefold in little more than a year to $10bn. Adobe's move is partly defensive, since it could face disruption as Canva's simple tool moves deeper into the business world, said Liz Miller, an analyst at advisory firm Constellation Research. Adobe's new service, called Creative Cloud Express, is likely to appeal to many people in small or medium-sized businesses who might have been thought of before as customers for Adobe's more expensive software, but who are happy to use simpler design tools with fewer features, she said. [...] A basic version of the new service would be available free of charge through app stores and its own website, Adobe said, with a premium version priced at $9.99 a month. [Editor's note: the aforementioned link may be paywalled; alternative source]

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Adobe unveiled its first comprehensive package of design software for non-professionals on Monday, taking direct aim at a booming market that has turned Australian start-up Canva into one of the world's most valuable private tech companies. From a report: The service includes versions of widely used professional design tools such as the Photoshop picture editor, Illustrator graphics tool and video-editing service Premiere, behind a simpler interface that analysts said bore a striking resemblance to Canva. The move follows a leap in the valuation of companies that have extended the market for design software with tools aimed at non-expert users. Canva's fundraising round in September valued it at $40bn, more than double what it was judged to be worth five months before. Figma, which makes software for product designers and more general business users, saw its value rise fivefold in little more than a year to $10bn. Adobe's move is partly defensive, since it could face disruption as Canva's simple tool moves deeper into the business world, said Liz Miller, an analyst at advisory firm Constellation Research. Adobe's new service, called Creative Cloud Express, is likely to appeal to many people in small or medium-sized businesses who might have been thought of before as customers for Adobe's more expensive software, but who are happy to use simpler design tools with fewer features, she said. [...] A basic version of the new service would be available free of charge through app stores and its own website, Adobe said, with a premium version priced at $9.99 a month. [Editor's note: the aforementioned link may be paywalled; alternative source]

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/13/1738220/adobe-takes-on-canva-with-freemium-offering?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T17:25:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2107a18fe414480d9b7ea3ad5a60c04c" + }, + { + "title": "Someone Accidentally Sold a $300,000 NFT for $3,000", + "description": "An anonymous reader shares a report: The Bored Ape Yacht Club is one of the most prestigious NFT collections in the world. You may scoff at the words \"prestigious\" and \"NFT\" being used so close together, but among its star-studded members are Jimmy Fallon, Steph Curry and Post Malone. Right now the price of entry -- that is, the cheapest you can buy a Bored Ape Yacht Club NFT for -- is 52 ether, or $210,000. Which is why it's so painful to see that someone accidentally sold their Bored Ape NFT on Saturday for $3,066. Unusual trades are often a sign of funny business, as in the case of the person who spent $530 million to buy an NFT from themselves. In Saturday's case, the cause was a simple, devastating \"fat-finger error.\" That's when people make a trade online for the wrong thing, or for the wrong amount. Here the owner, real name Max or username maxnaut, meant to list his Bored Ape for 75 ether, or around $300,000, but accidentally listed it for 0.75. One hundredth the intended price. \n\nIt was bought instantaneously. The buyer paid an extra $34,000 to speed up the transaction, ensuring no one could snap it up before them. The Bored Ape was then promptly listed for $248,000. The transaction appears to have been done by a bot, which can be coded to immediately buy NFTs listed below a certain price on behalf of their owners in order to take advantage of these exact situations. \"How'd it happen? A lapse of concentration I guess,\" Max told me. \"I list a lot of items every day and just wasn't paying attention properly. I instantly saw the error as my finger clicked the mouse but a bot sent a transaction with over 8 eth [$34,000] of gas fees so it was instantly sniped before I could click cancel, and just like that, $250k was gone.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "An anonymous reader shares a report: The Bored Ape Yacht Club is one of the most prestigious NFT collections in the world. You may scoff at the words \"prestigious\" and \"NFT\" being used so close together, but among its star-studded members are Jimmy Fallon, Steph Curry and Post Malone. Right now the price of entry -- that is, the cheapest you can buy a Bored Ape Yacht Club NFT for -- is 52 ether, or $210,000. Which is why it's so painful to see that someone accidentally sold their Bored Ape NFT on Saturday for $3,066. Unusual trades are often a sign of funny business, as in the case of the person who spent $530 million to buy an NFT from themselves. In Saturday's case, the cause was a simple, devastating \"fat-finger error.\" That's when people make a trade online for the wrong thing, or for the wrong amount. Here the owner, real name Max or username maxnaut, meant to list his Bored Ape for 75 ether, or around $300,000, but accidentally listed it for 0.75. One hundredth the intended price. \n\nIt was bought instantaneously. The buyer paid an extra $34,000 to speed up the transaction, ensuring no one could snap it up before them. The Bored Ape was then promptly listed for $248,000. The transaction appears to have been done by a bot, which can be coded to immediately buy NFTs listed below a certain price on behalf of their owners in order to take advantage of these exact situations. \"How'd it happen? A lapse of concentration I guess,\" Max told me. \"I list a lot of items every day and just wasn't paying attention properly. I instantly saw the error as my finger clicked the mouse but a bot sent a transaction with over 8 eth [$34,000] of gas fees so it was instantly sniped before I could click cancel, and just like that, $250k was gone.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/13/175225/someone-accidentally-sold-a-300000-nft-for-3000?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T17:05:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cebbbef744bf44ef5c4f36739df6703b" + }, + { + "title": "The World Is So Desperate for Manure Even Human Waste Is a Hot Commodity", + "description": "The market for manure -- from pigs, horses, cattle and even humans -- has never been so hot, thanks to a global shortage of chemical fertilizers. From a report: Just ask Andrew Whitelaw, a grains analyst at Thomas Elder Markets based in Melbourne, Australia who runs a commercial pig farm in his spare time. Whitelaw said that he's completely sold clean of animal waste, as farmers hunt for alternatives to the more commonly used phosphate- and nitrogen-based fertilizers that are vital to boosting crop yields. \"We don't have any left,\" he said. \"In a normal year, you'd probably get a couple phone calls a year, not a couple of phone calls a week.\" It may be some time before he sees the interest in pig poop taper. Prices of synthetic fertilizer, which rely on natural gas and coal as raw materials, have soared amid an energy shortage and export restrictions by Russia and China. That's adding to challenges for agricultural supply chains at a time when global food costs are near a record high and farmers scramble for fertilizers to prevent losses to global crop yields for staples. \n\nThe Green Markets North American Fertilizer Price Index is hovering around an all-time high at $1,072.87 per short ton, while in China, spot urea has soared more than 200% this year to a record. The demand for dung is playing out globally. In Iowa, manure is selling for between $40 to $70 per short ton, up about $10 from a year ago and the highest levels since 2012, according to Daniel Anderson, assistant professor at Iowa State University and a specialist on manure. Manure is mostly a local market and truckloads won't go further than 50 miles (80 kilometers), Anderson said. When crop, fertilizer and manure prices soared about a decade ago, more farmers reintroduced animals such as hogs and cattle onto their land, in part for their manure. That option could again be on farmers' minds as fertilizer costs soar.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The market for manure -- from pigs, horses, cattle and even humans -- has never been so hot, thanks to a global shortage of chemical fertilizers. From a report: Just ask Andrew Whitelaw, a grains analyst at Thomas Elder Markets based in Melbourne, Australia who runs a commercial pig farm in his spare time. Whitelaw said that he's completely sold clean of animal waste, as farmers hunt for alternatives to the more commonly used phosphate- and nitrogen-based fertilizers that are vital to boosting crop yields. \"We don't have any left,\" he said. \"In a normal year, you'd probably get a couple phone calls a year, not a couple of phone calls a week.\" It may be some time before he sees the interest in pig poop taper. Prices of synthetic fertilizer, which rely on natural gas and coal as raw materials, have soared amid an energy shortage and export restrictions by Russia and China. That's adding to challenges for agricultural supply chains at a time when global food costs are near a record high and farmers scramble for fertilizers to prevent losses to global crop yields for staples. \n\nThe Green Markets North American Fertilizer Price Index is hovering around an all-time high at $1,072.87 per short ton, while in China, spot urea has soared more than 200% this year to a record. The demand for dung is playing out globally. In Iowa, manure is selling for between $40 to $70 per short ton, up about $10 from a year ago and the highest levels since 2012, according to Daniel Anderson, assistant professor at Iowa State University and a specialist on manure. Manure is mostly a local market and truckloads won't go further than 50 miles (80 kilometers), Anderson said. When crop, fertilizer and manure prices soared about a decade ago, more farmers reintroduced animals such as hogs and cattle onto their land, in part for their manure. That option could again be on farmers' minds as fertilizer costs soar.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/13/1557242/the-world-is-so-desperate-for-manure-even-human-waste-is-a-hot-commodity?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T16:03:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6863a2b821057ca3c56414d7b556573e" + }, + { + "title": "Facebook Exec Blames Society for COVID Misinformation", + "description": "Longtime Facebook veteran Andrew Bosworth insists that political and COVID-19 misinformation are societal problems rather than issues that have been magnified by social networks. From a report: Critics say Facebook and other social networks have played a significant role in vaccine hesitancy and the spread of political misinformation. \"Individual humans are the ones who choose to believe or not believe a thing. They are the ones who choose to share or not share a thing,\" Bosworth said in an interview with \"Axios on HBO.\" \"I don't feel comfortable at all saying they don't have a voice because I don't like what they said.\" Bosworth has been leading Facebook's hardware efforts, including those in virtual and augmented reality. Next year he will become CTO for Meta, Facebook's parent company. Asked whether vaccine hesitancy would be the same with or without social media, Bosworth defended Facebook's role in combatting COVID, noting that the company ran one of the largest information campaigns in the world to spread authoritative information.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Longtime Facebook veteran Andrew Bosworth insists that political and COVID-19 misinformation are societal problems rather than issues that have been magnified by social networks. From a report: Critics say Facebook and other social networks have played a significant role in vaccine hesitancy and the spread of political misinformation. \"Individual humans are the ones who choose to believe or not believe a thing. They are the ones who choose to share or not share a thing,\" Bosworth said in an interview with \"Axios on HBO.\" \"I don't feel comfortable at all saying they don't have a voice because I don't like what they said.\" Bosworth has been leading Facebook's hardware efforts, including those in virtual and augmented reality. Next year he will become CTO for Meta, Facebook's parent company. Asked whether vaccine hesitancy would be the same with or without social media, Bosworth defended Facebook's role in combatting COVID, noting that the company ran one of the largest information campaigns in the world to spread authoritative information.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/13/1532241/facebook-exec-blames-society-for-covid-misinformation?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T15:32:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a67ea147c38b741ebcf03a07cdeda0a1" + }, + { + "title": "Mozilla Expects To Generate More Than $500M in Revenue This Year", + "description": "The Mozilla Foundation today released its financial report for 2020. As usual, this gives us a good picture of the organization's financial health from a year ago, but for the first time this year, Mozilla also provided us with more recent data. From a report: It's no secret that Mozilla recently went through a number of difficult years, with major layoffs in 2020 as it restructured its for-profit arm, Mozilla Corporation. Its flagship Firefox browser, despite a number of technical advances, is also struggling in a marketplace that is now dominated by Chromium-based browsers. Still, in 2020, Mozilla Corporation's revenue was $466 million from its search partnerships (largely driven by its search deal with Google), subscriptions and advertising revenue. That's essentially the same as in 2019, when Mozilla Corporation generated $465 million from these sources. \n\nFor 2021, the organization forecasts revenue of over $500 million. What's maybe most important, though, is that Mozilla's new products like its Mozilla VPN service, Firefox Relay Premium, Pocket and other commercial initiatives are slowly but surely starting to pay off. As Mozilla executive VP Angela Plohman and CFO Eric Muhlheim noted in today's announcement, revenue from new product offerings will grow 150% this year and account for 14% of the organization's revenue in 2021. The Mozilla VPN service saw a revenue increase of 450% from 2020 to 2021.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The Mozilla Foundation today released its financial report for 2020. As usual, this gives us a good picture of the organization's financial health from a year ago, but for the first time this year, Mozilla also provided us with more recent data. From a report: It's no secret that Mozilla recently went through a number of difficult years, with major layoffs in 2020 as it restructured its for-profit arm, Mozilla Corporation. Its flagship Firefox browser, despite a number of technical advances, is also struggling in a marketplace that is now dominated by Chromium-based browsers. Still, in 2020, Mozilla Corporation's revenue was $466 million from its search partnerships (largely driven by its search deal with Google), subscriptions and advertising revenue. That's essentially the same as in 2019, when Mozilla Corporation generated $465 million from these sources. \n\nFor 2021, the organization forecasts revenue of over $500 million. What's maybe most important, though, is that Mozilla's new products like its Mozilla VPN service, Firefox Relay Premium, Pocket and other commercial initiatives are slowly but surely starting to pay off. As Mozilla executive VP Angela Plohman and CFO Eric Muhlheim noted in today's announcement, revenue from new product offerings will grow 150% this year and account for 14% of the organization's revenue in 2021. The Mozilla VPN service saw a revenue increase of 450% from 2020 to 2021.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/13/1439242/mozilla-expects-to-generate-more-than-500m-in-revenue-this-year?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T14:40:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f5af4a26faeb386fbc5fbe5590f9887f" + }, + { + "title": "Toyota is Going To Make You Pay To Start Your Car With Your Key Fob", + "description": "Toyota is charging drivers for the convenience of using their key fobs to remotely start their cars. From a report: According to a report from The Drive, Toyota models 2018 or newer will need a subscription in order for the key fob to support remote start functionality. As The Drive notes, buyers are given the option to choose from an array of Connected Services when purchasing a new Toyota, and one of those services -- called Remote Connect -- just so happens to include the ability to remotely start your car with your key fob. Buyers are offered a free trial of Remote Connect, but the length of that trial depends on the audio package that's included with the vehicle.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Toyota is charging drivers for the convenience of using their key fobs to remotely start their cars. From a report: According to a report from The Drive, Toyota models 2018 or newer will need a subscription in order for the key fob to support remote start functionality. As The Drive notes, buyers are given the option to choose from an array of Connected Services when purchasing a new Toyota, and one of those services -- called Remote Connect -- just so happens to include the ability to remotely start your car with your key fob. Buyers are offered a free trial of Remote Connect, but the length of that trial depends on the audio package that's included with the vehicle.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/13/144230/toyota-is-going-to-make-you-pay-to-start-your-car-with-your-key-fob?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "msmash", + "pubDate": "2021-12-13T14:04:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "de6338d42d387b881fe9baa07df2b25d" + }, + { + "title": "'The New Normal': US Blames This Winter's Severe Tornado's on Climate Change", + "description": "More than 100 Americans were feared dead this weekend — including six workers at an Amazon warehouse in Illinois — after severe storms and tornados tore through the central U.S. And \"thousands upon thousands\" of buildings were flattened, reports the Times. \n\nThe head of America's Federal Emergency Management Agency (or FEMA) \"says the agency has seen a rise in intense storms and severe weather patterns that it anticipates to continue as a result of climate change,\" reports Insider.\nSpeaking on morning news shows on Sunday, Deanne Criswell shared the agency's plans to prepare for increasing rates of deadly storms as the country faces the \"crisis of our generation.\" \n\n\"This is going to be our new normal,\" Criswell said on CNN's \"State of the Union\" with Jake Tapper... \n\nCriswell's remarks come after severe storms and tornadoes ripped through six states, killing an estimated 80 people in Kentucky in what the state's governor, Andy Beshear, said on Saturday \"is likely to be the most severe tornado outbreak in our state's history.\" They also follow a year marked by historic storms that caused unprecedented damage across the country, including winter storms that left large swaths of Texas without power and killed an estimated 210 people, rampant forest fires on the West Coast that have produced harmful smoke traveling thousands of miles across the nation, and severe hurricanes that ravaged much of the East Coast this spring.... \n\"There's going to be a lot to learn from this event and the events that we saw through the summer,\" she told George Stephanopoulos [on his Sunday morning interview show]. \"We're seeing more intense storms, severe weather, whether it's hurricanes, tornadoes, wild fires. And one of the focuses my agency is going to have is, how can we start to reduce the impacts of these events as they continue to grow?\" \n\nThe FEMA official underscored just how unusual the weather was this weekend, according to the Huffington Post:\n\"We do see tornadoes in December, that part is not unusual. But at this magnitude, I don't think we have ever seen one this late in the year,\" she said. \"But it's also historic. Even the severity and the amount of time this tornado or these tornadoes spent on the ground is unprecedented.\" \n\nTornadoes usually last only a few minutes when thunderstorm updrafts lose energy. But once Friday night's storms formed, experts said unprecedented strong wind shear appeared to have prevented the twisters from dissipating â resulting in a disaster that lasted hours and traveled more than 200 miles at over 50 miles per hour. \nIn fact, the Times reports that the state of Kentucky witnessed the longest distance ever covered by a single tornado in U.S. history.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "More than 100 Americans were feared dead this weekend — including six workers at an Amazon warehouse in Illinois — after severe storms and tornados tore through the central U.S. And \"thousands upon thousands\" of buildings were flattened, reports the Times. \n\nThe head of America's Federal Emergency Management Agency (or FEMA) \"says the agency has seen a rise in intense storms and severe weather patterns that it anticipates to continue as a result of climate change,\" reports Insider.\nSpeaking on morning news shows on Sunday, Deanne Criswell shared the agency's plans to prepare for increasing rates of deadly storms as the country faces the \"crisis of our generation.\" \n\n\"This is going to be our new normal,\" Criswell said on CNN's \"State of the Union\" with Jake Tapper... \n\nCriswell's remarks come after severe storms and tornadoes ripped through six states, killing an estimated 80 people in Kentucky in what the state's governor, Andy Beshear, said on Saturday \"is likely to be the most severe tornado outbreak in our state's history.\" They also follow a year marked by historic storms that caused unprecedented damage across the country, including winter storms that left large swaths of Texas without power and killed an estimated 210 people, rampant forest fires on the West Coast that have produced harmful smoke traveling thousands of miles across the nation, and severe hurricanes that ravaged much of the East Coast this spring.... \n\"There's going to be a lot to learn from this event and the events that we saw through the summer,\" she told George Stephanopoulos [on his Sunday morning interview show]. \"We're seeing more intense storms, severe weather, whether it's hurricanes, tornadoes, wild fires. And one of the focuses my agency is going to have is, how can we start to reduce the impacts of these events as they continue to grow?\" \n\nThe FEMA official underscored just how unusual the weather was this weekend, according to the Huffington Post:\n\"We do see tornadoes in December, that part is not unusual. But at this magnitude, I don't think we have ever seen one this late in the year,\" she said. \"But it's also historic. Even the severity and the amount of time this tornado or these tornadoes spent on the ground is unprecedented.\" \n\nTornadoes usually last only a few minutes when thunderstorm updrafts lose energy. But once Friday night's storms formed, experts said unprecedented strong wind shear appeared to have prevented the twisters from dissipating â resulting in a disaster that lasted hours and traveled more than 200 miles at over 50 miles per hour. \nIn fact, the Times reports that the state of Kentucky witnessed the longest distance ever covered by a single tornado in U.S. history.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://news.slashdot.org/story/21/12/13/0547221/the-new-normal-us-blames-this-winters-severe-tornados-on-climate-change?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-13T12:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d3692e47cb40972b433f1a6973658c96" + }, + { + "title": "'Matrix' Stars Discuss Free 'Matrix Awakens' Demo Showing Off Epic's Unreal Engine 5", + "description": "This year's Game Awards also saw the premiere of The Matrix Awakens, a new in-world \"tech demonstrator\" written by Lana Wachowski, the co-writer/director of the original Matrix trilogy and director of the upcoming sequel. It's available free on the PS5 and Xbox Series X/S, reports the Verge, and they also scored a sit-down video interview with Keanu Reeves and Carrie-Ann Moss about the new playable experience — and the new Matrix movie:\nReeves also revealed that he thinks there should be a modern Matrix video game, that he's flattered by Cyberpunk 2077 players modding the game to have sex with his character, and why he thinks Facebook shouldn't co-opt the metaverse. \nApart from serving as a clever promotion vehicle for the new Matrix movie premiering December 22nd, The Matrix Awakens is designed to showcase what's possible with the next major version of Epic's Unreal Engine coming next year. It's structured as a scripted intro by Wachowski, followed by a playable car chase scene and then an open-world sandbox experience you can navigate as one of Epic's metahuman characters. A big reason for doing the demo is to demonstrate how Epic thinks its technology can be used to blend scripted storytelling with games and much more, according to Epic CTO Kim Libreri, who worked on the special effects for the original Matrix trilogy... \n\nEverything in the virtual city is fully loaded no matter where your character is located (rather than rendered only when the character gets near), down to the detail of a chain link fence in an alley. All of the moving vehicles, people, and lighting in the city are generated by AI, the latter of which Libreri describes as a breakthrough that means lighting is no longer \"this sort of niche art form.\" Thanks to updates coming to Unreal Engine, which powers everything from Fortnite to special effects in Disney's The Mandalorian, developers will be able to use the same, hyper-realistic virtual assets across different experiences. It's part of Epic's goal to help build the metaverse. \nElsewhere the site writes that The Matrix Awakens \"single-handedly proves next-gen graphics are within reach of Sony and Microsoft's new game consoles.\"\n\nIt's unlike any tech demo you've ever tried before. When we said the next generation of gaming didn't actually arrive with Xbox Series X and PS5, this is the kind of push that has the potential to turn that around.... \n\nJust don't expect it to make you question your reality — the uncanny valley is still alive and well.... But from a \"is it time for photorealistic video game cities?\" perspective, The Matrix Awakens is seriously convincing. It's head-and-shoulders above the most photorealistic video game cities we've seen so far, including those in the Spider-Man, Grand Theft Auto and Watch Dogs series... Despite glitches and an occasionally choppy framerate, The Matrix Awakens city feels more real, thanks to Unreal Engine's incredible global illumination and real-time raytracing (\"The entire world is lit by only the sun, sky and emissive materials on meshes,\" claims Epic), the detail of the procedurally generated buildings, and how dense it all is in terms of cars and foot traffic. \n\nAnd the most convincing part is that it's not just a scripted sequence running in real-time on your PS5 or Xbox like practically every other tech demo you've seen — you get to run, drive, and fly through it, manipulate the angle of the sun, turn on filters, and dive into a full photo mode, as soon as the scripted and on-rails shooter parts of the demo are done. Not that there's a lot to do in The Matrix Awakens except finding different ways to take in the view. You can't land on buildings, there's no car chases except for the scripted one, no bullets to dodge. You can crash any one of the game's 38,146 drivable cars into any of the other cars or walls, I guess. I did a bunch of that before I got bored, though, just taking in the world.... Almost 10 million unique and duplicated assets were created to make the city.... \nEpic Games' pitch is that Unreal Engine 5 developers can do this or better with its ready-made tools at their disposal, and I can't wait to see them try.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "This year's Game Awards also saw the premiere of The Matrix Awakens, a new in-world \"tech demonstrator\" written by Lana Wachowski, the co-writer/director of the original Matrix trilogy and director of the upcoming sequel. It's available free on the PS5 and Xbox Series X/S, reports the Verge, and they also scored a sit-down video interview with Keanu Reeves and Carrie-Ann Moss about the new playable experience — and the new Matrix movie:\nReeves also revealed that he thinks there should be a modern Matrix video game, that he's flattered by Cyberpunk 2077 players modding the game to have sex with his character, and why he thinks Facebook shouldn't co-opt the metaverse. \nApart from serving as a clever promotion vehicle for the new Matrix movie premiering December 22nd, The Matrix Awakens is designed to showcase what's possible with the next major version of Epic's Unreal Engine coming next year. It's structured as a scripted intro by Wachowski, followed by a playable car chase scene and then an open-world sandbox experience you can navigate as one of Epic's metahuman characters. A big reason for doing the demo is to demonstrate how Epic thinks its technology can be used to blend scripted storytelling with games and much more, according to Epic CTO Kim Libreri, who worked on the special effects for the original Matrix trilogy... \n\nEverything in the virtual city is fully loaded no matter where your character is located (rather than rendered only when the character gets near), down to the detail of a chain link fence in an alley. All of the moving vehicles, people, and lighting in the city are generated by AI, the latter of which Libreri describes as a breakthrough that means lighting is no longer \"this sort of niche art form.\" Thanks to updates coming to Unreal Engine, which powers everything from Fortnite to special effects in Disney's The Mandalorian, developers will be able to use the same, hyper-realistic virtual assets across different experiences. It's part of Epic's goal to help build the metaverse. \nElsewhere the site writes that The Matrix Awakens \"single-handedly proves next-gen graphics are within reach of Sony and Microsoft's new game consoles.\"\n\nIt's unlike any tech demo you've ever tried before. When we said the next generation of gaming didn't actually arrive with Xbox Series X and PS5, this is the kind of push that has the potential to turn that around.... \n\nJust don't expect it to make you question your reality — the uncanny valley is still alive and well.... But from a \"is it time for photorealistic video game cities?\" perspective, The Matrix Awakens is seriously convincing. It's head-and-shoulders above the most photorealistic video game cities we've seen so far, including those in the Spider-Man, Grand Theft Auto and Watch Dogs series... Despite glitches and an occasionally choppy framerate, The Matrix Awakens city feels more real, thanks to Unreal Engine's incredible global illumination and real-time raytracing (\"The entire world is lit by only the sun, sky and emissive materials on meshes,\" claims Epic), the detail of the procedurally generated buildings, and how dense it all is in terms of cars and foot traffic. \n\nAnd the most convincing part is that it's not just a scripted sequence running in real-time on your PS5 or Xbox like practically every other tech demo you've seen — you get to run, drive, and fly through it, manipulate the angle of the sun, turn on filters, and dive into a full photo mode, as soon as the scripted and on-rails shooter parts of the demo are done. Not that there's a lot to do in The Matrix Awakens except finding different ways to take in the view. You can't land on buildings, there's no car chases except for the scripted one, no bullets to dodge. You can crash any one of the game's 38,146 drivable cars into any of the other cars or walls, I guess. I did a bunch of that before I got bored, though, just taking in the world.... Almost 10 million unique and duplicated assets were created to make the city.... \nEpic Games' pitch is that Unreal Engine 5 developers can do this or better with its ready-made tools at their disposal, and I can't wait to see them try.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://games.slashdot.org/story/21/12/13/0635217/matrix-stars-discuss-free-matrix-awakens-demo-showing-off-epics-unreal-engine-5?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-13T08:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4cbeb3d2a4c521881601c4df20de974b" + }, + { + "title": "Will Political Polarization Stop US Lawmakers from Regulating Big Tech?", + "description": "A media lobbying group wants to see tech platforms reigned in with stronger antitrust laws. But the group's president tells the New York Times the biggest force supporting the status quo is hyperpartisanship. \n\nThe Times reports:\nThe lack of regulation of technology companies is not because elected officials don't understand the internet. That used to be the case, and it helps explain why they have been so slow with oversight measures. Now, though, new questions about technology get mapped onto increasingly intractable political divides. Without the distractions of bizarre questions, what's left is the naked reality that the parties are deeply at odds over how to protect consumers and encourage businesses. Dozens of bills to strengthen privacy, encourage competition and quell misinformation have stalled because of a basic disagreement over the hand of government on businesses. \n\n\"Congress has again shown it's all bark and no bite when it comes to regulating Big Tech,\" said Jeffrey Chester, the executive director of the Center for Digital Democracy, a nonprofit consumer advocacy group, adding: \"We've made no progress for decades.\" \n\nThe cost of the government's long education on tech is that regulation is increasingly out of reach. In April 2018, 14 years after founding thefacebook.com and more than five years after Facebook surpassed 1 billion users, Mark Zuckerberg appeared for the first time before Congress... [D]espite bipartisan agreement that tech companies have run roughshod and deserve more oversight, none of the bills discussed in those hearings four years ago have been passed. Turns out, holding a hearing that humbles the most powerful business executives in the world is much easier than legislating. Very bright lines of partisan disagreements appear when writing rules that restrict how much data can be collected by platforms, whether consumers can sue sites for defamation, and whether regulators can slow the march of dominance of Amazon, Apple, Google and Facebook. \n\nThe Times points out that, just for example, when it came to the possibility of regulating cryptocurrency, \"the divides on regulation broke down along party lines\" Wednesday after six crypto executives testified before a House committee.\n\n\nDemocrats warned that the fast-growing industry needed clearer oversight. \"Currently, cryptocurrency markets have no overarching or centralized regulatory framework, leaving investments in the digital assets space vulnerable to fraud, manipulation and abuse,\" said Representative Maxine Waters, the Democrat of California who chairs the committee. Other Democrats expressed similar caution.... \nRepublicans hewed to their free-market stripes at the crypto hearing. Representative Pete Sessions, Republican of Texas, told the crypto executives that he was in favor of their work and that regulations the industry has embraced may go too far. Representative Ted Budd, Republican of North Carolina, worried that lawmakers could push innovation in financial technology out of the United States.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "A media lobbying group wants to see tech platforms reigned in with stronger antitrust laws. But the group's president tells the New York Times the biggest force supporting the status quo is hyperpartisanship. \n\nThe Times reports:\nThe lack of regulation of technology companies is not because elected officials don't understand the internet. That used to be the case, and it helps explain why they have been so slow with oversight measures. Now, though, new questions about technology get mapped onto increasingly intractable political divides. Without the distractions of bizarre questions, what's left is the naked reality that the parties are deeply at odds over how to protect consumers and encourage businesses. Dozens of bills to strengthen privacy, encourage competition and quell misinformation have stalled because of a basic disagreement over the hand of government on businesses. \n\n\"Congress has again shown it's all bark and no bite when it comes to regulating Big Tech,\" said Jeffrey Chester, the executive director of the Center for Digital Democracy, a nonprofit consumer advocacy group, adding: \"We've made no progress for decades.\" \n\nThe cost of the government's long education on tech is that regulation is increasingly out of reach. In April 2018, 14 years after founding thefacebook.com and more than five years after Facebook surpassed 1 billion users, Mark Zuckerberg appeared for the first time before Congress... [D]espite bipartisan agreement that tech companies have run roughshod and deserve more oversight, none of the bills discussed in those hearings four years ago have been passed. Turns out, holding a hearing that humbles the most powerful business executives in the world is much easier than legislating. Very bright lines of partisan disagreements appear when writing rules that restrict how much data can be collected by platforms, whether consumers can sue sites for defamation, and whether regulators can slow the march of dominance of Amazon, Apple, Google and Facebook. \n\nThe Times points out that, just for example, when it came to the possibility of regulating cryptocurrency, \"the divides on regulation broke down along party lines\" Wednesday after six crypto executives testified before a House committee.\n\n\nDemocrats warned that the fast-growing industry needed clearer oversight. \"Currently, cryptocurrency markets have no overarching or centralized regulatory framework, leaving investments in the digital assets space vulnerable to fraud, manipulation and abuse,\" said Representative Maxine Waters, the Democrat of California who chairs the committee. Other Democrats expressed similar caution.... \nRepublicans hewed to their free-market stripes at the crypto hearing. Representative Pete Sessions, Republican of Texas, told the crypto executives that he was in favor of their work and that regulations the industry has embraced may go too far. Representative Ted Budd, Republican of North Carolina, worried that lawmakers could push innovation in financial technology out of the United States.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/13/0417252/will-political-polarization-stop-us-lawmakers-from-regulating-big-tech?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-13T04:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1d61c91db3d2d4bc0ca242bf7bb7e58f" + }, + { + "title": "An Experimental Target-Recognition AI Mistakenly Thought It Was Succeeding 90% of the Time", + "description": "The American military news site Defense One shares a cautionary tale from top U.S. Air Force Major General Daniel Simpson (assistant deputy chief of staff for intelligence, surveillance, and reconnaissance). Simpson describes their experience with an experimental AI-based target recognition program that had seemed to be performing well:\n\nInitially, the AI was fed data from a sensor that looked for a single surface-to-surface missile at an oblique angle, Simpson said. Then it was fed data from another sensor that looked for multiple missiles at a near-vertical angle. \"What a surprise: the algorithm did not perform well. It actually was accurate maybe about 25 percent of the time,\" he said. \n\nThat's an example of what's sometimes called brittle AI, which \"occurs when any algorithm cannot generalize or adapt to conditions outside a narrow set of assumptions,\" according to a 2020 report by researcher and former Navy aviator Missy Cummings. When the data used to train the algorithm consists of too much of one type of image or sensor data from a unique vantage point, and not enough from other vantages, distances, or conditions, you get brittleness, Cummings said. In settings like driverless-car experiments, researchers will just collect more data for training. But that can be very difficult in military settings where there might be a whole lot of data of one type — say overhead satellite or drone imagery — but very little of any other type because it wasn't useful on the battlefield... \n\nSimpson said the low accuracy rate of the algorithm wasn't the most worrying part of the exercise. While the algorithm was only right 25 percent of the time, he said, \"It was confident that it was right 90 percent of the time, so it was confidently wrong. And that's not the algorithm's fault. It's because we fed it the wrong training data.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "The American military news site Defense One shares a cautionary tale from top U.S. Air Force Major General Daniel Simpson (assistant deputy chief of staff for intelligence, surveillance, and reconnaissance). Simpson describes their experience with an experimental AI-based target recognition program that had seemed to be performing well:\n\nInitially, the AI was fed data from a sensor that looked for a single surface-to-surface missile at an oblique angle, Simpson said. Then it was fed data from another sensor that looked for multiple missiles at a near-vertical angle. \"What a surprise: the algorithm did not perform well. It actually was accurate maybe about 25 percent of the time,\" he said. \n\nThat's an example of what's sometimes called brittle AI, which \"occurs when any algorithm cannot generalize or adapt to conditions outside a narrow set of assumptions,\" according to a 2020 report by researcher and former Navy aviator Missy Cummings. When the data used to train the algorithm consists of too much of one type of image or sensor data from a unique vantage point, and not enough from other vantages, distances, or conditions, you get brittleness, Cummings said. In settings like driverless-car experiments, researchers will just collect more data for training. But that can be very difficult in military settings where there might be a whole lot of data of one type — say overhead satellite or drone imagery — but very little of any other type because it wasn't useful on the battlefield... \n\nSimpson said the low accuracy rate of the algorithm wasn't the most worrying part of the exercise. While the algorithm was only right 25 percent of the time, he said, \"It was confident that it was right 90 percent of the time, so it was confidently wrong. And that's not the algorithm's fault. It's because we fed it the wrong training data.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/13/0237225/an-experimental-target-recognition-ai-mistakenly-thought-it-was-succeeding-90-of-the-time?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-13T02:39:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "daa395a056774a372b3dab3a05c4ebd1" + }, + { + "title": "Some Fans React Negatively to Disney's Promos for Star Wars-Themed Hotel", + "description": "SFGate pan's Disney's efforts at \"hyping up its mega-expensive, hyper-immersive Star Wars hotel in Walt Disney World\" — the Galactic Starcruiser — as its March 1st opening approaches:\n\nGuests must book two nights — which will set you back nearly $5,000 for two people or $6,000 for a family of four — and will spend most of their time inside the spaceship resort, much like a cruise. There's an \"excursion\" into the Galaxy's Edge part of Disney World, while the remainder of the stay includes interactions with characters, lightsaber training (more on that later) and exclusive restaurants... \n\nThe look and feel of the hotel has been criticized as looking plastic and cheap, and reception to one sneak peek video was so bad, it has since disappeared from Disney's YouTube channel. \n\nThe video showed actor Sean Giambrone of \"The Goldbergs\" being given a tour of some of the ship's features, which look pretty bare and antiseptic for the Star Wars universe, and listening to a strange musical performance. (Another user uploaded the deleted video here.) The promo prompted one Twitter user to comment, \"Bro this isn't Star Wars, this is 'Space Conflicts.'\" Fans responded similarly to a demo of Disney Parks Chairman Josh D'Amaro testing out the vaunted lightsaber training. Instead of a flashy, super realistic adventure, the training consisted of a standard light-up lightsaber and some lasers... \n\nReservations booked up quickly when the hotel was announced but now, as the 90-day deadline to cancel approaches, people appear to be ducking out of their expensive commitments; a number of openings have begun popping up in March, April and June.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "SFGate pan's Disney's efforts at \"hyping up its mega-expensive, hyper-immersive Star Wars hotel in Walt Disney World\" — the Galactic Starcruiser — as its March 1st opening approaches:\n\nGuests must book two nights — which will set you back nearly $5,000 for two people or $6,000 for a family of four — and will spend most of their time inside the spaceship resort, much like a cruise. There's an \"excursion\" into the Galaxy's Edge part of Disney World, while the remainder of the stay includes interactions with characters, lightsaber training (more on that later) and exclusive restaurants... \n\nThe look and feel of the hotel has been criticized as looking plastic and cheap, and reception to one sneak peek video was so bad, it has since disappeared from Disney's YouTube channel. \n\nThe video showed actor Sean Giambrone of \"The Goldbergs\" being given a tour of some of the ship's features, which look pretty bare and antiseptic for the Star Wars universe, and listening to a strange musical performance. (Another user uploaded the deleted video here.) The promo prompted one Twitter user to comment, \"Bro this isn't Star Wars, this is 'Space Conflicts.'\" Fans responded similarly to a demo of Disney Parks Chairman Josh D'Amaro testing out the vaunted lightsaber training. Instead of a flashy, super realistic adventure, the training consisted of a standard light-up lightsaber and some lasers... \n\nReservations booked up quickly when the hotel was announced but now, as the 90-day deadline to cancel approaches, people appear to be ducking out of their expensive commitments; a number of openings have begun popping up in March, April and June.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://entertainment.slashdot.org/story/21/12/13/0046245/some-fans-react-negatively-to-disneys-promos-for-star-wars-themed-hotel?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-13T00:51:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4d5dc0dd062e876562bd01fabbda095d" + }, + { + "title": "Google Finally Killed Its Internet Explorer Plugin, 'Google Toolbar'", + "description": "Ars Technica's reviews editor remembers how Google Toolbar launched back when Internet Explorer \"had a rock-solid monopoly\" on December 11, 2000, and marked Google's first foray into browser ownership. \"Rather than idly sit by and live under Internet Explorer's rule, Google's plan was to hijack Microsoft's browser with various plugins.\"\n\nOnce upon a time, Toolbar.google.com offered to guide any wayward Internet Explorer users across the web with the power of Google.... It also patched up long-neglected Internet Explorer with new features, like highlighted search terms in pages, pop-up blocking, spell check, autofill, and Google Translate. Phase 2 of the hijack plan was Google Gears, which augmented IE with new APIs for web developers. Eventually, Google stopped fixing other companies' browsers and launched Google Chrome in 2008, which would make all of this obsolete. \n\nBut it ended as Google finally pulled the plug this week on \"a dusty, forgotten server\" that had spent nearly 21 years blurting out \"Take the best of Google everywhere on the web!\"\n\n\nNow, it redirects to a support page saying \"Google Toolbar is no longer available for installation. Instead, you can download and install Google Chrome.\" The good news is that we wrote most of this post at the end of November, so this might be the Internet's very last hands-on of the now-dead product.... \n\n\nTo say the app had been neglected is an understatement. The about page read, \"Copyright 2014 Google,\" though Google definitely stopped performing maintenance on Toolbar before that. You could still do a Google Search, and you could still sign into Google Toolbar, but so much there was broken or a time capsule from a bygone era.... \n\nThe \"share\" settings were a bloodbath, listing options for Google Reader (killed July 2013), Orkut (killed September 2014), Google+ (killed April 2019), and Google Bookmarks (killed September 2021). There were also search shortcuts for Google Blog Search (killed May 2011) and Picasa Web Albums (dead May 2016).... \n\n The spell-check servers didn't work anymore, and I couldn't translate anything. The baked-in-by-default connections to Google+ and Google Bookmarks would also let you know that those products have been shut down. Even some of the \"working\" integrations, like Gmail, didn't really work because Gmail no longer supports Internet Explorer.... \n\n\n\nOne feature that really blew my mind was a button that said, \"Turn off features that send information.\" Google Toolbar apparently had a one-click privacy kill switch back in the day.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Ars Technica's reviews editor remembers how Google Toolbar launched back when Internet Explorer \"had a rock-solid monopoly\" on December 11, 2000, and marked Google's first foray into browser ownership. \"Rather than idly sit by and live under Internet Explorer's rule, Google's plan was to hijack Microsoft's browser with various plugins.\"\n\nOnce upon a time, Toolbar.google.com offered to guide any wayward Internet Explorer users across the web with the power of Google.... It also patched up long-neglected Internet Explorer with new features, like highlighted search terms in pages, pop-up blocking, spell check, autofill, and Google Translate. Phase 2 of the hijack plan was Google Gears, which augmented IE with new APIs for web developers. Eventually, Google stopped fixing other companies' browsers and launched Google Chrome in 2008, which would make all of this obsolete. \n\nBut it ended as Google finally pulled the plug this week on \"a dusty, forgotten server\" that had spent nearly 21 years blurting out \"Take the best of Google everywhere on the web!\"\n\n\nNow, it redirects to a support page saying \"Google Toolbar is no longer available for installation. Instead, you can download and install Google Chrome.\" The good news is that we wrote most of this post at the end of November, so this might be the Internet's very last hands-on of the now-dead product.... \n\n\nTo say the app had been neglected is an understatement. The about page read, \"Copyright 2014 Google,\" though Google definitely stopped performing maintenance on Toolbar before that. You could still do a Google Search, and you could still sign into Google Toolbar, but so much there was broken or a time capsule from a bygone era.... \n\nThe \"share\" settings were a bloodbath, listing options for Google Reader (killed July 2013), Orkut (killed September 2014), Google+ (killed April 2019), and Google Bookmarks (killed September 2021). There were also search shortcuts for Google Blog Search (killed May 2011) and Picasa Web Albums (dead May 2016).... \n\n The spell-check servers didn't work anymore, and I couldn't translate anything. The baked-in-by-default connections to Google+ and Google Bookmarks would also let you know that those products have been shut down. Even some of the \"working\" integrations, like Gmail, didn't really work because Gmail no longer supports Internet Explorer.... \n\n\n\nOne feature that really blew my mind was a button that said, \"Turn off features that send information.\" Google Toolbar apparently had a one-click privacy kill switch back in the day.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/12/2342205/google-finally-killed-its-internet-explorer-plugin-google-toolbar?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T23:45:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "15a7ad110b99828196bad2527c05adef" + }, + { + "title": "Has the Corporate Climate Migration Begun?", + "description": "\"Companies large and small, some with longtime roots in their neighborhoods, are on the hunt for new real estate that is less prone to weather and climate extremes,\" writes Axios:\n\nThe corporate migration underway indicates vulnerable communities may see an exodus of large employers in the coming decades as oceans encroach. Inland areas prone to flooding or wildfires mare see similar challenges. Within the past three years, tech giant Hewlett Packard Enterprise, a major hospital in South Carolina, and the nation's eighth-largest airline by passengers carried have all decided to move their infrastructure to higher ground... \n\nAccording to the Charleston Post and Courier newspaper, the hospital has been located downtown for 165 years.... \n\nMeanwhile, in Houston, Hewlett Packard Enterprise is working to complete its new global headquarters in Spring, Texas, after experiencing extensive flooding at its former Houston-area campus in 2016 and then in 2017 during Hurricane Harvey.... Separately, in Florida, the discount airline Spirit is making an extreme weather resilience move of its own. Earlier this year, it announced that it would add a second operations center in Orlando to supplement its current headquarters in Miramar, Florida, just southwest of the airline's largest hub of Fort Lauderdale-Hollywood International Airport... The hurricane susceptibility of southeastern Florida helped motivate the decision, according to news reports.... \n\nMany more businesses are no doubt contemplating similar protective actions, including at the international level where this would manifest itself in a shift of corporate capital and jobs from less climate secure nations to ones with fewer extreme weather risks.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"Companies large and small, some with longtime roots in their neighborhoods, are on the hunt for new real estate that is less prone to weather and climate extremes,\" writes Axios:\n\nThe corporate migration underway indicates vulnerable communities may see an exodus of large employers in the coming decades as oceans encroach. Inland areas prone to flooding or wildfires mare see similar challenges. Within the past three years, tech giant Hewlett Packard Enterprise, a major hospital in South Carolina, and the nation's eighth-largest airline by passengers carried have all decided to move their infrastructure to higher ground... \n\nAccording to the Charleston Post and Courier newspaper, the hospital has been located downtown for 165 years.... \n\nMeanwhile, in Houston, Hewlett Packard Enterprise is working to complete its new global headquarters in Spring, Texas, after experiencing extensive flooding at its former Houston-area campus in 2016 and then in 2017 during Hurricane Harvey.... Separately, in Florida, the discount airline Spirit is making an extreme weather resilience move of its own. Earlier this year, it announced that it would add a second operations center in Orlando to supplement its current headquarters in Miramar, Florida, just southwest of the airline's largest hub of Fort Lauderdale-Hollywood International Airport... The hurricane susceptibility of southeastern Florida helped motivate the decision, according to news reports.... \n\nMany more businesses are no doubt contemplating similar protective actions, including at the international level where this would manifest itself in a shift of corporate capital and jobs from less climate secure nations to ones with fewer extreme weather risks.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://it.slashdot.org/story/21/12/12/2212206/has-the-corporate-climate-migration-begun?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T22:14:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1aa35c4a4c129df63ba3b64a8b4227b9" + }, + { + "title": "Companies Finally Admit They Don't Know When They're Returning to Offices", + "description": "Google, Apple, CNN, and Ford have all postponed their \"Return to Office\" date, reports the New York Times. (Alternate URL here.) The Times also cites a Gartner survey of 238 executives in late August which found two-thirds of organizations were delaying returning to offices because of coronavirus variants. \n\nThe chief people officer at DocuSign even said \"I can't even remember all the dates we've put out there, and I'm the one who put them out there,\" while Lyft said the earliest that workers would be required to return to the office is 2023.\n\nReturn-to-office dates used to be like talismans; the chief executives who set them seemed to wield some power over the shape of the months to come. Then the dates were postponed, and postponed again. At some point the spell was broken. For many companies, office reopening plans have lost their fear factor, coming to seem like wishful thinking rather than a sign of futures filled with alarm clocks, commutes and pants that actually button. The R.T.O. date is gone. It's been replaced with \"we'll get back to you.\" \n\n\"The only companies being dishonest are the ones giving employees certainty,\" said Nicholas Bloom, a Stanford professor who advises dozens of chief executives. \"As a parent you can hide stuff from your kids, but as a C.E.O. you can't do that to adult employees who read the news.\" \n\nSome workers have returned to their cubicles in recent months, with office occupancy across the United States rising from 33 percent in August to 40 percent this month, according to data from Kastle Systems, a building security firm. But the visions of full-scale reopenings and mandatory returns, which formed as vaccines rolled out last spring, have remained nebulous... \n\"Folks have hedged appropriately this time around and they understand that it's a dialogue with their employees, not a mandate,\" said Zach Dunn, co-founder of the office space management platform Robin. \n\nThanks to Long-time Slashdot reader theodp for submitting this story!

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Google, Apple, CNN, and Ford have all postponed their \"Return to Office\" date, reports the New York Times. (Alternate URL here.) The Times also cites a Gartner survey of 238 executives in late August which found two-thirds of organizations were delaying returning to offices because of coronavirus variants. \n\nThe chief people officer at DocuSign even said \"I can't even remember all the dates we've put out there, and I'm the one who put them out there,\" while Lyft said the earliest that workers would be required to return to the office is 2023.\n\nReturn-to-office dates used to be like talismans; the chief executives who set them seemed to wield some power over the shape of the months to come. Then the dates were postponed, and postponed again. At some point the spell was broken. For many companies, office reopening plans have lost their fear factor, coming to seem like wishful thinking rather than a sign of futures filled with alarm clocks, commutes and pants that actually button. The R.T.O. date is gone. It's been replaced with \"we'll get back to you.\" \n\n\"The only companies being dishonest are the ones giving employees certainty,\" said Nicholas Bloom, a Stanford professor who advises dozens of chief executives. \"As a parent you can hide stuff from your kids, but as a C.E.O. you can't do that to adult employees who read the news.\" \n\nSome workers have returned to their cubicles in recent months, with office occupancy across the United States rising from 33 percent in August to 40 percent this month, according to data from Kastle Systems, a building security firm. But the visions of full-scale reopenings and mandatory returns, which formed as vaccines rolled out last spring, have remained nebulous... \n\"Folks have hedged appropriately this time around and they understand that it's a dialogue with their employees, not a mandate,\" said Zach Dunn, co-founder of the office space management platform Robin. \n\nThanks to Long-time Slashdot reader theodp for submitting this story!

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://it.slashdot.org/story/21/12/12/211238/companies-finally-admit-they-dont-know-when-theyre-returning-to-offices?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T21:04:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e242df2f679de17dc9c3ae9c837ac6d8" + }, + { + "title": "FAA: No More Astronaut Wings For Future Commercial Space Tourists", + "description": "\"The Federal Aviation Administration said on Friday that it was ending a program that awarded small gold pins called 'Commercial Space Astronaut Wings' to certain people who flew to space on private spacecraft,\" reports the New York Times. (Alternate URL here.)\n\nBut before the program officially retires in January, all who applied for the gold wings after flying to space this year will still receive them, the agency said. \n\nThat means Mr. Bezos, the billionaire founder of Amazon who rode a rocket with his space company, Blue Origin, to the edge of space in July, will be considered a commercial astronaut. So will Richard Branson, the founder of the space tourism firm Virgin Galactic who flew his own company's rocket plane to space in the same month. William Shatner, the Star Trek star who flew with Blue Origin to the edge of space in October, will also receive astronaut wings to go with his Starfleet paraphernalia. Twelve other people were also added to the federal agency's list of wing recipients on Friday [bringing the list up to 30 people]. \n\nThe changes will help the F.A.A. avoid the potentially awkward position of proclaiming that some space tourists are only passengers, not astronauts. \n\nThe Commercial Space Astronaut Wings Program was created by Patti Grace Smith, the first chief of the F.A.A.'s commercial space office, to promote the private development of human spaceflight — a mandate from a 1984 law that aimed to accelerate innovation of space vehicles. The program began handing out pins to qualified individuals in 2004, when Mike Melvill, a test pilot who flew the Scaled Composites SpaceShipOne plane, became its first recipient. To qualify for the commercial astronaut wings under the original guidelines, a person had to reach an altitude of at least 50 miles, the marker of space recognized by NASA and the U.S. Air Force, and be a member of the spacecraft's \"flight crew...\" \n\nAlthough no one will receive the little gold pins after 2021, those who fly above 50 miles on an F.A.A.-licensed rocket will be honored in the agency's online database. \n\nBut future space tourists should not despair a lack of post-flight flair. Virgin Galactic, Blue Origin and SpaceX have each presented paying and guest passengers with custom-designed wings.\n \nOr, as the Associated Press put it, \"The FAA said Friday it's clipping its astronaut wings because too many people are now launching into space and it's getting out of the astronaut designation business entirely....\"\n\n\"The U.S. commercial human spaceflight industry has come a long way from conducting test flights to launching paying customers into space,\" the FAA's associate administrator Wayne Monteith said in a statement. \"Now it's time to offer recognition to a larger group of adventurers daring to go to space.\" \n\nThanks to long-time Slashdot reader schwit1 for submitting the story.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"The Federal Aviation Administration said on Friday that it was ending a program that awarded small gold pins called 'Commercial Space Astronaut Wings' to certain people who flew to space on private spacecraft,\" reports the New York Times. (Alternate URL here.)\n\nBut before the program officially retires in January, all who applied for the gold wings after flying to space this year will still receive them, the agency said. \n\nThat means Mr. Bezos, the billionaire founder of Amazon who rode a rocket with his space company, Blue Origin, to the edge of space in July, will be considered a commercial astronaut. So will Richard Branson, the founder of the space tourism firm Virgin Galactic who flew his own company's rocket plane to space in the same month. William Shatner, the Star Trek star who flew with Blue Origin to the edge of space in October, will also receive astronaut wings to go with his Starfleet paraphernalia. Twelve other people were also added to the federal agency's list of wing recipients on Friday [bringing the list up to 30 people]. \n\nThe changes will help the F.A.A. avoid the potentially awkward position of proclaiming that some space tourists are only passengers, not astronauts. \n\nThe Commercial Space Astronaut Wings Program was created by Patti Grace Smith, the first chief of the F.A.A.'s commercial space office, to promote the private development of human spaceflight — a mandate from a 1984 law that aimed to accelerate innovation of space vehicles. The program began handing out pins to qualified individuals in 2004, when Mike Melvill, a test pilot who flew the Scaled Composites SpaceShipOne plane, became its first recipient. To qualify for the commercial astronaut wings under the original guidelines, a person had to reach an altitude of at least 50 miles, the marker of space recognized by NASA and the U.S. Air Force, and be a member of the spacecraft's \"flight crew...\" \n\nAlthough no one will receive the little gold pins after 2021, those who fly above 50 miles on an F.A.A.-licensed rocket will be honored in the agency's online database. \n\nBut future space tourists should not despair a lack of post-flight flair. Virgin Galactic, Blue Origin and SpaceX have each presented paying and guest passengers with custom-designed wings.\n \nOr, as the Associated Press put it, \"The FAA said Friday it's clipping its astronaut wings because too many people are now launching into space and it's getting out of the astronaut designation business entirely....\"\n\n\"The U.S. commercial human spaceflight industry has come a long way from conducting test flights to launching paying customers into space,\" the FAA's associate administrator Wayne Monteith said in a statement. \"Now it's time to offer recognition to a larger group of adventurers daring to go to space.\" \n\nThanks to long-time Slashdot reader schwit1 for submitting the story.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/12/1941236/faa-no-more-astronaut-wings-for-future-commercial-space-tourists?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T19:44:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "62b1ba1de7ff3a298c62748b8db8dbd3" + }, + { + "title": "Ask Slashdot: What Do You Remember About Windows ME?", + "description": "\"Windows Me was unstable, unloved and unusable,\" remembered Computerworld last year, on the 20th anniversary of its release, calling it \"a stink bomb of an operating system.\"\n Windows Me was a ghastly, slapdash piece of work, incompatible with lots of hardware and software. It frequently failed during the installation process — which should have been the first sign for people that this was an operating system they shouldn't try.Often, when you tried to shut it down, it declined to do so, like a two-year-old throwing a temper tantrum over being forced to go to sleep. It was slow and insecure. Its web browser, Internet Explorer, frequently refused to load web pages. \n\nBut they ultimately argue that it wasn't as bad as Windows Vista, which \"simply refused to run, or ran so badly it was useless on countless PCs. Not just old PCs, but even newly bought PCs, right out of the box, with Vista installed.\" And they conclude that the worst Microsoft OS of all is still Windows 8. (\"You want bad? You want stupid? You want an operating system that not only was roundly reviled by consumers and businesses alike, but also set Microsoft's business plans back years?\") \n\n\nSlashdot reader alaskana98 even remembers Windows ME semi-fondly as \"the last Microsoft OS to use the Windows 95 codebase.\"\nWhile rightly being panned as a buggy and crash-prone OS — indeed it was labelled as the worst version of Windows ever released by Computer World — it did introduce a number of features that continue on to this very day. Those features include: \n\n-A personalized start menu that would show your most recently accessed programs, today a common feature in the Windows landscape.\n-Software support for DVD playback. Previously one needed a dedicated card to playback DVDs.\n-Windows Movie Maker and Windows Media Player 7, allowing home users to create, edit and burn their own digital home movies. While seemingly pedestrian in today's times, these were groundbreaking features for home users in the year 2000.\n-The first iteration of System Restore — imagine a modern version of Windows not having the ability to conveniently restore to a working configuration — before Windows ME, this was simply not a possibility for the average home user unless you had a rigorous backup routine.\n-The removal of real-mode DOS. While very controversial at the time, this change arguably improved the speed and reliability of the boot process. \n\n\nLove it or hate it (well, lets face it, if you were a computer user at that point you probably hated it) — Windows ME did make several important contributions to the modern OS landscape that are often overlooked to this day. Do you have any stories from the heady days of late 2000 when Windows ME was first released? \n\nSlashdot reader Z00L00K remembers in a comment that \"The removal of real-mode DOS is what REALLY made ME impossible to use for most of us at the time. It broke backwards compatibility so hard that the only way out was to use any of the earlier versions of Windows instead!\" \n\nIs this re-awakening images of the year 2000 for anyone? Share your own memories and thoughts in the comments. \n\nWhat do you remember about Windows ME?

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"Windows Me was unstable, unloved and unusable,\" remembered Computerworld last year, on the 20th anniversary of its release, calling it \"a stink bomb of an operating system.\"\n Windows Me was a ghastly, slapdash piece of work, incompatible with lots of hardware and software. It frequently failed during the installation process — which should have been the first sign for people that this was an operating system they shouldn't try.Often, when you tried to shut it down, it declined to do so, like a two-year-old throwing a temper tantrum over being forced to go to sleep. It was slow and insecure. Its web browser, Internet Explorer, frequently refused to load web pages. \n\nBut they ultimately argue that it wasn't as bad as Windows Vista, which \"simply refused to run, or ran so badly it was useless on countless PCs. Not just old PCs, but even newly bought PCs, right out of the box, with Vista installed.\" And they conclude that the worst Microsoft OS of all is still Windows 8. (\"You want bad? You want stupid? You want an operating system that not only was roundly reviled by consumers and businesses alike, but also set Microsoft's business plans back years?\") \n\n\nSlashdot reader alaskana98 even remembers Windows ME semi-fondly as \"the last Microsoft OS to use the Windows 95 codebase.\"\nWhile rightly being panned as a buggy and crash-prone OS — indeed it was labelled as the worst version of Windows ever released by Computer World — it did introduce a number of features that continue on to this very day. Those features include: \n\n-A personalized start menu that would show your most recently accessed programs, today a common feature in the Windows landscape.\n-Software support for DVD playback. Previously one needed a dedicated card to playback DVDs.\n-Windows Movie Maker and Windows Media Player 7, allowing home users to create, edit and burn their own digital home movies. While seemingly pedestrian in today's times, these were groundbreaking features for home users in the year 2000.\n-The first iteration of System Restore — imagine a modern version of Windows not having the ability to conveniently restore to a working configuration — before Windows ME, this was simply not a possibility for the average home user unless you had a rigorous backup routine.\n-The removal of real-mode DOS. While very controversial at the time, this change arguably improved the speed and reliability of the boot process. \n\n\nLove it or hate it (well, lets face it, if you were a computer user at that point you probably hated it) — Windows ME did make several important contributions to the modern OS landscape that are often overlooked to this day. Do you have any stories from the heady days of late 2000 when Windows ME was first released? \n\nSlashdot reader Z00L00K remembers in a comment that \"The removal of real-mode DOS is what REALLY made ME impossible to use for most of us at the time. It broke backwards compatibility so hard that the only way out was to use any of the earlier versions of Windows instead!\" \n\nIs this re-awakening images of the year 2000 for anyone? Share your own memories and thoughts in the comments. \n\nWhat do you remember about Windows ME?

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/12/1839232/ask-slashdot-what-do-you-remember-about-windows-me?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T18:42:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "4feb4096183aec3fed2d9a444e71c4fe" + }, + { + "title": "Scientists Discover How the SARS-CoV-2 Virus Evades Our Immune System", + "description": "Long-time Slashdot reader fahrbot-bot quotes SciTechDaily: A discovery by researchers at the Texas A&M College of Medicine could lead to new therapies to prevent the virus from proliferating in the human body... The underlying mechanism of how SARS-CoV-2 escapes from the immune system has been poorly understood. However, researchers from the Texas A&M University College of Medicine and Hokkaido University have recently discovered a major mechanism that explains how SARS-CoV-2 can escape from the immune system and replicate in the human body. Their findings were recently published in the journal Nature Communications.\n \n\"We found that the SARS-CoV-2 virus carries a suppressive gene that acts to inhibit a human gene in the immune system that is essential for destroying infected cells,\" said Dr. Koichi Kobayashi, adjunct professor at the College of Medicine and lead author of the paper.\n \nNaturally, the cells in a human's immune system are able to control virus infection by destroying infected cells so that the virus cannot be replicated. The gene that is essential in executing this process, called NLRC5, regulates major histocompatibility complex (MHC) class I genes, which are genes that create a pathway that is vital in providing antiviral immunity. Kobayashi and his colleagues discovered this in 2012.\n \n\"During infection, the amount and activity of NLRC5 gene become augmented in order to boost our ability of eradication of viruses,\" Kobayashi said. \"We discovered that the reason why SARS-CoV-2 can replicate so easily is because the virus carries a suppressive gene, called ORF6, that acts to inhibit the function of NLRC5, thus inhibiting the MHC class I pathway as well.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Long-time Slashdot reader fahrbot-bot quotes SciTechDaily: A discovery by researchers at the Texas A&M College of Medicine could lead to new therapies to prevent the virus from proliferating in the human body... The underlying mechanism of how SARS-CoV-2 escapes from the immune system has been poorly understood. However, researchers from the Texas A&M University College of Medicine and Hokkaido University have recently discovered a major mechanism that explains how SARS-CoV-2 can escape from the immune system and replicate in the human body. Their findings were recently published in the journal Nature Communications.\n \n\"We found that the SARS-CoV-2 virus carries a suppressive gene that acts to inhibit a human gene in the immune system that is essential for destroying infected cells,\" said Dr. Koichi Kobayashi, adjunct professor at the College of Medicine and lead author of the paper.\n \nNaturally, the cells in a human's immune system are able to control virus infection by destroying infected cells so that the virus cannot be replicated. The gene that is essential in executing this process, called NLRC5, regulates major histocompatibility complex (MHC) class I genes, which are genes that create a pathway that is vital in providing antiviral immunity. Kobayashi and his colleagues discovered this in 2012.\n \n\"During infection, the amount and activity of NLRC5 gene become augmented in order to boost our ability of eradication of viruses,\" Kobayashi said. \"We discovered that the reason why SARS-CoV-2 can replicate so easily is because the virus carries a suppressive gene, called ORF6, that acts to inhibit the function of NLRC5, thus inhibiting the MHC class I pathway as well.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/12/013249/scientists-discover-how-the-sars-cov-2-virus-evades-our-immune-system?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T17:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "30d51ae18b11fb70a930f6ce680da8fd" + }, + { + "title": "NASA's Next-Generation Asteroid Impact Monitoring System Goes Online", + "description": "\"To date, nearly 28,000 near-Earth asteroids have been found by survey telescopes that continually scan the night sky, adding new discoveries at a rate of about 3,000 per year...\" according to an article from NASA: \n\n\"The first version of Sentry was a very capable system that was in operation for almost 20 years,\" said Javier Roa Vicens, who led the development of Sentry-II while working at JPL as a navigation engineer and recently moved to SpaceX. \"It was based on some very smart mathematics: In under an hour, you could reliably get the impact probability for a newly discovered asteroid over the next 100 years — an incredible feat.\" \n\nBut RockDoctor (Slashdot reader #15,477), summarizes some new changes:\n\nFor nearly 20 years, newly discovered asteroids had orbital predictions processed by a system called \"Sentry\", resulting in quick estimates on the impact risk they represent with Earth. Generally this has worked well, but several things in the future required updates, and a new system adds a number of useful features too.\n The coming wave of big survey telescopes which will check the whole sky every few days is going to greatly increase the number of discoveries. That requires streamlining of the overall system to improve processing speed. The new system can also automatically incorporate factors which previously required manual intervention to calculate, particularly the effect of asteroid rotation creating non-gravitational forces on a new discovery's future orbit. Objects like asteroid Bennu (recently subject of a sampling mission) had significant uncertainty on their future path because of these effects. That doesn't mean that Bennu can possibly hit us in the next few centuries, but it became harder to say over the next few millennia. As NASA puts it:\n\n Popular culture often depicts asteroids as chaotic objects that zoom haphazardly around our solar system, changing course unpredictably and threatening our planet without a moment's notice. This is not the reality. Asteroids are extremely predictable celestial bodies that obey the laws of physics and follow knowable orbital paths around the Sun.\n But sometimes, those paths can come very close to Earth's future position and, because of small uncertainties in the asteroids' positions, a future Earth impact cannot be completely ruled out. So, astronomers use sophisticated impact monitoring software to automatically calculate the impact risk.... \n\n[T]he researchers have made the impact monitoring system more robust, enabling NASA to confidently assess all potential impacts with odds as low as a few chances in 10 million. \n\nThe article includes videos explaining the future uncertainties on the orbits of potentially hazardous asteroids Bennu and Apophis.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"To date, nearly 28,000 near-Earth asteroids have been found by survey telescopes that continually scan the night sky, adding new discoveries at a rate of about 3,000 per year...\" according to an article from NASA: \n\n\"The first version of Sentry was a very capable system that was in operation for almost 20 years,\" said Javier Roa Vicens, who led the development of Sentry-II while working at JPL as a navigation engineer and recently moved to SpaceX. \"It was based on some very smart mathematics: In under an hour, you could reliably get the impact probability for a newly discovered asteroid over the next 100 years — an incredible feat.\" \n\nBut RockDoctor (Slashdot reader #15,477), summarizes some new changes:\n\nFor nearly 20 years, newly discovered asteroids had orbital predictions processed by a system called \"Sentry\", resulting in quick estimates on the impact risk they represent with Earth. Generally this has worked well, but several things in the future required updates, and a new system adds a number of useful features too.\n The coming wave of big survey telescopes which will check the whole sky every few days is going to greatly increase the number of discoveries. That requires streamlining of the overall system to improve processing speed. The new system can also automatically incorporate factors which previously required manual intervention to calculate, particularly the effect of asteroid rotation creating non-gravitational forces on a new discovery's future orbit. Objects like asteroid Bennu (recently subject of a sampling mission) had significant uncertainty on their future path because of these effects. That doesn't mean that Bennu can possibly hit us in the next few centuries, but it became harder to say over the next few millennia. As NASA puts it:\n\n Popular culture often depicts asteroids as chaotic objects that zoom haphazardly around our solar system, changing course unpredictably and threatening our planet without a moment's notice. This is not the reality. Asteroids are extremely predictable celestial bodies that obey the laws of physics and follow knowable orbital paths around the Sun.\n But sometimes, those paths can come very close to Earth's future position and, because of small uncertainties in the asteroids' positions, a future Earth impact cannot be completely ruled out. So, astronomers use sophisticated impact monitoring software to automatically calculate the impact risk.... \n\n[T]he researchers have made the impact monitoring system more robust, enabling NASA to confidently assess all potential impacts with odds as low as a few chances in 10 million. \n\nThe article includes videos explaining the future uncertainties on the orbits of potentially hazardous asteroids Bennu and Apophis.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/11/2231238/nasas-next-generation-asteroid-impact-monitoring-system-goes-online?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T16:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7b96cc6fe77cc76731916f2bc1cfdb91" + }, + { + "title": "'When a Newspaper Publishes an Unsolvable Puzzle'", + "description": "Slashdot reader DevNull127 writes: It's a newspaper puzzle that's like Sudoku, except it's impossible. [Sort of...] They call it \"The Challenger\" puzzle — but when the newspaper leaves out a crucial instruction, you can end up searching forever for a unique solution which doesn't exist! \n\n\"If you're thinking 'This could be a 9 or an 8....' — you're right!\" complains Lou Cabron. \"Everyone's a winner today! Just start scribbling in numbers! And you'd be a fool to try to keep narrowing them down by, say, using your math and logic skills. A fool like me...\" (Albeit a fool who once solved a Sudoku puzzle entirely in his head.) But two hours of frustration later — and one night of bad dreams — he's stumbled onto the web page of Dr. Robert J. Lopez, an emeritus math professor in Indiana, who's calculated that in fact Challenger puzzles can have up to 190 solutions... and there's more than one solution for more than 97% of them! \n\nAt the end of the day, it becomes an appreciation for the local newspaper, and the puzzles they run next to the funnies. But with a friendly reminder \"that they ought to honor and respect that love — by always providing the complete instructions.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Slashdot reader DevNull127 writes: It's a newspaper puzzle that's like Sudoku, except it's impossible. [Sort of...] They call it \"The Challenger\" puzzle — but when the newspaper leaves out a crucial instruction, you can end up searching forever for a unique solution which doesn't exist! \n\n\"If you're thinking 'This could be a 9 or an 8....' — you're right!\" complains Lou Cabron. \"Everyone's a winner today! Just start scribbling in numbers! And you'd be a fool to try to keep narrowing them down by, say, using your math and logic skills. A fool like me...\" (Albeit a fool who once solved a Sudoku puzzle entirely in his head.) But two hours of frustration later — and one night of bad dreams — he's stumbled onto the web page of Dr. Robert J. Lopez, an emeritus math professor in Indiana, who's calculated that in fact Challenger puzzles can have up to 190 solutions... and there's more than one solution for more than 97% of them! \n\nAt the end of the day, it becomes an appreciation for the local newspaper, and the puzzles they run next to the funnies. But with a friendly reminder \"that they ought to honor and respect that love — by always providing the complete instructions.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://idle.slashdot.org/story/21/12/11/2329220/when-a-newspaper-publishes-an-unsolvable-puzzle?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T15:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "cdaa58f4cfb4ec0e34a6c705a71146cc" + }, + { + "title": "Hard Drive With 7,500 Bitcoin Buried in Landfill. Can It Be Dug Up?", + "description": "In 2013 a British man accidentally threw away a hard drive that contained 7,500 bitcoin. Today it'd be worth over $350 million, reports CNBC:\n\nHis name is James Howells. He's an IT worker from Wales... He once told NBC News, \"It is soul-destroying, to be honest... Every second of the day I am thinking about what could've been.\" In a last-ditch effort earlier this year, Howells offered his local town tens of millions of dollars to help him find it. \n\nBy \"find it,\" he means \"digging through his local dump\" (where the hard drive ended up). The New Yorker reported that this spring Howell finally got a meeting with two city officials, one of whom was responsible for the city's waste and sanitation services. But after he'd delivered his home-made PowerPoint presentation over Zoom, he says their response was, \"You know, Mr. Howells, there is absolutely zero appetite for this project to go ahead within Newport City Council.\"\n\nWhen the meeting ended, she said that she would call him if the situation changed. Months of silence followed. (A spokesperson for the city council told me that the official permit for the site does not allow \"excavation work....\") \n\n\"The total area we want to dig is two hundred and fifty metres by two hundred and fifty metres by fifteen metres deep,\" Howells told me, with excitement. \"It's forty thousand tons of waste. It's not impossible, is it?\" \n\nThe New Yorker also reports that in mid-November Howells got a second response from the local city officials — declining to authorize his landfill digging yet again, calling it \"environmentally risky.\" \n\nThe incident raises the question as to whether there should be a better way to recover lost cryptocoins — but Howells himself remains opposed to that. So meanwhile Howells keeps checking a phone app telling him how much his bitcoin would be worth if he hadn't thrown away the hard drive. \n\nOne day, he watched its value swing by $20 million.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "In 2013 a British man accidentally threw away a hard drive that contained 7,500 bitcoin. Today it'd be worth over $350 million, reports CNBC:\n\nHis name is James Howells. He's an IT worker from Wales... He once told NBC News, \"It is soul-destroying, to be honest... Every second of the day I am thinking about what could've been.\" In a last-ditch effort earlier this year, Howells offered his local town tens of millions of dollars to help him find it. \n\nBy \"find it,\" he means \"digging through his local dump\" (where the hard drive ended up). The New Yorker reported that this spring Howell finally got a meeting with two city officials, one of whom was responsible for the city's waste and sanitation services. But after he'd delivered his home-made PowerPoint presentation over Zoom, he says their response was, \"You know, Mr. Howells, there is absolutely zero appetite for this project to go ahead within Newport City Council.\"\n\nWhen the meeting ended, she said that she would call him if the situation changed. Months of silence followed. (A spokesperson for the city council told me that the official permit for the site does not allow \"excavation work....\") \n\n\"The total area we want to dig is two hundred and fifty metres by two hundred and fifty metres by fifteen metres deep,\" Howells told me, with excitement. \"It's forty thousand tons of waste. It's not impossible, is it?\" \n\nThe New Yorker also reports that in mid-November Howells got a second response from the local city officials — declining to authorize his landfill digging yet again, calling it \"environmentally risky.\" \n\nThe incident raises the question as to whether there should be a better way to recover lost cryptocoins — but Howells himself remains opposed to that. So meanwhile Howells keeps checking a phone app telling him how much his bitcoin would be worth if he hadn't thrown away the hard drive. \n\nOne day, he watched its value swing by $20 million.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/12/0637228/hard-drive-with-7500-bitcoin-buried-in-landfill-can-it-be-dug-up?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T11:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "83817cf1be2ac751445a73025c0b632b" + }, + { + "title": "Is the Internet Changing the Way We Remember?", + "description": "\"A study in 2019 found that the spatial memory used for navigating through the world tends to be worse for people who've made extensive use of map apps and GPS devices...\" reports NBC News. \n\n\nBut that's just the beginning, according to Adrian Ward, who studies psychology at the University of Texas at Austin. NBC says Ward's research suggests \"People who lean on a search engine such as Google may get the right answers but they can also end up with a wrong idea of how strong their own memory is.\"\n\nIn Ward's research, published in October in the journal Proceedings of the National Academy of Sciences of the United States, he used a series of eight experiments to test how people used and thought about their own knowledge as they completed short quizzes of general knowledge. Some participants had access to Google while answering the questions — \"What is the most widely spoken language in the world?\" was one — while others did not. They also completed surveys. He found that people who used Google were more confident in their own ability to think and remember, and erroneously predicted that they would know significantly more in future quizzes without the help of the internet. Ward attributed that to Google's design: simple and easy, less like a library and more like a \"neural prosthetic\" that simulates a search in a human brain. \n\n\"The speed makes it so you never understand what you don't know,\" Ward said. \n\nThe findings echo and build on earlier research, including a widely cited 2011 paper on the \"Google effect\": a phenomenon in which people are less likely to remember information if they know they can find it later on the internet.... In a review of recent studies in the field, published in September, researchers at Duke University found that the \"externalization\" of memories into digital spheres \"changes what people attend to and remember about their own experiences.\" Digital media is new and different, they wrote, because of factors such as how easily images are edited or the huge number of memories at people's fingertips. \n\nEach photographic cue means another chance for a memory to be \"updated,\" maybe with a false impression, and each manipulation of a piece of social media content is a chance for distortion, wrote the researchers, doctoral student Emmaline Drew Eliseev and Elizabeth Marsh, a professor of psychology and neuroscience and director of a lab dedicated to studying memory.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"A study in 2019 found that the spatial memory used for navigating through the world tends to be worse for people who've made extensive use of map apps and GPS devices...\" reports NBC News. \n\n\nBut that's just the beginning, according to Adrian Ward, who studies psychology at the University of Texas at Austin. NBC says Ward's research suggests \"People who lean on a search engine such as Google may get the right answers but they can also end up with a wrong idea of how strong their own memory is.\"\n\nIn Ward's research, published in October in the journal Proceedings of the National Academy of Sciences of the United States, he used a series of eight experiments to test how people used and thought about their own knowledge as they completed short quizzes of general knowledge. Some participants had access to Google while answering the questions — \"What is the most widely spoken language in the world?\" was one — while others did not. They also completed surveys. He found that people who used Google were more confident in their own ability to think and remember, and erroneously predicted that they would know significantly more in future quizzes without the help of the internet. Ward attributed that to Google's design: simple and easy, less like a library and more like a \"neural prosthetic\" that simulates a search in a human brain. \n\n\"The speed makes it so you never understand what you don't know,\" Ward said. \n\nThe findings echo and build on earlier research, including a widely cited 2011 paper on the \"Google effect\": a phenomenon in which people are less likely to remember information if they know they can find it later on the internet.... In a review of recent studies in the field, published in September, researchers at Duke University found that the \"externalization\" of memories into digital spheres \"changes what people attend to and remember about their own experiences.\" Digital media is new and different, they wrote, because of factors such as how easily images are edited or the huge number of memories at people's fingertips. \n\nEach photographic cue means another chance for a memory to be \"updated,\" maybe with a false impression, and each manipulation of a piece of social media content is a chance for distortion, wrote the researchers, doctoral student Emmaline Drew Eliseev and Elizabeth Marsh, a professor of psychology and neuroscience and director of a lab dedicated to studying memory.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/12/0533240/is-the-internet-changing-the-way-we-remember?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T08:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "782024e9545f3ee91986751c8f4da45b" + }, + { + "title": "Deadly Collapse at Amazon Warehouse Raises Questions About Its Cellphone Ban", + "description": "At least six people were killed Friday night when an Amazon warehouse was struck by a tornado, causing part of the building to collapse. \nBloomberg reports that the incident \"amplified concerns\" about a warehouse policy that Amazon has been re-implementing for its workers: banning cellphones.\n\nAmazon had for years prohibited workers from carrying their phones on warehouse floors, requiring them to leave them in vehicles or employee lockers before passing through security checks that include metal detectors. The company backed off during the pandemic, but has been gradually reintroducing it at facilities around the country. \n\nFive Amazon employees, including two who work across the street from the building that collapsed, said they want access to information such as updates on potentially deadly weather events through their smartphones — without interference from Amazon. The phones can also help them communicate with emergency responders or loved ones if they are trapped, they said. \"After these deaths, there is no way in hell I am relying on Amazon to keep me safe,\" said one worker from a neighboring Amazon facility in Illinois. \"If they institute the no cell phone policy, I am resigning.\" \n\nAnother worker from an Amazon warehouse in Indiana said she is using up her paid time off whenever the company decides to remain open despite warnings of extreme weather events. Having her phone with her is critical to making those decisions, especially about sudden tornado risks, she said. \"I don't trust them with my safety to be quite frank,\" she said. \"If there's severe weather on the way, I think I should be able to make my own decision about safety...\" \n\n\nThe National Weather Service puts out extreme weather alerts via text messages, letting the public know in advance about dangerous conditions... Tornadoes are trickier to anticipate than hurricanes and snowstorms, but the weather service still issues warnings to those in their path. The weather service sent such a warning at about 8 p.m. local time Friday, about 30 minutes before the storm collapsed the Edwardsville Amazon delivery station, the workers said. \n\n\nThe Daily Beast tells the story of young Navy veteran named Clayton Cope who started working at the Amazon fulfillment center earlier this year:\nAfter an alert was issued Friday night about a deadly tornado approaching Illinois, Carla Cope told her son \"to get to shelter\" at the Amazon delivery facility where he was working. \n\nInstead, she told The Daily Beast her 29-year-old son, Clayton, insisted he needed to alert others about the impending natural disaster. \"He just said he needed to tell someone that [the tornado] was coming,\" Cope told The Daily Beast on Saturday, hours after she learned her son was among six people killed in Edwardsville, Illinois, when storms ripped through. \n\nTwo more Amazon warehouse workers died in 2018 when another building partially collapsed in a tornado in Balitmore. \n\nBloomberg reports today that Amazon \"declined to address the concerns raised by workers about its mobile phone policy, saying its focus now is 'on assisting the brave first responders on the scene and supporting our affected employees and partners in the area.'\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "At least six people were killed Friday night when an Amazon warehouse was struck by a tornado, causing part of the building to collapse. \nBloomberg reports that the incident \"amplified concerns\" about a warehouse policy that Amazon has been re-implementing for its workers: banning cellphones.\n\nAmazon had for years prohibited workers from carrying their phones on warehouse floors, requiring them to leave them in vehicles or employee lockers before passing through security checks that include metal detectors. The company backed off during the pandemic, but has been gradually reintroducing it at facilities around the country. \n\nFive Amazon employees, including two who work across the street from the building that collapsed, said they want access to information such as updates on potentially deadly weather events through their smartphones — without interference from Amazon. The phones can also help them communicate with emergency responders or loved ones if they are trapped, they said. \"After these deaths, there is no way in hell I am relying on Amazon to keep me safe,\" said one worker from a neighboring Amazon facility in Illinois. \"If they institute the no cell phone policy, I am resigning.\" \n\nAnother worker from an Amazon warehouse in Indiana said she is using up her paid time off whenever the company decides to remain open despite warnings of extreme weather events. Having her phone with her is critical to making those decisions, especially about sudden tornado risks, she said. \"I don't trust them with my safety to be quite frank,\" she said. \"If there's severe weather on the way, I think I should be able to make my own decision about safety...\" \n\n\nThe National Weather Service puts out extreme weather alerts via text messages, letting the public know in advance about dangerous conditions... Tornadoes are trickier to anticipate than hurricanes and snowstorms, but the weather service still issues warnings to those in their path. The weather service sent such a warning at about 8 p.m. local time Friday, about 30 minutes before the storm collapsed the Edwardsville Amazon delivery station, the workers said. \n\n\nThe Daily Beast tells the story of young Navy veteran named Clayton Cope who started working at the Amazon fulfillment center earlier this year:\nAfter an alert was issued Friday night about a deadly tornado approaching Illinois, Carla Cope told her son \"to get to shelter\" at the Amazon delivery facility where he was working. \n\nInstead, she told The Daily Beast her 29-year-old son, Clayton, insisted he needed to alert others about the impending natural disaster. \"He just said he needed to tell someone that [the tornado] was coming,\" Cope told The Daily Beast on Saturday, hours after she learned her son was among six people killed in Edwardsville, Illinois, when storms ripped through. \n\nTwo more Amazon warehouse workers died in 2018 when another building partially collapsed in a tornado in Balitmore. \n\nBloomberg reports today that Amazon \"declined to address the concerns raised by workers about its mobile phone policy, saying its focus now is 'on assisting the brave first responders on the scene and supporting our affected employees and partners in the area.'\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/12/0439242/deadly-collapse-at-amazon-warehouse-raises-questions-about-its-cellphone-ban?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T04:46:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0ade791f8097859961da6f41e515df89" + }, + { + "title": "Judges Read Capitol Rioters' Social Media Posts, Gave Them Stricter Sentences", + "description": "After sentencing one of the \"Capitol Hill rioters\" to 41 months in prison, a judge added that anyone with Facebook and Instagram posts like his would be \"well advised\" to just plead guilty right away. \"You couldn't have beat this if you went to trial on the evidence that I saw.\" \n\nAnd other rioters are now learning the same thing, reports the Associated Press:\n\nEarlier this month, U.S. District Judge Amy Jackson read aloud some of Russell Peterson's posts about the riot before she sentenced the Pennsylvania man to 30 days imprisonment. \"Overall I had fun lol,\" Peterson posted on Facebook. The judge told Peterson that his posts made it \"extraordinarily difficult\" for her to show him leniency.... \n\nAmong the biggest takeaways so far from the Justice Department's prosecution of the insurrection is how large a role social media has played, with much of the most damning evidence coming from rioters' own words and videos. FBI agents have identified scores of rioters from public posts and records subpoenaed from social media platforms. Prosecutors use the posts to build cases. Judge now are citing defendants' words and images as factors weighing in favor of tougher sentences. \n\nAs of Friday, more than 50 people have been sentenced for federal crimes related to the insurrection. In at least 28 of those cases, prosecutors factored a defendant's social media posts into their requests for stricter sentences, according to an Associated Press review of court records.... \n\nProsecutors also have accused a few defendants of trying to destroy evidence by deleting posts.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "After sentencing one of the \"Capitol Hill rioters\" to 41 months in prison, a judge added that anyone with Facebook and Instagram posts like his would be \"well advised\" to just plead guilty right away. \"You couldn't have beat this if you went to trial on the evidence that I saw.\" \n\nAnd other rioters are now learning the same thing, reports the Associated Press:\n\nEarlier this month, U.S. District Judge Amy Jackson read aloud some of Russell Peterson's posts about the riot before she sentenced the Pennsylvania man to 30 days imprisonment. \"Overall I had fun lol,\" Peterson posted on Facebook. The judge told Peterson that his posts made it \"extraordinarily difficult\" for her to show him leniency.... \n\nAmong the biggest takeaways so far from the Justice Department's prosecution of the insurrection is how large a role social media has played, with much of the most damning evidence coming from rioters' own words and videos. FBI agents have identified scores of rioters from public posts and records subpoenaed from social media platforms. Prosecutors use the posts to build cases. Judge now are citing defendants' words and images as factors weighing in favor of tougher sentences. \n\nAs of Friday, more than 50 people have been sentenced for federal crimes related to the insurrection. In at least 28 of those cases, prosecutors factored a defendant's social media posts into their requests for stricter sentences, according to an Associated Press review of court records.... \n\nProsecutors also have accused a few defendants of trying to destroy evidence by deleting posts.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/12/0218248/judges-read-capitol-rioters-social-media-posts-gave-them-stricter-sentences?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T02:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "85dc7156f8ee1ff6d6b47ab212adff09" + }, + { + "title": "Data on Tens of Thousands of South Australian Government Employees Breached in Ransomware Attack", + "description": "\"Russian hackers have stolen and published the personal data of tens of thousands of employees...\" reports the Australian Financial Review. \n\nGovernment officials have confirmed the breach — part of a ransomware attack — and say the stolen data may even include info on the country's premier, according to an Australian public broadcaster:\nThe government said the records of at least 38,000 employees, but potentially up to 80,000 workers, have been accessed in a cyber-attack on external payroll software provider Frontier Software. The data includes names, dates of birth, tax file numbers, home addresses, bank account details, remuneration and superannuation contributions... Treasurer Rob Lucas said politicians, including Premier Steven Marshall, could be among those affected. \n\nThe treasurer added the breach potentially impacted \"The highest of the high to the lowest of the low and all of the rest of us in between.\" Except for schoolteachers, and the Department of Education, who did not use Frontier's software. \n\nThe website publishing the 3.75 gigabytes of data claimed it was just 10% of the total amount, according to the Australian Financial Review, which \"understands Russian organised crime group Conti, which claimed credit for launching the cyberattack on Queensland's energy network CS Energy, published the information.\"\nAustralian Payroll Association chief executive Tracy Angwin said the hack was a wake-up call to employers using remotely accessed payroll systems to ensure they were secure... \n\nFrontier Software said the hacker responsible for the incident was known to employ a \"double extortion\" strategy, which included encrypting systems and stealing the data. \n\nIn another report, Bleeping Computer describes Conti as \"a long-lived Ransomware as a Service operation\" that \"still manages to evade prosecution even after high-profile incidents against vital national resources such as Ireland's Department of Health.\"\n\nThe gang is believed to be behind the recent revival of the notorious Emotet botnet, which could lead to a massive new wave of ransomware infections. This week, Conti took responsibility for the attack against Nordic Choice Hotels, a Scandinavian hotel chain with 200 properties. \n\nThanks to Macfox (Slashdot reader #50,100) for tipping us off to the news.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"Russian hackers have stolen and published the personal data of tens of thousands of employees...\" reports the Australian Financial Review. \n\nGovernment officials have confirmed the breach — part of a ransomware attack — and say the stolen data may even include info on the country's premier, according to an Australian public broadcaster:\nThe government said the records of at least 38,000 employees, but potentially up to 80,000 workers, have been accessed in a cyber-attack on external payroll software provider Frontier Software. The data includes names, dates of birth, tax file numbers, home addresses, bank account details, remuneration and superannuation contributions... Treasurer Rob Lucas said politicians, including Premier Steven Marshall, could be among those affected. \n\nThe treasurer added the breach potentially impacted \"The highest of the high to the lowest of the low and all of the rest of us in between.\" Except for schoolteachers, and the Department of Education, who did not use Frontier's software. \n\nThe website publishing the 3.75 gigabytes of data claimed it was just 10% of the total amount, according to the Australian Financial Review, which \"understands Russian organised crime group Conti, which claimed credit for launching the cyberattack on Queensland's energy network CS Energy, published the information.\"\nAustralian Payroll Association chief executive Tracy Angwin said the hack was a wake-up call to employers using remotely accessed payroll systems to ensure they were secure... \n\nFrontier Software said the hacker responsible for the incident was known to employ a \"double extortion\" strategy, which included encrypting systems and stealing the data. \n\nIn another report, Bleeping Computer describes Conti as \"a long-lived Ransomware as a Service operation\" that \"still manages to evade prosecution even after high-profile incidents against vital national resources such as Ireland's Department of Health.\"\n\nThe gang is believed to be behind the recent revival of the notorious Emotet botnet, which could lead to a massive new wave of ransomware infections. This week, Conti took responsibility for the attack against Nordic Choice Hotels, a Scandinavian hotel chain with 200 properties. \n\nThanks to Macfox (Slashdot reader #50,100) for tipping us off to the news.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/11/1558257/data-on-tens-of-thousands-of-south-australian-government-employees-breached-in-ransomware-attack?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-11T23:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9e77e8c82c21b41b15638f9407eba65b" + }, + { + "title": "Magnus Carlsen Wins 8th World Chess Championship. What Makes Him So Great?", + "description": "\"On Friday, needing just one point against Ian Nepomniachtchi to defend his world champion status, Magnus Carlsen closed the match out with three games to spare, 7.5-3.5,\" ESPN reports. \"He's been the No 1 chess player in the world for a decade now... \n\n\"In a technologically flat, AI-powered chess world where preparation among the best players can be almost equal, what really makes one guy stand out with his dominance and genius for this long...?\n\n\nAmerican Grandmaster and chess commentator Robert Hess describes Carlsen as the \"hardest worker you'll find\" both at the board and in preparation. \"He is second-to-none at evading common theoretical lines and prefers to outplay his opponents in positions where both players must rely on their understanding of the current dynamics,\" Hess says... \n\n\nAt the start of this year, news emerged of Nepomniachtchi and his team having access to a supercomputer cluster, Zhores, from the Moscow-based Skolkovo Institute of Science and Technology. He was using it for his Candidates tournament preparation, a tournament he went on to win. He gained the challenger status for the World Championship and the Zhores supercomputer reportedly continued to be a mainstay in his team. Zhores was specifically designed to solve problems in machine learning and data-based modeling with a capacity of one Petaflop per second.... Players use computers and open-source AI engines to analyze openings, bolster preparation, scour for a bank of new ideas and to go down lines that the other is unlikely to have explored. \n\nThe tiny detail though is, that against Carlsen, it may not be enough. He has the notoriety of drawing opponents into obscure positions, hurling them out of preparation and into the deep end, often leading to a complex struggle. Whether you have the fastest supercomputer on your team then becomes almost irrelevant. It comes down to a battle of intuition, tactics and staying power, human to human. In such scenarios, almost always, Carlsen comes out on top. \"[Nepomniachtchi] couldn't show his best chess...it's a pity for the excitement of the match,\" he said later, \"I think that's what happens when you get into difficult situations...all the preparation doesn't necessarily help you if you can't cope in the moment....\" \n\nSoon after his win on Friday, Carlsen announced he'd be \"celebrating\" by playing the World Rapid and Blitz Championships in Warsaw, a fortnight from now. He presently holds both those titles... \n\nThe article also remembers what happened in 2018 when Carlsen was asked to name his favorite chess player from the past. Carlsen's answer? \n\n\"Probably myself, like, three or four years ago.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"On Friday, needing just one point against Ian Nepomniachtchi to defend his world champion status, Magnus Carlsen closed the match out with three games to spare, 7.5-3.5,\" ESPN reports. \"He's been the No 1 chess player in the world for a decade now... \n\n\"In a technologically flat, AI-powered chess world where preparation among the best players can be almost equal, what really makes one guy stand out with his dominance and genius for this long...?\n\n\nAmerican Grandmaster and chess commentator Robert Hess describes Carlsen as the \"hardest worker you'll find\" both at the board and in preparation. \"He is second-to-none at evading common theoretical lines and prefers to outplay his opponents in positions where both players must rely on their understanding of the current dynamics,\" Hess says... \n\n\nAt the start of this year, news emerged of Nepomniachtchi and his team having access to a supercomputer cluster, Zhores, from the Moscow-based Skolkovo Institute of Science and Technology. He was using it for his Candidates tournament preparation, a tournament he went on to win. He gained the challenger status for the World Championship and the Zhores supercomputer reportedly continued to be a mainstay in his team. Zhores was specifically designed to solve problems in machine learning and data-based modeling with a capacity of one Petaflop per second.... Players use computers and open-source AI engines to analyze openings, bolster preparation, scour for a bank of new ideas and to go down lines that the other is unlikely to have explored. \n\nThe tiny detail though is, that against Carlsen, it may not be enough. He has the notoriety of drawing opponents into obscure positions, hurling them out of preparation and into the deep end, often leading to a complex struggle. Whether you have the fastest supercomputer on your team then becomes almost irrelevant. It comes down to a battle of intuition, tactics and staying power, human to human. In such scenarios, almost always, Carlsen comes out on top. \"[Nepomniachtchi] couldn't show his best chess...it's a pity for the excitement of the match,\" he said later, \"I think that's what happens when you get into difficult situations...all the preparation doesn't necessarily help you if you can't cope in the moment....\" \n\nSoon after his win on Friday, Carlsen announced he'd be \"celebrating\" by playing the World Rapid and Blitz Championships in Warsaw, a fortnight from now. He presently holds both those titles... \n\nThe article also remembers what happened in 2018 when Carlsen was asked to name his favorite chess player from the past. Carlsen's answer? \n\n\"Probably myself, like, three or four years ago.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://games.slashdot.org/story/21/12/11/216214/magnus-carlsen-wins-8th-world-chess-championship-what-makes-him-so-great?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-11T22:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "836a25991c2e2e1663db9d1afe490fa0" + }, + { + "title": "Foreign Policy magazine: 'Bitcoin Failed in El Salvador.' Is the Answer More Bitcoin?", + "description": "\"Bitcoin mining is a process of competitively wasting electricity to guess a winning number every 10 minutes or so,\" writes author David Gerard in Foreign Policy magazine. \n\nAnd he's got an equally negative take on Salvadoran President Nayib Bukele's experiment in making Bitcoin an official national currency alongside the U.S. dollar. \"When a con artist's grift starts to fall apart, he knows to move onto the next one fast...\"\n\nMore than 91 percent of Salvadorans want dollars, not bitcoins. The official Chivo payment system was unreliable at launch in September — the kiss of death for a new system. Users joined for the $30 signup bonus, spent it or cashed it out, then didn't use Chivo again. The system completely failed to check new users' photos, relying solely on their national identity card number and date of birth; massive identity fraud to steal signup bonuses ensued. Bitcoin's ridiculously volatile price was appreciated only by aspiring day traders. Large street protests against compulsory Bitcoin implementation continued through October. The government stopped promoting Chivo on radio, TV, and social media. Chivo buses and vans were seen with plastic taped over the company's logo. \n\nBukele's financial problems remain. El Salvador can't print its own dollars, so Bukele urgently needs to fund his heavy deficit spending. The International Monetary Fund has not lent the country the $1 billion Bukele asked for, and has indicated its strong concerns about the Bitcoin scheme... At the Latin American Bitcoin and Blockchain Conference on Nov. 20, Bukele came onstage to an animation of beaming down from a flying saucer and outlined his plans for Bitcoin City: a new charter city to be built from scratch, centered on bitcoin mining — and powered by a volcano. Bitcoin City would be paid for with the issuance of $1 billion in \"volcano bonds,\" starting in mid-2022. \n\nThe 10-year volcano bonds would pay 6.5 percent annual interest. $500 million of the bond revenue would be used to buy bitcoins... Holding $100,000 in volcano bonds for five years would qualify investors for Salvadoran citizenship... Holders of El Salvador's existing sovereign debt were unimpressed. The volcano bonds would be a strictly worse investment than buying the country's existing bonds and hedging them with bitcoins. The existing bonds dropped from 75 cents on the dollar to a record low of 63.4 cents after the volcano bond announcement... \n[T]he volcano bonds are Bukele's way to get Bitcoin holders' money into the Salvadoran economy and count it as dollars. Bukele will brazen all of this out as long as he can, periodically throwing new plans on the table as a distraction. If he can maintain power, then the Bitcoin users will discover that he's taken their money. If he can't maintain power, then his successor will have no love for his failed Bitcoin schemes. Either scenario ends with a lot of disappointed Bitcoin users — because a national economy really can't run on a volatile and manipulated speculative commodity that's unusable as a currency. \nBoth the Bitcoin users and Bukele seem to think the other is a sucker who they'll take for everything they've got. It's possible that both will lose. \n\nThe article also points out that with El Salvador's high electricity rates, one of their power plant recently spent $4,672 in electricity to mine $269 in bitcoin.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"Bitcoin mining is a process of competitively wasting electricity to guess a winning number every 10 minutes or so,\" writes author David Gerard in Foreign Policy magazine. \n\nAnd he's got an equally negative take on Salvadoran President Nayib Bukele's experiment in making Bitcoin an official national currency alongside the U.S. dollar. \"When a con artist's grift starts to fall apart, he knows to move onto the next one fast...\"\n\nMore than 91 percent of Salvadorans want dollars, not bitcoins. The official Chivo payment system was unreliable at launch in September — the kiss of death for a new system. Users joined for the $30 signup bonus, spent it or cashed it out, then didn't use Chivo again. The system completely failed to check new users' photos, relying solely on their national identity card number and date of birth; massive identity fraud to steal signup bonuses ensued. Bitcoin's ridiculously volatile price was appreciated only by aspiring day traders. Large street protests against compulsory Bitcoin implementation continued through October. The government stopped promoting Chivo on radio, TV, and social media. Chivo buses and vans were seen with plastic taped over the company's logo. \n\nBukele's financial problems remain. El Salvador can't print its own dollars, so Bukele urgently needs to fund his heavy deficit spending. The International Monetary Fund has not lent the country the $1 billion Bukele asked for, and has indicated its strong concerns about the Bitcoin scheme... At the Latin American Bitcoin and Blockchain Conference on Nov. 20, Bukele came onstage to an animation of beaming down from a flying saucer and outlined his plans for Bitcoin City: a new charter city to be built from scratch, centered on bitcoin mining — and powered by a volcano. Bitcoin City would be paid for with the issuance of $1 billion in \"volcano bonds,\" starting in mid-2022. \n\nThe 10-year volcano bonds would pay 6.5 percent annual interest. $500 million of the bond revenue would be used to buy bitcoins... Holding $100,000 in volcano bonds for five years would qualify investors for Salvadoran citizenship... Holders of El Salvador's existing sovereign debt were unimpressed. The volcano bonds would be a strictly worse investment than buying the country's existing bonds and hedging them with bitcoins. The existing bonds dropped from 75 cents on the dollar to a record low of 63.4 cents after the volcano bond announcement... \n[T]he volcano bonds are Bukele's way to get Bitcoin holders' money into the Salvadoran economy and count it as dollars. Bukele will brazen all of this out as long as he can, periodically throwing new plans on the table as a distraction. If he can maintain power, then the Bitcoin users will discover that he's taken their money. If he can't maintain power, then his successor will have no love for his failed Bitcoin schemes. Either scenario ends with a lot of disappointed Bitcoin users — because a national economy really can't run on a volatile and manipulated speculative commodity that's unusable as a currency. \nBoth the Bitcoin users and Bukele seem to think the other is a sucker who they'll take for everything they've got. It's possible that both will lose. \n\nThe article also points out that with El Salvador's high electricity rates, one of their power plant recently spent $4,672 in electricity to mine $269 in bitcoin.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://slashdot.org/story/21/12/11/188219/foreign-policy-magazine-bitcoin-failed-in-el-salvador-is-the-answer-more-bitcoin?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-11T21:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "51221296802e946a8d7447f209aa6cb0" + }, + { + "title": "New Medicine Could Replace Reading Glasses with Eye Drops ", + "description": "New FDA-approved eye drops could replace reading glasses for millions: \"It's definitely a life changer\"\n\n\"A newly approved eye drop hitting the market on Thursday could change the lives of millions of Americans with age-related blurred near vision, a condition affecting mostly people 40 and older,\" reports CBS News. \n\n\"Vuity, which was approved by the Food and Drug Administration in October, would potentially replace reading glasses for some of the 128 million Americans who have trouble seeing close-up.\"\n\nThe new medicine takes effect in about 15 minutes, with one drop on each eye providing sharper vision for six to 10 hours, according to the company.... Vuity is the first FDA-approved eye drop to treat age-related blurry near vision, also known as presbyopia. The prescription drug utilizes the eye's natural ability to reduce its pupil size, said Dr. George Waring, the principal investigator for the trial. \n\n\"Reducing the pupil size expands the depth of field or the depth of focus, and that allows you to focus at different ranges naturally,\" he said. \n\nA 30-day supply of the drug will cost about $80 and works best in people 40 to 55 years old, a Vuity spokesperson said. Side effects detected in the three-month trial included headaches and red eyes, the company said.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "New FDA-approved eye drops could replace reading glasses for millions: \"It's definitely a life changer\"\n\n\"A newly approved eye drop hitting the market on Thursday could change the lives of millions of Americans with age-related blurred near vision, a condition affecting mostly people 40 and older,\" reports CBS News. \n\n\"Vuity, which was approved by the Food and Drug Administration in October, would potentially replace reading glasses for some of the 128 million Americans who have trouble seeing close-up.\"\n\nThe new medicine takes effect in about 15 minutes, with one drop on each eye providing sharper vision for six to 10 hours, according to the company.... Vuity is the first FDA-approved eye drop to treat age-related blurry near vision, also known as presbyopia. The prescription drug utilizes the eye's natural ability to reduce its pupil size, said Dr. George Waring, the principal investigator for the trial. \n\n\"Reducing the pupil size expands the depth of field or the depth of focus, and that allows you to focus at different ranges naturally,\" he said. \n\nA 30-day supply of the drug will cost about $80 and works best in people 40 to 55 years old, a Vuity spokesperson said. Side effects detected in the three-month trial included headaches and red eyes, the company said.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://science.slashdot.org/story/21/12/11/0537216/new-medicine-could-replace-reading-glasses-with-eye-drops?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-11T20:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c635284a90f9d034f3c90fc94ff53e9a" + }, + { + "title": "Two US Senators Urge Federal Investigations Into Facebook About Safety - and Ad Reach", + "description": "Two leading U.S. Senators \"are urging federal regulators to investigate Facebook over allegations the company misled advertisers, investors and the public about public safety and ad reach on its platform,\" reports CNBC:\n\nOn Thursday, Senator Warren urged the heads of the Department of Justice and Securities and Exchange Commission to open criminal and civil investigations into Facebook or its executives to determine if they violated U.S. wire fraud and securities laws. A day earlier, Senator Cantwell, chair of the Senate Commerce Committee, encouraged the Federal Trade Commission to investigate whether Facebook, now called Meta, violated the agency's law against unfair or deceptive business practices. Cantwell's letter was made public on Thursday... \n\nIn her letter to the FTC, Cantwell focused on Facebook's claims about the safety of its products, in addition to the allegedly inflated ad projections... She suggested the agency investigate Facebook and, depending what the evidence shows, pursue monetary relief for advertisers and disgorgement of allegedly ill-gotten gains. \nSenator Warren points to a whistleblower's recent allegations that Facebook misled both investors and advertising customers about their ad reach, according to the article. But Warren's letter also argued the possibility Facebook violated securities law with \"breathtakingly illegal conduct by one of the world's largest social media companies,\" according to the article.\n\nAnd in addition, Warren \"wrote that evidence increasingly suggests executives were aware the metric 'was meaningfully and consistently inflated.'\" \n\nBloomberg adds this quote from Senator Cantwell's letter:\n\"A thorough investigation by the Commission and other enforcement agencies is paramount, not only because Facebook and its executives may have violated federal law, but because members of the public and businesses are entitled to know the facts regarding Facebook's conduct as they make their decisions about using the platform.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "Two leading U.S. Senators \"are urging federal regulators to investigate Facebook over allegations the company misled advertisers, investors and the public about public safety and ad reach on its platform,\" reports CNBC:\n\nOn Thursday, Senator Warren urged the heads of the Department of Justice and Securities and Exchange Commission to open criminal and civil investigations into Facebook or its executives to determine if they violated U.S. wire fraud and securities laws. A day earlier, Senator Cantwell, chair of the Senate Commerce Committee, encouraged the Federal Trade Commission to investigate whether Facebook, now called Meta, violated the agency's law against unfair or deceptive business practices. Cantwell's letter was made public on Thursday... \n\nIn her letter to the FTC, Cantwell focused on Facebook's claims about the safety of its products, in addition to the allegedly inflated ad projections... She suggested the agency investigate Facebook and, depending what the evidence shows, pursue monetary relief for advertisers and disgorgement of allegedly ill-gotten gains. \nSenator Warren points to a whistleblower's recent allegations that Facebook misled both investors and advertising customers about their ad reach, according to the article. But Warren's letter also argued the possibility Facebook violated securities law with \"breathtakingly illegal conduct by one of the world's largest social media companies,\" according to the article.\n\nAnd in addition, Warren \"wrote that evidence increasingly suggests executives were aware the metric 'was meaningfully and consistently inflated.'\" \n\nBloomberg adds this quote from Senator Cantwell's letter:\n\"A thorough investigation by the Commission and other enforcement agencies is paramount, not only because Facebook and its executives may have violated federal law, but because members of the public and businesses are entitled to know the facts regarding Facebook's conduct as they make their decisions about using the platform.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://tech.slashdot.org/story/21/12/11/0450211/two-us-senators-urge-federal-investigations-into-facebook-about-safety---and-ad-reach?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-11T19:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0e485585a536e41c62623ea2a952e74a" + }, + { + "title": "Judges Read Capitol Riots' Social Media Posts, Gave Them Stricter Sentences", + "description": "After sentencing one of the \"Capitol Hill rioters\" to 41 months in prison, a judge added that anyone with Facebook and Instagram posts like his would be \"well advised\" to just plead guilty right away. \"You couldn't have beat this if you went to trial on the evidence that I saw.\" \n\nAnd other rioters are now learning the same thing, reports the Associated Press:\n\nEarlier this month, U.S. District Judge Amy Jackson read aloud some of Russell Peterson's posts about the riot before she sentenced the Pennsylvania man to 30 days imprisonment. \"Overall I had fun lol,\" Peterson posted on Facebook. The judge told Peterson that his posts made it \"extraordinarily difficult\" for her to show him leniency.... \n\nAmong the biggest takeaways so far from the Justice Department's prosecution of the insurrection is how large a role social media has played, with much of the most damning evidence coming from rioters' own words and videos. FBI agents have identified scores of rioters from public posts and records subpoenaed from social media platforms. Prosecutors use the posts to build cases. Judge now are citing defendants' words and images as factors weighing in favor of tougher sentences. \n\nAs of Friday, more than 50 people have been sentenced for federal crimes related to the insurrection. In at least 28 of those cases, prosecutors factored a defendant's social media posts into their requests for stricter sentences, according to an Associated Press review of court records.... \n\nProsecutors also have accused a few defendants of trying to destroy evidence by deleting posts.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "After sentencing one of the \"Capitol Hill rioters\" to 41 months in prison, a judge added that anyone with Facebook and Instagram posts like his would be \"well advised\" to just plead guilty right away. \"You couldn't have beat this if you went to trial on the evidence that I saw.\" \n\nAnd other rioters are now learning the same thing, reports the Associated Press:\n\nEarlier this month, U.S. District Judge Amy Jackson read aloud some of Russell Peterson's posts about the riot before she sentenced the Pennsylvania man to 30 days imprisonment. \"Overall I had fun lol,\" Peterson posted on Facebook. The judge told Peterson that his posts made it \"extraordinarily difficult\" for her to show him leniency.... \n\nAmong the biggest takeaways so far from the Justice Department's prosecution of the insurrection is how large a role social media has played, with much of the most damning evidence coming from rioters' own words and videos. FBI agents have identified scores of rioters from public posts and records subpoenaed from social media platforms. Prosecutors use the posts to build cases. Judge now are citing defendants' words and images as factors weighing in favor of tougher sentences. \n\nAs of Friday, more than 50 people have been sentenced for federal crimes related to the insurrection. In at least 28 of those cases, prosecutors factored a defendant's social media posts into their requests for stricter sentences, according to an Associated Press review of court records.... \n\nProsecutors also have accused a few defendants of trying to destroy evidence by deleting posts.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://yro.slashdot.org/story/21/12/12/0218248/judges-read-capitol-riots-social-media-posts-gave-them-stricter-sentences?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-12T02:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dcbc98497cb8c085dd5357e47a325af0" + }, { "title": "COVID Booster Cuts Death Rate by 90%, Israeli Study Finds", "description": "An Israeli study tracked more than 843,000 people who received two doses of the Pfizer vaccine — and then explored whether the results improved for the 758,000 who then also got a booster shot. \n\nThe results? HealthDay reports:\nBoosted folks are 90% less likely to die from a Delta infection than people relying solely on the initial two-dose vaccination, Israeli data show. \n\nThat protection will be critically important during the next couple of months as the Delta variant continues to dominate throughout the United States, said Dr. William Schaffner, medical director of the National Foundation for Infectious Diseases. \"While we are preoccupied with Omicron, you need to remember that Delta is essentially in every town and city in the United States today — being transmitted, infecting new people, sending people to the hospital, in some parts of the country stressing the health care system once again,\" Schaffner said. \"Although we have Omicron in the United States and it's starting to take hold, nonetheless well over 95% of all new infections today are caused by Delta....\" \n\nA second study out of Israel focused on infection and severity of illness, and it also produced good tidings for boosters in the face of the Delta variant. This study involved nearly 4.7 million Israelis who'd been fully vaccinated with Pfizer and were eligible for boosters. Confirmed infections were tenfold lower in the group of people who got the Pfizer booster, researchers reported. Further, results showed that the longer a booster was in a person's system, the more resistant they became to infection from the Delta strain.\n

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", @@ -174513,6 +204161,27 @@ "tags": [], "hash": "a0a9cbcc0521fd90cd9575e573991f2b" }, + { + "title": "Magnus Carlsen Wins 8th World Championship. What Makes Him So Great?", + "description": "\"On Friday, needing just one point against Ian Nepomniachtchi to defend his world champion status, Magnus Carlsen closed the match out with three games to spare, 7.5-3.5,\" ESPN reports. \"He's been the No 1 chess player in the world for a decade now... \n\n\"In a technologically flat, AI-powered chess world where preparation among the best players can be almost equal, what really makes one guy stand out with his dominance and genius for this long...?\n\n\nAmerican Grandmaster and chess commentator Robert Hess describes Carlsen as the \"hardest worker you'll find\" both at the board and in preparation. \"He is second-to-none at evading common theoretical lines and prefers to outplay his opponents in positions where both players must rely on their understanding of the current dynamics,\" Hess says... \n\n\nAt the start of this year, news emerged of Nepomniachtchi and his team having access to a supercomputer cluster, Zhores, from the Moscow-based Skolkovo Institute of Science and Technology. He was using it for his Candidates tournament preparation, a tournament he went on to win. He gained the challenger status for the World Championship and the Zhores supercomputer reportedly continued to be a mainstay in his team. Zhores was specifically designed to solve problems in machine learning and data-based modeling with a capacity of one Petaflop per second.... Players use computers and open-source AI engines to analyze openings, bolster preparation, scour for a bank of new ideas and to go down lines that the other is unlikely to have explored. \n\nThe tiny detail though is, that against Carlsen, it may not be enough. He has the notoriety of drawing opponents into obscure positions, hurling them out of preparation and into the deep end, often leading to a complex struggle. Whether you have the fastest supercomputer on your team then becomes almost irrelevant. It comes down to a battle of intuition, tactics and staying power, human to human. In such scenarios, almost always, Carlsen comes out on top. \"[Nepomniachtchi] couldn't show his best chess...it's a pity for the excitement of the match,\" he said later, \"I think that's what happens when you get into difficult situations...all the preparation doesn't necessarily help you if you can't cope in the moment....\" \n\nSoon after his win on Friday, Carlsen announced he'd be \"celebrating\" by playing the World Rapid and Blitz Championships in Warsaw, a fortnight from now. He presently holds both those titles... \n\nThe article also remembers what happened in 2018 when Carlsen was asked to name his favorite chess player from the past. Carlsen's answer? \n\n\"Probably myself, like, three or four years ago.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "content": "\"On Friday, needing just one point against Ian Nepomniachtchi to defend his world champion status, Magnus Carlsen closed the match out with three games to spare, 7.5-3.5,\" ESPN reports. \"He's been the No 1 chess player in the world for a decade now... \n\n\"In a technologically flat, AI-powered chess world where preparation among the best players can be almost equal, what really makes one guy stand out with his dominance and genius for this long...?\n\n\nAmerican Grandmaster and chess commentator Robert Hess describes Carlsen as the \"hardest worker you'll find\" both at the board and in preparation. \"He is second-to-none at evading common theoretical lines and prefers to outplay his opponents in positions where both players must rely on their understanding of the current dynamics,\" Hess says... \n\n\nAt the start of this year, news emerged of Nepomniachtchi and his team having access to a supercomputer cluster, Zhores, from the Moscow-based Skolkovo Institute of Science and Technology. He was using it for his Candidates tournament preparation, a tournament he went on to win. He gained the challenger status for the World Championship and the Zhores supercomputer reportedly continued to be a mainstay in his team. Zhores was specifically designed to solve problems in machine learning and data-based modeling with a capacity of one Petaflop per second.... Players use computers and open-source AI engines to analyze openings, bolster preparation, scour for a bank of new ideas and to go down lines that the other is unlikely to have explored. \n\nThe tiny detail though is, that against Carlsen, it may not be enough. He has the notoriety of drawing opponents into obscure positions, hurling them out of preparation and into the deep end, often leading to a complex struggle. Whether you have the fastest supercomputer on your team then becomes almost irrelevant. It comes down to a battle of intuition, tactics and staying power, human to human. In such scenarios, almost always, Carlsen comes out on top. \"[Nepomniachtchi] couldn't show his best chess...it's a pity for the excitement of the match,\" he said later, \"I think that's what happens when you get into difficult situations...all the preparation doesn't necessarily help you if you can't cope in the moment....\" \n\nSoon after his win on Friday, Carlsen announced he'd be \"celebrating\" by playing the World Rapid and Blitz Championships in Warsaw, a fortnight from now. He presently holds both those titles... \n\nThe article also remembers what happened in 2018 when Carlsen was asked to name his favorite chess player from the past. Carlsen's answer? \n\n\"Probably myself, like, three or four years ago.\"

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", + "category": "", + "link": "https://games.slashdot.org/story/21/12/11/216214/magnus-carlsen-wins-8th-world-championship-what-makes-him-so-great?utm_source=rss1.0mainlinkanon&utm_medium=feed", + "creator": "EditorDavid", + "pubDate": "2021-12-11T22:34:00+00:00", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "", + "folder": "00.03 News/Tech", + "feed": "Slashdot", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b7c67f9fcdc6d5532656a67d444f462a" + }, { "title": "FAA Says Lack of Federal Whistleblower Protections Is 'Enormous Factor' Hindering Blue Origin Safety Review", "description": "Jackie Wattles writes via CNN Business: Jeff Bezos' rocket company, Blue Origin, became the subject of a federal review this fall after a group of 21 current and former employees co-signed an essay that raised serious questions about the safety of the company's rockets -- including the rocket making headlines for flying Bezos and other celebrities to space. But that review was hamstrung by a lack of legal protections for whistleblowers in the commercial spaceflight industry, according to emails from Federal Aviation Administration investigators that were obtained by CNN Business. The FAA also confirmed in a statement Friday that its Blue Origin review is now closed, saying the \"FAA investigated the safety allegations made against Blue Origin's human spaceflight program\" and \"found no specific safety issues.\"\n \nThe emails obtained by CNN Business, however, reveal that investigators were not able to speak with any of the engineers who signed the letter anonymously. Investigators also were not able to go to Blue Origin and ask for documents or interviews with current employees or management, according to the FAA. The situation highlights how commercial spaceflight companies like Blue Origin are operating in a regulatory bubble, insulated from much of the scrutiny other industries are put under. There are no federal whistleblower statues that would protect employees in the commercial space industry if they aid FAA investigators, according to the agency.\n \nThe commercial space industry is in a legally designated \"learning period\" until at least October 2023 -- a \"learning period\" that has been extended several times, most recently by a 2015 law called the Commercial Space Launch Competitiveness Act. The idea is to allow the industry to mature and give companies a chance to self-regulate without overbearing government interference. But that designation effectively bars federal regulators from implementing certain new rules or wielding the same oversight powers for commercial space companies as it does for aviation. That meant that investigators had to rely on current and former Blue Origin employees voluntarily coming forward to offer information.

    \n\n\n\n\n\n

    Read more of this story at Slashdot.

    ", @@ -181165,6 +210834,510 @@ "image": null, "description": "Original and proudly opinionated perspectives for Generation T", "items": [ + { + "title": "Dear Meta CTO: Yes, people are awful, but your algorithms make them worse", + "description": "
    Meta’s incoming CTO, Andrew “Boz” Bosworth, is making quite the splash. The kind of splash you make by cannonballing into your swimming pool, soaking all your guests, and then blaming them for getting wet. In a Sunday interview with Axios on HBO, Bosworth was grilled about misinformation on social media. The Facebook veteran mounted a stern defense of his company. According to Bosworth, it’s not platforms that are responsible for misinformation — it’s their users: Individual humans are the ones who choose to believe or not believe a thing. They’re the ones who choose to share or not share a…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Meta’s incoming CTO, Andrew “Boz” Bosworth, is making quite the splash. The kind of splash you make by cannonballing into your swimming pool, soaking all your guests, and then blaming them for getting wet. In a Sunday interview with Axios on HBO, Bosworth was grilled about misinformation on social media. The Facebook veteran mounted a stern defense of his company. According to Bosworth, it’s not platforms that are responsible for misinformation — it’s their users: Individual humans are the ones who choose to believe or not believe a thing. They’re the ones who choose to share or not share a…

    This story continues at The Next Web
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/dear-meta-cto-andrew-bosworth-yes-people-are-awful-but-facebook-algorithms-make-them-worse", + "creator": "Thomas Macaulay", + "pubDate": "Tue, 14 Dec 2021 21:33:26 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-1-2.jpg&signature=0537f9a3a8954b7e4c3733a5b171ba72", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c31871fa75ba8700f10757ffc103702c" + }, + { + "title": "How to design human-machine interfaces for vehicles of the future ", + "description": "
    A human-machine interface (HMI) is an interface that allows us to interact with a digital system. No matter what HMI we design, we need to enable users to take advantage of all that a system offers.  For almost two decades, the personal computer was the first thing that came to mind when we heard about digital HMI. But the situation changed, and today HMI is an integral part of many devices we use daily — mobile phones, smartwatches, IoT devices, and even cars. Car HMI design is a relatively new field with specific challenges. My team has experience designing for…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    A human-machine interface (HMI) is an interface that allows us to interact with a digital system. No matter what HMI we design, we need to enable users to take advantage of all that a system offers.  For almost two decades, the personal computer was the first thing that came to mind when we heard about digital HMI. But the situation changed, and today HMI is an integral part of many devices we use daily — mobile phones, smartwatches, IoT devices, and even cars. Car HMI design is a relatively new field with specific challenges. My team has experience designing for…

    This story continues at The Next Web
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/the-history-and-challenges-of-designing-human-machine-interfaces-for-vehicles", + "creator": "Gleb Kuznetsov", + "pubDate": "Tue, 14 Dec 2021 19:43:51 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Frsz_1lexus-teammate-2_1.jpeg&signature=049951886d7e742331fd94d859cf3c89", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d9df6b1f7e624cdef13128e18c83cb88" + }, + { + "title": "The GPU shortage is so intense people are stealing them from display units", + "description": "
    Despite GPU shipments increasing by 25.7% year-on-year, people are so desperate for the hardware they’re cracking open computers at electronics stores to get at them. To combat this, some retailers have gone to the length of zip-tying display machines to dissuade thieves: This is the world we live in. Happy now? (Credit: TeslaDude7172) The photo above was taken by Reddit user TeslaDude7172 at the Costco in Dedham, Massachusetts. His real name is Jacob and he told me that “two of the three PCs with removable parts” on display were secured like this. On first inspection, this could merely be standard…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Despite GPU shipments increasing by 25.7% year-on-year, people are so desperate for the hardware they’re cracking open computers at electronics stores to get at them. To combat this, some retailers have gone to the length of zip-tying display machines to dissuade thieves: This is the world we live in. Happy now? (Credit: TeslaDude7172) The photo above was taken by Reddit user TeslaDude7172 at the Costco in Dedham, Massachusetts. His real name is Jacob and he told me that “two of the three PCs with removable parts” on display were secured like this. On first inspection, this could merely be standard…

    This story continues at The Next Web
    \n \n
    ", + "category": "Plugged", + "link": "https://thenextweb.com/news/gpu-shortage-so-intense-people-stealing-from-display-units", + "creator": "Callum Booth", + "pubDate": "Tue, 14 Dec 2021 15:11:08 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Fheader-image-gpu-theft.jpg&signature=ddffdb143b8bca174d50a8b4244c8ad3", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d2520059c86eec8a40f4dce5b27ecee3" + }, + { + "title": "Toyota U-turns and doubles down on EV lineup", + "description": "
    Toyota has been known for resisting the EV transition, but things are about to change big time. In a surprising move, the company announced on Tuesday that it would have 30 EV models available by 2030, aiming to sell globally 3.5 million electric vehicles by the same year.  Plus… it will invest $18 billion (¥2 trillion) in battery development.  And wait for it: Toyota will fully electrify its luxury sub-brand Lexus by 2035. In fact, Lexus wants its EVs to account for 100% of the total sales in Europe, North America, and China already by 2030.  Why are the new…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Toyota has been known for resisting the EV transition, but things are about to change big time. In a surprising move, the company announced on Tuesday that it would have 30 EV models available by 2030, aiming to sell globally 3.5 million electric vehicles by the same year.  Plus… it will invest $18 billion (¥2 trillion) in battery development.  And wait for it: Toyota will fully electrify its luxury sub-brand Lexus by 2035. In fact, Lexus wants its EVs to account for 100% of the total sales in Europe, North America, and China already by 2030.  Why are the new…

    This story continues at The Next Web
    \n \n
    ", + "category": "Shift", + "link": "https://thenextweb.com/news/toyota-u-turns-plunges-balls-deep-into-evs", + "creator": "Ioanna Lykiardopoulou", + "pubDate": "Tue, 14 Dec 2021 14:50:39 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-40.jpg&signature=e46fe23d1e22f63a21ddede9113948f3", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "21d1cc503a8a3dcd7c1a67c073e90ba2" + }, + { + "title": "Not all black holes are black — and researchers found more than 75k of the brightest", + "description": "
    When the most massive stars die, they collapse to form some of the densest objects known in the Universe: black holes. They are the “darkest” objects in the cosmos, as not even light can escape their incredibly strong gravity. Because of this, it’s impossible to directly imageblack holes, making them mysterious and quite perplexing. But our new research has road-tested a way to spot some of the most voracious black holes of all, making it easier to find them buried deep in the hearts of distant galaxies. Despite the name, not all black holes are black. While black holes come…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    When the most massive stars die, they collapse to form some of the densest objects known in the Universe: black holes. They are the “darkest” objects in the cosmos, as not even light can escape their incredibly strong gravity. Because of this, it’s impossible to directly imageblack holes, making them mysterious and quite perplexing. But our new research has road-tested a way to spot some of the most voracious black holes of all, making it easier to find them buried deep in the hearts of distant galaxies. Despite the name, not all black holes are black. While black holes come…

    This story continues at The Next Web
    \n \n
    ", + "category": "Space", + "link": "https://thenextweb.com/news/not-all-black-holes-are-black-researchers-found-more-than-75k-brightest-syndication", + "creator": "The Conversation", + "pubDate": "Tue, 14 Dec 2021 14:25:53 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Fblack-holes.jpg&signature=7a337f23005cebe77358d96671ee7490", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7adeb71c330e6f97fe210078fc1202ec" + }, + { + "title": "Oppo’s monocle-style Air Glass wearable looks fit for a Bond villain", + "description": "
    If I were a spy, I’d surely want Oppo‘s new Air Glass in my gadget bag, or rather on my face. No, that’s not a typo, Oppo‘s ‘assisted reality’ headset can be worn only on one eye — kinda like a monocle. But it looks cool nonetheless. Looks are half of the appeal of the fashionable wearable, with a sleek frame and flowing lines. The whole setup weighs just 30 grams. Oppo’s unit can easily snap to prescription glasses with magnets. Oppo’s Air Glass has a pretty cool design Technology-wise, the lens uses sapphire glass and a Micro-LED panel (capable…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    If I were a spy, I’d surely want Oppo‘s new Air Glass in my gadget bag, or rather on my face. No, that’s not a typo, Oppo‘s ‘assisted reality’ headset can be worn only on one eye — kinda like a monocle. But it looks cool nonetheless. Looks are half of the appeal of the fashionable wearable, with a sleek frame and flowing lines. The whole setup weighs just 30 grams. Oppo’s unit can easily snap to prescription glasses with magnets. Oppo’s Air Glass has a pretty cool design Technology-wise, the lens uses sapphire glass and a Micro-LED panel (capable…

    This story continues at The Next Web
    \n \n
    ", + "category": "Plugged", + "link": "https://thenextweb.com/news/oppo-air-glass-ar-launch-analysis", + "creator": "Ivan Mehta", + "pubDate": "Tue, 14 Dec 2021 11:54:11 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Foppo-ar-1.jpg&signature=c2eca765a28e7823d44ce0e3356bf0a4", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "a6c37619735d95a265a3849474560527" + }, + { + "title": "What 4 successful entrepreneurs want you to know before you start your business", + "description": "
    There’s a Dutch saying that goes ‘Op een roze wolk zitten’. Or in English, ‘to sit on a pink cloud.’ It’s used to describe someone who’s euphoric. Nobody’s actually perching on a wad of candyfloss-colored cumulus. Starting your first company feels like riding the pink cloud. Anticipation, mixed with fear, loaded with excitement and possibility. According to Techleap’s Thinking Bigger report, Dutch people place more value on starting a company than successfully growing one. The Netherlands is the only country where we see this trend – places like Germany, Switzerland, and the UK rank growing a business above starting one,…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    There’s a Dutch saying that goes ‘Op een roze wolk zitten’. Or in English, ‘to sit on a pink cloud.’ It’s used to describe someone who’s euphoric. Nobody’s actually perching on a wad of candyfloss-colored cumulus. Starting your first company feels like riding the pink cloud. Anticipation, mixed with fear, loaded with excitement and possibility. According to Techleap’s Thinking Bigger report, Dutch people place more value on starting a company than successfully growing one. The Netherlands is the only country where we see this trend – places like Germany, Switzerland, and the UK rank growing a business above starting one,…

    This story continues at The Next Web
    \n \n
    ", + "category": "Growth Quarters", + "link": "https://thenextweb.com/news/what-successful-entrepreneurs-want-you-to-know-before-start-your-business", + "creator": "Ebony-Storm Halladay", + "pubDate": "Tue, 14 Dec 2021 10:59:25 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-1-1.jpg&signature=73bf64a4354c62b53161967f57f0eea0", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0a0ea8e6114b6178234ffa1010df7b29" + }, + { + "title": "Private escooters banned on London’s public transport over fire concerns", + "description": "
    This article was originally published by Christopher Carey on Cities Today, the leading news platform on urban mobility and innovation, reaching an international audience of city leaders. For the latest updates, follow Cities Today on Twitter, Facebook, LinkedIn, Instagram, and YouTube, or sign up for Cities Today News. Privately owned e-scooters will be banned on all Transport for London (TfL) services from next week after an exploding battery caused a fire on a busy Tube service. Emergency services had to be called to extinguish a blaze last month after an e-scooter’s lithium battery exploded and left smoke billowing throughout the train – prompting an immediate review by the…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    This article was originally published by Christopher Carey on Cities Today, the leading news platform on urban mobility and innovation, reaching an international audience of city leaders. For the latest updates, follow Cities Today on Twitter, Facebook, LinkedIn, Instagram, and YouTube, or sign up for Cities Today News. Privately owned e-scooters will be banned on all Transport for London (TfL) services from next week after an exploding battery caused a fire on a busy Tube service. Emergency services had to be called to extinguish a blaze last month after an e-scooter’s lithium battery exploded and left smoke billowing throughout the train – prompting an immediate review by the…

    This story continues at The Next Web
    \n \n
    ", + "category": "Shift", + "link": "https://thenextweb.com/news/private-escooters-banned-london-public-transport-over-fire-concerns-syndication", + "creator": "Cities Today", + "pubDate": "Tue, 14 Dec 2021 09:55:19 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Ftransport-for-london.jpg&signature=2b5263fb714cf68bdf28648286d1266f", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "385b5ad7ec104a933bd7839c32e8762c" + }, + { + "title": "This is what banking will look like in 10 years", + "description": "
    Banking has always been a strong and stable pillar of society. However, the COVID-19 global pandemic forced the entire industry to focus on digital services amidst work from home orders in various parts of the globe. Since the lockdown in early 2020, we have seen a 72% rise in the use of fintech apps in Europe and an exponential increase in cryptocurrency prices due to an influx of large scale institutional investors. With the need to find new and better solutions to cater to customers, the once sluggish rate of emerging tech adoption amongst banks has been flung into hyper-speed.…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Banking has always been a strong and stable pillar of society. However, the COVID-19 global pandemic forced the entire industry to focus on digital services amidst work from home orders in various parts of the globe. Since the lockdown in early 2020, we have seen a 72% rise in the use of fintech apps in Europe and an exponential increase in cryptocurrency prices due to an influx of large scale institutional investors. With the need to find new and better solutions to cater to customers, the once sluggish rate of emerging tech adoption amongst banks has been flung into hyper-speed.…

    This story continues at The Next Web
    \n \n
    ", + "category": "Artificial Intelligence", + "link": "https://thenextweb.com/news/what-banking-will-look-like-in-10-years", + "creator": "Jamie Tolentino", + "pubDate": "Tue, 14 Dec 2021 08:43:35 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Farticle9.jpg&signature=edda9f52d611c72b2f55ea31d5beb53f", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f3ef8bb003d07b9605463f54fac3ac03" + }, + { + "title": "What it’s like to go global early with operationally intensive businesses", + "description": "
    If you launch a startupin your home country, you might discover it’s a pretty small market. Naturally, you start thinking about expanding into new countries, and if your business isn’t dependent on physical processes — great! — you can launch globally basically from day one. But what to do if your business is a platform of management crowdsourced couriers with vast amounts of transactions and physical processes: couriers move in the physical world using different types of transport, pick up the goods from senders and drop them off to recipients? Well, I know a thing or two about that. My…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    If you launch a startupin your home country, you might discover it’s a pretty small market. Naturally, you start thinking about expanding into new countries, and if your business isn’t dependent on physical processes — great! — you can launch globally basically from day one. But what to do if your business is a platform of management crowdsourced couriers with vast amounts of transactions and physical processes: couriers move in the physical world using different types of transport, pick up the goods from senders and drop them off to recipients? Well, I know a thing or two about that. My…

    This story continues at The Next Web
    \n \n
    ", + "category": "Growth Quarters", + "link": "https://thenextweb.com/news/go-global-early-operationally-intensive-businesses", + "creator": "Dmitriy Zubkov", + "pubDate": "Tue, 14 Dec 2021 07:00:28 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Fglobal-business-gq.jpg&signature=bf3631107c630c8d3ef41b7e44538a7e", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "df094cd4719289c900fdfbb5566ac2d2" + }, + { + "title": "Apple’s new AirTags-detecting Android app can’t automatically reveal if you’ve been bugged", + "description": "
    Update (14/12/2021): Apple has finally released an Android app called Tracker Detector, so you can find rouge AirTags around you, even if you don’t have an iPhone or an iPad. The app uses Apple’s Find My network to detect AirTags and compatible devices, but there’s no background scanning. That means you have to manually open the app and scan for AirTags around. Looking at the early user reviews on the Play Store, people are furious.  Early user reviews of Apple’s AirTags tracking app for Android The app will only detect an AirTag if it’s been away from its owner for…

    This story continues at The Next Web

    Or just read more coverage about: Apple
    \n \n
    ", + "content": "
    Update (14/12/2021): Apple has finally released an Android app called Tracker Detector, so you can find rouge AirTags around you, even if you don’t have an iPhone or an iPad. The app uses Apple’s Find My network to detect AirTags and compatible devices, but there’s no background scanning. That means you have to manually open the app and scan for AirTags around. Looking at the early user reviews on the Play Store, people are furious.  Early user reviews of Apple’s AirTags tracking app for Android The app will only detect an AirTag if it’s been away from its owner for…

    This story continues at The Next Web

    Or just read more coverage about: Apple
    \n \n
    ", + "category": "Plugged", + "link": "https://thenextweb.com/news/apple-airtag-privacy-android-app-analysis", + "creator": "Ivan Mehta", + "pubDate": "Tue, 14 Dec 2021 06:32:12 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F06%2Fairtags-feat.jpg&signature=c4f35edbf505659d223a5e45204700e9", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0f6da64045ed2e5ecfb687952e720b45" + }, + { + "title": "Following Apple, Microsoft made it easier to buy Surface repair tools", + "description": "
    A few weeks ago, Apple announced it would begin to sell spare parts for you to fix your own iPhone, in one of the biggest wins for the right to repair movement in years. Now, in a smaller, but still welcome move, Microsoft has partnered with iFixit to sell tools designed to make it easier to fix Surface devices. It’s a sign that the industry is maybe, just maybe, actually listening to user feedback. (Or these companies are just preparing for imminent pressure from governments. Either way, I’ll take it.) Surface devices have been notoriously difficult to repair in the…

    This story continues at The Next Web

    Or just read more coverage about: Apple
    \n \n
    ", + "content": "
    A few weeks ago, Apple announced it would begin to sell spare parts for you to fix your own iPhone, in one of the biggest wins for the right to repair movement in years. Now, in a smaller, but still welcome move, Microsoft has partnered with iFixit to sell tools designed to make it easier to fix Surface devices. It’s a sign that the industry is maybe, just maybe, actually listening to user feedback. (Or these companies are just preparing for imminent pressure from governments. Either way, I’ll take it.) Surface devices have been notoriously difficult to repair in the…

    This story continues at The Next Web

    Or just read more coverage about: Apple
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/microsoft-surface-repair-tools", + "creator": "Napier Lopez", + "pubDate": "Tue, 14 Dec 2021 02:54:45 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FSurface-Pro-8-Broken-Screen.jpg&signature=dfafd48b3ea7eda6760bae395b45d921", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "c33122f904817dac276d151021aa2401" + }, + { + "title": "Peloton’s response to Sex and the City is suspiciously perfect ‘fastvertising’", + "description": "
    The Sex and the City reboot was always likely to grab headlines, but few expected an exercise bike to steal the spotlight. In the premiere of And Just Like That, a Peloton cameo sent stocks in the fitness firm tumbling by 11%. ***SPOILER ALERT*** The scene shows Carrie’s husband, Mr Big, dying from a heart attack after a Peloton class. Initially, Peltono responded in a statement, which blamed the death on Mr Big’s “extravagant lifestyle” of “cocktails, cigars, and big steaks.” But that was merely the start. Just 48 hours after the episode aired, Peloton unveiled a PR showstopper. In…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    The Sex and the City reboot was always likely to grab headlines, but few expected an exercise bike to steal the spotlight. In the premiere of And Just Like That, a Peloton cameo sent stocks in the fitness firm tumbling by 11%. ***SPOILER ALERT*** The scene shows Carrie’s husband, Mr Big, dying from a heart attack after a Peloton class. Initially, Peltono responded in a statement, which blamed the death on Mr Big’s “extravagant lifestyle” of “cocktails, cigars, and big steaks.” But that was merely the start. Just 48 hours after the episode aired, Peloton unveiled a PR showstopper. In…

    This story continues at The Next Web
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/peloton-response-to-sex-and-the-city-is-suspiciously-perfect-fastvertising-ryan-reynolds", + "creator": "Thomas Macaulay", + "pubDate": "Mon, 13 Dec 2021 22:46:58 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-6-1.jpg&signature=53f19776ad9812261fe20e51bf3bf251", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "6fd2939f13c29f9ab98f7057ea57fea7" + }, + { + "title": "The Trevor Project shows how even the simplest AI can help save lives", + "description": "
    At least one LGBTQ+ youth between the ages of 13 and 24 attempts suicide every 45 seconds. That’s not the kind of problem you’d usually try to solve with artificial intelligence. Machines aren’t smart enough to take the mental health crisis head-on. Sure, AI-powered therapy bots can be very effective when it comes to augmenting human counseling sessions or reinforcing cognitive behavioral therapy instructions. But, when it comes to mental health crises, there’s no substitute for a qualified, empathetic human. That’s exactly why The Trevor Project was established. It’s core products include phone, text, and chat support for queer youth…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    At least one LGBTQ+ youth between the ages of 13 and 24 attempts suicide every 45 seconds. That’s not the kind of problem you’d usually try to solve with artificial intelligence. Machines aren’t smart enough to take the mental health crisis head-on. Sure, AI-powered therapy bots can be very effective when it comes to augmenting human counseling sessions or reinforcing cognitive behavioral therapy instructions. But, when it comes to mental health crises, there’s no substitute for a qualified, empathetic human. That’s exactly why The Trevor Project was established. It’s core products include phone, text, and chat support for queer youth…

    This story continues at The Next Web
    \n \n
    ", + "category": "Neural", + "link": "https://thenextweb.com/news/the-trevor-project-shows-ai-can-help-save-lives", + "creator": "Tristan Greene", + "pubDate": "Mon, 13 Dec 2021 18:30:50 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Ftrevorproject_google.jpg&signature=5d6535b97d6260f2b4b3760d5c88ab03", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "291fd9a687ae24f82e06ed3c81168607" + }, + { + "title": "3 startups every EV hipster should know, before they make it big", + "description": "
    The EV space is growing so fast that it’s simply impossible to keep track of all the companies making their way within the industry. And while a number of them might never make the headlines, there’s a bunch of “underdogs” we should definitely keep an eye on. Mullen Automotive Mullen has been a minor player in the US-based motor industry since 2014, but within the past couple of years it has been surely making big strides towards electric vehicles. In November, the company announced the development of its own EV plant in Tunica, Missisippi, where it will manufacture its three…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    The EV space is growing so fast that it’s simply impossible to keep track of all the companies making their way within the industry. And while a number of them might never make the headlines, there’s a bunch of “underdogs” we should definitely keep an eye on. Mullen Automotive Mullen has been a minor player in the US-based motor industry since 2014, but within the past couple of years it has been surely making big strides towards electric vehicles. In November, the company announced the development of its own EV plant in Tunica, Missisippi, where it will manufacture its three…

    This story continues at The Next Web
    \n \n
    ", + "category": "Shift", + "link": "https://thenextweb.com/news/3-startups-every-ev-hipster-should-know-before-they-make-it-big-arrival-vinfast-mullen", + "creator": "Ioanna Lykiardopoulou", + "pubDate": "Mon, 13 Dec 2021 17:29:04 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-39-2.jpg&signature=38f48fcf4ab8f7dd308929c1932f27fd", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "be57416ad6a26ec25f7af974f9cbd866" + }, + { + "title": "Self-driving AI is not just for cars — it’s coming to ebikes too", + "description": "
    In the hype around getting our cars to drive us around, it’s easy to forget that Advanced Driver-Assistance Systems (ADAS) have a higher function – to radically improve road safety, by reducing the number of accidents.  Recently, this intention has transitioned to ebikes. As our bikes become small (ok, pretty small) data centers on wheels, their ability to monitor our surroundings becomes a catalyst for companies creating technology that provides cyclists with some of the safety insights available in connected cars. Bike riders are far more vulnerable than their car driving companions, and tech that ebike companies can adapt to…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    In the hype around getting our cars to drive us around, it’s easy to forget that Advanced Driver-Assistance Systems (ADAS) have a higher function – to radically improve road safety, by reducing the number of accidents.  Recently, this intention has transitioned to ebikes. As our bikes become small (ok, pretty small) data centers on wheels, their ability to monitor our surroundings becomes a catalyst for companies creating technology that provides cyclists with some of the safety insights available in connected cars. Bike riders are far more vulnerable than their car driving companions, and tech that ebike companies can adapt to…

    This story continues at The Next Web
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/adas-driver-assistance-tech-is-making-ebike-riding-safer", + "creator": "Cate Lawrence", + "pubDate": "Mon, 13 Dec 2021 16:21:57 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Frsz_1u4xp0dho_1.jpeg&signature=0d26a6b945a93ccee8475953eddf9e06", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7937e787c749b9dcfd2568db47ec6dd2" + }, + { + "title": "Wearable fitness trackers aren’t as useless as you think", + "description": "
    Wearable fitness trackers will be on many Christmas shopping lists this year, with a vast range of devices (and an ever-increasing number of features) hitting the market just in time for the festive season. But what does the latest research say about how effective they are? Fitness trackers are trendy Currently, about one in five Australians own one of these wearables, and about a quarter use a mobile app or website to monitor their activity levels and health. And sales are predicted to grow over the next five years. The landscape of the market is fast changing. For years, Fitbit…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Wearable fitness trackers will be on many Christmas shopping lists this year, with a vast range of devices (and an ever-increasing number of features) hitting the market just in time for the festive season. But what does the latest research say about how effective they are? Fitness trackers are trendy Currently, about one in five Australians own one of these wearables, and about a quarter use a mobile app or website to monitor their activity levels and health. And sales are predicted to grow over the next five years. The landscape of the market is fast changing. For years, Fitbit…

    This story continues at The Next Web
    \n \n
    ", + "category": "Tech", + "link": "https://thenextweb.com/news/wearable-fitness-trackers-arent-useless-syndication", + "creator": "The Conversation", + "pubDate": "Mon, 13 Dec 2021 15:22:22 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Ffitnesstrackers.jpg&signature=4abe504450cf1365b95bbc30aab3a0fb", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b9e38145d562d1bba9a1ab12ced6d705" + }, + { + "title": "The Log4j bug exposes a bigger issue: Open-source funding (Updated)", + "description": "
    Update (December 14 ,2021): We’ve updated this article with information about the new Log4j version release, along with new exploit vectors, and risks related to all Java versions. While you were watching the F1 title decider between Max Verstappen and Lewis Hamilton or excited for the Succession finale, companies running the internet were scared shitless. You might not have noticed it because services like Twitter, Facebook, Gmail, and smaller ones all stayed up. But a bug in an open-source tech called Log4j was (and still is) causing panic amongst the infosec community across the world. While the bug has affected billions…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Update (December 14 ,2021): We’ve updated this article with information about the new Log4j version release, along with new exploit vectors, and risks related to all Java versions. While you were watching the F1 title decider between Max Verstappen and Lewis Hamilton or excited for the Succession finale, companies running the internet were scared shitless. You might not have noticed it because services like Twitter, Facebook, Gmail, and smaller ones all stayed up. But a bug in an open-source tech called Log4j was (and still is) causing panic amongst the infosec community across the world. While the bug has affected billions…

    This story continues at The Next Web
    \n \n
    ", + "category": "Security", + "link": "https://thenextweb.com/news/log4j-bug-internet-open-source-contributors-analysis", + "creator": "Ivan Mehta", + "pubDate": "Mon, 13 Dec 2021 13:22:04 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Flog-4j-burning.jpg&signature=6c96d98462e0902346e60d3955ffb58a", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "11996ea93135d2d1d32f22d14533a214" + }, + { + "title": "Apple’s new AirTags-detecting Android app can’t automatically tell you if you’ve been bugged by a rogue tracker", + "description": "
    Update (14/12/2021): Apple has finally released an Android app called Tracker Detector, so you can find rouge AirTags around you, even if you don’t have an iPhone or an iPad. The app uses Apple’s Find My network to detect AirTags and compatible devices, but there’s no background scanning. That means you have to manually open the app and scan for AirTags around. Looking at the early user reviews on the Play Store, people are furious.  Early user reviews of Apple’s AirTags tracking app for Android The app will only detect an AirTag if it’s been away from its owner for…

    This story continues at The Next Web

    Or just read more coverage about: Apple
    \n \n
    ", + "content": "
    Update (14/12/2021): Apple has finally released an Android app called Tracker Detector, so you can find rouge AirTags around you, even if you don’t have an iPhone or an iPad. The app uses Apple’s Find My network to detect AirTags and compatible devices, but there’s no background scanning. That means you have to manually open the app and scan for AirTags around. Looking at the early user reviews on the Play Store, people are furious.  Early user reviews of Apple’s AirTags tracking app for Android The app will only detect an AirTag if it’s been away from its owner for…

    This story continues at The Next Web

    Or just read more coverage about: Apple
    \n \n
    ", + "category": "Plugged", + "link": "https://thenextweb.com/news/apple-airtag-privacy-android-app-analysis", + "creator": "Ivan Mehta", + "pubDate": "Tue, 14 Dec 2021 06:32:12 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F06%2Fairtags-feat.jpg&signature=c4f35edbf505659d223a5e45204700e9", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f6f83a683a2effda91f742b438bb5c88" + }, + { + "title": "The Log4j bug exposes a bigger issue: Open-source funding", + "description": "
    While you were watching the F1 title decider between Max Verstappen and Lewis Hamilton or excited for the Succession finale, companies running the internet were scared shitless. You might not have noticed it because services like Twitter, Facebook, Gmail, and smaller ones all stayed up. But a bug in an open-source tech called Log4j was (and still is) causing panic amongst the infosec community across the world. While the bug has affected billions of devices, and companies are scrambling to apply fixes, the open-source community has a raging debate going on about funding volunteers that maintain projects like Log4j. Before…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    While you were watching the F1 title decider between Max Verstappen and Lewis Hamilton or excited for the Succession finale, companies running the internet were scared shitless. You might not have noticed it because services like Twitter, Facebook, Gmail, and smaller ones all stayed up. But a bug in an open-source tech called Log4j was (and still is) causing panic amongst the infosec community across the world. While the bug has affected billions of devices, and companies are scrambling to apply fixes, the open-source community has a raging debate going on about funding volunteers that maintain projects like Log4j. Before…

    This story continues at The Next Web
    \n \n
    ", + "category": "Security", + "link": "https://thenextweb.com/news/log4j-bug-internet-open-source-contributors-analysis", + "creator": "Ivan Mehta", + "pubDate": "Mon, 13 Dec 2021 13:22:04 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Flog-4j-burning.jpg&signature=6c96d98462e0902346e60d3955ffb58a", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "f71c9e7918ed270ea549b7edc86f8bfe" + }, + { + "title": "Australia’s police linking DNA with ancestry could be a privacy nightmare", + "description": "
    The Australian Federal Police recently announced plans to use DNA samples collected at crime scenes to make predictions about potential suspects. This technology, called forensic “DNA phenotyping”, can reveal a surprising and growing amount of highly personal information from the traces of DNA that we all leave behind, everywhere we go – including information about our gender, ancestry, and appearance. Queensland police have already used versions of this approach to identify a suspect and identify remains. Forensic services in Queensland and New South Wales have also investigated the use of predictive DNA. This technology can reveal much more about a…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    The Australian Federal Police recently announced plans to use DNA samples collected at crime scenes to make predictions about potential suspects. This technology, called forensic “DNA phenotyping”, can reveal a surprising and growing amount of highly personal information from the traces of DNA that we all leave behind, everywhere we go – including information about our gender, ancestry, and appearance. Queensland police have already used versions of this approach to identify a suspect and identify remains. Forensic services in Queensland and New South Wales have also investigated the use of predictive DNA. This technology can reveal much more about a…

    This story continues at The Next Web
    \n \n
    ", + "category": "Tech", + "link": "https://thenextweb.com/news/australias-police-linking-dna-ancestry-privacy-nightmare-syndication", + "creator": "The Conversation", + "pubDate": "Mon, 13 Dec 2021 13:04:34 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-2-2.jpg&signature=0a465384ab455afafd04f45aa1f1ac6a", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "b4b932b0d123f8e3b3d30cb739c5a683" + }, + { + "title": "‘Slaughterbots’ are a step away from your neighborhood — and we need a ban", + "description": "
    If you’re concerned about killer robots in the military, brace yourself for their arrival in civilian hands. AI weapons will soon spread from battlefields to city streets, campaigners have warned, unless new global rules are imposed on the tech. A UN conference this week can alleviate the fears. In a  Geneva meeting that starts today, delegates will debate banning weapons that target people without “meaningful human control.” Activists, however, are pessimistic about the outcome. While some countries have endorsed new laws, the world’s leading military powers don’t appear enthusiastic. The US, for instance, has rebuffed calls to regulate lethal autonomous weapons…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    If you’re concerned about killer robots in the military, brace yourself for their arrival in civilian hands. AI weapons will soon spread from battlefields to city streets, campaigners have warned, unless new global rules are imposed on the tech. A UN conference this week can alleviate the fears. In a  Geneva meeting that starts today, delegates will debate banning weapons that target people without “meaningful human control.” Activists, however, are pessimistic about the outcome. While some countries have endorsed new laws, the world’s leading military powers don’t appear enthusiastic. The US, for instance, has rebuffed calls to regulate lethal autonomous weapons…

    This story continues at The Next Web
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/slaughterbots-are-a-step-away-from-your-neighborhood-and-we-need-a-ban", + "creator": "Thomas Macaulay", + "pubDate": "Mon, 13 Dec 2021 10:17:46 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2FUntitled-design-4-1.jpg&signature=dfe1c6a3475f89a164245c2e77029951", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "7881e4c4b9cba63da9922d0fc157def1" + }, + { + "title": "Founder to founder: A guide to scaling a startup", + "description": "
    When Henrik Gebbing and I founded Finoa in our shared apartment in Madrid back in 2018, little did we realize that within just three years we’d have team members across the globe with plans for exponential growth in the works. Obviously, the way we ran things when it was just a handful of us would never suffice now. Scaling our business has meant overcoming some tough challenges in order to build a sustainable organization. The biggest question I’ve heard from other founders is, “How do I know when my startup is ready to scale?” From my point of view, the…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    When Henrik Gebbing and I founded Finoa in our shared apartment in Madrid back in 2018, little did we realize that within just three years we’d have team members across the globe with plans for exponential growth in the works. Obviously, the way we ran things when it was just a handful of us would never suffice now. Scaling our business has meant overcoming some tough challenges in order to build a sustainable organization. The biggest question I’ve heard from other founders is, “How do I know when my startup is ready to scale?” From my point of view, the…

    This story continues at The Next Web
    \n \n
    ", + "category": "Growth Quarters", + "link": "https://thenextweb.com/news/founder-guide-to-scaling-startup", + "creator": "Christopher May", + "pubDate": "Mon, 13 Dec 2021 07:00:28 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F12%2Ffounders-meeting-chat-gq.jpg&signature=dae1c590fdc079fe23caa9bb954404ab", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3246a142b9758b5344811b105d2923d7" + }, + { + "title": "We invited an AI to debate its own ethics in the Oxford Union — what it said was startling", + "description": "
    Not a day passes without a fascinating snippet on the ethical challenges created by “black box” artificial intelligence systems. These use machine learning to figure out patterns within data and make decisions – often without a human giving them any moral basis for how to do it. Classics of the genre are the credit cards accused of awarding bigger loans to men than women, based simply on which gender got the best credit terms in the past. Or the recruitment AIs that discovered the most accurate tool for candidate selection was to find CVs containing the phrase “field hockey” or…

    This story continues at The Next Web
    \n \n
    ", + "content": "
    Not a day passes without a fascinating snippet on the ethical challenges created by “black box” artificial intelligence systems. These use machine learning to figure out patterns within data and make decisions – often without a human giving them any moral basis for how to do it. Classics of the genre are the credit cards accused of awarding bigger loans to men than women, based simply on which gender got the best credit terms in the past. Or the recruitment AIs that discovered the most accurate tool for candidate selection was to find CVs containing the phrase “field hockey” or…

    This story continues at The Next Web
    \n \n
    ", + "category": "Insider", + "link": "https://thenextweb.com/news/ai-debate-its-own-ethics", + "creator": "The Conversation", + "pubDate": "Sun, 12 Dec 2021 15:00:22 +0000", + "enclosure": "https://img-cdn.tnwcdn.com/image?fit=796%2C417&url=https%3A%2F%2Fcdn0.tnwcdn.com%2Fwp-content%2Fblogs.dir%2F1%2Ffiles%2F2021%2F03%2Frobot.jpg&signature=fd0b71e913dd2cd61a8495eeab0c341a", + "enclosureType": "image/jpeg", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "The Next Web", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d2d0cb05975ec763eeb836608e151086" + }, { "title": "Hey, React devs! Here’s why UI libraries will improve your apps", "description": "
    Slow and steady wins the race. We’ve all heard this phrase thousands of times, but is it really true for our modern time where new businesses and technologies are getting launched every day? You can definitely finish the race being slow and steady but there’s no guarantee of winning it. This thing is even more true for tech where each day new frameworks, libraries, tools, and websites are getting launched. Therefore, as a developer you should try to delegate/eliminate/substitute your less important tasks to focus most on the high-value tasks. Use UIlibraries to style React apps One area where developers…

    This story continues at The Next Web
    \n \n
    ", @@ -184585,6 +214758,468 @@ "image": null, "description": "Channel Description", "items": [ + { + "title": "Antibiotic Use in US Farm Animals Was Falling. Now It’s Not", + "description": "A new FDA report shows that a long-awaited Obama-era initiative to stop the spread of superbugs and improve animal welfare has stalled out.", + "content": "A new FDA report shows that a long-awaited Obama-era initiative to stop the spread of superbugs and improve animal welfare has stalled out.", + "category": "Science", + "link": "https://www.wired.com/story/antibiotic-use-in-us-farm-animals-was-falling-now-its-not", + "creator": "Maryn McKenna", + "pubDate": "Tue, 14 Dec 2021 19:18:08 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "aed0837023df52cb07db98b81930c86a" + }, + { + "title": "The Apple Watch Series 7 Is at Its Cheapest Price Ever", + "description": "Snag our favorite smartwatch and you might even get same-day delivery.", + "content": "Snag our favorite smartwatch and you might even get same-day delivery.", + "category": "Gear", + "link": "https://www.wired.com/story/apple-watch-series-7-sale-december-2021", + "creator": "Parker Hall", + "pubDate": "Tue, 14 Dec 2021 18:30:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "3ed1170774d9b3d037d21ff460deec0a" + }, + { + "title": "Who Killed the Robot Dog?", + "description": "The robotic companion was once a dream of techno-utopianism, but has instead become a terrifying weapon. What happened?", + "content": "The robotic companion was once a dream of techno-utopianism, but has instead become a terrifying weapon. What happened?", + "category": "Ideas", + "link": "https://www.wired.com/story/robot-dog-artificial-intelligence-history", + "creator": "Britt H. Young", + "pubDate": "Tue, 14 Dec 2021 14:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e95b46dca4fcdc0e229c20a24ef3c982" + }, + { + "title": "The Best Cheap Phones for Almost Every Budget", + "description": "There’s little reason to pay top dollar for a phone these days. These are our favorite Android devices and iPhones from $200 to $500.", + "content": "There’s little reason to pay top dollar for a phone these days. These are our favorite Android devices and iPhones from $200 to $500.", + "category": "Gear", + "link": "https://www.wired.com/story/best-cheap-phones", + "creator": "Julian Chokkattu", + "pubDate": "Tue, 14 Dec 2021 14:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "e276ae2067a4c62aaa9342240e6e52ff" + }, + { + "title": "The Best VR Headsets and Games to Explore the Metaverse", + "description": "Dipping into virtual reality is easier than ever—in fact, this might be the perfect time to invest.", + "content": "Dipping into virtual reality is easier than ever—in fact, this might be the perfect time to invest.", + "category": "Gear", + "link": "https://www.wired.com/gallery/best-vr-headsets-in-this-reality", + "creator": "Jess Grey", + "pubDate": "Tue, 14 Dec 2021 13:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "83ce6a21e2ea1ebe53cb3375443de77d" + }, + { + "title": "The Best Sci-Fi Movies of 2021", + "description": "From Dune to Little Fish, they’re all love stories—though some are more touching than others.", + "content": "From Dune to Little Fish, they’re all love stories—though some are more touching than others.", + "category": "Culture", + "link": "https://www.wired.com/story/best-sci-fi-movies-2021", + "creator": "Jason Kehe", + "pubDate": "Tue, 14 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0c8adbc2eeeea85ace19895971877b42" + }, + { + "title": "See Little Robots Get Swole in This Virtual 'Gym'", + "description": "The bizarre robots look like cobbled-together Tetris pieces. A new system \"evolves\" them to run, climb, and throw stuff better.", + "content": "The bizarre robots look like cobbled-together Tetris pieces. A new system \"evolves\" them to run, climb, and throw stuff better.", + "category": "Science", + "link": "https://www.wired.com/story/see-little-robots-get-swole-in-this-virtual-gym", + "creator": "Matt Simon", + "pubDate": "Tue, 14 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "32df69c648115a9dc8c55660bd96e428" + }, + { + "title": "Britain’s Flexible Working Plans Look Like a Flop", + "description": "Many employees and companies want to find new ways of working—but government legislation is stuck in the past.", + "content": "Many employees and companies want to find new ways of working—but government legislation is stuck in the past.", + "category": "Business", + "link": "https://www.wired.com/story/uk-government-flexible-working-flop", + "creator": "Megan Carnegie", + "pubDate": "Tue, 14 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "76c1c04924de74d64836755ca917226a" + }, + { + "title": "The Log4J Vulnerability Will Haunt the Internet for Years", + "description": "Hundreds of millions of devices are likely affected.", + "content": "Hundreds of millions of devices are likely affected.", + "category": "Security", + "link": "https://www.wired.com/story/log4j-log4shell", + "creator": "Lily Hay Newman", + "pubDate": "Tue, 14 Dec 2021 01:34:21 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "d7f0d2ce129cc0fba697e33671f6f53c" + }, + { + "title": "The 8 Best Drones for Every Budget", + "description": "Whether you want to battle Star Wars spaceships or shoot a cinematic masterpiece, one of these picks is going to be perfect for you.", + "content": "Whether you want to battle Star Wars spaceships or shoot a cinematic masterpiece, one of these picks is going to be perfect for you.", + "category": "Gear", + "link": "https://www.wired.com/gallery/best-drones", + "creator": "Scott Gilbertson", + "pubDate": "Mon, 13 Dec 2021 15:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8f7ec803f192d633819afa7170083c6d" + }, + { + "title": "DJI's Excellent Mavic 3 Is on Another Plane", + "description": "This will get you the best-looking video footage from a consumer drone. It's also tons of fun to fly.", + "content": "This will get you the best-looking video footage from a consumer drone. It's also tons of fun to fly.", + "category": "Gear", + "link": "https://www.wired.com/review/dji-mavic-3", + "creator": "Scott Gilbertson", + "pubDate": "Mon, 13 Dec 2021 14:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "91210503b13a88ebea76ba5f60e1215a" + }, + { + "title": "Oxo's Super-Simple Coffee Machine Makes Super-Good Joe", + "description": "The Oxo Brew 9-Cup Coffee Maker sets a new standard for drip brewing. It's also remarkably unfussy.", + "content": "The Oxo Brew 9-Cup Coffee Maker sets a new standard for drip brewing. It's also remarkably unfussy.", + "category": "Gear", + "link": "https://www.wired.com/review/oxo-brew-9-cup-coffee-maker", + "creator": "Joe Ray", + "pubDate": "Mon, 13 Dec 2021 13:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "9a97a4077a6dd6e6aa7fef4179375fd6" + }, + { + "title": "This Marvel Game Soundtrack Has an Epic Origin Story", + "description": "Guardians of the Galaxy has one of the 2021's most ambitious video game scores. An MCU-obsessed composer and a made-up metal band brought it to life.", + "content": "Guardians of the Galaxy has one of the 2021's most ambitious video game scores. An MCU-obsessed composer and a made-up metal band brought it to life.", + "category": "Culture", + "link": "https://www.wired.com/story/guardians-of-the-galaxy-marvel-game-soundtrack", + "creator": "Mat Ombler", + "pubDate": "Mon, 13 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "967430e374b91e6f0b6cbc9b8e5ab195" + }, + { + "title": "Upside Foods Sues an Ex-Employee Over Secret Lab-Grown Meat Tech", + "description": "A three-person team within the startup was tasked with developing top-secret tech. When a cofounder was fired, things started to fall apart.", + "content": "A three-person team within the startup was tasked with developing top-secret tech. When a cofounder was fired, things started to fall apart.", + "category": "Business", + "link": "https://www.wired.com/story/upside-foods-blue-sky-trade-secrets-lawsuit", + "creator": "Matt Reynolds", + "pubDate": "Mon, 13 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "93e012795454911fbb6c35f23aa165b7" + }, + { + "title": "A Gene-Tweaked Jellyfish Offers a Glimpse of Other Minds", + "description": "Researchers have created jellyfish whose nerve cells light up when they fire, offering a tantalizing view of neurology before the rise of the brain.", + "content": "Researchers have created jellyfish whose nerve cells light up when they fire, offering a tantalizing view of neurology before the rise of the brain.", + "category": "Science", + "link": "https://www.wired.com/story/gene-tweaked-jellyfish-neurology", + "creator": "Amit Katwala", + "pubDate": "Mon, 13 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "5e085ec66db07caa449fe4b1ec411a07" + }, + { + "title": "The Best TV Streaming Devices for Cord Cutters", + "description": "We've tested dozens of devices for watching stuff on 4K or HD TVs. These are our favorites.", + "content": "We've tested dozens of devices for watching stuff on 4K or HD TVs. These are our favorites.", + "category": "Gear", + "link": "https://www.wired.com/gallery/best-4k-streaming-devices", + "creator": "Medea Giordano, Jeffrey Van Camp", + "pubDate": "Mon, 13 Dec 2021 10:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "dbf30ff3de64fdbe32975c2c1946f541" + }, + { + "title": "Our Favorite Couches (and 1 Armchair) You Can Order Online", + "description": "If being cooped up has made you rethink your furniture, these sofas might help refresh your space.", + "content": "If being cooped up has made you rethink your furniture, these sofas might help refresh your space.", + "category": "Gear", + "link": "https://www.wired.com/gallery/best-couches", + "creator": "Gear Team", + "pubDate": "Sun, 12 Dec 2021 14:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "962780b499b37a4d4ce5b1eebfe765e2" + }, + { + "title": "The Best Mobile Controllers for Gaming on the Go", + "description": "Touchscreens just don't suit some games. Try one of these WIRED-tested smartphone controllers for your iPhone or Android instead.", + "content": "Touchscreens just don't suit some games. Try one of these WIRED-tested smartphone controllers for your iPhone or Android instead.", + "category": "Gear", + "link": "https://www.wired.com/gallery/best-mobile-game-controllers-for-iphone-android", + "creator": "Simon Hill, Louryn Strampe", + "pubDate": "Sun, 12 Dec 2021 13:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "8d358065f3f20ba854f08bd7f33f05ef" + }, + { + "title": "Gravitational Waves Should Permanently Distort Spacetime", + "description": "Physicists have linked the “gravitational memory effect” to fundamental cosmic symmetries and a potential solution to the black hole information paradox.", + "content": "Physicists have linked the “gravitational memory effect” to fundamental cosmic symmetries and a potential solution to the black hole information paradox.", + "category": "Science", + "link": "https://www.wired.com/story/gravitational-waves-should-permanently-distort-space-time", + "creator": "Katie McCormick", + "pubDate": "Sun, 12 Dec 2021 13:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "1117acf5b69361f25874ffb07d5a7abc" + }, + { + "title": "The Best Kindles to Take Your Library Anywhere", + "description": "Amazon has six ebook readers. Here’s how they stack up—and which one might be right for you.", + "content": "Amazon has six ebook readers. Here’s how they stack up—and which one might be right for you.", + "category": "Gear", + "link": "https://www.wired.com/gallery/best-kindle", + "creator": "Medea Giordano, Gear Team", + "pubDate": "Sun, 12 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "0d5bb35ad919f41529c36490a12ec829" + }, + { + "title": "Supply Chain Container Ships Have a Size Problem", + "description": "All eyes were on the Ever Given when it got stuck in the Suez Canal, but it’s not the only too-big boat for too-small ports—a problem for holiday deliveries.", + "content": "All eyes were on the Ever Given when it got stuck in the Suez Canal, but it’s not the only too-big boat for too-small ports—a problem for holiday deliveries.", + "category": "Ideas", + "link": "https://www.wired.com/story/supply-chain-shipping-logistics", + "creator": "Michael Waters", + "pubDate": "Sun, 12 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "2882e6369c269ce7c786b54bfbf1cc3c" + }, + { + "title": "How to Guard Against Smishing Attacks on Your Phone", + "description": "“Smishing\" is an attempt to collect logins or other sensitive information with a malicious text message—and it's on the rise.", + "content": "“Smishing\" is an attempt to collect logins or other sensitive information with a malicious text message—and it's on the rise.", + "category": "Security", + "link": "https://www.wired.com/story/smishing-sms-phishing-attack-phone", + "creator": "David Nield", + "pubDate": "Sun, 12 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "064ae03050498b9838f8288adac9ef16" + }, { "title": "US Wins Appeal to Extradite Julian Assange", "description": "Plus: Bluetooth security, a Brazil hack, and more of the week's top security news.", @@ -184711,6 +215346,27 @@ "tags": [], "hash": "115bcffaa080cd279b8b63fb9fcdc1ab" }, + { + "title": "A Gene-Tweaked Jellyfish Offers a Glimpse at Other Minds", + "description": "Researchers have created jellyfish whose nerve cells light up when they fire, offering a tantalizing view of neurology before the rise of the brain.", + "content": "Researchers have created jellyfish whose nerve cells light up when they fire, offering a tantalizing view of neurology before the rise of the brain.", + "category": "Science", + "link": "https://www.wired.com/story/gene-tweaked-jellyfish-neurology", + "creator": "Amit Katwala", + "pubDate": "Mon, 13 Dec 2021 12:00:00 +0000", + "enclosure": "", + "enclosureType": "", + "image": "", + "id": "", + "language": "en", + "folder": "00.03 News/Tech", + "feed": "Wired", + "read": false, + "favorite": false, + "created": false, + "tags": [], + "hash": "421a44e52219b4f0d68f4cc5b7ee4eb6" + }, { "title": "The Fall and Rise of Real-Time Strategy Games", "description": "RTS games used to dominate sales charts and spawn entire esports leagues. Can new entries bring the beloved genre back to life?", @@ -189941,7 +220597,6 @@ "The Guardian", "Le Monde", "Le Rugbynistere", - "L'Equipe - Rugby", "Les Echos", "Les Echos - Monde", "EndGadget", diff --git a/.obsidian/plugins/table-editor-obsidian/manifest.json b/.obsidian/plugins/table-editor-obsidian/manifest.json index daea4e8b..976b0fc5 100644 --- a/.obsidian/plugins/table-editor-obsidian/manifest.json +++ b/.obsidian/plugins/table-editor-obsidian/manifest.json @@ -5,7 +5,7 @@ "authorUrl": "https://grosinger.net", "description": "Improved table navigation, formatting, manipulation, and formulas", "isDesktopOnly": false, - "minAppVersion": "0.13.0", - "version": "0.14.0", + "minAppVersion": "0.13.8", + "version": "0.15.0", "js": "main.js" } diff --git a/.obsidian/snippets/folder_4_icon.css b/.obsidian/snippets/folder_4_icon.css index cc5d5b80..76b05a7d 100644 --- a/.obsidian/snippets/folder_4_icon.css +++ b/.obsidian/snippets/folder_4_icon.css @@ -73,6 +73,11 @@ div[data-path="04.02 freemind.codes"] .nav-folder-title-content::before content: "👾 "; } +div[data-path="04.03 Creative snippets"] .nav-folder-title-content::before +{ + content: "🖋 "; +} + div[data-path="05.01 Computer setup"] .nav-folder-title-content::before { content: "💻 "; diff --git a/.obsidian/workspace b/.obsidian/workspace index a16c2b52..0b21e914 100644 --- a/.obsidian/workspace +++ b/.obsidian/workspace @@ -9,8 +9,8 @@ "state": { "type": "markdown", "state": { - "file": "00.03 News/News.md", - "mode": "source" + "file": "04.03 Creative snippets/Drafts/Draft 1/Introduction.md", + "mode": "preview" } } } @@ -54,6 +54,14 @@ "useHierarchy": true } } + }, + { + "id": "75530033a4add894", + "type": "leaf", + "state": { + "type": "VIEW_TYPE_LONGFORM_EXPLORER", + "state": {} + } } ], "currentTab": 0 @@ -68,7 +76,7 @@ "state": { "type": "backlink", "state": { - "file": "00.03 News/News.md", + "file": "04.03 Creative snippets/Drafts/Draft 1/Introduction.md", "collapseAll": false, "extraContext": false, "sortOrder": "alphabetical", @@ -111,20 +119,19 @@ "state": {} } } - ], - "currentTab": 4 + ] }, "active": "f02b54d5135a4e7e", "lastOpenFiles": [ - "00.03 News/News.md", - "02.03 Zürich/@Bars Zürich.md", - "02.03 Zürich/@Restaurants Zürich.md", - "02.03 Zürich/Razzia.md", - "02.03 Zürich/@@Zürich.md", - "00.01 Admin/Obsidian plugins.md", + "04.03 Creative snippets/Drafts/Draft 1/Introduction.md", + "03.02 Travels/@Travels.md", + "04.03 Creative snippets/Index.md", + "04.03 Creative snippets/Character1.md", + "01.01 Life Orga/@Life Organisation.md", + "01.01 Life Orga/Voitures.md", + "01.01 Life Orga/Creations.md", + "01.02 Home/2021-12-04 MRCK - lil dialogue.md", "05.02 Networks/Server Tools.md", - "01.01 Life Orga/Lifestyle.md", - "06.02 Investments/Le Miel de Paris.md", - "01.03 Family/Pierre Bédier.md" + "01.01 Life Orga/Lifestyle.md" ] } \ No newline at end of file diff --git a/03.03 Food & Wine/@@Recipes.md b/03.03 Food & Wine/@@Recipes.md index 41fbb439..6304c646 100644 --- a/03.03 Food & Wine/@@Recipes.md +++ b/03.03 Food & Wine/@@Recipes.md @@ -44,6 +44,8 @@ id CreateNote + + ```button name Save type command diff --git a/03.03 Food & Wine/@Main dishes.md b/03.03 Food & Wine/@Main dishes.md index f5ac2420..10170edc 100644 --- a/03.03 Food & Wine/@Main dishes.md +++ b/03.03 Food & Wine/@Main dishes.md @@ -94,6 +94,20 @@ dv.view("00.01 Admin/dv-views/query_recipe", {course: "Main Dish", category: "Pa   +### Noodles +[[#^Top|TOP]] +  + +```dataviewjs +dv.view("00.01 Admin/dv-views/query_recipe", {course: "Main Dish", category: "Noodles"}) +``` + +  + +--- + +  + ### Stir Fry [[#^Top|TOP]]   diff --git a/03.03 Food & Wine/Spicy Szechuan Noodles with Garlic Chilli Oil.md b/03.03 Food & Wine/Spicy Szechuan Noodles with Garlic Chilli Oil.md new file mode 100644 index 00000000..3f7e9069 --- /dev/null +++ b/03.03 Food & Wine/Spicy Szechuan Noodles with Garlic Chilli Oil.md @@ -0,0 +1,127 @@ +--- + +ServingSize: 4 +cssclass: recipeTable +Tag: ["Recipe", "Spicy", "Easy", "Quick"] +Date: 2021-09-21 +DocType: "Recipe" +Hierarchy: "NonRoot" +location: [51.514678599999996, -0.18378583926867909] +CollapseMetaTable: Yes +Meta: + IsFavourite: False + Rating: 0 +Recipe: + Courses: "Main Dish" + Categories: Noodles + Collections: "Chinese" + Source: https://drivemehungry.com/spicy-szechuan-noodles-with-garlic-chili-oil/ + PreparationTime: + CookingTime: 10 + OServingSize: 4 +Ingredients: + - 1 pinch Chili pepper flakes + - 1 splash Oil - avocado, canola, or corn oil + - 1 splash Black vinegar - A dark vinegar with a malty, smokey flavor. Substitute with balsamic vinegar + - 2 cloves Garlic + - 1 pack Noodles (刀削面 Dao Xiao Mian) + - 1 bunch Coriander + - 1 pinch Sesame seeds + - 2 sprigs Spring onions + - 1 pinch sugar + - 1 pinch salt + - 1 tbsp Soy sauce + +--- + +Parent:: [[@@Recipes|Recipes]], [[@Main dishes|Main Dishes]] + +--- + +  + +```button +name Edit Recipe parameters +type command +action MetaEdit: Run MetaEdit +id EditMetaData +``` +^button-SpicySzechuanNoodleswithGarlicChilliOilEdit + + +```button +name Save +type command +action Save current file +id Save +``` +^button-SpicySzechuanNoodleswithGarlicChilliOilNSave + + + +  + +# Spicy Szechuan Noodles with Garlic Chilli Oil + +  + +```toc +style: number +``` + +  + +--- + +  + +### Practical Informations + +| | +|-|- +**Courses**: | `$=dv.current().Recipe.Courses` +**Categories**: | `$=dv.current().Recipe.Categories` +**Collections**: | `$=dv.current().Recipe.Collections` +**Serving size**: | `$=dv.current().ServingSize` +**Cooking time**: | `$=dv.current().Recipe.CookingTime` min + +  + +--- + +  + +### Ingredients + +  + +```dataviewjs +dv.view("00.01 Admin/dv-views/query_ingredient", {ingredients: dv.current().Ingredients, originalportioncount: dv.current().Recipe.OServingSize}) +``` + +  + +--- + +  + +### Instructions + +  + +1. Heat the oil over medium low heat. Once heated, sauté the garlic until it becomes fragrant, about 30 seconds. + +  + +2. Turn off the heat and while the garlic oil is still hot, add in the Szechuan pepper flakes, soy sauce, vinegar, salt, and sugar. Stir to combine. + +  + +3. Boil the noodles according to the directions and rinse under cold water. Drain well. + +  + +4. Add scallions, cilantro, sesame seeds, and garlic chili oil sauce to your liking. Toss to combine and enjoy! + +  +  \ No newline at end of file diff --git a/04.03 Creative snippets/Character1.md b/04.03 Creative snippets/Character1.md new file mode 100644 index 00000000..e69de29b diff --git a/04.03 Creative snippets/Drafts/Draft 1/Introduction.md b/04.03 Creative snippets/Drafts/Draft 1/Introduction.md new file mode 100644 index 00000000..71921cdc --- /dev/null +++ b/04.03 Creative snippets/Drafts/Draft 1/Introduction.md @@ -0,0 +1,35 @@ +--- + +Characters: + - Protagonist + - Girlfriend + - Father + - Mother + - Sister1 + - Brother1 + - Friend1 + - Friend2 +Places: + - Parent's flat + - Street + - Transport +Notes: + - + +--- + +%% + +So this is going to be a bit that does not count towards word count. +But is not strictly frontmatter + +%% + +```button +name Save +type command +action Save current file +id Save +``` + +# Introduction \ No newline at end of file diff --git a/04.03 Creative snippets/Index.md b/04.03 Creative snippets/Index.md new file mode 100644 index 00000000..ca29fb7e --- /dev/null +++ b/04.03 Creative snippets/Index.md @@ -0,0 +1,14 @@ +--- +version: 1 +drafts: + - name: Draft 1 + folder: Draft 1 + scenes: + - Introduction +--- + + +This file is managed by Longform. Please avoid editing it directly; doing so will almost certainly confuse the plugin, and may cause a loss of data. + +Longform uses this file to organize your folders and notes into a project. For more details, please see [The Index File](https://github.com/kevboh/longform#the-index-file) section of the plugin’s README. + diff --git a/06.02 Investments/Crypto Tasks.md b/06.02 Investments/Crypto Tasks.md index 891fadac..5e971584 100644 --- a/06.02 Investments/Crypto Tasks.md +++ b/06.02 Investments/Crypto Tasks.md @@ -60,7 +60,8 @@ All tasks and to-dos Crypto-related. [[#^Top|TOP]]   -- [ ] [[Crypto Tasks#internet alerts|monitor Crypto news and publications]] 🔁 every week on Friday 📅 2021-11-19 +- [ ] [[Crypto Tasks#internet alerts|monitor Crypto news and publications]] 🔁 every week on Friday 📅 2021-11-26 +- [x] [[Crypto Tasks#internet alerts|monitor Crypto news and publications]] 🔁 every week on Friday 📅 2021-11-19 ✅ 2021-12-12 - [x] [[Crypto Tasks#internet alerts|monitor Crypto news and publications]] 🔁 every week on Friday 📅 2021-11-12 ✅ 2021-12-04 - [x] [[Crypto Tasks#internet alerts|monitor Crypto news and publications]] 🔁 every week on Friday 📅 2021-11-05 ✅ 2021-10-29 - [x] [[Crypto Tasks#internet alerts|monitor Crypto news and publications]] 🔁 every week on Friday 📅 2021-10-29 ✅ 2021-10-29 diff --git a/06.02 Investments/Equity Tasks.md b/06.02 Investments/Equity Tasks.md index 1cf80b31..1ce2bfec 100644 --- a/06.02 Investments/Equity Tasks.md +++ b/06.02 Investments/Equity Tasks.md @@ -60,7 +60,9 @@ Note summarising all tasks and to-dos for Listed Equity investments. [[#^Top|TOP]]   -- [ ] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-11-12 +- [ ] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-11-26 +- [x] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-11-19 ✅ 2021-12-12 +- [x] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-11-12 ✅ 2021-12-12 - [x] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-11-05 ✅ 2021-12-04 - [x] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-10-29 ✅ 2021-10-29 - [x] [[Equity Tasks#internet alerts|monitor Equity news and publications]] 🔁 every week on Friday 📅 2021-10-22 ✅ 2021-10-22 diff --git a/06.02 Investments/VC Tasks.md b/06.02 Investments/VC Tasks.md index 43edde5a..bdf3ebb9 100644 --- a/06.02 Investments/VC Tasks.md +++ b/06.02 Investments/VC Tasks.md @@ -60,7 +60,9 @@ Tasks and to-dos for VC investments. [[#^Top|TOP]]   -- [ ] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-11-12 +- [ ] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-11-26 +- [x] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-11-19 ✅ 2021-12-12 +- [x] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-11-12 ✅ 2021-12-12 - [x] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-11-05 ✅ 2021-12-04 - [x] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-10-29 ✅ 2021-10-29 - [x] [[VC Tasks#internet alerts|monitor VC news and publications]] 🔁 every week on Friday 📅 2021-10-22 ✅ 2021-10-22